asymptote-2.62/0000755000000000000000000000000013607467360012202 5ustar rootrootasymptote-2.62/asy.rc0000644000000000000000000000140213607467113013315 0ustar rootrootasy ICON PRELOAD "asy.ico" 1 VERSIONINFO FILEOS 0x40004 FILETYPE 0x1 FILESUBTYPE 0x0 BEGIN BLOCK "StringFileInfo" BEGIN BLOCK "040904b0" BEGIN VALUE "FileDescription", "Vector Graphics Language\0" VALUE "OriginalFilename", "asy.exe\0" VALUE "LegalCopyright", "Copyright \251 2005 Andy Hammerlindl, John Bowman, Tom Prince\0" VALUE "CompanyName", "Andy Hammerlindl, John Bowman, Tom Prince\0" VALUE "ProductName", "Asymptote\0" VALUE "ProductVersion", "ASYMPTOTE_VERSION\0" VALUE "GPL Copyleft", "Released under the GNU General Public License version 2\0" END END BLOCK "VarFileInfo" BEGIN VALUE "Translation", 0x409, 0x04b0 END END asymptote-2.62/program.h0000644000000000000000000000500213607467113014013 0ustar rootroot/***** * program.h * Tom Prince * * The list of instructions used by the virtual machine. *****/ #ifndef PROGRAM_H #define PROGRAM_H #include // for ptrdiff_t #include "common.h" #include "inst.h" using std::ptrdiff_t; namespace vm { struct inst; class program : public gc { public: class label; program(); void encode(inst i); label begin(); label end(); inst &back(); void pop_back(); private: friend class label; typedef mem::vector code_t; code_t code; inst& operator[](size_t); }; class program::label { public: // interface label() : where(0), code() {} public: //interface label& operator++(); label& operator--(); bool defined() const; bool operator==(const label& right) const; bool operator!=(const label& right) const; inst& operator*() const; inst* operator->() const; friend ptrdiff_t offset(const label& left, const label& right); private: label (size_t where, program* code) : where(where), code(code) {} size_t where; program* code; friend class program; }; // Prints one instruction (including arguments). void printInst(std::ostream& out, const program::label& code, const program::label& base); // Prints code until a ret opcode is printed. void print(std::ostream& out, program *base); // Inline forwarding functions for vm::program inline program::program() : code() {} inline program::label program::end() { return label(code.size(), this); } inline program::label program::begin() { return label(0, this); } inline inst& program::back() { return code.back(); } inline void program::pop_back() { return code.pop_back(); } inline void program::encode(inst i) { code.push_back(i); } inline inst& program::operator[](size_t n) { return code[n]; } inline program::label& program::label::operator++() { ++where; return *this; } inline program::label& program::label::operator--() { --where; return *this; } inline bool program::label::defined() const { return (code != 0); } inline bool program::label::operator==(const label& right) const { return (code == right.code) && (where == right.where); } inline bool program::label::operator!=(const label& right) const { return !(*this == right); } inline inst& program::label::operator*() const { return (*code)[where]; } inline inst* program::label::operator->() const { return &**this; } inline ptrdiff_t offset(const program::label& left, const program::label& right) { return right.where - left.where; } } // namespace vm #endif // PROGRAM_H asymptote-2.62/psfile.cc0000644000000000000000000004502413607467113013774 0ustar rootroot/***** * psfile.cc * Andy Hammerlindl 2002/06/10 * * Encapsulates the writing of commands to a PostScript file. * Allows identification and removal of redundant commands. *****/ #include #include #include #include #include "psfile.h" #include "settings.h" #include "errormsg.h" #include "array.h" #include "stack.h" using std::ofstream; using std::setw; using vm::array; using vm::read; using vm::stack; using vm::callable; using vm::pop; namespace camp { void checkColorSpace(ColorSpace colorspace) { switch(colorspace) { case DEFCOLOR: case INVISIBLE: reportError("Cannot shade with invisible pen"); case PATTERN: reportError("Cannot shade with pattern"); break; default: break; } } psfile::psfile(const string& filename, bool pdfformat) : filename(filename), pdfformat(pdfformat), pdf(false), transparency(false), buffer(NULL), out(NULL) { if(filename.empty()) out=&cout; else out=new ofstream(filename.c_str()); out->setf(std::ios::boolalpha); if(!out || !*out) reportError("Cannot write to "+filename); } static const char *inconsistent="inconsistent colorspaces"; static const char *rectangular="matrix is not rectangular"; void psfile::writefromRGB(unsigned char r, unsigned char g, unsigned char b, ColorSpace colorspace, size_t ncomponents) { static const double factor=1.0/255.0; pen p(r*factor,g*factor,b*factor); p.convert(); if(!p.promote(colorspace)) reportError(inconsistent); write(&p,ncomponents); } inline unsigned char average(unsigned char *a, size_t dx, size_t dy) { return ((unsigned) a[0]+(unsigned) a[dx]+(unsigned) a[dy]+ (unsigned) a[dx+dy])/4; } void psfile::dealias(unsigned char *a, size_t width, size_t height, size_t n, bool convertrgb, ColorSpace colorspace) { // Dealias all but the last row and column of pixels. size_t istop=width-1; size_t jstop=height-1; if(convertrgb) { size_t nwidth=3*width; for(size_t j=0; j < height; ++j) { unsigned char *aj=a+nwidth*j; for(size_t i=0; i < width; ++i) { unsigned char *ai=aj+3*i; if(i < istop && j < jstop) writefromRGB(average(ai,3,nwidth), average(ai+1,3,nwidth), average(ai+2,3,nwidth),colorspace,n); else writefromRGB(ai[0],ai[1],ai[2],colorspace,n); } } } else { size_t nwidth=n*width; for(size_t j=0; j < jstop; ++j) { unsigned char *aj=a+nwidth*j; for(size_t i=0; i < istop; ++i) { unsigned char *ai=aj+n*i; for(size_t k=0; k < n; ++k) ai[k]=average(ai+k,n,nwidth); } } } } void psfile::writeCompressed(const unsigned char *a, size_t size) { uLongf compressedSize=compressBound(size); Bytef *compressed=new Bytef[compressedSize]; if(compress(compressed,&compressedSize,a,size) != Z_OK) reportError("image compression failed"); encode85 e(out); for(size_t i=0; i < compressedSize; ++i) e.put(compressed[i]); } void psfile::close() { if(out) { out->flush(); if(!filename.empty()) { #ifdef __MSDOS__ chmod(filename.c_str(),~settings::mask & 0777); #endif if(!out->good()) // Don't call reportError since this may be called on handled_error. reportFatal("Cannot write to "+filename); delete out; out=NULL; } } } psfile::~psfile() { close(); } void psfile::header(bool eps) { Int level=settings::getSetting("level"); *out << "%!PS-Adobe-" << level << ".0"; if(eps) *out << " EPSF-" << level << ".0"; *out << newl; } void psfile::prologue(const bbox& box) { header(true); BoundingBox(box); *out << "%%Creator: " << settings::PROGRAM << " " << settings::VERSION << REVISION << newl; time_t t; time(&t); struct tm *tt = localtime(&t); char prev = out->fill('0'); *out << "%%CreationDate: " << tt->tm_year + 1900 << "." << setw(2) << tt->tm_mon+1 << "." << setw(2) << tt->tm_mday << " " << setw(2) << tt->tm_hour << ":" << setw(2) << tt->tm_min << ":" << setw(2) << tt->tm_sec << newl; out->fill(prev); *out << "%%Pages: 1" << newl; *out << "%%Page: 1 1" << newl; if(!pdfformat) *out << "/Setlinewidth {0 exch dtransform dup abs 1 lt {pop 0}{round} ifelse" << newl << "idtransform setlinewidth pop} bind def" << newl; } void psfile::epilogue() { *out << "showpage" << newl; *out << "%%EOF" << newl; } void psfile::setcolor(const pen& p, const string& begin="", const string& end="") { if(p.cmyk() && (!lastpen.cmyk() || (p.cyan() != lastpen.cyan() || p.magenta() != lastpen.magenta() || p.yellow() != lastpen.yellow() || p.black() != lastpen.black()))) { *out << begin << p.cyan() << " " << p.magenta() << " " << p.yellow() << " " << p.black() << (pdf ? " k" : " setcmykcolor") << end << newl; } else if(p.rgb() && (!lastpen.rgb() || (p.red() != lastpen.red() || p.green() != lastpen.green() || p.blue() != lastpen.blue()))) { *out << begin << p.red() << " " << p.green() << " " << p.blue() << (pdf ? " rg" : " setrgbcolor") << end << newl; } else if(p.grayscale() && (!lastpen.grayscale() || p.gray() != lastpen.gray())) { *out << begin << p.gray() << (pdf ? " g" : " setgray") << end << newl; } } void psfile::setopacity(const pen& p) { if(p.blend() != lastpen.blend()) { *out << "/" << p.blend() << " .setblendmode" << newl; transparency=true; } if(p.opacity() != lastpen.opacity()) { *out << p.opacity() << " .setopacityalpha" << newl; transparency=true; } lastpen.settransparency(p); } void psfile::setpen(pen p) { p.convert(); setopacity(p); if(!p.fillpattern().empty() && p.fillpattern() != lastpen.fillpattern()) *out << p.fillpattern() << " setpattern" << newl; else setcolor(p); // Defer dynamic linewidth until stroke time in case currentmatrix changes. if(p.width() != lastpen.width()) *out << p.width() << (pdfformat ? " setlinewidth" : " Setlinewidth") << newl; if(p.cap() != lastpen.cap()) *out << p.cap() << " setlinecap" << newl; if(p.join() != lastpen.join()) *out << p.join() << " setlinejoin" << newl; if(p.miter() != lastpen.miter()) *out << p.miter() << " setmiterlimit" << newl; const LineType *linetype=p.linetype(); const LineType *lastlinetype=lastpen.linetype(); if(!(linetype->pattern == lastlinetype->pattern) || linetype->offset != lastlinetype->offset) { out->setf(std::ios::fixed); *out << linetype->pattern << " " << linetype->offset << " setdash" << newl; out->unsetf(std::ios::fixed); } lastpen=p; } void psfile::write(const pen& p) { if(p.cmyk()) *out << p.cyan() << " " << p.magenta() << " " << p.yellow() << " " << p.black(); else if(p.rgb()) *out << p.red() << " " << p.green() << " " << p.blue(); else if(p.grayscale()) *out << p.gray(); } void psfile::write(path p, bool newPath) { Int n = p.size(); assert(n != 0); if(newPath) newpath(); pair z0=p.point((Int) 0); // Draw points moveto(z0); for(Int i = 1; i < n; i++) { if(p.straight(i-1)) lineto(p.point(i)); else curveto(p.postcontrol(i-1),p.precontrol(i),p.point(i)); } if(p.cyclic()) { if(p.straight(n-1)) lineto(z0); else curveto(p.postcontrol(n-1),p.precontrol((Int) 0),z0); closepath(); } else { if(n == 1) lineto(z0); } } void psfile::latticeshade(const vm::array& a, const transform& t) { checkLevel(); size_t n=a.size(); if(n == 0) return; array *a0=read(a,0); size_t m=a0->size(); setfirstopacity(*a0); ColorSpace colorspace=maxcolorspace2(a); checkColorSpace(colorspace); size_t ncomponents=ColorComponents[colorspace]; *out << "<< /ShadingType 1" << newl << "/Matrix "; write(t); *out << newl; *out << "/ColorSpace /Device" << ColorDeviceSuffix[colorspace] << newl << "/Function" << newl << "<< /FunctionType 0" << newl << "/Order 1" << newl << "/Domain [0 1 0 1]" << newl << "/Range ["; for(size_t i=0; i < ncomponents; ++i) *out << "0 1 "; *out << "]" << newl << "/Decode ["; for(size_t i=0; i < ncomponents; ++i) *out << "0 1 "; *out << "]" << newl; *out << "/BitsPerSample 8" << newl; *out << "/Size [" << m << " " << n << "]" << newl << "/DataSource <" << newl; for(size_t i=n; i > 0;) { array *ai=read(a,--i); checkArray(ai); size_t aisize=ai->size(); if(aisize != m) reportError(rectangular); for(size_t j=0; j < m; j++) { pen *p=read(ai,j); p->convert(); if(!p->promote(colorspace)) reportError(inconsistent); *out << p->hex() << newl; } } *out << ">" << newl << ">>" << newl << ">>" << newl << "shfill" << newl; } // Axial and radial shading void psfile::gradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, bool extenda, const pen& penb, const pair& b, double rb, bool extendb) { checkLevel(); endclip(pena); setopacity(pena); checkColorSpace(colorspace); *out << "<< /ShadingType " << (axial ? "2" : "3") << newl << "/ColorSpace /Device" << ColorDeviceSuffix[colorspace] << newl << "/Coords ["; write(a); if(!axial) write(ra); write(b); if(!axial) write(rb); *out << "]" << newl << "/Extend [" << extenda << " " << extendb << "]" << newl << "/Function" << newl << "<< /FunctionType 2" << newl << "/Domain [0 1]" << newl << "/C0 ["; write(pena); *out << "]" << newl << "/C1 ["; write(penb); *out << "]" << newl << "/N 1" << newl << ">>" << newl << ">>" << newl << "shfill" << newl; } void psfile::gouraudshade(const pen& pentype, const array& pens, const array& vertices, const array& edges) { checkLevel(); endclip(pentype); size_t size=pens.size(); if(size == 0) return; setfirstopacity(pens); ColorSpace colorspace=maxcolorspace(pens); *out << "<< /ShadingType 4" << newl << "/ColorSpace /Device" << ColorDeviceSuffix[colorspace] << newl << "/DataSource [" << newl; for(size_t i=0; i < size; i++) { write(read(edges,i)); write(read(vertices,i)); pen *p=read(pens,i); p->convert(); if(!p->promote(colorspace)) reportError(inconsistent); *out << " "; write(*p); *out << newl; } *out << "]" << newl << ">>" << newl << "shfill" << newl; } void psfile::vertexpen(array *pi, int j, ColorSpace colorspace) { pen *p=read(pi,j); p->convert(); if(!p->promote(colorspace)) reportError(inconsistent); *out << " "; write(*p); } // Tensor-product patch shading void psfile::tensorshade(const pen& pentype, const array& pens, const array& boundaries, const array& z) { checkLevel(); endclip(pentype); size_t size=pens.size(); if(size == 0) return; size_t nz=z.size(); array *p0=read(pens,0); if(checkArray(p0) != 4) reportError("4 pens required"); setfirstopacity(*p0); ColorSpace colorspace=maxcolorspace2(pens); checkColorSpace(colorspace); *out << "<< /ShadingType 7" << newl << "/ColorSpace /Device" << ColorDeviceSuffix[colorspace] << newl << "/DataSource [" << newl; for(size_t i=0; i < size; i++) { // Only edge flag 0 (new patch) is implemented since the 32% data // compression (for RGB) afforded by other edge flags really isn't worth // the trouble or confusion for the user. write(0); path g=read(boundaries,i); if(!(g.cyclic() && g.size() == 4)) reportError("specify cyclic path of length 4"); for(Int j=4; j > 0; --j) { write(g.point(j)); write(g.precontrol(j)); write(g.postcontrol(j-1)); } if(nz == 0) { // Coons patch static double nineth=1.0/9.0; for(Int j=0; j < 4; ++j) { write(nineth*(-4.0*g.point(j)+6.0*(g.precontrol(j)+g.postcontrol(j)) -2.0*(g.point(j-1)+g.point(j+1)) +3.0*(g.precontrol(j-1)+g.postcontrol(j+1)) -g.point(j+2))); } } else { array *zi=read(z,i); if(checkArray(zi) != 4) reportError("specify 4 internal control points for each path"); write(read(zi,0)); write(read(zi,3)); write(read(zi,2)); write(read(zi,1)); } array *pi=read(pens,i); if(checkArray(pi) != 4) reportError("specify 4 pens for each path"); vertexpen(pi,0,colorspace); vertexpen(pi,3,colorspace); vertexpen(pi,2,colorspace); vertexpen(pi,1,colorspace); *out << newl; } *out << "]" << newl << ">>" << newl << "shfill" << newl; } void psfile::write(pen *p, size_t ncomponents) { switch(ncomponents) { case 0: break; case 1: writeByte(byte(p->gray())); break; case 3: writeByte(byte(p->red())); writeByte(byte(p->green())); writeByte(byte(p->blue())); break; case 4: writeByte(byte(p->cyan())); writeByte(byte(p->magenta())); writeByte(byte(p->yellow())); writeByte(byte(p->black())); default: break; } } string filter() { return settings::getSetting("level") >= 3 ? "1 (~>) /SubFileDecode filter /ASCII85Decode filter\n/FlateDecode" : "1 (~>) /SubFileDecode filter /ASCII85Decode"; } void psfile::imageheader(size_t width, size_t height, ColorSpace colorspace) { size_t ncomponents=ColorComponents[colorspace]; *out << "/Device" << ColorDeviceSuffix[colorspace] << " setcolorspace" << newl << "<<" << newl << "/ImageType 1" << newl << "/Width " << width << newl << "/Height " << height << newl << "/BitsPerComponent 8" << newl << "/Decode ["; for(size_t i=0; i < ncomponents; ++i) *out << "0 1 "; *out << "]" << newl << "/ImageMatrix [" << width << " 0 0 " << height << " 0 0]" << newl << "/DataSource currentfile " << filter() << " filter" << newl << ">>" << newl << "image" << newl; } void psfile::image(const array& a, const array& P, bool antialias) { size_t asize=a.size(); size_t Psize=P.size(); if(asize == 0 || Psize == 0) return; array *a0=read(a,0); size_t a0size=a0->size(); if(a0size == 0) return; setfirstopacity(P); ColorSpace colorspace=maxcolorspace(P); checkColorSpace(colorspace); size_t ncomponents=ColorComponents[colorspace]; imageheader(a0size,asize,colorspace); double min=read(a0,0); double max=min; for(size_t i=0; i < asize; i++) { array *ai=read(a,i); size_t size=ai->size(); if(size != a0size) reportError(rectangular); for(size_t j=0; j < size; j++) { double val=read(ai,j); if(val > max) max=val; else if(val < min) min=val; } } double step=(max == min) ? 0.0 : (Psize-1)/(max-min); beginImage(ncomponents*a0size*asize); for(size_t i=0; i < asize; i++) { array *ai=read(a,i); for(size_t j=0; j < a0size; j++) { double val=read(ai,j); size_t index=(size_t) ((val-min)*step+0.5); pen *p=read(P,index < Psize ? index : Psize-1); p->convert(); if(!p->promote(colorspace)) reportError(inconsistent); write(p,ncomponents); } } endImage(antialias,a0size,asize,ncomponents); } void psfile::image(const array& a, bool antialias) { size_t asize=a.size(); if(asize == 0) return; array *a0=read(a,0); size_t a0size=a0->size(); if(a0size == 0) return; setfirstopacity(*a0); ColorSpace colorspace=maxcolorspace2(a); checkColorSpace(colorspace); size_t ncomponents=ColorComponents[colorspace]; imageheader(a0size,asize,colorspace); beginImage(ncomponents*a0size*asize); for(size_t i=0; i < asize; i++) { array *ai=read(a,i); size_t size=ai->size(); if(size != a0size) reportError(rectangular); for(size_t j=0; j < size; j++) { pen *p=read(ai,j); p->convert(); if(!p->promote(colorspace)) reportError(inconsistent); write(p,ncomponents); } } endImage(antialias,a0size,asize,ncomponents); } void psfile::image(stack *Stack, callable *f, Int width, Int height, bool antialias) { if(width <= 0 || height <= 0) return; Stack->push(0); Stack->push(0); f->call(Stack); pen p=pop(Stack); setopacity(p); ColorSpace colorspace=p.colorspace(); checkColorSpace(colorspace); size_t ncomponents=ColorComponents[colorspace]; imageheader(width,height,colorspace); beginImage(ncomponents*width*height); for(Int j=0; j < height; j++) { for(Int i=0; i < width; i++) { Stack->push(j); Stack->push(i); f->call(Stack); pen p=pop(Stack); p.convert(); if(!p.promote(colorspace)) reportError(inconsistent); write(&p,ncomponents); } } endImage(antialias,width,height,ncomponents); } void psfile::outImage(bool antialias, size_t width, size_t height, size_t ncomponents) { if(antialias) dealias(buffer,width,height,ncomponents); if(settings::getSetting("level") >= 3) writeCompressed(buffer,count); else { encode85 e(out); for(size_t i=0; i < count; ++i) e.put(buffer[i]); } } void psfile::rawimage(unsigned char *a, size_t width, size_t height, bool antialias) { pen p(0.0,0.0,0.0); p.convert(); ColorSpace colorspace=p.colorspace(); checkColorSpace(colorspace); size_t ncomponents=ColorComponents[colorspace]; imageheader(width,height,colorspace); count=ncomponents*width*height; if(colorspace == RGB) { buffer=a; outImage(antialias,width,height,ncomponents); } else { beginImage(count); if(antialias) dealias(a,width,height,ncomponents,true,colorspace); else { size_t height3=3*height; for(size_t i=0; i < width; ++i) { unsigned char *ai=a+height3*i; for(size_t j=0; j < height; ++j) { unsigned char *aij=ai+3*j; writefromRGB(aij[0],aij[1],aij[2],colorspace,ncomponents); } } } endImage(false,width,height,ncomponents); } } } //namespace camp asymptote-2.62/bbox3.h0000644000000000000000000000712613607467113013372 0ustar rootroot/***** * bbox3.h * Andy Hammerlindl 2002/06/06 * * Stores a rectangle that encloses a drawing object. *****/ #ifndef BBOX3_H #define BBOX3_H #include "triple.h" // For CYGWIN #undef near #undef far namespace camp { // The box that encloses a path struct bbox3 { bool empty; double left; double bottom; double near; double right; double top; double far; // Start bbox3 about the origin bbox3() : empty(true), left(0.0), bottom(0.0), near(0.0), right(0.0), top(0.0), far(0.0) { } bbox3(double left, double bottom, double near, double right, double top, double far) : empty(false), left(left), bottom(bottom), near(near), right(right), top(top), far(far) { } // Start a bbox3 with a point bbox3(double x, double y, double z) : empty(false), left(x), bottom(y), near(z), right(x), top(y), far(z) { } // Start a bbox3 with a point bbox3(const triple& v) : empty(false), left(v.getx()), bottom(v.gety()), near(v.getz()), right(v.getx()), top(v.gety()), far(v.getz()) { } // Start a bbox3 with 2 points bbox3(const triple& m, const triple& M) : empty(false), left(m.getx()), bottom(m.gety()), near(m.getz()), right(M.getx()), top(M.gety()), far(M.getz()) { } // Add a point to a bbox3 void add(const triple& v) { const double x = v.getx(), y = v.gety(), z = v.getz(); add(x,y,z); } void add(double x, double y, double z) { if (empty) { left = right = x; top = bottom = y; near = far = z; empty = false; } else { if(x < left) left = x; else if(x > right) right = x; if(y < bottom) bottom = y; else if(y > top) top = y; if(z < near) near = z; else if(z > far) far = z; } } // Add a point to a nonempty bbox3 void addnonempty(double x, double y, double z) { if(x < left) left = x; else if(x > right) right = x; if(y < bottom) bottom = y; else if(y > top) top = y; if(z < near) near = z; else if(z > far) far = z; } // Add (x,y) pair to a nonempty bbox3 void addnonempty(pair v) { double x=v.getx(); if(x < left) left = x; else if(x > right) right = x; double y=v.gety(); if(y < bottom) bottom = y; else if(y > top) top = y; } // Add a point to a nonempty bbox3 void addnonempty(const triple& v) { addnonempty(v.getx(),v.gety(),v.getz()); } // Add a point to a nonempty bbox, updating bounding times void addnonempty(const triple& v, bbox3& times, double t) { double x = v.getx(), y = v.gety(), z = v.getz(); if(x < left) { left = x; times.left = t; } else if(x > right) { right = x; times.right = t; } if(y < bottom) { bottom = y; times.bottom = t; } else if(y > top) { top = y; times.top = t; } if(z < near) { near = z; times.near=t; } else if(z > far) { far = z; times.far=t; } } bbox3 operator+= (const triple& v) { add(v); return *this; } triple Min() const { return triple(left,bottom,near); } triple Max() const { return triple(right,top,far); } pair Min2() const { return pair(left,bottom); } pair Max2() const { return pair(right,top); } friend ostream& operator << (ostream& out, const bbox3& b) { out << "Min " << b.Min() << " Max " << b.Max(); return out; } }; } // namespace camp GC_DECLARE_PTRFREE(camp::bbox3); #endif asymptote-2.62/doc/0000755000000000000000000000000013607467360012747 5ustar rootrootasymptote-2.62/doc/loggraph.asy0000644000000000000000000000040613607467113015264 0ustar rootrootimport graph; size(200,200,IgnoreAspect); real f(real t) {return 1/t;} scale(Log,Log); draw(graph(f,0.1,10)); //limits((1,0.1),(10,0.5),Crop); dot(Label("(3,5)",align=S),Scale((3,5))); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); asymptote-2.62/doc/shadedtiling.asy0000644000000000000000000000040013607467113016112 0ustar rootrootsize(0,100); import patterns; real d=4mm; picture tiling; path square=scale(d)*unitsquare; axialshade(tiling,square,white,(0,0),black,(d,d)); fill(tiling,shift(d,d)*square,blue); add("shadedtiling",tiling); filldraw(unitcircle,pattern("shadedtiling")); asymptote-2.62/doc/datagraph.asy0000644000000000000000000000033213607467113015412 0ustar rootrootimport graph; size(200,150,IgnoreAspect); real[] x={0,1,2,3}; real[] y=x^2; draw(graph(x,y),red); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight, RightTicks(Label(fontsize(8pt)),new real[]{0,4,9})); asymptote-2.62/doc/install-sh0000755000000000000000000003253713607467113014761 0ustar rootroot#!/bin/sh # install - install a program, script, or datafile scriptversion=2009-04-28.21; # UTC # This originates from X11R5 (mit/util/scripts/install.sh), which was # later released in X11R6 (xc/config/util/install.sh) with the # following copyright and license. # # Copyright (C) 1994 X Consortium # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to # deal in the Software without restriction, including without limitation the # rights to use, copy, modify, merge, publish, distribute, sublicense, and/or # sell copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # X CONSORTIUM BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN # AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNEC- # TION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. # # Except as contained in this notice, the name of the X Consortium shall not # be used in advertising or otherwise to promote the sale, use or other deal- # ings in this Software without prior written authorization from the X Consor- # tium. # # # FSF changes to this file are in the public domain. # # Calling this script install-sh is preferred over install.sh, to prevent # `make' implicit rules from creating a file called install from it # when there is no Makefile. # # This script is compatible with the BSD install script, but was written # from scratch. nl=' ' IFS=" "" $nl" # set DOITPROG to echo to test this script # Don't use :- since 4.3BSD and earlier shells don't like it. doit=${DOITPROG-} if test -z "$doit"; then doit_exec=exec else doit_exec=$doit fi # Put in absolute file names if you don't have them in your path; # or use environment vars. chgrpprog=${CHGRPPROG-chgrp} chmodprog=${CHMODPROG-chmod} chownprog=${CHOWNPROG-chown} cmpprog=${CMPPROG-cmp} cpprog=${CPPROG-cp} mkdirprog=${MKDIRPROG-mkdir} mvprog=${MVPROG-mv} rmprog=${RMPROG-rm} stripprog=${STRIPPROG-strip} posix_glob='?' initialize_posix_glob=' test "$posix_glob" != "?" || { if (set -f) 2>/dev/null; then posix_glob= else posix_glob=: fi } ' posix_mkdir= # Desired mode of installed file. mode=0755 chgrpcmd= chmodcmd=$chmodprog chowncmd= mvcmd=$mvprog rmcmd="$rmprog -f" stripcmd= src= dst= dir_arg= dst_arg= copy_on_change=false no_target_directory= usage="\ Usage: $0 [OPTION]... [-T] SRCFILE DSTFILE or: $0 [OPTION]... SRCFILES... DIRECTORY or: $0 [OPTION]... -t DIRECTORY SRCFILES... or: $0 [OPTION]... -d DIRECTORIES... In the 1st form, copy SRCFILE to DSTFILE. In the 2nd and 3rd, copy all SRCFILES to DIRECTORY. In the 4th, create DIRECTORIES. Options: --help display this help and exit. --version display version info and exit. -c (ignored) -C install only if different (preserve the last data modification time) -d create directories instead of installing files. -g GROUP $chgrpprog installed files to GROUP. -m MODE $chmodprog installed files to MODE. -o USER $chownprog installed files to USER. -s $stripprog installed files. -t DIRECTORY install into DIRECTORY. -T report an error if DSTFILE is a directory. Environment variables override the default commands: CHGRPPROG CHMODPROG CHOWNPROG CMPPROG CPPROG MKDIRPROG MVPROG RMPROG STRIPPROG " while test $# -ne 0; do case $1 in -c) ;; -C) copy_on_change=true;; -d) dir_arg=true;; -g) chgrpcmd="$chgrpprog $2" shift;; --help) echo "$usage"; exit $?;; -m) mode=$2 case $mode in *' '* | *' '* | *' '* | *'*'* | *'?'* | *'['*) echo "$0: invalid mode: $mode" >&2 exit 1;; esac shift;; -o) chowncmd="$chownprog $2" shift;; -s) stripcmd=$stripprog;; -t) dst_arg=$2 shift;; -T) no_target_directory=true;; --version) echo "$0 $scriptversion"; exit $?;; --) shift break;; -*) echo "$0: invalid option: $1" >&2 exit 1;; *) break;; esac shift done if test $# -ne 0 && test -z "$dir_arg$dst_arg"; then # When -d is used, all remaining arguments are directories to create. # When -t is used, the destination is already specified. # Otherwise, the last argument is the destination. Remove it from $@. for arg do if test -n "$dst_arg"; then # $@ is not empty: it contains at least $arg. set fnord "$@" "$dst_arg" shift # fnord fi shift # arg dst_arg=$arg done fi if test $# -eq 0; then if test -z "$dir_arg"; then echo "$0: no input file specified." >&2 exit 1 fi # It's OK to call `install-sh -d' without argument. # This can happen when creating conditional directories. exit 0 fi if test -z "$dir_arg"; then trap '(exit $?); exit' 1 2 13 15 # Set umask so as not to create temps with too-generous modes. # However, 'strip' requires both read and write access to temps. case $mode in # Optimize common cases. *644) cp_umask=133;; *755) cp_umask=22;; *[0-7]) if test -z "$stripcmd"; then u_plus_rw= else u_plus_rw='% 200' fi cp_umask=`expr '(' 777 - $mode % 1000 ')' $u_plus_rw`;; *) if test -z "$stripcmd"; then u_plus_rw= else u_plus_rw=,u+rw fi cp_umask=$mode$u_plus_rw;; esac fi for src do # Protect names starting with `-'. case $src in -*) src=./$src;; esac if test -n "$dir_arg"; then dst=$src dstdir=$dst test -d "$dstdir" dstdir_status=$? else # Waiting for this to be detected by the "$cpprog $src $dsttmp" command # might cause directories to be created, which would be especially bad # if $src (and thus $dsttmp) contains '*'. if test ! -f "$src" && test ! -d "$src"; then echo "$0: $src does not exist." >&2 exit 1 fi if test -z "$dst_arg"; then echo "$0: no destination specified." >&2 exit 1 fi dst=$dst_arg # Protect names starting with `-'. case $dst in -*) dst=./$dst;; esac # If destination is a directory, append the input filename; won't work # if double slashes aren't ignored. if test -d "$dst"; then if test -n "$no_target_directory"; then echo "$0: $dst_arg: Is a directory" >&2 exit 1 fi dstdir=$dst dst=$dstdir/`basename "$src"` dstdir_status=0 else # Prefer dirname, but fall back on a substitute if dirname fails. dstdir=` (dirname "$dst") 2>/dev/null || expr X"$dst" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$dst" : 'X\(//\)[^/]' \| \ X"$dst" : 'X\(//\)$' \| \ X"$dst" : 'X\(/\)' \| . 2>/dev/null || echo X"$dst" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q' ` test -d "$dstdir" dstdir_status=$? fi fi obsolete_mkdir_used=false if test $dstdir_status != 0; then case $posix_mkdir in '') # Create intermediate dirs using mode 755 as modified by the umask. # This is like FreeBSD 'install' as of 1997-10-28. umask=`umask` case $stripcmd.$umask in # Optimize common cases. *[2367][2367]) mkdir_umask=$umask;; .*0[02][02] | .[02][02] | .[02]) mkdir_umask=22;; *[0-7]) mkdir_umask=`expr $umask + 22 \ - $umask % 100 % 40 + $umask % 20 \ - $umask % 10 % 4 + $umask % 2 `;; *) mkdir_umask=$umask,go-w;; esac # With -d, create the new directory with the user-specified mode. # Otherwise, rely on $mkdir_umask. if test -n "$dir_arg"; then mkdir_mode=-m$mode else mkdir_mode= fi posix_mkdir=false case $umask in *[123567][0-7][0-7]) # POSIX mkdir -p sets u+wx bits regardless of umask, which # is incompatible with FreeBSD 'install' when (umask & 300) != 0. ;; *) tmpdir=${TMPDIR-/tmp}/ins$RANDOM-$$ trap 'ret=$?; rmdir "$tmpdir/d" "$tmpdir" 2>/dev/null; exit $ret' 0 if (umask $mkdir_umask && exec $mkdirprog $mkdir_mode -p -- "$tmpdir/d") >/dev/null 2>&1 then if test -z "$dir_arg" || { # Check for POSIX incompatibilities with -m. # HP-UX 11.23 and IRIX 6.5 mkdir -m -p sets group- or # other-writeable bit of parent directory when it shouldn't. # FreeBSD 6.1 mkdir -m -p sets mode of existing directory. ls_ld_tmpdir=`ls -ld "$tmpdir"` case $ls_ld_tmpdir in d????-?r-*) different_mode=700;; d????-?--*) different_mode=755;; *) false;; esac && $mkdirprog -m$different_mode -p -- "$tmpdir" && { ls_ld_tmpdir_1=`ls -ld "$tmpdir"` test "$ls_ld_tmpdir" = "$ls_ld_tmpdir_1" } } then posix_mkdir=: fi rmdir "$tmpdir/d" "$tmpdir" else # Remove any dirs left behind by ancient mkdir implementations. rmdir ./$mkdir_mode ./-p ./-- 2>/dev/null fi trap '' 0;; esac;; esac if $posix_mkdir && ( umask $mkdir_umask && $doit_exec $mkdirprog $mkdir_mode -p -- "$dstdir" ) then : else # The umask is ridiculous, or mkdir does not conform to POSIX, # or it failed possibly due to a race condition. Create the # directory the slow way, step by step, checking for races as we go. case $dstdir in /*) prefix='/';; -*) prefix='./';; *) prefix='';; esac eval "$initialize_posix_glob" oIFS=$IFS IFS=/ $posix_glob set -f set fnord $dstdir shift $posix_glob set +f IFS=$oIFS prefixes= for d do test -z "$d" && continue prefix=$prefix$d if test -d "$prefix"; then prefixes= else if $posix_mkdir; then (umask=$mkdir_umask && $doit_exec $mkdirprog $mkdir_mode -p -- "$dstdir") && break # Don't fail if two instances are running concurrently. test -d "$prefix" || exit 1 else case $prefix in *\'*) qprefix=`echo "$prefix" | sed "s/'/'\\\\\\\\''/g"`;; *) qprefix=$prefix;; esac prefixes="$prefixes '$qprefix'" fi fi prefix=$prefix/ done if test -n "$prefixes"; then # Don't fail if two instances are running concurrently. (umask $mkdir_umask && eval "\$doit_exec \$mkdirprog $prefixes") || test -d "$dstdir" || exit 1 obsolete_mkdir_used=true fi fi fi if test -n "$dir_arg"; then { test -z "$chowncmd" || $doit $chowncmd "$dst"; } && { test -z "$chgrpcmd" || $doit $chgrpcmd "$dst"; } && { test "$obsolete_mkdir_used$chowncmd$chgrpcmd" = false || test -z "$chmodcmd" || $doit $chmodcmd $mode "$dst"; } || exit 1 else # Make a couple of temp file names in the proper directory. dsttmp=$dstdir/_inst.$$_ rmtmp=$dstdir/_rm.$$_ # Trap to clean up those temp files at exit. trap 'ret=$?; rm -f "$dsttmp" "$rmtmp" && exit $ret' 0 # Copy the file name to the temp name. (umask $cp_umask && $doit_exec $cpprog "$src" "$dsttmp") && # and set any options; do chmod last to preserve setuid bits. # # If any of these fail, we abort the whole thing. If we want to # ignore errors from any of these, just make sure not to ignore # errors from the above "$doit $cpprog $src $dsttmp" command. # { test -z "$chowncmd" || $doit $chowncmd "$dsttmp"; } && { test -z "$chgrpcmd" || $doit $chgrpcmd "$dsttmp"; } && { test -z "$stripcmd" || $doit $stripcmd "$dsttmp"; } && { test -z "$chmodcmd" || $doit $chmodcmd $mode "$dsttmp"; } && # If -C, don't bother to copy if it wouldn't change the file. if $copy_on_change && old=`LC_ALL=C ls -dlL "$dst" 2>/dev/null` && new=`LC_ALL=C ls -dlL "$dsttmp" 2>/dev/null` && eval "$initialize_posix_glob" && $posix_glob set -f && set X $old && old=:$2:$4:$5:$6 && set X $new && new=:$2:$4:$5:$6 && $posix_glob set +f && test "$old" = "$new" && $cmpprog "$dst" "$dsttmp" >/dev/null 2>&1 then rm -f "$dsttmp" else # Rename the file to the real destination. $doit $mvcmd -f "$dsttmp" "$dst" 2>/dev/null || # The rename failed, perhaps because mv can't rename something else # to itself, or perhaps because mv is so ancient that it does not # support -f. { # Now remove or move aside any old file at destination location. # We try this two ways since rm can't unlink itself on some # systems and the destination file might be busy for other # reasons. In this case, the final cleanup might fail but the new # file should still install successfully. { test ! -f "$dst" || $doit $rmcmd -f "$dst" 2>/dev/null || { $doit $mvcmd -f "$dst" "$rmtmp" 2>/dev/null && { $doit $rmcmd -f "$rmtmp" 2>/dev/null; :; } } || { echo "$0: cannot unlink or rename $dst" >&2 (exit 1); exit 1 } } && # Now rename the file to the real destination. $doit $mvcmd "$dsttmp" "$dst" } fi || exit 1 trap '' 0 fi done # Local variables: # eval: (add-hook 'write-file-hooks 'time-stamp) # time-stamp-start: "scriptversion=" # time-stamp-format: "%:y-%02m-%02d.%02H" # time-stamp-time-zone: "UTC" # time-stamp-end: "; # UTC" # End: asymptote-2.62/doc/asy.1.end0000644000000000000000000000051513607467113014367 0ustar rootroot .SH SEE ALSO Asymptote is documented fully in the asymptote Info page. The manual can also be accessed in interactive mode with the "help" command. .SH AUTHOR Asymptote was written by Andy Hammerlindl, John Bowman, and Tom Prince. .PP This manual page was written by Hubert Chan for the Debian project (but may be used by others). asymptote-2.62/doc/join3.asy0000644000000000000000000000067213607467113014510 0ustar rootrootimport graph3; size(200); currentprojection=orthographic(500,-500,500); triple[] z=new triple[10]; z[0]=(0,100,0); z[1]=(50,0,0); z[2]=(180,0,0); for(int n=3; n <= 9; ++n) z[n]=z[n-3]+(200,0,0); path3 p=z[0]..z[1]---z[2]::{Y}z[3] &z[3]..z[4]--z[5]::{Y}z[6] &z[6]::z[7]---z[8]..{Y}z[9]; draw(p,grey+linewidth(4mm),currentlight); xaxis3(Label(XY()*"$x$",align=-3Y),red,above=true); yaxis3(Label(XY()*"$y$",align=-3X),red,above=true); asymptote-2.62/doc/mexicanhat.asy0000644000000000000000000000044013607467113015600 0ustar rootrootsize(200); real mexican(real x) {return (1-8x^2)*exp(-(4x^2));} int n=30; real a=1.5; real width=2a/n; guide hat; path solved; for(int i=0; i < n; ++i) { real t=-a+i*width; pair z=(t,mexican(t)); hat=hat..z; solved=solved..z; } draw(hat); dot(hat,red); draw(solved,dashed); asymptote-2.62/doc/HermiteSpline.asy0000644000000000000000000000051213607467113016227 0ustar rootrootimport graph; size(140mm,70mm,IgnoreAspect); scale(false); real[] x={1,3,4,5,6}; real[] y={1,5,2,0,4}; marker mark=marker(scale(1mm)*cross(6,false,r=0.35),red,Fill); draw(graph(x,y,Hermite),"Hermite Spline",mark); xaxis("$x$",Bottom,LeftTicks(x)); yaxis("$y$",Left,LeftTicks); attach(legend(),point(NW),40S+30E,UnFill); asymptote-2.62/doc/monthaxis.asy0000644000000000000000000000056613607467113015502 0ustar rootrootimport graph; size(400,150,IgnoreAspect); real[] x=sequence(12); real[] y=sin(2pi*x/12); scale(false); string[] month={"Jan","Feb","Mar","Apr","May","Jun", "Jul","Aug","Sep","Oct","Nov","Dec"}; draw(graph(x,y),red,MarkFill[0]); xaxis(BottomTop,LeftTicks(new string(real x) { return month[round(x % 12)];})); yaxis("$y$",LeftRight,RightTicks(4)); asymptote-2.62/doc/grid3xyz.asy0000644000000000000000000000065213607467113015247 0ustar rootrootimport grid3; size(8cm,0,IgnoreAspect); currentprojection=orthographic(0.5,1,0.5); scale(Linear, Linear, Log); limits((-2,-2,1),(0,2,100)); grid3(XYZgrid); xaxis3(Label("$x$",position=EndPoint,align=S),Bounds(Min,Min), OutTicks()); yaxis3(Label("$y$",position=EndPoint,align=S),Bounds(Min,Min),OutTicks()); zaxis3(Label("$z$",position=EndPoint,align=(-1,0.5)),Bounds(Min,Min), OutTicks(beginlabel=false)); asymptote-2.62/doc/imagecontour.asy0000644000000000000000000000155013607467113016156 0ustar rootrootimport graph; import palette; import contour; size(10cm,10cm,IgnoreAspect); pair a=(0,0); pair b=(2pi,2pi); real f(real x, real y) {return cos(x)*sin(y);} int N=200; int Divs=10; int divs=2; defaultpen(1bp); pen Tickpen=black; pen tickpen=gray+0.5*linewidth(currentpen); pen[] Palette=BWRainbow(); bounds range=image(f,Automatic,a,b,N,Palette); // Major contours real[] Cvals=uniform(range.min,range.max,Divs); draw(contour(f,a,b,Cvals,N,operator --),Tickpen); // Minor contours real[] cvals; for(int i=0; i < Cvals.length-1; ++i) cvals.append(uniform(Cvals[i],Cvals[i+1],divs)[1:divs]); draw(contour(f,a,b,cvals,N,operator --),tickpen); xaxis("$x$",BottomTop,LeftTicks,above=true); yaxis("$y$",LeftRight,RightTicks,above=true); palette("$f(x,y)$",range,point(NW)+(0,0.5),point(NE)+(0,1),Top,Palette, PaletteTicks(N=Divs,n=divs,Tickpen,tickpen)); asymptote-2.62/doc/unitcircle3.asy0000644000000000000000000000027213607467113015706 0ustar rootrootimport three; size(100); path3 g=(1,0,0)..(0,1,0)..(-1,0,0)..(0,-1,0)..cycle; draw(g); draw(O--Z,red+dashed,Arrow3); draw(((-1,-1,0)--(1,-1,0)--(1,1,0)--(-1,1,0)--cycle)); dot(g,red); asymptote-2.62/doc/histogram.asy0000644000000000000000000000067113607467113015462 0ustar rootrootimport graph; import stats; size(400,200,IgnoreAspect); int n=10000; real[] a=new real[n]; for(int i=0; i < n; ++i) a[i]=Gaussrand(); draw(graph(Gaussian,min(a),max(a)),blue); // Optionally calculate "optimal" number of bins a la Shimazaki and Shinomoto. int N=bins(a); histogram(a,min(a),max(a),N,normalize=true,low=0,lightred,black,bars=false); xaxis("$x$",BottomTop,LeftTicks); yaxis("$dP/dx$",LeftRight,RightTicks(trailingzero)); asymptote-2.62/doc/quartercircle.asy0000644000000000000000000000006113607467113016323 0ustar rootrootsize(100,0); draw((1,0){up}..{left}(0,1),Arrow); asymptote-2.62/doc/leastsquares.asy0000644000000000000000000000200113607467113016166 0ustar rootrootsize(400,200,IgnoreAspect); import graph; import stats; file fin=input("leastsquares.dat").line(); real[][] a=fin; a=transpose(a); real[] t=a[0], rho=a[1]; // Read in parameters from the keyboard: //real first=getreal("first"); //real step=getreal("step"); //real last=getreal("last"); real first=100; real step=50; real last=700; // Remove negative or zero values of rho: t=rho > 0 ? t : null; rho=rho > 0 ? rho : null; scale(Log(true),Linear(true)); int n=step > 0 ? ceil((last-first)/step) : 0; real[] T,xi,dxi; for(int i=0; i <= n; ++i) { real first=first+i*step; real[] logrho=(t >= first & t <= last) ? log(rho) : null; real[] logt=(t >= first & t <= last) ? -log(t) : null; if(logt.length < 2) break; // Fit to the line logt=L.m*logrho+L.b: linefit L=leastsquares(logt,logrho); T.push(first); xi.push(L.m); dxi.push(L.dm); } draw(graph(T,xi),blue); errorbars(T,xi,dxi,red); crop(); ylimits(0); xaxis("$T$",BottomTop,LeftTicks); yaxis("$\xi$",LeftRight,RightTicks); asymptote-2.62/doc/westnile.csv0000644000000000000000000001116713607467113015320 0ustar rootrootsm0,0.001(T14) 0.0,0.9973 0.1,0.9973 0.2,0.9972 0.3,0.9972 0.4,0.9971 0.5,0.9971 0.6,0.9970 0.7,0.9970 0.8,0.9969 0.9,0.9968 1.0,0.9968 1.1,0.9967 1.2,0.9966 1.3,0.9966 1.4,0.9965 1.5,0.9964 1.6,0.9963 1.7,0.9963 1.8,0.9962 1.9,0.9961 2.0,0.9960 2.1,0.9959 2.2,0.9958 2.3,0.9957 2.4,0.9957 2.5,0.9956 2.6,0.9955 2.7,0.9954 2.8,0.9952 2.9,0.9951 3.0,0.9950 3.1,0.9949 3.2,0.9948 3.3,0.9947 3.4,0.9945 3.5,0.9944 3.6,0.9943 3.7,0.9941 3.8,0.9940 3.9,0.9939 4.0,0.9937 4.1,0.9936 4.2,0.9934 4.3,0.9932 4.4,0.9931 4.5,0.9929 4.6,0.9927 4.7,0.9926 4.8,0.9924 4.9,0.9922 5.0,0.9920 5.1,0.9918 5.2,0.9916 5.3,0.9914 5.4,0.9912 5.5,0.9909 5.6,0.9907 5.7,0.9905 5.8,0.9902 5.9,0.9900 6.0,0.9897 6.1,0.9895 6.2,0.9892 6.3,0.9889 6.4,0.9887 6.5,0.9884 6.6,0.9881 6.7,0.9878 6.8,0.9875 6.9,0.9872 7.0,0.9868 7.1,0.9865 7.2,0.9861 7.3,0.9858 7.4,0.9854 7.5,0.9851 7.6,0.9847 7.7,0.9843 7.8,0.9839 7.9,0.9835 8.0,0.9831 8.1,0.9826 8.2,0.9822 8.3,0.9818 8.4,0.9813 8.5,0.9808 8.6,0.9803 8.7,0.9798 8.8,0.9793 8.9,0.9788 9.0,0.9783 9.1,0.9777 9.2,0.9772 9.3,0.9766 9.4,0.9760 9.5,0.9754 9.6,0.9748 9.7,0.9742 9.8,0.9735 9.9,0.9729 10.0,0.9722 10.1,0.9715 10.2,0.9708 10.3,0.9701 10.4,0.9694 10.5,0.9686 10.6,0.9679 10.7,0.9671 10.8,0.9663 10.9,0.9654 11.0,0.9646 11.1,0.9637 11.2,0.9629 11.3,0.9620 11.4,0.9611 11.5,0.9601 11.6,0.9592 11.7,0.9582 11.8,0.9572 11.9,0.9562 12.0,0.9551 12.1,0.9541 12.2,0.9530 12.3,0.9519 12.4,0.9507 12.5,0.9496 12.6,0.9484 12.7,0.9472 12.8,0.9460 12.9,0.9447 13.0,0.9434 13.1,0.9421 13.2,0.9408 13.3,0.9394 13.4,0.9380 13.5,0.9366 13.6,0.9352 13.7,0.9337 13.8,0.9322 13.9,0.9307 14.0,0.9291 14.1,0.9275 14.2,0.9259 14.3,0.9243 14.4,0.9226 14.5,0.9209 14.6,0.9191 14.7,0.9174 14.8,0.9156 14.9,0.9137 15.0,0.9118 15.1,0.9099 15.2,0.9080 15.3,0.9060 15.4,0.9041 15.5,0.9020 15.6,0.8999 15.7,0.8978 15.8,0.8956 15.9,0.8934 16.0,0.8912 16.1,0.8889 16.2,0.8866 16.3,0.8843 16.4,0.8819 16.5,0.8795 16.6,0.8770 16.7,0.8745 16.8,0.8720 16.9,0.8694 17.0,0.8668 17.1,0.8641 17.2,0.8614 17.3,0.8587 17.4,0.8559 17.5,0.8531 17.6,0.8502 17.7,0.8473 17.8,0.8444 17.9,0.8414 18.0,0.8383 18.1,0.8353 18.2,0.8323 18.3,0.8291 18.4,0.8259 18.5,0.8227 18.6,0.8194 18.7,0.8160 18.8,0.8127 18.9,0.8092 19.0,0.8058 19.1,0.8022 19.2,0.7987 19.3,0.7951 19.4,0.7914 19.5,0.7878 19.6,0.7840 19.7,0.7803 19.8,0.7764 19.9,0.7726 20.0,0.7687 20.1,0.7647 20.2,0.7607 20.3,0.7567 20.4,0.7526 20.5,0.7485 20.6,0.7443 20.7,0.7401 20.8,0.7359 20.9,0.7316 21.0,0.7272 21.1,0.7229 21.2,0.7185 21.3,0.7140 21.4,0.7096 21.5,0.7050 21.6,0.7005 21.7,0.6959 21.8,0.6912 21.9,0.6866 22.0,0.6819 22.1,0.6771 22.2,0.6723 22.3,0.6675 22.4,0.6627 22.5,0.6578 22.6,0.6530 22.7,0.6480 22.8,0.6430 22.9,0.6380 23.0,0.6330 23.1,0.6280 23.2,0.6229 23.3,0.6178 23.4,0.6126 23.5,0.6075 23.6,0.6023 23.7,0.5971 23.8,0.5918 23.9,0.5866 24.0,0.5813 24.1,0.5760 24.2,0.5706 24.3,0.5653 24.4,0.5600 24.5,0.5547 24.6,0.5493 24.7,0.5440 24.8,0.5385 24.9,0.5332 25.0,0.5278 25.1,0.5224 25.2,0.5170 25.3,0.5115 25.4,0.5061 25.5,0.5007 25.6,0.4952 25.7,0.4898 25.8,0.4844 25.9,0.4789 26.0,0.4735 26.1,0.4681 26.2,0.4627 26.3,0.4572 26.4,0.4518 26.5,0.4464 26.6,0.4410 26.7,0.4356 26.8,0.4303 26.9,0.4249 27.0,0.4194 27.1,0.4143 27.2,0.4089 27.3,0.4036 27.4,0.3983 27.5,0.3931 27.6,0.3878 27.7,0.3826 27.8,0.3774 27.9,0.3724 28.0,0.3672 28.1,0.3621 28.2,0.3571 28.3,0.3520 28.4,0.3470 28.5,0.3420 28.6,0.3370 28.7,0.3320 28.8,0.3271 28.9,0.3223 29.0,0.3174 29.1,0.3126 29.2,0.3078 29.3,0.3031 29.4,0.2983 29.5,0.2936 29.6,0.2890 29.7,0.2845 29.8,0.2801 29.9,0.2756 30.0,0.2711 30.1,0.2667 30.2,0.2623 30.3,0.2580 30.4,0.2537 30.5,0.2495 30.6,0.2453 30.7,0.2411 30.8,0.2370 30.9,0.2329 31.0,0.2289 31.1,0.2250 31.2,0.2210 31.3,0.2171 31.4,0.2133 31.5,0.2095 31.6,0.2057 31.7,0.2019 31.8,0.1983 31.9,0.1947 32.0,0.1912 32.1,0.1876 32.2,0.1842 32.3,0.1807 32.4,0.1773 32.5,0.1740 32.6,0.1707 32.7,0.1674 32.8,0.1642 32.9,0.1611 33.0,0.1580 33.1,0.1549 33.2,0.1520 33.3,0.1490 33.4,0.1461 33.5,0.1432 33.6,0.1404 33.7,0.1376 33.8,0.1348 33.9,0.1321 34.0,0.1294 34.1,0.1268 34.2,0.1242 34.3,0.1217 34.4,0.1193 34.5,0.1168 34.6,0.1144 34.7,0.1120 34.8,0.1097 34.9,0.1074 35.0,0.1052 35.1,0.1029 35.2,0.1008 35.3,0.0987 35.4,0.0966 35.5,0.0946 35.6,0.0925 35.7,0.0905 35.8,0.0886 35.9,0.0867 36.0,0.0848 36.1,0.0830 36.2,0.0812 36.3,0.0794 36.4,0.0777 36.5,0.0760 36.6,0.0743 36.7,0.0727 36.8,0.0711 36.9,0.0696 37.0,0.0680 37.1,0.0665 37.2,0.0651 37.3,0.0636 37.4,0.0622 37.5,0.0608 37.6,0.0595 37.7,0.0581 37.8,0.0568 37.9,0.0555 38.0,0.0543 38.1,0.0531 38.2,0.0519 38.3,0.0507 38.4,0.0495 38.5,0.0484 38.6,0.0473 38.7,0.0462 38.8,0.0452 38.9,0.0441 39.0,0.0431 39.1,0.0421 39.2,0.0412 39.3,0.0402 39.4,0.0393 39.5,0.0384 39.6,0.0375 39.7,0.0366 39.8,0.0358 39.9,0.0350 40.0,0.0342 asymptote-2.62/doc/bigdiagonal.asy0000644000000000000000000000005113607467113015715 0ustar rootrootsize(0,100.5); draw((0,0)--(2,1),Arrow); asymptote-2.62/doc/diatom.asy0000644000000000000000000000550213607467113014740 0ustar rootrootimport graph; size(15cm,12cm,IgnoreAspect); real minpercent=20; real ignorebelow=0; string data="diatom.csv"; string[] group; int[] begin,end; defaultpen(fontsize(8pt)+overwrite(MoveQuiet)); file in=input(data).line().csv(); string depthlabel=in; string yearlabel=in; string[] taxa=in; group=in; begin=in; real[] depth; int[] year; real[][] percentage; while(true) { real d=in; if(eof(in)) break; depth.push(d); year.push(in); percentage.push(in); } percentage=transpose(percentage); real depthmin=-min(depth); real depthmax=-max(depth); int n=percentage.length; int final; for(int taxon=0; taxon < n; ++taxon) { real[] P=percentage[taxon]; if(max(P) < ignorebelow) continue; final=taxon; } real angle=45; real L=3cm; pair Ldir=L*dir(angle); real ymax=-infinity; real margin=labelmargin(); real location=0; for(int i=0; i < begin.length-1; ++i) end[i]=begin[i+1]-1; end[begin.length-1]=n-1; typedef void drawfcn(frame f); drawfcn[] draw=new drawfcn[begin.length]; pair z0; for(int taxon=0; taxon < n; ++taxon) { real[] P=percentage[taxon]; real maxP=max(P); if(maxP < ignorebelow) continue; picture pic; real x=1; if(maxP < minpercent) x=minpercent/maxP; if(maxP > 100) x=50/maxP; scale(pic,Linear(true,x),Linear(-1)); filldraw(pic,(0,depthmin)--graph(pic,P,depth)--(0,depthmax)--cycle, gray(0.9)); xaxis(pic,Bottom,LeftTicks("$%.3g$",beginlabel=false,0,2),above=true); xaxis(pic,Top,above=true); frame label; label(label,rotate(angle)*TeXify(taxa[taxon]),(0,0),N); pair z=point(pic,N); pair v=max(label); int taxon=taxon; pic.add(new void(frame f, transform t) { pair z1=t*z+v; ymax=max(ymax,z1.y+margin); }); for(int i=0; i < begin.length; ++i) { pair z=point(pic,N); pair v=max(label); if(taxon == begin[i]) { pic.add(new void(frame f, transform t) { pair Z=t*z+v; z0=Z; pair w0=Z+Ldir; }); } else if(taxon == end[i]) { int i=i; pair align=2N; pic.add(new void(frame, transform t) { pair z0=z0; pair z1=t*z+v; pair w1=z1+Ldir; draw[i]=new void(frame f) { path g=z0--(z0.x+(ymax-z0.y)/Tan(angle),ymax)-- (z1.x+(ymax-z1.y)/Tan(angle),ymax)--z1; draw(f,g); label(f,group[i],point(g,1.5),align); }; }); } } add(pic,label,point(pic,N)); if(taxon == 0) yaxis(pic,depthlabel,Left,RightTicks(0,10),above=true); if(taxon == final) yaxis(pic,Right,LeftTicks("%",0,10),above=true); add(shift(location,0)*pic); location += pic.userMax().x; } add(new void(frame f, transform) { for(int i=0; i < draw.length; ++i) draw[i](f); }); for(int i=0; i < year.length; ++i) if(year[i] != 0) label((string) year[i],(location,-depth[i]),E); label("\%",(0.5*location,point(S).y),5*S); asymptote-2.62/doc/icon.asy0000644000000000000000000000057413607467113014417 0ustar rootrootimport graph; size(30,30,IgnoreAspect); real f(real t) {return t < 0 ? -1/t : -0.5/t;} picture logo(pair s=0, pen q) { picture pic; pen p=linewidth(3)+q; real a=-0.5; real b=1; real eps=0.1; draw(pic,shift((eps,-f(a)))*graph(f,a,-eps),p); real c=0.5*a; pair z=(0,f(c)-f(a)); draw(pic,z+c+eps--z,p); yaxis(pic,p); return shift(s)*pic; } add(logo(red)); asymptote-2.62/doc/saddle.asy0000644000000000000000000000023513607467113014715 0ustar rootrootimport three; size(100,0); path3 g=(1,0,0)..(0,1,1)..(-1,0,0)..(0,-1,1)..cycle; draw(g); draw(((-1,-1,0)--(1,-1,0)--(1,1,0)--(-1,1,0)--cycle)); dot(g,red); asymptote-2.62/doc/triangulate.asy0000644000000000000000000000061413607467113016001 0ustar rootrootsize(200); int np=100; pair[] points; real r() {return 1.2*(rand()/randMax*2-1);} for(int i=0; i < np; ++i) points.push((r(),r())); int[][] trn=triangulate(points); for(int i=0; i < trn.length; ++i) { draw(points[trn[i][0]]--points[trn[i][1]]); draw(points[trn[i][1]]--points[trn[i][2]]); draw(points[trn[i][2]]--points[trn[i][0]]); } for(int i=0; i < np; ++i) dot(points[i],red); asymptote-2.62/doc/asycolors.sty0000644000000000000000000000536013607467113015526 0ustar rootroot\usepackage{color} \definecolor{cyan}{cmyk}{1,0,0,0} \definecolor{magenta}{cmyk}{0,1,0,0} \definecolor{yellow}{cmyk}{0,0,1,0} \definecolor{black}{cmyk}{0,0,0,1} \definecolor{white}{cmyk}{0,0,0,0} \definecolor{gray}{cmyk}{0,0,0,0.5} \definecolor{red}{cmyk}{0,1,1,0} \definecolor{green}{cmyk}{1,0,1,0} \definecolor{blue}{cmyk}{1,1,0,0} \definecolor{palered}{cmyk}{0,0.25,0.25,0} \definecolor{palegreen}{cmyk}{0.25,0,0.25,0} \definecolor{paleblue}{cmyk}{0.25,0.25,0,0} \definecolor{palecyan}{cmyk}{0.25,0,0,0} \definecolor{palemagenta}{cmyk}{0,0.25,0,0} \definecolor{paleyellow}{cmyk}{0,0,0.25,0} \definecolor{palegray}{cmyk}{0,0,0,0.05} \definecolor{lightred}{cmyk}{0,0.5,0.5,0} \definecolor{lightgreen}{cmyk}{0.5,0,0.5,0} \definecolor{lightblue}{cmyk}{0.5,0.5,0,0} \definecolor{lightcyan}{cmyk}{0.5,0,0,0} \definecolor{lightmagenta}{cmyk}{0,0.5,0,0} \definecolor{lightyellow}{cmyk}{0,0,0.5,0} \definecolor{lightgray}{cmyk}{0,0,0,0.1} \definecolor{mediumred}{cmyk}{0,0.75,0.75,0} \definecolor{mediumgreen}{cmyk}{0.75,0,0.75,0} \definecolor{mediumblue}{cmyk}{0.75,0.75,0,0} \definecolor{mediumcyan}{cmyk}{0.75,0,0,0} \definecolor{mediummagenta}{cmyk}{0,0.75,0,0} \definecolor{mediumyellow}{cmyk}{0,0,0.75,0} \definecolor{mediumgray}{cmyk}{0,0,0,0.25} \definecolor{heavyred}{cmyk}{0,1,1,0.25} \definecolor{heavygreen}{cmyk}{1,0,1,0.25} \definecolor{heavyblue}{cmyk}{1,1,0,0.25} \definecolor{heavycyan}{cmyk}{1,0,0,0.25} \definecolor{heavymagenta}{cmyk}{0,1,0,0.25} \definecolor{lightolive}{cmyk}{0,0,1,0.25} \definecolor{heavygray}{cmyk}{0,0,0,0.75} \definecolor{deepred}{cmyk}{0,1,1,0.5} \definecolor{deepgreen}{cmyk}{1,0,1,0.5} \definecolor{deepblue}{cmyk}{1,1,0,0.5} \definecolor{deepcyan}{cmyk}{1,0,0,0.5} \definecolor{deepmagenta}{cmyk}{0,1,0,0.5} \definecolor{olive}{cmyk}{0,0,1,0.5} \definecolor{deepgray}{cmyk}{0,0,0,0.9} \definecolor{darkred}{cmyk}{0,1,1,0.75} \definecolor{darkgreen}{cmyk}{1,0,1,0.75} \definecolor{darkblue}{cmyk}{1,1,0,0.75} \definecolor{darkcyan}{cmyk}{1,0,0,0.75} \definecolor{darkmagenta}{cmyk}{0,1,0,0.75} \definecolor{darkolive}{cmyk}{0,0,1,0.75} \definecolor{darkgray}{cmyk}{0,0,0,0.95} \definecolor{orange}{cmyk}{0,0.5,1,0} \definecolor{fuchsia}{cmyk}{0,1,0.5,0} \definecolor{chartreuse}{cmyk}{0.5,0,1,0} \definecolor{springgreen}{cmyk}{1,0,0.5,0} \definecolor{purple}{cmyk}{0.5,1,0,0} \definecolor{royalblue}{cmyk}{1,0.5,0,0} \definecolor{salmon}{cmyk}{0,0.5,0.5,0} \definecolor{brown}{cmyk}{0,1,1,0.5} \definecolor{darkbrown}{cmyk}{0,1,1,0.75} \definecolor{pink}{cmyk}{0,0.25,0,0} \definecolor{palegrey}{cmyk}{0,0,0,0.05} \definecolor{lightgrey}{cmyk}{0,0,0,0.1} \definecolor{mediumgrey}{cmyk}{0,0,0,0.25} \definecolor{grey}{cmyk}{0,0,0,0.5} \definecolor{heavygrey}{cmyk}{0,0,0,0.5} \definecolor{deepgrey}{cmyk}{0,0,0,0.9} \definecolor{darkgrey}{cmyk}{0,0,0,0.95} asymptote-2.62/doc/GaussianSurface.asy0000644000000000000000000000072013607467113016543 0ustar rootrootimport graph3; size(200,0); currentprojection=perspective(10,8,4); real f(pair z) {return 0.5+exp(-abs(z)^2);} draw((-1,-1,0)--(1,-1,0)--(1,1,0)--(-1,1,0)--cycle); draw(arc(0.12Z,0.2,90,60,90,25),ArcArrow3); surface s=surface(f,(-1,-1),(1,1),nx=5,Spline); xaxis3(Label("$x$"),red,Arrow3); yaxis3(Label("$y$"),red,Arrow3); zaxis3(XYZero(extend=true),red,Arrow3); draw(s,lightgray,meshpen=black+thick(),nolight,render(merge=true)); label("$O$",O,-Z+Y,red); asymptote-2.62/doc/Makefile.in0000644000000000000000000000571713607467113015022 0ustar rootrootMANFILES = asy.1 xasy.1x ASYFILES = $(filter-out $(wildcard latexusage-*.asy),$(wildcard *.asy)) SOURCE = asymptote.texi version.texi options ASY = ../asy -dir ../base -config "" -render=0 DOCFILES = asymptote.pdf asy-latex.pdf CAD.pdf TeXShopAndAsymptote.pdf \ asyRefCard.pdf docdir = $(DESTDIR)@docdir@ infodir = $(DESTDIR)@infodir@ datarootdir = @datarootdir@ INSTALL = @INSTALL@ TEXI2DVI = @TEXI2DVI@ PERL5LIB = ./ export docdir infodir INSTALL PERL5LIB all: doc asy-latex.pdf: pdflatex asy-latex.dtx asymptote.sty: pdflatex asy-latex.dtx dvi: doc asymptote.dvi doc: $(DOCFILES) asy.1 faq cd png && $(MAKE) all manpage: $(MANFILES) man: $(DOCFILES) manpage cd png && $(MAKE) asymptote.info faq: cd FAQ && $(MAKE) faq %.eps: %.asy $(ASY) -f eps $< %.pdf: %.asy $(ASY) -f pdf -noprc $< latexusage.pdf: latexusage.tex asymptote.sty rm -f latexusage-* rm -f latexusage.pre rm -f latexusage.aux pdflatex latexusage $(ASY) -noprc latexusage-*.asy pdflatex latexusage options: ../settings.cc $(ASY) -h 2>&1 | grep -iv Asymptote > options asy.1: options asy.1.begin asy.1.end cat options | grep \^- | \ sed -e "s/-\(.*\) \([a-zA-Z0-9].*\)/.TP\n.B -\1\n\2\./" | \ sed -e "/^.B/ s/-/\\\\-/g" | cat asy.1.begin - asy.1.end > asy.1 asymptote.dvi: $(SOURCE) $(ASYFILES:.asy=.eps) latexusage.pdf ln -sf asymptote.texi asymptote_.texi -$(TEXI2DVI) asymptote_.texi mv asymptote_.dvi asymptote.dvi asymptote.pdf: $(SOURCE) $(ASYFILES:.asy=.pdf) latexusage.pdf -$(TEXI2DVI) --pdf asymptote.texi CAD.pdf: CAD.tex CAD1.eps pdflatex CAD pdflatex CAD pdflatex CAD TeXShopAndAsymptote.pdf: TeXShopAndAsymptote.tex pdflatex TeXShopAndAsymptote pdflatex TeXShopAndAsymptote asyRefCard.pdf: asyRefCard.tex pdftex asyRefCard clean: FORCE -rm -f asy-latex.{aux,idx,ins,log,toc} -rm -f $(ASYFILES:.asy=.pdf) -rm -f *.eps latexusage.{dvi,eps,pdf,log,aux,*.eps} latexusage-* \ latexusage.pre -rm -f \ {asymptote,asymptote_}.{aux,cp,cps,dvi,fn,info,ky,log,pg,toc,tp,vr} -rm -f asymptote_.texi -rm -f {CAD,TeXShopAndAsymptote,asyRefCard}.{aux,dvi,log,toc} -rm -f options asy.1 cd png && $(MAKE) clean install-man: ${INSTALL} -d -m 755 $(docdir) $(mandir)/man1 ${INSTALL} -p -m 644 $(DOCFILES) $(docdir) ${INSTALL} -p -m 644 $(MANFILES) $(mandir)/man1 install: man faq install-man cd png && $(MAKE) install cd FAQ && $(MAKE) install install-prebuilt: install-man options touch png/asymptote.info cd png && $(MAKE) install cd FAQ && $(MAKE) install-prebuilt install-all: $(DOCFILES) $(MANFILES) faq install-man cd png && $(MAKE) install-all cd FAQ && $(MAKE) install-info uninstall: uninstall-all uninstall-all: cd png && $(MAKE) uninstall cd FAQ && $(MAKE) uninstall -cd $(mandir)/man1 && rm -f $(MANFILES) -rm -f $(addprefix $(docdir)/,$(DOCFILES)) distclean: FORCE clean -rm -f version.texi Makefile -rm -f $(DOCFILES) cd png && $(MAKE) distclean cd FAQ && $(MAKE) distclean FORCE: Makefile: Makefile.in cd ..; config.status asymptote-2.62/doc/vectorfield.asy0000644000000000000000000000022313607467113015764 0ustar rootrootimport graph; size(100); pair a=(0,0); pair b=(2pi,2pi); path vector(pair z) {return (0,0)--(sin(z.x),cos(z.y));} add(vectorfield(vector,a,b)); asymptote-2.62/doc/secondaryaxis.csv0000644000000000000000000013731713607467113016350 0ustar rootroot,"Proportion of crows",,,"Mosquitoes per crow",,, Time,Susceptible,Infectious,Dead,Larvae,Susceptible,Exposed,Infectious 0,1,0,0,,30,0.000,0.001 0.1,1.000,0.000,0.000,12.794,30.000,0.000,0.001 0.2,1.000,0.000,0.000,12.794,30.000,0.000,0.001 0.3,1.000,0.000,0.000,12.795,30.000,0.000,0.001 0.4,1.000,0.000,0.000,12.795,30.000,0.000,0.001 0.5,1.000,0.000,0.000,12.795,30.000,0.000,0.001 0.6,1.000,0.000,0.000,12.795,30.000,0.000,0.001 0.7,1.000,0.000,0.000,12.795,30.000,0.000,0.001 0.8,0.999,0.000,0.000,12.795,30.000,0.000,0.001 0.9,0.999,0.000,0.000,12.795,29.999,0.001,0.001 1,0.999,0.000,0.000,12.795,29.999,0.001,0.001 1.1,0.999,0.000,0.000,12.795,29.999,0.001,0.001 1.2,0.999,0.000,0.000,12.795,29.999,0.001,0.001 1.3,0.999,0.000,0.000,12.795,29.999,0.001,0.001 1.4,0.999,0.000,0.001,12.795,29.999,0.001,0.001 1.5,0.999,0.001,0.001,12.795,29.999,0.001,0.001 1.6,0.999,0.001,0.001,12.795,29.999,0.001,0.001 1.7,0.999,0.001,0.001,12.795,29.998,0.001,0.001 1.8,0.999,0.001,0.001,12.795,29.998,0.001,0.001 1.9,0.998,0.001,0.001,12.795,29.998,0.001,0.002 2,0.998,0.001,0.001,12.795,29.998,0.001,0.002 2.1,0.998,0.001,0.001,12.795,29.998,0.002,0.002 2.2,0.998,0.001,0.001,12.795,29.998,0.002,0.002 2.3,0.998,0.001,0.001,12.795,29.997,0.002,0.002 2.4,0.998,0.001,0.001,12.795,29.997,0.002,0.002 2.5,0.998,0.001,0.002,12.795,29.997,0.002,0.002 2.6,0.997,0.001,0.002,12.795,29.997,0.002,0.002 2.7,0.997,0.001,0.002,12.795,29.996,0.002,0.003 2.8,0.997,0.001,0.002,12.795,29.996,0.002,0.003 2.9,0.997,0.001,0.002,12.795,29.996,0.002,0.003 3,0.997,0.001,0.002,12.795,29.995,0.003,0.003 3.1,0.996,0.001,0.002,12.795,29.995,0.003,0.003 3.2,0.996,0.001,0.003,12.795,29.995,0.003,0.003 3.3,0.996,0.001,0.003,12.795,29.994,0.003,0.004 3.4,0.996,0.001,0.003,12.795,29.994,0.003,0.004 3.5,0.995,0.002,0.003,12.795,29.994,0.003,0.004 3.6,0.995,0.002,0.003,12.795,29.993,0.004,0.004 3.7,0.995,0.002,0.004,12.795,29.993,0.004,0.004 3.8,0.994,0.002,0.004,12.795,29.992,0.004,0.005 3.9,0.994,0.002,0.004,12.795,29.992,0.004,0.005 4,0.994,0.002,0.004,12.795,29.991,0.005,0.005 4.1,0.993,0.002,0.005,12.795,29.991,0.005,0.006 4.2,0.993,0.002,0.005,12.795,29.990,0.005,0.006 4.3,0.992,0.002,0.005,12.795,29.989,0.005,0.006 4.4,0.992,0.003,0.006,12.795,29.989,0.006,0.007 4.5,0.991,0.003,0.006,12.795,29.988,0.006,0.007 4.6,0.991,0.003,0.006,12.795,29.987,0.006,0.008 4.7,0.990,0.003,0.007,12.795,29.986,0.007,0.008 4.8,0.990,0.003,0.007,12.795,29.985,0.007,0.008 4.9,0.989,0.003,0.008,12.795,29.984,0.008,0.009 5,0.988,0.004,0.008,12.795,29.984,0.008,0.009 5.1,0.988,0.004,0.009,12.795,29.982,0.008,0.010 5.2,0.987,0.004,0.009,12.795,29.981,0.009,0.011 5.3,0.986,0.004,0.010,12.795,29.980,0.010,0.011 5.4,0.985,0.005,0.010,12.795,29.979,0.010,0.012 5.5,0.984,0.005,0.011,12.795,29.978,0.011,0.013 5.6,0.983,0.005,0.012,12.795,29.976,0.011,0.013 5.7,0.982,0.005,0.012,12.795,29.975,0.012,0.014 5.8,0.981,0.006,0.013,12.795,29.973,0.013,0.015 5.9,0.980,0.006,0.014,12.795,29.972,0.013,0.016 6,0.979,0.006,0.015,12.795,29.970,0.014,0.017 6.1,0.978,0.007,0.016,12.795,29.968,0.015,0.018 6.2,0.976,0.007,0.016,12.795,29.966,0.016,0.019 6.3,0.975,0.008,0.017,12.795,29.964,0.017,0.020 6.4,0.973,0.008,0.019,12.795,29.962,0.018,0.021 6.5,0.972,0.008,0.020,12.795,29.960,0.019,0.022 6.6,0.970,0.009,0.021,12.795,29.957,0.020,0.024 6.7,0.968,0.009,0.022,12.795,29.955,0.021,0.025 6.8,0.967,0.010,0.023,12.795,29.952,0.022,0.026 6.9,0.965,0.011,0.025,12.795,29.949,0.024,0.028 7,0.963,0.011,0.026,12.795,29.946,0.025,0.030 7.1,0.960,0.012,0.028,12.795,29.943,0.026,0.031 7.2,0.958,0.013,0.029,12.795,29.940,0.028,0.033 7.3,0.956,0.013,0.031,12.795,29.936,0.029,0.035 7.4,0.953,0.014,0.033,12.795,29.933,0.031,0.037 7.5,0.950,0.015,0.035,12.795,29.929,0.033,0.039 7.6,0.947,0.016,0.037,12.795,29.925,0.035,0.042 7.7,0.944,0.016,0.039,12.795,29.920,0.037,0.044 7.8,0.941,0.017,0.041,12.795,29.916,0.039,0.046 7.9,0.938,0.018,0.044,12.795,29.911,0.041,0.049 8,0.934,0.019,0.046,12.795,29.906,0.043,0.052 8.1,0.931,0.020,0.049,12.795,29.900,0.046,0.055 8.2,0.927,0.021,0.052,12.795,29.895,0.048,0.058 8.3,0.923,0.023,0.055,12.795,29.889,0.051,0.061 8.4,0.918,0.024,0.058,12.795,29.883,0.054,0.065 8.5,0.914,0.025,0.061,12.795,29.876,0.056,0.069 8.6,0.909,0.026,0.065,12.795,29.869,0.059,0.072 8.7,0.904,0.028,0.068,12.795,29.862,0.063,0.076 8.8,0.899,0.029,0.072,12.795,29.854,0.066,0.081 8.9,0.893,0.031,0.076,12.795,29.846,0.070,0.085 9,0.887,0.032,0.080,12.795,29.838,0.073,0.090 9.1,0.881,0.034,0.085,12.795,29.829,0.077,0.095 9.2,0.875,0.036,0.090,12.795,29.820,0.081,0.100 9.3,0.868,0.037,0.095,12.795,29.810,0.085,0.106 9.4,0.861,0.039,0.100,12.795,29.800,0.090,0.112 9.5,0.854,0.041,0.105,12.795,29.789,0.094,0.118 9.6,0.846,0.043,0.111,12.795,29.778,0.099,0.124 9.7,0.838,0.045,0.117,12.795,29.766,0.104,0.131 9.8,0.830,0.047,0.123,12.795,29.754,0.109,0.138 9.9,0.821,0.049,0.130,12.795,29.742,0.114,0.145 10,0.812,0.052,0.136,12.795,29.729,0.120,0.153 10.1,0.802,0.054,0.144,12.795,29.715,0.126,0.161 10.2,0.793,0.056,0.151,12.795,29.701,0.132,0.169 10.3,0.782,0.059,0.159,12.795,29.686,0.138,0.178 10.4,0.772,0.061,0.167,12.795,29.670,0.144,0.187 10.5,0.761,0.064,0.175,12.795,29.654,0.150,0.196 10.6,0.750,0.066,0.184,12.795,29.638,0.157,0.206 10.7,0.738,0.069,0.193,12.795,29.621,0.164,0.216 10.8,0.726,0.072,0.203,12.795,29.603,0.171,0.227 10.9,0.713,0.074,0.212,12.795,29.585,0.178,0.238 11,0.700,0.077,0.223,12.795,29.566,0.185,0.250 11.1,0.687,0.080,0.233,12.795,29.547,0.193,0.261 11.2,0.674,0.082,0.244,12.795,29.527,0.200,0.274 11.3,0.660,0.085,0.255,12.795,29.507,0.208,0.286 11.4,0.645,0.088,0.267,12.795,29.486,0.215,0.300 11.5,0.631,0.090,0.279,12.795,29.465,0.223,0.313 11.6,0.616,0.093,0.291,12.795,29.443,0.231,0.327 11.7,0.601,0.095,0.304,12.795,29.421,0.238,0.341 11.8,0.585,0.098,0.317,12.795,29.399,0.246,0.356 11.9,0.570,0.100,0.330,12.795,29.376,0.254,0.371 12,0.554,0.102,0.344,12.795,29.353,0.261,0.386 12.1,0.538,0.104,0.358,12.795,29.330,0.269,0.402 12.2,0.521,0.106,0.372,12.795,29.307,0.276,0.418 12.3,0.505,0.108,0.387,12.795,29.283,0.283,0.434 12.4,0.489,0.110,0.401,12.795,29.260,0.290,0.451 12.5,0.472,0.112,0.416,12.795,29.236,0.297,0.468 12.6,0.456,0.113,0.432,12.795,29.213,0.303,0.485 12.7,0.439,0.114,0.447,12.795,29.190,0.309,0.502 12.8,0.423,0.115,0.462,12.795,29.167,0.315,0.519 12.9,0.406,0.116,0.478,12.795,29.144,0.320,0.536 13,0.390,0.116,0.494,12.795,29.122,0.325,0.554 13.1,0.374,0.117,0.509,12.795,29.100,0.329,0.571 13.2,0.358,0.117,0.525,12.795,29.079,0.333,0.588 13.3,0.343,0.117,0.541,12.795,29.059,0.337,0.606 13.4,0.327,0.116,0.557,12.795,29.039,0.340,0.623 13.5,0.312,0.116,0.572,12.795,29.020,0.342,0.639 13.6,0.297,0.115,0.588,12.795,29.001,0.344,0.656 13.7,0.283,0.114,0.603,12.795,28.984,0.345,0.672 13.8,0.269,0.113,0.618,12.795,28.967,0.346,0.688 13.9,0.255,0.111,0.634,12.795,28.952,0.346,0.704 14,0.242,0.109,0.648,12.795,28.937,0.345,0.719 14.1,0.229,0.108,0.663,12.795,28.924,0.344,0.733 14.2,0.217,0.106,0.677,12.795,28.912,0.342,0.747 14.3,0.205,0.103,0.692,12.795,28.900,0.340,0.761 14.4,0.194,0.101,0.705,12.795,28.891,0.337,0.774 14.5,0.183,0.099,0.719,12.795,28.882,0.333,0.786 14.6,0.172,0.096,0.732,12.795,28.874,0.329,0.797 14.7,0.162,0.093,0.745,12.795,28.868,0.325,0.808 14.8,0.153,0.090,0.757,12.795,28.863,0.320,0.818 14.9,0.143,0.087,0.769,12.795,28.860,0.314,0.827 15,0.135,0.084,0.781,12.795,28.857,0.308,0.836 15.1,0.127,0.081,0.792,12.795,28.856,0.302,0.843 15.2,0.119,0.078,0.803,12.795,28.856,0.295,0.850 15.3,0.112,0.075,0.813,12.795,28.857,0.288,0.856 15.4,0.105,0.072,0.823,12.795,28.859,0.281,0.861 15.5,0.098,0.069,0.833,12.795,28.863,0.273,0.865 15.6,0.092,0.066,0.842,12.795,28.867,0.266,0.868 15.7,0.086,0.063,0.850,12.795,28.873,0.258,0.870 15.8,0.081,0.060,0.859,12.795,28.879,0.250,0.872 15.9,0.076,0.058,0.867,12.795,28.887,0.242,0.873 16,0.071,0.055,0.874,12.795,28.895,0.233,0.873 16.1,0.066,0.052,0.882,12.795,28.904,0.225,0.872 16.2,0.062,0.049,0.888,12.795,28.914,0.217,0.870 16.3,0.058,0.047,0.895,12.795,28.925,0.209,0.867 16.4,0.055,0.044,0.901,12.795,28.936,0.201,0.864 16.5,0.051,0.042,0.907,12.795,28.948,0.192,0.860 16.6,0.048,0.040,0.912,12.795,28.961,0.185,0.856 16.7,0.045,0.037,0.918,12.795,28.974,0.177,0.850 16.8,0.042,0.035,0.922,12.795,28.988,0.169,0.844 16.9,0.040,0.033,0.927,12.795,29.002,0.161,0.838 17,0.037,0.031,0.931,12.795,29.016,0.154,0.831 17.1,0.035,0.029,0.936,12.795,29.031,0.147,0.823 17.2,0.033,0.028,0.939,12.795,29.046,0.140,0.815 17.3,0.031,0.026,0.943,12.795,29.061,0.133,0.807 17.4,0.029,0.024,0.946,12.795,29.077,0.126,0.798 17.5,0.028,0.023,0.950,12.795,29.093,0.120,0.788 17.6,0.026,0.021,0.953,12.795,29.108,0.114,0.779 17.7,0.025,0.020,0.955,12.795,29.124,0.108,0.769 17.8,0.023,0.019,0.958,12.795,29.141,0.102,0.758 17.9,0.022,0.018,0.960,12.795,29.157,0.097,0.748 18,0.021,0.017,0.963,12.795,29.173,0.092,0.737 18.1,0.020,0.015,0.965,12.795,29.189,0.087,0.726 18.2,0.019,0.014,0.967,12.795,29.205,0.082,0.714 18.3,0.018,0.014,0.969,12.795,29.221,0.077,0.703 18.4,0.017,0.013,0.971,12.795,29.237,0.073,0.691 18.5,0.016,0.012,0.972,12.795,29.253,0.069,0.680 18.6,0.015,0.011,0.974,12.795,29.268,0.065,0.668 18.7,0.014,0.010,0.975,12.795,29.284,0.061,0.656 18.8,0.014,0.010,0.977,12.795,29.299,0.057,0.644 18.9,0.013,0.009,0.978,12.795,29.315,0.054,0.632 19,0.012,0.008,0.979,12.795,29.330,0.051,0.620 19.1,0.012,0.008,0.980,12.795,29.345,0.048,0.609 19.2,0.011,0.007,0.981,12.795,29.359,0.045,0.597 19.3,0.011,0.007,0.982,12.795,29.374,0.042,0.585 19.4,0.010,0.007,0.983,12.795,29.388,0.040,0.573 19.5,0.010,0.006,0.984,12.795,29.402,0.037,0.562 19.6,0.010,0.006,0.985,12.795,29.416,0.035,0.550 19.7,0.009,0.005,0.985,12.795,29.430,0.033,0.538 19.8,0.009,0.005,0.986,12.795,29.443,0.031,0.527 19.9,0.009,0.005,0.987,12.795,29.456,0.029,0.516 20,0.008,0.004,0.987,12.795,29.469,0.027,0.505 20.1,0.008,0.004,0.988,12.795,29.482,0.026,0.494 20.2,0.008,0.004,0.989,12.795,29.494,0.024,0.483 20.3,0.007,0.004,0.989,12.795,29.506,0.023,0.472 20.4,0.007,0.003,0.990,12.795,29.518,0.021,0.461 20.5,0.007,0.003,0.990,12.795,29.530,0.020,0.451 20.6,0.007,0.003,0.990,12.795,29.541,0.019,0.441 20.7,0.006,0.003,0.991,12.795,29.553,0.018,0.431 20.8,0.006,0.003,0.991,12.795,29.564,0.017,0.421 20.9,0.006,0.002,0.991,12.795,29.575,0.016,0.411 21,0.006,0.002,0.992,12.795,29.585,0.015,0.401 21.1,0.006,0.002,0.992,12.795,29.595,0.014,0.392 21.2,0.006,0.002,0.992,12.795,29.605,0.013,0.383 21.3,0.005,0.002,0.993,12.795,29.615,0.012,0.374 21.4,0.005,0.002,0.993,12.795,29.625,0.011,0.365 21.5,0.005,0.002,0.993,12.795,29.634,0.011,0.356 21.6,0.005,0.002,0.993,12.795,29.644,0.010,0.347 21.7,0.005,0.002,0.994,12.795,29.653,0.009,0.339 21.8,0.005,0.001,0.994,12.795,29.661,0.009,0.331 21.9,0.005,0.001,0.994,12.795,29.670,0.008,0.323 22,0.004,0.001,0.994,12.795,29.678,0.008,0.315 22.1,0.004,0.001,0.994,12.795,29.687,0.007,0.307 22.2,0.004,0.001,0.995,12.795,29.695,0.007,0.299 22.3,0.004,0.001,0.995,12.795,29.702,0.007,0.292 22.4,0.004,0.001,0.995,12.795,29.710,0.006,0.285 22.5,0.004,0.001,0.995,12.795,29.718,0.006,0.278 22.6,0.004,0.001,0.995,12.795,29.725,0.006,0.271 22.7,0.004,0.001,0.995,12.795,29.732,0.005,0.264 22.8,0.004,0.001,0.995,12.795,29.739,0.005,0.257 22.9,0.004,0.001,0.995,12.795,29.746,0.005,0.251 23,0.004,0.001,0.996,12.795,29.752,0.004,0.244 23.1,0.004,0.001,0.996,12.795,29.758,0.004,0.238 23.2,0.004,0.001,0.996,12.795,29.765,0.004,0.232 23.3,0.003,0.001,0.996,12.795,29.771,0.004,0.226 23.4,0.003,0.001,0.996,12.795,29.777,0.004,0.221 23.5,0.003,0.001,0.996,12.795,29.783,0.003,0.215 23.6,0.003,0.001,0.996,12.795,29.788,0.003,0.210 23.7,0.003,0.001,0.996,12.795,29.794,0.003,0.204 23.8,0.003,0.001,0.996,12.795,29.799,0.003,0.199 23.9,0.003,0.001,0.996,12.795,29.804,0.003,0.194 24,0.003,0.000,0.996,12.795,29.809,0.003,0.189 24.1,0.003,0.000,0.996,12.795,29.814,0.002,0.184 24.2,0.003,0.000,0.997,12.795,29.819,0.002,0.179 24.3,0.003,0.000,0.997,12.795,29.824,0.002,0.175 24.4,0.003,0.000,0.997,12.795,29.829,0.002,0.170 24.5,0.003,0.000,0.997,12.795,29.833,0.002,0.166 24.6,0.003,0.000,0.997,12.795,29.838,0.002,0.162 24.7,0.003,0.000,0.997,12.795,29.842,0.002,0.157 24.8,0.003,0.000,0.997,12.795,29.846,0.002,0.153 24.9,0.003,0.000,0.997,12.795,29.850,0.002,0.149 25,0.003,0.000,0.997,12.795,29.854,0.002,0.145 25.1,0.003,0.000,0.997,12.795,29.858,0.002,0.142 25.2,0.003,0.000,0.997,12.795,29.862,0.001,0.138 25.3,0.003,0.000,0.997,12.795,29.865,0.001,0.134 25.4,0.003,0.000,0.997,12.795,29.869,0.001,0.131 25.5,0.003,0.000,0.997,12.795,29.872,0.001,0.128 25.6,0.003,0.000,0.997,12.795,29.876,0.001,0.124 25.7,0.003,0.000,0.997,12.795,29.879,0.001,0.121 25.8,0.003,0.000,0.997,12.795,29.882,0.001,0.118 25.9,0.003,0.000,0.997,12.795,29.885,0.001,0.115 26,0.002,0.000,0.997,12.795,29.888,0.001,0.112 26.1,0.002,0.000,0.997,12.795,29.891,0.001,0.109 26.2,0.002,0.000,0.997,12.795,29.894,0.001,0.106 26.3,0.002,0.000,0.997,12.795,29.897,0.001,0.103 26.4,0.002,0.000,0.997,12.795,29.900,0.001,0.101 26.5,0.002,0.000,0.997,12.795,29.902,0.001,0.098 26.6,0.002,0.000,0.997,12.795,29.905,0.001,0.095 26.7,0.002,0.000,0.997,12.795,29.907,0.001,0.093 26.8,0.002,0.000,0.997,12.795,29.910,0.001,0.090 26.9,0.002,0.000,0.998,12.795,29.912,0.001,0.088 27,0.002,0.000,0.998,12.795,29.915,0.001,0.086 27.1,0.002,0.000,0.998,12.795,29.917,0.001,0.083 27.2,0.002,0.000,0.998,12.795,29.919,0.001,0.081 27.3,0.002,0.000,0.998,12.795,29.921,0.001,0.079 27.4,0.002,0.000,0.998,12.795,29.923,0.001,0.077 27.5,0.002,0.000,0.998,12.795,29.925,0.001,0.075 27.6,0.002,0.000,0.998,12.795,29.927,0.001,0.073 27.7,0.002,0.000,0.998,12.795,29.929,0.001,0.071 27.8,0.002,0.000,0.998,12.795,29.931,0.001,0.069 27.9,0.002,0.000,0.998,12.795,29.933,0.000,0.067 28,0.002,0.000,0.998,12.795,29.935,0.000,0.066 28.1,0.002,0.000,0.998,12.795,29.937,0.000,0.064 28.2,0.002,0.000,0.998,12.795,29.938,0.000,0.062 28.3,0.002,0.000,0.998,12.795,29.940,0.000,0.061 28.4,0.002,0.000,0.998,12.795,29.942,0.000,0.059 28.5,0.002,0.000,0.998,12.795,29.943,0.000,0.057 28.6,0.002,0.000,0.998,12.795,29.945,0.000,0.056 28.7,0.002,0.000,0.998,12.795,29.946,0.000,0.054 28.8,0.002,0.000,0.998,12.795,29.948,0.000,0.053 28.9,0.002,0.000,0.998,12.795,29.949,0.000,0.052 29,0.002,0.000,0.998,12.795,29.950,0.000,0.050 29.1,0.002,0.000,0.998,12.795,29.952,0.000,0.049 29.2,0.002,0.000,0.998,12.795,29.953,0.000,0.048 29.3,0.002,0.000,0.998,12.795,29.954,0.000,0.046 29.4,0.002,0.000,0.998,12.795,29.955,0.000,0.045 29.5,0.002,0.000,0.998,12.795,29.957,0.000,0.044 29.6,0.002,0.000,0.998,12.795,29.958,0.000,0.043 29.7,0.002,0.000,0.998,12.795,29.959,0.000,0.042 29.8,0.002,0.000,0.998,12.795,29.960,0.000,0.041 29.9,0.002,0.000,0.998,12.795,29.961,0.000,0.040 30,0.002,0.000,0.998,12.795,29.962,0.000,0.039 30.1,0.002,0.000,0.998,12.795,29.963,0.000,0.037 30.2,0.002,0.000,0.998,12.795,29.964,0.000,0.037 30.3,0.002,0.000,0.998,12.795,29.965,0.000,0.036 30.4,0.002,0.000,0.998,12.795,29.966,0.000,0.035 30.5,0.002,0.000,0.998,12.795,29.967,0.000,0.034 30.6,0.002,0.000,0.998,12.795,29.968,0.000,0.033 30.7,0.002,0.000,0.998,12.795,29.969,0.000,0.032 30.8,0.002,0.000,0.998,12.795,29.970,0.000,0.031 30.9,0.002,0.000,0.998,12.795,29.971,0.000,0.030 31,0.002,0.000,0.998,12.795,29.971,0.000,0.029 31.1,0.002,0.000,0.998,12.795,29.972,0.000,0.029 31.2,0.002,0.000,0.998,12.795,29.973,0.000,0.028 31.3,0.002,0.000,0.998,12.795,29.974,0.000,0.027 31.4,0.002,0.000,0.998,12.795,29.974,0.000,0.026 31.5,0.002,0.000,0.998,12.795,29.975,0.000,0.026 31.6,0.002,0.000,0.998,12.795,29.976,0.000,0.025 31.7,0.002,0.000,0.998,12.795,29.976,0.000,0.024 31.8,0.002,0.000,0.998,12.795,29.977,0.000,0.024 31.9,0.002,0.000,0.998,12.795,29.978,0.000,0.023 32,0.002,0.000,0.998,12.795,29.978,0.000,0.023 32.1,0.002,0.000,0.998,12.795,29.979,0.000,0.022 32.2,0.002,0.000,0.998,12.795,29.979,0.000,0.021 32.3,0.002,0.000,0.998,12.795,29.980,0.000,0.021 32.4,0.002,0.000,0.998,12.795,29.981,0.000,0.020 32.5,0.002,0.000,0.998,12.795,29.981,0.000,0.020 32.6,0.002,0.000,0.998,12.795,29.982,0.000,0.019 32.7,0.002,0.000,0.998,12.795,29.982,0.000,0.019 32.8,0.002,0.000,0.998,12.795,29.983,0.000,0.018 32.9,0.002,0.000,0.998,12.795,29.983,0.000,0.018 33,0.002,0.000,0.998,12.795,29.984,0.000,0.017 33.1,0.002,0.000,0.998,12.795,29.984,0.000,0.017 33.2,0.002,0.000,0.998,12.795,29.985,0.000,0.016 33.3,0.002,0.000,0.998,12.795,29.985,0.000,0.016 33.4,0.002,0.000,0.998,12.795,29.985,0.000,0.015 33.5,0.002,0.000,0.998,12.795,29.986,0.000,0.015 33.6,0.002,0.000,0.998,12.795,29.986,0.000,0.015 33.7,0.002,0.000,0.998,12.795,29.987,0.000,0.014 33.8,0.002,0.000,0.998,12.795,29.987,0.000,0.014 33.9,0.002,0.000,0.998,12.795,29.987,0.000,0.014 34,0.002,0.000,0.998,12.795,29.988,0.000,0.013 34.1,0.002,0.000,0.998,12.795,29.988,0.000,0.013 34.2,0.002,0.000,0.998,12.795,29.988,0.000,0.012 34.3,0.002,0.000,0.998,12.795,29.989,0.000,0.012 34.4,0.002,0.000,0.998,12.795,29.989,0.000,0.012 34.5,0.002,0.000,0.998,12.795,29.989,0.000,0.012 34.6,0.002,0.000,0.998,12.795,29.990,0.000,0.011 34.7,0.002,0.000,0.998,12.795,29.990,0.000,0.011 34.8,0.002,0.000,0.998,12.795,29.990,0.000,0.011 34.9,0.002,0.000,0.998,12.795,29.991,0.000,0.010 35,0.002,0.000,0.998,12.795,29.991,0.000,0.010 35.1,0.002,0.000,0.998,12.795,29.991,0.000,0.010 35.2,0.002,0.000,0.998,12.795,29.991,0.000,0.010 35.3,0.002,0.000,0.998,12.795,29.992,0.000,0.009 35.4,0.002,0.000,0.998,12.795,29.992,0.000,0.009 35.5,0.002,0.000,0.998,12.795,29.992,0.000,0.009 35.6,0.002,0.000,0.998,12.795,29.992,0.000,0.009 35.7,0.002,0.000,0.998,12.795,29.993,0.000,0.008 35.8,0.002,0.000,0.998,12.795,29.993,0.000,0.008 35.9,0.002,0.000,0.998,12.795,29.993,0.000,0.008 36,0.002,0.000,0.998,12.795,29.993,0.000,0.008 36.1,0.002,0.000,0.998,12.795,29.993,0.000,0.008 36.2,0.002,0.000,0.998,12.795,29.994,0.000,0.007 36.3,0.002,0.000,0.998,12.795,29.994,0.000,0.007 36.4,0.002,0.000,0.998,12.795,29.994,0.000,0.007 36.5,0.002,0.000,0.998,12.795,29.994,0.000,0.007 36.6,0.002,0.000,0.998,12.795,29.994,0.000,0.007 36.7,0.002,0.000,0.998,12.795,29.995,0.000,0.006 36.8,0.002,0.000,0.998,12.795,29.995,0.000,0.006 36.9,0.002,0.000,0.998,12.795,29.995,0.000,0.006 37,0.002,0.000,0.998,12.795,29.995,0.000,0.006 37.1,0.002,0.000,0.998,12.795,29.995,0.000,0.006 37.2,0.002,0.000,0.998,12.795,29.995,0.000,0.006 37.3,0.002,0.000,0.998,12.795,29.996,0.000,0.005 37.4,0.002,0.000,0.998,12.795,29.996,0.000,0.005 37.5,0.002,0.000,0.998,12.795,29.996,0.000,0.005 37.6,0.002,0.000,0.998,12.795,29.996,0.000,0.005 37.7,0.002,0.000,0.998,12.795,29.996,0.000,0.005 37.8,0.002,0.000,0.998,12.795,29.996,0.000,0.005 37.9,0.002,0.000,0.998,12.795,29.996,0.000,0.005 38,0.002,0.000,0.998,12.795,29.996,0.000,0.005 38.1,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.2,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.3,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.4,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.5,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.6,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.7,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.8,0.002,0.000,0.998,12.795,29.997,0.000,0.004 38.9,0.002,0.000,0.998,12.795,29.997,0.000,0.004 39,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.1,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.2,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.3,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.4,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.5,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.6,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.7,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.8,0.002,0.000,0.998,12.795,29.998,0.000,0.003 39.9,0.002,0.000,0.998,12.795,29.998,0.000,0.003 40,0.002,0.000,0.998,12.795,29.998,0.000,0.003 40.1,0.002,0.000,0.998,12.795,29.998,0.000,0.003 40.2,0.002,0.000,0.998,12.795,29.998,0.000,0.002 40.3,0.002,0.000,0.998,12.795,29.999,0.000,0.002 40.4,0.002,0.000,0.998,12.795,29.999,0.000,0.002 40.5,0.002,0.000,0.998,12.795,29.999,0.000,0.002 40.6,0.002,0.000,0.998,12.795,29.999,0.000,0.002 40.7,0.002,0.000,0.998,12.795,29.999,0.000,0.002 40.8,0.002,0.000,0.998,12.795,29.999,0.000,0.002 40.9,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.1,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.2,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.3,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.4,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.5,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.6,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.7,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.8,0.002,0.000,0.998,12.795,29.999,0.000,0.002 41.9,0.002,0.000,0.998,12.795,29.999,0.000,0.002 42,0.002,0.000,0.998,12.795,29.999,0.000,0.002 42.1,0.002,0.000,0.998,12.795,29.999,0.000,0.001 42.2,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.3,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.4,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.5,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.6,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.7,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.8,0.002,0.000,0.998,12.795,30.000,0.000,0.001 42.9,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.1,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.2,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.3,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.4,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.5,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.6,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.7,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.8,0.002,0.000,0.998,12.795,30.000,0.000,0.001 43.9,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.1,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.2,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.3,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.4,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.5,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.6,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.7,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.8,0.002,0.000,0.998,12.795,30.000,0.000,0.001 44.9,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.1,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.2,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.3,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.4,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.5,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.6,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.7,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.8,0.002,0.000,0.998,12.795,30.000,0.000,0.001 45.9,0.002,0.000,0.998,12.795,30.000,0.000,0.001 46,0.002,0.000,0.998,12.795,30.000,0.000,0.001 46.1,0.002,0.000,0.998,12.795,30.000,0.000,0.001 46.2,0.002,0.000,0.998,12.795,30.000,0.000,0.000 46.3,0.002,0.000,0.998,12.795,30.000,0.000,0.000 46.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 46.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 46.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 46.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 46.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 46.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 47.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 48.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 49.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 50.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 51.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 52.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 53.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 54.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 55.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 56.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 57.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 58.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 59.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 60.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 61.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 62.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 63.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 64.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 65.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 66.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 67.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 68.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 69.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 70.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 71.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 72.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 73.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 74.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 75.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 76.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 77.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 78.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 79.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 80.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 81.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 82.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 83.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 84.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 85.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 86.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 87.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 88.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 89.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 90.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 91.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 92.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 93.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 94.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 95.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 96.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 97.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 98.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.1,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.2,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.3,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.4,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.5,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.6,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.7,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.8,0.002,0.000,0.998,12.795,30.001,0.000,0.000 99.9,0.002,0.000,0.998,12.795,30.001,0.000,0.000 100,0.002,0.000,0.998,12.795,30.001,0.000,0.000 asymptote-2.62/doc/Bode.asy0000644000000000000000000000124513607467113014334 0ustar rootrootimport graph; texpreamble("\def\Arg{\mathop {\rm Arg}\nolimits}"); size(10cm,5cm,IgnoreAspect); real ampl(real x) {return 2.5/sqrt(1+x^2);} real phas(real x) {return -atan(x)/pi;} scale(Log,Log); draw(graph(ampl,0.01,10)); ylimits(0.001,100); xaxis("$\omega\tau_0$",BottomTop,LeftTicks); yaxis("$|G(\omega\tau_0)|$",Left,RightTicks); picture q=secondaryY(new void(picture pic) { scale(pic,Log,Linear); draw(pic,graph(pic,phas,0.01,10),red); ylimits(pic,-1.0,1.5); yaxis(pic,"$\Arg G/\pi$",Right,red, LeftTicks("$% #.1f$", begin=false,end=false)); yequals(pic,1,Dotted); }); label(q,"(1,0)",Scale(q,(1,0)),red); add(q); asymptote-2.62/doc/join.asy0000644000000000000000000000040513607467113014417 0ustar rootrootsize(300,0); pair[] z=new pair[10]; z[0]=(0,100); z[1]=(50,0); z[2]=(180,0); for(int n=3; n <= 9; ++n) z[n]=z[n-3]+(200,0); path p=z[0]..z[1]---z[2]::{up}z[3] &z[3]..z[4]--z[5]::{up}z[6] &z[6]::z[7]---z[8]..{up}z[9]; draw(p,grey+linewidth(4mm)); dot(z); asymptote-2.62/doc/latexmkrc0000644000000000000000000000022013607467113014652 0ustar rootrootsub asy {return system("asy \"$_[0]\"");} add_cus_dep("asy","eps",0,"asy"); add_cus_dep("asy","pdf",0,"asy"); add_cus_dep("asy","tex",0,"asy"); asymptote-2.62/doc/irregularcontour.asy0000644000000000000000000000054513607467113017073 0ustar rootrootimport contour; size(200); int n=100; real f(real a, real b) {return a^2+b^2;} srand(1); real r() {return 1.1*(rand()/randMax*2-1);} pair[] points=new pair[n]; real[] values=new real[n]; for(int i=0; i < n; ++i) { points[i]=(r(),r()); values[i]=f(points[i].x,points[i].y); } draw(contour(points,values,new real[]{0.25,0.5,1},operator ..),blue); asymptote-2.62/doc/CDlabel.asy0000644000000000000000000000075413607467113014755 0ustar rootrootsize(11.7cm,11.7cm); asy(nativeformat(),"logo"); fill(unitcircle^^(scale(2/11.7)*unitcircle), evenodd+rgb(124/255,205/255,124/255)); label(scale(1.1)*minipage( "\centering\scriptsize \textbf{\LARGE {\tt Asymptote}\\ \smallskip \small The Vector Graphics Language}\\ \smallskip \textsc{Andy Hammerlindl, John Bowman, and Tom Prince} http://asymptote.sourceforge.net\\ ",8cm),(0,0.6)); label(graphic("logo","height=7cm"),(0,-0.22)); clip(unitcircle^^(scale(2/11.7)*unitcircle),evenodd); asymptote-2.62/doc/asymptote.sty0000644000000000000000000002315413607467255015545 0ustar rootroot%% %% This is file `asymptote.sty', %% generated with the docstrip utility. %% %% The original source files were: %% %% asy-latex.dtx (with options: `pkg') %% ____________________________ %% The ASYMPTOTE package %% %% (C) 2003 Tom Prince %% (C) 2003-2020 John Bowman %% (C) 2010 Will Robertson %% %% Adapted from comment.sty %% %% Licence: GPL2+ %% \ProvidesPackage{asymptote} [2020/01/12 v1.35 Asymptote style file for LaTeX] \def\Asymptote{{\tt Asymptote}} \InputIfFileExists{\jobname.pre}{}{} \newbox\ASYbox \newdimen\ASYdimen \newcounter{asy} \newwrite\AsyStream \newwrite\AsyPreStream \newif\ifASYinline \newif\ifASYattach \newif\ifASYkeepAspect \ASYkeepAspecttrue \RequirePackage{keyval} \RequirePackage{ifthen} \RequirePackage{color,graphicx} \IfFileExists{ifpdf.sty}{ \RequirePackage{ifpdf} }{ \expandafter\newif\csname ifpdf\endcsname \ifx\pdfoutput\@undefined\else \ifcase\pdfoutput\else \pdftrue \fi \fi } \IfFileExists{ifxetex.sty}{ \RequirePackage{ifxetex} }{ \expandafter\newif\csname ifxetex\endcsname \ifx\XeTeXversion\@undefined\else \xetextrue \fi } \IfFileExists{catchfile.sty}{ \RequirePackage{catchfile} }{ \newcommand\CatchFileDef[3]{% \begingroup \everyeof{% \ENDCATCHFILEMARKER \noexpand }% \long\def\@tempa####1\ENDCATCHFILEMARKER{% \endgroup \def##1{####1}% }% ##3% \expandafter\@tempa\@@input ##2\relax } } \newif\if@asy@attachfile@loaded \AtBeginDocument{% \@ifpackageloaded{attachfile2}{\@asy@attachfile@loadedtrue}{}% \let\asy@check@attachfile\asy@check@attachfile@loaded } \newcommand\asy@check@attachfile@loaded{% \if@asy@attachfile@loaded\else \PackageError{asymptote}{You must load the attachfile2 package}{^^J% You have requested the [attach] option for some or all of your^^J% Asymptote graphics, which requires the attachfile2 package.^^J% Please load it in the document preamble.^^J% }% \fi } \newcommand\asy@check@attachfile{% \AtBeginDocument{\asy@check@attachfile@loaded}% \let\asy@check@attachfile\@empty } \def\csarg#1#2{\expandafter#1\csname#2\endcsname} \DeclareOption{inline}{% \ASYinlinetrue } \DeclareOption{attach}{% \asy@check@attachfile \ASYattachtrue } \ProcessOptions* \def\asylatexdir{} \def\asydir{} \def\ASYasydir{} \def\ASYprefix{} \newif\ifASYPDF \ifxetex \ASYPDFtrue \usepackage{everypage} \else \ifpdf \ASYPDFtrue \fi \fi \ifASYPDF \def\AsyExtension{pdf} \else \def\AsyExtension{eps} \fi \def\unquoteJobname#1"#2"#3\relax{% \def\rawJobname{#1}% \ifx\rawJobname\empty \def\rawJobname{#2}% \fi } \expandafter\unquoteJobname\jobname""\relax \def\fixstar#1*#2\relax{% \def\argtwo{#2}% \ifx\argtwo\empty \gdef\Jobname{#1}% \else \fixstar#1-#2\relax \fi } \expandafter\fixstar\rawJobname*\relax \def\Ginclude@eps#1{% \message{<#1>}% \bgroup \def\@tempa{!}% \dimen@\Gin@req@width \dimen@ii.1bp\relax \divide\dimen@\dimen@ii \@tempdima\Gin@req@height \divide\@tempdima\dimen@ii \special{PSfile=#1\space llx=\Gin@llx\space lly=\Gin@lly\space urx=\Gin@urx\space ury=\Gin@ury\space \ifx\Gin@scalex\@tempa\else rwi=\number\dimen@\space\fi \ifx\Gin@scaley\@tempa\else rhi=\number\@tempdima\space\fi \ifGin@clip clip\fi}% \egroup } \immediate\openout\AsyPreStream=\jobname.pre\relax \AtEndDocument{\immediate\closeout\AsyPreStream} \def\WriteAsyLine#1{% \immediate\write\AsyStream{\detokenize{#1}}% } \def\globalASYdefs{} \def\WriteGlobalAsyLine#1{% \expandafter\g@addto@macro \expandafter\globalASYdefs \expandafter{\detokenize{#1^^J}}% } \def\ProcessAsymptote#1{% \begingroup \def\CurrentAsymptote{#1}% \let\do\@makeother \dospecials \@makeother\^^L% and whatever other special cases \catcode`\ =10 \endlinechar`\^^M \catcode`\^^M=12 \xAsymptote } \begingroup \catcode`\^^M=12 \endlinechar=-1\relax% \gdef\xAsymptote{% \expandafter\ProcessAsymptoteLine% } \gdef\ProcessAsymptoteLine#1^^M{% \def\@tempa{#1}% {% \escapechar=-1\relax% \xdef\@tempb{\string\\end\string\{\CurrentAsymptote\string\}}% }% \ifx\@tempa\@tempb% \edef\next{\endgroup\noexpand\end{\CurrentAsymptote}}% \else% \ThisAsymptote{#1}% \let\next\ProcessAsymptoteLine% \fi% \next% } \endgroup \def\asy@init{% \def\ASYlatexdir{}% \ifx\asylatexdir\empty\else \def\ASYlatexdir{\asylatexdir/}% \fi \ifx\asydir\empty\else \def\ASYasydir{\asydir/}% \fi \def\ASYprefix{\ASYlatexdir\ASYasydir}% } \newcommand\asy[1][]{% \stepcounter{asy}% \setkeys{ASYkeys}{#1}% \ifASYattach \ASYinlinefalse \fi \asy@init \immediate\write\AsyPreStream{% \noexpand\InputIfFileExists{% \ASYprefix\noexpand\jobname-\the\c@asy.pre}{}{}% }% \asy@write@graphic@header \let\ThisAsymptote\WriteAsyLine \ProcessAsymptote{asy}% } \def\endasy{% \asy@finalise@stream \asy@input@graphic } \def\asy@write@graphic@header{% \immediate\openout\AsyStream=\ASYasydir\jobname-\the\c@asy.asy\relax \gdef\AsyFile{\ASYprefix\Jobname-\the\c@asy}% \immediate\write\AsyStream{% if(!settings.multipleView) settings.batchView=false;^^J% \ifxetex settings.tex="xelatex";^^J% \else\ifASYPDF settings.tex="pdflatex";^^J% \fi\fi \ifASYinline settings.inlinetex=true;^^J% deletepreamble();^^J% \fi defaultfilename="\Jobname-\the\c@asy";^^J% if(settings.render < 0) settings.render=4;^^J% settings.outformat="";^^J% \ifASYattach settings.inlineimage=false;^^J% settings.embed=false;^^J% settings.toolbar=true;^^J% \else settings.inlineimage=true;^^J% settings.embed=true;^^J% settings.toolbar=false;^^J% viewportmargin=(2,2);^^J% \fi \globalASYdefs }% } \def\asy@expand@keepAspect{% \ifASYkeepAspect keepAspect=true% \else keepAspect=false% \fi% } \def\asy@finalise@stream{% \ifx\ASYwidth\@empty \ifx\ASYheight\@empty % write nothing! \else \immediate\write\AsyStream{size(0,\ASYheight,\asy@expand@keepAspect);}% \fi \else \ifx\ASYheight\@empty \immediate\write\AsyStream{size(\ASYwidth,0,\asy@expand@keepAspect);}% \else \immediate\write\AsyStream{size(\ASYwidth,\ASYheight,\asy@expand@keepAspect);}% \fi \fi \ifx\ASYviewportwidth\@empty \ifx\ASYviewportheight\@empty % write nothing! \else \immediate\write\AsyStream{viewportsize=(0,\ASYviewportheight);}% \fi \else \ifx\ASYviewportheight\@empty \immediate\write\AsyStream{viewportsize=(\ASYviewportwidth,0);}% \else \immediate\write\AsyStream{% viewportsize=(\ASYviewportwidth,\ASYviewportheight);}% \fi \fi \immediate\closeout\AsyStream } \def\asy@input@graphic{% \ifASYinline \IfFileExists{"\AsyFile.tex"}{% \catcode`:=12\relax \@@input"\AsyFile.tex"\relax }{% \PackageWarning{asymptote}{file `\AsyFile.tex' not found}% }% \else \IfFileExists{"\AsyFile.\AsyExtension"}{% \ifASYattach \ifASYPDF \IfFileExists{"\AsyFile+0.pdf"}{% \setbox\ASYbox=\hbox{\includegraphics[hiresbb]{\AsyFile+0.pdf}}% }{% \setbox\ASYbox=\hbox{\includegraphics[hiresbb]{\AsyFile.pdf}}% }% \else \setbox\ASYbox=\hbox{\includegraphics[hiresbb]{\AsyFile.eps}}% \fi \textattachfile{\AsyFile.\AsyExtension}{\phantom{\copy\ASYbox}}% \vskip-\ht\ASYbox \indent \box\ASYbox \else \ifASYPDF \includegraphics[hiresbb]{\AsyFile.pdf}% \else \includegraphics[hiresbb]{\AsyFile.eps}% \fi \fi }{% \IfFileExists{"\AsyFile.tex"}{% \catcode`:=12 \@@input"\AsyFile.tex"\relax }{% \PackageWarning{asymptote}{% file `\AsyFile.\AsyExtension' not found% }% }% }% \fi } \def\asydef{% \let\ThisAsymptote\WriteGlobalAsyLine \ProcessAsymptote{asydef}% } \newcommand\asyinclude[2][]{% \begingroup \stepcounter{asy}% \setkeys{ASYkeys}{#1}% \ifASYattach \ASYinlinefalse \fi \asy@init \immediate\write\AsyPreStream{% \noexpand\InputIfFileExists{% \ASYprefix\noexpand\jobname-\the\c@asy.pre}{}{}% }% \asy@write@graphic@header \IfFileExists{#2.asy}{% \CatchFileDef\@tempa{#2.asy}{% \let\do\@makeother \dospecials \endlinechar=10\relax }% }{% \IfFileExists{#2}{% \CatchFileDef\@tempa{#2}{% \let\do\@makeother \dospecials \endlinechar=10\relax }% }{% \PackageWarning{asymptote}{file #2 not found}% \def\@tempa{}% }% }% \immediate\write\AsyStream{\unexpanded\expandafter{\@tempa}}% \asy@finalise@stream \asy@input@graphic \endgroup } \newcommand{\ASYanimategraphics}[5][]{% \IfFileExists{_#3.pdf}{% \animategraphics[{#1}]{#2}{_#3}{#4}{#5}% }{}% } \newcommand\asysetup[1]{\setkeys{ASYkeys}{#1}} \define@key{ASYkeys}{dir}{% \def\asydir{#1}% } \def\ASYwidth{} \define@key{ASYkeys}{width}{% \edef\ASYwidth{\the\dimexpr#1\relax}% } \def\ASYheight{} \define@key{ASYkeys}{height}{% \edef\ASYheight{\the\dimexpr#1\relax}% } \define@key{ASYkeys}{keepAspect}[true]{% \ifthenelse{\equal{#1}{true}} {\ASYkeepAspecttrue} {\ASYkeepAspectfalse}% } \def\ASYviewportwidth{} \define@key{ASYkeys}{viewportwidth}{% \edef\ASYviewportwidth{\the\dimexpr#1\relax}% } \def\ASYviewportheight{} \define@key{ASYkeys}{viewportheight}{% \edef\ASYviewportheight{\the\dimexpr#1\relax}% } \define@key{ASYkeys}{inline}[true]{% \ifthenelse{\equal{#1}{true}} {\ASYinlinetrue} {\ASYinlinefalse}% } \define@key{ASYkeys}{attach}[true]{% \ifthenelse{\equal{#1}{true}} {\ASYattachtrue} {\ASYattachfalse}% } asymptote-2.62/doc/diatom.csv0000644000000000000000000000774313607467113014750 0ustar rootroot"sediment depth (cm)","year","Achnanthes minutissima Kuetzing","Anomoeoneis vitrea (Grunow) Ross","Asterionella formosa Hassall","Tabellaria flocculosa (Roth) Kuetzing","Fragilaria cf. tenera","Chaetoceros muelleri/elmorei cysts","Aulacoseira spp. ","Fragilaria capucina var. vaucheriae (Kuetzing)","Fragilaria crotonensis Kitton" "A","B","C" 0,4,6 0,2000,11.6959064327485,9.55165692007797,49.6101364522417,1.364522417154,0,0.974658869395711,0,2.14424951267057,4.09356725146199 10,1998,20.2676864244742,11.2810707456979,34.7992351816444,2.39005736137667,0,0.191204588910134,0.573613766730402,0.382409177820268,7.55258126195029 20,1996,21.1282051282051,33.6410256410256,24,2.35897435897436,0.615384615384615,0,0.205128205128205,0.615384615384615,2.56410256410256 30,1994,25.7620452310718,21.0422812192724,31.3667649950836,2.16322517207473,0.393313667649951,0.393313667649951,0.196656833824975,1.76991150442478,3.73647984267453 40,1992,21.0422812192724,16.5191740412979,42.9695181907571,0.589970501474926,0,0.983284169124877,0.589970501474926,0.393313667649951,1.96656833824975 50,1990,23.1067961165049,24.0776699029126,29.126213592233,1.35922330097087,0,0.970873786407767,0.388349514563107,0.58252427184466,3.30097087378641 60,1988,35.0738916256158,33.3004926108374,4.33497536945813,1.37931034482759,0.591133004926108,1.97044334975369,1.18226600985222,0.985221674876847,2.75862068965517 70,1986,42.2090729783037,33.7278106508876,2.26824457593688,1.38067061143984,0.788954635108481,1.18343195266272,0.591715976331361,1.38067061143984,3.25443786982249 90,1984,34.5098039215686,41.9607843137255,0.196078431372549,2.15686274509804,0.588235294117647,2.74509803921569,0.588235294117647,2.15686274509804,0 95,1982,38.0487804878049,45.4634146341463,0.487804878048781,0.975609756097561,0.975609756097561,0,0.390243902439024,0.390243902439024,0 110,1980,40.1860465116279,41.4883720930233,1.30232558139535,0.837209302325581,0,0.930232558139535,0.372093023255814,0.372093023255814,1.3953488372093 130,1978,39.6501457725948,42.1768707482993,0.291545189504373,0.194363459669582,2.72108843537415,1.55490767735666,0,1.36054421768707,0.777453838678329 150,1972,32.6298701298701,31.4935064935065,1.86688311688312,1.78571428571429,0.162337662337662,13.961038961039,0.162337662337662,1.94805194805195,1.86688311688312 170,1970,30.7692307692308,47.534516765286,0.986193293885602,3.35305719921105,0.19723865877712,1.38067061143984,0,1.18343195266272,0.591715976331361 190,1965,40.5268490374873,37.8926038500507,1.82370820668693,2.63424518743668,0,1.21580547112462,0.405268490374873,1.21580547112462,1.01317122593718 260,1961,40.4494382022472,26.0299625468165,0.468164794007491,1.31086142322097,0.561797752808989,8.05243445692884,0,3.74531835205992,0.374531835205993 280,1950,44.946025515211,11.9725220804711,0.294406280667321,0.785083415112856,16.48675171737,1.96270853778214,0.392541707556428,2.35525024533857,0 290,1942,41.2818096135721,8.29406220546654,0.188501413760603,0.282752120640905,28.6522148916117,0.942507068803016,0.377002827521206,4.33553251649387,0 300,1940,18.0995475113122,12.3076923076923,0,0.180995475113122,40.3619909502262,5.61085972850679,0,2.35294117647059,0 310,1920,28.6844708209693,11.2759643916914,0.593471810089021,3.26409495548961,13.0563798219585,13.2542037586548,0.19782393669634,9.89119683481701,0.989119683481701 320,1915,6.17977528089888,1.31086142322097,4.30711610486891,6.74157303370787,32.7715355805243,34.4569288389513,1.31086142322097,2.62172284644195,0 330,1910,4.03846153846154,0.769230769230769,14.5192307692308,36.4423076923077,5,0.769230769230769,11.1538461538462,0,2.11538461538462 340,1888,7.37148399612027,1.1639185257032,9.40834141610087,31.8137730358875,1.1639185257032,0.969932104752667,14.3549951503395,0.193986420950533,0.969932104752667 400,1763,2.69749518304432,0.192678227360308,24.8554913294798,26.7822736030829,0.385356454720617,2.69749518304432,20.0385356454721,0,1.54142581888247 450,1726,2.37859266600595,0.396432111000991,9.71258671952428,28.5431119920714,0.198216055500496,0.594648166501487,30.5252725470763,0,0.792864222001982 asymptote-2.62/doc/square.asy0000644000000000000000000000006413607467113014761 0ustar rootrootsize(3cm); draw((0,0)--(1,0)--(1,1)--(0,1)--cycle); asymptote-2.62/doc/CAD1.asy0000644000000000000000000000255713607467113014142 0ustar rootrootimport CAD; sCAD cad=sCAD.Create(); // Freehand line draw(g=cad.MakeFreehand(pFrom=(3,-1)*cm,(6,-1)*cm), p=cad.pFreehand); // Standard measurement lines draw(g=box((0,0)*cm,(1,1)*cm),p=cad.pVisibleEdge); cad.MeasureParallel(L="$\sqrt{2}$", pFrom=(0,1)*cm, pTo=(1,0)*cm, dblDistance=-15mm); // Label inside,shifted to the right; arrows outside draw(g=box((2,0)*cm,(3,1)*cm),p=cad.pVisibleEdge); cad.MeasureParallel(L="1", pFrom=(2,1)*cm, pTo=(3,1)*cm, dblDistance=5mm, dblLeft=5mm, dblRelPosition=0.75); // Label and arrows outside draw(g=box((5,0)*cm,(5.5,1)*cm),p=cad.pVisibleEdge); cad.MeasureParallel(L="0.5", pFrom=(5,1)*cm, pTo=(5.5,1)*cm, dblDistance=5mm, dblLeft=10mm, dblRelPosition=-1); // Small bounds,asymmetric measurement line draw(g=box((7,0)*cm,(7.5,1)*cm),p=cad.pVisibleEdge); cad.MeasureParallel(L="0.5", pFrom=(7,1)*cm, pTo=(7.5,1)*cm, dblDistance=5mm, dblLeft=2*cad.GetMeasurementBoundSize(bSmallBound=true), dblRight=10mm, dblRelPosition=2, bSmallBound=true); asymptote-2.62/doc/tile.asy0000644000000000000000000000060613607467113014420 0ustar rootrootsize(0,90); import patterns; add("tile",tile()); add("filledtilewithmargin",tile(6mm,4mm,red,Fill),(1mm,1mm),(1mm,1mm)); add("checker",checker()); add("brick",brick()); real s=2.5; filldraw(unitcircle,pattern("tile")); filldraw(shift(s,0)*unitcircle,pattern("filledtilewithmargin")); filldraw(shift(2s,0)*unitcircle,pattern("checker")); filldraw(shift(3s,0)*unitcircle,pattern("brick")); asymptote-2.62/doc/markers1.asy0000644000000000000000000000513513607467113015212 0ustar rootrootsize(12cm,0); import markers; pair A=(0,0), B=(1,0), C=(2,0), D=(3,0); path p=A--B--C--D; transform T=shift(-4,-1); transform t=shift(4,0); //line 1 ********** draw(p,marker(markinterval(3,dotframe,true))); label("$1$",point(p,0),3W); //line 2 ********** p=t*p; draw(p,marker(stickframe,markuniform(4))); label("$2$",point(p,0),3W); //line 3 ********** p=T*p; draw(p,marker(stickframe(red),markinterval(3,dotframe(blue),true))); label("$3$",point(p,0),3W); //line 4 ********** p=t*p; draw(p,StickIntervalMarker(3,2,blue,dotframe(red))); label("$4$",point(p,0),3W); //line 5 ********** p=T*p; pen pn=linewidth(4bp); draw(p,pn,StickIntervalMarker(3,3,angle=25,pn,dotframe(red+pn))); label("$5$",point(p,0),3W); //line 6 ********** p=t*p; draw(p,StickIntervalMarker(3,5,angle=25,size=4mm,space=2mm,offset=I*2mm, scale(2)*dotframe(red))); label("$6$",point(p,0),3W); //line 7 ********** p=T*p; draw(p,StickIntervalMarker(n=3,angle=45,size=10mm,space=3mm,dotframe)); label("$7$",point(p,0),3W); //line 8 ********** p=t*p; draw(p,CircleBarIntervalMarker(n=2,dotframe)); label("$8$",point(p,0),3W); //line 9 ********** p=T*p; draw(p,CircleBarIntervalMarker(n=3,angle=30,barsize=8mm,radius=2mm, FillDraw(.8red), dotframe)); label("$9$",point(p,0),3W); //line 10 ********** p=t*p; draw(p,CircleBarIntervalMarker(n=3,angle=30,barsize=8mm,radius=2mm, FillDraw(.8red),circleabove=true,dotframe)); label("$10$",point(p,0),3W); //line 11 ********** p=T*p; draw(p,CircleBarIntervalMarker(n=3,angle=30,barsize=8mm,radius=2mm, FillDraw(.8red),circleabove=true,dotframe, above=false)); label("$11$",point(p,0),3W); //line 12 ********** p=t*p; draw(p,TildeIntervalMarker(i=3,dotframe)); label("$12$",point(p,0),3W); //line 13 ********** p=T*p; draw(p,TildeIntervalMarker(i=3,n=2,angle=-20,dotframe)); label("$13$",point(p,0),3W); //line 14 ********** p=t*p; draw(p,CrossIntervalMarker(3,3,dotframe)); label("$14$",point(p,0),3W); //line 15 ********** p=shift(.25S)*T*p; path cle=shift(relpoint(p,.5))*scale(abs(A-D)/4)*unitcircle; draw(cle,StickIntervalMarker(5,3,dotframe(6bp+red))); label("$15$",point(p,0),3W); //line 16 ********** cle=t*cle; p=t*p; frame a; label(a,"$a$",(0,-2labelmargin())); draw(cle,marker(dotframe(6bp+red),markinterval(5,a,true))); label("$16$",point(p,0),3W); // line 17 ********** p=T*shift(relpoint(p,.5)+.65S)*scale(.5)*shift(-relpoint(p,.5))*rotate(45,relpoint(p,.5))*p; draw(p,TildeIntervalMarker(size=5mm,rotated=false,dotframe)); label("$17$",point(p,0),3W); asymptote-2.62/doc/reloadpdf.tex0000644000000000000000000000054213607467113015426 0ustar rootroot% Tex file for generating the reloadpdf.pdf utility to force Adobe Reader % to reload all currently loaded documents. Usage: % % pdflatex reloadpdf % acroread reloadpdf.pdf % \documentclass{article} \begin{document} \ \pdfannot width 0pt height 0pt { /AA << /PO << /S /JavaScript /JS (try{reload();} catch(e) {} closeDoc(this);) >> >> } \end{document} asymptote-2.62/doc/cylinderskeleton.asy0000644000000000000000000000012613607467113017036 0ustar rootrootimport solids; size(0,100); revolution r=cylinder(O,1,1.5,Y+Z); draw(r,heavygreen); asymptote-2.62/doc/asy.1.begin0000644000000000000000000000175513607467113014714 0ustar rootroot.\" Hey, EMACS: -*- nroff -*- .TH ASY 1 "1 Dec 2004" .SH NAME asy \- Asymptote: a script-based vector graphics language .SH SYNOPSIS .B asy .RI [ options ] .RI [ file \ ...] .SH DESCRIPTION \fBAsymptote\fP is a powerful descriptive vector graphics language for technical drawings, inspired by MetaPost but with an improved C++-like syntax. Asymptote provides for figures the same high-quality level of typesetting that LaTeX does for scientific text. .SH OPTIONS If no arguments are given, Asymptote runs in interactive mode. .PP If "\-" is given as the file argument, Asymptote reads from standard input. .PP A summary of options is included below. The effect of most options can be negated by prepending .B no to the option name. Default values for most options may also be entered in the file .B .asy/config.asy in the user's home directory using the long form: .PP import settings; batchView=true; .PP For a complete description, see the Info files. asymptote-2.62/doc/superpath.asy0000644000000000000000000000017313607467113015475 0ustar rootrootsize(0,100); path unitcircle=E..N..W..S..cycle; path g=scale(2)*unitcircle; filldraw(unitcircle^^g,evenodd+yellow,black); asymptote-2.62/doc/helix.asy0000644000000000000000000000064713607467113014601 0ustar rootrootimport graph3; size(0,200); size3(200,IgnoreAspect); currentprojection=orthographic(4,6,3); real x(real t) {return cos(2pi*t);} real y(real t) {return sin(2pi*t);} real z(real t) {return t;} path3 p=graph(x,y,z,0,2.7,operator ..); draw(p,Arrow3); scale(true); xaxis3(XZ()*"$x$",Bounds,red,InTicks(Label,2,2)); yaxis3(YZ()*"$y$",Bounds,red,InTicks(beginlabel=false,Label,2,2)); zaxis3(XZ()*"$z$",Bounds,red,InTicks); asymptote-2.62/doc/penfunctionimage.asy0000644000000000000000000000076213607467113017021 0ustar rootrootimport palette; size(200); real fracpart(real x) {return (x-floor(x));} pair pws(pair z) { pair w=(z+exp(pi*I/5)/0.9)/(1+z/0.9*exp(-pi*I/5)); return exp(w)*(w^3-0.5*I); } int N=512; pair a=(-1,-1); pair b=(0.5,0.5); real dx=(b-a).x/N; real dy=(b-a).y/N; pen f(int u, int v) { pair z=a+(u*dx,v*dy); pair w=pws(z); real phase=degrees(w,warn=false); real modulus=w == 0 ? 0: fracpart(log(abs(w))); return hsv(phase,1,sqrt(modulus)); } image(f,N,N,(0,0),(300,300),antialias=true); asymptote-2.62/doc/bezier.asy0000644000000000000000000000012113607467113014733 0ustar rootrootlabel("$(1-t)^3z_0+3t(1-t)^2c_0+3t^2(1-t)c_1+t^3z_1\qquad 0\le t\le 1$.",(0,0)); asymptote-2.62/doc/generalaxis3.asy0000644000000000000000000000057013607467113016050 0ustar rootrootimport graph3; size(0,100); path3 g=yscale3(2)*unitcircle3; currentprojection=perspective(10,10,10); axis(Label("C",position=0,align=15X),g,InTicks(endlabel=false,8,end=false), ticklocate(0,360,new real(real v) { path3 h=O--max(abs(max(g)),abs(min(g)))*dir(90,v); return intersect(g,h)[0];}, new triple(real t) {return cross(dir(g,t),Z);})); asymptote-2.62/doc/subpictures.asy0000644000000000000000000000052513607467113016033 0ustar rootrootpicture pic1; real size=50; size(pic1,size); fill(pic1,(0,0)--(50,100)--(100,0)--cycle,red); picture pic2; size(pic2,size); fill(pic2,unitcircle,green); picture pic3; size(pic3,size); fill(pic3,unitsquare,blue); picture pic; add(pic,pic1.fit(),(0,0),N); add(pic,pic2.fit(),(0,0),10S); add(pic.fit(),(0,0),N); add(pic3.fit(),(0,0),10S); asymptote-2.62/doc/flow.asy0000644000000000000000000000113413607467113014427 0ustar rootrootimport graph; defaultpen(1.0); size(0,150,IgnoreAspect); real arrowsize=4mm; real arrowlength=2arrowsize; typedef path vector(real); // Return a vector interpolated linearly between a and b. vector vector(pair a, pair b) { return new path(real x) { return (0,0)--arrowlength*interp(a,b,x); }; } real f(real x) {return 1/x;} real epsilon=0.5; path g=graph(f,epsilon,1/epsilon); int n=3; draw(g); xaxis("$x$"); yaxis("$y$"); add(vectorfield(vector(W,W),g,n,true)); add(vectorfield(vector(NE,NW),(0,0)--(point(E).x,0),n,true)); add(vectorfield(vector(NE,NE),(0,0)--(0,point(N).y),n,true)); asymptote-2.62/doc/image.asy0000644000000000000000000000062113607467113014542 0ustar rootrootsize(12cm,12cm); import graph; import palette; int n=256; real ninv=2pi/n; real[][] v=new real[n][n]; for(int i=0; i < n; ++i) for(int j=0; j < n; ++j) v[i][j]=sin(i*ninv)*cos(j*ninv); pen[] Palette=BWRainbow(); picture bar; bounds range=image(v,(0,0),(1,1),Palette); palette(bar,"$A$",range,(0,0),(0.5cm,8cm),Right,Palette, PaletteTicks("$%+#.1f$")); add(bar.fit(),point(E),30E); asymptote-2.62/doc/filegraph.asy0000644000000000000000000000035613607467113015426 0ustar rootrootimport graph; size(200,150,IgnoreAspect); file in=input("filegraph.dat").line(); real[][] a=in; a=transpose(a); real[] x=a[0]; real[] y=a[1]; draw(graph(x,y),red); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); asymptote-2.62/doc/asymptote.texi0000644000000000000000000136016713607467113015701 0ustar rootroot\input texinfo @c -*-texinfo-*- @setfilename asymptote.info @settitle Asymptote: the Vector Graphics Language @include version.texi @finalout @codequoteundirected on @copying This file documents @code{Asymptote}, version @value{VERSION}. @url{http://asymptote.sourceforge.net} Copyright @copyright{} 2004-19 Andy Hammerlindl, John Bowman, and Tom Prince. @quotation Permission is granted to copy, distribute and/or modify this document under the terms of the @acronym{GNU} Lesser General Public License (see the file LICENSE in the top-level source directory). @end quotation @end copying @dircategory Languages @direntry * asymptote: (asymptote/asymptote). Vector graphics language. @end direntry @titlepage @title Asymptote: the Vector Graphics Language @subtitle For version @value{VERSION} @sp 1 @center @image{./logo} @page @vskip 0pt plus 1filll @insertcopying @end titlepage @c So the toc is printed at the start. @contents @ifnottex @node Top, Description, (dir), (dir) @top Asymptote @insertcopying @end ifnottex @menu * Description:: What is @code{Asymptote}? * Installation:: Downloading and installing * Tutorial:: Getting started * Drawing commands:: Four primitive graphics commands * Bezier curves:: Path connectors and direction specifiers * Programming:: The @code{Asymptote} vector graphics language * LaTeX usage:: Embedding @code{Asymptote} commands within @code{LaTeX} * Base modules:: Base modules shipped with @code{Asymptote} * Options:: Command-line options * Interactive mode:: Typing @code{Asymptote} commands interactively * GUI:: Graphical user interface * PostScript to Asymptote:: @code{Asymptote} backend to @code{pstoedit} * Help:: Where to get help and submit bug reports * Debugger:: Squish those bugs! * Credits:: Contributions and acknowledgments * Index:: General index @detailmenu --- The Detailed Node Listing --- Installation * UNIX binary distributions:: Prebuilt @code{UNIX} binaries * MacOS X binary distributions:: Prebuilt @code{MacOS X} binaries * Microsoft Windows:: Prebuilt @code{Microsoft Windows} binary * Configuring:: Configuring @code{Asymptote} for your system * Search paths:: Where @code{Asymptote} looks for your files * Compiling from UNIX source:: Building @code{Asymptote} from scratch * Editing modes:: Convenient @code{emacs} and @code{vim} modes * Git:: Getting the latest development source * Uninstall:: Goodbye, @code{Asymptote}! Tutorial * Drawing in batch mode:: Run @code{Asymptote} on a text file * Drawing in interactive mode:: Running @code{Asymptote} interactively * Figure size:: Specifying the figure size * Labels:: Adding @code{LaTeX} labels * Paths:: Drawing lines and curves Drawing commands * draw:: Draw a path on a picture or frame * fill:: Fill a cyclic path on a picture or frame * clip:: Clip a picture or frame to a cyclic path * label:: Label a point on a picture Programming * Data types:: void, bool, int, real, pair, triple, string * Paths and guides:: Bezier curves * Pens:: Colors, line types, line widths, font sizes * Transforms:: Affine transforms * Frames and pictures:: Canvases for immediate and deferred drawing * Files:: Reading and writing your data * Variable initializers:: Initialize your variables * Structures:: Organize your data * Operators:: Arithmetic and logical operators * Implicit scaling:: Avoiding those ugly *s * Functions:: Traditional and high-order functions * Arrays:: Dynamic vectors * Casts:: Implicit and explicit casts * Import:: Importing external @code{Asymptote} modules * Static:: Where to allocate your variable? Operators * Arithmetic & logical:: Basic mathematical operators * Self & prefix operators:: Increment and decrement * User-defined operators:: Overloading operators Functions * Default arguments:: Default values can appear anywhere * Named arguments:: Assigning function arguments by keyword * Rest arguments:: Functions with a variable number of arguments * Mathematical functions:: Standard libm functions Arrays * Slices:: Python-style array slices Base modules * plain:: Default @code{Asymptote} base file * simplex:: Linear programming: simplex method * math:: Extend @code{Asymptote}'s math capabilities * interpolate:: Interpolation routines * geometry:: Geometry routines * trembling:: Wavy lines * stats:: Statistics routines and histograms * patterns:: Custom fill and draw patterns * markers:: Custom path marker routines * tree:: Dynamic binary search tree * binarytree:: Binary tree drawing module * drawtree:: Tree drawing module * syzygy:: Syzygy and braid drawing module * feynman:: Feynman diagrams * roundedpath:: Round the sharp corners of paths * animation:: Embedded @acronym{PDF} and @acronym{MPEG} movies * embed:: Embedding movies, sounds, and 3D objects * slide:: Making presentations with @code{Asymptote} * MetaPost:: @code{MetaPost} compatibility routines * unicode:: Accept @code{unicode} (UTF-8) characters * latin1:: Accept @code{ISO 8859-1} characters * babel:: Interface to @code{LaTeX} @code{babel} package * labelpath:: Drawing curved labels * labelpath3:: Drawing curved labels in 3D * annotate:: Annotate your @acronym{PDF} files * CAD:: 2D CAD pen and measurement functions (DIN 15) * graph:: 2D linear & logarithmic graphs * palette:: Color density images and palettes * three:: 3D vector graphics * obj:: 3D obj files * graph3:: 3D linear & logarithmic graphs * grid3:: 3D grids * solids:: 3D solid geometry * tube:: 3D rotation minimizing tubes * flowchart:: Flowchart drawing routines * contour:: Contour lines * contour3:: Contour surfaces * smoothcontour3:: Smooth implicit surfaces * slopefield:: Slope fields * ode:: Ordinary differential equations Graphical User Interface * GUI installation:: Installing @code{xasy} * GUI usage:: Using @code{xasy} to edit objects @end detailmenu @end menu @node Description, Installation, Top, Top @chapter Description @cindex description @code{Asymptote} is a powerful descriptive vector graphics language that provides a mathematical coordinate-based framework for technical drawing. Labels and equations are typeset with @code{LaTeX}, for overall document consistency, yielding the same high-quality level of typesetting that @code{LaTeX} provides for scientific text. By default it produces @code{PostScript} output, but it can also generate any format that the @code{ImageMagick} package can produce. A major advantage of @code{Asymptote} over other graphics packages is that it is a high-level programming language, as opposed to just a graphics program: it can therefore exploit the best features of the script (command-driven) and graphical-user-interface (@acronym{GUI}) methods for producing figures. The rudimentary @acronym{GUI} @code{xasy} included with the package allows one to move script-generated objects around. To make @code{Asymptote} accessible to the average user, this @acronym{GUI} is currently being developed into a full-fledged interface that can generate objects directly. However, the script portion of the language is now ready for general use by users who are willing to learn a few simple @code{Asymptote} graphics commands (@pxref{Drawing commands}). @code{Asymptote} is mathematically oriented (e.g.@ one can use complex multiplication to rotate a vector) and uses @code{LaTeX} to do the typesetting of labels. This is an important feature for scientific applications. It was inspired by an earlier drawing program (with a weaker syntax and capabilities) called @code{MetaPost}. The @code{Asymptote} vector graphics language provides: @itemize @bullet @item a standard for typesetting mathematical figures, just as @TeX{}/@code{LaTeX} is the de-facto standard for typesetting equations. @item @code{LaTeX} typesetting of labels, for overall document consistency; @item the ability to generate and embed 3D vector @acronym{WebGL} graphics within @acronym{HTML} files; @item the ability to generate and embed 3D vector @acronym{PRC} graphics within @acronym{PDF} files; @item a natural coordinate-based framework for technical drawing, inspired by @code{MetaPost}, with a much cleaner, powerful C++-like programming syntax; @item compilation of figures into virtual machine code for speed, without sacrificing portability; @item the power of a script-based language coupled to the convenience of a @acronym{GUI}; @item customization using its own C++-like graphics programming language; @item sensible defaults for graphical features, with the ability to override; @item a high-level mathematically oriented interface to the @code{PostScript} language for vector graphics, including affine transforms and complex variables; @item functions that can create new (anonymous) functions; @item deferred drawing that uses the simplex method to solve overall size constraint issues between fixed-sized objects (labels and arrowheads) and objects that should scale with figure size; @end itemize Many of the features of @code{Asymptote} are written in the @code{Asymptote} language itself. While the stock version of @code{Asymptote} is designed for mathematics typesetting needs, one can write @code{Asymptote} modules that tailor it to specific applications; for example, a scientific graphing module is available (@pxref{graph}). Examples of @code{Asymptote} code and output, including animations, are available at @quotation @url{http://asymptote.sourceforge.net/gallery/} @end quotation @noindent Clicking on an example file name in this manual, like @code{@uref{http://asymptote.sourceforge.net/gallery/Pythagoras.svg,,Pythagoras}}, will display the @acronym{PDF} output, whereas clicking on its @code{@uref{http://asymptote.sourceforge.net/gallery/Pythagoras.asy,,.asy}} extension will show the corresponding @code{Asymptote} code in a separate window. Links to many external resources, including an excellent user-written @code{Asymptote} tutorial can be found at @quotation @url{http://asymptote.sourceforge.net/links.html} @end quotation @cindex reference @cindex quick reference A quick reference card for @code{Asymptote} is available at @quotation @url{http://asymptote.sourceforge.net/asyRefCard.pdf} @end quotation @node Installation, Tutorial, Description, Top @chapter Installation @cindex installation @menu * UNIX binary distributions:: Prebuilt @code{UNIX} binaries * MacOS X binary distributions:: Prebuilt @code{MacOS X} binaries * Microsoft Windows:: Prebuilt @code{Microsoft Windows} binary * Configuring:: Configuring @code{Asymptote} for your system * Search paths:: Where @code{Asymptote} looks for your files * Compiling from UNIX source:: Building @code{Asymptote} from scratch * Editing modes:: Convenient @code{emacs} and @code{vim} modes * Git:: Getting the latest development source * Uninstall:: Goodbye, @code{Asymptote}! @end menu After following the instructions for your specific distribution, please see also @ref{Configuring}. @noindent We recommend subscribing to new release announcements at @quotation @url{http://sourceforge.net/projects/asymptote} @end quotation @noindent Users may also wish to monitor the @code{Asymptote} forum: @quotation @url{http://sourceforge.net/p/asymptote/discussion/409349} @end quotation @noindent @node UNIX binary distributions, MacOS X binary distributions, Installation, Installation @section UNIX binary distributions @cindex UNIX binary distributions @cindex @acronym{RPM} @cindex @code{tgz} We release both @code{tgz} and @acronym{RPM} binary distributions of @code{Asymptote}. The root user can install the @code{Linux x86_64} @code{tgz} distribution of version @code{x.xx} of @code{Asymptote} with the commands: @verbatim tar -C / -zxf asymptote-x.xx.x86_64.tgz texhash @end verbatim @noindent The @code{texhash} command, which installs LaTeX style files, is optional. The executable file will be @code{/usr/local/bin/asy}) and example code will be installed by default in @code{@value{Datadir}/doc/asymptote/examples}. @noindent @cindex Fedora Fedora users can easily install the most recent version of @code{Asymptote} with the command @verbatim dnf --enablerepo=rawhide install asymptote @end verbatim @cindex Debian @noindent To install the latest version of @code{Asymptote} on a Debian-based distribution (e.g.@ Ubuntu, Mepis, Linspire) follow the instructions for compiling from @code{UNIX} source (@pxref{Compiling from UNIX source}). Alternatively, Debian users can install one of Hubert Chan's prebuilt @code{Asymptote} binaries from @quotation @url{http://ftp.debian.org/debian/pool/main/a/asymptote} @end quotation @node MacOS X binary distributions, Microsoft Windows, UNIX binary distributions, Installation @section MacOS X binary distributions @cindex @code{MacOS X} binary distributions @code{MacOS X} users can either compile the @code{UNIX} source code (@pxref{Compiling from UNIX source}) or install the @code{Asymptote} binary available at @url{http://www.macports.org/} @noindent Note that many @code{MacOS X} (and FreeBSD) systems lack the @acronym{GNU} @code{readline} library. For full interactive functionality, @acronym{GNU} @code{readline} version 4.3 or later must be installed. @node Microsoft Windows, Configuring, MacOS X binary distributions, Installation @section Microsoft Windows @cindex Microsoft Windows Users of the @code{Microsoft Windows} operating system can install the self-extracting @code{Asymptote} executable @code{asymptote-x.xx-setup.exe}, where @code{x.xx} denotes the latest version. A working @TeX{} implementation (we recommend @url{https://www.tug.org/texlive} or @url{http://www.miktex.org}) will be required to typeset labels. You will also need to install @code{GPL Ghostscript} version 9.14 or later from @url{http://downloads.ghostscript.com/public}. To view @code{PostScript} output, you can install the program @code{gsview} available from @url{http://www.cs.wisc.edu/~ghost/gsview/}. The @code{ImageMagick} package from @url{http://www.imagemagick.org/script/binary-releases.php} @noindent is required to support output formats other than @acronym{HTML}, @acronym{PDF}, @acronym{SVG}, and @acronym{PNG} (@pxref{convert}). The @code{Python 3} interpreter from @url{http://www.python.org} is only required if you wish to try out the graphical user interface (@pxref{GUI}). @noindent Example code will be installed by default in the @code{examples} subdirectory of the installation directory (by default, @code{C:\Program Files\Asymptote}). @node Configuring, Search paths, Microsoft Windows, Installation @section Configuring @cindex configuring @cindex @code{-V} In interactive mode, or when given the @code{-V} option (the default when running @code{Asymptote} on a single file under @code{MSDOS}), @code{Asymptote} will automatically invoke the @code{PostScript} viewer @code{gv} (under @code{UNIX}) or @code{gsview} (under @code{MSDOS} to display graphical output. The @code{PostScript} viewer should be capable of automatically redrawing whenever the output file is updated. The default @code{UNIX} @code{PostScript} viewer @code{gv} supports this (via a @code{SIGHUP} signal). Version @code{gv-3.6.3} or later (from @url{http://ftp.gnu.org/gnu/gv/}) is required for interactive mode to work properly. Users of @code{ggv} will need to enable @code{Watch file} under @code{Edit/Postscript Viewer Preferences}. Users of @code{gsview} will need to enable @code{Options/Auto Redisplay} (however, under @code{MSDOS} it is still necessary to click on the @code{gsview} window; under @code{UNIX} one must manually redisplay by pressing the @code{r} key). @cindex @code{psviewer} @cindex @code{pdfviewer} @cindex @code{htmlviewer} @cindex @code{gs} @cindex @code{display} @cindex @code{animate} @cindex @code{settings} @cindex configuration file Configuration variables are most easily set as @code{Asymptote} variables in an optional configuration file @code{config.asy} @pxref{configuration file}). For example, the setting @code{pdfviewer} specifies the location of the @acronym{PDF} viewer. Here are the default values of several important configuration variables under @code{UNIX}: @noindent @verbatim import settings; pdfviewer="acroread"; htmlviewer="google-chrome"; psviewer="gv"; display="display"; animate="animate"; gs="gs"; libgs=""; @end verbatim @noindent @cindex @code{cmd} Under @code{MSDOS}, the viewer settings @code{htmlviewer}, @code{pdfviewer}, @code{psviewer}, @code{display}, and @code{animate} default to the string @code{cmd}, requesting the application normally associated with each file type. The (installation-dependent) default values of @code{gs} and @code{libgs} are determined automatically from the @code{Microsoft Windows} registry. The @code{gs} setting specifies the location of the @code{PostScript} processor @code{Ghostscript}, available from @url{https://www.ghostscript.com/}. @noindent @cindex @code{htmlviewer} The configuration variable @code{htmlviewer} specifies the browser to use to display 3D @code{WebGL} output. The default setting is @code{google-chrome} under @code{UNIX} and @code{cmd} under @code{Microsoft Windows}. Note that @code{Internet Explorer} does not support @code{WebGL}; @code{Microsoft Windows} users should set their default html browser to @code{chrome} or @code{microsoft-edge}. On @code{UNIX} systems, to support automatic document reloading of @code{PDF} files in @code{Adobe Reader}, we recommend copying the file @code{reload.js} from the @code{Asymptote} system directory (by default, @code{@value{Datadir}/asymptote} under @code{UNIX} to @code{~/.adobe/Acrobat/x.x/JavaScripts/}, where @code{x.x} represents the appropriate @code{Adobe Reader} version number. The automatic document reload feature must then be explicitly enabled by putting @verbatim import settings; pdfreload=true; pdfreloadOptions="-tempFile"; @end verbatim @noindent in the @code{Asymptote} configuration file. This reload feature is not useful under @code{MSDOS} since the document cannot be updated anyway on that operating system until it is first closed by @code{Adobe Reader}. The configuration variable @code{dir} can be used to adjust the search path (@pxref{Search paths}). @cindex @code{papertype} @cindex @code{paperwidth} @cindex @code{paperheight} @cindex @code{letter} @cindex @code{a4} By default, @code{Asymptote} attempts to center the figure on the page, assuming that the paper type is @code{letter}. The default paper type may be changed to @code{a4} with the configuration variable @code{papertype}. Alignment to other paper sizes can be obtained by setting the configuration variables @code{paperwidth} and @code{paperheight}. @cindex @code{config} @cindex @code{texpath} @cindex @code{texcommand} @cindex @code{dvips} @cindex @code{dvisvgm} @cindex @code{convert} @cindex @code{ImageMagick} @cindex @code{asygl} These additional configuration variables normally do not require adjustment: @verbatim config texpath texcommand dvips dvisvgm convert asygl @end verbatim @noindent Warnings (such as "unbounded" and "offaxis") may be enabled or disabled with the functions @verbatim warn(string s); nowarn(string s); @end verbatim @noindent or by directly modifying the string array @code{settings.suppress}, which lists all disabled warnings. @cindex command-line options Configuration variables may also be set or overwritten with a command-line option: @verbatim asy -psviewer=gsview -V venn @end verbatim @cindex environment variables Alternatively, system environment versions of the above configuration variables may be set in the conventional way. The corresponding environment variable name is obtained by converting the configuration variable name to upper case and prepending @code{ASYMPTOTE_}: for example, to set the environment variable @verbatim ASYMPTOTE_PSVIEWER="C:\Program Files\Ghostgum\gsview\gsview32.exe"; @end verbatim @noindent under @code{Microsoft Windows XP}: @enumerate @item Click on the @code{Start} button; @item Right-click on @code{My Computer}; @item Choose @code{View system information}; @item Click the @code{Advanced} tab; @item Click the @code{Environment Variables} button. @end enumerate @node Search paths, Compiling from UNIX source, Configuring, Installation @section Search paths @cindex search paths In looking for @code{Asymptote} system files, @code{asy} will search the following paths, in the order listed: @enumerate @item The current directory; @item @cindex @code{dir} A list of one or more directories specified by the configuration variable @code{dir} or environment variable @code{ASYMPTOTE_DIR} (separated by @code{:} under UNIX and @code{;} under @code{MSDOS}); @item @cindex @code{.asy} The directory specified by the environment variable @code{ASYMPTOTE_HOME}; if this variable is not set, the directory @code{.asy} in the user's home directory (@code{%USERPROFILE%\.asy} under @code{MSDOS}) is used; @item The @code{Asymptote} system directory (by default, @code{@value{Datadir}/asymptote} under @code{UNIX} and @code{C:\Program Files\Asymptote} under @code{MSDOS}). @end enumerate @node Compiling from UNIX source, Editing modes, Search paths, Installation @section Compiling from UNIX source @cindex Compiling from UNIX source To compile and install a @code{UNIX} executable from the source release @code{asymptote-x.xx.src.tgz} in the subdirectory @code{x.xx} under @url{http://sourceforge.net/projects/asymptote/files/} execute the commands: @verbatim gunzip asymptote-x.xx.src.tgz tar -xf asymptote-x.xx.src.tar cd asymptote-x.xx @end verbatim By default the system version of the Boehm garbage collector will be used; if it is old we recommend first putting @url{https://github.com/ivmai/bdwgc/releases/download/v8.0.4/gc-8.0.4.tar.gz} @url{https://www.ivmaisoft.com/_bin/atomic_ops/libatomic_ops-7.6.10.tar.gz} in the @code{Asymptote} source directory. On @code{UNIX} platforms (other than @code{MacOS X}), we recommend using version @code{3.0.0} of the @code{freeglut} library. To compile @code{freeglut}, download @quotation @url{http://prdownloads.sourceforge.net/freeglut/freeglut-3.0.0.tar.gz} @end quotation @noindent and type (as the root user): @verbatim gunzip freeglut-3.0.0.tar.gz tar -xf freeglut-3.0.0.tar cd freeglut-3.0.0 ./configure --prefix=/usr cmake . make make install cd .. @end verbatim @noindent Then compile @code{Asymptote} with the commands @verbatim ./configure make all make install @end verbatim @noindent Be sure to use @acronym{GNU} @code{make} (on non-@acronym{GNU} systems this command may be called @code{gmake}). To build the documentation, you may need to install the @code{texinfo-tex} package. If you get errors from a broken @code{texinfo} or @code{pdftex} installation, simply put @quotation @url{http://asymptote.sourceforge.net/asymptote.pdf} @end quotation @noindent in the directory @code{doc} and repeat the command @code{make all}. @noindent For a (default) system-wide installation, the last command should be done as the root user. To install without root privileges, change the @code{./configure} command to @verbatim ./configure --prefix=$HOME/asymptote @end verbatim One can disable use of the Boehm garbage collector by configuring with @code{./configure --disable-gc}. For a list of other configuration options, say @code{./configure --help}. For example, one can tell configure to look for header files and libraries in nonstandard locations: @verbatim ./configure CPPFLAGS=-I/opt/local/include LDFLAGS=-L/opt/local/lib @end verbatim If you are compiling @code{Asymptote} with @code{gcc}, you will need a relatively recent version (e.g.@ 3.4.4 or later). For full interactive functionality, you will need version 4.3 or later of the @acronym{GNU} @code{readline} library. The file @code{gcc3.3.2curses.patch} in the @code{patches} directory can be used to patch the broken curses.h header file (or a local copy thereof in the current directory) on some @code{AIX} and @code{IRIX} systems. @cindex @code{FFTW} @cindex @code{GSL} The @code{FFTW} library is only required if you want @code{Asymptote} to be able to take Fourier transforms of data (say, to compute an audio power spectrum). The @code{GSL} library is only required if you require the special functions that it supports. If you don't want to install @code{Asymptote} system wide, just make sure the compiled binary @code{asy} and @acronym{GUI} script @code{xasy} are in your path and set the configuration variable @code{dir} to point to the directory @code{base} (in the top level directory of the @code{Asymptote} source code). @node Editing modes, Git, Compiling from UNIX source, Installation @section Editing modes @cindex Editing modes @cindex @code{emacs} @cindex @code{asy-mode} @cindex @code{lasy-mode} Users of @code{emacs} can edit @code{Asymptote} code with the mode @code{asy-mode}, after enabling it by putting the following lines in their @code{.emacs} initialization file, replacing @code{ASYDIR} with the location of the @code{Asymptote} system directory (by default, @code{@value{Datadir}/asymptote} or @code{C:\Program Files\Asymptote} under @code{MSDOS}): @verbatim (add-to-list 'load-path "ASYDIR") (autoload 'asy-mode "asy-mode.el" "Asymptote major mode." t) (autoload 'lasy-mode "asy-mode.el" "hybrid Asymptote/Latex major mode." t) (autoload 'asy-insinuate-latex "asy-mode.el" "Asymptote insinuate LaTeX." t) (add-to-list 'auto-mode-alist '("\\.asy$" . asy-mode)) @end verbatim @noindent Particularly useful key bindings in this mode are @code{C-c C-c}, which compiles and displays the current buffer, and the key binding @code{C-c ?}, which shows the available function prototypes for the command at the cursor. For full functionality you should also install the Apache Software Foundation package @code{two-mode-mode}: @quotation @url{http://www.dedasys.com/freesoftware/files/two-mode-mode.el} @end quotation @noindent Once installed, you can use the hybrid mode @code{lasy-mode} to edit a LaTeX file containing embedded @code{Asymptote} code (@pxref{LaTeX usage}). This mode can be enabled within @code{latex-mode} with the key sequence @code{M-x lasy-mode }. On @code{UNIX} systems, additional keywords will be generated from all @code{asy} files in the space-separated list of directories specified by the environment variable @code{ASYMPTOTE_SITEDIR}. Further documentation of @code{asy-mode} is available within @code{emacs} by pressing the sequence keys @code{C-h f asy-mode }. @cindex @code{vim} @cindex @code{asy.vim} Fans of @code{vim} can customize @code{vim} for @code{Asymptote} with @noindent @code{cp @value{Datadir}/asymptote/asy.vim ~/.vim/syntax/asy.vim} @noindent and add the following to their @code{~/.vimrc} file: @verbatim augroup filetypedetect au BufNewFile,BufRead *.asy setf asy augroup END filetype plugin on @end verbatim If any of these directories or files don't exist, just create them. To set @code{vim} up to run the current asymptote script using @code{:make} just add to @code{~/.vim/ftplugin/asy.vim}: @verbatim setlocal makeprg=asy\ % setlocal errorformat=%f:\ %l.%c:\ %m @end verbatim @cindex @code{KDE editor} @cindex @code{Kate} @cindex @code{asymptote.xml} Syntax highlighting support for the @acronym{KDE} editor @code{Kate} can be enabled by running @code{asy-kate.sh} in the @code{@value{Datadir}/asymptote} directory and putting the generated @code{asymptote.xml} file in @code{~/.kde/share/apps/katepart/syntax/}. @node Git, Uninstall, Editing modes, Installation @section Git @cindex git The following commands are needed to install the latest development version of @code{Asymptote} using @code{git}: @verbatim git clone https://github.com/vectorgraphics/asymptote cd asymptote ./autogen.sh ./configure make all make install @end verbatim @noindent To compile without optimization, use the command @code{make CFLAGS=-g}. @node Uninstall, , Git, Installation @section Uninstall @cindex uninstall To uninstall a @code{Linux x86_64} binary distribution, use the commands @verbatim tar -zxvf asymptote-x.xx.x86_64.tgz | xargs --replace=% rm /% texhash @end verbatim @noindent To uninstall all @code{Asymptote} files installed from a source distribution, use the command @verbatim make uninstall @end verbatim @node Tutorial, Drawing commands, Installation, Top @chapter Tutorial @cindex tutorial @menu * Drawing in batch mode:: Run @code{Asymptote} on a text file * Drawing in interactive mode:: Running @code{Asymptote} interactively * Figure size:: Specifying the figure size * Labels:: Adding @code{LaTeX} labels * Paths:: Drawing lines and curves @end menu A concise introduction to @code{Asymptote} is given here. For a more thorough introduction, see the excellent @code{Asymptote} tutorial written by Charles Staats: @url{http://math.uchicago.edu/~cstaats/Charles_Staats_III/Notes_and_papers_files/asymptote_tutorial.pdf} Another @code{Asymptote} tutorial is available as a wiki, with images rendered by an online Asymptote engine: @url{http://www.artofproblemsolving.com/wiki/?title=Asymptote_(Vector_Graphics_Language)} @node Drawing in batch mode, Drawing in interactive mode, Tutorial, Tutorial @section Drawing in batch mode @cindex batch mode To draw a line from coordinate (0,0) to coordinate (100,100), create a text file @code{test.asy} containing @verbatiminclude diagonal.asy @noindent Then execute the command @verbatim asy -V test @end verbatim @noindent Alternatively, @code{MSDOS} users can drag and drop @code{test.asy} onto the Desktop @code{asy} icon (or make @code{Asymptote} the default application for the extension @code{asy}). @noindent @cindex @code{-V} This method, known as @emph{batch mode}, outputs a @code{PostScript} file @code{test.eps}. If you prefer @acronym{PDF} output, use the command line @verbatim asy -V -f pdf test @end verbatim In either case, the @code{-V} option opens up a viewer window so you can immediately view the result: @sp 1 @center @image{./diagonal} @cindex @code{bp} @noindent Here, the @code{--} connector joins the two points @code{(0,0)} and @code{(100,100)} with a line segment. @node Drawing in interactive mode, Figure size, Drawing in batch mode, Tutorial @section Drawing in interactive mode @cindex interactive mode Another method is @emph{interactive mode}, where @code{Asymptote} reads individual commands as they are entered by the user. To try this out, enter @code{Asymptote}'s interactive mode by clicking on the @code{Asymptote} icon or typing the command @code{asy}. Then type @verbatim draw((0,0)--(100,100)); @end verbatim @noindent followed by @code{Enter}, to obtain the above image. @cindex tab completion @cindex arrow keys @cindex erase @cindex quit @noindent At this point you can type further @code{draw} commands, which will be added to the displayed figure, @code{erase} to clear the canvas, @verbatim input test; @end verbatim @noindent to execute all of the commands contained in the file @code{test.asy}, or @code{quit} to exit interactive mode. You can use the arrow keys in interactive mode to edit previous lines. The tab key will automatically complete unambiguous words; otherwise, hitting tab again will show the possible choices. Further commands specific to interactive mode are described in @ref{Interactive mode}. @node Figure size, Labels, Drawing in interactive mode, Tutorial @section Figure size @cindex @code{size} @cindex @code{pair} In @code{Asymptote}, coordinates like @code{(0,0)} and @code{(100,100)}, called @emph{pairs}, are expressed in @code{PostScript} "big points" (1 @code{bp} = 1/72 @code{inch}) and the default line width is @code{0.5bp}. However, it is often inconvenient to work directly in @code{PostScript} coordinates. The next example produces identical output to the previous example, by scaling the line @code{(0,0)--(1,1)} to fit a rectangle of width @code{100.5 bp} and height @code{100.5 bp} (the extra @code{0.5bp} accounts for the line width): @verbatim size(100.5,100.5); draw((0,0)--(1,1)); @end verbatim @sp 1 @center @image{./diagonal} @cindex @code{inches} @cindex @code{cm} @cindex @code{mm} @cindex @code{pt} One can also specify the size in @code{pt} (1 @code{pt} = 1/72.27 @code{inch}), @code{cm}, @code{mm}, or @code{inches}. Two nonzero size arguments (or a single size argument) restrict the size in both directions, preserving the aspect ratio. If 0 is given as a size argument, no restriction is made in that direction; the overall scaling will be determined by the other direction (@pxref{size}): @verbatiminclude bigdiagonal.asy @sp 1 @center @image{./bigdiagonal} @cindex @code{cycle} To connect several points and create a cyclic path, use the @code{cycle} keyword: @verbatiminclude square.asy @sp 1 @center @image{./square} @noindent For convenience, the path @code{(0,0)--(1,0)--(1,1)--(0,1)--cycle} may be replaced with the predefined variable @code{unitsquare}, or equivalently, @code{box((0,0),(1,1))}. @cindex user coordinates @cindex @code{unitsize} To make the user coordinates represent multiples of exactly @code{1cm}: @verbatim unitsize(1cm); draw(unitsquare); @end verbatim @noindent @node Labels, Paths, Figure size, Tutorial @section Labels @cindex @code{label} Adding labels is easy in @code{Asymptote}; one specifies the label as a double-quoted @code{LaTeX} string, a coordinate, and an optional alignment direction: @verbatiminclude labelsquare.asy @sp 1 @center @image{./labelsquare} @cindex compass directions @cindex @code{N} @cindex @code{E} @cindex @code{W} @cindex @code{S} @code{Asymptote} uses the standard compass directions @code{E=(1,0)}, @code{N=(0,1)}, @code{NE=unit(N+E)}, and @code{ENE=unit(E+NE)}, etc., which along with the directions @code{up}, @code{down}, @code{right}, and @code{left} are defined as pairs in the @code{Asymptote} base module @code{plain} (a user who has a local variable named @code{E} may access the compass direction @code{E} by prefixing it with the name of the module where it is defined: @code{plain.E}). @node Paths, , Labels, Tutorial @section Paths @cindex @code{path} This example draws a path that approximates a quarter circle, terminated with an arrowhead: @verbatiminclude quartercircle.asy @sp 1 @center @image{./quartercircle} @noindent Here the directions @code{up} and @code{left} in braces specify the outgoing and incoming directions at the points @code{(1,0)} and @code{(0,1)}, respectively. In general, a path is specified as a list of points (or other paths) interconnected with @cindex @code{cycle} @cindex @code{--} @cindex @code{..} @code{--}, which denotes a straight line segment, or @code{..}, which denotes a cubic spline (@pxref{Bezier curves}). @cindex @code{unitcircle} @anchor{unitcircle} @cindex @code{unitcircle} Specifying a final @code{..cycle} creates a cyclic path that connects smoothly back to the initial node, as in this approximation (accurate to within 0.06%) of a unit circle: @verbatim path unitcircle=E..N..W..S..cycle; @end verbatim @cindex @code{PostScript} subpath @cindex @code{^^} @cindex @code{path[]} @cindex superpath @noindent An @code{Asymptote} path, being connected, is equivalent to a @code{Postscript subpath}. The @code{^^} binary operator, which requests that the pen be moved (without drawing or affecting endpoint curvatures) from the final point of the left-hand path to the initial point of the right-hand path, may be used to group several @code{Asymptote} paths into a @code{path[]} array (equivalent to a @code{PostScript} path): @verbatiminclude superpath.asy @sp 1 @center @image{./superpath} @cindex evenodd @noindent The @code{PostScript} even-odd fill rule here specifies that only the region bounded between the two unit circles is filled (@pxref{fillrule}). In this example, the same effect can be achieved by using the default zero winding number fill rule, if one is careful to alternate the orientation of the paths: @verbatim filldraw(unitcircle^^reverse(g),yellow,black); @end verbatim @cindex @code{unitbox} The @code{^^} operator is used by the @code{box(triple, triple)} function in the module @code{three.asy} to construct the edges of a cube @code{unitbox} without retracing steps (@pxref{three}): @verbatiminclude cube.asy @sp 1 @center @image{./cube} See section @ref{graph} (or the online @code{Asymptote} @uref{http://asymptote.sourceforge.net/gallery,,gallery} and external links posted at @url{http://asymptote.sourceforge.net}) for further examples, including two-dimensional and interactive three-dimensional scientific graphs. Additional examples have been posted by Philippe Ivaldi at @url{http://www.piprime.fr/asymptote}. @node Drawing commands, Bezier curves, Tutorial, Top @chapter Drawing commands @cindex drawing commands All of @code{Asymptote}'s graphical capabilities are based on four primitive commands. The three @code{PostScript} drawing commands @code{draw}, @code{fill}, and @code{clip} add objects to a picture in the order in which they are executed, with the most recently drawn object appearing on top. The labeling command @code{label} can be used to add text labels and external @acronym{EPS} images, which will appear on top of the @code{PostScript} objects (since this is normally what one wants), but again in the relative order in which they were executed. After drawing objects on a picture, the picture can be output with the @code{shipout} function (@pxref{shipout}). @cindex @code{layer} If you wish to draw @code{PostScript} objects on top of labels (or verbatim @code{tex} commands; @pxref{tex}), the @code{layer} command may be used to start a new @code{PostScript/LaTeX} layer: @verbatim void layer(picture pic=currentpicture); @end verbatim The @code{layer} function gives one full control over the order in which objects are drawn. Layers are drawn sequentially, with the most recent layer appearing on top. Within each layer, labels, images, and verbatim @code{tex} commands are always drawn after the @code{PostScript} objects in that layer. While some of these drawing commands take many options, they all have sensible default values (for example, the picture argument defaults to currentpicture). @cindex legend @cindex @code{draw} @cindex @code{arrow} @menu * draw:: Draw a path on a picture or frame * fill:: Fill a cyclic path on a picture or frame * clip:: Clip a picture or frame to a cyclic path * label:: Label a point on a picture @end menu @node draw, fill, Drawing commands, Drawing commands @section draw @cindex @code{draw} @verbatim void draw(picture pic=currentpicture, Label L="", path g, align align=NoAlign, pen p=currentpen, arrowbar arrow=None, arrowbar bar=None, margin margin=NoMargin, Label legend="", marker marker=nomarker); @end verbatim Draw the path @code{g} on the picture @code{pic} using pen @code{p} for drawing, with optional drawing attributes (Label @code{L}, explicit label alignment @code{align}, arrows and bars @code{arrow} and @code{bar}, margins @code{margin}, legend, and markers @code{marker}). Only one parameter, the path, is required. For convenience, the arguments @code{arrow} and @code{bar} may be specified in either order. The argument @code{legend} is a Label to use in constructing an optional legend entry. @cindex @code{None} @cindex @code{BeginBar} @cindex @code{EndBar} @cindex @code{Bar} @cindex @code{Bars} @cindex @code{barsize} Bars are useful for indicating dimensions. The possible values of @code{bar} are @code{None}, @code{BeginBar}, @code{EndBar} (or equivalently @code{Bar}), and @code{Bars} (which draws a bar at both ends of the path). Each of these bar specifiers (except for @code{None}) will accept an optional real argument that denotes the length of the bar in @code{PostScript} coordinates. The default bar length is @code{barsize(pen)}. @cindex arrows @anchor{arrows} @cindex @code{None} @cindex @code{Blank} @cindex @code{BeginArrow} @cindex @code{MidArrow} @cindex @code{EndArrow} @cindex @code{Arrow} @cindex @code{Arrows} @cindex @code{FillDraw} @cindex @code{Fill} @cindex @code{Draw} @cindex @code{NoFill} @cindex @code{UnFill} @cindex @code{BeginArcArrow} @cindex @code{MidArcArrow} @cindex @code{EndArcArrow} @cindex @code{ArcArrow} @cindex @code{ArcArrows} @cindex @code{DefaultHead} @cindex @code{SimpleHead} @cindex @code{HookHead} @cindex @code{TeXHead} The possible values of @code{arrow} are @code{None}, @code{Blank} (which draws no arrows or path), @code{BeginArrow}, @code{MidArrow}, @code{EndArrow} (or equivalently @code{Arrow}), and @code{Arrows} (which draws an arrow at both ends of the path). All of the arrow specifiers except for @code{None} and @code{Blank} may be given the optional arguments arrowhead @code{arrowhead} (one of the predefined arrowhead styles @code{DefaultHead}, @code{SimpleHead}, @code{HookHead}, @code{TeXHead}), real @code{size} (arrowhead size in @code{PostScript} coordinates), real @code{angle} (arrowhead angle in degrees), filltype @code{filltype} (one of @code{FillDraw}, @code{Fill}, @code{NoFill}, @code{UnFill}, @code{Draw}) and (except for @code{MidArrow} and @code{Arrows}) a real @code{position} (in the sense of @code{point(path p, real t)}) along the path where the tip of the arrow should be placed. The default arrowhead size when drawn with a pen @code{p} is @code{arrowsize(p)}. There are also arrow versions with slightly modified default values of @code{size} and @code{angle} suitable for curved arrows: @code{BeginArcArrow}, @code{EndArcArrow} (or equivalently @code{ArcArrow}), @code{MidArcArrow}, and @code{ArcArrows}. @cindex @code{NoMargin} @cindex @code{BeginMargin} @cindex @code{EndMargin} @cindex @code{Margin} @cindex @code{Margins} @cindex @code{BeginPenMargin} @cindex @code{EndPenMargin} @cindex @code{PenMargin} @cindex @code{PenMargins} @cindex @code{BeginDotMargin} @cindex @code{EndDotMargin} @cindex @code{DotMargin} @cindex @code{DotMargins} @cindex @code{Margin} @cindex @code{TrueMargin} Margins can be used to shrink the visible portion of a path by @code{labelmargin(p)} to avoid overlap with other drawn objects. Typical values of @code{margin} are @code{NoMargin}, @code{BeginMargin}, @code{EndMargin} (or equivalently @code{Margin}), and @code{Margins} (which leaves a margin at both ends of the path). One may use @code{Margin(real begin, real end)} to specify the size of the beginning and ending margin, respectively, in multiples of the units @code{labelmargin(p)} used for aligning labels. Alternatively, @code{BeginPenMargin}, @code{EndPenMargin} (or equivalently @code{PenMargin}), @code{PenMargins}, @code{PenMargin(real begin, real end)} specify a margin in units of the pen line width, taking account of the pen line width when drawing the path or arrow. For example, use @code{DotMargin}, an abbreviation for @code{PenMargin(-0.5*dotfactor,0.5*dotfactor)}, to draw from the usual beginning point just up to the boundary of an end dot of width @code{dotfactor*linewidth(p)}. The qualifiers @code{BeginDotMargin}, @code{EndDotMargin}, and @code{DotMargins} work similarly. The qualifier @code{TrueMargin(real begin, real end)} allows one to specify a margin directly in @code{PostScript} units, independent of the pen line width. The use of arrows, bars, and margins is illustrated by the examples @code{@uref{http://asymptote.sourceforge.net/gallery/Pythagoras.svg,,Pythagoras}@uref{http://asymptote.sourceforge.net/gallery/Pythagoras.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/sqrtx01.html,,sqrtx01}@uref{http://asymptote.sourceforge.net/gallery/sqrtx01.asy,,.asy}}. The legend for a picture @code{pic} can be fit and aligned to a frame with the routine: @cindex @code{legend} @verbatim frame legend(picture pic=currentpicture, int perline=1, real xmargin=legendmargin, real ymargin=xmargin, real linelength=legendlinelength, real hskip=legendhskip, real vskip=legendvskip, real maxwidth=0, real maxheight=0, bool hstretch=false, bool vstretch=false, pen p=currentpen); @end verbatim @noindent Here @code{xmargin} and @code{ymargin} specify the surrounding @math{x} and @math{y} margins, @code{perline} specifies the number of entries per line (default 1; 0 means choose this number automatically), @code{linelength} specifies the length of the path lines, @code{hskip} and @code{vskip} specify the line skip (as a multiple of the legend entry size), @code{maxwidth} and @code{maxheight} specify optional upper limits on the width and height of the resulting legend (0 means unlimited), @code{hstretch} and @code{vstretch} allow the legend to stretch horizontally or vertically, and @code{p} specifies the pen used to draw the bounding box. The legend frame can then be added and aligned about a point on a picture @code{dest} using @code{add} or @code{attach} (@pxref{add about}). @cindex @code{dot} To draw a dot, simply draw a path containing a single point. The @code{dot} command defined in the module @code{plain} draws a dot having a diameter equal to an explicit pen line width or the default line width magnified by @code{dotfactor} (6 by default), using the specified filltype (@pxref{filltype}) or @code{dotfilltype} (@code{Fill} by default): @verbatim void dot(frame f, pair z, pen p=currentpen, filltype filltype=dotfilltype); void dot(picture pic=currentpicture, pair z, pen p=currentpen, filltype filltype=dotfilltype); void dot(picture pic=currentpicture, Label L, pair z, align align=NoAlign, string format=defaultformat, pen p=currentpen, filltype filltype=dotfilltype); void dot(picture pic=currentpicture, Label[] L=new Label[], pair[] z, align align=NoAlign, string format=defaultformat, pen p=currentpen, filltype filltype=dotfilltype); void dot(picture pic=currentpicture, path[] g, pen p=currentpen, filltype filltype=dotfilltype); void dot(picture pic=currentpicture, Label L, pen p=currentpen, filltype filltype=dotfilltype); @end verbatim @cindex @code{Label} If the variable @code{Label} is given as the @code{Label} argument to the third routine, the @code{format} argument will be used to format a string based on the dot location (here @code{defaultformat} is @code{"$%.4g$"}). The fourth routine draws a dot at every point of a pair array @code{z}. One can also draw a dot at every node of a path: @verbatim void dot(picture pic=currentpicture, Label[] L=new Label[], explicit path g, align align=RightSide, string format=defaultformat, pen p=currentpen, filltype filltype=dotfilltype); @end verbatim See @ref{pathmarkers} and @ref{markers} for more general methods for marking path nodes. To draw a fixed-sized object (in @code{PostScript} coordinates) about the user coordinate @code{origin}, use the routine @cindex @code{draw} @verbatim void draw(pair origin, picture pic=currentpicture, Label L="", path g, align align=NoAlign, pen p=currentpen, arrowbar arrow=None, arrowbar bar=None, margin margin=NoMargin, Label legend="", marker marker=nomarker); @end verbatim @cindex @code{fill} @node fill, clip, draw, Drawing commands @section fill @cindex @code{fill} @verbatim void fill(picture pic=currentpicture, path g, pen p=currentpen); @end verbatim Fill the interior region bounded by the cyclic path @code{g} on the picture @code{pic}, using the pen @code{p}. @cindex @code{filldraw} There is also a convenient @code{filldraw} command, which fills the path and then draws in the boundary. One can specify separate pens for each operation: @verbatim void filldraw(picture pic=currentpicture, path g, pen fillpen=currentpen, pen drawpen=currentpen); @end verbatim @cindex @code{fill} This fixed-size version of @code{fill} allows one to fill an object described in @code{PostScript} coordinates about the user coordinate @code{origin}: @verbatim void fill(pair origin, picture pic=currentpicture, path g, pen p=currentpen); @end verbatim @noindent This is just a convenient abbreviation for the commands: @verbatim picture opic; fill(opic,g,p); add(pic,opic,origin); @end verbatim The routine @cindex @code{filloutside} @verbatim void filloutside(picture pic=currentpicture, path g, pen p=currentpen); @end verbatim @noindent fills the region exterior to the path @code{g}, out to the current boundary of picture @code{pic}. @anchor{gradient shading} @cindex gradient shading @cindex shading @cindex @code{latticeshade} Lattice gradient shading varying smoothly over a two-dimensional array of pens @code{p}, using fill rule @code{fillrule}, can be produced with @verbatim void latticeshade(picture pic=currentpicture, path g, bool stroke=false, pen fillrule=currentpen, pen[][] p) @end verbatim @cindex @code{stroke} If @code{stroke=true}, the region filled is the same as the region that would be drawn by @code{draw(pic,g,zerowinding)}; in this case the path @code{g} need not be cyclic. The pens in @code{p} must belong to the same color space. One can use the functions @code{rgb(pen)} or @code{cmyk(pen)} to promote pens to a higher color space, as illustrated in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/latticeshading.svg,,latticeshading}@uref{http://asymptote.sourceforge.net/gallery/latticeshading.asy,,.asy}}. @cindex @code{axialshade} Axial gradient shading varying smoothly from @code{pena} to @code{penb} in the direction of the line segment @code{a--b} can be achieved with @verbatim void axialshade(picture pic=currentpicture, path g, bool stroke=false, pen pena, pair a, bool extenda=true, pen penb, pair b, bool extendb=true); @end verbatim @noindent The boolean parameters @code{extenda} and @code{extendb} indicate whether the shading should extend beyond the axis endpoints @code{a} and @code{b}. @cindex @code{radialshade} Radial gradient shading varying smoothly from @code{pena} on the circle with center @code{a} and radius @code{ra} to @code{penb} on the circle with center @code{b} and radius @code{rb} is similar: @verbatim void radialshade(picture pic=currentpicture, path g, bool stroke=false, pen pena, pair a, real ra, bool extenda=true, pen penb, pair b, real rb, bool extendb=true); @end verbatim @noindent The boolean parameters @code{extenda} and @code{extendb} indicate whether the shading should extend beyond the radii @code{a} and @code{b}. Illustrations of radial shading are provided in the example files @code{@uref{http://asymptote.sourceforge.net/gallery/shade.svg,,shade}@uref{http://asymptote.sourceforge.net/gallery/shade.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/ring.pdf,,ring}@uref{http://asymptote.sourceforge.net/gallery/ring.asy,,.asy}}, and @code{@uref{http://asymptote.sourceforge.net/gallery/shadestroke.pdf,,shadestroke}@uref{http://asymptote.sourceforge.net/gallery/shadestroke.asy,,.asy}}. @cindex @code{gouraudshade} Gouraud shading using fill rule @code{fillrule} and the vertex colors in the pen array @code{p} on a triangular lattice defined by the vertices @code{z} and edge flags @code{edges} is implemented with @verbatim void gouraudshade(picture pic=currentpicture, path g, bool stroke=false, pen fillrule=currentpen, pen[] p, pair[] z, int[] edges); void gouraudshade(picture pic=currentpicture, path g, bool stroke=false, pen fillrule=currentpen, pen[] p, int[] edges); @end verbatim @noindent In the second form, the elements of @code{z} are taken to be successive nodes of path @code{g}. The pens in @code{p} must belong to the same color space. Illustrations of Gouraud shading are provided in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/Gouraud.pdf,,Gouraud}@uref{http://asymptote.sourceforge.net/gallery/Gouraud.asy,,.asy}}. The edge flags used in Gouraud shading are documented here: @quotation @url{https://www.adobe.com/content/dam/acom/en/devnet/postscript/pdfs/TN5600.SmoothShading.pdf} @end quotation @cindex Coons shading @cindex tensor product shading @cindex @code{tensorshade} Tensor product shading using fill rule @code{fillrule} on patches bounded by the @math{n} cyclic paths of length 4 in path array @code{b}, using the vertex colors specified in the @math{n \times 4} pen array @code{p} and internal control points in the @math{n \times 4} array @code{z}, is implemented with @verbatim void tensorshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[][] p, path[] b=g, pair[][] z=new pair[][]); @end verbatim @noindent If the array @code{z} is empty, Coons shading, in which the color control points are calculated automatically, is used. The pens in @code{p} must belong to the same color space. A simpler interface for the case of a single patch (@math{n=1}) is also available: @verbatim void tensorshade(picture pic=currentpicture, path g, bool stroke=false, pen fillrule=currentpen, pen[] p, path b=g, pair[] z=new pair[]); @end verbatim One can also smoothly shade the regions between consecutive paths of a sequence using a given array of pens: @verbatim void draw(picture pic=currentpicture, pen fillrule=currentpen, path[] g, pen[] p); @end verbatim @noindent Illustrations of tensor product and Coons shading are provided in the example files @code{@uref{http://asymptote.sourceforge.net/gallery/tensor.pdf,,tensor}@uref{http://asymptote.sourceforge.net/gallery/tensor.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/Coons.pdf,,Coons}@uref{http://asymptote.sourceforge.net/gallery/Coons.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/BezierPatch.pdf,,BezierPatch}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/BezierPatch.asy,,.asy}}, and @code{@uref{http://asymptote.sourceforge.net/gallery/rainbow.pdf,,rainbow}@uref{http://asymptote.sourceforge.net/gallery/rainbow.asy,,.asy}}. @cindex Function shading @cindex function shading @cindex @code{functionshade} More general shading possibilities are available using @TeX{} engines that produce PDF output (@pxref{texengines}): the routine @verbatim void functionshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, string shader); @end verbatim @noindent shades on picture @code{pic} the interior of path @code{g} according to fill rule @code{fillrule} using the @code{PostScript} calculator routine specified by the string @code{shader}; this routine takes 2 arguments, each in [0,1], and returns @code{colors(fillrule).length} color components. Function shading is illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/functionshading.pdf,,functionshading}@uref{http://asymptote.sourceforge.net/gallery/functionshading.asy,,.asy}}. @cindex unfill The following routine uses @code{evenodd} clipping together with the @code{^^} operator to unfill a region: @verbatim void unfill(picture pic=currentpicture, path g); @end verbatim @node clip, label, fill, Drawing commands @section clip @cindex @code{clip} @cindex @code{stroke} @verbatim void clip(picture pic=currentpicture, path g, stroke=false, pen fillrule=currentpen); @end verbatim Clip the current contents of picture @code{pic} to the region bounded by the path @code{g}, using fill rule @code{fillrule} (@pxref{fillrule}). If @code{stroke=true}, the clipped portion is the same as the region that would be drawn with @code{draw(pic,g,zerowinding)}; in this case the path @code{g} need not be cyclic. For an illustration of picture clipping, see the first example in @ref{LaTeX usage}. @node label, , clip, Drawing commands @section label @cindex @code{label} @verbatim void label(picture pic=currentpicture, Label L, pair position, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) @end verbatim Draw Label @code{L} on picture @code{pic} using pen @code{p}. If @code{align} is @code{NoAlign}, the label will be centered at user coordinate @code{position}; otherwise it will be aligned in the direction of @code{align} and displaced from @code{position} by the @code{PostScript} offset @code{align*labelmargin(p)}. @cindex @code{Align} The constant @code{Align} can be used to align the bottom-left corner of the label at @code{position}. @cindex @code{nullpen} @cindex @code{Label} @anchor{Label} The Label @code{L} can either be a string or the structure obtained by calling one of the functions @verbatim Label Label(string s="", pair position, align align=NoAlign, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill); Label Label(string s="", align align=NoAlign, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill); Label Label(Label L, pair position, align align=NoAlign, pen p=nullpen, embed embed=L.embed, filltype filltype=NoFill); Label Label(Label L, align align=NoAlign, pen p=nullpen, embed embed=L.embed, filltype filltype=NoFill); @end verbatim The text of a Label can be scaled, slanted, rotated, or shifted by multiplying it on the left by an affine transform (@pxref{Transforms}). For example, @code{rotate(45)*xscale(2)*L} first scales @code{L} in the @math{x} direction and then rotates it counterclockwise by 45 degrees. The final position of a Label can also be shifted by a @code{PostScript} coordinate translation: @code{shift(10,0)*L}. An explicit pen specified within the Label overrides other pen arguments. The @code{embed} argument determines how the Label should transform with the embedding picture: @table @code @item Shift @cindex @code{Shift} only shift with embedding picture; @item Rotate @cindex @code{Rotate} only shift and rotate with embedding picture (default); @item Rotate(pair z) @cindex @code{Rotate(pair z)} rotate with (picture-transformed) vector @code{z}. @item Slant @cindex @code{Slant} only shift, rotate, slant, and reflect with embedding picture; @item Scale @cindex @code{Scale} shift, rotate, slant, reflect, and scale with embedding picture. @end table To add a label to a path, use @verbatim void label(picture pic=currentpicture, Label L, path g, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill); @end verbatim @cindex @code{Relative} By default the label will be positioned at the midpoint of the path. An alternative label position (in the sense of @code{point(path p, real t)}) may be specified as a real value for @code{position} in constructing the Label. The position @code{Relative(real)} specifies a location relative to the total arclength of the path. These convenient abbreviations are predefined: @cindex @code{BeginPoint} @cindex @code{MidPoint} @cindex @code{EndPoint} @verbatim position BeginPoint=Relative(0); position MidPoint=Relative(0.5); position EndPoint=Relative(1); @end verbatim @cindex @code{Relative} @cindex @code{LeftSide} @cindex @code{Center} @cindex @code{RightSide} Path labels are aligned in the direction @code{align}, which may be specified as an absolute compass direction (pair) or a direction @code{Relative(pair)} measured relative to a north axis in the local direction of the path. For convenience @code{LeftSide}, @code{Center}, and @code{RightSide} are defined as @code{Relative(W)}, @code{Relative((0,0))}, and @code{Relative(E)}, respectively. Multiplying @code{LeftSide} and @code{RightSide} on the left by a real scaling factor will move the label further away from or closer to the path. A label with a fixed-size arrow of length @code{arrowlength} pointing to @code{b} from direction @code{dir} can be produced with the routine @cindex @code{arrow} @verbatim void arrow(picture pic=currentpicture, Label L="", pair b, pair dir, real length=arrowlength, align align=NoAlign, pen p=currentpen, arrowbar arrow=Arrow, margin margin=EndMargin); @end verbatim If no alignment is specified (either in the Label or as an explicit argument), the optional Label will be aligned in the direction @code{dir}, using margin @code{margin}. @cindex including images @cindex @code{graphic} @cindex @acronym{EPS} The function @code{string graphic(string name, string options="")} returns a string that can be used to include an encapsulated @code{PostScript} (@acronym{EPS}) file. Here, @code{name} is the name of the file to include and @code{options} is a string containing a comma-separated list of optional bounding box (@code{bb=llx lly urx ury}), width (@code{width=value}), height (@code{height=value}), rotation (@code{angle=value}), scaling (@code{scale=factor}), clipping (@code{clip=bool}), and draft mode (@code{draft=bool}) parameters. The @code{layer()} function can be used to force future objects to be drawn on top of the included image: @verbatim label(graphic("file.eps","width=1cm"),(0,0),NE); layer(); @end verbatim @cindex @code{baseline} The @code{string baseline(string s, string template="\strut")} function can be used to enlarge the bounding box of labels to match a given template, so that their baselines will be typeset on a horizontal line. See @code{@uref{http://asymptote.sourceforge.net/gallery/Pythagoras.svg,,Pythagoras}@uref{http://asymptote.sourceforge.net/gallery/Pythagoras.asy,,.asy}} for an example. One can prevent labels from overwriting one another with the @code{overwrite} pen attribute (@pxref{overwrite}). The structure @code{object} defined in @code{plain_Label.asy} allows Labels and frames to be treated in a uniform manner. A group of objects may be packed together into single frame with the routine @cindex @code{pack} @verbatim frame pack(pair align=2S ... object inset[]); @end verbatim @noindent To draw or fill a box (or ellipse or other path) around a Label and return the bounding object, use one of the routines @verbatim object draw(picture pic=currentpicture, Label L, envelope e, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true); object draw(picture pic=currentpicture, Label L, envelope e, pair position, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true); @end verbatim @noindent Here @code{envelope} is a boundary-drawing routine such as @code{box}, @code{roundbox}, or @code{ellipse} defined in @code{plain_boxes.asy} (@pxref{envelope}). @cindex @code{texpath} The function @code{path[] texpath(Label L)} returns the path array that @TeX{} would fill to draw the Label @code{L}. @cindex @code{minipage} The @code{string minipage(string s, width=100pt)} function can be used to format string @code{s} into a paragraph of width @code{width}. This example uses @code{minipage}, @code{clip}, and @code{graphic} to produce a CD label: @sp 1 @center @image{./CDlabel} @verbatiminclude CDlabel.asy @node Bezier curves, Programming, Drawing commands, Top @chapter Bezier curves @cindex Bezier curves @cindex direction specifier Each interior node of a cubic spline may be given a direction prefix or suffix @code{@{dir@}}: the direction of the pair @code{dir} specifies the direction of the incoming or outgoing tangent, respectively, to the curve at that node. Exterior nodes may be given direction specifiers only on their interior side. A cubic spline between the node @math{z_0}, with postcontrol point @math{c_0}, and the node @math{z_1}, with precontrol point @math{c_1}, is computed as the Bezier curve @sp 1 @center @image{./bezier,,,(1-t)^3*z_0+3t(1-t)^2*c_0+3t^2(1-t)*c_1+t^3*z_1 for 0 <=t <= 1.} As illustrated in the diagram below, the third-order midpoint (@math{m_5}) constructed from two endpoints @math{z_0} and @math{z_1} and two control points @math{c_0} and @math{c_1}, is the point corresponding to @math{t=1/2} on the Bezier curve formed by the quadruple (@math{z_0}, @math{c_0}, @math{c_1}, @math{z_1}). This allows one to recursively construct the desired curve, by using the newly extracted third-order midpoint as an endpoint and the respective second- and first-order midpoints as control points: @sp 1 @center @image{./bezier2} Here @math{m_0}, @math{m_1} and @math{m_2} are the first-order midpoints, @math{m_3} and @math{m_4} are the second-order midpoints, and @math{m_5} is the third-order midpoint. The curve is then constructed by recursively applying the algorithm to (@math{z_0}, @math{m_0}, @math{m_3}, @math{m_5}) and (@math{m_5}, @math{m_4}, @math{m_2}, @math{z_1}). In fact, an analogous property holds for points located at any fraction @math{t} in @math{[0,1]} of each segment, not just for midpoints (@math{t=1/2}). The Bezier curve constructed in this manner has the following properties: @itemize @bullet @item It is entirely contained in the convex hull of the given four points. @item It starts heading from the first endpoint to the first control point and finishes heading from the second control point to the second endpoint. @end itemize @cindex @code{controls} The user can specify explicit control points between two nodes like this: @verbatim draw((0,0)..controls (0,100) and (100,100)..(100,0)); @end verbatim However, it is usually more convenient to just use the @code{..} operator, which tells @code{Asymptote} to choose its own control points using the algorithms described in Donald Knuth's monograph, The MetaFontbook, Chapter 14. The user can still customize the guide (or path) by specifying direction, tension, and curl values. The higher the tension, the straighter the curve is, and the more it approximates a straight line. @cindex @code{tension} @cindex @code{and} @cindex @code{atleast} One can change the spline tension from its default value of 1 to any real value greater than or equal to 0.75 (cf. John D. Hobby, Discrete and Computational Geometry 1, 1986): @verbatim draw((100,0)..tension 2 ..(100,100)..(0,100)); draw((100,0)..tension 3 and 2 ..(100,100)..(0,100)); draw((100,0)..tension atleast 2 ..(100,100)..(0,100)); @end verbatim In these examples there is a space between @code{2} and @code{..}. This is needed as @code{2.} is interpreted as a numerical constant. @cindex @code{curl} The curl parameter specifies the curvature at the endpoints of a path (0 means straight; the default value of 1 means approximately circular): @verbatim draw((100,0){curl 0}..(100,100)..{curl 0}(0,100)); @end verbatim @cindex @code{MetaPost ...@ } @cindex @code{::} The @code{MetaPost ...} path connector, which requests, when possible, an inflection-free curve confined to a triangle defined by the endpoints and directions, is implemented in @code{Asymptote} as the convenient abbreviation @code{::} for @code{..tension atleast 1 ..} (the ellipsis @code{...} is used in @code{Asymptote} to indicate a variable number of arguments; @pxref{Rest arguments}). For example, compare @verbatiminclude dots.asy @sp 1 @center @image{./dots} @noindent with @verbatiminclude colons.asy @sp 1 @center @image{./colons} @cindex @code{---} @cindex @code{&} The @code{---} connector is an abbreviation for @code{..tension atleast infinity..} and the @code{&} connector concatenates two paths, after first stripping off the last node of the first path (which normally should coincide with the first node of the second path). @node Programming, LaTeX usage, Bezier curves, Top @chapter Programming @cindex programming @menu * Data types:: void, bool, int, real, pair, triple, string * Paths and guides:: Bezier curves * Pens:: Colors, line types, line widths, font sizes * Transforms:: Affine transforms * Frames and pictures:: Canvases for immediate and deferred drawing * Files:: Reading and writing your data * Variable initializers:: Initialize your variables * Structures:: Organize your data * Operators:: Arithmetic and logical operators * Implicit scaling:: Avoiding those ugly *s * Functions:: Traditional and high-order functions * Arrays:: Dynamic vectors * Casts:: Implicit and explicit casts * Import:: Importing external @code{Asymptote} modules * Static:: Where to allocate your variable? @end menu Here is a short introductory example to the @code{Asymptote} programming language that highlights the similarity of its control structures with those of C, C++, and Java: @cindex declaration @cindex assignment @cindex conditional @cindex loop @cindex @code{if} @cindex @code{else} @cindex @code{for} @verbatim // This is a comment. // Declaration: Declare x to be a real variable; real x; // Assignment: Assign the real variable x the value 1. x=1.0; // Conditional: Test if x equals 1 or not. if(x == 1.0) { write("x equals 1.0"); } else { write("x is not equal to 1.0"); } // Loop: iterate 10 times for(int i=0; i < 10; ++i) { write(i); } @end verbatim @cindex @code{while} @cindex @code{do} @cindex @code{break} @cindex @code{continue} @code{Asymptote} supports @code{while}, @code{do}, @code{break}, and @code{continue} statements just as in C/C++. It also supports the Java-style shorthand for iterating over all elements of an array: @cindex array iteration @anchor{array iteration} @verbatim // Iterate over an array int[] array={1,1,2,3,5}; for(int k : array) { write(k); } @end verbatim @noindent In addition, it supports many features beyond the ones found in those languages. @node Data types, Paths and guides, Programming, Programming @section Data types @cindex data types @code{Asymptote} supports the following data types (in addition to user-defined types): @table @code @item void @cindex @code{void} The void type is used only by functions that take or return no arguments. @item bool @cindex @code{bool} a boolean type that can only take on the values @code{true} or @code{false}. For example: @verbatim bool b=true; @end verbatim @noindent defines a boolean variable @code{b} and initializes it to the value @code{true}. If no initializer is given: @verbatim bool b; @end verbatim @noindent the value @code{false} is assumed. @item bool3 @cindex @code{bool3} an extended boolean type that can take on the values @code{true}, @code{default}, or @code{false}. A bool3 type can be cast to or from a bool. The default initializer for bool3 is @code{default}. @item int @cindex @code{int} @cindex @code{intMin} @cindex @code{intMax} an integer type; if no initializer is given, the implicit value @code{0} is assumed. The minimum allowed value of an integer is @code{intMin} and the maximum value is @code{intMax}. @item real @cindex @code{real} @cindex @code{realMin} @cindex @code{realMax} @cindex @code{realEpsilon} @cindex @code{realDigits} @cindex @code{mask} @cindex @code{inf} @cindex @code{nan} @cindex @code{isnan} a real number; this should be set to the highest-precision native floating-point type on the architecture. The implicit initializer for reals is @code{0.0}. Real numbers have precision @code{realEpsilon}, with @code{realDigits} significant digits. The smallest positive real number is @code{realMin} and the largest positive real number is @code{realMax}. The variables @code{inf} and @code{nan}, along with the function @code{bool isnan(real x)} are useful when floating-point exceptions are masked with the @code{-mask} command-line option (the default in interactive mode). @item pair @cindex @code{pair} complex number, that is, an ordered pair of real components @code{(x,y)}. The real and imaginary parts of a pair @code{z} can read as @code{z.x} and @code{z.y}. We say that @code{x} and @code{y} are virtual members of the data element pair; they cannot be directly modified, however. The implicit initializer for pairs is @code{(0.0,0.0)}. There are a number of ways to take the complex conjugate of a pair: @example pair z=(3,4); z=(z.x,-z.y); z=z.x-I*z.y; z=conj(z); @end example Here @code{I} is the pair @code{(0,1)}. A number of built-in functions are defined for pairs: @table @code @item pair conj(pair z) @cindex @code{conj} returns the conjugate of @code{z}; @item real length(pair z) @cindex @code{length} @cindex @code{abs} returns the complex modulus @code{|z|} of its argument @code{z}. For example, @example pair z=(3,4); length(z); @end example returns the result 5. A synonym for @code{length(pair)} is @code{abs(pair)}; @item real angle(pair z, bool warn=true) @cindex @code{angle} returns the angle of @code{z} in radians in the interval [-@code{pi},@code{pi}] or @code{0} if @code{warn} is @code{false} and @code{z=(0,0)} (rather than producing an error); @item real degrees(pair z, bool warn=true) @cindex @code{degrees} returns the angle of @code{z} in degrees in the interval [0,360) or @code{0} if @code{warn} is @code{false} and @code{z=(0,0)} (rather than producing an error); @item pair unit(pair z) @cindex @code{unit} returns a unit vector in the direction of the pair @code{z}; @item pair expi(real angle) @cindex @code{expi} returns a unit vector in the direction @code{angle} measured in radians; @item pair dir(real degrees) @cindex @code{dir} returns a unit vector in the direction @code{degrees} measured in degrees; @item real xpart(pair z) @cindex @code{xpart} returns @code{z.x}; @item real ypart(pair z) @cindex @code{ypart} returns @code{z.y}; @item pair realmult(pair z, pair w) @cindex @code{realmult} returns the element-by-element product @code{(z.x*w.x,z.y*w.y)}; @item real dot(explicit pair z, explicit pair w) @cindex @code{dot} returns the dot product @code{z.x*w.x+z.y*w.y}; @item real cross(explicit pair z, explicit pair w) @cindex @code{cross} returns the 2D scalar product @code{z.x*w.y-z.y*w.x}; @cindex @code{orient} @item real orient(pair a, pair b, pair c); returns a positive (negative) value if @code{a--b--c--cycle} is oriented counterclockwise (clockwise) or zero if all three points are colinear. Equivalently, a positive (negative) value is returned if @code{c} lies to the left (right) of the line through @code{a} and @code{b} or zero if @code{c} lies on this line. The value returned can be expressed in terms of the 2D scalar cross product as @code{cross(a-c,b-c)}, which is the determinant @verbatim |a.x a.y 1| |b.x b.y 1| |c.x c.y 1| @end verbatim @cindex @code{incircle} @item real incircle(pair a, pair b, pair c, pair d); returns a positive (negative) value if @code{d} lies inside (outside) the circle passing through the counterclockwise-oriented points @code{a,b,c} or zero if @code{d} lies on the this circle. The value returned is the determinant @verbatim |a.x a.y a.x^2+a.y^2 1| |b.x b.y b.x^2+b.y^2 1| |c.x c.y c.x^2+c.y^2 1| |d.x d.y d.x^2+d.y^2 1| @end verbatim @item pair minbound(pair z, pair w) @cindex @code{minbound} returns @code{(min(z.x,w.x),min(z.y,w.y))}; @item pair maxbound(pair z, pair w) @cindex @code{maxbound} returns @code{(max(z.x,w.x),max(z.y,w.y))}. @end table @item triple @cindex @code{triple} an ordered triple of real components @code{(x,y,z)} used for three-dimensional drawings. The respective components of a triple @code{v} can read as @code{v.x}, @code{v.y}, and @code{v.z}. The implicit initializer for triples is @code{(0.0,0.0,0.0)}. Here are the built-in functions for triples: @table @code @item real length(triple v) @cindex @code{length} returns the length @code{|v|} of the vector @code{v}. A synonym for @code{length(triple)} is @code{abs(triple)}; @item real polar(triple v, bool warn=true) @cindex @code{polar} returns the colatitude of @code{v} measured from the @math{z} axis in radians or @code{0} if @code{warn} is @code{false} and @code{v=O} (rather than producing an error); @item real azimuth(triple v, bool warn=true) @cindex @code{azimuth} returns the longitude of @code{v} measured from the @math{x} axis in radians or @code{0} if @code{warn} is @code{false} and @code{v.x=v.y=0} (rather than producing an error); @item real colatitude(triple v, bool warn=true) @cindex @code{colatitude} returns the colatitude of @code{v} measured from the @math{z} axis in degrees or @code{0} if @code{warn} is @code{false} and @code{v=O} (rather than producing an error); @item real latitude(triple v, bool warn=true) @cindex @code{latitude} returns the latitude of @code{v} measured from the @math{xy} plane in degrees or @code{0} if @code{warn} is @code{false} and @code{v=O} (rather than producing an error); @item real longitude(triple v, bool warn=true) @cindex @code{longitude} returns the longitude of @code{v} measured from the @math{x} axis in degrees or @code{0} if @code{warn} is @code{false} and @code{v.x=v.y=0} (rather than producing an error); @item triple unit(triple v) @cindex @code{unit} returns a unit triple in the direction of the triple @code{v}; @item triple expi(real polar, real azimuth) @cindex @code{expi} returns a unit triple in the direction @code{(polar,azimuth)} measured in radians; @item triple dir(real colatitude, real longitude) @cindex @code{dir} returns a unit triple in the direction @code{(colatitude,longitude)} measured in degrees; @item real xpart(triple v) @cindex @code{xpart} returns @code{v.x}; @item real ypart(triple v) @cindex @code{ypart} returns @code{v.y}; @item real zpart(triple v) @cindex @code{zpart} returns @code{v.z}; @item real dot(triple u, triple v) @cindex @code{dot} returns the dot product @code{u.x*v.x+u.y*v.y+u.z*v.z}; @item triple cross(triple u, triple v) @cindex @code{cross} returns the cross product @code{(u.y*v.z-u.z*v.y,u.z*v.x-u.x*v.z,u.x*v.y-v.x*u.y)}; @item triple minbound(triple u, triple v) @cindex @code{minbound} returns @code{(min(u.x,v.x),min(u.y,v.y),min(u.z,v.z))}; @item triple maxbound(triple u, triple v) @cindex @code{maxbound} returns @code{(max(u.x,v.x),max(u.y,v.y),max(u.z,v.z)}). @end table @item string @cindex @code{string} @cindex @TeX{} string a character string, implemented using the STL @code{string} class. Strings delimited by double quotes (@code{"}) are subject to the following mappings to allow the use of double quotes in @TeX{} (e.g.@ for using the @code{babel} package, @pxref{babel}): @itemize @bullet @item \" maps to " @item \\ maps to \\ @end itemize @cindex @code{C} string Strings delimited by single quotes (@code{'}) have the same mappings as character strings in ANSI @code{C}: @itemize @bullet @item \' maps to ' @item \" maps to " @item \? maps to ? @item \\ maps to backslash @item \a maps to alert @item \b maps to backspace @item \f maps to form feed @item \n maps to newline @item \r maps to carriage return @item \t maps to tab @item \v maps to vertical tab @item \0-\377 map to corresponding octal byte @item \x0-\xFF map to corresponding hexadecimal byte @end itemize The implicit initializer for strings is the empty string @code{""}. Strings may be concatenated with the @code{+} operator. In the following string functions, position @code{0} denotes the start of the string: @table @code @cindex @code{length} @item int length(string s) returns the length of the string @code{s}; @cindex @code{find} @item int find(string s, string t, int pos=0) returns the position of the first occurrence of string @code{t} in string @code{s} at or after position @code{pos}, or -1 if @code{t} is not a substring of @code{s}; @cindex @code{rfind} @item int rfind(string s, string t, int pos=-1) returns the position of the last occurrence of string @code{t} in string @code{s} at or before position @code{pos} (if @code{pos}=-1, at the end of the string @code{s}), or -1 if @code{t} is not a substring of @code{s}; @cindex @code{insert} @item string insert(string s, int pos, string t) returns the string formed by inserting string @code{t} at position @code{pos} in @code{s}; @cindex @code{erase} @item string erase(string s, int pos, int n) returns the string formed by erasing the string of length @code{n} (if @code{n}=-1, to the end of the string @code{s}) at position @code{pos} in @code{s}; @cindex @code{substr} @item string substr(string s, int pos, int n=-1) returns the substring of @code{s} starting at position @code{pos} and of length @code{n} (if @code{n}=-1, until the end of the string @code{s}); @cindex @code{reverse} @item string reverse(string s) returns the string formed by reversing string @code{s}; @item string replace(string s, string before, string after) @cindex @code{replace} returns a string with all occurrences of the string @code{before} in the string @code{s} changed to the string @code{after}; @item string replace(string s, string[][] table) returns a string constructed by translating in string @code{s} all occurrences of the string @code{before} in an array @code{table} of string pairs @{@code{before},@code{after}@} to the corresponding string @code{after}; @cindex @code{split} @item string[] split(string s, string delimiter="") returns an array of strings obtained by splitting @code{s} into substrings delimited by @code{delimiter} (an empty delimiter signifies a space, but with duplicate delimiters discarded); @cindex @code{array} @cindex @code{operator +(...string[] a)}. @item string[] array(string s) returns an array of strings obtained by splitting @code{s} into individual characters. The inverse operation is provided by @code{operator +(...string[] a)}. @anchor{format} @item string format(string s, int n, string locale="") @cindex @code{format} returns a string containing @code{n} formatted according to the C-style format string @code{s} using locale @code{locale} (or the current locale if an empty string is specified), following the behaviour of the C function @code{fprintf}), except that only one data field is allowed. @item string format(string s=defaultformat, bool forcemath=false, string s=defaultseparator, real x, string locale="") returns a string containing @code{x} formatted according to the C-style format string @code{s} using locale @code{locale} (or the current locale if an empty string is specified), following the behaviour of the C function @code{fprintf}), except that only one data field is allowed, trailing zeros are removed by default (unless @code{#} is specified), and if @code{s} specifies math mode or @code{forcemath=true}, @TeX{} is used to typeset scientific notation using the @code{defaultseparator="\!\times\!";}; @cindex @code{hex} @cindex @code{hexadecimal} @item int hex(string s); casts a hexadecimal string @code{s} to an integer; @cindex @code{ascii} @cindex @code{ascii} @item int ascii(string s); returns the ASCII code for the first character of string @code{s}; @cindex @code{string} @item string string(real x, int digits=realDigits) casts @code{x} to a string using precision @code{digits} and the C locale; @cindex @code{locale} @item string locale(string s="") sets the locale to the given string, if nonempty, and returns the current locale; @item string time(string format="%a %b %d %T %Z %Y") @cindex @code{time} @cindex @code{date} @cindex @code{strftime} returns the current time formatted by the ANSI C routine @code{strftime} according to the string @code{format} using the current locale. Thus @verbatim time(); time("%a %b %d %H:%M:%S %Z %Y"); @end verbatim @noindent are equivalent ways of returning the current time in the default format used by the @code{UNIX} @code{date} command; @cindex @code{seconds} @cindex @code{strptime} @item int seconds(string t="", string format="") returns the time measured in seconds after the Epoch (Thu Jan 01 00:00:00 UTC 1970) as determined by the ANSI C routine @code{strptime} according to the string @code{format} using the current locale, or the current time if @code{t} is the empty string. Note that the @code{"%Z"} extension to the POSIX @code{strptime} specification is ignored by the current GNU C Library. If an error occurs, the value -1 is returned. Here are some examples: @verbatim seconds("Mar 02 11:12:36 AM PST 2007","%b %d %r PST %Y"); seconds(time("%b %d %r %z %Y"),"%b %d %r %z %Y"); seconds(time("%b %d %r %Z %Y"),"%b %d %r "+time("%Z")+" %Y"); 1+(seconds()-seconds("Jan 1","%b %d"))/(24*60*60); @end verbatim The last example returns today's ordinal date, measured from the beginning of the year. @cindex @code{time} @cindex @code{strftime} @item string time(int seconds, string format="%a %b %d %T %Z %Y") returns the time corresponding to @code{seconds} seconds after the Epoch (Thu Jan 01 00:00:00 UTC 1970) formatted by the ANSI C routine @code{strftime} according to the string @code{format} using the current locale. For example, to return the date corresponding to 24 hours ago: @verbatim time(seconds()-24*60*60); @end verbatim @cindex @code{system} @item int system(string s) @item int system(string[] s) if the setting @code{safe} is false, call the arbitrary system command @code{s}; @cindex @code{asy} @item void asy(string format, bool overwrite=false ... string[] s) conditionally process each file name in array @code{s} in a new environment, using format @code{format}, overwriting the output file only if @code{overwrite} is true; @cindex @code{abort} @item void abort(string s="") aborts execution (with a non-zero return code in batch mode); if string @code{s} is nonempty, a diagnostic message constructed from the source file, line number, and @code{s} is printed; @cindex @code{assert} @item void assert(bool b, string s="") aborts execution with an error message constructed from @code{s} if @code{b=false}; @cindex @code{exit} @item void exit() exits (with a zero error return code in batch mode); @cindex @code{sleep} @item void sleep(int seconds) pauses for the given number of seconds; @cindex @code{usleep} @item void usleep(int microseconds) pauses for the given number of microseconds; @cindex @code{beep} @item void beep() produces a beep on the console; @end table @cindex @code{typedef} @end table As in C/C++, complicated types may be abbreviated with @code{typedef} (see the example in @ref{Functions}). @node Paths and guides, Pens, Data types, Programming @section Paths and guides @table @code @item path @cindex @code{path} a cubic spline resolved into a fixed path. The implicit initializer for paths is @code{nullpath}. @cindex @code{circle} @anchor{circle} For example, the routine @code{circle(pair c, real r)}, which returns a Bezier curve approximating a circle of radius @code{r} centered on @code{c}, is based on @code{unitcircle} (@pxref{unitcircle}): @verbatim path circle(pair c, real r) { return shift(c)*scale(r)*unitcircle; } @end verbatim If high accuracy is needed, a true circle may be produced with the routine @code{Circle} defined in the module @code{graph}: @cindex @code{Circle} @verbatim import graph; path Circle(pair c, real r, int n=nCircle); @end verbatim A circular arc consistent with @code{circle} centered on @code{c} with radius @code{r} from @code{angle1} to @code{angle2} degrees, drawing counterclockwise if @code{angle2 >= angle1}, can be constructed with @cindex @code{arc} @verbatim path arc(pair c, real r, real angle1, real angle2); @end verbatim One may also specify the direction explicitly: @verbatim path arc(pair c, real r, real angle1, real angle2, bool direction); @end verbatim Here the direction can be specified as CCW (counter-clockwise) or CW (clockwise). For convenience, an arc centered at @code{c} from pair @code{z1} to @code{z2} (assuming @code{|z2-c|=|z1-c|}) in the may also be constructed with @verbatim path arc(pair c, explicit pair z1, explicit pair z2, bool direction=CCW) @end verbatim If high accuracy is needed, true arcs may be produced with routines in the module @code{graph} that produce Bezier curves with @code{n} control points: @cindex @code{Arc} @verbatim import graph; path Arc(pair c, real r, real angle1, real angle2, bool direction, int n=nCircle); path Arc(pair c, real r, real angle1, real angle2, int n=nCircle); path Arc(pair c, explicit pair z1, explicit pair z2, bool direction=CCW, int n=nCircle); @end verbatim An ellipse can be drawn with the routine @cindex @code{ellipse} @verbatim path ellipse(pair c, real a, real b) { return shift(c)*scale(a,b)*unitcircle; } @end verbatim A brace can be constructed between pairs @code{a} and @code{b} with @cindex @code{brace} @verbatim path brace(pair a, pair b, real amplitude=bracedefaultratio*length(b-a)); @end verbatim This example illustrates the use of all five guide connectors discussed in @ref{Tutorial} and @ref{Bezier curves}: @verbatiminclude join.asy @sp 1 @center @image{./join} Here are some useful functions for paths: @table @code @cindex @code{length} @item int length(path p); This is the number of (linear or cubic) segments in path @code{p}. If @code{p} is cyclic, this is the same as the number of nodes in @code{p}. @cindex @code{size} @item int size(path p); This is the number of nodes in the path @code{p}. If @code{p} is cyclic, this is the same as @code{length(p)}. @cindex @code{cyclic} @item bool cyclic(path p); returns @code{true} iff path @code{p} is cyclic. @cindex @code{straight} @item bool straight(path p, int i); returns @code{true} iff the segment of path @code{p} between node @code{i} and node @code{i+1} is straight. @cindex @code{piecewisestraight} @item bool piecewisestraight(path p) returns @code{true} iff the path @code{p} is piecewise straight. @cindex @code{point} @item pair point(path p, int t); If @code{p} is cyclic, return the coordinates of node @code{t} mod @code{length(p)}. Otherwise, return the coordinates of node @code{t}, unless @code{t} < 0 (in which case @code{point(0)} is returned) or @code{t} > @code{length(p)} (in which case @code{point(length(p))} is returned). @item pair point(path p, real t); This returns the coordinates of the point between node @code{floor(t)} and @code{floor(t)+1} corresponding to the cubic spline parameter @code{t-floor(t)} (@pxref{Bezier curves}). If @code{t} lies outside the range [0,@code{length(p)}], it is first reduced modulo @code{length(p)} in the case where @code{p} is cyclic or else converted to the corresponding endpoint of @code{p}. @cindex @code{dir} @item pair dir(path p, int t, int sign=0, bool normalize=true); If @code{sign < 0}, return the direction (as a pair) of the incoming tangent to path @code{p} at node @code{t}; if @code{sign > 0}, return the direction of the outgoing tangent. If @code{sign=0}, the mean of these two directions is returned. @item pair dir(path p, real t, bool normalize=true); returns the direction of the tangent to path @code{p} at the point between node @code{floor(t)} and @code{floor(t)+1} corresponding to the cubic spline parameter @code{t-floor(t)} (@pxref{Bezier curves}). @item pair dir(path p) returns dir(p,length(p)). @item pair dir(path p, path q) returns unit(dir(p)+dir(q)). @cindex @code{accel} @item pair accel(path p, int t, int sign=0); If @code{sign < 0}, return the acceleration of the incoming path @code{p} at node @code{t}; if @code{sign > 0}, return the acceleration of the outgoing path. If @code{sign=0}, the mean of these two accelerations is returned. @cindex @code{accel} @item pair accel(path p, real t); returns the acceleration of the path @code{p} at the point @code{t}. @cindex @code{radius} @item real radius(path p, real t); returns the radius of curvature of the path @code{p} at the point @code{t}. @cindex @code{precontrol} @item pair precontrol(path p, int t); returns the precontrol point of @code{p} at node @code{t}. @item pair precontrol(path p, real t); returns the effective precontrol point of @code{p} at parameter @code{t}. @cindex @code{postcontrol} @item pair postcontrol(path p, int t); returns the postcontrol point of @code{p} at node @code{t}. @item pair postcontrol(path p, real t); returns the effective postcontrol point of @code{p} at parameter @code{t}. @cindex @code{arclength} @item real arclength(path p); returns the length (in user coordinates) of the piecewise linear or cubic curve that path @code{p} represents. @cindex @code{arctime} @item real arctime(path p, real L); returns the path "time", a real number between 0 and the length of the path in the sense of @code{point(path p, real t)}, at which the cumulative arclength (measured from the beginning of the path) equals @code{L}. @cindex @code{arcpoint} @item pair arcpoint(path p, real L); returns @code{point(p,arctime(p,L))}. @cindex @code{dirtime} @item real dirtime(path p, pair z); returns the first "time", a real number between 0 and the length of the path in the sense of @code{point(path, real)}, at which the tangent to the path has the direction of pair @code{z}, or -1 if this never happens. @cindex @code{reltime} @item real reltime(path p, real l); returns the time on path @code{p} at the relative fraction @code{l} of its arclength. @cindex @code{relpoint} @item pair relpoint(path p, real l); returns the point on path @code{p} at the relative fraction @code{l} of its arclength. @cindex @code{midpoint} @item pair midpoint(path p); returns the point on path @code{p} at half of its arclength. @cindex @code{reverse} @item path reverse(path p); returns a path running backwards along @code{p}. @cindex @code{subpath} @item path subpath(path p, int a, int b); returns the subpath of @code{p} running from node @code{a} to node @code{b}. If @code{a} < @code{b}, the direction of the subpath is reversed. @item path subpath(path p, real a, real b); returns the subpath of @code{p} running from path time @code{a} to path time @code{b}, in the sense of @code{point(path, real)}. If @code{a} < @code{b}, the direction of the subpath is reversed. @cindex @code{intersect} @item real[] intersect(path p, path q, real fuzz=-1); If @code{p} and @code{q} have at least one intersection point, return a real array of length 2 containing the times representing the respective path times along @code{p} and @code{q}, in the sense of @code{point(path, real)}, for one such intersection point (as chosen by the algorithm described on page 137 of @code{The MetaFontbook}). The computations are performed to the absolute error specified by @code{fuzz}, or if @code{fuzz < 0}, to machine precision. If the paths do not intersect, return a real array of length 0. @cindex @code{intersections} @item real[][] intersections(path p, path q, real fuzz=-1); Return all (unless there are infinitely many) intersection times of paths @code{p} and @code{q} as a sorted array of real arrays of length 2 (@pxref{sort}). The computations are performed to the absolute error specified by @code{fuzz}, or if @code{fuzz < 0}, to machine precision. @cindex @code{intersections} @item real[] intersections(path p, explicit pair a, explicit pair b, real fuzz=-1); Return all (unless there are infinitely many) intersection times of path @code{p} with the (infinite) line through points @code{a} and @code{b} as a sorted array. The intersections returned are guaranteed to be correct to within the absolute error specified by @code{fuzz}, or if @code{fuzz < 0}, to machine precision. @cindex @code{times} @item real[] times(path p, real x) returns all intersection times of path @code{p} with the vertical line through @code{(x,0)}. @cindex @code{times} @item real[] times(path p, explicit pair z) returns all intersection times of path @code{p} with the horizontal line through @code{(0,z.y)}. @cindex @code{mintimes} @item real[] mintimes(path p) returns an array of length 2 containing times at which path @code{p} reaches its minimal horizontal and vertical extents, respectively. @cindex @code{maxtimes} @item real[] maxtimes(path p) returns an array of length 2 containing times at which path @code{p} reaches its maximal horizontal and vertical extents, respectively. @cindex @code{intersectionpoint} @item pair intersectionpoint(path p, path q, real fuzz=-1); returns the intersection point @code{point(p,intersect(p,q,fuzz)[0])}. @cindex @code{intersectionpoints} @item pair[] intersectionpoints(path p, path q, real fuzz=-1); returns an array containing all intersection points of the paths @code{p} and @code{q}. @anchor{extension} @cindex @code{whatever} @cindex @code{extension} @item pair extension(pair P, pair Q, pair p, pair q); returns the intersection point of the extensions of the line segments @code{P--Q} and @code{p--q}, or if the lines are parallel, @code{(infinity,infinity)}. @cindex @code{cut} @cindex @code{slice} @item slice cut(path p, path knife, int n); returns the portions of path @code{p} before and after the @code{n}th intersection of @code{p} with path @code{knife} as a structure @code{slice} (if no intersection exist is found, the entire path is considered to be `before' the intersection): @verbatim struct slice { path before,after; } @end verbatim The argument @code{n} is treated as modulo the number of intersections. @cindex @code{firstcut} @cindex @code{slice} @item slice firstcut(path p, path knife); equivalent to @code{cut(p,knife,0);} @cindex @code{MetaPost cutbefore} Note that @code{firstcut.after} plays the role of the @code{MetaPost cutbefore} command. @cindex @code{lastcut} @item slice lastcut(path p, path knife); equivalent to @code{cut(p,knife,-1);} @cindex @code{MetaPost cutafter} Note that @code{lastcut.before} plays the role of the @code{MetaPost cutafter} command. @cindex @code{buildcycle} @item path buildcycle(... path[] p); This returns the path surrounding a region bounded by a list of two or more consecutively intersecting paths, following the behaviour of the @code{MetaPost buildcycle} command. @cindex @code{min} @item pair min(path p); returns the pair (left,bottom) for the path bounding box of path @code{p}. @cindex @code{max} @item pair max(path p); returns the pair (right,top) for the path bounding box of path @code{p}. @cindex @code{windingnumber} @cindex @code{undefined} @item int windingnumber(path p, pair z); returns the winding number of the cyclic path @code{p} relative to the point @code{z}. The winding number is positive if the path encircles @code{z} in the counterclockwise direction. If @code{z} lies on @code{p} the constant @code{undefined} (defined to be the largest odd integer) is returned. @cindex @code{interior} @item bool interior(int windingnumber, pen fillrule) returns true if @code{windingnumber} corresponds to an interior point according to @code{fillrule}. @cindex @code{inside} @item bool inside(path p, pair z, pen fillrule=currentpen); returns @code{true} iff the point @code{z} lies inside or on the edge of the region bounded by the cyclic path @code{p} according to the fill rule @code{fillrule} (@pxref{fillrule}). @cindex @code{inside} @item int inside(path p, path q, pen fillrule=currentpen); returns @code{1} if the cyclic path @code{p} strictly contains @code{q} according to the fill rule @code{fillrule} (@pxref{fillrule}), @code{-1} if the cyclic path @code{q} strictly contains @code{p}, and @code{0} otherwise. @cindex @code{inside} @item pair inside(path p, pen fillrule=currentpen); returns an arbitrary point strictly inside a cyclic path @code{p} according to the fill rule @code{fillrule} (@pxref{fillrule}). @cindex @code{strokepath} @item path[] strokepath(path g, pen p=currentpen); returns the path array that @code{PostScript} would fill in drawing path @code{g} with pen @code{p}. @end table @item guide @cindex @code{guide} an unresolved cubic spline (list of cubic-spline nodes and control points). The implicit initializer for a guide is @code{nullpath}; this is useful for building up a guide within a loop. A guide is similar to a path except that the computation of the cubic spline is deferred until drawing time (when it is resolved into a path); this allows two guides with free endpoint conditions to be joined together smoothly. The solid curve in the following example is built up incrementally as a guide, but only resolved at drawing time; the dashed curve is incrementally resolved at each iteration, before the entire set of nodes (shown in red) is known: @verbatiminclude mexicanhat.asy @sp 1 @center @image{./mexicanhat} We point out an efficiency distinction in the use of guides and paths: @verbatim guide g; for(int i=0; i < 10; ++i) g=g--(i,i); path p=g; @end verbatim @noindent runs in linear time, whereas @verbatim path p; for(int i=0; i < 10; ++i) p=p--(i,i); @end verbatim @noindent runs in quadratic time, as the entire path up to that point is copied at each step of the iteration. The following routines can be used to examine the individual elements of a guide without actually resolving the guide to a fixed path (except for internal cycles, which are resolved): @table @code @cindex @code{size} @item int size(guide g); Analogous to @code{size(path p)}. @cindex @code{length} @item int length(guide g); Analogous to @code{length(path p)}. @cindex @code{cyclic} @item bool cyclic(path p); Analogous to @code{cyclic(path p)}. @cindex @code{point} @item pair point(guide g, int t); Analogous to @code{point(path p, int t)}. @cindex @code{reverse} @item guide reverse(guide g); Analogous to @code{reverse(path p)}. If @code{g} is cyclic and also contains a secondary cycle, it is first solved to a path, then reversed. If @code{g} is not cyclic but contains an internal cycle, only the internal cycle is solved before reversal. If there are no internal cycles, the guide is reversed but not solved to a path. @cindex @code{dirSpecifier} @item pair[] dirSpecifier(guide g, int i); This returns a pair array of length 2 containing the outgoing (in element 0) and incoming (in element 1) direction specifiers (or @code{(0,0)} if none specified) for the segment of guide @code{g} between nodes @code{i} and @code{i+1}. @cindex @code{controlSpecifier} @item pair[] controlSpecifier(guide g, int i); If the segment of guide @code{g} between nodes @code{i} and @code{i+1} has explicit outgoing and incoming control points, they are returned as elements 0 and 1, respectively, of a two-element array. Otherwise, an empty array is returned. @cindex @code{tensionSpecifier} @item tensionSpecifier tensionSpecifier(guide g, int i); This returns the tension specifier for the segment of guide @code{g} between nodes @code{i} and @code{i+1}. The individual components of the @code{tensionSpecifier} type can be accessed as the virtual members @code{in}, @code{out}, and @code{atLeast}. @cindex @code{curlSpecifier} @item real[] curlSpecifier(guide g); This returns an array containing the initial curl specifier (in element 0) and final curl specifier (in element 1) for guide @code{g}. @end table As a technical detail we note that a direction specifier given to @code{nullpath} modifies the node on the other side: the guides @verbatim a..{up}nullpath..b; c..nullpath{up}..d; e..{up}nullpath{down}..f; @end verbatim are respectively equivalent to @verbatim a..nullpath..{up}b; c{up}..nullpath..d; e{down}..nullpath..{up}f; @end verbatim @end table @node Pens, Transforms, Paths and guides, Programming @section Pens @cindex @code{pen} @cindex @code{currentpen} @cindex @code{MetaPost pickup} In @code{Asymptote}, pens provide a context for the four basic drawing commands (@pxref{Drawing commands}). They are used to specify the following drawing attributes: color, line type, line width, line cap, line join, fill rule, text alignment, font, font size, pattern, overwrite mode, and calligraphic transforms on the pen nib. The default pen used by the drawing routines is called @code{currentpen}. This provides the same functionality as the @code{MetaPost} command @code{pickup}. The implicit initializer for pens is @code{defaultpen}. @cindex @code{+} @cindex @code{*} Pens may be added together with the nonassociative binary operator @code{+}. This will add the colors of the two pens. All other non-default attributes of the rightmost pen will override those of the leftmost pen. Thus, one can obtain a yellow dashed pen by saying @code{dashed+red+green} or @code{red+green+dashed} or @code{red+dashed+green}. The binary operator @code{*} can be used to scale the color of a pen by a real number, until it saturates with one or more color components equal to 1. @itemize @bullet @item Colors are specified using one of the following colorspaces: @cindex color @table @code @item pen gray(real g); @cindex @code{gray} @cindex grayscale This produces a grayscale color, where the intensity @code{g} lies in the interval [0,1], with 0.0 denoting black and 1.0 denoting white. @item pen rgb(real r, real g, real b); @cindex @code{rgb} This produces an @acronym{RGB} color, where each of the red, green, and blue intensities @code{r}, @code{g}, @code{b}, lies in the interval [0,1]. @item pen RGB(int r, int g, int b); @cindex @code{rgb} This produces an @acronym{RGB} color, where each of the red, green, and blue intensities @code{r}, @code{g}, @code{b}, lies in the interval [0,255]. @item pen cmyk(real c, real m, real y, real k); @cindex @code{cmyk} This produces a @acronym{CMYK} color, where each of the cyan, magenta, yellow, and black intensities @code{c}, @code{m}, @code{y}, @code{k}, lies in the interval [0,1]. @item pen invisible; @cindex @code{invisible} This special pen writes in invisible ink, but adjusts the bounding box as if something had been drawn (like the @code{\phantom} command in @TeX{}). The function @code{bool invisible(pen)} can be used to test whether a pen is invisible. @end table @cindex @code{defaultpen} The default color is @code{black}; this may be changed with the routine @code{defaultpen(pen)}. The function @code{colorspace(pen p)} returns the colorspace of pen @code{p} as a string (@code{"gray"}, @code{"rgb"}, @code{"cmyk"}, or @code{""}). @cindex @code{colors} The function @code{real[] colors(pen)} returns the color components of a pen. The functions @code{pen gray(pen)}, @code{pen rgb(pen)}, and @code{pen cmyk(pen)} return new pens obtained by converting their arguments to the respective color spaces. @cindex @code{colorless} The function @code{colorless(pen=currentpen)} returns a copy of its argument with the color attributes stripped (to avoid color mixing). A 6-character RGB hexadecimal string can be converted to a pen with the routine @cindex @code{rgb} @cindex @code{hexadecimal} @verbatim pen rgb(string s); @end verbatim @noindent A pen can be converted to a hexadecimal string with @cindex @code{hex} @item string hex(pen p); Various shades and mixtures of the grayscale primary colors @code{black} and @code{white}, @acronym{RGB} primary colors @code{red}, @code{green}, and @code{blue}, and @acronym{RGB} secondary colors @code{cyan}, @code{magenta}, and @code{yellow} are defined as named colors, along with the @acronym{CMYK} primary colors @code{Cyan}, @code{Magenta}, @code{Yellow}, and @code{Black}, in the module @code{plain}: @sp 1 @center @image{./colors} The standard 140 @acronym{RGB} @code{X11} colors can be imported with the command @verbatim import x11colors; @end verbatim and the standard 68 @acronym{CMYK} @TeX{} colors can be imported with the command @verbatim import texcolors; @end verbatim Note that there is some overlap between these two standards and the definitions of some colors (e.g.@ @code{Green}) actually disagree. @code{Asymptote} also comes with a @code{asycolors.sty} @code{LaTeX} package that defines to @code{LaTeX} @acronym{CMYK} versions of @code{Asymptote}'s predefined colors, so that they can be used directly within @code{LaTeX} strings. Normally, such colors are passed to @code{LaTeX} via a pen argument; however, to change the color of only a portion of a string, say for a slide presentation, (@pxref{slide}) it may be desirable to specify the color directly to @code{LaTeX}. This file can be passed to @code{LaTeX} with the @code{Asymptote} command @verbatim usepackage("asycolors"); @end verbatim The structure @code{hsv} defined in @code{plain_pens.asy} may be used to convert between @acronym{HSV} and @acronym{RGB} spaces, where the hue @code{h} is an angle in @math{[0,360)} and the saturation @code{s} and value @code{v} lie in @code{[0,1]}: @verbatim pen p=hsv(180,0.5,0.75); write(p); // ([default], red=0.375, green=0.75, blue=0.75) hsv q=p; write(q.h,q.s,q.v); // 180 0.5 0.75 @end verbatim @item Line types are specified with the function @code{pen linetype(real[] a, real offset=0, bool scale=true, bool adjust=true)}, @cindex @code{solid} @cindex @code{dashed} @cindex @code{dotted} @cindex @code{longdashed} @cindex @code{dashdotted} @cindex @code{longdashdotted} where @code{a} is an array of real array numbers. The optional parameter @code{offset} specifies where in the pattern to begin. The first number specifies how far (if @code{scale} is @code{true}, in units of the pen line width; otherwise in @code{PostScript} units) to draw with the pen on, the second number specifies how far to draw with the pen off, and so on. If @code{adjust} is @code{true}, these spacings are automatically adjusted by @code{Asymptote} to fit the arclength of the path. Here are the predefined line types: @verbatim pen solid=linetype(new real[]); pen dotted=linetype(new real[] {0,4}); pen dashed=linetype(new real[] {8,8}); pen longdashed=linetype(new real[] {24,8}); pen dashdotted=linetype(new real[] {8,8,0,8}); pen longdashdotted=linetype(new real[] {24,8,0,8}); pen Dotted(pen p=currentpen) {return linetype(new real[] {0,3})+2*linewidth(p);} pen Dotted=Dotted(); @end verbatim @sp 1 @center @image{./linetype} @cindex @code{defaultpen} The default line type is @code{solid}; this may be changed with @code{defaultpen(pen)}. @cindex @code{linetype} @cindex @code{offset} @cindex @code{scale} @cindex @code{adjust} The line type of a pen can be determined with the functions @code{real[] linetype(pen p=currentpen)}, @code{real offset(pen p)}, @code{bool scale(pen p)}, and @code{bool adjust(pen p)}. @cindex @code{linewidth} @cindex @code{defaultpen} @item The pen line width is specified in @code{PostScript} units with @code{pen linewidth(real)}. The default line width is 0.5 bp; this value may be changed with @code{defaultpen(pen)}. The line width of a pen is returned by @code{real linewidth(pen p=currentpen)}. For convenience, in the module @code{plain_pens} we define @verbatim void defaultpen(real w) {defaultpen(linewidth(w));} pen operator +(pen p, real w) {return p+linewidth(w);} pen operator +(real w, pen p) {return linewidth(w)+p;} @end verbatim so that one may set the line width like this: @verbatim defaultpen(2); pen p=red+0.5; @end verbatim @cindex @code{linecap} @cindex @code{squarecap} @cindex @code{roundcap} @cindex @code{extendcap} @cindex @code{defaultpen} @item A pen with a specific @code{PostScript} line cap is returned on calling @code{linecap} with an integer argument: @verbatim pen squarecap=linecap(0); pen roundcap=linecap(1); pen extendcap=linecap(2); @end verbatim @noindent The default line cap, @code{roundcap}, may be changed with @code{defaultpen(pen)}. The line cap of a pen is returned by @code{int linecap(pen p=currentpen)}. @cindex @code{linejoin} @cindex @code{miterjoin} @cindex @code{roundjoin} @cindex @code{beveljoin} @item A pen with a specific @code{PostScript} join style is returned on calling @code{linejoin} with an integer argument: @verbatim pen miterjoin=linejoin(0); pen roundjoin=linejoin(1); pen beveljoin=linejoin(2); @end verbatim @noindent The default join style, @code{roundjoin}, may be changed with @code{defaultpen(pen)}.The join style of a pen is returned by @code{int linejoin(pen p=currentpen)}. @cindex @code{miterlimit} @item A pen with a specific @code{PostScript} miter limit is returned by calling @code{miterlimit(real)}. The default miterlimit, @code{10.0}, may be changed with @code{defaultpen(pen)}. The miter limit of a pen is returned by @code{real miterlimit(pen p=currentpen)}. @cindex @code{fillrule} @cindex @code{zerowinding} @cindex @code{evenodd} @anchor{fillrule} @item A pen with a specific @code{PostScript} fill rule is returned on calling @code{fillrule} with an integer argument: @verbatim pen zerowinding=fillrule(0); pen evenodd=fillrule(1); @end verbatim @noindent The fill rule, which identifies the algorithm used to determine the insideness of a path or array of paths, only affects the @code{clip}, @code{fill}, and @code{inside} functions. For the @code{zerowinding} fill rule, a point @code{z} is outside the region bounded by a path if the number of upward intersections of the path with the horizontal line @code{z--z+infinity} minus the number of downward intersections is zero. For the @code{evenodd} fill rule, @code{z} is considered to be outside the region if the total number of such intersections is even. The default fill rule, @code{zerowinding}, may be changed with @code{defaultpen(pen)}. The fill rule of a pen is returned by @code{int fillrule(pen p=currentpen)}. @cindex @code{nobasealign} @cindex @code{basealign} @anchor{basealign} @item A pen with a specific text alignment setting is returned on calling @code{basealign} with an integer argument: @verbatim pen nobasealign=basealign(0); pen basealign=basealign(1); @end verbatim @noindent The default setting, @code{nobasealign},which may be changed with @code{defaultpen(pen)}, causes the label alignment routines to use the full label bounding box for alignment. In contrast, @code{basealign} requests that the @TeX{} baseline be respected. The base align setting of a pen is returned by @code{int basealigin(pen p=currentpen)}. @cindex @code{fontsize} @cindex @code{lineskip} @cindex @code{defaultpen} @cindex @code{type1cm} @item The font size is specified in @TeX{} points (1 pt = 1/72.27 inches) with the function @code{pen fontsize(real size, real lineskip=1.2*size)}. The default font size, 12pt, may be changed with @code{defaultpen(pen)}. Nonstandard font sizes may require inserting @verbatim import fontsize; @end verbatim at the beginning of the file (this requires the @code{type1cm} package available from @quotation @url{http://mirror.ctan.org/macros/latex/contrib/type1cm/} @end quotation and included in recent @code{LaTeX} distributions). The font size and line skip of a pen can be examined with the routines @code{real fontsize(pen p=currentpen)} and @code{real lineskip(pen p=currentpen)}, respectively. @cindex @code{font} @cindex @code{LaTeX fonts} @cindex @code{NFSS} @cindex @code{font command} @item A pen using a specific @code{LaTeX} @code{NFSS} font is returned by calling the function @code{pen font(string encoding, string family, string series, string shape)}. The default setting, @code{font("OT1","cmr","m","n")}, corresponds to 12pt Computer Modern Roman; this may be changed with @code{defaultpen(pen)}. The font setting of a pen is returned by @code{string font(pen p=currentpen)}. Support for standardized international characters is provided by the @code{unicode} package (@pxref{unicode}). @cindex @code{TeX fonts} Alternatively, one may select a fixed-size @TeX{} font (on which @code{fontsize} has no effect) like @code{"cmr12"} (12pt Computer Modern Roman) or @code{"pcrr"} (Courier) using the function @code{pen font(string name)}. An optional size argument can also be given to scale the font to the requested size: @code{pen font(string name, real size)}. @cindex @code{fontcommand} A nonstandard font command can be generated with @code{pen fontcommand(string)}. @cindex @code{PostScript fonts} A convenient interface to the following standard @code{PostScript} fonts is also provided: @verbatim pen AvantGarde(string series="m", string shape="n"); pen Bookman(string series="m", string shape="n"); pen Courier(string series="m", string shape="n"); pen Helvetica(string series="m", string shape="n"); pen NewCenturySchoolBook(string series="m", string shape="n"); pen Palatino(string series="m", string shape="n"); pen TimesRoman(string series="m", string shape="n"); pen ZapfChancery(string series="m", string shape="n"); pen Symbol(string series="m", string shape="n"); pen ZapfDingbats(string series="m", string shape="n"); @end verbatim @anchor{transparency} @cindex transparency @cindex @code{opacity} @item The transparency of a pen can be changed with the command: @verbatim pen opacity(real opacity=1, string blend="Compatible"); @end verbatim The opacity can be varied from @code{0} (fully transparent) to the default value of @code{1} (opaque), and @code{blend} specifies one of the following foreground--background blending operations: @verbatim "Compatible","Normal","Multiply","Screen","Overlay","SoftLight", "HardLight","ColorDodge","ColorBurn","Darken","Lighten","Difference", "Exclusion","Hue","Saturation","Color","Luminosity", @end verbatim as described in @url{https://www.adobe.com/content/dam/acom/en/devnet/pdf/pdfs/PDF32000_2008.pdf}. Since @code{PostScript} does not support transparency, this feature is only effective with the @code{-f pdf} output format option; other formats can be produced from the resulting @acronym{PDF} file with the @code{ImageMagick} @code{convert} program. Labels are always drawn with an @code{opacity} of 1. A simple example of transparent filling is provided in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/transparency.svg,,transparency}@uref{http://asymptote.sourceforge.net/gallery/transparency.asy,,.asy}}. @cindex patterns @cindex tilings @item @code{PostScript} commands within a @code{picture} may be used to create a tiling pattern, identified by the string @code{name}, for @code{fill} and @code{draw} operations by adding it to the global @code{PostScript} frame @code{currentpatterns}, with optional left-bottom margin @code{lb} and right-top margin @code{rt}. @verbatim import patterns; void add(string name, picture pic, pair lb=0, pair rt=0); @end verbatim To @code{fill} or @code{draw} using pattern @code{name}, use the pen @code{pattern("name")}. For example, rectangular tilings can be constructed using the routines @code{picture tile(real Hx=5mm, real Hy=0, pen p=currentpen, filltype filltype=NoFill)}, @code{picture checker(real Hx=5mm, real Hy=0, pen p=currentpen)}, and @code{picture brick(real Hx=5mm, real Hy=0, pen p=currentpen)} defined in module @code{patterns}: @cindex grid @cindex tile @cindex checker @cindex brick @verbatiminclude tile.asy @sp 1 @center @image{./tile} @cindex hatch @cindex crosshatch Hatch patterns can be generated with the routines @code{picture hatch(real H=5mm, pair dir=NE, pen p=currentpen)}, @code{picture crosshatch(real H=5mm, pen p=currentpen)}: @verbatiminclude hatch.asy @sp 1 @center @image{./hatch} You may need to turn off aliasing in your @code{PostScript} viewer for patterns to appear correctly. Custom patterns can easily be constructed, following the examples in module @code{patterns}. The tiled pattern can even incorporate shading (@pxref{gradient shading}), as illustrated in this example (not included in the manual because not all printers support @code{PostScript} 3): @verbatiminclude shadedtiling.asy @anchor{makepen} @cindex @code{makepen} @item One can specify a custom pen nib as an arbitrary polygonal path with @code{pen makepen(path)}; this path represents the mark to be drawn for paths containing a single point. This pen nib path can be recovered from a pen with @code{path nib(pen)}. Unlike in @code{MetaPost}, the path need not be convex: @verbatiminclude makepen.asy @sp 1 @center @image{./makepen} The value @code{nullpath} represents a circular pen nib (the default); an elliptical pen can be achieved simply by multiplying the pen by a transform: @code{yscale(2)*currentpen}. @anchor{overwrite} @cindex @code{overwrite} @item One can prevent labels from overwriting one another by using the pen attribute @code{overwrite}, which takes a single argument: @table @code @cindex @code{Allow} @cindex @code{defaultpen} @item Allow Allow labels to overwrite one another. This is the default behaviour (unless overridden with @code{defaultpen(pen)}. @cindex @code{Suppress} @item Suppress Suppress, with a warning, each label that would overwrite another label. @cindex @code{SuppressQuiet} @item SuppressQuiet Suppress, without warning, each label that would overwrite another label. @cindex @code{Move} @item Move Move a label that would overwrite another out of the way and issue a warning. As this adjustment is during the final output phase (in @code{PostScript} coordinates) it could result in a larger figure than requested. @cindex @code{MoveQuiet} @item MoveQuiet Move a label that would overwrite another out of the way, without warning. As this adjustment is during the final output phase (in @code{PostScript} coordinates) it could result in a larger figure than requested. @end table @end itemize @cindex @code{defaultpen} @cindex @code{resetdefaultpen} The routine @code{defaultpen()} returns the current default pen attributes. Calling the routine @code{resetdefaultpen()} resets all pen default attributes to their initial values. @node Transforms, Frames and pictures, Pens, Programming @section Transforms @cindex @code{transform} @code{Asymptote} makes extensive use of affine transforms. A pair @code{(x,y)} is transformed by the transform @code{t=(t.x,t.y,t.xx,t.xy,t.yx,t.yy)} to @code{(x',y')}, where @verbatim x' = t.x + t.xx * x + t.xy * y y' = t.y + t.yx * x + t.yy * y @end verbatim @noindent This is equivalent to the @code{PostScript} transformation @code{[t.xx t.yx t.xy t.yy t.x t.y]}. Transforms can be applied to pairs, guides, paths, pens, strings, transforms, frames, and pictures by multiplication (via the binary operator @code{*}) on the left (@pxref{circle} for an example). @cindex @code{inverse} Transforms can be composed with one another and inverted with the function @code{transform inverse(transform t)}; they can also be raised to any integer power with the @code{^} operator. The built-in transforms are: @table @code @item transform identity; @cindex @code{identity} the identity transform; @item transform shift(pair z); @cindex @code{shift} translates by the pair @code{z}; @item transform shift(real x, real y); @cindex @code{shift} translates by the pair @code{(x,y)}; @item transform xscale(real x); @cindex @code{xscale} scales by @code{x} in the @math{x} direction; @item transform yscale(real y); @cindex @code{yscale} scales by @code{y} in the @math{y} direction; @item transform scale(real s); @cindex @code{scale} scale by @code{s} in both @math{x} and @math{y} directions; @item transform scale(real x, real y); @cindex @code{scale} scale by @code{x} in the @math{x} direction and by @code{y} in the @math{y} direction; @item transform slant(real s); @cindex @code{slant} maps @code{(x,y)} --> @code{(x+s*y,y)}; @item transform rotate(real angle, pair z=(0,0)); rotates by @code{angle} in degrees about @code{z}; @item transform reflect(pair a, pair b); @cindex @code{reflect} reflects about the line @code{a--b}. @item transform zeroTransform; @cindex @code{zeroTransform} the zero transform; @end table @cindex @code{shift} @cindex @code{shiftless} The implicit initializer for transforms is @code{identity()}. The routines @code{shift(transform t)} and @code{shiftless(transform t)} return the transforms @code{(t.x,t.y,0,0,0,0)} and @code{(0,0,t.xx,t.xy,t.yx,t.yy)} respectively. @node Frames and pictures, Files, Transforms, Programming @section Frames and pictures @table @code @item frame @cindex @code{frame} @cindex @code{newframe} @cindex @code{empty} @cindex @code{erase} @cindex @code{min} @cindex @code{max} Frames are canvases for drawing in @code{PostScript} coordinates. While working with frames directly is occasionally necessary for constructing deferred drawing routines, pictures are usually more convenient to work with. The implicit initializer for frames is @code{newframe}. The function @code{bool empty(frame f)} returns @code{true} only if the frame @code{f} is empty. A frame may be erased with the @code{erase(frame)} routine. The functions @code{pair min(frame)} and @code{pair max(frame)} return the (left,bottom) and (right,top) coordinates of the frame bounding box, respectively. The contents of frame @code{src} may be appended to frame @code{dest} with the command @verbatim void add(frame dest, frame src); @end verbatim or prepended with @verbatim void prepend(frame dest, frame src); @end verbatim A frame obtained by aligning frame @code{f} in the direction @code{align}, in a manner analogous to the @code{align} argument of @code{label} (@pxref{label}), is returned by @verbatim frame align(frame f, pair align); @end verbatim @cindex @code{box} @cindex @code{ellipse} @anchor{envelope} @cindex @code{envelope} To draw or fill a box or ellipse around a label or frame and return the boundary as a path, use one of the predefined @code{envelope} routines @verbatim path box(frame f, Label L="", real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true); path roundbox(frame f, Label L="", real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true); path ellipse(frame f, Label L="", real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true); @end verbatim @item picture @cindex @code{picture} Pictures are high-level structures (@pxref{Structures}) defined in the module @code{plain} that provide canvases for drawing in user coordinates. The default picture is called @code{currentpicture}. A new picture can be created like this: @verbatim picture pic; @end verbatim @noindent Anonymous pictures can be made by the expression @code{new picture}. The @code{size} routine specifies the dimensions of the desired picture: @anchor{size} @cindex @code{size} @verbatim void size(picture pic=currentpicture, real x, real y=x, bool keepAspect=Aspect); @end verbatim If the @code{x} and @code{y} sizes are both 0, user coordinates will be interpreted as @code{PostScript} coordinates. In this case, the transform mapping @code{pic} to the final output frame is @code{identity()}. If exactly one of @code{x} or @code{y} is 0, no size restriction is imposed in that direction; it will be scaled the same as the other direction. @cindex @code{keepAspect} @cindex @code{Aspect} If @code{keepAspect} is set to @code{Aspect} or @code{true}, the picture will be scaled with its aspect ratio preserved such that the final width is no more than @code{x} and the final height is no more than @code{y}. @cindex @code{keepAspect} @cindex @code{IgnoreAspect} If @code{keepAspect} is set to @code{IgnoreAspect} or @code{false}, the picture will be scaled in both directions so that the final width is @code{x} and the height is @code{y}. To make the user coordinates of picture @code{pic} represent multiples of @code{x} units in the @math{x} direction and @code{y} units in the @math{y} direction, use @anchor{unitsize} @cindex @code{unitsize} @verbatim void unitsize(picture pic=currentpicture, real x, real y=x); @end verbatim When nonzero, these @code{x} and @code{y} values override the corresponding size parameters of picture @code{pic}. The routine @cindex @code{size} @verbatim void size(picture pic=currentpicture, real xsize, real ysize, pair min, pair max); @end verbatim forces the final picture scaling to map the user coordinates @code{box(min,max)} to a region of width @code{xsize} and height @code{ysize} (when these parameters are nonzero). Alternatively, calling the routine @cindex @code{fixedscaling} @verbatim transform fixedscaling(picture pic=currentpicture, pair min, pair max, pen p=nullpen, bool warn=false); @end verbatim will cause picture @code{pic} to use a fixed scaling to map user coordinates in @code{box(min,max)} to the (already specified) picture size, taking account of the width of pen @code{p}. A warning will be issued if the final picture exceeds the specified size. A picture @code{pic} can be fit to a frame and output to a file @code{prefix}.@code{format} using image format @code{format} by calling the @code{shipout} function: @anchor{shipout} @cindex @code{shipout} @cindex @code{outprefix} @verbatim void shipout(string prefix=defaultfilename, picture pic=currentpicture, orientation orientation=orientation, string format="", bool wait=false, bool view=true, string options="", string script="", light light=currentlight, projection P=currentprojection) @end verbatim @noindent The default output format, @code{PostScript}, may be changed with the @code{-f} or @code{-tex} command-line options. The @code{options}, @code{script}, and @code{projection} parameters are only relevant for 3D pictures. If @code{defaultfilename} is an empty string, the prefix @code{outprefix()} will be used. A @code{shipout()} command is added implicitly at file exit if no previous @code{shipout} commands have been executed. @cindex @code{orientation} @cindex @code{Portrait} @cindex @code{Landscape} @cindex @code{UpsideDown} The default page orientation is @code{Portrait}; this may be modified by changing the variable @code{orientation}. To output in landscape mode, simply set the variable @code{orientation=Landscape} or issue the command @verbatim shipout(Landscape); @end verbatim @cindex @code{Seascape} To rotate the page by @math{-90} degrees, use the orientation @code{Seascape}. @cindex @code{UpsideDown} The orientation @code{UpsideDown} rotates the page by 180 degrees. @cindex subpictures @cindex @code{fit} A picture @code{pic} can be explicitly fit to a frame by calling @verbatim frame pic.fit(real xsize=pic.xsize, real ysize=pic.ysize, bool keepAspect=pic.keepAspect); @end verbatim The default size and aspect ratio settings are those given to the @code{size} command (which default to @code{0}, @code{0}, and @code{true}, respectively). @cindex @code{calculateTransform} The transformation that would currently be used to fit a picture @code{pic} to a frame is returned by the member function @code{pic.calculateTransform()}. In certain cases (e.g.@ 2D graphs) where only an approximate size estimate for @code{pic} is available, the picture fitting routine @verbatim frame pic.scale(real xsize=this.xsize, real ysize=this.ysize, bool keepAspect=this.keepAspect); @end verbatim (which scales the resulting frame, including labels and fixed-size objects) will enforce perfect compliance with the requested size specification, but should not normally be required. @cindex @code{box} To draw a bounding box with margins around a picture, fit the picture to a frame using the function @verbatim frame bbox(picture pic=currentpicture, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill); @end verbatim @anchor{filltype} Here @code{filltype} specifies one of the following fill types: @table @code @cindex @code{FillDraw} @item FillDraw Fill the interior and draw the boundary. @item FillDraw(real xmargin=0, real ymargin=xmargin, pen fillpen=nullpen, @code{pen drawpen=nullpen)} @cindex @code{nullpen} If @code{fillpen} is @code{nullpen}, fill with the drawing pen; otherwise fill with pen @code{fillpen}. If @code{drawpen} is @code{nullpen}, draw the boundary with @code{fillpen}; otherwise with @code{drawpen}. An optional margin of @code{xmargin} and @code{ymargin} can be specified. @cindex @code{Fill} @item Fill Fill the interior. @cindex @code{nullpen} @item Fill(real xmargin=0, real ymargin=xmargin, pen p=nullpen) If @code{p} is @code{nullpen}, fill with the drawing pen; otherwise fill with pen @code{p}. An optional margin of @code{xmargin} and @code{ymargin} can be specified. @cindex @code{NoFill} @item NoFill Do not fill. @item Draw Draw only the boundary. @cindex @code{Draw} @item Draw(real xmargin=0, real ymargin=xmargin, pen p=nullpen) If @code{p} is @code{nullpen}, draw the boundary with the drawing pen; otherwise draw with pen @code{p}. An optional margin of @code{xmargin} and @code{ymargin} can be specified. @cindex @code{UnFill} @item UnFill Clip the region. @cindex @code{UnFill} @item UnFill(real xmargin=0, real ymargin=xmargin) Clip the region and surrounding margins @code{xmargin} and @code{ymargin}. @cindex @code{RadialShade} @item RadialShade(pen penc, pen penr) Fill varying radially from @code{penc} at the center of the bounding box to @code{penr} at the edge. @cindex @code{RadialShadeDraw} @item RadialShadeDraw(real xmargin=0, real ymargin=xmargin, pen penc, @code{pen penr, pen drawpen=nullpen)} Fill with RadialShade and draw the boundary. @end table @cindex bounding box @cindex background color For example, to draw a bounding box around a picture with a 0.25 cm margin and output the resulting frame, use the command: @verbatim shipout(bbox(0.25cm)); @end verbatim A @code{picture} may be fit to a frame with the background color pen @code{p}, using the function @code{bbox(p,Fill)}. @cindex @code{pad} To pad a picture to a precise size in both directions, fit the picture to a frame using the function @verbatim frame pad(picture pic=currentpicture, real xsize=pic.xsize, real ysize=pic.ysize, filltype filltype=NoFill); @end verbatim The functions @verbatim pair min(picture pic, user=false); pair max(picture pic, user=false); pair size(picture pic, user=false); @end verbatim calculate the bounds that picture @code{pic} would have if it were currently fit to a frame using its default size specification. If @code{user} is @code{false} the returned value is in @code{PostScript} coordinates, otherwise it is in user coordinates. The function @verbatim pair point(picture pic=currentpicture, pair dir, bool user=true); @end verbatim is a convenient way of determining the point on the bounding box of @code{pic} in the direction @code{dir} relative to its center, ignoring the contributions from fixed-size objects (such as labels and arrowheads). If @code{user} is @code{true} the returned value is in user coordinates, otherwise it is in @code{PostScript} coordinates. The function @verbatim pair truepoint(picture pic=currentpicture, pair dir, bool user=true); @end verbatim is identical to @code{point}, except that it also accounts for fixed-size objects, using the scaling transform that picture @code{pic} would have if currently fit to a frame using its default size specification. If @code{user} is @code{true} the returned value is in user coordinates, otherwise it is in @code{PostScript} coordinates. @anchor{add} Sometimes it is useful to draw objects on separate pictures and add one picture to another using the @code{add} function: @cindex @code{add} @verbatim void add(picture src, bool group=true, filltype filltype=NoFill, bool above=true); void add(picture dest, picture src, bool group=true, filltype filltype=NoFill, bool above=true); @end verbatim @noindent The first example adds @code{src} to @code{currentpicture}; the second one adds @code{src} to @code{dest}. The @code{group} option specifies whether or not the graphical user interface should treat all of the elements of @code{src} as a single entity (@pxref{GUI}), @code{filltype} requests optional background filling or clipping, and @code{above} specifies whether to add @code{src} above or below existing objects. There are also routines to add a picture or frame @code{src} specified in postscript coordinates to another picture @code{dest} (or @code{currentpicture}) about the user coordinate @code{position}: @anchor{add about} @cindex @code{add} @cindex picture alignment @verbatim void add(picture src, pair position, bool group=true, filltype filltype=NoFill, bool above=true); void add(picture dest, picture src, pair position, bool group=true, filltype filltype=NoFill, bool above=true); void add(picture dest=currentpicture, frame src, pair position=0, bool group=true, filltype filltype=NoFill, bool above=true); void add(picture dest=currentpicture, frame src, pair position, pair align, bool group=true, filltype filltype=NoFill, bool above=true); @end verbatim The optional @code{align} argument in the last form specifies a direction to use for aligning the frame, in a manner analogous to the @code{align} argument of @code{label} (@pxref{label}). However, one key difference is that when @code{align} is not specified, labels are centered, whereas frames and pictures are aligned so that their origin is at @code{position}. Illustrations of frame alignment can be found in the examples @ref{errorbars} and @ref{image}. If you want to align three or more subpictures, group them two at a time: @verbatiminclude subpictures.asy @sp 1 @center @image{./subpictures} Alternatively, one can use @code{attach} to automatically increase the size of picture @code{dest} to accommodate adding a frame @code{src} about the user coordinate @code{position}: @cindex @code{attach} @verbatim void attach(picture dest=currentpicture, frame src, pair position=0, bool group=true, filltype filltype=NoFill, bool above=true); void attach(picture dest=currentpicture, frame src, pair position, pair align, bool group=true, filltype filltype=NoFill, bool above=true); @end verbatim @cindex @code{erase} To erase the contents of a picture (but not the size specification), use the function @verbatim void erase(picture pic=currentpicture); @end verbatim @cindex @code{save} To save a snapshot of @code{currentpicture}, @code{currentpen}, and @code{currentprojection}, use the function @code{save()}. @cindex @code{restore} To restore a snapshot of @code{currentpicture}, @code{currentpen}, and @code{currentprojection}, use the function @code{restore()}. Many further examples of picture and frame operations are provided in the base module @code{plain}. @cindex verbatim @cindex @code{postscript} It is possible to insert verbatim @code{PostScript} commands in a picture with one of the routines @verbatim void postscript(picture pic=currentpicture, string s); void postscript(picture pic=currentpicture, string s, pair min, pair max) @end verbatim Here @code{min} and @code{max} can be used to specify explicit bounds associated with the resulting @code{PostScript} code. @anchor{tex} @cindex @code{tex} Verbatim @TeX{} commands can be inserted in the intermediate @code{LaTeX} output file with one of the functions @verbatim void tex(picture pic=currentpicture, string s); void tex(picture pic=currentpicture, string s, pair min, pair max) @end verbatim Here @code{min} and @code{max} can be used to specify explicit bounds associated with the resulting @TeX{} code. To issue a global @TeX{} command (such as a @TeX{} macro definition) in the @TeX{} preamble (valid for the remainder of the top-level module) use: @cindex @code{texpreamble} @verbatim void texpreamble(string s); @end verbatim The @TeX{} environment can be reset to its initial state, clearing all macro definitions, with the function @cindex @code{texreset} @verbatim void texreset(); @end verbatim @cindex @code{usepackage} The routine @verbatim void usepackage(string s, string options=""); @end verbatim provides a convenient abbreviation for @verbatim texpreamble("\usepackage["+options+"]{"+s+"}"); @end verbatim @noindent that can be used for importing @code{LaTeX} packages. @end table @node Files, Variable initializers, Frames and pictures, Programming @section Files @cindex @code{file} @code{Asymptote} can read and write text files (including comma-separated value) files and portable @acronym{XDR} (External Data Representation) binary files. @cindex @code{input} An input file must first be opened with @verbatim input(string name="", bool check=true, string comment="#", string mode=""); @end verbatim reading is then done by assignment: @cindex open @cindex @code{input} @cindex reading @verbatim file fin=input("test.txt"); real a=fin; @end verbatim @cindex comment character @cindex @code{error} If the optional boolean argument @code{check} is @code{false}, no check will be made that the file exists. If the file does not exist or is not readable, the function @code{bool error(file)} will return @code{true}. The first character of the string @code{comment} specifies a comment character. If this character is encountered in a data file, the remainder of the line is ignored. When reading strings, a comment character followed immediately by another comment character is treated as a single literal comment character. @anchor{cd} @cindex @code{cd} @cindex directory One can change the current working directory for read operations to the contents of the string @code{s} with the function @code{string cd(string s)}, which returns the new working directory. If @code{string s} is empty, the path is reset to the value it had at program startup. @cindex @code{getc} When reading pairs, the enclosing parenthesis are optional. Strings are also read by assignment, by reading characters up to but not including a newline. In addition, @code{Asymptote} provides the function @code{string getc(file)} to read the next character (treating the comment character as an ordinary character) and return it as a string. @cindex @code{output} @cindex @code{update} @cindex append A file named @code{name} can be open for output with @verbatim file output(string name="", bool update=false, string comment="#", string mode=""); @end verbatim @noindent If @code{update=false}, any existing data in the file will be erased and only write operations can be used on the file. If @code{update=true}, any existing data will be preserved, the position will be set to the end-of-file, and both reading and writing operations will be enabled. For security reasons, writing to files in directories other than the current directory is allowed only if the @code{-globalwrite} (or @code{-nosafe}) command-line option is specified. @cindex @code{mktemp} The function @code{string mktemp(string s)} may be used to create and return the name of a unique temporary file in the current directory based on the string @code{s}. @cindex @code{stdin} @cindex @code{stdout} There are two special files: @code{stdin}, which reads from the keyboard, and @code{stdout}, which writes to the terminal. The implicit initializer for files is @code{null}. Data of a built-in type @code{T} can be written to an output file by calling one of the functions @cindex @code{write} @verbatim write(string s="", T x, suffix suffix=endl ... T[]); write(file file, string s="", T x, suffix suffix=none ... T[]); write(file file=stdout, string s="", explicit T[] x ... T[][]); write(file file=stdout, T[][]); write(file file=stdout, T[][][]); write(suffix suffix=endl); write(file file, suffix suffix=none); @end verbatim @cindex @code{none} @cindex @code{flush} @cindex @code{endl} @cindex @code{newl} @cindex @code{DOSendl} @cindex @code{DOSnewl} @cindex @code{tab} @cindex @code{comma} If @code{file} is not specified, @code{stdout} is used and terminated by default with a newline. If specified, the optional identifying string @code{s} is written before the data @code{x}. An arbitrary number of data values may be listed when writing scalars or one-dimensional arrays. The @code{suffix} may be one of the following: @code{none} (do nothing), @code{flush} (output buffered data), @code{endl} (terminate with a newline and flush), @code{newl} (terminate with a newline), @code{DOSendl} (terminate with a DOS newline and flush), @code{DOSnewl} (terminate with a DOS newline), @code{tab} (terminate with a tab), or @code{comma} (terminate with a comma). Here are some simple examples of data output: @verbatim file fout=output("test.txt"); write(fout,1); // Writes "1" write(fout); // Writes a new line write(fout,"List: ",1,2,3); // Writes "List: 1 2 3" @end verbatim @noindent @cindex binary format @cindex single precision @cindex double precision @cindex @code{singlereal} @cindex @code{singleint} @cindex @code{signedint} @cindex @code{mode} @cindex @code{binary} @cindex @code{xdr} A file may be opened with @code{mode="xdr"}, to read or write double precision (64-bit) reals and single precision (32-bit) integers in Sun Microsystem's @acronym{XDR} (External Data Representation) portable binary format (available on all @code{UNIX} platforms). Alternatively, a file may also be opened with @code{mode="binary"} to read or write double precision reals and single precision integers in the native (nonportable) machine binary format. The virtual member functions @code{file singlereal(bool b=true)} and @code{file singleint(bool b=true)} be used to change the precision of real and integer I/O operations, respectively, for an @acronym{XDR} or binary file @code{f}. Similarly, the function @code{file signedint(bool b=true)} can be used to modify the signedness of integer reads and writes for an @acronym{XDR} or binary file @code{f}. @cindex @code{name} @cindex @code{mode} @cindex @code{singlereal} @cindex @code{singleint} @cindex @code{signedint} The virtual members @code{name}, @code{mode}, @code{singlereal}, @code{singleint}, and @code{signedint} may be used to query the respective parameters for a given file. @cindex @code{eof} @cindex @code{eol} @cindex @code{error} @cindex @code{flush} @cindex @code{clear} @cindex @code{precision} @cindex @code{seek} @cindex @code{tell} @cindex rewind @cindex @code{seekeof} One can test a file for end-of-file with the boolean function @code{eof(file)}, end-of-line with @code{eol(file)}, and for I/O errors with @code{error(file)}. One can flush the output buffers with @code{flush(file)}, clear a previous I/O error with @code{clear(file)}, and close the file with @code{close(file)}. The function @code{int precision(file file=stdout, int digits=0)} sets the number of digits of output precision for @code{file} to @code{digits}, provided @code{digits} is nonzero, and returns the previous precision setting. The function @code{int tell(file)} returns the current position in a file relative to the beginning. The routine @code{seek(file file, int pos)} can be used to change this position, where a negative value for the position @code{pos} is interpreted as relative to the end-of-file. For example, one can rewind a file @code{file} with the command @code{seek(file,0)} and position to the final character in the file with @code{seek(file,-1)}. The command @code{seekeof(file)} sets the position to the end of the file. @cindex @code{scroll} @anchor{scroll} Assigning @code{settings.scroll=n} for a positive integer @code{n} requests a pause after every @code{n} output lines to @code{stdout}. One may then press @code{Enter} to continue to the next @code{n} output lines, @code{s} followed by @code{Enter} to scroll without further interruption, or @code{q} followed by @code{Enter} to quit the current output operation. If @code{n} is negative, the output scrolls a page at a time (i.e. by one less than the current number of display lines). The default value, @code{settings.scroll=0}, specifies continuous scrolling. The routines @cindex @code{getstring} @cindex @code{getreal} @cindex @code{getpair} @cindex @code{gettriple} @verbatim string getstring(string name="", string default="", string prompt="", bool store=true); int getint(string name="", int default=0, string prompt="", bool store=true); real getreal(string name="", real default=0, string prompt="", bool store=true); pair getpair(string name="", pair default=0, string prompt="", bool store=true); triple gettriple(string name="", triple default=(0,0,0), string prompt="", bool store=true); @end verbatim @noindent defined in the module @code{plain} may be used to prompt for a value from @code{stdin} using the @acronym{GNU} @code{readline} library. If @code{store=true}, the history of values for @code{name} is stored in the file @code{".asy_history_"+name} (@pxref{history}). The most recent value in the history will be used to provide a default value for subsequent runs. The default value (initially @code{default}) is displayed after @code{prompt}. These functions are based on the internal routines @cindex @code{readline} @cindex @code{saveline} @verbatim string readline(string prompt="", string name="", bool tabcompletion=false); void saveline(string name, string value, bool store=true); @end verbatim Here, @code{readline} prompts the user with the default value formatted according to @code{prompt}, while @code{saveline} is used to save the string @code{value} in a local history named @code{name}, optionally storing the local history in a file @code{".asy_history_"+name}. @cindex @code{history} The routine @code{history(string name, int n=1)} can be used to look up the @code{n} most recent values (or all values up to @code{historylines} if @code{n=0}) entered for string @code{name}. The routine @code{history(int n=0)} returns the interactive history. For example, @verbatim write(output("transcript.asy"),history()); @end verbatim @noindent outputs the interactive history to the file @code{transcript.asy}. @cindex @code{delete} The function @code{int delete(string s)} deletes the file named by the string @code{s}. Unless the @code{-globalwrite} (or @code{-nosafe}) option is enabled, the file must reside in the current directory. @cindex @code{rename} The function @code{int rename(string from, string to)} may be used to rename file @code{from} to file @code{to}. Unless the @code{-globalwrite} (or @code{-nosafe}) option is enabled, this operation is restricted to the current directory. @cindex @code{convert} @cindex @code{animate} The functions @verbatim int convert(string args="", string file="", string format=""); int animate(string args="", string file="", string format=""); @end verbatim @noindent call the @code{ImageMagick} commands @code{convert} and @code{animate}, respectively, with the arguments @code{args} and the file name constructed from the strings @code{file} and @code{format}. @node Variable initializers, Structures, Files, Programming @section Variable initializers @cindex variable initializers @cindex @code{operator init} @cindex initializers A variable can be assigned a value when it is declared, as in @code{int x=3;} where the variable @code{x} is assigned the value @code{3}. As well as literal constants such as @code{3}, arbitary expressions can be used as initializers, as in @code{real x=2*sin(pi/2);}. A variable is not added to the namespace until after the initializer is evaluated, so for example, in @verbatim int x=2; int x=5*x; @end verbatim @noindent the @code{x} in the initializer on the second line refers to the variable @code{x} declared on the first line. The second line, then, declares a variable @code{x} shadowing the original @code{x} and initializes it to the value @code{10}. Variables of most types can be declared without an explicit initializer and they will be initialized by the default initializer of that type: @itemize @item Variables of the numeric types @code{int}, @code{real}, and @code{pair} are all initialized to zero; variables of type @code{triple} are initialized to @code{O=(0,0,0)}. @item @code{boolean} variables are initialized to @code{false}. @item @code{string} variables are initialized to the empty string. @item @code{transform} variables are initialized to the identity transformation. @item @code{path} and @code{guide} variables are initialized to @code{nullpath}. @item @code{pen} variables are initialized to the default pen. @item @code{frame} and @code{picture} variables are initialized to empty frames and pictures, respectively. @item @code{file} variables are initialized to @code{null}. @end itemize The default initializers for user-defined array, structure, and function types are explained in their respective sections. Some types, such as @code{code}, do not have default initializers. When a variable of such a type is introduced, the user must initialize it by explicitly giving it a value. The default initializer for any type @code{T} can be redeclared by defining the function @code{T operator init()}. For instance, @code{int} variables are usually initialized to zero, but in @verbatim int operator init() { return 3; } int y; @end verbatim @noindent the variable @code{y} is initialized to @code{3}. This example was given for illustrative purposes; redeclaring the initializers of built-in types is not recommended. Typically, @code{operator init} is used to define sensible defaults for user-defined types. @cindex @code{var} The special type @code{var} may be used to infer the type of a variable from its initializer. If the initializer is an expression of a unique type, then the variable will be defined with that type. For instance, @verbatim var x=5; var y=4.3; var reddash=red+dashed; @end verbatim @noindent is equivalent to @verbatim int x=5; real y=4.3; pen reddash=red+dashed; @end verbatim @code{var} may also be used with the extended @code{for} loop syntax. @verbatim int[] a = {1,2,3}; for (var x : a) write(x); @end verbatim @node Structures, Operators, Variable initializers, Programming @section Structures @cindex @code{struct} @cindex structures @cindex @code{public} @cindex @code{restricted} @cindex @code{private} @cindex @code{this} @cindex @code{new} @cindex @code{null} Users may also define their own data types as structures, along with user-defined operators, much as in C++. By default, structure members are @code{public} (may be read and modified anywhere in the code), but may be optionally declared @code{restricted} (readable anywhere but writeable only inside the structure where they are defined) or @code{private} (readable and writable only inside the structure). In a structure definition, the keyword @code{this} can be used as an expression to refer to the enclosing structure. Any code at the top-level scope within the structure is executed on initialization. Variables hold references to structures. That is, in the example: @verbatim struct T { int x; } T foo; T bar=foo; bar.x=5; @end verbatim The variable @code{foo} holds a reference to an instance of the structure @code{T}. When @code{bar} is assigned the value of @code{foo}, it too now holds a reference to the same instance as @code{foo} does. The assignment @code{bar.x=5} changes the value of the field @code{x} in that instance, so that @code{foo.x} will also be equal to @code{5}. The expression @code{new T} creates a new instance of the structure @code{T} and returns a reference to that instance. In creating the new instance, any code in the body of the record definition is executed. For example: @verbatim int Tcount=0; struct T { int x; ++Tcount; } T foo=new T; T foo; @end verbatim @noindent Here, @code{new T} produces a new instance of the class, which causes @code{Tcount} to be incremented, tracking the number of instances produced. The declarations @code{T foo=new T} and @code{T foo} are equivalent: the second form implicitly creates a new instance of @code{T}. That is, after the definition of a structure @code{T}, a variable of type @code{T} is initialized to a new instance (@code{new T}) by default. During the definition of the structure, however, variables of type @code{T} are initialized to @code{null} by default. This special behaviour is to avoid infinite recursion of creating new instances in code such as @verbatim struct tree { int value; tree left; tree right; } @end verbatim The expression @code{null} can be cast to any structure type to yield a null reference, a reference that does not actually refer to any instance of the structure. Trying to use a field of a null reference will cause an error. @cindex alias @cindex @code{==} @cindex @code{!=} The function @code{bool alias(T,T)} checks to see if two structure references refer to the same instance of the structure (or both to @code{null}). In example at the beginning of this section, @code{alias(foo,bar)} would return true, but @code{alias(foo,new T)} would return false, as @code{new T} creates a new instance of the structure @code{T}. The boolean operators @code{==} and @code{!=} are by default equivalent to @code{alias} and @code{!alias} respectively, but may be overwritten for a particular type (for example, to do a deep comparison). Here is a simple example that illustrates the use of structures: @verbatim struct S { real a=1; real f(real a) {return a+this.a;} } S s; // Initializes s with new S; write(s.f(2)); // Outputs 3 S operator + (S s1, S s2) { S result; result.a=s1.a+s2.a; return result; } write((s+s).f(0)); // Outputs 2 @end verbatim @cindex constructors It is often convenient to have functions that construct new instances of a structure. Say we have a @code{Person} structure: @verbatim struct Person { string firstname; string lastname; } Person joe; joe.firstname="Joe"; joe.lastname="Jones"; @end verbatim @noindent Creating a new Person is a chore; it takes three lines to create a new instance and to initialize its fields (that's still considerably less effort than creating a new person in real life, though). We can reduce the work by defining a constructor function @code{Person(string,string)}: @verbatim struct Person { string firstname; string lastname; static Person Person(string firstname, string lastname) { Person p=new Person; p.firstname=firstname; p.lastname=lastname; return p; } } Person joe=Person.Person("Joe", "Jones"); @end verbatim While it is now easier than before to create a new instance, we still have to refer to the constructor by the qualified name @code{Person.Person}. If we add the line @verbatim from Person unravel Person; @end verbatim @noindent immediately after the structure definition, then the constructor can be used without qualification: @code{Person joe=Person("Joe", "Jones");}. The constructor is now easy to use, but it is quite a hassle to define. If you write a lot of constructors, you will find that you are repeating a lot of code in each of them. Fortunately, your friendly neighbourhood Asymptote developers have devised a way to automate much of the process. @cindex @code{operator init} If, in the body of a structure, Asymptote encounters the definition of a function of the form @code{void operator init(@var{args})}, it implicitly defines a constructor function of the arguments @code{@var{args}} that uses the @code{void operator init} function to initialize a new instance of the structure. That is, it essentially defines the following constructor (assuming the structure is called @code{Foo}): @example static Foo Foo(@var{args}) @{ Foo instance=new Foo; instance.operator init(@var{args}); return instance; @} @end example This constructor is also implicitly copied to the enclosing scope after the end of the structure definition, so that it can used subsequently without qualifying it by the structure name. Our @code{Person} example can thus be implemented as: @verbatim struct Person { string firstname; string lastname; void operator init(string firstname, string lastname) { this.firstname=firstname; this.lastname=lastname; } } Person joe=Person("Joe", "Jones"); @end verbatim The use of @code{operator init} to implicitly define constructors should not be confused with its use to define default values for variables (@pxref{Variable initializers}). Indeed, in the first case, the return type of the @code{operator init} must be @code{void} while in the second, it must be the (non-@code{void}) type of the variable. @cindex @code{cputime} The function @code{cputime()} returns a structure @code{cputime} with cumulative @acronym{CPU} times broken down into the fields @code{parent.user}, @code{parent.system}, @code{child.user}, and @code{child.system}. For convenience, the incremental fields @code{change.user} and @code{change.system} indicate the change in the corresponding total parent and child @acronym{CPU} times since the last call to @code{cputime()}. The function @verbatim void write(file file=stdout, string s="", cputime c, string format=cputimeformat, suffix suffix=none); @end verbatim @noindent displays the incremental user cputime followed by ``u'', the incremental system cputime followed by ``s'', the total user cputime followed by ``U'', and the total system cputime followed by ``S''. @cindex inheritance @cindex virtual functions Much like in C++, casting (@pxref{Casts}) provides for an elegant implementation of structure inheritance, including virtual functions: @verbatim struct parent { real x; void operator init(int x) {this.x=x;} void virtual(int) {write(0);} void f() {virtual(1);} } void write(parent p) {write(p.x);} struct child { parent parent; real y=3; void operator init(int x) {parent.operator init(x);} void virtual(int x) {write(x);} parent.virtual=virtual; void f()=parent.f; } parent operator cast(child child) {return child.parent;} parent p=parent(1); child c=child(2); write(c); // Outputs 2; p.f(); // Outputs 0; c.f(); // Outputs 1; write(c.parent.x); // Outputs 2; write(c.y); // Outputs 3; @end verbatim For further examples of structures, see @code{Legend} and @code{picture} in the @code{Asymptote} base module @code{plain}. @node Operators, Implicit scaling, Structures, Programming @section Operators @cindex operators @menu * Arithmetic & logical:: Basic mathematical operators * Self & prefix operators:: Increment and decrement * User-defined operators:: Overloading operators @end menu @node Arithmetic & logical, Self & prefix operators, Operators, Operators @subsection Arithmetic & logical operators @cindex arithmetic operators @cindex binary operators @cindex boolean operators @cindex logical operators @cindex @code{quotient} @code{Asymptote} uses the standard binary arithmetic operators. However, when one integer is divided by another, both arguments are converted to real values before dividing and a real quotient is returned (since this is typically what is intended; otherwise one can use the function @code{int quotient(int x, int y)}, which returns greatest integer less than or equal to @code{x/y}). In all other cases both operands are promoted to the same type, which will also be the type of the result: @table @code @cindex @code{+} @item + addition @cindex @code{-} @item - subtraction @cindex @code{*} @item * multiplication @cindex @code{/} @item / division @cindex integer division @cindex @code{#} @item # integer division; equivalent to @code{quotient(x,y)}. Noting that the @code{Python3} community adopted our comment symbol (@code{//}) for integer division, we decided to reciprocate and use their comment symbol for integer division in @code{Asymptote}! @cindex @code{%} @item % modulo; the result always has the same sign as the divisor. In particular, this makes @code{q*(p # q)+p % q == p} for all integers @code{p} and nonzero integers @code{q}. @cindex @code{^} @item ^ @cindex @code{**} power; if the exponent (second argument) is an int, recursive multiplication is used; otherwise, logarithms and exponentials are used (@code{**} is a synonym for @code{^}). @end table The usual boolean operators are also defined: @table @code @cindex @code{==} @item == equals @cindex @code{!=} @item != not equals @cindex @code{<} @item < less than @cindex @code{<=} @item <= less than or equals @cindex @code{>=} @item >= greater than or equals @cindex @code{>} @item > greater than @cindex @code{&&} @item && and (with conditional evaluation of right-hand argument) @cindex @code{&} @item & and @cindex @code{||} @item || or (with conditional evaluation of right-hand argument) @cindex @code{|} @item | or @cindex @code{^} @item ^ xor @cindex @code{!} @item ! not @end table @code{Asymptote} also supports the C-like conditional syntax: @cindex @code{:} @cindex @code{?} @cindex conditional @verbatim bool positive=(pi > 0) ? true : false; @end verbatim @cindex @code{interp} The function @code{T interp(T a, T b, real t)} returns @code{(1-t)*a+t*b} for nonintegral built-in arithmetic types @code{T}. If @code{a} and @code{b} are pens, they are first promoted to the same color space. @cindex @code{AND} @cindex @code{OR} @cindex @code{XOR} @cindex @code{NOT} @cindex @code{CLZ} @cindex @code{CTZ} @code{Asymptote} also defines bitwise functions @code{int AND(int,int)}, @code{int OR(int,int)}, @code{int XOR(int,int)}, @code{int NOT(int)}, @code{int CLZ(int)} (count leading zeros), @code{int CTZ(int)} (count trailing zeros), @code{int popcount(int)} (count bits populated by ones), and @code{int bitreverse(int a, int bits)} (reverse bits within a word of length bits). @node Self & prefix operators, User-defined operators, Arithmetic & logical, Operators @subsection Self & prefix operators @cindex self operators @cindex prefix operators @cindex @code{+=} @cindex @code{-=} @cindex @code{*=} @cindex @code{/=} @cindex @code{%=} @cindex @code{^=} @cindex @code{++} @cindex @code{--} As in C, each of the arithmetic operators @code{+}, @code{-}, @code{*}, @code{/}, @code{#}, @code{%}, and @code{^} can be used as a self operator. The prefix operators @code{++} (increment by one) and @code{--} (decrement by one) are also defined. For example, @verbatim int i=1; i += 2; int j=++i; @end verbatim @noindent is equivalent to the code @verbatim int i=1; i=i+2; int j=i=i+1; @end verbatim @cindex postfix operators However, postfix operators like @code{i++} and @code{i--} are not defined (because of the inherent ambiguities that would arise with the @code{--} path-joining operator). In the rare instances where @code{i++} and @code{i--} are really needed, one can substitute the expressions @code{(++i-1)} and @code{(--i+1)}, respectively. @node User-defined operators, , Self & prefix operators, Operators @subsection User-defined operators @cindex user-defined operators @cindex @code{operator} The following symbols may be used with @code{operator} to define or redefine operators on structures and built-in types: @verbatim - + * / % ^ ! < > == != <= >= & | ^^ .. :: -- --- ++ << >> $ $$ @ @@ <> @end verbatim @noindent The operators on the second line have precedence one higher than the boolean operators @code{<}, @code{>}, @code{<=}, and @code{>=}. Guide operators like @code{..} may be overloaded, say, to write a user function that produces a new guide from a given guide: @verbatim guide dots(... guide[] g)=operator ..; guide operator ..(... guide[] g) { guide G; if(g.length > 0) { write(g[0]); G=g[0]; } for(int i=1; i < g.length; ++i) { write(g[i]); write(); G=dots(G,g[i]); } return G; } guide g=(0,0){up}..{SW}(100,100){NE}..{curl 3}(50,50)..(10,10); write("g=",g); @end verbatim @node Implicit scaling, Functions, Operators, Programming @section Implicit scaling @cindex implicit scaling If a numeric literal is in front of certain types of expressions, then the two are multiplied: @verbatim int x=2; real y=2.0; real cm=72/2.540005; write(3x); write(2.5x); write(3y); write(-1.602e-19 y); write(0.5(x,y)); write(2x^2); write(3x+2y); write(3(x+2y)); write(3sin(x)); write(3(sin(x))^2); write(10cm); @end verbatim This produces the output @verbatim 6 5 6 -3.204e-19 (1,1) 8 10 18 2.72789228047704 2.48046543129542 283.464008929116 @end verbatim @node Functions, Arrays, Implicit scaling, Programming @section Functions @cindex functions @menu * Default arguments:: Default values can appear anywhere * Named arguments:: Assigning function arguments by keyword * Rest arguments:: Functions with a variable number of arguments * Mathematical functions:: Standard libm functions @end menu @code{Asymptote} functions are treated as variables with a signature (non-function variables have null signatures). Variables with the same name are allowed, so long as they have distinct signatures. Function arguments are passed by value. To pass an argument by reference, simply enclose it in a structure (@pxref{Structures}). Here are some significant features of @code{Asymptote} functions: @enumerate @item Variables with signatures (functions) and without signatures (nonfunction variables) are distinct: @verbatim int x, x(); x=5; x=new int() {return 17;}; x=x(); // calls x() and puts the result, 17, in the scalar x @end verbatim @item Traditional function definitions are allowed: @verbatim int sqr(int x) { return x*x; } sqr=null; // but the function is still just a variable. @end verbatim @item Casting can be used to resolve ambiguities: @verbatim int a, a(), b, b(); // Valid: creates four variables. a=b; // Invalid: assignment is ambiguous. a=(int) b; // Valid: resolves ambiguity. (int) (a=b); // Valid: resolves ambiguity. (int) a=b; // Invalid: cast expressions cannot be L-values. int c(); c=a; // Valid: only one possible assignment. @end verbatim @item Anonymous (so-called "high-order") functions are also allowed: @cindex @code{typedef} @verbatim typedef int intop(int); intop adder(int m) { return new int(int n) {return m+n;}; } intop addby7=adder(7); write(addby7(1)); // Writes 8. @end verbatim @item @cindex overloading functions One may redefine a function @code{f}, even for calls to @code{f} in previously declared functions, by assigning another (anonymous or named) function to it. However, if @code{f} is overloaded by a new function definition, previous calls will still access the original version of @code{f}, as illustrated in this example: @verbatim void f() { write("hi"); } void g() { f(); } g(); // writes "hi" f=new void() {write("bye");}; g(); // writes "bye" void f() {write("overloaded");}; f(); // writes "overloaded" g(); // writes "bye" @end verbatim @cindex function declarations @item Anonymous functions can be used to redefine a function variable that has been declared (and implicitly initialized to the null function) but not yet explicitly defined: @verbatim void f(bool b); void g(bool b) { if(b) f(b); else write(b); } f=new void(bool b) { write(b); g(false); }; g(true); // Writes true, then writes false. @end verbatim @end enumerate @code{Asymptote} is the only language we know of that treats functions as variables, but allows overloading by distinguishing variables based on their signatures. @cindex @code{libsigsegv} @cindex stack overflow @anchor{stack overflow} @cindex recursion @cindex stack overflow Functions are allowed to call themselves recursively. As in C++, infinite nested recursion will generate a stack overflow (reported as a segmentation fault, unless a fully working version of the @acronym{GNU} library @code{libsigsegv} (e.g.@ 2.4 or later) is installed at configuration time). @node Default arguments, Named arguments, Functions, Functions @subsection Default arguments @cindex default arguments @cindex arguments @code{Asymptote} supports a more flexible mechanism for default function arguments than C++: they may appear anywhere in the function prototype. Because certain data types are implicitly cast to more sophisticated types (@pxref{Casts}) one can often avoid ambiguities by ordering function arguments from the simplest to the most complicated. For example, given @verbatim real f(int a=1, real b=0) {return a+b;} @end verbatim @noindent then @code{f(1)} returns 1.0, but @code{f(1.0)} returns 2.0. The value of a default argument is determined by evaluating the given @code{Asymptote} expression in the scope where the called function is defined. @node Named arguments, Rest arguments, Default arguments, Functions @subsection Named arguments @cindex keywords @cindex named arguments It is sometimes difficult to remember the order in which arguments appear in a function declaration. Named (keyword) arguments make calling functions with multiple arguments easier. Unlike in the C and C++ languages, an assignment in a function argument is interpreted as an assignment to a parameter of the same name in the function signature, @emph{not within the local scope}. The command-line option @code{-d} may be used to check @code{Asymptote} code for cases where a named argument may be mistaken for a local assignment. When matching arguments to signatures, first all of the keywords are matched, then the arguments without names are matched against the unmatched formals as usual. For example, @verbatim int f(int x, int y) { return 10x+y; } write(f(4,x=3)); @end verbatim @noindent outputs 34, as @code{x} is already matched when we try to match the unnamed argument @code{4}, so it gets matched to the next item, @code{y}. For the rare occasions where it is desirable to assign a value to local variable within a function argument (generally @emph{not} a good programming practice), simply enclose the assignment in parentheses. For example, given the definition of @code{f} in the previous example, @verbatim int x; write(f(4,(x=3))); @end verbatim @noindent is equivalent to the statements @verbatim int x; x=3; write(f(4,3)); @end verbatim @noindent and outputs 43. @cindex @code{keyword} @cindex keyword-only Parameters can be specified as ``keyword-only'' by putting @code{keyword} immediately before the parameter name, as in @code{int f(int keyword x)} or @code{int f(int keyword x=77)}. This forces the caller of the function to use a named argument to give a value for this parameter. That is, @code{f(x=42)} is legal, but @code{f(25)} is not. Keyword-only parameters must be listed after normal parameters in a function definition. As a technical detail, we point out that, since variables of the same name but different signatures are allowed in the same scope, the code @verbatim int f(int x, int x()) { return x+x(); } int seven() {return 7;} @end verbatim @noindent is legal in @code{Asymptote}, with @code{f(2,seven)} returning 9. A named argument matches the first unmatched formal of the same name, so @code{f(x=2,x=seven)} is an equivalent call, but @code{f(x=seven,2)} is not, as the first argument is matched to the first formal, and @code{int ()} cannot be implicitly cast to @code{int}. Default arguments do not affect which formal a named argument is matched to, so if @code{f} were defined as @verbatim int f(int x=3, int x()) { return x+x(); } @end verbatim @noindent then @code{f(x=seven)} would be illegal, even though @code{f(seven)} obviously would be allowed. @node Rest arguments, Mathematical functions, Named arguments, Functions @subsection Rest arguments @cindex rest arguments Rest arguments allow one to write functions that take a variable number of arguments: @verbatim // This function sums its arguments. int sum(... int[] nums) { int total=0; for(int i=0; i < nums.length; ++i) total += nums[i]; return total; } sum(1,2,3,4); // returns 10 sum(); // returns 0 // This function subtracts subsequent arguments from the first. int subtract(int start ... int[] subs) { for(int i=0; i < subs.length; ++i) start -= subs[i]; return start; } subtract(10,1,2); // returns 7 subtract(10); // returns 10 subtract(); // illegal @end verbatim @cindex packing Putting an argument into a rest array is called @emph{packing}. One can give an explicit list of arguments for the rest argument, so @code{subtract} could alternatively be implemented as @verbatim int subtract(int start ... int[] subs) { return start - sum(... subs); } @end verbatim One can even combine normal arguments with rest arguments: @verbatim sum(1,2,3 ... new int[] {4,5,6}); // returns 21 @end verbatim @noindent @cindex unpacking This builds a new six-element array that is passed to @code{sum} as @code{nums}. The opposite operation, @emph{unpacking}, is not allowed: @verbatim subtract(... new int[] {10, 1, 2}); @end verbatim @noindent is illegal, as the start formal is not matched. If no arguments are packed, then a zero-length array (as opposed to @code{null}) is bound to the rest parameter. Note that default arguments are ignored for rest formals and the rest argument is not bound to a keyword. In some cases, keyword-only parameters are helpful to avoid arguments intended for the rest parameter to be assigned to other parameters. For example, here the use of @code{keyword} is to avoid @code{pnorm(1.0,2.0,0.3)} matching @code{1.0} to @code{p}. @verbatim real pnorm(real keyword p=2.0 ... real[] v) { return sum(v^p)^(1/p); } @end verbatim The overloading resolution in @code{Asymptote} is similar to the function matching rules used in C++. Every argument match is given a score. Exact matches score better than matches with casting, and matches with formals (regardless of casting) score better than packing an argument into the rest array. A candidate is maximal if all of the arguments score as well in it as with any other candidate. If there is one unique maximal candidate, it is chosen; otherwise, there is an ambiguity error. @verbatim int f(path g); int f(guide g); f((0,0)--(100,100)); // matches the second; the argument is a guide int g(int x, real y); int g(real x, int x); g(3,4); // ambiguous; the first candidate is better for the first argument, // but the second candidate is better for the second argument int h(... int[] rest); int h(real x ... int[] rest); h(1,2); // the second definition matches, even though there is a cast, // because casting is preferred over packing int i(int x ... int[] rest); int i(real x, real y ... int[] rest); i(3,4); // ambiguous; the first candidate is better for the first argument, // but the second candidate is better for the second one @end verbatim @node Mathematical functions, , Rest arguments, Functions @subsection Mathematical functions @cindex mathematical functions @cindex functions @cindex @code{libm} routines @cindex @code{sin} @cindex @code{cos} @cindex @code{tan} @cindex @code{asin} @cindex @code{acos} @cindex @code{atan} @cindex @code{exp} @cindex @code{log} @cindex @code{pow10} @cindex @code{log10} @cindex @code{sinh} @cindex @code{cosh} @cindex @code{tanh} @cindex @code{asinh} @cindex @code{acosh} @cindex @code{atanh} @cindex @code{sqrt} @cindex @code{cbrt} @cindex @code{fabs} @cindex @code{expm1} @cindex @code{log1p} @cindex @code{identity} @cindex @code{J} @cindex @code{Y} @cindex @code{gamma} @cindex @code{erf} @cindex @code{erfc} @cindex @code{atan2} @cindex @code{hypot} @cindex @code{fmod} @cindex @code{remainder} @code{Asymptote} has built-in versions of the standard @code{libm} mathematical real(real) functions @code{sin}, @code{cos}, @code{tan}, @code{asin}, @code{acos}, @code{atan}, @code{exp}, @code{log}, @code{pow10}, @code{log10}, @code{sinh}, @code{cosh}, @code{tanh}, @code{asinh}, @code{acosh}, @code{atanh}, @code{sqrt}, @code{cbrt}, @code{fabs}, @code{expm1}, @code{log1p}, as well as the identity function @code{identity}. @code{Asymptote} also defines the order @code{n} Bessel functions of the first kind @code{Jn(int n, real)} and second kind @code{Yn(int n, real)}, as well as the gamma function @code{gamma}, the error function @code{erf}, and the complementary error function @code{erfc}. The standard real(real, real) functions @code{atan2}, @code{hypot}, @code{fmod}, @code{remainder} are also included. @cindex @code{degrees} @cindex @code{radians} @cindex @code{Degrees} The functions @code{degrees(real radians)} and @code{radians(real degrees)} can be used to convert between radians and degrees. The function @code{Degrees(real radians)} returns the angle in degrees in the interval [0,360). @cindex @code{Sin} @cindex @code{Cos} @cindex @code{Tan} @cindex @code{aSin} @cindex @code{aCos} @cindex @code{aTan} For convenience, @code{Asymptote} defines variants @code{Sin}, @code{Cos}, @code{Tan}, @code{aSin}, @code{aCos}, and @code{aTan} of the standard trigonometric functions that use degrees rather than radians. We also define complex versions of the @code{sqrt}, @code{sin}, @code{cos}, @code{exp}, @code{log}, and @code{gamma} functions. @cindex @code{floor} @cindex @code{ceil} @cindex @code{round} @cindex @code{sgn} The functions @code{floor}, @code{ceil}, and @code{round} differ from their usual definitions in that they all return an int value rather than a real (since that is normally what one wants). The functions @code{Floor}, @code{Ceil}, and @code{Round} are respectively similar, except that if the result cannot be converted to a valid int, they return @code{intMax} for positive arguments and @code{intMin} for negative arguments, rather than generating an integer overflow. We also define a function @code{sgn}, which returns the sign of its real argument as an integer (-1, 0, or 1). @cindex @code{abs} There is an @code{abs(int)} function, as well as an @code{abs(real)} function (equivalent to @code{fabs(real)}), an @code{abs(pair)} function (equivalent to @code{length(pair)}). @cindex @code{srand} @cindex @code{rand} @cindex @code{randMax} @cindex @code{unitrand} @cindex @code{Gaussrand} @cindex @code{histogram} @cindex @code{factorial} @cindex @code{choose} Random numbers can be seeded with @code{srand(int)} and generated with the @code{int rand()} function, which returns a random integer between 0 and the integer @code{randMax}. The @code{unitrand()} function returns a random number uniformly distributed in the interval [0,1]. A Gaussian random number generator @code{Gaussrand} and a collection of statistics routines, including @code{histogram}, are provided in the module @code{stats}. The functions @code{factorial(int n)}, which returns @math{n!}, and @code{choose(int n, int k)}, which returns @math{n!/(k!(n-k)!)}, are also defined. @cindex @acronym{GNU} Scientific Library @cindex @code{gsl} @cindex Airy @cindex Bessel @cindex Legendre @cindex elliptic functions @cindex exponential integral @cindex trigonometric integrals @cindex Riemann zeta function @cindex @code{Ai} @cindex @code{Bi} @cindex @code{Ai_deriv} @cindex @code{Bi_deriv} @cindex @code{zero_Ai} @cindex @code{zero_Bi} @cindex @code{zero_Ai_deriv} @cindex @code{zero_Bi_deriv} @cindex @code{J} @cindex @code{Y} @cindex @code{I} @cindex @code{K} @cindex @code{i_scaled} @cindex @code{k_scaled} @cindex @code{zero_J} @cindex @code{F} @cindex @code{E} @cindex @code{P} @cindex @code{sncndn} @cindex @code{Ei} @cindex @code{Si} @cindex @code{Ci} @cindex @code{Pl} @cindex @code{zeta} When configured with the @acronym{GNU} Scientific Library (GSL), available from @url{http://www.gnu.org/software/gsl/}, @code{Asymptote} contains an internal module @code{gsl} that defines the airy functions @code{Ai(real)}, @code{Bi(real)}, @code{Ai_deriv(real)}, @code{Bi_deriv(real)}, @code{zero_Ai(int)}, @code{zero_Bi(int)}, @code{zero_Ai_deriv(int)}, @code{zero_Bi_deriv(int)}, the Bessel functions @code{I(int, real)}, @code{K(int, real)}, @code{j(int, real)}, @code{y(int, real)}, @code{i_scaled(int, real)}, @code{k_scaled(int, real)}, @code{J(real, real)}, @code{Y(real, real)}, @code{I(real, real)}, @code{K(real, real)}, @code{zero_J(real, int)}, the elliptic functions @code{F(real, real)}, @code{E(real, real)}, and @code{P(real, real)}, the Jacobi elliptic functions @code{real[] sncndn(real,real)}, the exponential/trigonometric integrals @code{Ei}, @code{Si}, and @code{Ci}, the Legendre polynomials @code{Pl(int, real)}, and the Riemann zeta function @code{zeta(real)}. For example, to compute the sine integral @code{Si} of 1.0: @verbatim import gsl; write(Si(1.0)); @end verbatim @code{Asymptote} also provides a few general purpose numerical routines: @table @code @cindex @code{newton} @item @code{real newton(int iterations=100, real f(real), real fprime(real), real x, bool verbose=false);} Use Newton-Raphson iteration to solve for a root of a real-valued differentiable function @code{f}, given its derivative @code{fprime} and an initial guess @code{x}. Diagnostics for each iteration are printed if @code{verbose=true}. If the iteration fails after the maximum allowed number of loops (@code{iterations}), @code{realMax} is returned. @cindex @code{newton} @item @code{real newton(int iterations=100, real f(real), real fprime(real), real x1, real x2, bool verbose=false);} Use bracketed Newton-Raphson bisection to solve for a root of a real-valued differentiable function @code{f} within an interval [@code{x1},@code{x2}] (on which the endpoint values of @code{f} have opposite signs), given its derivative @code{fprime}. Diagnostics for each iteration are printed if @code{verbose=true}. If the iteration fails after the maximum allowed number of loops (@code{iterations}), @code{realMax} is returned. @cindex integral @cindex integrate @cindex @code{simpson} @item @code{real simpson(real f(real), real a, real b, real acc=realEpsilon, real dxmax=b-a)} returns the integral of @code{f} from @code{a} to @code{b} using adaptive Simpson integration. @end table @node Arrays, Casts, Functions, Programming @section Arrays @cindex arrays @menu * Slices:: Python-style array slices @end menu Appending @code{[]} to a built-in or user-defined type yields an array. The array element @code{i} of an array @code{A} can be accessed as @code{A[i]}. By default, attempts to access or assign to an array element using a negative index generates an error. Reading an array element with an index beyond the length of the array also generates an error; however, assignment to an element beyond the length of the array causes the array to be resized to accommodate the new element. One can also index an array @code{A} with an integer array @code{B}: the array @code{A[B]} is formed by indexing array @code{A} with successive elements of array @code{B}. A convenient Java-style shorthand exists for iterating over all elements of an array; see @ref{array iteration}. The declaration @verbatim real[] A; @end verbatim @noindent initializes @code{A} to be an empty (zero-length) array. Empty arrays should be distinguished from null arrays. If we say @verbatim real[] A=null; @end verbatim @noindent then @code{A} cannot be dereferenced at all (null arrays have no length and cannot be read from or assigned to). Arrays can be explicitly initialized like this: @verbatim real[] A={0,1,2}; @end verbatim Array assignment in @code{Asymptote} does a shallow copy: only the pointer is copied (if one copy if modified, the other will be too). The @code{copy} function listed below provides a deep copy of an array. @cindex @code{length} @cindex @code{cyclic} @cindex @code{keys} @cindex @code{push} @cindex @code{append} @cindex @code{pop} @cindex @code{insert} @cindex @code{delete} @cindex @code{initialized} Every array @code{A} of type @code{T[]} has the virtual members @itemize @item @code{int length}, @item @code{int cyclic}, @item @code{int[] keys}, @item @code{T push(T x)}, @item @code{void append(T[] a)}, @item @code{T pop()}, @item @code{void insert(int i ... T[] x)}, @item @code{void delete(int i, int j=i)}, @item @code{void delete()}, and @item @code{bool initialized(int n)}. @end itemize The member @code{A.length} evaluates to the length of the array. Setting @code{A.cyclic=true} signifies that array indices should be reduced modulo the current array length. Reading from or writing to a nonempty cyclic array never leads to out-of-bounds errors or array resizing. The member @code{A.keys} evaluates to an array of integers containing the indices of initialized entries in the array in ascending order. Hence, for an array of length @code{n} with all entries initialized, @code{A.keys} evaluates to @code{@{0,1,...,n-1@}}. A new keys array is produced each time @code{A.keys} is evaluated. The functions @code{A.push} and @code{A.append} append their arguments onto the end of the array, while @code{A.insert(int i ... T[] x)} inserts @code{x} into the array at index @code{i}. For convenience @code{A.push} returns the pushed item. The function @code{A.pop()} pops and returns the last element, while @code{A.delete(int i, int j=i)} deletes elements with indices in the range [@code{i},@code{j}], shifting the position of all higher-indexed elements down. If no arguments are given, @code{A.delete()} provides a convenient way of deleting all elements of @code{A}. The routine @code{A.initialized(int n)} can be used to examine whether the element at index @code{n} is initialized. Like all @code{Asymptote} functions, @code{push}, @code{append}, @code{pop}, @code{insert}, @code{delete}, and @code{initialized} can be "pulled off" of the array and used on their own. For example, @verbatim int[] A={1}; A.push(2); // A now contains {1,2}. A.append(A); // A now contains {1,2,1,2}. int f(int)=A.push; f(3); // A now contains {1,2,1,2,3}. int g()=A.pop; write(g()); // Outputs 3. A.delete(0); // A now contains {2,1,2}. A.delete(0,1); // A now contains {2}. A.insert(1,3); // A now contains {2,3}. A.insert(1 ... A); // A now contains {2,2,3,3} A.insert(2,4,5); // A now contains {2,2,4,5,3,3}. @end verbatim The @code{[]} suffix can also appear after the variable name; this is sometimes convenient for declaring a list of variables and arrays of the same type: @verbatim real a,A[]; @end verbatim @noindent This declares @code{a} to be @code{real} and implicitly declares @code{A} to be of type @code{real[]}. In the following list of built-in array functions, @code{T} represents a generic type. Note that the internal functions @code{alias}, @code{array}, @code{copy}, @code{concat}, @code{sequence}, @code{map}, and @code{transpose}, which depend on type @code{T[]}, are defined only after the first declaration of a variable of type @code{T[]}. @table @code @cindex @code{new} @item new T[] returns a new empty array of type @code{T[]}; @cindex @code{new} @item new T[] @{list@} returns a new array of type @code{T[]} initialized with @code{list} (a comma delimited list of elements). @item new T[n] returns a new array of @code{n} elements of type @code{T[]}. These @code{n} array elements are not initialized unless they are arrays themselves (in which case they are each initialized to empty arrays). @cindex @code{array} @item T[] array(int n, T value, int depth=intMax) returns an array consisting of @code{n} copies of @code{value}. If @code{value} is itself an array, a deep copy of @code{value} is made for each entry. If @code{depth} is specified, this deep copying only recurses to the specified number of levels. @cindex @code{sequence} @item int[] sequence(int n) if @code{n >= 1} returns the array @code{@{0,1,...,n-1@}} (otherwise returns a null array); @item int[] sequence(int n, int m) if @code{m >= n} returns an array @code{@{n,n+1,...,m@}} (otherwise returns a null array); @item T[] sequence(T f(int), int n) if @code{n >= 1} returns the sequence @code{@{f_i :i=0,1,...n-1@}} given a function @code{T f(int)} and integer @code{int n} (otherwise returns a null array); @cindex @code{map} @item T[] map(T f(T), T[] a) returns the array obtained by applying the function @code{f} to each element of the array @code{a}. This is equivalent to @code{sequence(new T(int i) @{return f(a[i]);@},a.length)}. @cindex @code{reverse} @item int[] reverse(int n) if @code{n >= 1} returns the array @code{@{n-1,n-2,...,0@}} (otherwise returns a null array); @cindex @code{complement} @item int[] complement(int[] a, int n) returns the complement of the integer array @code{a} in @code{@{0,1,2,...,n-1@}}, so that @code{b[complement(a,b.length)]} yields the complement of @code{b[a]}. @cindex @code{uniform} @item real[] uniform(real a, real b, int n) if @code{n >= 1} returns a uniform partition of @code{[a,b]} into @code{n} subintervals (otherwise returns a null array); @cindex @code{find} @item int find(bool[] a, int n=1) returns the index of the @code{n}th @code{true} value in the boolean array @code{a} or -1 if not found. If @code{n} is negative, search backwards from the end of the array for the @code{-n}th value; @cindex @code{findall} @item int[] findall(bool[] a) returns the indices of all @code{true} values in the boolean array @code{a}. @cindex @code{search} @item int search(T[] a, T key) For built-in ordered types @code{T}, searches a sorted array @code{a} of @code{n} elements for k, returning the index @code{i} if @code{a[i] <= key < a[i+1]}, @code{-1} if @code{key} is less than all elements of @code{a}, or @code{n-1} if @code{key} is greater than or equal to the last element of @code{a}. @cindex @code{search} @item int search(T[] a, T key, bool less(T i, T j)) searches an array @code{a} sorted in ascending order such that element @code{i} precedes element @code{j} if @code{less(i,j)} is true; @cindex @code{copy} @item T[] copy(T[] a) returns a deep copy of the array @code{a}; @cindex @code{concat} @item T[] concat(... T[][] a) returns a new array formed by concatenating the given one-dimensional arrays given as arguments; @cindex @code{alias} @item bool alias(T[] a, T[] b) returns @code{true} if the arrays @code{a} and @code{b} are identical; @cindex @code{sort} @item T[] sort(T[] a) For built-in ordered types @code{T}, returns a copy of @code{a} sorted in ascending order; @cindex @code{sort} @anchor{sort} @item T[][] sort(T[][] a) For built-in ordered types @code{T}, returns a copy of @code{a} with the rows sorted by the first column, breaking ties with successively higher columns. For example: @verbatim string[][] a={{"bob","9"},{"alice","5"},{"pete","7"}, {"alice","4"}}; // Row sort (by column 0, using column 1 to break ties): write(sort(a)); @end verbatim produces @verbatim alice 4 alice 5 bob 9 pete 7 @end verbatim @cindex @code{sort} @item T[] sort(T[] a, bool less(T i, T j), bool stable=true) returns a copy of @code{a} sorted in ascending order such that element @code{i} precedes element @code{j} if @code{less(i,j)} is true, subject to (if @code{stable} is @code{true}) the stability constraint that the original order of elements @code{i} and @code{j} is preserved if @code{less(i,j)} and @code{less(j,i)} are both @code{false}. @cindex @code{transpose} @item T[][] transpose(T[][] a) returns the transpose of @code{a}. @cindex @code{transpose} @item T[][][] transpose(T[][][] a, int[] perm) returns the 3D transpose of @code{a} obtained by applying the permutation @code{perm} of @code{new int[]@{0,1,2@}} to the indices of each entry. @cindex @code{sum} @item T sum(T[] a) For arithmetic types @code{T}, returns the sum of @code{a}. In the case where @code{T} is @code{bool}, the number of true elements in @code{a} is returned. @cindex @code{min} @item T min(T[] a) @item T min(T[][] a) @item T min(T[][][] a) For built-in ordered types @code{T}, returns the minimum element of @code{a}. @cindex @code{max} @item T max(T[] a) @item T max(T[][] a) @item T max(T[][][] a) For built-in ordered types @code{T}, returns the maximum element of @code{a}. @cindex @code{min} @item T[] min(T[] a, T[] b) For built-in ordered types @code{T}, and arrays @code{a} and @code{b} of the same length, returns an array composed of the minimum of the corresponding elements of @code{a} and @code{b}. @cindex @code{max} @item T[] max(T[] a, T[] b) For built-in ordered types @code{T}, and arrays @code{a} and @code{b} of the same length, returns an array composed of the maximum of the corresponding elements of @code{a} and @code{b}. @cindex @code{pairs} @item pair[] pairs(real[] x, real[] y); For arrays @code{x} and @code{y} of the same length, returns the pair array @code{sequence(new pair(int i) @{return (x[i],y[i]);@},x.length)}. @cindex @code{fft} @item pair[] fft(pair[] a, int sign=1) returns the unnormalized Fast Fourier Transform of @code{a} (if the optional @code{FFTW} package is installed), using the given @code{sign}. Here is a simple example: @verbatim int n=4; pair[] f=sequence(n); write(f); pair[] g=fft(f,-1); write(); write(g); f=fft(g,1); write(); write(f/n); @end verbatim @cindex @code{dot} @item real dot(real[] a, real[] b) returns the dot product of the vectors @code{a} and @code{b}. @cindex @code{dot} @item pair dot(pair[] a, pair[] b) returns the complex dot product @code{sum(a*conj(b))} of the vectors @code{a} and @code{b}. @anchor{tridiagonal} @cindex @code{tridiagonal} @item real[] tridiagonal(real[] a, real[] b, real[] c, real[] f); Solve the periodic tridiagonal problem @math{L@code{x}=@code{f}} and return the solution @code{x}, where @code{f} is an @math{n} vector and @math{L} is the @math{n \times n} matrix @verbatim [ b[0] c[0] a[0] ] [ a[1] b[1] c[1] ] [ a[2] b[2] c[2] ] [ ... ] [ c[n-1] a[n-1] b[n-1] ] @end verbatim For Dirichlet boundary conditions (denoted here by @code{u[-1]} and @code{u[n]}), replace @code{f[0]} by @code{f[0]-a[0]u[-1]} and @code{f[n-1]-c[n-1]u[n]}; then set @code{a[0]=c[n-1]=0}. @cindex @code{solve} @item real[] solve(real[][] a, real[] b, bool warn=true) Solve the linear equation @math{@code{a}x=@code{b}} by LU decomposition and return the solution @math{x}, where @code{a} is an @math{n \times n} matrix and @code{b} is an array of length @math{n}. For example: @verbatim import math; real[][] a={{1,-2,3,0},{4,-5,6,2},{-7,-8,10,5},{1,50,1,-2}}; real[] b={7,19,33,3}; real[] x=solve(a,b); write(a); write(); write(b); write(); write(x); write(); write(a*x); @end verbatim If @code{a} is a singular matrix and @code{warn} is @code{false}, return an empty array. If the matrix @code{a} is tridiagonal, the routine @code{tridiagonal} provides a more efficient algorithm (@pxref{tridiagonal}). @anchor{solve} @cindex @code{solve} @item real[][] solve(real[][] a, real[][] b, bool warn=true) Solve the linear equation @math{@code{a}x=@code{b}} and return the solution @math{x}, where @code{a} is an @math{n \times n} matrix and @code{b} is an @math{n \times m} matrix. If @code{a} is a singular matrix and @code{warn} is @code{false}, return an empty matrix. @cindex @code{identity} @item real[][] identity(int n); returns the @math{n \times n} identity matrix. @cindex @code{diagonal} @item real[][] diagonal(... real[] a) returns the diagonal matrix with diagonal entries given by a. @cindex @code{inverse} @item real[][] inverse(real[][] a) returns the inverse of a square matrix @code{a}. @cindex @code{quadraticroots} @item @code{real[] quadraticroots(real a, real b, real c);} This numerically robust solver returns the real roots of the quadratic equation @math{ax^2+bx+c=0}, in ascending order. Multiple roots are listed separately. @cindex @code{quadraticroots} @item @code{pair[] quadraticroots(explicit pair a, explicit pair b, explicit pair c);} This numerically robust solver returns the complex roots of the quadratic equation @math{ax^2+bx+c=0}. @cindex @code{cubicroots} @item @code{real[] cubicroots(real a, real b, real c, real d);} This numerically robust solver returns the real roots of the cubic equation @math{ax^3+bx^2+cx+d=0}. Multiple roots are listed separately. @end table @cindex vectorization @code{Asymptote} includes a full set of vectorized array instructions for arithmetic (including self) and logical operations. These element-by-element instructions are implemented in C++ code for speed. Given @verbatim real[] a={1,2}; real[] b={3,2}; @end verbatim @noindent then @code{a == b} and @code{a >= 2} both evaluate to the vector @code{@{false, true@}}. @cindex @code{all} To test whether all components of @code{a} and @code{b} agree, use the boolean function @code{all(a == b)}. One can also use conditionals like @code{(a >= 2) ? a : b}, which returns the array @code{@{3,2@}}, or @code{write((a >= 2) ? a : null}, which returns the array @code{@{2@}}. All of the standard built-in @code{libm} functions of signature @code{real(real)} also take a real array as an argument, effectively like an implicit call to @code{map}. As with other built-in types, arrays of the basic data types can be read in by assignment. In this example, the code @verbatim file fin=input("test.txt"); real[] A=fin; @end verbatim @cindex @code{eof} @cindex @code{eol} @cindex @code{line} @cindex line mode @noindent reads real values into @code{A} until the end-of-file is reached (or an I/O error occurs). The virtual members @code{dimension}, @code{line}, @code{csv}, @code{word}, and @code{read} of a file are useful for reading arrays. @cindex @code{line} For example, if line mode is set with @code{file line(bool b=true)}, then reading will stop once the end of the line is reached instead: @verbatim file fin=input("test.txt"); real[] A=fin.line(); @end verbatim @cindex reading string arrays @cindex @code{word} @cindex white-space string delimiter mode Since string reads by default read up to the end of line anyway, line mode normally has no effect on string array reads. However, there is a white-space delimiter mode for reading strings, @code{file word(bool b=true)}, which causes string reads to respect white-space delimiters, instead of the default end-of-line delimiter: @verbatim file fin=input("test.txt").line().word(); real[] A=fin; @end verbatim @cindex @code{csv} @cindex comma-separated-value mode Another useful mode is comma-separated-value mode, @code{file csv(bool b=true)}, which causes reads to respect comma delimiters: @verbatim file fin=input("test.txt").csv(); real[] A=fin; @end verbatim @cindex @code{dimension} To restrict the number of values read, use the @code{file dimension(int)} function: @verbatim file fin=input("test.txt"); real[] A=fin.dimension(10); @end verbatim This reads 10 values into A, unless end-of-file (or end-of-line in line mode) occurs first. Attempting to read beyond the end of the file will produce a runtime error message. Specifying a value of 0 for the integer limit is equivalent to the previous example of reading until end-of-file (or end-of-line in line mode) is encountered. Two- and three-dimensional arrays of the basic data types can be read in like this: @verbatim file fin=input("test.txt"); real[][] A=fin.dimension(2,3); real[][][] B=fin.dimension(2,3,4); @end verbatim @noindent @cindex @code{read} Sometimes the array dimensions are stored with the data as integer fields at the beginning of an array. Such 1, 2, or 3 dimensional arrays can be read in with the virtual member functions @code{read(1)}, @code{read(2)}, or @code{read(3)}, respectively: @verbatim file fin=input("test.txt"); real[] A=fin.read(1); real[][] B=fin.read(2); real[][][] C=fin.read(3); @end verbatim @cindex @code{write} One, two, and three-dimensional arrays of the basic data types can be output with the functions @code{write(file,T[])}, @code{write(file,T[][])}, @code{write(file,T[][][])}, respectively. @node Slices, , Arrays, Arrays @subsection Slices @cindex slices Asymptote allows a section of an array to be addressed as a slice using a Python-like syntax. If @code{A} is an array, the expression @code{A[m:n]} returns a new array consisting of the elements of @code{A} with indices from @code{m} up to but not including @code{n}. For example, @verbatim int[] x={0,1,2,3,4,5,6,7,8,9}; int[] y=x[2:6]; // y={2,3,4,5}; int[] z=x[5:10]; // z={5,6,7,8,9}; @end verbatim If the left index is omitted, it is taken be @code{0}. If the right index is omitted it is taken to be the length of the array. If both are omitted, the slice then goes from the start of the array to the end, producing a non-cyclic deep copy of the array. For example: @verbatim int[] x={0,1,2,3,4,5,6,7,8,9}; int[] y=x[:4]; // y={0,1,2,3} int[] z=x[5:]; // z={5,6,7,8,9} int[] w=x[:]; // w={0,1,2,3,4,5,6,7,8,9}, distinct from array x. @end verbatim If A is a non-cyclic array, it is illegal to use negative values for either of the indices. If the indices exceed the length of the array, however, they are politely truncated to that length. For cyclic arrays, the slice @code{A[m:n]} still consists of the cells with indices in the set [@code{m},@code{n}), but now negative values and values beyond the length of the array are allowed. The indices simply wrap around. For example: @verbatim int[] x={0,1,2,3,4,5,6,7,8,9}; x.cyclic=true; int[] y=x[8:15]; // y={8,9,0,1,2,3,4}. int[] z=x[-5:5]; // z={5,6,7,8,9,0,1,2,3,4} int[] w=x[-3:17]; // w={7,8,9,0,1,2,3,4,5,6,7,8,9,0,1,2,3,4,5,6} @end verbatim Notice that with cyclic arrays, it is possible to include the same element of the original array multiple times within a slice. Regardless of the original array, arrays produced by slices are always non-cyclic. If the left and right indices of a slice are the same, the result is an empty array. If the array being sliced is empty, the result is an empty array. Any slice with a left index greater than its right index will yield an error. Slices can also be assigned to, changing the value of the original array. If the array being assigned to the slice has a different length than the slice itself, elements will be inserted or removed from the array to accommodate it. For instance: @verbatim string[] toppings={"mayo", "salt", "ham", "lettuce"}; toppings[0:2]=new string[] {"mustard", "pepper"}; // Now toppings={"mustard", "pepper", "ham", "lettuce"} toppings[2:3]=new string[] {"turkey", "bacon" }; // Now toppings={"mustard", "pepper", "turkey", "bacon", "lettuce"} toppings[0:3]=new string[] {"tomato"}; // Now toppings={"tomato", "bacon", "lettuce"} @end verbatim If an array is assigned to a slice of itself, a copy of the original array is assigned to the slice. That is, code such as @code{x[m:n]=x} is equivalent to @code{x[m:n]=copy(x)}. One can use the shorthand @code{x[m:m]=y} to insert the contents of the array @code{y} into the array @code{x} starting at the location just before @code{x[m]}. For a cyclic array, a slice is bridging if it addresses cells up to the end of the array and then continues on to address cells at the start of the array. For instance, if @code{A} is a cyclic array of length 10, @code{A[8:12]}, @code{A[-3:1]}, and @code{A[5:25]} are bridging slices whereas @code{A[3:7]}, @code{A[7:10]}, @code{A[-3:0]} and @code{A[103:107]} are not. Bridging slices can only be assigned to if the number of elements in the slice is exactly equal to the number of elements we are assigning to it. Otherwise, there is no clear way to decide which of the new entries should be @code{A[0]} and an error is reported. Non-bridging slices may be assigned an array of any length. For a cyclic array @code{A} an expression of the form @code{A[A.length:A.length]} is equivalent to the expression @code{A[0:0]} and so assigning to this slice will insert values at the start of the array. @code{A.append()} can be used to insert values at the end of the array. It is illegal to assign to a slice of a cyclic array that repeats any of the cells. @node Casts, Import, Arrays, Programming @section Casts @cindex casts @cindex implicit casts @cindex @code{explicit} @code{Asymptote} implicitly casts @code{int} to @code{real}, @code{int} to @code{pair}, @code{real} to @code{pair}, @code{pair} to @code{path}, @code{pair} to @code{guide}, @code{path} to @code{guide}, @code{guide} to @code{path}, @code{real} to @code{pen}, @code{pair[]} to @code{guide[]}, @code{pair[]} to @code{path[]}, @code{path} to @code{path[]}, and @code{guide} to @code{path[]}, along with various three-dimensional casts defined in module @code{three}. Implicit casts are automatically attempted on assignment and when trying to match function calls with possible function signatures. Implicit casting can be inhibited by declaring individual arguments @code{explicit} in the function signature, say to avoid an ambiguous function call in the following example, which outputs 0: @verbatim int f(pair a) {return 0;} int f(explicit real x) {return 1;} write(f(0)); @end verbatim @cindex explicit casts Other conversions, say @code{real} to @code{int} or @code{real} to @code{string}, require an explicit cast: @verbatim int i=(int) 2.5; string s=(string) 2.5; real[] a={2.5,-3.5}; int[] b=(int []) a; write(stdout,b); // Outputs 2,-3 @end verbatim In situations where casting from a string to a type @code{T} fails, an uninitialized variable is returned; this condition can be detected with the function @code{bool initialized(T);} @verbatim int i=(int) "2.5"; assert(initialized(i),"Invalid cast."); real x=(real) "2.5a"; assert(initialized(x),"Invalid cast."); @end verbatim @cindex @code{operator cast} Casting to user-defined types is also possible using @code{operator cast}: @verbatim struct rpair { real radius; real angle; } pair operator cast(rpair x) { return (x.radius*cos(x.angle),x.radius*sin(x.angle)); } rpair x; x.radius=1; x.angle=pi/6; write(x); // Outputs (0.866025403784439,0.5) @end verbatim One must use care when defining new cast operators. Suppose that in some code one wants all integers to represent multiples of 100. To convert them to reals, one would first want to multiply them by 100. However, the straightforward implementation @verbatim real operator cast(int x) {return x*100;} @end verbatim @noindent is equivalent to an infinite recursion, since the result @code{x*100} needs itself to be cast from an integer to a real. Instead, we want to use the standard conversion of int to real: @verbatim real convert(int x) {return x*100;} real operator cast(int x)=convert; @end verbatim @cindex @code{operator ecast} Explicit casts are implemented similarly, with @code{operator ecast}. @node Import, Static, Casts, Programming @section Import @cindex @code{access} While @code{Asymptote} provides many features by default, some applications require specialized features contained in external @code{Asymptote} modules. For instance, the lines @verbatim access graph; graph.axes(); @end verbatim @noindent draw @math{x} and @math{y} axes on a two-dimensional graph. Here, the command looks up the module under the name @code{graph} in a global dictionary of modules and puts it in a new variable named @code{graph}. The module is a structure, and we can refer to its fields as we usually would with a structure. @cindex @code{from} Often, one wants to use module functions without having to specify the module name. The code @verbatim from graph access axes; @end verbatim @noindent adds the @code{axes} field of @code{graph} into the local name space, so that subsequently, one can just write @code{axes()}. If the given name is overloaded, all types and variables of that name are added. To add more than one name, just use a comma-separated list: @verbatim from graph access axes, xaxis, yaxis; @end verbatim @noindent Wild card notation can be used to add all non-private fields and types of a module to the local name space: @verbatim from graph access *; @end verbatim @cindex @code{unravel} Similarly, one can add the non-private fields and types of a structure to the local environment with the @code{unravel} keyword: @verbatim struct matrix { real a,b,c,d; } real det(matrix m) { unravel m; return a*d-b*c; } @end verbatim Alternatively, one can unravel selective fields: @verbatim real det(matrix m) { from m unravel a,b,c as C,d; return a*d-b*C; } @end verbatim @cindex @code{import} The command @verbatim import graph; @end verbatim is a convenient abbreviation for the commands @verbatim access graph; unravel graph; @end verbatim That is, @code{import graph} first loads a module into a structure called @code{graph} and then adds its non-private fields and types to the local environment. This way, if a member variable (or function) is overwritten with a local variable (or function of the same signature), the original one can still be accessed by qualifying it with the module name. Wild card importing will work fine in most cases, but one does not usually know all of the internal types and variables of a module, which can also change as the module writer adds or changes features of the module. As such, it is prudent to add @code{import} commands at the start of an @code{Asymptote} file, so that imported names won't shadow locally defined functions. Still, imported names may shadow other imported names, depending on the order in which they were imported, and imported functions may cause overloading resolution problems if they have the same name as local functions defined later. @cindex @code{as} To rename modules or fields when adding them to the local environment, use @code{as}: @verbatim access graph as graph2d; from graph access xaxis as xline, yaxis as yline; @end verbatim The command @verbatim import graph as graph2d; @end verbatim is a convenient abbreviation for the commands @verbatim access graph as graph2d; unravel graph2d; @end verbatim Except for a few built-in modules, such as @code{settings}, all modules are implemented as @code{Asymptote} files. When looking up a module that has not yet been loaded, @code{Asymptote} searches the standard search paths (@pxref{Search paths}) for the matching file. The file corresponding to that name is read and the code within it is interpreted as the body of a structure defining the module. If the file name contains nonalphanumeric characters, enclose it with quotation marks: @noindent @code{access "@value{Datadir}/asymptote/graph.asy" as graph;} @noindent @code{from "@value{Datadir}/asymptote/graph.asy" access axes;} @noindent @code{import "@value{Datadir}/asymptote/graph.asy" as graph;} It is an error if modules import themselves (or each other in a cycle). The module name to be imported must be known at compile time. @cindex runtime imports @cindex @code{eval} However, you can import an @code{Asymptote} module determined by the string @code{s} at runtime like this: @verbatim eval("import "+s,true); @end verbatim @cindex @code{asy} To conditionally execute an array of asy files, use @verbatim void asy(string format, bool overwrite ... string[] s); @end verbatim The file will only be processed, using output format @code{format}, if overwrite is @code{true} or the output file is missing. One can evaluate an @code{Asymptote} expression (without any return value, however) contained in the string @code{s} with: @cindex @code{eval} @verbatim void eval(string s, bool embedded=false); @end verbatim It is not necessary to terminate the string @code{s} with a semicolon. If @code{embedded} is @code{true}, the string will be evaluated at the top level of the current environment. If @code{embedded} is @code{false} (the default), the string will be evaluated in an independent environment, sharing the same @code{settings} module (@pxref{settings}). @cindex @code{quote} One can evaluate arbitrary @code{Asymptote} code (which may contain unescaped quotation marks) with the command @verbatim void eval(code s, bool embedded=false); @end verbatim Here @code{code} is a special type used with @code{quote @{@}} to enclose @code{Asymptote code} like this: @verbatim real a=1; code s=quote { write(a); }; eval(s,true); // Outputs 1 @end verbatim @cindex @code{include} To include the contents of an existing file @code{graph} verbatim (as if the contents of the file were inserted at that point), use one of the forms: @verbatim include graph; @end verbatim @noindent @code{include "@value{Datadir}/asymptote/graph.asy";} To list all global functions and variables defined in a module named by the contents of the string @code{s}, use the function @verbatim void list(string s, bool imports=false); @end verbatim @noindent Imported global functions and variables are also listed if @code{imports} is @code{true}. @node Static, , Import, Programming @section Static @cindex @code{static} Static qualifiers allocate the memory address of a variable in a higher enclosing level. For a function body, the variable is allocated in the block where the function is defined; so in the code @verbatim struct s { int count() { static int c=0; ++c; return c; } } @end verbatim @noindent there is one instance of the variable @code{c} for each object @code{s} (as opposed to each call of @code{count}). Similarly, in @verbatim int factorial(int n) { int helper(int k) { static int x=1; x *= k; return k == 1 ? x : helper(k-1); } return helper(n); } @end verbatim @noindent there is one instance of @code{x} for every call to @code{factorial} (and not for every call to @code{helper}), so this is a correct, but ugly, implementation of factorial. Similarly, a static variable declared within a structure is allocated in the block where the structure is defined. Thus, @verbatim struct A { struct B { static pair z; } } @end verbatim @noindent creates one object @code{z} for each object of type @code{A} created. In this example, @verbatim int pow(int n, int k) { struct A { static int x=1; void helper() { x *= n; } } for(int i=0; i < k; ++i) { A a; a.helper(); } return A.x; } @end verbatim @noindent there is one instance of @code{x} for each call to @code{pow}, so this is an ugly implementation of exponentiation. Loop constructs allocate a new frame in every iteration. This is so that higher-order functions can refer to variables of a specific iteration of a loop: @verbatim void f(); for(int i=0; i < 10; ++i) { int x=i; if(x==5) { f=new void () { write(x); } } } f(); @end verbatim Here, every iteration of the loop has its own variable @code{x}, so @code{f()} will write @code{5}. If a variable in a loop is declared static, it will be allocated where the enclosing function or structure was defined (just as if it were declared static outside of the loop). For instance, in: @verbatim void f() { static int x; for(int i=0; i < 10; ++i) { static int y; } } @end verbatim @noindent both @code{x} and @code{y} will be allocated in the same place, which is also where @code{f} is also allocated. Statements may also be declared static, in which case they are run at the place where the enclosing function or structure is defined. Declarations or statements not enclosed in a function or structure definition are already at the top level, so static modifiers are meaningless. A warning is given in such a case. Since structures can have static fields, it is not always clear for a qualified name whether the qualifier is a variable or a type. For instance, in: @verbatim struct A { static int x; } pair A; int y=A.x; @end verbatim @noindent does the @code{A} in @code{A.x} refer to the structure or to the pair variable. It is the convention in Asymptote that, if there is a non-function variable with the same name as the qualifier, the qualifier refers to that variable, and not to the type. This is regardless of what fields the variable actually possesses. @node LaTeX usage, Base modules, Programming, Top @chapter @code{LaTeX} usage @cindex @code{LaTeX} usage @cindex @code{asymptote.sty} @code{Asymptote} comes with a convenient @code{LaTeX} style file @code{asymptote.sty} (v1.35 or later required) that makes @code{LaTeX} @code{Asymptote}-aware. Entering @code{Asymptote} code directly into the @code{LaTeX} source file, at the point where it is needed, keeps figures organized and avoids the need to invent new file names for each figure. Simply add the line @code{\usepackage@{asymptote@}} at the beginning of your file and enclose your @code{Asymptote} code within a @code{\begin@{asy@}...\end@{asy@}} environment. As with the @code{LaTeX} @code{comment} environment, the @code{\end@{asy@}} command must appear on a line by itself, with no trailing commands/comments. A blank line is not allowed after @code{\begin@{asy@}}. The sample @code{LaTeX} file below, named @code{latexusage.tex}, can be run as follows: @verbatim latex latexusage asy latexusage-*.asy latex latexusage @end verbatim @noindent or @verbatim pdflatex latexusage asy latexusage-*.asy pdflatex latexusage @end verbatim @noindent To switch between using inline Asymptote code with @code{latex} and @code{pdflatex} you may first need to remove the files @code{latexusage-*.tex}. @cindex @code{latexmk} @cindex @code{perl} An even better method for processing a @code{LaTeX} file with embedded @code{Asymptote} code is to use the @code{latexmk} utility from @quotation @url{http://mirror.ctan.org/support/latexmk/} @end quotation @noindent after putting the contents of @url{https://raw.githubusercontent.com/vectorgraphics/asymptote/HEAD/doc/latexmkrc} @noindent in a file @code{latexmkrc} in the same directory. The command @verbatim latexmk -pdf latexusage @end verbatim @noindent will then call @code{Asymptote} automatically, recompiling only the figures that have changed. Since each figure is compiled in a separate system process, this method also tends to use less memory. To store the figures in a separate directory named @code{asy}, one can define @verbatim \def\asydir{asy} @end verbatim in @code{latexusage.tex} and put the contents of @url{http://sourceforge.net/p/asymptote/code/HEAD/tree/trunk/asymptote/doc/latexmkrc_asydir} in a file @code{latexmkrc} in the same directory. @noindent External @code{Asymptote} code can be included with @cindex @code{asyinclude} @verbatim \asyinclude[]{} @end verbatim @noindent so that @code{latexmk} will recognize when the code is changed. Note that @code{latemk} requires @code{perl}, available from @url{http://www.perl.org/}. @cindex @code{width} @cindex @code{height} @cindex @code{keepAspect} @cindex @code{viewportwidth} @cindex @code{viewportheight} @cindex @code{attach} @cindex @code{inline} One can specify @code{width}, @code{height}, @code{keepAspect}, @code{viewportwidth}, @code{viewportheight}, @code{attach}, and @code{inline}. @code{keyval}-style options to the @code{asy} and @code{asyinclude} environments. Three-dimensional @acronym{PRC} files may either be embedded within the page (the default) or attached as annotated (but printable) attachments, using the @code{attach} option and the @code{attachfile2} (or older @code{attachfile}) @code{LaTeX} package. The @code{inline} option generates inline @code{LaTeX} code instead of @acronym{EPS} or @acronym{PDF} files. This makes 2D LaTeX symbols visible to the @code{\begin@{asy@}...\end@{asy@}} environment. In this mode, Asymptote correctly aligns 2D LaTeX symbols defined outside of @code{\begin@{asy@}...\end@{asy@}}, but treats their size as zero; an optional second string can be given to @code{Label} to provide an estimate of the unknown label size. Note that if the @code{latex} @TeX{} engine is used with the @code{inline} option, labels might not show up in @acronym{DVI} viewers that cannot handle raw @code{PostScript} code. One can use @code{dvips}/@code{dvipdf} to produce @code{PostScript}/@acronym{PDF} output (we recommend using the modified version of @code{dvipdf} in the @code{Asymptote} patches directory, which accepts the @code{dvips -z} hyperdvi option). Here now is @code{latexusage.tex}: @verbatiminclude latexusage.tex @page @image{./latexusage,,25cm} @node Base modules, Options, LaTeX usage, Top @chapter Base modules @cindex base modules @code{Asymptote} currently ships with the following base modules: @menu * plain:: Default @code{Asymptote} base file * simplex:: Linear programming: simplex method * math:: Extend @code{Asymptote}'s math capabilities * interpolate:: Interpolation routines * geometry:: Geometry routines * trembling:: Wavy lines * stats:: Statistics routines and histograms * patterns:: Custom fill and draw patterns * markers:: Custom path marker routines * tree:: Dynamic binary search tree * binarytree:: Binary tree drawing module * drawtree:: Tree drawing module * syzygy:: Syzygy and braid drawing module * feynman:: Feynman diagrams * roundedpath:: Round the sharp corners of paths * animation:: Embedded @acronym{PDF} and @acronym{MPEG} movies * embed:: Embedding movies, sounds, and 3D objects * slide:: Making presentations with @code{Asymptote} * MetaPost:: @code{MetaPost} compatibility routines * unicode:: Accept @code{unicode} (UTF-8) characters * latin1:: Accept @code{ISO 8859-1} characters * babel:: Interface to @code{LaTeX} @code{babel} package * labelpath:: Drawing curved labels * labelpath3:: Drawing curved labels in 3D * annotate:: Annotate your @acronym{PDF} files * CAD:: 2D CAD pen and measurement functions (DIN 15) * graph:: 2D linear & logarithmic graphs * palette:: Color density images and palettes * three:: 3D vector graphics * obj:: 3D obj files * graph3:: 3D linear & logarithmic graphs * grid3:: 3D grids * solids:: 3D solid geometry * tube:: 3D rotation minimizing tubes * flowchart:: Flowchart drawing routines * contour:: Contour lines * contour3:: Contour surfaces * smoothcontour3:: Smooth implicit surfaces * slopefield:: Slope fields * ode:: Ordinary differential equations @end menu @node plain, simplex, Base modules, Base modules @section @code{plain} @cindex @code{plain} This is the default @code{Asymptote} base file, which defines key parts of the drawing language (such as the @code{picture} structure). By default, an implicit @code{private import plain;} occurs before translating a file and before the first command given in interactive mode. This also applies when translating files for module definitions (except when translating @code{plain}, of course). This means that the types and functions defined in @code{plain} are accessible in almost all @code{Asymptote} code. Use the @code{-noautoplain} command-line option to disable this feature. @node simplex, math, plain, Base modules @section @code{simplex} @cindex @code{simplex} @cindex @code{deferred drawing} This package solves the two-variable linear programming problem using the simplex method. It is used by the module @code{plain} for automatic sizing of pictures. @node math, interpolate, simplex, Base modules @section @code{math} @cindex @code{math} This package extends @code{Asymptote}'s mathematical capabilities with useful functions such as @table @code @cindex @code{drawline} @item void drawline(picture pic=currentpicture, pair P, pair Q, pen p=currentpen); draw the visible portion of the (infinite) line going through @code{P} and @code{Q}, without altering the size of picture @code{pic}, using pen @code{p}. @cindex @code{intersect} @item real intersect(triple P, triple Q, triple n, triple Z); returns the intersection time of the extension of the line segment @code{PQ} with the plane perpendicular to @code{n} and passing through @code{Z}. @cindex @code{intersectionpoint} @item triple intersectionpoint(triple n0, triple P0, triple n1, triple P1); Return any point on the intersection of the two planes with normals @code{n0} and @code{n1} passing through points @code{P0} and @code{P1}, respectively. If the planes are parallel, return @code{(infinity,infinity,infinity)}. @cindex @code{quarticroots} @item pair[] quarticroots(real a, real b, real c, real d, real e); returns the four complex roots of the quartic equation @math{ax^4+bx^3+cx^2+dx+e=0}. @cindex @code{fft} @item pair[][] fft(pair[][] a, int sign=1) returns the two-dimensional Fourier transform of a using the given @code{sign}. @cindex @code{time} @item real time(path g, real x, int n=0) returns the @code{n}th intersection time of path @code{g} with the vertical line through x. @cindex @code{time} @item real time(path g, explicit pair z, int n=0) returns the @code{n}th intersection time of path @code{g} with the horizontal line through @code{(0,z.y)}. @cindex @code{value} @item real value(path g, real x, int n=0) returns the @code{n}th @code{y} value of @code{g} at @code{x}. @cindex @code{value} @item real value(path g, explicit pair z, int n=0) returns the @code{n}th @code{x} value of @code{g} at @code{y=z.y}. @cindex @code{slope} @item real slope(path g, real x, int n=0) returns the @code{n}th slope of @code{g} at @code{x}. @cindex @code{slope} @item real slope(path g, explicit pair z, int n=0) returns the @code{n}th slope of @code{g} at @code{y=z.y}. @cindex @code{segment} int[][] segment(bool[] b) returns the indices of consecutive true-element segments of bool[] @code{b}. @cindex @code{partialsum} @item real[] partialsum(real[] a) returns the partial sums of a real array @code{a}. @cindex @code{partialsum} @item real[] partialsum(real[] a, real[] dx) returns the partial @code{dx}-weighted sums of a real array @code{a}. @cindex @code{increasing} @item bool increasing(real[] a, bool strict=false) returns, if @code{strict=false}, whether @code{i > j} implies @code{a[i] >= a[j]}, or if @code{strict=true}, whether @code{i > j} implies implies @code{a[i] > a[j]}. @cindex @code{unique} @item int unique(real[] a, real x) if the sorted array @code{a} does not contain @code{x}, insert it sequentially, returning the index of @code{x} in the resulting array. @cindex @code{lexorder} @item bool lexorder(pair a, pair b) returns the strict lexicographical partial order of @code{a} and @code{b}. @cindex @code{lexorder} @item bool lexorder(triple a, triple b) returns the strict lexicographical partial order of @code{a} and @code{b}. @end table @node interpolate, geometry, math, Base modules @section @code{interpolate} @cindex @code{interpolate} This module implements Lagrange, Hermite, and standard cubic spline interpolation in @code{Asymptote}, as illustrated in the example @code{interpolate1.asy}. @node geometry, trembling, interpolate, Base modules @section @code{geometry} @cindex @code{geometry} @cindex @code{triangle} @cindex @code{perpendicular} This module, written by Philippe Ivaldi, provides an extensive set of geometry routines, including @code{perpendicular} symbols and a @code{triangle} structure. Link to the documentation for the @code{geometry} module are posted here: @url{http://asymptote.sourceforge.net/links.html}, including an extensive set of examples, @url{http://www.piprime.fr/files/asymptote/geometry/}, and an index: @quotation @url{http://www.piprime.fr/files/asymptote/geometry/modules/geometry.asy.index.type.html} @end quotation @node trembling, stats, geometry, Base modules @section @code{trembling} @cindex @code{trembling} This module, written by Philippe Ivaldi and illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/floatingdisk.svg,,floatingdisk}@uref{http://asymptote.sourceforge.net/gallery/floatingdisk.asy,,.asy}}, allows one to draw wavy lines, as if drawn by hand. @node stats, patterns, trembling, Base modules @section @code{stats} @cindex @code{stats} @cindex @code{leastsquares} This package implements a Gaussian random number generator and a collection of statistics routines, including @code{histogram} and @code{leastsquares}. @node patterns, markers, stats, Base modules @section @code{patterns} @cindex @code{patterns} This package implements @code{Postscript} tiling patterns and includes several convenient pattern generation routines. @node markers, tree, patterns, Base modules @section @code{markers} @cindex @code{markers} This package implements specialized routines for marking paths and angles. The principal mark routine provided by this package is @verbatim markroutine markinterval(int n=1, frame f, bool rotated=false); @end verbatim @noindent which centers @code{n} copies of frame @code{f} within uniformly space intervals in arclength along the path, optionally rotated by the angle of the local tangent. The @code{marker} (@pxref{marker}) routine can be used to construct new markers from these predefined frames: @cindex @code{stickframe} @verbatim frame stickframe(int n=1, real size=0, pair space=0, real angle=0, pair offset=0, pen p=currentpen); @end verbatim @cindex @code{circlebarframe} @verbatim frame circlebarframe(int n=1, real barsize=0, real radius=0,real angle=0, pair offset=0, pen p=currentpen, filltype filltype=NoFill, bool above=false); @end verbatim @cindex @code{crossframe} @verbatim frame crossframe(int n=3, real size=0, pair space=0, real angle=0, pair offset=0, pen p=currentpen); @end verbatim @cindex @code{tildeframe} @verbatim frame tildeframe(int n=1, real size=0, pair space=0, real angle=0, pair offset=0, pen p=currentpen); @end verbatim For convenience, this module also constructs the markers @code{StickIntervalMarker}, @code{CrossIntervalMarker}, @code{CircleBarIntervalMarker}, and @code{TildeIntervalMarker} from the above frames. The example @code{@uref{http://asymptote.sourceforge.net/gallery/markers1.svg,,markers1}@uref{http://asymptote.sourceforge.net/gallery/markers1.asy,,.asy}} illustrates the use of these markers: @sp 1 @center @image{./markers1} This package also provides a routine for marking an angle @math{AOB}: @cindex @code{markangle} @verbatim void markangle(picture pic=currentpicture, Label L="", int n=1, real radius=0, real space=0, pair A, pair O, pair B, arrowbar arrow=None, pen p=currentpen, margin margin=NoMargin, marker marker=nomarker); @end verbatim @noindent as illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/markers2.svg,,markers2}@uref{http://asymptote.sourceforge.net/gallery/markers2.asy,,.asy}}. @sp 1 @center @image{./markers2} @node tree, binarytree, markers, Base modules @section @code{tree} @cindex @code{tree} This package implements an example of a dynamic binary search tree. @node binarytree, drawtree, tree, Base modules @section @code{binarytree} @cindex @code{binarytree} This module can be used to draw an arbitrary binary tree and includes an input routine for the special case of a binary search tree, as illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/binarytreetest.svg,,binarytreetest}@uref{http://asymptote.sourceforge.net/gallery/binarytreetest.asy,,.asy}}: @verbatiminclude binarytreetest.asy @sp 1 @center @image{./binarytreetest} @node drawtree, syzygy, binarytree, Base modules @section @code{drawtree} @cindex @code{drawtree} This is a simple tree drawing module used by the example @code{@uref{http://asymptote.sourceforge.net/gallery/treetest.svg,,treetest}@uref{http://asymptote.sourceforge.net/gallery/treetest.asy,,.asy}}. @node syzygy, feynman, drawtree, Base modules @section @code{syzygy} @cindex @code{syzygy} This module automates the drawing of braids, relations, and syzygies, along with the corresponding equations, as illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/knots.svg,,knots}@uref{http://asymptote.sourceforge.net/gallery/knots.asy,,.asy}}. @node feynman, roundedpath, syzygy, Base modules @section @code{feynman} @cindex @code{feynman} This package, contributed by Martin Wiebusch, is useful for drawing Feynman diagrams, as illustrated by the examples @code{@uref{http://asymptote.sourceforge.net/gallery/eetomumu.svg,,eetomumu}@uref{http://asymptote.sourceforge.net/gallery/eetomumu.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/fermi.svg,,fermi}@uref{http://asymptote.sourceforge.net/gallery/fermi.asy,,.asy}}. @node roundedpath, animation, feynman, Base modules @section @code{roundedpath} @cindex @code{roundedpath} This package, contributed by Stefan Knorr, is useful for rounding the sharp corners of paths, as illustrated in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/roundpath.svg,,roundpath}@uref{http://asymptote.sourceforge.net/gallery/roundpath.asy,,.asy}}. @node animation, embed, roundedpath, Base modules @section @code{animation} @cindex @code{animation} @cindex @code{convert} @cindex animation @cindex @code{ImageMagick} This module allows one to generate animations, as illustrated by the files @code{@uref{http://asymptote.sourceforge.net/gallery/animations/wheel.gif,,wheel}@uref{http://asymptote.sourceforge.net/gallery/animations/wheel.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/animations/wavepacket.gif,,wavepacket}@uref{http://asymptote.sourceforge.net/gallery/animations/wavepacket.asy,,.asy}}, and @code{@uref{http://asymptote.sourceforge.net/gallery/animations/cube.gif,,cube}@uref{http://asymptote.sourceforge.net/gallery/animations/cube.asy,,.asy}} in the @code{animations} subdirectory of the examples directory. These animations use the @code{ImageMagick} @code{convert} program to merge multiple images into a @acronym{GIF} or @acronym{MPEG} movie. @cindex @code{animate} @anchor{animate} The related @code{animate} module, derived from the @code{animation} module, generates higher-quality portable clickable @acronym{PDF} movies, with optional controls. This requires installing the package @quotation @url{http://mirror.ctan.org/macros/latex/contrib/animate/animate.sty} @noindent @end quotation @noindent (version 2007/11/30 or later) in a new directory @code{animate} in the local @code{LaTeX} directory (for example, in @code{/usr/local/share/texmf/tex/latex/animate}). On @code{UNIX} systems, one must then execute the command @code{texhash}. The example @code{@uref{http://asymptote.sourceforge.net/gallery/animations/pdfmovie.pdf,,pdfmovie}@uref{http://asymptote.sourceforge.net/gallery/animations/pdfmovie.asy,,.asy}} in the @code{animations} directory, along with the slide presentations @code{@uref{http://asymptote.sourceforge.net/gallery/animations/slidemovies.pdf,,slidemovies}@uref{http://asymptote.sourceforge.net/gallery/animations/slidemovies.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/intro.pdf,,intro}}, illustrate the use of embedded @acronym{PDF} movies. The examples @code{inlinemovie.tex} and @code{inlinemovie3.tex} show how to generate and embed @acronym{PDF} movies directly within a @code{LaTeX} file (@pxref{LaTeX usage}). The member function @verbatim string pdf(fit fit=NoBox, real delay=animationdelay, string options="", bool keep=settings.keep, bool multipage=true); @end verbatim @noindent of the @code{animate} structure accepts any of the @code{animate.sty} options, as described here: @quotation @url{http://mirror.ctan.org/macros/latex/contrib/animate/doc/animate.pdf} @end quotation @node embed, slide, animation, Base modules @section @code{embed} @cindex @code{embed} This module provides an interface to the @code{LaTeX} package (included with @code{MikTeX}) @quotation @url{http://mirror.ctan.org/macros/latex/contrib/media9} @end quotation @noindent for embedding movies, sounds, and 3D objects into a @acronym{PDF} document. @cindex @code{external} A more portable method for embedding movie files, which should work on any platform and does not require the @code{media9} package, is provided by using the @code{external} module instead of @code{embed}. Examples of the above two interfaces is provided in the file @code{embeddedmovie.asy} in the @code{animations} subdirectory of the examples directory and in @code{@uref{http://asymptote.sourceforge.net/gallery/animations/externalmovie.pdf,,externalmovie}@uref{http://asymptote.sourceforge.net/gallery/animations/externalmovie.asy,,.asy}}. For a higher quality embedded movie generated directly by @code{Asymptote}, use the @code{animate} module along with the @code{animate.sty} package to embed a portable @acronym{PDF} animation (@pxref{animate}). @cindex @code{U3D} An example of embedding @code{U3D} code is provided in the file @code{embeddedu3d}. @node slide, MetaPost, embed, Base modules @section @code{slide} @cindex @code{slide} This package provides a simple yet high-quality facility for making presentation slides, including portable embedded @acronym{PDF} animations (see the file @code{@uref{http://asymptote.sourceforge.net/gallery/animations/slidemovies.pdf,,slidemovies}@uref{http://asymptote.sourceforge.net/gallery/animations/slidemovies.asy,,.asy}}). A simple example is provided in @code{slidedemo.asy}. @node MetaPost, unicode, slide, Base modules @section @code{MetaPost} @cindex @code{MetaPost} This package provides some useful routines to help @code{MetaPost} users migrate old @code{MetaPost} code to @code{Asymptote}. Further contributions here are welcome. @cindex @code{implicit linear solver} @cindex @code{MetaPost whatever} @cindex @code{extension} Unlike @code{MetaPost}, @code{Asymptote} does not implicitly solve linear equations and therefore does not have the notion of a @code{whatever} unknown. The routine @code{extension} (@pxref{extension}) provides a useful replacement for a common use of @code{whatever}: finding the intersection point of the lines through @code{P}, @code{Q} and @code{p}, @code{q}. For less common occurrences of @code{whatever}, one can use the built-in explicit linear equation solver @code{solve} instead. @node unicode, latin1, MetaPost, Base modules @section @code{unicode} @cindex @code{unicode} @cindex international characters Import this package at the beginning of the file to instruct @code{LaTeX} to accept @code{unicode} (UTF-8) standardized international characters. @noindent @cindex Cyrillic @cindex Russian To use Cyrillic fonts, you will need to change the font encoding: @verbatim import unicode; texpreamble("\usepackage{mathtext}\usepackage[russian]{babel}"); defaultpen(font("T2A","cmr","m","n")); @end verbatim @noindent @cindex Chinese @cindex Japanese @cindex Korean @cindex CJK Support for Chinese, Japanese, and Korean fonts is provided by the CJK package: @quotation @url{http://mirror.ctan.org/languages/chinese/CJK/} @end quotation @noindent The following commands enable the CJK song family (within a label, you can also temporarily switch to another family, say kai, by prepending @code{"\CJKfamily@{kai@}"} to the label string): @verbatim texpreamble("\usepackage{CJK} \AtBeginDocument{\begin{CJK*}{GBK}{song}} \AtEndDocument{\clearpage\end{CJK*}}"); @end verbatim @node latin1, babel, unicode, Base modules @section @code{latin1} @cindex @code{latin1} If you don't have @code{LaTeX} support for @code{unicode} installed, you can enable support for Western European languages (ISO 8859-1) by importing the module @code{latin1}. This module can be used as a template for providing support for other ISO 8859 alphabets. @node babel, labelpath, latin1, Base modules @section @code{babel} @cindex @code{babel} This module implements the @code{LaTeX} @code{babel} package in @code{Asymptote}. For example: @verbatim import babel; babel("german"); @end verbatim @node labelpath, labelpath3, babel, Base modules @section @code{labelpath} @cindex @code{labelpath} This module uses the @code{PSTricks} @code{pstextpath} macro to fit labels along a path (properly kerned, as illustrated in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/curvedlabel.svg,,curvedlabel}@uref{http://asymptote.sourceforge.net/gallery/curvedlabel.asy,,.asy}}), using the command @verbatim void labelpath(picture pic=currentpicture, Label L, path g, string justify=Centered, pen p=currentpen); @end verbatim @noindent Here @code{justify} is one of @code{LeftJustified}, @code{Centered}, or @code{RightJustified}. The @math{x} component of a shift transform applied to the Label is interpreted as a shift along the curve, whereas the @math{y} component is interpreted as a shift away from the curve. All other Label transforms are ignored. This package requires the @code{latex} tex engine and inherits the limitations of the @code{PSTricks} @code{\pstextpath} macro. @node labelpath3, annotate, labelpath, Base modules @section @code{labelpath3} @cindex @code{labelpath3} This module, contributed by Jens Schwaiger, implements a 3D version of @code{labelpath} that does not require the @code{PSTricks} package. An example is provided in @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/curvedlabel3.html,,curvedlabel3}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/curvedlabel3.asy,,.asy}}. @node annotate, CAD, labelpath3, Base modules @section @code{annotate} @cindex @code{annotate} This module supports @acronym{PDF} annotations for viewing with @code{Adobe Reader}, via the function @verbatim void annotate(picture pic=currentpicture, string title, string text, pair position); @end verbatim @noindent Annotations are illustrated in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/annotation.pdf,,annotation}@uref{http://asymptote.sourceforge.net/gallery/annotation.asy,,.asy}}. Currently, annotations are only implemented for the @code{latex} (default) and @code{tex} @TeX{} engines. @node CAD, graph, annotate, Base modules @section @code{CAD} @cindex @code{CAD} This package, contributed by Mark Henning, provides basic pen definitions and measurement functions for simple 2D CAD drawings according to DIN 15. It is documented separately, in the file @code{CAD.pdf}. @node graph, palette, CAD, Base modules @section @code{graph} @cindex @code{graph} @cindex 2D graphs This package implements two-dimensional linear and logarithmic graphs, including automatic scale and tick selection (with the ability to override manually). A graph is a @code{guide} (that can be drawn with the draw command, with an optional legend) constructed with one of the following routines: @itemize @item @verbatim guide graph(picture pic=currentpicture, real f(real), real a, real b, int n=ngraph, real T(real)=identity, interpolate join=operator --); guide[] graph(picture pic=currentpicture, real f(real), real a, real b, int n=ngraph, real T(real)=identity, bool3 cond(real), interpolate join=operator --); @end verbatim Returns a graph using the scaling information for picture @code{pic} (@pxref{automatic scaling}) of the function @code{f} on the interval [@code{T}(@code{a}),@code{T}(@code{b})], sampling at @code{n} points evenly spaced in [@code{a},@code{b}], optionally restricted by the bool3 function @code{cond} on [@code{a},@code{b}]. If @code{cond} is: @itemize @bullet @item @code{true}, the point is added to the existing guide; @item @code{default}, the point is added to a new guide; @item @code{false}, the point is omitted and a new guide is begun. @end itemize The points are connected using the interpolation specified by @code{join}: @itemize @bullet @cindex @code{operator --} @cindex @code{Straight} @item @code{operator --} (linear interpolation; the abbreviation @code{Straight} is also accepted); @cindex @code{operator ..} @cindex @code{Spline} @item @code{operator ..} (piecewise Bezier cubic spline interpolation; the abbreviation @code{Spline} is also accepted); @cindex @code{Hermite} @cindex @code{notaknot} @cindex @code{natural} @cindex @code{periodic} @cindex @code{clamped} @cindex @code{monotonic} @cindex @code{Hermite(splinetype splinetype} @item @code{Hermite} (standard cubic spline interpolation using boundary condition @code{notaknot}, @code{natural}, @code{periodic}, @code{clamped(real slopea, real slopeb)}), or @code{monotonic}. The abbreviation @code{Hermite} is equivalent to @code{Hermite(notaknot)} for nonperiodic data and @code{Hermite(periodic)} for periodic data). @end itemize @item @verbatim guide graph(picture pic=currentpicture, real x(real), real y(real), real a, real b, int n=ngraph, real T(real)=identity, interpolate join=operator --); guide[] graph(picture pic=currentpicture, real x(real), real y(real), real a, real b, int n=ngraph, real T(real)=identity, bool3 cond(real), interpolate join=operator --); @end verbatim Returns a graph using the scaling information for picture @code{pic} of the parametrized function (@code{x}(@math{t}),@code{y}(@math{t})) for @math{t} in the interval [@code{T}(@code{a}),@code{T}(@code{b})], sampling at @code{n} points evenly spaced in [@code{a},@code{b}], optionally restricted by the bool3 function @code{cond} on [@code{a},@code{b}], using the given interpolation type. @item @verbatim guide graph(picture pic=currentpicture, pair z(real), real a, real b, int n=ngraph, real T(real)=identity, interpolate join=operator --); guide[] graph(picture pic=currentpicture, pair z(real), real a, real b, int n=ngraph, real T(real)=identity, bool3 cond(real), interpolate join=operator --); @end verbatim Returns a graph using the scaling information for picture @code{pic} of the parametrized function @code{z}(@math{t}) for @math{t} in the interval [@code{T}(@code{a}),@code{T}(@code{b})], sampling at @code{n} points evenly spaced in [@code{a},@code{b}], optionally restricted by the bool3 function @code{cond} on [@code{a},@code{b}], using the given interpolation type. @item @verbatim guide graph(picture pic=currentpicture, pair[] z, interpolate join=operator --); guide[] graph(picture pic=currentpicture, pair[] z, bool3[] cond, interpolate join=operator --); @end verbatim Returns a graph using the scaling information for picture @code{pic} of the elements of the array @code{z}, optionally restricted to those indices for which the elements of the boolean array @code{cond} are @code{true}, using the given interpolation type. @item @verbatim guide graph(picture pic=currentpicture, real[] x, real[] y, interpolate join=operator --); guide[] graph(picture pic=currentpicture, real[] x, real[] y, bool3[] cond, interpolate join=operator --); @end verbatim Returns a graph using the scaling information for picture @code{pic} of the elements of the arrays (@code{x},@code{y}), optionally restricted to those indices for which the elements of the boolean array @code{cond} are @code{true}, using the given interpolation type. @item @cindex @code{polargraph} @verbatim guide polargraph(picture pic=currentpicture, real f(real), real a, real b, int n=ngraph, interpolate join=operator --); @end verbatim Returns a polar-coordinate graph using the scaling information for picture @code{pic} of the function @code{f} on the interval [@code{a},@code{b}], sampling at @code{n} evenly spaced points, with the given interpolation type. @item @verbatim guide polargraph(picture pic=currentpicture, real[] r, real[] theta, interpolate join=operator--); @end verbatim Returns a polar-coordinate graph using the scaling information for picture @code{pic} of the elements of the arrays (@code{r},@code{theta}), using the given interpolation type. @end itemize @verbatim @end verbatim An axis can be drawn on a picture with one of the following commands: @itemize @item @verbatim void xaxis(picture pic=currentpicture, Label L="", axis axis=YZero, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, bool above=false); @end verbatim Draw an @math{x} axis on picture @code{pic} from @math{x}=@code{xmin} to @math{x}=@code{xmax} using pen @code{p}, optionally labelling it with Label @code{L}. The relative label location along the axis (a real number from [0,1]) defaults to 1 (@pxref{Label}), so that the label is drawn at the end of the axis. An infinite value of @code{xmin} or @code{xmax} specifies that the corresponding axis limit will be automatically determined from the picture limits. The optional @code{arrow} argument takes the same values as in the @code{draw} command (@pxref{arrows}). The axis is drawn before any existing objects in @code{pic} unless @code{above=true}. The axis placement is determined by one of the following @code{axis} types: @table @code @cindex @code{YZero} @item YZero(bool extend=true) Request an @math{x} axis at @math{y}=0 (or @math{y}=1 on a logarithmic axis) extending to the full dimensions of the picture, unless @code{extend}=false. @cindex @code{YEquals} @item YEquals(real Y, bool extend=true) Request an @math{x} axis at @math{y}=@code{Y} extending to the full dimensions of the picture, unless @code{extend}=false. @cindex @code{Bottom} @item Bottom(bool extend=false) Request a bottom axis. @cindex @code{Top} @item Top(bool extend=false) Request a top axis. @cindex @code{BottomTop} @item BottomTop(bool extend=false) Request a bottom and top axis. @end table @cindex custom axis types Custom axis types can be created by following the examples in the module @code{graph.asy}. One can easily override the default values for the standard axis types: @verbatim import graph; YZero=new axis(bool extend=true) { return new void(picture pic, axisT axis) { real y=pic.scale.x.scale.logarithmic ? 1 : 0; axis.value=I*pic.scale.y.T(y); axis.position=1; axis.side=right; axis.align=2.5E; axis.value2=Infinity; axis.extend=extend; }; }; YZero=YZero(); @end verbatim @anchor{ticks} @cindex @code{ticks} @cindex @code{NoTicks} @cindex @code{LeftTicks} @cindex @code{RightTicks} @cindex @code{Ticks} The default tick option is @code{NoTicks}. The options @code{LeftTicks}, @code{RightTicks}, or @code{Ticks} can be used to draw ticks on the left, right, or both sides of the path, relative to the direction in which the path is drawn. These tick routines accept a number of optional arguments: @verbatim ticks LeftTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen); @end verbatim If any of these parameters are omitted, reasonable defaults will be chosen: @table @code @item Label format @cindex @code{defaultformat} @cindex @code{trailingzero} override the default tick label format (@code{defaultformat}, initially "$%.4g$"), rotation, pen, and alignment (for example, @code{LeftSide}, @code{Center}, or @code{RightSide}) relative to the axis. To enable @code{LaTeX} math mode fonts, the format string should begin and end with @code{$} @pxref{format}. If the format string is @code{trailingzero}, trailing zeros will be added to the tick labels; if the format string is @code{"%"}, the tick label will be suppressed; @item ticklabel is a function @code{string(real x)} returning the label (by default, format(format.s,x)) for each major tick value @code{x}; @item bool beginlabel include the first label; @item bool endlabel include the last label; @item int N when automatic scaling is enabled (the default; @pxref{automatic scaling}), divide a linear axis evenly into this many intervals, separated by major ticks; for a logarithmic axis, this is the number of decades between labelled ticks; @item int n divide each interval into this many subintervals, separated by minor ticks; @item real Step the tick value spacing between major ticks (if @code{N}=@code{0}); @item real step the tick value spacing between minor ticks (if @code{n}=@code{0}); @item bool begin include the first major tick; @item bool end include the last major tick; @item tickmodifier modify; an optional function that takes and returns a @code{tickvalue} structure having real[] members @code{major} and @code{minor} consisting of the tick values (to allow modification of the automatically generated tick values); @item real Size the size of the major ticks (in @code{PostScript} coordinates); @item real size the size of the minor ticks (in @code{PostScript} coordinates); @item bool extend; extend the ticks between two axes (useful for drawing a grid on the graph); @item pen pTick an optional pen used to draw the major ticks; @item pen ptick an optional pen used to draw the minor ticks. @end table @cindex @code{OmitTick} @cindex @code{OmitTickInterval} @cindex @code{OmitTickIntervals} For convenience, the predefined tickmodifiers @code{OmitTick(... real[] x)}, @code{OmitTickInterval(real a, real b)}, and @code{OmitTickIntervals(real[] a, real[] b)} can be used to remove specific auto-generated ticks and their labels. The @code{OmitFormat(string s=defaultformat ... real[] x)} ticklabel can be used to remove specific tick labels but not the corresponding ticks. The tickmodifier @code{NoZero} is an abbreviation for @code{OmitTick(0)} and the ticklabel @code{NoZeroFormat} is an abbrevation for @code{OmitFormat(0)}. @cindex custom tick locations @cindex @code{LeftTicks} @cindex @code{RightTicks} @cindex @code{Ticks} It is also possible to specify custom tick locations with @code{LeftTicks}, @code{RightTicks}, and @code{Ticks} by passing explicit real arrays @code{Ticks} and (optionally) @code{ticks} containing the locations of the major and minor ticks, respectively: @verbatim ticks LeftTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) @end verbatim @item @verbatim void yaxis(picture pic=currentpicture, Label L="", axis axis=XZero, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, bool above=false, bool autorotate=true); @end verbatim Draw a @math{y} axis on picture @code{pic} from @math{y}=@code{ymin} to @math{y}=@code{ymax} using pen @code{p}, optionally labelling it with a Label @code{L} that is autorotated unless @code{autorotate=false}. The relative location of the label (a real number from [0,1]) defaults to 1 (@pxref{Label}). An infinite value of @code{ymin} or @code{ymax} specifies that the corresponding axis limit will be automatically determined from the picture limits. The optional @code{arrow} argument takes the same values as in the @code{draw} command (@pxref{arrows}). The axis is drawn before any existing objects in @code{pic} unless @code{above=true}. The tick type is specified by @code{ticks} and the axis placement is determined by one of the following @code{axis} types: @table @code @cindex @code{XZero} @item XZero(bool extend=true) Request a @math{y} axis at @math{x}=0 (or @math{x}=1 on a logarithmic axis) extending to the full dimensions of the picture, unless @code{extend}=false. @cindex @code{XEquals} @item XEquals(real X, bool extend=true) Request a @math{y} axis at @math{x}=@code{X} extending to the full dimensions of the picture, unless @code{extend}=false. @cindex @code{Left} @item Left(bool extend=false) Request a left axis. @cindex @code{Right} @item Right(bool extend=false) Request a right axis. @cindex @code{LeftRight} @item LeftRight(bool extend=false) Request a left and right axis. @end table @item @cindex @code{xequals} @cindex @code{yequals} For convenience, the functions @verbatim void xequals(picture pic=currentpicture, Label L="", real x, bool extend=false, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks ticks=NoTicks, bool above=true, arrowbar arrow=None); @end verbatim and @verbatim void yequals(picture pic=currentpicture, Label L="", real y, bool extend=false, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks ticks=NoTicks, bool above=true, arrowbar arrow=None); @end verbatim can be respectively used to call @code{yaxis} and @code{xaxis} with the appropriate axis types @code{XEquals(x,extend)} and @code{YEquals(y,extend)}. This is the recommended way of drawing vertical or horizontal lines and axes at arbitrary locations. @item @verbatim void axes(picture pic=currentpicture, Label xlabel="", Label ylabel="", bool extend=true, pair min=(-infinity,-infinity), pair max=(infinity,infinity), pen p=currentpen, arrowbar arrow=None, bool above=false); @end verbatim This convenience routine draws both @math{x} and @math{y} axes on picture @code{pic} from @code{min} to @code{max}, with optional labels @code{xlabel} and @code{ylabel} and any arrows specified by @code{arrow}. The axes are drawn on top of existing objects in @code{pic} only if @code{above=true}. @item @verbatim void axis(picture pic=currentpicture, Label L="", path g, pen p=currentpen, ticks ticks, ticklocate locate, arrowbar arrow=None, int[] divisor=new int[], bool above=false, bool opposite=false); @end verbatim This routine can be used to draw on picture @code{pic} a general axis based on an arbitrary path @code{g}, using pen @code{p}. One can optionally label the axis with Label @code{L} and add an arrow @code{arrow}. The tick type is given by @code{ticks}. The optional integer array @code{divisor} specifies what tick divisors to try in the attempt to produce uncrowded tick labels. A @code{true} value for the flag @code{opposite} identifies an unlabelled secondary axis (typically drawn opposite a primary axis). The axis is drawn before any existing objects in @code{pic} unless @code{above=true}. The tick locator @code{ticklocate} is constructed by the routine @verbatim ticklocate ticklocate(real a, real b, autoscaleT S=defaultS, real tickmin=-infinity, real tickmax=infinity, real time(real)=null, pair dir(real)=zero); @end verbatim @noindent where @code{a} and @code{b} specify the respective tick values at @code{point(g,0)} and @code{point(g,length(g))}, @code{S} specifies the autoscaling transformation, the function @code{real time(real v)} returns the time corresponding to the value @code{v}, and @code{pair dir(real t)} returns the absolute tick direction as a function of @code{t} (zero means draw the tick perpendicular to the axis). @item These routines are useful for manually putting ticks and labels on axes (if the variable @code{Label} is given as the @code{Label} argument, the @code{format} argument will be used to format a string based on the tick location): @cindex xtick @cindex ytick @cindex labelx @cindex labely @cindex tick @cindex Label @verbatim void xtick(picture pic=currentpicture, Label L="", explicit pair z, pair dir=N, string format="", real size=Ticksize, pen p=currentpen); void xtick(picture pic=currentpicture, Label L="", real x, pair dir=N, string format="", real size=Ticksize, pen p=currentpen); void ytick(picture pic=currentpicture, Label L="", explicit pair z, pair dir=E, string format="", real size=Ticksize, pen p=currentpen); void ytick(picture pic=currentpicture, Label L="", real y, pair dir=E, string format="", real size=Ticksize, pen p=currentpen); void tick(picture pic=currentpicture, pair z, pair dir, real size=Ticksize, pen p=currentpen); void labelx(picture pic=currentpicture, Label L="", explicit pair z, align align=S, string format="", pen p=currentpen); void labelx(picture pic=currentpicture, Label L="", real x, align align=S, string format="", pen p=currentpen); void labelx(picture pic=currentpicture, Label L, string format="", explicit pen p=currentpen); void labely(picture pic=currentpicture, Label L="", explicit pair z, align align=W, string format="", pen p=currentpen); void labely(picture pic=currentpicture, Label L="", real y, align align=W, string format="", pen p=currentpen); void labely(picture pic=currentpicture, Label L, string format="", explicit pen p=currentpen); @end verbatim @end itemize Here are some simple examples of two-dimensional graphs: @enumerate @cindex textbook graph @item This example draws a textbook-style graph of @math{y=} exp@math{(x)}, with the @math{y} axis starting at @math{y=0}: @verbatiminclude exp.asy @sp 1 @center @image{./exp} @item The next example draws a scientific-style graph with a legend. The position of the legend can be adjusted either explicitly or by using the graphical user interface (@pxref{GUI}). If an @code{UnFill(real xmargin=0, real ymargin=xmargin)} or @code{Fill(pen)} option is specified to @code{add}, the legend will obscure any underlying objects. Here we illustrate how to clip the portion of the picture covered by a label: @cindex scientific graph @verbatiminclude lineargraph0.asy @sp 1 @center @image{./lineargraph0} @cindex @code{attach} To specify a fixed size for the graph proper, use @code{attach}: @verbatiminclude lineargraph.asy @cindex @code{legend} A legend can have multiple entries per line: @verbatiminclude legend.asy @sp 1 @center @image{./legend} @item This example draws a graph of one array versus another (both of the same size) using custom tick locations and a smaller font size for the tick labels on the @math{y} axis. @verbatiminclude datagraph.asy @sp 1 @center @image{./datagraph} @item This example shows how to graph columns of data read from a file. @verbatiminclude filegraph.asy @sp 1 @center @image{./filegraph} @cindex @code{polygon} @cindex @code{cross} @cindex @code{errorbars} @cindex @code{marker} @cindex @code{marknodes} @cindex @code{markuniform} @cindex @code{mark} @cindex path markers @anchor{pathmarkers} @item The next example draws two graphs of an array of coordinate pairs, using frame alignment and data markers. In the left-hand graph, the markers, constructed with @verbatim marker marker(path g, markroutine markroutine=marknodes, pen p=currentpen, filltype filltype=NoFill, bool above=true); @end verbatim using the path @code{unitcircle} (@pxref{filltype}), are drawn below each node. Any frame can be converted to a marker, using @anchor{marker} @verbatim marker marker(frame f, markroutine markroutine=marknodes, bool above=true); @end verbatim In the right-hand graph, the unit @math{n}-sided regular polygon @code{polygon(int n)} and the unit @math{n}-point cyclic cross @code{cross(int n, bool round=true, real r=0)} (where @code{r} is an optional ``inner'' radius) are used to build a custom marker frame. @anchor{markuniform} Here @code{markuniform(bool centered=false, int n, bool rotated=false)} adds this frame at @code{n} uniformly spaced points along the arclength of the path, optionally rotated by the angle of the local tangent to the path (if centered is true, the frames will be centered within @code{n} evenly spaced arclength intervals). Alternatively, one can use markroutine @code{marknodes} to request that the marks be placed at each Bezier node of the path, or markroutine @code{markuniform(pair z(real t), real a, real b, int n)} to place marks at points @code{z(t)} for n evenly spaced values of @code{t} in @code{[a,b]}. These markers are predefined: @verbatim marker[] Mark={ marker(scale(circlescale)*unitcircle), marker(polygon(3)),marker(polygon(4)), marker(polygon(5)),marker(invert*polygon(3)), marker(cross(4)),marker(cross(6)) }; marker[] MarkFill={ marker(scale(circlescale)*unitcircle,Fill),marker(polygon(3),Fill), marker(polygon(4),Fill),marker(polygon(5),Fill), marker(invert*polygon(3),Fill) }; @end verbatim The example also illustrates the @code{errorbar} routines: @verbatim void errorbars(picture pic=currentpicture, pair[] z, pair[] dp, pair[] dm={}, bool[] cond={}, pen p=currentpen, real size=0); void errorbars(picture pic=currentpicture, real[] x, real[] y, real[] dpx, real[] dpy, real[] dmx={}, real[] dmy={}, bool[] cond={}, pen p=currentpen, real size=0); @end verbatim @noindent Here, the positive and negative extents of the error are given by the absolute values of the elements of the pair array @code{dp} and the optional pair array @code{dm}. If @code{dm} is not specified, the positive and negative extents of the error are assumed to be equal. @anchor{errorbars} @cindex error bars @verbatiminclude errorbars.asy @sp 1 @center @image{./errorbars} @cindex custom mark routine @item A custom mark routine can be also be specified: @verbatiminclude graphmarkers.asy @sp 1 @center @image{./graphmarkers} @item This example shows how to label an axis with arbitrary strings. @verbatiminclude monthaxis.asy @sp 1 @center @image{./monthaxis} @item The next example draws a graph of a parametrized curve. @cindex parametrized curve @cindex cropping graphs @cindex @code{xlimits} @cindex @code{ylimits} @cindex @code{limits} @cindex @code{crop} The calls to @verbatim xlimits(picture pic=currentpicture, real min=-infinity, real max=infinity, bool crop=NoCrop); @end verbatim @noindent and the analogous function @code{ylimits} can be uncommented to set the respective axes limits for picture @code{pic} to the specified @code{min} and @code{max} values. Alternatively, the function @verbatim void limits(picture pic=currentpicture, pair min, pair max, bool crop=NoCrop); @end verbatim can be used to limit the axes to the box having opposite vertices at the given pairs). Existing objects in picture @code{pic} will be cropped to lie within the given limits if @code{crop}=@code{Crop}. The function @code{crop(picture pic)} can be used to crop a graph to the current graph limits. @verbatiminclude parametricgraph.asy @sp 1 @center @image{./parametricgraph} @cindex scaled graph The next example illustrates how one can extract a common axis scaling factor. @verbatiminclude scaledgraph.asy @sp 1 @center @image{./scaledgraph} @anchor{automatic scaling} @cindex automatic scaling @cindex @code{scale} @cindex @code{Linear} @cindex @code{Log} @cindex automatic scaling Axis scaling can be requested and/or automatic selection of the axis limits can be inhibited with one of these @code{scale} routines: @verbatim void scale(picture pic=currentpicture, scaleT x, scaleT y); void scale(picture pic=currentpicture, bool xautoscale=true, bool yautoscale=xautoscale, bool zautoscale=yautoscale); @end verbatim This sets the scalings for picture @code{pic}. The @code{graph} routines accept an optional @code{picture} argument for determining the appropriate scalings to use; if none is given, it uses those set for @code{currentpicture}. Two frequently used scaling routines @code{Linear} and @code{Log} are predefined in @code{graph}. All picture coordinates (including those in paths and those given to the @code{label} and @code{limits} functions) are always treated as linear (post-scaled) coordinates. Use @cindex @code{Scale} @verbatim pair Scale(picture pic=currentpicture, pair z); @end verbatim to convert a graph coordinate into a scaled picture coordinate. The @math{x} and @math{y} components can be individually scaled using the analogous routines @verbatim real ScaleX(picture pic=currentpicture, real x); real ScaleY(picture pic=currentpicture, real y); @end verbatim The predefined scaling routines can be given two optional boolean arguments: @code{automin=false} and @code{automax=automin}. These default to @code{false} but can be respectively set to @code{true} to enable automatic selection of "nice" axis minimum and maximum values. The @code{Linear} scaling can also take as optional final arguments a multiplicative scaling factor and intercept (e.g.@ for a depth axis, @code{Linear(-1)} requests axis reversal). @cindex logarithmic graph @cindex log-log graph For example, to draw a log/log graph of a function, use @code{scale(Log,Log)}: @verbatiminclude loggraph.asy @sp 1 @center @image{./loggraph} @cindex grid By extending the ticks, one can easily produce a logarithmic grid: @verbatiminclude loggrid.asy @sp 1 @center @image{./loggrid} One can also specify custom tick locations and formats for logarithmic axes: @verbatiminclude logticks.asy @sp 1 @center @image{./logticks} @cindex @code{log2} graph It is easy to draw logarithmic graphs with respect to other bases: @verbatiminclude log2graph.asy @sp 1 @center @image{./log2graph} @cindex broken axis Here is an example of "broken" linear @math{x} and logarithmic @math{y} axes that omit the segments [3,8] and [100,1000], respectively. In the case of a logarithmic axis, the break endpoints are automatically rounded to the nearest integral power of the base. @verbatiminclude brokenaxis.asy @sp 1 @center @image{./brokenaxis} @cindex secondary axis @cindex @code{secondaryX} @cindex @code{secondaryY} @item @code{Asymptote} can draw secondary axes with the routines @verbatim picture secondaryX(picture primary=currentpicture, void f(picture)); picture secondaryY(picture primary=currentpicture, void f(picture)); @end verbatim In this example, @code{secondaryY} is used to draw a secondary linear @math{y} axis against a primary logarithmic @math{y} axis: @verbatiminclude Bode.asy @sp 1 @center @image{./Bode} A secondary logarithmic @math{y} axis can be drawn like this: @verbatiminclude secondaryaxis.asy @sp 1 @center @image{./secondaryaxis} @item Here is a histogram example, which uses the @code{stats} module. @cindex @code{axis} @verbatiminclude histogram.asy @sp 1 @center @image{./histogram} @item Here is an example of reading column data in from a file and a least-squares fit, using the @code{stats} module. @cindex @code{leastsquares} @verbatiminclude leastsquares.asy @sp 1 @center @image{./leastsquares} @item Here is an example that illustrates the general @code{axis} routine. @cindex @code{axis} @verbatiminclude generalaxis.asy @sp 1 @center @image{./generalaxis} @item To draw a vector field of @code{n} arrows evenly spaced along the arclength of a path, use the routine @cindex @code{vectorfield} @verbatim picture vectorfield(path vector(real), path g, int n, bool truesize=false, pen p=currentpen, arrowbar arrow=Arrow); @end verbatim as illustrated in this simple example of a flow field: @verbatiminclude flow.asy @sp 1 @center @image{./flow} @item To draw a vector field of @code{nx}@math{\times}@code{ny} arrows in @code{box(a,b)}, use the routine @cindex @code{vectorfield} @verbatim picture vectorfield(path vector(pair), pair a, pair b, int nx=nmesh, int ny=nx, bool truesize=false, real maxlength=truesize ? 0 : maxlength(a,b,nx,ny), bool cond(pair z)=null, pen p=currentpen, arrowbar arrow=Arrow, margin margin=PenMargin) @end verbatim as illustrated in this example: @verbatiminclude vectorfield.asy @sp 1 @center @image{./vectorfield} @item The following scientific graphs, which illustrate many features of @code{Asymptote}'s graphics routines, were generated from the examples @code{@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/diatom.svg,,diatom}@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/diatom.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/westnile.svg,,westnile}@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/westnile.asy,,.asy}}, using the comma-separated data in @code{@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/diatom.csv,,diatom.csv}} and @code{@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/westnile.csv,,westnile.csv}}. @page @sp 1 @center @image{./diatom} @sp 1 @center @image{./westnile,,7.5cm} @end enumerate @page @node palette, three, graph, Base modules @section @code{palette} @anchor{images} @cindex images @code{Asymptote} can also generate color density images and palettes. The following palettes are predefined in @code{palette.asy}: @table @code @cindex @code{Grayscale} @item pen[] Grayscale(int NColors=256) a grayscale palette; @cindex @code{Rainbow} @item pen[] Rainbow(int NColors=32766) a rainbow spectrum; @cindex @code{BWRainbow} @item pen[] BWRainbow(int NColors=32761) a rainbow spectrum tapering off to black/white at the ends; @cindex @code{BWRainbow2} @item pen[] BWRainbow2(int NColors=32761) a double rainbow palette tapering off to black/white at the ends, with a linearly scaled intensity. @cindex @code{Wheel} @item pen[] Wheel(int NColors=32766) a full color wheel palette; @cindex @code{Gradient} @item pen[] Gradient(int NColors=256 ... pen[] p) a palette varying linearly over the specified array of pens, using NColors in each interpolation interval; @end table The function @code{cmyk(pen[] Palette)} may be used to convert any of these palettes to the @acronym{CMYK} colorspace. A color density plot using palette @code{palette} can be generated from a function @code{f}(@math{x},@math{y}) and added to a picture @code{pic}: @cindex @code{image} @verbatim bounds image(picture pic=currentpicture, real f(real, real), range range=Full, pair initial, pair final, int nx=ngraph, int ny=nx, pen[] palette, bool antialias=false) @end verbatim The function @code{f} will be sampled at @code{nx} and @code{ny} evenly spaced points over a rectangle defined by the points @code{initial} and @code{final}, respecting the current graphical scaling of @code{pic}. The color space is scaled according to the @math{z} axis scaling (@pxref{automatic scaling}). A bounds structure for the function values is returned: @verbatim struct bounds { real min; real max; // Possible tick intervals: int[] divisor; } @end verbatim @noindent This information can be used for generating an optional palette bar. The palette color space corresponds to a range of values specified by the argument @code{range}, which can be @code{Full}, @code{Automatic}, or an explicit range @code{Range(real min, real max)}. Here @code{Full} specifies a range varying from the minimum to maximum values of the function over the sampling interval, while @code{Automatic} selects "nice" limits. The example @code{@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/imagecontour.svg,,imagecontour}@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/imagecontour.asy,,.asy}} illustrates how level sets (contour lines) can be drawn on a color density plot (@pxref{contour}). A color density plot can also be generated from an explicit real[][] array @code{data}: @cindex @code{image} @verbatim bounds image(picture pic=currentpicture, real[][] f, range range=Full, pair initial, pair final, pen[] palette, bool transpose=(initial.x < final.x && initial.y < final.y), bool copy=true, bool antialias=false); @end verbatim @noindent If the initial point is to the left and below the final point, by default the array indices are interpreted according to the Cartesian convention (first index: @math{x}, second index: @math{y}) rather than the usual matrix convention (first index: @math{-y}, second index: @math{x}). To construct an image from an array of irregularly spaced points and an array of values @code{f} at these points, use one of the routines @verbatim bounds image(picture pic=currentpicture, pair[] z, real[] f, range range=Full, pen[] palette) bounds image(picture pic=currentpicture, real[] x, real[] y, real[] f, range range=Full, pen[] palette) @end verbatim An optionally labelled palette bar may be generated with the routine @verbatim void palette(picture pic=currentpicture, Label L="", bounds bounds, pair initial, pair final, axis axis=Right, pen[] palette, pen p=currentpen, paletteticks ticks=PaletteTicks, bool copy=true, bool antialias=false); @end verbatim The color space of @code{palette} is taken to be over bounds @code{bounds} with scaling given by the @math{z} scaling of @code{pic}. The palette orientation is specified by @code{axis}, which may be one of @code{Right}, @code{Left}, @code{Top}, or @code{Bottom}. The bar is drawn over the rectangle from @code{initial} to @code{final}. The argument @code{paletteticks} is a special tick type (@pxref{ticks}) that takes the following arguments: @verbatim paletteticks PaletteTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, pen pTick=nullpen, pen ptick=nullpen); @end verbatim The image and palette bar can be fit to a frame and added and optionally aligned to a picture at the desired location: @anchor{image} @verbatiminclude image.asy @sp 1 @center @image{./image} Here is an example that uses logarithmic scaling of the function values: @anchor{logimage} @verbatiminclude logimage.asy @sp 1 @center @image{./logimage} One can also draw an image directly from a two-dimensional pen array or a function @code{pen f(int, int)}: @verbatim void image(picture pic=currentpicture, pen[][] data, pair initial, pair final, bool transpose=(initial.x < final.x && initial.y < final.y), bool copy=true, bool antialias=false); void image(picture pic=currentpicture, pen f(int, int), int width, int height, pair initial, pair final, bool transpose=(initial.x < final.x && initial.y < final.y), bool antialias=false); @end verbatim @noindent as illustrated in the following examples: @anchor{penimage} @verbatiminclude penimage.asy @sp 1 @center @image{./penimage} @anchor{penfunctionimage} @verbatiminclude penfunctionimage.asy @sp 1 @center @image{./penfunctionimage} For convenience, the module @code{palette} also defines functions that may be used to construct a pen array from a given function and palette: @verbatim pen[] palette(real[] f, pen[] palette); pen[][] palette(real[][] f, pen[] palette); @end verbatim @node three, obj, palette, Base modules @section @code{three} @cindex @code{three} @cindex @code{guide3} @cindex @code{path3} @cindex @code{cycle} @cindex @code{curl} @cindex @code{tension} @cindex @code{controls} This module fully extends the notion of guides and paths in @code{Asymptote} to three dimensions. It introduces the new types guide3, path3, and surface. Guides in three dimensions are specified with the same syntax as in two dimensions except that triples @code{(x,y,z)} are used in place of pairs @code{(x,y)} for the nodes and direction specifiers. This generalization of John Hobby's spline algorithm is shape-invariant under three-dimensional rotation, scaling, and shifting, and reduces in the planar case to the two-dimensional algorithm used in @code{Asymptote}, @code{MetaPost}, and @code{MetaFont} [cf.@ J. C. Bowman, Proceedings in Applied Mathematics and Mechanics, 7:1, 2010021-2010022 (2007)]. For example, a unit circle in the @math{XY} plane may be filled and drawn like this: @verbatiminclude unitcircle3.asy @sp 1 @center @image{./unitcircle3} @noindent and then distorted into a saddle: @verbatiminclude saddle.asy @sp 1 @center @image{./saddle} @noindent Module @code{three} provides constructors for converting two-dimensional paths to three-dimensional ones, and vice-versa: @cindex @code{path3} @cindex @code{path} @verbatim path3 path3(path p, triple plane(pair)=XYplane); path path(path3 p, pair P(triple)=xypart); @end verbatim @cindex @code{surface} @cindex @code{render} @cindex @code{defaultrender} A Bezier surface, the natural two-dimensional generalization of Bezier curves, is defined in @code{three_surface.asy} as a structure containing an array of Bezier patches. Surfaces may drawn with one of the routines @verbatim void draw(picture pic=currentpicture, surface s, int nu=1, int nv=1, material surfacepen=currentpen, pen meshpen=nullpen, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender); void draw(picture pic=currentpicture, surface s, int nu=1, int nv=1, material[] surfacepen, pen meshpen, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender); void draw(picture pic=currentpicture, surface s, int nu=1, int nv=1, material[] surfacepen, pen[] meshpen=nullpens, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender); @end verbatim The parameters @code{nu} and @code{nv} specify the number of subdivisions for drawing optional mesh lines for each Bezier patch. The optional @code{name} parameter is used as a prefix for naming the surface patches in the @acronym{PRC} model tree. Here material is a structure defined in @code{three_light.asy}: @cindex @code{material} @cindex @code{diffusepen} @cindex @code{emissivepen} @cindex @code{specularpen} @cindex @code{opacity} @cindex @code{shininess} @cindex @code{metallic} @cindex @code{freshnel0} @verbatim struct material { pen[] p; // diffusepen,emissivepen,specularpen real opacity; real shininess; real metallic; real fresnel0; } @end verbatim @noindent @cindex @code{PBR} @cindex @code{physically based rendering} These material properties are used to implement physically based rendering (PBR) using light properties defined in @code{plain_prethree.asy} and @code{three_light.asy}: @cindex @code{light} @cindex @code{diffuse} @cindex @code{specular} @cindex @code{background} @cindex @code{specularfactor} @cindex @code{position} @cindex @code{currentlight} @cindex @code{Viewport} @cindex @code{White} @cindex @code{Headlamp} @cindex @code{nolight} @verbatim struct light { real[][] diffuse; real[][] specular; pen background=nullpen; // Background color of the 3D canvas. real specularfactor; triple[] position; // Only directional lights are currently implemented. } light Viewport=light(specularfactor=3,(0.25,-0.25,1)); light White=light(new pen[] {rgb(0.38,0.38,0.45),rgb(0.6,0.6,0.67), rgb(0.5,0.5,0.57)},specularfactor=3, new triple[] {(-2,-1.5,-0.5),(2,1.1,-2.5),(-0.5,0,2)}); light Headlamp=light(gray(0.8),specular=gray(0.7), specularfactor=3,dir(42,48)); currentlight=Headlamp; light nolight; @end verbatim @cindex @code{background} @cindex @code{transparent} The @code{background} pen can be use to set the 3D @code{OpenGL} background colour (the default is white). In the case of 3D @code{WebGL} images one can request a completely transparent background with @code{currentlight.background=black+opacity(0.0);} Sample Bezier surfaces are contained in the example files @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/BezierSurface.html,,BezierSurface}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/BezierSurface.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/teapot.html,,teapot}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/teapot.asy,,.asy}}, and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/parametricsurface.html,,parametricsurface}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/parametricsurface.asy,,.asy}}. The structure @code{render} contains specialized rendering options documented at the beginning of module @code{three}. @cindex patch-dependent colors @cindex vertex-dependent colors The examples @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/elevation.html,,elevation}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/elevation.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/sphericalharmonic.html,,sphericalharmonic}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/sphericalharmonic.asy,,.asy}} illustrate how to draw a surface with patch-dependent colors. The examples @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/vertexshading.html,,vertexshading}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/vertexshading.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/smoothelevation.html,,smoothelevation}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/smoothelevation.asy,,.asy}} illustrate vertex-dependent colors, which are supported by @code{Asymptote}'s native @code{OpenGL}/@code{WebGL} renderers and the two-dimensional vector output format (@code{settings.render=0}). Since the @acronym{PRC} output format does not currently support vertex shading of Bezier surfaces, @acronym{PRC} patches are shaded with the mean of the four vertex colors. @cindex @code{surface} @cindex @code{planar} @cindex @code{Bezier patch} @cindex @code{Bezier triangle} A surface can be constructed from a cyclic @code{path3} with the constructor @verbatim surface surface(path3 external, triple[] internal=new triple[], pen[] colors=new pen[], bool3 planar=default); @end verbatim @noindent and then filled: @verbatim draw(surface(unitsquare3,new triple[] {X,Y,Z,O}),red); draw(surface(O--X{Y}..Y{-X}--cycle,new triple[] {Z}),red); draw(surface(path3(polygon(5))),red,nolight); draw(surface(unitcircle3),red,nolight); draw(surface(unitcircle3,new pen[] {red,green,blue,black}),nolight); @end verbatim @noindent The first example draws a Bezier patch and the second example draws a Bezier triangle. The third and fourth examples are planar surfaces. The last example constructs a patch with vertex-specific colors. A three-dimensional planar surface in the plane @code{plane} can be constructed from a two-dimensional cyclic path @code{g} with the constructor @cindex @code{surface} @verbatim surface surface(path p, triple plane(pair)=XYplane); @end verbatim @noindent and then filled: @verbatim draw(surface((0,0)--E+2N--2E--E+N..0.2E..cycle),red); @end verbatim @noindent @cindex @code{bezulate} Planar Bezier surfaces patches are constructed using Orest Shardt's @code{bezulate} routine, which decomposes (possibly nonsimply connected) regions bounded (according to the @code{zerowinding} fill rule) by simple cyclic paths (intersecting only at the endpoints) into subregions bounded by cyclic paths of length @code{4} or less. A more efficient routine also exists for drawing tessellations composed of many 3D triangles, with specified vertices, and optional normals or vertex colors: @cindex @code{draw} @cindex @code{triangles} @cindex @code{tessellation} @verbatim void draw(picture pic=currentpicture, triple[] v, int[][] vi, triple[] n={}, int[][] ni=vi, material m=currentpen, pen[] p={}, int[][] pi=vi, light light=currentlight); @end verbatim Here, the triple array @code{v} lists the (typically distinct) vertices, while the array @code{vi} contains integer arrays of length 3 containing the indices of the elements in @code{v} that form the vertices of each triangle. Similarly, the arguments @code{n} and @code{ni} contain optional normal data and @code{p} and @code{pi} contain optional pen vertex data. If more than one normal or pen is specified for a vertex, the last one specified is used. An example of this tessellation facility is given in @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/triangles.html,,triangles}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/triangles.asy,,.asy}}. @cindex @code{thin} @cindex @code{thick} @cindex @code{tube} Arbitrary thick three-dimensional curves and line caps (which the @code{OpenGL} standard does not require implementations to provide) are constructed with @verbatim tube tube(path3 p, real width, render render=defaultrender); @end verbatim @noindent this returns a tube structure representing a tube of diameter @code{width} centered approximately on @code{g}. The tube structure consists of a surface @code{s} and the actual tube center, path3 @code{center}. Drawing thick lines as tubes can be slow to render, especially with the @code{Adobe Reader} renderer. The setting @code{thick=false} can be used to disable this feature and force all lines to be drawn with @code{linewidth(0)} (one pixel wide, regardless of the resolution). By default, mesh and contour lines in three-dimensions are always drawn thin, unless an explicit line width is given in the pen parameter or the setting @code{thin} is set to @code{false}. The pens @code{thin()} and @code{thick()} defined in @code{plain_pens.asy} can also be used to override these defaults for specific draw commands. @noindent There are five choices for viewing 3D @code{Asymptote} output: @enumerate @cindex @code{OpenGL} @cindex @code{render} @cindex @code{outformat} @cindex @code{multisample} @item Use the native @code{Asymptote} adaptive @code{OpenGL}-based renderer (with the command-line option @code{-V} and the default settings @code{outformat=""} and @code{render=-1}). On @code{UNIX} systems with graphics support for multisampling, the sample width can be controlled with the setting @code{multisample}. An initial screen position can be specified with the pair setting @code{position}, where negative values are interpreted as relative to the corresponding maximum screen dimension. The default settings @cindex mouse bindings @verbatim import settings; leftbutton=new string[] {"rotate","zoom","shift","pan"}; middlebutton=new string[] {""}; rightbutton=new string[] {"zoom","rotateX","rotateY","rotateZ"}; wheelup=new string[] {"zoomin"}; wheeldown=new string[] {"zoomout"}; @end verbatim bind the mouse buttons as follows: @itemize @item Left: rotate @item Shift Left: zoom @item Ctrl Left: shift viewport @item Alt Left: pan @item Wheel Up: zoom in @item Wheel Down: zoom out @item Right: zoom @item Shift Right: rotate about the X axis @item Ctrl Right: rotate about the Y axis @item Alt Right: rotate about the Z axis @end itemize The keyboard shortcuts are: @cindex keyboard bindings: @itemize @item h: home @item f: toggle fitscreen @item x: spin about the X axis @item y: spin about the Y axis @item z: spin about the Z axis @item s: stop spinning @item m: rendering mode (solid/patch/mesh) @item e: export @item c: show camera parameters @item p: play animation @item r: reverse animation @item : step animation @item +: expand @item =: expand @item >: expand @item -: shrink @item _: shrink @item <: shrink @item q: exit @item Ctrl-q: exit @end itemize @cindex @code{WebGL} @cindex @code{HTML5} @cindex @code{mobile browser} @item Generate @code{WebGL} interactive vector graphics output with the the command-line option and @code{-f html} (or the setting @code{outformat="html"}). The resulting 3D @acronym{HTML} file can then be viewed directly in any modern desktop or mobile browser, or even embedded within another web page: @verbatim
@end verbatim Normally, @code{WebGL} files generated by @code{Asymptote} are dynamically remeshed to fit the browser window dimensions. However, the setting @code{absolute=true} can be used to force the image to be rendered at its designed size (accounting for multiple device pixels per @code{css} pixel). The interactive @code{WebGL} files produced by @code{Asymptote} use the default mouse and (many of the same) key bindings as the @code{OpenGL} renderer. Zooming via the mouse wheel of a @code{WebGL} image embedded within another page is disabled until the image is activated by a click or touch event and will remain enabled until the @code{ESC} key is pressed. By default, viewing the 3D @acronym{HTML} files generated by Asymptote requires network access to download the @code{AsyGL} rendering library, which is normally cached by the browser for future use. However, the setting @code{offline=true} can be used to embed this small (about 48kB) library within a stand-alone @acronym{HTML} file that can be viewed offline. @cindex @code{antialias} @cindex @code{maxviewport} @cindex @code{maxtile} @cindex @code{glOptions} @cindex @code{iconify} @cindex @code{black stripes} @item Render the scene to a specified rasterized format @code{outformat} at the resolution of @code{n} pixels per @code{bp}, as specified by the setting @code{render=n}. A negative value of @code{n} is interpreted as @code{|2n|} for @acronym{EPS} and @acronym{PDF} formats and @code{|n|} for other formats. The default value of @code{render} is -1. By default, the scene is internally rendered at twice the specified resolution; this can be disabled by setting @code{antialias=1}. High resolution rendering is done by tiling the image. If your graphics card allows it, the rendering can be made more efficient by increasing the maximum tile size @code{maxtile} to your screen dimensions (indicated by @code{maxtile=(0,0)}. If your video card generates unwanted black stripes in the output, try setting the horizontal and vertical components of @code{maxtiles} to something less than your screen dimensions. The tile size is also limited by the setting @code{maxviewport}, which restricts the maximum width and height of the viewport. On @code{UNIX} systems some graphics drivers support batch mode (@code{-noV}) rendering in an iconified window; this can be enabled with the setting @code{iconify=true}. @cindex @code{prc} @cindex @code{views} @item Embed the 3D @acronym{PRC} format in a @acronym{PDF} file and view the resulting @acronym{PDF} file with version @code{9.0} or later of @code{Adobe Reader}. In addition to the default @code{settings.prc=true}, this requires @code{settings.outformat="pdf"}, which can be specified by the command line option @code{-f pdf}, put in the @code{Asymptote} configuration file (@pxref{configuration file}), or specified in the script before module @code{three} (or @code{graph3}) is imported. The @code{media9} LaTeX package is also required (@pxref{embed}). The example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/100d.html,,100d}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/pdb.asy,,.asy}} illustrates how one can generate a list of predefined views (see @code{100d.views}). A stationary preview image with a resolution of @code{n} pixels per @code{bp} can be embedded with the setting @code{render=n}; this allows the file to be viewed with other @code{PDF} viewers. Alternatively, the file @code{externalprc.tex} illustrates how the resulting @acronym{PRC} and rendered image files can be extracted and processed in a separate @code{LaTeX} file. However, see @ref{LaTeX usage} for an easier way to embed three-dimensional @code{Asymptote} pictures within @code{LaTeX}. For specialized applications where only the raw @acronym{PRC} file is required, specify @code{settings.outformat="prc"}. The @acronym{PRC} specification is available from @url{https://web.archive.org/web/20081204104459/http://livedocs.adobe.com/acrobat_sdk/9/Acrobat9_HTMLHelp/API_References/PRCReference/PRC_Format_Specification/} @item Project the scene to a two-dimensional vector (@acronym{EPS} or @acronym{PDF}) format with @code{render=0}. Only limited hidden surface removal facilities are currently available with this approach (@pxref{PostScript3D}). @end enumerate @cindex @code{double deferred drawing} Automatic picture sizing in three dimensions is accomplished with double deferred drawing. The maximal desired dimensions of the scene in each of the three dimensions can optionally be specified with the routine @cindex @code{size3} @verbatim void size3(picture pic=currentpicture, real x, real y=x, real z=y, bool keepAspect=pic.keepAspect); @end verbatim @noindent @cindex margins @cindex @code{viewportmargin} @cindex @code{viewportsize} A simplex linear programming problem is then solved to produce a 3D version of a frame (actually implemented as a 3D picture). The result is then fit with another application of deferred drawing to the viewport dimensions corresponding to the usual two-dimensional picture @code{size} parameters. The global pair @code{viewportmargin} may be used to add horizontal and vertical margins to the viewport dimensions. Alternatively, a minimum @code{viewportsize} may be specified. A 3D picture @code{pic} can be explicitly fit to a 3D frame by calling @cindex @code{fit3} @verbatim frame pic.fit3(projection P=currentprojection); @end verbatim @noindent and then added to picture @code{dest} about @code{position} with @cindex @code{add} @verbatim void add(picture dest=currentpicture, frame src, triple position=(0,0,0)); @end verbatim @cindex @code{O} @cindex @code{X} @cindex @code{Y} @cindex @code{Z} @cindex @code{unitcircle} For convenience, the @code{three} module defines @code{O=(0,0,0)}, @code{X=(1,0,0)}, @code{Y=(0,1,0)}, and @code{Z=(0,0,1)}, along with a unitcircle in the XY plane: @verbatim path3 unitcircle3=X..Y..-X..-Y..cycle; @end verbatim @cindex @code{circle} A general (approximate) circle can be drawn perpendicular to the direction @code{normal} with the routine @verbatim path3 circle(triple c, real r, triple normal=Z); @end verbatim @cindex @code{arc} A circular arc centered at @code{c} with radius @code{r} from @code{c+r*dir(theta1,phi1)} to @code{c+r*dir(theta2,phi2)}, drawing counterclockwise relative to the normal vector @code{cross(dir(theta1,phi1),dir(theta2,phi2))} if @code{theta2 > theta1} or if @code{theta2 == theta1} and @code{phi2 >= phi1}, can be constructed with @verbatim path3 arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=O); @end verbatim The normal must be explicitly specified if @code{c} and the endpoints are colinear. If @code{r} < 0, the complementary arc of radius @code{|r|} is constructed. For convenience, an arc centered at @code{c} from triple @code{v1} to @code{v2} (assuming @code{|v2-c|=|v1-c|}) in the direction CCW (counter-clockwise) or CW (clockwise) may also be constructed with @verbatim path3 arc(triple c, triple v1, triple v2, triple normal=O, bool direction=CCW); @end verbatim @noindent When high accuracy is needed, the routines @code{Circle} and @code{Arc} defined in @code{graph3} may be used instead. See @ref{GaussianSurface} for an example of a three-dimensional circular arc. @cindex @code{plane} The representation @code{O--O+u--O+u+v--O+v--cycle} of the plane passing through point @code{O} with normal @code{cross(u,v)} is returned by @verbatim path3 plane(triple u, triple v, triple O=O); @end verbatim A three-dimensional box with opposite vertices at triples @code{v1} and @code{v2} may be drawn with the function @cindex @code{box} @verbatim path3[] box(triple v1, triple v2); @end verbatim @noindent For example, a unit box is predefined as @cindex @code{box} @cindex @code{unitbox} @verbatim path3[] unitbox=box(O,(1,1,1)); @end verbatim @code{Asymptote} also provides optimized definitions for the three-dimensional paths @code{unitsquare3} and @code{unitcircle3}, along with the surfaces @code{unitdisk}, @code{unitplane}, @code{unitcube}, @code{unitcylinder}, @code{unitcone}, @code{unitsolidcone}, @code{unitfrustum(real t1, real t2)}, @code{unitsphere}, and @code{unithemisphere}. @noindent These projections to two dimensions are predefined: @table @code @item oblique @item oblique(real angle) @cindex @code{oblique} @cindex @code{obliqueZ} The point @code{(x,y,z)} is projected to @code{(x-0.5z,y-0.5z)}. If an optional real argument is given, the negative @math{z} axis is drawn at this angle in degrees. The projection @code{obliqueZ} is a synonym for @code{oblique}. @item obliqueX @item obliqueX(real angle) @cindex @code{obliqueX} The point @code{(x,y,z)} is projected to @code{(y-0.5x,z-0.5x)}. If an optional real argument is given, the negative @math{x} axis is drawn at this angle in degrees. @item obliqueY @item obliqueY(real angle) @cindex @code{obliqueY} The point @code{(x,y,z)} is projected to @code{(x+0.5y,z+0.5y)}. If an optional real argument is given, the positive @math{y} axis is drawn at this angle in degrees. @cindex @code{orthographic} @cindex @code{up} @cindex @code{target} @cindex @code{showtarget} @cindex @code{center} @item orthographic(triple camera, triple up=Z, triple target=O, @*@ @ @ @ @ @ @ @ @ @ @ @ @ real zoom=1, pair viewportshift=0, bool showtarget=true, @*@ @ @ @ @ @ @ @ @ @ @ @ @ bool center=false) This projects from three to two dimensions using the view as seen at a point infinitely far away in the direction @code{unit(camera)}, orienting the camera so that, if possible, the vector @code{up} points upwards. Parallel lines are projected to parallel lines. The bounding volume is expanded to include @code{target} if @code{showtarget=true}. If @code{center=true}, the target will be adjusted to the center of the bounding volume. @item orthographic(real x, real y, real z, triple up=Z, triple target=O, @*@ @ @ @ @ @ @ @ @ @ @ @ @ real zoom=1, pair viewportshift=0, bool showtarget=true, @*@ @ @ @ @ @ @ @ @ @ @ @ @ bool center=false) This is equivalent to @verbatim orthographic((x,y,z),up,target,zoom,viewportshift,showtarget,center) @end verbatim The routine @cindex @code{camera} @verbatim triple camera(real alpha, real beta); @end verbatim can be used to compute the camera position with the @math{x} axis below the horizontal at angle @code{alpha}, the @math{y} axis below the horizontal at angle @code{beta}, and the @math{z} axis up. @cindex @code{autoadjust} @item perspective(triple camera, triple up=Z, triple target=O, @*@ @ @ @ @ @ @ @ @ @ @ @ real zoom=1, real angle=0, pair viewportshift=0, @*@ @ @ @ @ @ @ @ @ @ @ @ bool showtarget=true, bool autoadjust=true, @*@ @ @ @ @ @ @ @ @ @ @ @ bool center=autoadjust) @cindex @code{perspective} @cindex @code{NURBS} This projects from three to two dimensions, taking account of perspective, as seen from the location @code{camera} looking at @code{target}, orienting the camera so that, if possible, the vector @code{up} points upwards. If @code{render=0}, projection of three-dimensional cubic Bezier splines is implemented by approximating a two-dimensional nonuniform rational B-spline (@acronym{NURBS}) with a two-dimensional Bezier curve containing additional nodes and control points. If @code{autoadjust=true}, the camera will automatically be adjusted to lie outside the bounding volume for all possible interactive rotations about @code{target}. If @code{center=true}, the target will be adjusted to the center of the bounding volume. @item perspective(real x, real y, real z, triple up=Z, triple target=O, @*@ @ @ @ @ @ @ @ @ @ @ @ real zoom=1, real angle=0, pair viewportshift=0, @*@ @ @ @ @ @ @ @ @ @ @ @ bool showtarget=true, bool autoadjust=true, @*@ @ @ @ @ @ @ @ @ @ @ @ bool center=autoadjust) This is equivalent to @verbatim perspective((x,y,z),up,target,zoom,angle,viewportshift,showtarget, autoadjust,center) @end verbatim @end table @cindex @code{currentprojection} @noindent The default projection, @code{currentprojection}, is initially set to @code{perspective(5,4,2)}. @cindex @code{LeftView} @cindex @code{RightView} @cindex @code{FrontView} @cindex @code{BackView} @cindex @code{BottomView} @cindex @code{TopView} We also define standard orthographic views used in technical drawing: @verbatim projection LeftView=orthographic(-X,showtarget=true); projection RightView=orthographic(X,showtarget=true); projection FrontView=orthographic(-Y,showtarget=true); projection BackView=orthographic(Y,showtarget=true); projection BottomView=orthographic(-Z,showtarget=true); projection TopView=orthographic(Z,showtarget=true); @end verbatim @noindent The function @cindex @code{addViews} @verbatim void addViews(picture dest=currentpicture, picture src, projection[][] views=SixViewsUS, bool group=true, filltype filltype=NoFill); @end verbatim @noindent adds to picture @code{dest} an array of views of picture @code{src} using the layout projection[][] @code{views}. The default layout @code{SixViewsUS} aligns the projection @code{FrontView} below @code{TopView} and above @code{BottomView}, to the right of @code{LeftView} and left of @code{RightView} and @code{BackView}. The predefined layouts are: @cindex @code{ThreeViewsUS} @cindex @code{SixViewsUS} @cindex @code{ThreeViewsFR} @cindex @code{SixViewsFR} @cindex @code{ThreeViews} @cindex @code{SixViews} @verbatim projection[][] ThreeViewsUS={{TopView}, {FrontView,RightView}}; projection[][] SixViewsUS={{null,TopView}, {LeftView,FrontView,RightView,BackView}, {null,BottomView}}; projection[][] ThreeViewsFR={{RightView,FrontView}, {null,TopView}}; projection[][] SixViewsFR={{null,BottomView}, {RightView,FrontView,LeftView,BackView}, {null,TopView}}; projection[][] ThreeViews={{FrontView,TopView,RightView}}; projection[][] SixViews={{FrontView,TopView,RightView}, {BackView,BottomView,LeftView}}; @end verbatim A triple or path3 can be projected to a pair or path, with @code{project(triple, projection P=currentprojection)} or @code{project(path3, projection P=currentprojection)}. It is occasionally useful to be able to invert a projection, sending a pair @code{z} onto the plane perpendicular to @code{normal} and passing through @code{point}: @cindex @code{invert} @verbatim triple invert(pair z, triple normal, triple point, projection P=currentprojection); @end verbatim @noindent A pair @code{z} on the projection plane can be inverted to a triple with the routine @verbatim triple invert(pair z, projection P=currentprojection); @end verbatim @noindent A pair direction @code{dir} on the projection plane can be inverted to a triple direction relative to a point @code{v} with the routine @verbatim triple invert(pair dir, triple v, projection P=currentprojection). @end verbatim @cindex @code{transform3} @cindex @code{identity4} Three-dimensional objects may be transformed with one of the following built-in transform3 types (the identity transformation is @code{identity4}): @table @code @item shift(triple v) @cindex @code{shift} translates by the triple @code{v}; @item xscale3(real x) @cindex @code{xscale3} scales by @code{x} in the @math{x} direction; @item yscale3(real y) @cindex @code{yscale3} scales by @code{y} in the @math{y} direction; @item zscale3(real z) @cindex @code{zscale3} scales by @code{z} in the @math{z} direction; @item scale3(real s) @cindex @code{scale3} scales by @code{s} in the @math{x}, @math{y}, and @math{z} directions; @item scale(real x, real y, real z) @cindex @code{scale} scales by @code{x} in the @math{x} direction, by @code{y} in the @math{y} direction, and by @code{z} in the @math{z} direction; @cindex @code{rotate} @item rotate(real angle, triple v) rotates by @code{angle} in degrees about an axis @code{v} through the origin; @item rotate(real angle, triple u, triple v) rotates by @code{angle} in degrees about the axis @code{u--v}; @item reflect(triple u, triple v, triple w) reflects about the plane through @code{u}, @code{v}, and @code{w}. @cindex @code{XY} @end table When not multiplied on the left by a transform3, three-dimensional @TeX{} Labels are drawn as Bezier surfaces directly on the projection plane: @cindex @code{label} @verbatim void label(picture pic=currentpicture, Label L, triple position, align align=NoAlign, pen p=currentpen, light light=nolight, string name="", render render=defaultrender, interaction interaction= settings.autobillboard ? Billboard : Embedded) @end verbatim @noindent @cindex @code{Billboard} @cindex @code{Embedded} The optional @code{name} parameter is used as a prefix for naming the label patches in the @acronym{PRC} model tree. The default interaction is @code{Billboard}, which means that labels are rotated interactively so that they always face the camera. The interaction @code{Embedded} means that the label interacts as a normal @code{3D} surface, as illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/billboard.html,,billboard}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/billboard.asy,,.asy}}. @cindex @code{transform} @cindex @code{XY} @cindex @code{YZ} @cindex @code{ZX} @cindex @code{YX} @cindex @code{ZY} @cindex @code{ZX} Alternatively, a label can be transformed from the @code{XY} plane by an explicit transform3 or mapped to a specified two-dimensional plane with the predefined transform3 types @code{XY}, @code{YZ}, @code{ZX}, @code{YX}, @code{ZY}, @code{ZX}. There are also modified versions of these transforms that take an optional argument @code{projection P=currentprojection} that rotate and/or flip the label so that it is more readable from the initial viewpoint. @cindex @code{planeproject} A transform3 that projects in the direction @code{dir} onto the plane with normal @code{n} through point @code{O} is returned by @verbatim transform3 planeproject(triple n, triple O=O, triple dir=n); @end verbatim @noindent One can use @cindex @code{normal} @verbatim triple normal(path3 p); @end verbatim @noindent to find the unit normal vector to a planar three-dimensional path @code{p}. As illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/planeproject.html,,planeproject}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/planeproject.asy,,.asy}}, a transform3 that projects in the direction @code{dir} onto the plane defined by a planar path @code{p} is returned by @verbatim transform3 planeproject(path3 p, triple dir=normal(p)); @end verbatim The functions @cindex @code{extrude} @verbatim surface extrude(path p, triple axis=Z); surface extrude(Label L, triple axis=Z); @end verbatim @noindent return the surface obtained by extruding path @code{p} or Label @code{L} along @code{axis}. @cindex @code{length} @cindex @code{size} @cindex @code{point} @cindex @code{dir} @cindex @code{accel} @cindex @code{radius} @cindex @code{precontrol} @cindex @code{postcontrol} @cindex @code{arclength} @cindex @code{arctime} @cindex @code{reverse} @cindex @code{subpath} @cindex @code{intersect} @cindex @code{intersections} @cindex @code{intersectionpoint} @cindex @code{intersectionpoints} @cindex @code{min} @cindex @code{max} @cindex @code{cyclic} @cindex @code{straight} Three-dimensional versions of the path functions @code{length}, @code{size}, @code{point}, @code{dir}, @code{accel}, @code{radius}, @code{precontrol}, @code{postcontrol}, @code{arclength}, @code{arctime}, @code{reverse}, @code{subpath}, @code{intersect}, @code{intersections}, @code{intersectionpoint}, @code{intersectionpoints}, @code{min}, @code{max}, @code{cyclic}, and @code{straight} are also defined. The routine @cindex @code{intersections} @verbatim real[] intersect(path3 p, surface s, real fuzz=-1); @end verbatim @noindent returns a real array of length 3 containing the intersection times, if any, of a path @code{p} with a surface @code{s}. The routine @verbatim real[][] intersections(path3 p, surface s, real fuzz=-1); @end verbatim @noindent returns all (unless there are infinitely many) intersection times of a path @code{p} with a surface @code{s} as a sorted array of real arrays of length 3, and @cindex @code{intersectionpoints} @verbatim triple[] intersectionpoints(path3 p, surface s, real fuzz=-1); @end verbatim @noindent returns the corresponding intersection points. Here, the computations are performed to the absolute error specified by @code{fuzz}, or if @code{fuzz < 0}, to machine precision. The routine @cindex @code{orient} @verbatim real orient(triple a, triple b, triple c, triple d); @end verbatim @noindent is a numerically robust computation of @code{dot(cross(a-d,b-d),c-d)}, which is the determinant @verbatim |a.x a.y a.z 1| |b.x b.y b.z 1| |c.x c.y c.z 1| |d.x d.y d.z 1| @end verbatim The result is negative (positive) if @code{a}, @code{b}, @code{c} appear in counterclockwise (clockwise) order when viewed from @code{d} or zero if all four points are coplanar. The routine @cindex @code{insphere} @verbatim real insphere(triple a, triple b, triple c, triple d, triple e); @end verbatim @noindent returns a positive (negative) value if @code{e} lies inside (outside) the sphere passing through points @code{a,b,c,d} oriented so that @code{dot(cross(a-d,b-d),c-d)} is positive, or zero if all five points are cospherical. The value returned is the determinant @verbatim |a.x a.y a.z a.x^2+a.y^2+a.z^2 1| |b.x b.y b.z b.x^2+b.y^2+b.z^2 1| |c.x c.y c.z c.x^2+c.y^2+c.z^2 1| |d.x d.y d.z d.x^2+d.y^2+d.z^2 1| |e.x e.y e.z e.x^2+e.y^2+e.z^2 1| @end verbatim Here is an example showing all five guide3 connectors: @verbatiminclude join3.asy @sp 1 @center @image{./join3} @cindex @code{BeginBar3} @cindex @code{EndBar3} @cindex @code{Bar3} @cindex @code{Bars3} @cindex @code{BeginArrow3} @cindex @code{MidArrow3} @cindex @code{EndArrow3} @cindex @code{Arrow3} @cindex @code{Arrows3} @cindex @code{BeginArcArrow3} @cindex @code{MidArcArrow3} @cindex @code{EndArcArrow3} @cindex @code{ArcArrow3} @cindex @code{ArcArrows3} @cindex @code{DefaultHead3} @cindex @code{HookHead3} @cindex @code{TeXHead3} Three-dimensional versions of bars or arrows can be drawn with one of the specifiers @code{None}, @code{Blank}, @code{BeginBar3}, @code{EndBar3} (or equivalently @code{Bar3}), @code{Bars3}, @code{BeginArrow3}, @code{MidArrow3}, @code{EndArrow3} (or equivalently @code{Arrow3}), @code{Arrows3}, @code{BeginArcArrow3}, @code{EndArcArrow3} (or equivalently @code{ArcArrow3}), @code{MidArcArrow3}, and @code{ArcArrows3}. Three-dimensional bars accept the optional arguments @code{(real size=0, triple dir=O)}. If @code{size=O}, the default bar length is used; if @code{dir=O}, the bar is drawn perpendicular to the path and the initial viewing direction. The predefined three-dimensional arrowhead styles are @code{DefaultHead3}, @code{HookHead3}, @code{TeXHead3}. Versions of the two-dimensional arrowheads lifted to three-dimensional space and aligned according to the initial viewpoint (or an optionally specified @code{normal} vector) are also defined: @code{DefaultHead2(triple normal=O)}, @code{HookHead2(triple normal=O)}, @code{TeXHead2(triple normal=O)}. These are illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/arrows3.html,,arrows3}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/arrows3.asy,,.asy}}. @cindex @code{NoMargin3} @cindex @code{BeginMargin3} @cindex @code{EndMargin3} @cindex @code{Margin3} @cindex @code{Margins3} @cindex @code{BeginPenMargin2} @cindex @code{EndPenMargin2} @cindex @code{PenMargin2} @cindex @code{PenMargins2} @cindex @code{BeginPenMargin3} @cindex @code{EndPenMargin3} @cindex @code{PenMargin3} @cindex @code{PenMargins3} @cindex @code{BeginDotMargin3} @cindex @code{EndDotMargin3} @cindex @code{DotMargin3} @cindex @code{DotMargins3} @cindex @code{Margin3} @cindex @code{TrueMargin3} Module @code{three} also defines the three-dimensional margins @code{NoMargin3}, @code{BeginMargin3}, @code{EndMargin3}, @code{Margin3}, @code{Margins3}, @code{BeginPenMargin2}, @code{EndPenMargin2}, @code{PenMargin2}, @code{PenMargins2}, @code{BeginPenMargin3}, @code{EndPenMargin3}, @code{PenMargin3}, @code{PenMargins3}, @code{BeginDotMargin3}, @code{EndDotMargin3}, @code{DotMargin3}, @code{DotMargins3}, @code{Margin3}, and @code{TrueMargin3}. @cindex @code{pixel} The routine @verbatim void pixel(picture pic=currentpicture, triple v, pen p=currentpen, real width=1); @end verbatim @noindent can be used to draw on picture @code{pic} a pixel of width @code{width} at position @code{v} using pen @code{p}. Further three-dimensional examples are provided in the files @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/near_earth.html,,near_earth}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/near_earth.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/conicurv.html,,conicurv}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/conicurv.asy,,.asy}}, and (in the @code{animations} subdirectory) @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/cube.html,,cube}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/cube.asy,,.asy}}. @anchor{PostScript3D} @cindex 3D @code{PostScript} Limited support for projected vector graphics (effectively three-dimensional nonrendered @code{PostScript}) is available with the setting @code{render=0}. This currently only works for piecewise planar surfaces, such as those produced by the parametric @code{surface} routines in the @code{graph3} module. Surfaces produced by the @code{solids} package will also be properly rendered if the parameter @code{nslices} is sufficiently large. @cindex hidden surface removal @cindex @code{face} In the module @code{bsp}, hidden surface removal of planar pictures is implemented using a binary space partition and picture clipping. A planar path is first converted to a structure @code{face} derived from @code{picture}. A @code{face} may be given to a two-dimensional drawing routine in place of any @code{picture} argument. An array of such faces may then be drawn, removing hidden surfaces: @verbatim void add(picture pic=currentpicture, face[] faces, projection P=currentprojection); @end verbatim Labels may be projected to two dimensions, using projection @code{P}, onto the plane passing through point @code{O} with normal @code{cross(u,v)} by multiplying it on the left by the transform @verbatim transform transform(triple u, triple v, triple O=O, projection P=currentprojection); @end verbatim Here is an example that shows how a binary space partition may be used to draw a two-dimensional vector graphics projection of three orthogonal intersecting planes: @verbatiminclude planes.asy @sp 1 @center @image{./planes} @node obj, graph3, three, Base modules @section @code{obj} @cindex @code{obj} This module allows one to construct surfaces from simple obj files, as illustrated in the example files @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/galleon.html,,galleon}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/galleon.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/triceratops.html,,triceratops}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/triceratops.asy,,.asy}}. @node graph3, grid3, obj, Base modules @section @code{graph3} @cindex @code{graph3} @cindex 3D graphs This module implements three-dimensional versions of the functions in @code{graph.asy}. @cindex @code{xaxis3} @cindex @code{yaxis3} @cindex @code{zaxis3} @noindent To draw an @math{x} axis in three dimensions, use the routine @verbatim void xaxis3(picture pic=currentpicture, Label L="", axis axis=YZZero, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, bool above=false); @end verbatim @noindent Analogous routines @code{yaxis} and @code{zaxis} can be used to draw @math{y} and @math{z} axes in three dimensions. There is also a routine for drawing all three axis: @verbatim void axes3(picture pic=currentpicture, Label xlabel="", Label ylabel="", Label zlabel="", bool extend=false, triple min=(-infinity,-infinity,-infinity), triple max=(infinity,infinity,infinity), pen p=currentpen, arrowbar3 arrow=None); @end verbatim @cindex @code{YZEquals} @cindex @code{XZEquals} @cindex @code{XYEquals} @cindex @code{YZZero} @cindex @code{XZZero} @cindex @code{XYZero} @cindex @code{Bounds} @noindent The predefined three-dimensional axis types are @verbatim axis YZEquals(real y, real z, triple align=O, bool extend=false); axis XZEquals(real x, real z, triple align=O, bool extend=false); axis XYEquals(real x, real y, triple align=O, bool extend=false); axis YZZero(triple align=O, bool extend=false); axis XZZero(triple align=O, bool extend=false); axis XYZero(triple align=O, bool extend=false); axis Bounds(int type=Both, int type2=Both, triple align=O, bool extend=false); @end verbatim @noindent The optional @code{align} parameter to these routines can be used to specify the default axis and tick label alignments. The @code{Bounds} axis accepts two type parameters, each of which must be one of @code{Min}, @code{Max}, or @code{Both}. These parameters specify which of the four possible three-dimensional bounding box edges should be drawn. @cindex @code{NoTicks3} @cindex @code{InTicks} @cindex @code{OutTicks} @cindex @code{InOutTicks} The three-dimensional tick options are @code{NoTicks3}, @code{InTicks}, @code{OutTicks}, and @code{InOutTicks}. These specify the tick directions for the @code{Bounds} axis type; other axis types inherit the direction that would be used for the @code{Bounds(Min,Min)} axis. Here is an example of a helix and bounding box axes with ticks and axis labels, using orthographic projection: @verbatiminclude helix.asy @sp 1 @center @image{./helix} The next example illustrates three-dimensional @math{x}, @math{y}, and @math{z} axes, without autoscaling of the axis limits: @cindex @code{axis} @verbatiminclude axis3.asy @sp 1 @center @image{./axis3} One can also place ticks along a general three-dimensional axis: @cindex @code{axis} @verbatiminclude generalaxis3.asy @sp 1 @center @image{./generalaxis3} @cindex @code{surface} @cindex @code{Spline} @cindex parametric surface Surface plots of matrices and functions over the region @code{box(a,b)} in the @math{XY} plane are also implemented: @verbatim surface surface(real[][] f, pair a, pair b, bool[][] cond={}); surface surface(real[][] f, pair a, pair b, splinetype xsplinetype, splinetype ysplinetype=xsplinetype, bool[][] cond={}); surface surface(real[][] f, real[] x, real[] y, splinetype xsplinetype=null, splinetype ysplinetype=xsplinetype, bool[][] cond={}) surface surface(triple[][] f, bool[][] cond={}); surface surface(real f(pair z), pair a, pair b, int nx=nmesh, int ny=nx, bool cond(pair z)=null); surface surface(real f(pair z), pair a, pair b, int nx=nmesh, int ny=nx, splinetype xsplinetype, splinetype ysplinetype=xsplinetype, bool cond(pair z)=null); surface surface(triple f(pair z), real[] u, real[] v, splinetype[] usplinetype, splinetype[] vsplinetype=Spline, bool cond(pair z)=null); surface surface(triple f(pair z), pair a, pair b, int nu=nmesh, int nv=nu, bool cond(pair z)=null); surface surface(triple f(pair z), pair a, pair b, int nu=nmesh, int nv=nu, splinetype[] usplinetype, splinetype[] vsplinetype=Spline, bool cond(pair z)=null); @end verbatim @noindent The final two versions draw parametric surfaces for a function @math{f(u,v)} over the parameter space @code{box(a,b)}, as illustrated in the example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/parametricsurface.html,,parametricsurface}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/parametricsurface.asy,,.asy}}. An optional splinetype @code{Spline} may be specified. The boolean array or function @code{cond} can be used to control which surface mesh cells are actually drawn (by default all mesh cells over @code{box(a,b)} are drawn). Surface lighting is illustrated in the example files @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/parametricsurface.html,,parametricsurface}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/parametricsurface.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/3D graphs/sinc.html,,sinc}@uref{http://asymptote.sourceforge.net/gallery/3D graphs/sinc.asy,,.asy}}. Lighting can be disabled by setting @code{light=nolight}, as in this example of a Gaussian surface: @anchor{GaussianSurface} @verbatiminclude GaussianSurface.asy @sp 1 @center @image{./GaussianSurface} @noindent A mesh can be drawn without surface filling by specifying @code{nullpen} for the surfacepen. A vector field of @code{nu}@math{\times}@code{nv} arrows on a parametric surface @code{f} over @code{box(a,b)} can be drawn with the routine @cindex @code{vectorfield3} @verbatim picture vectorfield(path3 vector(pair v), triple f(pair z), pair a, pair b, int nu=nmesh, int nv=nu, bool truesize=false, real maxlength=truesize ? 0 : maxlength(f,a,b,nu,nv), bool cond(pair z)=null, pen p=currentpen, arrowbar3 arrow=Arrow3, margin3 margin=PenMargin3) @end verbatim as illustrated in the examples @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/vectorfield3.html,,vectorfield3}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/vectorfield3.asy,,.asy}} and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/vectorfieldsphere.html,,vectorfieldsphere}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/vectorfieldsphere.asy,,.asy}}. @node grid3, solids, graph3, Base modules @section @code{grid3} @cindex @code{grid3} @cindex 3D grids This module, contributed by Philippe Ivaldi, can be used for drawing 3D grids. Here is an example (further examples can be found in @code{grid3.asy} and at @url{http://www.piprime.fr/files/asymptote/grid3/}): @verbatiminclude grid3xyz.asy @sp 1 @center @image{./grid3xyz} @node solids, tube, grid3, Base modules @section @code{solids} @cindex @code{solids} This solid geometry package defines a structure @code{revolution} that can be used to fill and draw surfaces of revolution. The following example uses it to display the outline of a circular cylinder of radius 1 with axis @code{O--1.5unit(Y+Z)} with perspective projection: @verbatiminclude cylinderskeleton.asy @sp 1 @center @image{./cylinderskeleton} Further illustrations are provided in the example files @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/cylinder.html,,cylinder}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/cylinder.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/cones.html,,cones}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/cones.asy,,.asy}}, @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/hyperboloid.html,,hyperboloid}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/hyperboloid.asy,,.asy}}, and @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/torus.html,,torus}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/torus.asy,,.asy}}. The structure @code{skeleton} contains the three-dimensional wireframe used to visualize a volume of revolution: @verbatim struct skeleton { struct curve { path3[] front; path3[] back; } // transverse skeleton (perpendicular to axis of revolution) curve transverse; // longitudinal skeleton (parallel to axis of revolution) curve longitudinal; } @end verbatim @node tube, flowchart, solids, Base modules @section @code{tube} @cindex @code{tube} This package extends the @code{tube} surfaces constructed in @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/three_arrows.html,,three_arrows}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/three_arrows.asy,,.asy}} to arbitrary cross sections, colors, and spine transformations. The routine @verbatim surface tube(path3 g, coloredpath section, transform T(real)=new transform(real t) {return identity();}, real corner=1, real relstep=0); @end verbatim @noindent draws a tube along @code{g} with cross section @code{section}, after applying the transformation @code{T(t)} at @code{point(g,t)}. The parameter @code{corner} controls the number of elementary tubes at the angular points of @code{g}. A nonzero value of @code{relstep} specifies a fixed relative time step (in the sense of @code{relpoint(g,t)}) to use in constructing elementary tubes along @code{g}. The type @code{coloredpath} is a generalization of @code{path} to which a @code{path} can be cast: @cindex @code{coloredpath} @verbatim struct coloredpath { path p; pen[] pens(real); int colortype=coloredSegments; } @end verbatim @noindent @cindex @code{coloredSegments} @cindex @code{coloredNodes} Here @code{p} defines the cross section and the method @code{pens(real t)} returns an array of pens (interpreted as a cyclic array) used for shading the tube patches at @code{relpoint(g,t)}. If @code{colortype=coloredSegments}, the tube patches are filled as if each segment of the section was colored with the pen returned by @code{pens(t)}, whereas if @code{colortype=coloredNodes}, the tube components are vertex shaded as if the nodes of the section were colored. A @code{coloredpath} can be constructed with one of the routines: @verbatim coloredpath coloredpath(path p, pen[] pens(real), int colortype=coloredSegments); coloredpath coloredpath(path p, pen[] pens=new pen[] {currentpen}, int colortype=coloredSegments); coloredpath coloredpath(path p, pen pen(real)); @end verbatim @noindent In the second case, the pens are independent of the relative time. In the third case, the array of pens contains only one pen, which depends of the relative time. The casting of @code{path} to @code{coloredpath} allows the use of a @code{path} instead of a @code{coloredpath}; in this case the shading behaviour is the default shading behavior for a surface. An example of @code{tube} is provided in the file @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/trefoilknot.html,,trefoilknot}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/trefoilknot.asy,,.asy}}. Further examples can be found at @url{http://www.piprime.fr/files/asymptote/tube/}. @node flowchart, contour, tube, Base modules @section @code{flowchart} @cindex @code{flowchart} This package provides routines for drawing flowcharts. The primary structure is a @code{block}, which represents a single block on the flowchart. The following eight functions return a position on the appropriate edge of the block, given picture transform @code{t}: @verbatim pair block.top(transform t=identity()); pair block.left(transform t=identity()); pair block.right(transform t=identity()); pair block.bottom(transform t=identity()); pair block.topleft(transform t=identity()); pair block.topright(transform t=identity()); pair block.bottomleft(transform t=identity()); pair block.bottomright(transform t=identity()); @end verbatim @cindex @code{block.top} @cindex @code{block.left} @cindex @code{block.right} @cindex @code{block.bottom} @cindex @code{block.topleft} @cindex @code{block.topright} @cindex @code{block.bottomleft} @cindex @code{block.bottomright} @noindent To obtain an arbitrary position along the boundary of the block in user coordinates, use: @verbatim pair block.position(real x, transform t=identity()); @end verbatim @cindex @code{block.position} @noindent @cindex @code{block.center} The center of the block in user coordinates is stored in @code{block.center} and the block size in @code{PostScript} coordinates is given by @code{block.size}. @noindent A frame containing the block is returned by @verbatim frame block.draw(pen p=currentpen); @end verbatim @cindex @code{block.draw} The following block generation routines accept a Label, string, or frame for their object argument: @table @dfn @item rectangular block with an optional header (and padding @code{dx} around header and body): @cindex @code{rectangle} @verbatim block rectangle(object header, object body, pair center=(0,0), pen headerpen=mediumgray, pen bodypen=invisible, pen drawpen=currentpen, real dx=3, real minheaderwidth=minblockwidth, real minheaderheight=minblockwidth, real minbodywidth=minblockheight, real minbodyheight=minblockheight); block rectangle(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dx=3, real minwidth=minblockwidth, real minheight=minblockheight); @end verbatim @item parallelogram block: @cindex @code{parallelogram} @verbatim block parallelogram(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dx=3, real slope=2, real minwidth=minblockwidth, real minheight=minblockheight); @end verbatim @item diamond-shaped block: @cindex @code{diamond} @verbatim block diamond(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real ds=5, real dw=1, real height=20, real minwidth=minblockwidth, real minheight=minblockheight); @end verbatim @item circular block: @cindex @code{circle} @verbatim block circle(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dr=3, real mindiameter=mincirclediameter); @end verbatim @item rectangular block with rounded corners: @cindex @code{roundrectangle} @verbatim block roundrectangle(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real ds=5, real dw=0, real minwidth=minblockwidth, real minheight=minblockheight); @end verbatim @item rectangular block with beveled edges: @cindex @code{bevel} @verbatim block bevel(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dh=5, real dw=5, real minwidth=minblockwidth, real minheight=minblockheight); @end verbatim @end table To draw paths joining the pairs in @code{point} with right-angled lines, use the routine: @cindex @code{path} @cindex @code{Horizontal} @cindex @code{Vertical} @verbatim path path(pair point[] ... flowdir dir[]); @end verbatim @noindent The entries in @code{dir} identify whether successive segments between the pairs specified by @code{point} should be drawn in the @code{Horizontal} or @code{Vertical} direction. Here is a simple flowchart example (see also the example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/controlsystem.html,,controlsystem}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/controlsystem.asy,,.asy}}): @verbatiminclude flowchartdemo.asy @sp 1 @center @image{./flowchartdemo} @node contour, contour3, flowchart, Base modules @section @code{contour} @cindex @code{contour} This package draws contour lines. To construct contours corresponding to the values in a real array @code{c} for a function @code{f} on @code{box(a,b)}, use the routine @verbatim guide[][] contour(real f(real, real), pair a, pair b, real[] c, int nx=ngraph, int ny=nx, interpolate join=operator --, int subsample=1); @end verbatim @noindent The integers @code{nx} and @code{ny} define the resolution. The default resolution, @code{ngraph x ngraph} (here @code{ngraph} defaults to @code{100}) can be increased for greater accuracy. The default interpolation operator is @code{operator --} (linear). Spline interpolation (@code{operator ..}) may produce smoother contours but it can also lead to overshooting. The @code{subsample} parameter indicates the number of interior points that should be used to sample contours within each @code{1 x 1} box; the default value of @code{1} is usually sufficient. To construct contours for an array of data values on a uniform two-dimensional lattice on @code{box(a,b)}, use @verbatim guide[][] contour(real[][] f, pair a, pair b, real[] c, interpolate join=operator --, int subsample=1); @end verbatim To construct contours for an array of data values on a nonoverlapping regular mesh specified by the two-dimensional array @code{z}, @verbatim guide[][] contour(pair[][] z, real[][] f, real[] c, interpolate join=operator --, int subsample=1); @end verbatim @noindent To construct contours for an array of values @code{f} specified at irregularly positioned points @code{z}, use the routine @verbatim guide[][] contour(pair[] z, real[] f, real[] c, interpolate join=operator --); @end verbatim @noindent The contours themselves can be drawn with one of the routines @verbatim void draw(picture pic=currentpicture, Label[] L=new Label[], guide[][] g, pen p=currentpen); void draw(picture pic=currentpicture, Label[] L=new Label[], guide[][] g, pen[] p); @end verbatim The following simple example draws the contour at value @code{1} for the function @math{z=x^2+y^2}, which is a unit circle: @verbatiminclude onecontour.asy @sp 1 @center @image{./onecontour} The next example draws and labels multiple contours for the function @math{z=x^2-y^2} with the resolution @code{100 x 100}, using a dashed pen for negative contours and a solid pen for positive (and zero) contours: @verbatiminclude multicontour.asy @sp 1 @center @image{./multicontour} The next example illustrates how contour lines can be drawn on color density images: @verbatiminclude imagecontour.asy @sp 1 @center @image{./imagecontour} Finally, here is an example that illustrates the construction of contours from irregularly spaced data: @verbatiminclude irregularcontour.asy @sp 1 @center @image{./irregularcontour} In the above example, the contours of irregularly spaced data are constructed by first creating a triangular mesh from an array @code{z} of pairs: @cindex @code{triangulate} @verbatim int[][] triangulate(pair[] z); @end verbatim @verbatiminclude triangulate.asy @sp 1 @center @image{./triangulate} The example @code{@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/Gouraudcontour.pdf,,Gouraudcontour}@uref{http://asymptote.sourceforge.net/gallery/2Dgraphs/Gouraudcontour.asy,,.asy}} illustrates how to produce color density images over such irregular triangular meshes. @code{Asymptote} uses a robust version of Paul Bourke's Delaunay triangulation algorithm based on the public-domain exact arithmetic predicates written by Jonathan Shewchuk. @node contour3, smoothcontour3, contour, Base modules @section @code{contour3} @cindex @code{contour3} This package draws surfaces described as the null space of real-valued functions of @math{(x,y,z)} or @code{real[][][]} matrices. Its usage is illustrated in the example file @code{@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/magnetic.html,,magnetic}@uref{http://asymptote.sourceforge.net/gallery/3Dgraphs/magnetic.asy,,.asy}}. @node smoothcontour3, slopefield, contour3, Base modules @section @code{smoothcontour3} @cindex @code{smoothcontour3} This module, written by Charles Staats, draws implicitly defined surfaces with smooth appearance. The purpose of this module is similar to that of @code{contour3}: given a real-valued function @math{f(x,y,z)}, construct the surface described by the equation @math{f(x,y,z) = 0}. The @code{smoothcontour3} module generally produces nicer results than @code{contour3}, but takes longer to compile. Additionally, the algorithm assumes that the function and the surface are both smooth; if they are not, then @code{contour3} may be a better choice. To construct the null surface of a function @code{f(triple)} or @code{ff(real,real,real)} over @code{box(a,b)}, use the routine @cindex @code{implicitsurface} @verbatim surface implicitsurface(real f(triple)=null, real ff(real,real,real)=null, triple a, triple b, int n=nmesh, bool keyword overlapedges=false, int keyword nx=n, int keyword ny=n, int keyword nz=n, int keyword maxdepth=8, bool usetriangles=true); @end verbatim @noindent The optional parameter @code{overlapedges} attempts to compensate for an artifact that can cause the renderer to ``see through'' the boundary between patches. Although it defaults to @code{false}, it should usually be set to @code{true}. The example @code{@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/genustwo.html,,genustwo}@uref{http://asymptote.sourceforge.net/gallery/3Dwebgl/genustwo.asy,,.asy}} illustrates the use of this function. Additional examples, together with a more in-depth explanation of the module's usage and pitfalls, are available at @url{https://github.com/charlesstaats/smoothcontour3}. @node slopefield, ode, smoothcontour3, Base modules @section @code{slopefield} @cindex @code{slopefield} To draw a slope field for the differential equation @math{dy/dx=f(x,y)} (or @math{dy/dx=f(x)}), use: @verbatim picture slopefield(real f(real,real), pair a, pair b, int nx=nmesh, int ny=nx, real tickfactor=0.5, pen p=currentpen, arrowbar arrow=None); @end verbatim @noindent Here, the points @code{a} and @code{b} are the lower left and upper right corners of the rectangle in which the slope field is to be drawn, @code{nx} and @code{ny} are the respective number of ticks in the @math{x} and @math{y} directions, @code{tickfactor} is the fraction of the minimum cell dimension to use for drawing ticks, and @code{p} is the pen to use for drawing the slope fields. The return value is a picture that can be added to @code{currentpicture} via the @code{add(picture)} command. The function @cindex @code{curve} @verbatim path curve(pair c, real f(real,real), pair a, pair b); @end verbatim @noindent takes a point (@code{c}) and a slope field-defining function @code{f} and returns, as a path, the curve passing through that point. The points @code{a} and @code{b} represent the rectangular boundaries over which the curve is interpolated. Both @code{slopefield} and @code{curve} alternatively accept a function @code{real f(real)} that depends on @math{x} only, as seen in this example: @verbatiminclude slopefield1.asy @sp 1 @center @image{./slopefield1} @node ode, , slopefield, Base modules @section @code{ode} @cindex @code{ode} The @code{ode} module, illustrated in the example @code{@uref{https://raw.githubusercontent.com/vectorgraphics/asymptote/HEAD/examples/odetest.asy,,odetest.asy}}, implements a number of explicit numerical integration schemes for ordinary differential equations. @node Options, Interactive mode, Base modules, Top @chapter Command-line options @cindex options @cindex command-line options Type @code{asy -h} to see the full list of command-line options supported by @code{Asymptote}: @verbatiminclude options All boolean options can be negated by prepending @code{no} to the option name. If no arguments are given, @code{Asymptote} runs in interactive mode (@pxref{Interactive mode}). In this case, the default output file is @code{out.eps}. If @code{-} is given as the file argument, @code{Asymptote} reads from standard input. If multiple files are specified, they are treated as separate @code{Asymptote} runs. @cindex @code{autoimport} If the string @code{autoimport} is nonempty, a module with this name is automatically imported for each run as the final step in loading module @code{plain}. @anchor{configuration file} @cindex configuration file @cindex @code{ASYMPTOTE_CONFIG} @cindex @code{config} @cindex @code{settings} @anchor{settings} Default option values may be entered as @code{Asymptote} code in a configuration file named @code{config.asy} (or the file specified by the environment variable @code{ASYMPTOTE_CONFIG} or @code{-config} option). @code{Asymptote} will look for this file in its usual search path (@pxref{Search paths}). Typically the configuration file is placed in the @code{.asy} directory in the user's home directory (@code{%USERPROFILE%\.asy} under @code{MSDOS}). Configuration variables are accessed using the long form of the option names: @verbatim import settings; outformat="pdf"; batchView=false; interactiveView=true; batchMask=false; interactiveMask=true; @end verbatim Command-line options override these defaults. Most configuration variables may also be changed at runtime. @cindex @code{dvipsOptions} @cindex @code{hyperrefOptions} @cindex @code{convertOptions} @cindex @code{gsOptions} @cindex @code{htmlviewerOptions} @cindex @code{psviewerOptions} @cindex @code{pdfviewerOptions} @cindex @code{pdfreloadOptions} @cindex @code{glOptions} @cindex @code{dvisvgmOptions} The advanced configuration variables @code{dvipsOptions}, @code{hyperrefOptions}, @code{convertOptions}, @code{gsOptions}, @code{htmlviewerOptions}, @code{psviewerOptions}, @code{pdfviewerOptions}, @code{pdfreloadOptions}, @code{glOptions}, and @code{dvisvgmOptions} allow specialized options to be passed as a string to the respective applications or libraries. The default value of @code{hyperrefOptions} is @code{setpagesize=false,unicode,pdfborder=0 0 0}. If you insert @verbatim import plain; settings.autoplain=true; @end verbatim @noindent at the beginning of the configuration file, it can contain arbitrary @code{Asymptote} code. @cindex @code{convert} @cindex @code{output} @cindex @code{format} @cindex @code{ImageMagick} @cindex @code{render} @cindex @code{antialias} @cindex @code{size} @cindex @code{latex} @cindex @code{tex} @cindex @code{pdflatex} @cindex @code{xelatex} @cindex @code{context} @cindex @code{luatex} @cindex @code{lualatex} @cindex @code{EPS} @cindex @code{PDF} @anchor{texengines} @anchor{convert} The default output format is @acronym{EPS} for the (default) @code{latex} and @code{tex} tex engine and @acronym{PDF} for the @code{pdflatex}, @code{xelatex}, @code{context}, @code{luatex}, and @code{lualatex} tex engines. Alternative output formats may be produced using the @code{-f} option (or @code{outformat} setting). @cindex @code{SVG} @cindex @code{dvisvgm} @cindex @code{libgs} @cindex @code{graphic} To produce @acronym{SVG} output, you will need @code{dvisvgm} (version 2.6.3 or later) from @url{http://dvisvgm.sourceforge.net}. You might need to adjust the configuration variable @code{libgs} to point to the location of your @code{Ghostscript} library @code{libgs.so} (or to an empty string, depending on how @code{dvisvgm} was configured). The 2.8 version of @code{dvisvgm} can display SVG output (used by the @code{xasy} editor) for external vector @acronym{EPS} and @acronym{PDF} images included with the @code{graphic()} function, in addition to (using the @code{latex} @TeX{} engine) @acronym{PNG} and @acronym{JPEG} embedded raster images. @code{Asymptote} can also produce any output format supported by the @code{ImageMagick} @code{convert} program (version 6.3.5 or later recommended; an @code{Invalid Parameter} error message indicates that the @code{MSDOS} utility @code{convert} is being used instead of the one that comes with @code{ImageMagick}). The optional setting @code{-render n} requests an output resolution of @code{n} pixels per @code{bp}. Antialiasing is controlled by the parameter @code{antialias}, which by default specifies a sampling width of 2 pixels. To give other options to @code{convert}, use the @code{convertOptions} setting or call convert manually. This example emulates how @code{Asymptote} produces antialiased @code{tiff} output at one pixel per @code{bp}: @verbatim asy -o - venn | convert -alpha Off -density 144x144 -geometry 50%x eps:- venn.tiff @end verbatim @cindex @code{nosafe} @cindex @code{safe} @cindex @code{system} If the option @code{-nosafe} is given, @code{Asymptote} runs in unsafe mode. This enables the @code{int system(string s)} and @code{int system(string[] s)} calls, allowing one to execute arbitrary shell commands. The default mode, @code{-safe}, disables this call. @cindex offset @cindex @code{aligndir} A @code{PostScript} offset may be specified as a pair (in @code{bp} units) with the @code{-O} option: @verbatim asy -O 0,0 file @end verbatim @noindent The default offset is zero. The pair @code{aligndir} specifies an optional direction on the boundary of the page (mapped to the rectangle [-1,1]@math{\times}[-1,1]) to which the picture should be aligned; the default value @code{(0,0)} species center alignment. @cindex @code{-c} The @code{-c} (@code{command}) option may be used to execute arbitrary @code{Asymptote} code on the command line as a string. It is not necessary to terminate the string with a semicolon. Multiple @code{-c} options are executed in the order they are given. For example @verbatim asy -c 2+2 -c "sin(1)" -c "size(100); draw(unitsquare)" @end verbatim @noindent produces the output @verbatim 4 0.841470984807897 @end verbatim @noindent and draws a unitsquare of size @code{100}. @cindex @code{-u} The @code{-u} (@code{user}) option may be used to specify arbitrary @code{Asymptote} settings on the command line as a string. It is not necessary to terminate the string with a semicolon. Multiple @code{-u} options are executed in the order they are given. Command-line code like @code{-u x=sqrt(2)} can be executed within a module like this: @verbatim real x; usersetting(); write(x); @end verbatim @cindex @code{-l} When the @code{-l} (@code{listvariables}) option is used with file arguments, only global functions and variables defined in the specified file(s) are listed. Additional debugging output is produced with each additional @code{-v} option: @table @code @item -v Display top-level module and final output file names. @item -vv Also display imported and included module names and final @code{LaTeX} and @code{dvips} processing information. @item -vvv Also output @code{LaTeX} bidirectional pipe diagnostics. @item -vvvv Also output knot guide solver diagnostics. @item -vvvvv Also output @code{Asymptote} traceback diagnostics. @end table @node Interactive mode, GUI, Options, Top @chapter Interactive mode @cindex interactive mode Interactive mode is entered by executing the command @code{asy} with no file arguments. When the @code{-multiline} option is disabled (the default), each line must be a complete @code{Asymptote} statement (unless explicitly continued by a final backslash character @code{\}); it is not necessary to terminate input lines with a semicolon. If one assigns @code{settings.multiline=true}, interactive code can be entered over multiple lines; in this mode, the automatic termination of interactive input lines by a semicolon is inhibited. Multiline mode is useful for cutting and pasting @code{Asymptote} code directly into the interactive input buffer. @cindex @code{%} Interactive mode can be conveniently used as a calculator: expressions entered at the interactive prompt (for which a corresponding @code{write} function exists) are automatically evaluated and written to @code{stdout}. If the expression is non-writable, its type signature will be printed out instead. In either case, the expression can be referred to using the symbol @code{%} in the next line input at the prompt. For example: @verbatim > 2+3 5 > %*4 20 > 1/% 0.05 > sin(%) 0.0499791692706783 > currentpicture > %.size(200,0) > @end verbatim @cindex @code{operator answer} The @code{%} symbol, when used as a variable, is shorthand for the identifier @code{operator answer}, which is set by the prompt after each written expression evaluation. The following special commands are supported only in interactive mode and must be entered immediately after the prompt: @table @code @cindex @code{help} @item help view the manual; @item erase erase @code{currentpicture}; @cindex @code{input} @item reset reset the @code{Asymptote} environment to its initial state, except for changes to the settings module (@pxref{settings}), the current directory (@pxref{cd}), and breakpoints (@pxref{Debugger}); @cindex @code{input} @item input FILE does an interactive reset, followed by the command @code{include FILE}. If the file name @code{FILE} contains nonalphanumeric characters, enclose it with quotation marks. A trailing semi-colon followed by optional @code{Asymptote} commands may be entered on the same line. @cindex @code{quit} @cindex @code{exit} @cindex @code{history} @anchor{history} @item quit exit interactive mode (@code{exit} is a synonym; the abbreviation @code{q} is also accepted unless there exists a top-level variable named @code{q}). @cindex @code{historylines} A history of the most recent 1000 (this number can be changed with the @code{historylines} configuration variable) previous commands will be retained in the file @code{.asy/history} in the user's home directory (unless the command-line option @code{-localhistory} was specified, in which case the history will be stored in the file @code{.asy_history} in the current directory). @end table Typing @code{ctrl-C} interrupts the execution of @code{Asymptote} code and returns control to the interactive prompt. Interactive mode is implemented with the @acronym{GNU} @code{readline} library, with command history and auto-completion. To customize the key bindings, see: @url{http://cnswww.cns.cwru.edu/php/chet/readline/readline.html} @cindex @code{Python} usage The file @code{asymptote.py} in the @code{Asymptote} system directory provides an alternative way of entering @code{Asymptote} commands interactively, coupled with the full power of @code{Python}. Copy this file to your @code{Python path} and then execute from within @code{Python 3} the commands @verbatim from asymptote import * g=asy() g.size(200) g.draw("unitcircle") g.send("draw(unitsquare)") g.fill("unitsquare, blue") g.clip("unitcircle") g.label("\"$O$\", (0,0), SW") @end verbatim @node GUI, PostScript to Asymptote, Interactive mode, Top @chapter Graphical User Interface @cindex graphical user interface @cindex @acronym{GUI} @cindex mouse @cindex wheel mouse @cindex @code{Button-1} @cindex @code{Button-2} @cindex @code{xasy} @menu * GUI installation:: Installing @code{xasy} * GUI usage:: Using @code{xasy} to edit objects @end menu In the event that adjustments to the final figure are required, the preliminary Graphical User Interface (@acronym{GUI}) @code{xasy} included with @code{Asymptote} allows you to move graphical objects and draw new ones. The modified figure can then be saved as a normal @code{Asymptote} file. @node GUI installation, GUI usage, GUI, GUI @section GUI installation @cindex GUI installation As @code{xasy} is written in the interactive scripting language @code{Python/Qt}, it requires @code{Python} (@url{http://www.python.org}), along with the @code{Python} packages @code{pyqt5}, @code{cson}, and @code{numpy}: @verbatim pip3 install cson numpy pyqt5 PyQt5.sip @end verbatim Pictures are deconstructed into the @acronym{SVG} image format. Since @code{Qt5} does not support @code{SVG} clipping, you will need the @code{rsvg-convert} utility, which is part of the @code{librsvg2-tools} package on @code{UNIX} systems and the @code{librsvg} package on @code{MacOS}; under @code{Microsoft Windows}, it is available as @url{https://sourceforge.net/projects/tumagcc/files/rsvg-convert-2.40.20.7z} @node GUI usage, , GUI installation, GUI @section GUI usage @cindex GUI usage @cindex arrow keys @cindex mouse wheel @cindex @code{deconstruct} The arrow keys (or mouse wheel) are convenient for temporarily raising and lowering objects within @code{xasy}, allowing an object to be selected. Pressing the arrow keys will pan while the shift key is held and zoom while the control key is held. The mouse wheel will pan while the alt or shift keys is held and zoom while the control key is held. In translate mode, an object can be dragged coarsely with the mouse or positioned finely with the arrow keys while holding down the mouse button. Deconstruction of compound objects (such as arrows) can be prevented by enclosing them within the commands @verbatim void begingroup(picture pic=currentpicture); void endgroup(picture pic=currentpicture); @end verbatim By default, the elements of a picture or frame will be grouped together on adding them to a picture. However, the elements of a frame added to another frame are not grouped together by default: their elements will be individually deconstructed (@pxref{add}). @node PostScript to Asymptote, Help, GUI, Top @chapter @code{PostScript} to @code{Asymptote} @cindex @code{pstoedit} The excellent @code{PostScript} editor @code{pstoedit} (version 3.50 or later; available from @url{http://sourceforge.net/projects/pstoedit/}) includes an @code{Asymptote} backend. Unlike virtually all other @code{pstoedit} backends, this driver includes native clipping, even-odd fill rule, @code{PostScript} subpath, and full image support. Here is an example: @noindent @code{asy -V @value{Datadir}/doc/asymptote/examples/venn.asy} @noindent @verbatim pstoedit -f asy venn.eps test.asy asy -V test @end verbatim @noindent If the line widths aren't quite correct, try giving @code{pstoedit} the @code{-dis} option. If the fonts aren't typeset correctly, try giving @code{pstoedit} the @code{-dt} option. @node Help, Debugger, PostScript to Asymptote, Top @chapter Help @cindex help @cindex forum A list of frequently asked questions (@acronym{FAQ}) is maintained at @quotation @url{http://asymptote.sourceforge.net/FAQ} @end quotation @noindent Questions on installing and using @code{Asymptote} that are not addressed in the @acronym{FAQ} should be sent to the @code{Asymptote} forum: @quotation @url{http://sourceforge.net/p/asymptote/discussion/409349} @end quotation @noindent Including an example that illustrates what you are trying to do will help you get useful feedback. @code{LaTeX} problems can often be diagnosed with the @code{-vv} or @code{-vvv} command-line options. Contributions in the form of patches or @code{Asymptote} modules can be posted here: @quotation @url{http://sourceforge.net/p/asymptote/patches} @end quotation @noindent To receive announcements of upcoming releases, please subscribe to @code{Asymptote} at @quotation @url{http://freecode.com/projects/asy} @end quotation @cindex bug reports @noindent If you find a bug in @code{Asymptote}, please check (if possible) whether the bug is still present in the latest @code{git} developmental code (@pxref{Git}) before submitting a bug report. New bugs can be reported at @quotation @url{https://github.com/vectorgraphics/asymptote/issues} @end quotation @noindent To see if the bug has already been fixed, check bugs with Status @code{Closed} and recent lines in @quotation @url{http://asymptote.sourceforge.net/ChangeLog} @end quotation @noindent @cindex stack overflow @cindex segmentation fault @cindex @code{libsigsegv} @code{Asymptote} can be configured with the optional @acronym{GNU} library @code{libsigsegv}, available from @url{http://libsigsegv.sourceforge.net}, which allows one to distinguish user-generated @code{Asymptote} stack overflows (@pxref{stack overflow}) from true segmentation faults (due to internal C++ programming errors; please submit the @code{Asymptote} code that generates such segmentation faults along with your bug report). @node Debugger, Credits, Help, Top @chapter Debugger @cindex debugger Asymptote now includes a line-based (as opposed to code-based) debugger that can assist the user in following flow control. To set a break point in file @code{file} at line @code{line}, use the command @cindex @code{stop} @verbatim void stop(string file, int line, code s=quote{}); @end verbatim @noindent The optional argument @code{s} may be used to conditionally set the variable @code{ignore} in @code{plain_debugger.asy} to @code{true}. For example, the first 10 instances of this breakpoint will be ignored (the variable @code{int count=0} is defined in @code{plain_debugger.asy}): @verbatim stop("test",2,quote{ignore=(++count <= 10);}); @end verbatim To set a break point in file @code{file} at the first line containing the string @code{text}, use @verbatim void stop(string file, string text, code s=quote{}); @end verbatim @noindent To list all breakpoints, use: @cindex @code{breakpoints} @verbatim void breakpoints(); @end verbatim @noindent To clear a breakpoint, use: @cindex @code{clear} @verbatim void clear(string file, int line); @end verbatim @noindent To clear all breakpoints, use: @verbatim void clear(); @end verbatim The following commands may be entered at the debugging prompt: @table @code @cindex @code{help} @item @code{h} help; @cindex @code{continue} @item @code{c} continue execution; @cindex @code{inst} @item @code{i} step to the next instruction; @cindex @code{step} @item @code{s} step to the next executable line; @cindex @code{next} @item @code{n} step to the next executable line in the current file; @cindex @code{file} @item @code{f} step to the next file; @cindex @code{return} @item @code{r} return to the file associated with the most recent breakpoint; @cindex @code{trace} @item @code{t} toggle tracing (@code{-vvvvv}) mode; @cindex @code{quit} @item @code{q} quit debugging and end execution; @cindex @code{exit} @item @code{x} exit the debugger and run to completion. @end table @noindent Arbitrary @code{Asymptote} code may also be entered at the debugging prompt; however, since the debugger is implemented with @code{eval}, currently only top-level (global) variables can be displayed or modified. The debugging prompt may be entered manually with the call @verbatim void breakpoint(code s=quote{}); @end verbatim @node Credits, Index, Debugger, Top @chapter Acknowledgments @cindex acknowledgments Financial support for the development of @code{Asymptote} was generously provided by the Natural Sciences and Engineering Research Council of Canada, the Pacific Institute for Mathematical Sciences, and the University of Alberta Faculty of Science. We also would like to acknowledge the previous work of John D. Hobby, author of the program @code{MetaPost} that inspired the development of @code{Asymptote}, and Donald E. Knuth, author of @TeX{} and @code{MetaFont} (on which @code{MetaPost} is based). The authors of @code{Asymptote} are Andy Hammerlindl, John Bowman, and Tom Prince. Sean Healy designed the @code{Asymptote} logo. Other contributors include Orest Shardt, Jesse Frohlich, Michail Vidiassov, Charles Staats, Philippe Ivaldi, Olivier Guib@'e, Radoslav Marinov, Jeff Samuelson, Chris Savage, Jacques Pienaar, Mark Henning, Steve Melenchuk, Martin Wiebusch, Stefan Knorr, and Supakorn ``Jamie'' Rassameemasmuang. @node Index, , Credits, Top @unnumbered Index @printindex cp @bye @c LocalWords: randMax Gaussrand asy cindex indices resized LaTeX TK latin au @c LocalWords: latexusage tex bbox PostScript subdirectory gcc emacs ASYDIR @c LocalWords: documentclass usepackage subpath shipout sqrt xN Mx bw AcroRd @c LocalWords: xscale xaxis yaxis BeginBar GIF postprocessing fpu de rpair xy @c LocalWords: ImageMagick cd asymptote Hy 0pt 1filll 's 3D 2D 'asy @c LocalWords: startup natively xasy tkinter VxN yingyang currentpicture toc @c LocalWords: MetaPost MetaFont Hammerlindl Healy texinfo autoload setq setf @c LocalWords: printindex setfilename settitle dircategory direntry titlepage @c LocalWords: vskip filll insertcopying ifnottex detailmenu alist augroup PQ @c LocalWords: bool behaviour facto zxf login Debian dev filetypedetect @c LocalWords: FFTW bp readline gv eps args Boehm gc evenoddoverlap png joe @c LocalWords: boolean initializer expi dir xpart ypart STL substring rfind @c LocalWords: pos substr strftime typedef pxref unitcircle yscale Bezier iff @c LocalWords: postcontrol precontrol atleast nullpath arclength arctime rgb @c LocalWords: dirtime currentpen colorspaces grayscale cmyk defaultpen x cx @c LocalWords: linetype longdashed dashdotted longdashdotted linewidth y XP @c LocalWords: fontsize defaultfilename keepAspect IgnoreAspect ise flushleft @c LocalWords: src dest XDR txt getc fout stdin stdout endl eof js prc ni @c LocalWords: Microsystem's eol exponentials postfix sayhi th Ubuntu @c LocalWords: sqr intop addby libm asin acos atan sinh tanh asinh acosh cbrt @c LocalWords: atanh fabs hypot fmod ceil srand dereferenced alice pete sqrtx @c LocalWords: eval fft csv runtime nonalphanumeric labely LeftTicks NoTicks @c LocalWords: RightTicks BottomTop LeftRight Ticksize UTF BufNewFile BufRead @c LocalWords: ticksize subintervals xlimits filetype plugin setlocal makeprg @c LocalWords: ylimits uncommented automin automax cp uninstall reals ecast @c LocalWords: scaleT unicode RightSide yx yy NoAlign legendmargin opic CCW @c LocalWords: arrowbar LeftSide EndBar BeginArrow lly feynman isi showtarget @c LocalWords: EndArrow BeginArcArrow EndArcArrow ArcArrow ArcArrows NoFill @c LocalWords: filldraw fillpen drawpen errorformat bigsquare bezier darkblue @c LocalWords: quartercircle darkgreen lightblue urx ury texpreamble sgn texi @c LocalWords: lineargraph datagraph vertices parametricgraph uncomment ggv @c LocalWords: loggraph generalaxis texhash arrowsize arrowangle arrowlength @c LocalWords: SuppressQuiet MoveQuiet LIBREADLINE config MacOS prebuilt @c LocalWords: ghostview gsview SIGHUP PDF acroread xpdf cutbefore strptime @c LocalWords: libsigsegv intersectionpoint dotfactor vv firstcut pq logticks @c LocalWords: Unisys dvips vvv vvvv vvvvv traceback lastcut cutafter infodir @c LocalWords: zxvf xargs cond polargraph xmin xmax plabel YZero labelling ln @c LocalWords: ymin ymax XZero xequals tickmin tickmax unlabelled se pq pena @c LocalWords: yequals Nobre Barbarosie Schwaiger nearearth conicurv Wiebusch @c LocalWords: unfill posterSize ngraph interpolatetype ctrl dt pic getint Ai @c LocalWords: NNE jxf linecap linejoin unitsquare shadedtiling ei nomarker @c LocalWords: westnile minipage ra penb paletteticks drawline nV FillDraw uv @c LocalWords: susceptibleM flushright secondaryX secondaryY secondaryaxis tt @c LocalWords: titlelabel columnlabel rb xtick ytick labelx XEquals YEquals @c LocalWords: treetest eetomumu fermi backend pstoedit drawtree xFF MSDOS gz @c LocalWords: vimrc CFLAGS verbatiminclude online noindent bezier superpath @c LocalWords: evenodd squarecap roundcap extendcap miterjoin roundjoin NFSS @c LocalWords: beveljoin fillrule zerowinding insideness lineskip cmr pcrr Hx @c LocalWords: AvantGarde Bookman Helvetica NewCenturySchoolBook minbound pdf @c LocalWords: Palatino TimesRoman ZapfChancery ZapfDingbats german basealign @c LocalWords: nondeconstructed backends usr venn labelsquare nobasealign dp @c LocalWords: NoMargin BeginMargin EndMargin BeginPenMargin EndPenMargin dm @c LocalWords: PenMargin PenMargins TrueMargin labelmargin errorbars errorbar @c LocalWords: dpx dpy dmx dmy barsize arrowsize BeginDotMargin DotMargin acc @c LocalWords: EndDotMargin DotMargins NColors BWRainbow colorspace labelled @c LocalWords: PaletteTicks defaultformat leastsquares bjam fprintf endgroup @c LocalWords: begingroup xmargin ymargin pbox box ellipse wget exe Gouraud @c LocalWords: multithreaded newframe init emph nums concat xline yline zpart @c LocalWords: colatitude zscale cosh nullpen MetaFontbook cyclicflag FreeBSD @c LocalWords: nodeps Ghostgum beginlabel endlabel pTick ptick loggrid SAS dy @c LocalWords: currentprojection latticeshading subpictures colinear unitcube @c LocalWords: Autoscaling solveQuadratic MidArrow MidArcArrow Prebuilt url @c LocalWords: pdftex comment getstring getstringprefix getreal defaultS hsv @c LocalWords: ticklocate autoscaleT autoscaling vectorfield autolimits dvi @c LocalWords: zlimits inline dvipdf hyperdvi autoconf gui zerowindingoverlap @c LocalWords: prepended intMax quadraticroots cubicroots filltype prepend dx @c LocalWords: ticklabel popup UnFill markroutine marknodes markuniform erf @c LocalWords: intersectpoint cyrillic mathtext russian brokenaxis Datadir ds @c LocalWords: resetdefaultpen latticeshade axialshade radialshade erfc det @c LocalWords: gouraudshade unescaped nmesh surfacepen getpair MikTeX dw YZ @c LocalWords: meshpen localhistory axisT roundedpath unitsize aSin accel pre @c LocalWords: fontcommand makepen aCos aTan Knorr roundpath BeginPoint nView @c LocalWords: MidPoint EndPoint nmask antialiasing autoplain batchMask libgc @c LocalWords: batchView clearGUI ignoreGUI interactiveMask interactiveView @c LocalWords: listvariables outformat parseonly prepending psviewer nCircle @c LocalWords: pdfviewer papertype tabcompletion noautoplain plugins Teixeira @c LocalWords: embeddedmovie historylines RadialShade penc penr CJK tgz GPL @c LocalWords: legendlinelength legendskip USERPROFILE LDFLAGS currentlight @c LocalWords: subsampled sinc kai AtBeginDocument GBK clearpage lasy texpath @c LocalWords: AtEndDocument zaxis maxbound truepoint paperwidth paperheight @c LocalWords: GSL deriv texcolors fixedscaling UpsideDown texreset slidedemo @c LocalWords: subitem newslide realMin realMax realEpsilon realDigits gsl dh @c LocalWords: obliqueX asycolors monthaxis xautoscale yautoscale zautoscale @c LocalWords: obliqueZ obliqueY cylinderskeleton block llcorner dr py nx CPU @c LocalWords: loc topleft topright bottomleft bottomright flowrectangle UTC @c LocalWords: chartblock flowdiamond flowcircle xlabel BezierSurface el xyz @c LocalWords: flowroundrectangle flowbevel flowpath drawflow blocks ny cpu @c LocalWords: multipleView usersetting mediumgray flowchartdemo ylabel nv xf @c LocalWords: zlabel slopefields cputime roundrectangle slopefield libgccpp @c LocalWords: tickfactor USERNAME writeable imagecontour logimage Dumoulin's @c LocalWords: NoCrop parametricsurface realmult SoftLight HardLight interp @c LocalWords: ColorDodge ColorBurn Ivaldi buildcycle autorotate mexicanhat @c LocalWords: Gouraudcontour pdflatex preconfigured perline linelength hskip @c LocalWords: penimage filloutside legendhskip legendvskip maxwidth CDlabel @c LocalWords: tensorshade MPEG framepoint nonfunction Radoslav Marinov Mepis @c LocalWords: Pienaar Melenchuk finalout Linspire Dpkg sudo dpkg dtx Tcount @c LocalWords: windingnumber clickable pdfmovie dfn du animationdelay fprime @c LocalWords: slidemovies ifdraft embeddedu externalmovie headerpen bodypen @c LocalWords: GaussianSurface multiline binarytree tridiagonal portably AIX @c LocalWords: binarytreetest Henning subsample breakpoint locator wireframe @c LocalWords: labelpath intersectionpoints PSTricks pstextpath curvedlabel @c LocalWords: LeftJustified RightJustified tickmodifier gunzip gmake IRIX dv @c LocalWords: texcommand RET SITEDIR filegraph pathmarkers POSIX binput AOB @c LocalWords: nonportable markinterval stickframe circlebarframe tix @c LocalWords: crossframe tildeframe markangle StickIntervalMarker gswin expm @c LocalWords: CrossIntervalMarker CircleBarIntervalMarker Ghostscript syzygy @c LocalWords: TildeIntervalMarker autoimport calculateTransform bitwise tk @c LocalWords: headersize bodysize minheaderwidth minheaderheight minwidth ZX @c LocalWords: minbodywidth minbodyheight minheight mindiameter reltime PNG @c LocalWords: relpoint Syzygy syzygies seekeof splinetype notaknot slopea ZY @c LocalWords: slopeb nonperiodic circlescale MarkFill ScaleX ScaleY xformat @c LocalWords: onecontour multicontour irregularcontour dvipsOptions saveline @c LocalWords: dirSpecifier controlSpecifier tensionSpecifier atleastflag bsp @c LocalWords: curlSpecifier cputimeformat initializers arbitary redeclaring @c LocalWords: firstname lastname multdiagonal Raphson OmitTick OmitFormat sp @c LocalWords: NoZero NoZeroFormat abbrevation gsOptions namespace redeclared @c LocalWords: atLeast intMin globalwrite quarticroots deconsruct substrings @c LocalWords: usleep currentpatterns trailingzero Orest Shardt DefaultHead @c LocalWords: SimpleHead HookHead TeXHead multipage NURBS inlinemovie dxmax @c LocalWords: simpson NoBox truesize autoscale shadestroke recurses mintimes @c LocalWords: nonoverlapping texengine maxtimes maxheight pdb TEXMFCONFIG Jn @c LocalWords: piecewisestraight unitrand graphmarkers antialias nolight newl @c LocalWords: Delaunay Shewchuk convertOptions APPDATA pdfreload tempFile Yn @c LocalWords: pdfreloadOptions deferred OpenGL renderer unitbox @c LocalWords: bezulate Shardt's rasterized viewport unitdisk unitplane devel @c LocalWords: unitcylinder unitcone solidcone unitfrustum unitsphere nslices @c LocalWords: DPostScript YZZero externalprc nonrendered nosafe KDE @c LocalWords: unithemisphere versa XYplane xypart unitsolidcone YZEquals xml @c LocalWords: XZEquals XYEquals XZZero XYZero InTicks OutTicks InOutTicks @c LocalWords: fitscreen planeproject strokepath meshlight nullpens arrowdir @c LocalWords: diffusepen emissivepen specularpen arrowbarb keyval @c LocalWords: hstretch vstretch roundbox nonconvex miterlimit basealigin cmd @c LocalWords: maxviewport maxtile antialiased sphericalharmonic attachfile @c LocalWords: vertexshading smoothelevation glOptions iconified iconify kate @c LocalWords: psviewerOptions pdfviewerOptions viewportmargin asyattach SVG @c LocalWords: multisampling autogen multisample coloredpath relstep flowdir @c LocalWords: colortype coloredSegments coloredNodes trefoilknot scaledgraph @c LocalWords: minblockwidth minblockheight mincirclediameter nonassociative @c LocalWords: nonintegral gettriple enablerepo hexadecimal XeLaTeX xelatex @c LocalWords: dvipdfmx autoadjust viewportsize viewportwidth viewportheight @c LocalWords: subregions nonsimply functionshade shader floatingdisk TopView @c LocalWords: functionshading maxlength LeftView odetest RadialShadeDraw CLZ @c LocalWords: vectorfieldsphere RightView FrontView BackView BottomView CTZ @c LocalWords: addViews outprefix addAllViews xsplinetype ysplinetype rotateX @c LocalWords: usplinetype vsplinetype leftbutton middlebutton rightbutton @c LocalWords: rotateY rotateZ wheelup zoomin wheeldown zoomout TeXLive pnorm @c LocalWords: viewportshift signedint signedness psview multiplatform nowarn @c LocalWords: singlereal singleint writeoverloaded dvisvg reddash lexorder @c LocalWords: bigdiagonal autobillboard dvisvgm maxtiles hyperrefOptions xdr @c LocalWords: setpagesize pdfborder controlsystem OmitTickInterval SixViews @c LocalWords: OmitTickIntervals tickmodifiers autorotated SixViewsUS latexmk @c LocalWords: ThreeViewsUS ThreeViewsFR SixViewsFR ThreeViews partialsum @c LocalWords: defaultrender Vidiassov latexmkrc mktemp DOSendl DOSnewl perl @c LocalWords: filename asyinclude latemk penfunctionimage Affine decrement @c LocalWords: affine Redisplay redisplay isnan radians defaultseparator Jens @c LocalWords: ascii piecewise arcpoint spacings tilings sncndn resizing @c LocalWords: differentiable vectorization vectorized asydir normals quartic @c LocalWords: wavepacket kerned parametrized specular hyperboloid Bourke's @c LocalWords: Michail 0pt 1filll 's 3D latin1 labelpath3 2D graph3 @c LocalWords: grid3 contour3 x86_64 psv a4 gsview32 freeglut 'load ' @c LocalWords: 'asy 'lasy 'auto 5bp 1cm sqrtx01 4g extenda extendb @c LocalWords: bb llx 2S 100pt 3t bezier2 bool3 x0 angle1 angle2 z1 @c LocalWords: z2 before' struct X11 x11colors type1cm 12pt OT1 5mm @c LocalWords: cmr12 x' y' xsize ysize 25cm s1 s2 neighbourhood u'' @c LocalWords: s'' 3x 5x 3y 602e 2x 2y 3sin 10cm 204e addby7 10x Ai @c LocalWords: only'' pow10 log10 expm1 log1p atan2 0pt 1filll 's ' @c LocalWords: x1 x2 graph2d attachfile2 n0 P0 n1 P1 markers1 3D 2D @c LocalWords: interpolate1 markers2 inlinemovie3 media9 U3D T2A 5E @c LocalWords: embeddedu3d curvedlabel3 value2 tickvalue inner'' 2N @c LocalWords: lineargraph0 scalings log2 log2graph 5cm BWRainbow2 @c LocalWords: guide3 path3 unitcircle3 2E 2n noV 100d PostScript3D @c LocalWords: size3 fit3 theta1 phi1 theta2 phi2 v1 v2 unitsquare3 @c LocalWords: t1 t2 5z 5y transform3 identity4 xscale3 yscale3 0pt @c LocalWords: zscale3 scale3 join3 BeginBar3 EndBar3 Bar3 Bars3 's @c LocalWords: BeginArrow3 MidArrow3 EndArrow3 Arrow3 Arrows3 axes3 @c LocalWords: BeginArcArrow3 MidArcArrow3 EndArcArrow3 ArcArrow3 ' @c LocalWords: ArcArrows3 DefaultHead3 HookHead3 TeXHead3 HookHead2 @c LocalWords: DefaultHead2 TeXHead2 arrows3 NoMargin3 BeginMargin3 @c LocalWords: EndMargin3 Margin3 Margins3 BeginPenMargin2 xaxis3 ' @c LocalWords: EndPenMargin2 PenMargin2 PenMargins2 BeginPenMargin3 @c LocalWords: EndPenMargin3 PenMargin3 PenMargins3 BeginDotMargin3 @c LocalWords: EndDotMargin3 DotMargin3 DotMargins3 TrueMargin3 3D @c LocalWords: yaxis3 zaxis3 ticks3 NoTicks3 arrowbar3 type2 axis3 @c LocalWords: generalaxis3 vectorfield3 margin3 grid3xyz 5unit 2D @c LocalWords: slopefield1 144x144 1filll 'load 'asy 'lasy 'auto 4g @c LocalWords: libgs 'load 'asy 'lasy 'auto 5bp 1cm 2S 100pt 3t 5mm @c LocalWords: bracedefaultratio incircle 12pt 25cm 3x 5x 3y 602e ' @c LocalWords: 2x 2y 3sin 10cm 204e 10x Ai 5E offaxis 'load 'lasy ' @c LocalWords: 5cm 2N 2E 2n 100d 5z 5y 5unit dvisvgmOptions 144x144 @c LocalWords: 4g texengines coplanar 0pt 1filll 's 3D 2D 'load 5bp @c LocalWords: insphere cospherical 5unit luatex lualatex 'asy 1cm @c LocalWords: 'lasy 'auto 4g 2S 100pt 3t 12pt 5mm 25cm 3x 5x 3y 2x @c LocalWords: 602e 2y 3sin 10cm 204e 10x Ai Ai Ai Ai Ai Ai Ai Ai ' @c LocalWords: unnormalized 5E 5cm 2N 2E 2n 100d 5z 5y 0pt 1filll ' @c LocalWords: 5unit 144x144 aligndir smoothcontour3 's 3D 2D cmake @c LocalWords: 'load 'asy 'lasy 'auto 5bp 1cm 4g 2S 100pt 3t nan 3x @c LocalWords: 12pt 5mm 25cm 5x 3y 602e 2x 2y 3sin 10cm 204e 10x Ai @c LocalWords: Ai Ai Ai Ai Ai Ai Ai 5E 5cm 2N 2E 2n 100d 5z 5y nz ' @c LocalWords: 5unit Staats implicitsurface overlapedges maxdepth @c LocalWords: through'' genustwo 144x144 0pt 1filll 's 3D 2D 'load @c LocalWords: 'asy 'lasy 'auto 5bp 1cm 4g 2S 100pt 3t 12pt 5mm 3x @c LocalWords: 25cm 5x 3y 602e 2x 2y 3sin 10cm 204e 10x Ai Ai Ai Ai @c LocalWords: Ai Ai Ai Ai 5E 5cm 2N 2E 2n 100d 5z 5y 5unit 144x144 @c LocalWords: Frohlich codequoteundirected center 0pt 1filll 's 3D @c LocalWords: acknowledgments Colors 2D Color WebGL uref x86 dnf @c LocalWords: htmlviewer asygl CPPFLAGS 'load 'asy 'lasy 'auto 5bp @c LocalWords: 1cm labeling dotfilltype 4g color colors centered 2S @c LocalWords: 100pt 3t forcemath gray colorless miter 12pt 5mm 3x @c LocalWords: zeroTransform 25cm Python3 popcount bitreverse 5x 3y @c LocalWords: 602e 2x 2y 3sin 10cm 204e 10x Ai Ai Ai Ai Ai Ai Ai @c LocalWords: Ai findall ax 5a centers 5E 5cm 2N 2E 2n HTML5 html @c LocalWords: logo3 remeshed css 42kB 100d 5z 5y 5unit colored Qt5 @c LocalWords: behavior beveled usetriangles htmlviewerOptions cson @c LocalWords: 144x144 pyqt5 numpy pip3 PyQt5 rsvg librsvg2 @c LocalWords: librsvg Supakorn Jamie'' Rassameemasmuang asymptote-2.62/doc/generalaxis.asy0000644000000000000000000000042513607467113015764 0ustar rootrootimport graph; size(0,100); path g=ellipse((0,0),1,2); scale(true); axis(Label("C",align=10W),g,LeftTicks(endlabel=false,8,end=false), ticklocate(0,360,new real(real v) { path h=(0,0)--max(abs(max(g)),abs(min(g)))*dir(v); return intersect(g,h)[0];})); asymptote-2.62/doc/westnile.asy0000644000000000000000000000332213607467113015313 0ustar rootrootimport graph; size(9cm,8cm,IgnoreAspect); string data="westnile.csv"; file in=input(data).line().csv(); string[] columnlabel=in; real[][] A=in; A=transpose(A); real[] number=A[0], survival=A[1]; path g=graph(number,survival); draw(g); scale(true); xaxis("Initial no.\ of mosquitoes per bird ($S_{M_0}/N_{B_0}$)", Bottom,LeftTicks); xaxis(Top); yaxis("Susceptible bird survival",Left,RightTicks(trailingzero)); yaxis(Right); real a=number[0]; real b=number[number.length-1]; real S1=0.475; path h1=(a,S1)--(b,S1); real M1=interp(a,b,intersect(h1,g)[0]); real S2=0.9; path h2=(a,S2)--(b,S2); real M2=interp(a,b,intersect(h2,g)[0]); labelx("$M_1$",M1); labelx("$M_2$",M2); draw((a,S2)--(M2,S2)--(M2,0),Dotted); draw((a,S1)--(M1,S1)--(M1,0),dashed); pen p=fontsize(10pt); real y3=0.043; path reduction=(M1,y3)--(M2,y3); draw(reduction,Arrow,TrueMargin(0,0.5*(linewidth(Dotted)+linewidth()))); arrow(shift(-20,5)*Label(minipage("\flushleft{\begin{itemize}\item[1.] Estimate proportion of birds surviving at end of season\end{itemize}}",100), align=NNE), (M1,S1),NNE,1cm,p,Arrow(NoFill)); arrow(shift(-24,5)*Label(minipage("\flushleft{\begin{itemize}\item[2.] Read off initial mosquito abundance\end{itemize}}",80),align=NNE), (M1,0),NE,2cm,p,Arrow(NoFill)); arrow(shift(20,0)*Label(minipage("\flushleft{\begin{itemize}\item[3.] Determine desired bird survival for next season\end{itemize}}",90),align=SW), (M2,S2),SW,arrowlength,p,Arrow(NoFill)); arrow(shift(8,-15)*Label(minipage("\flushleft{\begin{itemize}\item[4.] Calculate required proportional reduction in mosquitoes\end{itemize}}",90), align=NW), point(reduction,0.5),NW,1.5cm,p,Arrow(NoFill)); asymptote-2.62/doc/slopefield1.asy0000644000000000000000000000023213607467113015665 0ustar rootrootimport slopefield; size(200); real func(real x) {return 2x;} add(slopefield(func,(-3,-3),(3,3),20,Arrow)); draw(curve((0,0),func,(-3,-3),(3,3)),red); asymptote-2.62/doc/onecontour.asy0000644000000000000000000000016313607467113015654 0ustar rootrootimport contour; size(75); real f(real a, real b) {return a^2+b^2;} draw(contour(f,(-1,-1),(1,1),new real[] {1})); asymptote-2.62/doc/logimage.asy0000644000000000000000000000074013607467113015246 0ustar rootrootimport graph; import palette; size(10cm,10cm,IgnoreAspect); real f(real x, real y) { return 0.9*pow10(2*sin(x/5+2*y^0.25)) + 0.1*(1+cos(10*log(y))); } scale(Linear,Log,Log); pen[] Palette=BWRainbow(); bounds range=image(f,Automatic,(0,1),(100,100),nx=200,Palette); xaxis("$x$",BottomTop,LeftTicks,above=true); yaxis("$y$",LeftRight,RightTicks,above=true); palette("$f(x,y)$",range,(0,200),(100,250),Top,Palette, PaletteTicks(ptick=linewidth(0.5*linewidth()))); asymptote-2.62/doc/externalprc.tex0000644000000000000000000000052713607467113016020 0ustar rootroot% Generate inline PRC images for latex with % asy -inlineimage cube -render=4 % % Generate inline PRC images for pdflatex with % asy -inlineimage cube -render=4 -tex pdflatex % \documentclass[12pt]{article} \input cube.pre \usepackage[bigfiles]{media9} \RequirePackage{asymptote,color,graphicx} \begin{document} \input cube.tex \end{document} asymptote-2.62/doc/legend.asy0000644000000000000000000000063213607467113014720 0ustar rootrootimport graph; size(8cm,6cm,IgnoreAspect); typedef real realfcn(real); realfcn F(real p) { return new real(real x) {return sin(p*x);}; }; for(int i=1; i < 5; ++i) draw(graph(F(i*pi),0,1),Pen(i), "$\sin("+(i == 1 ? "" : (string) i)+"\pi x)$"); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks(trailingzero)); attach(legend(2),(point(S).x,truepoint(S).y),10S,UnFill); asymptote-2.62/doc/Hobbydir.asy0000644000000000000000000000076413607467113015232 0ustar rootrootsize(200); pair z0=(0,0); pair z1=(1,2); pair z2=(2,1); path g=z0..z1..z2; label("$\ell_k$",z0--z1); draw("$\ell_{k+1}$",z1--z2,dashed); draw(z0--interp(z0,z1,1.5),dashed); pair d1=dir(g,1); draw(z1-d1..z1+d1,blue+dashed); draw(g,blue); draw(Label("$\theta_k$",0.4),arc(z1,0.4,degrees(z2-z1),degrees(d1)),blue,Arrow, EndPenMargin); draw("$\phi_k$",arc(z1,0.4,degrees(d1),degrees(z1-z0),CCW),Arrow, EndPenMargin); dot("$z_{k-1}$",z0,red); dot("$z_k$",z1,NW,red); dot("$z_{k+1}$",z2,red); asymptote-2.62/doc/graphmarkers.asy0000644000000000000000000000136213607467113016151 0ustar rootrootimport graph; size(200,100,IgnoreAspect); markroutine marks() { return new void(picture pic=currentpicture, frame f, path g) { path p=scale(1mm)*unitcircle; for(int i=0; i <= length(g); ++i) { pair z=point(g,i); frame f; if(i % 4 == 0) { fill(f,p); add(pic,f,z); } else { if(z.y > 50) { pic.add(new void(frame F, transform t) { path q=shift(t*z)*p; unfill(F,q); draw(F,q); }); } else { draw(f,p); add(pic,f,z); } } } }; } pair[] f={(5,5),(40,20),(55,51),(90,30)}; draw(graph(f),marker(marks())); scale(true); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); asymptote-2.62/doc/TeXShopAndAsymptote.tex0000644000000000000000000000513513607467113017354 0ustar rootroot\documentclass[11pt]{article} \usepackage{geometry} \geometry{letterpaper} \usepackage[parfill]{parskip} \usepackage{graphicx} \usepackage{amssymb} \title{Integrating Asymptote and TeXShop for Mac OS X} \author{Vishaal Rajani \& Cole Zmurchok \\ University of Alberta} \date{\today} \begin{document} \maketitle \begin{enumerate} \item Download Asymptote and place the \emph{asymptote-x.xx.src.tgz} file on the desktop. \item Open Terminal and type the following. Note that you will have to enter the root password for the final command. \begin{verbatim} cd Desktop gunzip asymptote-x.xx.src.tgz tar -xf asymptote-x.xx.src.tar cd asymptote-x.xx ./configure make all sudo make install \end{verbatim} If you get an error at the \verb+./configure+ step, stating that you there is \verb+no acceptable C+ \verb+compiler found in $PATH+, a solution is to download and install Xcode here: \\ \verb+http://developer.apple.com/TOOLS/Xcode/+. \item We now create the engine that will typeset Asymptote in TeXShop. The easiest way to create this engine, which we will call \emph{asyEngine.engine}, is to navigate to \verb+~/Library/TeXShop/Engines+ and duplicate one of the existing \emph{.engine} files. Open the duplicate file and delete the code there. Type the following: \begin{verbatim} #!/bin/sh location=$(dirname "$1") basename="${1%.tex}" #process cd $location pdflatex "$1" asy "${basename}"-*.asy pdflatex "$1" \end{verbatim} Save this file as \emph{asyEngine.engine}. \item Now we set our engine to be executable. In the terminal, navigate to the Engines directory and type: \begin{verbatim} chmod +x asyEngine.engine \end{verbatim} \item Finally, in the terminal, type: \begin{verbatim} defaults write TeXShop OtherTeXExtensions -array-add "asy" \end{verbatim} This last command allows you choose the \emph{asyEngine} option from the drop-down menu when you wish to typeset a document that includes asymptote. \end{enumerate} Now, if you wish to typeset something simple, like the following red line, create a new document in TeXShop and type: \begin{verbatim} \documentclass[letterpaper,12pt]{article} \usepackage{amsmath} \usepackage{amssymb} \usepackage{asymptote} \begin{document} \begin{asy} size(300); draw((0,0)--(1,1),red); \end{asy} \end{document} \end{verbatim} Choose the \emph{asyEngine} option from the drop-down menu and press \emph{Typeset}. Your red line will be created in a PDF Document. On a final note, it is best to avoid using filenames with spaces in them. For example, avoid filenames such as \verb+asy test.tex+ and instead use filenames without spaces, such as \verb+asyTest.tex+. \end{document} asymptote-2.62/doc/colons.asy0000644000000000000000000000006113607467113014753 0ustar rootrootdraw((0,0){up}::(100,25){right}::(200,0){down}); asymptote-2.62/doc/asy-latex.dtx0000644000000000000000000004331613607467113015402 0ustar rootroot% \iffalse % %<*internal> \begingroup % %<*batchfile> \input docstrip.tex \keepsilent \preamble ____________________________ The ASYMPTOTE package (C) 2003 Tom Prince (C) 2003-2020 John Bowman (C) 2010 Will Robertson Adapted from comment.sty Licence: GPL2+ \endpreamble \nopostamble \askforoverwritefalse \generate{\file{asymptote.sty}{\from{\jobname.dtx}{pkg}}} % %\endbatchfile %<*internal> \generate{\file{\jobname.ins}{\from{\jobname.dtx}{batchfile}}} \edef\tmpa{plain} \ifx\tmpa\fmtname\endgroup\expandafter\bye\fi \endgroup \immediate\write18{makeindex -s gind.ist -o \jobname.ind \jobname.idx} \immediate\write18{makeindex -s gglo.ist -o \jobname.gls \jobname.glo} % % %<*driver> \ProvidesFile{asy-latex.dtx} % %\ProvidesPackage{asymptote} %<*pkg> [2020/01/12 v1.35 Asymptote style file for LaTeX] % % %<*driver> \documentclass{ltxdoc} \EnableCrossrefs \CodelineIndex \begin{document} \DocInput{\jobname.dtx} \end{document} % % \fi % % \GetFileInfo{asy-latex.dtx} % \title{The \textsf{asymptote} package} % \author{% % John Bowman, Tom Prince, and Will Robertson % } % \date{\filedate\qquad\fileversion} % \maketitle % \begin{abstract} % This package provides integration of inline and external Asymptote % graphics within a \LaTeX\ document. % \end{abstract} % % \tableofcontents % % \section{Introduction} % % This is the documentation for the \LaTeX\ package \texttt{asymptote} % which accompanies the Asymptote drawing package. For further details on % Asymptote, please see its documentation in \texttt{asymptote.pdf}. % % \section{User syntax} % % \subsection{Package loading and options} % % The package may take two options at load time: \texttt{inline} or % \texttt{attach}. % These options can also be set at any time with the % \cmd\asysetup\marg{options} command, or specified individually in the % optional argument to each \texttt{asy} environment or \texttt{asyinclude} % command. % % The \texttt{inline} option uses Asymptote's `inline' mode whereby % included graphics have their labels typeset in the environment of the % document they are contained within. Otherwise the Asymptote graphics are % self-contained and their formatting is independent of the document. % % The \texttt{attach} option allows generated graphics to be embedded % within the PDF using the \texttt{attachfile2} package; please load that % package separately if you wish to use it. The \texttt{attach} option % takes precedence over the \texttt{inline} option. % % This package produces quite a number of output files, which by default % are created in the same directory as the \LaTeX\ document that is being % compiled. To keep things more tidy, you can specify an output directory % for these files by defining the \cmd\asydir\ command. For example, if you % wish to store the figure files in the subdirectory \texttt{asytmp/}, the % you would write \verb|\renewcommand\asydir{asytmp}|. % % Alternatively (and tentatively), you may write \verb|dir=asytmp| in % either the \texttt{asy} environment options or the options to % \cmd\asysetup. % % \subsection{Commands for inserting Asymptote graphics} % % The main environment defined by the package is the \texttt{asy} % environment, in which verbatim Asymptote code is placed that will be % compiled for generating a graphic in the document. For example, % \begin{verbatim} % \begin{figure} % \begin{asy}[ ] % % \end{asy} % \caption{...}\label{...} % \end{verbatim} % % If you have Asymptote code in a separate file, you can include it with % the \cmd\asyinclude\oarg{options}\marg{filename}\ command. % % For Asymptote code that should be included in \emph{every} graphic, % define it using the \texttt{asydef} environment. % % \subsection{Graphics options} % % Both the \texttt{asy} environment and the \cmd\asyinclude\ command take % optional parameters for controlling aspects of the graphics creation. In % addition to locally setting \texttt{inline} and \texttt{attach}, the % following options may also be used: % \begin{description} % \item[width] Width of the figure % \item[height] Height of the figure % \item[keepAspect] Maintain aspect ratio [default true] % \item[viewportwidth] Viewport width for 3D figures % \item[viewportheight] Viewport height for 3D figures % \end{description} % These may also be set globally using the \cmd\asysetup\ command. % % \section{Processing the document} % % After running \LaTeX\ on the document, it is necessary to process the % Asymptote graphics so they can be included in the next compilation. The % simplest procedure is a recipe such as % \begin{verbatim} % pdflatex mydoc % asy mydoc-*.asy % pdflatex mydoc % \end{verbatim} % This technique will recompile each graphic every time, however. To only % recompile graphics that have changed, use the \texttt{latexmk} % tool. Asymptote is distributed with a \texttt{latexmkrc} configuration % file; place this file in a place where \texttt{latexmk} will find it and % your document may be compiled, including the \texttt{asy} compilations, % with \texttt{latexmk mydoc} or \texttt{latexmk --pdf mydoc}. % % \section{Implementation} % % \iffalse %<*pkg> % \fi % % \begin{macrocode} \def\Asymptote{{\tt Asymptote}} % \end{macrocode} % % \begin{macrocode} \InputIfFileExists{\jobname.pre}{}{} % \end{macrocode} % % \subsection{Allocations} % % \paragraph{Allocations} % % \begin{macrocode} \newbox\ASYbox \newdimen\ASYdimen \newcounter{asy} % \end{macrocode} % % \begin{macrocode} \newwrite\AsyStream \newwrite\AsyPreStream % \end{macrocode} % % \begin{macrocode} \newif\ifASYinline \newif\ifASYattach \newif\ifASYkeepAspect \ASYkeepAspecttrue % \end{macrocode} % % \subsection{Packages} % % \begin{macrocode} \RequirePackage{keyval} \RequirePackage{ifthen} \RequirePackage{color,graphicx} % \end{macrocode} % % \paragraph{Emulating packages} % We cannot assume that Asymptote users have recent % \TeX\ distributions. (E.g., Fedora until recently still shipped teTeX.) % So load \textsf{ifpdf} and \textsf{ifxetex} if they exist; otherwise, % emulate them. % % In due course, delete this code and just load the packages. % \begin{macrocode} \IfFileExists{ifpdf.sty}{ \RequirePackage{ifpdf} }{ \expandafter\newif\csname ifpdf\endcsname \ifx\pdfoutput\@undefined\else \ifcase\pdfoutput\else \pdftrue \fi \fi } % \end{macrocode} % % \begin{macrocode} \IfFileExists{ifxetex.sty}{ \RequirePackage{ifxetex} }{ \expandafter\newif\csname ifxetex\endcsname \ifx\XeTeXversion\@undefined\else \xetextrue \fi } % \end{macrocode} % % \begin{macro}{\CatchFileDef} % Used for \cmd\asyinclude. % Note that the fallback definition is not as robust as the one provided by catchfile. % \begin{macrocode} \IfFileExists{catchfile.sty}{ \RequirePackage{catchfile} }{ \newcommand\CatchFileDef[3]{% \begingroup \everyeof{% \ENDCATCHFILEMARKER \noexpand }% \long\def\@tempa####1\ENDCATCHFILEMARKER{% \endgroup \def##1{####1}% }% ##3% \expandafter\@tempa\@@input ##2\relax } } % \end{macrocode} % \end{macro} % % \paragraph{Ensuring attachfile2 is loaded if [attach] is requested} % \begin{macrocode} \newif\if@asy@attachfile@loaded % \end{macrocode} % % \begin{macrocode} \AtBeginDocument{% \@ifpackageloaded{attachfile2}{\@asy@attachfile@loadedtrue}{}% \let\asy@check@attachfile\asy@check@attachfile@loaded } % \end{macrocode} % % \begin{macrocode} \newcommand\asy@check@attachfile@loaded{% \if@asy@attachfile@loaded\else \PackageError{asymptote}{You must load the attachfile2 package}{^^J% You have requested the [attach] option for some or all of your^^J% Asymptote graphics, which requires the attachfile2 package.^^J% Please load it in the document preamble.^^J% }% \fi } % \end{macrocode} % % \begin{macrocode} \newcommand\asy@check@attachfile{% \AtBeginDocument{\asy@check@attachfile@loaded}% \let\asy@check@attachfile\@empty } % \end{macrocode} % % \paragraph{Macros} % \begin{macrocode} \def\csarg#1#2{\expandafter#1\csname#2\endcsname} % \end{macrocode} % % \subsection{Package options} % % \begin{macrocode} \DeclareOption{inline}{% \ASYinlinetrue } \DeclareOption{attach}{% \asy@check@attachfile \ASYattachtrue } \ProcessOptions* % \end{macrocode} % % \begin{macrocode} \def\asylatexdir{} \def\asydir{} \def\ASYasydir{} \def\ASYprefix{} % \end{macrocode} % % % \subsection{Testing for PDF output} % Note this is not quite the same as \cs{ifpdf}, since we still want PDF % output when using XeTeX. % \begin{macrocode} \newif\ifASYPDF \ifxetex \ASYPDFtrue \usepackage{everypage} \else \ifpdf \ASYPDFtrue \fi \fi \ifASYPDF \def\AsyExtension{pdf} \else \def\AsyExtension{eps} \fi % \end{macrocode} % % \subsection{Bug squashing} % % \begin{macrocode} \def\unquoteJobname#1"#2"#3\relax{% \def\rawJobname{#1}% \ifx\rawJobname\empty \def\rawJobname{#2}% \fi } \expandafter\unquoteJobname\jobname""\relax % \end{macrocode} % Work around jobname bug in MiKTeX 2.5 and 2.6: % Turn stars in file names (resulting from spaces, etc.) into minus signs % \begin{macrocode} \def\fixstar#1*#2\relax{% \def\argtwo{#2}% \ifx\argtwo\empty \gdef\Jobname{#1}% \else \fixstar#1-#2\relax \fi } \expandafter\fixstar\rawJobname*\relax % \end{macrocode} % % Work around bug in dvips.def: allow spaces in file names. % \begin{macrocode} \def\Ginclude@eps#1{% \message{<#1>}% \bgroup \def\@tempa{!}% \dimen@\Gin@req@width \dimen@ii.1bp\relax \divide\dimen@\dimen@ii \@tempdima\Gin@req@height \divide\@tempdima\dimen@ii \special{PSfile=#1\space llx=\Gin@llx\space lly=\Gin@lly\space urx=\Gin@urx\space ury=\Gin@ury\space \ifx\Gin@scalex\@tempa\else rwi=\number\dimen@\space\fi \ifx\Gin@scaley\@tempa\else rhi=\number\@tempdima\space\fi \ifGin@clip clip\fi}% \egroup } % \end{macrocode} % % \subsection{Input/Output} % % \begin{macrocode} \immediate\openout\AsyPreStream=\jobname.pre\relax \AtEndDocument{\immediate\closeout\AsyPreStream} % \end{macrocode} % % \begin{macrocode} \def\WriteAsyLine#1{% \immediate\write\AsyStream{\detokenize{#1}}% } % \end{macrocode} % % \begin{macrocode} \def\globalASYdefs{} \def\WriteGlobalAsyLine#1{% \expandafter\g@addto@macro \expandafter\globalASYdefs \expandafter{\detokenize{#1^^J}}% } % \end{macrocode} % % \subsection{Commands for verbatim processing environments} % % \begin{macrocode} \def\ProcessAsymptote#1{% \begingroup \def\CurrentAsymptote{#1}% \let\do\@makeother \dospecials \@makeother\^^L% and whatever other special cases \catcode`\ =10 \endlinechar`\^^M \catcode`\^^M=12 \xAsymptote } % \end{macrocode} % Need lots of comment chars here because \meta{line end} is no longer a % space character. % \begin{macrocode} \begingroup \catcode`\^^M=12 \endlinechar=-1\relax% \gdef\xAsymptote{% \expandafter\ProcessAsymptoteLine% } \gdef\ProcessAsymptoteLine#1^^M{% \def\@tempa{#1}% {% \escapechar=-1\relax% \xdef\@tempb{\string\\end\string\{\CurrentAsymptote\string\}}% }% \ifx\@tempa\@tempb% \edef\next{\endgroup\noexpand\end{\CurrentAsymptote}}% \else% \ThisAsymptote{#1}% \let\next\ProcessAsymptoteLine% \fi% \next% } \endgroup \def\asy@init{% \def\ASYlatexdir{}% \ifx\asylatexdir\empty\else \def\ASYlatexdir{\asylatexdir/}% \fi \ifx\asydir\empty\else \def\ASYasydir{\asydir/}% \fi \def\ASYprefix{\ASYlatexdir\ASYasydir}% } % \end{macrocode} % % \subsection{User interface} % % \begin{macrocode} \newcommand\asy[1][]{% \stepcounter{asy}% \setkeys{ASYkeys}{#1}% % \end{macrocode} % Disable the "inline" option if "attach" is enabled: % \begin{macrocode} \ifASYattach \ASYinlinefalse \fi % \end{macrocode} % % \begin{macrocode} \asy@init \immediate\write\AsyPreStream{% \noexpand\InputIfFileExists{% \ASYprefix\noexpand\jobname-\the\c@asy.pre}{}{}% }% \asy@write@graphic@header \let\ThisAsymptote\WriteAsyLine \ProcessAsymptote{asy}% } % \end{macrocode} % % \begin{macrocode} \def\endasy{% \asy@finalise@stream \asy@input@graphic } % \end{macrocode} % % \begin{macrocode} \def\asy@write@graphic@header{% \immediate\openout\AsyStream=\ASYasydir\jobname-\the\c@asy.asy\relax \gdef\AsyFile{\ASYprefix\Jobname-\the\c@asy}% \immediate\write\AsyStream{% if(!settings.multipleView) settings.batchView=false;^^J% \ifxetex settings.tex="xelatex";^^J% \else\ifASYPDF settings.tex="pdflatex";^^J% \fi\fi \ifASYinline settings.inlinetex=true;^^J% deletepreamble();^^J% \fi defaultfilename="\Jobname-\the\c@asy";^^J% if(settings.render < 0) settings.render=4;^^J% settings.outformat="";^^J% \ifASYattach settings.inlineimage=false;^^J% settings.embed=false;^^J% settings.toolbar=true;^^J% \else settings.inlineimage=true;^^J% settings.embed=true;^^J% settings.toolbar=false;^^J% viewportmargin=(2,2);^^J% \fi \globalASYdefs }% } \def\asy@expand@keepAspect{% \ifASYkeepAspect keepAspect=true% \else keepAspect=false% \fi% } % \end{macrocode} % % \begin{macrocode} \def\asy@finalise@stream{% % \end{macrocode} % Setting \verb|size()|. Only inserted if one of the dimensions is % set explicitly (i.e., if both height and width are not empty). % \begin{macrocode} \ifx\ASYwidth\@empty \ifx\ASYheight\@empty % write nothing! \else \immediate\write\AsyStream{size(0,\ASYheight,\asy@expand@keepAspect);}% \fi \else \ifx\ASYheight\@empty \immediate\write\AsyStream{size(\ASYwidth,0,\asy@expand@keepAspect);}% \else \immediate\write\AsyStream{size(\ASYwidth,\ASYheight,\asy@expand@keepAspect);}% \fi \fi % \end{macrocode} % Setting \verb|viewportsize=()|. Same logic as for \verb|size()|. % \begin{macrocode} \ifx\ASYviewportwidth\@empty \ifx\ASYviewportheight\@empty % write nothing! \else \immediate\write\AsyStream{viewportsize=(0,\ASYviewportheight);}% \fi \else \ifx\ASYviewportheight\@empty \immediate\write\AsyStream{viewportsize=(\ASYviewportwidth,0);}% \else \immediate\write\AsyStream{% viewportsize=(\ASYviewportwidth,\ASYviewportheight);}% \fi \fi \immediate\closeout\AsyStream } % \end{macrocode} % % \begin{macrocode} \def\asy@input@graphic{% \ifASYinline \IfFileExists{"\AsyFile.tex"}{% \catcode`:=12\relax \@@input"\AsyFile.tex"\relax }{% \PackageWarning{asymptote}{file `\AsyFile.tex' not found}% }% \else \IfFileExists{"\AsyFile.\AsyExtension"}{% \ifASYattach \ifASYPDF \IfFileExists{"\AsyFile+0.pdf"}{% \setbox\ASYbox=\hbox{\includegraphics[hiresbb]{\AsyFile+0.pdf}}% }{% \setbox\ASYbox=\hbox{\includegraphics[hiresbb]{\AsyFile.pdf}}% }% \else \setbox\ASYbox=\hbox{\includegraphics[hiresbb]{\AsyFile.eps}}% \fi \textattachfile{\AsyFile.\AsyExtension}{\phantom{\copy\ASYbox}}% \vskip-\ht\ASYbox \indent \box\ASYbox \else \ifASYPDF \includegraphics[hiresbb]{\AsyFile.pdf}% \else \includegraphics[hiresbb]{\AsyFile.eps}% \fi \fi }{% % \end{macrocode} % 3D PRC figures require inline mode. % \begin{macrocode} \IfFileExists{"\AsyFile.tex"}{% \catcode`:=12 \@@input"\AsyFile.tex"\relax }{% \PackageWarning{asymptote}{% file `\AsyFile.\AsyExtension' not found% }% }% }% \fi } % \end{macrocode} % % \begin{macrocode} \def\asydef{% \let\ThisAsymptote\WriteGlobalAsyLine \ProcessAsymptote{asydef}% } % \end{macrocode} % % \begin{macrocode} \newcommand\asyinclude[2][]{% \begingroup \stepcounter{asy}% \setkeys{ASYkeys}{#1}% \ifASYattach \ASYinlinefalse \fi \asy@init \immediate\write\AsyPreStream{% \noexpand\InputIfFileExists{% \ASYprefix\noexpand\jobname-\the\c@asy.pre}{}{}% }% \asy@write@graphic@header \IfFileExists{#2.asy}{% \CatchFileDef\@tempa{#2.asy}{% \let\do\@makeother \dospecials \endlinechar=10\relax }% }{% \IfFileExists{#2}{% \CatchFileDef\@tempa{#2}{% \let\do\@makeother \dospecials \endlinechar=10\relax }% }{% \PackageWarning{asymptote}{file #2 not found}% \def\@tempa{}% }% }% \immediate\write\AsyStream{\unexpanded\expandafter{\@tempa}}% \asy@finalise@stream \asy@input@graphic \endgroup } % \end{macrocode} % % \begin{macrocode} \newcommand{\ASYanimategraphics}[5][]{% \IfFileExists{_#3.pdf}{% \animategraphics[{#1}]{#2}{_#3}{#4}{#5}% }{}% } % \end{macrocode} % % \subsection{Keys for graphics processing} % % \begin{macrocode} \newcommand\asysetup[1]{\setkeys{ASYkeys}{#1}} % \end{macrocode} % % \begin{macrocode} \define@key{ASYkeys}{dir}{% \def\asydir{#1}% } \def\ASYwidth{} \define@key{ASYkeys}{width}{% \edef\ASYwidth{\the\dimexpr#1\relax}% } \def\ASYheight{} \define@key{ASYkeys}{height}{% \edef\ASYheight{\the\dimexpr#1\relax}% } \define@key{ASYkeys}{keepAspect}[true]{% \ifthenelse{\equal{#1}{true}} {\ASYkeepAspecttrue} {\ASYkeepAspectfalse}% } \def\ASYviewportwidth{} \define@key{ASYkeys}{viewportwidth}{% \edef\ASYviewportwidth{\the\dimexpr#1\relax}% } \def\ASYviewportheight{} \define@key{ASYkeys}{viewportheight}{% \edef\ASYviewportheight{\the\dimexpr#1\relax}% } % \end{macrocode} % % \begin{macrocode} \define@key{ASYkeys}{inline}[true]{% \ifthenelse{\equal{#1}{true}} {\ASYinlinetrue} {\ASYinlinefalse}% } \define@key{ASYkeys}{attach}[true]{% \ifthenelse{\equal{#1}{true}} {\ASYattachtrue} {\ASYattachfalse}% } % \end{macrocode} % % \iffalse % % \fi % % \Finale % asymptote-2.62/doc/scaledgraph.asy0000644000000000000000000000054313607467113015740 0ustar rootrootimport graph; axiscoverage=0.9; size(200,IgnoreAspect); real[] x={-1e-11,1e-11}; real[] y={0,1e6}; real xscale=round(log10(max(x))); real yscale=round(log10(max(y)))-1; draw(graph(x*10^(-xscale),y*10^(-yscale)),red); xaxis("$x/10^{"+(string) xscale+"}$",BottomTop,LeftTicks); yaxis("$y/10^{"+(string) yscale+"}$",LeftRight,RightTicks(trailingzero)); asymptote-2.62/doc/flowchartdemo.asy0000644000000000000000000000153613607467113016324 0ustar rootrootsize(0,300); import flowchart; block block1=rectangle(Label("Example",magenta), pack(Label("Start:",heavygreen),"",Label("$A:=0$",blue), "$B:=1$"),(-0.5,3),palegreen,paleblue,red); block block2=diamond(Label("Choice?",blue),(0,2),palegreen,red); block block3=roundrectangle("Do something",(-1,1)); block block4=bevel("Don't do something",(1,1)); block block5=circle("End",(0,0)); draw(block1); draw(block2); draw(block3); draw(block4); draw(block5); add(new void(picture pic, transform t) { blockconnector operator --=blockconnector(pic,t); // draw(pic,block1.right(t)--block2.top(t)); block1--Right--Down--Arrow--block2; block2--Label("Yes",0.5,NW)--Left--Down--Arrow--block3; block2--Right--Label("No",0.5,NE)--Down--Arrow--block4; block4--Down--Left--Arrow--block5; block3--Down--Right--Arrow--block5; }); asymptote-2.62/doc/pixel.pdf0000644000000000000000000000532313607467113014562 0ustar rootroot%PDF-1.2 %Çì¢ 5 0 obj <> stream xœ+T0Ð3T0A(œËU¨`bnf©gæš[êY€™¡%H~¹‚K>W Ê÷ sendstream endobj 6 0 obj 57 endobj 4 0 obj <> /Contents 5 0 R >> endobj 3 0 obj << /Type /Pages /Kids [ 4 0 R ] /Count 1 >> endobj 1 0 obj <> endobj 8 0 obj <> endobj 7 0 obj <>/Length 1686>>stream xœí]lU†gÊ…Rü!j"5€LdW`V¬©WJC½¨h´¢RÿÀˆTåçBÀ4µQB/$ ’p‰‚%z£ÒBB°´&rA×ݶœíÏvÚnö·=yŸ«/éì¼_öéÌž™Ý9'LÂ[BÙõÙõÙõÙõÙõÙõÙõÙõÙõÙõÙõÙEbÜø„ì"1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìBùû$5^v¡7~øÛ½ìªsYþ:ÙU£bèeÈ7^v¡7^v¡7^v¡7^v¡7^v¡7^v¡7^v¡7^v¡7^v¡7~øÛmrU‘«Z]UìªÑ®šëª9®*pÕ$WÅðÿ`øˆ(dŠá#¢](†ˆBv¡>" Ù…bøˆ(dŠá#¢](†ˆBv¡>" Ù…bøˆ(dŠá#¢þv[\U⪃‘¯çªBWqÕW-wÕ¹µ60†ÚñàÝ4²ËBvsGvÓÈ. ÙÍÙM#»,d7w†`÷ò¹`2á²›;C°ÛTÔZ{aßU§‚Y—VìÚ2jâüEEÓÆ ðŠ¡"»(²ÛzàØñû[îº÷ÚÔIÎ —å]m »8"í¶ŸÚ×4öž…èa”좈°Û~z÷‘e³ úû{Þ]ýÚ½ø×þƒóÊfâÝÊ.Ž~ì¶7¾Ïéæ…ì¢èÇnÝΧ–^W²‹"«Ý¦.¬Ç9¹ÙE‘Ån{ãÖñOO±ÙEÑ×î¿õ­)µ‡ WÍrÕ%W­pUÆîWeF]5ßU‹\•ùÅÝ4W.Ý{cøˆ(úØm®]ãY9ì¢èm·ù­ñqž•ÓÈ.Š^vÏVÜñfì=È.Š^v_ýmÇu±÷ »(zÚ­ý¡zJü=È.Šv¿´ê¸?sÓÈ.Šîv¿ø®†päÊ.Žnv¿}¡¦(jS²‹"c·mõCeœdEÆîç ÛbûÞ ']U±U÷·ª!Ë+–¹*VÑ7ÞÙ=Y±ãR²‹ÂÙ­ã¿Ñ…좸b·þ«Íñ߯èBvQtÙm[]ú0­ÙEÑe—7¤ dG§Ý3On»•׃ì¢è´ûõ¯¯{]vÛÊKKÞ†ì¢è°ûû¶w™ïƒì¢è°»9¨âvá-ÆOÛm}þ™Û¹]x‹qãÓv÷Ö}È»òãÆ§í¾q'ïN†ç7>e÷ÌšÓÞPä‚qãSv÷þ¼ØõãÆ§ìV'7r{ðãÆ§ì¾w³>vQ7>þórÕtncÜøDØXþ©U(ŒŸ>ø,·Ÿ1n|"|ñê×¹-øŒqãaõÝTÁ0n|"|ì ª`7>N?|#·Ÿ1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n¼ìB1n|"œý½nDÂ0n|"Üø ·¯1n¼ìB1n¼ÎÌPŒ¯QãÆë>3ãÆ'šų¹-øŒqãaå”—¸-øŒqãõí½×„?ýXÎîA O½¿‰þ ¤6®ªÕ%‘¯„-U•z¾ÓWÂdMRÏfûJ˜üc+u^$LêÑ{ “š6Ã_RvÉSÞ)»gžøä&vBzF#Mœá+i»šôÆW†ÁL‚FÇ, :x=¥Ã®^Oéœ}[¯ŸtÍœ¯ƒ×KºV½ÐÁë%]vÛÊÑ5¯\Y¨¾Ž³Ä£@âVŠÛÓ°]çfßȬòXùà*j'"ÿdVhm®Z¼’Ù‰È?ÝVWþfÃÖBC÷•Ñë­×ÈÊ+ºÛ ÖšªÙ+zØmÞ°°x,­‘wzØM¬þÛ®“³?ô´4í8¿~*©‘wzÙ ‚ÚCÏÍ( ´"òN»A]ÍÚLjüÓ×nríÒG­ˆ¼Ó×nêÃwÓõ%3uvö€lvƒ¶úï+“ß‘OV»AûéÝGThð<ÒÉn7í÷³ó‹é ”‘MvÓ~7µ®œW½žµÖôo7õñ{àØá™·-¹A‚G*ÿè › endstream endobj 2 0 obj <>endobj xref 0 9 0000000000 65535 f 0000000359 00000 n 0000002314 00000 n 0000000300 00000 n 0000000160 00000 n 0000000015 00000 n 0000000142 00000 n 0000000436 00000 n 0000000407 00000 n trailer << /Size 9 /Root 1 0 R /Info 2 0 R /ID [( œæ›eYšÓI„k÷Û)( œæ›eYšÓI„k÷Û)] >> startxref 2472 %%EOF asymptote-2.62/doc/colors.asy0000644000000000000000000000312413607467113014762 0ustar rootrootint i=0; int j=0; bool components=false; pen p; void col(... string[] s) { for(int n=0; n < s.length; ++n) { j -= 10; string s=s[n]; eval("p="+s+";",true); if(components) { real[] a=colors(p); for(int i=0; i < a.length; ++i) s += " "+(string) a[i]; } label(s,(i+10,j),E); filldraw(box((i,j-5),(i+10,j+5)),p); } } col("palered"); col("lightred"); col("mediumred"); col("red"); col("heavyred"); col("brown"); col("darkbrown"); j -= 10; col("palegreen"); col("lightgreen"); col("mediumgreen"); col("green"); col("heavygreen"); col("deepgreen"); col("darkgreen"); j -= 10; col("paleblue"); col("lightblue"); col("mediumblue"); col("blue"); col("heavyblue"); col("deepblue"); col("darkblue"); j -= 10; i += 150; j=0; col("palecyan"); col("lightcyan"); col("mediumcyan"); col("cyan"); col("heavycyan"); col("deepcyan"); col("darkcyan"); j -= 10; col("pink"); col("lightmagenta"); col("mediummagenta"); col("magenta"); col("heavymagenta"); col("deepmagenta"); col("darkmagenta"); j -= 10; col("paleyellow"); col("lightyellow"); col("mediumyellow"); col("yellow"); col("lightolive"); col("olive"); col("darkolive"); j -= 10; col("palegray"); col("lightgray"); col("mediumgray"); col("gray"); col("heavygray"); col("deepgray"); col("darkgray"); j -= 10; i += 150; j=0; col("black"); col("white"); j -= 10; col("orange"); col("fuchsia"); j -= 10; col("chartreuse"); col("springgreen"); j -= 10; col("purple"); col("royalblue"); j -= 10; col("Cyan"); col("Magenta"); col("Yellow"); col("Black"); j -= 10; col("cmyk(red)"); col("cmyk(blue)"); col("cmyk(green)"); asymptote-2.62/doc/external-proposal.html0000644000000000000000000004621513607467113017320 0ustar rootroot Asymptote Proposal - External Modules

Asymptote Proposal &mdash External Modules

Overview

External modules allow users to extend Asymptote by calling functions written in another programming language.

Users do this by writing a .asyc file, which contains a mix of Asymptote code and code from another language, say C++. Then, a program is run which produces a .asy file and a C++ source file. The C++ file is compiled to produce a shared library file. Then, the .asy file can be imported in Asymptote to use the externally defined features.

This spec is describes a proposed feature that has not yet been implemented. It is incomplete, and does not address all of the issues involved in implementing the feature.

Example

Let’s look at a simple example that shows off the main features. Asymptote currently doesn’t offer a way to read the contents of a directory. This would be useful if, say, we wanted to make a series of graphs for every .csv file in a directory.

/*****
 * dir.asyc
 * Andy Hammerlindl 2007/09/11
 *
 * An example for the proposed external module support in Asymptote.  This reads
 * the contents of a directory via the POSIX commands.
 *
 * Example usage in asymptote:
 *   access dir;
 *   dir.entry[] entries= dir.open('.');
 *   for (dir.entry e : entries)
 *     write(e.name);
 *****/

// Verbatim code will appear in the c++ or asy file (as specified) interleaved
// in the same order as it appears here.
verbatim c++ {
  #include <sys/types.h>
  #include <dirent.h>
  #include <errno.h>

  // asy.h is included by default (needed for hidden code, anyway).
  // Asymptote-specific types, such as array below, are in the asy namespace.
  using namespace asy;
}

// Define a new opaque type in asy which is internally represented by struct
// dirent *.  This is too messy to expose to users of the module, so define
// everything as private.
private asytype const struct dirent *entry_t;

private int entry_d_ino(entry_t e) {
  return (Int)e->d_ino;
}

private int entry_d_off(entry_t e) {
  return (Int)e->d_off;
}

private int entry_d_reclen(entry_t e) {
  return (Int)e->reclen;
}

private string entry_d_type(entry_t e) {
  return string( /*length*/ 1, e->d_type);
}

private string entry_d_name(entry_t e) {
  return string(e->d_name);
}

// Define an asy structure to expose the information.  These steps are annoying,
// but straightforward, and not too hard to plow through.
verbatim asy {
  struct entry {
    restricted int ino;
    restricted int off;
    restricted int reclen;
    restricted int type;
    restricted string name;

    void operator init(entry_t e) {
      ino=entry_d_ino(e);
      off=entry_d_off(e);
      reclen=entry_d_reclen(e);
      type=entry_d_type(e);
      name=entry_d_name(e);
    }
  }
}


// Given the name of a directory, return an array of entries.  Return 0
// (a null array) on error.
private entry_t[] base_read(string name)
{
  DIR *dir=opendir(name.c_str());

  // TODO: Add standard style of error reporting.
  if (dir == NULL)
    return 0;

  // Create the array structure.
  // array is derived from gc, so will be automatically memory-managed.
  array *a=new array();

  struct dirent *entry;
  while (entry=readdir(dir))
    a->push<struct dirent *>(entry);

  // The loop has exited, either by error, or after reading the entire
  // directory.  Check before closedir(), in case that call resets errno.
  if (errno != 0) {
    closedir(dir);
    return 0;
  }

  closedir(dir);
  return a;
}

verbatim asy {
  private entry[] cleanEntries(entry_t[] raw_entries) {
    if (raw_entries) {
      entry[] entries;
      for (entry_t e : raw_entries)
        entries.push(entry(e));
      return entries;
    }
    return null;
  }

  entry[] read(string name) {
    return cleanEntries(base_read(name));
  }
}

Type Mappings

Types in Asymptote do not directly relate to types in C++, but there is a partial mapping between them. The header file asymptote.h provides typedefs for the primitive asymptote types. For instance string in Asymptote maps to the C++ class asy::string which is a variant of std::string and real to asy::real which is a basic floating point type (probably double). Because int is a reserved word in C++, the Asymptote type int is mapped to asy::Int which is one of the basic signed numeric types in C++ (currently 64 bit). asy::pair is a class that implements complex numbers. In the first version of the external module implementation, these will be the only primitive types with mappings, but eventually all of them will be added.

All Asymptote arrays, regardless of the cell type, are mapped to asy::array * where asy::array is a C++ class. The cells of the array are of the type asy::item which can hold any Asymptote data type. Items can be constructed from any C++ type. Once constructed, the value of an item can be retrieved by the function template<typename T> T get(const item&). Calling get on an item using the wrong type generates a runtime error.

// Examples of using item.
item x((asy::Int)2);
item y(3.4);
item z=new array;
item w=(asy::real)3.4;

cout << get<asy::Int>(x);
cout << get<double>(y);

x=y;  // x now stores a double.
cout << get<double>(x);

cout << get<asy::real>(w);

The asy::array class implements, at a minimum, the methods:

  • size_t size() which returns the number of elements,
  • template <typename T> T read(size_t i) const which returns the i-th element, interpreted as being of type t.
  • template <typename T> void push(item i) adds the item to the end of the array.

It allows access to elements of the array as items by operator[]. We may specify that asy::array be a model of the Random Access Container in the C++ Standard Template Library. It is currently implemented as a subclass of an STL vector.

// Example of a C++ function that doubles the entries in an array of integers.
using namespace asy;

void doubler(array *a) {
  assert(a);
  size_t length=a->size();
  for (size_t i=0; i<length; ++i) {
    Int x=a->read<Int>(i);  // This is shorthand for get<Int>((*a)[i]).
    a[i]=2*x;               // The type of 2*x is also Int, so this will enter
                            // the item as the proper type.
  }
}

Users can map new Asymptote types to their own custom C++ types using Opaque Type Declarations, explained below.

Syntactic Features

A .asyc file is neither an asy file with some C++ in it, nor a C++ with some asy code in it. It can only contain a small number of specific constructs:

  • Comments
  • Function Definitions
  • Verbatim Code Block
  • Opaque Type Declaration

Each component may produce code for either the .asy file, the .cc file, or both. The pieces of code produced by each construct appears in the output file in the same order as the constructs in the .asyc. For example, if a function definition occurs before a verbatim Asymptote code block, we can be sure that the function is defined and can be used in that block. Similarly, if a verbatim C++ block occurs before a function definition, then the body of the function can use features declared in the verbatim section.

Comments

C++/Asymptote style comments using /* */ or // are allowed at the top level. These do not affect the definition of the module, but the implementation may copy them into the .asy and .cc to help explain the resulting code.

Verbatim Code Blocks

Verbatim code, ie. code to be copied directly into the either the output .asy or .cc file can be specified in the .asyc file by enclosing it in a verbatim code block. This starts with the special identifier verbatim followed by either c++ or asy to specify into which file the code will be copied, and then a block of code in braces. When the .asyc file is parsed, the parser keeps track of matching open and close braces inside the verbatim code block, so that the brace at the start of the block can be matched with the one at the end. This matching process will ignore braces occuring in comments and string and character literals.

Open issue

It may prove to be impractical to walk through the code, matching braces. Also, this plan precludes having a verbatim block with an unbalanced number of braces which might be useful, say to start a namespace at the beginning of the C++ file, and end it at the end of the file. As such, it may be useful to have another technique. A really simple idea (with obvious drawbacks) would be to use the first closing braces that occur at the same indentation level as the verbatim keyword (assuming that the code block itself will be indented). Other alternatives are to use more complicated tokens such as %{ and %}, or the shell style <<EOF.

Function Definitions

A function definition given at the top level of the file (and not inside a verbatim block) looks much like a function definition in Asymptote or C++, but is actually a mix of both. The header of the function is given in Asymptote code, and defines how the function will look in the resulting Asymptote module. The body, on the other hand, is given in C++, and defines how the function is implemented in C++. As a simple example, consider:

real sum(real x, real y=0.0) {
  return x+y;
}

Header

The header of the definition gives the name, permission, return type, and parameters of the function. Because the function is defined for use in Asymptote, all of the types are given as Asymptote types.

Permissions

As in pure Asymptote, the function can optionally be given a private, restricted or public permission. If not specified, the permission is public by default. This is the permission that the function will have when it is part of the Asymptote module. The example of sum above specifies no permission, so it is public.

Just as public methods such as plain.draw can be re-assigned by scripts that import the plain module, the current plan is to allow Asymptote code to modify public members of any module, including ones defined using native code. This is in contrast to builtin functions bindings, which cannot be modified.

Return Type

This gives the Asymptote return type of the function. This cannot be an arbitrary Asymptote type, but must one which maps to a C++ type as explained in the type mapping section above. Our example of sum gives real as a return type, which maps to the C++ type asy::real.

Function Name

This gives the name of the function as it will appear in the Asymptote module. In our example, the Asymptote name is sum. The name can be any Asymptote identifier, including operator names, such as operator +.

It is important to note that the Asymptote name has no relation to the C++ name of the function, which may be something strange, such as _asy_func_modulename162. Also, the actual signature and return type of the C++ function may bear no relation to the Asymptote signature. That said, the C++ name of the function may be defined by giving the function name as asyname:cname. Then it can be referred to by other C++ code. The function will be defined with C calling convention, so that its name is not mangled.

Formal Parameters

The function header takes a list of formal parameters. Just as in pure Asymptote code, these can include explicit keywords, type declarations with array and functional types, and rest parameters. Just as with the return type of the function, the type of each of the parameters must map to a C++ type.

Parameters may be given an optional Asymptote name and an optional C++ name. These may be declared in one of six ways as in the following examples:

void f(int)
void f(int name)
void f(int :)
void f(int asyname:)
void f(int :cname)
void f(int asyname:cname)

If the parameter just contains a type, with no identifier, then it has no Asymptote name and no C++ name. If it contains a single name (with no colon), then that name is both the Asymptote and the C++ name. If it contains a colon in the place of an identifier, with an optional name in front of the colon and an optional name behind the colon, than the name in front (if given) is the Asymptote name, and the name behind (if given) is the C++ name.

The Asymptote name can be any Asymptote identifier, including operator names, but the C++ name must be a valid C++ identifier. For instance void f(int operator +) is not allowed, as the parameter would not have a valid C++ name. The examples void f(int operator +:) and void f(int operator +:addop) are allowed.

When called by Asymptote code, named arguments are only matched to the Asymptote names, so for example a function defined by void f(int :x, string x:y) could be called by f(x="hi mom", 4), but one defined by void f(int x, string x:y) could not.

Each formal parameter may take a piece of code as a default value. Because the function is implemented in C++, this code must be given as C++ code. More akin to Asymptote than C++, default arguments may occur for any non-rest parameters, not just those at the end of the list, and may refer to earlier parameters in the list. Earlier parameters are refered to by their C++ names. Example:

void drawbox(pair center, real width, real height=2*width, pen p)
Default arguments are parsed by finding the next comma that is not part of a comment, string literal, or character constant, and is not nested inside parentheses. The C++ code between the equals-sign and the comma is taken as the expression for the default argument.

Body

The body of the function is written as C++ code. When the .asyc file is processed, this C++ code is copied verbatim into an actual C++ function providing the implementation. However, the actual body of the resultant C++ function may contain code other than the body provided by the user. This auxillary code could include instruction to retrieve the arguments of the function from their representation in the Asymptote virtual machine and bind them to local variables with their C++ names. It could also include initialization and finalization code for the function.

In writing code for the function body, one can be assured that all function arguments with C++ names have been bound and are therefore usable in the code. Since all parameters must have Asymptote types that map to C++ types, the types of the paramaters in the body have the type resulting from that mapping.

The return keyword can be used to return the result of the function (or without an expression, if the return type was declared as void). The Asymptote return type must map to a C++ type, and the expression given in the return statement will be implicitly cast to that type.

Since the implementation will likely not use an actual return statement to return the value of the function back to the Asymptote virtual machine, the interpreter of the .asyc file may walk through the code converting return expressions into a special format in the actual implementation of the function.

Opaque Type Declarations

There are a number of mappings between Asymptote and C++ types builtin to the facility. For instance int maps to asy::Int and real to asy::real. Users, however, may want to reference other C++ objects in Asymptote code. This done though opaque type declarations.

An opaque type declaration is given by an optional permission modifier, the keyword asytype, a C++ type, and an Asymptote identifier; in that order.

// Examples
asytype char char;
public asytype const std::list<asy::Int> *intList;
private asytype const struct dirert *entry_t;

This declaration mapping the Asymptote identifier to the C++ type within the module. The permission of the Asymptote type is given by the permission modifier (or public if the modifier is omitted). The type is opaque, in that none of its internal structure is revealed in the Asymptote code. Like any other type, however, objects of this new type can be returned from functions, given as an arguments to functions, and stored in variables, structures and arrays.

In many cases, such as the directory listing example at the start, it will be practical to declare the type as private, and use an Asymptote structure as a wrapper hiding the C++ implementation.

asymptote-2.62/doc/FAQ/0000755000000000000000000000000013607467360013356 5ustar rootrootasymptote-2.62/doc/FAQ/install-sh0000755000000000000000000003253713607467113015370 0ustar rootroot#!/bin/sh # install - install a program, script, or datafile scriptversion=2009-04-28.21; # UTC # This originates from X11R5 (mit/util/scripts/install.sh), which was # later released in X11R6 (xc/config/util/install.sh) with the # following copyright and license. # # Copyright (C) 1994 X Consortium # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to # deal in the Software without restriction, including without limitation the # rights to use, copy, modify, merge, publish, distribute, sublicense, and/or # sell copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # X CONSORTIUM BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN # AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNEC- # TION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. # # Except as contained in this notice, the name of the X Consortium shall not # be used in advertising or otherwise to promote the sale, use or other deal- # ings in this Software without prior written authorization from the X Consor- # tium. # # # FSF changes to this file are in the public domain. # # Calling this script install-sh is preferred over install.sh, to prevent # `make' implicit rules from creating a file called install from it # when there is no Makefile. # # This script is compatible with the BSD install script, but was written # from scratch. nl=' ' IFS=" "" $nl" # set DOITPROG to echo to test this script # Don't use :- since 4.3BSD and earlier shells don't like it. doit=${DOITPROG-} if test -z "$doit"; then doit_exec=exec else doit_exec=$doit fi # Put in absolute file names if you don't have them in your path; # or use environment vars. chgrpprog=${CHGRPPROG-chgrp} chmodprog=${CHMODPROG-chmod} chownprog=${CHOWNPROG-chown} cmpprog=${CMPPROG-cmp} cpprog=${CPPROG-cp} mkdirprog=${MKDIRPROG-mkdir} mvprog=${MVPROG-mv} rmprog=${RMPROG-rm} stripprog=${STRIPPROG-strip} posix_glob='?' initialize_posix_glob=' test "$posix_glob" != "?" || { if (set -f) 2>/dev/null; then posix_glob= else posix_glob=: fi } ' posix_mkdir= # Desired mode of installed file. mode=0755 chgrpcmd= chmodcmd=$chmodprog chowncmd= mvcmd=$mvprog rmcmd="$rmprog -f" stripcmd= src= dst= dir_arg= dst_arg= copy_on_change=false no_target_directory= usage="\ Usage: $0 [OPTION]... [-T] SRCFILE DSTFILE or: $0 [OPTION]... SRCFILES... DIRECTORY or: $0 [OPTION]... -t DIRECTORY SRCFILES... or: $0 [OPTION]... -d DIRECTORIES... In the 1st form, copy SRCFILE to DSTFILE. In the 2nd and 3rd, copy all SRCFILES to DIRECTORY. In the 4th, create DIRECTORIES. Options: --help display this help and exit. --version display version info and exit. -c (ignored) -C install only if different (preserve the last data modification time) -d create directories instead of installing files. -g GROUP $chgrpprog installed files to GROUP. -m MODE $chmodprog installed files to MODE. -o USER $chownprog installed files to USER. -s $stripprog installed files. -t DIRECTORY install into DIRECTORY. -T report an error if DSTFILE is a directory. Environment variables override the default commands: CHGRPPROG CHMODPROG CHOWNPROG CMPPROG CPPROG MKDIRPROG MVPROG RMPROG STRIPPROG " while test $# -ne 0; do case $1 in -c) ;; -C) copy_on_change=true;; -d) dir_arg=true;; -g) chgrpcmd="$chgrpprog $2" shift;; --help) echo "$usage"; exit $?;; -m) mode=$2 case $mode in *' '* | *' '* | *' '* | *'*'* | *'?'* | *'['*) echo "$0: invalid mode: $mode" >&2 exit 1;; esac shift;; -o) chowncmd="$chownprog $2" shift;; -s) stripcmd=$stripprog;; -t) dst_arg=$2 shift;; -T) no_target_directory=true;; --version) echo "$0 $scriptversion"; exit $?;; --) shift break;; -*) echo "$0: invalid option: $1" >&2 exit 1;; *) break;; esac shift done if test $# -ne 0 && test -z "$dir_arg$dst_arg"; then # When -d is used, all remaining arguments are directories to create. # When -t is used, the destination is already specified. # Otherwise, the last argument is the destination. Remove it from $@. for arg do if test -n "$dst_arg"; then # $@ is not empty: it contains at least $arg. set fnord "$@" "$dst_arg" shift # fnord fi shift # arg dst_arg=$arg done fi if test $# -eq 0; then if test -z "$dir_arg"; then echo "$0: no input file specified." >&2 exit 1 fi # It's OK to call `install-sh -d' without argument. # This can happen when creating conditional directories. exit 0 fi if test -z "$dir_arg"; then trap '(exit $?); exit' 1 2 13 15 # Set umask so as not to create temps with too-generous modes. # However, 'strip' requires both read and write access to temps. case $mode in # Optimize common cases. *644) cp_umask=133;; *755) cp_umask=22;; *[0-7]) if test -z "$stripcmd"; then u_plus_rw= else u_plus_rw='% 200' fi cp_umask=`expr '(' 777 - $mode % 1000 ')' $u_plus_rw`;; *) if test -z "$stripcmd"; then u_plus_rw= else u_plus_rw=,u+rw fi cp_umask=$mode$u_plus_rw;; esac fi for src do # Protect names starting with `-'. case $src in -*) src=./$src;; esac if test -n "$dir_arg"; then dst=$src dstdir=$dst test -d "$dstdir" dstdir_status=$? else # Waiting for this to be detected by the "$cpprog $src $dsttmp" command # might cause directories to be created, which would be especially bad # if $src (and thus $dsttmp) contains '*'. if test ! -f "$src" && test ! -d "$src"; then echo "$0: $src does not exist." >&2 exit 1 fi if test -z "$dst_arg"; then echo "$0: no destination specified." >&2 exit 1 fi dst=$dst_arg # Protect names starting with `-'. case $dst in -*) dst=./$dst;; esac # If destination is a directory, append the input filename; won't work # if double slashes aren't ignored. if test -d "$dst"; then if test -n "$no_target_directory"; then echo "$0: $dst_arg: Is a directory" >&2 exit 1 fi dstdir=$dst dst=$dstdir/`basename "$src"` dstdir_status=0 else # Prefer dirname, but fall back on a substitute if dirname fails. dstdir=` (dirname "$dst") 2>/dev/null || expr X"$dst" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$dst" : 'X\(//\)[^/]' \| \ X"$dst" : 'X\(//\)$' \| \ X"$dst" : 'X\(/\)' \| . 2>/dev/null || echo X"$dst" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q' ` test -d "$dstdir" dstdir_status=$? fi fi obsolete_mkdir_used=false if test $dstdir_status != 0; then case $posix_mkdir in '') # Create intermediate dirs using mode 755 as modified by the umask. # This is like FreeBSD 'install' as of 1997-10-28. umask=`umask` case $stripcmd.$umask in # Optimize common cases. *[2367][2367]) mkdir_umask=$umask;; .*0[02][02] | .[02][02] | .[02]) mkdir_umask=22;; *[0-7]) mkdir_umask=`expr $umask + 22 \ - $umask % 100 % 40 + $umask % 20 \ - $umask % 10 % 4 + $umask % 2 `;; *) mkdir_umask=$umask,go-w;; esac # With -d, create the new directory with the user-specified mode. # Otherwise, rely on $mkdir_umask. if test -n "$dir_arg"; then mkdir_mode=-m$mode else mkdir_mode= fi posix_mkdir=false case $umask in *[123567][0-7][0-7]) # POSIX mkdir -p sets u+wx bits regardless of umask, which # is incompatible with FreeBSD 'install' when (umask & 300) != 0. ;; *) tmpdir=${TMPDIR-/tmp}/ins$RANDOM-$$ trap 'ret=$?; rmdir "$tmpdir/d" "$tmpdir" 2>/dev/null; exit $ret' 0 if (umask $mkdir_umask && exec $mkdirprog $mkdir_mode -p -- "$tmpdir/d") >/dev/null 2>&1 then if test -z "$dir_arg" || { # Check for POSIX incompatibilities with -m. # HP-UX 11.23 and IRIX 6.5 mkdir -m -p sets group- or # other-writeable bit of parent directory when it shouldn't. # FreeBSD 6.1 mkdir -m -p sets mode of existing directory. ls_ld_tmpdir=`ls -ld "$tmpdir"` case $ls_ld_tmpdir in d????-?r-*) different_mode=700;; d????-?--*) different_mode=755;; *) false;; esac && $mkdirprog -m$different_mode -p -- "$tmpdir" && { ls_ld_tmpdir_1=`ls -ld "$tmpdir"` test "$ls_ld_tmpdir" = "$ls_ld_tmpdir_1" } } then posix_mkdir=: fi rmdir "$tmpdir/d" "$tmpdir" else # Remove any dirs left behind by ancient mkdir implementations. rmdir ./$mkdir_mode ./-p ./-- 2>/dev/null fi trap '' 0;; esac;; esac if $posix_mkdir && ( umask $mkdir_umask && $doit_exec $mkdirprog $mkdir_mode -p -- "$dstdir" ) then : else # The umask is ridiculous, or mkdir does not conform to POSIX, # or it failed possibly due to a race condition. Create the # directory the slow way, step by step, checking for races as we go. case $dstdir in /*) prefix='/';; -*) prefix='./';; *) prefix='';; esac eval "$initialize_posix_glob" oIFS=$IFS IFS=/ $posix_glob set -f set fnord $dstdir shift $posix_glob set +f IFS=$oIFS prefixes= for d do test -z "$d" && continue prefix=$prefix$d if test -d "$prefix"; then prefixes= else if $posix_mkdir; then (umask=$mkdir_umask && $doit_exec $mkdirprog $mkdir_mode -p -- "$dstdir") && break # Don't fail if two instances are running concurrently. test -d "$prefix" || exit 1 else case $prefix in *\'*) qprefix=`echo "$prefix" | sed "s/'/'\\\\\\\\''/g"`;; *) qprefix=$prefix;; esac prefixes="$prefixes '$qprefix'" fi fi prefix=$prefix/ done if test -n "$prefixes"; then # Don't fail if two instances are running concurrently. (umask $mkdir_umask && eval "\$doit_exec \$mkdirprog $prefixes") || test -d "$dstdir" || exit 1 obsolete_mkdir_used=true fi fi fi if test -n "$dir_arg"; then { test -z "$chowncmd" || $doit $chowncmd "$dst"; } && { test -z "$chgrpcmd" || $doit $chgrpcmd "$dst"; } && { test "$obsolete_mkdir_used$chowncmd$chgrpcmd" = false || test -z "$chmodcmd" || $doit $chmodcmd $mode "$dst"; } || exit 1 else # Make a couple of temp file names in the proper directory. dsttmp=$dstdir/_inst.$$_ rmtmp=$dstdir/_rm.$$_ # Trap to clean up those temp files at exit. trap 'ret=$?; rm -f "$dsttmp" "$rmtmp" && exit $ret' 0 # Copy the file name to the temp name. (umask $cp_umask && $doit_exec $cpprog "$src" "$dsttmp") && # and set any options; do chmod last to preserve setuid bits. # # If any of these fail, we abort the whole thing. If we want to # ignore errors from any of these, just make sure not to ignore # errors from the above "$doit $cpprog $src $dsttmp" command. # { test -z "$chowncmd" || $doit $chowncmd "$dsttmp"; } && { test -z "$chgrpcmd" || $doit $chgrpcmd "$dsttmp"; } && { test -z "$stripcmd" || $doit $stripcmd "$dsttmp"; } && { test -z "$chmodcmd" || $doit $chmodcmd $mode "$dsttmp"; } && # If -C, don't bother to copy if it wouldn't change the file. if $copy_on_change && old=`LC_ALL=C ls -dlL "$dst" 2>/dev/null` && new=`LC_ALL=C ls -dlL "$dsttmp" 2>/dev/null` && eval "$initialize_posix_glob" && $posix_glob set -f && set X $old && old=:$2:$4:$5:$6 && set X $new && new=:$2:$4:$5:$6 && $posix_glob set +f && test "$old" = "$new" && $cmpprog "$dst" "$dsttmp" >/dev/null 2>&1 then rm -f "$dsttmp" else # Rename the file to the real destination. $doit $mvcmd -f "$dsttmp" "$dst" 2>/dev/null || # The rename failed, perhaps because mv can't rename something else # to itself, or perhaps because mv is so ancient that it does not # support -f. { # Now remove or move aside any old file at destination location. # We try this two ways since rm can't unlink itself on some # systems and the destination file might be busy for other # reasons. In this case, the final cleanup might fail but the new # file should still install successfully. { test ! -f "$dst" || $doit $rmcmd -f "$dst" 2>/dev/null || { $doit $mvcmd -f "$dst" "$rmtmp" 2>/dev/null && { $doit $rmcmd -f "$rmtmp" 2>/dev/null; :; } } || { echo "$0: cannot unlink or rename $dst" >&2 (exit 1); exit 1 } } && # Now rename the file to the real destination. $doit $mvcmd "$dsttmp" "$dst" } fi || exit 1 trap '' 0 fi done # Local variables: # eval: (add-hook 'write-file-hooks 'time-stamp) # time-stamp-start: "scriptversion=" # time-stamp-format: "%:y-%02m-%02d.%02H" # time-stamp-time-zone: "UTC" # time-stamp-end: "; # UTC" # End: asymptote-2.62/doc/FAQ/m-lout.pl0000644000000000000000000001373013607467113015130 0ustar rootroot## Lout output # Copyright (C) 1993-1995 Ian Jackson. # This file 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 2, or (at your option) # any later version. # It 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 GNU Emacs; see the file COPYING. If not, write to # the Free Software Foundation, Inc., 59 Temple Place - Suite 330, # Boston, MA 02111-1307, USA. # (Note: I do not consider works produced using these BFNN processing # tools to be derivative works of the tools, so they are NOT covered # by the GPL. However, I would appreciate it if you credited me if # appropriate in any documents you format using BFNN.) sub lout_init { open(LOUT,">$prefix.lout"); chop($dprint= `date '+%d %B %Y'`); $dprint =~ s/^0//; } sub lout_startup { local ($lbs) = &lout_sanitise($user_brieftitle); print LOUT <0)*40+5); $lout_plc= !$lout_plc; } sub lout_startlist { &lout_endpara; print LOUT "\@RawIndentedList style {\@Bullet} indent {0.5i} gap {1.1vx}\n"; $lout_styles .= 'l'; $lout_status= ''; } sub lout_endlist { &lout_endpara; print LOUT "\@EndList\n\n"; $lout_styles =~ s/.$//; } sub lout_item { &lout_endpara; print LOUT "\@ListItem{"; $lout_styles.= 'I'; } sub lout_startindex { print LOUT "//0.0fe\n"; } sub lout_endindex { $lout_status='p'; } sub lout_startindexmainitem { $lout_marker= $_[0]; $lout_status= ''; print LOUT "//0.3vx Bold \@Font \@HAdjust { \@HContract { { $_[1] } |3cx {"; $lout_iiendheight= '1.00'; $lout_styles .= 'X'; } sub lout_startindexitem { $lout_marker= $_[0]; print LOUT "\@HAdjust { \@HContract { { $_[1] } |3cx {"; $lout_iiendheight= '0.95'; $lout_styles .= 'X'; } sub lout_endindexitem { print LOUT "} } |0c \@PageOf { $lout_marker } } //${lout_iiendheight}vx\n"; $lout_styles =~ s/.$//; } sub lout_email { &lout_courier; &lout_text('<'); } sub lout_endemail { &lout_text('>'); &lout_endcourier; } sub lout_ftpon { &lout_courier; } sub lout_endftpon { &lout_endcourier; } sub lout_ftpin { &lout_courier; } sub lout_endftpin { &lout_endcourier; } sub lout_docref { } sub lout_enddocref { } sub lout_ftpsilent { $lout_ignore++; } sub lout_endftpsilent { $lout_ignore--; } sub lout_newsgroup { &lout_courier; } sub lout_endnewsgroup { &lout_endcourier; } sub lout_text { return if $lout_ignore; $lout_status= 'p'; $_= &lout_sanitise($_[0]); s/ $/\n/ unless $lout_styles =~ m/[fhX]/; print LOUT $_; } sub lout_tab { local ($size) = $_[0]*0.5; print LOUT " |${size}ft "; } sub lout_newline { print LOUT " //1.0vx\n"; } sub lout_sanitise { local ($in) = @_; local ($out); $in= ' '.$in.' '; $out=''; while ($in =~ m/(\s)(\S*[\@\/|\\\"\^\&\{\}\#]\S*)(\s)/) { $out .= $`.$1; $in = $3.$'; $_= $2; s/[\\\"]/\\$&/g; $out .= '"'.$_.'"'; } $out .= $in; $out =~ s/^ //; $out =~ s/ $//; $out; } sub lout_endpara { return if $lout_status eq ''; if ($lout_styles eq '') { print LOUT "\@LP\n\n"; } elsif ($lout_styles =~ s/I$//) { print LOUT "}\n"; } $lout_status= ''; } sub lout_startverbatim { print LOUT "//0.4f\n\@RawIndentedDisplay lines \@Break". " { {0.7 1.0} \@Scale {Courier Bold} \@Font {\n"; } sub lout_verbatim { $_= $_[0]; s/^\s*//; print LOUT &lout_sanitise($_),"\n"; } sub lout_endverbatim { print LOUT "}\n}\n//0.4f\n"; } 1; asymptote-2.62/doc/FAQ/m-html.pl0000644000000000000000000002277513607467113015122 0ustar rootroot## HTML output # Copyright (C) 1993-1995 Ian Jackson. # Modified by John Bowman 02Sep06: simply docref usage # This file 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 2, or (at your option) # any later version. # It 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 GNU Emacs; see the file COPYING. If not, write to # the Free Software Foundation, Inc., 59 Temple Place - Suite 330, # Boston, MA 02111-1307, USA. # (Note: I do not consider works produced using these BFNN processing # tools to be derivative works of the tools, so they are NOT covered # by the GPL. However, I would appreciate it if you credited me if # appropriate in any documents you format using BFNN.) %saniarray= ('<','lt', '>','gt', '&','amp', '"','quot'); sub html_init { $html_prefix = './'.$prefix; $html_prefix =~ s:^\.//:/:; system('rm','-r',"$html_prefix.html"); system('mkdir',"$html_prefix.html"); open(HTML,">$html_prefix.html/index.html"); print HTML "\n"; print HTML "\n"; $html_needpara= -1; $html_end=''; chop($html_date=`date '+%d %B %Y'`); chop($html_year=`date '+%Y'`); } sub html_startup { print HTML < $user_title

$user_title

END &html_readrefs($_[0]); if (length($user_copyrightref)) { local ($refn) = $qrefn{$user_copyrightref}; if (!length($refn)) { warn "unknown question (copyright) `$user_copyrightref'"; } $refn =~ m/(\d+)\.(\d+)/; local ($s,$n) = ($1,$2); $html_copyrighthref= ($s == $html_sectionn)?'':"section$s.html"; $html_copyrighthref.= "#$qn2ref{$s,$n}"; } } sub html_close { print HTML $html_end,"
\n$user_author\n"; print HTML "- $html_date\n

\n"; print HTML "Extracted from $user_title,\n"; print HTML "" if length($html_copyrighthref); print HTML "Copyright © $html_year $user_copyholder."; print HTML "" if length($html_copyrighthref); print HTML "\n\n"; close(HTML); } sub html_startmajorheading { local ($ref, $this,$next,$back) = @_; local ($nextt,$backt); $this =~ s/^Section /section/; $html_sectionn= $ref; $next =~ s/^Section /section/ && ($nextt= $sn2title{$'}); $back =~ s/^Section /section/ ? ($backt= $sn2title{$'}) : ($back=''); if ($html_sectionn) { &html_close; open(HTML,">$html_prefix.html/$this.html"); print HTML "\n"; print HTML "\n"; $html_end= "
\n"; $html_end.= "Next: $nextt.
\n" if $next; $html_end.= "Back: $backt.
\n" if $back; $html_end.= ""; $html_end.= "Return to contents.

\n"; print HTML < $user_brieftitle - Section $html_sectionn END print HTML "" if $next; print HTML "" if $back; print HTML <

$user_brieftitle - Section $html_sectionn
END $html_needpara= -1; } else { print HTML "\n

\n"; $html_needpara=-1; } } sub html_endmajorheading { print HTML "\n

\n\n"; $html_needpara=-1; } sub html_startminorheading { local ($ref, $this) = @_; $html_needpara=0; $this =~ m/^Question (\d+)\.(\d+)/; local ($s,$n) = ($1,$2); print HTML "\n

\n"; } sub html_endminorheading { print HTML "\n

\n\n"; $html_needpara=-1; } sub html_newsgroup { &arg('newsgroup'); } sub html_endnewsgroup { &endarg('newsgroup'); } sub html_do_newsgroup { print HTML "$_[0]"; } sub html_email { &arg('email'); } sub html_endemail { &endarg('email'); } sub html_do_email { print HTML "$_[0]"; } sub html_courier { print HTML "" ; } sub html_endcourier { print HTML ""; } sub html_italic { print HTML "" ; } sub html_enditalic { print HTML "" ; } sub html_docref { &arg('docref'); } sub html_enddocref { &endarg('docref'); } sub html_do_docref { if (!defined($html_refval{$_[0]})) { # Modified by John Bowman 02Sep06: interpret the argument as an html reference # warn "undefined HTML reference $_[0]"; # $html_refval{$n}='UNDEFINED'; print HTML ""; } else { print HTML ""; } &recurse($_[0]); print HTML ""; } sub html_readrefs { local ($p); open(HTMLREFS,"<$_[0]") || (warn("failed to open HTML refs $_[0]: $!"),return); while() { next if m/^\\\s/; s/\s*\n$//; if (s/^\\prefix\s*//) { $p= $'; next; } elsif (s/^\s*(\S.*\S)\s*\\\s*//) { $_=$1; $v=$'; s/\\\\/\\/g; $html_refval{$_}= $p.$v; } else { warn("cannot understand line in HTML refs >$_<"); } } close(HTMLREFS); } sub html_ftpsilent { &arg('ftpsilent'); } sub html_endftpsilent { &endarg('ftpsilent'); } sub html_do_ftpsilent { if ($_[0] =~ m/:/) { $html_ftpsite= $`; $html_ftpdir= $'.'/'; } else { $html_ftpsite= $_[0]; $html_ftpdir= ''; } } sub html_ftpon { &arg('ftpon'); } sub html_endftpon { &endarg('ftpon'); } sub html_do_ftpon { #print STDERR "ftpon($_[0])\n"; $html_ftpsite= $_[0]; $html_ftpdir= ''; print HTML ""; &recurse($_[0]); print HTML ""; } sub html_ftpin { &arg('ftpin'); } sub html_endftpin { &endarg('ftpin'); } sub html_do_ftpin { #print STDERR "ftpin($_[0])\n"; print HTML ""; &recurse($_[0]); print HTML ""; } sub html_text { print HTML "\n

\n" if $html_needpara > 0; $html_needpara=0; $html_stuff= &html_sanitise($_[0]); while ($html_stuff =~ s/^(.{40,70}) //) { print HTML "$1\n"; } print HTML $html_stuff; } sub html_tab { $htmltabignore++ || warn "html tab ignored"; } sub html_newline { print HTML "
\n" ; } sub html_startverbatim { print HTML "

\n"   ;                       }
sub html_verbatim      { print HTML &html_sanitise($_[0]),"\n";         }
sub html_endverbatim   { print HTML "
\n" ; $html_needpara= -1; } sub html_endpara { $html_needpara || $html_needpara++; } sub html_finish { &html_close; } sub html_startindex { print HTML "
    \n"; } sub html_endindex { print HTML "

\n"; } sub html_startindexitem { local ($ref,$qval) = @_; $qval =~ m/Q(\d+)\.(\d+)/; local ($s,$n) = ($1,$2); print HTML "
  • Q$s.$n. "; $html_indexunhead=''; } sub html_startindexmainitem { local ($ref,$s) = @_; $s =~ m/\d+/; $s= $&; print HTML "

    " if ($s > 1); print HTML "
  • Section $s. "; $html_indexunhead=''; } sub html_endindexitem { print HTML "$html_indexunhead\n"; } sub html_startlist { print HTML "\n"; $html_itemend="
      "; } sub html_endlist { print HTML "$html_itemend\n
    \n"; $html_needpara=-1 } sub html_item { print HTML "$html_itemend\n
  • "; $html_itemend=""; $html_needpara=-1; } sub html_startpackedlist { print HTML "\n"; $html_itemend=""; } sub html_endpackedlist { print HTML "$html_itemend\n\n"; $html_needpara=-1; } sub html_packeditem { print HTML "$html_itemend\n
  • "; $html_itemend=""; $html_needpara=-1; } sub html_startindent { print HTML "
    \n"; } sub html_endindent { print HTML "
    \n"; } sub html_pageref { local ($ref,$sq) = @_; $sq =~ m/(\d+)\.(\d+)/; local ($s,$n) = ($1,$2); print HTML "Q$sq \`"; } sub html_endpageref { print HTML "'"; } sub html_sanitise { local ($in) = @_; local ($out); while ($in =~ m/[<>&"]/) { $out.= $`. '&'. $saniarray{$&}. ';'; $in=$'; } $out.= $in; $out; } 1; asymptote-2.62/doc/FAQ/asy-faq.bfnn0000644000000000000000000011747413607467113015576 0ustar rootroot\comment This is the source for the Asymptote FAQ list, in \comment the Bizarre Format With No Name. It is turned into Lout \comment input, HTML, plain ASCII and an Info document by a Perl script. \comment \comment The format and scripts come from the Linux FAQ, by \comment Ian Jackson. \set brieftitle Asymptote FAQ \set author Asymptote \set title Asymptote Frequently Asked Questions \copyto ASCII ASYMPTOTE FREQUENTLY ASKED QUESTIONS `date '+%d %h %Y'` \endcopy \copyto INFO INFO-DIR-SECTION Languages START-INFO-DIR-ENTRY * asymptote FAQ: (asy-faq). Asymptote Frequently Asked Questions. END-INFO-DIR-ENTRY  File: asy-faq.info, Node: Top, Next: Question 1.1, Up: (dir) ASYMPTOTE FREQUENTLY ASKED QUESTIONS `date '+%d %h %Y'` \endcopy This is the list of Frequently Asked Questions about Asymptote (asy). \section Index \index \comment ###################################################################### \section About Asymptote \question 26jun:whatisasy What is Asymptote? Asymptote is a vector graphics language designed for technical graphics, inspired by MetaPost but with IEEE floating-point numerics, native three-dimensional graphics, Grayscale/RGB/CMYK colourspaces, and a C++-like syntax. Unlike MetaPost, it natively supports multiple-segment paths (and hence regions other than simply connected ones), tiling patterns, Gouraud shading, tensor patch shading, and PostScript images. \question 22jun:whereisasy How do I obtain Asymptote? Binary releases are available for Linux, MacOS X, and Microsoft Windows platforms, in addition to full source code, from the website \docref{http://asymptote.sourceforge.net/\}. Many Linux distributions (such as RedHat and Debian) now include an Asymptote package (check your distribution's documentation for further information about this). \question 28jun:beforeasking Where can I ask questions about Asymptote? If you have a question, please try to find an answer in this FAQ, in the extensive Asymptote documentation at \docref{http://asymptote.sourceforge.net/doc/\}, or search the forum: \docref{http://sourceforge.net/forum/forum.php?forum_id=409349\}. \question 02sep:whyasy Why was the name Asymptote chosen? Well, it isn't the perfect graphics package, but we do think it is getting there asymptotically... \question 02sep:whycamp In the internal Asymptote source code, what does the name \courier{camp\} refer to? That was our original tentative name for this project, which stood for "C's Answer to MetaPost" (the language that inspired Asymptote). However, we eventually decided that the name \courier{Asymptote\} better emphasizes the mathematical and graphical nature of this language. \comment ###################################################################### \section Questions about installation and setup \question 26jun:osx Is it possible to install Asymptote on Mac OS X? It is easy to compile Asymptote directly from the source code at \docref{http://sourceforge.net/project/showfiles.php?group_id=120000\} We recommend first upgrading to the latest GNU readline library, unless you don't care about interactive readline support (in which case configure will automatically detect and disable obsolete versions of the readline library). Marius Schamschula also maintains a binary package for various MacOS X platforms \docref{http://www.hmug.org/pub/MacOS_X/X/Applications/Publishing/asymptote\}. \question 26jun:osxbadCPU Why do I get the error \courier{Bad CPU type in executable\} on installing Asymptote from the MAC OS binary? This means either that you have a binary distribution for another MAC architecture, or (according to Marius Schamschula) that you may have a missing library. The simplest solution is to compile Asymptote directly from the official source: \docref{http://sourceforge.net/project/showfiles.php?group_id=120000\}. \question 04nov:brokenpdftex What do I do if I get the error: \courier{Error: pdfetex (file pdftex.cfg): cannot open config file...texinfo.tex appears to be broken\}? Simply put \docref{http://asymptote.sourceforge.net/asymptote.pdf\} in the directory \courier{doc\} and repeat the command \courier{make all\}. Or, if you don't want to build a local copy of the documentation, simply proceed with \courier{make install-asy\}. \question 04nov:brokentexinfo What do I do if I get the error: \courier{! Undefined control sequence. l.6 @copying\}? Either upgrade your \courier{texinfo\} package or follow one of the easy work arounds in \qref brokenpdftex. \question 27jun:latexintegration Is it possible to integrate Asymptote into LaTeX? Yes, see the example latexusage.tex. Dario Teixeira has also written a detailed guide on the topic. You can download it from \docref{http://dario.dse.nl/projects/asylatex/\}. Philippe Ivaldi has contributed an Asymptote mode for Emacs users \docref{http://asymptote.sourceforge.net/doc/Editing-modes.html\}, which includes a \courier{lasy-mode\} that allows one to compile and view the output of one \\begin{asy}...\\end{asy} section at a time. \question 02sep:pdflatex Is it possible to integrate Asymptote into latex or pdflatex? Yes, as of version 1.14, Asymptote supports latex and pdflatex (both in EPS/PDF and inline mode), as illustrated by the example \courier{latexusage.tex\}: \verbatim pdflatex latexusage asy latexusage pdflatex latexusage \endverbatim \question 02sep:tkinterdepend Do I need the \courier{tkinter\} package to install an Asymptote rpm binary? No, you don't need \courier{tkinter\} unless you want to try out the GUI \courier{xasy\}. Try \verbatim rpm -Uvh --nodeps asymptote-x.xx-1.i386.rpm \endverbatim where \courier{x.xx\} represents the version number. \question 26jun:windir What does the path \courier{%USERPROFILE%\\.asy\\config.asy\} mean? That is the way that Microsoft Windows refers to the user profile directory. There's nothing really to understand here, just put your configuration commands in the file \courier{config.asy\} in a new folder \courier{%USERPROFILE%\\.asy\}. \question 25dec:escapechar Why do I get the error "string not terminated" when I try to set \courier{settings.dir="C:\\asymptote\\";\}? The backslash is an escape character here, so \courier{\\"\} is interpreted as a verbatim quotation mark, leaving the string without a terminating quotation mark. Fortunately, this is the only escaped character in double-quoted strings. A final backslash isn't needed here anyway, but should you really want one somewhere, you can say: \courier{settings.dir="C:\\asymptote"+'\\\\';\}. \question 27jun:winglobal How do I change environment variables in Microsoft Windows, for example, in order to change the default PostScript viewer? While it is easier to set the corresponding Asymptote configuration variable in your \courier{config.asy\} file, here is the procedure for changing Microsoft Windows environment variables: Click on the [Start] button * RIGHT-click on 'My Computer' * Choose 'Properties' from the popup menu * Click the 'Advanced' tab * Click the 'Environment Variables' button. \question 02sep:convert Under Microsoft Windows XP, why do I get an error like "Invalid Parameter - 432x432"? This means that ImageMagick wasn't properly installed and you are using the MSDOS convert program rather than the ImageMagick one. Or you may have installed ImageMagick but ran Asymptote from an existing MSDOS window. In that case, simply open a new window and try again. If that doesn't work, check that \verbatim convert --version \endverbatim returns something like \verbatim Version: ImageMagick 6.2.8 06/27/06 Q16 http://www.imagemagick.org \endverbatim \question 26jun:miktex Why does Asymptote freeze upon trying to draw a label with my MikTex installation under Microsoft Windows? Likely, this means that latex and dvips are not in your default path. Try adding the appropriate paths in your \courier{config.asy\} file, for example: \verbatim import settings; latex="C:\Program Files\MiKTeX 2.7\miktex\bin\latex.exe"; dvips="C:\Program Files\MiKTeX 2.7\miktex\bin\dvips.exe"; \endverbatim \comment ##################################################################### \section Questions about paths \question 02sep:tensionsyntax Why do I get a syntax error message when I specify an integer value for the path tension? What is happening here is that \verbatim draw((0,0)..tension 2..(0,50)..(100,100)); \endverbatim is read as \verbatim draw((0,0)..tension 2. .(0,50)..(100,100)); \endverbatim So the first . after the two is treated as a decimal point. Just put a space after the integer tension value: \verbatim draw((0,0)..tension 2 ..(0,50)..(100,100)); \endverbatim \question 27jun:dots Shouldn't dots always be the same size? From the documentation: "The dot command defined in the module plain draws a dot having a diameter equal to an explicit pen linewidth or the default linewidth magnified by dotfactor (6 by default)." Thus, when you use the default pen, the dot will have size 6*linewidth, but when you give a pen with an explicit width specified, you will have a dot of size linewidth. If you want the first case to behave like the second, you may set dotfactor=1. \comment ##################################################################### \section Questions about labels \question 02sep:greek How do I get Greek letters like omega to show up in my labels? In (La)TeX, Greek letters can be obtained in math mode by prepending a backslash to the letter name. So for a omega symbol, use "$\\omega$". Everything between the dollar signs is considered to be a math formula. Uppercase Greek letters can be used by capitalizing the first letter of the name: \verbatim label("$\omega$",(0,0)); label("$\Omega$",(20,0)); \endverbatim \question 29jun:matlabels Can Asymptote use matrices as labels? Yes: \verbatim usepackage("amsmath"); label("$\begin{matrix} 1 & 2 \\\ 1 & 1 \end{matrix}$",(0,0)); \endverbatim \question 27jun:latexpackage How do I tell Asymptote to load a particular LaTeX package, like \courier{mathptmx\}? Put \verbatim usepackage("mathptmx"); \endverbatim at the beginning of your file. Note: to enable the Adobe Times Roman font for text, you will also need to say: \verbatim defaultpen(TimesRoman()); \endverbatim \question 28jun:internatfonts How can I use international fonts in Asymptote labels? See \docref{http://asymptote.sourceforge.net/doc/unicode.html\}. \question 10jul:Fourier How can I use Fourier fonts? \verbatim usepackage("fourier"); defaultpen(font("T1","fut\textfamilyextension","m","n")); \endverbatim \question 26jun:decsep Is there any way to change the default appearance of the decimal separator, using a comma instead of a dot? Just set your locale appropriately: \verbatim locale("it_IT"); usepackage("icomma"); label(format(0.5)); \endverbatim \question 02sep:rotatelabel How can I get a rotated label with the filled box rotated as well so that it fits the text? \verbatim frame f; label(f,"This is some text",white,Fill(blue)); add(rotate(65)*f); \endverbatim \question 02sep:rotatelabel3D How can I rotate labels in a 3D figure? You need to first project the triple to a pair like this: \verbatim import three; size(100,100); draw(rotate(90,project(Z))*"A",O--X); \endverbatim \question 02sep:fixedsize How can I draw some squares and circles of a fixed size and put a label in the middle of them? Fixed-size objects should be drawn on a separate picture and then added to currentpicture. Here is one way (see also \docref{http://asymptote.sourceforge.net/gallery/subpictures.asy\} and \docref{http://asymptote.sourceforge.net/gallery/mosquito.asy\}): \verbatim real u=2cm; picture square; draw(square,scale(u)*shift(-0.5,-0.5)*unitsquare); picture circle; draw(circle,scale(0.5u)*unitcircle); void add(picture pic=currentpicture, Label L, picture object, pair z) { add(pic,object,z); label(pic,L,z); } add("square",square,(0,0)); add("circle",circle,(5cm,0)); \endverbatim \question 27jun:colorssaturation The binary operator * can be used to scale the color of a pen by a real number. Does this scaling factor have to be less than 1? The scaling factor can be greater than 1. But keep in mind that the rgb color components saturate at 1. Try \verbatim write(cyan); write(0.8*cyan); write(1.5*cyan); \endverbatim and you will quickly see what is going on. To get a lighter cyan you can say white+cyan, which yields rgb(0.5,1,1). If you want something even lighter specify the rgb colors directly, for example, rgb(0.9,1,1). Alternatively, work in cmyk colour space, which is nicer in that it handles saturation separately from hue: 0.1*Cyan is light and 0.9*Cyan is dark. You can also say 0.1*cmyk(red). \question 05mar:commadecimalseparator Why is the space after the comma decimal separator in my locale so large? LaTeX is treating the comma as punctuation and not as a decimal separator. The solution is to load the \courier{icomma\} package near the beginning of your file: \verbatim usepackage("icomma"); \endverbatim \question 11mar:hyperref How can I prevent \courier{texpreamble("\\usepackage[pdftex]{hyperref}")\} from changing the page size? \verbatim texpreamble("\usepackage[pdftex,setpagesize=false]{hyperref}"); \endverbatim \comment ##################################################################### \section Questions about arrows \question 02sep:doublearrows How do I draw two arrows at arbitrary positions along a path? Assuming that at least one of the arrowheads is to be filled, you can do this: \verbatim size(200); path g = (0,0)..(1,3)..(3,0); draw(g,Arrow(Relative(0.9))); add(arrow(g,invisible,FillDraw(black),Relative(0.5))); add(arrow(reverse(g),invisible,FillDraw(white,black),Relative(0.9))); \endverbatim If both of the arrowheads are to be drawn with filltype NoFill, one will need to create a specialized version of the arrow routine in \courier{plain_arrows.asy\}: \verbatim void arrow(frame f, arrowhead arrowhead=DefaultHead, path g, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=arrowhead.defaultfilltype, position position=EndPoint, bool forwards=true, margin margin=NoMargin, bool center=false); \endverbatim \question 02sep:reversearrow How do I reverse the direction of an arrowhead? Simply reverse the direction of the path. \verbatim path g=((0,0)--(5cm,0)); draw(reverse(g),Arrow(Relative(0.55))); \endverbatim \question 02sep:reversearrow How do I change the size of all arrows? To override the arrowsize you can give every Arrow drawing attribute a real size argument. If you want to do this globally, you can override the pen-dependent arrowsize function like this: \verbatim DefaultHead.size=new real(pen p=currentpen) {return 2mm;}; \endverbatim \question 26jun:arrowhead Can I create other arrowhead styles? Yes, you can build custom arrowheads like this (see the predefined arrowhead styles in \courier{plain_arrows.asy\} for further examples): \verbatim arrowhead DotHead; DotHead.head=new path(path g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle) { if(size == 0) size=DotHead.size(p); bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path r=subpath(g,position,0); pair x=point(r,0); real t=arctime(r,size); pair y=point(r,t); return circle(0.5(x+y),0.5size); }; size(100); draw((0,0)..(1,1)..(2,0),Arrow(DotHead)); dot((2,0),red); \endverbatim If you submit your alternate arrowheads to the Forum or the Patch Tracking System, we'll consider including them in a future release. \comment ##################################################################### \section Questions about 2D graphs \question 02sep:axisticks How can I draw x axis ticks on the right side, with the tick labels on the left side (relative to the axis path)? \verbatim import graph; size(250,200,IgnoreAspect); draw(graph(exp,-1,1),red); xaxis("$x$",RightTicks(Label(align=left))); yaxis("$y$",RightTicks); \endverbatim \question 02sep:axislabel How can I reposition the x axis label to three-quarters along the axis length? \verbatim import graph; size(250,200,IgnoreAspect); draw(graph(exp,-1,1),red); xaxis(Label("$x$",0.75),LeftTicks); yaxis("$y$",RightTicks); \endverbatim \question 02sep:axislabeldown How can I move the x axis label down 10bp? \verbatim import graph; size(250,200,IgnoreAspect); draw(graph(exp,-1,1),red); xaxis(shift(0,-10)*"$x$",LeftTicks); yaxis("$y$",RightTicks); \endverbatim \question 02sep:threeaxispens Can I use different pens for the axis, the axis label, and the tick labels? Yes: \verbatim import graph; size(300,200,IgnoreAspect); xlimits(-50,50); ylimits(0,100); xaxis(Label("$x$",MidPoint,red),Bottom,blue,LeftTicks(green)); yaxis("$y$",Left,RightTicks); \endverbatim \question 02sep:axislabelfont How can I change the font type of the axes label? \verbatim import graph; size(300,200,IgnoreAspect); xlimits(-50,50); ylimits(0,100); xaxis("x",Bottom,Courier("m","n"),LeftTicks); yaxis("$y$",Left,RightTicks); \endverbatim \question 02sep:axisticklabelfont How can I change the font type of the tick labels on an axis? Tick labels are by default typeset in (TeX) math mode, so to use other fonts you need to override the default tick format: \verbatim import graph; size(300,200,IgnoreAspect); xlimits(-50,50); ylimits(0,100); xaxis("$x$",Bottom,LeftTicks("%.4g",Courier("m","n")+fontsize(12))); yaxis("$y$",Left,RightTicks); \endverbatim \question 26jun:overlappingticklabels How can I prevent axes tick labels from rendering on top of each other? Either: (i) give LeftTicks/RightTicks/Ticks the arguments beginlabel=false and/or endlabel=false; (ii) explicitly remove specific ticks and their labels (drawing them manually; see \docref{http://www.github.com/vectorgraphics/asymptote/base/graph.asy\} for the definition of NoZero): \verbatim import graph; size(10cm); real f(real x) {return x^2;} draw(graph(f,-2,2)); xaxis(Ticks(NoZero)); yaxis(Ticks(NoZero)); label("$0$",(0,0),SW); \endverbatim (iii) explicitly remove specific tick labels and draw them manually (see \docref{http://www.github.com/vectorgraphics/asymptote/base/graph.asy\} for the definition of NoZeroFormat): \verbatim import graph; size(10cm); real f(real x) {return x^2;} draw(graph(f,-2,2)); xaxis(Ticks(NoZeroFormat)); yaxis(Ticks(NoZeroFormat)); label("$0$",(0,0),SW); \endverbatim (iv) use the xasy GUI to move overlapping labels; (v) change the Label argument of LeftTicks, RightTicks, or Ticks to: \verbatim Label(currentpen+overwrite(Move)) \endverbatim Solution (v) will move labels that might otherwise overwrite a previous label. Other possible overwrite arguments are Allow (allows overlapping labels; the default), Suppress (an overlapping label will not be written at all), SuppressQuiet, and MoveQuiet. The last two achieve the same result as the non-quiet types, but will not notify you which labels are overlapping. See: \docref{http://asymptote.sourceforge.net/doc/Pens.html\}. In the case of a user-specified tick array, you can change which labels get suppressed/moved by changing the order of array entries. \question 04nov:fixedsizegraphs How do I make the plot region of a graph, ignoring labels and legends, have a fixed size? Either: i) Specify an explicit unitsize, which overrides any call to \courier{size\}: \verbatim unitsize(x=1cm,y=2cm); \endverbatim ii) Explicitly tell Asymptote to map the plot region to a specific size: \verbatim import graph; real[] x={0,1,2,3}; real[] y=x^2; draw(graph(x,y),red); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); size(5cm,5cm,point(SW),point(NE)); label("$f_\mathrm{T}$",point(N),2N); \endverbatim iii) Specify the points in user coordinates that should correspond to a given picture size: \verbatim import graph; size(250,200,IgnoreAspect); draw(graph(exp,-1,1),red); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); fixedscaling((-1.5,-0.5),(1.5,3.5)); \endverbatim In this example, the user coordinate \courier{(-1.5,-0.5)\} will end up being the lower left corner of the figure and \courier{(1.5,3.5)\} will be the upper right corner. You can use this option to ensure multiple figures have the same scaling and same resulting figure size (just ensure the two coordinates given to \courier{fixedscaling()\} leaves room for any labels). See also \docref{http://asymptote.sourceforge.net/doc/Frames-and-pictures.html\}. \question 26jun:graphlimits How can I plot a function f(x) within [0,1]x[0,2] without explicitly calculating the x values for which f(x) hits the boundary? Call \courier{limits\} with the \courier{Crop\} option before drawing the graph: \verbatim import graph; size(250,200,IgnoreAspect); draw(graph(exp,-1,1),red); limits((0,0),(1,2),Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); \endverbatim See also \docref{http://asymptote.sourceforge.net/doc/graph.html\}. \question 26jun:custompalettes Is it possible to define customized palettes? Yes, you may generate your own pen[] array. For example: \verbatim int NColors=32768; pen[] MyPalette=new pen[NColors]; real step=1/(NColors-1.0); // Start at black: rgb(0,0,0) // End at yellow: rgb(1,1,0) for(int i=0; i < NColors; ++i) { real rgval=i*step; MyPalette[i]=rgb(rgval,rgval,0.0); } \endverbatim \question 26jun:factorial Is there an easy way to graph factorial functions nicely? The example below shows a continuous function and two methods for placing markers at integer values of x: \verbatim import graph; size(200,200,IgnoreAspect); real factorial(real t) {return gamma(t+1);} scale(Linear,Log); // Graph the factorial function. draw(graph(factorial,0,10)); // Method 1: Draw nodes, but hide line pair F(int t) {return (t,factorial(t));} // Graph of factorial function from 0 to 10 pair[] z=sequence(F,11); draw(graph(z),invisible,marker(scale(0.8mm)*unitcircle,blue,Fill)); // Method 2: Nongraphing routines require explicit scaling: pair dotloc(int t) {return Scale(F(t));} pair[] dotlocs=sequence(dotloc,11); dot(dotlocs); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); \endverbatim \question 26jun:length How do I indicate that a certain length should be exactly the size I prescribe with no rescaling, within a picture which has its own size? Here's an easy way to do this. \verbatim size(12cm,0); void distance(picture pic=currentpicture, pair A, pair B, Label L="", real n=0, pen p=currentpen) { real d=3mm; path g=A--B; transform T=shift(-n*d*unit(B-A)*I); pic.add(new void(frame f, transform t) { picture opic; path G=T*t*g; draw(opic,Label(L,Center,UnFill(1)),G,p,Arrows(NoFill),Bars,PenMargins); add(f,opic.fit()); }); pic.addBox(min(g),max(g),T*min(p),T*max(p)); } pair A=(0,0), B=(3,3); dot(A); dot(B); distance(A,B,"$\ell$",1); \endverbatim \question 26jun:log2 How can I make the y axis display base-2 logarithmic values? See the example \docref{http://asymptote.sourceforge.net/gallery/2D graphs/log2graph.asy\}. \question 27jun:align How can I align the x axes of two graphs on the same figure? An easy way to do this, if the axes to be aligned have the same scaling and size, is illustrated in the example \docref{http://asymptote.sourceforge.net/gallery/2D graphs/alignedaxis.asy\}. Here is a more general solution to the problem of aligning two arbitrary axes. One fits the second picture to a frame based on the horizontal scaling for the first picture: \verbatim import graph; real width=15cm; real aspect=0.3; picture pic1,pic2; size(pic1,width,aspect*width,IgnoreAspect); size(pic2,width,aspect*width,IgnoreAspect); scale(pic1,false); scale(pic2,false); real xmin1=6; real xmax1=9; real xmin2=8; real xmax2=16; real a1=1; real a2=0.001; real f1(real x) {return a1*sin(x/2*pi);} real f2(real x) {return a2*sin(x/4*pi);} draw(pic1,graph(pic1,f1,xmin1,xmax1)); draw(pic2,graph(pic2,f2,xmin2,xmax2)); xaxis(pic1,Bottom,LeftTicks()); yaxis(pic1,"$f_1(x)$",Left,RightTicks); xaxis(pic2,"$x$",Bottom,LeftTicks(Step=4)); yaxis(pic2,"$f_2(x)$",Left,RightTicks); yequals(pic1,0,Dotted); yequals(pic2,0,Dotted); pair min1=point(pic1,SW); pair max1=point(pic1,NE); pair min2=point(pic2,SW); pair max2=point(pic2,NE); real scale=(max1.x-min1.x)/(max2.x-min2.x); real shift=min1.x/scale-min2.x; transform t1=pic1.calculateTransform(); transform t2=pic2.calculateTransform(); transform T=xscale(scale*t1.xx)*yscale(t2.yy); add(pic1.fit()); real height=truepoint(N,user=false).y-truepoint(S,user=false).y; add(shift(0,-height)*(shift(shift)*pic2).fit(T)); \endverbatim \question 27jun:changeaxis How can I change the direction of the y-axis, such that negatives values are on the upper y-axis? Here is a simple example (see also the example \docref{http://asymptote.sourceforge.net/gallery/2D graphs/diatom.asy\} or the discussion of Linear(-1) in the documentation): \verbatim import graph; size(250,200,IgnoreAspect); scale(Linear,Linear(-1)); draw(graph(log,0.1,10),red); xaxis("$x$",LeftTicks); yaxis("$y$",RightTicks); \endverbatim \question 27jun:functioncolor How can I fill a path with a function that defines the color of each location? Use \courier{functionshade\} with a PDF tex engine, as illustrated by the example {functionshading.asy}. If you want to produce PostScript output, an approximate solution for now would be to superimpose a fine grid and specify colors to \courier{latticeshade\} that depend on position as a single pen[][] lattice. Alternatively, it may be more efficient to use \courier{tensorshade}. \question 27jun:nonexplicitfun Is there a way to draw a function that is not explicitly given, such as (y - 2)^2 = x - 1 ? Yes, use the parametric form \verbatim y=t x=(t-2)^2+1 \endverbatim See the example \docref{http://asymptote.sourceforge.net/gallery/2D graphs/parametricgraph.asy\}. \question 27jun:scalesecondaryaxis Is it possible to reverse or stretch an axis? The real scaling argument to Linear is used to stretch (or reverse) the axis. To see the effect of axis stretching, be sure not to specify IgnoreAspect in the picture size command. A secondary axis has the same length as the primary axis, so stretching cannot have any effect. But one can still reverse the axis, with Linear(-1). \question 02sep:emptymarkers Why can't I use the UnFill option to draw graphs with empty markers? UnFill won't work here because it only affects the local frame the markers are initially drawn on, before being added to currentpicture. Here is a way of achieving the desired effect (assuming a white background): \verbatim import graph; size(10cm,0); pair[] z={(0,0),(0.5,0.5),(1,1)}; path g=graph(z); draw(shift(0,.5)*g,marker(scale(5)*unitcircle,FillDraw(white))); xaxis(BottomTop,LeftTicks); yaxis(LeftRight,RightTicks); \endverbatim \question 02sep:paletterange How can I force several images to use the same palette range (e.g. the entire 0-255 grayscale range)? The palette color space corresponds to a range of values specified by the argument range, which can be \courier{Full\}, \courier{Automatic\} or an explicit range \courier{Range(pair min, pair max)\}. Here \courier{Full} specifies a range varying from the minimum to maximum values of the function over the sampling interval, while \courier{Automatic\} selects "nice" limits. \comment ##################################################################### \section Questions about programming \question 27jun:comporint Is Asymptote an interpreter or a compiler? Asymptote compiles Asymptote commands into its own virtual machine code. It then runs this pseudocode on a virtual machine to produce PostScript code. \question 05sep:framepicture What is the difference between a frame and a picture? Frames are canvases for drawing in PostScript coordinates. While working with frames directly is occasionally necessary for constructing deferred drawing routines, pictures are usually more convenient to work with. See \qref unitsizes. \question 05sep:pathguide What is the difference between a path and a guide? A path is a cubic spline with fixed endpoint conditions. A guide is an unresolved cubic spline (list of cubic-spline nodes and control points). A guide is like a path except that the computation of the cubic spline is deferred until drawing time (when it is resolved into a path); this allows two guides with free endpoint conditions to be joined together smoothly. \question 27jun:picarray What is a convenient way to declare and initialize an array of pictures? You could write yourself a routine such as: \verbatim picture[] picture(int n) { picture[] pic; for(int i=0; i < n; ++i) { pic[i]=new picture; size(pic[i],19cm,0); } return pic; } picture[] pic=picture(6); \endverbatim \question 27jun:genarrays Is there a way to define functions that act on arrays in general (i.e. work for arrays of any type)? Generic types aren't yet implemented. But for now you can at least say \verbatim typedef string T; include F; typedef real T; include F; \endverbatim where \courier{F.asy\} contains some type-dependent code like \verbatim T[] operator $(T A, T B) {return new T[] {A,B};} \endverbatim \question 27jun:cirdep Is there any way to declare structures ahead of their definition, e.g. where struct A performs some operation on struct B, but B contains an A member? Asymptote does not support forward declaration of types. You can, however, nest structures, so that both types are visible for parts of the bodies of both structure definitions. For example: \verbatim struct B { typedef void someroutine(B b); static struct A { someroutine routine; void operator init(someroutine routine) { this.routine=routine; } } string test="Testing"; } typedef B.A A; A a=B.A(new void(B b){write(b.test);}); B b; a.routine(b); \endverbatim \question 04nov:static Where are static variables in for loops allocated? In the example \verbatim void f() { for(int i=0; i < 3; ++i) { static int n; ++n; write(n); } } f(); // Writes 1, 2, 3 \endverbatim the static qualifier means that \courier{n\} is allocated not just outside of the for loop, but also outside the function. This is clear if you call \courier{f\} multiple times; there is still only one instance of \courier{n\}. The "level" of a variable (where it is allocated) has nothing to do with the "scope" of a variable (how long it can be referred to by name). The curly braces enclosing a block affect only a variable's scope, not its level. Static modifiers are meaningless at the top level; they generate a warning and are simply ignored: \verbatim for(int i=0; i < 3; ++i) { static int n; ++n; write(n); } // Writes warning about top-level static modifier and then 1, 1, 1 \endverbatim Since version 1.22, non-static variables allocated in a loop body are allocated anew every iteration. This is only noticable in obscure cases where a variable in a loop is accessed in the closure of a function defined in the loop: \verbatim int f(); for(int i=0; i < 10; ++i) { int j=10*i; if(i == 5) f=new int() {return j;}; } write(f()); // Writes 50 \endverbatim Variables in the body of a loop last as long as that iteration of the loop, unless they are kept alive by a function closure as in the example above. In a function body, variables will last at least as long as the function call, though because of closures and garbage collection, they may last longer than that. If defined at the top level of a file or at the interactive prompt, they will last at least until the end of the file or prompt's run. \question 26jun:debug Is there a debugger for asy? Yes, Asymptote includes a line-based debugger: \docref{http://asymptote.sourceforge.net/doc/Debugger.html\} \question 27jun:patches Do you accept patches for Asymptote? Yes, in fact we would prefer that users submit patches for customized features (to \docref{http://sourceforge.net/tracker/?atid=685685&group_id=120000\}) instead of relying on us to do all of the coding. Development will proceed faster that way. \comment ##################################################################### \section Questions about differences between Asymptote and MetaPost \question 29jun:interp What is the equivalent of the MetaPost c[a,b] interpolation operator? \verbatim interp(a,b,c); \endverbatim \question 02sep:automaticscaling How does picture scaling differ in Asymptote and MetaPost? Asymptote includes an optional facility to do automatic scaling of pictures to achieve a given overall picture size, whereas Metapost only supports manual scaling. Asymptote defers drawing of objects drawn to pictures and distinguishes between true-size objects and objects that should scale with the picture size. The resulting linear programming problem is solved via the Simplex method. See the \docref{http://asymptote.sourceforge.net/gallery/dimension.asy\} example for an example of how deferred drawing is used to accomodate both user and true-size (PostScript) coordinates. \question 02sep:manualscaling How can I avoid automatic scaling of a picture? If you really like Metapost-style manual (hard-wired) scaling either: (i) use the default size(0,0) for the entire picture and do all of the scaling by hand, just like in MetaPost; (ii) draw to a separate picture pic and add(pic.fit()); (iii) use frames. \question 23jun:mp3dots What is the equivalent of MetaPost ... command? The connector \courier{::\} is a macro for tension atleast 1: \verbatim size(100); pair z0=(0,0); pair z1=(1,0.25); pair z2=(2,0); draw(z0{up}::z1{right}::z2{down}); \endverbatim \question 23jun:mppickup What is the equivalent of the MetaPost pickup command? Just say, for example: \verbatim currentpen=red; \endverbatim \question 29aug:whatever What is the equivalent of the MetaPost whatever command? Asymptote does not implicitly solve linear equations and therefore does not have the notion of a \courier{whatever\} unknown. Such a facility could certainly be added (perhaps using the notation \courier{?=\} since \courier{=\} means assignment). However, the most common uses of \courier{whatever\} in MetaPost are covered by functions like \courier{extension\} in \courier{math.asy\}: \verbatim pair extension(pair P, pair Q, pair p, pair q); \endverbatim this returns the intersection point of the extensions of the line segments \courier{PQ\} and \courier{pq\}. We find using routines like \courier{extension\} more explicit and less confusing to new users. But we could be persuaded to add something similar if someone can justify the need. In the meantime, one can always use the explicit built-in linear solver \courier{solve\} (see \docref{http://asymptote.sourceforge.net/doc/solve.html\}), which uses LU decomposition. \question 23jun:lray What is the equivalent for the MetaPost command for \courier{lray - horiz*v - verti*u = whatever*(LightSource - R)\}, a system of three linear equations for three unknowns: \courier{horiz, verti, whatever\}? Since \courier{horiz*v+verti*u\} spans a plane, you could use \verbatim real intersect(vector P, vector Q, vector n, vector Z); \endverbatim to find the intersection time for the line \courier{lray-whatever*(LightSource - R)\} and then extract the three desired values from there. (You'll still need to use the built-in explicit linear solver to solve a 2x2 system to get \courier{horiz\} and \courier{verti\}.) \question 27jun:unitsizes In MetaPost, it is possible to have a drawing remain the same size in different pictures by defining a unit \courier{u\} and explicitly multiply all the coordinates by \courier{u\}. Is there a better way to do this in Asymptote? Yes, Asymptote has a better way: you definitely don't want to manually scale all of your coordinates. To make the user coordinates represent multiples of exactly \courier{1cm\}: \verbatim unitsize(1cm); draw(unitsquare); \endverbatim One can also specify different x and y unit sizes: \verbatim unitsize(x=1cm,y=2cm); draw(unitsquare); \endverbatim Another way is to draw your fixed size object to a frame and add it to currentpicture like this: \verbatim path p=(0,0)--(1,0); frame object; draw(object,scale(100)*p); add(object); add(object,(0,-10)); \endverbatim To understand the difference between frames and pictures, try this: \verbatim size(300,300); path p=(0,0)--(1,0); picture object; draw(object,scale(100)*p); add(object); add(object,(0,-10)); // Adds truesize object to currentpicture \endverbatim \question 28jun:tiles In MetaPost, one could produce tiling pictures by generating a picture, and then clipping the picture to a rectangle of fixed dimensions around the center of the picture. How is that done in Asymptote? If you are using currentpicture the way one would in MetaPost (drawing in raw PostScript coordinates), you can simply do something like: \verbatim fill((0,0)--(100,100)--(200,0)--cycle); pair center(picture pic=currentpicture) {return 0.5*(pic.min()+pic.max());} real height=100; real width=100; pair delta=0.5(width,height); pair c=center(); clip(box(c-delta,c+delta)); \endverbatim However, drawing in PostScript coordinates is often inconvenient. Here's the Asymptote way of doing the same thing, using deferred drawing: \verbatim size(200,100); fill((0,0)--(1,1)--(2,0)--cycle); void clip(picture pic=currentpicture, real width, real height) { pic.clip(new void (frame f, transform) { pair center=0.5(min(f)+max(f)); pair delta=0.5(width,height); clip(f,box(center-delta,center+delta)); }); } clip(100,100); \endverbatim See also the discussion of tilings in the documentation: \docref{http://asymptote.sourceforge.net/doc/Pens.html\}. \comment ###################################################################### \section Questions about output \question 27jun:psviewer How can I disable automatic invocation of the PS viewer after an asy file is done processing? It's actually not on by default, unless you happen to be using Microsoft Windows (because that is what most Microsoft Windows users expect). Microsoft Windows users can turn this feature off with the command-line option -noV or by putting \verbatim import settings; interactiveView=false; batchView=false; \endverbatim in their \courier{config.asy\} file. See \docref{http://asymptote.sourceforge.net/doc/Options.html\}. \question 26jun:jpeg How do I output jpeg images? If you have the ImageMagick convert program installed, simply type \verbatim asy -f jpg test.asy \endverbatim \question 27jun:embedbitmaps Can I embed bitmaps (photos) into my drawings and position and scale them? Convert them to eps format and use the graphic(string) function just like a Label: \verbatim label(graphic("file"),(0,0)); \endverbatim See the example \docref{http://asymptote.sourceforge.net/gallery/orthocenter.asy\} and \docref{http://asymptote.sourceforge.net/doc/label.html\}. \question 28jun:directpdf Does Asymptote support direct PDF output? Yes, PDF output can be produced by the -f pdf option or -tex pdflatex option. This supports transparency, annotations, embedded movies, and U3D/PRC content. \question 28jun:bigpictures How to I produce large pictures of high quality in raster format (e.g. png, giff etc). Try using some of the options to convert, mainly -geometry and -density. For example: \verbatim convert -geometry 1000x3000 example.eps example.png \endverbatim You can also change the default resolution of the image with: \verbatim convert -geometry 1000x3000 -density 300 -units PixelsPerInch example.eps example.png \endverbatim This does not change the number of pixels in the image, but just gives a hint as to how large each pixel should be displayed. If you include the -density option without the -geometry option, convert will keep the image size constant (so a 4cm x 3cm eps figure will generate a 4cm x 3cm png image). \question 28jun:multipage Is it possible to produce multi-page documents with asymptote? Yes, simply call the newpage() function. This is used by the \courier{slide.asy\} package to produce high-quality slide presentations (easier to use than Prosper). \comment Here it ends! asymptote-2.62/doc/FAQ/bfnnconv.pl0000755000000000000000000002176213607467113015533 0ustar rootroot#!/usr/bin/perl -- # Copyright (C) 1993-1995 Ian Jackson. # This file 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 2, or (at your option) # any later version. # It 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 GNU Emacs; see the file COPYING. If not, write to # the Free Software Foundation, Inc., 59 Temple Place - Suite 330, # Boston, MA 02111-1307, USA. # (Note: I do not consider works produced using these BFNN processing # tools to be derivative works of the tools, so they are NOT covered # by the GPL. However, I would appreciate it if you credited me if # appropriate in any documents you format using BFNN.) @outputs=('ascii','info','html'); while ($ARGV[0] =~ m/^\-/) { $_= shift(@ARGV); if (m/^-only/) { @outputs= (shift(@ARGV)); } else { warn "unknown option `$_' ignored"; } } $prefix= $ARGV[0]; $prefix= 'stdin' unless length($prefix); $prefix =~ s/\.bfnn$//; if (open(O,"$prefix.xrefdb")) { @xrefdb= ; close(O); } else { warn "no $prefix.xrefdb ($!)"; } $section= -1; for $thisxr (@xrefdb) { $_= $thisxr; chop; if (m/^Q (\w+) ((\d+)\.(\d+)) (.*)$/) { $qrefn{$1}= $2; $qreft{$1}= $5; $qn2ref{$3,$4}= $1; $maxsection= $3; $maxquestion[$3]= $4; } elsif (m/^S (\d+) /) { $maxsection= $1; $sn2title{$1}=$'; } } open(U,">$prefix.xrefdb-new"); for $x (@outputs) { require("./m-$x.pl"); } &call('init'); while (<>) { chop; next if m/^\\comment\b/; if (!m/\S/) { &call('endpara'); next; } if (s/^\\section +//) { $line= $_; $section++; $question=0; print U "S $section $line\n"; $|=1; print "S$section",' 'x10,"\r"; $|=0; &call('endpara'); &call('startmajorheading',"$section", "Section $section", $section<$maxsection ? "Section ".($section+1) : '', $section>1 ? 'Section '.($section-1) : 'Top'); &text($line); &call('endmajorheading'); if ($section) { &call('endpara'); &call('startindex'); for $thisxr (@xrefdb) { $_= $thisxr; chop; if (m/^Q (\w+) (\d+)\.(\d+) (.*)$/) { $ref= $1; $num1= $2; $num2= $3; $text= $4; next unless $num1 == $section; &call('startindexitem',$ref,"Q$num1.$num2","Question $num1.$num2"); &text($text); &call('endindexitem'); } } &call('endindex'); } } elsif (s/^\\question \d{2}[a-z]{3}((:\w+)?) +//) { $line= $_; $question++; $qrefstring= $1; $qrefstring= "q_${section}_$question" unless $qrefstring =~ s/^://; print U "Q $qrefstring $section.$question $line\n"; $|=1; print "Q$section.$question",' 'x10,"\r"; $|=0; &call('endpara'); &call('startminorheading',$qrefstring, "Question $section.$question", $question < $maxquestion[$section] ? "Question $section.".($question+1) : $section < $maxsection ? "Question ".($section+1).".1" : '', $question > 1 ? "Question $section.".($question-1) : $section > 1 ? "Question ".($section-1).'.'.($maxquestion[$section-1]) : 'Top', "Section $section"); &text("Question $section.$question. $line"); &call('endminorheading'); } elsif (s/^\\only +//) { @saveoutputs= @outputs; @outputs=(); for $x (split(/\s+/,$_)) { push(@outputs,$x) if grep($x eq $_, @saveoutputs); } } elsif (s/^\\endonly$//) { @outputs= @saveoutputs; } elsif (s/^\\copyto +//) { $fh= $'; while(<>) { last if m/^\\endcopy$/; while (s/^([^\`]*)\`//) { print $fh $1; m/([^\\])\`/ || warn "`$_'"; $_= $'; $cmd= $`.$1; $it= `$cmd`; chop $it; print $fh $it; } print $fh $_; } } elsif (m/\\index$/) { &call('startindex'); for $thisxr (@xrefdb) { $_= $thisxr; chop; if (m/^Q (\w+) (\d+\.\d+) (.*)$/) { $ref= $1; $num= $2; $text= $3; &call('startindexitem',$ref,"Q$num","Question $num"); &text($text); &call('endindexitem'); } elsif (m/^S (\d+) (.*)$/) { $num= $1; $text= $2; next unless $num; &call('startindexmainitem',"s_$num", "Section $num.","Section $num"); &text($text); &call('endindexitem'); } else { warn $_; } } &call('endindex'); } elsif (m/^\\call-(\w+) +(\w+)\s*(.*)$/) { $fn= $1.'_'.$2; eval { &$fn($3); }; warn $@ if length($@); } elsif (m/^\\call +(\w+)\s*(.*)$/) { eval { &call($1,$2); }; warn $@ if length($@); } elsif (s/^\\set +(\w+)\s*//) { $svalue= $'; $svari= $1; eval("\$user_$svari=\$svalue"); $@ && warn "setting $svalue failed: $@\n"; } elsif (m/^\\verbatim$/) { &call('startverbatim'); while (<>) { chop; last if m/^\\endverbatim$/; &call('verbatim',$_); } &call('endverbatim'); } else { s/\.$/\. /; &text($_." "); } } print ' 'x25,"\r"; &call('finish'); rename("$prefix.xrefdb-new","$prefix.xrefdb") || warn "rename xrefdb: $!"; exit 0; sub text { local($in,$rhs,$word,$refn,$reft,$fn,$style); $in= "$holdover$_[0]"; $holdover= ''; while ($in =~ m/\\/) { #print STDERR ">$`##$'\n"; $rhs=$'; &call('text',$`); $_= $rhs; if (m/^\w+ $/) { $holdover= "\\$&"; $in= ''; } elsif (s/^fn\s+([^\s\\]*\w)//) { $in= $_; $word= $1; &call('courier'); &call('text',$word); &call('endcourier'); } elsif (s/^tab\s+(\d+)\s+//) { $in= $_; &call('tab',$1); } elsif (s/^nl\s+//) { $in= $_; &call('newline'); } elsif (s/^qref\s+(\w+)//) { $refn= $qrefn{$1}; $reft= $qreft{$1}; if (!length($refn)) { warn "unknown question `$1'"; } $in= "$`\\pageref:$1:$refn:$reft\\endpageref.$_"; } elsif (s/^pageref:(\w+):([^:\n]+)://) { $in= $_; &call('pageref',$1,$2); } elsif (s/^endpageref\.//) { $in= $_; &call('endpageref'); } elsif (s/^(\w+)\{//) { $in= $_; $fn= $1; eval { &call("$fn"); }; if (length($@)) { warn $@; $fn= 'x'; } push(@styles,$fn); } elsif (s/^\}//) { $in= $_; $fn= pop(@styles); if ($fn ne 'x') { &call("end$fn"); } } elsif (s/^\\//) { $in= $_; &call('text',"\\"); } elsif (s,^(\w+)\s+([-A-Za-z0-9.\@:/]*\w),,) { #print STDERR "**$&**$_\n"; $in= $_; $style=$1; $word= $2; &call($style); &call('text',$word); &call("end$style"); } else { warn "unknown control `\\$_'"; $in= $_; } } &call('text',$in); } sub call { local ($fnbase, @callargs) = @_; local ($coutput); for $coutput (@outputs) { if ($fnbase eq 'text' && eval("\@${coutput}_cmds")) { #print STDERR "special handling text (@callargs) for $coutput\n"; $evstrg= "\$${coutput}_args[\$#${coutput}_args].=\"\@callargs\""; eval($evstrg); length($@) && warn "call adding for $coutput (($evstrg)): $@"; } else { $fntc= $coutput.'_'.$fnbase; &$fntc(@callargs); } } } sub recurse { local (@outputs) = $coutput; local ($holdover); &text($_[0]); } sub arg { #print STDERR "arg($_[0]) from $coutput\n"; $cmd= $_[0]; eval("push(\@${coutput}_cmds,\$cmd); push(\@${coutput}_args,'')"); length($@) && warn "arg setting up for $coutput: $@"; } sub endarg { #print STDERR "endarg($_[0]) from $coutput\n"; $evstrg= "\$${coutput}_cmd= \$cmd= pop(\@${coutput}_cmds); ". "\$${coutput}_arg= \$arg= pop(\@${coutput}_args); "; eval($evstrg); length($@) && warn "endarg extracting for $coutput (($evstrg)): $@"; #print STDERR ">call $coutput $cmd $arg< (($evstrg))\n"; $evstrg= "&${coutput}_do_${cmd}(\$arg)"; eval($evstrg); length($@) && warn "endarg running ${coutput}_do_${cmd} (($evstrg)): $@"; } asymptote-2.62/doc/FAQ/Makefile0000644000000000000000000000175013607467113015015 0ustar rootrootBFNNCONV = bfnnconv.pl m-ascii.pl m-html.pl m-info.pl m-lout.pl m-post.pl all: faq faq: $(BFNNCONV) asy-faq.bfnn mkdir -p asy-faq.html perl bfnnconv.pl asy-faq.bfnn perl bfnnconv.pl asy-faq.bfnn clean: FORCE -rm -f *~ core a.out *.lout *.ps *.info *.ascii *.xrefdb *.post -rm -rf *.html install-all: install install: faq install-prebuilt ${INSTALL} -d -m 755 $(docdir) $(docdir)/asy-faq.html ${INSTALL} -p -m 644 asy-faq.ascii $(docdir) ${INSTALL} -p -m 644 asy-faq.html/* $(docdir)/asy-faq.html install-prebuilt: ${INSTALL} -d -m 755 $(infodir) ${INSTALL} -p -m 644 asy-faq.info $(infodir) -if test -z "$(DESTDIR)"; then \ install-info --infodir=$(infodir) asy-faq.info; \ fi install-info: faq install-prebuilt uninstall: uninstall-all uninstall-all: -cd $(docdir)/asy-faq.html && rm -rf *.html -cd $(docdir) && rmdir asy-faq.html && rm asy-faq.ascii -install-info --remove --infodir=$(infodir) asy-faq.info -rm -f $(infodir)/asy-faq.info distclean: FORCE clean FORCE: asymptote-2.62/doc/FAQ/m-post.pl0000644000000000000000000001074213607467113015132 0ustar rootroot## POST output # Copyright (C) 1993-1995 Ian Jackson. # This file 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 2, or (at your option) # any later version. # It 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 GNU Emacs; see the file COPYING. If not, write to # the Free Software Foundation, Inc., 59 Temple Place - Suite 330, # Boston, MA 02111-1307, USA. # (Note: I do not consider works produced using these BFNN processing # tools to be derivative works of the tools, so they are NOT covered # by the GPL. However, I would appreciate it if you credited me if # appropriate in any documents you format using BFNN.) sub post_init { open(POST,">$prefix.post"); } sub post_startmajorheading { print POST '='x79,"\n\n"; $post_status= 'h'; &post_text($_[0] ? "Section $_[0]. " : ''); } sub post_startminorheading { print POST '-'x77,"\n\n"; $post_status= 'h'; } sub post_italic { &post_text('*'); } sub post_enditalic { $post_para .= '*'; } sub post_email { &post_text('<'); } sub post_endemail { &post_text('>'); } sub post_ftpon { } sub post_endftpon { } sub post_ftpin { } sub post_endftpin { } sub post_docref { } sub post_enddocref { } sub post_courier { } sub post_endcourier { } sub post_newsgroup { } sub post_endnewsgroup { } sub post_ftpsilent { $post_ignore++; } sub post_endftpsilent { $post_ignore--; } sub post_text { return if $post_ignore; if ($post_status eq '') { $post_status= 'p'; } $post_para .= $_[0]; } sub post_tab { local ($n) = $_[0]-length($post_para); $post_para .= ' 'x$n if $n>0; } sub post_newline { return unless $post_status eq 'p'; &post_writepara; } sub post_writepara { local ($thisline, $thisword, $rest); for (;;) { last unless $post_para =~ m/\S/; $thisline= $post_indentstring; for (;;) { last unless $post_para =~ m/^(\s*\S+)/; unless (length($1) + length($thisline) < 75 || length($thisline) == length($post_indentstring)) { last; } $thisline .= $1; $post_para= $'; } $post_para =~ s/^\s*//; print POST $thisline,"\n"; $post_indentstring= $post_nextindent; last unless length($post_para); } $post_status= ''; $post_para= ''; } sub post_endpara { return unless $post_status eq 'p'; &post_writepara; print POST "\n"; } sub post_endheading { $post_para =~ s/\s*$//; print POST "$post_para\n\n"; $post_status= ''; $post_para= ''; } sub post_endmajorheading { &post_endheading(@_); } sub post_endminorheading { &post_endheading(@_); } sub post_startverbatim { $post_vstatus= $post_status; &post_writepara; } sub post_verbatim { print POST $_[0],"\n"; } sub post_endverbatim { $post_status= $post_vstatus; } sub post_finish { close(POST); } sub post_startindex { $post_status= ''; } sub post_endindex { $post_status= 'p'; } sub post_endindexitem { printf POST " %-11s %-.66s\n",$post_left,$post_para; $post_status= 'p'; $post_para= ''; } sub post_startindexitem { $post_left= $_[1]; } sub post_startindexmainitem { $post_left= $_[1]; print POST "\n" if $post_status eq 'p'; } sub post_startindent { $post_istatus= $post_status; &post_writepara; $post_indentstring= " $post_indentstring"; $post_nextindent= " $post_nextindent"; } sub post_endindent { $post_indentstring =~ s/^ //; $post_nextindent =~ s/^ //; $post_status= $post_istatus; } sub post_startpackedlist { $post_plc=0; } sub post_endpackedlist { &post_newline if !$post_plc; } sub post_packeditem { &post_newline if !$post_plc; &post_tab($post_plc*40+5); $post_plc= !$post_plc; } sub post_startlist { &post_endpara; $post_indentstring= " $post_indentstring"; $post_nextindent= " $post_nextindent"; } sub post_endlist { &post_endpara; $post_indentstring =~ s/^ //; $post_nextindent =~ s/^ //; } sub post_item { &post_newline; $post_indentstring =~ s/ $/* /; } sub post_pageref { &post_text("Q$_[1] \`"); } sub post_endpageref { &post_text("'"); } 1; asymptote-2.62/doc/FAQ/m-info.pl0000644000000000000000000001277313607467113015106 0ustar rootroot## Info output # Copyright (C) 1993-1995 Ian Jackson. # This file 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 2, or (at your option) # any later version. # It 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 GNU Emacs; see the file COPYING. If not, write to # the Free Software Foundation, Inc., 59 Temple Place - Suite 330, # Boston, MA 02111-1307, USA. # (Note: I do not consider works produced using these BFNN processing # tools to be derivative works of the tools, so they are NOT covered # by the GPL. However, I would appreciate it if you credited me if # appropriate in any documents you format using BFNN.) sub info_init { open(INFO,">$prefix.info"); print INFO <'); } sub info_ftpon { } sub info_endftpon { } sub info_ftpin { } sub info_endftpin { } sub info_docref { } sub info_enddocref { } sub info_courier { } sub info_endcourier { } sub info_newsgroup { } sub info_endnewsgroup { } sub info_ftpsilent { $info_ignore++; } sub info_endftpsilent { $info_ignore--; } sub info_text { return if $info_ignore; if ($info_status eq '') { $info_status= 'p'; } $info_para .= $_[0]; } sub info_tab { local ($n) = $_[0]-length($info_para); $info_para .= ' 'x$n if $n>0; } sub info_newline { return unless $info_status eq 'p'; print INFO &info_writepara; } sub info_writepara { local ($thisline, $thisword, $rest, $output); for (;;) { last unless $info_para =~ m/\S/; $thisline= $info_indentstring; for (;;) { last unless $info_para =~ m/^(\s*\S+)/; unless (length($1) + length($thisline) < 75 || length($thisline) == length($info_indentstring)) { last; } $thisline .= $1; $info_para= $'; } $info_para =~ s/^\s*//; $output.= $thisline."\n"; $info_indentstring= $info_nextindent; last unless length($info_para); } $info_status= ''; $info_para= ''; return $output; } sub info_endpara { return unless $info_status eq 'p'; print INFO &info_writepara; print INFO "\n"; } sub info_endheading { $info_para =~ s/\s*$//; print INFO "$info_para\n\n"; $info_status= ''; $info_para= ''; } sub info_endmajorheading { &info_endheading(@_); } sub info_endminorheading { &info_endheading(@_); } sub info_startverbatim { print INFO &info_writepara; } sub info_verbatim { print INFO $_[0],"\n"; } sub info_endverbatim { $info_status= $info_vstatus; } sub info_finish { close(INFO); } sub info_startindex { &info_endpara; $info_moredetail= ''; $info_status= ''; } sub info_endindex { print INFO "$info_moredetail\n" if length($info_moredetail); } sub info_endindexitem { $info_indentstring= sprintf("* %-17s ",$info_label.'::'); $info_nextindent= ' 'x20; local ($txt); $txt= &info_writepara; if ($info_main) { print INFO $label.$txt; $txt =~ s/^.{20}//; $info_moredetail.= $txt; } else { $info_moredetail.= $label.$txt; } $info_indentstring= $info_nextindent= ''; $info_status='p'; } sub info_startindexitem { print INFO "* Menu:\n" if $info_status eq ''; $info_status= ''; $info_label= $_[2]; $info_main= 0; } sub info_startindexmainitem { print INFO "* Menu:\n" if $info_status eq ''; $info_label= $_[2]; $info_main= 1; $info_moredetail .= "\n$_[2], "; $info_status= ''; } sub info_startindent { $info_istatus= $info_status; print INFO &info_writepara; $info_indentstring= " $info_indentstring"; $info_nextindent= " $info_nextindent"; } sub info_endindent { $info_indentstring =~ s/^ //; $info_nextindent =~ s/^ //; $info_status= $info_istatus; } sub info_startpackedlist { $info_plc=0; } sub info_endpackedlist { &info_newline if !$info_plc; } sub info_packeditem { &info_newline if !$info_plc; &info_tab($info_plc*40+5); $info_plc= !$info_plc; } sub info_startlist { $info_istatus= $info_status; print INFO &info_writepara; $info_indentstring= " $info_indentstring"; $info_nextindent= " $info_nextindent"; } sub info_endlist { $info_indentstring =~ s/^ //; $info_nextindent =~ s/^ //; $info_status= $info_lstatus; } sub info_item { &info_newline; $info_indentstring =~ s/ $/* /; } sub info_pageref { &info_text("*Note Question $_[1]:: \`"); } sub info_endpageref { &info_text("'"); } 1; asymptote-2.62/doc/FAQ/m-ascii.pl0000644000000000000000000001115613607467113015235 0ustar rootroot## ASCII output # Copyright (C) 1993-1995 Ian Jackson. # This file 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 2, or (at your option) # any later version. # It 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 GNU Emacs; see the file COPYING. If not, write to # the Free Software Foundation, Inc., 59 Temple Place - Suite 330, # Boston, MA 02111-1307, USA. # (Note: I do not consider works produced using these BFNN processing # tools to be derivative works of the tools, so they are NOT covered # by the GPL. However, I would appreciate it if you credited me if # appropriate in any documents you format using BFNN.) sub ascii_init { open(ASCII,">$prefix.ascii"); } sub ascii_startmajorheading { print ASCII '='x79,"\n\n"; $ascii_status= 'h'; &ascii_text($_[0] ? "Section $_[0]. " : ''); } sub ascii_startminorheading { print ASCII '-'x79,"\n\n"; $ascii_status= 'h'; } sub ascii_italic { &ascii_text('*'); } sub ascii_enditalic { $ascii_para .= '*'; } sub ascii_email { &ascii_text('<'); } sub ascii_endemail { &ascii_text('>'); } sub ascii_ftpon { } sub ascii_endftpon { } sub ascii_ftpin { } sub ascii_endftpin { } sub ascii_docref { } sub ascii_enddocref { } sub ascii_courier { } sub ascii_endcourier { } sub ascii_newsgroup { } sub ascii_endnewsgroup { } sub ascii_ftpsilent { $ascii_ignore++; } sub ascii_endftpsilent { $ascii_ignore--; } sub ascii_text { return if $ascii_ignore; if ($ascii_status eq '') { $ascii_status= 'p'; } $ascii_para .= $_[0]; } sub ascii_tab { local ($n) = $_[0]-length($ascii_para); $ascii_para .= ' 'x$n if $n>0; } sub ascii_newline { return unless $ascii_status eq 'p'; &ascii_writepara; } sub ascii_writepara { local ($thisline, $thisword, $rest); for (;;) { last unless $ascii_para =~ m/\S/; $thisline= $ascii_indentstring; for (;;) { last unless $ascii_para =~ m/^(\s*\S+)/; unless (length($1) + length($thisline) < 75 || length($thisline) == length($ascii_indentstring)) { last; } $thisline .= $1; $ascii_para= $'; } $ascii_para =~ s/^\s*//; print ASCII $thisline,"\n"; $ascii_indentstring= $ascii_nextindent; last unless length($ascii_para); } $ascii_status= ''; $ascii_para= ''; } sub ascii_endpara { return unless $ascii_status eq 'p'; &ascii_writepara; print ASCII "\n"; } sub ascii_endheading { $ascii_para =~ s/\s*$//; print ASCII "$ascii_para\n\n"; $ascii_status= ''; $ascii_para= ''; } sub ascii_endmajorheading { &ascii_endheading(@_); } sub ascii_endminorheading { &ascii_endheading(@_); } sub ascii_startverbatim { $ascii_vstatus= $ascii_status; &ascii_writepara; } sub ascii_verbatim { print ASCII $_[0],"\n"; } sub ascii_endverbatim { $ascii_status= $ascii_vstatus; } sub ascii_finish { close(ASCII); } sub ascii_startindex { $ascii_status= ''; } sub ascii_endindex { $ascii_status= 'p'; } sub ascii_endindexitem { printf ASCII " %-11s %-.66s\n",$ascii_left,$ascii_para; $ascii_status= 'p'; $ascii_para= ''; } sub ascii_startindexitem { $ascii_left= $_[1]; } sub ascii_startindexmainitem { $ascii_left= $_[1]; print ASCII "\n" if $ascii_status eq 'p'; } sub ascii_startindent { $ascii_istatus= $ascii_status; &ascii_writepara; $ascii_indentstring= " $ascii_indentstring"; $ascii_nextindent= " $ascii_nextindent"; } sub ascii_endindent { $ascii_indentstring =~ s/^ //; $ascii_nextindent =~ s/^ //; $ascii_status= $ascii_istatus; } sub ascii_startpackedlist { $ascii_plc=0; } sub ascii_endpackedlist { &ascii_newline if !$ascii_plc; } sub ascii_packeditem { &ascii_newline if !$ascii_plc; &ascii_tab($ascii_plc*40+5); $ascii_plc= !$ascii_plc; } sub ascii_startlist { &ascii_endpara; $ascii_indentstring= " $ascii_indentstring"; $ascii_nextindent= " $ascii_nextindent"; } sub ascii_endlist { &ascii_endpara; $ascii_indentstring =~ s/^ //; $ascii_nextindent =~ s/^ //; } sub ascii_item { &ascii_newline; $ascii_indentstring =~ s/ $/* /; } sub ascii_pageref { &ascii_text("Q$_[1] \`"); } sub ascii_endpageref { &ascii_text("'"); } 1; asymptote-2.62/doc/planes.asy0000644000000000000000000000054213607467113014744 0ustar rootrootsize(6cm,0); import bsp; real u=2.5; real v=1; currentprojection=oblique; path3 y=plane((2u,0,0),(0,2v,0),(-u,-v,0)); path3 l=rotate(90,Z)*rotate(90,Y)*y; path3 g=rotate(90,X)*rotate(90,Y)*y; face[] faces; filldraw(faces.push(y),project(y),yellow); filldraw(faces.push(l),project(l),lightgrey); filldraw(faces.push(g),project(g),green); add(faces); asymptote-2.62/doc/parametricgraph.asy0000644000000000000000000000036013607467113016631 0ustar rootrootimport graph; size(0,200); real x(real t) {return cos(2pi*t);} real y(real t) {return sin(2pi*t);} draw(graph(x,y,0,1)); //limits((0,-1),(1,0),Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks(trailingzero)); asymptote-2.62/doc/png/0000755000000000000000000000000013607467360013533 5ustar rootrootasymptote-2.62/doc/png/Makefile.in0000644000000000000000000000267513607467113015606 0ustar rootrootASYFILES = $(notdir $(filter-out $(wildcard ../latexusage-*.asy),$(wildcard ../*.asy))) SOURCE = ../asymptote.texi ../version.texi ../options ASY = ../asy -dir ../base -config "" -render=0 docdir = $(DESTDIR)@docdir@ infodir = $(DESTDIR)@infodir@ datarootdir = @datarootdir@ INSTALL = @INSTALL@ all: html info %.png: ../%.asy cd .. && $(ASY) -f png -o png/ $(notdir $<) latexusage.png: ../latexusage.pdf gs -q -dNOPAUSE -dBATCH -sDEVICE=pngalpha -dEPSCrop -dSAFER -r72x72 \ -sOutputFile=latexusage.png ../latexusage.pdf index.html: $(SOURCE) $(ASYFILES:.asy=.png) latexusage.png makeinfo --html ../asymptote -o . asymptote.info: $(SOURCE) makeinfo --no-warn --no-split ../asymptote info: $(SOURCE) $(ASYFILES:.asy=.png) latexusage.png makeinfo --no-split ../asymptote ../options: cd .. && $(MAKE) options html: index.html clean: FORCE -rm -f *.png *.html asymptote.info* texput.aux texput.log distclean: FORCE clean -rm -f Makefile install: asymptote.info ${INSTALL} -d -m 755 $(infodir)/asymptote ${INSTALL} -p -m 644 asymptote.info $(infodir)/asymptote -if test -z "$(DESTDIR)"; then \ install-info --infodir=$(infodir) asymptote.info; \ fi install-all: all install ${INSTALL} -p -m 644 *.png $(infodir)/asymptote uninstall: -install-info --remove --infodir=$(infodir) asymptote.info -cd $(infodir)/asymptote && rm -f asymptote.info *.png -rmdir $(infodir)/asymptote FORCE: Makefile: Makefile.in cd ../..; config.status asymptote-2.62/doc/lineargraph.asy0000644000000000000000000000056513607467113015763 0ustar rootrootimport graph; size(250,200,IgnoreAspect); real Sin(real t) {return sin(2pi*t);} real Cos(real t) {return cos(2pi*t);} draw(graph(Sin,0,1),red,"$\sin(2\pi x)$"); draw(graph(Cos,0,1),blue,"$\cos(2\pi x)$"); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks(trailingzero)); label("LABEL",point(0),UnFill(1mm)); attach(legend(),truepoint(E),20E,UnFill); asymptote-2.62/doc/exp.asy0000644000000000000000000000031213607467113014251 0ustar rootrootimport graph; size(150,0); real f(real x) {return exp(x);} pair F(real x) {return (x,f(x));} xaxis("$x$"); yaxis("$y$",0); draw(graph(f,-4,2,operator ..),red); labely(1,E); label("$e^x$",F(1),SE); asymptote-2.62/doc/beziercurve.asy0000644000000000000000000000035213607467113016006 0ustar rootrootsize(400); pair z0=(0,0); pair c0=(1,1); pair c1=(2,1); pair z1=(3,0); draw(z0..controls c0 and c1 .. z1,blue); draw(z0--c0--c1--z1,dashed); dot("$z_0$",z0,W,red); dot("$c_0$",c0,NW,red); dot("$c_1$",c1,NE,red); dot("$z_1$",z1,red); asymptote-2.62/doc/brokenaxis.asy0000644000000000000000000000101413607467113015622 0ustar rootrootimport graph; size(200,150,IgnoreAspect); // Break the x axis at 3; restart at 8: real a=3, b=8; // Break the y axis at 100; restart at 1000: real c=100, d=1000; scale(Broken(a,b),BrokenLog(c,d)); real[] x={1,2,4,6,10}; real[] y=x^4; draw(graph(x,y),red,MarkFill[0]); xaxis("$x$",BottomTop,LeftTicks(Break(a,b))); yaxis("$y$",LeftRight,RightTicks(Break(c,d))); label(rotate(90)*Break,(a,point(S).y)); label(rotate(90)*Break,(a,point(N).y)); label(Break,(point(W).x,ScaleY(c))); label(Break,(point(E).x,ScaleY(c))); asymptote-2.62/doc/ocg.sty0000644000000000000000000000665113607467113014264 0ustar rootroot%% Copyright (C) 2007 by Michael Ritzert %% Spurious spaces removed by John Bowman [2009/06/01]. %% Global macros to find the number of a PDF OCG object from its LaTeX %% reference contributed by Paul Gaborit [2012/09/13]. \NeedsTeXFormat{LaTeX2e} \ProvidesPackage{ocg}[2012/09/13] \RequirePackage{ifpdf} \ifpdf \else \PackageWarningNoLine{ocg}{% Loading aborted, because pdfTeX is not running in PDF mode% }% \expandafter\endinput \fi \DeclareOption*{}\ProcessOptions*\relax %allow anything as option for the moment %testing for correct pdfTeX version %TODO: find out minimum required version! \ifnum\pdftexversion<120 \PackageError{ocg}{% pdfeTeX, version >= 1.20, required% }{% Install a newer version!% }% \fi % Next OCG id -- TODO: autogenerate. but keep possibility to reopen an OCG. \newcount\@ocg@num\@ocg@num=0 \gdef\@ocg@layersnames{} % called from the aux file \def\@ocg@makeknown#1#2#3{% #1: OCG name, #2: OC id, #3: on/off \@ifundefined{OCG#2}{% \message{OCG#2} \expandafter\gdef\csname OCG#2\endcsname{#1}% \immediate\pdfobj{<< /Type /OCG /Name (#1) >>}% new ocg \xdef\@ocg@curocg{\the\pdflastobj\space 0 R}% reference to id \expandafter\xdef\csname OCGpdfobj#2\endcsname{\@ocg@curocg} \xdef\@ocg@ocgs{\@ocg@ocgs\space\@ocg@curocg}% list of all OCGs in "first defined" order \ifnum#3=1 %on \xdef\@ocg@ocgson{\@ocg@ocgson\space\@ocg@curocg}% list of all default-on OCGs \else% \xdef\@ocg@ocgsoff{\@ocg@ocgsoff\space\@ocg@curocg}% list of all default-off OCGs \fi% \xdef\@ocg@layersnames{% \@ocg@layersnames\space/OC#2\space\@ocg@curocg% name-to-id mapping }% }{% \message{OCG#2 reopened} % layer reopened } } \AtBeginDocument{% % the auxfile has been read if available. register the OCGs in the page resources. \@ocg@addresource \let\@ocg@makeknown\@gobble } % set page resources to include the layers defined in the aux file \def\@ocg@addresource{% \immediate\pdfobj{<<\@ocg@layersnames\space>>}% \xdef\@ocg@namesobj{\the\pdflastobj\space 0 R}% % append to pageresources \begingroup \edef\x{\endgroup \pdfpageresources{% \the\pdfpageresources /Properties \@ocg@namesobj% }% }% \x } \newcount\@ocg@@ocgs \pdfobj reserveobjnum \@ocg@@ocgs=\pdflastobj \newcount\@ocg@@layersconfig \pdfobj reserveobjnum \@ocg@@layersconfig=\pdflastobj \pdfcatalog{% /OCProperties << /OCGs \the\@ocg@@ocgs\space0 R\space /D \the\@ocg@@layersconfig\space0 R\space >>% } \def\@ocg@ocgs{} \def\@ocg@ocgson{} \def\@ocg@ocgsoff{} \AtEndDocument{% \immediate\pdfobj useobjnum \@ocg@@ocgs {% [\@ocg@ocgs\space]% }% \immediate\pdfobj useobjnum \@ocg@@layersconfig {% << /Order [\@ocg@ocgs\space] /ON [\@ocg@ocgson\space] /OFF [\@ocg@ocgsoff\space] >>% }% }% % schedule a OCG for creation on the next pdflatex run (via the auxfile) \def\@ocg@newocg#1#2#3{% #1:name, #2:num, #3:on \if@filesw% \immediate\write\@auxout{% \string\@ocg@makeknown{#1}{#2}{#3}% }% \fi% } % TODO: Are nested OCGs allowed? \newenvironment{ocg}[3]{% \@ocg@newocg{#1}{#2}{#3}% \gdef\@ocg@curnum{#2}% \pdfliteral{/OC /OC\@ocg@curnum\space BDC}% \message{/OC\@ocg@curnum}% \ignorespaces }{% \pdfliteral{EMC}% %\unskip% %\endgroup% \ignorespacesafterend } asymptote-2.62/doc/asyRefCard.tex0000644000000000000000000004712313607467113015517 0ustar rootroot% Reference Card for Asymptote % Copyright (c) 2011 John C. Bowman. May be freely distributed. % Thanks to Stephen Gildea for the multicolumn macro package % and Joseph H. Silverman for the C Reference card. %**start of header \newcount\columnsperpage \overfullrule=0pt % This file can be printed with 1, 2, or 3 columns per page (see below). % [For 2 or 3 columns, you'll need 6 and 8 point fonts.] % Specify how many you want here. Nothing else needs to be changed. \columnsperpage=2 % This reference card 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. % This file is intended to be processed by plain TeX (TeX82). % % The final reference card has six columns, three on each side. % This file can be used to produce it in any of three ways: % 1 column per page % produces six separate pages, each of which needs to be reduced to 80%. % This gives the best resolution. % 2 columns per page % produces three already-reduced pages. % You will still need to cut and paste. % 3 columns per page % produces two pages which must be printed sideways to make a % ready-to-use 8.5 x 11 inch reference card. % For this you need a dvi device driver that can print sideways. % Which mode to use is controlled by setting \columnsperpage above. % % (reference card macros due to Stephen Gildea) % \def\versionnumber{1.1} % Version of this reference card \def\year{2014} \def\month{May} \def\version{\month\ \year\ v\versionnumber} \def\shortcopyrightnotice{\vskip .5ex plus 2 fill \centerline{\small \copyright\ \year\ John C. Bowman Permissions on back. v\versionnumber}} \def\copyrightnotice{ \vskip 1ex plus 100 fill\begingroup\small \centerline{\version. Copyright \copyright\ \year\ John C. Bowman} Permission is granted to make and distribute copies of this card, with or without modifications, provided the copyright notice and this permission notice are preserved on all copies. \endgroup} % make \bye not \outer so that the \def\bye in the \else clause below % can be scanned without complaint. \def\bye{\par\vfill\supereject\end} \newdimen\intercolumnskip \newbox\columna \newbox\columnb \def\ncolumns{\the\columnsperpage} \message{[\ncolumns\space column\if 1\ncolumns\else s\fi\space per page]} \def\scaledmag#1{ scaled \magstep #1} % This multi-way format was designed by Stephen Gildea % October 1986. \if 1\ncolumns \hsize 4in \vsize 10in \voffset -.7in \font\titlefont=\fontname\tenbf \scaledmag3 \font\headingfont=\fontname\tenbf \scaledmag2 \font\headingfonttt=\fontname\tentt \scaledmag2 \font\smallfont=\fontname\sevenrm \font\smallsy=\fontname\sevensy \footline{\hss\folio} \def\makefootline{\baselineskip10pt\hsize6.5in\line{\the\footline}} \else \hsize 3.2in \vsize 7.95in \hoffset -.75in \voffset -.745in \font\titlefont=cmbx10 \scaledmag2 \font\headingfont=cmbx10 \scaledmag1 \font\headingfonttt=cmtt10 \scaledmag1 \font\smallfont=cmr6 \font\smallsy=cmsy6 \font\eightrm=cmr8 \font\eightbf=cmbx8 \font\eightit=cmti8 \font\eighttt=cmtt8 \font\eightsy=cmsy8 \font\eightsl=cmsl8 \font\eighti=cmmi8 \font\eightex=cmex10 at 8pt \textfont0=\eightrm \textfont1=\eighti \textfont2=\eightsy \textfont3=\eightex \def\rm{\fam0 \eightrm} \def\bf{\eightbf} \def\it{\eightit} \def\tt{\eighttt} \def\sl{\eightsl} \normalbaselineskip=.8\normalbaselineskip \normallineskip=.8\normallineskip \normallineskiplimit=.8\normallineskiplimit \normalbaselines\rm %make definitions take effect \if 2\ncolumns \let\maxcolumn=b \footline{\hss\rm\folio\hss} \def\makefootline{\vskip 2in \hsize=6.86in\line{\the\footline}} \else \if 3\ncolumns \let\maxcolumn=c \nopagenumbers \else \errhelp{You must set \columnsperpage equal to 1, 2, or 3.} \errmessage{Illegal number of columns per page} \fi\fi \intercolumnskip=.46in \def\abc{a} \output={% % This next line is useful when designing the layout. %\immediate\write16{Column \folio\abc\space starts with \firstmark} \if \maxcolumn\abc \multicolumnformat \global\def\abc{a} \else\if a\abc \global\setbox\columna\columnbox \global\def\abc{b} %% in case we never use \columnb (two-column mode) \global\setbox\columnb\hbox to -\intercolumnskip{} \else \global\setbox\columnb\columnbox \global\def\abc{c}\fi\fi} \def\multicolumnformat{\shipout\vbox{\makeheadline \hbox{\box\columna\hskip\intercolumnskip \box\columnb\hskip\intercolumnskip\columnbox} \makefootline}\advancepageno} \def\columnbox{\leftline{\pagebody}} \def\bye{\par\vfill\supereject \if a\abc \else\null\vfill\eject\fi \if a\abc \else\null\vfill\eject\fi \end} \fi % we won't be using math mode much, so redefine some of the characters % we might want to talk about \catcode`\^=12 %\catcode`\_=12 \catcode`\~=12 \chardef\\=`\\ \chardef\{=`\{ \chardef\}=`\} \chardef\underscore=`\_ \hyphenation{} \parindent 0pt \parskip .85ex plus .35ex minus .5ex \def\small{\smallfont\textfont2=\smallsy\baselineskip=.8\baselineskip} \outer\def\newcolumn{\vfill\eject} \outer\def\title#1{{\titlefont\centerline{#1}}\vskip 1ex plus .5ex} \outer\def\section#1{\par\filbreak \vskip .5ex minus .1ex {\headingfont #1}\mark{#1}% \vskip .3ex minus .1ex} \outer\def\librarysection#1#2{\par\filbreak \vskip .5ex minus .1ex {\headingfont #1}\quad{\headingfonttt<#2>}\mark{#1}% \vskip .3ex minus .1ex} \newdimen\keyindent \def\beginindentedkeys{\keyindent=1em} \def\endindentedkeys{\keyindent=0em} \def\begindoubleindentedkeys{\keyindent=2em} \def\enddoubleindentedkeys{\keyindent=1em} \endindentedkeys \def\paralign{\vskip\parskip\halign} \def\<#1>{$\langle${\rm #1}$\rangle$} \def\kbd#1{{\tt#1}\null} %\null so not an abbrev even if period follows \def\beginexample{\par\vskip1\jot \hrule width.5\hsize \vskip1\jot \begingroup\parindent=2em \obeylines\obeyspaces\parskip0pt\tt} {\obeyspaces\global\let =\ } \def\endexample{\endgroup} \def\Example{\qquad{\sl Example\/}.\enspace\ignorespaces} \def\key#1#2{\leavevmode\hbox to \hsize{\vtop {\hsize=.75\hsize\rightskip=1em \hskip\keyindent\relax#1}\kbd{#2}\hfil}} \newbox\metaxbox \setbox\metaxbox\hbox{\kbd{M-x }} \newdimen\metaxwidth \metaxwidth=\wd\metaxbox \def\metax#1#2{\leavevmode\hbox to \hsize{\hbox to .75\hsize {\hskip\keyindent\relax#1\hfil}% \hskip -\metaxwidth minus 1fil \kbd{#2}\hfil}} \def\threecol#1#2#3{\hskip\keyindent\relax#1\hfil&\kbd{#2}\quad &\kbd{#3}\quad\cr} % Define Italic Names \def\makedef#1 {% \expandafter\edef\csname#1\endcsname{\hbox{\it#1\/}}} \makedef array \makedef arg \makedef const \makedef dim \makedef expr \makedef filename \makedef f \makedef format \makedef member \makedef name \makedef statement \makedef statements \makedef string \makedef type \makedef value \makedef var %**end of header \title{Asymptote Reference Card} \section{Program structure/functions} \halign{\tt#\hfil&\qquad#\hfil\cr import "\filename"&import module\cr import "\filename" as name&import filename as module name\cr include "\filename"&include verbatim text from file\cr \type\ \f(\type,\dots);&optional function declaration\cr \type\ \name;&variable declaration\cr \type\ \f(\type\ \arg,\dots) \{&function definition\cr \quad\statements\cr \quad return \value;\cr \}\cr } \section{Data types/declarations} \key{boolean (true or false)}{bool} \key{tri-state boolean (true, default, or false)}{bool3} \key{integer}{int} \key{float (double precision)}{real} \key{ordered pair (complex number)}{pair} \key{character string}{string} \key{fixed piecewise cubic Bezier spline}{path} \key{unresolved piecewise cubic Bezier spline}{guide} \key{color, line type/width/cap, font, fill rule}{pen} \key{label with position, alignment, pen attributes}{Label} \key{drawing canvas}{picture} \key{affine transform}{transform} \key{constant (unchanging) value}{const} \key{allocate in higher scope}{static} \key{no value}{void} \key{inhibit implicit argument casting}{explicit} \key{structure}{struct} \key{create name by data type}{typedef \type\ \name} \section{3D data types (import three;)} \key{ordered triple}{triple} \key{3D path}{path3} \key{3D guide}{guide3} \key{3D affine transform}{transform3} \section{Constants} \key{exponential form}{6.02e23} \key{\TeX\ string constant}{"abc\dots de"} \key{\TeX\ strings: special characters}{\\\\, \\"} \key{C strings: constant}{'abc\dots de'} \key{C strings: special characters}{\\\\, \\" \\' \\?} \key{C strings: newline, cr, tab, backspace}{\\n \\r \\t \\b} \key{C strings: octal, hexadecimal bytes}{\\0-\\377 \\x0-\\xFF} \section{Operators} \key{arithmetic operations}{+ - * /} \key{modulus (remainder)}{\%} \key{comparisons}{== != > >= < <=} \key{not}{!} \key{and or (conditional evaluation of RHS)}{\&\& ||} \key{and or xor}{\& | ^} \key{cast expression to type}{(\type) \expr} \key{increment decrement prefix operators}{++ --} \key{assignment operators}{+= -= *= /= \%=} \key{conditional expression}{\expr$_1$\ {?}\ \expr$_2$\ {:}\ \expr$_3$} \key{structure member operator}{\name.\member} \key{expression evaluation separator}{,} \section{Flow control} \key{statement terminator}{;} \key{block delimeters}{\{\quad\}} \key{comment delimeters}{/*\quad*/} \key{comment to end of line delimiter}{//} \key{exit from \kbd{while}/\kbd{do}/\kbd{for}}{break;} \key{next iteration of \kbd{while}/\kbd{do}/\kbd{for}}{continue;} \key{return value from function}{return \expr;} \key{terminate execution}{exit();} \key{abort execution with error message}{abort(string);} \metax{{\bf Flow constructions} ({\tt if/while/for/do})\hidewidth}{} \beginexample if(\expr)\ \statement else if(\expr)\ \statement else \statement \endexample \beginexample while(\expr) \quad\statement \endexample \beginexample for(\expr$_1$; \expr$_2$; \expr$_3$) \quad\statement \endexample \beginexample for(\type var : \array) \quad\statement \endexample \beginexample do \statement \quad while(\expr); \endexample \section{Arrays} \key{array}{\type[]\ \name;} \key{array element i}{\name[i]} \key{array indexed by elements of int array {\tt A}}{\name[A]} \key{anonymous array}{new \type[\dim]} \key{array containing {\tt n} deep copies of {\tt x}}{array(n,x)} \key{length}{\name.length} \key{cyclic flag}{\name.cyclic} \key{pop element {\tt x}}{\name.pop()} \key{push element {\tt x}}{\name.push(x)} \key{append array {\tt a}}{\name.append(a)} \key{insert rest arguments at index {\tt i}}{\name.insert(i,\dots)} \key{delete element at index {\tt i}}{\name.delete(i)} \key{delete elements with indices in [{\tt i},{\tt j}]}{\name.delete(i,j)} \key{delete all elements}{\name.delete()} \key{test whether element n is initialized}{\name.initialized(n)} \key{array of indices of initialized elements}{\name.keys} \key{complement of int array in {\tt \{0,\dots,n-1\}}}{complement(a,n)} \key{deep copy of array {\tt a}}{copy(a)} \key{array {\tt \{0,1,\dots,n-1\}}}{sequence(n)} \key{array {\tt \{n,n+1,\dots,m\}}}{sequence(n,m)} \key{array {\tt \{n-1,n-2,\dots,0\}}}{reverse(n)} \key{array {\tt \{f(0),f(1),\dots,f(n-1)\}}}{sequence(f,n)} \key{array obtained by applying {\tt f} to array {\tt a}}{map(f,a)} \key{uniform partition of [{\tt a},{\tt b}] into n intervals}{uniform(a,b,n)} \key{concat specified 1D arrays}{concat(a,b,\dots)} \key{return sorted array}{sort(a)} \key{return array sorted using ordering {\tt less}}{sort(a,{\tt less})} \key{search sorted array {\tt a} for key}{search(a,key)} \key{index of first true value of bool array {\tt a}}{find(a)} \key{index of nth true value of bool array {\tt a}}{find(a,n)} \section{Initialization} \key{initialize variable}{\type\ \name=\value;} \key{initialize array}{\type[]\ \name=\{\dots\};} \section{path connectors} \key{straight segment}{--} \key{Bezi\'er segment with implicit control points}{..} \key{Bezi\'er segment with explicit control points}{..controls c0 and c1..} \key{concatenate}{\&} \key{lift pen}{^^} \key{..tension atleast 1..}{::} \key{..tension atleast infinity..}{---} \section{Labels} \key{implicit cast of string {\tt s} to Label}{s} \key{Label {\tt s} with relative position and alignment}{Label(s,real,pair)} \key{Label {\tt s} with absolute position and alignment}{Label(s,pair,pair)} \key{Label {\tt s} with specified pen}{Label(s,pen)} \section{draw commands} \key{draw path with current pen}{draw(path)} \key{draw path with pen}{draw(path,pen)} \key{draw labeled path}{draw(Label,path)} \key{draw arrow with pen}{draw(path,pen,Arrow)} \key{draw path on picture}{draw(picture,path)} \key{draw visible portion of line through two pairs}{drawline(pair,pair)} \section{fill commands} \key{fill path with current pen}{fill(path)} \key{fill path with pen}{fill(path,pen)} \key{fill path on picture}{fill(picture,path)} \section{label commands} \key{label a pair with optional alignment z}{label(Label,pair,{\tt z})} \key{label a path with optional alignment z}{label(Label,path,{\tt z})} \key{add label to picture}{label(picture,Label)} \section{clip commands} \key{clip to path}{clip(path)} \key{clip to path with fill rule}{clip(path,pen)} \key{clip picture to path}{clip(picture,path)} \section{pens} \key{Grayscale pen from value in [0,1]}{gray(g)} \key{RGB pen from values in [0,1]}{rgb(r,g,b)} \key{CMYK pen from values in [0,1]}{cmyk(r,g,b)} \key{RGB pen from heximdecimal string]}{rgb(string)} \key{heximdecimal string from rgb pen]}{hex(pen)} \key{hsv pen from values in [0,1]}{hsv(h,s,v)} \key{invisible pen}{invisible} \key{default pen}{defaultpen} \key{current pen}{currentpen} \key{solid pen}{solid} \key{dotted pen}{dotted} \key{wide dotted current pen}{Dotted} \key{wide dotted pen}{Dotted(pen)} \key{dashed pen}{dashed} \key{long dashed pen}{longdashed} \key{dash dotted pen}{dashdotted} \key{long dash dotted pen}{longdashdotted} \key{PostScript butt line cap}{squarecap} \key{PostScript round line cap}{roundcap} \key{PostScript projecting square line cap}{extendcap} \key{miter join}{miterjoin} \key{round join}{roundjoin} \key{bevel join}{beveljoin} \key{pen with miter limit}{miterlimit(real)} \key{zero-winding fill rule}{zerowinding} \key{even-odd fill rule}{evenodd} \key{align to character bounding box (default)}{nobasealign} \key{align to \TeX\ baseline}{basealign} \key{pen with font size (pt)}{fontsize(real)} \key{LaTeX pen from encoding,family,series,shape}{font(strings)} \key{\TeX\ pen}{font(string)} \key{scaled \TeX\ pen}{font(string,real)} \key{PostScript font from strings}{Courier(series,shape)} \key{pen with opacity in [0,1]}{opacity(real)} \key{construct pen nib from polygonal path}{makepen(path)} \key{pen mixing operator}{+} \section{path operations} \key{number of segments in path {\tt p}}{length(p)} \key{number of nodes in path {\tt p}}{size(p)} \key{is path {\tt p} cyclic?}{cyclic(p)} \key{is segment {\tt i} of path {\tt p} straight?}{straight(p,i)} \key{is path {\tt p} straight?}{piecewisestraight(p)} \key{coordinates of path {\tt p} at time {\tt t}}{point(p,t)} \key{direction of path {\tt p} at time {\tt t}}{dir(p,t)} \key{direction of path {\tt p} at {\tt length(p)}}{dir(p)} \key{unit(dir(p)+dir(q))}{dir(p,q)} \key{acceleration of path {\tt p} at time {\tt t}}{accel(p,t)} \key{radius of curvature of path {\tt p} at time {\tt t}}{radius(p,t)} \key{precontrol point of path {\tt p} at time {\tt t}}{precontrol(p,t)} \key{postcontrol point of path {\tt p} at time {\tt t}}{postcontrol(p,t)} \key{arclength of path {\tt p}}{arclength(p)} \key{time at which {\tt arclength(p)=L}}{arctime(p,L)} \key{point on path {\tt p} at arclength {\tt L}}{arcpoint(p,L)} \key{first value {\tt t} at which {\tt dir(p,t)=z}}{dirtime(p,z)} \key{time {\tt t} at relative fraction {\tt l} of {\tt arclength(p)}}{reltime(p,l)} \key{point at relative fraction {\tt l} of {\tt arclength(p)}}{relpoint(p,l)} \key{point midway along arclength of {\tt p}}{midpoint(p)} \key{path running backwards along {\tt p}}{reverse(p)} \key{subpath of {\tt p} between times {\tt a} and {\tt b}}{subpath(p,a,b)} \key{times for one intersection of paths {\tt p} and {\tt q}}{intersect(p,q)} \key{times at which {\tt p} reaches minimal extents}{mintimes(p)} \key{times at which {\tt p} reaches maximal extents}{maxtimes(p)} \key{intersection times of paths {\tt p} and {\tt q}}{intersections(p,q)} \key{intersection times of path {\tt p} with `{\tt --a--b--}'}{intersections(p,a,b)} \key{intersection times of path {\tt p} crossing $x=${\tt x}}{times(p,x)} \key{intersection times of path {\tt p} crossing $y=${\tt z.y}}{times(p,z)} \key{intersection point of paths {\tt p} and {\tt q}}{intersectionpoint(p,q)} \key{intersection points of {\tt p} and {\tt q}}{intersectionpoints(p,q)} \key{intersection of extension of {\tt P--Q} and {\tt p--q}}{extension(P,Q,p,q)} \key{lower left point of bounding box of path {\tt p}}{min(p)} \key{upper right point of bounding box of path {\tt p}}{max(p)} \key{subpaths of {\tt p} split by {\tt n}th cut of {\tt knife}}{cut(p,knife,n)} \key{winding number of path {\tt p} about pair {\tt z}}{windingnumber(p,z)} \key{pair {\tt z} lies within path {\tt p}?}{interior(p,z)} \key{pair {\tt z} lies within or on path {\tt p}?}{inside(p,z)} \key{path surrounding region bounded by paths}{buildcycle(\dots)} \key{path filled by \tt{draw(g,p)}}{strokepath(g,p)} \key{unit square with lower-left vertex at origin}{unitsquare} \key{unit circle centered at origin}{unitcircle} \key{circle of radius {\tt r} about {\tt c}}{circle(c,r)} \key{arc of radius {\tt r} about {\tt c} from angle {\tt a} to {\tt b}}{arc(c,r,a,b)} \key{unit {\tt n}-sided polygon}{polygon(n)} \key{unit {\tt n}-point cyclic cross}{cross(n)} \section{pictures} \key{add picture {\tt pic} to currentpicture}{add(pic)} \key{add picture {\tt pic} about pair {\tt z}}{add(pic,z)} \section{affine transforms} \key{identity transform}{identity()} \key{shift by values}{shift(real,real)} \key{shift by pair}{shift(pair)} \key{scale by {\tt x} in the $x$ direction}{xscale(x)} \key{scale by {\tt y} in the $y$ direction}{yscale(y)} \key{scale by {\tt x} in both directions}{scale(x)} \key{scale by real values {\tt x} and {\tt y}}{scale(x,y)} \key{map $(x,y) \rightarrow (x+${\tt s}$y,y)$}{slant(s)} \key{rotate by real {\tt angle} in degrees about pair {\tt z}}{rotate(angle,z=(0,0))} \key{reflect about line from {\tt P--Q}}{reflect(P,Q)} \section{string operations} \key{concatenate operator}{+} \key{string length}{length(string)} \key{position $\ge$ {\tt pos} of first occurence of {\tt t} in {\tt s}}{find({\tt s},{\tt t},pos=0)} \key{position $\le$ {\tt pos} of last occurence of {\tt t} in {\tt s}}{rfind({\tt s},{\tt t},pos=-1)} \key{string with {\tt t} inserted in {\tt s} at {\tt pos}}{insert({\tt s},{\tt pos},{\tt t})} \key{string {\tt s} with {\tt n} characters at {\tt pos} erased}{erase({\tt s},{\tt pos},{\tt n})} \key{substring of string {\tt s} of length {\tt n} at {\tt pos}}{substr({\tt s},{\tt pos},{\tt n})} \key{string {\tt s} reversed}{reverse({\tt s})} \key{string {\tt s} with {\tt before} changed to {\tt after}}{replace({\tt s},{\tt before},{\tt after})} \key{string {\tt s} translated via {\tt \{\{before,after\},\dots\}}}{replace({\tt s},string [][] table)} \key{format {\tt x} using C-style format string {\tt s} }{format({\tt s},x)} \key{casts hexadecimal string to an integer}{hex(s)} \key{casts {\tt x} to string using precision {\tt digits}}{string(x,digits=realDigits)} \key{current time formatted by {\tt format}}{time(format="\%a \%b \%d \%T \%Z \%Y")} \key{time in seconds of string {\tt t} using {\tt format}}{seconds(t,format)} \key{string corresponding to {\tt seconds} using {\tt format}}{time(seconds,format)} \key{split {\tt s} into strings separated by {\tt delimiter}}{split(s,delimiter="")} %%%%%%%%%%%%%%%%%%%%%%%%%% END LIBRARIES %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% % This goes at the bottom of the last page (column 6) \copyrightnotice % \bye % Local variables: % compile-command: "tex AsyRefCard" % End: asymptote-2.62/doc/penimage.asy0000644000000000000000000000033313607467113015245 0ustar rootrootsize(200); import palette; int n=256; real ninv=2pi/n; pen[][] v=new pen[n][n]; for(int i=0; i < n; ++i) for(int j=0; j < n; ++j) v[i][j]=rgb(0.5*(1+sin(i*ninv)),0.5*(1+cos(j*ninv)),0); image(v,(0,0),(1,1)); asymptote-2.62/doc/logticks.asy0000644000000000000000000000047213607467113015303 0ustar rootrootimport graph; size(300,175,IgnoreAspect); scale(Log,Log); draw(graph(identity,5,20)); xlimits(5,20); ylimits(1,100); xaxis("$M/M_\odot$",BottomTop,LeftTicks(DefaultFormat, new real[] {6,10,12,14,16,18})); yaxis("$\nu_{\rm upp}$ [Hz]",LeftRight,RightTicks(DefaultFormat)); asymptote-2.62/doc/markers2.asy0000644000000000000000000000155513607467113015215 0ustar rootrootsize(10cm,0); import markers; import geometry; import math; pair A=0, B=(1,0), C=(0.7,1), D=(-0.5,0), F=rotate(-90)*(C-B)/2+B; draw(A--B); draw(A--C); pen p=linewidth(1mm); draw(B--C,p); draw(A--D); draw(B--F,p); label("$A$",A,SW); label("$B$",B,S); label("$C$",C,N); dot(Label("$D$",D,S)); dot(Label("$F$",F,N+NW)); markangle(A,C,B); markangle(scale(1.5)*"$\theta$",radius=40,C,B,A,ArcArrow(2mm),1mm+red); markangle(scale(1.5)*"$-\theta$",radius=-70,A,B,C,ArcArrow,green); markangle(Label("$\gamma$",Relative(0.25)),n=2,radius=-30,A,C,B,p=0.7blue+2); markangle(n=3,B,A,C,marker(markinterval(stickframe(n=2),true))); pen RedPen=0.7red+1bp; markangle(C,A,D,RedPen,marker(markinterval(2,stickframe(3,4mm,RedPen),true))); drawline(A,A+dir(A--D,A--C),dotted); perpendicular(B,NE,F-B,size=10mm,1mm+red, TrueMargin(linewidth(p)/2,linewidth(p)/2),Fill(yellow)); asymptote-2.62/doc/labelsquare.asy0000644000000000000000000000017113607467113015760 0ustar rootrootsize(3cm); draw(unitsquare); label("$A$",(0,0),SW); label("$B$",(1,0),SE); label("$C$",(1,1),NE); label("$D$",(0,1),NW); asymptote-2.62/doc/Hobbycontrol.asy0000644000000000000000000000101113607467113016116 0ustar rootrootsize(200); pair z0=(0,0); pair z1=(0.5,3); pair z2=(2,1); path g=z0..z1..z2; pair d0=dir(g,0); pair d1=dir(g,1); draw(Label("$\omega_0$",1),z0-d0..z0+d0,blue+dashed,Arrow); draw(Label("$\omega_1$",1),z1-d1..z1+1.5d1,blue+dashed,Arrow); draw(z0--interp(z0,z1,1.5),dashed); draw(subpath(g,0,1),blue); draw("$\theta$",arc(z0,0.4,degrees(z1-z0),degrees(d0)),red,Arrow, EndPenMargin); draw("$\phi$",arc(z1,1.05,degrees(z1-z0),degrees(d1)),red,Arrow, EndPenMargin); dot("$z_0$",z0,SW,red); dot("$z_1$",z1,SE,red); asymptote-2.62/doc/elliptic.asy0000644000000000000000000000376713607467113015303 0ustar rootrootstruct curve { real a=0; real b=8; real y2(real x) { return x^3+a*x+b; } real disc() { return -16*(4*a*a*a+27*b*b); } real lowx () { return sqrt(-a/3); } int comps() { if (a < 0) { real x=sqrt(-a/3); return y2(x) < 0 ? 2 : 1; } return 1; } void locus(picture pic=currentpicture, real m, real M, int n=100, pen p=currentpen) { path flip(path p, bool close) { path pp=reverse(yscale(-1)*p)..p; return close ? pp..cycle : pp; } path section(real m, real M, int n) { guide g; real width=(M-m)/n; for(int i=0; i <= n; ++i) { real x=m+width*i; real yy=y2(x); if (yy > 0) g=g..(x,sqrt(yy)); } return g; } if (comps() == 1) { draw(pic,flip(section(m,M,n),false),p); } else { real x=lowx(); // The minimum on x^3+ax+b if (m < x) draw(pic,flip(section(m,min(x,M),n),true),p); if (x < M) draw(pic,flip(section(max(x,m),M,n),false),p); } } pair neg(pair P) { return finite(P.y) ? yscale(-1)*P : P; } pair add(pair P, pair Q) { if (P.x == Q.x && P.x != Q.x) return (0,infinity); else { real lambda=P == Q ? (3*P.x^2+a)/(2*P.y) : (Q.y-P.y)/(Q.x-P.x); real Rx=lambda^2-P.x-Q.x; return (Rx,(P.x-Rx)*lambda-P.y); } } } import graph; import math; size(0,200); curve c; c.a=-1; c.b=4; pair oncurve(real x) { return (x,sqrt(c.y2(x))); } picture output; axes(); c.locus(-4,3,.3red+.7blue); pair P=oncurve(-1),Q=oncurve(1.2); pair PP=c.add(P,P),sum=c.add(P,Q); save(); drawline(P,Q,dashed); drawline(c.neg(sum),sum,dashed); dot("$P$", P, NW); dot("$Q$", Q, SSE); dot(c.neg(sum)); dot("$P+Q$", sum, 2SW); add(output,currentpicture.fit(),(-0.5cm,0),W); restore(); save(); drawline(P,c.neg(PP),dashed); drawline(c.neg(PP),PP,dashed); dot("$P$", P, NW); dot(c.neg(PP)); dot("$2P$", PP, SW); add(output,currentpicture.fit(),(0.5cm,0),E); shipout(output); restore(); asymptote-2.62/doc/lineargraph0.asy0000644000000000000000000000055613607467113016043 0ustar rootrootimport graph; size(400,200,IgnoreAspect); real Sin(real t) {return sin(2pi*t);} real Cos(real t) {return cos(2pi*t);} draw(graph(Sin,0,1),red,"$\sin(2\pi x)$"); draw(graph(Cos,0,1),blue,"$\cos(2\pi x)$"); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks(trailingzero)); label("LABEL",point(0),UnFill(1mm)); add(legend(),point(E),20E,UnFill); asymptote-2.62/doc/latexusage.tex0000644000000000000000000000604213607467113015631 0ustar rootroot\documentclass[12pt]{article} % Use this form to include EPS (latex) or PDF (pdflatex) files: %\usepackage{asymptote} % Use this form with latex or pdflatex to include inline LaTeX code by default: \usepackage[inline]{asymptote} % Use this form with latex or pdflatex to create PDF attachments by default: %\usepackage[attach]{asymptote} % Enable this line to support the attach option: %\usepackage[dvips]{attachfile2} \begin{document} % Optional subdirectory for latex files (no spaces): \def\asylatexdir{} % Optional subdirectory for asy files (no spaces): \def\asydir{} \begin{asydef} // Global Asymptote definitions can be put here. import three; usepackage("bm"); texpreamble("\def\V#1{\bm{#1}}"); // One can globally override the default toolbar settings here: // settings.toolbar=true; \end{asydef} Here is a venn diagram produced with Asymptote, drawn to width 4cm: \def\A{A} \def\B{\V{B}} %\begin{figure} \begin{center} \begin{asy} size(4cm,0); pen colour1=red; pen colour2=green; pair z0=(0,0); pair z1=(-1,0); pair z2=(1,0); real r=1.5; path c1=circle(z1,r); path c2=circle(z2,r); fill(c1,colour1); fill(c2,colour2); picture intersection=new picture; fill(intersection,c1,colour1+colour2); clip(intersection,c2); add(intersection); draw(c1); draw(c2); //draw("$\A$",box,z1); // Requires [inline] package option. //draw(Label("$\B$","$B$"),box,z2); // Requires [inline] package option. draw("$A$",box,z1); draw("$\V{B}$",box,z2); pair z=(0,-2); real m=3; margin BigMargin=Margin(0,m*dot(unit(z1-z),unit(z0-z))); draw(Label("$A\cap B$",0),conj(z)--z0,Arrow,BigMargin); draw(Label("$A\cup B$",0),z--z0,Arrow,BigMargin); draw(z--z1,Arrow,Margin(0,m)); draw(z--z2,Arrow,Margin(0,m)); shipout(bbox(0.25cm)); \end{asy} %\caption{Venn diagram}\label{venn} \end{center} %\end{figure} Each graph is drawn in its own environment. One can specify the width and height to \LaTeX\ explicitly. This 3D example can be viewed interactively either with Adobe Reader or Asymptote's fast OpenGL-based renderer. To support {\tt latexmk}, 3D figures should specify \verb+inline=true+. It is sometimes desirable to embed 3D files as annotated attachments; this requires the \verb+attach=true+ option as well as the \verb+attachfile2+ \LaTeX\ package. \begin{center} \begin{asy}[height=4cm,inline=true,attach=false,viewportwidth=\linewidth] currentprojection=orthographic(5,4,2); draw(unitcube,blue); label("$V-E+F=2$",(0,1,0.5),3Y,blue+fontsize(17pt)); \end{asy} \end{center} One can also scale the figure to the full line width: \begin{center} \begin{asy}[width=\the\linewidth,inline=true] pair z0=(0,0); pair z1=(2,0); pair z2=(5,0); pair zf=z1+0.75*(z2-z1); draw(z1--z2); dot(z1,red+0.15cm); dot(z2,darkgreen+0.3cm); label("$m$",z1,1.2N,red); label("$M$",z2,1.5N,darkgreen); label("$\hat{\ }$",zf,0.2*S,fontsize(24pt)+blue); pair s=-0.2*I; draw("$x$",z0+s--z1+s,N,red,Arrows,Bars,PenMargins); s=-0.5*I; draw("$\bar{x}$",z0+s--zf+s,blue,Arrows,Bars,PenMargins); s=-0.95*I; draw("$X$",z0+s--z2+s,darkgreen,Arrows,Bars,PenMargins); \end{asy} \end{center} \end{document} asymptote-2.62/doc/makepen.asy0000644000000000000000000000044513607467113015104 0ustar rootrootsize(200); pen convex=makepen(scale(10)*polygon(8))+grey; draw((1,0.4),convex); draw((0,0)---(1,1)..(2,0)--cycle,convex); pen nonconvex=scale(10)* makepen((0,0)--(0.25,-1)--(0.5,0.25)--(1,0)--(0.5,1.25)--cycle)+red; draw((0.5,-1.5),nonconvex); draw((0,-1.5)..(1,-0.5)..(2,-1.5),nonconvex); asymptote-2.62/doc/hatch.asy0000644000000000000000000000042713607467113014553 0ustar rootrootsize(0,100); import patterns; add("hatch",hatch()); add("hatchback",hatch(NW)); add("crosshatch",crosshatch(3mm)); real s=1.25; filldraw(unitsquare,pattern("hatch")); filldraw(shift(s,0)*unitsquare,pattern("hatchback")); filldraw(shift(2s,0)*unitsquare,pattern("crosshatch")); asymptote-2.62/doc/leastsquares.dat0000644000000000000000000001425613607467113016161 0ustar rootroot1 3825 2 4057 3 4217 4 4278 5 4353 6 4483 7 4410 8 4462 9 4626 10 4511 11 4531 12 4450 13 4354 14 4402 15 4489 16 4441 17 4366 18 4443 19 4442 20 4335 21 4292 22 4458 23 4444 24 4426 25 4310 26 4264 27 4263 28 4252 29 4330 30 4304 31 4242 32 4272 33 4284 34 4198 35 4242 36 4096 37 4142 38 4248 39 4186 40 4210 41 4125 42 4134 43 4098 44 4129 45 3960 46 4012 47 4079 48 4038 49 4024 50 3949 51 3996 52 3970 53 4031 54 3895 55 3806 56 3825 57 3850 58 3742 59 3678 60 3589 61 3648 62 3476 63 3490 64 3353 65 3270 66 3134 67 3018 68 2922 69 2801 70 2691 71 2528 72 2460 73 2254 74 2105 75 2009 76 1854 77 1677 78 1562 79 1501 80 1399 81 1244 82 1160 83 1080 84 963 85 879 86 797 87 745 88 701 89 634 90 554 91 532 92 549 93 521 94 466 95 460 96 435 97 412 98 376 99 367 100 350 101 360 102 321 103 302 104 291 105 273 106 261 107 255 108 231 109 245 110 252 111 236 112 227 113 207 114 196 115 199 116 211 117 232 118 220 119 214 120 229 121 213 122 208 123 196 124 218 125 196 126 192 127 178 128 177 129 178 130 179 131 170 132 173 133 170 134 150 135 144 136 149 137 145 138 145 139 139 140 147 141 140 142 128 143 133 144 156 145 136 146 164 147 152 148 140 149 141 150 112 151 108 152 110 153 133 154 118 155 113 156 113 157 108 158 88 159 109 160 97 161 99 162 94 163 97 164 104 165 105 166 118 167 108 168 130 169 126 170 114 171 112 172 107 173 96 174 96 175 102 176 85 177 89 178 93 179 96 180 101 181 82 182 97 183 96 184 94 185 97 186 85 187 79 188 72 189 75 190 63 191 65 192 62 193 54 194 53 195 49 196 55 197 48 198 53 199 46 200 50 201 48 202 50 203 51 204 50 205 49 206 46 207 47 208 44 209 42 210 47 211 45 212 44 213 46 214 43 215 40 216 42 217 41 218 40 219 43 220 41 221 42 222 43 223 40 224 42 225 39 226 41 227 42 228 44 229 40 230 40 231 35 232 38 233 37 234 36 235 34 236 34 237 34 238 36 239 36 240 36 241 37 242 37 243 37 244 36 245 36 246 45 247 43 248 43 249 43 250 49 251 58 252 48 253 50 254 56 255 51 256 50 257 55 258 64 259 55 260 49 261 36 262 36 263 40 264 49 265 37 266 35 267 35 268 33 269 33 270 39 271 35 272 34 273 36 274 32 275 37 276 31 277 31 278 32 279 30 280 32 281 29 282 31 283 30 284 30 285 28 286 27 287 26 288 24 289 25 290 28 291 30 292 29 293 27 294 27 295 27 296 26 297 26 298 28 299 27 300 24 301 22 302 27 303 26 304 25 305 25 306 25 307 26 308 28 309 26 310 25 311 24 312 26 313 25 314 23 315 25 316 24 317 23 318 23 319 24 320 23 321 24 322 22 323 24 324 24 325 24 326 23 327 25 328 24 329 22 330 22 331 23 332 23 333 23 334 21 335 19 336 20 337 22 338 26 339 25 340 24 341 22 342 22 343 23 344 23 345 23 346 20 347 21 348 20 349 21 350 25 351 22 352 22 353 21 354 24 355 24 356 22 357 23 358 26 359 24 360 23 361 22 362 26 363 30 364 27 365 25 366 26 367 26 368 25 369 24 370 24 371 22 372 21 373 20 374 20 375 19 376 20 377 21 378 20 379 20 380 19 381 19 382 19 383 19 384 20 385 20 386 19 387 20 388 20 389 20 390 17 391 18 392 16 393 18 394 32 395 31 396 47 397 57 398 64 399 34 400 42 401 40 402 41 403 35 404 26 405 25 406 25 407 36 408 42 409 55 410 75 411 94 412 87 413 97 414 95 415 101 416 70 417 66 418 66 419 73 420 77 421 89 422 79 423 63 424 66 425 71 426 70 427 49 428 46 429 46 430 43 431 49 432 48 433 44 434 36 435 33 436 28 437 29 438 32 439 31 440 29 441 28 442 29 443 31 444 31 445 33 446 33 447 39 448 44 449 37 450 58 451 64 452 38 453 31 454 36 455 33 456 29 457 34 458 28 459 27 460 23 461 31 462 26 463 21 464 23 465 26 466 21 467 21 468 24 469 24 470 24 471 24 472 26 473 23 474 26 475 20 476 21 477 25 478 21 479 22 480 22 481 23 482 22 483 23 484 22 485 20 486 22 487 20 488 22 489 20 490 24 491 20 492 22 493 19 494 19 495 20 496 19 497 18 498 18 499 17 500 16 501 16 502 17 503 17 504 16 505 17 506 16 507 16 508 16 509 17 510 18 511 17 512 16 513 17 514 16 515 16 516 16 517 17 518 16 519 16 520 16 521 16 522 16 523 16 524 16 525 16 526 16 527 17 528 17 529 18 530 17 531 16 532 15 533 15 534 15 535 15 536 16 537 17 538 16 539 18 540 17 541 17 542 15 543 15 544 15 545 16 546 15 547 15 548 15 549 15 550 15 551 14 552 14 553 14 554 14 555 14 556 14 557 14 558 15 559 14 560 16 561 15 562 16 563 17 564 15 565 14 566 17 567 18 568 17 569 16 570 17 571 14 572 15 573 15 574 15 575 14 576 15 577 14 578 14 579 13 580 13 581 13 582 13 583 13 584 12 585 12 586 13 587 12 588 12 589 12 590 13 591 15 592 16 593 14 594 13 595 14 596 13 597 13 598 13 599 13 600 14 601 13 602 13 603 13 604 14 605 15 606 15 607 15 608 15 609 15 610 15 611 15 612 15 613 15 614 15 615 15 616 14 617 14 618 14 619 14 620 14 621 14 622 14 623 15 624 15 625 15 626 14 627 15 628 14 629 14 630 14 631 14 632 14 633 14 634 13 635 13 636 13 637 13 638 13 639 13 640 13 641 13 642 13 643 13 644 13 645 13 646 13 647 13 648 13 649 13 650 13 651 13 652 13 653 13 654 13 655 13 656 13 657 13 658 13 659 13 660 13 661 13 662 13 663 13 664 13 665 13 666 13 667 13 668 13 669 13 670 13 671 13 672 13 673 13 674 13 675 13 676 13 677 13 678 13 679 12 680 12 681 13 682 13 683 13 684 13 685 12 686 12 687 13 688 13 689 13 690 13 691 13 692 13 693 13 694 13 695 13 696 13 697 13 698 13 699 13 700 13 701 13 702 13 703 13 704 13 705 13 706 13 707 13 708 13 709 13 710 13 711 13 712 13 713 13 714 13 715 13 716 13 717 13 718 13 719 13 720 13 721 13 722 13 723 13 724 13 725 13 726 13 727 13 728 13 729 13 730 13 731 13 732 13 733 13 734 13 735 13 736 13 737 13 738 13 739 13 740 13 741 13 742 13 743 13 744 13 745 13 746 13 747 13 748 13 749 13 750 13 751 13 752 13 753 13 754 13 755 12 756 12 757 12 758 12 759 11 760 12 761 11 762 12 763 11 764 12 765 12 766 12 767 12 768 14 769 14 770 14 771 14 772 12 773 12 774 12 775 13 776 13 777 13 778 12 779 13 780 13 781 13 782 13 783 13 784 13 785 12 786 11 787 11 788 11 789 12 790 13 791 13 792 13 793 12 794 13 795 13 796 13 797 13 798 13 799 12 800 12 801 12 802 12 803 12 804 12 805 11 806 11 807 11 808 12 809 13 810 13 811 12 812 12 813 12 814 12 815 12 816 12 817 12 818 12 819 12 820 13 821 13 822 13 823 13 824 12 825 13 826 12 827 13 828 13 829 13 830 13 831 12 832 12 833 12 834 13 835 13 836 12 837 9 838 9 839 10 840 10 841 11 842 11 843 11 844 12 845 12 846 11 847 12 848 12 849 12 850 12 851 12 852 12 853 12 854 12 855 12 856 11 857 10 858 11 859 12 860 11 861 11 862 11 863 10 864 10 865 10 866 11 867 10 868 10 869 10 870 11 871 11 872 12 873 12 874 12 875 12 876 12 877 12 878 12 879 12 880 12 881 0 882 0 asymptote-2.62/doc/errorbars.asy0000644000000000000000000000162013607467113015461 0ustar rootrootimport graph; picture pic; real xsize=200, ysize=140; size(pic,xsize,ysize,IgnoreAspect); pair[] f={(5,5),(50,20),(90,90)}; pair[] df={(0,0),(5,7),(0,5)}; errorbars(pic,f,df,red); draw(pic,graph(pic,f),"legend", marker(scale(0.8mm)*unitcircle,red,FillDraw(blue),above=false)); scale(pic,true); xaxis(pic,"$x$",BottomTop,LeftTicks); yaxis(pic,"$y$",LeftRight,RightTicks); add(pic,legend(pic),point(pic,NW),20SE,UnFill); picture pic2; size(pic2,xsize,ysize,IgnoreAspect); frame mark; filldraw(mark,scale(0.8mm)*polygon(6),green,green); draw(mark,scale(0.8mm)*cross(6),blue); draw(pic2,graph(pic2,f),marker(mark,markuniform(5))); scale(pic2,true); xaxis(pic2,"$x$",BottomTop,LeftTicks); yaxis(pic2,"$y$",LeftRight,RightTicks); yequals(pic2,55.0,red+Dotted); xequals(pic2,70.0,red+Dotted); // Fit pic to W of origin: add(pic.fit(),(0,0),W); // Fit pic2 to E of (5mm,0): add(pic2.fit(),(5mm,0),E); asymptote-2.62/doc/multicontour.asy0000644000000000000000000000071213607467113016225 0ustar rootrootimport contour; size(200); real f(real x, real y) {return x^2-y^2;} int n=10; real[] c=new real[n]; for(int i=0; i < n; ++i) c[i]=(i-n/2)/n; pen[] p=sequence(new pen(int i) { return (c[i] >= 0 ? solid : dashed)+fontsize(6pt); },c.length); Label[] Labels=sequence(new Label(int i) { return Label(c[i] != 0 ? (string) c[i] : "",Relative(unitrand()),(0,0), UnFill(1bp)); },c.length); draw(Labels,contour(f,(-1,-1),(1,1),c),p); asymptote-2.62/doc/CAD.tex0000644000000000000000000002372413607467113014064 0ustar rootroot\documentclass{ltxguide} \usepackage{graphicx} \begin{document} \title{Asymptote package CAD.asy\footnote{This document describes version 1.0.}} \author{Mark Henning, Germany\thanks{URL: http://www.markhenning.de}} \date{29 September 2006} \maketitle \tableofcontents \section{Introduction} The package {\tt CAD.asy} provides basic pen definitions and measurement functions for simple 2D CAD drawings according to DIN 15. \section{Important rules for using this package} If a function is declared like this: % \begin{verbatim} void foo(int nParam1, string strParam2) \end{verbatim} % You may call it \verb\foo(0, 'abc');\ or \verb\foo(nParam1=0, strParam2='abc');\. The definitions of the functions in this package may change in future version: the order of the parameters may be changed, new parameters may be inserted. Therefore it is \emph{strongly recommended} always calling the functions \verb\foo(nParam1=0, strParam2='abc');\. \section{Usage} To use the capabilities of the package, import it: % \begin{verbatim} import CAD; \end{verbatim} % All functions are encapsulated in the structure \verb\sCAD\. As the pen definitions may differ depending on the size of your drawing, you have to initialize the structure before drawing: \begin{verbatim} static sCAD Create(int nLineGroup = 1) \end{verbatim} % The parameter \verb\nLineGroup\ depends on the size of your drawing. It specifies the line group to define the pens and thus the width used for the lines. The parameter has to be within the range $[0;3]$. The larger the value, the thicker the lines. Code example: % \begin{quote}\begin{verbatim} sCAD cad = sCAD.Create(); \end{verbatim}\end{quote} The created variable \verb\cad\ then provides the most important pens. Available pens are: % \begin{itemize} \item The pens of group A: \begin{itemize} \item\verb\pA\ \item\verb\pVisibleEdge\ \item\verb\pVisibleContour\ \item\verb\pUsableWindingLength\ \item\verb\pSystemLine\ \item\verb\pDiagramCurve\ \item\verb\pSurfaceStructure\ \end{itemize} \item The pens of group B: \begin{itemize} \item\verb\pB\ \item\verb\pLightEdge\ \item\verb\pMeasureLine\ \item\verb\pMeasureHelpLine\ \item\verb\pMeasureLineBound\ \item\verb\pReferenceLine\ \item\verb\pHatch\ \item\verb\pWindingGround\ \item\verb\pDiagonalCross\ \item\verb\pBendLine\ \item\verb\pProjectionLine\ \item\verb\pGrid\ \end{itemize} \item The pens of group C: \begin{itemize} \item\verb\pC\ \item\verb\pFreehand\ \end{itemize} \item The pens of group E: \begin{itemize} \item\verb\pE\ \item\verb\pSurfaceTreatmentAllowed\ \end{itemize} \item The pens of group F: \begin{itemize} \item\verb\pF\ \item\verb\pInvisibleEdge\ \item\verb\pInvisibleContour\ \end{itemize} \item The pens of group G: \begin{itemize} \item\verb\pG\ \item\verb\pMiddleLine\ \item\verb\pSymmetryLine\ \item\verb\pPartialCircle\ \item\verb\pCircularHole\ \item\verb\pDivisionPlane\ \item\verb\pTransferLine\ \end{itemize} \item The pens of group J: \begin{itemize} \item\verb\pJ\ \item\verb\pCuttingPlane\ \item\verb\pSurfaceTreatmentRequested\ \end{itemize} \item The pens of group K: \begin{itemize} \item\verb\pK\ \item\verb\pContourBeforeDeformation\ \item\verb\pAdjacentPartContour\ \item\verb\pEndShapeRawMaterial\ \item\verb\pContourEligibleType\ \item\verb\pPartInFrontOfCuttingPlane\ \end{itemize} \end{itemize} % All pens of one group are the same. So there is no difference between the pen \verb\pA\ and the pen \verb\pVisibleEdge\. You may use the short names or the descriptive ones. The list of groups is not complete. I had no idea how to implement the pens of group D. For me, group H seems to be obsolete, and there is no group I contained in DIN 15. In the case I did something wrong translating the German names into English, the source file also contains the original German names of each pen. Whenever a drawing function does not allow you to select the pen, the right pen is selected automatically. \begin{verbatim} void MeasureLine(picture pic = currentpicture, Label L, pair pFrom, pair pTo, real dblLeft = 0, real dblRight = 0, real dblRelPosition = 0.5, bool bSmallBound = false) \end{verbatim} % This is the basic function to draw labeled straight measurement lines. \verb\pic\ denotes the picture the line has to be drawn into, \verb\L\ is the label of the line. The pairs \verb\pFrom\ and \verb\pTo\ are the start and the end point of the distance to measure, respectively. Note, that these two points do \emph{not} refer to the start and end point of the line, as it may be longer than the measured distance. The line is extended on its left side (= the part of the line 'before' the start point) by the distance \verb\dblLeft\. On its right side (= the part of the line 'behind' the end point) it is extended by the distance \verb\dblRight\. \verb\dblLeft\ and \verb\dblRight\ must be $\leq 0$. If only one of both values is zero, it is set to the value of the other one, because according to DIN 15 it is not allowed to draw a measurement line asymmetrically. The position of the arrows indicating begin and end of the distance depends on \verb\dblLeft\ and \verb\dblRight\. If both values are 0, the measurement arrows are drawn within the measurement distance. Otherwise they are drawn outside. The parameter \verb\dblRelPosition\ refers to the relative position of the label between the start and end point. This means: The value 0 positions the label at the start point, 0.5 refers to the center between the start and the end point. Finally, the value 1 will position the label at the end point. If \verb\dblLeft\ or \verb\dblRight\ are nonzero, you may position the label at the left side of the start point ($< 0$) or at the right side of the start point ($> 1$). Usually, there is enough space to draw the measurement arrows. If you wish to use small circles instead of the arrows, set \verb\bSmallBound\ to \verb\true\. \begin{verbatim} real GetMeasurementBoundSize(bool bSmallBound = false) \end{verbatim} % Returns the size of the arrow or the small bound circle used for measurement lines. \begin{verbatim} guide GetMeasurementBound(bool bSmallBound = false) \end{verbatim} % Returns the correctly scaled guide of the arrow or the small bound circle used for measurement lines. \begin{verbatim} void MeasureParallel(picture pic = currentpicture, Label L, pair pFrom, pair pTo, real dblDistance, // Variables from MeasureLine real dblLeft = 0, real dblRight = 0, real dblRelPosition = 0.5, bool bSmallBound = false) \end{verbatim} % Usually, measurement lines are placed outside the drawing with reference lines to the measured distance. \verb\pFrom\ and \verb\pTo\ denote the points of the drawing marking the begin and the end of the distance to measure, and not the begin and the end of the measurement line as in the case of the function \verb\MeasureLine\. The measurement line is placed \verb\dblDistance\ away from the distance to measure. If you would be at \verb\pFrom\ and look into the direction \verb\pTo\, it is placed on the left for positive values of \verb\dblDistance\. For negative values, it is positioned on the right. For the meaning of the other parameters see the function \verb\MeasureLine\. \begin{verbatim} guide MakeFreehand(pair pFrom, pair pTo, real dblRelDivisionLength = 12.5, real dblRelDistortion = 2.5, bool bIncludeTo = true) \end{verbatim} % To draw a line between two points, which is not straight, but more like a freehand line, use this function. The pairs \verb\pFrom\ and \verb\pTo\ denote start and end point, respectively. \verb\dblRelDivisionLength\ is the length of the parts, the line is subdivided into. \verb\dblRelDistortion\ is the amount of distortion. Both sizes are given relative to the width of a freehand line. If \verb\bIncludeTo\ is \verb\true\, the point \verb\pTo\ is added to the path. Otherwise it is not. This may be useful for converting a guide containing more than two points to a freehand line. \section{Example} \begin{figure} \includegraphics{CAD1} \caption{Example showing the measurement capabilities and a small freehand line.\label{fig:example1}} \end{figure} To produce figure \ref{fig:example1}, use this code: \begin{quote} \begin{verbatim} import CAD; sCAD cad = sCAD.Create(); // Freehand line draw(g = cad.MakeFreehand(pFrom = (3, -1)*cm, (6, -1)*cm), p = cad.pFreehand); // Standard measurement lines draw(g = box((0, 0)*cm, (1, 1)*cm), p = cad.pVisibleEdge); cad.MeasureParallel(L = "$\sqrt{2}$", pFrom = (0, 1)*cm, pTo = (1, 0)*cm, dblDistance = -15mm); // Label inside, shifted to the right; arrows outside draw(g = box((2, 0)*cm, (3, 1)*cm), p = cad.pVisibleEdge); cad.MeasureParallel(L = "1", pFrom = (2, 1)*cm, pTo = (3, 1)*cm, dblDistance = 5mm, dblLeft = 5mm, dblRelPosition = 0.75); // Label and arrows outside draw(g = box((5, 0)*cm, (5.5, 1)*cm), p = cad.pVisibleEdge); cad.MeasureParallel(L = "0.5", pFrom = (5, 1)*cm, pTo = (5.5, 1)*cm, dblDistance = 5mm, dblLeft = 10mm, dblRelPosition = -1); // Small bounds, asymmetric measurement line draw(g = box((7, 0)*cm, (7.5, 1)*cm), p = cad.pVisibleEdge); cad.MeasureParallel(L = "0.5", pFrom = (7, 1)*cm, pTo = (7.5, 1)*cm, dblDistance = 5mm, dblLeft = 2*cad.GetMeasurementBoundSize( bSmallBound = true), dblRight = 10mm, dblRelPosition = 2, bSmallBound = true); \end{verbatim} \end{quote} \end{document} asymptote-2.62/doc/logo.asy0000644000000000000000000000115313607467113014421 0ustar rootrootsize(140,80,IgnoreAspect); picture logo(pair s=0, pen q) { picture pic; pen p=linewidth(2)+fontsize(24pt)+q; real a=-0.4; real b=0.95; real y1=-5; real y2=-3y1/2; path A=(a,0){dir(10)}::{dir(89.5)}(0,y2); draw(pic,A,p); draw(pic,(0,y1){dir(88.3)}::{dir(20)}(b,0),p); real c=0.5*a; pair z=(0,2.5); label(pic,"{\it symptote}",z,0.25*E+0.169S,p); pair w=(0,1.7); draw(pic,intersectionpoint(A,w-1--w)--w,p); draw(pic,(0,y1)--(0,y2),p); draw(pic,(a,0)--(b,0),p); return shift(s)*pic; } pair z=(-0.015,0.08); for(int x=0; x < 10; ++x) add(logo(0.1*x*z,gray(0.04*x))); add(logo(red)); asymptote-2.62/doc/axis3.asy0000644000000000000000000000036613607467113014515 0ustar rootrootimport graph3; size(0,200); size3(200,IgnoreAspect); currentprojection=perspective(5,2,2); scale(Linear,Linear,Log); xaxis3("$x$",0,1,red,OutTicks(2,2)); yaxis3("$y$",0,1,red,OutTicks(2,2)); zaxis3("$z$",1,30,red,OutTicks(beginlabel=false)); asymptote-2.62/doc/binarytreetest.asy0000644000000000000000000000046213607467113016527 0ustar rootrootimport binarytree; picture pic,pic2; binarytree bt=binarytree(1,2,4,nil,5,nil,nil,0,nil,nil,3,6,nil,nil,7); draw(pic,bt,condensed=false); binarytree st=searchtree(10,5,2,1,3,4,7,6,8,9,15,13,12,11,14,17,16,18,19); draw(pic2,st,blue,condensed=true); add(pic.fit(),(0,0),10N); add(pic2.fit(),(0,0),10S); asymptote-2.62/doc/xasy.1x0000644000000000000000000000156013607467113014203 0ustar rootroot.\" Hey, EMACS: -*- nroff -*- .TH XASY 1x "27 Nov 2007" .SH NAME asy \- script-based vector graphics language .SH SYNOPSIS .B xasy .RI " [-x magnification] [filename]" .SH DESCRIPTION \fBAsymptote\fP is a powerful descriptive vector graphics language for technical drawing, inspired by MetaPost but with an improved C++\-like syntax. Asymptote provides for figures the same high\-quality level of typesetting that LaTeX does for scientific text. .PP \fBxasy\fP is a GUI for Asymptote that allows for final figure adjustments. .SH OPTIONS .TP .B \-x magnification Initial zoom. .SH SEE ALSO Asymptote and xasy are documented fully in the Asymptote Info page. .SH AUTHOR Asymptote was written by Andy Hammerlindl, John Bowman, and Tom Prince. .PP This manual page was written by Hubert Chan for the Debian project (but may be used by others). asymptote-2.62/doc/bezier2.asy0000644000000000000000000000064013607467113015023 0ustar rootrootimport beziercurve; pair midpoint(pair a, pair b) {return interp(a,b,0.5);} pair m0=midpoint(z0,c0); pair m1=midpoint(c0,c1); pair m2=midpoint(c1,z1); draw(m0--m1--m2,dashed); dot("$m_0$",m0,NW,red); dot("$m_1$",m1,N,red); dot("$m_2$",m2,red); pair m3=midpoint(m0,m1); pair m4=midpoint(m1,m2); pair m5=midpoint(m3,m4); draw(m3--m4,dashed); dot("$m_3$",m3,NW,red); dot("$m_4$",m4,NE,red); dot("$m_5$",m5,N,red); asymptote-2.62/doc/filegraph.dat0000644000000000000000000000003213607467113015371 0ustar rootroot# x y 50 0 100 0.5 125 2 asymptote-2.62/doc/linetype.asy0000644000000000000000000000064013607467113015312 0ustar rootrootvoid testline(real y) { draw((0,y)--(100,y),currentpen+solid); draw((0,y-10)--(100,y-10),currentpen+dotted); draw((0,y-20)--(100,y-20),currentpen+dashed); draw((0,y-30)--(100,y-30),currentpen+longdashed); draw((0,y-40)--(100,y-40),currentpen+dashdotted); draw((0,y-50)--(100,y-50),currentpen+longdashdotted); draw((0,y-60)--(100,y-60),currentpen+Dotted); } currentpen=linewidth(0.5); testline(100); asymptote-2.62/doc/cube.asy0000644000000000000000000000036313607467113014401 0ustar rootrootimport three; currentprojection=orthographic(5,4,2,center=true); size(5cm); size3(3cm,5cm,8cm); draw(unitbox); dot(unitbox,red); label("$O$",(0,0,0),NW); label("(1,0,0)",(1,0,0),S); label("(0,1,0)",(0,1,0),E); label("(0,0,1)",(0,0,1),Z); asymptote-2.62/doc/loggrid.asy0000644000000000000000000000057613607467113015120 0ustar rootrootimport graph; size(200,200,IgnoreAspect); real f(real t) {return 1/t;} scale(Log,Log); draw(graph(f,0.1,10),red); pen thin=linewidth(0.5*linewidth()); xaxis("$x$",BottomTop,LeftTicks(begin=false,end=false,extend=true, ptick=thin)); yaxis("$y$",LeftRight,RightTicks(begin=false,end=false,extend=true, ptick=thin)); asymptote-2.62/doc/log2graph.asy0000644000000000000000000000064713607467113015355 0ustar rootrootimport graph; size(200,IgnoreAspect); // Base-2 logarithmic scale on y-axis: real log2(real x) {static real log2=log(2); return log(x)/log2;} real pow2(real x) {return 2^x;} scaleT yscale=scaleT(log2,pow2,logarithmic=true); scale(Linear,yscale); real f(real x) {return 1+x^2;} draw(graph(f,-4,4)); yaxis("$y$",ymin=1,ymax=f(5),RightTicks(Label(Fill(white))),EndArrow); xaxis("$x$",xmin=-5,xmax=5,LeftTicks,EndArrow); asymptote-2.62/doc/knots.asy0000644000000000000000000000064113607467113014620 0ustar rootrootimport syzygy; Braid initial; initial.n = 4; initial.add(bp,1); initial.add(bp,0); initial.add(bp,2); initial.add(bp,1); initial.add(phi,2); initial.add(phi,0); Syzygy pp; pp.lsym="\Phi\Phi"; pp.codename="PhiAroundPhi"; pp.number=true; pp.initial=initial; pp.apply(r4b,2,1); pp.apply(r4b,0,0); pp.apply(r4a,1,0); pp.swap(0,1); pp.apply(-r4b,1,0); pp.apply(-r4a,0,1); pp.apply(-r4a,2,0); pp.swap(4,5); pp.draw(); asymptote-2.62/doc/colo-asy.tex0000644000000000000000000001037413607467113015220 0ustar rootroot%D \module %D [ file=colo-asy, %D version=2009.05.20, %D title=\CONTEXT\ Color Macros, %D subtitle=\asymptote\ Colors, %D author=\asymptote\ developers, %D date=\currentdate, %D copyright={put something here}] %C %C any copyright notice may go here % call with \setupcolor[asy] \definecolor [cyan] [c=1.00,m=0.00,y=0.00,k=0.00] \definecolor [magenta] [c=0.00,m=1.00,y=0.00,k=0.00] \definecolor [yellow] [c=0.00,m=0.00,y=1.00,k=0.00] \definecolor [black] [c=0.00,m=0.00,y=0.00,k=1.00] \definecolor [white] [c=0.00,m=0.00,y=0.00,k=0.00] \definecolor [gray] [c=0.00,m=0.00,y=0.00,k=0.50] \definecolor [red] [c=0.00,m=1.00,y=1.00,k=0.00] \definecolor [green] [c=1.00,m=0.00,y=1.00,k=0.00] \definecolor [blue] [c=1.00,m=1.00,y=0.00,k=0.00] \definecolor [palered] [c=0.00,m=0.25,y=0.25,k=0.00] \definecolor [palegreen] [c=0.25,m=0.00,y=0.25,k=0.00] \definecolor [paleblue] [c=0.25,m=0.25,y=0.00,k=0.00] \definecolor [palecyan] [c=0.25,m=0.00,y=0.00,k=0.00] \definecolor [palemagenta] [c=0.00,m=0.25,y=0.00,k=0.00] \definecolor [paleyellow] [c=0.00,m=0.00,y=0.25,k=0.00] \definecolor [palegray] [c=0.00,m=0.00,y=0.00,k=0.05] \definecolor [lightred] [c=0.00,m=0.50,y=0.50,k=0.00] \definecolor [lightgreen] [c=0.50,m=0.00,y=0.50,k=0.00] \definecolor [lightblue] [c=0.50,m=0.50,y=0.00,k=0.00] \definecolor [lightcyan] [c=0.50,m=0.00,y=0.00,k=0.00] \definecolor [lightmagenta] [c=0.00,m=0.50,y=0.00,k=0.00] \definecolor [lightyellow] [c=0.00,m=0.00,y=0.50,k=0.00] \definecolor [lightgray] [c=0.00,m=0.00,y=0.00,k=0.10] \definecolor [mediumred] [c=0.00,m=0.75,y=0.75,k=0.00] \definecolor [mediumgreen] [c=0.75,m=0.00,y=0.75,k=0.00] \definecolor [mediumblue] [c=0.75,m=0.75,y=0.00,k=0.00] \definecolor [mediumcyan] [c=0.75,m=0.00,y=0.00,k=0.00] \definecolor [mediummagenta] [c=0.00,m=0.75,y=0.00,k=0.00] \definecolor [mediumyellow] [c=0.00,m=0.00,y=0.75,k=0.00] \definecolor [mediumgray] [c=0.00,m=0.00,y=0.00,k=0.25] \definecolor [heavyred] [c=0.00,m=1.00,y=1.00,k=0.25] \definecolor [heavygreen] [c=1.00,m=0.00,y=1.00,k=0.25] \definecolor [heavyblue] [c=1.00,m=1.00,y=0.00,k=0.25] \definecolor [heavycyan] [c=1.00,m=0.00,y=0.00,k=0.25] \definecolor [heavymagenta] [c=0.00,m=1.00,y=0.00,k=0.25] \definecolor [lightolive] [c=0.00,m=0.00,y=1.00,k=0.25] \definecolor [heavygray] [c=0.00,m=0.00,y=0.00,k=0.75] \definecolor [deepred] [c=0.00,m=1.00,y=1.00,k=0.50] \definecolor [deepgreen] [c=1.00,m=0.00,y=1.00,k=0.50] \definecolor [deepblue] [c=1.00,m=1.00,y=0.00,k=0.50] \definecolor [deepcyan] [c=1.00,m=0.00,y=0.00,k=0.50] \definecolor [deepmagenta] [c=0.00,m=1.00,y=0.00,k=0.50] \definecolor [olive] [c=0.00,m=0.00,y=1.00,k=0.50] \definecolor [deepgray] [c=0.00,m=0.00,y=0.00,k=0.90] \definecolor [darkred] [c=0.00,m=1.00,y=1.00,k=0.75] \definecolor [darkgreen] [c=1.00,m=0.00,y=1.00,k=0.75] \definecolor [darkblue] [c=1.00,m=1.00,y=0.00,k=0.75] \definecolor [darkcyan] [c=1.00,m=0.00,y=0.00,k=0.75] \definecolor [darkmagenta] [c=0.00,m=1.00,y=0.00,k=0.75] \definecolor [darkolive] [c=0.00,m=0.00,y=1.00,k=0.75] \definecolor [darkgray] [c=0.00,m=0.00,y=0.00,k=0.95] \definecolor [orange] [c=0.00,m=0.50,y=1.00,k=0.00] \definecolor [fuchsia] [c=0.00,m=1.00,y=0.50,k=0.00] \definecolor [chartreuse] [c=0.50,m=0.00,y=1.00,k=0.00] \definecolor [springgreen] [c=1.00,m=0.00,y=0.50,k=0.00] \definecolor [purple] [c=0.50,m=1.00,y=0.00,k=0.00] \definecolor [royalblue] [c=1.00,m=0.50,y=0.00,k=0.00] \definecolor [salmon] [c=0.00,m=0.50,y=0.50,k=0.00] \definecolor [brown] [c=0.00,m=1.00,y=1.00,k=0.50] \definecolor [darkbrown] [c=0.00,m=1.00,y=1.00,k=0.75] \definecolor [pink] [c=0.00,m=0.25,y=0.00,k=0.00] \definecolor [palegrey] [c=0.00,m=0.00,y=0.00,k=0.05] \definecolor [lightgrey] [c=0.00,m=0.00,y=0.00,k=0.10] \definecolor [mediumgrey] [c=0.00,m=0.00,y=0.00,k=0.25] \definecolor [grey] [c=0.00,m=0.00,y=0.00,k=0.50] \definecolor [heavygrey] [c=0.00,m=0.00,y=0.00,k=0.50] \definecolor [deepgrey] [c=0.00,m=0.00,y=0.00,k=0.90] \definecolor [darkgrey] [c=0.00,m=0.00,y=0.00,k=0.95] asymptote-2.62/doc/extra/0000755000000000000000000000000013607467113014066 5ustar rootrootasymptote-2.62/doc/extra/intro.asy0000644000000000000000000006106113607467113015743 0ustar rootrootorientation=Landscape; settings.tex="pdflatex"; import slide; import three; import animate; bool long=true; usepackage("mflogo"); usersetting(); viewportsize=pagewidth-2pagemargin; // To generate bibliographic references: // asy -k intro // bibtex intro_ // asy -k intro bibliographystyle("alpha"); itempen=fontsize(22pt); defaultpen(itempen); viewportmargin=(2,2); titlepage(long ? "Asymptote: The Vector Graphics Language" : "Interactive TeX-Aware 3D Vector Graphics", "John Bowman and Andy Hammerlindl", "Department of Mathematical and Statistical Sciences\\ University of Alberta\\ %and Instituto Nacional de Matem\'atica Pura e Aplicada (IMPA) \medskip\Green{Collaborators: Orest Shardt, Michail Vidiassov}", "June 30, 2010", "http://asymptote.sf.net/intro.pdf"); title("History"); item("1979: \TeX\ and \MF\ (Knuth)"); item("1986: 2D B\'ezier control point selection (Hobby)"); item("1989: MetaPost (Hobby)"); item("2004: Asymptote"); subitem("2004: initial public release (Hammerlindl, Bowman, \& Prince)"); subitem("2005: 3D B\'ezier control point selection (Bowman)"); subitem("2008: 3D interactive \TeX\ within PDF files (Shardt \& Bowman)"); subitem("2009: 3D billboard labels that always face camera (Bowman)"); subitem("2010: 3D PDF enhancements (Vidiassov \& Bowman)"); title("Statistics (as of June, 2010)"); item("Runs under Linux/UNIX, Mac OS X, Microsoft Windows."); item("4000 downloads/month from primary\hfill\\ {\tt asymptote.sourceforge.net} site alone."); item("80\ 000 lines of low-level C++ code."); item("36\ 000 lines of high-level Asymptote code."); if(long) { title("Vector Graphics"); item("Raster graphics assign colors to a grid of pixels."); figure("pixel.pdf"); item("Vector graphics are graphics which still maintain their look when inspected at arbitrarily small scales."); asyfigure(asywrite(" picture pic; path zoombox(real h) { return box((-h,-h/2),(min(10,h),min(10,h)/2)); } frame zoom(real h, real next=0) { frame f; draw(f, (0,-100){W}..{E}(0,0), Arrow); clip(f, zoombox(h)); if(next > 0) draw(f, zoombox(next)); return scale(100/h)*f; } add(zoom(100), (0,0)); add(zoom(10), (200,0)); add(zoom(1), (400,0)); ")); } title("Cartesian Coordinates"); item("Asymptote's graphical capabilities are based on four primitive commands: {\tt draw}, {\tt label}, {\tt fill}, {\tt clip} \cite{Bowman08}"); asyfilecode("diagonal"); item("units are {\tt PostScript} {\it big points\/} (1 {\tt bp} = 1/72 {\tt inch})"); item("{\tt --} means join the points with a linear segment to create a {\it path}"); item("{\it cyclic\/} path:"); asycode(" draw((0,0)--(100,0)--(100,100)--(0,100)--cycle); "); title("Scaling to a Given Size"); item("{\tt PostScript} units are often inconvenient."); item("Instead, scale user coordinates to a specified final size:"); asyfilecode("square"); item("One can also specify the size in {\tt cm}:"); asycode(" size(3cm,3cm); draw(unitsquare); "); title("Labels"); item("Adding and aligning \LaTeX\ labels is easy:"); asycode(preamble="defaultpen(fontsize("+string(fontsize(itempen))+"));", "size(6cm); draw(unitsquare); label(\"$A$\",(0,0),SW); label(\"$B$\",(1,0),SE); label(\"$C$\",(1,1),NE); label(\"$D$\",(0,1),NW); "); title("2D B\'ezier Splines"); item("Using {\tt ..} instead of {\tt --} specifies a {\it B\'ezier cubic spline}:"); code(" draw(z0 .. controls c0 and c1 .. z1,blue); "); asyfigure(asywrite("defaultpen(fontsize("+string(fontsize(itempen))+")); size(0,7cm); pair z0=(0,0); pair c0=(1,1); pair c1=(2,1); pair z1=(3,0); draw(z0..controls c0 and c1 .. z1,blue); draw(z0--c0--c1--z1,dashed); dot(\"$z_0$\",z0,W,red); dot(\"$c_0$\",c0,NW,red); dot(\"$c_1$\",c1,NE,red); dot(\"$z_1$\",z1,red); ")); equation("(1-t)^3 z_0+3t(1-t)^2 c_0+3t^2(1-t) c_1+t^3 z_1, \qquad t\in [0,1]."); title("Smooth Paths"); item("Asymptote can choose control points for you, using the algorithms of Hobby and Knuth \cite{Hobby86,Knuth86b}:"); string bean=" pair[] z={(0,0), (0,1), (2,1), (2,0), (1,0)}; "; asycode(preamble="size(130,0);",bean+" draw(z[0]..z[1]..z[2]..z[3]..z[4]..cycle, grey+linewidth(5)); dot(z,linewidth(7)); "); item("First, linear equations involving the curvature are solved to find the direction through each knot. Then, control points along those directions are chosen:"); asyfigure(asywrite(preamble="size(130,0);",bean+" path p=z[0]..z[1]..z[2]..z[3]..z[4]..cycle; dot(z); draw(p,lightgrey+linewidth(5)); dot(z); picture output; save(); for(int i=0; i0$ and a shift $b$ so that all of the coordinates when transformed will lie in the interval $[0,S]$."); item("That is, if $u$ and $t$ are the user and truesize components:"); equation("0\le au+t+b \le S."); item("Maximize the variable $a$ subject to a number of inequalities."); item("Use the simplex method to solve the resulting linear programming problem."); if(long) { title("Sizing"); item("Every addition of a coordinate $(t,u)$ adds two restrictions"); equation("au+t+b\ge 0,"); equation("au+t+b\le S,"); remark("and each drawing component adds two coordinates."); item("A figure could easily produce thousands of restrictions, making the simplex method impractical."); item("Most of these restrictions are redundant, however. For instance, with concentric circles, only the largest circle needs to be accounted for."); asyfigure(asywrite(" import palette; size(160,0); pen[] p=Rainbow(NColors=11); for(int i=1; i<10; ++i) { draw(scale(i)*unitcircle, p[i]+linewidth(2)); } ")); title("Redundant Restrictions"); item("In general, if $u\le u'$ and $t\le t'$ then"); equation("au+t+b\le au'+t'+b"); remark("for all choices of $a>0$ and $b$, so"); equation("0\le au+t+b\le au'+t'+b\le S."); item("This defines a partial ordering on coordinates. When sizing a picture, the program first computes which coordinates are maximal (or minimal) and only sends effective constraints to the simplex algorithm."); item("In practice, the linear programming problem will have less than a dozen restraints."); item("All picture sizing is implemented in Asymptote code."); } title("Infinite Lines"); item("Deferred drawing allows us to draw infinite lines."); code("drawline(P, Q);"); asyfigure("elliptic","height=12cm"); title("Helpful Math Notation"); item("Integer division returns a {\tt real}. Use {\tt quotient} for an integer result:"); code("3/4 == 0.75 quotient(3,4) == 0"); item("Caret for real and integer exponentiation:"); code("2^3 2.7^3 2.7^3.2"); item("Many expressions can be implicitly scaled by a numeric constant:"); code("2pi 10cm 2x^2 3sin(x) 2(a+b)"); item("Pairs are complex numbers:"); code("(0,1)*(0,1) == (-1,0)"); title("Function Calls"); item("Functions can take default arguments in any position. Arguments are matched to the first possible location:"); string unitsize="unitsize(0.65cm);"; string preamble="void drawEllipse(real xsize=1, real ysize=xsize, pen p=blue) { draw(xscale(xsize)*yscale(ysize)*unitcircle, p); } "; asycode(preamble=unitsize,preamble+" drawEllipse(2); drawEllipse(red); "); item("Arguments can be given by name:"); asycode(preamble=unitsize+preamble," drawEllipse(xsize=2, ysize=1); drawEllipse(ysize=2, xsize=3, green); "); if(long) { title("Rest Arguments"); item("Rest arguments allow one to write a function that takes an arbitrary number of arguments:"); code(" int sum(... int[] nums) { int total=0; for(int i=0; i < nums.length; ++i) total += nums[i]; return total; } sum(1,2,3,4); // returns 10 sum(); // returns 0 sum(1,2,3 ... new int[] {4,5,6}); // returns 21 int subtract(int start ... int[] subs) { return start - sum(... subs); } "); } title("High-Order Functions"); item("Functions are first-class values. They can be passed to other functions:"); code("import graph; real f(real x) { return x*sin(10x); } draw(graph(f,-3,3,300),red);"); asyfigure(asywrite(" import graph; size(300,0); real f(real x) { return x*sin(10x); } draw(graph(f,-3,3,300),red); ")); if(long) { title("Higher-Order Functions"); item("Functions can return functions:"); equation("f_n(x)=n\sin\left(\frac{x}{n}\right)."); skip(); string preamble=" import graph; size(300,0); "; string graphfunc2=" typedef real func(real); func f(int n) { real fn(real x) { return n*sin(x/n); } return fn; } func f1=f(1); real y=f1(pi); for(int i=1; i<=5; ++i) draw(graph(f(i),-10,10),red); "; code(graphfunc2); string name=asywrite(graphfunc2,preamble=preamble); asy(nativeformat(),name+".asy"); label(graphic(name+"."+nativeformat()),(0.5,0), Fill(figureborder,figuremattpen)); title("Anonymous Functions"); item("Create new functions with {\tt new}:"); code(" path p=graph(new real (real x) { return x*sin(10x); },-3,3,red); func f(int n) { return new real (real x) { return n*sin(x/n); }; }"); item("Function definitions are just syntactic sugar for assigning function objects to variables."); code(" real square(real x) { return x^2; } "); remark("is equivalent to"); code(" real square(real x); square=new real (real x) { return x^2; }; "); title("Structures"); item("As in other languages, structures group together data."); code(" struct Person { string firstname, lastname; int age; } Person bob=new Person; bob.firstname=\"Bob\"; bob.lastname=\"Chesterton\"; bob.age=24; "); item("Any code in the structure body will be executed every time a new structure is allocated..."); code(" struct Person { write(\"Making a person.\"); string firstname, lastname; int age=18; } Person eve=new Person; // Writes \"Making a person.\" write(eve.age); // Writes 18. "); title("Modules"); item("Function and structure definitions can be grouped into modules:"); code(" // powers.asy real square(real x) { return x^2; } real cube(real x) { return x^3; } "); remark("and imported:"); code(" import powers; real eight=cube(2.0); draw(graph(powers.square, -1, 1)); "); } title("Object-Oriented Programming"); item("Functions are defined for each instance of a structure."); code(" struct Quadratic { real a,b,c; real discriminant() { return b^2-4*a*c; } real eval(real x) { return a*x^2 + b*x + c; } } "); item("This allows us to construct ``methods'' which are just normal functions declared in the environment of a particular object:"); code(" Quadratic poly=new Quadratic; poly.a=-1; poly.b=1; poly.c=2; real f(real x)=poly.eval; real y=f(2); draw(graph(poly.eval, -5, 5)); "); title("Specialization"); item("Can create specialized objects just by redefining methods:"); code(" struct Shape { void draw(); real area(); } Shape rectangle(real w, real h) { Shape s=new Shape; s.draw = new void () { fill((0,0)--(w,0)--(w,h)--(0,h)--cycle); }; s.area = new real () { return w*h; }; return s; } Shape circle(real radius) { Shape s=new Shape; s.draw = new void () { fill(scale(radius)*unitcircle); }; s.area = new real () { return pi*radius^2; } return s; } "); title("Overloading"); item("Consider the code:"); code(" int x1=2; int x2() { return 7; } int x3(int y) { return 2y; } write(x1+x2()); // Writes 9. write(x3(x1)+x2()); // Writes 11. "); title("Overloading"); item("{\tt x1}, {\tt x2}, and {\tt x3} are never used in the same context, so they can all be renamed {\tt x} without ambiguity:"); code(" int x=2; int x() { return 7; } int x(int y) { return 2y; } write(x+x()); // Writes 9. write(x(x)+x()); // Writes 11. "); item("Function definitions are just variable definitions, but variables are distinguished by their signatures to allow overloading."); title("Operators"); item("Operators are just syntactic sugar for functions, and can be addressed or defined as functions with the {\tt operator} keyword."); code(" int add(int x, int y)=operator +; write(add(2,3)); // Writes 5. // Don't try this at home. int operator +(int x, int y) { return add(2x,y); } write(2+3); // Writes 7. "); item("This allows operators to be defined for new types."); title("Operators"); item("Operators for constructing paths are also functions:"); code("a.. controls b and c .. d--e"); remark("is equivalent to"); code( "operator --(operator ..(a, operator controls(b,c), d), e)"); item("This allowed us to redefine all of the path operators for 3D paths."); title("Summary"); item("Asymptote:"); subitem("uses IEEE floating point numerics;"); subitem("uses C++/Java-like syntax;"); subitem("supports deferred drawing for automatic picture sizing;"); subitem("supports Grayscale, RGB, CMYK, and HSV colour spaces;"); subitem("supports PostScript shading, pattern fills, and function shading;"); subitem("can fill nonsimply connected regions;"); subitem("generalizes MetaPost path construction algorithms to 3D;"); subitem("lifts \TeX\ to 3D;"); subitem("supports 3D billboard labels and PDF grouping."); bibliography("../examples/refs"); viewportmargin=(2,2); viewportsize=0; defaultpen(0.5); title("\mbox{Asymptote: 2D \& 3D Vector Graphics Language}"); asyinclude("../examples/logo3"); skip(); center("\tt http://asymptote.sf.net"); center("(freely available under the LGPL license)"); // LocalWords: pdflatex mflogo viewportsize pagewidth pagemargin goysr bibtex // LocalWords: itempen defaultrender medskip Orest Shardt Vidiassov MF ezier // LocalWords: Hammerlindl MetaPost PDF hfill LGPL pdf asywrite zoombox LaTeX // LocalWords: asyfilecode PostScript asycode unitsquare beziercurve grey bw // LocalWords: lightgrey zerowinding evenodd sw unitsize drawEllipse nums fn // LocalWords: frac graphfunc func nativeformat figureborder figuremattpen bt // LocalWords: firstname lastname eval eetomumu binarytree filecode datagraph // LocalWords: lineargraph filegraph loggraph secondaryaxis imagecontour ij // LocalWords: tridiagonal Hobbydir nonumber Hobbycontrol th viewportmargin // LocalWords: asyinclude dotpen wheelpoint yequals xaxis yaxis cardsize mc // LocalWords: polargraph filldraw addPoint lightblue truesize le au NColors // LocalWords: drawline unityroot mult oct intang IEEE numerics HSV colour // LocalWords: nonsimply asymptote-2.62/doc/eetomumu.asy0000644000000000000000000000203313607467113015317 0ustar rootrootimport feynman; // set default line width to 0.8bp currentpen = linewidth(0.8); // scale all other defaults of the feynman module appropriately fmdefaults(); // define vertex and external points real L = 50; pair zl = (-0.75*L,0); pair zr = (+0.75*L,0); pair xu = zl + L*dir(+120); pair xl = zl + L*dir(-120); pair yu = zr + L*dir(+60); pair yl = zr + L*dir(-60); // draw propagators and vertices drawFermion(xu--zl); drawFermion(zl--xl); drawPhoton(zl--zr); drawFermion(yu--zr); drawFermion(zr--yl); drawVertex(zl); drawVertex(zr); // draw momentum arrows and momentum labels drawMomArrow(xl--zl, Relative(left)); label(Label("$k'$",2RightSide), xl--zl); label(Label("$k$",2LeftSide), xu--zl); drawMomArrow(zl--zr, Relative(left)); label(Label("$q$",2RightSide), zl--zr); drawMomArrow(zr--yu, Relative(right)); label(Label("$p'$",2LeftSide), zr--yu); label(Label("$p$",2RightSide), zr--yl); // draw particle labels label("$e^-$", xu, left); label("$e^+$", xl, left); label("$\mu^+$", yu, right); label("$\mu^-$", yl, right); asymptote-2.62/doc/diagonal.asy0000644000000000000000000000003013607467113015230 0ustar rootrootdraw((0,0)--(100,100)); asymptote-2.62/doc/dots.asy0000644000000000000000000000006113607467113014427 0ustar rootrootdraw((0,0){up}..(100,25){right}..(200,0){down}); asymptote-2.62/doc/latexmkrc_asydir0000644000000000000000000000022613607467113016233 0ustar rootrootsub asy {return system("asy -o asy/ '$_[0]'");} add_cus_dep("asy","eps",0,"asy"); add_cus_dep("asy","pdf",0,"asy"); add_cus_dep("asy","tex",0,"asy"); asymptote-2.62/doc/secondaryaxis.asy0000644000000000000000000000146513607467113016343 0ustar rootrootimport graph; size(9cm,6cm,IgnoreAspect); string data="secondaryaxis.csv"; file in=input(data).line().csv(); string[] titlelabel=in; string[] columnlabel=in; real[][] a=in; a=transpose(a); real[] t=a[0], susceptible=a[1], infectious=a[2], dead=a[3], larvae=a[4]; real[] susceptibleM=a[5], exposed=a[6],infectiousM=a[7]; scale(true); draw(graph(t,susceptible,t >= 10 & t <= 15)); draw(graph(t,dead,t >= 10 & t <= 15),dashed); xaxis("Time ($\tau$)",BottomTop,LeftTicks); yaxis(Left,RightTicks); picture secondary=secondaryY(new void(picture pic) { scale(pic,Linear(true),Log(true)); draw(pic,graph(pic,t,infectious,t >= 10 & t <= 15),red); yaxis(pic,Right,red,LeftTicks(begin=false,end=false)); }); add(secondary); label(shift(5mm*N)*"Proportion of crows",point(NW),E); asymptote-2.62/genv.h0000644000000000000000000000313213607467113013305 0ustar rootroot/***** * genv.h * Andy Hammerlindl 2002/08/29 * * This is the global environment for the translation of programs. In * actuality, it is basically a module manager. When a module is * requested, it looks for the corresponding filename, and if found, * parses and translates the file, returning the resultant module. * * genv sets up the basic type bindings and function bindings for * builtin functions, casts and operators, and imports plain (if set), * but all other initialization, is done by the local environmet defined * in env.h. *****/ #ifndef GENV_H #define GENV_H #include "common.h" #include "table.h" #include "record.h" #include "absyn.h" #include "access.h" #include "coenv.h" #include "stack.h" using types::record; using vm::lambda; namespace trans { class genv : public gc { // The initializer functions for imports, indexed by filename. typedef mem::map importMap; importMap imap; // List of modules in translation. Used to detect and prevent infinite // recursion in loading modules. mem::list inTranslation; // Checks for recursion in loading, reporting an error and throwing an // exception if it occurs. void checkRecursion(string filename); // Translate a module to build the record type. record *loadModule(symbol name, string s); public: genv(); // Get an imported module, translating if necessary. record *getModule(symbol name, string s); // Uses the filename->record map to build a filename->initializer map to be // used at runtime. vm::stack::importInitMap *getInitMap(); }; } // namespace trans #endif asymptote-2.62/errormsg.cc0000644000000000000000000000333113607467113014345 0ustar rootroot/***** * errormsg.cc * Andy Hammerlindl 2002/06/17 * * Used in all phases of the compiler to give error messages. *****/ #include #include #include "errormsg.h" errorstream em; position nullPos; static nullPosInitializer nullPosInit; bool errorstream::interrupt=false; ostream& operator<< (ostream& out, const position& pos) { if (!pos) return out; out << pos.file->name() << ": "; out << pos.line << "." << pos.column << ": "; return out; } void errorstream::clear() { sync(); anyErrors = anyWarnings = false; } void errorstream::message(position pos, const string& s) { if (floating) out << endl; out << pos << s; floating = true; } void errorstream::compiler(position pos) { message(pos,"compiler: "); anyErrors = true; } void errorstream::compiler() { message(nullPos,"compiler: "); anyErrors = true; } void errorstream::runtime(position pos) { message(pos,"runtime: "); anyErrors = true; } void errorstream::error(position pos) { message(pos,""); anyErrors = true; } void errorstream::warning(position pos, string s) { message(pos,"warning ["+s+"]: "); anyWarnings = true; } void errorstream::warning(position pos) { message(pos,"warning: "); anyWarnings = true; } void errorstream::fatal(position pos) { message(pos,"abort: "); anyErrors = true; } void errorstream::trace(position pos) { static position lastpos; if(!pos || (pos.match(lastpos.filename()) && pos.match(lastpos.Line()))) return; lastpos=pos; message(pos,""); sync(); } void errorstream::cont() { floating = false; } void errorstream::sync() { if (floating) out << endl; floating = false; } void outOfMemory() { cerr << "error: out of memory" << endl; exit(1); } asymptote-2.62/shaders.h0000644000000000000000000000156213607467113014004 0ustar rootroot#ifndef __TOGL_SHADERSPROC #define __TOGL_SHADERSPROC #define GLEW_NO_GLU #ifdef __MSDOS__ #define GLEW_STATIC #define _WIN32 #endif #include "GL/glew.h" #ifdef __MSDOS__ #undef _WIN32 #include "GL/wglew.h" #include #endif #include typedef std::pair ShaderfileModePair; GLuint compileAndLinkShader( std::vector const& shaders, size_t NLights, size_t NMaterials, std::vector const& defineflags); GLuint createShaders(GLchar const *src, int shaderType, std::string const& filename); GLuint createShaderFile(std::string file, int shaderType, size_t Nlights, size_t Nmaterials, std::vector const& constflags); enum attrib {positionAttrib=0,normalAttrib,materialAttrib,colorAttrib, widthAttrib}; #endif asymptote-2.62/camp.y0000644000000000000000000004707513607467113013325 0ustar rootroot%{ /***** * camp.y * Andy Hammerlindl 08/12/2002 * * The grammar of the camp language. *****/ #include "errormsg.h" #include "exp.h" #include "newexp.h" #include "dec.h" #include "fundec.h" #include "stm.h" #include "modifier.h" #include "opsymbols.h" // Avoid error messages with unpatched bison-1.875: #ifndef __attribute__ #define __attribute__(x) #endif // Used when a position needs to be determined and no token is // available. Defined in camp.l. position lexerPos(); bool lexerEOF(); int yylex(void); /* function prototype */ void yyerror(const char *s) { if (!lexerEOF()) { em.error(lexerPos()); em << s; em.cont(); } } // Check if the symbol given is "keyword". Returns true in this case and // returns false and reports an error otherwise. bool checkKeyword(position pos, symbol sym) { if (sym != symbol::trans("keyword")) { em.error(pos); em << "expected 'keyword' here"; return false; } return true; } namespace absyntax { file *root; } using namespace absyntax; using sym::symbol; using mem::string; %} %union { position pos; bool boo; struct { position pos; sym::symbol sym; } ps; absyntax::name *n; absyntax::varinit *vi; absyntax::arrayinit *ai; absyntax::exp *e; absyntax::stringExp *stre; absyntax::specExp *se; absyntax::joinExp *j; absyntax::explist *elist; absyntax::argument arg; absyntax::arglist *alist; absyntax::slice *slice; absyntax::dimensions *dim; absyntax::ty *t; absyntax::decid *di; absyntax::decidlist *dil; absyntax::decidstart *dis; absyntax::runnable *run; struct { position pos; trans::permission val; } perm; struct { position pos; trans::modifier val; } mod; absyntax::modifierList *ml; //absyntax::program *prog; absyntax::vardec *vd; //absyntax::vardecs *vds; absyntax::dec *d; absyntax::idpair *ip; absyntax::idpairlist *ipl; absyntax::stm *s; absyntax::block *b; absyntax::stmExpList *sel; //absyntax::funheader *fh; absyntax::formal *fl; absyntax::formals *fls; } %token ID SELFOP DOTS COLONS DASHES INCR LONGDASH CONTROLS TENSION ATLEAST CURL COR CAND BAR AMPERSAND EQ NEQ LT LE GT GE CARETS '+' '-' '*' '/' '%' '#' '^' OPERATOR %token LOOSE ASSIGN '?' ':' DIRTAG JOIN_PREC AND '{' '}' '(' ')' '.' ',' '[' ']' ';' ELLIPSIS ACCESS UNRAVEL IMPORT INCLUDE FROM QUOTE STRUCT TYPEDEF NEW IF ELSE WHILE DO FOR BREAK CONTINUE RETURN_ THIS EXPLICIT GARBAGE %token LIT %token STRING %token PERM %token MODIFIER %right ASSIGN SELFOP %right '?' ':' %left COR %left CAND %left BAR %left AMPERSAND %left EQ NEQ %left LT LE GT GE %left OPERATOR %left CARETS %left JOIN_PREC DOTS COLONS DASHES INCR LONGDASH %left DIRTAG CONTROLS TENSION ATLEAST AND %left CURL '{' '}' %left '+' '-' %left '*' '/' '%' '#' LIT %left UNARY %right '^' %left EXP_IN_PARENS_RULE %left '(' ')' %type fileblock bareblock block %type name %type runnable %type modifiers %type dec fundec typedec %type strid %type idpair stridpair %type idpairlist stridpairlist %type vardec barevardec %type type celltype %type dims %type decidlist %type decid %type decidstart %type varinit %type arrayinit basearrayinit varinits %type formal %type formals %type value exp fortest %type argument %type slice %type join basicjoin %type tension controls %type dir %type dimexps %type arglist tuple %type stm stmexp blockstm %type forinit %type forupdate stmexplist %type explicitornot /* There are four shift/reduce conflicts: * the dangling ELSE in IF (exp) IF (exp) stm ELSE stm * new ID * the argument id=exp is taken as an argument instead of an assignExp * explicit cast */ %expect 4 /* Enable grammar debugging. */ /*%debug*/ %% file: fileblock { absyntax::root = $1; } ; fileblock: /* empty */ { $$ = new file(lexerPos(), false); } | fileblock runnable { $$ = $1; $$->add($2); } ; bareblock: /* empty */ { $$ = new block(lexerPos(), true); } | bareblock runnable { $$ = $1; $$->add($2); } ; name: ID { $$ = new simpleName($1.pos, $1.sym); } | name '.' ID { $$ = new qualifiedName($2, $1, $3.sym); } | '%' { $$ = new simpleName($1.pos, symbol::trans("operator answer")); } ; runnable: dec { $$ = $1; } | stm { $$ = $1; } | modifiers dec { $$ = new modifiedRunnable($1->getPos(), $1, $2); } | modifiers stm { $$ = new modifiedRunnable($1->getPos(), $1, $2); } ; modifiers: MODIFIER { $$ = new modifierList($1.pos); $$->add($1.val); } | PERM { $$ = new modifierList($1.pos); $$->add($1.val); } | modifiers MODIFIER { $$ = $1; $$->add($2.val); } | modifiers PERM { $$ = $1; $$->add($2.val); } ; dec: vardec { $$ = $1; } | fundec { $$ = $1; } | typedec { $$ = $1; } | ACCESS stridpairlist ';' { $$ = new accessdec($1, $2); } | FROM name UNRAVEL idpairlist ';' { $$ = new unraveldec($1, $2, $4); } | FROM name UNRAVEL '*' ';' { $$ = new unraveldec($1, $2, WILDCARD); } | UNRAVEL name ';' { $$ = new unraveldec($1, $2, WILDCARD); } | FROM strid ACCESS idpairlist ';' { $$ = new fromaccessdec($1, $2.sym, $4); } | FROM strid ACCESS '*' ';' { $$ = new fromaccessdec($1, $2.sym, WILDCARD); } | IMPORT stridpair ';' { $$ = new importdec($1, $2); } | INCLUDE ID ';' { $$ = new includedec($1, $2.sym); } | INCLUDE STRING ';' { $$ = new includedec($1, $2->getString()); } ; idpair: ID { $$ = new idpair($1.pos, $1.sym); } /* ID 'as' ID */ | ID ID ID { $$ = new idpair($1.pos, $1.sym, $2.sym , $3.sym); } ; idpairlist: idpair { $$ = new idpairlist(); $$->add($1); } | idpairlist ',' idpair { $$ = $1; $$->add($3); } ; strid: ID { $$ = $1; } | STRING { $$.pos = $1->getPos(); $$.sym = symbol::literalTrans($1->getString()); } ; stridpair: ID { $$ = new idpair($1.pos, $1.sym); } /* strid 'as' ID */ | strid ID ID { $$ = new idpair($1.pos, $1.sym, $2.sym , $3.sym); } ; stridpairlist: stridpair { $$ = new idpairlist(); $$->add($1); } | stridpairlist ',' stridpair { $$ = $1; $$->add($3); } ; vardec: barevardec ';' { $$ = $1; } ; barevardec: type decidlist { $$ = new vardec($1->getPos(), $1, $2); } ; type: celltype { $$ = $1; } | name dims { $$ = new arrayTy($1, $2); } ; celltype: name { $$ = new nameTy($1); } ; dims: '[' ']' { $$ = new dimensions($1); } | dims '[' ']' { $$ = $1; $$->increase(); } ; dimexps: '[' exp ']' { $$ = new explist($1); $$->add($2); } | dimexps '[' exp ']' { $$ = $1; $$->add($3); } ; decidlist: decid { $$ = new decidlist($1->getPos()); $$->add($1); } | decidlist ',' decid { $$ = $1; $$->add($3); } ; decid: decidstart { $$ = new decid($1->getPos(), $1); } | decidstart ASSIGN varinit { $$ = new decid($1->getPos(), $1, $3); } ; decidstart: ID { $$ = new decidstart($1.pos, $1.sym); } | ID dims { $$ = new decidstart($1.pos, $1.sym, $2); } | ID '(' ')' { $$ = new fundecidstart($1.pos, $1.sym, 0, new formals($2)); } | ID '(' formals ')' { $$ = new fundecidstart($1.pos, $1.sym, 0, $3); } ; varinit: exp { $$ = $1; } | arrayinit { $$ = $1; } ; block: '{' bareblock '}' { $$ = $2; } ; arrayinit: '{' '}' { $$ = new arrayinit($1); } | '{' ELLIPSIS varinit '}' { $$ = new arrayinit($1); $$->addRest($3); } | '{' basearrayinit '}' { $$ = $2; } | '{' basearrayinit ELLIPSIS varinit '}' { $$ = $2; $$->addRest($4); } ; basearrayinit: ',' { $$ = new arrayinit($1); } | varinits { $$ = $1; } | varinits ',' { $$ = $1; } ; varinits: varinit { $$ = new arrayinit($1->getPos()); $$->add($1);} | varinits ',' varinit { $$ = $1; $$->add($3); } ; formals: formal { $$ = new formals($1->getPos()); $$->add($1); } | ELLIPSIS formal { $$ = new formals($1); $$->addRest($2); } | formals ',' formal { $$ = $1; $$->add($3); } | formals ELLIPSIS formal { $$ = $1; $$->addRest($3); } ; explicitornot: EXPLICIT { $$ = true; } | { $$ = false; } ; formal: explicitornot type { $$ = new formal($2->getPos(), $2, 0, 0, $1, 0); } | explicitornot type decidstart { $$ = new formal($2->getPos(), $2, $3, 0, $1, 0); } | explicitornot type decidstart ASSIGN varinit { $$ = new formal($2->getPos(), $2, $3, $5, $1, 0); } /* The uses of ID below are 'keyword' qualifiers before the parameter name. */ | explicitornot type ID decidstart { bool k = checkKeyword($3.pos, $3.sym); $$ = new formal($2->getPos(), $2, $4, 0, $1, k); } | explicitornot type ID decidstart ASSIGN varinit { bool k = checkKeyword($3.pos, $3.sym); $$ = new formal($2->getPos(), $2, $4, $6, $1, k); } ; fundec: type ID '(' ')' blockstm { $$ = new fundec($3, $1, $2.sym, new formals($3), $5); } | type ID '(' formals ')' blockstm { $$ = new fundec($3, $1, $2.sym, $4, $6); } ; typedec: STRUCT ID block { $$ = new recorddec($1, $2.sym, $3); } | TYPEDEF vardec { $$ = new typedec($1, $2); } ; slice: ':' { $$ = new slice($1, 0, 0); } | exp ':' { $$ = new slice($2, $1, 0); } | ':' exp { $$ = new slice($1, 0, $2); } | exp ':' exp { $$ = new slice($2, $1, $3); } ; value: value '.' ID { $$ = new fieldExp($2, $1, $3.sym); } | name '[' exp ']' { $$ = new subscriptExp($2, new nameExp($1->getPos(), $1), $3); } | value '[' exp ']'{ $$ = new subscriptExp($2, $1, $3); } | name '[' slice ']' { $$ = new sliceExp($2, new nameExp($1->getPos(), $1), $3); } | value '[' slice ']'{ $$ = new sliceExp($2, $1, $3); } | name '(' ')' { $$ = new callExp($2, new nameExp($1->getPos(), $1), new arglist()); } | name '(' arglist ')' { $$ = new callExp($2, new nameExp($1->getPos(), $1), $3); } | value '(' ')' { $$ = new callExp($2, $1, new arglist()); } | value '(' arglist ')' { $$ = new callExp($2, $1, $3); } | '(' exp ')' %prec EXP_IN_PARENS_RULE { $$ = $2; } | '(' name ')' %prec EXP_IN_PARENS_RULE { $$ = new nameExp($2->getPos(), $2); } | THIS { $$ = new thisExp($1); } ; argument: exp { $$.name = symbol::nullsym; $$.val=$1; } | ID ASSIGN exp { $$.name = $1.sym; $$.val=$3; } ; arglist: argument { $$ = new arglist(); $$->add($1); } | ELLIPSIS argument { $$ = new arglist(); $$->addRest($2); } | arglist ',' argument { $$ = $1; $$->add($3); } | arglist ELLIPSIS argument { $$ = $1; $$->addRest($3); } ; /* A list of two or more expressions, separated by commas. */ tuple: exp ',' exp { $$ = new arglist(); $$->add($1); $$->add($3); } | tuple ',' exp { $$ = $1; $$->add($3); } ; exp: name { $$ = new nameExp($1->getPos(), $1); } | value { $$ = $1; } | LIT { $$ = $1; } | STRING { $$ = $1; } /* This is for scaling expressions such as 105cm */ | LIT exp { $$ = new scaleExp($1->getPos(), $1, $2); } | '(' name ')' exp { $$ = new castExp($2->getPos(), new nameTy($2), $4); } | '(' name dims ')' exp { $$ = new castExp($2->getPos(), new arrayTy($2, $3), $5); } | '+' exp %prec UNARY { $$ = new unaryExp($1.pos, $2, $1.sym); } | '-' exp %prec UNARY { $$ = new unaryExp($1.pos, $2, $1.sym); } | OPERATOR exp { $$ = new unaryExp($1.pos, $2, $1.sym); } | exp '+' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp '-' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp '*' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp '/' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp '%' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp '#' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp '^' exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp LT exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp LE exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp GT exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp GE exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp EQ exp { $$ = new equalityExp($2.pos, $1, $2.sym, $3); } | exp NEQ exp { $$ = new equalityExp($2.pos, $1, $2.sym, $3); } | exp CAND exp { $$ = new andExp($2.pos, $1, $2.sym, $3); } | exp COR exp { $$ = new orExp($2.pos, $1, $2.sym, $3); } | exp CARETS exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp AMPERSAND exp{ $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp BAR exp{ $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp OPERATOR exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | exp INCR exp { $$ = new binaryExp($2.pos, $1, $2.sym, $3); } | NEW celltype { $$ = new newRecordExp($1, $2); } | NEW celltype dimexps { $$ = new newArrayExp($1, $2, $3, 0, 0); } | NEW celltype dimexps dims { $$ = new newArrayExp($1, $2, $3, $4, 0); } | NEW celltype dims { $$ = new newArrayExp($1, $2, 0, $3, 0); } | NEW celltype dims arrayinit { $$ = new newArrayExp($1, $2, 0, $3, $4); } | NEW celltype '(' ')' blockstm { $$ = new newFunctionExp($1, $2, new formals($3), $5); } | NEW celltype dims '(' ')' blockstm { $$ = new newFunctionExp($1, new arrayTy($2->getPos(), $2, $3), new formals($4), $6); } | NEW celltype '(' formals ')' blockstm { $$ = new newFunctionExp($1, $2, $4, $6); } | NEW celltype dims '(' formals ')' blockstm { $$ = new newFunctionExp($1, new arrayTy($2->getPos(), $2, $3), $5, $7); } | exp '?' exp ':' exp { $$ = new conditionalExp($2, $1, $3, $5); } | exp ASSIGN exp { $$ = new assignExp($2, $1, $3); } | '(' tuple ')' { $$ = new callExp($1, new nameExp($1, SYM_TUPLE), $2); } | exp join exp %prec JOIN_PREC { $2->pushFront($1); $2->pushBack($3); $$ = $2; } | exp dir %prec DIRTAG { $2->setSide(camp::OUT); joinExp *jexp = new joinExp($2->getPos(), SYM_DOTS); $$=jexp; jexp->pushBack($1); jexp->pushBack($2); } | INCR exp %prec UNARY { $$ = new prefixExp($1.pos, $2, SYM_PLUS); } | DASHES exp %prec UNARY { $$ = new prefixExp($1.pos, $2, SYM_MINUS); } /* Illegal - will be caught during translation. */ | exp INCR %prec UNARY { $$ = new postfixExp($2.pos, $1, SYM_PLUS); } | exp SELFOP exp { $$ = new selfExp($2.pos, $1, $2.sym, $3); } | QUOTE '{' fileblock '}' { $$ = new quoteExp($1, $3); } ; // This verbose definition is because leaving empty as an expansion for dir // made a whack of reduce/reduce errors. join: DASHES { $$ = new joinExp($1.pos,$1.sym); } | basicjoin %prec JOIN_PREC { $$ = $1; } | dir basicjoin %prec JOIN_PREC { $1->setSide(camp::OUT); $$ = $2; $$->pushFront($1); } | basicjoin dir %prec JOIN_PREC { $2->setSide(camp::IN); $$ = $1; $$->pushBack($2); } | dir basicjoin dir %prec JOIN_PREC { $1->setSide(camp::OUT); $3->setSide(camp::IN); $$ = $2; $$->pushFront($1); $$->pushBack($3); } ; dir: '{' CURL exp '}' { $$ = new specExp($2.pos, $2.sym, $3); } | '{' exp '}' { $$ = new specExp($1, symbol::opTrans("spec"), $2); } | '{' exp ',' exp '}' { $$ = new specExp($1, symbol::opTrans("spec"), new pairExp($3, $2, $4)); } | '{' exp ',' exp ',' exp '}' { $$ = new specExp($1, symbol::opTrans("spec"), new tripleExp($3, $2, $4, $6)); } ; basicjoin: DOTS { $$ = new joinExp($1.pos, $1.sym); } | DOTS tension DOTS { $$ = new joinExp($1.pos, $1.sym); $$->pushBack($2); } | DOTS controls DOTS { $$ = new joinExp($1.pos, $1.sym); $$->pushBack($2); } | COLONS { $$ = new joinExp($1.pos, $1.sym); } | LONGDASH { $$ = new joinExp($1.pos, $1.sym); } ; tension: TENSION exp { $$ = new binaryExp($1.pos, $2, $1.sym, new booleanExp($1.pos, false)); } | TENSION exp AND exp { $$ = new ternaryExp($1.pos, $2, $1.sym, $4, new booleanExp($1.pos, false)); } | TENSION ATLEAST exp { $$ = new binaryExp($1.pos, $3, $1.sym, new booleanExp($2.pos, true)); } | TENSION ATLEAST exp AND exp { $$ = new ternaryExp($1.pos, $3, $1.sym, $5, new booleanExp($2.pos, true)); } ; controls: CONTROLS exp { $$ = new unaryExp($1.pos, $2, $1.sym); } | CONTROLS exp AND exp { $$ = new binaryExp($1.pos, $2, $1.sym, $4); } ; stm: ';' { $$ = new emptyStm($1); } | blockstm { $$ = $1; } | stmexp ';' { $$ = $1; } | IF '(' exp ')' stm { $$ = new ifStm($1, $3, $5); } | IF '(' exp ')' stm ELSE stm { $$ = new ifStm($1, $3, $5, $7); } | WHILE '(' exp ')' stm { $$ = new whileStm($1, $3, $5); } | DO stm WHILE '(' exp ')' ';' { $$ = new doStm($1, $2, $5); } | FOR '(' forinit ';' fortest ';' forupdate ')' stm { $$ = new forStm($1, $3, $5, $7, $9); } | FOR '(' type ID ':' exp ')' stm { $$ = new extendedForStm($1, $3, $4.sym, $6, $8); } | BREAK ';' { $$ = new breakStm($1); } | CONTINUE ';' { $$ = new continueStm($1); } | RETURN_ ';' { $$ = new returnStm($1); } | RETURN_ exp ';' { $$ = new returnStm($1, $2); } ; stmexp: exp { $$ = new expStm($1->getPos(), $1); } ; blockstm: block { $$ = new blockStm($1->getPos(), $1); } ; forinit: /* empty */ { $$ = 0; } | stmexplist { $$ = $1; } | barevardec { $$ = $1; } ; fortest: /* empty */ { $$ = 0; } | exp { $$ = $1; } ; forupdate: /* empty */ { $$ = 0; } | stmexplist { $$ = $1; } ; stmexplist: stmexp { $$ = new stmExpList($1->getPos()); $$->add($1); } | stmexplist ',' stmexp { $$ = $1; $$->add($3); } ; asymptote-2.62/drawelement.h0000644000000000000000000002673513607467113014673 0ustar rootroot/***** * drawelement.h * Andy Hammerlindl 2002/06/06 * * Abstract base class of any drawable item in camp. *****/ #ifndef DRAWELEMENT_H #define DRAWELEMENT_H #include #include "common.h" #include "bbox.h" #include "bbox3.h" #include "pen.h" #include "psfile.h" #include "texfile.h" #include "prcfile.h" #include "jsfile.h" #include "glrender.h" #include "arrayop.h" #include "material.h" namespace camp { static const double pixel=1.0; // Adaptive rendering constant. // Return one-sixth of the second derivative of the Bezier curve defined // by a,b,c,d at 0. inline triple bezierPP(triple a, triple b, triple c) { return a+c-2.0*b; } // Return one-third of the third derivative of the Bezier curve defined by // a,b,c,d at 0. inline triple bezierPPP(triple a, triple b, triple c, triple d) { return d-a+3.0*(b-c); } enum Interaction {EMBEDDED=0,BILLBOARD}; void copyArray4x4C(double*& dest, const vm::array *a); class box { pair p[4]; public: box() {} box(const pair& a, const pair& b, const pair& c, const pair& d) { p[0]=a; p[1]=b; p[2]=c; p[3]=d; } // Returns true if the line a--b intersects box b. bool intersect(const pair& a, const pair& b) const { for(Int i=0; i < 4; ++i) { pair A=p[i]; pair B=p[i < 3 ? i+1 : 0]; double de=(b.x-a.x)*(A.y-B.y)-(A.x-B.x)*(b.y-a.y); if(de != 0.0) { de=1.0/de; double t=((A.x-a.x)*(A.y-B.y)-(A.x-B.x)*(A.y-a.y))*de; double T=((b.x-a.x)*(A.y-a.y)-(A.x-a.x)*(b.y-a.y))*de; if(0 <= t && t <= 1 && 0 <= T && T <= 1) return true; } } return false; } pair operator [] (Int i) const {return p[i];} bool intersect(const box& b) const { for(Int i=0; i < 4; ++i) { pair A=b[i]; pair B=b[i < 3 ? i+1 : 0]; if(intersect(A,B)) return true; } return false; } double xmax() { return max(max(max(p[0].x,p[1].x),p[2].x),p[3].x); } double ymax() { return max(max(max(p[0].y,p[1].y),p[2].y),p[3].y); } double xmin() { return min(min(min(p[0].x,p[1].x),p[2].x),p[3].x); } double ymin() { return min(min(min(p[0].y,p[1].y),p[2].y),p[3].y); } }; class bbox2 { public: double x,y,X,Y; bbox2(size_t n, const triple *v) { Bounds(v[0]); for(size_t i=1; i < n; ++i) bounds(v[i]); } bbox2(const triple& m, const triple& M) { Bounds(m); bounds(triple(m.getx(),m.gety(),M.getz())); bounds(triple(m.getx(),M.gety(),m.getz())); bounds(triple(m.getx(),M.gety(),M.getz())); bounds(triple(M.getx(),m.gety(),m.getz())); bounds(triple(M.getx(),m.gety(),M.getz())); bounds(triple(M.getx(),M.gety(),m.getz())); bounds(M); } bbox2(const triple& m, const triple& M, const Billboard& BB) { Bounds(BB.transform(m)); bounds(BB.transform(triple(m.getx(),m.gety(),M.getz()))); bounds(BB.transform(triple(m.getx(),M.gety(),m.getz()))); bounds(BB.transform(triple(m.getx(),M.gety(),M.getz()))); bounds(BB.transform(triple(M.getx(),m.gety(),m.getz()))); bounds(BB.transform(triple(M.getx(),m.gety(),M.getz()))); bounds(BB.transform(triple(M.getx(),M.gety(),m.getz()))); bounds(BB.transform(M)); } // Is 2D bounding box formed by projecting 3d points in vector v offscreen? bool offscreen() { double eps=1.0e-2; double min=-1.0-eps; double max=1.0+eps; return X < min || x > max || Y < min || y > max; } void Bounds(const triple& v) { pair V=Transform2T(gl::dprojView,v); x=X=V.getx(); y=Y=V.gety(); } void bounds(const triple& v) { pair V=Transform2T(gl::dprojView,v); double a=V.getx(); double b=V.gety(); if(a < x) x=a; else if(a > X) X=a; if(b < y) y=b; else if(b > Y) Y=b; } }; typedef mem::vector boxvector; typedef mem::list bboxlist; typedef mem::map groupmap; typedef mem::vector groupsmap; class drawElement : public gc { public: string KEY; drawElement(const string& key="") : KEY(key == "" ? processData().KEY : key) {} virtual ~drawElement() {} static mem::vector center; static size_t centerIndex; static triple lastcenter; static size_t lastcenterIndex; static pen lastpen; static const triple zero; // Adjust the bbox of the picture based on the addition of this // element. The iopipestream is needed for determining label sizes. virtual void bounds(bbox&, iopipestream&, boxvector&, bboxlist&) {} virtual void bounds(const double*, bbox3&) {} virtual void bounds(bbox3& b) { bounds(NULL, b); } // Compute bounds on ratio (x,y)/z for 3d picture (not cached). virtual void ratio(const double *t, pair &b, double (*m)(double, double), double fuzz, bool &first) {} virtual void minratio(const double *t, pair &b, double fuzz, bool &first) { ratio(t,b,camp::min,fuzz,first); } virtual void maxratio(const double *t,pair &b, double fuzz, bool &first) { ratio(t,b,camp::max,fuzz,first); } virtual void ratio(pair &b, double (*m)(double, double), double fuzz, bool &first) { ratio(NULL,b,m,fuzz,first); } virtual void minratio(pair &b, double fuzz, bool &first) { minratio(NULL,b,fuzz,first); } virtual void maxratio(pair &b, double fuzz, bool &first) { maxratio(NULL,b,fuzz,first); } virtual bool islabel() {return false;} virtual bool isnewpage() {return false;} virtual bool islayer() {return false;} virtual bool is3D() {return false;} // Implement element as raw SVG code? virtual bool svg() {return false;} // Implement SVG element as png image? virtual bool svgpng() {return false;} virtual bool beginclip() {return false;} virtual bool endclip() {return false;} virtual bool begingroup() {return false;} virtual bool begingroup3() {return false;} virtual bool endgroup() {return false;} virtual bool endgroup3() {return false;} virtual const double* transf3() {return NULL;} virtual void save(bool b) {} // Output to a PostScript file virtual bool draw(psfile *) { return false; } // Output to a TeX file virtual bool write(texfile *, const bbox&) { return false; } // Output to a PRC file virtual bool write(prcfile *out, unsigned int *count, double compressionlimit, groupsmap& groups) { return false; } // Output to a JS file virtual bool write(jsfile *out) { return false; } // Used to compute deviation of a surface from a quadrilateral. virtual void displacement() {} // Render with OpenGL virtual void render(double size2, const triple& Min, const triple& Max, double perspective, bool remesh) {} virtual void meshinit() {} size_t centerindex(const triple& center) { if(drawElement::center.empty() || center != drawElement::lastcenter) { drawElement::lastcenter=center; drawElement::center.push_back(center); drawElement::lastcenterIndex=drawElement::center.size(); } return drawElement::lastcenterIndex; } // Transform as part of a picture. virtual drawElement *transformed(const transform&) { return this; } virtual drawElement *transformed(const double* t) { return this; } }; // Hold transform of an object. class drawElementLC : public virtual drawElement { public: double *T; // Keep track of accumulative picture transform drawElementLC() : T(NULL) {} drawElementLC(const double *t) : T(NULL) { copyTransform3(T,t); } drawElementLC(const vm::array& t) : T(NULL) { copyArray4x4C(T,&t); } drawElementLC(const double* t, const drawElementLC *s) : drawElement(s->KEY), T(NULL) { multiplyTransform3(T,t,s->T); } virtual ~drawElementLC() {} virtual bool is3D() {return true;} virtual const double* transf3() {return T;} virtual drawElement* transformed(const double* t) { return new drawElementLC(t,this); } }; // Base class for drawElements that involve paths. class drawPathBase : public virtual drawElement { protected: path p; path transpath(const transform& t) const { return p.transformed(t); } public: drawPathBase() {} drawPathBase(path p) : p(p) {} virtual ~drawPathBase() {} virtual void bounds(bbox& b, iopipestream&, boxvector&, bboxlist&) { b += p.bounds(); } virtual void writepath(psfile *out,bool) { out->write(p); } virtual void writeclippath(psfile *out, bool newpath=true) { out->writeclip(p,newpath); } virtual void writeshiftedpath(texfile *out) { out->writeshifted(p); } }; // Base class for drawElements that involve paths and pens. class drawPathPenBase : public drawPathBase { protected: pen pentype; pen transpen(const transform& t) const { return camp::transformed(shiftless(t),pentype); } public: drawPathPenBase(path p, pen pentype) : drawPathBase(p), pentype(pentype) {} drawPathPenBase(pen pentype) : pentype(pentype) {} virtual bool empty() { return p.empty(); } virtual bool cyclic() { return p.cyclic(); } void strokebounds(bbox& b, const path& p); virtual void penSave(psfile *out) { if (!pentype.getTransform().isIdentity()) out->gsave(); } virtual void penTranslate(psfile *out) { out->translate(shiftpair(pentype.getTransform())); } virtual void penConcat(psfile *out) { out->concat(shiftless(pentype.getTransform())); } virtual void penRestore(psfile *out) { if (!pentype.getTransform().isIdentity()) out->grestore(); } }; // Base class for drawElements that involve superpaths and pens. class drawSuperPathPenBase : public drawPathPenBase { protected: vm::array P; size_t size; bbox bpath; vm::array transpath(const transform& t) const { vm::array *Pt=new vm::array(size); for(size_t i=0; i < size; i++) (*Pt)[i]=vm::read(P,i).transformed(t); return *Pt; } public: drawSuperPathPenBase(const vm::array& P, pen pentype) : drawPathPenBase(pentype), P(P), size(P.size()) {} bool empty() { for(size_t i=0; i < size; i++) if(vm::read(P,i).size() != 0) return false; return true; } bool cyclic() { for(size_t i=0; i < size; i++) if(!vm::read(P,i).cyclic()) return false; return true; } void bounds(bbox& b, iopipestream&, boxvector&, bboxlist&) { for(size_t i=0; i < size; i++) bpath += vm::read(P,i).bounds(); b += bpath; } void strokepath(psfile *out) { out->strokepath(); } void strokebounds(bbox& b) { for(size_t i=0; i < size; i++) drawPathPenBase::strokebounds(bpath,vm::read(P,i)); b += bpath; } void writepath(psfile *out, bool newpath=true) { if(size > 0) out->write(vm::read(P,0),newpath); for(size_t i=1; i < size; i++) out->write(vm::read(P,i),false); } void writeclippath(psfile *out, bool newpath=true) { if(size > 0) out->writeclip(vm::read(P,0),newpath); for(size_t i=1; i < size; i++) out->writeclip(vm::read(P,i),false); } void writeshiftedpath(texfile *out) { for(size_t i=0; i < size; i++) out->writeshifted(vm::read(P,i),i == 0); } }; #ifdef HAVE_LIBGLM void setcolors(bool colors, const prc::RGBAColour& diffuse, const prc::RGBAColour& emissive, const prc::RGBAColour& specular, double shininess, double metallic, double fresnel0, jsfile *out=NULL); #endif } GC_DECLARE_PTRFREE(camp::box); GC_DECLARE_PTRFREE(camp::drawElement); #endif asymptote-2.62/runpath3d.in0000644000000000000000000001756313607467113014452 0ustar rootroot/***** * runpath3.in * * Runtime functions for path3 operations. * *****/ pair => primPair() triple => primTriple() path3 => primPath3() boolarray* => booleanArray() realarray* => realArray() realarray2* => realArray2() triplearray* => tripleArray() triplearray2* => tripleArray2() #include "path3.h" #include "array.h" #include "drawsurface.h" #include "predicates.h" using namespace camp; using namespace vm; typedef array boolarray; typedef array realarray; typedef array realarray2; typedef array triplearray; typedef array triplearray2; using types::booleanArray; using types::realArray; using types::realArray2; using types::tripleArray; using types::tripleArray2; // Autogenerated routines: path3 path3(triplearray *pre, triplearray *point, triplearray *post, boolarray *straight, bool cyclic) { size_t n=checkArrays(pre,point); checkEqual(n,checkArray(post)); checkEqual(n,checkArray(straight)); mem::vector nodes(n); for(size_t i=0; i < n; ++i) { nodes[i].pre=read(pre,i); nodes[i].point=read(point,i); nodes[i].post=read(post,i); nodes[i].straight=read(straight,i); } return path3(nodes,(Int) n,cyclic); } path3 :nullPath3() { return nullpath3; } bool ==(path3 a, path3 b) { return a == b; } bool !=(path3 a, path3 b) { return !(a == b); } triple point(path3 p, Int t) { return p.point((Int) t); } triple point(path3 p, real t) { return p.point(t); } triple precontrol(path3 p, Int t) { return p.precontrol((Int) t); } triple precontrol(path3 p, real t) { return p.precontrol(t); } triple postcontrol(path3 p, Int t) { return p.postcontrol((Int) t); } triple postcontrol(path3 p, real t) { return p.postcontrol(t); } triple dir(path3 p, Int t, Int sign=0, bool normalize=true) { return p.dir(t,sign,normalize); } triple dir(path3 p, real t, bool normalize=true) { return p.dir(t,normalize); } triple accel(path3 p, Int t, Int sign=0) { return p.accel(t,sign); } triple accel(path3 p, real t) { return p.accel(t); } real radius(path3 p, real t) { triple v=p.dir(t,false); triple a=p.accel(t); real d=dot(a,v); real v2=v.abs2(); real a2=a.abs2(); real denom=v2*a2-d*d; real r=v2*sqrt(v2); return denom > 0 ? r/sqrt(denom) : 0.0; } real radius(triple z0, triple c0, triple c1, triple z1, real t) { triple v=(3.0*(z1-z0)+9.0*(c0-c1))*t*t+(6.0*(z0+c1)-12.0*c0)*t+3.0*(c0-z0); triple a=6.0*(z1-z0+3.0*(c0-c1))*t+6.0*(z0+c1)-12.0*c0; real d=dot(a,v); real v2=v.abs2(); real a2=a.abs2(); real denom=v2*a2-d*d; real r=v2*sqrt(v2); return denom > 0 ? r/sqrt(denom) : 0.0; } path3 reverse(path3 p) { return p.reverse(); } path3 subpath(path3 p, Int a, Int b) { return p.subpath((Int) a, (Int) b); } path3 subpath(path3 p, real a, real b) { return p.subpath(a,b); } Int length(path3 p) { return p.length(); } bool cyclic(path3 p) { return p.cyclic(); } bool straight(path3 p, Int t) { return p.straight(t); } path3 unstraighten(path3 p) { return p.unstraighten(); } // Return the maximum perpendicular deviation of segment i of path3 g // from a straight line. real straightness(path3 p, Int t) { if(p.straight(t)) return 0; triple z0=p.point(t); triple u=unit(p.point(t+1)-z0); return ::max(length(perp(p.postcontrol(t)-z0,u)), length(perp(p.precontrol(t+1)-z0,u))); } // Return the maximum perpendicular deviation of z0..controls c0 and c1..z1 // from a straight line. real straightness(triple z0, triple c0, triple c1, triple z1) { triple u=unit(z1-z0); return ::max(length(perp(c0-z0,u)),length(perp(c1-z0,u))); } bool piecewisestraight(path3 p) { return p.piecewisestraight(); } real arclength(path3 p) { return p.arclength(); } real arctime(path3 p, real dval) { return p.arctime(dval); } realarray* intersect(path3 p, path3 q, real fuzz=-1) { bool exact=fuzz <= 0.0; if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); std::vector S,T; real s,t; if(intersections(s,t,S,T,p,q,fuzz,true,exact)) { array *V=new array(2); (*V)[0]=s; (*V)[1]=t; return V; } else return new array(0); } realarray2* intersections(path3 p, path3 q, real fuzz=-1) { bool exact=fuzz <= 0.0; if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); bool single=!exact; real s,t; std::vector S,T; bool found=intersections(s,t,S,T,p,q,fuzz,single,exact); if(!found) return new array(0); array *V; if(single) { V=new array(1); array *Vi=new array(2); (*V)[0]=Vi; (*Vi)[0]=s; (*Vi)[1]=t; } else { size_t n=S.size(); V=new array(n); for(size_t i=0; i < n; ++i) { array *Vi=new array(2); (*V)[i]=Vi; (*Vi)[0]=S[i]; (*Vi)[1]=T[i]; } } stable_sort(V->begin(),V->end(),run::compare2()); return V; } realarray* intersect(path3 p, triplearray2 *P, real fuzz=-1) { triple *A; copyArray2C(A,P,true,4); if(fuzz <= 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), norm(A,16)); std::vector T,U,V; bool found=intersections(T,U,V,p,A,fuzz,true); delete[] A; if(found) { array *W=new array(3); (*W)[0]=T[0]; (*W)[1]=U[0]; (*W)[2]=V[0]; return W; } else return new array(0); } realarray2* intersections(path3 p, triplearray2 *P, real fuzz=-1) { triple *A; copyArray2C(A,P,true,4); if(fuzz <= 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), norm(A,16)); std::vector T,U,V; intersections(T,U,V,p,A,fuzz,false); delete[] A; size_t n=T.size(); array *W=new array(n); for(size_t i=0; i < n; ++i) { array *Wi=new array(3); (*W)[i]=Wi; (*Wi)[0]=T[i]; (*Wi)[1]=U[i]; (*Wi)[2]=V[i]; } return W; // Sorting will done in asy. } Int size(path3 p) { return p.size(); } path3 &(path3 p, path3 q) { return camp::concat(p,q); } triple min(path3 p) { return p.min(); } triple max(path3 p) { return p.max(); } realarray *mintimes(path3 p) { array *V=new array(3); triple v=p.mintimes(); (*V)[0]=v.getx(); (*V)[1]=v.gety(); (*V)[2]=v.getz(); return V; } realarray *maxtimes(path3 p) { array *V=new array(3); triple v=p.maxtimes(); (*V)[0]=v.getx(); (*V)[1]=v.gety(); (*V)[2]=v.getz(); return V; } path3 Operator *(realarray2 *t, path3 g) { return transformed(*t,g); } pair minratio(path3 g) { return g.ratio(::min); } pair maxratio(path3 g) { return g.ratio(::max); } // Return a negative (positive) value if a--b--c--cycle is oriented // counterclockwise (clockwise) when viewed from d or zero if all four // points are coplanar. // The value returned is the determinant // |a.x a.y a.z 1| // |b.x b.y b.z 1| // |c.x c.y c.z 1| // |d.x d.y d.z 1| real orient(triple a, triple b, triple c, triple d) { real A[]={a.getx(),a.gety(),a.getz()}; real B[]={b.getx(),b.gety(),b.getz()}; real C[]={c.getx(),c.gety(),c.getz()}; real D[]={d.getx(),d.gety(),d.getz()}; return orient3d(A,B,C,D); } // Return a positive (negative) value if e lies inside (outside) // the sphere passing through the points a,b,c,d oriented so that // a--b--c--cycle appears in clockwise order when viewed from d // or zero if all five points are cospherical. // The value returned is the determinant // |a.x a.y a.z a.x^2+a.y^2+a.z^2 1| // |b.x b.y b.z b.x^2+b.y^2+b.z^2 1| // |c.x c.y c.z c.x^2+c.y^2+c.z^2 1| // |d.x d.y d.z d.x^2+d.y^2+d.z^2 1| // |e.x e.y e.z e.x^2+e.y^2+e.z^2 1| real insphere(triple a, triple b, triple c, triple d, triple e) { real A[]={a.getx(),a.gety(),a.getz()}; real B[]={b.getx(),b.gety(),b.getz()}; real C[]={c.getx(),c.gety(),c.getz()}; real D[]={d.getx(),d.gety(),d.getz()}; real E[]={e.getx(),e.gety(),e.getz()}; return insphere(A,B,C,D,E); } asymptote-2.62/envcompleter.cc0000644000000000000000000000216613607467113015215 0ustar rootroot/***** * envcompleter.cc * Andy Hammerlindl 2006/07/31 * * Implements a text completion function for readline based on symbols in the * environment. *****/ #include #include "table.h" #include "envcompleter.h" namespace trans { bool basicListLoaded=false; envCompleter::symbol_list basicList; static void loadBasicList() { assert(basicListLoaded==false); #define ADD(word) basicList.push_back(symbol::literalTrans(#word)) #include "keywords.cc" #undef ADD basicListLoaded=true; } void envCompleter::basicCompletions(symbol_list &l, string start) { if (!basicListLoaded) loadBasicList(); for (symbol_list::iterator p = basicList.begin(); p != basicList.end(); ++p) if (prefix(start, *p)) l.push_back(*p); } void envCompleter::makeList(const char *text) { l.clear(); basicCompletions(l, text); e.completions(l, text); index=l.begin(); } char *envCompleter::operator () (const char *text, int state) { if (state==0) makeList(text); if (index==l.end()) return 0; else { symbol name=*index; ++index; return StrdupMalloc((string)name); } } } // namespace trans asymptote-2.62/fundec.h0000644000000000000000000001037313607467113013617 0ustar rootroot/***** * fundec.h * Andy Hammerlindl 2002/8/29 * * Defines the semantics for defining functions. Both the newexp syntax, and * the abbreviated C-style function definition. *****/ #ifndef FUNDEC_H #define FUNDEC_H #include "dec.h" #include "exp.h" namespace absyntax { class formal : public absyn { ty *base; decidstart *start; bool Explicit; varinit *defval; bool keywordOnly; public: formal(position pos, ty *base, decidstart *start=0, varinit *defval=0, bool Explicit= false, bool keywordOnly=false) : absyn(pos), base(base), start(start), Explicit(Explicit), defval(defval), keywordOnly(keywordOnly) {} virtual void prettyprint(ostream &out, Int indent); // Build the corresponding types::formal to put into a signature. types::formal trans(coenv &e, bool encodeDefVal, bool tacit=false); // Add the formal parameter to the environment to prepare for the // function body's translation. virtual void transAsVar(coenv &e, Int index); types::ty *getType(coenv &e, bool tacit=false); virtual void addOps(coenv &e, record *r); varinit *getDefaultValue() { return defval; } symbol getName() { return start ? start->getName() : symbol::nullsym; } bool getExplicit() { return Explicit; } bool isKeywordOnly() { return keywordOnly; } }; class formals : public absyn { //friend class funheader; mem::list fields; formal *rest; // If the list of formals contains at least one keyword-only formal. bool keywordOnly; void addToSignature(types::signature& sig, coenv &e, bool encodeDefVal, bool tacit); public: formals(position pos) : absyn(pos), rest(0), keywordOnly(false) {} virtual ~formals() {} virtual void prettyprint(ostream &out, Int indent); virtual void add(formal *f) { if (f->isKeywordOnly()) { keywordOnly = true; } else if (rest) { em.error(f->getPos()); em << "normal parameter after rest parameter"; } else if (keywordOnly) { em.error(f->getPos()); em << "normal parameter after keyword-only parameter"; } fields.push_back(f); } virtual void addRest(formal *f) { if (rest) { em.error(f->getPos()); em << "additional rest parameter"; } else if (f->isKeywordOnly()) { em.error(f->getPos()); em << "rest parameter declared as keyword-only"; } rest = f; } // Returns the types of each parameter as a signature. // encodeDefVal means that it will also encode information regarding // the default values into the signature types::signature *getSignature(coenv &e, bool encodeDefVal = false, bool tacit = false); // Returns the corresponding function type, assuming it has a return // value of "result." types::function *getType(types::ty *result, coenv &e, bool encodeDefVal = false, bool tacit = false); virtual void addOps(coenv &e, record *r); // Add the formal parameters to the environment to prepare for the // function body's translation. virtual void trans(coenv &e); }; class fundef : public exp { ty *result; formals *params; stm *body; // If the fundef is part of a fundec, the name of the function is stored // here for debugging purposes. symbol id; friend class fundec; public: fundef(position pos, ty *result, formals *params, stm *body) : exp(pos), result(result), params(params), body(body), id() {} virtual void prettyprint(ostream &out, Int indent); varinit *makeVarInit(types::function *ft); virtual void baseTrans(coenv &e, types::function *ft); virtual types::ty *trans(coenv &e); virtual types::function *transType(coenv &e, bool tacit); virtual types::function *transTypeAndAddOps(coenv &e, record *r, bool tacit); virtual types::ty *getType(coenv &e) { return transType(e, true); } }; class fundec : public dec { symbol id; fundef fun; public: fundec(position pos, ty *result, symbol id, formals *params, stm *body) : dec(pos), id(id), fun(pos, result, params, body) { fun.id = id; } void prettyprint(ostream &out, Int indent); void trans(coenv &e); void transAsField(coenv &e, record *r); }; } // namespace absyntax #endif asymptote-2.62/install-sh0000755000000000000000000003253713607467113014214 0ustar rootroot#!/bin/sh # install - install a program, script, or datafile scriptversion=2009-04-28.21; # UTC # This originates from X11R5 (mit/util/scripts/install.sh), which was # later released in X11R6 (xc/config/util/install.sh) with the # following copyright and license. # # Copyright (C) 1994 X Consortium # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to # deal in the Software without restriction, including without limitation the # rights to use, copy, modify, merge, publish, distribute, sublicense, and/or # sell copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # X CONSORTIUM BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN # AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNEC- # TION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. # # Except as contained in this notice, the name of the X Consortium shall not # be used in advertising or otherwise to promote the sale, use or other deal- # ings in this Software without prior written authorization from the X Consor- # tium. # # # FSF changes to this file are in the public domain. # # Calling this script install-sh is preferred over install.sh, to prevent # `make' implicit rules from creating a file called install from it # when there is no Makefile. # # This script is compatible with the BSD install script, but was written # from scratch. nl=' ' IFS=" "" $nl" # set DOITPROG to echo to test this script # Don't use :- since 4.3BSD and earlier shells don't like it. doit=${DOITPROG-} if test -z "$doit"; then doit_exec=exec else doit_exec=$doit fi # Put in absolute file names if you don't have them in your path; # or use environment vars. chgrpprog=${CHGRPPROG-chgrp} chmodprog=${CHMODPROG-chmod} chownprog=${CHOWNPROG-chown} cmpprog=${CMPPROG-cmp} cpprog=${CPPROG-cp} mkdirprog=${MKDIRPROG-mkdir} mvprog=${MVPROG-mv} rmprog=${RMPROG-rm} stripprog=${STRIPPROG-strip} posix_glob='?' initialize_posix_glob=' test "$posix_glob" != "?" || { if (set -f) 2>/dev/null; then posix_glob= else posix_glob=: fi } ' posix_mkdir= # Desired mode of installed file. mode=0755 chgrpcmd= chmodcmd=$chmodprog chowncmd= mvcmd=$mvprog rmcmd="$rmprog -f" stripcmd= src= dst= dir_arg= dst_arg= copy_on_change=false no_target_directory= usage="\ Usage: $0 [OPTION]... [-T] SRCFILE DSTFILE or: $0 [OPTION]... SRCFILES... DIRECTORY or: $0 [OPTION]... -t DIRECTORY SRCFILES... or: $0 [OPTION]... -d DIRECTORIES... In the 1st form, copy SRCFILE to DSTFILE. In the 2nd and 3rd, copy all SRCFILES to DIRECTORY. In the 4th, create DIRECTORIES. Options: --help display this help and exit. --version display version info and exit. -c (ignored) -C install only if different (preserve the last data modification time) -d create directories instead of installing files. -g GROUP $chgrpprog installed files to GROUP. -m MODE $chmodprog installed files to MODE. -o USER $chownprog installed files to USER. -s $stripprog installed files. -t DIRECTORY install into DIRECTORY. -T report an error if DSTFILE is a directory. Environment variables override the default commands: CHGRPPROG CHMODPROG CHOWNPROG CMPPROG CPPROG MKDIRPROG MVPROG RMPROG STRIPPROG " while test $# -ne 0; do case $1 in -c) ;; -C) copy_on_change=true;; -d) dir_arg=true;; -g) chgrpcmd="$chgrpprog $2" shift;; --help) echo "$usage"; exit $?;; -m) mode=$2 case $mode in *' '* | *' '* | *' '* | *'*'* | *'?'* | *'['*) echo "$0: invalid mode: $mode" >&2 exit 1;; esac shift;; -o) chowncmd="$chownprog $2" shift;; -s) stripcmd=$stripprog;; -t) dst_arg=$2 shift;; -T) no_target_directory=true;; --version) echo "$0 $scriptversion"; exit $?;; --) shift break;; -*) echo "$0: invalid option: $1" >&2 exit 1;; *) break;; esac shift done if test $# -ne 0 && test -z "$dir_arg$dst_arg"; then # When -d is used, all remaining arguments are directories to create. # When -t is used, the destination is already specified. # Otherwise, the last argument is the destination. Remove it from $@. for arg do if test -n "$dst_arg"; then # $@ is not empty: it contains at least $arg. set fnord "$@" "$dst_arg" shift # fnord fi shift # arg dst_arg=$arg done fi if test $# -eq 0; then if test -z "$dir_arg"; then echo "$0: no input file specified." >&2 exit 1 fi # It's OK to call `install-sh -d' without argument. # This can happen when creating conditional directories. exit 0 fi if test -z "$dir_arg"; then trap '(exit $?); exit' 1 2 13 15 # Set umask so as not to create temps with too-generous modes. # However, 'strip' requires both read and write access to temps. case $mode in # Optimize common cases. *644) cp_umask=133;; *755) cp_umask=22;; *[0-7]) if test -z "$stripcmd"; then u_plus_rw= else u_plus_rw='% 200' fi cp_umask=`expr '(' 777 - $mode % 1000 ')' $u_plus_rw`;; *) if test -z "$stripcmd"; then u_plus_rw= else u_plus_rw=,u+rw fi cp_umask=$mode$u_plus_rw;; esac fi for src do # Protect names starting with `-'. case $src in -*) src=./$src;; esac if test -n "$dir_arg"; then dst=$src dstdir=$dst test -d "$dstdir" dstdir_status=$? else # Waiting for this to be detected by the "$cpprog $src $dsttmp" command # might cause directories to be created, which would be especially bad # if $src (and thus $dsttmp) contains '*'. if test ! -f "$src" && test ! -d "$src"; then echo "$0: $src does not exist." >&2 exit 1 fi if test -z "$dst_arg"; then echo "$0: no destination specified." >&2 exit 1 fi dst=$dst_arg # Protect names starting with `-'. case $dst in -*) dst=./$dst;; esac # If destination is a directory, append the input filename; won't work # if double slashes aren't ignored. if test -d "$dst"; then if test -n "$no_target_directory"; then echo "$0: $dst_arg: Is a directory" >&2 exit 1 fi dstdir=$dst dst=$dstdir/`basename "$src"` dstdir_status=0 else # Prefer dirname, but fall back on a substitute if dirname fails. dstdir=` (dirname "$dst") 2>/dev/null || expr X"$dst" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$dst" : 'X\(//\)[^/]' \| \ X"$dst" : 'X\(//\)$' \| \ X"$dst" : 'X\(/\)' \| . 2>/dev/null || echo X"$dst" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q' ` test -d "$dstdir" dstdir_status=$? fi fi obsolete_mkdir_used=false if test $dstdir_status != 0; then case $posix_mkdir in '') # Create intermediate dirs using mode 755 as modified by the umask. # This is like FreeBSD 'install' as of 1997-10-28. umask=`umask` case $stripcmd.$umask in # Optimize common cases. *[2367][2367]) mkdir_umask=$umask;; .*0[02][02] | .[02][02] | .[02]) mkdir_umask=22;; *[0-7]) mkdir_umask=`expr $umask + 22 \ - $umask % 100 % 40 + $umask % 20 \ - $umask % 10 % 4 + $umask % 2 `;; *) mkdir_umask=$umask,go-w;; esac # With -d, create the new directory with the user-specified mode. # Otherwise, rely on $mkdir_umask. if test -n "$dir_arg"; then mkdir_mode=-m$mode else mkdir_mode= fi posix_mkdir=false case $umask in *[123567][0-7][0-7]) # POSIX mkdir -p sets u+wx bits regardless of umask, which # is incompatible with FreeBSD 'install' when (umask & 300) != 0. ;; *) tmpdir=${TMPDIR-/tmp}/ins$RANDOM-$$ trap 'ret=$?; rmdir "$tmpdir/d" "$tmpdir" 2>/dev/null; exit $ret' 0 if (umask $mkdir_umask && exec $mkdirprog $mkdir_mode -p -- "$tmpdir/d") >/dev/null 2>&1 then if test -z "$dir_arg" || { # Check for POSIX incompatibilities with -m. # HP-UX 11.23 and IRIX 6.5 mkdir -m -p sets group- or # other-writeable bit of parent directory when it shouldn't. # FreeBSD 6.1 mkdir -m -p sets mode of existing directory. ls_ld_tmpdir=`ls -ld "$tmpdir"` case $ls_ld_tmpdir in d????-?r-*) different_mode=700;; d????-?--*) different_mode=755;; *) false;; esac && $mkdirprog -m$different_mode -p -- "$tmpdir" && { ls_ld_tmpdir_1=`ls -ld "$tmpdir"` test "$ls_ld_tmpdir" = "$ls_ld_tmpdir_1" } } then posix_mkdir=: fi rmdir "$tmpdir/d" "$tmpdir" else # Remove any dirs left behind by ancient mkdir implementations. rmdir ./$mkdir_mode ./-p ./-- 2>/dev/null fi trap '' 0;; esac;; esac if $posix_mkdir && ( umask $mkdir_umask && $doit_exec $mkdirprog $mkdir_mode -p -- "$dstdir" ) then : else # The umask is ridiculous, or mkdir does not conform to POSIX, # or it failed possibly due to a race condition. Create the # directory the slow way, step by step, checking for races as we go. case $dstdir in /*) prefix='/';; -*) prefix='./';; *) prefix='';; esac eval "$initialize_posix_glob" oIFS=$IFS IFS=/ $posix_glob set -f set fnord $dstdir shift $posix_glob set +f IFS=$oIFS prefixes= for d do test -z "$d" && continue prefix=$prefix$d if test -d "$prefix"; then prefixes= else if $posix_mkdir; then (umask=$mkdir_umask && $doit_exec $mkdirprog $mkdir_mode -p -- "$dstdir") && break # Don't fail if two instances are running concurrently. test -d "$prefix" || exit 1 else case $prefix in *\'*) qprefix=`echo "$prefix" | sed "s/'/'\\\\\\\\''/g"`;; *) qprefix=$prefix;; esac prefixes="$prefixes '$qprefix'" fi fi prefix=$prefix/ done if test -n "$prefixes"; then # Don't fail if two instances are running concurrently. (umask $mkdir_umask && eval "\$doit_exec \$mkdirprog $prefixes") || test -d "$dstdir" || exit 1 obsolete_mkdir_used=true fi fi fi if test -n "$dir_arg"; then { test -z "$chowncmd" || $doit $chowncmd "$dst"; } && { test -z "$chgrpcmd" || $doit $chgrpcmd "$dst"; } && { test "$obsolete_mkdir_used$chowncmd$chgrpcmd" = false || test -z "$chmodcmd" || $doit $chmodcmd $mode "$dst"; } || exit 1 else # Make a couple of temp file names in the proper directory. dsttmp=$dstdir/_inst.$$_ rmtmp=$dstdir/_rm.$$_ # Trap to clean up those temp files at exit. trap 'ret=$?; rm -f "$dsttmp" "$rmtmp" && exit $ret' 0 # Copy the file name to the temp name. (umask $cp_umask && $doit_exec $cpprog "$src" "$dsttmp") && # and set any options; do chmod last to preserve setuid bits. # # If any of these fail, we abort the whole thing. If we want to # ignore errors from any of these, just make sure not to ignore # errors from the above "$doit $cpprog $src $dsttmp" command. # { test -z "$chowncmd" || $doit $chowncmd "$dsttmp"; } && { test -z "$chgrpcmd" || $doit $chgrpcmd "$dsttmp"; } && { test -z "$stripcmd" || $doit $stripcmd "$dsttmp"; } && { test -z "$chmodcmd" || $doit $chmodcmd $mode "$dsttmp"; } && # If -C, don't bother to copy if it wouldn't change the file. if $copy_on_change && old=`LC_ALL=C ls -dlL "$dst" 2>/dev/null` && new=`LC_ALL=C ls -dlL "$dsttmp" 2>/dev/null` && eval "$initialize_posix_glob" && $posix_glob set -f && set X $old && old=:$2:$4:$5:$6 && set X $new && new=:$2:$4:$5:$6 && $posix_glob set +f && test "$old" = "$new" && $cmpprog "$dst" "$dsttmp" >/dev/null 2>&1 then rm -f "$dsttmp" else # Rename the file to the real destination. $doit $mvcmd -f "$dsttmp" "$dst" 2>/dev/null || # The rename failed, perhaps because mv can't rename something else # to itself, or perhaps because mv is so ancient that it does not # support -f. { # Now remove or move aside any old file at destination location. # We try this two ways since rm can't unlink itself on some # systems and the destination file might be busy for other # reasons. In this case, the final cleanup might fail but the new # file should still install successfully. { test ! -f "$dst" || $doit $rmcmd -f "$dst" 2>/dev/null || { $doit $mvcmd -f "$dst" "$rmtmp" 2>/dev/null && { $doit $rmcmd -f "$rmtmp" 2>/dev/null; :; } } || { echo "$0: cannot unlink or rename $dst" >&2 (exit 1); exit 1 } } && # Now rename the file to the real destination. $doit $mvcmd "$dsttmp" "$dst" } fi || exit 1 trap '' 0 fi done # Local variables: # eval: (add-hook 'write-file-hooks 'time-stamp) # time-stamp-start: "scriptversion=" # time-stamp-format: "%:y-%02m-%02d.%02H" # time-stamp-time-zone: "UTC" # time-stamp-end: "; # UTC" # End: asymptote-2.62/drawlabel.h0000644000000000000000000000416313607467113014310 0ustar rootroot/***** * drawlabel.h * John Bowman 2003/03/14 * * Add a label to a picture. *****/ #ifndef DRAWLABEL_H #define DRAWLABEL_H #include "drawelement.h" #include "path.h" #include "angle.h" #include "transform.h" namespace camp { class drawLabel : public virtual drawElement { protected: string label,size; transform T; // A linear (shiftless) transformation. pair position; pair align; pair scale; pen pentype; double width,height,depth; bool havebounds; bool suppress; pair Align; pair texAlign; bbox Box; bool enabled; public: drawLabel(string label, string size, transform T, pair position, pair align, pen pentype, const string& key="") : drawElement(key), label(label), size(size), T(shiftless(T)), position(position), align(align), pentype(pentype), width(0.0), height(0.0), depth(0.0), havebounds(false), suppress(false), enabled(false) {} virtual ~drawLabel() {} void getbounds(iopipestream& tex, const string& texengine); void checkbounds(); void bounds(bbox& b, iopipestream&, boxvector&, bboxlist&); bool islabel() { return true; } bool write(texfile *out, const bbox&); drawElement *transformed(const transform& t); void labelwarning(const char *action); }; class drawLabelPath : public drawLabel, public drawPathPenBase { private: string justify; pair shift; public: drawLabelPath(string label, string size, path src, string justify, pair shift, pen pentype, const string& key="") : drawLabel(label,size,identity,pair(0.0,0.0),pair(0.0,0.0),pentype,key), drawPathPenBase(src,pentype), justify(justify), shift(shift) {} virtual ~drawLabelPath() {} bool svg() {return true;} bool svgpng() {return true;} void bounds(bbox& b, iopipestream& tex, boxvector&, bboxlist&); bool write(texfile *out, const bbox&); drawElement *transformed(const transform& t); }; void setpen(iopipestream& tex, const string& texengine, const pen& pentype); void texbounds(double& width, double& height, double& depth, iopipestream& tex, string& s); } #endif asymptote-2.62/runtriple.cc0000644000000000000000000003260413607467143014541 0ustar rootroot/***** Autogenerated from runtriple.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runtriple.in" /***** * runtriple.in * * Runtime functions for triple operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 10 "runtriple.in" #include "triple.h" #include "path3.h" using namespace camp; // Autogenerated routines: #ifndef NOSYM #include "runtriple.symbols.h" #endif namespace run { #line 18 "runtriple.in" void tripleZero(stack *Stack) { #line 19 "runtriple.in" static triple zero; {Stack->push(zero); return;} } #line 24 "runtriple.in" void realRealRealToTriple(stack *Stack) { real z=vm::pop(Stack); real y=vm::pop(Stack); real x=vm::pop(Stack); #line 25 "runtriple.in" {Stack->push(triple(x,y,z)); return;} } #line 29 "runtriple.in" // real xpart(triple v); void tripleXPart(stack *Stack) { triple v=vm::pop(Stack); #line 30 "runtriple.in" {Stack->push(v.getx()); return;} } #line 34 "runtriple.in" // real ypart(triple v); void tripleYPart(stack *Stack) { triple v=vm::pop(Stack); #line 35 "runtriple.in" {Stack->push(v.gety()); return;} } #line 39 "runtriple.in" // real zpart(triple v); void tripleZPart(stack *Stack) { triple v=vm::pop(Stack); #line 40 "runtriple.in" {Stack->push(v.getz()); return;} } #line 44 "runtriple.in" // triple *(real x, triple v); void gen_runtriple5(stack *Stack) { triple v=vm::pop(Stack); real x=vm::pop(Stack); #line 45 "runtriple.in" {Stack->push(x*v); return;} } #line 49 "runtriple.in" // triple *(triple v, real x); void gen_runtriple6(stack *Stack) { real x=vm::pop(Stack); triple v=vm::pop(Stack); #line 50 "runtriple.in" {Stack->push(v*x); return;} } #line 54 "runtriple.in" // triple /(triple v, real x); void gen_runtriple7(stack *Stack) { real x=vm::pop(Stack); triple v=vm::pop(Stack); #line 55 "runtriple.in" {Stack->push(v/x); return;} } #line 59 "runtriple.in" // real length(triple v); void gen_runtriple8(stack *Stack) { triple v=vm::pop(Stack); #line 60 "runtriple.in" {Stack->push(v.length()); return;} } #line 64 "runtriple.in" // real abs(triple v); void gen_runtriple9(stack *Stack) { triple v=vm::pop(Stack); #line 65 "runtriple.in" {Stack->push(v.length()); return;} } #line 69 "runtriple.in" // real polar(triple v, bool warn=true); void gen_runtriple10(stack *Stack) { bool warn=vm::pop(Stack,true); triple v=vm::pop(Stack); #line 70 "runtriple.in" if(!warn && v.getx() == 0.0 && v.gety() == 0.0 && v.getz() == 0.0) {Stack->push(0.0); return;} {Stack->push(v.polar()); return;} } #line 75 "runtriple.in" // real azimuth(triple v, bool warn=true); void gen_runtriple11(stack *Stack) { bool warn=vm::pop(Stack,true); triple v=vm::pop(Stack); #line 76 "runtriple.in" if(!warn && v.getx() == 0.0 && v.gety() == 0.0) {Stack->push(0.0); return;} {Stack->push(v.azimuth()); return;} } #line 81 "runtriple.in" // real colatitude(triple v, bool warn=true); void gen_runtriple12(stack *Stack) { bool warn=vm::pop(Stack,true); triple v=vm::pop(Stack); #line 82 "runtriple.in" if(!warn && v.getx() == 0.0 && v.gety() == 0.0 && v.getz() == 0.0) {Stack->push(0.0); return;} {Stack->push(degrees(v.polar())); return;} } #line 87 "runtriple.in" // real latitude(triple v, bool warn=true); void gen_runtriple13(stack *Stack) { bool warn=vm::pop(Stack,true); triple v=vm::pop(Stack); #line 88 "runtriple.in" if(!warn && v.getx() == 0.0 && v.gety() == 0.0 && v.getz() == 0.0) {Stack->push(0.0); return;} {Stack->push(90.0-degrees(v.polar())); return;} } // Return the longitude of v in [0,360). #line 94 "runtriple.in" // real longitude(triple v, bool warn=true); void gen_runtriple14(stack *Stack) { bool warn=vm::pop(Stack,true); triple v=vm::pop(Stack); #line 95 "runtriple.in" if(!warn && v.getx() == 0.0 && v.gety() == 0.0) {Stack->push(0.0); return;} {Stack->push(principalBranch(degrees(v.azimuth()))); return;} } #line 100 "runtriple.in" // triple unit(triple v); void gen_runtriple15(stack *Stack) { triple v=vm::pop(Stack); #line 101 "runtriple.in" {Stack->push(unit(v)); return;} } #line 105 "runtriple.in" // real dot(triple u, triple v); void gen_runtriple16(stack *Stack) { triple v=vm::pop(Stack); triple u=vm::pop(Stack); #line 106 "runtriple.in" {Stack->push(dot(u,v)); return;} } #line 110 "runtriple.in" // triple cross(triple u, triple v); void gen_runtriple17(stack *Stack) { triple v=vm::pop(Stack); triple u=vm::pop(Stack); #line 111 "runtriple.in" {Stack->push(cross(u,v)); return;} } #line 115 "runtriple.in" // triple dir(explicit triple z); void gen_runtriple18(stack *Stack) { triple z=vm::pop(Stack); #line 116 "runtriple.in" {Stack->push(unit(z)); return;} } #line 120 "runtriple.in" // triple expi(real polar, real azimuth); void gen_runtriple19(stack *Stack) { real azimuth=vm::pop(Stack); real polar=vm::pop(Stack); #line 121 "runtriple.in" {Stack->push(expi(polar,azimuth)); return;} } #line 125 "runtriple.in" // triple dir(real colatitude, real longitude); void gen_runtriple20(stack *Stack) { real longitude=vm::pop(Stack); real colatitude=vm::pop(Stack); #line 126 "runtriple.in" {Stack->push(expi(radians(colatitude),radians(longitude))); return;} } #line 130 "runtriple.in" // triple realmult(triple u, triple v); void gen_runtriple21(stack *Stack) { triple v=vm::pop(Stack); triple u=vm::pop(Stack); #line 131 "runtriple.in" {Stack->push(triple (u.getx()*v.getx(),u.gety()*v.gety(),u.getz()*v.getz())); return;} } // Return the component of vector v perpendicular to a unit vector u. #line 136 "runtriple.in" // triple perp(triple v, triple u); void gen_runtriple22(stack *Stack) { triple u=vm::pop(Stack); triple v=vm::pop(Stack); #line 137 "runtriple.in" {Stack->push(perp(v,u)); return;} } #line 141 "runtriple.in" // triple bezier(triple a, triple b, triple c, triple d, real t); void gen_runtriple23(stack *Stack) { real t=vm::pop(Stack); triple d=vm::pop(Stack); triple c=vm::pop(Stack); triple b=vm::pop(Stack); triple a=vm::pop(Stack); #line 142 "runtriple.in" real onemt=1-t; real onemt2=onemt*onemt; {Stack->push(onemt2*onemt*a+t*(3.0*(onemt2*b+t*onemt*c)+t*t*d)); return;} } #line 148 "runtriple.in" // triple bezierP(triple a, triple b, triple c, triple d, real t); void gen_runtriple24(stack *Stack) { real t=vm::pop(Stack); triple d=vm::pop(Stack); triple c=vm::pop(Stack); triple b=vm::pop(Stack); triple a=vm::pop(Stack); #line 149 "runtriple.in" {Stack->push(3.0*(t*t*(d-a+3.0*(b-c))+t*(2.0*(a+c)-4.0*b)+b-a)); return;} } #line 153 "runtriple.in" // triple bezierPP(triple a, triple b, triple c, triple d, real t); void gen_runtriple25(stack *Stack) { real t=vm::pop(Stack); triple d=vm::pop(Stack); triple c=vm::pop(Stack); triple b=vm::pop(Stack); triple a=vm::pop(Stack); #line 154 "runtriple.in" {Stack->push(6.0*(t*(d-a+3.0*(b-c))+a+c-2.0*b)); return;} } #line 158 "runtriple.in" // triple bezierPPP(triple a, triple b, triple c, triple d); void gen_runtriple26(stack *Stack) { triple d=vm::pop(Stack); triple c=vm::pop(Stack); triple b=vm::pop(Stack); triple a=vm::pop(Stack); #line 159 "runtriple.in" {Stack->push(6.0*(d-a+3.0*(b-c))); return;} } } // namespace run namespace trans { void gen_runtriple_venv(venv &ve) { #line 18 "runtriple.in" REGISTER_BLTIN(run::tripleZero,"tripleZero"); #line 24 "runtriple.in" REGISTER_BLTIN(run::realRealRealToTriple,"realRealRealToTriple"); #line 29 "runtriple.in" addFunc(ve, run::tripleXPart, primReal(), SYM(xpart), formal(primTriple(), SYM(v), false, false)); #line 34 "runtriple.in" addFunc(ve, run::tripleYPart, primReal(), SYM(ypart), formal(primTriple(), SYM(v), false, false)); #line 39 "runtriple.in" addFunc(ve, run::tripleZPart, primReal(), SYM(zpart), formal(primTriple(), SYM(v), false, false)); #line 44 "runtriple.in" addFunc(ve, run::gen_runtriple5, primTriple(), SYM_TIMES, formal(primReal(), SYM(x), false, false), formal(primTriple(), SYM(v), false, false)); #line 49 "runtriple.in" addFunc(ve, run::gen_runtriple6, primTriple(), SYM_TIMES, formal(primTriple(), SYM(v), false, false), formal(primReal(), SYM(x), false, false)); #line 54 "runtriple.in" addFunc(ve, run::gen_runtriple7, primTriple(), SYM_DIVIDE, formal(primTriple(), SYM(v), false, false), formal(primReal(), SYM(x), false, false)); #line 59 "runtriple.in" addFunc(ve, run::gen_runtriple8, primReal(), SYM(length), formal(primTriple(), SYM(v), false, false)); #line 64 "runtriple.in" addFunc(ve, run::gen_runtriple9, primReal(), SYM(abs), formal(primTriple(), SYM(v), false, false)); #line 69 "runtriple.in" addFunc(ve, run::gen_runtriple10, primReal(), SYM(polar), formal(primTriple(), SYM(v), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 75 "runtriple.in" addFunc(ve, run::gen_runtriple11, primReal(), SYM(azimuth), formal(primTriple(), SYM(v), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 81 "runtriple.in" addFunc(ve, run::gen_runtriple12, primReal(), SYM(colatitude), formal(primTriple(), SYM(v), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 87 "runtriple.in" addFunc(ve, run::gen_runtriple13, primReal(), SYM(latitude), formal(primTriple(), SYM(v), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 93 "runtriple.in" addFunc(ve, run::gen_runtriple14, primReal(), SYM(longitude), formal(primTriple(), SYM(v), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 100 "runtriple.in" addFunc(ve, run::gen_runtriple15, primTriple(), SYM(unit), formal(primTriple(), SYM(v), false, false)); #line 105 "runtriple.in" addFunc(ve, run::gen_runtriple16, primReal(), SYM(dot), formal(primTriple(), SYM(u), false, false), formal(primTriple(), SYM(v), false, false)); #line 110 "runtriple.in" addFunc(ve, run::gen_runtriple17, primTriple(), SYM(cross), formal(primTriple(), SYM(u), false, false), formal(primTriple(), SYM(v), false, false)); #line 115 "runtriple.in" addFunc(ve, run::gen_runtriple18, primTriple(), SYM(dir), formal(primTriple(), SYM(z), false, true)); #line 120 "runtriple.in" addFunc(ve, run::gen_runtriple19, primTriple(), SYM(expi), formal(primReal(), SYM(polar), false, false), formal(primReal(), SYM(azimuth), false, false)); #line 125 "runtriple.in" addFunc(ve, run::gen_runtriple20, primTriple(), SYM(dir), formal(primReal(), SYM(colatitude), false, false), formal(primReal(), SYM(longitude), false, false)); #line 130 "runtriple.in" addFunc(ve, run::gen_runtriple21, primTriple(), SYM(realmult), formal(primTriple(), SYM(u), false, false), formal(primTriple(), SYM(v), false, false)); #line 135 "runtriple.in" addFunc(ve, run::gen_runtriple22, primTriple(), SYM(perp), formal(primTriple(), SYM(v), false, false), formal(primTriple(), SYM(u), false, false)); #line 141 "runtriple.in" addFunc(ve, run::gen_runtriple23, primTriple(), SYM(bezier), formal(primTriple(), SYM(a), false, false), formal(primTriple(), SYM(b), false, false), formal(primTriple(), SYM(c), false, false), formal(primTriple(), SYM(d), false, false), formal(primReal(), SYM(t), false, false)); #line 148 "runtriple.in" addFunc(ve, run::gen_runtriple24, primTriple(), SYM(bezierP), formal(primTriple(), SYM(a), false, false), formal(primTriple(), SYM(b), false, false), formal(primTriple(), SYM(c), false, false), formal(primTriple(), SYM(d), false, false), formal(primReal(), SYM(t), false, false)); #line 153 "runtriple.in" addFunc(ve, run::gen_runtriple25, primTriple(), SYM(bezierPP), formal(primTriple(), SYM(a), false, false), formal(primTriple(), SYM(b), false, false), formal(primTriple(), SYM(c), false, false), formal(primTriple(), SYM(d), false, false), formal(primReal(), SYM(t), false, false)); #line 158 "runtriple.in" addFunc(ve, run::gen_runtriple26, primTriple(), SYM(bezierPPP), formal(primTriple(), SYM(a), false, false), formal(primTriple(), SYM(b), false, false), formal(primTriple(), SYM(c), false, false), formal(primTriple(), SYM(d), false, false)); } } // namespace trans asymptote-2.62/parser.h0000644000000000000000000000152413607467113013645 0ustar rootroot/***** * parser.h * Tom Prince 2004/01/10 * *****/ #ifndef PARSER_H #define PARSER_H #include "common.h" #include "absyn.h" namespace parser { // Opens and parses the file returning the abstract syntax tree. If // there is an unrecoverable parse error, returns null. absyntax::file *parseFile(const string& filename, const char *nameOfAction); // Parses string and returns the abstract syntax tree. Any error in lexing or // parsing will be reported and a handled_error thrown. If the string is // "extendable", then a parse error simply due to running out of input will not // throw an exception, but will return null. absyntax::file *parseString(const string& code, const string& filename, bool extendable=false); } // namespace parser #endif // PARSER_H asymptote-2.62/seconds.h0000644000000000000000000000410113607467113014001 0ustar rootroot#ifndef __seconds_h__ #define __seconds_h__ 1 #ifdef _WIN32 #include #include #include #include #if defined(_MSC_VER) || defined(_MSC_EXTENSIONS) #define DELTA_EPOCH_IN_MICROSECS 11644473600000000Ui64 #else #define DELTA_EPOCH_IN_MICROSECS 11644473600000000ULL #endif struct timezone { int tz_minuteswest; /* minutes W of Greenwich */ int tz_dsttime; /* type of dst correction */ }; // Definition of a gettimeofday function inline int gettimeofday(struct timeval *tv, struct timezone *tz) { // Define a structure to receive the current Windows filetime FILETIME ft; // Initialize the present time to 0 and the timezone to UTC unsigned __int64 tmpres = 0; static int tzflag = 0; if (NULL != tv) { GetSystemTimeAsFileTime(&ft); // The GetSystemTimeAsFileTime returns the number of 100 nanosecond // intervals since Jan 1, 1601 in a structure. Copy the high bits to // the 64 bit tmpres, shift it left by 32 then or in the low 32 bits. tmpres |= ft.dwHighDateTime; tmpres <<= 32; tmpres |= ft.dwLowDateTime; // Convert to microseconds by dividing by 10 tmpres /= 10; // The Unix epoch starts on Jan 1 1970. Need to subtract the difference // in seconds from Jan 1 1601. tmpres -= DELTA_EPOCH_IN_MICROSECS; // Finally change microseconds to seconds and place in the seconds value. // The modulus picks up the microseconds. tv->tv_sec = (long)(tmpres / 1000000UL); tv->tv_usec = (long)(tmpres % 1000000UL); } if (NULL != tz) { if (!tzflag) { _tzset(); tzflag++; } // Adjust for the timezone west of Greenwich tz->tz_minuteswest = _timezone / 60; tz->tz_dsttime = _daylight; } return 0; } #else #include #endif namespace utils { inline double totalseconds() { timeval tv; gettimeofday(&tv,NULL); return tv.tv_sec+tv.tv_usec/1000000.0; } inline double seconds() { static double lastseconds=totalseconds(); double t=totalseconds(); double seconds=t-lastseconds; lastseconds=t; return seconds; } } #endif asymptote-2.62/revision.cc0000644000000000000000000000007613607467221014346 0ustar rootrootconst char *REVISION="2.62"; const char *AsyGLVersion="1.00"; asymptote-2.62/autogen.sh0000755000000000000000000000004213607467113014173 0ustar rootroot#!/bin/sh autoheader && autoconf asymptote-2.62/base/0000755000000000000000000000000013607467360013114 5ustar rootrootasymptote-2.62/base/size11.asy0000644000000000000000000000113013607467113014735 0ustar rootroottexpreamble("\makeatletter% \renewcommand\normalsize{\@setfontsize\normalsize\@xipt{13.6}}% \renewcommand\small{\@setfontsize\small\@xpt\@xiipt}% \renewcommand\footnotesize{\@setfontsize\footnotesize\@ixpt{11}}% \renewcommand\scriptsize{\@setfontsize\scriptsize\@viiipt{9.5}} \renewcommand\tiny{\@setfontsize\tiny\@vipt\@viipt} \renewcommand\large{\@setfontsize\large\@xiipt{14}} \renewcommand\Large{\@setfontsize\Large\@xivpt{18}} \renewcommand\LARGE{\@setfontsize\LARGE\@xviipt{22}} \renewcommand\huge{\@setfontsize\huge\@xxpt{25}} \renewcommand\Huge{\@setfontsize\Huge\@xxvpt{30}} \makeatother"); asymptote-2.62/base/syzygy.asy0000644000000000000000000005467313607467113015223 0ustar rootroot/***** syzygy.asy {{{1 * Andy Hammerlindl 2006/12/02 * * Automates the drawing of braids, relations, and syzygies, along with the * corresponding equations. * * See * http://katlas.math.toronto.edu/drorbn/index.php?title=06-1350/Syzygies_in_Asymptote * For more information. *****/ struct Component { // {{{1 // The number of strings coming in or out of the component. int in; int out; // Which 'out' string each 'in' string is connected to. For deriving // equations. int[] connections; string symbol; // For pullback notation. string lsym; // For linear equations. string codename; // For Mathematica code. guide[] draw(picture pic, guide[] ins); } // Utility functions {{{1 pair[] endpoints(guide[] a) { pair[] z; for (int i=0; i M.x) M=(z[i].x,M.y); if (z[i].y > M.y) M=(M.x,z[i].y); } return M; } // Component Definitions {{{1 real hwratio=1.4; real gapfactor=6; Component bp=new Component; bp.in=2; bp.out=2; bp.connections=new int[] {1,0}; bp.symbol="B^+"; bp.lsym="b^+"; bp.codename="bp"; bp.draw=new guide[] (picture pic, guide[] ins) { pair[] z=endpoints(ins); pair m=min(z), M=max(z); real w=M.x-m.x, h=hwratio*w; pair centre=(0.5(m.x+M.x),M.y+h/2); /* return new guide[] {ins[1]..centre{NW}..z[0]+h*N, ins[0]..centre{NE}..z[1]+h*N}; */ real offset=gapfactor*linewidth(currentpen); draw(pic, ins[1]..(centre-offset*NW){NW}); return new guide[] {(centre+offset*NW){NW}..z[0]+h*N, ins[0]..centre{NE}..z[1]+h*N}; }; Component bm=new Component; bm.in=2; bm.out=2; bm.connections=new int[] {1,0}; bm.symbol="B^-"; bm.lsym="b^-"; bm.codename="bm"; bm.draw=new guide[] (picture pic, guide[] ins) { pair[] z=endpoints(ins); pair m=min(z), M=max(z); real w=M.x-m.x, h=hwratio*w; pair centre=(0.5(m.x+M.x),M.y+h/2); /* return new guide[] {ins[1]..centre{NW}..z[0]+h*N, ins[0]..centre{NE}..z[1]+h*N}; */ real offset=gapfactor*linewidth(currentpen); draw(pic, ins[0]..(centre-offset*NE){NE}); return new guide[] {ins[1]..centre{NW}..z[0]+h*N, (centre+offset*NE){NE}..z[1]+h*N}; }; Component phi=new Component; phi.in=2; phi.out=1; phi.connections=new int[] {0,0}; phi.symbol="\Phi"; phi.lsym="\phi"; phi.codename="phi"; phi.draw=new guide[] (picture pic, guide[] ins) { pair[] z=endpoints(ins); pair m=min(z), M=max(z); real w=M.x-m.x, h=hwratio*w; pair centre=(0.5(m.x+M.x),M.y+h/2); //real offset=4*linewidth(currentpen); draw(pic, ins[0]..centre{NE}); draw(pic, ins[1]..centre{NW}); draw(pic, centre,linewidth(5*linewidth(currentpen))); dot(pic, centre); return new guide[] {centre..centre+0.5h*N}; }; Component wye=new Component; wye.in=1; wye.out=2; wye.connections=null; // TODO: Fix this! wye.symbol="Y"; wye.lsym="y"; wye.codename="wye"; wye.draw=new guide[] (picture pic, guide[] ins) { pair z=endpoint(ins[0]); real w=10, h=hwratio*w; // The 10 is a guess here, and may produce badness. pair centre=(z.x,z.y+h/2); draw(pic, ins[0]..centre); draw(pic, centre,linewidth(5*linewidth(currentpen))); return new guide[] {centre{NW}..centre+(-0.5w,0.5h), centre{NE}..centre+(0.5w,0.5h)}; }; struct Braid { // {{{1 // Members {{{2 // Number of lines initially. int n; struct Placement { Component c; int place; Placement copy() { Placement p=new Placement; p.c=this.c; p.place=this.place; return p; } } Placement[] places; void add(Component c, int place) { Placement p=new Placement; p.c=c; p.place=place; places.push(p); } void add(Braid sub, int place) { for (int i=0; i= minheight ? ins[i] : ins[i]..(z[i].x,minheight)); } } void draw(picture pic, guide[] ins, real minheight=0) { int steps=places.length; guide[] nodes=ins; for (int i=0; ij) return swap(j,i); else { assert(j==i+1); assert(swapable(places[i],places[j])); Placement p=places[i].copy(); Placement q=places[j].copy(); /*write("swap:"); write("p originally at " + (string)p.place); write("q originally at " + (string)q.place); write("p.c.in: " + (string)p.c.in + " p.c.out: " + (string)p.c.out); write("q.c.in: " + (string)q.c.in + " q.c.out: " + (string)q.c.out);*/ if (q.place + q.c.in <= p.place) // q is left of p - adjust for q renumbering strings. p.place+=q.c.out-q.c.in; else if (p.place + p.c.out <= q.place) // q is right of p - adjust for p renumbering strings. q.place+=p.c.in-p.c.out; else // q is directly on top of p assert(false, "swapable"); /*write("q now at " + (string)q.place); write("p now at " + (string)p.place);*/ Braid b=this.copy(); b.places[i]=q; b.places[j]=p; return b; } } // Tests if the component at index 'start' can be moved to index 'end' // without interfering with other components. bool moveable(int start, int end) { assert(start= sub.places.length) return true; // The next component to match. Placement p=sub.places[acc.length]; // Start looking immediately after the last match. for (int step=acc[acc.length-1]+1; step= sub.places.length) return true; // The next component to match. Placement p=sub.places[acc.length]; // Start looking immediately after the last match. for (int step=acc[acc.length-1]+1; step place && q.place < place + size) { // It's in the window, so it must match the next component in the // subbraid. if (p.c==q.c && p.place+place==q.place) { // A match - go on to the next component. acc.push(step); return tryMatch(sub, place, size, acc); // TODO: Adjust place/size. } else return false; } // TODO: Adjust place and size. } // We've run out of components to match. return false; } // This attempts to find a subbraid within the braid. It allows other // components to be interspersed with the components of the subbraid so long // as they don't occur on the same string as the ones the subbraid lies on. // Returns null on failure. int[] match(Braid sub, int place) { for (int i=0; i<=this.places.length-sub.places.length; ++i) { // Find where the first component of the subbraid matches and try to // match the rest of the braid starting from there. if (matchComponent(sub, 0, place, i)) { int[] result; result.push(i); if (tryMatch(sub,place,sub.n,result)) return result; } } return null; } // Equations {{{2 // Returns the string that 'place' moves to when going through the section // with Placement p. static int advancePast(Placement p, int place) { // If it's to the left of the component, it is unaffected. return place=0 && place=0 && step0) s+=" "; s+=stepToFormula(step); } return s; } } string windowToLinear(int step, int w_place, int w_size) { int[] a=pullbackWindow(step, w_place, w_size); string s="("; for (int arg=1; arg<=w_size+1; ++arg) { if (arg>1) s+=","; bool first=true; for (int var=0; var1) s+=", "; bool first=true; for (int var=0; var1) s+=","; bool first=true; for (int var=0; var0) s+= subtract ? " - " : " + "; s+=stepToLinear(step); } return s; } } string toCode(bool subtract=false) { if (places.length==0) return subtract ? "0" : ""; // or "1" ? else { string s = subtract ? " - " : ""; for (int step=0; step0) s+= subtract ? " - " : " + "; s+=stepToCode(step); } return s; } } } struct Relation { // {{{1 Braid lhs, rhs; string lsym, codename; bool inverted=false; string toFormula() { return lhs.toFormula() + " = " + rhs.toFormula(); } string linearName() { assert(lhs.n==rhs.n); assert(lsym!=""); string s=(inverted ? "-" : "") + lsym+"("; for (int i=1; i<=lhs.n+1; ++i) { if (i>1) s+=","; s+="x_"+(string)i; } return s+")"; } string fullCodeName() { assert(lhs.n==rhs.n); assert(codename!=""); string s=(inverted ? "minus" : "") + codename+"["; for (int i=1; i<=lhs.n+1; ++i) { if (i>1) s+=", "; s+="x"+(string)i+"_"; } return s+"]"; } string toLinear() { return linearName() + " = " + lhs.toLinear() + rhs.toLinear(true); } string toCode() { return fullCodeName() + " :> " + lhs.toCode() + rhs.toCode(true); } void draw(picture pic=currentpicture) { picture left; lhs.draw(left); frame l=left.fit(); picture right; rhs.draw(right); frame r=right.fit(); real xpad=30; add(pic, l); label(pic, "=", (max(l).x + 0.5xpad, 0.25(max(l).y+max(r).y))); add(pic, r, (max(l).x+xpad,0)); } } Relation operator- (Relation r) { Relation opposite; opposite.lhs=r.rhs; opposite.rhs=r.lhs; opposite.lsym=r.lsym; opposite.codename=r.codename; opposite.inverted=!r.inverted; return opposite; } Braid apply(Relation r, Braid b, int step, int place) { bool valid=b.exactMatch(r.lhs,place,step); if (valid) { Braid result=new Braid; result.n=b.n; for (int i=0; i M.x) M=(z.x,M.y); if (z.y > M.y) M=(M.x,z.y); } picture pic; real xpad=2.0, ypad=1.3; void place(int index, real row, real column) { pair z=((M.x*xpad)*column,(M.y*ypad)*row); add(pic, cards[index], z); if (number) { label(pic,(string)index, z+(0.5M.x,0), S); } } // Handle small collections. if (n<=4) { for (int i=0; i1) s+=","; s+="x_"+(string)i; } return s+")"; } string fullCodeName() { assert(codename!=""); string s=codename+"["; for (int i=1; i<=initial.n+1; ++i) { if (i>1) s+=", "; s+="x"+(string)i+"_"; } return s+"]"; } string toLinear() { string s=linearName()+" = "; Braid b=initial; bool first=true; for (int i=0; i "; Braid b=initial; bool first=true; for (int i=0; i= L-epsilon && sign > 0)) s.front.push(S); else { path3 Sp=slice(t+epsilon,n); path3 Sm=slice(t-epsilon,n); path sp=project(Sp,P); path sm=project(Sm,P); real[] t1=tangent(sp,sm,true); real[] t2=tangent(sp,sm,false); if(t1.length > 1 && t2.length > 1) { real t1=t1[0]/P.ninterpolate; real t2=t2[0]/P.ninterpolate; int len=length(S); if(t2 < t1) { real temp=t1; t1=t2; t2=temp; } path3 p1=subpath(S,t1,t2); path3 p2=subpath(S,t2,len); path3 P2=subpath(S,0,t1); if(abs(midpoint(p1)-P.camera) <= abs(midpoint(p2)-P.camera)) { s.front.push(p1); if(cyclic(S)) s.back.push(p2 & P2); else { s.back.push(p2); s.back.push(P2); } } else { if(cyclic(S)) s.front.push(p2 & P2); else { s.front.push(p2); s.front.push(P2); } s.back.push(p1); } } else { if((t <= midtime && sign < 0) || (t >= midtime && sign > 0)) s.front.push(S); else s.back.push(S); } } } // add m evenly spaced transverse slices to skeleton s void transverse(skeleton s, int m=0, int n=nslice, projection P) { if(m == 0) { int N=size(g); for(int i=0; i < N; ++i) transverse(s,(real) i,n,P); } else if(m == 1) transverse(s,reltime(g,0.5),n,P); else { real factor=1/(m-1); for(int i=0; i < m; ++i) transverse(s,reltime(g,i*factor),n,P); } } // return approximate silhouette based on m evenly spaced transverse slices; // must be recomputed if camera is adjusted path3[] silhouette(int m=64, projection P=currentprojection) { if(is3D()) warning("2Dsilhouette", "silhouette routine is intended only for 2d projections"); path3 G,H; int N=size(g); int M=(m == 0) ? N : m; real factor=m == 1 ? 0 : 1/(m-1); int n=nslice; real tfirst=-1; real tlast; for(int i=0; i < M; ++i) { real t=(m == 0) ? i : reltime(g,i*factor); path3 S=slice(t,n); path3 Sp=slice(t+epsilon,n); path3 Sm=slice(t-epsilon,n); path sp=project(Sp,P); path sm=project(Sm,P); real[] t1=tangent(sp,sm,true); real[] t2=tangent(sp,sm,false); if(t1.length > 1 && t2.length > 1) { real t1=t1[0]/P.ninterpolate; real t2=t2[0]/P.ninterpolate; if(t1 != t2) { G=G..point(S,t1); H=point(S,t2)..H; if(tfirst < 0) tfirst=t; tlast=t; } } } int L=length(g); real midtime=0.5*L; real sign=sgn(dot(axis,P.camera-c))*sgn(dot(axis,dir(g,midtime))); skeleton sfirst; transverse(sfirst,tfirst,n,P); triple delta=this.M-this.m; path3 cap; if(dot(delta,axis) == 0 || (tfirst <= epsilon && sign < 0)) { cap=sfirst.transverse.front[0]; } else { if(sign > 0) { if(sfirst.transverse.front.length > 0) G=reverse(sfirst.transverse.front[0])..G; } else { if(sfirst.transverse.back.length > 0) G=sfirst.transverse.back[0]..G; } } skeleton slast; transverse(slast,tlast,n,P); if(dot(delta,axis) == 0 || (tlast >= L-epsilon && sign > 0)) { cap=slast.transverse.front[0]; } else { if(sign > 0) { if(slast.transverse.back.length > 0) H=reverse(slast.transverse.back[0])..H; } else { if(slast.transverse.front.length > 0) H=slast.transverse.front[0]..H; } } return size(cap) == 0 ? G^^H : G^^H^^cap; } // add longitudinal curves to skeleton; void longitudinal(skeleton s, int n=nslice, projection P) { real t, d=0; // Find a point on g of maximal distance from the axis. int N=size(g); for(int i=0; i < N; ++i) { triple v=point(g,i); triple center=c+dot(v-c,axis)*axis; real r=abs(v-center); if(r > d) { t=i; d=r; } } path3 S=slice(t,n); path3 Sm=slice(t+epsilon,n); path3 Sp=slice(t-epsilon,n); path sp=project(Sp,P); path sm=project(Sm,P); real[] t1=tangent(sp,sm,true); real[] t2=tangent(sp,sm,false); transform3 T=transpose(align(axis)); real Longitude(triple v) {return longitude(T*(v-c),warn=false);} real ref=Longitude(point(g,t)); real angle(real t) {return Longitude(point(S,t/P.ninterpolate))-ref;} void push(real[] T) { if(T.length > 1) { path3 p=rotate(angle(T[0]),c,c+axis)*g; path3 p1=subpath(p,0,t); path3 p2=subpath(p,t,length(p)); if(length(p1) > 0 && (length(p2) == 0 || abs(midpoint(p1)-P.camera) <= abs(midpoint(p2)-P.camera))) { s.longitudinal.front.push(p1); s.longitudinal.back.push(p2); } else { s.longitudinal.back.push(p1); s.longitudinal.front.push(p2); } } } push(t1); push(t2); } skeleton skeleton(int m=0, int n=nslice, projection P) { skeleton s; transverse(s,m,n,P); longitudinal(s,n,P); return s; } } revolution operator * (transform3 t, revolution r) { triple trc=t*r.c; return revolution(trc,t*r.g,t*(r.c+r.axis)-trc,r.angle1,r.angle2); } surface surface(revolution r, int n=nslice, pen color(int i, real j)=null) { return r.surface(n,color); } // Draw on picture pic the skeleton of the surface of revolution r. // Draw the front portion of each of the m transverse slices with pen p and // the back portion with pen backpen. Rotational arcs are based on // n-point approximations to the unit circle. void draw(picture pic=currentpicture, revolution r, int m=0, int n=nslice, pen frontpen=currentpen, pen backpen=frontpen, pen longitudinalpen=frontpen, pen longitudinalbackpen=backpen, light light=currentlight, string name="", render render=defaultrender, projection P=currentprojection) { if(is3D()) { pen thin=thin(); void drawskeleton(frame f, transform3 t, projection P) { skeleton s=r.skeleton(m,n,inverse(t)*P); if(frontpen != nullpen) { draw(f,t*s.transverse.back,thin+defaultbackpen+backpen,light); draw(f,t*s.transverse.front,thin+frontpen,light); } if(longitudinalpen != nullpen) { draw(f,t*s.longitudinal.back,thin+defaultbackpen+longitudinalbackpen, light); draw(f,t*s.longitudinal.front,thin+longitudinalpen,light); } } bool group=name != "" || render.defaultnames; if(group) begingroup3(pic,name == "" ? "skeleton" : name,render); pic.add(new void(frame f, transform3 t, picture pic, projection P) { drawskeleton(f,t,P); if(pic != null) pic.addBox(min(f,P),max(f,P),min(frontpen),max(frontpen)); }); frame f; drawskeleton(f,identity4,P); pic.addBox(min3(f),max3(f)); if(group) endgroup3(pic); } else { skeleton s=r.skeleton(m,n,P); if(frontpen != nullpen) { draw(pic,s.transverse.back,defaultbackpen+backpen,light); draw(pic,s.transverse.front,frontpen,light); } if(longitudinalpen != nullpen) { draw(pic,s.longitudinal.back,defaultbackpen+longitudinalbackpen, light); draw(pic,s.longitudinal.front,longitudinalpen,light); } } } // Return a right circular cylinder of height h in the direction of axis // based on a circle centered at c with radius r. revolution cylinder(triple c=O, real r, real h, triple axis=Z) { triple C=c+r*perp(axis); axis=h*unit(axis); return revolution(c,C--C+axis,axis); } // Return a right circular cone of height h in the direction of axis // based on a circle centered at c with radius r. The parameter n // controls the accuracy near the degenerate point at the apex. revolution cone(triple c=O, real r, real h, triple axis=Z, int n=nslice) { axis=unit(axis); return revolution(c,approach(c+r*perp(axis)--c+h*axis,n),axis); } // Return an approximate sphere of radius r centered at c obtained by rotating // an (n+1)-point approximation to a half circle about the Z axis. // Note: unitsphere provides a smoother and more efficient surface. revolution sphere(triple c=O, real r, int n=nslice) { return revolution(c,Arc(c,r,180-sqrtEpsilon,0,sqrtEpsilon,0,Y,n),Z); } asymptote-2.62/base/smoothcontour3.asy0000644000000000000000000015534513607467113016651 0ustar rootroot// Copyright 2015 Charles Staats III // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // smoothcontour3 // An Asymptote module for drawing smooth implicitly defined surfaces // author: Charles Staats III // charles dot staats dot iii at gmail dot com import graph_settings; // for nmesh import three; import math; /***********************************************/ /******** CREATING BEZIER PATCHES **************/ /******** WITH SPECIFIED NORMALS **************/ /***********************************************/ // The weight given to minimizing the sum of squares of // the mixed partials at the corners of the bezier patch. // If this weight is zero, the result is undefined in // places and can be rather wild even where it is // defined. // The struct is used to as a namespace. struct pathwithnormals_settings { static real wildnessweight = 1e-3; } private from pathwithnormals_settings unravel wildnessweight; // The Bernstein basis polynomials of degree 3: real B03(real t) { return (1-t)^3; } real B13(real t) { return 3*t*(1-t)^2; } real B23(real t) { return 3*t^2*(1-t); } real B33(real t) { return t^3; } private typedef real function(real); function[] bernstein = new function[] {B03, B13, B23, B33}; // This function attempts to produce a Bezier patch // with the specified boundary path and normal directions. // For instance, the patch should be normal to // u0normals[0] at (0, 0.25), // normal to u0normals[1] at (0, 0.5), and // normal to u0normals[2] at (0, 0.75). // The actual normal (as computed by the patch.normal() function) // may be parallel to the specified normal, antiparallel, or // even zero. // // A small amount of deviation is allowed in order to stabilize // the algorithm (by keeping the mixed partials at the corners from // growing too large). // // Note that the specified normals are projected to be orthogonal to // the specified boundary path. However, the entries in the array // remain intact. patch patchwithnormals(path3 external, triple[] u0normals, triple[] u1normals, triple[] v0normals, triple[] v1normals) { assert(cyclic(external)); assert(length(external) == 4); assert(u0normals.length == 3); assert(u1normals.length == 3); assert(v0normals.length == 3); assert(v1normals.length == 3); triple[][] controlpoints = new triple[4][4]; controlpoints[0][0] = point(external,0); controlpoints[1][0] = postcontrol(external,0); controlpoints[2][0] = precontrol(external,1); controlpoints[3][0] = point(external,1); controlpoints[3][1] = postcontrol(external,1); controlpoints[3][2] = precontrol(external,2); controlpoints[3][3] = point(external,2); controlpoints[2][3] = postcontrol(external,2); controlpoints[1][3] = precontrol(external,3); controlpoints[0][3] = point(external,3); controlpoints[0][2] = postcontrol(external,3); controlpoints[0][1] = precontrol(external, 4); real[][] matrix = new real[24][12]; for (int i = 0; i < matrix.length; ++i) for (int j = 0; j < matrix[i].length; ++j) matrix[i][j] = 0; real[] rightvector = new real[24]; for (int i = 0; i < rightvector.length; ++i) rightvector[i] = 0; void addtocoeff(int i, int j, int count, triple coeffs) { if (1 <= i && i <= 2 && 1 <= j && j <= 2) { int position = 3 * (2 * (i-1) + (j-1)); matrix[count][position] += coeffs.x; matrix[count][position+1] += coeffs.y; matrix[count][position+2] += coeffs.z; } else { rightvector[count] -= dot(controlpoints[i][j], coeffs); } } void addtocoeff(int i, int j, int count, real coeff) { if (1 <= i && i <= 2 && 1 <= j && j <= 2) { int position = 3 * (2 * (i-1) + (j-1)); matrix[count][position] += coeff; matrix[count+1][position+1] += coeff; matrix[count+2][position+2] += coeff; } else { rightvector[count] -= controlpoints[i][j].x * coeff; rightvector[count+1] -= controlpoints[i][j].y * coeff; rightvector[count+2] -= controlpoints[i][j].z * coeff; } } int count = 0; void apply_u0(int j, real a, triple n) { real factor = 3 * bernstein[j](a); addtocoeff(0,j,count,-factor*n); addtocoeff(1,j,count,factor*n); } void apply_u0(real a, triple n) { triple tangent = dir(external, 4-a); n -= dot(n,tangent)*tangent; n = unit(n); for (int j = 0; j < 4; ++j) { apply_u0(j,a,n); } ++count; } apply_u0(0.25, u0normals[0]); apply_u0(0.5, u0normals[1]); apply_u0(0.75, u0normals[2]); void apply_u1(int j, real a, triple n) { real factor = 3 * bernstein[j](a); addtocoeff(3,j,count,factor*n); addtocoeff(2,j,count,-factor*n); } void apply_u1(real a, triple n) { triple tangent = dir(external, 1+a); n -= dot(n,tangent)*tangent; n = unit(n); for (int j = 0; j < 4; ++j) apply_u1(j,a,n); ++count; } apply_u1(0.25, u1normals[0]); apply_u1(0.5, u1normals[1]); apply_u1(0.75, u1normals[2]); void apply_v0(int i, real a, triple n) { real factor = 3 * bernstein[i](a); addtocoeff(i,0,count,-factor*n); addtocoeff(i,1,count,factor*n); } void apply_v0(real a, triple n) { triple tangent = dir(external, a); n -= dot(n,tangent) * tangent; n = unit(n); for (int i = 0; i < 4; ++i) apply_v0(i,a,n); ++count; } apply_v0(0.25, v0normals[0]); apply_v0(0.5, v0normals[1]); apply_v0(0.75, v0normals[2]); void apply_v1(int i, real a, triple n) { real factor = 3 * bernstein[i](a); addtocoeff(i,3,count,factor*n); addtocoeff(i,2,count,-factor*n); } void apply_v1(real a, triple n) { triple tangent = dir(external, 3-a); n -= dot(n,tangent)*tangent; n = unit(n); for (int i = 0; i < 4; ++i) apply_v1(i,a,n); ++count; } apply_v1(0.25, v1normals[0]); apply_v1(0.5, v1normals[1]); apply_v1(0.75, v1normals[2]); addtocoeff(0,0,count,9*wildnessweight); addtocoeff(1,1,count,9*wildnessweight); addtocoeff(0,1,count,-9*wildnessweight); addtocoeff(1,0,count,-9*wildnessweight); count+=3; addtocoeff(3,3,count,9*wildnessweight); addtocoeff(2,2,count,9*wildnessweight); addtocoeff(3,2,count,-9*wildnessweight); addtocoeff(2,3,count,-9*wildnessweight); count+=3; addtocoeff(0,3,count,9*wildnessweight); addtocoeff(1,2,count,9*wildnessweight); addtocoeff(1,3,count,-9*wildnessweight); addtocoeff(0,2,count,-9*wildnessweight); count += 3; addtocoeff(3,0,count,9*wildnessweight); addtocoeff(2,1,count,9*wildnessweight); addtocoeff(3,1,count,-9*wildnessweight); addtocoeff(2,0,count,-9*wildnessweight); count += 3; real[] solution = leastsquares(matrix, rightvector, warn=false); if (solution.length == 0) { // if the matrix was singular write("Warning: unable to solve matrix for specifying edge normals " + "on bezier patch. Using coons patch."); return patch(external); } for (int i = 1; i <= 2; ++i) { for (int j = 1; j <= 2; ++j) { int position = 3 * (2 * (i-1) + (j-1)); controlpoints[i][j] = (solution[position], solution[position+1], solution[position+2]); } } return patch(controlpoints); } // This function attempts to produce a Bezier triangle // with the specified boundary path and normal directions at the // edge midpoints. The bezier triangle should be normal to // n1 at point(external, 0.5), // normal to n2 at point(external, 1.5), and // normal to n3 at point(external, 2.5). // The actual normal (as computed by the patch.normal() function) // may be parallel to the specified normal, antiparallel, or // even zero. // // A small amount of deviation is allowed in order to stabilize // the algorithm (by keeping the mixed partials at the corners from // growing too large). patch trianglewithnormals(path3 external, triple n1, triple n2, triple n3) { assert(cyclic(external)); assert(length(external) == 3); // Use the formal symbols a3, a2b, abc, etc. to denote the control points, // following the Wikipedia article on Bezier triangles. triple a3 = point(external, 0), a2b = postcontrol(external, 0), ab2 = precontrol(external, 1), b3 = point(external, 1), b2c = postcontrol(external, 1), bc2 = precontrol(external, 2), c3 = point(external, 2), ac2 = postcontrol(external, 2), a2c = precontrol(external, 0); // Use orthogonal projection to ensure that the normal vectors are // actually normal to the boundary path. triple tangent = dir(external, 0.5); n1 -= dot(n1,tangent)*tangent; n1 = unit(n1); tangent = dir(external, 1.5); n2 -= dot(n2,tangent)*tangent; n2 = unit(n2); tangent = dir(external, 2.5); n3 -= dot(n3,tangent)*tangent; n3 = unit(n3); real wild = 2 * wildnessweight; real[][] matrix = { {n1.x, n1.y, n1.z}, {n2.x, n2.y, n2.z}, {n3.x, n3.y, n3.z}, { wild, 0, 0}, { 0, wild, 0}, { 0, 0, wild} }; real[] rightvector = { dot(n1, (a3 + 3a2b + 3ab2 + b3 - 2a2c - 2b2c)) / 4, dot(n2, (b3 + 3b2c + 3bc2 + c3 - 2ab2 - 2ac2)) / 4, dot(n3, (c3 + 3ac2 + 3a2c + a3 - 2bc2 - 2a2b)) / 4 }; // The inner control point that minimizes the sum of squares of // the mixed partials on the corners. triple tameinnercontrol = ((a2b + a2c - a3) + (ab2 + b2c - b3) + (ac2 + bc2 - c3)) / 3; rightvector.append(wild * new real[] {tameinnercontrol.x, tameinnercontrol.y, tameinnercontrol.z}); real[] solution = leastsquares(matrix, rightvector, warn=false); if (solution.length == 0) { // if the matrix was singular write("Warning: unable to solve matrix for specifying edge normals " + "on bezier triangle. Using coons triangle."); return patch(external); } triple innercontrol = (solution[0], solution[1], solution[2]); return patch(external, innercontrol); } // A wrapper for the previous functions when the normal direction // is given as a function of direction. The wrapper can also // accommodate cyclic boundary paths of between one and four // segments, although the results are best by far when there // are three or four segments. patch patchwithnormals(path3 external, triple normalat(triple)) { assert(cyclic(external)); assert(1 <= length(external) && length(external) <= 4); if (length(external) == 3) { triple n1 = normalat(point(external, 0.5)); triple n2 = normalat(point(external, 1.5)); triple n3 = normalat(point(external, 2.5)); return trianglewithnormals(external, n1, n2, n3); } while (length(external) < 4) external = external -- cycle; triple[] u0normals = new triple[3]; triple[] u1normals = new triple[3]; triple[] v0normals = new triple[3]; triple[] v1normals = new triple[3]; for (int i = 1; i <= 3; ++i) { v0normals[i-1] = unit(normalat(point(external, i/4))); u1normals[i-1] = unit(normalat(point(external, 1 + i/4))); v1normals[i-1] = unit(normalat(point(external, 3 - i/4))); u0normals[i-1] = unit(normalat(point(external, 4 - i/4))); } return patchwithnormals(external, u0normals, u1normals, v0normals, v1normals); } /***********************************************/ /********* DUAL CUBE GRAPH UTILITY *************/ /***********************************************/ // Suppose a plane intersects a (hollow) cube, and // does not intersect any vertices. Then its intersection // with cube forms a cycle. The goal of the code below // is to reconstruct the order of the cycle // given only an unordered list of which edges the plane // intersects. // // Basically, the question is this: If we know the points // in which a more-or-less planar surface intersects the // edges of cube, how do we connect those points? // // When I wrote the code, I was thinking in terms of the // dual graph of a cube, in which "vertices" are really // faces of the cube and "edges" connect those "vertices." // An enum for the different "vertices" (i.e. faces) // available. NULL_VERTEX is primarily intended as a // return value to indicate the absence of a desired // vertex. private int NULL_VERTEX = -1; private int XHIGH = 0; private int XLOW = 1; private int YHIGH = 2; private int YLOW = 3; private int ZHIGH = 4; private int ZLOW = 5; // An unordered set of nonnegative integers. // Since the intent is to use // only the six values from the enum above, no effort // was made to use scalable algorithms. struct intset { private bool[] ints = new bool[0]; private int size = 0; bool contains(int item) { assert(item >= 0); if (item >= ints.length) return false; return ints[item]; } // Returns true if the item was added (i.e., was // not already present). bool add(int item) { assert(item >= 0); while (item >= ints.length) ints.push(false); if (ints[item]) return false; ints[item] = true; ++size; return true; } int[] elements() { int[] toreturn; for (int i = 0; i < ints.length; ++i) { if (ints[i]) toreturn.push(i); } return toreturn; } int size() { return size; } } // A map from integers to sets of integers. Again, no // attempt is made to use scalable data structures. struct int_to_intset { int[] keys = new int[0]; intset[] values = new intset[0]; void add(int key, int value) { for (int i = 0; i < keys.length; ++i) { if (keys[i] == key) { values[i].add(value); return; } } keys.push(key); intset newset; values.push(newset); newset.add(value); } private int indexOf(int key) { for (int i = 0; i < keys.length; ++i) { if (keys[i] == key) return i; } return -1; } int[] get(int key) { int i = indexOf(key); if (i < 0) return new int[0]; else return values[i].elements(); } int numvalues(int key) { int i = indexOf(key); if (i < 0) return 0; else return values[i].size(); } int numkeys() { return keys.length; } } // A struct intended to represent an undirected edge between // two "vertices." struct edge { int start; int end; void operator init(int a, int b) { start = a; end = b; } bool bordersvertex(int v) { return start == v || end == v; } } string operator cast(edge e) { int a, b; if (e.start <= e.end) {a = e.start; b = e.end;} else {a = e.end; b = e.start; } return (string)a + " <-> " + (string)b; } bool operator == (edge a, edge b) { if (a.start == b.start && a.end == b.end) return true; if (a.start == b.end && a.end == b.start) return true; return false; } string operator cast(edge[] edges) { string toreturn = "{ "; for (int i = 0; i < edges.length; ++i) { toreturn += edges[i]; if (i < edges.length-1) toreturn += ", "; } return toreturn + " }"; } // Finally, the function that strings together a list of edges // into a cycle. It makes assumptions that hold true if the // list of edges did in fact come from a plane intersection // containing no vertices of the cube. For instance, such a // plane can contain at most two noncollinear points of any // one face; consequently, no face can border more than two of // the selected edges. // // If the underlying assumptions prove to be false, the function // returns null. int[] makecircle(edge[] edges) { if (edges.length == 0) return new int[0]; int_to_intset graph; for (edge e : edges) { graph.add(e.start, e.end); graph.add(e.end, e.start); } int currentvertex = edges[0].start; int startvertex = currentvertex; int lastvertex = NULL_VERTEX; int[] toreturn = new int[0]; do { toreturn.push(currentvertex); int[] adjacentvertices = graph.get(currentvertex); if (adjacentvertices.length != 2) return null; for (int v : adjacentvertices) { if (v != lastvertex) { lastvertex = currentvertex; currentvertex = v; break; } } } while (currentvertex != startvertex); if (toreturn.length != graph.numkeys()) return null; toreturn.cyclic = true; return toreturn; } /***********************************************/ /********** PATHS BETWEEN POINTS ***************/ /***********************************************/ // Construct paths between two points with additional // constraints; for instance, the path must be orthogonal // to a certain vector at each of the endpoints, must // lie within a specified plane or a specified face // of a rectangular solid,.... // A vector (typically a normal vector) at a specified position. struct positionedvector { triple position; triple direction; void operator init(triple position, triple direction) { this.position = position; this.direction = direction; } } string operator cast(positionedvector vv) { return "position: " + (string)(vv.position) + " vector: " + (string)vv.direction; } // The angle, in degrees, between two vectors. real angledegrees(triple a, triple b) { real dotprod = dot(a,b); real lengthprod = max(abs(a) * abs(b), abs(dotprod)); if (lengthprod == 0) return 0; return aCos(dotprod / lengthprod); } // A path (single curved segment) between two points. At each point // is specified a vector orthogonal to the path. path3 pathbetween(positionedvector v1, positionedvector v2) { triple n1 = unit(v1.direction); triple n2 = unit(v2.direction); triple p1 = v1.position; triple p2 = v2.position; triple delta = p2-p1; triple dir1 = delta - dot(delta, n1)*n1; triple dir2 = delta - dot(delta, n2)*n2; return p1 {dir1} .. {dir2} p2; } // Assuming v1 and v2 are linearly independent, returns an array {a, b} // such that a v1 + b v2 is the orthogonal projection of toproject onto // the span of v1 and v2. If v1 and v2 are dependent, returns an empty array // (if warn==false) or throws an error (if warn==true). real[] projecttospan_findcoeffs(triple toproject, triple v1, triple v2, bool warn=false) { real[][] matrix = {{v1.x, v2.x}, {v1.y, v2.y}, {v1.z, v2.z}}; real[] desiredanswer = {toproject.x, toproject.y, toproject.z}; return leastsquares(matrix, desiredanswer, warn=warn); } // Project the triple toproject into the span of a and b, but restrict // to the quarter-plane of linear combinations a v1 + b v2 such that // a >= mincoeff and b >= mincoeff. If v1 and v2 are linearly dependent, // return a random (positive) linear combination. triple projecttospan(triple toproject, triple v1, triple v2, real mincoeff = 0.05) { real[] coeffs = projecttospan_findcoeffs(toproject, v1, v2, warn=false); real a, b; if (coeffs.length == 0) { a = mincoeff + unitrand(); b = mincoeff + unitrand(); } else { a = max(coeffs[0], mincoeff); b = max(coeffs[1], mincoeff); } return a*v1 + b*v2; } // A path between two specified vertices of a cyclic path. The // path tangent at each endpoint is guaranteed to lie within the // quarter-plane spanned by positive linear combinations of the // tangents of the two outgoing paths at that endpoint. path3 pathbetween(path3 edgecycle, int vertex1, int vertex2) { triple point1 = point(edgecycle, vertex1); triple point2 = point(edgecycle, vertex2); triple v1 = -dir(edgecycle, vertex1, sign=-1); triple v2 = dir(edgecycle, vertex1, sign= 1); triple direction1 = projecttospan(unit(point2-point1), v1, v2); v1 = -dir(edgecycle, vertex2, sign=-1); v2 = dir(edgecycle, vertex2, sign= 1); triple direction2 = projecttospan(unit(point1-point2), v1, v2); return point1 {direction1} .. {-direction2} point2; } // This function applies a heuristic to choose two "opposite" // vertices (separated by three segments) of edgecycle, which // is required to be a cyclic path consisting of 5 or 6 segments. // The two chosen vertices are pushed to savevertices. // // The function returns a path between the two chosen vertices. The // path tangent at each endpoint is guaranteed to lie within the // quarter-plane spanned by positive linear combinations of the // tangents of the two outgoing paths at that endpoint. path3 bisector(path3 edgecycle, int[] savevertices) { real mincoeff = 0.05; assert(cyclic(edgecycle)); int n = length(edgecycle); assert(n >= 5 && n <= 6); triple[] forwarddirections = sequence(new triple(int i) { return dir(edgecycle, i, sign=1); }, n); forwarddirections.cyclic = true; triple[] backwarddirections = sequence(new triple(int i) { return -dir(edgecycle, i, sign=-1); }, n); backwarddirections.cyclic = true; real[] angles = sequence(new real(int i) { return angledegrees(forwarddirections[i], backwarddirections[i]); }, n); angles.cyclic = true; int lastindex = (n == 5 ? 4 : 2); real maxgoodness = 0; int chosenindex = -1; triple directionout, directionin; for (int i = 0; i <= lastindex; ++i) { int opposite = i + 3; triple vec = unit(point(edgecycle, opposite) - point(edgecycle, i)); real[] coeffsbegin = projecttospan_findcoeffs(vec, forwarddirections[i], backwarddirections[i]); if (coeffsbegin.length == 0) continue; coeffsbegin[0] = max(coeffsbegin[0], mincoeff); coeffsbegin[1] = max(coeffsbegin[1], mincoeff); real[] coeffsend = projecttospan_findcoeffs(-vec, forwarddirections[opposite], backwarddirections[opposite]); if (coeffsend.length == 0) continue; coeffsend[0] = max(coeffsend[0], mincoeff); coeffsend[1] = max(coeffsend[1], mincoeff); real goodness = angles[i] * angles[opposite] * coeffsbegin[0] * coeffsend[0] * coeffsbegin[1] * coeffsend[1]; if (goodness > maxgoodness) { maxgoodness = goodness; directionout = coeffsbegin[0] * forwarddirections[i] + coeffsbegin[1] * backwarddirections[i]; directionin = -(coeffsend[0] * forwarddirections[opposite] + coeffsend[1] * backwarddirections[opposite]); chosenindex = i; } } if (chosenindex == -1) { savevertices.push(0); savevertices.push(3); return pathbetween(edgecycle, 0, 3); } else { savevertices.push(chosenindex); savevertices.push(chosenindex+3); return point(edgecycle, chosenindex) {directionout} .. {directionin} point(edgecycle, chosenindex + 3); } } // A path between two specified points (with specified normals) that lies // within a specified face of a rectangular solid. path3 pathinface(positionedvector v1, positionedvector v2, triple facenorm, triple edge1normout, triple edge2normout) { triple dir1 = cross(v1.direction, facenorm); real dotprod = dot(dir1, edge1normout); if (dotprod > 0) dir1 = -dir1; // Believe it or not, this "tiebreaker" is actually relevant at times, // for instance, when graphing the cone x^2 + y^2 = z^2 over the region // -1 <= x,y,z <= 1. else if (dotprod == 0 && dot(dir1, v2.position - v1.position) < 0) dir1 = -dir1; triple dir2 = cross(v2.direction, facenorm); dotprod = dot(dir2, edge2normout); if (dotprod < 0) dir2 = -dir2; else if (dotprod == 0 && dot(dir2, v2.position - v1.position) < 0) dir2 = -dir2; return v1.position {dir1} .. {dir2} v2.position; } triple normalout(int face) { if (face == XHIGH) return X; else if (face == YHIGH) return Y; else if (face == ZHIGH) return Z; else if (face == XLOW) return -X; else if (face == YLOW) return -Y; else if (face == ZLOW) return -Z; else return O; } // A path between two specified points (with specified normals) that lies // within a specified face of a rectangular solid. path3 pathinface(positionedvector v1, positionedvector v2, int face, int edge1face, int edge2face) { return pathinface(v1, v2, normalout(face), normalout(edge1face), normalout(edge2face)); } /***********************************************/ /******** DRAWING IMPLICIT SURFACES ************/ /***********************************************/ // DEPRECATED // Quadrilateralization: // Produce a surface (array of *nondegenerate* Bezier patches) with a // specified three-segment boundary. The surface should approximate the // zero locus of the specified f with its specified gradient. // // If it is not possible to produce the desired result without leaving the // specified rectangular region, returns a length-zero array. // // Dividing a triangle into smaller quadrilaterals this way is opposite // the usual trend in mathematics. However, *before the introduction of bezier // triangles,* the pathwithnormals algorithm // did a poor job of choosing a good surface when the boundary path did // not consist of four positive-length segments. patch[] triangletoquads(path3 external, real f(triple), triple grad(triple), triple a, triple b) { static real epsilon = 1e-3; assert(length(external) == 3); assert(cyclic(external)); triple c0 = point(external, 0); triple c1 = point(external, 1); triple c2 = point(external, 2); triple center = (c0 + c1 + c2) / 3; triple n = unit(cross(c1-c0, c2-c0)); real g(real t) { return f(center + t*n); } real tmin = -realMax, tmax = realMax; void absorb(real t) { if (t < 0) tmin = max(t,tmin); else tmax = min(t,tmax); } if (n.x != 0) { absorb((a.x - center.x) / n.x); absorb((b.x - center.x) / n.x); } if (n.y != 0) { absorb((a.y - center.y) / n.y); absorb((b.y - center.y) / n.y); } if (n.z != 0) { absorb((a.z - center.z) / n.z); absorb((b.z - center.z) / n.z); } real fa = g(tmin); real fb = g(tmax); if ((fa > 0 && fb > 0) || (fa < 0 && fb < 0)) { return new patch[0]; } else { real t = findroot(g, tmin, tmax, fa=fa, fb=fb); center += t * n; } n = unit(grad(center)); triple m0 = point(external, 0.5); positionedvector m0 = positionedvector(m0, unit(grad(m0))); triple m1 = point(external, 1.5); positionedvector m1 = positionedvector(m1, unit(grad(m1))); triple m2 = point(external, 2.5); positionedvector m2 = positionedvector(m2, unit(grad(m2))); positionedvector c = positionedvector(center, unit(grad(center))); path3 pathto_m0 = pathbetween(c, m0); path3 pathto_m1 = pathbetween(c, m1); path3 pathto_m2 = pathbetween(c, m2); path3 quad0 = subpath(external, 0, 0.5) & reverse(pathto_m0) & pathto_m2 & subpath(external, -0.5, 0) & cycle; path3 quad1 = subpath(external, 1, 1.5) & reverse(pathto_m1) & pathto_m0 & subpath(external, 0.5, 1) & cycle; path3 quad2 = subpath(external, 2, 2.5) & reverse(pathto_m2) & pathto_m1 & subpath(external, 1.5, 2) & cycle; return new patch[] {patchwithnormals(quad0, grad), patchwithnormals(quad1, grad), patchwithnormals(quad2, grad)}; } // Attempts to fill the path external (which should by a cyclic path consisting of // three segments) with bezier triangle(s). Returns an empty array if it fails. // // In more detail: A single bezier triangle is computed using trianglewithnormals. The normals of // the resulting triangle at the midpoint of each edge are computed. If any of these normals // is in the negative f direction, the external triangle is subdivided into four external triangles // and the same procedure is applied to each. If one or more of them has an incorrectly oriented // edge normal, the function gives up and returns an empty array. // // Thus, the returned array consists of 0, 1, or 4 bezier triangles; no other array lengths // are possible. // // This function assumes that the path orientation is consistent with f (and its gradient) // -- i.e., that // at a corner, (tangent in) x (tangent out) is in the positive f direction. patch[] maketriangle(path3 external, real f(triple), triple grad(triple), bool allowsubdivide = true) { assert(cyclic(external)); assert(length(external) == 3); triple m1 = point(external, 0.5); triple n1 = unit(grad(m1)); triple m2 = point(external, 1.5); triple n2 = unit(grad(m2)); triple m3 = point(external, 2.5); triple n3 = unit(grad(m3)); patch beziertriangle = trianglewithnormals(external, n1, n2, n3); if (dot(n1, beziertriangle.normal(0.5, 0)) >= 0 && dot(n2, beziertriangle.normal(0.5, 0.5)) >= 0 && dot(n3, beziertriangle.normal(0, 0.5)) >= 0) return new patch[] {beziertriangle}; if (!allowsubdivide) return new patch[0]; positionedvector m1 = positionedvector(m1, n1); positionedvector m2 = positionedvector(m2, n2); positionedvector m3 = positionedvector(m3, n3); path3 p12 = pathbetween(m1, m2); path3 p23 = pathbetween(m2, m3); path3 p31 = pathbetween(m3, m1); patch[] triangles = maketriangle(p12 & p23 & p31 & cycle, f, grad=grad, allowsubdivide=false); if (triangles.length < 1) return new patch[0]; triangles.append(maketriangle(subpath(external, -0.5, 0.5) & reverse(p31) & cycle, f, grad=grad, allowsubdivide=false)); if (triangles.length < 2) return new patch[0]; triangles.append(maketriangle(subpath(external, 0.5, 1.5) & reverse(p12) & cycle, f, grad=grad, allowsubdivide=false)); if (triangles.length < 3) return new patch[0]; triangles.append(maketriangle(subpath(external, 1.5, 2.5) & reverse(p23) & cycle, f, grad=grad, allowsubdivide=false)); if (triangles.length < 4) return new patch[0]; return triangles; } // Returns true if the point is "nonsingular" (in the sense that the magnitude // of the gradient is not too small) AND very close to the zero locus of f // (assuming f is locally linear). bool check_fpt_zero(triple testpoint, real f(triple), triple grad(triple)) { real testval = f(testpoint); real slope = abs(grad(testpoint)); static real tolerance = 2*rootfinder_settings.roottolerance; return !(slope > tolerance && abs(testval) / slope > tolerance); } // Returns true if pt lies within the rectangular solid with // opposite corners at a and b. bool checkptincube(triple pt, triple a, triple b) { real xmin = a.x; real xmax = b.x; real ymin = a.y; real ymax = b.y; real zmin = a.z; real zmax = b.z; if (xmin > xmax) { real t = xmax; xmax=xmin; xmin=t; } if (ymin > ymax) { real t = ymax; ymax=ymin; ymin=t; } if (zmin > zmax) { real t = zmax; zmax=zmin; zmin=t; } return ((xmin <= pt.x) && (pt.x <= xmax) && (ymin <= pt.y) && (pt.y <= ymax) && (zmin <= pt.z) && (pt.z <= zmax)); } // A convenience function for combining the previous two tests. bool checkpt(triple testpt, real f(triple), triple grad(triple), triple a, triple b) { return checkptincube(testpt, a, b) && check_fpt_zero(testpt, f, grad); } // Attempts to fill in the boundary cycle with a collection of // patches to approximate smoothly the zero locus of f. If unable to // do so while satisfying certain checks, returns null. // This is distinct from returning an empty // array, which merely indicates that the boundary cycle is too small // to be worth filling in. patch[] quadpatches(path3 edgecycle, positionedvector[] corners, real f(triple), triple grad(triple), triple a, triple b, bool usetriangles) { assert(corners.cyclic); // The tolerance for considering two points "essentially identical." static real tolerance = 2.5 * rootfinder_settings.roottolerance; // If there are two neighboring vertices that are essentially identical, // unify them into one. for (int i = 0; i < corners.length; ++i) { if (abs(corners[i].position - corners[i+1].position) < tolerance) { if (corners.length == 2) return new patch[0]; corners.delete(i); edgecycle = subpath(edgecycle, 0, i) & subpath(edgecycle, i+1, length(edgecycle)) & cycle; --i; assert(length(edgecycle) == corners.length); } } static real areatolerance = tolerance^2; assert(corners.length >= 2); if (corners.length == 2) { // If the area is too small, just ignore it; otherwise, subdivide. real area0 = abs(cross(-dir(edgecycle, 0, sign=-1, normalize=false), dir(edgecycle, 0, sign=1, normalize=false))); real area1 = abs(cross(-dir(edgecycle, 1, sign=-1, normalize=false), dir(edgecycle, 1, sign=1, normalize=false))); if (area0 < areatolerance && area1 < areatolerance) return new patch[0]; else return null; } if (length(edgecycle) > 6) abort("too many edges: not possible."); for (int i = 0; i < length(edgecycle); ++i) { if (angledegrees(dir(edgecycle,i,sign=1), dir(edgecycle,i+1,sign=-1)) > 80) { return null; } } if (length(edgecycle) == 3) { patch[] toreturn = usetriangles ? maketriangle(edgecycle, f, grad) : triangletoquads(edgecycle, f, grad, a, b); if (toreturn.length == 0) return null; else return toreturn; } if (length(edgecycle) == 4) { return new patch[] {patchwithnormals(edgecycle, grad)}; } int[] bisectorindices; path3 middleguide = bisector(edgecycle, bisectorindices); triple testpoint = point(middleguide, 0.5); if (!checkpt(testpoint, f, grad, a, b)) { return null; } patch[] toreturn = null; path3 firstpatch = subpath(edgecycle, bisectorindices[0], bisectorindices[1]) & reverse(middleguide) & cycle; if (length(edgecycle) == 5) { path3 secondpatch = middleguide & subpath(edgecycle, bisectorindices[1], 5+bisectorindices[0]) & cycle; toreturn = usetriangles ? maketriangle(secondpatch, f, grad) : triangletoquads(secondpatch, f, grad, a, b); if (toreturn.length == 0) return null; toreturn.push(patchwithnormals(firstpatch, grad)); } else { // now length(edgecycle) == 6 path3 secondpatch = middleguide & subpath(edgecycle, bisectorindices[1], 6+bisectorindices[0]) & cycle; toreturn = new patch[] {patchwithnormals(firstpatch, grad), patchwithnormals(secondpatch, grad)}; } return toreturn; } // Numerical gradient of a function typedef triple vectorfunction(triple); vectorfunction nGrad(real f(triple)) { static real epsilon = 1e-3; return new triple(triple v) { return ( (f(v + epsilon*X) - f(v - epsilon*X)) / (2 epsilon), (f(v + epsilon*Y) - f(v - epsilon*Y)) / (2 epsilon), (f(v + epsilon*Z) - f(v - epsilon*Z)) / (2 epsilon) ); }; } // A point together with a value at that location. struct evaluatedpoint { triple pt; real value; void operator init(triple pt, real value) { this.pt = pt; this.value = value; } } triple operator cast(evaluatedpoint p) { return p.pt; } // Compute the values of a function at every vertex of an nx by ny by nz // array of rectangular solids. evaluatedpoint[][][] make3dgrid(triple a, triple b, int nx, int ny, int nz, real f(triple), bool allowzero = false) { evaluatedpoint[][][] toreturn = new evaluatedpoint[nx+1][ny+1][nz+1]; for (int i = 0; i <= nx; ++i) { for (int j = 0; j <= ny; ++j) { for (int k = 0; k <= nz; ++k) { triple pt = (interp(a.x, b.x, i/nx), interp(a.y, b.y, j/ny), interp(a.z, b.z, k/nz)); real value = f(pt); if (value == 0 && !allowzero) value = 1e-5; toreturn[i][j][k] = evaluatedpoint(pt, value); } } } return toreturn; } // The following utilities make, for instance, slice(A, i, j, k, l) // equivalent to what A[i:j][k:l] ought to mean for two- and three- // -dimensional arrays of evaluatedpoints and of positionedvectors. typedef evaluatedpoint T; T[][] slice(T[][] a, int start1, int end1, int start2, int end2) { T[][] toreturn = new T[end1-start1][]; for (int i = start1; i < end1; ++i) { toreturn[i-start1] = a[i][start2:end2]; } return toreturn; } T[][][] slice(T[][][] a, int start1, int end1, int start2, int end2, int start3, int end3) { T[][][] toreturn = new T[end1-start1][][]; for (int i = start1; i < end1; ++i) { toreturn[i-start1] = slice(a[i], start2, end2, start3, end3); } return toreturn; } typedef positionedvector T; T[][] slice(T[][] a, int start1, int end1, int start2, int end2) { T[][] toreturn = new T[end1-start1][]; for (int i = start1; i < end1; ++i) { toreturn[i-start1] = a[i][start2:end2]; } return toreturn; } T[][][] slice(T[][][] a, int start1, int end1, int start2, int end2, int start3, int end3) { T[][][] toreturn = new T[end1-start1][][]; for (int i = start1; i < end1; ++i) { toreturn[i-start1] = slice(a[i], start2, end2, start3, end3); } return toreturn; } // An object of class gridwithzeros stores the values of a function at each vertex // of a three-dimensional grid, together with zeros of the function along edges // of the grid and the gradient of the function at each such zero. struct gridwithzeros { int nx, ny, nz; evaluatedpoint[][][] corners; positionedvector[][][] xdirzeros; positionedvector[][][] ydirzeros; positionedvector[][][] zdirzeros; triple grad(triple); real f(triple); int maxdepth; bool usetriangles; // Populate the edges with zeros that have a sign change and are not already // populated. void fillzeros() { for (int j = 0; j < ny+1; ++j) { for (int k = 0; k < nz+1; ++k) { real y = corners[0][j][k].pt.y; real z = corners[0][j][k].pt.z; real f_along_x(real t) { return f((t, y, z)); } for (int i = 0; i < nx; ++i) { if (xdirzeros[i][j][k] != null) continue; evaluatedpoint start = corners[i][j][k]; evaluatedpoint end = corners[i+1][j][k]; if ((start.value > 0 && end.value > 0) || (start.value < 0 && end.value < 0)) xdirzeros[i][j][k] = null; else { triple root = (0,y,z); root += X * findroot(f_along_x, start.pt.x, end.pt.x, fa=start.value, fb=end.value); triple normal = grad(root); xdirzeros[i][j][k] = positionedvector(root, normal); } } } } for (int i = 0; i < nx+1; ++i) { for (int k = 0; k < nz+1; ++k) { real x = corners[i][0][k].pt.x; real z = corners[i][0][k].pt.z; real f_along_y(real t) { return f((x, t, z)); } for (int j = 0; j < ny; ++j) { if (ydirzeros[i][j][k] != null) continue; evaluatedpoint start = corners[i][j][k]; evaluatedpoint end = corners[i][j+1][k]; if ((start.value > 0 && end.value > 0) || (start.value < 0 && end.value < 0)) ydirzeros[i][j][k] = null; else { triple root = (x,0,z); root += Y * findroot(f_along_y, start.pt.y, end.pt.y, fa=start.value, fb=end.value); triple normal = grad(root); ydirzeros[i][j][k] = positionedvector(root, normal); } } } } for (int i = 0; i < nx+1; ++i) { for (int j = 0; j < ny+1; ++j) { real x = corners[i][j][0].pt.x; real y = corners[i][j][0].pt.y; real f_along_z(real t) { return f((x, y, t)); } for (int k = 0; k < nz; ++k) { if (zdirzeros[i][j][k] != null) continue; evaluatedpoint start = corners[i][j][k]; evaluatedpoint end = corners[i][j][k+1]; if ((start.value > 0 && end.value > 0) || (start.value < 0 && end.value < 0)) zdirzeros[i][j][k] = null; else { triple root = (x,y,0); root += Z * findroot(f_along_z, start.pt.z, end.pt.z, fa=start.value, fb=end.value); triple normal = grad(root); zdirzeros[i][j][k] = positionedvector(root, normal); } } } } } // Fill in the grid vertices and the zeros along edges. Each cube starts at // depth one and the depth increases each time it subdivides; maxdepth is the // maximum subdivision depth. When a cube at maxdepth cannot be resolved to // patches, it is left empty. void operator init(int nx, int ny, int nz, real f(triple), triple a, triple b, int maxdepth = 6, bool usetriangles) { this.nx = nx; this.ny = ny; this.nz = nz; grad = nGrad(f); this.f = f; this.maxdepth = maxdepth; this.usetriangles = usetriangles; corners = make3dgrid(a, b, nx, ny, nz, f); xdirzeros = new positionedvector[nx][ny+1][nz+1]; ydirzeros = new positionedvector[nx+1][ny][nz+1]; zdirzeros = new positionedvector[nx+1][ny+1][nz]; for (int i = 0; i <= nx; ++i) { for (int j = 0; j <= ny; ++j) { for (int k = 0; k <= nz; ++k) { if (i < nx) xdirzeros[i][j][k] = null; if (j < ny) ydirzeros[i][j][k] = null; if (k < nz) zdirzeros[i][j][k] = null; } } } fillzeros(); } // Doubles nx, ny, and nz by halving the sizes of the cubes along the x, y, and z // directions (resulting in 8 times as many cubes). Already existing data about // function values and zeros is copied; vertices and edges with no such pre-existing // data are populated. // // Returns true if subdivide succeeded, false if it failed (because maxdepth // was exceeded). bool subdivide() { if (maxdepth <= 1) { return false; } --maxdepth; triple a = corners[0][0][0]; triple b = corners[nx][ny][nz]; nx *= 2; ny *= 2; nz *= 2; evaluatedpoint[][][] oldcorners = corners; corners = new evaluatedpoint[nx+1][ny+1][nz+1]; for (int i = 0; i <= nx; ++i) { for (int j = 0; j <= ny; ++j) { for (int k = 0; k <= nz; ++k) { if (i % 2 == 0 && j % 2 == 0 && k % 2 == 0) { corners[i][j][k] = oldcorners[quotient(i,2)][quotient(j,2)][quotient(k,2)]; } else { triple pt = (interp(a.x, b.x, i/nx), interp(a.y, b.y, j/ny), interp(a.z, b.z, k/nz)); real value = f(pt); if (value == 0) value = 1e-5; corners[i][j][k] = evaluatedpoint(pt, value); } } } } positionedvector[][][] oldxdir = xdirzeros; xdirzeros = new positionedvector[nx][ny+1][nz+1]; for (int i = 0; i < nx; ++i) { for (int j = 0; j < ny + 1; ++j) { for (int k = 0; k < nz + 1; ++k) { if (j % 2 != 0 || k % 2 != 0) { xdirzeros[i][j][k] = null; } else { positionedvector zero = oldxdir[quotient(i,2)][quotient(j,2)][quotient(k,2)]; if (zero == null) { xdirzeros[i][j][k] = null; continue; } real x = zero.position.x; if (x > interp(a.x, b.x, i/nx) && x < interp(a.x, b.x, (i+1)/nx)) { xdirzeros[i][j][k] = zero; } else { xdirzeros[i][j][k] = null; } } } } } positionedvector[][][] oldydir = ydirzeros; ydirzeros = new positionedvector[nx+1][ny][nz+1]; for (int i = 0; i < nx+1; ++i) { for (int j = 0; j < ny; ++j) { for (int k = 0; k < nz + 1; ++k) { if (i % 2 != 0 || k % 2 != 0) { ydirzeros[i][j][k] = null; } else { positionedvector zero = oldydir[quotient(i,2)][quotient(j,2)][quotient(k,2)]; if (zero == null) { ydirzeros[i][j][k] = null; continue; } real y = zero.position.y; if (y > interp(a.y, b.y, j/ny) && y < interp(a.y, b.y, (j+1)/ny)) { ydirzeros[i][j][k] = zero; } else { ydirzeros[i][j][k] = null; } } } } } positionedvector[][][] oldzdir = zdirzeros; zdirzeros = new positionedvector[nx+1][ny+1][nz]; for (int i = 0; i < nx + 1; ++i) { for (int j = 0; j < ny + 1; ++j) { for (int k = 0; k < nz; ++k) { if (i % 2 != 0 || j % 2 != 0) { zdirzeros[i][j][k] = null; } else { positionedvector zero = oldzdir[quotient(i,2)][quotient(j,2)][quotient(k,2)]; if (zero == null) { zdirzeros[i][j][k] = null; continue; } real z = zero.position.z; if (z > interp(a.z, b.z, k/nz) && z < interp(a.z, b.z, (k+1)/nz)) { zdirzeros[i][j][k] = zero; } else { zdirzeros[i][j][k] = null; } } } } } fillzeros(); return true; } // Forward declaration of the draw method, which will be called by drawcube(). patch[] draw(bool[] reportactive = null); // Construct the patches, assuming that we are working // with a single cube (nx = ny = nz = 1). This method will subdivide the // cube if necessary. The parameter reportactive should be an array of // length 6. Setting an entry to true indicates that the surface abuts the // corresponding face (according to the earlier enum), and thus that the // algorithm should be sure that something is drawn in the cube sharing // that face--even if all the vertices of that cube have the same sign. patch[] drawcube(bool[] reportactive = null) { // First, determine which edges (if any) actually have zeros on them. edge[] zeroedges = new edge[0]; positionedvector[] zeros = new positionedvector[0]; int currentface, nextface; void pushifnonnull(positionedvector v) { if (v != null) { zeroedges.push(edge(currentface, nextface)); zeros.push(v); } } positionedvector findzero(int face1, int face2) { edge e = edge(face1, face2); for (int i = 0; i < zeroedges.length; ++i) { if (zeroedges[i] == e) return zeros[i]; } return null; } currentface = XLOW; nextface = YHIGH; pushifnonnull(zdirzeros[0][1][0]); nextface = YLOW; pushifnonnull(zdirzeros[0][0][0]); nextface = ZHIGH; pushifnonnull(ydirzeros[0][0][1]); nextface = ZLOW; pushifnonnull(ydirzeros[0][0][0]); currentface = XHIGH; nextface = YHIGH; pushifnonnull(zdirzeros[1][1][0]); nextface = YLOW; pushifnonnull(zdirzeros[1][0][0]); nextface = ZHIGH; pushifnonnull(ydirzeros[1][0][1]); nextface = ZLOW; pushifnonnull(ydirzeros[1][0][0]); currentface = YHIGH; nextface = ZHIGH; pushifnonnull(xdirzeros[0][1][1]); currentface = ZHIGH; nextface = YLOW; pushifnonnull(xdirzeros[0][0][1]); currentface = YLOW; nextface = ZLOW; pushifnonnull(xdirzeros[0][0][0]); currentface = ZLOW; nextface = YHIGH; pushifnonnull(xdirzeros[0][1][0]); //Now, string those edges together to make a circle. patch[] subdividecube() { if (!subdivide()) { return new patch[0]; } return draw(reportactive); } if (zeroedges.length < 3) { return subdividecube(); } int[] faceorder = makecircle(zeroedges); if (alias(faceorder,null)) { return subdividecube(); } positionedvector[] patchcorners = new positionedvector[0]; for (int i = 0; i < faceorder.length; ++i) { patchcorners.push(findzero(faceorder[i], faceorder[i+1])); } patchcorners.cyclic = true; //Now, produce the cyclic path around the edges. path3 edgecycle; for (int i = 0; i < faceorder.length; ++i) { path3 currentpath = pathinface(patchcorners[i], patchcorners[i+1], faceorder[i+1], faceorder[i], faceorder[i+2]); triple testpoint = point(currentpath, 0.5); if (!checkpt(testpoint, f, grad, corners[0][0][0], corners[1][1][1])) { return subdividecube(); } edgecycle = edgecycle & currentpath; } edgecycle = edgecycle & cycle; { // Ensure the outward normals are pointing in the same direction as the gradient. triple tangentin = patchcorners[0].position - precontrol(edgecycle, 0); triple tangentout = postcontrol(edgecycle, 0) - patchcorners[0].position; triple normal = cross(tangentin, tangentout); if (dot(normal, patchcorners[0].direction) < 0) { edgecycle = reverse(edgecycle); patchcorners = patchcorners[-sequence(patchcorners.length)]; patchcorners.cyclic = true; } } patch[] toreturn = quadpatches(edgecycle, patchcorners, f, grad, corners[0][0][0], corners[1][1][1], usetriangles); if (alias(toreturn, null)) return subdividecube(); return toreturn; } // Extracts the specified cube as a gridwithzeros object with // nx = ny = nz = 1. gridwithzeros getcube(int i, int j, int k) { gridwithzeros cube = new gridwithzeros; cube.grad = grad; cube.f = f; cube.nx = 1; cube.ny = 1; cube.nz = 1; cube.maxdepth = maxdepth; cube.usetriangles = usetriangles; cube.corners = slice(corners,i,i+2,j,j+2,k,k+2); cube.xdirzeros = slice(xdirzeros,i,i+1,j,j+2,k,k+2); cube.ydirzeros = slice(ydirzeros,i,i+2,j,j+1,k,k+2); cube.zdirzeros = slice(zdirzeros,i,i+2,j,j+2,k,k+1); return cube; } // Returns an array of patches representing the surface. // The parameter reportactive should be an array of // length 6. Setting an entry to true indicates that the surface abuts the // corresponding face of the cube that bounds the entire grid. // // If reportactive == null, it is assumed that this is a top-level call; // a dot is printed to stdout for each cube drawn as a very rough // progress indicator. // // If reportactive != null, then it is assumed that the caller had a strong // reason to believe that this grid contains a part of the surface; the // grid will subdivide all the way to maxdepth if necessary to find points // on the surface. draw = new patch[](bool[] reportactive = null) { if (alias(reportactive, null)) progress(true); // A list of all the patches not already drawn but known // to contain part of the surface. This "queue" is // actually implemented as stack for simplicity, since // it does not make any difference. In a multi-threaded // version of the algorithm, a queue (shared across all threads) // would make more sense than a stack. triple[] queue = new triple[0]; bool[][][] enqueued = new bool[nx][ny][nz]; for (int i = 0; i < enqueued.length; ++i) { for (int j = 0; j < enqueued[i].length; ++j) { for (int k = 0; k < enqueued[i][j].length; ++k) { enqueued[i][j][k] = false; } } } void enqueue(int i, int j, int k) { if (i >= 0 && i < nx && j >= 0 && j < ny && k >= 0 && k < nz && !enqueued[i][j][k]) { queue.push((i,j,k)); enqueued[i][j][k] = true; } if (!alias(reportactive, null)) { if (i < 0) reportactive[XLOW] = true; if (i >= nx) reportactive[XHIGH] = true; if (j < 0) reportactive[YLOW] = true; if (j >= ny) reportactive[YHIGH] = true; if (k < 0) reportactive[ZLOW] = true; if (k >= nz) reportactive[ZHIGH] = true; } } for (int i = 0; i < nx+1; ++i) { for (int j = 0; j < ny+1; ++j) { for (int k = 0; k < nz+1; ++k) { if (i < nx && xdirzeros[i][j][k] != null) { for (int jj = j-1; jj <= j; ++jj) for (int kk = k-1; kk <= k; ++kk) enqueue(i, jj, kk); } if (j < ny && ydirzeros[i][j][k] != null) { for (int ii = i-1; ii <= i; ++ii) for (int kk = k-1; kk <= k; ++kk) enqueue(ii, j, kk); } if (k < nz && zdirzeros[i][j][k] != null) { for (int ii = i-1; ii <= i; ++ii) for (int jj = j-1; jj <= j; ++jj) enqueue(ii, jj, k); } } } } if (!alias(reportactive, null) && queue.length == 0) { if (subdivide()) return draw(reportactive); } patch[] surface = new patch[0]; while (queue.length > 0) { triple coord = queue.pop(); int i = floor(coord.x); int j = floor(coord.y); int k = floor(coord.z); bool[] reportface = array(6, false); patch[] toappend = getcube(i,j,k).drawcube(reportface); if (reportface[XLOW]) enqueue(i-1,j,k); if (reportface[XHIGH]) enqueue(i+1,j,k); if (reportface[YLOW]) enqueue(i,j-1,k); if (reportface[YHIGH]) enqueue(i,j+1,k); if (reportface[ZLOW]) enqueue(i,j,k-1); if (reportface[ZHIGH]) enqueue(i,j,k+1); surface.append(toappend); if (alias(reportactive, null)) progress(); } if (alias(reportactive, null)) progress(false); return surface; }; } // The external interface of this whole module. Accepts exactly one // function (throws an error if two or zero functions are specified). // The function should be differentiable. (Whatever you do, do not // pass in an indicator function!) Ideally, the zero locus of the // function should be smooth; singularities will significantly slow // down the algorithm and potentially give bad results. // // Returns a plot of the zero locus of the function within the // rectangular solid with opposite corners at a and b. // // Additional parameters: // n - the number of initial segments in each of the x, y, z directions. // overlapedges - if true, the patches of the surface are slightly enlarged // to compensate for an artifact in which the viewer can see through the // boundary between patches. (Some of this may actually be a result of // edges not lining up perfectly, but I'm fairly sure a lot of it arises // purely as a rendering artifact.) // nx - override n in the x direction // ny - override n in the y direction // nz - override n in the z direction // maxdepth - the maximum depth to which the algorithm will subdivide in // an effort to find patches that closely approximate the true surface. surface implicitsurface(real f(triple) = null, real ff(real,real,real) = null, triple a, triple b, int n = nmesh, bool keyword overlapedges = false, int keyword nx=n, int keyword ny=n, int keyword nz=n, int keyword maxdepth = 8, bool keyword usetriangles=true) { if (f == null && ff == null) abort("implicitsurface called without specifying a function."); if (f != null && ff != null) abort("Only specify one function when calling implicitsurface."); if (f == null) f = new real(triple w) { return ff(w.x, w.y, w.z); }; gridwithzeros grid = gridwithzeros(nx, ny, nz, f, a, b, maxdepth=maxdepth, usetriangles=usetriangles); patch[] patches = grid.draw(); if (overlapedges) { for (int i = 0; i < patches.length; ++i) { triple center = (patches[i].triangular ? patches[i].point(1/3, 1/3) : patches[i].point(1/2,1/2)); transform3 T=shift(center) * scale3(1.03) * shift(-center); patches[i] = T * patches[i]; } } return surface(...patches); } asymptote-2.62/base/asy_filetype.vim0000644000000000000000000000014313607467113016320 0ustar rootroot" Vim filetype detection file " Language: Asymptote au BufNewFile,BufRead *.asy setfiletype asy asymptote-2.62/base/trembling.asy0000644000000000000000000001324513607467113015616 0ustar rootroot// Copyright(c) 2008, Philippe Ivaldi. // Simplified by John Bowman 02Feb2011 // http: //www.piprime.fr/ // trembling.asy: handwriting package for the software Asymptote. // This program 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 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 // Lesser General Public License for more details. // You should have received a copy of the GNU Lesser General Public License // along with this program; if not, write to the Free Software // Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA // COMMENTARY: // THANKS: // BUGS: // magnetic points are experimental... // CODE: real magneticRadius=1; // unit is bp in postscript coordinates. real trembleFuzz(){return min(1e-3,magneticRadius/10);} real trembleAngle=4, trembleFrequency=0.5, trembleRandom=2; struct tremble { static real test=5; real angle,frequency,random,fuzz; pair[] single(pair[] P) { pair[] op; bool allow; for(int i=0; i < P.length-1; ++i) { allow=true; for(int j=i+1; j < P.length; ++j) { if(abs(P[i]-P[j]) < magneticRadius) { allow=false; break; } } if(allow) op.push(P[i]); } if(P.length > 0) op.push(P[P.length-1]); return op; } real atime(pair m, path g, real fuzz=trembleFuzz()) {// Return the time of the point on path g nearest to m, within fuzz. if(length(g) == 0) return 0.0; real[] t=intersect(m,g,fuzz); if(t.length > 0) return t[1]; real ot; static real eps=sqrt(realEpsilon); real abmax=abs(max(g)-m), abmin=abs(min(g)-m); real initr=abs(m-midpoint(g)); real maxR=2*max(abmax,abmin), step=eps, r=initr; real shx=1e-4; transform T=shift(m); path ig; if(t.length > 0) ot=t[1]; real rm=0, rM=r; while(rM-rm > eps) { r=(rm+rM)/2; t=intersect(T*scale(r)*unitcircle,g,fuzz); if(t.length <= 0) { rm=r; } else { rM=r; ot=t[1]; } } return ot; } path addnode(path g, real t) {// Add a node to 'g' at point(g,t). real l=length(g); real rt=t % 1; if(l == 0 || (t > l && !cyclic(g)) || rt == 0) return g; if(cyclic(g)) t=t % l; int t0=floor(t); int t1=t0+1; pair z0=point(g,t0), z1=point(g,t1), c0=postcontrol(g,t0), c1=precontrol(g,t1), m0=(1-rt)*z0+rt*c0, m1=(1-rt)*c0+rt*c1, m2=(1-rt)*c1+rt*z1, m3=(1-rt)*m0+rt*m1, m4=(1-rt)*m1+rt*m2; guide og=subpath(g,0,t0)..controls m0 and m3..point(g,t); if(cyclic(g)) { if(t1 < l) og=og..controls m4 and m2..subpath(g,t1,l)&cycle; else og=og..controls m4 and m2..cycle; } else og=og..controls m4 and m2..subpath(g,t1,l); return og; } path addnodes(path g, real fuzz=trembleFuzz()...pair[] P) { pair[] P=single(P); if(length(g) == 0 || P.length == 0 || magneticRadius <= 0) return g; path og=g; for(pair tp: P) { real t=atime(tp,og,fuzz); real d=abs(tp-point(og,t)); if(d < magneticRadius) og=addnode(og,t); } return og; } path addnodes(path g, int n) {// Add 'n' nodes between each node of 'g'. real l=length(g); if(n == 0 || l == 0) return g; path og=g; int np=0; for(int i=0; i < l; ++i) { real step=1/(n+1); for(int j=0; j < n; ++j) { og=addnode(og,i*(n+1)+j+step); step=1/(n-j); } } return og; } void operator init(real angle=trembleAngle, real frequency=trembleFrequency, real random=trembleRandom, real fuzz=trembleFuzz()) { this.angle=angle; this.frequency=frequency; this.random=random; this.fuzz=fuzz; } path deform(path g...pair[] magneticPoints) { /* Return g as it was handwriting. The postcontrols and precontrols of the nodes of g will be rotated by an angle proportional to 'angle'(in degrees). If frequency < 1, floor(1/frequency) nodes will be added to g to increase the control points. If frequency>= 1, one point for floor(frequency) will be used to deform the path. 'random' controls the randomized coefficient which will be multiplied by 'angle'. random is 0 means don't use randomized coefficient; The higher 'random' is, the more the trembling is randomized. */ if(length(g) == 0) return g; g=addnodes(g,fuzz*abs(max(g)-min(g))...magneticPoints); path tg=g; frequency=abs(frequency); int f=abs(floor(1/frequency)-1); tg=addnodes(tg,f); int frequency=floor(frequency); int tf=(frequency == 0) ? 1 : frequency; int l=length(tg); guide og=point(tg,0); random=abs(random); int rsgn(real x){ int d2=floor(100*x)-10*floor(10*x); if(d2 == 0) return 1; return 2 % d2 == 0 ? 1 : -1; } real randf() { real or; if(random != 0) { if(1 % tf != 0) or=0; else { real ur=unitrand(); or=rsgn(ur)*angle*(1+ur^(1/random)); } } else or=rsgn(unitrand())*1.5*angle; return or; } real first=randf(); for(int i=1; i <= l; ++i) { pair P=point(tg,i); real a=randf(); pair post=rotate(a,point(tg,i-1))*postcontrol(tg,i-1); pair pre=rotate((a+randf())/2,P)*precontrol(tg,i); if(i == l && (cyclic(tg))) og=og..controls post and pre..cycle; else og=og..controls post and pre..P; } return og; } } asymptote-2.62/base/ode.asy0000644000000000000000000003553013607467113014403 0ustar rootrootreal stepfactor=2; // Maximum dynamic step size adjustment factor. struct coefficients { real[] steps; real[] factors; real[][] weights; real[] highOrderWeights; real[] lowOrderWeights; } struct RKTableau { int order; coefficients a; void stepDependence(real h, real c, coefficients a) {} real pgrow; real pshrink; bool exponential; void operator init(int order, real[][] weights, real[] highOrderWeights, real[] lowOrderWeights=new real[], real[] steps=sequence(new real(int i) { return sum(weights[i]);},weights.length), void stepDependence(real, real, coefficients)=null) { this.order=order; a.steps=steps; a.factors=array(a.steps.length+1,1); a.weights=weights; a.highOrderWeights=highOrderWeights; a.lowOrderWeights=lowOrderWeights; if(stepDependence != null) { this.stepDependence=stepDependence; exponential=true; } pgrow=(order > 0) ? 1/order : 0; pshrink=(order > 1) ? 1/(order-1) : pgrow; } } real[] Coeff={1,1/2,1/6,1/24,1/120,1/720,1/5040,1/40320,1/362880,1/3628800, 1/39916800.0,1/479001600.0,1/6227020800.0,1/87178291200.0, 1/1307674368000.0,1/20922789888000.0,1/355687428096000.0, 1/6402373705728000.0,1/121645100408832000.0, 1/2432902008176640000.0,1/51090942171709440000.0, 1/1124000727777607680000.0}; real phi1(real x) {return x != 0 ? expm1(x)/x : 1;} real phi2(real x) { real x2=x*x; if(fabs(x) > 1) return (exp(x)-x-1)/x2; real x3=x2*x; real x5=x2*x3; if(fabs(x) < 0.1) return Coeff[1]+x*Coeff[2]+x2*Coeff[3]+x3*Coeff[4]+x2*x2*Coeff[5] +x5*Coeff[6]+x3*x3*Coeff[7]+x5*x2*Coeff[8]+x5*x3*Coeff[9]; else { real x7=x5*x2; real x8=x7*x; return Coeff[1]+x*Coeff[2]+x2*Coeff[3]+x3*Coeff[4]+x2*x2*Coeff[5] +x5*Coeff[6]+x3*x3*Coeff[7]+x7*Coeff[8]+x8*Coeff[9] +x8*x*Coeff[10]+x5*x5*Coeff[11]+x8*x3*Coeff[12]+x7*x5*Coeff[13]+ x8*x5*Coeff[14]+x7*x7*Coeff[15]+x8*x7*Coeff[16]+x8*x8*Coeff[17]; } } real phi3(real x) { real x2=x*x; real x3=x2*x; if(fabs(x) > 1.6) return (exp(x)-0.5*x2-x-1)/x3; real x5=x2*x3; if(fabs(x) < 0.1) return Coeff[2]+x*Coeff[3]+x2*Coeff[4]+x3*Coeff[5] +x2*x2*Coeff[6]+x5*Coeff[7]+x3*x3*Coeff[8]+x5*x2*Coeff[9] +x5*x3*Coeff[10]; else { real x7=x5*x2; real x8=x7*x; real x16=x8*x8; return Coeff[2]+x*Coeff[3]+x2*Coeff[4]+x3*Coeff[5] +x2*x2*Coeff[6]+x5*Coeff[7]+x3*x3*Coeff[8]+x5*x2*Coeff[9] +x5*x3*Coeff[10]+x8*x*Coeff[11] +x5*x5*Coeff[12]+x8*x3*Coeff[13]+x7*x5*Coeff[14] +x8*x5*Coeff[15]+x7*x7*Coeff[16]+x8*x7*Coeff[17]+x16*Coeff[18] +x16*x*Coeff[19]+x16*x2*Coeff[20]; } } void expfactors(real x, coefficients a) { for(int i=0; i < a.steps.length; ++i) a.factors[i]=exp(x*a.steps[i]); a.factors[a.steps.length]=exp(x); } // First-Order Euler RKTableau Euler=RKTableau(1,new real[][], new real[] {1}); // First-Order Exponential Euler RKTableau E_Euler=RKTableau(1,new real[][], new real[] {1}, new void(real h, real c, coefficients a) { real x=-c*h; expfactors(x,a); a.highOrderWeights[0]=phi1(x); }); // Second-Order Runge-Kutta RKTableau RK2=RKTableau(2,new real[][] {{1/2}}, new real[] {0,1}, // 2nd order new real[] {1,0}); // 1st order // Second-Order Exponential Runge-Kutta RKTableau E_RK2=RKTableau(2,new real[][] {{1/2}}, new real[] {0,1}, // 2nd order new real[] {1,0}, // 1st order new void(real h, real c, coefficients a) { real x=-c*h; expfactors(x,a); a.weights[0][0]=1/2*phi1(x/2); real w=phi1(x); a.highOrderWeights[0]=0; a.highOrderWeights[1]=w; a.lowOrderWeights[0]=w; }); // Second-Order Predictor-Corrector RKTableau PC=RKTableau(2,new real[][] {{1}}, new real[] {1/2,1/2}, // 2nd order new real[] {1,0}); // 1st order // Second-Order Exponential Predictor-Corrector RKTableau E_PC=RKTableau(2,new real[][] {{1}}, new real[] {1/2,1/2}, // 2nd order new real[] {1,0}, // 1st order new void(real h, real c, coefficients a) { real x=-c*h; expfactors(x,a); real w=phi1(x); a.weights[0][0]=w; a.highOrderWeights[0]=w/2; a.highOrderWeights[1]=w/2; a.lowOrderWeights[0]=w; }); // Third-Order Classical Runge-Kutta RKTableau RK3=RKTableau(3,new real[][] {{1/2},{-1,2}}, new real[] {1/6,2/3,1/6}); // Third-Order Bogacki-Shampine Runge-Kutta RKTableau RK3BS=RKTableau(3,new real[][] {{1/2},{0,3/4}}, new real[] {2/9,1/3,4/9}, // 3rd order new real[] {7/24,1/4,1/3,1/8}); // 2nd order // Third-Order Exponential Bogacki-Shampine Runge-Kutta RKTableau E_RK3BS=RKTableau(3,new real[][] {{1/2},{0,3/4}}, new real[] {2/9,1/3,4/9}, // 3rd order new real[] {7/24,1/4,1/3,1/8}, // 2nd order new void(real h, real c, coefficients a) { real x=-c*h; expfactors(x,a); real w=phi1(x); real w2=phi2(x); a.weights[0][0]=1/2*phi1(x/2); real a11=9/8*phi2(3/4*x)+3/8*phi2(x/2); a.weights[1][0]=3/4*phi1(3/4*x)-a11; a.weights[1][1]=a11; real a21=1/3*w; real a22=4/3*w2-2/9*w; a.highOrderWeights[0]=w-a21-a22; a.highOrderWeights[1]=a21; a.highOrderWeights[2]=a22; a.lowOrderWeights[0]=w-17/12*w2; a.lowOrderWeights[1]=w2/2; a.lowOrderWeights[2]=2/3*w2; a.lowOrderWeights[3]=w2/4; }); // Fourth-Order Classical Runge-Kutta RKTableau RK4=RKTableau(4,new real[][] {{1/2},{0,1/2},{0,0,1}}, new real[] {1/6,1/3,1/3,1/6}); // Fifth-Order Cash-Karp Runge-Kutta RKTableau RK5=RKTableau(5,new real[][] {{1/5}, {3/40,9/40}, {3/10,-9/10,6/5}, {-11/54,5/2,-70/27,35/27}, {1631/55296,175/512,575/13824, 44275/110592,253/4096}}, new real[] {37/378,0,250/621,125/594, 0,512/1771}, // 5th order new real[] {2825/27648,0,18575/48384,13525/55296, 277/14336,1/4}); // 4th order // Fifth-Order Fehlberg Runge-Kutta RKTableau RK5F=RKTableau(5,new real[][] {{1/4}, {3/32,9/32}, {1932/2197,-7200/2197,7296/2197}, {439/216,-8,3680/513,-845/4104}, {-8/27,2,-3544/2565,1859/4104, -11/40}}, new real[] {16/135,0,6656/12825,28561/56430,-9/50,2/55}, // 5th order new real[] {25/216,0,1408/2565,2197/4104,-1/5,0}); // 4th order // Fifth-Order Dormand-Prince Runge-Kutta RKTableau RK5DP=RKTableau(5,new real[][] {{1/5}, {3/40,9/40}, {44/45,-56/15,32/9}, {19372/6561,-25360/2187,64448/6561, -212/729}, {9017/3168,-355/33,46732/5247,49/176, -5103/18656}}, new real[] {35/384,0,500/1113,125/192,-2187/6784, 11/84}, // 5th order new real[] {5179/57600,0,7571/16695,393/640, -92097/339200,187/2100,1/40}); // 4th order real error(real error, real initial, real lowOrder, real norm, real diff) { if(initial != 0 && lowOrder != initial) { static real epsilon=realMin/realEpsilon; real denom=max(abs(norm),abs(initial))+epsilon; return max(error,max(abs(diff)/denom)); } return error; } void report(real old, real h, real t) { write("Time step changed from "+(string) old+" to "+(string) h+" at t="+ (string) t+"."); } real adjust(real h, real error, real tolmin, real tolmax, RKTableau tableau) { if(error > tolmax) h *= max((tolmin/error)^tableau.pshrink,1/stepfactor); else if(error > 0 && error < tolmin) h *= min((tolmin/error)^tableau.pgrow,stepfactor); return h; } struct solution { real[] t; real[] y; } void write(solution S) { for(int i=0; i < S.t.length; ++i) write(S.t[i],S.y[i]); } // Integrate dy/dt+cy=f(t,y) from a to b using initial conditions y, // specifying either the step size h or the number of steps n. solution integrate(real y, real c=0, real f(real t, real y), real a, real b=a, real h=0, int n=0, bool dynamic=false, real tolmin=0, real tolmax=0, real dtmin=0, real dtmax=realMax, RKTableau tableau, bool verbose=false) { solution S; S.t=new real[] {a}; S.y=new real[] {y}; if(h == 0) { if(b == a) return S; if(n == 0) abort("Either n or h must be specified"); else h=(b-a)/n; } real F(real t, real y)=(c == 0 || tableau.exponential) ? f : new real(real t, real y) {return f(t,y)-c*y;}; tableau.stepDependence(h,c,tableau.a); real t=a; real f0; if(tableau.a.lowOrderWeights.length == 0) dynamic=false; bool fsal=dynamic && (tableau.a.lowOrderWeights.length > tableau.a.highOrderWeights.length); if(fsal) f0=F(t,y); real dt=h; while(t < b) { h=min(h,b-t); if(t+h == t) break; if(h != dt) { if(verbose) report(dt,h,t); tableau.stepDependence(h,c,tableau.a); dt=h; } real[] predictions={fsal ? f0 : F(t,y)}; for(int i=0; i < tableau.a.steps.length; ++i) predictions.push(F(t+h*tableau.a.steps[i], tableau.a.factors[i]*y+h*dot(tableau.a.weights[i], predictions))); real highOrder=h*dot(tableau.a.highOrderWeights,predictions); real y0=tableau.a.factors[tableau.a.steps.length]*y; if(dynamic) { real f1; if(fsal) { f1=F(t+h,y0+highOrder); predictions.push(f1); } real lowOrder=h*dot(tableau.a.lowOrderWeights,predictions); real error; error=error(error,y,y0+lowOrder,y0+highOrder,highOrder-lowOrder); h=adjust(h,error,tolmin,tolmax,tableau); if(h >= dt) { t += dt; y=y0+highOrder; S.t.push(t); S.y.push(y); f0=f1; } h=min(max(h,dtmin),dtmax); } else { t += h; y=y0+highOrder; S.t.push(t); S.y.push(y); } } return S; } struct Solution { real[] t; real[][] y; } void write(Solution S) { for(int i=0; i < S.t.length; ++i) { write(S.t[i],tab); for(real y : S.y[i]) write(y,tab); write(); } } // Integrate a set of equations, dy/dt=f(t,y), from a to b using initial // conditions y, specifying either the step size h or the number of steps n. Solution integrate(real[] y, real[] f(real t, real[] y), real a, real b=a, real h=0, int n=0, bool dynamic=false, real tolmin=0, real tolmax=0, real dtmin=0, real dtmax=realMax, RKTableau tableau, bool verbose=false) { Solution S; S.t=new real[] {a}; S.y=new real[][] {copy(y)}; if(h == 0) { if(b == a) return S; if(n == 0) abort("Either n or h must be specified"); else h=(b-a)/n; } real t=a; real[] f0; if(tableau.a.lowOrderWeights.length == 0) dynamic=false; bool fsal=dynamic && (tableau.a.lowOrderWeights.length > tableau.a.highOrderWeights.length); if(fsal) f0=f(t,y); real dt=h; while(t < b) { h=min(h,b-t); if(t+h == t) break; if(h != dt) { if(verbose) report(dt,h,t); dt=h; } real[][] predictions={fsal ? f0 : f(t,y)}; for(int i=0; i < tableau.a.steps.length; ++i) predictions.push(f(t+h*tableau.a.steps[i], y+h*tableau.a.weights[i]*predictions)); real[] highOrder=h*tableau.a.highOrderWeights*predictions; if(dynamic) { real[] f1; if(fsal) { f1=f(t+h,y+highOrder); predictions.push(f1); } real[] lowOrder=h*tableau.a.lowOrderWeights*predictions; real error; for(int i=0; i < y.length; ++i) error=error(error,y[i],y[i]+lowOrder[i],y[i]+highOrder[i], highOrder[i]-lowOrder[i]); h=adjust(h,error,tolmin,tolmax,tableau); if(h >= dt) { t += dt; y += highOrder; S.t.push(t); S.y.push(y); f0=f1; } h=min(max(h,dtmin),dtmax); } else { t += h; y += highOrder; S.t.push(t); S.y.push(y); } } return S; } real[][] finiteDifferenceJacobian(real[] f(real[]), real[] t, real[] h=sqrtEpsilon*abs(t)) { real[] ft=f(t); real[][] J=new real[t.length][ft.length]; real[] ti=copy(t); real tlast=ti[0]; ti[0] += h[0]; J[0]=(f(ti)-ft)/h[0]; for(int i=1; i < t.length; ++i) { ti[i-1]=tlast; tlast=ti[i]; ti[i] += h[i]; J[i]=(f(ti)-ft)/h[i]; } return transpose(J); } // Solve simultaneous nonlinear system by Newton's method. real[] newton(int iterations=100, real[] f(real[]), real[][] jacobian(real[]), real[] t) { real[] t=copy(t); for(int i=0; i < iterations; ++i) t += solve(jacobian(t),-f(t)); return t; } real[] solveBVP(real[] f(real, real[]), real a, real b=a, real h=0, int n=0, bool dynamic=false, real tolmin=0, real tolmax=0, real dtmin=0, real dtmax=realMax, RKTableau tableau, bool verbose=false, real[] initial(real[]), real[] discrepancy(real[]), real[] guess, int iterations=100) { real[] g(real[] t) { real[][] y=integrate(initial(t),f,a,b,h,n,dynamic,tolmin,tolmax,dtmin,dtmax, tableau,verbose).y;return discrepancy(y[y.length-1]); } real[][] jacobian(real[] t) {return finiteDifferenceJacobian(g,t);} return initial(newton(iterations,g,jacobian,guess)); } asymptote-2.62/base/asy-mode.el0000644000000000000000000021306713607467113015161 0ustar rootroot;;; asy-mode.el --- Major mode for editing Asymptote source code. ;; Copyright (C) 2006-8 ;; Author: Philippe IVALDI 20 August 2006 ;; Maintainer: John Bowman ;; URL: https://github.com/vectorgraphics/asymptote ;; Version: 1.6 ;; Keywords: language, mode ;;; License: ;; This program 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 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 ;; Lesser General Public License for more details. ;; ;; You should have received a copy of the GNU Lesser General Public License ;; along with this program ; if not, write to the Free Software ;; Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA ;;; Commentary ;; Major mode for editing Asymptote source code. ;; INSTALLATION: ;; Place this file (asy-mode.el) and asy-keywords.el in your Emacs load path. ;; Then choose ONE of the following installation methods: ;; * Method 1: ;; Copy and uncomment the following lines to your .emacs initialization file: ;;(autoload 'asy-mode "asy-mode.el" "Asymptote major mode." t) ;;(autoload 'lasy-mode "asy-mode.el" "hybrid Asymptote/Latex major mode." t) ;;(autoload 'asy-insinuate-latex "asy-mode.el" "Asymptote insinuate LaTeX." t) ;;(add-to-list 'auto-mode-alist '("\\.asy$" . asy-mode)) ;; * Method 2: ;; Copy and uncomment the following line to your .emacs initialization file: ;;(require 'asy-mode) ;; Notes: ;; ;; For full functionality the two-mode-mode package should also be installed ;; (http://www.dedasys.com/freesoftware/files/two-mode-mode.el). ;; ;; See also paragraph II of the documentation below to automate asy-insinuate-latex. ;;; Code: (defvar asy-mode-version "1.6") ;;;###autoload (define-derived-mode asy-mode objc-mode "Asymptote" "Emacs mode for editing Asymptote source code. For full functionality the `two-mode-mode' package should also be installed (http://www.dedasys.com/freesoftware/files/two-mode-mode.el). I. This package provides two modes: 1- asy-mode: All the files with the extension '.asy' are edited in this mode, which provides the following features: * Syntax color highlighting; * Compiling and viewing current buffer with the key binding C-c C-c; * Moving cursor to the error by pressing the key F4. * Showing the available function prototypes for the command at the cursor with the key binding C-c ? * Compiling and viewing a TeX document linked with the current buffer (usually a document that includes the output picture). To link a Tex document try 'M-x asy-set-master-tex' follow by C-Return (see descriptions further of the key binding C-Return, C-S-Return, M-Return, M-S-Return etc within 2- lasy-mode) 2- lasy-mode Editing a TeX file that contains Asymptote code is facilitated with the hybrid mode 'lasy-mode'. Toggle lasy-mode with M-x lasy-mode. In this hybrid mode the major mode is LaTeX when the cursor is in LaTeX code and becomes asy-mode when the cursor is between '\\begin{asy}' and '\\end{asy}'. All the features of asy-mode are provided and the key binding C-c C-c of asy-mode compiles and views only the code of the picture where the cursor is. Note that some keys binding are added to the LaTeX-mode-map in lasy-mode if the value of the variable lasy-extra-key is t (the default) . * C-return: compile (if the buffer/file is modified) and view the PostScript output with sequence [latex->[asy->latex]->dvips]->PSviewer * M-return: same with pdf output and with the sequence [pdflatex->[asy->pdflatex]]->PDFviewer * C-M-return: same with pdf output and with the sequence [latex->[asy->latex]->dvips->ps2pdf]->PSviewer * Add the Shift key to the sequence of keys to compile even if the file is not modified. II. To add a menu bar in current 'latex-mode' buffer and activate hot keys, use 'M-x asy-insinuate-latex '. You can automate this feature for all the 'latex-mode' buffers by inserting the five following lines in your .emacs initialization file: (eval-after-load \"latex\" '(progn ;; Add here your personal features for 'latex-mode': (asy-insinuate-latex t) ;; Asymptote globally insinuates Latex. )) You can access this help within Emacs by the key binding C-h f asy-mode BUGS: This package has been tested in: * Linux Debian Etch - GNU Emacs 22.0.50.1 - GNU Emacs 21.4.1 (only basic errors management and basic font-lock features within lasy-mode are supported) * WindowsXP - GNU Emacs 22.0.990.1 (i386-mingw-nt5.1.2600) This package seems to work with XEmacs 21.4 but not all the features are available (in particular syntax highlighting). Report bugs to http://asymptote.sourceforge.net Some variables can be customized: M-x customize-group asymptote ." (setq c++-font-lock-extra-types (cons "true" c++-font-lock-extra-types))) (require 'font-lock) (require 'cc-mode) (require 'cl) ;; Common Lisp extensions for Emacs (require 'compile) (require 'wid-edit) ;;;###autoload (add-to-list 'auto-mode-alist '("\\.asy$" . asy-mode)) (defvar running-xemacs-p (featurep 'xemacs)) (defvar running-unix-p (not (string-match "windows-nt\\|ms-dos" (symbol-name system-type)))) (when running-xemacs-p (defalias 'turn-on-font-lock-if-enabled 'ignore) (defalias 'line-number-at-pos 'line-number) (defvar temporary-file-directory (temp-directory)) (defun replace-regexp-in-string (regexp rep string) (replace-in-string string regexp rep)) ) (when (or (< emacs-major-version 22) running-xemacs-p) ;; Add regexp for parsing the compilation errors of asy (add-to-list 'compilation-error-regexp-alist '("\\(.*?.asy\\): \\(.*?\\)\\.\\(.*?\\):" 1 2 3))) (when (< emacs-major-version 22) (defun line-number-at-pos (&optional pos) "Return (narrowed) buffer line number at position POS. If POS is nil, use current buffer location. Counting starts at (point-min), so the value refers to the contents of the accessible portion of the buffer." (let ((opoint (or pos (point))) start) (save-excursion (goto-char (point-min)) (setq start (point)) (goto-char opoint) (forward-line 0) (1+ (count-lines start (point))))))) (defcustom lasy-extra-key t "* If on, the folowing binding keys are added in lasy-mode : (define-key lasy-mode-map (kbd \"\") 'lasy-view-ps) (define-key lasy-mode-map (kbd \"\") 'asy-master-tex-view-ps-f) (define-key lasy-mode-map (kbd \"\") 'lasy-view-pdf-via-pdflatex) (define-key lasy-mode-map (kbd \"\") 'asy-master-tex-view-pdflatex-f) (define-key lasy-mode-map (kbd \"\") 'lasy-view-pdf-via-ps2pdf) (define-key lasy-mode-map (kbd \"\") 'asy-master-tex-view-ps2pdf-f) If you also want this feature in pure latex-mode, you can set this variable to `nil' and add these lines in your .emacs: (require 'asy-mode) (eval-after-load \"latex\" '(progn (define-key LaTeX-mode-map (kbd \"\") 'lasy-view-ps) (define-key LaTeX-mode-map (kbd \"\") 'asy-master-tex-view-ps-f) (define-key LaTeX-mode-map (kbd \"\") 'lasy-view-pdf-via-pdflatex) (define-key LaTeX-mode-map (kbd \"\") 'asy-master-tex-view-pdflatex-f) (define-key LaTeX-mode-map (kbd \"\") 'lasy-view-pdf-via-ps2pdf) (define-key LaTeX-mode-map (kbd \"\") 'asy-master-tex-view-ps2pdf-f)))" :type 'boolean :group 'asymptote) (defcustom asy-compilation-buffer 'none " 'visible means keep compilation buffer visible ; 'available means keep compilation buffer available in other buffer but not visible; 'none means delete compilation buffer automatically after a *successful* compilation. 'never means don't open any window or buffer attached to the compilation process. If the value is 'never': * Emacs is suspended until the child program returns; * the management of errors is poorer than with other value; * the compilation doesn't modify your current window configuration." :type '(choice (const visible) (const available) (const none) (const never)) :group 'asymptote) (defcustom lasy-ask-about-temp-compilation-buffer t "* If t, ask before visiting a temporary buffer of compilation." :type 'boolean :group 'asymptote) (defcustom lasy-compilation-inline-auto-detection nil "* If t, lasy-mode detects automatically if the option 'inline' is passed to asymptote.sty. In case of 'inline' option, the compilation of a figure separately of the document is processed by rebuilding the preamble and compiling it as a file '.tex' containing only this picture. If nil (the default), the compilation of a figure separately of the document is processed by building a file '.asy', without the features of the LaTeX preamble." :type 'boolean :group 'asymptote) (defcustom asy-command-location "" "* If not in the path, you can put here the name of the directory containing Asy's binary files. this variable must end in /." :type 'directory :group 'asymptote) (defcustom asy-command "asy -V" "* Command invoked to compile a Asymptote file. You can define the location of this command with the variable `asy-command-location'." :type 'string :group 'asymptote) (defcustom lasy-command "asy" "* Command invoked to compile a Asymptote file generated compiling a .tex file. You can define the location of this command with the variable `asy-command-location'." :type 'string :group 'asymptote) (defcustom lasy-latex-command "latex -halt-on-error" "* Command invoked to compile a .tex file with LaTeX." :type 'string :group 'asymptote) (defcustom lasy-pdflatex-command "pdflatex -halt-on-error" "* Command invoked to compile a .tex file with pdflaTex." :type 'string :group 'asymptote) (defcustom lasy-dvips-pre-pdf-command "dvips -Ppdf" "* Command invoked to convert a .dvi file to a temporary .ps file in order to generate a final .pdf file." :type 'string :group 'asymptote) (defcustom lasy-dvips-command "dvips -q" "* Command invoked to convert a .dvi file to a final .ps file." :type 'string :group 'asymptote) (defcustom lasy-ps2pdf-command "ps2pdf14" "* Command invoked to convert a .dvi file to .ps file." :type 'string :group 'asymptote) (defcustom asy-temp-dir temporary-file-directory "*The name of a directory for Asy's temporary files. Such files are generated by functions like `asy-compile' when lasy-mode is enable." :type 'directory :group 'asymptote) (defcustom ps-view-command (if running-unix-p "gv" "") "Command to view a PostScript file generated by compiling a tex file within lasy-mode. This variable is not used when running the Windows OS. See `asy-open-file'." :type 'string :group 'asymptote) (defcustom pdf-view-command (if running-unix-p "xpdf" "") "Command to view a pdf file generated by compiling a tex file within lasy-mode. This variable is not used when running the Windows OS. See `asy-open-file'." :type 'string :group 'asymptote) (defvar asy-TeX-master-file nil "TeX file associate with current asymptote code. This variable must be modified only using the function 'asy-set-master-tex by M-x asy-set-master-tex .") (make-variable-buffer-local 'asy-TeX-master-file) (defvar lasy-compile-tex nil "* Internal use. t if LaTeX compilation come from latex-mode.") (when (fboundp 'font-lock-add-keywords) (if (< max-specpdl-size 2000) (setq max-specpdl-size 2000)) (defun asy-add-function-keywords (function-keywords face-name) (let* ((keyword-list (mapcar #'(lambda (x) (symbol-name x)) function-keywords)) (keyword-regexp (concat "\\<\\(" (regexp-opt keyword-list) "\\)("))) (font-lock-add-keywords 'asy-mode `((,keyword-regexp 1 ',face-name))))) (defun asy-add-variable-keywords (function-keywords face-name) (let* ((keyword-list (mapcar #'(lambda (x) (symbol-name x)) function-keywords)) (keyword-regexp (concat "\\<[0-9]*\\(" (regexp-opt keyword-list) "\\)\\(?:[^(a-zA-Z]\\|\\'\\)"))) (font-lock-add-keywords 'asy-mode `((,keyword-regexp 1 ',face-name))))) ;; External definitions of keywords: ;; asy-function-name and asy-variable-name (if (locate-library "asy-keywords.el") (load "asy-keywords.el") (progn ;; Use dummy keyword definitions if asy-keywords.el is not found: (defvar asy-keyword-name nil) (defvar asy-type-name nil) (defvar asy-function-name nil) (defvar asy-variable-name nil))) (defcustom asy-extra-type-name '() "Extra user type names highlighted with 'font-lock-type-face" :type '(repeat symbol) :group 'asymptote) (defcustom asy-extra-function-name '() "Extra user function names highlighted with 'font-lock-function-name-face" :type '(repeat symbol) :group 'asymptote) (defcustom asy-extra-variable-name '() "Extra user variable names highlighted with 'font-lock-constant-face" :type '(repeat symbol) :group 'asymptote) (asy-add-variable-keywords asy-keyword-name 'font-lock-builtin-face) (asy-add-variable-keywords (nconc asy-type-name asy-extra-type-name) 'font-lock-type-face) (asy-add-function-keywords (nconc asy-function-name asy-extra-function-name) 'font-lock-function-name-face) (asy-add-variable-keywords (nconc asy-variable-name asy-extra-variable-name) 'font-lock-constant-face) (defface asy-environment-face `((t (:underline t :inverse-video t))) "Face used to highlighting the keywords '\\begin{asy}' and '\\end{asy}' within lasy-mode." :group 'asymptote) (font-lock-add-keywords 'asy-mode '(("\\\\begin{asy}.*" . 'asy-environment-face) ("\\\\end{asy}" . 'asy-environment-face))) (defface asy-link-face ;; widget-field-face `((t (:underline t))) "Face used to highlighting the links." :group 'asymptote) (font-lock-add-keywords 'asy-mode '(("\\[.*?\\.asy\\]" . 'asy-link-face))) ) (setq buffers-menu-max-size nil) (setq mode-name "Asymptote") (if running-xemacs-p (defvar asy-menu '("Asy" ["Toggle lasy-mode" lasy-mode :active (and (featurep 'two-mode-mode) two-mode-bool)] ["Compile/View" asy-compile t] ["Go to error" asy-goto-error t] ["Describe command" asy-show-function-at-point t]"--" ("Master TeX file" ["Set/Change value" (asy-set-master-tex) :active (not (and (boundp two-mode-bool) two-mode-bool))] ["Erase value" (asy-unset-master-tex) :active (not (and (boundp two-mode-bool) two-mode-bool))] ("Compile OR View" ["PS" asy-master-tex-view-ps :active t] ["PDF (pdflatex)" asy-master-tex-view-pdflatex :active t] ["PDF (ps2pdf)" asy-master-tex-view-ps2pdf :active t]) ("Compile AND View" ["PS" asy-master-tex-view-ps-f :active t] ["PDF (pdflatex)" asy-master-tex-view-pdflatex-f :active t] ["PDF (ps2pdf)" asy-master-tex-view-ps2pdf-f :active t])) ["Asymptote insinuates globally LaTeX" asy-insinuate-latex-globally :active (not asy-insinuate-latex-globally-p)]"--" ("Debugger Buffer" ["Visible" (setq asy-compilation-buffer 'visible) :style radio :selected (eq asy-compilation-buffer 'visible) :active t] ["Available" (setq asy-compilation-buffer 'available) :style radio :selected (eq asy-compilation-buffer 'available) :active t] ["None" (setq asy-compilation-buffer 'none) :style radio :selected (eq asy-compilation-buffer 'none) :active t] ["Never" (setq asy-compilation-buffer 'never) :style radio :selected (eq asy-compilation-buffer 'never) :active t]) ("Compilation Options" :included (and (featurep 'two-mode-mode) two-mode-bool) ["Enable Automatic Detection of Option" (setq lasy-compilation-inline-auto-detection t) :style radio :selected lasy-compilation-inline-auto-detection :active t] ["Disable Automatic Detection of Option" (setq lasy-compilation-inline-auto-detection nil) :style radio :selected (not lasy-compilation-inline-auto-detection) :active t]) ["Customize" (customize-group "asymptote") :active t] ["Help" (describe-function 'asy-mode) :active t] )) (defvar asy-menu '("Asy" ["Toggle Lasy-Mode" lasy-mode :visible (and (featurep 'two-mode-mode) two-mode-bool)] ["Compile/View" asy-compile t] ["Go to Error" asy-goto-error t] ["Describe Command" asy-show-function-at-point t]"--" ("Master TeX File" ["Set/Change Value" (asy-set-master-tex) :active (not (and (boundp two-mode-bool) two-mode-bool)) :key-sequence nil] ["Erase Value" (asy-unset-master-tex) :active (not (and (boundp two-mode-bool) two-mode-bool)) :key-sequence nil] ("Compile or View" ["PS" asy-master-tex-view-ps :active t] ["PDF (pdflatex)" asy-master-tex-view-pdflatex :active t] ["PDF (ps2pdf)" asy-master-tex-view-ps2pdf :active t]) ("Compile and View" ["PS" asy-master-tex-view-ps-f :active t] ["PDF (pdflatex)" asy-master-tex-view-pdflatex-f :active t] ["PDF (ps2pdf)" asy-master-tex-view-ps2pdf-f :active t])) ["Asymptote Insinuates Globally LaTeX" asy-insinuate-latex-globally :active (not asy-insinuate-latex-globally-p)]"--" ("Debugger Buffer" ["Visible" (setq asy-compilation-buffer 'visible) :style radio :selected (eq asy-compilation-buffer 'visible) :active t :key-sequence nil] ["Available" (setq asy-compilation-buffer 'available) :style radio :selected (eq asy-compilation-buffer 'available) :active t :key-sequence nil] ["None" (setq asy-compilation-buffer 'none) :style radio :selected (eq asy-compilation-buffer 'none) :active t :key-sequence nil] ["Never" (setq asy-compilation-buffer 'never) :style radio :selected (eq asy-compilation-buffer 'never) :active t :key-sequence nil]) ("Compilation Options" :visible (and (featurep 'two-mode-mode) two-mode-bool) ["Enable Automatic Detection of Option" (setq lasy-compilation-inline-auto-detection t) :style radio :selected lasy-compilation-inline-auto-detection :active t :key-sequence nil] ["Disable Automatic Detection of Option" (setq lasy-compilation-inline-auto-detection nil) :style radio :selected (not lasy-compilation-inline-auto-detection) :active t :key-sequence nil]) ["Customize" (customize-group "asymptote") :active t :key-sequence nil] ["Help" (describe-function 'asy-mode) :active t :key-sequence nil] ))) (easy-menu-define asy-mode-menu asy-mode-map "Asymptote Mode Commands" asy-menu) ;; On the hook for XEmacs only. (if running-xemacs-p (add-hook 'asy-mode-hook (lambda () (and (eq major-mode 'asy-mode) (easy-menu-add asy-mode-menu asy-mode-map))))) (defun asy-protect-file-name(Filename) (concat "\"" Filename "\"")) (defun asy-get-temp-file-name(&optional noext) "Get a temp file name for printing." (if running-xemacs-p (concat (make-temp-name asy-temp-dir) (if noext "" ".asy")) (concat (make-temp-file (expand-file-name "asy" asy-temp-dir)) (if noext "" ".asy")))) (defun asy-log-filename() (concat buffer-file-name ".log")) (defun asy-compile() "Compile Asymptote code." (interactive) (if (and (boundp two-mode-bool) two-mode-bool) (lasy-compile) ;; compile asy code in a TeX file. (progn ;; compile asy code in a asy file. (let* ((buffer-base-name (file-name-sans-extension (file-name-nondirectory buffer-file-name))) (asy-compile-command (concat asy-command-location asy-command (if (eq asy-compilation-buffer 'never) " " " -wait ") (asy-protect-file-name buffer-base-name)))) (if (buffer-modified-p) (save-buffer)) (message "%s" asy-compile-command) (asy-internal-compile asy-compile-command t t))))) (defun asy-error-message(&optional P) (let ((asy-last-error (asy-log-field-string (asy-log-filename) 0))) (if (and asy-last-error (not (string= asy-last-error ""))) (message (concat asy-last-error (if P "\nPress F4 to go to error" ""))) (when (and (boundp two-mode-bool) two-mode-bool lasy-run-tex (not (zerop asy-last-compilation-code))) (message "The LaTeX code may be incorrect."))))) (defun asy-log-field-string(Filename Field) "Return field of first line of file filename. Fields are defined as 'field1: field2.field3:field4' . Field=0 <-> all fields" (let ((view-inhibit-help-message t)) (with-temp-buffer (progn (insert-file Filename) (beginning-of-buffer) (if (re-search-forward "^\\(.*?\\): \\(.*?\\)\\.\\(.*?\\):\\(.*\\)$" (point-max) t) (match-string Field) nil))))) (defun asy-next-error(arg reset) (if (> emacs-major-version 21) (next-error arg reset) (next-error arg))) (defun lasy-ask-visit-tem-compilation-buffer() "* Ask before visiting a temporary compilation buffer depending the value of `lasy-ask-about-temp-compilation-buffer'." (if lasy-ask-about-temp-compilation-buffer (y-or-n-p "Visit temporary buffer of compilation ? ") t)) (defun lasy-place-cursor-to-error(Filename li co) (save-excursion (with-temp-buffer (insert-file-contents (if running-unix-p Filename (replace-regexp-in-string "//" ":/" (replace-regexp-in-string "/cygdrive/" "" Filename)))) ;; Not right, ;;;maybe take a look at the code of compilation-find-file (beginning-of-buffer) (next-line (1- (string-to-number li))) (setq line-err (buffer-substring-no-properties (progn (beginning-of-line) (point)) (progn (end-of-line) (point)))))) (beginning-of-buffer) (search-forward line-err) (beginning-of-line) (forward-char (1- (string-to-number co)))) (defun asy-goto-error(&optional arg reset) "Go to point of last error within asy/lasy-mode." (interactive "P") (if (or (eq asy-compilation-buffer 'never) (and (boundp two-mode-bool) two-mode-bool)) (let* ((log-file (asy-log-filename)) (li_ (asy-log-field-string log-file 2)) (co_ (asy-log-field-string log-file 3))) (if (and (boundp two-mode-bool) two-mode-bool) ;; Within Lasy-mode (progn ;; lasy-mode need the compilation of file.tex ;; the error can be in Tex commands or in Asymptote commands (if (eq asy-compilation-buffer 'never) ;; Find error in the log file. (if li_ ;; Asy error found in the log-file (progn (lasy-place-cursor-to-error (asy-log-field-string log-file 1) li_ co_) (asy-error-message)) (message "There is an error in your LaTeX code...")) (if (or running-xemacs-p (< emacs-major-version 22)) (when (lasy-ask-visit-tem-compilation-buffer) (next-error arg)) (let ((msg)) ;; Find error in the compilation buffer (save-excursion (set-buffer (next-error-find-buffer)) (when reset (setq compilation-current-error nil)) (let* ((columns compilation-error-screen-columns) (last 1) (loc (compilation-next-error (or arg 1) nil (or compilation-current-error compilation-messages-start (point-min)))) (end-loc (nth 2 loc)) (marker (point-marker))) (setq compilation-current-error (point-marker) overlay-arrow-position (if (bolp) compilation-current-error (copy-marker (line-beginning-position))) loc (car loc))) (if (re-search-forward "^\\(.*?\\): \\(.*?\\)\\.\\(.*?\\):\\(.*\\)$" (point-max) t) (progn (setq msg (match-string 0) log-file (match-string 1) li_ (match-string 2) co_ (match-string 3))) (error "Not other errors."))) (lasy-place-cursor-to-error log-file li_ co_) (message msg))))) (if li_ ;;Pure asy-mode and compilation with shell-command (progn (goto-line (string-to-number li_)) (forward-char (1- (string-to-number co_))) (asy-error-message)) (progn (message "No error."))))) (asy-next-error arg reset))) (defun asy-grep (Regexp) "Internal function used by asymptote." (let ((Strout "") (case-fold-search-asy case-fold-search)) (progn (beginning-of-buffer) (setq case-fold-search nil) (while (re-search-forward Regexp (point-max) t) (setq Strout (concat Strout (match-string 0) "\n\n"))) (setq case-fold-search case-fold-search-asy) (if (string= Strout "") "No match.\n" Strout)))) (defun asy-widget-open-file-at-pos (widget &optional event) "" (kill-buffer (current-buffer)) (find-file (widget-get widget :follow-link)) (goto-line (string-to-number (widget-get widget :value)))) (defun asy-show-function-at-point() "Show the Asymptote definitions of the command at point." (interactive) (save-excursion (let ((cWord (current-word)) (cWindow (selected-window))) (switch-to-buffer-other-window "*asy-help*") (fundamental-mode) (setq default-directory "/") (if (> emacs-major-version 21) (call-process-shell-command (concat asy-command-location "asy -l --where") nil t nil) (insert (shell-command-to-string "asy -l --where"))) (let ((rHelp (asy-grep (concat "^.*\\b" cWord "(\\(.\\)*?$"))) (tag)(file)(line)) (erase-buffer) (insert rHelp) (beginning-of-buffer) (while (re-search-forward "\\(.*\\): \\([0-9]*\\)\\.\\([0-9]*\\)" (point-max) t) (setq file (match-string 1) line (match-string 2) tag (file-name-nondirectory file)) (widget-create `(file-link :tag ,tag :follow-link ,file :value ,line :action asy-widget-open-file-at-pos )))) (beginning-of-buffer) (while (re-search-forward "\\(.*: [0-9]*\\.[0-9]*\\)" (point-max) t) (replace-match "")) (asy-mode) (use-local-map widget-keymap) (widget-setup) (goto-char (point-min)) (select-window cWindow)))) (add-hook 'asy-mode-hook (lambda () (c-set-style "gnu"); (c-set-offset (quote topmost-intro-cont) 0 nil) (make-local-variable 'c-label-minimum-indentation) (setq c-label-minimum-indentation 0) (when (fboundp 'flyspell-mode) (flyspell-mode -1)) (turn-on-font-lock) (column-number-mode t) )) ;;;###autoload (defun lasy-mode ()) ;;; ************************************ ;;; asy-mode mixed with LaTeX-mode: lasy ;;; ************************************ (if (locate-library "two-mode-mode") (progn (defvar lasy-fontify-asy-p nil "Variable to communicate with `font-lock-unfontify-region'. Internal use, don't set in any fashion.") (setq lasy-fontify-asy-p nil) (eval-after-load "two-mode-mode" '(progn ;; Redefine `two-mode-mode-update-mode' to use regexp. (defun two-mode-mode-update-mode () "Redefined in `asy-mode.el' to use regexp" (when (and two-mode-bool two-mode-update) (setq two-mode-update 0) (let ((mode-list second-modes) (flag 0)) (while mode-list (let ((mode (car mode-list)) (lm -1) (rm -1)) (save-excursion (if (search-backward-regexp (cadr mode) nil t) (setq lm (point)) (setq lm -1))) (save-excursion (if (search-backward-regexp (car (cddr mode)) nil t) (setq rm (point)) (setq rm -1))) (if (and (not (and (= lm -1) (= rm -1))) (>= lm rm)) (progn (setq flag 1) (setq mode-list '()) (two-mode-change-mode (car mode) (car (cdr (cddr mode))))))) (setq mode-list (cdr mode-list))) (if (= flag 0) (two-mode-change-mode (car default-mode) (cadr default-mode)))))) (defun two-mode-change-mode (to-mode func) "Redefined in asy-mode. Change the variable `lasy-fontify-asy-p' according to the value of func and the current mode." (if (string= to-mode mode-name) t (progn (setq lasy-fontify-asy-p (eq func 'asy-mode)) (funcall func) (hack-local-variables) (two-mode-mode-setup) (if two-mode-switch-hook (run-hooks 'two-mode-switch-hook)) (if (eq font-lock-mode t) (font-lock-fontify-buffer)) (turn-on-font-lock-if-enabled)))) )) (require 'two-mode-mode) (defun lasy-mode () "Treat, in some cases, the current buffer as a literal Asymptote program." (interactive) (save-excursion (let ((prefix (progn (goto-char (point-max)) (re-search-backward "^\\([^\n]+\\)Local Variables:" (- (point-max) 3000) t) (match-string 1))) (pos-b (point))) (when (and prefix (progn (re-search-forward (regexp-quote (concat prefix "End:")) (point-max) t) (re-search-backward (concat "\\(" prefix "mode: .*\\)") pos-b t)) ) (error (concat "lasy-mode can not work if a mode is specified as local file variable. You should remove the line " (int-to-string (line-number-at-pos))))))) (set (make-local-variable 'asy-insinuate-latex-p) asy-insinuate-latex-p) (make-local-variable 'lasy-fontify-asy-p) (when (< emacs-major-version 22) (make-local-variable 'font-lock-keywords-only)) (setq default-mode '("LaTeX" latex-mode) second-modes '(("Asymptote" "^\\\\begin{asy}.*$" "^\\\\end{asy}" asy-mode))) (if two-mode-bool (progn (latex-mode) (asy-insinuate-latex)) (progn (two-mode-mode) ))) (when (not running-xemacs-p) (defadvice TeX-command-master (around asy-choose-compile act) "Hack to circumvent the preempt of 'C-c C-c' by AucTeX within `lasy-mode'." (if (string-match "asymptote" (downcase mode-name)) (asy-compile) ad-do-it))) (add-hook 'two-mode-switch-hook (lambda () (if (eq major-mode 'latex-mode) (progn ;; Switch to latex-mode ;; Disable LaTeX-math-Mode within lasy-mode (because of incompatibility) (when LaTeX-math-mode (LaTeX-math-mode -1)) (asy-insinuate-latex) (when (< emacs-major-version 22) (setq font-lock-keywords-only nil))) (progn ;; Switch to asy-mode (when (< emacs-major-version 22) (setq font-lock-keywords-only t)) )))) ;; (setq two-mode-switch-hook nil) ;; Solve a problem restoring a TeX file via desktop.el previously in lasy-mode. (if (boundp 'desktop-buffer-mode-handlers) (progn (defun asy-restore-desktop-buffer (desktop-b-f-name d-b-n d-b-m) (find-file desktop-b-f-name)) (add-to-list 'desktop-buffer-mode-handlers '(asy-mode . asy-restore-desktop-buffer)))) ;; Functions and 'advises' to restrict 'font-lock-unfontify-region' ;; and 'font-lock-fontify-syntactically-region' within lasy-mode ;; Special thanks to Olivier Ramaré for his help. (when (and (fboundp 'font-lock-add-keywords) (> emacs-major-version 21)) (defun lasy-mode-at-pos (pos &optional interior strictly) "If point at POS is in an asy environment return the list (start end)." (save-excursion (save-match-data (goto-char pos) (let* ((basy (progn (unless strictly (end-of-line)) (when (re-search-backward "^\\\\begin{asy}" (point-min) t) (when interior (next-line)) (point)))) (easy (and basy (progn (when (re-search-forward "^\\\\end{asy}" (point-max) t) (when interior (previous-line)(beginning-of-line)) (point)))))) (and basy easy (> pos (- basy (if interior 12 0))) (< pos (+ easy (if interior 10 0))) (list basy easy)))))) (defun lasy-region (start end &optional interior) "If the region 'start to end' contains the beginning or the end of an asy environment return the list of points where the asy environment starts and ends." (let* ((beg (min start end)) (lim (max start end))) (or (lasy-mode-at-pos beg interior) (save-match-data (save-excursion (goto-char beg) (and (re-search-forward "^\\\\begin{asy}" lim t) (lasy-mode-at-pos (point) interior))))))) (defun lasy-tags (start end) "Return associated list of points where the tags starts and ends restricted to the region (start end). \"b\" associated with (start-beginTag end-beginTag), \"e\" associated with (start-endTag end-endTag)." (let* ((beg (min start end)) (lim (max start end)) out) (save-excursion (goto-char beg)(beginning-of-line) (while (when (re-search-forward "^\\\\begin{asy}.*" lim t) (push (list (progn (beginning-of-line)(point)) (progn (end-of-line)(point))) out))) (goto-char beg)(beginning-of-line) (while (when (re-search-forward "^\\\\end{asy}" lim t) (push (list (progn (beginning-of-line)(point)) (progn (end-of-line)(point))) out))) out))) (defun lasy-restrict-region (start end &optional interior) "If the region 'start to end' contains the beginning or the end of an asy environment, returns the list of points wich restricts the region to the asy environment. Else, return (start end)." (let* ((beg (min start end)) (lim (max start end)) (be (if (lasy-mode-at-pos beg) beg (or (save-excursion (goto-char beg) (when (re-search-forward "^\\\\begin{asy}.*" lim t) (unless interior (beginning-of-line)) (point))) beg))) (en (or (save-excursion (goto-char be) (when (re-search-forward "^\\\\end{asy}" lim t) (when interior (beginning-of-line)) (point))) lim))) (list be en))) (defun lasy-parse-region (start end) "Return a list ((a (start1 end1)) (b (start2 end2)) [...]). where a, b, ... are nil or t; t means the region from 'startX' through 'endX' (are points) is in a asy environnement." (let (regasy out rr brr err tags) (save-excursion (goto-char start) (while (< (point) end) (setq regasy (lasy-region (point) end)) (if regasy (progn (setq rr (lasy-mode-at-pos (point))) (setq brr (and rr (nth 0 rr)) err (and rr (nth 1 rr))) (if rr (progn (push (list t (list (max 1 (1- (point))) (min end err))) out) (goto-char (min end err))) (progn (push (list nil (list (point) (nth 0 regasy))) out) (goto-char (1+ (nth 0 regasy)))))) (progn (push (list nil (list (min (1+ (point)) end) end)) out) (goto-char end))) )) ;; Put start and end of tag in latex fontification. (setq tags (lasy-tags start end)) (dolist (tag tags) (push (list nil tag) out)) (reverse out))) (defadvice font-lock-unfontify-region (around asy-font-lock-unfontify-region (beg end)) (if two-mode-bool (let ((rstate (lasy-parse-region beg end)) curr reg asy-fontify latex-fontify) (while (setq curr (pop rstate)) (setq reg (nth 1 curr)) (setq asy-fontify (and (nth 0 curr) lasy-fontify-asy-p) latex-fontify (and (not (nth 0 curr)) (not lasy-fontify-asy-p))) (when (or asy-fontify latex-fontify) (setq beg (nth 0 reg) end (nth 1 reg)) (save-excursion (save-restriction (narrow-to-region beg end) ad-do-it (widen)))))) ad-do-it)) (ad-activate 'font-lock-unfontify-region) ;; (ad-deactivate 'font-lock-unfontify-region) (defadvice font-lock-fontify-syntactically-region (around asy-font-lock-fontify-syntactically-region (start end &optional loudly)) (if (and two-mode-bool (eq major-mode 'asy-mode)) (let*((reg (lasy-restrict-region start end))) (save-restriction (setq start (nth 0 reg) end (nth 1 reg)) (narrow-to-region start end) (condition-case nil ad-do-it (error nil)) (widen) )) ad-do-it)) (ad-activate 'font-lock-fontify-syntactically-region) ;; (ad-deactivate 'font-lock-fontify-syntactically-region) (defadvice font-lock-default-fontify-region (around asy-font-lock-default-fontify-region (beg end loudly)) (if two-mode-bool (let ((rstate (lasy-parse-region beg end)) asy-fontify latex-fontify curr reg) (while (setq curr (pop rstate)) (setq reg (nth 1 curr)) (setq asy-fontify (and (nth 0 curr) lasy-fontify-asy-p) latex-fontify (and (not (nth 0 curr)) (not lasy-fontify-asy-p))) (when (or asy-fontify latex-fontify) (setq beg (nth 0 reg) end (nth 1 reg)) (save-excursion (save-restriction (narrow-to-region beg end) (condition-case nil ad-do-it (error nil)) (widen) ))))) ad-do-it)) (ad-activate 'font-lock-default-fontify-region) ;; (ad-deactivate 'font-lock-default-fontify-region) )) (progn (defvar two-mode-bool nil) (defun lasy-mode () (message "You must install the package two-mode-mode.el.")))) (setq asy-latex-menu-item '(["Toggle lasy-mode" lasy-mode :active (featurep 'two-mode-mode)] ["View asy picture near cursor" lasy-compile :active t]"--" ("Compile OR View" ["PS" lasy-view-ps :active t] ["PDF (pdflatex)" lasy-view-pdf-via-pdflatex :active t] ["PDF (ps2pdf)" lasy-view-pdf-via-ps2pdf :active t]) ("Compile AND View" ["PS" asy-master-tex-view-ps-f :active t] ["PDF (pdflatex)" asy-master-tex-view-pdflatex-f :active t] ["PDF (ps2pdf)" asy-master-tex-view-ps2pdf-f :active t])"--" ["Asymptote insinuates globally LaTeX" asy-insinuate-latex-globally :active (not asy-insinuate-latex-globally-p)] ("Disable Asymptote insinuate Latex" ["locally" asy-no-insinuate-locally :active t] ["globally" asy-no-insinuate-globally :active t]) ("Debugger Buffer" ["Visible" (setq asy-compilation-buffer 'visible) :style radio :selected (eq asy-compilation-buffer 'visible) :active t] ["Available" (setq asy-compilation-buffer 'available) :style radio :selected (eq asy-compilation-buffer 'available) :active t] ["None" (setq asy-compilation-buffer 'none) :style radio :selected (eq asy-compilation-buffer 'none) :active t] ["Never" (setq asy-compilation-buffer 'never) :style radio :selected (eq asy-compilation-buffer 'never) :active t]) )) (if running-xemacs-p (setq asy-latex-menu-item (nconc '("Asymptote") asy-latex-menu-item)) (setq asy-latex-menu-item (nconc '("Asymptote" :visible asy-insinuate-latex-p) asy-latex-menu-item))) (defun asy-insinuate-latex-maybe () "This function is added to `LaTeX-mode-hook' to define the environment 'asy' and, eventually, set its indentation. For internal use only." (when (or asy-insinuate-latex-globally-p (save-excursion (beginning-of-buffer) (save-match-data (search-forward "\\begin{asy}" nil t)))) (asy-insinuate-latex)) (LaTeX-add-environments '("asy" (lambda (env &rest ignore) (unless asy-insinuate-latex-p (asy-insinuate-latex)) (LaTeX-insert-environment env))))) ;; (add-hook 'after-init-hook ;; (lambda () (eval-after-load "latex" '(progn (add-hook 'LaTeX-mode-hook 'asy-insinuate-latex-maybe) (setq lasy-mode-map (copy-keymap LaTeX-mode-map)) (setq LaTeX-mode-map-backup (copy-keymap LaTeX-mode-map)) (defadvice TeX-add-local-master (after asy-adjust-local-variable ()) "Delete the line that defines the mode in a file .tex because two-mode-mode reread the local variables after switching mode." (when (string= (file-name-extension buffer-file-name) "tex") (save-excursion (goto-char (point-max)) (delete-matching-lines "mode: latex" (re-search-backward "^\\([^\n]+\\)Local Variables:" (- (point-max) 3000) t) (re-search-forward (regexp-quote (concat (match-string 1) "End:"))) nil)))) (ad-activate 'TeX-add-local-master) ;; (ad-deactivate 'TeX-add-local-master) (when lasy-extra-key (define-key lasy-mode-map (kbd "") (lambda () (interactive) (lasy-view-ps nil nil t))) (define-key lasy-mode-map (kbd "") (lambda () (interactive) (lasy-view-ps t nil t))) (define-key lasy-mode-map (kbd "") (lambda () (interactive) (lasy-view-pdf-via-pdflatex nil nil t))) (define-key lasy-mode-map (kbd "") (lambda () (interactive) (lasy-view-pdf-via-pdflatex t nil t))) (define-key lasy-mode-map (kbd "") (lambda () (interactive) (lasy-view-pdf-via-ps2pdf nil nil t))) (define-key lasy-mode-map (kbd "") (lambda () (interactive) (lasy-view-pdf-via-ps2pdf t nil t))) (define-key lasy-mode-map (kbd "") 'asy-goto-error)) (easy-menu-define asy-latex-mode-menu lasy-mode-map "Asymptote insinuates LaTeX" asy-latex-menu-item) )) ;; )) (defvar asy-insinuate-latex-p nil "Not nil when current buffer is insinuated by Asymptote. May be a local variable. For internal use.") (defvar asy-insinuate-latex-globally-p nil "Not nil when all latex-mode buffers is insinuated by Asymptote. For internal use.") (defun asy-set-latex-asy-indentation () "Set the indentation of environnment 'asy' like the environnment 'verbatim' is." ;; Regexp matching environments with indentation at col 0 for begin/end. (set (make-local-variable 'LaTeX-verbatim-regexp) (concat (default-value 'LaTeX-verbatim-regexp) "\\|asy")) ;; Alist of environments with special indentation. (make-local-variable 'LaTeX-indent-environment-list) (add-to-list 'LaTeX-indent-environment-list '("asy" current-indentation))) (defun asy-unset-latex-asy-indentation () "Unset the indentation of environnment 'asy' like the environnment 'verbatim' is." (set (make-local-variable 'LaTeX-verbatim-regexp) (default-value 'LaTeX-verbatim-regexp)) (set (make-local-variable 'LaTeX-indent-environment-list) (default-value 'LaTeX-indent-environment-list))) (defun asy-no-insinuate-locally () (interactive) (set (make-local-variable 'asy-insinuate-latex-p) nil) (setq asy-insinuate-latex-globally-p nil) (asy-unset-latex-asy-indentation) (if running-xemacs-p (easy-menu-remove-item nil nil "Asymptote") (menu-bar-update-buffers)) (if (and (boundp 'two-mode-bool) two-mode-bool) (lasy-mode)) (use-local-map LaTeX-mode-map-backup)) (defun asy-no-insinuate-globally () (interactive) (if running-xemacs-p (easy-menu-remove-item nil nil "Asymptote") (easy-menu-remove-item LaTeX-mode-map nil "Asymptote")) (kill-local-variable asy-insinuate-latex-p) (setq-default asy-insinuate-latex-p nil) (setq asy-insinuate-latex-globally-p nil) (if (not running-xemacs-p) (menu-bar-update-buffers)) (setq LaTeX-mode-map (copy-keymap LaTeX-mode-map-backup)) ;;Disable lasy-mode in all latex-mode buffers. (when (featurep 'two-mode-mode) (mapc (lambda (buffer) (with-current-buffer buffer (when (and (buffer-file-name) (string= (file-name-extension (buffer-file-name)) "tex")) (asy-unset-latex-asy-indentation) (latex-mode) (setq asy-insinuate-latex-p nil)))) (buffer-list)))) ;;;###autoload (defun asy-insinuate-latex (&optional global) "Add a menu bar in current 'latex-mode' buffer and activate asy keys bindings. If the optional parameter (only for internal use) 'global' is 't' then all the FUTURE 'latex-mode' buffers are insinuated. To insinuate all (current and future) 'latex-mode' buffers, use 'asy-insinuate-latex-globally' instead. You can automate this feature for all the 'latex-mode' buffers by inserting the five following lines in your .emacs initialization file: (eval-after-load \"latex\" '(progn ;; Add here your personal features for 'latex-mode': (asy-insinuate-latex t) ;; Asymptote insinuates globally Latex. ))" (interactive) (if (and (not asy-insinuate-latex-globally-p) (or global (string= major-mode "latex-mode"))) (progn (asy-set-latex-asy-indentation) (if global (progn (setq asy-insinuate-latex-p t) (setq asy-insinuate-latex-globally-p t) (setq LaTeX-mode-map (copy-keymap lasy-mode-map)) (if running-xemacs-p (add-hook 'LaTeX-mode-hook (lambda () (if asy-insinuate-latex-globally-p (easy-menu-add asy-latex-mode-menu lasy-mode-map)))))) (progn (use-local-map lasy-mode-map) (easy-menu-add asy-latex-mode-menu lasy-mode-map) (set (make-local-variable 'asy-insinuate-latex-p) t))) ))) (defun asy-insinuate-latex-globally () "Insinuates all (current and future) 'latex-mode' buffers. See `asy-insinuate-latex'." (interactive) (asy-insinuate-latex t) (if running-xemacs-p (add-hook 'LaTeX-mode-hook (lambda () (if asy-insinuate-latex-globally-p (easy-menu-add asy-latex-mode-menu lasy-mode-map))))) (mapc (lambda (buffer) (with-current-buffer buffer (when (and (buffer-file-name) (string= (file-name-extension (buffer-file-name)) "tex")) (setq asy-insinuate-latex-p t) (use-local-map LaTeX-mode-map) (use-local-map lasy-mode-map) (asy-set-latex-asy-indentation) (easy-menu-add asy-latex-mode-menu lasy-mode-map)))) (buffer-list))) (defun lasy-inline-p() "Return nil if the option 'inline' is not used or if `lasy-compilation-inline-auto-detection' value is nil." (if lasy-compilation-inline-auto-detection (save-excursion (re-search-backward "^[^%]* *\\\\usepackage\\[ *inline *\\]{ *asymptote *}" 0 t)) nil)) (defvar lasy-run-tex nil) (defun lasy-asydef() "Return the content between the tags \\begin{asydef} and \\end{asydef}." (save-excursion (if (re-search-backward "\\\\begin{asydef}" 0 t) (buffer-substring (progn (next-line)(beginning-of-line)(point)) (progn (re-search-forward "\\\\end{asydef}") (previous-line)(end-of-line) (point))) ""))) (defun lasy-compile-tex() "Compile region between \\begin{asy}[text with backslash] and \\end{asy} through a reconstructed file .tex." (interactive) (setq lasy-run-tex t) (save-excursion (let* ((Filename (asy-get-temp-file-name t)) (FilenameTex (concat Filename ".tex")) (asydef (lasy-asydef))) (save-excursion (beginning-of-buffer) (write-region (point) (progn (re-search-forward "\\\\begin{document}.*\n") (point)) FilenameTex) (write-region (concat "\\begin{asydef}\n" asydef "\n\\end{asydef}\n") 0 FilenameTex t)) (re-search-backward "\\\\begin{asy}") (write-region (point) (progn (re-search-forward "\\\\end{asy}") (point)) FilenameTex t) (with-temp-file FilenameTex (insert-file FilenameTex) (end-of-buffer) (insert "\n\\end{document}")) (let ((default-directory asy-temp-dir)) (lasy-view-ps t Filename))))) (defun lasy-compile() "Compile region between \\begin{asy} and \\end{asy}." (interactive) (if (or (lasy-inline-p) (progn ;; find \begin{asy}[any backslash] (save-excursion (re-search-forward "\\\\end{asy}" (point-max) t) (re-search-backward "\\\\begin{asy}.*\\(\\[.*\\\\.*\\]\\)" 0 t)) (match-string 1))) (progn (lasy-compile-tex)) ;; a temporary TeX file must be reconstructed. (progn (setq lasy-run-tex nil) (save-excursion (let ((Filename (asy-get-temp-file-name)) (asydef (lasy-asydef))) (write-region (match-string 0) 0 Filename) (re-search-backward "\\\\begin{asy}") (write-region (point) (progn (re-search-forward "\\\\end{asy}") (point)) Filename) (with-temp-file Filename (insert-file-contents Filename) (beginning-of-buffer) (if (re-search-forward "\\\\begin{asy}\\[\\(.*\\)\\]" (point-max) t) (let ((sz (match-string 1))) (replace-match "") (insert (concat asydef "\nsize(" sz ");"))) (when (re-search-forward "\\\\begin{asy}" (point-max) t) (replace-match "") (insert asydef))) (while (re-search-forward "\\\\end{asy}" (point-max) t) (replace-match ""))) (let* ((asy-compile-command (concat asy-command-location asy-command (if (eq asy-compilation-buffer 'never) " " " -wait ") (asy-protect-file-name Filename)))) (asy-internal-compile asy-compile-command t (not (eq asy-compilation-buffer 'never))))))))) (defun asy-set-master-tex () "Set the local variable 'asy-TeX-master-file. This variable is used by 'asy-master-tex-view-ps" (interactive) (set (make-local-variable 'asy-TeX-master-file) (file-name-sans-extension (file-relative-name (expand-file-name (read-file-name "TeX document: "))))) (if (string= (concat default-directory asy-TeX-master-file) (file-name-sans-extension buffer-file-name)) (prog1 (set (make-local-variable 'asy-TeX-master-file) nil) (error "You should never give the same name to the TeX file and the Asymptote file")) (save-excursion (end-of-buffer) (if (re-search-backward "asy-TeX-master-file\\(.\\)*$" 0 t) (replace-match (concat "asy-TeX-master-file: \"" asy-TeX-master-file "\"")) (insert (concat " /// Local Variables: /// asy-TeX-master-file: \"" asy-TeX-master-file "\" /// End:")) t)))) (defun asy-unset-master-tex () "Set the local variable 'asy-TeX-master-file to 'nil. This variable is used by 'asy-master-tex-view-ps" (interactive) (set (make-local-variable 'asy-TeX-master-file) nil) (save-excursion (end-of-buffer) (if (re-search-backward "^.*asy-TeX-master-file:.*\n" 0 t) (replace-match "")))) (defun asy-master-tex-error () "Asy-mode internal use..." (if (y-or-n-p "You try to compile the TeX document that contains this picture. You must set the local variable asy-TeX-master-file. Do you want set this variable now ?") (asy-set-master-tex) nil)) (defun asy-master-tex-view (Func-view &optional Force fromtex) "Compile the LaTeX document that contains the picture of the current Asymptote code with the function Func-view. Func-view can be one of 'lasy-view-ps, 'lasy-view-pdf-via-pdflatex, 'lasy-view-pdf-via-ps2pdf." (interactive) (if (or (and (boundp two-mode-bool) two-mode-bool) (string-match "latex" (downcase mode-name))) (progn ;; Current mode is lasy-mode or latex-mode not asy-mode (funcall Func-view Force nil fromtex)) (if asy-TeX-master-file (if (string= asy-TeX-master-file (file-name-sans-extension buffer-file-name)) (error "You should never give the same name to the TeX file and the Asymptote file") (funcall Func-view Force asy-TeX-master-file fromtex)) (if (asy-master-tex-error) (funcall Func-view Force asy-TeX-master-file fromtex))))) (defvar asy-last-compilation-code nil "Code returned by the last compilation with `compile'.") (defvar asy-compilation-auto-close nil "Variable to communicate with `asy-compilation-finish-function'. Do not set this variable in any fashion.") (defun asy-compilation-finish-function (buf msg) "Function to automatically close the compilation buffer '*asy-compilation*' when no error or warning occurs." (when (string-match "*asy-compilation*" (buffer-name buf)) (when (and asy-compilation-auto-close (eq asy-compilation-buffer 'none)) (setq asy-compilation-auto-close nil) (if (not (string-match "exited abnormally" msg)) (progn (save-excursion (set-buffer buf) (beginning-of-buffer) (if (not (search-forward-regexp "[wW]arning" nil t)) (when (not (eq asy-compilation-buffer 'visible)) ;;no errors/Warning, make the compilation window go away (run-at-time 0.5 nil (lambda (buf_) (delete-windows-on buf_) (kill-buffer buf_)) buf) (message (replace-regexp-in-string "\n" "" msg))) (message "Compilation warnings...")))))))) (if running-xemacs-p (setq compilation-finish-function 'asy-compilation-finish-function) (add-to-list 'compilation-finish-functions 'asy-compilation-finish-function)) (defun asy-compilation-wait(&optional pass auto-close) "Wait for process in *asy-compilation* exits. If pass is 't' don't wait. If auto-close is 't' close the window if the process exit with success." (setq asy-compilation-auto-close auto-close) (let* ((buff (get-buffer "*asy-compilation*")) (comp-proc (get-buffer-process buff))) (while (and comp-proc (not (eq (process-status comp-proc) 'exit)) (not pass)) (setq comp-proc (get-buffer-process buff)) (sit-for 1) (message "Waiting process...") ;; need message in Windows system ) (message "") ;; Erase previous message. (if (and (not pass) comp-proc) (setq asy-last-compilation-code (process-exit-status comp-proc)) (setq asy-last-compilation-code 0)) (when (and (eq asy-compilation-buffer 'available) (zerop asy-last-compilation-code)) (delete-windows-on buff)))) (defun asy-internal-shell (command &optional pass) "Execute 'command' in a inferior shell discarding output and redirecting stderr in the file given by the command `asy-log-filename'. `asy-internal-shell' waits for PROGRAM to terminate and returns a numeric exit status. The variable `asy-last-compilation-code' is always set to the exit status. The optional argument pass, for compatibility, is not used." (let* ((log-file (asy-log-filename)) (discard (if pass 0 nil)) (status (progn (let ((view-inhibit-help-message t))(write-region "" 0 log-file nil)) (message "%s" command) (call-process shell-file-name nil (list nil log-file) nil shell-command-switch command)))) (setq asy-last-compilation-code (if status status 0)) (if status status nil))) ;; (defun asy-internal-shell (command &optional pass) ;; "Execute 'command' in a inferior shell discarding output and ;; redirecting stderr in the file given by the command `asy-log-filename'. ;; pass non-nil means `asy-internal-shell' returns immediately with nil value. ;; Otherwise it waits for PROGRAM to terminate and returns a numeric exit status. ;; The variable `asy-last-compilation-code' is always set to the exit status or 0 if the ;; process returns immediately." ;; (let* ((log-file (asy-log-filename)) ;; (discard (if pass 0 nil)) ;; (status ;; (progn ;; (let ((inhibit-redisplay t))(write-region "" 0 log-file nil)) ;; (message "%s" command) ;; (call-process shell-file-name nil (list discard log-file) nil shell-command-switch command)))) ;; (setq asy-last-compilation-code (if status status 0)) ;; (when pass (sit-for 1)) ;; (if status status nil))) (defun asy-internal-compile (command &optional pass auto-close stderr) "Execute command. pass non-nil means don't wait the end of the process. auto-close non-nil means automatically close the compilation buffer. stderr non-nil means redirect the standard output error to the file returned by `asy-log-filename'. In this case command is running in an inferior shell without any output and the parameter auto-close is not used (see `asy-internal-shell')." (setq asy-last-compilation-code -1) (let* ((compilation-buffer-name "*asy-compilation*") (compilation-buffer-name-function (lambda (mj) compilation-buffer-name))) (if (or stderr (eq asy-compilation-buffer 'never)) (progn (asy-internal-shell command pass) (asy-error-message t)) (progn (let ((comp-proc (get-buffer-process compilation-buffer-name))) (if comp-proc (condition-case () (progn (interrupt-process comp-proc) (sit-for 1) (delete-process comp-proc) (when (and asy-compilation-auto-close (eq asy-compilation-buffer 'none) (not (eq asy-compilation-buffer 'visible))) (sit-for 0.6))) (error "")) )) (let ((view-inhibit-help-message t)) (write-region "" 0 (asy-log-filename) nil)) (compile command)) (asy-compilation-wait pass auto-close)))) (defun asy-open-file(Filename) "Open the ps or pdf file Filename. In unix-like system the variables `ps-view-command' and `pdf-view-command' are used. In Windows the associated system file type is used instead." (let ((command (if running-unix-p (let ((ext (file-name-extension Filename))) (cond ((string= ext "ps") ps-view-command) ((string= ext "pdf") pdf-view-command) (t (error "Extension Not Supported.")))) (asy-protect-file-name (file-name-nondirectory Filename)))) ) (if running-unix-p (start-process "" nil command Filename) (call-process-shell-command command nil 0)))) (defun lasy-TeX-master-file () "Return the file name of the master file for the current document. The returned string contain the directory but does not contain the extension of the file." (expand-file-name (concat (TeX-master-directory) (TeX-master-file nil t)))) (defun lasy-must-compile-p (TeX-Master-File out-file &optional Force) "" (or Force (file-newer-than-file-p (concat TeX-Master-File ".tex") out-file) (and (stringp (TeX-master-file)) ;; current buffer is not a mater tex file (file-newer-than-file-p buffer-file-name out-file)))) (defun lasy-view-ps (&optional Force Filename fromtex) "Compile a LaTeX document embedding Asymptote code with latex->asy->latex->dvips and/or view the PostScript output. If optional argument Force is t then force compilation." (interactive) (setq lasy-run-tex t) (setq lasy-compile-tex fromtex) (if (buffer-modified-p) (save-buffer)) (when (eq asy-compilation-buffer 'never) (write-region "" 0 (asy-log-filename) nil)) (let* ((b-b-n (if Filename Filename (lasy-TeX-master-file))) (b-b-n-tex (asy-protect-file-name (concat b-b-n ".tex"))) (b-b-n-ps (asy-protect-file-name (concat b-b-n ".ps"))) (b-b-n-dvi (asy-protect-file-name (concat b-b-n ".dvi"))) (b-b-n-asy (asy-protect-file-name (concat b-b-n ".asy"))) (stderr (eq asy-compilation-buffer 'never))) (if (lasy-must-compile-p b-b-n (concat b-b-n ".ps") Force) (progn (let ((default-directory (file-name-directory b-b-n))) (asy-internal-compile (concat lasy-latex-command " " b-b-n-tex)) (when (and (zerop asy-last-compilation-code) (file-readable-p (concat b-b-n ".asy"))) (asy-internal-compile (concat asy-command-location lasy-command " " b-b-n-asy) nil nil stderr) (when (zerop asy-last-compilation-code) (asy-internal-compile (concat lasy-latex-command " " b-b-n-tex)))) (when (zerop asy-last-compilation-code) (asy-internal-compile (concat lasy-dvips-command " " b-b-n-dvi " -o " b-b-n-ps) nil t) (when (zerop asy-last-compilation-code) (asy-open-file (concat b-b-n ".ps")))))) (asy-open-file (concat b-b-n ".ps"))))) (defun lasy-view-pdf-via-pdflatex (&optional Force Filename fromtex) "Compile a LaTeX document embedding Asymptote code with pdflatex->asy->pdflatex and/or view the PDF output. If optional argument Force is t then force compilation." (interactive) (setq lasy-run-tex t) (setq lasy-compile-tex fromtex) (if (buffer-modified-p) (save-buffer)) (when (eq asy-compilation-buffer 'never) (write-region "" 0 (asy-log-filename) nil)) (let* ((b-b-n (if Filename Filename (lasy-TeX-master-file))) (b-b-n-tex (asy-protect-file-name (concat b-b-n ".tex"))) (b-b-n-pdf (asy-protect-file-name (concat b-b-n ".pdf"))) (b-b-n-asy (asy-protect-file-name (concat b-b-n ".asy"))) ;; (stderr (or (eq asy-compilation-buffer 'never) lasy-compile-tex))) (stderr (eq asy-compilation-buffer 'never))) (if (lasy-must-compile-p b-b-n (concat b-b-n ".pdf") Force) (progn (let ((default-directory (file-name-directory b-b-n))) (asy-internal-compile (concat lasy-pdflatex-command " " b-b-n-tex)) (when (and (zerop asy-last-compilation-code) (file-readable-p (concat b-b-n ".asy"))) (asy-internal-compile (concat asy-command-location lasy-command " " b-b-n-asy) nil nil stderr) (when (zerop asy-last-compilation-code) (asy-internal-compile (concat lasy-pdflatex-command " " b-b-n-tex) t))) (when (zerop asy-last-compilation-code) (asy-open-file (concat b-b-n ".pdf"))))) (asy-open-file (concat b-b-n ".pdf"))))) (defun lasy-view-pdf-via-ps2pdf (&optional Force Filename fromtex) "Compile a LaTeX document embedding Asymptote code with latex->asy->latex->dvips->ps2pdf14 and/or view the PDF output. If optional argument Force is t then force compilation." (interactive) (setq lasy-run-tex t) (setq lasy-compile-tex fromtex) (if (buffer-modified-p) (save-buffer)) (when (eq asy-compilation-buffer 'never) (write-region "" 0 (asy-log-filename) nil)) (let* ((b-b-n (if Filename Filename (lasy-TeX-master-file))) (b-b-n-tex (asy-protect-file-name (concat b-b-n ".tex"))) (b-b-n-ps (asy-protect-file-name (concat b-b-n ".ps"))) (b-b-n-dvi (asy-protect-file-name (concat b-b-n ".dvi"))) (b-b-n-pdf (asy-protect-file-name (concat b-b-n ".pdf"))) (b-b-n-asy (asy-protect-file-name (concat b-b-n ".asy"))) ;; (stderr (or (eq asy-compilation-buffer 'never) lasy-compile-tex))) (stderr (eq asy-compilation-buffer 'never))) (if (lasy-must-compile-p b-b-n (concat b-b-n ".pdf") Force) (progn (let ((default-directory (file-name-directory b-b-n))) (asy-internal-compile (concat lasy-latex-command " " b-b-n-tex)) (when (and (zerop asy-last-compilation-code) (file-readable-p (concat b-b-n ".asy"))) (asy-internal-compile (concat asy-command-location lasy-command " " b-b-n-asy) nil nil stderr) (when (zerop asy-last-compilation-code) (asy-internal-compile (concat lasy-latex-command " " b-b-n-tex)))) (when (zerop asy-last-compilation-code) (asy-internal-compile (concat lasy-dvips-pre-pdf-command " " b-b-n-dvi " -o " b-b-n-ps)) (when (zerop asy-last-compilation-code) (asy-internal-compile (concat lasy-ps2pdf-command " " b-b-n-ps " " b-b-n-pdf) t) (when (zerop asy-last-compilation-code) (asy-open-file (concat b-b-n ".pdf"))))))) (asy-open-file (concat b-b-n ".pdf"))))) ;; Goto error of last compilation (define-key asy-mode-map (kbd "") 'asy-goto-error) ;; Save and compile the file with option -V (define-key asy-mode-map (kbd "C-c C-c") 'asy-compile) ;; Show the definitions of command at point (define-key asy-mode-map (kbd "C-c ?") 'asy-show-function-at-point) ;; new line and indent (define-key asy-mode-map (kbd "RET") 'newline-and-indent) (defun asy-master-tex-view-ps () "Look at `asy-master-tex-view'" (interactive) (asy-master-tex-view 'lasy-view-ps nil t)) (define-key asy-mode-map (kbd "") 'asy-master-tex-view-ps) (defun asy-master-tex-view-ps-f () "Look at `asy-master-tex-view'" (interactive) (asy-master-tex-view 'lasy-view-ps t t)) (define-key asy-mode-map (kbd "") 'asy-master-tex-view-ps-f) (defun asy-master-tex-view-pdflatex () "Look at `asy-master-tex-view'" (interactive) (asy-master-tex-view 'lasy-view-pdf-via-pdflatex nil t)) (define-key asy-mode-map (kbd "") 'asy-master-tex-view-pdflatex) (defun asy-master-tex-view-pdflatex-f () "Look at `asy-master-tex-view'" (interactive) (asy-master-tex-view 'lasy-view-pdf-via-pdflatex t t)) (define-key asy-mode-map (kbd "") 'asy-master-tex-view-pdflatex-f) (defun asy-master-tex-view-ps2pdf () "Look at `asy-master-tex-view'" (interactive) (asy-master-tex-view 'lasy-view-pdf-via-ps2pdf nil t)) (define-key asy-mode-map (kbd "") 'asy-master-tex-view-ps2pdf) (defun asy-master-tex-view-ps2pdf-f () "Look at `asy-master-tex-view'" (interactive) (asy-master-tex-view 'lasy-view-pdf-via-ps2pdf t t)) (define-key asy-mode-map (kbd "") 'asy-master-tex-view-ps2pdf-f) (provide `asy-mode) ;;; asy-mode.el ends here asymptote-2.62/base/plain_constants.asy0000644000000000000000000000720413607467113017030 0ustar rootrootrestricted int undefined=(intMax % 2 == 1) ? intMax : intMax-1; restricted real inches=72; restricted real inch=inches; restricted real cm=inches/2.54; restricted real mm=0.1cm; restricted real bp=1; // A PostScript point. restricted real pt=72.0/72.27; // A TeX pt; smaller than a PostScript bp. restricted pair I=(0,1); restricted pair right=(1,0); restricted pair left=(-1,0); restricted pair up=(0,1); restricted pair down=(0,-1); restricted pair E=(1,0); restricted pair N=(0,1); restricted pair W=(-1,0); restricted pair S=(0,-1); restricted pair NE=unit(N+E); restricted pair NW=unit(N+W); restricted pair SW=unit(S+W); restricted pair SE=unit(S+E); restricted pair ENE=unit(E+NE); restricted pair NNE=unit(N+NE); restricted pair NNW=unit(N+NW); restricted pair WNW=unit(W+NW); restricted pair WSW=unit(W+SW); restricted pair SSW=unit(S+SW); restricted pair SSE=unit(S+SE); restricted pair ESE=unit(E+SE); restricted real sqrtEpsilon=sqrt(realEpsilon); restricted pair Align=sqrtEpsilon*NE; restricted int mantissaBits=ceil(-log(realEpsilon)/log(2))+1; restricted transform identity; restricted transform zeroTransform=(0,0,0,0,0,0); int min(... int[] a) {return min(a);} int max(... int[] a) {return max(a);} real min(... real[] a) {return min(a);} real max(... real[] a) {return max(a);} bool finite(real x) { return abs(x) < infinity; } bool finite(pair z) { return abs(z.x) < infinity && abs(z.y) < infinity; } bool finite(triple v) { return abs(v.x) < infinity && abs(v.y) < infinity && abs(v.z) < infinity; } restricted file stdin=input(); restricted file stdout=output(); void none(file file) {} void endl(file file) {write(file,'\n',flush);} void newl(file file) {write(file,'\n');} void DOSendl(file file) {write(file,'\r\n',flush);} void DOSnewl(file file) {write(file,'\r\n');} void tab(file file) {write(file,'\t');} void comma(file file) {write(file,',');} typedef void suffix(file); // Used by interactive write to warn that the outputted type is the resolution // of an overloaded name. void overloadedMessage(file file) { write(file,' '); endl(file); } void write(suffix suffix=endl) {suffix(stdout);} void write(file file, suffix suffix=none) {suffix(file);} path box(pair a, pair b) { return a--(b.x,a.y)--b--(a.x,b.y)--cycle; } restricted path unitsquare=box((0,0),(1,1)); restricted path unitcircle=E..N..W..S..cycle; restricted real circleprecision=0.0006; restricted transform invert=reflect((0,0),(1,0)); restricted pen defaultpen; // A type that takes on one of the values true, false, or default. struct bool3 { bool value; bool set; } void write(file file, string s="", bool3 b, suffix suffix=none) { if(b.set) write(b.value,suffix); else write("default",suffix); } void write(string s="", bool3 b, suffix suffix=endl) { write(stdout,s,b,suffix); } restricted bool3 default; bool operator cast(bool3 b) { return b.set && b.value; } bool3 operator cast(bool b) { bool3 B; B.value=b; B.set=true; return B; } bool operator == (bool3 a, bool3 b) { return a.set == b.set && (!a.set || (a.value == b.value)); } bool operator != (bool3 a, bool3 b) { return a.set != b.set || (a.set && (a.value != b.value)); } bool operator == (bool3 a, bool b) { return a.set && a.value == b; } bool operator != (bool3 a, bool b) { return !a.set || a.value != b; } bool operator == (bool a, bool3 b) { return b.set && b.value == a; } bool operator != (bool a, bool3 b) { return !b.set || b.value != a; } bool[] operator cast(bool3[] b) { return sequence(new bool(int i) {return b[i];},b.length); } bool3[] operator cast(bool[] b) { return sequence(new bool3(int i) {return b[i];},b.length); } asymptote-2.62/base/plain_picture.asy0000644000000000000000000013351713607467113016476 0ustar rootroot// Pre picture <<<1 import plain_scaling; import plain_bounds; include plain_prethree; // This variable is required by asymptote.sty. pair viewportsize=0; // Horizontal and vertical viewport limits. restricted bool Aspect=true; restricted bool IgnoreAspect=false; struct coords3 { coord[] x,y,z; void erase() { x.delete(); y.delete(); z.delete(); } // Only a shallow copy of the individual elements of x and y // is needed since, once entered, they are never modified. coords3 copy() { coords3 c=new coords3; c.x=copy(x); c.y=copy(y); c.z=copy(z); return c; } void append(coords3 c) { x.append(c.x); y.append(c.y); z.append(c.z); } void push(triple user, triple truesize) { x.push(coord.build(user.x,truesize.x)); y.push(coord.build(user.y,truesize.y)); z.push(coord.build(user.z,truesize.z)); } void push(coord cx, coord cy, coord cz) { x.push(cx); y.push(cy); z.push(cz); } void push(transform3 t, coords3 c1, coords3 c2, coords3 c3) { for(int i=0; i < c1.x.length; ++i) { coord cx=c1.x[i], cy=c2.y[i], cz=c3.z[i]; triple tinf=shiftless(t)*(0,0,0); triple z=t*(cx.user,cy.user,cz.user); triple w=(cx.truesize,cy.truesize,cz.truesize); w=length(w)*unit(shiftless(t)*w); coord Cx,Cy,Cz; Cx.user=z.x; Cy.user=z.y; Cz.user=z.z; Cx.truesize=w.x; Cy.truesize=w.y; Cz.truesize=w.z; push(Cx,Cy,Cz); } } } // scaleT and Legend <<< typedef real scalefcn(real x); struct scaleT { scalefcn T,Tinv; bool logarithmic; bool automin,automax; void operator init(scalefcn T, scalefcn Tinv, bool logarithmic=false, bool automin=false, bool automax=false) { this.T=T; this.Tinv=Tinv; this.logarithmic=logarithmic; this.automin=automin; this.automax=automax; } scaleT copy() { scaleT dest=scaleT(T,Tinv,logarithmic,automin,automax); return dest; } }; scaleT operator init() { scaleT S=scaleT(identity,identity); return S; } typedef void boundRoutine(); struct autoscaleT { scaleT scale; scaleT postscale; real tickMin=-infinity, tickMax=infinity; boundRoutine[] bound; // Optional routines to recompute the bounding box. bool automin=false, automax=false; bool automin() {return automin && scale.automin;} bool automax() {return automax && scale.automax;} real T(real x) {return postscale.T(scale.T(x));} scalefcn T() {return scale.logarithmic ? postscale.T : T;} real Tinv(real x) {return scale.Tinv(postscale.Tinv(x));} autoscaleT copy() { autoscaleT dest=new autoscaleT; dest.scale=scale.copy(); dest.postscale=postscale.copy(); dest.tickMin=tickMin; dest.tickMax=tickMax; dest.bound=copy(bound); dest.automin=(bool) automin; dest.automax=(bool) automax; return dest; } } struct ScaleT { bool set; autoscaleT x; autoscaleT y; autoscaleT z; ScaleT copy() { ScaleT dest=new ScaleT; dest.set=set; dest.x=x.copy(); dest.y=y.copy(); dest.z=z.copy(); return dest; } }; struct Legend { string label; pen plabel; pen p; frame mark; bool above; void operator init(string label, pen plabel=currentpen, pen p=nullpen, frame mark=newframe, bool above=true) { this.label=label; this.plabel=plabel; this.p=(p == nullpen) ? plabel : p; this.mark=mark; this.above=above; } } // >>> // Frame Alignment was here triple min3(pen p) { return linewidth(p)*(-0.5,-0.5,-0.5); } triple max3(pen p) { return linewidth(p)*(0.5,0.5,0.5); } // A function that draws an object to frame pic, given that the transform // from user coordinates to true-size coordinates is t. typedef void drawer(frame f, transform t); // A generalization of drawer that includes the final frame's bounds. // TODO: Add documentation as to what T is. typedef void drawerBound(frame f, transform t, transform T, pair lb, pair rt); struct node { drawerBound d; string key; void operator init(drawerBound d, string key=xasyKEY()) { this.d=d; this.key=key; } } // PairOrTriple <<<1 // This struct is used to represent a userMin/userMax which serves as both a // pair and a triple depending on the context. struct pairOrTriple { real x,y,z; void init() { x = y = z = 0; } }; void copyPairOrTriple(pairOrTriple dest, pairOrTriple src) { dest.x = src.x; dest.y = src.y; dest.z = src.z; } pair operator cast (pairOrTriple a) { return (a.x, a.y); }; triple operator cast (pairOrTriple a) { return (a.x, a.y, a.z); } void write(pairOrTriple a) { write((triple) a); } struct picture { // <<<1 // Nodes <<<2 // Three-dimensional version of drawer and drawerBound: typedef void drawer3(frame f, transform3 t, picture pic, projection P); typedef void drawerBound3(frame f, transform3 t, transform3 T, picture pic, projection P, triple lb, triple rt); struct node3 { drawerBound3 d; string key; void operator init(drawerBound3 d, string key=xasyKEY()) { this.d=d; this.key=key; } } // The functions to do the deferred drawing. node[] nodes; node3[] nodes3; bool uptodate=true; struct bounds3 { coords3 point,min,max; bool exact=true; // An accurate picture bounds is provided by the user. void erase() { point.erase(); min.erase(); max.erase(); } bounds3 copy() { bounds3 b=new bounds3; b.point=point.copy(); b.min=min.copy(); b.max=max.copy(); b.exact=exact; return b; } } bounds bounds; bounds3 bounds3; // Other Fields <<<2 // Transform to be applied to this picture. transform T; transform3 T3; // The internal representation of the 3D user bounds. private pairOrTriple umin, umax; private bool usetx, usety, usetz; ScaleT scale; // Needed by graph Legend[] legend; pair[] clipmax; // Used by beginclip/endclip pair[] clipmin; // The maximum sizes in the x, y, and z directions; zero means no restriction. real xsize=0, ysize=0; real xsize3=0, ysize3=0, zsize3=0; // Fixed unitsizes in the x y, and z directions; zero means use // xsize, ysize, and zsize. real xunitsize=0, yunitsize=0, zunitsize=0; // If true, the x and y directions must be scaled by the same amount. bool keepAspect=true; // A fixed scaling transform. bool fixed; transform fixedscaling; // Init and erase <<<2 void init() { umin.init(); umax.init(); usetx=usety=usetz=false; T3=identity(4); } init(); // Erase the current picture, retaining bounds. void clear() { nodes.delete(); nodes3.delete(); legend.delete(); } // Erase the current picture, retaining any size specification. void erase() { clear(); bounds.erase(); bounds3.erase(); T=identity(); scale=new ScaleT; init(); } // Empty <<<2 bool empty2() { return nodes.length == 0; } bool empty3() { return nodes3.length == 0; } bool empty() { return empty2() && empty3(); } // User min/max <<<2 pair userMin2() {return bounds.userMin(); } pair userMax2() {return bounds.userMax(); } bool userSetx2() { return bounds.userBoundsAreSet(); } bool userSety2() { return bounds.userBoundsAreSet(); } triple userMin3() { return umin; } triple userMax3() { return umax; } bool userSetx3() { return usetx; } bool userSety3() { return usety; } bool userSetz3() { return usetz; } private typedef real binop(real, real); // Helper functions for finding the minimum/maximum of two data, one of // which may not be defined. private static real merge(real x1, bool set1, real x2, bool set2, binop m) { return set1 ? (set2 ? m(x1,x2) : x1) : x2; } private pairOrTriple userExtreme(pair u2(), triple u3(), binop m) { bool setx2 = userSetx2(); bool sety2 = userSety2(); bool setx3 = userSetx3(); bool sety3 = userSety3(); pair p; if (setx2 || sety2) p = u2(); triple t = u3(); pairOrTriple r; r.x = merge(p.x, setx2, t.x, setx3, m); r.y = merge(p.y, sety2, t.y, sety3, m); r.z = t.z; return r; } // The combination of 2D and 3D data. pairOrTriple userMin() { return userExtreme(userMin2, userMin3, min); } pairOrTriple userMax() { return userExtreme(userMax2, userMax3, max); } bool userSetx() { return userSetx2() || userSetx3(); } bool userSety() { return userSety2() || userSety3(); } bool userSetz() = userSetz3; // Functions for setting the user bounds. void userMinx3(real x) { umin.x=x; usetx=true; } void userMiny3(real y) { umin.y=y; usety=true; } void userMinz3(real z) { umin.z=z; usetz=true; } void userMaxx3(real x) { umax.x=x; usetx=true; } void userMaxy3(real y) { umax.y=y; usety=true; } void userMaxz3(real z) { umax.z=z; usetz=true; } void userMinx2(real x) { bounds.alterUserBound("minx", x); } void userMinx(real x) { userMinx2(x); userMinx3(x); } void userMiny2(real y) { bounds.alterUserBound("miny", y); } void userMiny(real y) { userMiny2(y); userMiny3(y); } void userMaxx2(real x) { bounds.alterUserBound("maxx", x); } void userMaxx(real x) { userMaxx2(x); userMaxx3(x); } void userMaxy2(real y) { bounds.alterUserBound("maxy", y); } void userMaxy(real y) { userMaxy2(y); userMaxy3(y); } void userMinz(real z) = userMinz3; void userMaxz(real z) = userMaxz3; void userCorners3(triple c000, triple c001, triple c010, triple c011, triple c100, triple c101, triple c110, triple c111) { umin.x = min(c000.x,c001.x,c010.x,c011.x,c100.x,c101.x,c110.x,c111.x); umin.y = min(c000.y,c001.y,c010.y,c011.y,c100.y,c101.y,c110.y,c111.y); umin.z = min(c000.z,c001.z,c010.z,c011.z,c100.z,c101.z,c110.z,c111.z); umax.x = max(c000.x,c001.x,c010.x,c011.x,c100.x,c101.x,c110.x,c111.x); umax.y = max(c000.y,c001.y,c010.y,c011.y,c100.y,c101.y,c110.y,c111.y); umax.z = max(c000.z,c001.z,c010.z,c011.z,c100.z,c101.z,c110.z,c111.z); } // Cache the current user-space bounding box x coodinates void userBoxX3(real min, real max, binop m=min, binop M=max) { if (usetx) { umin.x=m(umin.x,min); umax.x=M(umax.x,max); } else { umin.x=min; umax.x=max; usetx=true; } } // Cache the current user-space bounding box y coodinates void userBoxY3(real min, real max, binop m=min, binop M=max) { if (usety) { umin.y=m(umin.y,min); umax.y=M(umax.y,max); } else { umin.y=min; umax.y=max; usety=true; } } // Cache the current user-space bounding box z coodinates void userBoxZ3(real min, real max, binop m=min, binop M=max) { if (usetz) { umin.z=m(umin.z,min); umax.z=M(umax.z,max); } else { umin.z=min; umax.z=max; usetz=true; } } // Cache the current user-space bounding box void userBox3(triple min, triple max) { userBoxX3(min.x,max.x); userBoxY3(min.y,max.y); userBoxZ3(min.z,max.z); } // Add drawer <<<2 void add(drawerBound d, bool exact=false, bool above=true) { uptodate=false; if(!exact) bounds.exact=false; if(above) nodes.push(node(d)); else nodes.insert(0,node(d)); } // Faster implementation of most common case. void addExactAbove(drawerBound d) { uptodate=false; nodes.push(node(d)); } void add(drawer d, bool exact=false, bool above=true) { add(new void(frame f, transform t, transform T, pair, pair) { d(f,t*T); },exact,above); } void add(drawerBound3 d, bool exact=false, bool above=true) { uptodate=false; if(!exact) bounds.exact=false; if(above) nodes3.push(node3(d)); else nodes3.insert(0,node3(d)); } void add(drawer3 d, bool exact=false, bool above=true) { add(new void(frame f, transform3 t, transform3 T, picture pic, projection P, triple, triple) { d(f,t*T,pic,P); },exact,above); } // Clip <<<2 void clip(pair min, pair max, drawer d, bool exact=false) { bounds.clip(min, max); this.add(d,exact); } void clip(pair min, pair max, drawerBound d, bool exact=false) { bounds.clip(min, max); this.add(d,exact); } // Add sizing <<<2 // Add a point to the sizing. void addPoint(pair user, pair truesize=0) { bounds.addPoint(user,truesize); //userBox(user,user); } // Add a point to the sizing, accounting also for the size of the pen. void addPoint(pair user, pair truesize=0, pen p) { addPoint(user,truesize+min(p)); addPoint(user,truesize+max(p)); } void addPoint(triple user, triple truesize=(0,0,0)) { bounds3.point.push(user,truesize); userBox3(user,user); } void addPoint(triple user, triple truesize=(0,0,0), pen p) { addPoint(user,truesize+min3(p)); addPoint(user,truesize+max3(p)); } // Add a box to the sizing. void addBox(pair userMin, pair userMax, pair trueMin=0, pair trueMax=0) { bounds.addBox(userMin, userMax, trueMin, trueMax); } void addBox(triple userMin, triple userMax, triple trueMin=(0,0,0), triple trueMax=(0,0,0)) { bounds3.min.push(userMin,trueMin); bounds3.max.push(userMax,trueMax); userBox3(userMin,userMax); } // For speed reason, we unravel the addPath routines from bounds. This // avoids an extra function call. from bounds unravel addPath; // Size commands <<<2 void size(real x, real y=x, bool keepAspect=this.keepAspect) { if(!empty()) uptodate=false; xsize=x; ysize=y; this.keepAspect=keepAspect; } void size3(real x, real y=x, real z=y, bool keepAspect=this.keepAspect) { if(!empty3()) uptodate=false; xsize3=x; ysize3=y; zsize3=z; this.keepAspect=keepAspect; } void unitsize(real x, real y=x, real z=y) { uptodate=false; xunitsize=x; yunitsize=y; zunitsize=z; } // min/max of picture <<<2 // Calculate the min for the final frame, given the coordinate transform. pair min(transform t) { return bounds.min(t); } // Calculate the max for the final frame, given the coordinate transform. pair max(transform t) { return bounds.max(t); } // Calculate the min for the final frame, given the coordinate transform. triple min(transform3 t) { if(bounds3.min.x.length == 0 && bounds3.point.x.length == 0 && bounds3.max.x.length == 0) return (0,0,0); triple a=t*(1,1,1)-t*(0,0,0), b=t*(0,0,0); scaling xs=scaling.build(a.x,b.x); scaling ys=scaling.build(a.y,b.y); scaling zs=scaling.build(a.z,b.z); return (min(min(min(infinity,xs,bounds3.point.x),xs,bounds3.min.x), xs,bounds3.max.x), min(min(min(infinity,ys,bounds3.point.y),ys,bounds3.min.y), ys,bounds3.max.y), min(min(min(infinity,zs,bounds3.point.z),zs,bounds3.min.z), zs,bounds3.max.z)); } // Calculate the max for the final frame, given the coordinate transform. triple max(transform3 t) { if(bounds3.min.x.length == 0 && bounds3.point.x.length == 0 && bounds3.max.x.length == 0) return (0,0,0); triple a=t*(1,1,1)-t*(0,0,0), b=t*(0,0,0); scaling xs=scaling.build(a.x,b.x); scaling ys=scaling.build(a.y,b.y); scaling zs=scaling.build(a.z,b.z); return (max(max(max(-infinity,xs,bounds3.point.x),xs,bounds3.min.x), xs,bounds3.max.x), max(max(max(-infinity,ys,bounds3.point.y),ys,bounds3.min.y), ys,bounds3.max.y), max(max(max(-infinity,zs,bounds3.point.z),zs,bounds3.min.z), zs,bounds3.max.z)); } void append(coords3 point, coords3 min, coords3 max, transform3 t, bounds3 bounds) { // Add the coord info to this picture. if(t == identity4) { point.append(bounds.point); min.append(bounds.min); max.append(bounds.max); } else { point.push(t,bounds.point,bounds.point,bounds.point); // Add in all 8 corner points, to properly size cuboid pictures. point.push(t,bounds.min,bounds.min,bounds.min); point.push(t,bounds.min,bounds.min,bounds.max); point.push(t,bounds.min,bounds.max,bounds.min); point.push(t,bounds.min,bounds.max,bounds.max); point.push(t,bounds.max,bounds.min,bounds.min); point.push(t,bounds.max,bounds.min,bounds.max); point.push(t,bounds.max,bounds.max,bounds.min); point.push(t,bounds.max,bounds.max,bounds.max); } } // Scaling and Fit <<<2 // Returns the transform for turning user-space pairs into true-space pairs. transform scaling(real xsize, real ysize, bool keepAspect=true, bool warn=true) { bounds b = (T == identity()) ? this.bounds : T * this.bounds; return b.scaling(xsize, ysize, xunitsize, yunitsize, keepAspect, warn); } transform scaling(bool warn=true) { return scaling(xsize,ysize,keepAspect,warn); } // Returns the transform for turning user-space pairs into true-space triples. transform3 scaling(real xsize, real ysize, real zsize, bool keepAspect=true, bool warn=true) { if(xsize == 0 && xunitsize == 0 && ysize == 0 && yunitsize == 0 && zsize == 0 && zunitsize == 0) return identity(4); coords3 Coords; append(Coords,Coords,Coords,T3,bounds3); real sx; if(xunitsize == 0) { if(xsize != 0) sx=calculateScaling("x",Coords.x,xsize,warn); } else sx=xunitsize; real sy; if(yunitsize == 0) { if(ysize != 0) sy=calculateScaling("y",Coords.y,ysize,warn); } else sy=yunitsize; real sz; if(zunitsize == 0) { if(zsize != 0) sz=calculateScaling("z",Coords.z,zsize,warn); } else sz=zunitsize; if(sx == 0) { sx=max(sy,sz); if(sx == 0) return identity(4); } if(sy == 0) sy=max(sz,sx); if(sz == 0) sz=max(sx,sy); if(keepAspect && (xunitsize == 0 || yunitsize == 0 || zunitsize == 0)) return scale3(min(sx,sy,sz)); else return scale(sx,sy,sz); } transform3 scaling3(bool warn=true) { return scaling(xsize3,ysize3,zsize3,keepAspect,warn); } frame fit(transform t, transform T0=T, pair m, pair M) { frame f; for(node n : nodes) { xasyKEY(n.key); n.d(f,t,T0,m,M); } return f; } frame fit3(transform3 t, transform3 T0=T3, picture pic, projection P, triple m, triple M) { frame f; for(node3 n : nodes3) { xasyKEY(n.key); n.d(f,t,T0,pic,P,m,M); } return f; } // Returns a rigid version of the picture using t to transform user coords // into truesize coords. frame fit(transform t) { return fit(t,min(t),max(t)); } frame fit3(transform3 t, picture pic, projection P) { return fit3(t,pic,P,min(t),max(t)); } // Add drawer wrappers <<<2 void add(void d(picture, transform), bool exact=false) { add(new void(frame f, transform t) { picture opic=new picture; d(opic,t); add(f,opic.fit(identity())); },exact); } void add(void d(picture, transform3), bool exact=false, bool above=true) { add(new void(frame f, transform3 t, picture pic2, projection P) { picture opic=new picture; d(opic,t); add(f,opic.fit3(identity4,pic2,P)); },exact,above); } void add(void d(picture, transform3, transform3, triple, triple), bool exact=false, bool above=true) { add(new void(frame f, transform3 t, transform3 T, picture pic2, projection P, triple lb, triple rt) { picture opic=new picture; d(opic,t,T,lb,rt); add(f,opic.fit3(identity4,pic2,P)); },exact,above); } // More scaling <<<2 frame scaled() { frame f=fit(fixedscaling); pair d=size(f); static real epsilon=100*realEpsilon; if(d.x > xsize*(1+epsilon)) warning("xlimit","frame exceeds xlimit: "+(string) d.x+" > "+ (string) xsize); if(d.y > ysize*(1+epsilon)) warning("ylimit","frame exceeds ylimit: "+(string) d.y+" > "+ (string) ysize); return f; } // Calculate additional scaling required if only an approximate picture // size estimate is available. transform scale(frame f, real xsize=this.xsize, real ysize=this.ysize, bool keepaspect=this.keepAspect) { if(bounds.exact) return identity(); pair m=min(f); pair M=max(f); real width=M.x-m.x; real height=M.y-m.y; real xgrow=xsize == 0 || width == 0 ? 1 : xsize/width; real ygrow=ysize == 0 || height == 0 ? 1 : ysize/height; if(keepAspect) { real[] grow; if(xsize > 0) grow.push(xgrow); if(ysize > 0) grow.push(ygrow); return scale(grow.length == 0 ? 1 : min(grow)); } else return scale(xgrow,ygrow); } // Calculate additional scaling required if only an approximate picture // size estimate is available. transform3 scale3(frame f, real xsize3=this.xsize3, real ysize3=this.ysize3, real zsize3=this.zsize3, bool keepaspect=this.keepAspect) { if(bounds3.exact) return identity(4); triple m=min3(f); triple M=max3(f); real width=M.x-m.x; real height=M.y-m.y; real depth=M.z-m.z; real xgrow=xsize3 == 0 || width == 0 ? 1 : xsize3/width; real ygrow=ysize3 == 0 || height == 0 ? 1 : ysize3/height; real zgrow=zsize3 == 0 || depth == 0 ? 1 : zsize3/depth; if(keepAspect) { real[] grow; if(xsize3 > 0) grow.push(xgrow); if(ysize3 > 0) grow.push(ygrow); if(zsize3 > 0) grow.push(zgrow); return scale3(grow.length == 0 ? 1 : min(grow)); } else return scale(xgrow,ygrow,zgrow); } // calculateTransform with scaling <<<2 // Return the transform that would be used to fit the picture to a frame transform calculateTransform(real xsize, real ysize, bool keepAspect=true, bool warn=true) { transform t=scaling(xsize,ysize,keepAspect,warn); return scale(fit(t),xsize,ysize,keepAspect)*t; } transform calculateTransform(bool warn=true) { if(fixed) return fixedscaling; return calculateTransform(xsize,ysize,keepAspect,warn); } transform3 calculateTransform3(real xsize=xsize3, real ysize=ysize3, real zsize=zsize3, bool keepAspect=true, bool warn=true, projection P=currentprojection) { transform3 t=scaling(xsize,ysize,zsize,keepAspect,warn); return scale3(fit3(t,null,P),keepAspect)*t; } // min/max with xsize and ysize <<<2 // NOTE: These are probably very slow as implemented. pair min(real xsize=this.xsize, real ysize=this.ysize, bool keepAspect=this.keepAspect, bool warn=true) { return min(calculateTransform(xsize,ysize,keepAspect,warn)); } pair max(real xsize=this.xsize, real ysize=this.ysize, bool keepAspect=this.keepAspect, bool warn=true) { return max(calculateTransform(xsize,ysize,keepAspect,warn)); } triple min3(real xsize=this.xsize3, real ysize=this.ysize3, real zsize=this.zsize3, bool keepAspect=this.keepAspect, bool warn=true, projection P) { return min(calculateTransform3(xsize,ysize,zsize,keepAspect,warn,P)); } triple max3(real xsize=this.xsize3, real ysize=this.ysize3, real zsize=this.zsize3, bool keepAspect=this.keepAspect, bool warn=true, projection P) { return max(calculateTransform3(xsize,ysize,zsize,keepAspect,warn,P)); } // More Fitting <<<2 // Returns the 2D picture fit to the requested size. frame fit2(real xsize=this.xsize, real ysize=this.ysize, bool keepAspect=this.keepAspect) { if(fixed) return scaled(); if(empty2()) return newframe; transform t=scaling(xsize,ysize,keepAspect); frame f=fit(t); transform s=scale(f,xsize,ysize,keepAspect); if(s == identity()) return f; return fit(s*t); } static frame fitter(string,picture,string,real,real,bool,bool,string,string, light,projection); frame fit(string prefix="", string format="", real xsize=this.xsize, real ysize=this.ysize, bool keepAspect=this.keepAspect, bool view=false, string options="", string script="", light light=currentlight, projection P=currentprojection) { return fitter == null ? fit2(xsize,ysize,keepAspect) : fitter(prefix,this,format,xsize,ysize,keepAspect,view,options,script, light,P); } // Fit a 3D picture. frame fit3(projection P=currentprojection) { if(settings.render == 0) return fit(P); if(fixed) return scaled(); if(empty3()) return newframe; transform3 t=scaling(xsize3,ysize3,zsize3,keepAspect); frame f=fit3(t,null,P); transform3 s=scale3(f,xsize3,ysize3,zsize3,keepAspect); if(s == identity4) return f; return fit3(s*t,null,P); } // In case only an approximate picture size estimate is available, return the // fitted frame slightly scaled (including labels and true size distances) // so that it precisely meets the given size specification. frame scale(real xsize=this.xsize, real ysize=this.ysize, bool keepAspect=this.keepAspect) { frame f=fit(xsize,ysize,keepAspect); transform s=scale(f,xsize,ysize,keepAspect); if(s == identity()) return f; return s*f; } // Copying <<<2 // Copies enough information to yield the same userMin/userMax. void userCopy2(picture pic) { userMinx2(pic.userMin2().x); userMiny2(pic.userMin2().y); userMaxx2(pic.userMax2().x); userMaxy2(pic.userMax2().y); } void userCopy3(picture pic) { copyPairOrTriple(umin, pic.umin); copyPairOrTriple(umax, pic.umax); usetx=pic.usetx; usety=pic.usety; usetz=pic.usetz; } void userCopy(picture pic) { userCopy2(pic); userCopy3(pic); } // Copies the drawing information, but not the sizing information into a new // picture. Fitting this picture will not scale as the original picture would. picture drawcopy() { picture dest=new picture; dest.nodes=copy(nodes); dest.nodes3=copy(nodes3); dest.T=T; dest.T3=T3; // TODO: User bounds are sizing info, which probably shouldn't be part of // a draw copy. Should we move this down to copy()? dest.userCopy3(this); dest.scale=scale.copy(); dest.legend=copy(legend); return dest; } // A deep copy of this picture. Modifying the copied picture will not affect // the original. picture copy() { picture dest=drawcopy(); dest.uptodate=uptodate; dest.bounds=bounds.copy(); dest.bounds3=bounds3.copy(); dest.xsize=xsize; dest.ysize=ysize; dest.xsize3=xsize; dest.ysize3=ysize3; dest.zsize3=zsize3; dest.keepAspect=keepAspect; dest.xunitsize=xunitsize; dest.yunitsize=yunitsize; dest.zunitsize=zunitsize; dest.fixed=fixed; dest.fixedscaling=fixedscaling; return dest; } // Helper function for defining transformed pictures. Do not call it // directly. picture transformed(transform t) { picture dest=drawcopy(); // Replace nodes with a single drawer that realizes the transform. node[] oldnodes = dest.nodes; void drawAll(frame f, transform tt, transform T, pair lb, pair rt) { transform Tt = T*t; for (node n : oldnodes) { xasyKEY(n.key); n.d(f,tt,Tt,lb,rt); } } dest.nodes = new node[] {node(drawAll)}; dest.uptodate=uptodate; dest.bounds=bounds.transformed(t); dest.bounds3=bounds3.copy(); dest.bounds.exact=false; dest.xsize=xsize; dest.ysize=ysize; dest.xsize3=xsize; dest.ysize3=ysize3; dest.zsize3=zsize3; dest.keepAspect=keepAspect; dest.xunitsize=xunitsize; dest.yunitsize=yunitsize; dest.zunitsize=zunitsize; dest.fixed=fixed; dest.fixedscaling=fixedscaling; return dest; } // Add Picture <<<2 // Add a picture to this picture, such that the user coordinates will be // scaled identically when fitted void add(picture src, bool group=true, filltype filltype=NoFill, bool above=true) { // Copy the picture. Only the drawing function closures are needed, so we // only copy them. This needs to be a deep copy, as src could later have // objects added to it that should not be included in this picture. if(src == this) abort("cannot add picture to itself"); uptodate=false; picture srcCopy=src.drawcopy(); // Draw by drawing the copied picture. if(srcCopy.nodes.length > 0) { nodes.push(node(new void(frame f, transform t, transform T, pair m, pair M) { add(f,srcCopy.fit(t,T*srcCopy.T,m,M),group,filltype,above); })); } if(srcCopy.nodes3.length > 0) { nodes3.push(node3(new void(frame f, transform3 t, transform3 T3, picture pic, projection P, triple m, triple M) { add(f,srcCopy.fit3(t,T3*srcCopy.T3,pic,P,m,M),group,above); })); } legend.append(src.legend); if(src.usetx) userBoxX3(src.umin.x,src.umax.x); if(src.usety) userBoxY3(src.umin.y,src.umax.y); if(src.usetz) userBoxZ3(src.umin.z,src.umax.z); bounds.append(srcCopy.T, src.bounds); //append(bounds.point,bounds.min,bounds.max,srcCopy.T,src.bounds); append(bounds3.point,bounds3.min,bounds3.max,srcCopy.T3,src.bounds3); //if(!src.bounds.exact) bounds.exact=false; if(!src.bounds3.exact) bounds3.exact=false; } } // Post Struct <<<1 picture operator * (transform t, picture orig) { return orig.transformed(t); } picture operator * (transform3 t, picture orig) { picture pic=orig.copy(); pic.T3=t*pic.T3; triple umin=pic.userMin3(), umax=pic.userMax3(); pic.userCorners3(t*umin, t*(umin.x,umin.y,umax.z), t*(umin.x,umax.y,umin.z), t*(umin.x,umax.y,umax.z), t*(umax.x,umin.y,umin.z), t*(umax.x,umin.y,umax.z), t*(umax.x,umax.y,umin.z), t*umax); pic.bounds3.exact=false; return pic; } picture currentpicture; void size(picture pic=currentpicture, real x, real y=x, bool keepAspect=pic.keepAspect) { pic.size(x,y,keepAspect); } void size(picture pic=currentpicture, transform t) { if(pic.empty3()) { pair z=size(pic.fit(t)); pic.size(z.x,z.y); } } void size3(picture pic=currentpicture, real x, real y=x, real z=y, bool keepAspect=pic.keepAspect) { pic.size3(x,y,z,keepAspect); } void unitsize(picture pic=currentpicture, real x, real y=x, real z=y) { pic.unitsize(x,y,z); } void size(picture pic=currentpicture, real xsize, real ysize, pair min, pair max) { pair size=max-min; pic.unitsize(size.x != 0 ? xsize/size.x : 0, size.y != 0 ? ysize/size.y : 0); } void size(picture dest, picture src) { dest.size(src.xsize,src.ysize,src.keepAspect); dest.size3(src.xsize3,src.ysize3,src.zsize3,src.keepAspect); dest.unitsize(src.xunitsize,src.yunitsize,src.zunitsize); } pair min(picture pic, bool user=false) { transform t=pic.calculateTransform(); pair z=pic.min(t); return user ? inverse(t)*z : z; } pair max(picture pic, bool user=false) { transform t=pic.calculateTransform(); pair z=pic.max(t); return user ? inverse(t)*z : z; } pair size(picture pic, bool user=false) { transform t=pic.calculateTransform(); pair M=pic.max(t); pair m=pic.min(t); if(!user) return M-m; t=inverse(t); return t*M-t*m; } // Frame Alignment <<< pair rectify(pair dir) { real scale=max(abs(dir.x),abs(dir.y)); if(scale != 0) dir *= 0.5/scale; dir += (0.5,0.5); return dir; } pair point(frame f, pair dir) { pair m=min(f); pair M=max(f); return m+realmult(rectify(dir),M-m); } path[] align(path[] g, transform t=identity(), pair position, pair align, pen p=currentpen) { if(g.length == 0) return g; pair m=min(g); pair M=max(g); pair dir=rectify(inverse(t)*-align); if(basealign(p) == 1) dir -= (0,m.y/(M.y-m.y)); pair a=m+realmult(dir,M-m); return shift(position+align*labelmargin(p))*t*shift(-a)*g; } // Returns a transform for aligning frame f in the direction align transform shift(frame f, pair align) { return shift(align-point(f,-align)); } // Returns a copy of frame f aligned in the direction align frame align(frame f, pair align) { return shift(f,align)*f; } // >>> pair point(picture pic=currentpicture, pair dir, bool user=true) { pair umin = pic.userMin2(); pair umax = pic.userMax2(); pair z=umin+realmult(rectify(dir),umax-umin); return user ? z : pic.calculateTransform()*z; } pair truepoint(picture pic=currentpicture, pair dir, bool user=true) { transform t=pic.calculateTransform(); pair m=pic.min(t); pair M=pic.max(t); pair z=m+realmult(rectify(dir),M-m); return user ? inverse(t)*z : z; } // Transform coordinate in [0,1]x[0,1] to current user coordinates. pair relative(picture pic=currentpicture, pair z) { return pic.userMin2()+realmult(z,pic.userMax2()-pic.userMin2()); } void add(picture pic=currentpicture, drawer d, bool exact=false) { pic.add(d,exact); } typedef void drawer3(frame f, transform3 t, picture pic, projection P); void add(picture pic=currentpicture, drawer3 d, bool exact=false) { pic.add(d,exact); } void add(picture pic=currentpicture, void d(picture,transform), bool exact=false) { pic.add(d,exact); } void add(picture pic=currentpicture, void d(picture,transform3), bool exact=false) { pic.add(d,exact); } void begingroup(picture pic=currentpicture) { pic.add(new void(frame f, transform) { begingroup(f); },true); } void endgroup(picture pic=currentpicture) { pic.add(new void(frame f, transform) { endgroup(f); },true); } void Draw(picture pic=currentpicture, path g, pen p=currentpen) { pic.add(new void(frame f, transform t) { draw(f,t*g,p); },true); pic.addPath(g,p); } // Default arguments have been removed to increase speed. void _draw(picture pic, path g, pen p, margin margin) { if (size(nib(p)) == 0 && margin==NoMargin) { // Inline the drawerBound wrapper for speed. pic.addExactAbove(new void(frame f, transform t, transform T, pair, pair) { _draw(f,t*T*g,p); }); } else { pic.add(new void(frame f, transform t) { draw(f,margin(t*g,p).g,p); },true); } pic.addPath(g,p); } void Draw(picture pic=currentpicture, explicit path[] g, pen p=currentpen) { // Could optimize this by adding one drawer. for(int i=0; i < g.length; ++i) Draw(pic,g[i],p); } void fill(picture pic=currentpicture, path[] g, pen p=currentpen, bool copy=true) { if(copy) g=copy(g); pic.add(new void(frame f, transform t) { fill(f,t*g,p,false); },true); pic.addPath(g); } void drawstrokepath(picture pic=currentpicture, path g, pen strokepen, pen p=currentpen) { pic.add(new void(frame f, transform t) { draw(f,strokepath(t*g,strokepen),p); },true); pic.addPath(g,p); } void latticeshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[][] p, bool copy=true) { if(copy) { g=copy(g); p=copy(p); } pic.add(new void(frame f, transform t) { latticeshade(f,t*g,stroke,fillrule,p,t,false); },true); pic.addPath(g); } void axialshade(picture pic=currentpicture, path[] g, bool stroke=false, pen pena, pair a, bool extenda=true, pen penb, pair b, bool extendb=true, bool copy=true) { if(copy) g=copy(g); pic.add(new void(frame f, transform t) { axialshade(f,t*g,stroke,pena,t*a,extenda,penb,t*b,extendb,false); },true); pic.addPath(g); } void radialshade(picture pic=currentpicture, path[] g, bool stroke=false, pen pena, pair a, real ra, bool extenda=true, pen penb, pair b, real rb, bool extendb=true, bool copy=true) { if(copy) g=copy(g); pic.add(new void(frame f, transform t) { pair A=t*a, B=t*b; real RA=abs(t*(a+ra)-A); real RB=abs(t*(b+rb)-B); radialshade(f,t*g,stroke,pena,A,RA,extenda,penb,B,RB,extendb,false); },true); pic.addPath(g); } void gouraudshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[] p, pair[] z, int[] edges, bool copy=true) { if(copy) { g=copy(g); p=copy(p); z=copy(z); edges=copy(edges); } pic.add(new void(frame f, transform t) { gouraudshade(f,t*g,stroke,fillrule,p,t*z,edges,false); },true); pic.addPath(g); } void gouraudshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[] p, int[] edges, bool copy=true) { if(copy) { g=copy(g); p=copy(p); edges=copy(edges); } pic.add(new void(frame f, transform t) { gouraudshade(f,t*g,stroke,fillrule,p,edges,false); },true); pic.addPath(g); } void tensorshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[][] p, path[] b=g, pair[][] z=new pair[][], bool copy=true) { if(copy) { g=copy(g); p=copy(p); b=copy(b); z=copy(z); } pic.add(new void(frame f, transform t) { pair[][] Z=new pair[z.length][]; for(int i=0; i < z.length; ++i) Z[i]=t*z[i]; tensorshade(f,t*g,stroke,fillrule,p,t*b,Z,false); },true); pic.addPath(g); } void tensorshade(frame f, path[] g, bool stroke=false, pen fillrule=currentpen, pen[] p, path b=g.length > 0 ? g[0] : nullpath) { tensorshade(f,g,stroke,fillrule,new pen[][] {p},b); } void tensorshade(frame f, path[] g, bool stroke=false, pen fillrule=currentpen, pen[] p, path b=g.length > 0 ? g[0] : nullpath, pair[] z) { tensorshade(f,g,stroke,fillrule,new pen[][] {p},b,new pair[][] {z}); } void tensorshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[] p, path b=g.length > 0 ? g[0] : nullpath) { tensorshade(pic,g,stroke,fillrule,new pen[][] {p},b); } void tensorshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, pen[] p, path b=g.length > 0 ? g[0] : nullpath, pair[] z) { tensorshade(pic,g,stroke,fillrule,new pen[][] {p},b,new pair[][] {z}); } // Smoothly shade the regions between consecutive paths of a sequence using a // given array of pens: void draw(picture pic=currentpicture, path[] g, pen fillrule=currentpen, pen[] p) { path[] G; pen[][] P; string differentlengths="arrays have different lengths"; if(g.length != p.length) abort(differentlengths); for(int i=0; i < g.length-1; ++i) { path g0=g[i]; path g1=g[i+1]; if(length(g0) != length(g1)) abort(differentlengths); for(int j=0; j < length(g0); ++j) { G.push(subpath(g0,j,j+1)--reverse(subpath(g1,j,j+1))--cycle); P.push(new pen[] {p[i],p[i],p[i+1],p[i+1]}); } } tensorshade(pic,G,fillrule,P); } void functionshade(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, string shader, bool copy=true) { if(copy) g=copy(g); pic.add(new void(frame f, transform t) { functionshade(f,t*g,stroke,fillrule,shader); },true); pic.addPath(g); } void filldraw(picture pic=currentpicture, path[] g, pen fillpen=currentpen, pen drawpen=currentpen) { begingroup(pic); fill(pic,g,fillpen); Draw(pic,g,drawpen); endgroup(pic); } void clip(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, bool copy=true) { if(copy) g=copy(g); pic.clip(min(g), max(g), new void(frame f, transform t) { clip(f,t*g,stroke,fillrule,false); }, true); } void beginclip(picture pic=currentpicture, path[] g, bool stroke=false, pen fillrule=currentpen, bool copy=true) { if(copy) g=copy(g); pic.clipmin.push(min(g)); pic.clipmax.push(max(g)); pic.add(new void(frame f, transform t) { beginclip(f,t*g,stroke,fillrule,false); },true); } void endclip(picture pic=currentpicture) { pair min,max; if (pic.clipmin.length > 0 && pic.clipmax.length > 0) { min = pic.clipmin.pop(); max = pic.clipmax.pop(); } else { // We should probably abort here, since the PostScript output will be // garbage. warning("endclip", "endclip without beginclip"); min = pic.userMin2(); max = pic.userMax2(); } pic.clip(min, max, new void(frame f, transform) { endclip(f); }, true); } void unfill(picture pic=currentpicture, path[] g, bool copy=true) { if(copy) g=copy(g); pic.add(new void(frame f, transform t) { unfill(f,t*g,false); },true); } void filloutside(picture pic=currentpicture, path[] g, pen p=currentpen, bool copy=true) { if(copy) g=copy(g); pic.add(new void(frame f, transform t) { filloutside(f,t*g,p,false); },true); pic.addPath(g); } // Use a fixed scaling to map user coordinates in box(min,max) to the // desired picture size. transform fixedscaling(picture pic=currentpicture, pair min, pair max, pen p=nullpen, bool warn=false) { Draw(pic,min,p+invisible); Draw(pic,max,p+invisible); pic.fixed=true; return pic.fixedscaling=pic.calculateTransform(pic.xsize,pic.ysize, pic.keepAspect); } // Add frame src to frame dest about position with optional grouping. void add(frame dest, frame src, pair position, bool group=false, filltype filltype=NoFill, bool above=true) { add(dest,shift(position)*src,group,filltype,above); } // Add frame src to picture dest about position with optional grouping. void add(picture dest=currentpicture, frame src, pair position=0, bool group=true, filltype filltype=NoFill, bool above=true) { if(is3D(src)) { dest.add(new void(frame f, transform3, picture, projection) { add(f,src); // always add about 3D origin (ignore position) },true); dest.addBox((0,0,0),(0,0,0),min3(src),max3(src)); } else { dest.add(new void(frame f, transform t) { add(f,shift(t*position)*src,group,filltype,above); },true); dest.addBox(position,position,min(src),max(src)); } } // Like add(picture,frame,pair) but extend picture to accommodate frame. void attach(picture dest=currentpicture, frame src, pair position=0, bool group=true, filltype filltype=NoFill, bool above=true) { transform t=dest.calculateTransform(); add(dest,src,position,group,filltype,above); pair s=size(dest.fit(t)); size(dest,dest.xsize != 0 ? s.x : 0,dest.ysize != 0 ? s.y : 0); } // Like add(picture,frame,pair) but align frame in direction align. void add(picture dest=currentpicture, frame src, pair position, pair align, bool group=true, filltype filltype=NoFill, bool above=true) { add(dest,align(src,align),position,group,filltype,above); } // Like add(frame,frame,pair) but align frame in direction align. void add(frame dest, frame src, pair position, pair align, bool group=true, filltype filltype=NoFill, bool above=true) { add(dest,align(src,align),position,group,filltype,above); } // Like add(picture,frame,pair,pair) but extend picture to accommodate frame; void attach(picture dest=currentpicture, frame src, pair position, pair align, bool group=true, filltype filltype=NoFill, bool above=true) { attach(dest,align(src,align),position,group,filltype,above); } // Add a picture to another such that user coordinates in both will be scaled // identically in the shipout. void add(picture dest, picture src, bool group=true, filltype filltype=NoFill, bool above=true) { dest.add(src,group,filltype,above); } void add(picture src, bool group=true, filltype filltype=NoFill, bool above=true) { currentpicture.add(src,group,filltype,above); } // Fit the picture src using the identity transformation (so user // coordinates and truesize coordinates agree) and add it about the point // position to picture dest. void add(picture dest, picture src, pair position, bool group=true, filltype filltype=NoFill, bool above=true) { add(dest,src.fit(identity()),position,group,filltype,above); } void add(picture src, pair position, bool group=true, filltype filltype=NoFill, bool above=true) { add(currentpicture,src,position,group,filltype,above); } // Fill a region about the user-coordinate 'origin'. void fill(pair origin, picture pic=currentpicture, path[] g, pen p=currentpen) { picture opic; fill(opic,g,p); add(pic,opic,origin); } void postscript(picture pic=currentpicture, string s) { pic.add(new void(frame f, transform) { postscript(f,s); },true); } void postscript(picture pic=currentpicture, string s, pair min, pair max) { pic.add(new void(frame f, transform t) { postscript(f,s,t*min,t*max); },true); } void tex(picture pic=currentpicture, string s) { // Force TeX string s to be evaluated immediately (in case it is a macro). frame g; tex(g,s); size(g); pic.add(new void(frame f, transform) { tex(f,s); },true); } void tex(picture pic=currentpicture, string s, pair min, pair max) { frame g; tex(g,s); size(g); pic.add(new void(frame f, transform t) { tex(f,s,t*min,t*max); },true); } void layer(picture pic=currentpicture) { pic.add(new void(frame f, transform) { layer(f); },true); } void erase(picture pic=currentpicture) { pic.uptodate=false; pic.erase(); } void begin(picture pic=currentpicture, string name, string id="", bool visible=true) { if(!latex() || !pdf()) return; settings.twice=true; if(id == "") id=string(++ocgindex); tex(pic,"\begin{ocg}{"+name+"}{"+id+"}{"+(visible ? "1" : "0")+"}"); layer(pic); } void end(picture pic=currentpicture) { if(!latex() || !pdf()) return; tex(pic,"\end{ocg}"); layer(pic); } // For users of the LaTeX babel package. void deactivatequote(picture pic=currentpicture) { tex(pic,"\catcode`\"=12"); } void activatequote(picture pic=currentpicture) { tex(pic,"\catcode`\"=13"); } asymptote-2.62/base/animate.asy0000644000000000000000000000005213607467113015241 0ustar rootrootusepackage("animate"); import animation; asymptote-2.62/base/asy-kate.sh0000644000000000000000000002006313607467113015163 0ustar rootroot#!/bin/sh echo ' ' > asymptote.xml # 1. Change Name of lists in <\list> # 2. tail to get rid of the first lines # 3. building the right line ending # 4-5. kill linebreaks # 6. change spaces into <\item> # 7. Undo change (7.) in 'list name' # 8. do some formatting cat asy-keywords.el | sed 's/^(.*\-\([^\-]*\)\-.*/\n/' | tail -14 | sed 's/ ))/<\/item><\/list>/' | tr '\n' '@' | sed 's/@//g' | sed 's/ /<\/item>/g' | sed 's/list<\/item>name/list name/g' | sed 's/>\n> asymptote.xml echo ' ' >> asymptote.xml asymptote-2.62/base/plain_Label.asy0000644000000000000000000004030213607467113016027 0ustar rootrootreal angle(transform t) { pair z=(2t.xx*t.yy,t.yx*t.yy-t.xx*t.xy); if(t.xx < 0 || t.yy < 0) z=-z; return degrees(z,warn=false); } transform rotation(transform t) { return rotate(angle(t)); } transform scaleless(transform t) { real a=t.xx, b=t.xy, c=t.yx, d=t.yy; real arg=(a-d)^2+4b*c; pair delta=arg >= 0 ? sqrt(arg) : I*sqrt(-arg); real trace=a+d; pair l1=0.5(trace+delta); pair l2=0.5(trace-delta); if(abs(delta) < sqrtEpsilon*max(abs(l1),abs(l2))) { real s=abs(0.5trace); return (s != 0) ? scale(1/s)*t : t; } if(abs(l1-d) < abs(l2-d)) {pair temp=l1; l1=l2; l2=temp;} pair dot(pair[] u, pair[] v) {return conj(u[0])*v[0]+conj(u[1])*v[1];} pair[] unit(pair[] u) { real norm2=abs(u[0])^2+abs(u[1])^2; return norm2 != 0 ? u/sqrt(norm2) : u; } pair[] u={l1-d,b}; pair[] v={c,l2-a}; u=unit(u); pair d=dot(u,u); if(d != 0) v -= dot(u,v)/d*u; v=unit(v); pair[][] U={{u[0],v[0]},{u[1],v[1]}}; pair[][] A={{a,b},{c,d}}; pair[][] operator *(pair[][] a, pair[][] b) { pair[][] c=new pair[2][2]; for(int i=0; i < 2; ++i) { for(int j=0; j < 2; ++j) { c[i][j]=a[i][0]*b[0][j]+a[i][1]*b[1][j]; } } return c; } pair[][] conj(pair[][] a) { pair[][] c=new pair[2][2]; for(int i=0; i < 2; ++i) { for(int j=0; j < 2; ++j) { c[i][j]=conj(a[j][i]); } } return c; } A=conj(U)*A*U; real D=abs(A[0][0]); if(D != 0) { A[0][0] /= D; A[0][1] /= D; } D=abs(A[1][1]); if(D != 0) { A[1][0] /= D; A[1][1] /= D; } A=U*A*conj(U); return (0,0,A[0][0].x,A[0][1].x,A[1][0].x,A[1][1].x); } struct align { pair dir; triple dir3; bool relative=false; bool default=true; bool is3D=false; void init(pair dir=0, bool relative=false, bool default=false) { this.dir=dir; this.relative=relative; this.default=default; is3D=false; } void init(triple dir=(0,0,0), bool relative=false, bool default=false) { this.dir3=dir; this.relative=relative; this.default=default; is3D=true; } align copy() { align align=new align; align.init(dir,relative,default); align.dir3=dir3; align.is3D=is3D; return align; } void align(align align) { if(!align.default) { bool is3D=align.is3D; init(align.dir,align.relative); dir3=align.dir3; this.is3D=is3D; } } void align(align align, align default) { align(align); if(this.default) { init(default.dir,default.relative,default.default); dir3=default.dir3; is3D=default.is3D; } } void write(file file=stdout, suffix suffix=endl) { if(!default) { if(relative) { write(file,"Relative("); if(is3D) write(file,dir3); else write(file,dir); write(file,")",suffix); } else { if(is3D) write(file,dir3,suffix); else write(file,dir,suffix); } } } bool Center() { return relative && (is3D ? dir3 == (0,0,0) : dir == 0); } } struct side { pair align; } side Relative(explicit pair align) { side s; s.align=align; return s; } restricted side NoSide; restricted side LeftSide=Relative(W); restricted side Center=Relative((0,0)); restricted side RightSide=Relative(E); side operator * (real x, side s) { side S; S.align=x*s.align; return S; } align operator cast(pair dir) {align A; A.init(dir,false); return A;} align operator cast(triple dir) {align A; A.init(dir,false); return A;} align operator cast(side side) {align A; A.init(side.align,true); return A;} restricted align NoAlign; void write(file file=stdout, align align, suffix suffix=endl) { align.write(file,suffix); } struct position { pair position; bool relative; } position Relative(real position) { position p; p.position=position; p.relative=true; return p; } restricted position BeginPoint=Relative(0); restricted position MidPoint=Relative(0.5); restricted position EndPoint=Relative(1); position operator cast(pair x) {position P; P.position=x; return P;} position operator cast(real x) {return (pair) x;} position operator cast(int x) {return (pair) x;} pair operator cast(position P) {return P.position;} typedef transform embed(transform); transform Shift(transform t) {return identity();} transform Rotate(transform t) {return rotation(t);} transform Slant(transform t) {return scaleless(t);} transform Scale(transform t) {return t;} embed Rotate(pair z) { return new transform(transform t) {return rotate(degrees(shiftless(t)*z, warn=false));}; } path[] texpath(string s, pen p, bool tex=settings.tex != "none", bool bbox=false); struct Label { string s,size; position position; bool defaultposition=true; align align; pen p=nullpen; transform T; transform3 T3=identity(4); bool defaulttransform=true; bool defaulttransform3=true; embed embed=Rotate; // Shift, Rotate, Slant, or Scale with embedded picture filltype filltype=NoFill; void init(string s="", string size="", position position=0, bool defaultposition=true, align align=NoAlign, pen p=nullpen, transform T=identity(), transform3 T3=identity4, bool defaulttransform=true, bool defaulttransform3=true, embed embed=Rotate, filltype filltype=NoFill) { this.s=s; this.size=size; this.position=position; this.defaultposition=defaultposition; this.align=align.copy(); this.p=p; this.T=T; this.T3=copy(T3); this.defaulttransform=defaulttransform; this.defaulttransform3=defaulttransform3; this.embed=embed; this.filltype=filltype; } void initalign(string s="", string size="", align align, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill) { init(s,size,align,p,embed,filltype); } void transform(transform T) { this.T=T; defaulttransform=false; } void transform3(transform3 T) { this.T3=copy(T); defaulttransform3=false; } Label copy(transform3 T3=this.T3) { Label L=new Label; L.init(s,size,position,defaultposition,align,p,T,T3,defaulttransform, defaulttransform3,embed,filltype); return L; } void position(position pos) { this.position=pos; defaultposition=false; } void align(align a) { align.align(a); } void align(align a, align default) { align.align(a,default); } void p(pen p0) { if(this.p == nullpen) this.p=p0; } void filltype(filltype filltype0) { if(this.filltype == NoFill) this.filltype=filltype0; } void label(frame f, transform t=identity(), pair position, pair align) { pen p0=p == nullpen ? currentpen : p; align=length(align)*unit(rotation(t)*align); pair S=t*position+align*labelmargin(p0)+shift(T)*0; if(settings.tex != "none") label(f,s,size,embed(t)*shiftless(T),S,align,p0); else fill(f,align(texpath(s,p0),S,align,p0),p0); } void out(frame f, transform t=identity(), pair position=position.position, pair align=align.dir) { if(filltype == NoFill) label(f,t,position,align); else { frame d; label(d,t,position,align); add(f,d,filltype); } } void label(picture pic=currentpicture, pair position, pair align) { if(s == "") return; pic.add(new void (frame f, transform t) { out(f,t,position,align); },true); frame f; // Create a picture with label at the origin to extract its bbox truesize. label(f,(0,0),align); pic.addBox(position,position,min(f),max(f)); } void out(picture pic=currentpicture) { label(pic,position.position,align.dir); } void out(picture pic=currentpicture, path g) { bool relative=position.relative; real position=position.position.x; pair Align=align.dir; bool alignrelative=align.relative; if(defaultposition) {relative=true; position=0.5;} if(relative) position=reltime(g,position); if(align.default) { alignrelative=true; Align=position <= sqrtEpsilon ? S : position >= length(g)-sqrtEpsilon ? N : E; } pic.add(new void (frame f, transform t) { out(f,t,point(g,position),alignrelative ? inverse(rotation(t))*-Align*dir(t*g,position)*I : Align); },!alignrelative); frame f; pair align=alignrelative ? -Align*dir(g,position)*I : Align; label(f,(0,0),align); pair position=point(g,position); pic.addBox(position,position,min(f),max(f)); } void write(file file=stdout, suffix suffix=endl) { write(file,"\""+s+"\""); if(!defaultposition) write(file,", position=",position.position); if(!align.default) write(file,", align="); write(file,align); if(p != nullpen) write(file,", pen=",p); if(!defaulttransform) write(file,", transform=",T); if(!defaulttransform3) { write(file,", transform3=",endl); write(file,T3); } write(file,"",suffix); } real relative() { return defaultposition ? 0.5 : position.position.x; }; real relative(path g) { return position.relative ? reltime(g,relative()) : relative(); }; } Label Label; void add(frame f, transform t=identity(), Label L) { L.out(f,t); } void add(picture pic=currentpicture, Label L) { L.out(pic); } Label operator * (transform t, Label L) { Label tL=L.copy(); tL.align.dir=L.align.dir; tL.transform(t*L.T); return tL; } Label operator * (transform3 t, Label L) { Label tL=L.copy(t*L.T3); tL.align.dir=L.align.dir; tL.defaulttransform3=false; return tL; } Label Label(string s, string size="", explicit position position, align align=NoAlign, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill) { Label L; L.init(s,size,position,false,align,p,embed,filltype); return L; } Label Label(string s, string size="", pair position, align align=NoAlign, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill) { return Label(s,size,(position) position,align,p,embed,filltype); } Label Label(explicit pair position, align align=NoAlign, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill) { return Label((string) position,position,align,p,embed,filltype); } Label Label(string s="", string size="", align align=NoAlign, pen p=nullpen, embed embed=Rotate, filltype filltype=NoFill) { Label L; L.initalign(s,size,align,p,embed,filltype); return L; } Label Label(Label L, align align=NoAlign, pen p=nullpen, embed embed=L.embed, filltype filltype=NoFill) { Label L=L.copy(); L.align(align); L.p(p); L.embed=embed; L.filltype(filltype); return L; } Label Label(Label L, explicit position position, align align=NoAlign, pen p=nullpen, embed embed=L.embed, filltype filltype=NoFill) { Label L=Label(L,align,p,embed,filltype); L.position(position); return L; } Label Label(Label L, pair position, align align=NoAlign, pen p=nullpen, embed embed=L.embed, filltype filltype=NoFill) { return Label(L,(position) position,align,p,embed,filltype); } void write(file file=stdout, Label L, suffix suffix=endl) { L.write(file,suffix); } void label(frame f, Label L, pair position, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { add(f,Label(L,position,align,p,filltype)); } void label(frame f, Label L, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { add(f,Label(L,L.position,align,p,filltype)); } void label(picture pic=currentpicture, Label L, pair position, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { Label L=Label(L,position,align,p,filltype); add(pic,L); } void label(picture pic=currentpicture, Label L, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { label(pic,L,L.position,align,p,filltype); } // Label, but with postscript coords instead of asy void label(pair origin, picture pic=currentpicture, Label L, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { picture opic; label(opic,L,L.position,align,p,filltype); add(pic,opic,origin); } void label(picture pic=currentpicture, Label L, explicit path g, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { Label L=Label(L,align,p,filltype); L.out(pic,g); } void label(picture pic=currentpicture, Label L, explicit guide g, align align=NoAlign, pen p=currentpen, filltype filltype=NoFill) { label(pic,L,(path) g,align,p,filltype); } Label operator cast(string s) {return Label(s);} // A structure that a string, Label, or frame can be cast to. struct object { frame f; Label L=Label; path g; // Bounding path void operator init(frame f) { this.f=f; g=box(min(f),max(f)); } void operator init(Label L) { this.L=L.copy(); if(L != Label) L.out(f); g=box(min(f),max(f)); } } object operator cast(frame f) { return object(f); } object operator cast(Label L) { return object(L); } object operator cast(string s) { return object(s); } Label operator cast(object F) { return F.L; } frame operator cast(object F) { return F.f; } object operator * (transform t, explicit object F) { object f; f.f=t*F.f; f.L=t*F.L; f.g=t*F.g; return f; } // Returns a copy of object F aligned in the direction align object align(object F, pair align) { return shift(F.f,align)*F; } void add(picture dest=currentpicture, object F, pair position=0, bool group=true, filltype filltype=NoFill, bool above=true) { add(dest,F.f,position,group,filltype,above); } // Pack a list of objects into a frame. frame pack(pair align=2S ... object inset[]) { frame F; int n=inset.length; pair z; for (int i=0; i < n; ++i) { add(F,inset[i].f,z); z += align+realmult(unit(align),size(inset[i].f)); } return F; } path[] texpath(Label L, bool tex=settings.tex != "none", bool bbox=false) { struct stringfont { string s; real fontsize; string font; void operator init(Label L) { s=replace(L.s,'\n',' '); fontsize=fontsize(L.p); font=font(L.p); } pen pen() {return fontsize(fontsize)+fontcommand(font);} } bool lexorder(stringfont a, stringfont b) { return a.s < b.s || (a.s == b.s && (a.fontsize < b.fontsize || (a.fontsize == b.fontsize && a.font < b.font))); } static stringfont[] stringcache; static path[][] pathcache; static stringfont[] stringlist; static bool adjust[]; path[] G; stringfont s=stringfont(L); pen p=s.pen(); int i=search(stringcache,s,lexorder); if(i == -1 || lexorder(stringcache[i],s)) { int k=search(stringlist,s,lexorder); if(k == -1 || lexorder(stringlist[k],s)) { ++k; stringlist.insert(k,s); // PDF tex engines lose track of the baseline. adjust.insert(k,tex && basealign(L.p) == 1 && pdf()); } } path[] transform(path[] g, Label L) { if(g.length == 0) return g; pair m=min(g); pair M=max(g); pair dir=rectify(inverse(L.T)*-L.align.dir); if(tex && basealign(L.p) == 1) dir -= (0,(1-dir.y)*m.y/(M.y-m.y)); pair a=m+realmult(dir,M-m); return shift(L.position+L.align.dir*labelmargin(L.p))*L.T*shift(-a)*g; } if(tex && bbox) { frame f; label(f,L); return transform(box(min(f),max(f)),L); } if(stringlist.length > 0) { path[][] g; int n=stringlist.length; string[] s=new string[n]; pen[] p=new pen[n]; for(int i=0; i < n; ++i) { stringfont S=stringlist[i]; s[i]=adjust[i] ? "."+S.s : S.s; p[i]=adjust[i] ? S.pen()+basealign : S.pen(); } g=tex ? _texpath(s,p) : textpath(s,p); if(tex) for(int i=0; i < n; ++i) if(adjust[i]) { real y=min(g[i][0]).y; g[i].delete(0); g[i]=shift(0,-y)*g[i]; } for(int i=0; i < stringlist.length; ++i) { stringfont s=stringlist[i]; int j=search(stringcache,s,lexorder)+1; stringcache.insert(j,s); pathcache.insert(j,g[i]); } stringlist.delete(); adjust.delete(); } return transform(pathcache[search(stringcache,stringfont(L),lexorder)],L); } texpath=new path[](string s, pen p, bool tex=settings.tex != "none", bool bbox=false) { return texpath(Label(s,p)); }; asymptote-2.62/base/asy.vim0000644000000000000000000002124613607467113014426 0ustar rootroot" Vim syntax file " Language: Asymptote " Maintainer: Andy Hammerlindl " Last Change: 2005 Aug 23 " Hacked together from Bram Moolenaar's C syntax file, and Claudio Fleiner's " Java syntax file. " For version 5.x: Clear all syntax items " For version 6.x: Quit when a syntax file was already loaded if version < 600 syntax clear elseif exists("b:current_syntax") finish endif " A bunch of useful C keywords syn keyword asyStatement break return continue unravel syn keyword asyConditional if else syn keyword asyRepeat while for do syn keyword asyExternal access from import include syn keyword asyOperator new operator syn keyword asyTodo contained TODO FIXME XXX " asyCommentGroup allows adding matches for special things in comments syn cluster asyCommentGroup contains=asyTodo " String and Character constants " Highlight special characters (those proceding a double backslash) differently syn match asySpecial display contained "\\\\." " Highlight line continuation slashes syn match asySpecial display contained "\\$" syn region asyString start=+"+ skip=+\\\\\|\\"+ end=+"+ contains=asySpecial " asyCppString: same as asyString, but ends at end of line if 0 syn region asyCppString start=+"+ skip=+\\\\\|\\"\|\\$+ excludenl end=+"+ end='$' contains=asySpecial endif "when wanted, highlight trailing white space if exists("asy_space_errors") if !exists("asy_no_trail_space_error") syn match asySpaceError display excludenl "\s\+$" endif if !exists("asy_no_tab_space_error") syn match asySpaceError display " \+\t"me=e-1 endif endif "catch errors caused by wrong parenthesis and brackets syn cluster asyParenGroup contains=asyParenError,asyIncluded,asySpecial,asyCommentSkip,asyCommentString,asyComment2String,@asyCommentGroup,asyCommentStartError,asyUserCont,asyUserLabel,asyBitField,asyCommentSkip,asyOctalZero,asyCppOut,asyCppOut2,asyCppSkip,asyFormat,asyNumber,asyFloat,asyOctal,asyOctalError,asyNumbersCom if exists("asy_no_bracket_error") syn region asyParen transparent start='(' end=')' contains=ALLBUT,@asyParenGroup,asyCppParen,asyCppString " asyCppParen: same as asyParen but ends at end-of-line; used in asyDefine syn region asyCppParen transparent start='(' skip='\\$' excludenl end=')' end='$' contained contains=ALLBUT,@asyParenGroup,asyParen,asyString syn match asyParenError display ")" syn match asyErrInParen display contained "[{}]" else syn region asyParen transparent start='(' end=')' contains=ALLBUT,@asyParenGroup,asyCppParen,asyErrInBracket,asyCppBracket,asyCppString " asyCppParen: same as asyParen but ends at end-of-line; used in asyDefine syn region asyCppParen transparent start='(' skip='\\$' excludenl end=')' end='$' contained contains=ALLBUT,@asyParenGroup,asyErrInBracket,asyParen,asyBracket,asyString if 0 syn match asyParenError display "[\])]" syn match asyErrInParen display contained "[\]]" endif syn region asyBracket transparent start='\[' end=']' contains=ALLBUT,@asyParenGroup,asyErrInParen,asyCppParen,asyCppBracket,asyCppString " asyCppBracket: same as asyParen but ends at end-of-line; used in asyDefine syn region asyCppBracket transparent start='\[' skip='\\$' excludenl end=']' end='$' contained contains=ALLBUT,@asyParenGroup,asyErrInParen,asyParen,asyBracket,asyString syn match asyErrInBracket display contained "[);]" endif "integer number, or floating point number without a dot and with "f". syn case ignore syn match asyNumbers display transparent "\<\d\|\.\d" contains=asyNumber,asyFloat syn match asyNumber display contained "\d\+" "floating point number, with dot, optional exponent syn match asyFloat display contained "\d\+\.\d*\(e[-+]\=\d\+\)\=" "floating point number, starting with a dot, optional exponent syn match asyFloat display contained "\.\d\+\(e[-+]\=\d\+\)\=" "floating point number, without dot, with exponent syn match asyFloat display contained "\d\+e[-+]\=\d\+" syn case match if exists("asy_comment_strings") " A comment can contain asyString, asyCharacter and asyNumber. " But a "*/" inside a asyString in a asyComment DOES end the comment! So we " need to use a special type of asyString: asyCommentString, which also ends on " "*/", and sees a "*" at the start of the line as comment again. " Unfortunately this doesn't very well work for // type of comments :-( syntax match asyCommentSkip contained "^\s*\*\($\|\s\+\)" syntax region asyCommentString contained start=+L\="+ skip=+\\\\\|\\"+ end=+"+ end=+\*/+me=s-1 contains=asySpecial,asyCommentSkip syntax region asyComment2String contained start=+L\="+ skip=+\\\\\|\\"+ end=+"+ end="$" contains=asySpecial syntax region asyCommentL start="//" skip="\\$" end="$" keepend contains=@asyCommentGroup,asyComment2String,asyCharacter,asyNumbersCom,asySpaceError syntax region asyComment matchgroup=asyCommentStart start="/\*" matchgroup=NONE end="\*/" contains=@asyCommentGroup,asyCommentStartError,asyCommentString,asyCharacter,asyNumbersCom,asySpaceError else syn region asyCommentL start="//" skip="\\$" end="$" keepend contains=@asyCommentGroup,asySpaceError syn region asyComment matchgroup=asyCommentStart start="/\*" matchgroup=NONE end="\*/" contains=@asyCommentGroup,asyCommentStartError,asySpaceError endif " keep a // comment separately, it terminates a preproc. conditional syntax match asyCommentError display "\*/" syntax match asyCommentStartError display "/\*"me=e-1 contained syn keyword asyType void bool int real string syn keyword asyType pair triple transform guide path pen frame syn keyword asyType picture syn keyword asyStructure struct typedef syn keyword asyStorageClass static public readable private explicit syn keyword asyPathSpec and cycle controls tension atleast curl syn keyword asyConstant true false syn keyword asyConstant null nullframe nullpath if exists("asy_syn_plain") syn keyword asyConstant currentpicture currentpen currentprojection syn keyword asyConstant inch inches cm mm bp pt up down right left syn keyword asyConstant E NE N NW W SW S SE syn keyword asyConstant ENE NNE NNW WNW WSW SSW SSE ESE syn keyword asyConstant I pi twopi syn keyword asyConstant solid dotted dashed dashdotted syn keyword asyConstant longdashed longdashdotted syn keyword asyConstant squarecap roundcap extendcap syn keyword asyConstant miterjoin roundjoin beveljoin syn keyword asyConstant zerowinding evenodd syn keyword asyConstant invisible black gray grey white syn keyword asyConstant lightgray lightgrey syn keyword asyConstant red green blue syn keyword asyConstant cmyk Cyan Magenta Yellow Black syn keyword asyConstant yellow magenta cyan syn keyword asyConstant brown darkgreen darkblue syn keyword asyConstant orange purple royalblue olive syn keyword asyConstant chartreuse fuchsia salmon lightblue springgreen syn keyword asyConstant pink endif syn sync ccomment asyComment minlines=15 " Define the default highlighting. " For version 5.7 and earlier: only when not done already " For version 5.8 and later: only when an item doesn't have highlighting yet if version >= 508 || !exists("did_asy_syn_inits") if version < 508 let did_asy_syn_inits = 1 command -nargs=+ HiLink hi link else command -nargs=+ HiLink hi def link endif HiLink asyFormat asySpecial HiLink asyCppString asyString HiLink asyCommentL asyComment HiLink asyCommentStart asyComment HiLink asyLabel Label HiLink asyUserLabel Label HiLink asyConditional Conditional HiLink asyRepeat Repeat HiLink asyCharacter Character HiLink asySpecialCharacter asySpecial HiLink asyNumber Number HiLink asyOctal Number HiLink asyOctalZero PreProc " link this to Error if you want HiLink asyFloat Float HiLink asyOctalError asyError HiLink asyParenError asyError HiLink asyErrInParen asyError HiLink asyErrInBracket asyError HiLink asyCommentError asyError HiLink asyCommentStartError asyError HiLink asySpaceError asyError HiLink asySpecialError asyError HiLink asyOperator Operator HiLink asyStructure Structure HiLink asyStorageClass StorageClass HiLink asyExternal Include HiLink asyPreProc PreProc HiLink asyDefine Macro HiLink asyIncluded asyString HiLink asyError Error HiLink asyStatement Statement HiLink asyPreCondit PreCondit HiLink asyType Type HiLink asyConstant Constant HiLink asyCommentString asyString HiLink asyComment2String asyString HiLink asyCommentSkip asyComment HiLink asyString String HiLink asyComment Comment HiLink asySpecial SpecialChar HiLink asyTodo Todo HiLink asyCppSkip asyCppOut HiLink asyCppOut2 asyCppOut HiLink asyCppOut Comment HiLink asyPathSpec Statement delcommand HiLink endif let b:current_syntax = "c" " vim: ts=8 asymptote-2.62/base/webgl/0000755000000000000000000000000013607467253014215 5ustar rootrootasymptote-2.62/base/webgl/asygl.js0000644000000000000000000013774013607467252015705 0ustar rootroot/*@license AsyGL: Render Bezier patches and triangles via subdivision with WebGL. Copyright 2019: John C. Bowman and Supakorn "Jamie" Rassameemasmuang University of Alberta This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program. If not, see . */ /*@license for gl-matrix mat3 and mat4 functions: Copyright (c) 2015, Brandon Jones, Colin MacKenzie IV. Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.*/ let vertex="\nattribute vec3 position;\n#ifdef WIDTH\nattribute float width;\n#endif\n#ifdef NORMAL\nattribute vec3 normal;\n#endif\nattribute float materialIndex;\n#ifdef COLOR\nattribute vec4 color;\n#endif\n\nuniform mat3 normMat;\nuniform mat4 viewMat;\nuniform mat4 projViewMat;\n\n#ifdef NORMAL\n#ifndef ORTHOGRAPHIC\nvarying vec3 ViewPosition;\n#endif\nvarying vec3 Normal;\n#endif\nvarying vec4 diffuse;\nvarying vec3 specular;\nvarying float roughness,metallic,fresnel0;\nvarying vec4 emissive;\n\nstruct Material {\n vec4 diffuse,emissive,specular;\n vec4 parameters;\n};\n\nuniform Material Materials[Nmaterials];\n\nvoid main(void)\n{\n vec4 v=vec4(position,1.0);\n gl_Position=projViewMat*v;\n#ifdef NORMAL\n#ifndef ORTHOGRAPHIC\n ViewPosition=(viewMat*v).xyz;\n#endif \n Normal=normal*normMat;\n \n Material m;\n#ifdef TRANSPARENT\n m=Materials[int(abs(materialIndex))-1];\n if(materialIndex >= 0.0) {\n diffuse=m.diffuse;\n emissive=m.emissive;\n } else {\n diffuse=color;\n#if nlights > 0\n emissive=vec4(0.0);\n#else\n emissive=color;\n#endif\n }\n#else\n m=Materials[int(materialIndex)];\n#ifdef COLOR\n diffuse=color;\n#if nlights > 0\n emissive=vec4(0.0);\n#else\n emissive=color;\n#endif\n#else\n diffuse=m.diffuse;\n emissive=m.emissive;\n#endif\n#endif\n specular=m.specular.rgb;\n vec4 parameters=m.parameters;\n roughness=1.0-parameters[0];\n metallic=parameters[1];\n fresnel0=parameters[2];\n#else\n emissive=Materials[int(materialIndex)].emissive;\n#endif\n#ifdef WIDTH\n gl_PointSize=width;\n#endif\n}\n",fragment="\n#ifdef NORMAL\n#ifndef ORTHOGRAPHIC\nvarying vec3 ViewPosition;\n#endif\nvarying vec3 Normal;\nvarying vec4 diffuse;\nvarying vec3 specular;\nvarying float roughness,metallic,fresnel0;\n\nfloat Roughness2;\nvec3 normal;\n\nstruct Light {\n vec3 direction;\n vec3 color;\n};\n\nuniform Light Lights[Nlights];\n\nfloat NDF_TRG(vec3 h)\n{\n float ndoth=max(dot(normal,h),0.0);\n float alpha2=Roughness2*Roughness2;\n float denom=ndoth*ndoth*(alpha2-1.0)+1.0;\n return denom != 0.0 ? alpha2/(denom*denom) : 0.0;\n}\n \nfloat GGX_Geom(vec3 v)\n{\n float ndotv=max(dot(v,normal),0.0);\n float ap=1.0+Roughness2;\n float k=0.125*ap*ap;\n return ndotv/((ndotv*(1.0-k))+k);\n}\n \nfloat Geom(vec3 v, vec3 l)\n{\n return GGX_Geom(v)*GGX_Geom(l);\n}\n \nfloat Fresnel(vec3 h, vec3 v, float fresnel0)\n{\n float a=1.0-max(dot(h,v),0.0);\n float b=a*a;\n return fresnel0+(1.0-fresnel0)*b*b*a;\n}\n \n// physical based shading using UE4 model.\nvec3 BRDF(vec3 viewDirection, vec3 lightDirection)\n{\n vec3 lambertian=diffuse.rgb;\n vec3 h=normalize(lightDirection+viewDirection);\n \n float omegain=max(dot(viewDirection,normal),0.0);\n float omegali=max(dot(lightDirection,normal),0.0);\n \n float D=NDF_TRG(h);\n float G=Geom(viewDirection,lightDirection);\n float F=Fresnel(h,viewDirection,fresnel0);\n \n float denom=4.0*omegain*omegali;\n float rawReflectance=denom > 0.0 ? (D*G)/denom : 0.0;\n \n vec3 dielectric=mix(lambertian,rawReflectance*specular,F);\n vec3 metal=rawReflectance*diffuse.rgb;\n \n return mix(dielectric,metal,metallic);\n}\n#endif\nvarying vec4 emissive;\n \nvoid main(void)\n{\n#if defined(NORMAL) && nlights > 0\n normal=normalize(Normal);\n normal=gl_FrontFacing ? normal : -normal;\n#ifdef ORTHOGRAPHIC\n vec3 viewDir=vec3(0.0,0.0,1.0);\n#else\n vec3 viewDir=-normalize(ViewPosition);\n#endif\n Roughness2=roughness*roughness;\n vec3 color=emissive.rgb;\n for(int i=0; i < nlights; ++i) {\n Light Li=Lights[i];\n vec3 L=Li.direction;\n float cosTheta=max(dot(normal,L),0.0);\n vec3 radiance=cosTheta*Li.color;\n color += BRDF(viewDir,L)*radiance;\n }\n gl_FragColor=vec4(color,diffuse.a);\n#else\n gl_FragColor=emissive;\n#endif\n}\n";!function(e,t){if("object"==typeof exports&&"object"==typeof module)module.exports=t();else if("function"==typeof define&&define.amd)define([],t);else{var i=t();for(var a in i)("object"==typeof exports?exports:e)[a]=i[a]}}("undefined"!=typeof self?self:this,function(){return function(e){var t={};function i(a){if(t[a])return t[a].exports;var r=t[a]={i:a,l:!1,exports:{}};return e[a].call(r.exports,r,r.exports,i),r.l=!0,r.exports}return i.m=e,i.c=t,i.d=function(e,t,a){i.o(e,t)||Object.defineProperty(e,t,{configurable:!1,enumerable:!0,get:a})},i.n=function(e){var t=e&&e.__esModule?function(){return e.default}:function(){return e};return i.d(t,"a",t),t},i.o=function(e,t){return Object.prototype.hasOwnProperty.call(e,t)},i.p="",i(i.s=1)}([function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.setMatrixArrayType=function(e){t.ARRAY_TYPE=e},t.toRadian=function(e){return e*r},t.equals=function(e,t){return Math.abs(e-t)<=a*Math.max(1,Math.abs(e),Math.abs(t))};var a=t.EPSILON=1e-6;t.ARRAY_TYPE="undefined"!=typeof Float32Array?Float32Array:Array,t.RANDOM=Math.random;var r=Math.PI/180},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.mat4=t.mat3=void 0;var a=n(i(2)),r=n(i(3));function n(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var i in e)Object.prototype.hasOwnProperty.call(e,i)&&(t[i]=e[i]);return t.default=e,t}t.mat3=a,t.mat4=r},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.create=function(){var e=new a.ARRAY_TYPE(9);return e[0]=1,e[1]=0,e[2]=0,e[3]=0,e[4]=1,e[5]=0,e[6]=0,e[7]=0,e[8]=1,e},t.fromMat4=function(e,t){return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[4],e[4]=t[5],e[5]=t[6],e[6]=t[8],e[7]=t[9],e[8]=t[10],e},t.invert=function(e,t){var i=t[0],a=t[1],r=t[2],n=t[3],s=t[4],o=t[5],l=t[6],h=t[7],c=t[8],d=c*s-o*h,m=-c*n+o*l,f=h*n-s*l,u=i*d+a*m+r*f;if(!u)return null;return u=1/u,e[0]=d*u,e[1]=(-c*a+r*h)*u,e[2]=(o*a-r*s)*u,e[3]=m*u,e[4]=(c*i-r*l)*u,e[5]=(-o*i+r*n)*u,e[6]=f*u,e[7]=(-h*i+a*l)*u,e[8]=(s*i-a*n)*u,e};var a=function(e){if(e&&e.__esModule)return e;var t={};if(null!=e)for(var i in e)Object.prototype.hasOwnProperty.call(e,i)&&(t[i]=e[i]);return t.default=e,t}(i(0))},function(e,t,i){"use strict";Object.defineProperty(t,"__esModule",{value:!0}),t.create=function(){var e=new a.ARRAY_TYPE(16);return e[0]=1,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=1,e[6]=0,e[7]=0,e[8]=0,e[9]=0,e[10]=1,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,e},t.identity=function(e){return e[0]=1,e[1]=0,e[2]=0,e[3]=0,e[4]=0,e[5]=1,e[6]=0,e[7]=0,e[8]=0,e[9]=0,e[10]=1,e[11]=0,e[12]=0,e[13]=0,e[14]=0,e[15]=1,e},t.invert=function(e,t){var i=t[0],a=t[1],r=t[2],n=t[3],s=t[4],o=t[5],l=t[6],h=t[7],c=t[8],d=t[9],m=t[10],f=t[11],u=t[12],v=t[13],p=t[14],g=t[15],x=i*o-a*s,M=i*l-r*s,w=i*h-n*s,b=a*l-r*o,A=a*h-n*o,S=r*h-n*l,R=c*v-d*u,D=c*p-m*u,P=c*g-f*u,T=d*p-m*v,y=d*g-f*v,z=m*g-f*p,I=x*z-M*y+w*T+b*P-A*D+S*R;if(!I)return null;return I=1/I,e[0]=(o*z-l*y+h*T)*I,e[1]=(r*y-a*z-n*T)*I,e[2]=(v*S-p*A+g*b)*I,e[3]=(m*A-d*S-f*b)*I,e[4]=(l*P-s*z-h*D)*I,e[5]=(i*z-r*P+n*D)*I,e[6]=(p*w-u*S-g*M)*I,e[7]=(c*S-m*w+f*M)*I,e[8]=(s*y-o*P+h*R)*I,e[9]=(a*P-i*y-n*R)*I,e[10]=(u*A-v*w+g*x)*I,e[11]=(d*w-c*A-f*x)*I,e[12]=(o*D-s*T-l*R)*I,e[13]=(i*T-a*D+r*R)*I,e[14]=(v*M-u*b-p*x)*I,e[15]=(c*b-d*M+m*x)*I,e},t.multiply=r,t.translate=function(e,t,i){var a=i[0],r=i[1],n=i[2],s=void 0,o=void 0,l=void 0,h=void 0,c=void 0,d=void 0,m=void 0,f=void 0,u=void 0,v=void 0,p=void 0,g=void 0;t===e?(e[12]=t[0]*a+t[4]*r+t[8]*n+t[12],e[13]=t[1]*a+t[5]*r+t[9]*n+t[13],e[14]=t[2]*a+t[6]*r+t[10]*n+t[14],e[15]=t[3]*a+t[7]*r+t[11]*n+t[15]):(s=t[0],o=t[1],l=t[2],h=t[3],c=t[4],d=t[5],m=t[6],f=t[7],u=t[8],v=t[9],p=t[10],g=t[11],e[0]=s,e[1]=o,e[2]=l,e[3]=h,e[4]=c,e[5]=d,e[6]=m,e[7]=f,e[8]=u,e[9]=v,e[10]=p,e[11]=g,e[12]=s*a+c*r+u*n+t[12],e[13]=o*a+d*r+v*n+t[13],e[14]=l*a+m*r+p*n+t[14],e[15]=h*a+f*r+g*n+t[15]);return e},t.rotate=function(e,t,i,r){var n=r[0],s=r[1],o=r[2],l=Math.sqrt(n*n+s*s+o*o),h=void 0,c=void 0,d=void 0,m=void 0,f=void 0,u=void 0,v=void 0,p=void 0,g=void 0,x=void 0,M=void 0,w=void 0,b=void 0,A=void 0,S=void 0,R=void 0,D=void 0,P=void 0,T=void 0,y=void 0,z=void 0,I=void 0,E=void 0,O=void 0;if(Math.abs(l)gl.getUniformLocation(e,"Materials["+t+"]."+i);gl.uniform4fv(i("diffuse"),new Float32Array(this.diffuse)),gl.uniform4fv(i("emissive"),new Float32Array(this.emissive)),gl.uniform4fv(i("specular"),new Float32Array(this.specular)),gl.uniform4f(i("parameters"),this.shininess,this.metallic,this.fresnel0,0)}}let indexExt,enumPointLight=1,enumDirectionalLight=2;class Light{constructor(e,t){this.direction=e,this.color=t}setUniform(e,t){let i=i=>gl.getUniformLocation(e,"Lights["+t+"]."+i);gl.uniform3fv(i("direction"),new Float32Array(this.direction)),gl.uniform3fv(i("color"),new Float32Array(this.color))}}function initShaders(){let e=gl.getParameter(gl.MAX_VERTEX_UNIFORM_VECTORS);maxMaterials=Math.floor((e-14)/4),Nmaterials=Math.min(Math.max(Nmaterials,Materials.length),maxMaterials),noNormalShader=initShader(),pixelShader=initShader(["WIDTH"]),materialShader=initShader(["NORMAL"]),colorShader=initShader(["NORMAL","COLOR"]),transparentShader=initShader(["NORMAL","COLOR","TRANSPARENT"])}function setBuffers(){positionBuffer=gl.createBuffer(),materialBuffer=gl.createBuffer(),colorBuffer=gl.createBuffer(),indexBuffer=gl.createBuffer()}function noGL(){gl||alert("Could not initialize WebGL")}function saveAttributes(){let e=window.top.document.asygl[alpha];e.gl=gl,e.nlights=Lights.length,e.Nmaterials=Nmaterials,e.maxMaterials=maxMaterials,e.noNormalShader=noNormalShader,e.pixelShader=pixelShader,e.materialShader=materialShader,e.colorShader=colorShader,e.transparentShader=transparentShader}function restoreAttributes(){let e=window.top.document.asygl[alpha];gl=e.gl,nlights=e.nlights,Nmaterials=e.Nmaterials,maxMaterials=e.maxMaterials,noNormalShader=e.noNormalShader,pixelShader=e.pixelShader,materialShader=e.materialShader,colorShader=e.colorShader,transparentShader=e.transparentShader}function initGL(){if(alpha=Background[3]<1,embedded){let e=window.top.document;null==e.asygl&&(e.asygl=Array(2)),context=canvas.getContext("2d"),(offscreen=e.offscreen)||(offscreen=e.createElement("canvas"),e.offscreen=offscreen),e.asygl[alpha]&&e.asygl[alpha].gl?(restoreAttributes(),(Lights.length!=nlights||Math.min(Materials.length,maxMaterials)>Nmaterials)&&(initShaders(),saveAttributes())):((gl=offscreen.getContext("webgl",{alpha:alpha}))||noGL(),initShaders(),e.asygl[alpha]={},saveAttributes())}else(gl=canvas.getContext("webgl",{alpha:alpha}))||noGL(),initShaders();setBuffers(),indexExt=gl.getExtension("OES_element_index_uint")}function getShader(e,t,i,a=[]){let r=`#version 100\n#ifdef GL_FRAGMENT_PRECISION_HIGH\n precision highp float;\n#else\n precision mediump float;\n#endif\n #define nlights ${Lights.length}\n\n const int Nlights=${Math.max(Lights.length,1)};\n\n #define Nmaterials ${Nmaterials}\n`;orthographic&&(r+="#define ORTHOGRAPHIC\n"),a.forEach(e=>r+="#define "+e+"\n");let n=e.createShader(i);return e.shaderSource(n,r+t),e.compileShader(n),e.getShaderParameter(n,e.COMPILE_STATUS)?n:(alert(e.getShaderInfoLog(n)),null)}function drawBuffer(e,t,i=e.indices){if(0==e.indices.length)return;let a=t==pixelShader,r=t!=noNormalShader&&!a;setUniforms(e,t),gl.bindBuffer(gl.ARRAY_BUFFER,positionBuffer),gl.bufferData(gl.ARRAY_BUFFER,new Float32Array(e.vertices),gl.STATIC_DRAW),gl.vertexAttribPointer(positionAttribute,3,gl.FLOAT,!1,r?24:a?16:12,0),r&&Lights.length>0?gl.vertexAttribPointer(normalAttribute,3,gl.FLOAT,!1,24,12):a&&gl.vertexAttribPointer(widthAttribute,1,gl.FLOAT,!1,16,12),gl.bindBuffer(gl.ARRAY_BUFFER,materialBuffer),gl.bufferData(gl.ARRAY_BUFFER,new Int16Array(e.materialIndices),gl.STATIC_DRAW),gl.vertexAttribPointer(materialAttribute,1,gl.SHORT,!1,2,0),t!=colorShader&&t!=transparentShader||(gl.bindBuffer(gl.ARRAY_BUFFER,colorBuffer),gl.bufferData(gl.ARRAY_BUFFER,new Uint8Array(e.colors),gl.STATIC_DRAW),gl.vertexAttribPointer(colorAttribute,4,gl.UNSIGNED_BYTE,!0,0,0)),gl.bindBuffer(gl.ELEMENT_ARRAY_BUFFER,indexBuffer),gl.bufferData(gl.ELEMENT_ARRAY_BUFFER,indexExt?new Uint32Array(i):new Uint16Array(i),gl.STATIC_DRAW),gl.drawElements(r?gl.TRIANGLES:a?gl.POINTS:gl.LINES,i.length,indexExt?gl.UNSIGNED_INT:gl.UNSIGNED_SHORT,0)}class vertexBuffer{constructor(){this.clear()}clear(){this.vertices=[],this.materialIndices=[],this.colors=[],this.indices=[],this.nvertices=0,this.materials=[],this.materialTable=[]}vertex(e,t){return this.vertices.push(e[0]),this.vertices.push(e[1]),this.vertices.push(e[2]),this.vertices.push(t[0]),this.vertices.push(t[1]),this.vertices.push(t[2]),this.materialIndices.push(materialIndex),this.nvertices++}Vertex(e,t,i=[0,0,0,0]){return this.vertices.push(e[0]),this.vertices.push(e[1]),this.vertices.push(e[2]),this.vertices.push(t[0]),this.vertices.push(t[1]),this.vertices.push(t[2]),this.materialIndices.push(materialIndex),this.colors.push(i[0]),this.colors.push(i[1]),this.colors.push(i[2]),this.colors.push(i[3]),this.nvertices++}vertex1(e){return this.vertices.push(e[0]),this.vertices.push(e[1]),this.vertices.push(e[2]),this.materialIndices.push(materialIndex),this.nvertices++}vertex0(e,t){return this.vertices.push(e[0]),this.vertices.push(e[1]),this.vertices.push(e[2]),this.vertices.push(t),this.materialIndices.push(materialIndex),this.nvertices++}iVertex(e,t,i,a=[0,0,0,0]){let r=6*e;this.vertices[r]=t[0],this.vertices[r+1]=t[1],this.vertices[r+2]=t[2],this.vertices[r+3]=i[0],this.vertices[r+4]=i[1],this.vertices[r+5]=i[2],this.materialIndices[e]=materialIndex;let n=4*e;this.colors[n]=a[0],this.colors[n+1]=a[1],this.colors[n+2]=a[2],this.colors[n+3]=a[3],this.indices.push(e)}append(e){append(this.vertices,e.vertices),append(this.materialIndices,e.materialIndices),append(this.colors,e.colors),appendOffset(this.indices,e.indices,this.nvertices),this.nvertices+=e.nvertices}}let materialIndex,material0Data=new vertexBuffer,material1Data=new vertexBuffer,materialData=new vertexBuffer,colorData=new vertexBuffer,transparentData=new vertexBuffer,triangleData=new vertexBuffer;function append(e,t){let i=e.length,a=t.length;e.length+=a;for(let r=0;rthis.X&&(this.X=l),hthis.Y&&(this.Y=h)}return(this.X<-1.01||this.x>1.01||this.Y<-1.01||this.y>1.01)&&(this.Onscreen=!1,!0)}T(e){let t=this.c[0],i=this.c[1],a=this.c[2],r=e[0]-t,n=e[1]-i,s=e[2]-a;return[r*normMat[0]+n*normMat[3]+s*normMat[6]+t,r*normMat[1]+n*normMat[4]+s*normMat[7]+i,r*normMat[2]+n*normMat[5]+s*normMat[8]+a]}Tcorners(e,t){return[this.T(e),this.T([e[0],e[1],t[2]]),this.T([e[0],t[1],e[2]]),this.T([e[0],t[1],t[2]]),this.T([t[0],e[1],e[2]]),this.T([t[0],e[1],t[2]]),this.T([t[0],t[1],e[2]]),this.T(t)]}setMaterial(e,t){null==e.materialTable[this.MaterialIndex]&&(e.materials.length>=Nmaterials&&t(),e.materialTable[this.MaterialIndex]=e.materials.length,e.materials.push(Materials[this.MaterialIndex])),materialIndex=e.materialTable[this.MaterialIndex]}render(){let e;if(this.setMaterialIndex(),0==this.CenterIndex?e=corners(this.Min,this.Max):(this.c=Centers[this.CenterIndex-1],e=this.Tcorners(this.Min,this.Max)),this.offscreen(e))return void this.data.clear();let t,i=this.controlpoints;if(0==this.CenterIndex){if(!remesh&&this.Onscreen)return void this.append();t=i}else{let e=i.length;t=Array(e);for(let a=0;a0&&this.append()}append(){this.transparent?transparentData.append(this.data):this.color?colorData.append(this.data):materialData.append(this.data)}Render(e,t,i,a,r,n,s,o,l,h,c,d,m,f,u,v,p){if(this.Distance(e)0&&this.append()}Render3(e,t,i,a,r,n,s,o,l,h,c,d,m){if(this.Distance3(e)this.epsilon)return r;let n=bezierPP(e,t,i);return abs2(n)>this.epsilon?n:bezierPPP(e,t,i,a)}sumderivative(e,t,i,a,r,n,s){let o=this.derivative(e,t,i,a),l=this.derivative(e,r,n,s);return[o[0]+l[0],o[1]+l[1],o[2]+l[2]]}normal(e,t,i,a,r,n,s){let o=r[0]-a[0],l=r[1]-a[1],h=r[2]-a[2],c=i[0]-a[0],d=i[1]-a[1],m=i[2]-a[2],f=[l*m-h*d,h*c-o*m,o*d-l*c];if(abs2(f)>this.epsilon)return unit(f);let u=[c,d,m],v=[o,l,h],p=bezierPP(a,i,t),g=bezierPP(a,r,n),x=cross(g,u),M=cross(v,p);if(abs2(f=[x[0]+M[0],x[1]+M[1],x[2]+M[2]])>this.epsilon)return unit(f);let w=bezierPPP(a,i,t,e),b=bezierPPP(a,r,n,s);x=cross(g,p),M=cross(v,w);let A=cross(b,u),S=cross(b,p),R=cross(g,w),D=cross(b,w);return unit([9*x[0]+3*(M[0]+A[0]+S[0]+R[0])+D[0],9*x[1]+3*(M[1]+A[1]+S[1]+R[1])+D[1],9*x[2]+3*(M[2]+A[2]+S[2]+R[2])+D[2]])}}class BezierCurve extends Geometry{constructor(e,t,i,a,r){super(),this.controlpoints=e,this.Min=a,this.Max=r,this.CenterIndex=t,this.MaterialIndex=i}setMaterialIndex(){this.setMaterial(material1Data,drawMaterial1)}processLine(e){let t=e[0],i=e[1];this.offscreen([t,i])||(this.data.indices.push(this.data.vertex1(t)),this.data.indices.push(this.data.vertex1(i)),this.append())}process(e){if(2==e.length)return this.processLine(e);let t=this.data.vertex1(e[0]),i=this.data.vertex1(e[3]);this.Render(e,t,i),this.data.indices.length>0&&this.append()}append(){material1Data.append(this.data)}Render(e,t,i){let a=e[0],r=e[1],n=e[2],s=e[3];if(Straightness(a,r,n,s)0?-1-materialIndex:1+materialIndex;for(let e=0,t=this.Indices.length;e1?t[1]:i;if(e&&0!=e.length||(e=i),this.Colors.length>0){let s=t.length>2?t[2]:i;s&&0!=s.length||(s=i);let o=this.Colors[s[0]],l=this.Colors[s[1]],h=this.Colors[s[2]];this.transparent|=o[3]+l[3]+h[3]<765,this.data.iVertex(i[0],a,this.Normals[e[0]],o),this.data.iVertex(i[1],r,this.Normals[e[1]],l),this.data.iVertex(i[2],n,this.Normals[e[2]],h)}else this.data.iVertex(i[0],a,this.Normals[e[0]]),this.data.iVertex(i[1],r,this.Normals[e[1]]),this.data.iVertex(i[2],n,this.Normals[e[2]])}}this.data.nvertices=this.Positions.length,this.data.indices.length>0&&this.append()}append(){this.transparent?transparentData.append(this.data):triangleData.append(this.data)}}function home(){mat4.identity(rotMat),initProjection(),setProjection(),remesh=!0,draw()}let positionAttribute=0,normalAttribute=1,materialAttribute=2,colorAttribute=3,widthAttribute=4;function initShader(e=[]){let t=getShader(gl,vertex,gl.VERTEX_SHADER,e),i=getShader(gl,fragment,gl.FRAGMENT_SHADER,e),a=gl.createProgram();return gl.attachShader(a,t),gl.attachShader(a,i),gl.bindAttribLocation(a,positionAttribute,"position"),gl.bindAttribLocation(a,normalAttribute,"normal"),gl.bindAttribLocation(a,materialAttribute,"materialIndex"),gl.bindAttribLocation(a,colorAttribute,"color"),gl.bindAttribLocation(a,widthAttribute,"width"),gl.linkProgram(a),gl.getProgramParameter(a,gl.LINK_STATUS)||alert("Could not initialize shaders"),a}class Split3{constructor(e,t,i,a){this.m0=[.5*(e[0]+t[0]),.5*(e[1]+t[1]),.5*(e[2]+t[2])];let r=.5*(t[0]+i[0]),n=.5*(t[1]+i[1]),s=.5*(t[2]+i[2]);this.m2=[.5*(i[0]+a[0]),.5*(i[1]+a[1]),.5*(i[2]+a[2])],this.m3=[.5*(this.m0[0]+r),.5*(this.m0[1]+n),.5*(this.m0[2]+s)],this.m4=[.5*(r+this.m2[0]),.5*(n+this.m2[1]),.5*(s+this.m2[2])],this.m5=[.5*(this.m3[0]+this.m4[0]),.5*(this.m3[1]+this.m4[1]),.5*(this.m3[2]+this.m4[2])]}}function iszero(e){return 0==e[0]&&0==e[1]&&0==e[2]}function unit(e){let t=1/(Math.sqrt(e[0]*e[0]+e[1]*e[1]+e[2]*e[2])||1);return[e[0]*t,e[1]*t,e[2]*t]}function abs2(e){return e[0]*e[0]+e[1]*e[1]+e[2]*e[2]}function dot(e,t){return e[0]*t[0]+e[1]*t[1]+e[2]*t[2]}function cross(e,t){return[e[1]*t[2]-e[2]*t[1],e[2]*t[0]-e[0]*t[2],e[0]*t[1]-e[1]*t[0]]}function bezierPP(e,t,i){return[e[0]+i[0]-2*t[0],e[1]+i[1]-2*t[1],e[2]+i[2]-2*t[2]]}function bezierPPP(e,t,i,a){return[a[0]-e[0]+3*(t[0]-i[0]),a[1]-e[1]+3*(t[1]-i[1]),a[2]-e[2]+3*(t[2]-i[2])]}function Straightness(e,t,i,a){let r=[third*(a[0]-e[0]),third*(a[1]-e[1]),third*(a[2]-e[2])];return Math.max(abs2([t[0]-r[0]-e[0],t[1]-r[1]-e[1],t[2]-r[2]-e[2]]),abs2([a[0]-r[0]-i[0],a[1]-r[1]-i[1],a[2]-r[2]-i[2]]))}function Distance2(e,t,i){let a=dot([e[0]-t[0],e[1]-t[1],e[2]-t[2]],i);return a*a}function corners(e,t){return[e,[e[0],e[1],t[2]],[e[0],t[1],e[2]],[e[0],t[1],t[2]],[t[0],e[1],e[2]],[t[0],e[1],t[2]],[t[0],t[1],e[2]],t]}function COBTarget(e,t){mat4.fromTranslation(translMat,[center.x,center.y,center.z]),mat4.invert(cjMatInv,translMat),mat4.multiply(e,t,cjMatInv),mat4.multiply(e,translMat,e)}function setUniforms(e,t){let i=t==pixelShader;gl.useProgram(t),gl.enableVertexAttribArray(positionAttribute),i&&gl.enableVertexAttribArray(widthAttribute);let a=t!=noNormalShader&&!i&&Lights.length>0;if(a&&gl.enableVertexAttribArray(normalAttribute),gl.enableVertexAttribArray(materialAttribute),t.projViewMatUniform=gl.getUniformLocation(t,"projViewMat"),t.viewMatUniform=gl.getUniformLocation(t,"viewMat"),t.normMatUniform=gl.getUniformLocation(t,"normMat"),t!=colorShader&&t!=transparentShader||gl.enableVertexAttribArray(colorAttribute),a)for(let e=0;e=e&&(Zoom=e),Zoom!=lastzoom&&(remesh=!0),lastzoom=Zoom}function zoomImage(e){let t=zoomStep*halfCanvasHeight*e;const i=Math.log(.1*Number.MAX_VALUE)/Math.log(zoomFactor);Math.abs(t)1&&(denom=1/a,t*=denom,i*=denom),[t,i,Math.sqrt(Math.max(1-i*i-t*t,0))]}function arcball(e,t){let i=normMouse(e),a=normMouse(t),r=dot(i,a);return r>1?r=1:r<-1&&(r=-1),[Math.acos(r),unit(cross(i,a))]}function zoomScene(e,t,i,a){zoomImage(t-a)}const DRAGMODE_ROTATE=1,DRAGMODE_SHIFT=2,DRAGMODE_ZOOM=3,DRAGMODE_PAN=4;function processDrag(e,t,i,a=1){let r;switch(i){case DRAGMODE_ROTATE:r=rotateScene;break;case DRAGMODE_SHIFT:r=shiftScene;break;case DRAGMODE_ZOOM:r=zoomScene;break;case DRAGMODE_PAN:r=panScene;break;default:r=((e,t,i,a)=>{})}r((lastMouseX-halfCanvasWidth)/halfCanvasWidth,(lastMouseY-halfCanvasHeight)/halfCanvasHeight,(e-halfCanvasWidth)/halfCanvasWidth,(t-halfCanvasHeight)/halfCanvasHeight,a),lastMouseX=e,lastMouseY=t,setProjection(),draw()}let zoomEnabled=0;function enableZoom(){zoomEnabled=1,canvas.addEventListener("wheel",handleMouseWheel,!1)}function disableZoom(){zoomEnabled=0,canvas.removeEventListener("wheel",handleMouseWheel,!1)}function handleKey(e){if(zoomEnabled||enableZoom(),embedded&&zoomEnabled&&27==e.keyCode)return void disableZoom();let t=[];switch(e.key){case"x":t=[1,0,0];break;case"y":t=[0,1,0];break;case"z":t=[0,0,1];break;case"h":home();break;case"+":case"=":case">":expand();break;case"-":case"_":case"<":shrink()}t.length>0&&(mat4.rotate(rotMat,rotMat,.1,t),updateViewMatrix(),draw())}function handleMouseWheel(e){e.preventDefault(),e.deltaY<0?Zoom*=zoomFactor:Zoom/=zoomFactor,capzoom(),setProjection(),draw()}function handleMouseMove(e){if(!mouseDownOrTouchActive)return;let t;processDrag(e.clientX,e.clientY,t=e.getModifierState("Control")?DRAGMODE_SHIFT:e.getModifierState("Shift")?DRAGMODE_ZOOM:e.getModifierState("Alt")?DRAGMODE_PAN:DRAGMODE_ROTATE)}let zooming=!1,swipe=!1,rotate=!1;function handleTouchMove(e){if(e.preventDefault(),zooming)return;let t=e.targetTouches;if(!pinch&&1==t.length&&touchId==t[0].identifier){let e=t[0].pageX,i=t[0].pageY,a=e-lastMouseX,r=i-lastMouseY,n=a*a+r*r<=shiftHoldDistance*shiftHoldDistance;if(n&&!swipe&&!rotate&&(new Date).getTime()-touchStartTime>shiftWaitTime&&(navigator.vibrate&&window.navigator.vibrate(vibrateTime),swipe=!0),swipe)processDrag(e,i,DRAGMODE_SHIFT);else if(!n){rotate=!0,processDrag(t[0].pageX,t[0].pageY,DRAGMODE_ROTATE,.5)}}if(pinch&&!swipe&&2==t.length&&touchId==t[0].identifier){let e=pinchDistance(t),i=e-pinchStart;zooming=!0,(i*=zoomPinchFactor)>zoomPinchCap&&(i=zoomPinchCap),i<-zoomPinchCap&&(i=-zoomPinchCap),zoomImage(i/size2),pinchStart=e,swipe=rotate=zooming=!1,setProjection(),draw()}}let pixelShader,noNormalShader,materialShader,colorShader,transparentShader,zbuffer=[];function transformVertices(e){let t=viewMat[2],i=viewMat[6],a=viewMat[10];zbuffer.length=e.length;for(let r=0;r0){transformVertices(transparentData.vertices);let t=e.length/3,i=Array(t).fill().map((e,t)=>t);i.sort(function(t,i){let a=3*t;Ia=e[a],Ib=e[a+1],Ic=e[a+2];let r=3*i;return IA=e[r],IB=e[r+1],IC=e[r+2],zbuffer[Ia]+zbuffer[Ib]+zbuffer[Ic]maxViewportWidth&&(e=maxViewportWidth),t>maxViewportHeight&&(t=maxViewportHeight),shift.x*=e/canvasWidth,shift.y*=t/canvasHeight,canvasWidth=e,canvasHeight=t,setCanvas(),setViewport(),home()}function expand(){setsize(canvasWidth*resizeStep+.5,canvasHeight*resizeStep+.5)}function shrink(){setsize(Math.max(canvasWidth/resizeStep+.5,1),Math.max(canvasHeight/resizeStep+.5,1))}function webGLStart(){if(canvas=document.getElementById("Asymptote"),embedded=window.top.document!=document,initGL(),absolute&&!embedded)canvasWidth*=window.devicePixelRatio,canvasHeight*=window.devicePixelRatio;else{canvas.width=Math.max(window.innerWidth-windowTrim,windowTrim),canvas.height=Math.max(window.innerHeight-windowTrim,windowTrim);let e=canvasWidth/canvasHeight;canvas.width>canvas.height*e?canvas.width=Math.min(canvas.height*e,canvas.width):canvas.height=Math.min(canvas.width/e,canvas.height),canvas.width>0&&(canvasWidth=canvas.width),canvas.height>0&&(canvasHeight=canvas.height)}setCanvas(),ArcballFactor=1+8*Math.hypot(viewportmargin[0],viewportmargin[1])/size2,viewportshift[0]/=Zoom0,viewportshift[1]/=Zoom0,gl.enable(gl.BLEND),gl.blendFunc(gl.SRC_ALPHA,gl.ONE_MINUS_SRC_ALPHA),gl.enable(gl.DEPTH_TEST),gl.enable(gl.SCISSOR_TEST),setViewport(),home(),canvas.onmousedown=handleMouseDown,document.onmouseup=handleMouseUpOrTouchEnd,document.onmousemove=handleMouseMove,canvas.onkeydown=handleKey,embedded||enableZoom(),canvas.addEventListener("touchstart",handleTouchStart,!1),canvas.addEventListener("touchend",handleMouseUpOrTouchEnd,!1),canvas.addEventListener("touchcancel",handleMouseUpOrTouchEnd,!1),canvas.addEventListener("touchleave",handleMouseUpOrTouchEnd,!1),canvas.addEventListener("touchmove",handleTouchMove,!1),document.addEventListener("keydown",handleKey,!1)} asymptote-2.62/base/fontsize.asy0000644000000000000000000000004313607467113015464 0ustar rootrootif(latex()) usepackage("type1cm"); asymptote-2.62/base/contour3.asy0000644000000000000000000003450413607467113015410 0ustar rootrootimport graph_settings; import three; real eps=10000*realEpsilon; private struct weighted { triple normal; real ratio; int kpa0,kpa1,kpa2; int kpb0,kpb1,kpb2; triple v; } private struct bucket { triple v; triple val; int count; } struct vertex { triple v; triple normal; } // A group of 3 or 4 points. private struct object { bool active; weighted[] pts; } // Return contour vertices for a 3D data array. // z: three-dimensional array of nonoverlapping mesh points // f: three-dimensional arrays of real data values // midpoint: optional array containing estimate of f at midpoint values vertex[][] contour3(triple[][][] v, real[][][] f, real[][][] midpoint=new real[][][], projection P=currentprojection) { int nx=v.length-1; if(nx == 0) abort("array v must have length >= 2"); int ny=v[0].length-1; if(ny == 0) abort("array v[0] must have length >= 2"); int nz=v[0][0].length-1; if(nz == 0) abort("array v[0][0] must have length >= 2"); bool midpoints=midpoint.length > 0; bucket[][][][] kps=new bucket[2nx+1][2ny+1][2nz+1][]; for(int i=0; i < 2nx+1; ++i) for(int j=0; j < 2ny+1; ++j) for(int k=0; k < 2nz+1; ++k) kps[i][j][k]=new bucket[]; object[] objects; // go over region a rectangle at a time for(int i=0; i < nx; ++i) { triple[][] vi=v[i]; triple[][] vp=v[i+1]; real[][] fi=f[i]; real[][] fp=f[i+1]; int i2=2i; int i2p1=i2+1; int i2p2=i2+2; for(int j=0; j < ny; ++j) { triple[] vij=vi[j]; triple[] vpj=vp[j]; triple[] vip=vi[j+1]; triple[] vpp=vp[j+1]; real[] fij=fi[j]; real[] fpj=fp[j]; real[] fip=fi[j+1]; real[] fpp=fp[j+1]; int j2=2j; int j2p1=j2+1; int j2p2=j2+2; for(int k=0; k < nz; ++k) { // vertex values real vdat0=fij[k]; real vdat1=fij[k+1]; real vdat2=fip[k]; real vdat3=fip[k+1]; real vdat4=fpj[k]; real vdat5=fpj[k+1]; real vdat6=fpp[k]; real vdat7=fpp[k+1]; // define points triple p000=vij[k]; triple p001=vij[k+1]; triple p010=vip[k]; triple p011=vip[k+1]; triple p100=vpj[k]; triple p101=vpj[k+1]; triple p110=vpp[k]; triple p111=vpp[k+1]; triple m0=0.25*(p000+p010+p110+p100); triple m1=0.25*(p010+p110+p111+p011); triple m2=0.25*(p110+p100+p101+p111); triple m3=0.25*(p100+p000+p001+p101); triple m4=0.25*(p000+p010+p011+p001); triple m5=0.25*(p001+p011+p111+p101); triple mc=0.5*(m0+m5); // optimization: we make sure we don't work with empty rectangles int countm=0; int countz=0; int countp=0; void check(real vdat) { if(vdat < -eps) ++countm; else { if(vdat <= eps) ++countz; else ++countp; } } check(vdat0); check(vdat1); check(vdat2); check(vdat3); check(vdat4); check(vdat5); check(vdat6); check(vdat7); if(countm == 8 || countp == 8 || ((countm == 7 || countp == 7) && countz == 1)) continue; int k2=2k; int k2p1=k2+1; int k2p2=k2+2; // Evaluate midpoints of cube sides. // Then evaluate midpoint of cube. real vdat8=midpoints ? midpoint[i2p1][j2p1][k2] : 0.25*(vdat0+vdat2+vdat6+vdat4); real vdat9=midpoints ? midpoint[i2p1][j2p2][k2p1] : 0.25*(vdat2+vdat6+vdat7+vdat3); real vdat10=midpoints ? midpoint[i2p2][j2p1][k2p1] : 0.25*(vdat7+vdat6+vdat4+vdat5); real vdat11=midpoints ? midpoint[i2p1][j2][k2p1] : 0.25*(vdat0+vdat4+vdat5+vdat1); real vdat12=midpoints ? midpoint[i2][j2p1][k2p1] : 0.25*(vdat0+vdat2+vdat3+vdat1); real vdat13=midpoints ? midpoint[i2p1][j2p1][k2p2] : 0.25*(vdat1+vdat3+vdat7+vdat5); real vdat14=midpoints ? midpoint[i2p1][j2p1][k2p1] : 0.125*(vdat0+vdat1+vdat2+vdat3+vdat4+vdat5+vdat6+vdat7); // Go through the 24 pyramids, 4 for each side. void addval(int kp0, int kp1, int kp2, triple add, triple v) { bucket[] cur=kps[kp0][kp1][kp2]; for(int q=0; q < cur.length; ++q) { if(length(cur[q].v-v) < eps) { cur[q].val += add; ++cur[q].count; return; } } bucket newbuck; newbuck.v=v; newbuck.val=add; newbuck.count=1; cur.push(newbuck); } void accrue(weighted w) { triple val1=w.normal*w.ratio; triple val2=w.normal*(1-w.ratio); addval(w.kpa0,w.kpa1,w.kpa2,val1,w.v); addval(w.kpb0,w.kpb1,w.kpb2,val2,w.v); } triple dir=P.normal; void addnormals(weighted[] pts) { triple vec2=pts[1].v-pts[0].v; triple vec1=pts[0].v-pts[2].v; triple vec0=-vec2-vec1; vec2=unit(vec2); vec1=unit(vec1); vec0=unit(vec0); triple normal=cross(vec2,vec1); normal *= sgn(dot(normal,dir)); real angle0=acos(-dot(vec1,vec2)); real angle1=acos(-dot(vec2,vec0)); pts[0].normal=normal*angle0; pts[1].normal=normal*angle1; pts[2].normal=normal*(pi-angle0-angle1); } void addobj(object obj) { if(!obj.active) return; if(obj.pts.length == 4) { weighted[] points=obj.pts; object obj1; object obj2; obj1.active=true; obj2.active=true; obj1.pts=new weighted[] {points[0],points[1],points[2]}; obj2.pts=new weighted[] {points[1],points[2],points[3]}; addobj(obj1); addobj(obj2); } else { addnormals(obj.pts); for(int q=0; q < obj.pts.length; ++q) accrue(obj.pts[q]); objects.push(obj); } } weighted setupweighted(triple va, triple vb, real da, real db, int[] kpa, int[] kpb) { weighted w; real ratio=abs(da/(db-da)); w.v=interp(va,vb,ratio); w.ratio=ratio; w.kpa0=i2+kpa[0]; w.kpa1=j2+kpa[1]; w.kpa2=k2+kpa[2]; w.kpb0=i2+kpb[0]; w.kpb1=j2+kpb[1]; w.kpb2=k2+kpb[2]; return w; } weighted setupweighted(triple v, int[] kp) { weighted w; w.v=v; w.ratio=0.5; w.kpa0=w.kpb0=i2+kp[0]; w.kpa1=w.kpb1=j2+kp[1]; w.kpa2=w.kpb2=k2+kp[2]; return w; } // Checks if a pyramid contains a contour object. object checkpyr(triple v0, triple v1, triple v2, triple v3, real d0, real d1, real d2, real d3, int[] c0, int[] c1, int[] c2, int[] c3) { object obj; real a0=abs(d0); real a1=abs(d1); real a2=abs(d2); real a3=abs(d3); bool b0=a0 < eps; bool b1=a1 < eps; bool b2=a2 < eps; bool b3=a3 < eps; weighted[] pts; if(b0) pts.push(setupweighted(v0,c0)); if(b1) pts.push(setupweighted(v1,c1)); if(b2) pts.push(setupweighted(v2,c2)); if(b3) pts.push(setupweighted(v3,c3)); if(!b0 && !b1 && abs(d0+d1)+eps < a0+a1) pts.push(setupweighted(v0,v1,d0,d1,c0,c1)); if(!b0 && !b2 && abs(d0+d2)+eps < a0+a2) pts.push(setupweighted(v0,v2,d0,d2,c0,c2)); if(!b0 && !b3 && abs(d0+d3)+eps < a0+a3) pts.push(setupweighted(v0,v3,d0,d3,c0,c3)); if(!b1 && !b2 && abs(d1+d2)+eps < a1+a2) pts.push(setupweighted(v1,v2,d1,d2,c1,c2)); if(!b1 && !b3 && abs(d1+d3)+eps < a1+a3) pts.push(setupweighted(v1,v3,d1,d3,c1,c3)); if(!b2 && !b3 && abs(d2+d3)+eps < a2+a3) pts.push(setupweighted(v2,v3,d2,d3,c2,c3)); int s=pts.length; //There are three or four points. if(s > 2) { obj.active=true; obj.pts=pts; } else obj.active=false; return obj; } void check4pyr(triple v0, triple v1, triple v2, triple v3, triple v4, triple v5, real d0, real d1, real d2, real d3, real d4, real d5, int[] c0, int[] c1, int[] c2, int[] c3, int[] c4, int[] c5) { addobj(checkpyr(v5,v4,v0,v1,d5,d4,d0,d1,c5,c4,c0,c1)); addobj(checkpyr(v5,v4,v1,v2,d5,d4,d1,d2,c5,c4,c1,c2)); addobj(checkpyr(v5,v4,v2,v3,d5,d4,d2,d3,c5,c4,c2,c3)); addobj(checkpyr(v5,v4,v3,v0,d5,d4,d3,d0,c5,c4,c3,c0)); } static int[] pp000={0,0,0}; static int[] pp001={0,0,2}; static int[] pp010={0,2,0}; static int[] pp011={0,2,2}; static int[] pp100={2,0,0}; static int[] pp101={2,0,2}; static int[] pp110={2,2,0}; static int[] pp111={2,2,2}; static int[] pm0={1,1,0}; static int[] pm1={1,2,1}; static int[] pm2={2,1,1}; static int[] pm3={1,0,1}; static int[] pm4={0,1,1}; static int[] pm5={1,1,2}; static int[] pmc={1,1,1}; check4pyr(p000,p010,p110,p100,mc,m0, vdat0,vdat2,vdat6,vdat4,vdat14,vdat8, pp000,pp010,pp110,pp100,pmc,pm0); check4pyr(p010,p110,p111,p011,mc,m1, vdat2,vdat6,vdat7,vdat3,vdat14,vdat9, pp010,pp110,pp111,pp011,pmc,pm1); check4pyr(p110,p100,p101,p111,mc,m2, vdat6,vdat4,vdat5,vdat7,vdat14,vdat10, pp110,pp100,pp101,pp111,pmc,pm2); check4pyr(p100,p000,p001,p101,mc,m3, vdat4,vdat0,vdat1,vdat5,vdat14,vdat11, pp100,pp000,pp001,pp101,pmc,pm3); check4pyr(p000,p010,p011,p001,mc,m4, vdat0,vdat2,vdat3,vdat1,vdat14,vdat12, pp000,pp010,pp011,pp001,pmc,pm4); check4pyr(p001,p011,p111,p101,mc,m5, vdat1,vdat3,vdat7,vdat5,vdat14,vdat13, pp001,pp011,pp111,pp101,pmc,pm5); } } } vertex preparevertex(weighted w) { vertex ret; triple normal=O; bool first=true; bucket[] kp1=kps[w.kpa0][w.kpa1][w.kpa2]; bucket[] kp2=kps[w.kpb0][w.kpb1][w.kpb2]; bool notfound1=true; bool notfound2=true; int count=0; int stop=max(kp1.length,kp2.length); for(int r=0; r < stop; ++r) { if(notfound1) { if(length(w.v-kp1[r].v) < eps) { if(first) { ret.v=kp1[r].v; first=false; } normal += kp1[r].val; count += kp1[r].count; notfound1=false; } } if(notfound2) { if(length(w.v-kp2[r].v) < eps) { if(first) { ret.v=kp2[r].v; first=false; } normal += kp2[r].val; count += kp2[r].count; notfound2=false; } } } ret.normal=normal*2/count; return ret; } // Prepare return value. vertex[][] g; for(int q=0; q < objects.length; ++q) { object p=objects[q]; g.push(new vertex[] {preparevertex(p.pts[0]),preparevertex(p.pts[1]), preparevertex(p.pts[2])}); } return g; } // Return contour vertices for a 3D data array on a uniform lattice. // f: three-dimensional arrays of real data values // midpoint: optional array containing estimate of f at midpoint values // a,b: diagonally opposite points of rectangular parellelpiped domain vertex[][] contour3(real[][][] f, real[][][] midpoint=new real[][][], triple a, triple b, projection P=currentprojection) { int nx=f.length-1; if(nx == 0) abort("array f must have length >= 2"); int ny=f[0].length-1; if(ny == 0) abort("array f[0] must have length >= 2"); int nz=f[0][0].length-1; if(nz == 0) abort("array f[0][0] must have length >= 2"); triple[][][] v=new triple[nx+1][ny+1][nz+1]; for(int i=0; i <= nx; ++i) { real xi=interp(a.x,b.x,i/nx); triple[][] vi=v[i]; for(int j=0; j <= ny; ++j) { triple[] vij=v[i][j]; real yj=interp(a.y,b.y,j/ny); for(int k=0; k <= nz; ++k) { vij[k]=(xi,yj,interp(a.z,b.z,k/nz)); } } } return contour3(v,f,midpoint,P); } // Return contour vertices for a 3D data array, using a pyramid mesh // f: real-valued function of three real variables // a,b: diagonally opposite points of rectangular parellelpiped domain // nx,ny,nz number of subdivisions in x, y, and z directions vertex[][] contour3(real f(real, real, real), triple a, triple b, int nx=nmesh, int ny=nx, int nz=nx, projection P=currentprojection) { // evaluate function at points and midpoints real[][][] dat=new real[nx+1][ny+1][nz+1]; real[][][] midpoint=new real[2nx+2][2ny+2][2nz+1]; for(int i=0; i <= nx; ++i) { real x=interp(a.x,b.x,i/nx); real x2=interp(a.x,b.x,(i+0.5)/nx); real[][] dati=dat[i]; real[][] midpointi2=midpoint[2i]; real[][] midpointi2p1=midpoint[2i+1]; for(int j=0; j <= ny; ++j) { real y=interp(a.y,b.y,j/ny); real y2=interp(a.y,b.y,(j+0.5)/ny); real datij[]=dati[j]; real[] midpointi2p1j2=midpointi2p1[2j]; real[] midpointi2p1j2p1=midpointi2p1[2j+1]; real[] midpointi2j2p1=midpointi2[2j+1]; for(int k=0; k <= nz; ++k) { real z=interp(a.z,b.z,k/nz); real z2=interp(a.z,b.z,(k+0.5)/nz); datij[k]=f(x,y,z); if(i == nx || j == ny || k == nz) continue; int k2p1=2k+1; midpointi2p1j2p1[2k]=f(x2,y2,z); midpointi2p1j2p1[k2p1]=f(x2,y2,z2); midpointi2p1j2[k2p1]=f(x2,y,z2); midpointi2j2p1[k2p1]=f(x,y2,z2); if(i == 0) midpoint[2nx][2j+1][k2p1]=f(b.x,y2,z2); if(j == 0) midpointi2p1[2ny][k2p1]=f(x2,b.y,z2); if(k == 0) midpointi2p1j2p1[2nz]=f(x2,y2,b.z); } } } return contour3(dat,midpoint,a,b,P); } // Construct contour surface for a 3D data array, using a pyramid mesh. surface surface(vertex[][] g) { surface s=surface(g.length); for(int i=0; i < g.length; ++i) { vertex[] cur=g[i]; s.s[i]=patch(cur[0].v--cur[1].v--cur[2].v--cycle); } return s; } asymptote-2.62/base/rational.asy0000644000000000000000000001161313607467113015441 0ustar rootroot// Asymptote module implementing rational arithmetic. int gcd(int m, int n) { if(m < n) { int temp=m; m=n; n=temp; } while(n != 0) { int r=m % n; m=n; n=r; } return m; } int lcm(int m, int n) { return m#gcd(m,n)*n; } struct rational { int p=0,q=1; void reduce() { int d=gcd(p,q); if(abs(d) > 1) { p #= d; q #= d; } if(q <= 0) { if(q == 0) abort("Division by zero"); p=-p; q=-q; } } void operator init(int p=0, int q=1, bool reduce=true) { this.p=p; this.q=q; if(reduce) reduce(); } } rational operator cast(int p) { return rational(p,false); } rational[] operator cast(int[] a) { return sequence(new rational(int i) {return a[i];},a.length); } rational[][] operator cast(int[][] a) { return sequence(new rational[](int i) {return a[i];},a.length); } real operator ecast(rational r) { return r.p/r.q; } rational operator -(rational r) { return rational(-r.p,r.q,false); } rational operator +(rational r, rational s) { return rational(r.p*s.q+s.p*r.q,r.q*s.q); } rational operator -(rational r, rational s) { return rational(r.p*s.q-s.p*r.q,r.q*s.q); } rational operator *(rational r, rational s) { return rational(r.p*s.p,r.q*s.q); } rational operator /(rational r, rational s) { return rational(r.p*s.q,r.q*s.p); } bool operator ==(rational r, rational s) { return r.p == s.p && r.q == s.q; } bool operator !=(rational r, rational s) { return r.p != s.p || r.q != s.q; } bool operator <(rational r, rational s) { return r.p*s.q-s.p*r.q < 0; } bool operator >(rational r, rational s) { return r.p*s.q-s.p*r.q > 0; } bool operator <=(rational r, rational s) { return r.p*s.q-s.p*r.q <= 0; } bool operator >=(rational r, rational s) { return r.p*s.q-s.p*r.q >= 0; } bool[] operator ==(rational[] r, rational s) { return sequence(new bool(int i) {return r[i] == s;},r.length); } bool operator ==(rational[] r, rational[] s) { if(r.length != s.length) abort(" operation attempted on arrays of different lengths: "+ string(r.length)+" != "+string(s.length)); return all(sequence(new bool(int i) {return r[i] == s[i];},r.length)); } bool operator ==(rational[][] r, rational[][] s) { if(r.length != s.length) abort(" operation attempted on arrays of different lengths: "+ string(r.length)+" != "+string(s.length)); return all(sequence(new bool(int i) {return r[i] == s[i];},r.length)); } bool[] operator <(rational[] r, rational s) { return sequence(new bool(int i) {return r[i] < s;},r.length); } bool[] operator >(rational[] r, rational s) { return sequence(new bool(int i) {return r[i] > s;},r.length); } bool[] operator <=(rational[] r, rational s) { return sequence(new bool(int i) {return r[i] <= s;},r.length); } bool[] operator >=(rational[] r, rational s) { return sequence(new bool(int i) {return r[i] >= s;},r.length); } rational min(rational a, rational b) { return a <= b ? a : b; } rational max(rational a, rational b) { return a >= b ? a : b; } string string(rational r) { return r.q == 1 ? string(r.p) : string(r.p)+"/"+string(r.q); } string texstring(rational r) { if(r.q == 1) return string(r.p); string s; if(r.p < 0) s="-"; return s+"\frac{"+string(abs(r.p))+"}{"+string(r.q)+"}"; } void write(file fout, string s="", rational r, suffix suffix=none) { write(fout,s+string(r),suffix); } void write(string s="", rational r, suffix suffix=endl) { write(stdout,s,r,suffix); } void write(file fout=stdout, string s="", rational[] a, suffix suffix=none) { if(s != "") write(fout,s,endl); for(int i=0; i < a.length; ++i) { write(fout,i,none); write(fout,':\t',a[i],endl); } write(fout,suffix); } void write(file fout=stdout, string s="", rational[][] a, suffix suffix=none) { if(s != "") write(fout,s); for(int i=0; i < a.length; ++i) { rational[] ai=a[i]; for(int j=0; j < ai.length; ++j) { write(fout,ai[j],tab); } write(fout,endl); } write(fout,suffix); } bool rectangular(rational[][] m) { int n=m.length; if(n > 0) { int m0=m[0].length; for(int i=1; i < n; ++i) if(m[i].length != m0) return false; } return true; } rational sum(rational[] a) { rational sum; for(rational r:a) sum += r; return sum; } rational max(rational[] a) { rational M=a[0]; for(rational r:a) M=max(M,r); return M; } rational abs(rational r) { return rational(abs(r.p),r.q,false); } rational[] operator -(rational[] r) { return sequence(new rational(int i) {return -r[i];},r.length); } rational[][] rationalidentity(int n) { return sequence(new rational[](int i) {return sequence(new rational(int j) {return j == i ? 1 : 0;},n);},n); } /* rational r=rational(1,3)+rational(1,4); write(r == rational(1,12)); write(r); real x=r; write(x); rational r=3; write(r); write(gcd(-8,12)); write(rational(-36,-14)); int[][] a=new int[][] {{1,2},{3,4}}; rational[][] r=a; write(r); */ asymptote-2.62/base/slopefield.asy0000644000000000000000000000402413607467113015754 0ustar rootrootimport graph_settings; real stepfraction=0.05; picture slopefield(real f(real,real), pair a, pair b, int nx=nmesh, int ny=nx, real tickfactor=0.5, pen p=currentpen, arrowbar arrow=None) { picture pic; real dx=(b.x-a.x)/nx; real dy=(b.y-a.y)/ny; real step=0.5*tickfactor*min(dx,dy); for(int i=0; i <= nx; ++i) { real x=a.x+i*dx; for(int j=0; j <= ny; ++j) { pair cp=(x,a.y+j*dy); real slope=f(cp.x,cp.y); real mp=step/sqrt(1+slope^2); draw(pic,(cp.x-mp,cp.y-mp*slope)--(cp.x+mp,cp.y+mp*slope),p,arrow); } } clip(pic,box(a,b)); return pic; } picture slopefield(real f(real), pair a, pair b, int nx=nmesh, int ny=nx, pen p=currentpen, arrowbar arrow=None) { return slopefield(new real(real x, real y) {return f(x);},a,b,nx,ny,p,arrow); } path curve(pair c, real f(real,real), pair a, pair b) { real step=stepfraction*(b.x-a.x); real halfstep=0.5*step; real sixthstep=step/6; path follow(real sign) { pair cp=c; guide g=cp; real dx,dy; real factor=1; do { real slope; pair S(pair z) { slope=f(z.x,z.y); return factor*sign/sqrt(1+slope^2)*(1,slope); } pair S3; pair advance() { pair S0=S(cp); pair S1=S(cp+halfstep*S0); pair S2=S(cp+halfstep*S1); S3=S(cp+step*S2); pair cp0=cp+sixthstep*(S0+2S1+2S2+S3); dx=min(cp0.x-a.x,b.x-cp0.x); dy=min(cp0.y-a.y,b.y-cp0.y); return cp0; } pair cp0=advance(); if(dx < 0) { factor=(step+dx)/step; cp0=advance(); g=g..{S3}cp0{S3}; break; } if(dy < 0) { factor=(step+dy)/step; cp0=advance(); g=g..{S3}cp0{S3}; break; } cp=cp0; g=g..{S3}cp{S3}; } while (dx > 0 && dy > 0); return g; } return reverse(follow(-1))&follow(1); } path curve(pair c, real f(real), pair a, pair b) { return curve(c,new real(real x, real y){return f(x);},a,b); } asymptote-2.62/base/plain_boxes.asy0000644000000000000000000001004013607467113016124 0ustar rootroot// Draw and/or fill a box on frame dest using the dimensions of frame src. path box(frame dest, frame src=dest, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { pair z=(xmargin,ymargin); int sign=filltype == NoFill ? 1 : -1; pair h=0.5*sign*(max(p)-min(p)); path g=box(min(src)-h-z,max(src)+h+z); frame F; if(above == false) { filltype.fill(F,g,p); prepend(dest,F); } else filltype.fill(dest,g,p); return g; } path roundbox(frame dest, frame src=dest, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { pair m=min(src); pair M=max(src); pair bound=M-m; int sign=filltype == NoFill ? 1 : -1; real a=bound.x+2*xmargin; real b=bound.y+2*ymargin; real ds=0; real dw=min(a,b)*0.3; path g=shift(m-(xmargin,ymargin))*((0,dw)--(0,b-dw){up}..{right} (dw,b)--(a-dw,b){right}..{down} (a,b-dw)--(a,dw){down}..{left} (a-dw,0)--(dw,0){left}..{up}cycle); frame F; if(above == false) { filltype.fill(F,g,p); prepend(dest,F); } else filltype.fill(dest,g,p); return g; } path ellipse(frame dest, frame src=dest, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { pair m=min(src); pair M=max(src); pair D=M-m; static real factor=0.5*sqrt(2); int sign=filltype == NoFill ? 1 : -1; pair h=0.5*sign*(max(p)-min(p)); path g=ellipse(0.5*(M+m),factor*D.x+h.x+xmargin,factor*D.y+h.y+ymargin); frame F; if(above == false) { filltype.fill(F,g,p); prepend(dest,F); } else filltype.fill(dest,g,p); return g; } path box(frame f, Label L, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { add(f,L); return box(f,xmargin,ymargin,p,filltype,above); } path roundbox(frame f, Label L, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { add(f,L); return roundbox(f,xmargin,ymargin,p,filltype,above); } path ellipse(frame f, Label L, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { add(f,L); return ellipse(f,xmargin,ymargin,p,filltype,above); } typedef path envelope(frame dest, frame src=dest, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true); object object(Label L, envelope e, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { object F; F.L=L.copy(); Label L0=L.copy(); L0.position(0); L0.p(p); add(F.f,L0); F.g=e(F.f,xmargin,ymargin,p,filltype); return F; } object draw(picture pic=currentpicture, Label L, envelope e, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { object F=object(L,e,xmargin,ymargin,p,filltype,above); pic.add(new void (frame f, transform t) { frame d; add(d,t,F.L); e(f,d,xmargin,ymargin,p,filltype,above); add(f,d); },true); pic.addBox(L.position,L.position,min(F.f),max(F.f)); return F; } object draw(picture pic=currentpicture, Label L, envelope e, pair position, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill, bool above=true) { return draw(pic,Label(L,position),e,xmargin,ymargin,p,filltype,above); } pair point(object F, pair dir, transform t=identity()) { pair m=min(F.g); pair M=max(F.g); pair c=0.5*(m+M); pair z=t*F.L.position; real[] T=intersect(F.g,c--2*(m+realmult(rectify(dir),M-m))-c); if(T.length == 0) return z; return z+point(F.g,T[0]); } frame bbox(picture pic=currentpicture, real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill) { real penwidth=linewidth(p); frame f=pic.fit(max(pic.xsize-2*(xmargin+penwidth),0), max(pic.ysize-2*(ymargin+penwidth),0)); box(f,xmargin,ymargin,p,filltype,above=false); return f; } asymptote-2.62/base/nopapersize.ps0000644000000000000000000000004713607467113016014 0ustar rootroot@ a4size 0in 0in @ letterSize 0in 0in asymptote-2.62/base/external.asy0000644000000000000000000000214213607467113015447 0ustar rootrootusepackage("hyperref"); texpreamble("\hypersetup{"+settings.hyperrefOptions+"}"); // Embed object to be run in an external window. An image file name can be // specified; if not given one will be automatically generated. string embed(string name, string text="", string options="", real width=0, real height=0, string image="") { string options; // Ignore passed options. if(image == "") { image=stripdirectory(stripextension(name))+"."+nativeformat(); convert(name+"[0]",image,nativeformat()); if(!settings.keep) { exitfcn currentexitfunction=atexit(); void exitfunction() { if(currentexitfunction != null) currentexitfunction(); delete(image); } atexit(exitfunction); } } if(width != 0) options += ", width="+(string) (width/pt)+"pt"; if(height != 0) options +=", height="+(string) (height/pt)+"pt"; return "\href{run:"+name+"}{"+graphic(image,options)+"}"; } string hyperlink(string url, string text) { return "\href{"+url+"}{"+text+"}"; } string link(string label, string text="Play") { return hyperlink("run:"+label,text); } asymptote-2.62/base/stats.asy0000644000000000000000000001621313607467113014767 0ustar rootrootprivate import graph; real legendmarkersize=2mm; real mean(real A[]) { return sum(A)/A.length; } // unbiased estimate real variance(real A[]) { return sum((A-mean(A))^2)/(A.length-1); } real variancebiased(real A[]) { return sum((A-mean(A))^2)/A.length; } // unbiased estimate real stdev(real A[]) { return sqrt(variance(A)); } real rms(real A[]) { return sqrt(sum(A^2)/A.length); } real skewness(real A[]) { real[] diff=A-mean(A); return sum(diff^3)/sqrt(sum(diff^2)^3/A.length); } real kurtosis(real A[]) { real[] diff=A-mean(A); return sum(diff^4)/sum(diff^2)^2*A.length; } real kurtosisexcess(real A[]) { return kurtosis(A)-3; } real Gaussian(real x, real sigma) { static real sqrt2pi=sqrt(2pi); return exp(-0.5*(x/sigma)^2)/(sigma*sqrt2pi); } real Gaussian(real x) { static real invsqrt2pi=1/sqrt(2pi); return exp(-0.5*x^2)*invsqrt2pi; } // Return frequency count of data in [bins[i],bins[i+1]) for i=0,...,n-1. int[] frequency(real[] data, real[] bins) { int n=bins.length-1; int[] freq=new int[n]; for(int i=0; i < n; ++i) freq[i]=sum(bins[i] <= data & data < bins[i+1]); return freq; } // Return frequency count in n uniform bins from a to b // (faster than the above more general algorithm). int[] frequency(real[] data, real a, real b, int n) { int[] freq=sequence(new int(int x) {return 0;},n); real h=n/(b-a); for(int i=0; i < data.length; ++i) { int I=Floor((data[i]-a)*h); if(I >= 0 && I < n) ++freq[I]; } return freq; } // Return frequency count in [xbins[i],xbins[i+1]) and [ybins[j],ybins[j+1]). int[][] frequency(real[] x, real[] y, real[] xbins, real[] ybins) { int n=xbins.length-1; int m=ybins.length-1; int[][] freq=new int[n][m]; bool[][] inybin=new bool[m][y.length]; for(int j=0; j < m; ++j) inybin[j]=ybins[j] <= y & y < ybins[j+1]; for(int i=0; i < n; ++i) { bool[] inxbini=xbins[i] <= x & x < xbins[i+1]; int[] freqi=freq[i]; for(int j=0; j < m; ++j) freqi[j]=sum(inxbini & inybin[j]); } return freq; } // Return frequency count in nx by ny uniform bins in box(a,b). int[][] frequency(real[] x, real[] y, pair a, pair b, int nx, int ny=nx) { int[][] freq=new int[nx][]; for(int i=0; i < nx; ++i) freq[i]=sequence(new int(int x) {return 0;},ny); real hx=nx/(b.x-a.x); real hy=ny/(b.y-a.y); real ax=a.x; real ay=a.y; for(int i=0; i < x.length; ++i) { int I=Floor((x[i]-ax)*hx); int J=Floor((y[i]-ay)*hy); if(I >= 0 && I <= nx && J >= 0 && J <= ny) ++freq[I][J]; } return freq; } int[][] frequency(pair[] z, pair a, pair b, int nx, int ny=nx) { int[][] freq=new int[nx][]; for(int i=0; i < nx; ++i) freq[i]=sequence(new int(int x) {return 0;},ny); real hx=nx/(b.x-a.x); real hy=ny/(b.y-a.y); real ax=a.x; real ay=a.y; for(int i=0; i < z.length; ++i) { int I=Floor((z[i].x-ax)*hx); int J=Floor((z[i].y-ay)*hy); if(I >= 0 && I < nx && J >= 0 && J < ny) ++freq[I][J]; } return freq; } path halfbox(pair a, pair b) { return a--(a.x,b.y)--b; } path topbox(pair a, pair b) { return a--(a.x,b.y)--b--(b.x,a.y); } // Draw a histogram for bin boundaries bin[n+1] of frequency data in count[n]. void histogram(picture pic=currentpicture, real[] bins, real[] count, real low=-infinity, pen fillpen=nullpen, pen drawpen=nullpen, bool bars=false, Label legend="", real markersize=legendmarkersize) { if((fillpen == nullpen || bars == true) && drawpen == nullpen) drawpen=currentpen; bool[] valid=count > 0; real m=min(valid ? count : null); real M=max(valid ? count : null); bounds my=autoscale(pic.scale.y.scale.T(m),pic.scale.y.T(M), pic.scale.y.scale); if(low == -infinity) low=pic.scale.y.scale.Tinv(my.min); real last=low; int n=count.length; begingroup(pic); for(int i=0; i < n; ++i) { if(valid[i]) { real c=count[i]; pair b=Scale(pic,(bins[i+1],c)); pair a=Scale(pic,(bins[i],low)); if(fillpen != nullpen) { fill(pic,box(a,b),fillpen); if(!bars) draw(pic,b--(b.x,a.y),fillpen); } if(!bars) draw(pic,halfbox(Scale(pic,(bins[i],last)),b),drawpen); else draw(pic,topbox(a,b),drawpen); last=c; } else { if(!bars && last != low) { draw(pic,Scale(pic,(bins[i],last))--Scale(pic,(bins[i],low)),drawpen); last=low; } } } if(!bars && last != low) draw(pic,Scale(pic,(bins[n],last))--Scale(pic,(bins[n],low)),drawpen); endgroup(pic); if(legend.s != "") { marker m=marker(scale(markersize)*shift((-0.5,-0.5))*unitsquare, drawpen,fillpen == nullpen ? Draw : (drawpen == nullpen ? Fill(fillpen) : FillDraw(fillpen))); legend.p(drawpen); pic.legend.push(Legend(legend.s,legend.p,invisible,m.f)); } } // Draw a histogram for data in n uniform bins between a and b // (optionally normalized). void histogram(picture pic=currentpicture, real[] data, real a, real b, int n, bool normalize=false, real low=-infinity, pen fillpen=nullpen, pen drawpen=nullpen, bool bars=false, Label legend="", real markersize=legendmarkersize) { real dx=(b-a)/n; real[] freq=frequency(data,a,b,n); if(normalize) freq /= dx*sum(freq); histogram(pic,a+sequence(n+1)*dx,freq,low,fillpen,drawpen,bars,legend, markersize); } // Method of Shimazaki and Shinomoto for selecting the optimal number of bins. // Shimazaki H. and Shinomoto S., A method for selecting the bin size of a // time histogram, Neural Computation (2007), Vol. 19(6), 1503-1527. // cf. http://www.ton.scphys.kyoto-u.ac.jp/~hideaki/res/histogram.html int bins(real[] data, int max=100) { real m=min(data); real M=max(data)*(1+epsilon); real n=data.length; int bins=1; real minC=2n-n^2; // Cost function for N=1. for(int N=2; N <= max; ++N) { real C=N*(2n-sum(frequency(data,m,M,N)^2)); if(C < minC) { minC=C; bins=N; } } return bins; } // return a pair of central Gaussian random numbers with unit variance pair Gaussrandpair() { real r2,v1,v2; do { v1=2.0*unitrand()-1.0; v2=2.0*unitrand()-1.0; r2=v1*v1+v2*v2; } while(r2 >= 1.0 || r2 == 0.0); return (v1,v2)*sqrt(-log(r2)/r2); } // return a central Gaussian random number with unit variance real Gaussrand() { static real sqrt2=sqrt(2.0); static pair z; static bool cached=true; cached=!cached; if(cached) return sqrt2*z.y; z=Gaussrandpair(); return sqrt2*z.x; } struct linefit { real m,b; // slope, intercept real dm,db; // standard error in slope, intercept real r; // correlation coefficient real fit(real x) { return m*x+b; } } // Do a least-squares fit of data in real arrays x and y to the line y=m*x+b linefit leastsquares(real[] x, real[] y) { linefit L; int n=x.length; if(n == 1) abort("Least squares fit requires at least 2 data points"); real sx=sum(x); real sy=sum(y); real sxx=n*sum(x^2)-sx^2; real sxy=n*sum(x*y)-sx*sy; L.m=sxy/sxx; L.b=(sy-L.m*sx)/n; if(n > 2) { real syy=n*sum(y^2)-sy^2; if(sxx == 0 || syy == 0) return L; L.r=sxy/sqrt(sxx*syy); real arg=syy-sxy^2/sxx; if(arg <= 0) return L; real s=sqrt(arg/(n-2)); L.dm=s*sqrt(1/sxx); L.db=s*sqrt(1+sx^2/sxx)/n; } return L; } asymptote-2.62/base/tube.asy0000644000000000000000000001031113607467113014561 0ustar rootroot// Author: Philippe Ivaldi // http://www.piprime.fr/ // Based on this paper: // http://www.cs.hku.hk/research/techreps/document/TR-2007-07.pdf // Note: the additional rotation for a cyclic smooth spine curve is not // yet properly determined. // TODO: Implement variational principles for RMF with boundary conditions: // minimum total angular speed OR minimum total squared angular speed import three; // A 3D version of roundedpath(path, real). path3 roundedpath(path3 A, real r) { // Author of this routine: Jens Schwaiger guide3 rounded; triple before, after, indir, outdir; int len=length(A); bool cyclic=cyclic(A); if(len < 2) {return A;}; if(cyclic) {rounded=point(point(A,0)--point(A,1),r);} else {rounded=point(A,0);} for(int i=1; i < len; i=i+1) { before=point(point(A,i)--point(A,i-1),r); after=point(point(A,i)--point(A,i+1),r); indir=dir(point(A,i-1)--point(A,i),1); outdir=dir(point(A,i)--point(A,i+1),1); rounded=rounded--before{indir}..{outdir}after; } if(cyclic) { before=point(point(A,0)--point(A,len-1),r); indir=dir(point(A,len-1)--point(A,0),1); outdir=dir(point(A,0)--point(A,1),1); rounded=rounded--before{indir}..{outdir}cycle; } else rounded=rounded--point(A,len); return rounded; } real[] sample(path3 g, real r, real relstep=0) { real[] t; int n=length(g); if(relstep <= 0) { for(int i=0; i < n; ++i) { real S=straightness(g,i); if(S < sqrtEpsilon*r) t.push(i); else render(subpath(g,i,i+1),new void(path3, real s) {t.push(i+s);}); } t.push(n); } else { int nb=ceil(1/relstep); relstep=n/nb; for(int i=0; i <= nb; ++i) t.push(i*relstep); } return t; } real degrees(rmf a, rmf b) { real d=degrees(acos1(dot(a.r,b.r))); real dt=dot(cross(a.r,b.r),a.t); d=dt > 0 ? d : 360-d; return d%360; } restricted int coloredNodes=1; restricted int coloredSegments=2; struct coloredpath { path p; pen[] pens(real); bool usepens=false; int colortype=coloredSegments; void operator init(path p, pen[] pens=new pen[] {currentpen}, int colortype=coloredSegments) { this.p=p; this.pens=new pen[] (real t) {return pens;}; this.usepens=true; this.colortype=colortype; } void operator init(path p, pen[] pens(real), int colortype=coloredSegments) { this.p=p; this.pens=pens; this.usepens=true; this.colortype=colortype; } void operator init(path p, pen pen(real)) { this.p=p; this.pens=new pen[] (real t) {return new pen[] {pen(t)};}; this.usepens=true; this.colortype=coloredSegments; } } coloredpath operator cast(path p) { coloredpath cp=coloredpath(p); cp.usepens=false; return cp; } coloredpath operator cast(guide p) { return coloredpath(p); } private surface surface(rmf[] R, real[] t, coloredpath cp, transform T(real), bool cyclic) { path g=cp.p; int l=length(g); bool[] planar; for(int i=0; i < l; ++i) planar[i]=straight(g,i); surface s; path3 sec=path3(T(t[0]/l)*g); real adjust=0; if(cyclic) adjust=-degrees(R[0],R[R.length-1])/(R.length-1); path3 sec1=shift(R[0].p)*transform3(R[0].r,R[0].s,R[0].t)*sec, sec2; for(int i=1; i < R.length; ++i) { sec=path3(T(t[i]/l)*g); sec2=shift(R[i].p)*transform3(R[i].r,cross(R[i].t,R[i].r),R[i].t)* rotate(i*adjust,Z)*sec; for(int j=0; j < l; ++j) { surface st=surface(subpath(sec1,j,j+1)--subpath(sec2,j+1,j)--cycle, planar=planar[j]); if(cp.usepens) { pen[] tp1=cp.pens(t[i-1]/l), tp2=cp.pens(t[i]/l); tp1.cyclic=true; tp2.cyclic=true; if(cp.colortype == coloredSegments) { st.colors(new pen[][] {{tp1[j],tp1[j],tp2[j],tp2[j]}}); } else { st.colors(new pen[][] {{tp1[j],tp1[j+1],tp2[j+1],tp2[j]}}); } } s.append(st); } sec1=sec2; } return s; } surface tube(path3 g, coloredpath section, transform T(real)=new transform(real t) {return identity();}, real corner=1, real relstep=0) { pair M=max(section.p), m=min(section.p); real[] t=sample(g,max(M.x-m.x,M.y-m.y)/max(realEpsilon,abs(corner)), min(abs(relstep),1)); bool cyclic=cyclic(g); t.cyclic=cyclic; return surface(rmf(g,t),t,section,T,cyclic); } asymptote-2.62/base/three_light.asy0000644000000000000000000000713113607467113016126 0ustar rootrootstruct material { pen[] p; // diffusepen,emissivepen,specularpen real opacity; real shininess; real metallic; real fresnel0; // Reflectance rate at a perfect normal angle. void operator init(pen diffusepen=black, pen emissivepen=black, pen specularpen=mediumgray, real opacity=opacity(diffusepen), real shininess=defaultshininess, real metallic=defaultmetallic, real fresnel0=defaultfresnel0) { p=new pen[] {diffusepen,emissivepen,specularpen}; this.opacity=opacity; this.shininess=shininess; this.metallic=metallic; this.fresnel0=fresnel0; } void operator init(material m) { p=copy(m.p); opacity=m.opacity; shininess=m.shininess; metallic=m.metallic; fresnel0=m.fresnel0; } pen diffuse() {return p[0];} pen emissive() {return p[1];} pen specular() {return p[2];} void diffuse(pen q) {p[0]=q;} void emissive(pen q) {p[1]=q;} void specular(pen q) {p[2]=q;} } material operator init() { return material(); } void write(file file, string s="", material x, suffix suffix=none) { write(file,s); write(file,"{"); write(file,"diffuse=",x.diffuse()); write(file,", emissive=",x.emissive()); write(file,", specular=",x.specular()); write(file,", opacity=",x.opacity); write(file,", shininess=",x.shininess); write(file,", metallic=",x.metallic); write(file,", F0=",x.fresnel0); write(file,"}",suffix); } void write(string s="", material x, suffix suffix=endl) { write(stdout,s,x,suffix); } bool operator == (material m, material n) { return all(m.p == n.p) && m.opacity == n.opacity && m.shininess == n.shininess && m.metallic == n.metallic && m.fresnel0 == n.fresnel0; } material operator cast(pen p) { return material(p); } material[] operator cast(pen[] p) { return sequence(new material(int i) {return p[i];},p.length); } pen operator ecast(material m) { return m.p.length > 0 ? m.diffuse() : nullpen; } material emissive(material m) { return material(black+opacity(m.opacity),m.diffuse(),black,m.opacity,1); } pen color(triple normal, material m, light light, transform3 T=light.T) { triple[] position=light.position; if(invisible((pen) m)) return invisible; if(position.length == 0) return m.diffuse(); normal=unit(transpose(inverse(shiftless(T)))*normal); if(settings.twosided) normal *= sgn(normal.z); real s=m.shininess*128; real[] Diffuse=rgba(m.diffuse()); real[] Specular=rgba(m.specular()); real[] p=rgba(m.emissive()); real[] diffuse={0,0,0,0}; real[] specular={0,0,0,0}; for(int i=0; i < position.length; ++i) { triple L=position[i]; real dotproduct=abs(dot(normal,L)); diffuse += dotproduct*light.diffuse[i]; dotproduct=abs(dot(normal,unit(L+Z))); // Phong-Blinn model of specular reflection specular += dotproduct^s*light.specular[i]; } p += diffuse*Diffuse; // Apply specularfactor to partially compensate non-pixel-based rendering. p += specular*Specular*light.specularfactor; return rgb(p[0],p[1],p[2])+opacity(opacity(m.diffuse())); } light operator * (transform3 t, light light) { light light=light(light); return light; } light operator cast(triple v) {return light(v);} light Viewport=light(specularfactor=3,(0.25,-0.25,1)); light White=light(new pen[] {rgb(0.38,0.38,0.45),rgb(0.6,0.6,0.67), rgb(0.5,0.5,0.57)},specularfactor=3, new triple[] {(-2,-1.5,-0.5),(2,1.1,-2.5),(-0.5,0,2)}); light Headlamp=light(gray(0.8),specular=gray(0.7), specularfactor=3,dir(42,48)); currentlight=Headlamp; light nolight; asymptote-2.62/base/latin1.asy0000644000000000000000000000007513607467113015020 0ustar rootrootusepackage("fontenc","T1"); usepackage("inputenc","latin1"); asymptote-2.62/base/plain_prethree.asy0000644000000000000000000001421513607467113016632 0ustar rootroot// Critical definitions for transform3 needed by projection and picture. pair viewportmargin=settings.viewportmargin; typedef real[][] transform3; restricted transform3 identity4=identity(4); // A uniform 3D scaling. transform3 scale3(real s) { transform3 t=identity(4); t[0][0]=t[1][1]=t[2][2]=s; return t; } // Simultaneous 3D scalings in the x, y, and z directions. transform3 scale(real x, real y, real z) { transform3 t=identity(4); t[0][0]=x; t[1][1]=y; t[2][2]=z; return t; } transform3 shiftless(transform3 t) { transform3 T=copy(t); T[0][3]=T[1][3]=T[2][3]=0; return T; } real camerafactor=2; // Factor used for camera adjustment. struct transformation { transform3 modelview; // For orientation and positioning transform3 projection; // For 3D to 2D projection bool infinity; void operator init(transform3 modelview) { this.modelview=modelview; this.projection=identity4; infinity=true; } void operator init(transform3 modelview, transform3 projection) { this.modelview=modelview; this.projection=projection; infinity=false; } transform3 compute() { return infinity ? modelview : projection*modelview; } transformation copy() { transformation T=new transformation; T.modelview=copy(modelview); T.projection=copy(projection); T.infinity=infinity; return T; } } struct projection { transform3 t; // projection*modelview (cached) bool infinity; bool absolute=false; triple camera; // Position of camera. triple up; // A vector that should be projected to direction (0,1). triple target; // Point where camera is looking at. triple normal; // Normal vector from target to projection plane. pair viewportshift; // Fractional viewport shift. real zoom=1; // Zoom factor. real angle; // Lens angle (for perspective projection). bool showtarget=true; // Expand bounding volume to include target? typedef transformation projector(triple camera, triple up, triple target); projector projector; bool autoadjust=true; // Adjust camera to lie outside bounding volume? bool center=false; // Center target within bounding volume? int ninterpolate; // Used for projecting nurbs to 2D Bezier curves. bool bboxonly=true; // Typeset label bounding box only. transformation T; void calculate() { T=projector(camera,up,target); t=T.compute(); infinity=T.infinity; ninterpolate=infinity ? 1 : 16; } triple vector() { return camera-target; } void operator init(triple camera, triple up=(0,0,1), triple target=(0,0,0), triple normal=camera-target, real zoom=1, real angle=0, pair viewportshift=0, bool showtarget=true, bool autoadjust=true, bool center=false, projector projector) { this.camera=camera; this.up=up; this.target=target; this.normal=normal; this.zoom=zoom; this.angle=angle; this.viewportshift=viewportshift; this.showtarget=showtarget; this.autoadjust=autoadjust; this.center=center; this.projector=projector; calculate(); } projection copy() { projection P=new projection; P.t=t; P.infinity=infinity; P.absolute=absolute; P.camera=camera; P.up=up; P.target=target; P.normal=normal; P.zoom=zoom; P.angle=angle; P.viewportshift=viewportshift; P.showtarget=showtarget; P.autoadjust=autoadjust; P.center=center; P.projector=projector; P.ninterpolate=ninterpolate; P.bboxonly=bboxonly; P.T=T.copy(); return P; } // Return the maximum distance of box(m,M) from target. real distance(triple m, triple M) { triple[] c={m,(m.x,m.y,M.z),(m.x,M.y,m.z),(m.x,M.y,M.z), (M.x,m.y,m.z),(M.x,m.y,M.z),(M.x,M.y,m.z),M}; return max(abs(c-target)); } // This is redefined here to make projection as self-contained as possible. static private real sqrtEpsilon = sqrt(realEpsilon); // Move the camera so that the box(m,M) rotated about target will always // lie in front of the clipping plane. bool adjust(triple m, triple M) { triple v=camera-target; real d=distance(m,M); static real lambda=camerafactor*(1-sqrtEpsilon); if(lambda*d >= abs(v)) { camera=target+camerafactor*d*unit(v); calculate(); return true; } return false; } } projection currentprojection; struct light { real[][] diffuse; real[][] specular; pen background=nullpen; // Background color of the 3D canvas. real specularfactor; triple[] position; // Only directional lights are currently implemented. transform3 T=identity(4); // Transform to apply to normal vectors. bool on() {return position.length > 0;} void operator init(pen[] diffuse, pen[] specular=diffuse, pen background=nullpen, real specularfactor=1, triple[] position) { int n=diffuse.length; assert(specular.length == n && position.length == n); this.diffuse=new real[n][]; this.specular=new real[n][]; this.background=background; this.position=new triple[n]; for(int i=0; i < position.length; ++i) { this.diffuse[i]=rgba(diffuse[i]); this.specular[i]=rgba(specular[i]); this.position[i]=unit(position[i]); } this.specularfactor=specularfactor; } void operator init(pen diffuse=white, pen specular=diffuse, pen background=nullpen, real specularfactor=1 ...triple[] position) { int n=position.length; operator init(array(n,diffuse),array(n,specular), background,specularfactor,position); } void operator init(pen diffuse=white, pen specular=diffuse, pen background=nullpen, real x, real y, real z) { operator init(diffuse,specular,background,(x,y,z)); } void operator init(explicit light light) { diffuse=copy(light.diffuse); specular=copy(light.specular); background=light.background; specularfactor=light.specularfactor; position=copy(light.position); } real[] background() {return rgba(background == nullpen ? white : background);} } light currentlight; asymptote-2.62/base/rationalSimplex.asy0000644000000000000000000002226713607467113017012 0ustar rootroot// Rational simplex solver written by John C. Bowman and Pouria Ramazi, 2018. import rational; void simplexStandard(rational[] c, rational[][] A, int[] s=new int[], rational[] b) {} void simplexTableau(rational[][] E, int[] Bindices, int I=-1, int J=-1) {} void simplexPhase1(rational[] c, rational[][] A, rational[] b, int[] Bindices) {} void simplexPhase2() {} void simplexWrite(rational[][] E, int[] Bindices, int, int) { int m=E.length-1; int n=E[0].length-1; write(E[m][0],tab); for(int j=1; j <= n; ++j) write(E[m][j],tab); write(); for(int i=0; i < m; ++i) { write(E[i][0],tab); for(int j=1; j <= n; ++j) { write(E[i][j],tab); } write(); } write(); }; struct simplex { static int OPTIMAL=0; static int UNBOUNDED=1; static int INFEASIBLE=2; int case; rational[] x; rational cost; int m,n; int J; // Row reduce based on pivot E[I][J] void rowreduce(rational[][] E, int N, int I, int J) { rational[] EI=E[I]; rational v=EI[J]; for(int j=0; j < J; ++j) EI[j] /= v; EI[J]=1; for(int j=J+1; j <= N; ++j) EI[j] /= v; for(int i=0; i < I; ++i) { rational[] Ei=E[i]; rational EiJ=Ei[J]; for(int j=0; j < J; ++j) Ei[j] -= EI[j]*EiJ; Ei[J]=0; for(int j=J+1; j <= N; ++j) Ei[j] -= EI[j]*EiJ; } for(int i=I+1; i <= m; ++i) { rational[] Ei=E[i]; rational EiJ=Ei[J]; for(int j=0; j < J; ++j) Ei[j] -= EI[j]*EiJ; Ei[J]=0; for(int j=J+1; j <= N; ++j) Ei[j] -= EI[j]*EiJ; } } int iterate(rational[][] E, int N, int[] Bindices) { while(true) { // Find first negative entry in bottom (reduced cost) row rational[] Em=E[m]; for(J=1; J <= N; ++J) if(Em[J] < 0) break; if(J > N) break; int I=-1; rational t; for(int i=0; i < m; ++i) { rational u=E[i][J]; if(u > 0) { t=E[i][0]/u; I=i; break; } } for(int i=I+1; i < m; ++i) { rational u=E[i][J]; if(u > 0) { rational r=E[i][0]/u; if(r <= t && (r < t || Bindices[i] < Bindices[I])) { t=r; I=i; } // Bland's rule: exiting variable has smallest minimizing index } } if(I == -1) return UNBOUNDED; // Can only happen in Phase 2. simplexTableau(E,Bindices,I,J); // Generate new tableau Bindices[I]=J; rowreduce(E,N,I,J); } return OPTIMAL; } int iterateDual(rational[][] E, int N, int[] Bindices) { while(true) { // Find first negative entry in zeroth (basic variable) column rational[] Em=E[m]; int I; for(I=0; I < m; ++I) { if(E[I][0] < 0) break; } if(I == m) break; int J=0; rational t; for(int j=1; j <= N; ++j) { rational u=E[I][j]; if(u < 0) { t=-E[m][j]/u; J=j; break; } } for(int j=J+1; j <= N; ++j) { rational u=E[I][j]; if(u < 0) { rational r=-E[m][j]/u; if(r <= t && (r < t || j < J)) { t=r; J=j; } // Bland's rule: exiting variable has smallest minimizing index } } if(J == 0) return INFEASIBLE; // Can only happen in Phase 2. simplexTableau(E,Bindices,I,J); // Generate new tableau Bindices[I]=J; rowreduce(E,N,I,J); } return OPTIMAL; } // Try to find a solution x to Ax=b that minimizes the cost c^T x, // where A is an m x n matrix, x is a vector of n non-negative numbers, // b is a vector of length m, and c is a vector of length n. // Can set phase1=false if the last m columns of A form the identity matrix. void operator init(rational[] c, rational[][] A, rational[] b, bool phase1=true, bool dual=false) { if(dual) phase1=false; // Phase 1 m=A.length; if(m == 0) {case=INFEASIBLE; return;} n=A[0].length; if(n == 0) {case=INFEASIBLE; return;} rational[][] E=new rational[m+1][n+1]; rational[] Em=E[m]; for(int j=1; j <= n; ++j) Em[j]=0; for(int i=0; i < m; ++i) { rational[] Ai=A[i]; rational[] Ei=E[i]; if(b[i] >= 0 || dual) { for(int j=1; j <= n; ++j) { rational Aij=Ai[j-1]; Ei[j]=Aij; Em[j] -= Aij; } } else { for(int j=1; j <= n; ++j) { rational Aij=-Ai[j-1]; Ei[j]=Aij; Em[j] -= Aij; } } } void basicValues() { rational sum=0; for(int i=0; i < m; ++i) { rational B=dual ? b[i] : abs(b[i]); E[i][0]=B; sum -= B; } Em[0]=sum; } int[] Bindices; if(phase1) { Bindices=new int[m]; int p=0; // Check for redundant basis vectors. bool checkBasis(int j) { for(int i=0; i < m; ++i) { rational[] Ei=E[i]; if(i != p ? Ei[j] != 0 : Ei[j] <= 0) return false; } return true; } int checkTableau() { for(int j=1; j <= n; ++j) if(checkBasis(j)) return j; return 0; } int k=0; while(p < m) { int j=checkTableau(); if(j > 0) Bindices[p]=j; else { // Add an artificial variable Bindices[p]=n+1+k; for(int i=0; i < p; ++i) E[i].push(0); E[p].push(1); for(int i=p+1; i < m; ++i) E[i].push(0); E[m].push(0); ++k; } ++p; } basicValues(); simplexPhase1(c,A,b,Bindices); iterate(E,n+k,Bindices); if(Em[0] != 0) { simplexTableau(E,Bindices); case=INFEASIBLE; return; } } else { Bindices=sequence(new int(int x){return x;},m)+n-m+1; basicValues(); } rational[] cB=phase1 ? new rational[m] : c[n-m:n]; rational[][] D=phase1 ? new rational[m+1][n+1] : E; if(phase1) { bool output=true; // Drive artificial variables out of basis. for(int i=0; i < m; ++i) { int k=Bindices[i]; if(k > n) { rational[] Ei=E[i]; int j; for(j=1; j <= n; ++j) if(Ei[j] != 0) break; if(j > n) continue; output=false; simplexTableau(E,Bindices,i,j); Bindices[i]=j; rowreduce(E,n,i,j); } } if(output) simplexTableau(E,Bindices); int ip=0; // reduced i for(int i=0; i < m; ++i) { int k=Bindices[i]; if(k > n) continue; Bindices[ip]=k; cB[ip]=c[k-1]; rational[] Dip=D[ip]; rational[] Ei=E[i]; for(int j=1; j <= n; ++j) Dip[j]=Ei[j]; Dip[0]=Ei[0]; ++ip; } rational[] Dip=D[ip]; rational[] Em=E[m]; for(int j=1; j <= n; ++j) Dip[j]=Em[j]; Dip[0]=Em[0]; if(m > ip) { Bindices.delete(ip,m-1); D.delete(ip,m-1); m=ip; } if(!output) simplexTableau(D,Bindices); } rational[] Dm=D[m]; for(int j=1; j <= n; ++j) { rational sum=0; for(int k=0; k < m; ++k) sum += cB[k]*D[k][j]; Dm[j]=c[j-1]-sum; } rational sum=0; for(int k=0; k < m; ++k) sum += cB[k]*D[k][0]; Dm[0]=-sum; simplexPhase2(); case=(dual ? iterateDual : iterate)(D,n,Bindices); simplexTableau(D,Bindices); if(case != OPTIMAL) return; for(int j=0; j < n; ++j) x[j]=0; for(int k=0; k < m; ++k) x[Bindices[k]-1]=D[k][0]; cost=-Dm[0]; } // Try to find a solution x to sgn(Ax-b)=sgn(s) that minimizes the cost // c^T x, where A is an m x n matrix, x is a vector of n non-negative // numbers, b is a vector of length m, and c is a vector of length n. void operator init(rational[] c, rational[][] A, int[] s, rational[] b) { int m=A.length; if(m == 0) {case=INFEASIBLE; return;} int n=A[0].length; if(n == 0) {case=INFEASIBLE; return;} int count=0; for(int i=0; i < m; ++i) if(s[i] != 0) ++count; rational[][] a=new rational[m][n+count]; for(int i=0; i < m; ++i) { rational[] ai=a[i]; rational[] Ai=A[i]; for(int j=0; j < n; ++j) { ai[j]=Ai[j]; } } int k=0; bool phase1=false; bool dual=count == m && all(c >= 0); for(int i=0; i < m; ++i) { rational[] ai=a[i]; for(int j=0; j < k; ++j) ai[n+j]=0; if(k < count) ai[n+k]=-s[i]; for(int j=k+1; j < count; ++j) ai[n+j]=0; int si=s[i]; if(si == 0) phase1=true; else { ++k; rational bi=b[i]; if(bi == 0) { if(si == 1) { s[i]=-1; for(int j=0; j < n+count; ++j) ai[j]=-ai[j]; } } else if(si*bi > 0) { if(dual && si == 1) { b[i]=-bi; s[i]=-1; for(int j=0; j < n+count; ++j) ai[j]=-ai[j]; } else phase1=true; } } } rational[] C=concat(c,array(count,rational(0))); if(count > 0) simplexStandard(C,a,b); operator init(C,a,b,phase1,dual); if(case == OPTIMAL && count > 0) x.delete(n,n+count-1); } } asymptote-2.62/base/roundedpath.asy0000644000000000000000000000654613607467113016156 0ustar rootroot// a function to round sharp edges of open and cyclic paths // written by stefan knorr path roundedpath(path A, real R, real S = 1) // create rounded path from path A with radius R and scale S = 1 { path RoundPath; // returned path path LocalPath; // local straight subpath path LocalCirc; // local edge circle for intersection real LocalTime; // local intersectiontime between . and .. pair LocalPair; // local point to be added to 'RoundPath' int len=length(A); // length of given path 'A' bool PathClosed=cyclic(A); // true, if given path 'A' is cyclic // initialisation: define first Point of 'RoundPath' as if (PathClosed) // ? is 'A' cyclic RoundPath=scale(S)*point(point(A,0)--point(A,1), 0.5); // centerpoint of first straight subpath of 'A' else RoundPath=scale(S)*point(A,0); // first point of 'A' // doing everything between start and end // create round paths subpath by subpath for every i-th edge for(int i=1; i < len; ++i) { // straight subpath towards i-th edge LocalPath=point(A,i-1)---point(A,i); // circle with radius 'R' around i-th edge LocalCirc=circle(point(A,i),R); // calculate intersection time between straight subpath and circle real[] t=intersect(LocalPath, LocalCirc); if(t.length > 0) { LocalTime=t[0]; // define intersectionpoint between both paths LocalPair=point(subpath(LocalPath, 0, LocalTime), 1); // add straight subpath towards i-th curvature to 'RoundPath' RoundPath=RoundPath--scale(S)*LocalPair; } // straight subpath from i-th edge to (i+1)-th edge LocalPath=point(A,i)---point(A,i+1); // calculate intersection-time between straight subpath and circle real[] t=intersect(LocalPath, LocalCirc); if(t.length > 0) { LocalTime=t[0]; // define intersectionpoint between both paths LocalPair=point(subpath(LocalPath, 0, LocalTime), 1); // add curvature near i-th edge to 'RoundPath' RoundPath=RoundPath..scale(S)*LocalPair; } } // final steps to have a correct termination if(PathClosed) { // Is 'A' cyclic? // straight subpath towards 0-th edge LocalPath=point(A,len-1)---point(A,0); // circle with radius 'R' around 0-th edge LocalCirc=circle(point(A,0),R); // calculate intersection-time between straight subpath and circle real[] t=intersect(LocalPath, LocalCirc); if(t.length > 0) { LocalTime=t[0]; // define intersectionpoint between both paths LocalPair=point(subpath(LocalPath, 0, LocalTime), 1); // add straight subpath towards 0-th curvature to 'RoundPath' RoundPath=RoundPath--scale(S)*LocalPair; } // straight subpath from 0-th edge to 1st edge LocalPath=point(A,0)---point(A,1); // calculate intersection-time between straight subpath and circle real[] t=intersect(LocalPath, LocalCirc); if(t.length > 0) { LocalTime=t[0]; // define intersectionpoint between both paths LocalPair=point(subpath(LocalPath, 0, LocalTime), 1); // add curvature near 0-th edge to 'RoundPath' and close path RoundPath=RoundPath..scale(S)*LocalPair--cycle; } } else RoundPath=RoundPath--scale(S)*point(A,len); return RoundPath; } asymptote-2.62/base/bsp.asy0000644000000000000000000001250013607467113014410 0ustar rootrootprivate import math; import three; real epsilon=10*realEpsilon; // Routines for hidden surface removal (via binary space partition): // Structure face is derived from picture. struct face { picture pic; transform t; frame fit; triple normal,point; triple min,max; void operator init(path3 p) { this.normal=normal(p); if(this.normal == O) abort("path is linear"); this.point=point(p,0); min=min(p); max=max(p); } face copy() { face f=new face; f.pic=pic.copy(); f.t=t; f.normal=normal; f.point=point; f.min=min; f.max=max; add(f.fit,fit); return f; } } picture operator cast(face f) {return f.pic;} face operator cast(path3 p) {return face(p);} struct line { triple point; triple dir; } private line intersection(face a, face b) { line L; L.point=intersectionpoint(a.normal,a.point,b.normal,b.point); L.dir=unit(cross(a.normal,b.normal)); return L; } struct half { pair[] left,right; // Sort the points in the pair array z according to whether they lie on the // left or right side of the line L in the direction dir passing through P. // Points exactly on L are considered to be on the right side. // Also push any points of intersection of L with the path operator --(... z) // onto each of the arrays left and right. void operator init(pair dir, pair P ... pair[] z) { pair lastz; pair invdir=dir != 0 ? 1/dir : 0; bool left,last; for(int i=0; i < z.length; ++i) { left=(invdir*z[i]).y > (invdir*P).y; if(i > 0 && last != left) { pair w=extension(P,P+dir,lastz,z[i]); this.left.push(w); this.right.push(w); } if(left) this.left.push(z[i]); else this.right.push(z[i]); last=left; lastz=z[i]; } } } struct splitface { face back,front; } // Return the pieces obtained by splitting face a by face cut. splitface split(face a, face cut, projection P) { splitface S; void nointersection() { if(abs(dot(a.point-P.camera,a.normal)) >= abs(dot(cut.point-P.camera,cut.normal))) { S.back=a; S.front=null; } else { S.back=null; S.front=a; } } if(P.infinity) { P=P.copy(); static real factor=1/sqrtEpsilon; P.camera *= factor*max(abs(a.min),abs(a.max), abs(cut.min),abs(cut.max)); } if((abs(a.normal-cut.normal) < epsilon || abs(a.normal+cut.normal) < epsilon)) { nointersection(); return S; } line L=intersection(a,cut); if(dot(P.camera-L.point,P.camera-P.target) < 0) { nointersection(); return S; } pair point=a.t*project(L.point,P); pair dir=a.t*project(L.point+L.dir,P)-point; pair invdir=dir != 0 ? 1/dir : 0; triple apoint=L.point+cross(L.dir,a.normal); bool left=(invdir*(a.t*project(apoint,P))).y >= (invdir*point).y; real t=intersect(apoint,P.camera,cut.normal,cut.point); bool rightfront=left ^ (t <= 0 || t >= 1); face back=a, front=a.copy(); pair max=max(a.fit); pair min=min(a.fit); half h=half(dir,point,max,(min.x,max.y),min,(max.x,min.y),max); if(h.right.length == 0) { if(rightfront) front=null; else back=null; } else if(h.left.length == 0) { if(rightfront) back=null; else front=null; } if(front != null) clip(front.fit,operator --(... rightfront ? h.right : h.left)--cycle, zerowinding); if(back != null) clip(back.fit,operator --(... rightfront ? h.left : h.right)--cycle, zerowinding); S.back=back; S.front=front; return S; } // A binary space partition struct bsp { bsp back; bsp front; face node; // Construct the bsp. void operator init(face[] faces, projection P) { if(faces.length != 0) { this.node=faces.pop(); face[] front,back; for(int i=0; i < faces.length; ++i) { splitface split=split(faces[i],this.node,P); if(split.front != null) front.push(split.front); if(split.back != null) back.push(split.back); } this.front=bsp(front,P); this.back=bsp(back,P); } } // Draw from back to front. void add(frame f) { if(back != null) back.add(f); add(f,node.fit,group=true); if(labels(node.fit)) layer(f); // Draw over any existing TeX layers. if(front != null) front.add(f); } } void add(picture pic=currentpicture, face[] faces, projection P=currentprojection) { int n=faces.length; face[] Faces=new face[n]; for(int i=0; i < n; ++i) Faces[i]=faces[i].copy(); pic.add(new void (frame f, transform t, transform T, pair m, pair M) { // Fit all of the pictures so we know their exact sizes. face[] faces=new face[n]; for(int i=0; i < n; ++i) { faces[i]=Faces[i].copy(); face F=faces[i]; F.t=t*T*F.pic.T; F.fit=F.pic.fit(t,T*F.pic.T,m,M); } bsp bsp=bsp(faces,P); if(bsp != null) bsp.add(f); }); for(int i=0; i < n; ++i) { picture F=Faces[i].pic; pic.userBox3(F.userMin3(), F.userMax3()); pic.bounds.append(F.T, F.bounds); // The above 2 lines should be replaced with a routine in picture which // copies only sizing data from another picture. } } asymptote-2.62/base/plain_markers.asy0000644000000000000000000002607013607467113016462 0ustar rootrootreal legendlinelength=50; real legendhskip=1.2; real legendvskip=legendhskip; real legendmargin=10; real legendmaxrelativewidth=1; // Return a unit polygon with n sides. path polygon(int n) { guide g; for(int i=0; i < n; ++i) g=g--expi(2pi*(i+0.5)/n-0.5*pi); return g--cycle; } // Return a unit n-point cyclic cross, with optional inner radius r and // end rounding. path cross(int n, bool round=true, real r=0) { assert(n > 1); real r=min(r,1); real theta=pi/n; real s=sin(theta); real c=cos(theta); pair z=(c,s); transform mirror=reflect(0,z); pair p1=(r,0); path elementary; if(round) { pair e1=p1+z*max(1-r*(s+c),0); elementary=p1--e1..(c,s)..mirror*e1--mirror*p1; } else { pair p2=p1+z*(max(sqrt(1-(r*s)^2)-r*c),0); elementary=p1--p2--mirror*p2--mirror*p1; } guide g; real step=360/n; for(int i=0; i < n; ++i) g=g--rotate(i*step-90)*elementary; return g--cycle; } path[] plus=(-1,0)--(1,0)^^(0,-1)--(0,1); typedef void markroutine(picture pic=currentpicture, frame f, path g); // On picture pic, add frame f about every node of path g. void marknodes(picture pic=currentpicture, frame f, path g) { for(int i=0; i < size(g); ++i) add(pic,f,point(g,i)); } // On picture pic, add n copies of frame f to path g, evenly spaced in // arclength. // If rotated=true, the frame will be rotated by the angle of the tangent // to the path at the points where the frame will be added. // If centered is true, center the frames within n evenly spaced arclength // intervals. markroutine markuniform(bool centered=false, int n, bool rotated=false) { return new void(picture pic=currentpicture, frame f, path g) { if(n <= 0) return; void add(real x) { real t=reltime(g,x); add(pic,rotated ? rotate(degrees(dir(g,t)))*f : f,point(g,t)); } if(centered) { real width=1/n; for(int i=0; i < n; ++i) add((i+0.5)*width); } else { if(n == 1) add(0.5); else { real width=1/(n-1); for(int i=0; i < n; ++i) add(i*width); } } }; } // On picture pic, add frame f at points z(t) for n evenly spaced values of // t in [a,b]. markroutine markuniform(pair z(real t), real a, real b, int n) { return new void(picture pic=currentpicture, frame f, path) { real width=b-a; for(int i=0; i <= n; ++i) { add(pic,f,z(a+i/n*width)); } }; } struct marker { frame f; bool above=true; markroutine markroutine=marknodes; void mark(picture pic=currentpicture, path g) { markroutine(pic,f,g); }; } marker marker(frame f=newframe, markroutine markroutine=marknodes, bool above=true) { marker m=new marker; m.f=f; m.above=above; m.markroutine=markroutine; return m; } marker marker(path[] g, markroutine markroutine=marknodes, pen p=currentpen, filltype filltype=NoFill, bool above=true) { frame f; filltype.fill(f,g,p); return marker(f,markroutine,above); } // On picture pic, add path g with opacity thinning about every node. marker markthin(path g, pen p=currentpen, real thin(real fraction)=new real(real x) {return x^2;}, filltype filltype=NoFill) { marker M=new marker; M.above=true; filltype.fill(M.f,g,p); real factor=1/abs(size(M.f)); M.markroutine=new void(picture pic=currentpicture, frame, path G) { transform t=pic.calculateTransform(); int n=size(G); for(int i=0; i < n; ++i) { pair z=point(G,i); frame f; real fraction=1; if(i > 0) fraction=min(fraction,abs(t*(z-point(G,i-1)))*factor); if(i < n-1) fraction=min(fraction,abs(t*(point(G,i+1)-z))*factor); filltype.fill(f,g,p+opacity(thin(fraction))); add(pic,f,point(G,i)); } }; return M; } marker nomarker; real circlescale=0.85; path[] MarkPath={scale(circlescale)*unitcircle, polygon(3),polygon(4),polygon(5),invert*polygon(3), cross(4),cross(6)}; marker[] Mark=sequence(new marker(int i) {return marker(MarkPath[i]);}, MarkPath.length); marker[] MarkFill=sequence(new marker(int i) {return marker(MarkPath[i],Fill);}, MarkPath.length-2); marker Mark(int n) { n=n % (Mark.length+MarkFill.length); if(n < Mark.length) return Mark[n]; else return MarkFill[n-Mark.length]; } picture legenditem(Legend legenditem, real linelength) { picture pic; pair z1=(0,0); pair z2=z1+(linelength,0); if(!legenditem.above && !empty(legenditem.mark)) marknodes(pic,legenditem.mark,interp(z1,z2,0.5)); if(linelength > 0) Draw(pic,z1--z2,legenditem.p); if(legenditem.above && !empty(legenditem.mark)) marknodes(pic,legenditem.mark,interp(z1,z2,0.5)); if(legenditem.plabel != invisible) label(pic,legenditem.label,z2,E,legenditem.plabel); else label(pic,legenditem.label,z2,E,currentpen); return pic; } picture legend(Legend[] Legend, int perline=1, real linelength, real hskip, real vskip, real maxwidth=0, real maxheight=0, bool hstretch=false, bool vstretch=false) { if(maxwidth <= 0) hstretch=false; if(maxheight <= 0) vstretch=false; if(Legend.length <= 1) vstretch=hstretch=false; picture inset; size(inset,0,0,IgnoreAspect); if(Legend.length == 0) return inset; // Check for legend entries with lines: bool bLineEntriesAvailable=false; for(int i=0; i < Legend.length; ++i) { if(Legend[i].p != invisible) { bLineEntriesAvailable=true; break; } } real markersize=0; for(int i=0; i < Legend.length; ++i) markersize=max(markersize,size(Legend[i].mark).x); // If no legend has a line, set the line length to zero if(!bLineEntriesAvailable) linelength=0; linelength=max(linelength,markersize*(linelength == 0 ? 1 : 2)); // Get the maximum dimensions per legend entry; // calculate line length for a one-line legend real heightPerEntry=0; real widthPerEntry=0; real totalwidth=0; for(int i=0; i < Legend.length; ++i) { picture pic=legenditem(Legend[i],linelength); pair lambda=size(pic); heightPerEntry=max(heightPerEntry,lambda.y); widthPerEntry=max(widthPerEntry,lambda.x); if(Legend[i].p != invisible) totalwidth += lambda.x; else { // Legend entries without leading line need less space in one-line legends picture pic=legenditem(Legend[i],0); totalwidth += size(pic).x; } } // Does everything fit into one line? if(((perline < 1) || (perline >= Legend.length)) && (maxwidth >= totalwidth+(totalwidth/Legend.length)* (Legend.length-1)*(hskip-1))) { // One-line legend real currPosX=0; real itemDistance; if(hstretch) itemDistance=(maxwidth-totalwidth)/(Legend.length-1); else itemDistance=(totalwidth/Legend.length)*(hskip-1); for(int i=0; i < Legend.length; ++i) { picture pic=legenditem(Legend[i], Legend[i].p == invisible ? 0 : linelength); add(inset,pic,(currPosX,0)); currPosX += size(pic).x+itemDistance; } } else { // multiline legend if(maxwidth > 0) { int maxperline=floor(maxwidth/(widthPerEntry*hskip)); if((perline < 1) || (perline > maxperline)) perline=maxperline; } if(perline < 1) // This means: maxwidth < widthPerEntry perline=1; if(perline <= 1) hstretch=false; if(hstretch) hskip=(maxwidth/widthPerEntry-perline)/(perline-1)+1; if(vstretch) { int rows=ceil(Legend.length/perline); vskip=(maxheight/heightPerEntry-rows)/(rows-1)+1; } if(hstretch && (perline == 1)) { Draw(inset,(0,0)--(maxwidth,0),invisible()); for(int i=0; i < Legend.length; ++i) add(inset,legenditem(Legend[i],linelength), (0.5*(maxwidth-widthPerEntry), -quotient(i,perline)*heightPerEntry*vskip)); } else for(int i=0; i < Legend.length; ++i) add(inset,legenditem(Legend[i],linelength), ((i%perline)*widthPerEntry*hskip, -quotient(i,perline)*heightPerEntry*vskip)); } return inset; } frame legend(picture pic=currentpicture, int perline=1, real xmargin=legendmargin, real ymargin=xmargin, real linelength=legendlinelength, real hskip=legendhskip, real vskip=legendvskip, real maxwidth=perline == 0 ? legendmaxrelativewidth*size(pic).x : 0, real maxheight=0, bool hstretch=false, bool vstretch=false, pen p=currentpen) { frame F; if(pic.legend.length == 0) return F; F=legend(pic.legend,perline,linelength,hskip,vskip, max(maxwidth-2xmargin,0), max(maxheight-2ymargin,0), hstretch,vstretch).fit(); box(F,xmargin,ymargin,p); return F; } pair[] pairs(real[] x, real[] y) { if(x.length != y.length) abort("arrays have different lengths"); return sequence(new pair(int i) {return (x[i],y[i]);},x.length); } filltype dotfilltype = Fill; void dot(frame f, pair z, pen p=currentpen, filltype filltype=dotfilltype) { if(filltype == Fill) draw(f,z,dotsize(p)+p); else { real s=0.5*(dotsize(p)-linewidth(p)); if(s <= 0) return; path g=shift(z)*scale(s)*unitcircle; begingroup(f); filltype.fill(f,g,p); draw(f,g,p); endgroup(f); } } void dot(picture pic=currentpicture, pair z, pen p=currentpen, filltype filltype=dotfilltype) { pic.add(new void(frame f, transform t) { dot(f,t*z,p,filltype); },true); pic.addPoint(z,dotsize(p)+p); } void dot(picture pic=currentpicture, Label L, pair z, align align=NoAlign, string format=defaultformat, pen p=currentpen, filltype filltype=dotfilltype) { Label L=L.copy(); L.position(z); if(L.s == "") { if(format == "") format=defaultformat; L.s="("+format(format,z.x)+","+format(format,z.y)+")"; } L.align(align,E); L.p(p); dot(pic,z,p,filltype); add(pic,L); } void dot(picture pic=currentpicture, Label[] L=new Label[], pair[] z, align align=NoAlign, string format=defaultformat, pen p=currentpen, filltype filltype=dotfilltype) { int stop=min(L.length,z.length); for(int i=0; i < stop; ++i) dot(pic,L[i],z[i],align,format,p,filltype); for(int i=stop; i < z.length; ++i) dot(pic,z[i],p,filltype); } void dot(picture pic=currentpicture, Label[] L=new Label[], explicit path g, align align=RightSide, string format=defaultformat, pen p=currentpen, filltype filltype=dotfilltype) { int n=size(g); int stop=min(L.length,n); for(int i=0; i < stop; ++i) dot(pic,L[i],point(g,i),-sgn(align.dir.x)*I*dir(g,i),format,p,filltype); for(int i=stop; i < n; ++i) dot(pic,point(g,i),p,filltype); } void dot(picture pic=currentpicture, path[] g, pen p=currentpen, filltype filltype=dotfilltype) { for(int i=0; i < g.length; ++i) dot(pic,g[i],p,filltype); } void dot(picture pic=currentpicture, Label L, pen p=currentpen, filltype filltype=dotfilltype) { dot(pic,L,L.position,p,filltype); } // A dot in a frame. frame dotframe(pen p=currentpen, filltype filltype=dotfilltype) { frame f; dot(f,(0,0),p,filltype); return f; } frame dotframe=dotframe(); marker dot(pen p=currentpen, filltype filltype=dotfilltype) { return marker(dotframe(p,filltype)); } marker dot=dot(); asymptote-2.62/base/plain.asy0000644000000000000000000001603113607467113014732 0ustar rootroot/***** * plain.asy * Andy Hammerlindl and John Bowman 2004/08/19 * * A package for general purpose drawing, with automatic sizing of pictures. * *****/ access settings; if(settings.command != "") { string s=settings.command; settings.command=""; settings.multipleView=settings.batchView=settings.interactiveView; _eval(s+";",false,true); exit(); } include plain_constants; access version; if(version.VERSION != VERSION) { warning("version","using possibly incompatible version "+ version.VERSION+" of plain.asy"+'\n'); nowarn("version"); } include plain_strings; include plain_pens; include plain_paths; include plain_filldraw; include plain_margins; include plain_picture; include plain_Label; include plain_shipout; include plain_arcs; include plain_boxes; include plain_markers; include plain_arrows; include plain_debugger; typedef void exitfcn(); void updatefunction() { implicitshipout=true; if(!currentpicture.uptodate) shipout(); implicitshipout=false; } void exitfunction() { implicitshipout=true; if(!currentpicture.empty()) shipout(); implicitshipout=false; } atupdate(updatefunction); atexit(exitfunction); // A restore thunk is a function, that when called, restores the graphics state // to what it was when the restore thunk was created. typedef void restoreThunk(); typedef restoreThunk saveFunction(); saveFunction[] saveFunctions={}; // When save is called, this will be redefined to do the corresponding restore. void restore() { warning("nomatchingsave","restore called with no matching save"); } void addSaveFunction(saveFunction s) { saveFunctions.push(s); } restoreThunk buildRestoreThunk() { // Call the save functions in reverse order, storing their restore thunks. restoreThunk[] thunks={}; for (int i=saveFunctions.length-1; i >= 0; --i) thunks.push(saveFunctions[i]()); return new void() { // Call the restore thunks in an order matching the saves. for (int i=thunks.length-1; i >= 0; --i) thunks[i](); }; } // Add the default save function. addSaveFunction(new restoreThunk () { pen defaultpen=defaultpen(); pen p=currentpen; picture pic=currentpicture.copy(); restoreThunk r=restore; return new void() { defaultpen(defaultpen); currentpen=p; currentpicture=pic; currentpicture.uptodate=false; restore=r; }; }); // Save the current state, so that restore will put things back in that state. restoreThunk save() { return restore=buildRestoreThunk(); } void restoredefaults() { warning("nomatchingsavedefaults", "restoredefaults called with no matching savedefaults"); } restoreThunk buildRestoreDefaults() { pen defaultpen=defaultpen(); exitfcn atupdate=atupdate(); exitfcn atexit=atexit(); restoreThunk r=restoredefaults; return new void() { defaultpen(defaultpen); atupdate(atupdate); atexit(atexit); restoredefaults=r; }; } // Save the current state, so that restore will put things back in that state. restoreThunk savedefaults() { return restoredefaults=buildRestoreDefaults(); } void initdefaults() { savedefaults(); resetdefaultpen(); atupdate(null); atexit(null); } // Return the sequence n,...m int[] sequence(int n, int m) { return sequence(new int(int x){return x;},m-n+1)+n; } int[] reverse(int n) {return sequence(new int(int x){return n-1-x;},n);} bool[] reverse(bool[] a) {return a[reverse(a.length)];} int[] reverse(int[] a) {return a[reverse(a.length)];} real[] reverse(real[] a) {return a[reverse(a.length)];} pair[] reverse(pair[] a) {return a[reverse(a.length)];} triple[] reverse(triple[] a) {return a[reverse(a.length)];} string[] reverse(string[] a) {return a[reverse(a.length)];} // Return a uniform partition dividing [a,b] into n subintervals. real[] uniform(real a, real b, int n) { if(n <= 0) return new real[]; return a+(b-a)/n*sequence(n+1); } void eval(string s, bool embedded=false) { if(!embedded) initdefaults(); _eval(s+";",embedded); if(!embedded) restoredefaults(); } void eval(code s, bool embedded=false) { if(!embedded) initdefaults(); _eval(s,embedded); if(!embedded) restoredefaults(); } // Evaluate user command line option. void usersetting() { eval(settings.user,true); } string stripsuffix(string f, string suffix=".asy") { int n=rfind(f,suffix); if(n != -1) f=erase(f,n,-1); return f; } string outdirectory() { return stripfile(outprefix()); } // Conditionally process each file name in array s in a new environment. void asy(string format, bool overwrite=false ... string[] s) { for(string f : s) { f=stripsuffix(f); string suffix="."+format; string fsuffix=stripdirectory(f+suffix); if(overwrite || error(input(outdirectory()+fsuffix,check=false))) { string outformat=settings.outformat; bool interactiveView=settings.interactiveView; bool batchView=settings.batchView; settings.outformat=format; settings.interactiveView=false; settings.batchView=false; string outname=outname(); delete(outname+"_"+".aux"); eval("import \""+f+"\" as dummy"); rename(stripsuffix(outname)+suffix,fsuffix); settings.outformat=outformat; settings.interactiveView=interactiveView; settings.batchView=batchView; } } } void beep() { write('\7',flush); } struct processtime { real user; real system; } struct cputime { processtime parent; processtime child; processtime change; } cputime cputime() { static processtime last; real [] a=_cputime(); cputime cputime; cputime.parent.user=a[0]; cputime.parent.system=a[1]; cputime.child.user=a[2]; cputime.child.system=a[3]; real user=a[0]+a[2]; real system=a[1]+a[3]; cputime.change.user=user-last.user; cputime.change.system=system-last.system; last.user=user; last.system=system; return cputime; } string cputimeformat="%#.2f"; void write(file file, string s="", cputime c, string format=cputimeformat, suffix suffix=none) { write(file,s, format(format,c.change.user)+"u "+ format(format,c.change.system)+"s "+ format(format,c.parent.user+c.child.user)+"U "+ format(format,c.parent.system+c.child.system)+"S ",suffix); } void write(string s="", cputime c, string format=cputimeformat, suffix suffix=endl) { write(stdout,s,c,format,suffix); } if(settings.autoimport != "") { string s=settings.autoimport; settings.autoimport=""; eval("import \""+s+"\" as dummy",true); atupdate(updatefunction); atexit(exitfunction); settings.autoimport=s; } cputime(); void nosetpagesize() { static bool initialized=false; if(!initialized && latex()) { // Portably pass nosetpagesize option to graphicx package. texpreamble("\usepackage{ifluatex}\ifluatex \ifx\pdfpagewidth\undefined\let\pdfpagewidth\paperwidth\fi \ifx\pdfpageheight\undefined\let\pdfpageheight\paperheight\fi\else \let\paperwidthsave\paperwidth\let\paperwidth\undefined \usepackage{graphicx} \let\paperwidth\paperwidthsave\fi"); initialized=true; } } nosetpagesize(); if(settings.tex == "luatex") texpreamble("\input luatex85.sty"); asymptote-2.62/base/palette.asy0000644000000000000000000003456513607467113015301 0ustar rootrootprivate import graph; private transform swap=(0,0,0,1,1,0); typedef bounds range(picture pic, real min, real max); range Range(bool automin=false, real min=-infinity, bool automax=false, real max=infinity) { return new bounds(picture pic, real dmin, real dmax) { // autoscale routine finds reasonable limits bounds mz=autoscale(pic.scale.z.T(dmin), pic.scale.z.T(dmax), pic.scale.z.scale); // If automin/max, use autoscale result, else // if min/max is finite, use specified value, else // use minimum/maximum data value real pmin=automin ? pic.scale.z.Tinv(mz.min) : (finite(min) ? min : dmin); real pmax=automax ? pic.scale.z.Tinv(mz.max) : (finite(max) ? max : dmax); return bounds(pmin,pmax); }; } range Automatic=Range(true,true); range Full=Range(); void image(frame f, real[][] data, pair initial, pair final, pen[] palette, bool transpose=(initial.x < final.x && initial.y < final.y), transform t=identity(), bool copy=true, bool antialias=false) { transform T=transpose ? swap : identity(); _image(f,copy ? copy(data) : data,T*initial,T*final,palette,t*T,copy=false, antialias=antialias); } void image(frame f, pen[][] data, pair initial, pair final, bool transpose=(initial.x < final.x && initial.y < final.y), transform t=identity(), bool copy=true, bool antialias=false) { transform T=transpose ? swap : identity(); _image(f,copy ? copy(data) : data,T*initial,T*final,t*T,copy=false, antialias=antialias); } // Reduce color palette to approximate range of data relative to "display" // range => errors of 1/palette.length in resulting color space. pen[] adjust(picture pic, real min, real max, real rmin, real rmax, pen[] palette) { real dmin=pic.scale.z.T(min); real dmax=pic.scale.z.T(max); real delta=rmax-rmin; if(delta > 0) { real factor=palette.length/delta; int minindex=floor(factor*(dmin-rmin)); if(minindex < 0) minindex=0; int maxindex=ceil(factor*(dmax-rmin)); if(maxindex > palette.length) maxindex=palette.length; if(minindex > 0 || maxindex < palette.length) return palette[minindex:maxindex]; } return palette; } private real[] sequencereal; bounds image(picture pic=currentpicture, real[][] f, range range=Full, pair initial, pair final, pen[] palette, bool transpose=(initial.x < final.x && initial.y < final.y), bool copy=true, bool antialias=false) { if(copy) f=copy(f); if(copy) palette=copy(palette); real m=min(f); real M=max(f); bounds bounds=range(pic,m,M); real rmin=pic.scale.z.T(bounds.min); real rmax=pic.scale.z.T(bounds.max); palette=adjust(pic,m,M,rmin,rmax,palette); // Crop data to allowed range and scale if(range != Full || pic.scale.z.scale.T != identity || pic.scale.z.postscale.T != identity) { scalefcn T=pic.scale.z.T; real m=bounds.min; real M=bounds.max; for(int i=0; i < f.length; ++i) f[i]=map(new real(real x) {return T(min(max(x,m),M));},f[i]); } initial=Scale(pic,initial); final=Scale(pic,final); pic.addBox(initial,final); transform T; if(transpose) { T=swap; initial=T*initial; final=T*final; } pic.add(new void(frame F, transform t) { _image(F,f,initial,final,palette,t*T,copy=false,antialias=antialias); },true); return bounds; // Return bounds used for color space } bounds image(picture pic=currentpicture, real f(real, real), range range=Full, pair initial, pair final, int nx=ngraph, int ny=nx, pen[] palette, bool antialias=false) { // Generate data, taking scaling into account real xmin=pic.scale.x.T(initial.x); real xmax=pic.scale.x.T(final.x); real ymin=pic.scale.y.T(initial.y); real ymax=pic.scale.y.T(final.y); real[][] data=new real[ny][nx]; for(int j=0; j < ny; ++j) { real y=pic.scale.y.Tinv(interp(ymin,ymax,(j+0.5)/ny)); scalefcn Tinv=pic.scale.x.Tinv; // Take center point of each bin data[j]=sequence(new real(int i) { return f(Tinv(interp(xmin,xmax,(i+0.5)/nx)),y); },nx); } return image(pic,data,range,initial,final,palette,transpose=false, copy=false,antialias=antialias); } void image(picture pic=currentpicture, pen[][] data, pair initial, pair final, bool transpose=(initial.x < final.x && initial.y < final.y), bool copy=true, bool antialias=false) { if(copy) data=copy(data); initial=Scale(pic,initial); final=Scale(pic,final); pic.addBox(initial,final); transform T; if(transpose) { T=swap; initial=T*initial; final=T*final; } pic.add(new void(frame F, transform t) { _image(F,data,initial,final,t*T,copy=false,antialias=antialias); },true); } void image(picture pic=currentpicture, pen f(int, int), int width, int height, pair initial, pair final, bool transpose=(initial.x < final.x && initial.y < final.y), bool antialias=false) { initial=Scale(pic,initial); final=Scale(pic,final); pic.addBox(initial,final); transform T; if(transpose) { T=swap; int temp=width; width=height; height=temp; initial=T*initial; final=T*final; } pic.add(new void(frame F, transform t) { _image(F,f,width,height,initial,final,t*T,antialias=antialias); },true); } bounds image(picture pic=currentpicture, pair[] z, real[] f, range range=Full, pen[] palette) { if(z.length != f.length) abort("z and f arrays have different lengths"); real m=min(f); real M=max(f); bounds bounds=range(pic,m,M); real rmin=pic.scale.z.T(bounds.min); real rmax=pic.scale.z.T(bounds.max); palette=adjust(pic,m,M,rmin,rmax,palette); rmin=max(rmin,m); rmax=min(rmax,M); // Crop data to allowed range and scale if(range != Full || pic.scale.z.scale.T != identity || pic.scale.z.postscale.T != identity) { scalefcn T=pic.scale.z.T; real m=bounds.min; real M=bounds.max; f=map(new real(real x) {return T(min(max(x,m),M));},f); } int[] edges={0,0,1}; int N=palette.length-1; int[][] trn=triangulate(z); real step=rmax == rmin ? 0.0 : N/(rmax-rmin); for(int i=0; i < trn.length; ++i) { int[] trni=trn[i]; int i0=trni[0], i1=trni[1], i2=trni[2]; pen color(int i) {return palette[round((f[i]-rmin)*step)];} gouraudshade(pic,z[i0]--z[i1]--z[i2]--cycle, new pen[] {color(i0),color(i1),color(i2)},edges); } return bounds; // Return bounds used for color space } bounds image(picture pic=currentpicture, real[] x, real[] y, real[] f, range range=Full, pen[] palette) { int n=x.length; if(n != y.length) abort("x and y arrays have different lengths"); pair[] z=sequence(new pair(int i) {return (x[i],y[i]);},n); return image(pic,z,f,range,palette); } // Construct a pen[] array from f using the specified palette. pen[] palette(real[] f, pen[] palette) { real Min=min(f); real Max=max(f); if(palette.length == 0) return new pen[]; real step=Max == Min ? 0.0 : (palette.length-1)/(Max-Min); return sequence(new pen(int i) {return palette[round((f[i]-Min)*step)];}, f.length); } // Construct a pen[][] array from f using the specified palette. pen[][] palette(real[][] f, pen[] palette) { real Min=min(f); real Max=max(f); int n=f.length; pen[][] p=new pen[n][]; real step=(Max == Min) ? 0.0 : (palette.length-1)/(Max-Min); for(int i=0; i < n; ++i) { real[] fi=f[i]; p[i]=sequence(new pen(int j) {return palette[round((fi[j]-Min)*step)];}, f[i].length); } return p; } typedef ticks paletteticks(int sign=-1); paletteticks PaletteTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, pen pTick=nullpen, pen ptick=nullpen) { return new ticks(int sign=-1) { format.align(sign > 0 ? RightSide : LeftSide); return Ticks(sign,format,ticklabel,beginlabel,endlabel,N,n,Step,step, true,true,extend=true,pTick,ptick); }; } paletteticks PaletteTicks=PaletteTicks(); paletteticks NoTicks=new ticks(int sign=-1) {return NoTicks;}; void palette(picture pic=currentpicture, Label L="", bounds bounds, pair initial, pair final, axis axis=Right, pen[] palette, pen p=currentpen, paletteticks ticks=PaletteTicks, bool copy=true, bool antialias=false) { real initialz=pic.scale.z.T(bounds.min); real finalz=pic.scale.z.T(bounds.max); bounds mz=autoscale(initialz,finalz,pic.scale.z.scale); axisT axis; axis(pic,axis); real angle=degrees(axis.align.dir); initial=Scale(pic,initial); final=Scale(pic,final); pair lambda=final-initial; bool vertical=(floor((angle+45)/90) % 2 == 0); pair perp,par; if(vertical) {perp=E; par=N;} else {perp=N; par=E;} path g=(final-dot(lambda,par)*par)--final; path g2=initial--final-dot(lambda,perp)*perp; if(sgn(dot(lambda,perp)*dot(axis.align.dir,perp)) == -1) { path tmp=g; g=g2; g2=tmp; } if(copy) palette=copy(palette); Label L=L.copy(); if(L.defaultposition) L.position(0.5); L.align(axis.align); L.p(p); if(vertical && L.defaulttransform) { frame f; add(f,Label(L.s,(0,0),L.p)); if(length(max(f)-min(f)) > ylabelwidth*fontsize(L.p)) L.transform(rotate(90)); } real[][] pdata={sequence(palette.length)}; transform T; pair Tinitial,Tfinal; if(vertical) { T=swap; Tinitial=T*initial; Tfinal=T*final; } else { Tinitial=initial; Tfinal=final; } pic.add(new void(frame f, transform t) { _image(f,pdata,Tinitial,Tfinal,palette,t*T,copy=false, antialias=antialias); },true); ticklocate locate=ticklocate(initialz,finalz,pic.scale.z,mz.min,mz.max); axis(pic,L,g,g2,p,ticks(sgn(axis.side.x*dot(lambda,par))),locate,mz.divisor, true); pic.add(new void(frame f, transform t) { pair Z0=t*initial; pair Z1=t*final; draw(f,Z0--(Z0.x,Z1.y)--Z1--(Z1.x,Z0.y)--cycle,p); },true); pic.addBox(initial,final); } // A grayscale palette pen[] Grayscale(int NColors=256) { real ninv=1.0/(NColors-1.0); return sequence(new pen(int i) {return gray(i*ninv);},NColors); } // A color wheel palette pen[] Wheel(int NColors=32766) { if(settings.gray) return Grayscale(NColors); int nintervals=6; int n=-quotient(NColors,-nintervals); pen[] Palette; if(n == 0) return Palette; Palette=new pen[n*nintervals]; real ninv=1.0/n; for(int i=0; i < n; ++i) { real ininv=i*ninv; real ininv1=1.0-ininv; Palette[i]=rgb(1.0,0.0,ininv); Palette[n+i]=rgb(ininv1,0.0,1.0); Palette[2n+i]=rgb(0.0,ininv,1.0); Palette[3n+i]=rgb(0.0,1.0,ininv1); Palette[4n+i]=rgb(ininv,1.0,0.0); Palette[5n+i]=rgb(1.0,ininv1,0.0); } return Palette; } // A rainbow palette pen[] Rainbow(int NColors=32766) { if(settings.gray) return Grayscale(NColors); int offset=1; int nintervals=5; int n=-quotient(NColors-1,-nintervals); pen[] Palette; if(n == 0) return Palette; Palette=new pen[n*nintervals+offset]; real ninv=1.0/n; for(int i=0; i < n; ++i) { real ininv=i*ninv; real ininv1=1.0-ininv; Palette[i]=rgb(ininv1,0.0,1.0); Palette[n+i]=rgb(0.0,ininv,1.0); Palette[2n+i]=rgb(0.0,1.0,ininv1); Palette[3n+i]=rgb(ininv,1.0,0.0); Palette[4n+i]=rgb(1.0,ininv1,0.0); } Palette[4n+n]=rgb(1.0,0.0,0.0); return Palette; } private pen[] BWRainbow(int NColors, bool two) { if(settings.gray) return Grayscale(NColors); int offset=1; int nintervals=6; int divisor=3; if(two) nintervals += 6; int num=NColors-offset; int n=-quotient(num,-nintervals*divisor)*divisor; NColors=n*nintervals+offset; pen[] Palette; if(n == 0) return Palette; Palette=new pen[NColors]; real ninv=1.0/n; int k=0; if(two) { for(int i=0; i < n; ++i) { real ininv=i*ninv; real ininv1=1.0-ininv; Palette[i]=rgb(ininv1,0.0,1.0); Palette[n+i]=rgb(0.0,ininv,1.0); Palette[2n+i]=rgb(0.0,1.0,ininv1); Palette[3n+i]=rgb(ininv,1.0,0.0); Palette[4n+i]=rgb(1.0,ininv1,0.0); Palette[5n+i]=rgb(1.0,0.0,ininv); } k += 6n; } if(two) for(int i=0; i < n; ++i) Palette[k+i]=rgb(1.0-i*ninv,0.0,1.0); else { int n3=-quotient(n,-3); int n23=2*n3; real third=n3*ninv; real twothirds=n23*ninv; for(int i=0; i < n3; ++i) { real ininv=i*ninv; Palette[k+i]=rgb(ininv,0.0,ininv); Palette[k+n3+i]=rgb(third,0.0,third+ininv); Palette[k+n23+i]=rgb(third-ininv,0.0,twothirds+ininv); } } k += n; for(int i=0; i < n; ++i) { real ininv=i*ninv; real ininv1=1.0-ininv; Palette[k+i]=rgb(0.0,ininv,1.0); Palette[k+n+i]=rgb(0.0,1.0,ininv1); Palette[k+2n+i]=rgb(ininv,1.0,0.0); Palette[k+3n+i]=rgb(1.0,ininv1,0.0); Palette[k+4n+i]=rgb(1.0,ininv,ininv); } Palette[k+5n]=rgb(1.0,1.0,1.0); return Palette; } // Quantize palette to exactly n values pen[] quantize(pen[] Palette, int n) { if(Palette.length == 0) abort("cannot quantize empty palette"); if(n <= 1) abort("palette must contain at least two pens"); real step=(Palette.length-1)/(n-1); return sequence(new pen(int i) { return Palette[round(i*step)]; },n); } // A rainbow palette tapering off to black/white at the spectrum ends, pen[] BWRainbow(int NColors=32761) { return BWRainbow(NColors,false); } // A double rainbow palette tapering off to black/white at the spectrum ends, // with a linearly scaled intensity. pen[] BWRainbow2(int NColors=32761) { pen[] Palette=BWRainbow(NColors,true); int n=Palette.length; real ninv=1.0/n; for(int i=0; i < n; ++i) Palette[i]=i*ninv*Palette[i]; return Palette; } //A palette varying linearly over the specified array of pens, using // NColors in each interpolation interval. pen[] Gradient(int NColors=256 ... pen[] p) { pen[] P; if(p.length < 2) abort("at least 2 colors must be specified"); real step=NColors > 1 ? (1/(NColors-1)) : 1; for(int i=0; i < p.length-1; ++i) { pen begin=p[i]; pen end=p[i+1]; P.append(sequence(new pen(int j) { return interp(begin,end,j*step); },NColors)); } return P; } pen[] cmyk(pen[] Palette) { int n=Palette.length; for(int i=0; i < n; ++i) Palette[i]=cmyk(Palette[i]); return Palette; } asymptote-2.62/base/reload.js0000644000000000000000000000122113607467113014710 0ustar rootroot// Load/reload the document associated with a given path. // UNIX: Copy to ~/.adobe/Acrobat/x.x/JavaScripts/ // To avoid random window placement we recommend specifying an acroread // geometry option, for example: -geometry +0+0 // MSWindows: Copy to %APPDATA%/Adobe/Acrobat/x.x/JavaScripts/ // Note: x.x represents the appropriate Acrobat Reader version number. reload = app.trustedFunction(function(path) { app.beginPriv(); n=app.activeDocs.length; for(i=app.activeDocs.length-1; i >= 0; --i) { Doc=app.activeDocs[i]; if(Doc.path == path && Doc != this) { Doc.closeDoc(); break; } } app.openDoc(path); app.endPriv(); }); asymptote-2.62/base/CAD.asy0000644000000000000000000002511613607467113014222 0ustar rootrootstruct sCAD { int nLineGroup = 0; // 0-3 pen // A pA, pVisibleEdge, // Sichtbare Kanten pVisibleContour, // Sichtbarer Umriss pUsableWindingLength, // Nitzbare Gewindelänge pSystemLine, // Systemlinie (Stahlbau) pDiagramCurve, // Kurve in Diagrammen pSurfaceStructure, // Oberflächenstrukturen // B pB, pLightEdge, // Lichtkante pMeasureLine, // Maßlinie pMeasureHelpLine, // Maßhilfslinie pMeasureLineBound, // Maßlinienbegrenzung pReferenceLine, // Hinweislinie pHatch, // Schraffur pWindingGround, // Gewindegrund pDiagonalCross, // Diagonalkreuz pBendLine, // Biegelinie pProjectionLine, // Projektionslinie pGrid, // Rasterlinien // C pC, pFreehand, // Begrenzung abgebrochener oder unterbrochener // Schnitte, wenn die Begrenzung // keine Mittellinie ist // E pE, pSurfaceTreatmentAllowed, // Bereich zulässiger Oberflächenbehandlung // F pF, pInvisibleEdge, // unsichtbare Kante pInvisibleContour, // unsichtbarer Umriss // G pG, pMiddleLine, // Mittellinie pSymmetryLine, // Symmetrielinie pPartialCircle, // Teilkreis pCircularHole, // Lochkreis pDivisionPlane, // Teilungsebene pTransferLine, // Trajektorien (Übertragunslinien) // J pJ, pCuttingPlane, // Schnittebene pSurfaceTreatmentRequested, // Bereich geforderter Behandlungen // K pK, pContourBeforeDeformation, // Umrisse vor Verformung pAdjacentPartContour, // Umrisse angrenzender Teile pEndShapeRawMaterial, // Fertigformen in Rohteilen pContourEligibleType, // Umrisse wahlweiser Ausführungen pPartInFrontOfCuttingPlane; // Teile vor der Schnittebene static sCAD Create(int nLineGroup = 1) { sCAD cad = new sCAD; if ( nLineGroup < 0 ) nLineGroup = 0; if ( nLineGroup > 3 ) nLineGroup = 3; cad.nLineGroup = nLineGroup; restricted real[] dblFullWidth = {0.35mm, 0.5mm, 0.7mm, 1.0mm}; restricted real[] dblHalfWidth = {0.18mm, 0.25mm, 0.35mm, 0.5mm}; pen pFullWidth = linewidth(dblFullWidth[nLineGroup]); pen pHalfWidth = linewidth(dblHalfWidth[nLineGroup]); // Linienarten: // A cad.pA = cad.pVisibleEdge = cad.pVisibleContour = cad.pUsableWindingLength = cad.pSystemLine = cad.pDiagramCurve = cad.pSurfaceStructure = pFullWidth + solid; // B cad.pB = cad.pLightEdge = cad.pMeasureLine = cad.pMeasureHelpLine = cad.pMeasureLineBound = cad.pReferenceLine = cad.pHatch = cad.pWindingGround = cad.pDiagonalCross = cad.pBendLine = cad.pProjectionLine = cad.pGrid = pHalfWidth + solid; // C cad.pC = cad.pFreehand = pHalfWidth + solid; // D // Missing, as I have no idea how to implement this... // E cad.pE = cad.pSurfaceTreatmentAllowed = pFullWidth + linetype(new real[] {10,2.5}); // F cad.pF = cad.pInvisibleEdge = cad.pInvisibleContour = pHalfWidth + linetype(new real[] {20,5}); // G cad.pG = cad.pMiddleLine = cad.pSymmetryLine = cad.pPartialCircle = cad.pCircularHole = cad.pDivisionPlane = cad.pTransferLine = pHalfWidth + linetype(new real[] {40,5,5,5}); // H // see J // I // This letter is not used in DIN 15 // J cad.pJ = cad.pCuttingPlane = cad.pSurfaceTreatmentRequested = pFullWidth + linetype(new real[] {20,2.5,2.5,2.5}); // K cad.pK = cad.pContourBeforeDeformation = cad.pAdjacentPartContour = cad.pEndShapeRawMaterial = cad.pContourEligibleType = cad.pPartInFrontOfCuttingPlane = pHalfWidth + linetype(new real[] {40,5,5,5,5,5}); return cad; } // end of Create real GetMeasurementBoundSize(bool bSmallBound = false) { if ( bSmallBound ) return 1.5 * linewidth(pVisibleEdge) / 2; else return 5 * linewidth(pVisibleEdge); } path GetMeasurementBound(bool bSmallBound = false) { if ( bSmallBound ) return scale(GetMeasurementBoundSize(bSmallBound = bSmallBound)) * unitcircle; else return (0,0) -- (-cos(radians(7.5)), -sin(radians(7.5))) * GetMeasurementBoundSize(bSmallBound = bSmallBound) -- (-cos(radians(7.5)), sin(radians(7.5))) * GetMeasurementBoundSize(bSmallBound = bSmallBound) -- cycle; } void MeasureLine(picture pic = currentpicture, Label L, pair pFrom, pair pTo, real dblLeft = 0, real dblRight = 0, real dblRelPosition = 0.5, bool bSmallBound = false) { if ( dblLeft < 0 ) dblLeft = 0; if ( dblRight < 0 ) dblRight = 0; if ( (dblLeft > 0) && (dblRight == 0) ) dblRight = dblLeft; if ( (dblLeft == 0) && (dblRight > 0) ) dblLeft = dblRight; pair pDiff = pTo - pFrom; real dblLength = length(pDiff); pair pBegin = pFrom - dblLeft * unit(pDiff); pair pEnd = pTo + dblRight * unit(pDiff); if ( bSmallBound ) { draw( pic = pic, g = pBegin--pEnd, p = pMeasureLine); } else { real dblBoundSize = GetMeasurementBoundSize(bSmallBound = bSmallBound); if ( dblLeft == 0 ) draw( pic = pic, g = (pFrom + dblBoundSize/2 * unit(pDiff)) -- (pTo - dblBoundSize/2 * unit(pDiff)), p = pMeasureLine); else draw( pic = pic, g = pBegin -- (pFrom - dblBoundSize/2 * unit(pDiff)) ^^ pFrom -- pTo ^^ (pTo + dblBoundSize/2 * unit(pDiff)) -- pEnd, p = pMeasureLine); } path gArrow = GetMeasurementBound(bSmallBound = bSmallBound); picture picL; label(picL, L); pair pLabelSize = 1.2 * (max(picL) - min(picL)); if ( dblLeft == 0 ) { fill( pic = pic, g = shift(pFrom) * rotate(degrees(-pDiff)) * gArrow, p = pVisibleEdge); fill( pic = pic, g = shift(pTo) * rotate(degrees(pDiff)) * gArrow, p = pVisibleEdge); if ( dblRelPosition < 0 ) dblRelPosition = 0; if ( dblRelPosition > 1 ) dblRelPosition = 1; label( pic = pic, L = rotate(degrees(pDiff)) * L, position = pFrom + dblRelPosition * pDiff + unit(rotate(90)*pDiff) * pLabelSize.y / 2); } else { fill( pic = pic, g = shift(pFrom) * rotate(degrees(pDiff)) * gArrow, p = pVisibleEdge); fill( pic = pic, g = shift(pTo) * rotate(degrees(-pDiff)) * gArrow, p = pVisibleEdge); if ( (dblRelPosition >= 0) && (dblRelPosition <= 1) ) label( pic = pic, L = rotate(degrees(pDiff)) * L, position = pFrom + dblRelPosition * pDiff + unit(rotate(90)*pDiff) * pLabelSize.y / 2); else { // draw label outside if ( dblRelPosition < 0 ) label( pic = pic, L = rotate(degrees(pDiff)) * L, position = pBegin + pLabelSize.x / 2 * unit(pDiff) + unit(rotate(90)*pDiff) * pLabelSize.y / 2); else // dblRelPosition > 1 label( pic = pic, L = rotate(degrees(pDiff)) * L, position = pEnd - pLabelSize.x / 2 * unit(pDiff) + unit(rotate(90)*pDiff) * pLabelSize.y / 2); } } } // end of MeasureLine void MeasureParallel(picture pic = currentpicture, Label L, pair pFrom, pair pTo, real dblDistance, // Variables from MeasureLine real dblLeft = 0, real dblRight = 0, real dblRelPosition = 0.5, bool bSmallBound = false) { pair pDiff = pTo - pFrom; pair pPerpendicularDiff = unit(rotate(90) * pDiff); real dblDistancePlus; if ( dblDistance >= 0 ) dblDistancePlus = dblDistance + 1mm; else dblDistancePlus = dblDistance - 1mm; draw( pic = pic, g = pFrom--(pFrom + dblDistancePlus*pPerpendicularDiff), p = pMeasureHelpLine ); draw( pic = pic, g = pTo--(pTo + dblDistancePlus*pPerpendicularDiff), p = pMeasureHelpLine ); MeasureLine( pic = pic, L = L, pFrom = pFrom + dblDistance * pPerpendicularDiff, pTo = pTo + dblDistance * pPerpendicularDiff, dblLeft = dblLeft, dblRight = dblRight, dblRelPosition = dblRelPosition, bSmallBound = bSmallBound); } // end of MeasureParallel path MakeFreehand(pair pFrom, pair pTo, real dblRelDivisionLength = 12.5, real dblRelDistortion = 2.5, bool bIncludeTo = true) { pair pDiff = pTo - pFrom; pair pPerpendicular = dblRelDistortion * linewidth(pFreehand) * unit(rotate(90) * pDiff); int nNumOfSubDivisions=ceil(length(pDiff) / (dblRelDivisionLength * linewidth(pFreehand))); restricted real[] dblDistortion = {1, -.5, .75, -.25, .25, -1, .5, -.75, .25, -.25}; int nDistortion = 0; guide g; g = pFrom; for ( int i = 1 ; i < nNumOfSubDivisions ; ++i ) { g = g .. (pFrom + pDiff * i / (real)nNumOfSubDivisions + pPerpendicular * dblDistortion[nDistortion]); nDistortion += 1; if ( nDistortion > 9 ) nDistortion = 0; } if ( bIncludeTo ) g = g .. pTo; return g; } // end of MakeFreehand } // end of CAD asymptote-2.62/base/interpolate.asy0000644000000000000000000000755013607467113016163 0ustar rootroot// Lagrange and Hermite interpolation in Asymptote // Author: Olivier Guibé // Acknowledgements: Philippe Ivaldi // diffdiv(x,y) computes Newton's Divided Difference for // Lagrange interpolation with distinct values {x_0,..,x_n} in the array x // and values y_0,...,y_n in the array y, // hdiffdiv(x,y,dyp) computes Newton's Divided Difference for // Hermite interpolation where dyp={dy_0,...,dy_n}. // // fhorner(x,coeff) uses Horner's rule to compute the polynomial // a_0+a_1(x-x_0)+a_2(x-x_0)(x-x_1)+...+a_n(x-x_0)..(x-x_{n-1}), // where coeff={a_0,a_1,...,a_n}. // fspline does standard cubic spline interpolation of a function f // on the interval [a,b]. // The points a=x_1 < x_2 < .. < x_n=b form the array x; // the points y_1=f(x_1),....,y_n=f(x_n) form the array y // We use the Hermite form for the spline. // The syntax is: // s=fspline(x,y); default not_a_knot condition // s=fspline(x,y,natural); natural spline // s=fspline(x,y,periodic); periodic spline // s=fspline(x,y,clamped(1,1)); clamped spline // s=fspline(x,y,monotonic); piecewise monotonic spline // Here s is a real function that is constant on (-infinity,a] and [b,infinity). private import math; import graph_splinetype; typedef real fhorner(real); struct horner { // x={x0,..,xn}(not necessarily distinct) // a={a0,..,an} corresponds to the polyonmial // a_0+a_1(x-x_0)+a_2(x-x_0)(x-x_1)+...+a_n(x-x_0)..(x-x_{n-1}), real[] x; real[] a; } // Evaluate p(x)=d0+(x-x0)(d1+(x-x1)+...+(d(n-1)+(x-x(n-1))*dn))) // via Horner's rule: n-1 multiplications, 2n-2 additions. fhorner fhorner(horner sh) { int n=sh.x.length; checklengths(n,sh.a.length); return new real(real x) { real s=sh.a[n-1]; for(int k=n-2; k >= 0; --k) s=sh.a[k]+(x-sh.x[k])*s; return s; }; } // Newton's Divided Difference method: n(n-1)/2 divisions, n(n-1) additions. horner diffdiv(real[] x, real[] y) { int n=x.length; horner s; checklengths(n,y.length); for(int i=0; i < n; ++i) s.a[i]=y[i]; for(int k=0; k < n-1; ++k) { for(int i=n-1; i > k; --i) { s.a[i]=(s.a[i]-s.a[i-1])/(x[i]-x[i-k-1]); } } s.x=x; return s; } // Newton's Divided Difference for simple Hermite interpolation, // where one specifies both p(x_i) and p'(x_i). horner hdiffdiv(real[] x, real[] y, real[] dy) { int n=x.length; horner s; checklengths(n,y.length); checklengths(n,dy.length); for(int i=0; i < n; ++i) { s.a[2*i]=y[i]; s.a[2*i+1]=dy[i]; s.x[2*i]=x[i]; s.x[2*i+1]=x[i]; } for(int i=n-1; i > 0; --i) s.a[2*i]=(s.a[2*i]-s.a[2*i-2])/(x[i]-x[i-1]); int stop=2*n-1; for(int k=1; k < stop; ++k) { for(int i=stop; i > k; --i) { s.a[i]=(s.a[i]-s.a[i-1])/(s.x[i]-s.x[i-k-1]); } } return s; } typedef real realfunction(real); // piecewise Hermite interpolation: // return the piecewise polynomial p(x), where on [x_i,x_i+1], deg(p) <= 3, // p(x_i)=y_i, p(x_{i+1})=y_i+1, p'(x_i)=dy_i, and p'(x_{i+1})=dy_i+1. // Outside [x_1,x_n] the returned function is constant: y_1 on (infinity,x_1] // and y_n on [x_n,infinity). realfunction pwhermite(real[] x, real[] y, real[] dy) { int n=x.length; checklengths(n,y.length); checklengths(n,dy.length); if(n < 2) abort(morepoints); if(!increasing(x,strict=true)) abort("array x is not strictly increasing"); return new real(real t) { int i=search(x,t); if(i == n-1) { i=n-2; t=x[n-1]; } else if(i == -1) { i=0; t=x[0]; } real h=x[i+1]-x[i]; real delta=(y[i+1]-y[i])/h; real e=(3*delta-2*dy[i]-dy[i+1])/h; real f=(dy[i]-2*delta+dy[i+1])/h^2; real s=t-x[i]; return y[i]+s*(dy[i]+s*(e+s*f)); }; } realfunction fspline(real[] x, real[] y, splinetype splinetype=notaknot) { real[] dy=splinetype(x,y); return new real(real t) { return pwhermite(x,y,dy)(t); }; } asymptote-2.62/base/three_margins.asy0000644000000000000000000000531413607467113016460 0ustar rootrootstruct marginT3 { path3 g; real begin,end; }; typedef marginT3 margin3(path3, pen); path3 trim(path3 g, real begin, real end) { real a=arctime(g,begin); real b=arctime(g,arclength(g)-end); return a <= b ? subpath(g,a,b) : point(g,a); } margin3 operator +(margin3 ma, margin3 mb) { return new marginT3(path3 g, pen p) { marginT3 margin; real ba=ma(g,p).begin < 0 ? 0 : ma(g,p).begin; real bb=mb(g,p).begin < 0 ? 0 : mb(g,p).begin; real ea=ma(g,p).end < 0 ? 0 : ma(g,p).end; real eb=mb(g,p).end < 0 ? 0 : mb(g,p).end; margin.begin=ba+bb; margin.end=ea+eb; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin3 NoMargin3() { return new marginT3(path3 g, pen) { marginT3 margin; margin.begin=margin.end=0; margin.g=g; return margin; }; } margin3 Margin3(real begin, real end) { return new marginT3(path3 g, pen p) { marginT3 margin; real factor=labelmargin(p); real w=0.5*linewidth(p); margin.begin=begin*factor-w; margin.end=end*factor-w; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin3 PenMargin3(real begin, real end) { return new marginT3(path3 g, pen p) { marginT3 margin; real factor=linewidth(p); margin.begin=begin*factor; margin.end=end*factor; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin3 DotMargin3(real begin, real end) { return new marginT3(path3 g, pen p) { marginT3 margin; real margindot(real x) {return x > 0 ? dotfactor*x : x;} real factor=linewidth(p); margin.begin=margindot(begin)*factor; margin.end=margindot(end)*factor; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin3 TrueMargin3(real begin, real end) { return new marginT3(path3 g, pen p) { marginT3 margin; margin.begin=begin; margin.end=end; margin.g=trim(g,begin,end); return margin; }; } margin3 NoMargin3=NoMargin3(), BeginMargin3=Margin3(1,0), Margin3=Margin3(0,1), EndMargin3=Margin3, Margins3=Margin3(1,1), BeginPenMargin3=PenMargin3(0.5,-0.5), BeginPenMargin2=PenMargin3(1.0,-0.5), PenMargin3=PenMargin3(-0.5,0.5), PenMargin2=PenMargin3(-0.5,1.0), EndPenMargin3=PenMargin3, EndPenMargin2=PenMargin2, PenMargins3=PenMargin3(0.5,0.5), PenMargins2=PenMargin3(1.0,1.0), BeginDotMargin3=DotMargin3(0.5,-0.5), DotMargin3=DotMargin3(-0.5,0.5), EndDotMargin3=DotMargin3, DotMargins3=DotMargin3(0.5,0.5); asymptote-2.62/base/animation.asy0000644000000000000000000001220613607467113015606 0ustar rootroot/***** * animation.asy * Andy Hammerlindl and John Bowman 2005/11/06 * * Produce GIF, inline PDF, or other animations. *****/ // animation delay is in milliseconds real animationdelay=50; typedef frame enclosure(frame); frame NoBox(frame f) { return f; } enclosure BBox(real xmargin=0, real ymargin=xmargin, pen p=currentpen, filltype filltype=NoFill) { return new frame(frame f) { box(f,xmargin,ymargin,p,filltype,above=false); return f; }; } struct animation { picture[] pictures; string[] files; int index; string prefix; bool global; // If true, use a global scaling for all frames; this requires // extra memory since the actual shipout is deferred until all frames have // been generated. void operator init(string prefix="", bool global=true) { prefix=replace(stripdirectory(outprefix(prefix))," ","_"); this.prefix=prefix; this.global=global; } string basename(string prefix=stripextension(prefix)) { return "_"+prefix; } string name(string prefix, int index) { return stripextension(prefix)+"+"+string(index); } private string nextname() { string name=basename(name(prefix,index)); ++index; return name; } void shipout(string name=nextname(), frame f) { string format=nativeformat(); plain.shipout(name,f,format=format,view=false); files.push(name+"."+format); } void add(picture pic=currentpicture, enclosure enclosure=NoBox) { if(global) { ++index; pictures.push(pic.copy()); } else this.shipout(enclosure(pic.fit())); } void purge(bool keep=settings.keep) { if(!keep) { for(int i=0; i < files.length; ++i) delete(files[i]); } } int merge(int loops=0, real delay=animationdelay, string format="gif", string options="", bool keep=settings.keep) { string args="-loop " +(string) loops+" -delay "+(string)(delay/10)+ " -alpha Off -dispose Background "+options; for(int i=0; i < files.length; ++i) args += " " +files[i]; int rc=convert(args,prefix+"."+format,format=format); this.purge(keep); if(rc == 0) animate(file=prefix+"."+format,format=format); else abort("merge failed"); return rc; } void glmovie(string prefix=prefix, projection P=currentprojection) { if(!view() || settings.render == 0 || settings.outformat == "html") return; fit(prefix,pictures,view=true,P); } // Export all frames with the same scaling. void export(string prefix=prefix, enclosure enclosure=NoBox, bool multipage=false, bool view=false, projection P=currentprojection) { if(pictures.length == 0) return; if(!global) multipage=false; bool inlinetex=settings.inlinetex; if(multipage) settings.inlinetex=false; frame multi; frame[] fits=fit(prefix,pictures,view=false,P); for(int i=0; i < fits.length; ++i) { string s=name(prefix,i); if(multipage) { add(multi,enclosure(fits[i])); newpage(multi); files.push(s+"."+nativeformat()); } else { if(pictures[i].empty3() || settings.render <= 0) this.shipout(s,enclosure(fits[i])); else // 3D frames files.push(s+"."+nativeformat()); } } if(multipage) { plain.shipout(prefix,multi,view=view); settings.inlinetex=inlinetex; } } string load(int frames, real delay=animationdelay, string options="", bool multipage=false) { if(!global) multipage=false; string s="\animategraphics["+options+"]{"+format("%.18f",1000/delay,"C")+ "}{"+basename(); if(!multipage) s += "+"; s += "}{0}{"+string(frames-1)+"}"; return s; } bool pdflatex() { return latex() && pdf(); } string pdf(enclosure enclosure=NoBox, real delay=animationdelay, string options="", bool keep=settings.keep, bool multipage=true) { settings.twice=true; if(settings.inlinetex) multipage=true; if(!global) multipage=false; if(!pdflatex()) abort("inline pdf animations require -tex pdflatex or -tex xelatex"); if(settings.outformat != "") settings.outformat="pdf"; string filename=basename(); string pdfname=filename+".pdf"; if(global) export(filename,enclosure,multipage=multipage); if(!keep) { exitfcn currentexitfunction=atexit(); void exitfunction() { if(currentexitfunction != null) currentexitfunction(); if(multipage || !settings.inlinetex) this.purge(); if(multipage && !settings.inlinetex) delete(pdfname); } atexit(exitfunction); } if(!multipage) delete(pdfname); return load(index,delay,options,multipage); } int movie(enclosure enclosure=NoBox, int loops=0, real delay=animationdelay, string format=settings.outformat == "" ? "gif" : settings.outformat, string options="", bool keep=settings.keep) { if(global) { if(format == "pdf") { export(enclosure,multipage=true,view=true); return 0; } export(enclosure); } return merge(loops,delay,format,options,keep); } } animation operator init() { animation a=animation(); return a; } asymptote-2.62/base/geometry.asy0000644000000000000000000116202513607467113015470 0ustar rootroot// geometry.asy // Copyright (C) 2007 // Author: Philippe IVALDI 2007/09/01 // http://www.piprime.fr/ // This program 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 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 // Lesser General Public License for more details. // You should have received a copy of the GNU Lesser General Public License // along with this program ; if not, write to the Free Software // Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA // COMMENTARY: // An Asymptote geometry module. // THANKS: // Special thanks to Olivier Guibe for his help in mathematical issues. // BUGS: // CODE: import math; import markers; real Infinity=1.0/(1000*realEpsilon); // A rotation in the direction dir limited to [-90,90] // This is useful for rotating text along a line in the direction dir. private transform rotate(explicit pair dir) { real angle=degrees(dir); if(angle > 90 && angle < 270) angle -= 180; return rotate(angle); } // *=======================================================* // *........................HEADER.........................* /**/ real epsgeo = 10 * sqrt(realEpsilon);/*Variable used in the approximate calculations.*/ /**/ void addMargins(picture pic = currentpicture, real lmargin = 0, real bmargin = 0, real rmargin = lmargin, real tmargin = bmargin, bool rigid = true, bool allObject = true) {/*Add margins to 'pic' with respect to the current bounding box of 'pic'. If 'rigid' is false, margins are added iff an infinite curve will be prolonged on the margin. If 'allObject' is false, fixed - size objects (such as labels and arrowheads) will be ignored.*/ pair m = allObject ? truepoint(pic, SW) : point(pic, SW); pair M = allObject ? truepoint(pic, NE) : point(pic, NE); if(rigid) { draw(m - inverse(pic.calculateTransform()) * (lmargin, bmargin), invisible); draw(M + inverse(pic.calculateTransform()) * (rmargin, tmargin), invisible); } else pic.addBox(m, M, -(lmargin, bmargin), (rmargin, tmargin)); } real approximate(real t) { real ot = t; if(abs(t - ceil(t)) < epsgeo) ot = ceil(t); else if(abs(t - floor(t)) < epsgeo) ot = floor(t); return ot; } real[] approximate(real[] T) { return map(approximate, T); } /**/ real binomial(real n, real k) {/*Return n!/((n - k)!*k!)*/ return gamma(n + 1)/(gamma(n - k + 1) * gamma(k + 1)); } /**/ real rf(real x, real y, real z) {/*Computes Carlson's elliptic integral of the first kind. x, y, and z must be non negative, and at most one can be zero.*/ real ERRTOL = 0.0025, TINY = 1.5e-38, BIG = 3e37, THIRD = 1/3, C1 = 1/24, C2 = 0.1, C3 = 3/44, C4 = 1/14; real alamb, ave, delx, dely, delz, e2, e3, sqrtx, sqrty, sqrtz, xt, yt, zt; if(min(x, y, z) < 0 || min(x + y, x + z, y + z) < TINY || max(x, y, z) > BIG) abort("rf: invalid arguments."); xt = x; yt = y; zt = z; do { sqrtx = sqrt(xt); sqrty = sqrt(yt); sqrtz = sqrt(zt); alamb = sqrtx * (sqrty + sqrtz) + sqrty * sqrtz; xt = 0.25 * (xt + alamb); yt = 0.25 * (yt + alamb); zt = 0.25 * (zt + alamb); ave = THIRD * (xt + yt + zt); delx = (ave - xt)/ave; dely = (ave - yt)/ave; delz = (ave - zt)/ave; } while(max(fabs(delx), fabs(dely), fabs(delz)) > ERRTOL); e2 = delx * dely - delz * delz; e3 = delx * dely * delz; return (1.0 + (C1 * e2 - C2 - C3 * e3) * e2 + C4 * e3)/sqrt(ave); } /**/ real rd(real x, real y, real z) {/*Computes Carlson's elliptic integral of the second kind. x and y must be positive, and at most one can be zero. z must be non negative.*/ real ERRTOL = 0.0015, TINY = 1e-25, BIG = 4.5 * 10.0^21, C1 = (3/14), C2 = (1/6), C3 = (9/22), C4 = (3/26), C5 = (0.25 * C3), C6 = (1.5 * C4); real alamb, ave, delx, dely, delz, ea, eb, ec, ed, ee, fac, sqrtx, sqrty, sqrtz, sum, xt, yt, zt; if (min(x, y) < 0 || min(x + y, z) < TINY || max(x, y, z) > BIG) abort("rd: invalid arguments"); xt = x; yt = y; zt = z; sum = 0; fac = 1; do { sqrtx = sqrt(xt); sqrty = sqrt(yt); sqrtz = sqrt(zt); alamb = sqrtx * (sqrty + sqrtz) + sqrty * sqrtz; sum += fac/(sqrtz * (zt + alamb)); fac = 0.25 * fac; xt = 0.25 * (xt + alamb); yt = 0.25 * (yt + alamb); zt = 0.25 * (zt + alamb); ave = 0.2 * (xt + yt + 3.0 * zt); delx = (ave - xt)/ave; dely = (ave - yt)/ave; delz = (ave - zt)/ave; } while (max(fabs(delx), fabs(dely), fabs(delz)) > ERRTOL); ea = delx * dely; eb = delz * delz; ec = ea - eb; ed = ea - 6 * eb; ee = ed + ec + ec; return 3 * sum + fac * (1.0 + ed * (-C1 + C5 * ed - C6 * delz * ee) +delz * (C2 * ee + delz * (-C3 * ec + delz * C4 * ea)))/(ave * sqrt(ave)); } /**/ real elle(real phi, real k) {/*Legendre elliptic integral of the 2nd kind, evaluated using Carlson's functions RD and RF. The argument ranges are -infinity < phi < +infinity, 0 <= k * sin(phi) <= 1.*/ real result; if (phi >= 0 && phi <= pi/2) { real cc, q, s; s = sin(phi); cc = cos(phi)^2; q = (1 - s * k) * (1 + s * k); result = s * (rf(cc, q, 1) - (s * k)^2 * rd(cc, q, 1)/3); } else if (phi <= pi && phi >= 0) { result = 2 * elle(pi/2, k) - elle(pi - phi, k); } else if (phi <= 3 * pi/2 && phi >= 0) { result = 2 * elle(pi/2, k) + elle(phi - pi, k); } else if (phi <= 2 * pi && phi >= 0) { result = 4 * elle(pi/2, k) - elle(2 * pi - phi, k); } else if (phi >= 0) { int nb = floor(0.5 * phi/pi); result = nb * elle(2 * pi, k) + elle(phi%(2 * pi), k); } else result = -elle(-phi, k); return result; } /**/ pair[] intersectionpoints(pair A, pair B, real a, real b, real c, real d, real f, real g) {/*Intersection points with the line (AB) and the quadric curve a * x^2 + b * x * y + c * y^2 + d * x + f * y + g = 0 given in the default coordinate system*/ pair[] op; real ap = B.y - A.y, bpp = A.x - B.x, cp = A.y * B.x - A.x * B.y; real sol[]; if (abs(ap) > epsgeo) { real aa = ap * c + a * bpp^2/ap - b * bpp, bb = ap * f - bpp * d + 2 * a * bpp * cp/ap - b * cp, cc = ap * g - cp * d + a * cp^2/ap; sol = quadraticroots(aa, bb, cc); for (int i = 0; i < sol.length; ++i) { op.push((-bpp * sol[i]/ap - cp/ap, sol[i])); } } else { real aa = a * bpp, bb = d * bpp - b * cp, cc = g * bpp - cp * f + c * cp^2/bpp; sol = quadraticroots(aa, bb, cc); for (int i = 0; i < sol.length; ++i) { op.push((sol[i], -cp/bpp)); } } return op; } /**/ pair[] intersectionpoints(pair A, pair B, real[] equation) {/*Return the intersection points of the line AB with the conic whose an equation is equation[0] * x^2 + equation[1] * x * y + equation[2] * y^2 + equation[3] * x + equation[4] * y + equation[5] = 0*/ if(equation.length != 6) abort("intersectionpoints: bad length of array for a conic equation."); return intersectionpoints(A, B, equation[0], equation[1], equation[2], equation[3], equation[4], equation[5]); } // *........................HEADER.........................* // *=======================================================* // *=======================================================* // *......................COORDINATES......................* real EPS = sqrt(realEpsilon); /**/ typedef pair convert(pair);/*Function type to convert pair in an other coordinate system.*/ /**/ typedef real abs(pair);/*Function type to calculate modulus of pair.*/ /**/ typedef real dot(pair, pair);/*Function type to calculate dot product.*/ /**/ typedef pair polar(real, real);/*Function type to calculate the coordinates from the polar coordinates.*/ /**/ struct coordsys {/*This structure represents a coordinate system in the plane.*/ /**/ restricted convert relativetodefault = new pair(pair m){return m;};/*Convert a pair given relatively to this coordinate system to the pair relatively to the default coordinate system.*/ /**/ restricted convert defaulttorelative = new pair(pair m){return m;};/*Convert a pair given relatively to the default coordinate system to the pair relatively to this coordinate system.*/ /**/ restricted dot dot = new real(pair m, pair n){return dot(m, n);};/*Return the dot product of this coordinate system.*/ /**/ restricted abs abs = new real(pair m){return abs(m);};/*Return the modulus of a pair in this coordinate system.*/ /**/ restricted polar polar = new pair(real r, real a){return (r * cos(a), r * sin(a));};/*Polar coordinates routine of this coordinate system.*/ /**/ restricted pair O = (0, 0), i = (1, 0), j = (0, 1);/*Origin and units vector.*/ /**/ void init(convert rtd, convert dtr, polar polar, dot dot) {/*The default constructor of the coordinate system.*/ this.relativetodefault = rtd; this.defaulttorelative = dtr; this.polar = polar; this.dot = dot; this.abs = new real(pair m){return sqrt(dot(m, m));};; this.O = rtd((0, 0)); this.i = rtd((1, 0)) - O; this.j = rtd((0, 1)) - O; } }/**/ /**/ bool operator ==(coordsys c1, coordsys c2) {/*Return true iff the coordinate system have the same origin and units vector.*/ return c1.O == c2.O && c1.i == c2.i && c1.j == c2.j; } /**/ coordsys cartesiansystem(pair O = (0, 0), pair i, pair j) {/*Return the Cartesian coordinate system (O, i, j).*/ coordsys R; real[][] P = {{0, 0}, {0, 0}}; real[][] iP; P[0][0] = i.x; P[0][1] = j.x; P[1][0] = i.y; P[1][1] = j.y; iP = inverse(P); real ni = abs(i); real nj = abs(j); real ij = angle(j) - angle(i); pair rtd(pair m) { return O + (P[0][0] * m.x + P[0][1] * m.y, P[1][0] * m.x + P[1][1] * m.y); } pair dtr(pair m) { m-=O; return (iP[0][0] * m.x + iP[0][1] * m.y, iP[1][0] * m.x + iP[1][1] * m.y); } pair polar(real r, real a) { real ca = sin(ij - a)/(ni * sin(ij)); real sa = sin(a)/(nj * sin(ij)); return r * (ca, sa); } real tdot(pair m, pair n) { return m.x * n.x * ni^2 + m.y * n.y * nj^2 + (m.x * n.y + n.x * m.y) * dot(i, j); } R.init(rtd, dtr, polar, tdot); return R; } /**/ void show(picture pic = currentpicture, Label lo = "$O$", Label li = "$\vec{\imath}$", Label lj = "$\vec{\jmath}$", coordsys R, pen dotpen = currentpen, pen xpen = currentpen, pen ypen = xpen, pen ipen = red, pen jpen = ipen, arrowbar arrow = Arrow) {/*Draw the components (O, i, j, x - axis, y - axis) of 'R'.*/ unravel R; dot(pic, O, dotpen); drawline(pic, O, O + i, xpen); drawline(pic, O, O + j, ypen); draw(pic, li, O--(O + i), ipen, arrow); Label lj = lj.copy(); lj.align(lj.align, unit(I * j)); draw(pic, lj, O--(O + j), jpen, arrow); draw(pic, lj, O--(O + j), jpen, arrow); Label lo = lo.copy(); lo.align(lo.align, -2 * dir(O--O + i, O--O + j)); lo.p(dotpen); label(pic, lo, O); } /**/ pair operator /(pair p, coordsys R) {/*Return the xy - coordinates of 'p' relatively to the coordinate system 'R'. For example, if R = cartesiansystem((1, 2), (1, 0), (0, 1)), (0, 0)/R is (-1, -2).*/ return R.defaulttorelative(p); } /**/ pair operator *(coordsys R, pair p) {/*Return the coordinates of 'p' given in the xy - coordinates 'R'. For example, if R = cartesiansystem((1, 2), (1, 0), (0, 1)), R * (0, 0) is (1, 2).*/ return R.relativetodefault(p); } /**/ path operator *(coordsys R, path g) {/*Return the reconstructed path applying R * pair to each node, pre and post control point of 'g'.*/ guide og = R * point(g, 0); real l = length(g); for(int i = 1; i <= l; ++i) { pair P = R * point(g, i); pair post = R * postcontrol(g, i - 1); pair pre = R * precontrol(g, i); if(i == l && (cyclic(g))) og = og..controls post and pre..cycle; else og = og..controls post and pre..P; } return og; } /**/ coordsys operator *(transform t,coordsys R) {/*Provide transform * coordsys. Note that shiftless(t) is applied to R.i and R.j.*/ coordsys oc; oc = cartesiansystem(t * R.O, shiftless(t) * R.i, shiftless(t) * R.j); return oc; } /**/ restricted coordsys defaultcoordsys = cartesiansystem(0, (1, 0), (0, 1));/*One can always refer to the default coordinate system using this constant.*/ /**/ coordsys currentcoordsys = defaultcoordsys;/*The coordinate system used by default.*/ /**/ struct point {/*This structure replaces the pair to embed its coordinate system. For example, if 'P = point(cartesiansystem((1, 2), i, j), (0, 0))', P is equal to the pair (1, 2).*/ /**/ coordsys coordsys;/*The coordinate system of this point.*/ restricted pair coordinates;/*The coordinates of this point relatively to the coordinate system 'coordsys'.*/ restricted real x, y;/*The xpart and the ypart of 'coordinates'.*/ /**/ real m = 1;/*Used to cast mass<->point.*/ void init(coordsys R, pair coordinates, real mass) {/*The constructor.*/ this.coordsys = R; this.coordinates = coordinates; this.x = coordinates.x; this.y = coordinates.y; this.m = mass; } }/**/ /**/ point point(coordsys R, pair p, real m = 1) {/*Return the point which has the coodinates 'p' in the coordinate system 'R' and the mass 'm'.*/ point op; op.init(R, p, m); return op; } /**/ point point(explicit pair p, real m) {/*Return the point which has the coodinates 'p' in the current coordinate system and the mass 'm'.*/ point op; op.init(currentcoordsys, p, m); return op; } /**/ point point(coordsys R, explicit point M, real m = M.m) {/*Return the point of 'R' which has the coordinates of 'M' and the mass 'm'. Do not confuse this routine with the further routine 'changecoordsys'.*/ point op; op.init(R, M.coordinates, M.m); return op; } /**/ point changecoordsys(coordsys R, point M) {/*Return the point 'M' in the coordinate system 'coordsys'. In other words, the returned point marks the same plot as 'M' does.*/ point op; coordsys mco = M.coordsys; op.init(R, R.defaulttorelative(mco.relativetodefault(M.coordinates)), M.m); return op; } /**/ pair coordinates(point M) {/*Return the coordinates of 'M' in its coordinate system.*/ return M.coordinates; } /**/ bool samecoordsys(bool warn = true ... point[] M) {/*Return true iff all the points have the same coordinate system. If 'warn' is true and the coordinate systems are different, a warning is sent.*/ bool ret = true; coordsys t = M[0].coordsys; for (int i = 1; i < M.length; ++i) { ret = (t == M[i].coordsys); if(!ret) break; t = M[i].coordsys; } if(warn && !ret) warning("coodinatesystem", "the coordinate system of two objects are not the same. The operation will be done relative to the default coordinate system."); return ret; } /**/ point[] standardizecoordsys(coordsys R = currentcoordsys, bool warn = true ... point[] M) {/*Return the points with the same coordinate system 'R'. If 'warn' is true and the coordinate systems are different, a warning is sent.*/ point[] op = new point[]; op = M; if(!samecoordsys(warn ... M)) for (int i = 1; i < M.length; ++i) op[i] = changecoordsys(R, M[i]); return op; } /**/ pair operator cast(point P) {/*Cast point to pair.*/ return P.coordsys.relativetodefault(P.coordinates); } /**/ pair[] operator cast(point[] P) {/*Cast point[] to pair[].*/ pair[] op; for (int i = 0; i < P.length; ++i) { op.push((pair)P[i]); } return op; } /**/ point operator cast(pair p) {/*Cast pair to point relatively to the current coordinate system 'currentcoordsys'.*/ return point(currentcoordsys, p); } /**/ point[] operator cast(pair[] p) {/*Cast pair[] to point[] relatively to the current coordinate system 'currentcoordsys'.*/ pair[] op; for (int i = 0; i < p.length; ++i) { op.push((point)p[i]); } return op; } /**/ pair locate(point P) {/*Return the coordinates of 'P' in the default coordinate system.*/ return P.coordsys * P.coordinates; } /**/ point locate(pair p) {/*Return the point in the current coordinate system 'currentcoordsys'.*/ return p; //automatic casting 'pair to point'. } /**/ point operator *(real x, explicit point P) {/*Multiply the coordinates (not the mass) of 'P' by 'x'.*/ return point(P.coordsys, x * P.coordinates, P.m); } /**/ point operator /(explicit point P, real x) {/*Divide the coordinates (not the mass) of 'P' by 'x'.*/ return point(P.coordsys, P.coordinates/x, P.m); } /**/ point operator /(real x, explicit point P) {/**/ return point(P.coordsys, x/P.coordinates, P.m); } /**/ point operator -(explicit point P) {/*-P. The mass is inchanged.*/ return point(P.coordsys, -P.coordinates, P.m); } /**/ point operator +(explicit point P1, explicit point P2) {/*Provide 'point + point'. If the two points haven't the same coordinate system, a warning is sent and the returned point has the default coordinate system 'defaultcoordsys'. The masses are added.*/ point[] P = standardizecoordsys(P1, P2); coordsys R = P[0].coordsys; return point(R, P[0].coordinates + P[1].coordinates, P1.m + P2.m); } /**/ point operator +(explicit point P1, explicit pair p2) {/*Provide 'point + pair'. The pair 'p2' is supposed to be coordinates relatively to the coordinates system of 'P1'. The mass is not changed.*/ coordsys R = currentcoordsys; return point(R, P1.coordinates + point(R, p2).coordinates, P1.m); } point operator +(explicit pair p1, explicit point p2) { return p2 + p1; } /**/ point operator -(explicit point P1, explicit point P2) {/*Provide 'point - point'.*/ return P1 + (-P2); } /**/ point operator -(explicit point P1, explicit pair p2) {/*Provide 'point - pair'. The pair 'p2' is supposed to be coordinates relatively to the coordinates system of 'P1'.*/ return P1 + (-p2); } point operator -(explicit pair p1, explicit point P2) { return p1 + (-P2); } /**/ point operator *(transform t, explicit point P) {/*Provide 'transform * point'. Note that the transforms scale, xscale, yscale and rotate are carried out relatively the default coordinate system 'defaultcoordsys' which is not desired for point defined in an other coordinate system. On can use scale(real, point), xscale(real, point), yscale(real, point), rotate(real, point), scaleO(real), xscaleO(real), yscaleO(real) and rotateO(real) (described further) to change the coordinate system of reference.*/ coordsys R = P.coordsys; return point(R, (t * locate(P))/R, P.m); } /**/ point operator *(explicit point P1, explicit point P2) {/*Provide 'point * point'. The resulted mass is the mass of P2*/ point[] P = standardizecoordsys(P1, P2); coordsys R = P[0].coordsys; return point(R, P[0].coordinates * P[1].coordinates, P2.m); } /**/ point operator *(explicit point P1, explicit pair p2) {/*Provide 'point * pair'. The pair 'p2' is supposed to be the coordinates of the point in the coordinates system of 'P1'. 'pair * point' is also defined.*/ point P = point(P1.coordsys, p2, P1.m); return P1 * P; } point operator *(explicit pair p1, explicit point p2) { return p2 * p1; } /**/ bool operator ==(explicit point M, explicit point N) {/*Provide the test 'M == N' wish returns true iff MN < EPS*/ return abs(locate(M) - locate(N)) < EPS; } /**/ bool operator !=(explicit point M, explicit point N) {/*Provide the test 'M != N' wish return true iff MN >= EPS*/ return !(M == N); } /**/ guide operator cast(point p) {/*Cast point to guide.*/ return locate(p); } /**/ path operator cast(point p) {/*Cast point to path.*/ return locate(p); } /**/ void dot(picture pic = currentpicture, Label L, explicit point Z, align align = NoAlign, string format = defaultformat, pen p = currentpen) {/**/ Label L = L.copy(); L.position(locate(Z)); if(L.s == "") { if(format == "") format = defaultformat; L.s = "("+format(format, Z.x)+", "+format(format, Z.y)+")"; } L.align(align, E); L.p(p); dot(pic, locate(Z), p); add(pic, L); } /**/ real abs(coordsys R, pair m) {/*Return the modulus |m| in the coordinate system 'R'.*/ return R.abs(m); } /**/ real abs(explicit point M) {/*Return the modulus |M| in its coordinate system.*/ return M.coordsys.abs(M.coordinates); } /**/ real length(explicit point M) {/*Return the modulus |M| in its coordinate system (same as 'abs').*/ return M.coordsys.abs(M.coordinates); } /**/ point conj(explicit point M) {/*Conjugate.*/ return point(M.coordsys, conj(M.coordinates), M.m); } /**/ real degrees(explicit point M, coordsys R = M.coordsys, bool warn = true) {/*Return the angle of M (in degrees) relatively to 'R'.*/ return (degrees(locate(M) - R.O, warn) - degrees(R.i))%360; } /**/ real angle(explicit point M, coordsys R = M.coordsys, bool warn = true) {/*Return the angle of M (in radians) relatively to 'R'.*/ return radians(degrees(M, R, warn)); } bool Finite(explicit point z) { return abs(z.x) < Infinity && abs(z.y) < Infinity; } /**/ bool finite(explicit point p) {/*Avoid to compute 'finite((pair)(infinite_point))'.*/ return finite(p.coordinates); } /**/ real dot(point A, point B) {/*Return the dot product in the coordinate system of 'A'.*/ point[] P = standardizecoordsys(A.coordsys, A, B); return P[0].coordsys.dot(P[0].coordinates, P[1].coordinates); } /**/ real dot(point A, explicit pair B) {/*Return the dot product in the default coordinate system. dot(explicit pair, point) is also defined.*/ return dot(locate(A), B); } real dot(explicit pair A, point B) { return dot(A, locate(B)); } /**/ transform rotateO(real a) {/*Rotation around the origin of the current coordinate system.*/ return rotate(a, currentcoordsys.O); } /**/ transform projection(point A, point B) {/*Return the orthogonal projection on the line (AB).*/ pair dir = unit(locate(A) - locate(B)); pair a = locate(A); real cof = dir.x * a.x + dir.y * a.y; real tx = a.x - dir.x * cof; real txx = dir.x^2; real txy = dir.x * dir.y; real ty = a.y - dir.y * cof; real tyx = txy; real tyy = dir.y^2; transform t = (tx, ty, txx, txy, tyx, tyy); return t; } /**/ transform projection(point A, point B, point C, point D, bool safe = false) {/*Return the (CD) parallel projection on (AB). If 'safe = true' and (AB)//(CD) return the identity. If 'safe = false' and (AB)//(CD) return an infinity scaling.*/ pair a = locate(A); pair u = unit(locate(B) - locate(A)); pair v = unit(locate(D) - locate(C)); real c = u.x * a.y - u.y * a.x; real d = (conj(u) * v).y; if (abs(d) < epsgeo) { return safe ? identity() : scale(infinity); } real tx = c * v.x/d; real ty = c * v.y/d; real txx = u.x * v.y/d; real txy = -u.x * v.x/d; real tyx = u.y * v.y/d; real tyy = -u.y * v.x/d; transform t = (tx, ty, txx, txy, tyx, tyy); return t; } /**/ transform scale(real k, point M) {/*Homothety.*/ pair P = locate(M); return shift(P) * scale(k) * shift(-P); } /**/ transform xscale(real k, point M) {/*xscale from 'M' relatively to the x - axis of the coordinate system of 'M'.*/ pair P = locate(M); real a = degrees(M.coordsys.i); return (shift(P) * rotate(a)) * xscale(k) * (rotate(-a) * shift(-P)); } /**/ transform yscale(real k, point M) {/*yscale from 'M' relatively to the y - axis of the coordinate system of 'M'.*/ pair P = locate(M); real a = degrees(M.coordsys.j) - 90; return (shift(P) * rotate(a)) * yscale(k) * (rotate(-a) * shift(-P)); } /**/ transform scale(real k, point A, point B, point C, point D, bool safe = false) {/* (help me for English translation...) If 'safe = true' and (AB)//(CD) return the identity. If 'safe = false' and (AB)//(CD) return a infinity scaling.*/ pair a = locate(A); pair u = unit(locate(B) - locate(A)); pair v = unit(locate(D) - locate(C)); real c = u.x * a.y - u.y * a.x; real d = (conj(u) * v).y; real d = (conj(u) * v).y; if (abs(d) < epsgeo) { return safe ? identity() : scale(infinity); } real tx = (1 - k) * c * v.x/d; real ty = (1 - k) * c * v.y/d; real txx = (1 - k) * u.x * v.y/d + k; real txy = (k - 1) * u.x * v.x/d; real tyx = (1 - k) * u.y * v.y/d; real tyy = (k - 1) * u.y * v.x/d + k; transform t = (tx, ty, txx, txy, tyx, tyy); return t; } /**/ transform scaleO(real x) {/*Homothety from the origin of the current coordinate system.*/ return scale(x, (0, 0)); } /**/ transform xscaleO(real x) {/*xscale from the origin and relatively to the current coordinate system.*/ return scale(x, (0, 0), (0, 1), (0, 0), (1, 0)); } /**/ transform yscaleO(real x) {/*yscale from the origin and relatively to the current coordinate system.*/ return scale(x, (0, 0), (1, 0), (0, 0), (0, 1)); } /**/ struct vector {/*Like a point but casting to pair, adding etc does not take account of the origin of the coordinate system.*/ point v;/*Coordinates as a point (embed coordinate system and pair).*/ }/**/ /**/ point operator cast(vector v) {/*Cast vector 'v' to point 'M' so that OM = v.*/ return v.v; } /**/ vector operator cast(pair v) {/*Cast pair to vector relatively to the current coordinate system 'currentcoordsys'.*/ vector ov; ov.v = point(currentcoordsys, v); return ov; } /**/ vector operator cast(explicit point v) {/*A point can be interpreted like a vector using the code '(vector)a_point'.*/ vector ov; ov.v = v; return ov; } /**/ pair operator cast(explicit vector v) {/*Cast vector to pair (the coordinates of 'v' in the default coordinate system).*/ return locate(v.v) - v.v.coordsys.O; } /**/ align operator cast(vector v) {/*Cast vector to align.*/ return (pair)v; } /**/ vector vector(coordsys R = currentcoordsys, pair v) {/*Return the vector of 'R' which has the coordinates 'v'.*/ vector ov; ov.v = point(R, v); return ov; } /**/ vector vector(point M) {/*Return the vector OM, where O is the origin of the coordinate system of 'M'. Useful to write 'vector(P - M);' instead of '(vector)(P - M)'.*/ return M; } /**/ point point(explicit vector u) {/*Return the point M so that OM = u, where O is the origin of the coordinate system of 'u'.*/ return u.v; } /**/ pair locate(explicit vector v) {/*Return the coordinates of 'v' in the default coordinate system (like casting vector to pair).*/ return (pair)v; } /**/ void show(Label L, vector v, pen p = currentpen, arrowbar arrow = Arrow) {/*Draw the vector v (from the origin of its coordinate system).*/ coordsys R = v.v.coordsys; draw(L, R.O--v.v, p, arrow); } /**/ vector changecoordsys(coordsys R, vector v) {/*Return the vector 'v' relatively to coordinate system 'R'.*/ vector ov; ov.v = point(R, (locate(v) + R.O)/R); return ov; } /**/ vector operator *(real x, explicit vector v) {/*Provide real * vector.*/ return x * v.v; } /**/ vector operator /(explicit vector v, real x) {/*Provide vector/real*/ return v.v/x; } /**/ vector operator *(transform t, explicit vector v) {/*Provide transform * vector.*/ return t * v.v; } /**/ vector operator *(explicit point M, explicit vector v) {/*Provide point * vector*/ return M * v.v; } /**/ point operator +(point M, explicit vector v) {/*Return 'M' shifted by 'v'.*/ return shift(locate(v)) * M; } /**/ point operator -(point M, explicit vector v) {/*Return 'M' shifted by '-v'.*/ return shift(-locate(v)) * M; } /**/ vector operator -(explicit vector v) {/*Provide -v.*/ return -v.v; } /**/ point operator +(explicit pair m, explicit vector v) {/*The pair 'm' is supposed to be the coordinates of a point in the current coordinates system 'currentcoordsys'. Return this point shifted by the vector 'v'.*/ return locate(m) + v; } /**/ point operator -(explicit pair m, explicit vector v) {/*The pair 'm' is supposed to be the coordinates of a point in the current coordinates system 'currentcoordsys'. Return this point shifted by the vector '-v'.*/ return m + (-v); } /**/ vector operator +(explicit vector v1, explicit vector v2) {/*Provide vector + vector. If the two vector haven't the same coordinate system, the returned vector is relative to the default coordinate system (without warning).*/ coordsys R = v1.v.coordsys; if(samecoordsys(false, v1, v2)){R = defaultcoordsys;} return vector(R, (locate(v1) + locate(v2))/R); } /**/ vector operator -(explicit vector v1, explicit vector v2) {/*Provide vector - vector. If the two vector haven't the same coordinate system, the returned vector is relative to the default coordinate system (without warning).*/ return v1 + (-v2); } /**/ bool operator ==(explicit vector u, explicit vector v) {/*Return true iff |u - v|*/ return abs(u - v) < EPS; } /**/ bool collinear(vector u, vector v) {/*Return 'true' iff the vectors 'u' and 'v' are collinear.*/ return abs(ypart((conj((pair)u) * (pair)v))) < EPS; } /**/ vector unit(point M) {/*Return the unit vector according to the modulus of its coordinate system.*/ return M/abs(M); } /**/ vector unit(vector u) {/*Return the unit vector according to the modulus of its coordinate system.*/ return u.v/abs(u.v); } /**/ real degrees(vector v, coordsys R = v.v.coordsys, bool warn = true) {/*Return the angle of 'v' (in degrees) relatively to 'R'.*/ return (degrees(locate(v), warn) - degrees(R.i))%360; } /**/ real angle(explicit vector v, coordsys R = v.v.coordsys, bool warn = true) {/*Return the angle of 'v' (in radians) relatively to 'R'.*/ return radians(degrees(v, R, warn)); } /**/ vector conj(explicit vector u) {/*Conjugate.*/ return conj(u.v); } /**/ transform rotate(explicit vector dir) {/*A rotation in the direction 'dir' limited to [-90, 90] This is useful for rotating text along a line in the direction dir. rotate(explicit point dir) is also defined. */ return rotate(locate(dir)); } transform rotate(explicit point dir){return rotate(locate(vector(dir)));} // *......................COORDINATES......................* // *=======================================================* // *=======================================================* // *.........................BASES.........................* /**/ point origin = point(defaultcoordsys, (0, 0));/*The origin of the current coordinate system.*/ /**/ point origin(coordsys R = currentcoordsys) {/*Return the origin of the coordinate system 'R'.*/ return point(R, (0, 0)); //use automatic casting; } /**/ real linemargin = 0;/*Margin used to draw lines.*/ /**/ real linemargin() {/*Return the margin used to draw lines.*/ return linemargin; } /**/ pen addpenline = squarecap;/*Add this property to the drawing pen of "finish" lines.*/ pen addpenline(pen p) { return addpenline + p; } /**/ pen addpenarc = squarecap;/*Add this property to the drawing pen of arcs.*/ pen addpenarc(pen p) {return addpenarc + p;} /**/ string defaultmassformat = "$\left(%L;%.4g\right)$";/*Format used to construct the default label of masses.*/ /**/ int sgnd(real x) {/*Return the -1 if x < 0, 1 if x >= 0.*/ return (x == 0) ? 1 : sgn(x); } int sgnd(int x) { return (x == 0) ? 1 : sgn(x); } /**/ bool defined(point P) {/*Return true iff the coordinates of 'P' are finite.*/ return finite(P.coordinates); } /**/ bool onpath(picture pic = currentpicture, path g, point M, pen p = currentpen) {/*Return true iff 'M' is on the path drawn with the pen 'p' in 'pic'.*/ transform t = inverse(pic.calculateTransform()); return intersect(g, shift(locate(M)) * scale(linewidth(p)/2) * t * unitcircle).length > 0; } /**/ bool sameside(point M, point N, point O) {/*Return 'true' iff 'M' and 'N' are same side of the point 'O'.*/ pair m = M, n = N, o = O; return dot(m - o, n - o) >= -epsgeo; } /**/ bool between(point M, point O, point N) {/*Return 'true' iff 'O' is between 'M' and 'N'.*/ return (!sameside(N, M, O) || M == O || N == O); } typedef path pathModifier(path); pathModifier NoModifier = new path(path g){return g;}; private void Drawline(picture pic = currentpicture, Label L = "", pair P, bool dirP = true, pair Q, bool dirQ = true, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, Label legend = "", marker marker = nomarker, pathModifier pathModifier = NoModifier) {/* Add the two parameters 'dirP' and 'dirQ' to the native routine 'drawline' of the module 'math'. Segment [PQ] will be prolonged in direction of P if 'dirP = true', in direction of Q if 'dirQ = true'. If 'dirP = dirQ = true', the behavior is that of the native 'drawline'. Add all the other parameters of 'Draw'.*/ pic.add(new void (frame f, transform t, transform T, pair m, pair M) { picture opic; // Reduce the bounds by the size of the pen. m -= min(p) - (linemargin(), linemargin()); M -= max(p) + (linemargin(), linemargin()); // Calculate the points and direction vector in the transformed space. t = t * T; pair z = t * P; pair q = t * Q; pair v = q - z; // path g; pair ptp, ptq; real cp = dirP ? 1:0; real cq = dirQ ? 1:0; // Handle horizontal and vertical lines. if(v.x == 0) { if(m.x <= z.x && z.x <= M.x) if (dot(v, m - z) < 0) { ptp = (z.x, z.y + cp * (m.y - z.y)); ptq = (z.x, q.y + cq * (M.y - q.y)); } else { ptq = (z.x, q.y + cq * (m.y - q.y)); ptp = (z.x, z.y + cp * (M.y - z.y)); } } else if(v.y == 0) { if (dot(v, m - z) < 0) { ptp = (z.x + cp * (m.x - z.x), z.y); ptq = (q.x + cq * (M.x - q.x), z.y); } else { ptq = (q.x + cq * (m.x - q.x), z.y); ptp = (z.x + cp * (M.x - z.x), z.y); } } else { // Calculate the maximum and minimum t values allowed for the // parametric equation z + t * v real mx = (m.x - z.x)/v.x, Mx = (M.x - z.x)/v.x; real my = (m.y - z.y)/v.y, My = (M.y - z.y)/v.y; real tmin = max(v.x > 0 ? mx : Mx, v.y > 0 ? my : My); real tmax = min(v.x > 0 ? Mx : mx, v.y > 0 ? My : my); pair pmin = z + tmin * v; pair pmax = z + tmax * v; if(tmin <= tmax) { ptp = z + cp * tmin * v; ptq = z + (cq == 0 ? v:tmax * v); } } path g = ptp--ptq; if (length(g)>0) { if(L.s != "") { Label lL = L.copy(); if(L.defaultposition) lL.position(Relative(.9)); lL.p(p); lL.out(opic, g); } g = pathModifier(g); if(linetype(p).length == 0){ pair m = midpoint(g); pen tp; tp = dirP ? p : addpenline(p); draw(opic, pathModifier(m--ptp), tp); tp = dirQ ? p : addpenline(p); draw(opic, pathModifier(m--ptq), tp); } else { draw(opic, g, p); } marker.markroutine(opic, marker.f, g); arrow(opic, g, p, NoMargin); add(f, opic.fit()); } }); } /**/ void clipdraw(picture pic = currentpicture, Label L = "", path g, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, real xmargin = 0, real ymargin = xmargin, Label legend = "", marker marker = nomarker) {/*Draw the path 'g' on 'pic' clipped to the bounding box of 'pic'.*/ if(L.s != "") { picture tmp; label(tmp, L, g, p); add(pic, tmp); } pic.add(new void (frame f, transform t, transform T, pair m, pair M) { // Reduce the bounds by the size of the pen and the margins. m += min(p) + (xmargin, ymargin); M -= max(p) + (xmargin, ymargin); path bound = box(m, M); picture tmp; draw(tmp, "", t * T * g, align, p, arrow, bar, NoMargin, legend, marker); clip(tmp, bound); add(f, tmp.fit()); }); } /**/ void distance(picture pic = currentpicture, Label L = "", point A, point B, bool rotated = true, real offset = 3mm, pen p = currentpen, pen joinpen = invisible, arrowbar arrow = Arrows(NoFill)) {/*Draw arrow between A and B (from FAQ).*/ pair A = A, B = B; path g = A--B; transform Tp = shift(-offset * unit(B - A) * I); pic.add(new void(frame f, transform t) { picture opic; path G = Tp * t * g; transform id = identity(); transform T = rotated ? rotate(B - A) : id; Label L = L.copy(); L.align(L.align, Center); if(abs(ypart((conj(A - B) * L.align.dir))) < epsgeo && L.filltype == NoFill) L.filltype = UnFill(1); draw(opic, T * L, G, p, arrow, Bars, PenMargins); pair Ap = t * A, Bp = t * B; draw(opic, (Ap--Tp * Ap)^^(Bp--Tp * Bp), joinpen); add(f, opic.fit()); }, true); pic.addBox(min(g), max(g), Tp * min(p), Tp * max(p)); } /**/ real perpfactor = 1;/*Factor for drawing perpendicular symbol.*/ /**/ void perpendicularmark(picture pic = currentpicture, point z, explicit pair align, explicit pair dir = E, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) {/*Draw a perpendicular symbol at z aligned in the direction align relative to the path z--z + dir. dir(45 + n * 90), where n in N*, are common values for 'align'.*/ p = squarecap + miterjoin + p; if(size == 0) size = perpfactor * 3mm + linewidth(p) / 2; frame apic; pair d1 = size * align * unit(dir) * dir(-45); pair d2 = I * d1; path g = d1--d1 + d2--d2; g = margin(g, p).g; draw(apic, g, p); if(filltype != NoFill) filltype.fill(apic, (relpoint(g, 0) - relpoint(g, 0.5)+ relpoint(g, 1))--g--cycle, p + solid); add(pic, apic, locate(z)); } /**/ void perpendicularmark(picture pic = currentpicture, point z, vector align, vector dir = E, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) {/*Draw a perpendicular symbol at z aligned in the direction align relative to the path z--z + dir. dir(45 + n * 90), where n in N, are common values for 'align'.*/ perpendicularmark(pic, z, (pair)align, (pair)dir, size, p, margin, filltype); } /**/ void perpendicularmark(picture pic = currentpicture, point z, explicit pair align, path g, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) {/*Draw a perpendicular symbol at z aligned in the direction align relative to the path z--z + dir(g, 0). dir(45 + n * 90), where n in N, are common values for 'align'.*/ perpendicularmark(pic, z, align, dir(g, 0), size, p, margin, filltype); } /**/ void perpendicularmark(picture pic = currentpicture, point z, vector align, path g, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) {/*Draw a perpendicular symbol at z aligned in the direction align relative to the path z--z + dir(g, 0). dir(45 + n * 90), where n in N, are common values for 'align'.*/ perpendicularmark(pic, z, (pair)align, dir(g, 0), size, p, margin, filltype); } /**/ void markrightangle(picture pic = currentpicture, point A, point O, point B, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) {/*Mark the angle AOB with a perpendicular symbol.*/ pair Ap = A, Bp = B, Op = O; pair dir = Ap - Op; real a1 = degrees(dir); pair align = rotate(-a1) * unit(dir(Op--Ap, Op--Bp)); perpendicularmark(pic = pic, z = O, align = align, dir = dir, size = size, p = p, margin = margin, filltype = filltype); } /**/ bool simeq(point A, point B, real fuzz = epsgeo) {/*Return true iff abs(A - B) < fuzz. This routine is used internally to know if two points are equal, in particular by the operator == in 'point == point'.*/ return (abs(A - B) < fuzz); } bool simeq(point a, real b, real fuzz = epsgeo) { coordsys R = a.coordsys; return (abs(a - point(R, ((pair)b)/R)) < fuzz); } /**/ pair attract(pair m, path g, real fuzz = 0) {/*Return the nearest point (A PAIR) of 'm' which is on the path g. 'fuzz' is the argument 'fuzz' of 'intersect'.*/ if(intersect(m, g, fuzz).length > 0) return m; pair p; real step = 1, r = 0; real[] t; static real eps = sqrt(realEpsilon); do {// Find a radius for intersection r += step; t = intersect(shift(m) * scale(r) * unitcircle, g); } while(t.length <= 0); p = point(g, t[1]); real rm = 0, rM = r; while(rM - rm > eps) { r = (rm + rM)/2; t = intersect(shift(m) * scale(r) * unitcircle, g, fuzz); if(t.length <= 0) { rm = r; } else { rM = r; p = point(g, t[1]); } } return p; } /**/ point attract(point M, path g, real fuzz = 0) {/*Return the nearest point (A POINT) of 'M' which is on the path g. 'fuzz' is the argument 'fuzz' of 'intersect'.*/ return point(M.coordsys, attract(locate(M), g)/M.coordsys); } /**/ real[] intersect(path g, explicit pair p, real fuzz = 0) {/**/ fuzz = fuzz <= 0 ? sqrt(realEpsilon) : fuzz; real[] or; real r = realEpsilon; do{ or = intersect(g, shift(p) * scale(r) * unitcircle, fuzz); r *= 2; } while(or.length == 0); return or; } /**/ real[] intersect(path g, explicit point P, real fuzz = epsgeo) {/**/ return intersect(g, locate(P), fuzz); } // *.........................BASES.........................* // *=======================================================* // *=======================================================* // *.........................LINES.........................* /**/ struct line {/*This structure provides the objects line, semi - line and segment oriented from A to B. All the calculus with this structure will be as exact as Asymptote can do. For a full precision, you must not cast 'line' to 'path' excepted for drawing routines.*/ /**/ restricted point A,B;/*Two line's points with same coordinate system.*/ bool extendA,extendB;/*If true,extend 'l' in direction of A (resp. B).*/ restricted vector u,v;/*u = unit(AB) = direction vector,v = normal vector.*/ restricted real a,b,c;/*Coefficients of the equation ax + by + c = 0 in the coordinate system of 'A'.*/ restricted real slope, origin;/*Slope and ordinate at the origin.*/ /**/ line copy() {/*Copy a line in a new instance.*/ line l = new line; l.A = A; l.B = B; l.a = a; l.b = b; l.c = c; l.slope = slope; l.origin = origin; l.u = u; l.v = v; l.extendA = extendA; l.extendB = extendB; return l; } /**/ void init(point A, bool extendA = true, point B, bool extendB = true) {/*Initialize line. If 'extendA' is true, the "line" is infinite in the direction of A.*/ point[] P = standardizecoordsys(A, B); this.A = P[0]; this.B = P[1]; this.a = B.y - A.y; this.b = A.x - B.x; this.c = A.y * B.x - A.x * B.y; this.slope= (this.b == 0) ? infinity : -this.a/this.b; this.origin = (this.b == 0) ? (this.c == 0) ? 0:infinity : -this.c/this.b; this.u = unit(P[1]-P[0]); // int tmp = sgnd(this.slope); // this.u = (dot((pair)this.u, N) >= 0) ? tmp * this.u : -tmp * this.u; this.v = rotate(90, point(P[0].coordsys, (0, 0))) * this.u; this.extendA = extendA; this.extendB = extendB; } }/**/ /**/ line line(point A, bool extendA = true, point B, bool extendB = true) {/*Return the line passing through 'A' and 'B'. If 'extendA' is true, the "line" is infinite in the direction of A. A "line" can be half-line or segment.*/ if (A == B) abort("line: the points must be distinct."); line l; l.init(A, extendA, B, extendB); return l; } /**/ struct segment {/*.*/ restricted point A, B;// Extremity. restricted vector u, v;// u = direction vector, v = normal vector. restricted real a, b, c;// Coefficients of the equation ax + by + c = 0 restricted real slope, origin; segment copy() { segment s = new segment; s.A = A; s.B = B; s.a = a; s.b = b; s.c = c; s.slope = slope; s.origin = origin; s.u = u; s.v = v; return s; } void init(point A, point B) { line l; l.init(A, B); this.A = l.A; this.B = l.B; this.a = l.a; this.b = l.b; this.c = l.c; this.slope = l.slope; this.origin = l.origin; this.u = l.u; this.v = l.v; } }/**/ /**/ segment segment(point A, point B) {/*Return the segment whose the extremities are A and B.*/ segment s; s.init(A, B); return s; } /**/ real length(segment s) {/*Return the length of 's'.*/ return abs(s.A - s.B); } /**/ line operator cast(segment s) {/*A segment is casted to a "finite line".*/ return line(s.A, false, s.B, false); } /**/ segment operator cast(line l) {/*Cast line 'l' to segment [l.A l.B].*/ return segment(l.A, l.B); } /**/ line operator *(transform t, line l) {/*Provide transform * line*/ return line(t * l.A, l.extendA, t * l.B, l.extendB); } /**/ line operator /(line l, real x) {/*Provide l/x. Return the line passing through l.A/x and l.B/x.*/ return line(l.A/x, l.extendA, l.B/x, l.extendB); } line operator /(line l, int x){return line(l.A/x, l.B/x);} /**/ line operator *(real x, line l) {/*Provide x * l. Return the line passing through x * l.A and x * l.B.*/ return line(x * l.A, l.extendA, x * l.B, l.extendB); } line operator *(int x, line l){return line(x * l.A, l.extendA, x * l.B, l.extendB);} /**/ line operator *(point M, line l) {/*Provide point * line. Return the line passing through unit(M) * l.A and unit(M) * l.B.*/ return line(unit(M) * l.A, l.extendA, unit(M) * l.B, l.extendB); } /**/ line operator +(line l, vector u) {/*Provide line + vector (and so line + point). Return the line 'l' shifted by 'u'.*/ return line(l.A + u, l.extendA, l.B + u, l.extendB); } /**/ line operator -(line l, vector u) {/*Provide line - vector (and so line - point). Return the line 'l' shifted by '-u'.*/ return line(l.A - u, l.extendA, l.B - u, l.extendB); } /**/ line[] operator ^^(line l1, line l2) {/*Provide line^^line. Return the line array {l1, l2}.*/ line[] ol; ol.push(l1); ol.push(l2); return ol; } /**/ line[] operator ^^(line l1, line[] l2) {/*Provide line^^line[]. Return the line array {l1, l2[0], l2[1]...}. line[]^^line is also defined.*/ line[] ol; ol.push(l1); for (int i = 0; i < l2.length; ++i) { ol.push(l2[i]); } return ol; } line[] operator ^^(line[] l2, line l1) { line[] ol = l2; ol.push(l1); return ol; } /**/ line[] operator ^^(line l1[], line[] l2) {/*Provide line[]^^line[]. Return the line array {l1[0], l1[1], ..., l2[0], l2[1], ...}.*/ line[] ol = l1; for (int i = 0; i < l2.length; ++i) { ol.push(l2[i]); } return ol; } /**/ bool sameside(point M, point P, line l) {/*Return 'true' iff 'M' and 'N' are same side of the line (or on the line) 'l'.*/ pair A = l.A, B = l.B, m = M, p = P; pair mil = (A + B)/2; pair mA = rotate(90, mil) * A; pair mB = rotate(-90, mil) * A; return (abs(m - mA) <= abs(m - mB)) == (abs(p - mA) <= abs(p - mB)); // transform proj = projection(l.A, l.B); // point Mp = proj * M; // point Pp = proj * P; // dot(Mp);dot(Pp); // return dot(locate(Mp - M), locate(Pp - P)) >= 0; } /**/ line line(segment s) {/*Return the line passing through 's.A' and 's.B'.*/ return line(s.A, s.B); } /**/ segment segment(line l) {/*Return the segment whose extremities are 'l.A' and 'l.B'.*/ return segment(l.A, l.B); } /**/ point midpoint(segment s) {/*Return the midpoint of 's'.*/ return 0.5 * (s.A + s.B); } /**/ void write(explicit line l) {/*Write some informations about 'l'.*/ write("A = "+(string)((pair)l.A)); write("Extend A = "+(l.extendA ? "true" : "false")); write("B = "+(string)((pair)l.B)); write("Extend B = "+(l.extendB ? "true" : "false")); write("u = "+(string)((pair)l.u)); write("v = "+(string)((pair)l.v)); write("a = "+(string) l.a); write("b = "+(string) l.b); write("c = "+(string) l.c); write("slope = "+(string) l.slope); write("origin = "+(string) l.origin); } /**/ void write(explicit segment s) {/*Write some informations about 's'.*/ write("A = "+(string)((pair)s.A)); write("B = "+(string)((pair)s.B)); write("u = "+(string)((pair)s.u)); write("v = "+(string)((pair)s.v)); write("a = "+(string) s.a); write("b = "+(string) s.b); write("c = "+(string) s.c); write("slope = "+(string) s.slope); write("origin = "+(string) s.origin); } /**/ bool operator ==(line l1, line l2) {/*Provide the test 'line == line'.*/ return (collinear(l1.u, l2.u) && abs(ypart((locate(l1.A) - locate(l1.B))/(locate(l1.A) - locate(l2.B)))) < epsgeo && l1.extendA == l2.extendA && l1.extendB == l2.extendB); } /**/ bool operator !=(line l1, line l2) {/*Provide the test 'line != line'.*/ return !(l1 == l2); } /**/ bool operator @(point m, line l) {/*Provide the test 'point @ line'. Return true iff 'm' is on the 'l'.*/ point M = changecoordsys(l.A.coordsys, m); if (abs(l.a * M.x + l.b * M.y + l.c) >= epsgeo) return false; if (l.extendA && l.extendB) return true; if (!l.extendA && !l.extendB) return between(l.A, M, l.B); if (l.extendA) return sameside(M, l.A, l.B); return sameside(M, l.B, l.A); } /**/ coordsys coordsys(line l) {/*Return the coordinate system in which 'l' is defined.*/ return l.A.coordsys; } /**/ line reverse(line l) {/*Permute the points 'A' and 'B' of 'l' and so its orientation.*/ return line(l.B, l.extendB, l.A, l.extendA); } /**/ line extend(line l) {/*Return the infinite line passing through 'l.A' and 'l.B'.*/ line ol = l.copy(); ol.extendA = true; ol.extendB = true; return ol; } /**/ line complementary(explicit line l) {/*Return the complementary of a half-line with respect of the full line 'l'.*/ if (l.extendA && l.extendB) abort("complementary: the parameter is not a half-line."); point origin = l.extendA ? l.B : l.A; point ptdir = l.extendA ? rotate(180, l.B) * l.A : rotate(180, l.A) * l.B; return line(origin, false, ptdir); } /**/ line[] complementary(explicit segment s) {/*Return the two half-lines of origin 's.A' and 's.B' respectively.*/ line[] ol = new line[2]; ol[0] = complementary(line(s.A, false, s.B)); ol[1] = complementary(line(s.A, s.B, false)); return ol; } /**/ line Ox(coordsys R = currentcoordsys) {/*Return the x-axis of 'R'.*/ return line(point(R, (0, 0)), point(R, E)); } /**/ restricted line Ox = Ox();/*the x-axis of the default coordinate system.*/ /**/ line Oy(coordsys R = currentcoordsys) {/*Return the y-axis of 'R'.*/ return line(point(R, (0, 0)), point(R, N)); } /**/ restricted line Oy = Oy();/*the y-axis of the default coordinate system.*/ /**/ line line(real a, point A = point(currentcoordsys, (0, 0))) {/*Return the line passing through 'A' with an angle (in the coordinate system of A) 'a' in degrees. line(point, real) is also defined.*/ return line(A, A + point(A.coordsys, A.coordsys.polar(1, radians(a)))); } line line(point A = point(currentcoordsys, (0, 0)), real a) { return line(a, A); } line line(int a, point A = point(currentcoordsys, (0, 0))) { return line((real)a, A); } /**/ line line(coordsys R = currentcoordsys, real slope, real origin) {/*Return the line defined by slope and y-intercept relative to 'R'.*/ if (slope == infinity || slope == -infinity) abort("The slope is infinite. Please, use the routine 'vline'."); return line(point(R, (0, origin)), point(R, (1, origin + slope))); } /**/ line line(coordsys R = currentcoordsys, real a, real b, real c) {/*Retrun the line defined by equation relative to 'R'.*/ if (a == 0 && b == 0) abort("line: inconsistent equation..."); pair M; M = (a == 0) ? (0, -c/b) : (-c/a, 0); return line(point(R, M), point(R, M + (-b, a))); } /**/ line vline(coordsys R = currentcoordsys) {/*Return a vertical line in 'R' passing through the origin of 'R'.*/ point P = point(R, (0, 0)); point PP = point(R, (R.O + N)/R); return line(P, PP); } /**/ restricted line vline = vline();/*The vertical line in the current coordinate system passing through the origin of this system.*/ /**/ line hline(coordsys R = currentcoordsys) {/*Return a horizontal line in 'R' passing through the origin of 'R'.*/ point P = point(R, (0, 0)); point PP = point(R, (R.O + E)/R); return line(P, PP); } /**/ line hline = hline();/*The horizontal line in the current coordinate system passing through the origin of this system.*/ /**/ line changecoordsys(coordsys R, line l) {/*Return the line 'l' in the coordinate system 'R'.*/ point A = changecoordsys(R, l.A); point B = changecoordsys(R, l.B); return line(A, B); } /**/ transform scale(real k, line l1, line l2, bool safe = false) {/*Return the dilatation with respect to 'l1' in the direction of 'l2'.*/ return scale(k, l1.A, l1.B, l2.A, l2.B, safe); } /**/ transform reflect(line l) {/*Return the reflect about the line 'l'.*/ return reflect((pair)l.A, (pair)l.B); } /**/ transform reflect(line l1, line l2, bool safe = false) {/*Return the reflect about the line 'l1' in the direction of 'l2'.*/ return scale(-1.0, l1, l2, safe); } /**/ point[] intersectionpoints(line l, path g) {/*Return all points of intersection of the line 'l' with the path 'g'.*/ // TODO utiliser la version 1.44 de intersections(path g, pair p, pair q) // real [] t = intersections(g, l.A, l.B); // coordsys R = coordsys(l); // return sequence(new point(int n){return point(R, point(g, t[n])/R);}, t.length); real [] t; pair[] op; pair A = l.A; pair B = l.B; real dy = B.y - A.y, dx = A.x - B.x, lg = length(g); for (int i = 0; i < lg; ++i) { pair z0 = point(g, i), z1 = point(g, i + 1), c0 = postcontrol(g, i), c1 = precontrol(g, i + 1), t3 = z1 - z0 - 3 * c1 + 3 * c0, t2 = 3 * z0 + 3 * c1 - 6 * c0, t1 = 3 * c0 - 3z0; real a = dy * t3.x + dx * t3.y, b = dy * t2.x + dx * t2.y, c = dy * t1.x + dx * t1.y, d = dy * z0.x + dx * z0.y + A.y * B.x - A.x * B.y; t = cubicroots(a, b, c, d); for (int j = 0; j < t.length; ++j) if ( t[j]>=0 && ( t[j]<1 || ( t[j] == 1 && (i == lg - 1) && !cyclic(g) ) ) ) { op.push(point(g, i + t[j])); } } point[] opp; for (int i = 0; i < op.length; ++i) opp.push(point(coordsys(l), op[i]/coordsys(l))); return opp; } /**/ point intersectionpoint(line l1, line l2) {/*Return the point of intersection of line 'l1' with 'l2'. If 'l1' and 'l2' have an infinity or none point of intersection, this routine return (infinity, infinity).*/ point[] P = standardizecoordsys(l1.A, l1.B, l2.A, l2.B); coordsys R = P[0].coordsys; pair p = extension(P[0], P[1], P[2], P[3]); if(finite(p)){ point p = point(R, p/R); if (p @ l1 && p @ l2) return p; } return point(R, (infinity, infinity)); } /**/ line parallel(point M, line l) {/*Return the line parallel to 'l' passing through 'M'.*/ point A, B; if (M.coordsys != coordsys(l)) { A = changecoordsys(M.coordsys, l.A); B = changecoordsys(M.coordsys, l.B); } else {A = l.A;B = l.B;} return line(M, M - A + B); } /**/ line parallel(point M, explicit vector dir) {/*Return the line of direction 'dir' and passing through 'M'.*/ return line(M, M + locate(dir)); } /**/ line parallel(point M, explicit pair dir) {/*Return the line of direction 'dir' and passing through 'M'.*/ return line(M, M + vector(currentcoordsys, dir)); } /**/ bool parallel(line l1, line l2, bool strictly = false) {/*Return 'true' if 'l1' and 'l2' are (strictly ?) parallel.*/ bool coll = collinear(l1.u, l2.u); return strictly ? coll && (l1 != l2) : coll; } /**/ bool concurrent(... line[] l) {/*Returns true if all the lines 'l' are concurrent.*/ if (l.length < 3) abort("'concurrent' needs at least for three lines ..."); pair point = intersectionpoint(l[0], l[1]); bool conc; for (int i = 2; i < l.length; ++i) { pair pt = intersectionpoint(l[i - 1], l[i]); conc = simeq(pt, point); if (!conc) break; } return conc; } /**/ transform projection(line l) {/*Return the orthogonal projection on 'l'.*/ return projection(l.A, l.B); } /**/ transform projection(line l1, line l2, bool safe = false) {/*Return the projection on (AB) in parallel of (CD). If 'safe = true' and (l1)//(l2) return the identity. If 'safe = false' and (l1)//(l2) return a infinity scaling.*/ return projection(l1.A, l1.B, l2.A, l2.B, safe); } /**/ transform vprojection(line l, bool safe = false) {/*Return the projection on 'l' in parallel of N--S. If 'safe' is 'true' the projected point keeps the same place if 'l' is vertical.*/ coordsys R = defaultcoordsys; return projection(l, line(point(R, N), point(R, S)), safe); } /**/ transform hprojection(line l, bool safe = false) {/*Return the projection on 'l' in parallel of E--W. If 'safe' is 'true' the projected point keeps the same place if 'l' is horizontal.*/ coordsys R = defaultcoordsys; return projection(l, line(point(R, E), point(R, W)), safe); } /**/ line perpendicular(point M, line l) {/*Return the perpendicular line of 'l' passing through 'M'.*/ point Mp = projection(l) * M; point A = Mp == l.A ? l.B : l.A; return line(Mp, rotate(90, Mp) * A); } /**/ line perpendicular(point M, explicit vector normal) {/*Return the line passing through 'M' whose normal is \param{normal}.*/ return perpendicular(M, line(M, M + locate(normal))); } /**/ line perpendicular(point M, explicit pair normal) {/*Return the line passing through 'M' whose normal is \param{normal} (given in the currentcoordsys).*/ return perpendicular(M, line(M, M + vector(currentcoordsys, normal))); } /**/ bool perpendicular(line l1, line l2) {/*Return 'true' if 'l1' and 'l2' are perpendicular.*/ return abs(dot(locate(l1.u), locate(l2.u))) < epsgeo ; } /**/ real angle(line l, coordsys R = coordsys(l)) {/*Return the angle of the oriented line 'l', in radian, in the interval ]-pi, pi] and relatively to 'R'.*/ return angle(l.u, R, false); } /**/ real degrees(line l, coordsys R = coordsys(l)) {/*Returns the angle of the oriented line 'l' in degrees, in the interval [0, 360[ and relatively to 'R'.*/ return degrees(angle(l, R)); } /**/ real sharpangle(line l1, line l2) {/*Return the measure in radians of the sharp angle formed by 'l1' and 'l2'.*/ vector u1 = l1.u; vector u2 = (dot(l1.u, l2.u) < 0) ? -l2.u : l2.u; real a12 = angle(locate(u2)) - angle(locate(u1)); a12 = a12%(sgnd(a12) * pi); if (a12 <= -pi/2) { a12 += pi; } else if (a12 > pi/2) { a12 -= pi; } return a12; } /**/ real angle(line l1, line l2) {/*Return the measure in radians of oriented angle (l1.u, l2.u).*/ return angle(locate(l2.u)) - angle(locate(l1.u)); } /**/ real degrees(line l1, line l2) {/*Return the measure in degrees of the angle formed by the oriented lines 'l1' and 'l2'.*/ return degrees(angle(l1, l2)); } /**/ real sharpdegrees(line l1, line l2) {/*Return the measure in degrees of the sharp angle formed by 'l1' and 'l2'.*/ return degrees(sharpangle(l1, l2)); } /**/ line bisector(line l1, line l2, real angle = 0, bool sharp = true) {/*Return the bisector of the angle formed by 'l1' and 'l2' rotated by the angle 'angle' (in degrees) around intersection point of 'l1' with 'l2'. If 'sharp' is true (the default), this routine returns the bisector of the sharp angle. Note that the returned line inherit of coordinate system of 'l1'.*/ line ol; if (l1 == l2) return l1; point A = intersectionpoint(l1, l2); if (finite(A)) { if(sharp) ol = rotate(sharpdegrees(l1, l2)/2 + angle, A) * l1; else { coordsys R = coordsys(l1); pair a = A, b = A + l1.u, c = A + l2.u; pair pp = extension(a, a + dir(a--b, a--c), b, b + dir(b--a, b--c)); return rotate(angle, A) * line(A, point(R, pp/R)); } } else { ol = l1; } return ol; } /**/ line sector(int n = 2, int p = 1, line l1, line l2, real angle = 0, bool sharp = true) {/*Return the p-th nth-sector of the angle formed by the oriented line 'l1' and 'l2' rotated by the angle 'angle' (in degrees) around the intersection point of 'l1' with 'l2'. If 'sharp' is true (the default), this routine returns the bisector of the sharp angle. Note that the returned line inherit of coordinate system of 'l1'.*/ line ol; if (l1 == l2) return l1; point A = intersectionpoint(l1, l2); if (finite(A)) { if(sharp) ol = rotate(p * sharpdegrees(l1, l2)/n + angle, A) * l1; else { ol = rotate(p * degrees(l1, l2)/n + angle, A) * l1; } } else { ol = l1; } return ol; } /**/ line bisector(point A, point B, point C, point D, real angle = 0, bool sharp = true) {/*Return the bisector of the angle formed by the lines (AB) and (CD). .*/ point[] P = standardizecoordsys(A, B, C, D); return bisector(line(P[0], P[1]), line(P[2], P[3]), angle, sharp); } /**/ line bisector(segment s, real angle = 0) {/*Return the bisector of the segment line 's' rotated by 'angle' (in degrees) around the midpoint of 's'.*/ coordsys R = coordsys(s); point m = midpoint(s); vector dir = rotateO(90) * unit(s.A - m); return rotate(angle, m) * line(m + dir, m - dir); } /**/ line bisector(point A, point B, real angle = 0) {/*Return the bisector of the segment line [AB] rotated by 'angle' (in degrees) around the midpoint of [AB].*/ point[] P = standardizecoordsys(A, B); return bisector(segment(P[0], P[1]), angle); } /**/ real distance(point M, line l) {/*Return the distance from 'M' to 'l'. distance(line, point) is also defined.*/ point A = changecoordsys(defaultcoordsys, l.A); point B = changecoordsys(defaultcoordsys, l.B); line ll = line(A, B); pair m = locate(M); return abs(ll.a * m.x + ll.b * m.y + ll.c)/sqrt(ll.a^2 + ll.b^2); } real distance(line l, point M) { return distance(M, l); } /**/ void draw(picture pic = currentpicture, Label L = "", line l, bool dirA = l.extendA, bool dirB = l.extendB, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, Label legend = "", marker marker = nomarker, pathModifier pathModifier = NoModifier) {/*Draw the line 'l' without altering the size of picture pic. The boolean parameters control the infinite section. The global variable 'linemargin' (default value is 0) allows to modify the bounding box in which the line must be drawn.*/ if(!(dirA || dirB)) draw(l.A--l.B, invisible);// l is a segment. Drawline(pic, L, l.A, dirP = dirA, l.B, dirQ = dirB, align, p, arrow, legend, marker, pathModifier); } /**/ void draw(picture pic = currentpicture, Label[] L = new Label[], line[] l, align align = NoAlign, pen[] p = new pen[], arrowbar arrow = None, Label[] legend = new Label[], marker marker = nomarker, pathModifier pathModifier = NoModifier) {/*Draw each lines with the corresponding pen.*/ for (int i = 0; i < l.length; ++i) { draw(pic, L.length>0 ? L[i] : "", l[i], align, p = p.length>0 ? p[i] : currentpen, arrow, legend.length>0 ? legend[i] : "", marker, pathModifier); } } /**/ void draw(picture pic = currentpicture, Label[] L = new Label[], line[] l, align align = NoAlign, pen p, arrowbar arrow = None, Label[] legend = new Label[], marker marker = nomarker, pathModifier pathModifier = NoModifier) {/*Draw each lines with the same pen 'p'.*/ pen[] tp = sequence(new pen(int i){return p;}, l.length); draw(pic, L, l, align, tp, arrow, legend, marker, pathModifier); } /**/ void show(picture pic = currentpicture, line l, pen p = red) {/*Draw some informations of 'l'.*/ dot("$A$", (pair)l.A, align = -locate(l.v), p); dot("$B$", (pair)l.B, align = -locate(l.v), p); draw(l, dotted); draw("$\vec{u}$", locate(l.A)--locate(l.A + l.u), p, Arrow); draw("$\vec{v}$", locate(l.A)--locate(l.A + l.v), p, Arrow); } /**/ point[] sameside(point M, line l1, line l2) {/*Return two points on 'l1' and 'l2' respectively. The first point is from the same side of M relatively to 'l2', the second point is from the same side of M relatively to 'l1'.*/ point[] op; coordsys R1 = coordsys(l1); coordsys R2 = coordsys(l2); if (parallel(l1, l2)) { op.push(projection(l1) * M); op.push(projection(l2) * M); } else { point O = intersectionpoint(l1, l2); if (M @ l2) op.push((sameside(M, O + l1.u, l2)) ? O + l1.u : rotate(180, O) * (O + l1.u)); else op.push(projection(l1, l2) * M); if (M @ l1) op.push((sameside(M, O + l2.u, l1)) ? O + l2.u : rotate(180, O) * (O + l2.u)); else {op.push(projection(l2, l1) * M);} } return op; } /**/ void markangle(picture pic = currentpicture, Label L = "", int n = 1, real radius = 0, real space = 0, explicit line l1, explicit line l2, explicit pair align = dir(1), arrowbar arrow = None, pen p = currentpen, filltype filltype = NoFill, margin margin = NoMargin, marker marker = nomarker) {/*Mark the angle (l1, l2) aligned in the direction 'align' relative to 'l1'. Commune values for 'align' are dir(real).*/ if (parallel(l1, l2, true)) return; real al = degrees(l1, defaultcoordsys); pair O, A, B; if (radius == 0) radius = markangleradius(p); real d = degrees(locate(l1.u)); align = rotate(d) * align; if (l1 == l2) { O = midpoint(segment(l1.A, l1.B)); A = l1.A;B = l1.B; if (sameside(rotate(sgn(angle(B-A)) * 45, O) * A, O + align, l1)) {radius = -radius;} } else { O = intersectionpoint(extend(l1), extend(l2)); pair R = O + align; point [] ss = sameside(point(coordsys(l1), R/coordsys(l1)), l1, l2); A = ss[0]; B = ss[1]; } markangle(pic = pic, L = L, n = n, radius = radius, space = space, O = O, A = A, B = B, arrow = arrow, p = p, filltype = filltype, margin = margin, marker = marker); } /**/ void markangle(picture pic = currentpicture, Label L = "", int n = 1, real radius = 0, real space = 0, explicit line l1, explicit line l2, explicit vector align, arrowbar arrow = None, pen p = currentpen, filltype filltype = NoFill, margin margin = NoMargin, marker marker = nomarker) {/*Mark the angle (l1, l2) in the direction 'dir' given relatively to 'l1'.*/ markangle(pic, L, n, radius, space, l1, l2, (pair)align, arrow, p, filltype, margin, marker); } /**/ // void markangle(picture pic = currentpicture, // Label L = "", int n = 1, real radius = 0, real space = 0, // explicit line l1, explicit line l2, // arrowbar arrow = None, pen p = currentpen, // filltype filltype = NoFill, // margin margin = NoMargin, marker marker = nomarker) // {/*Mark the oriented angle (l1, l2).*/ // if (parallel(l1, l2, true)) return; // real al = degrees(l1, defaultcoordsys); // pair O, A, B; // if (radius == 0) radius = markangleradius(p); // real d = degrees(locate(l1.u)); // if (l1 == l2) { // O = midpoint(segment(l1.A, l1.B)); // } else { // O = intersectionpoint(extend(l1), extend(l2)); // } // A = O + locate(l1.u); // B = O + locate(l2.u); // markangle(pic = pic, L = L, n = n, radius = radius, space = space, // O = O, A = A, B = B, // arrow = arrow, p = p, filltype = filltype, // margin = margin, marker = marker); // } /**/ void perpendicularmark(picture pic = currentpicture, line l1, line l2, real size = 0, pen p = currentpen, int quarter = 1, margin margin = NoMargin, filltype filltype = NoFill) {/*Draw a right angle at the intersection point of lines and aligned in the 'quarter' nth quarter of circle formed by 'l1.u' and 'l2.u'.*/ point P = intersectionpoint(l1, l2); pair align = rotate(90 * (quarter - 1)) * dir(45); perpendicularmark(P, align, locate(l1.u), size, p, margin, filltype); } // *.........................LINES.........................* // *=======================================================* // *=======================================================* // *........................CONICS.........................* /**/ struct bqe {/*Bivariate Quadratic Equation.*/ /**/ real[] a;/*a[0] * x^2 + a[1] * x * y + a[2] * y^2 + a[3] * x + a[4] * y + a[5] = 0*/ coordsys coordsys;/**/ }/**/ /**/ bqe bqe(coordsys R = currentcoordsys, real a, real b, real c, real d, real e, real f) {/*Return the bivariate quadratic equation a[0] * x^2 + a[1] * x * y + a[2] * y^2 + a[3] * x + a[4] * y + a[5] = 0 relatively to the coordinate system R.*/ bqe obqe; obqe.coordsys = R; obqe.a = new real[] {a, b, c, d, e, f}; return obqe; } /**/ bqe changecoordsys(coordsys R, bqe bqe) {/*Returns the bivariate quadratic equation relatively to 'R'.*/ pair i = coordinates(changecoordsys(R, vector(defaultcoordsys, bqe.coordsys.i))); pair j = coordinates(changecoordsys(R, vector(defaultcoordsys, bqe.coordsys.j))); pair O = coordinates(changecoordsys(R, point(defaultcoordsys, bqe.coordsys.O))); real a = bqe.a[0], b = bqe.a[1], c = bqe.a[2], d = bqe.a[3], f = bqe.a[4], g = bqe.a[5]; real ux = i.x, uy = i.y; real vx = j.x, vy = j.y; real ox = O.x, oy = O.y; real D = ux * vy - uy * vx; real ap = (a * vy^2 - b * uy * vy + c * uy^2)/D^2; real bpp = (-2 * a * vx * vy + b * ux * vy + b * uy * vx - 2 * c * ux * uy)/D^2; real cp = (a * vx^2 - b * ux * vx + c * ux^2)/D^2; real dp = (-2a * ox * vy^2 + 2a * oy * vx * vy + 2b * ox * uy * vy- b * oy * ux * vy - b * oy * uy * vx - 2c * ox * uy^2 + 2c * oy * uy * ux)/D^2+ (d * vy - f * uy)/D; real fp = (2a * ox * vx * vy - b * ox * ux * vy - 2a * oy * vx^2- b * ox * uy * vx + 2 * b * oy * ux * vx + 2c * ox * ux * uy - 2c * oy * ux^2)/D^2+ (f * ux - d * vx)/D; g = (a * ox^2 * vy^2 - 2a * ox * oy * vx * vy - b * ox^2 * uy * vy + b * ox * oy * ux * vy+ a * oy^2 * vx^2 + b * ox * oy * uy * vx - b * oy^2 * ux * vx + c * ox^2 * uy^2- 2 * c * ox * oy * ux * uy + c * oy^2 * ux^2)/D^2+ (d * oy * vx + f * ox * uy - d * ox * vy - f * oy * ux)/D + g; bqe obqe; obqe.a = approximate(new real[] {ap, bpp, cp, dp, fp, g}); obqe.coordsys = R; return obqe; } /**/ bqe bqe(point M1, point M2, point M3, point M4, point M5) {/*Return the bqe of conic passing through the five points (if possible).*/ coordsys R; pair[] pts; if (samecoordsys(M1, M2, M3, M4, M5)) { R = M1.coordsys; pts= new pair[] {M1.coordinates, M2.coordinates, M3.coordinates, M4.coordinates, M5.coordinates}; } else { R = defaultcoordsys; pts= new pair[] {M1, M2, M3, M4, M5}; } real[][] M; real[] x; bqe bqe; bqe.coordsys = R; for (int i = 0; i < 5; ++i) {// Try a = -1 M[i] = new real[] {pts[i].x * pts[i].y, pts[i].y^2, pts[i].x, pts[i].y, 1}; x[i] = pts[i].x^2; } if(abs(determinant(M)) < 1e-5) {// Try c = -1 for (int i = 0; i < 5; ++i) { M[i] = new real[] {pts[i].x^2, pts[i].x * pts[i].y, pts[i].x, pts[i].y, 1}; x[i] = pts[i].y^2; } real[] coef = solve(M, x); bqe.a = new real[] {coef[0], coef[1], -1, coef[2], coef[3], coef[4]}; } else { real[] coef = solve(M, x); bqe.a = new real[] {-1, coef[0], coef[1], coef[2], coef[3], coef[4]}; } bqe.a = approximate(bqe.a); return bqe; } /**/ bool samecoordsys(bool warn = true ... bqe[] bqes) {/*Return true if all the bivariate quadratic equations have the same coordinate system.*/ bool ret = true; coordsys t = bqes[0].coordsys; for (int i = 1; i < bqes.length; ++i) { ret = (t == bqes[i].coordsys); if(!ret) break; t = bqes[i].coordsys; } if(warn && !ret) warning("coodinatesystem", "the coordinate system of two bivariate quadratic equations are not the same. The operation will be done relatively to the default coordinate system."); return ret; } /**/ real[] realquarticroots(real a, real b, real c, real d, real e) {/*Return the real roots of the quartic equation ax^4 + b^x3 + cx^2 + dx = 0.*/ static real Fuzz = sqrt(realEpsilon); pair[] zroots = quarticroots(a, b, c, d, e); real[] roots; real p(real x){return a * x^4 + b * x^3 + c * x^2 + d * x + e;} real prime(real x){return 4 * a * x^3 + 3 * b * x^2 + 2 * c * x + d;} real x; bool search = true; int n; void addroot(real x) { bool exist = false; for (int i = 0; i < roots.length; ++i) { if(abs(roots[i]-x) < 1e-5) {exist = true; break;} } if(!exist) roots.push(x); } for(int i = 0; i < zroots.length; ++i) { if(zroots[i].y == 0 || abs(p(zroots[i].x)) < Fuzz) addroot(zroots[i].x); else { if(abs(zroots[i].y) < 1e-3) { x = zroots[i].x; search = true; n = 200; while(search) { real tx = abs(p(x)) < Fuzz ? x : newton(iterations = n, p, prime, x); if(tx < realMax) { if(abs(p(tx)) < Fuzz) { addroot(tx); search = false; } else if(n < 200) n *=2; else { search = false; } } else search = false; //It's not a real root. } } } } return roots; } /**/ struct conic {/**/ real e, p, h;/*BE CAREFUL: h = distance(F, D) and p = h * e (http://en.wikipedia.org/wiki/Ellipse) While http://mathworld.wolfram.com/ takes p = distance(F,D).*/ point F;/*Focus.*/ line D;/*Directrix.*/ line[] l;/*Case of degenerated conic (not yet implemented !).*/ }/**/ bool degenerate(conic c) { return !finite(c.p) || !finite(c.h); } /*ANCconic conic(point, line, real)ANC*/ conic conic(point F, line l, real e) {/*DOC The conic section define by the eccentricity 'e', the focus 'F' and the directrix 'l'. Note that an eccentricity equal to 0 defines a circle centered at F, with a radius equal at the distance from 'F' to 'l'. If the coordinate system of 'F' and 'l' are not identical, the conic is attached to 'defaultcoordsys'. DOC*/ if(e < 0) abort("conic: 'e' can't be negative."); conic oc; point[] P = standardizecoordsys(F, l.A, l.B); line ll; ll = line(P[1], P[2]); oc.e = e < epsgeo ? 0 : e; // Handle case of circle. oc.F = P[0]; oc.D = ll; oc.h = distance(P[0], ll); oc.p = abs(e) < epsgeo ? oc.h : e * oc.h; return oc; } /**/ struct circle {/*All the calculus with this structure will be as exact as Asymptote can do. For a full precision, you must not cast 'circle' to 'path' excepted for drawing routines.*/ /**/ point C;/*Center*/ real r;/*Radius*/ line l;/*If the radius is infinite, this line is used instead of circle.*/ }/**/ bool degenerate(circle c) { return !finite(c.r); } line line(circle c){ if(finite(c.r)) abort("Circle can not be casted to line here."); return c.l; } /**/ struct ellipse {/*Look at http://mathworld.wolfram.com/Ellipse.html*/ /**/ restricted point F1,F2,C;/*Foci and center.*/ restricted real a,b,c,e,p;/**/ restricted real angle;/*Value is degrees(F2 - F1).*/ restricted line D1,D2;/*Directrices.*/ line l;/*If one axis is infinite, this line is used instead of ellipse.*/ /**/ void init(point f1, point f2, real a) {/*Ellipse given by foci and semimajor axis.*/ point[] P = standardizecoordsys(f1, f2); this.F1 = P[0]; this.F2 = P[1]; this.C = (P[0] + P[1])/2; this.angle = degrees(F2 - F1, warn=false); this.a = a; if(!finite(a)) { this.l = line(P[0], P[1]); this.b = infinity; this.e = 0; this.c = 0; } else { this.c = abs(C - P[0]); this.b = this.c < epsgeo ? a : sqrt(a^2 - c^2); // Handle case of circle. this.e = this.c < epsgeo ? 0 : this.c/a; // Handle case of circle. if(this.e >= 1) abort("ellipse.init: wrong parameter: e >= 1."); this.p = a * (1 - this.e^2); if (this.c != 0) {// directrix is not set for a circle. point A = this.C + (a^2/this.c) * unit(P[0]-this.C); this.D1 = line(A, A + rotateO(90) * unit(A - this.C)); this.D2 = reverse(rotate(180, C) * D1); } } } }/**/ bool degenerate(ellipse el) { return !finite(el.a) || !finite(el.b); } /**/ struct parabola {/*Look at http://mathworld.wolfram.com/Parabola.html*/ restricted point F,V;/*Focus and vertex*/ restricted real a,p,e = 1;/**/ restricted real angle;/*Value is degrees(F - V).*/ restricted line D;/*Directrix*/ pair bmin, bmax;/*The (left, bottom) and (right, top) coordinates of region bounding box for drawing the parabola. If unset the current picture bounding box is used instead.*/ /**/ void init(point F, line directrix) {/*Parabola given by focus and directrix.*/ point[] P = standardizecoordsys(F, directrix.A, directrix.B); this.F = P[0]; line l = line(P[1], P[2]); this.D = l; this.a = distance(P[0], l)/2; this.p = 2 * a; this.V = 0.5 * (F + projection(D) * P[0]); this.angle = degrees(F - V, warn=false); } }/**/ /**/ struct hyperbola {/*Look at http://mathworld.wolfram.com/Hyperbola.html*/ restricted point F1,F2;/*Foci.*/ restricted point C,V1,V2;/*Center and vertices.*/ restricted real a,b,c,e,p;/**/ restricted real angle;/*Value is degrees(F2 - F1).*/ restricted line D1,D2,A1,A2;/*Directrices and asymptotes.*/ pair bmin, bmax; /*The (left, bottom) and (right, top) coordinates of region bounding box for drawing the hyperbola. If unset the current picture bounding box is used instead.*/ /**/ void init(point f1, point f2, real a) {/*Hyperbola given by foci and semimajor axis.*/ point[] P = standardizecoordsys(f1, f2); this.F1 = P[0]; this.F2 = P[1]; this.C = (P[0] + P[1])/2; this.angle = degrees(F2 - F1, warn=false); this.a = a; this.c = abs(C - P[0]); this.e = this.c/a; if(this.e <= 1) abort("hyperbola.init: wrong parameter: e <= 1."); this.b = a * sqrt(this.e^2 - 1); this.p = a * (this.e^2 - 1); point A = this.C + (a^2/this.c) * unit(P[0]-this.C); this.D1 = line(A, A + rotateO(90) * unit(A - this.C)); this.D2 = reverse(rotate(180, C) * D1); this.V1 = C + a * unit(F1 - C); this.V2 = C + a * unit(F2 - C); this.A1 = line(C, V1 + b * unit(rotateO(-90) * (C - V1))); this.A2 = line(C, V1 + b * unit(rotateO(90) * (C - V1))); } }/**/ /**/ int conicnodesfactor = 1;/*Factor for the node number of all conics.*/ /**/ int circlenodesnumberfactor = 100;/*Factor for the node number of circles.*/ /**/ int circlenodesnumber(real r) {/*Return the number of nodes for drawing a circle of radius 'r'.*/ if (circlenodesnumberfactor < 100) warning("circlenodesnumberfactor", "variable 'circlenodesnumberfactor' may be too small."); int oi = ceil(circlenodesnumberfactor * abs(r)^0.1); oi = 45 * floor(oi/45); return oi == 0 ? 4 : conicnodesfactor * oi; } /**/ int circlenodesnumber(real r, real angle1, real angle2) {/*Return the number of nodes to draw a circle arc.*/ return (r > 0) ? ceil(circlenodesnumber(r) * abs(angle1 - angle2)/360) : ceil(circlenodesnumber(r) * abs((1 - abs(angle1 - angle2)/360))); } /**/ int ellipsenodesnumberfactor = 250;/*Factor for the node number of ellispe (non-circle).*/ /**/ int ellipsenodesnumber(real a, real b) {/*Return the number of nodes to draw a ellipse of axis 'a' and 'b'.*/ if (ellipsenodesnumberfactor < 250) write("ellipsenodesnumberfactor", "variable 'ellipsenodesnumberfactor' maybe too small."); int tmp = circlenodesnumberfactor; circlenodesnumberfactor = ellipsenodesnumberfactor; int oi = circlenodesnumber(max(abs(a), abs(b))/min(abs(a), abs(b))); circlenodesnumberfactor = tmp; return conicnodesfactor * oi; } /**/ int ellipsenodesnumber(real a, real b, real angle1, real angle2, bool dir) {/*Return the number of nodes to draw an ellipse arc.*/ real d; real da = angle2 - angle1; if(dir) { d = angle1 < angle2 ? da : 360 + da; } else { d = angle1 < angle2 ? -360 + da : da; } int n = floor(ellipsenodesnumber(a, b) * abs(d)/360); return n < 5 ? 5 : n; } /**/ int parabolanodesnumberfactor = 100;/*Factor for the number of nodes of parabolas.*/ /**/ int parabolanodesnumber(parabola p, real angle1, real angle2) {/*Return the number of nodes for drawing a parabola.*/ return conicnodesfactor * floor(0.01 * parabolanodesnumberfactor * abs(angle1 - angle2)); } /**/ int hyperbolanodesnumberfactor = 100;/*Factor for the number of nodes of hyperbolas.*/ /**/ int hyperbolanodesnumber(hyperbola h, real angle1, real angle2) {/*Return the number of nodes for drawing an hyperbola.*/ return conicnodesfactor * floor(0.01 * hyperbolanodesnumberfactor * abs(angle1 - angle2)/h.e); } /**/ conic operator +(conic c, explicit point M) {/**/ return conic(c.F + M, c.D + M, c.e); } /**/ conic operator -(conic c, explicit point M) {/**/ return conic(c.F - M, c.D - M, c.e); } /**/ conic operator +(conic c, explicit pair m) {/**/ point M = point(c.F.coordsys, m); return conic(c.F + M, c.D + M, c.e); } /**/ conic operator -(conic c, explicit pair m) {/**/ point M = point(c.F.coordsys, m); return conic(c.F - M, c.D - M, c.e); } /**/ conic operator +(conic c, vector v) {/**/ return conic(c.F + v, c.D + v, c.e); } /**/ conic operator -(conic c, vector v) {/**/ return conic(c.F - v, c.D - v, c.e); } /**/ coordsys coordsys(conic co) {/*Return the coordinate system of 'co'.*/ return co.F.coordsys; } /**/ conic changecoordsys(coordsys R, conic co) {/*Change the coordinate system of 'co' to 'R'*/ line l = changecoordsys(R, co.D); point F = changecoordsys(R, co.F); return conic(F, l, co.e); } /**/ typedef path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction);/*Routine type used to draw conics from 'angle1' to 'angle2'*/ /**/ path arcfromfocus(conic co, real angle1, real angle2, int n = 400, bool direction = CCW) {/*Return the path of the conic section 'co' from angle1 to angle2 in degrees, drawing in the given direction, with n nodes.*/ guide op; if (n < 1) return op; if (angle1 > angle2) { path g = arcfromfocus(co, angle2, angle1, n, !direction); return g == nullpath ? g : reverse(g); } point O = projection(co.D) * co.F; pair i = unit(locate(co.F) - locate(O)); pair j = rotate(90) * i; coordsys Rp = cartesiansystem(co.F, i, j); real a1 = direction ? radians(angle1) : radians(angle2); real a2 = direction ? radians(angle2) : radians(angle1) + 2 * pi; real step = n == 1 ? 0 : (a2 - a1)/(n - 1); real a, r; for (int i = 0; i < n; ++i) { a = a1 + i * step; if(co.e >= 1) { r = 1 - co.e * cos(a); if(r > epsgeo) { r = co.p/r; op = op--Rp * Rp.polar(r, a); } } else { r = co.p/(1 - co.e * cos(a)); op = op..Rp * Rp.polar(r, a); } } if(co.e < 1 && abs(abs(a2 - a1) - 2 * pi) < epsgeo) op = (path)op..cycle; return (direction ? op : op == nullpath ? op :reverse(op)); } /**/ polarconicroutine currentpolarconicroutine = arcfromfocus;/*Default routine used to cast conic section to path.*/ /**/ point angpoint(conic co, real angle) {/*Return the point of 'co' whose the angular (in degrees) coordinate is 'angle' (mesured from the focus of 'co', relatively to its 'natural coordinate system').*/ coordsys R = coordsys(co); return point(R, point(arcfromfocus(co, angle, angle, 1, CCW), 0)/R); } /**/ bool operator @(point M, conic co) {/*Return true iff 'M' on 'co'.*/ if(co.e == 0) return abs(abs(co.F - M) - co.p) < 10 * epsgeo; return abs(co.e * distance(M, co.D) - abs(co.F - M)) < 10 * epsgeo; } /**/ coordsys coordsys(ellipse el) {/*Return the coordinate system of 'el'.*/ return el.F1.coordsys; } /**/ coordsys canonicalcartesiansystem(ellipse el) {/*Return the canonical cartesian system of the ellipse 'el'.*/ if(degenerate(el)) return cartesiansystem(el.l.A, el.l.u, el.l.v); pair O = locate(el.C); pair i = el.e == 0 ? el.C.coordsys.i : unit(locate(el.F1) - O); pair j = rotate(90) * i; return cartesiansystem(O, i, j); } /**/ coordsys canonicalcartesiansystem(parabola p) {/*Return the canonical cartesian system of a parabola, so that Origin = vertex of 'p' and directrix: x = -a.*/ point A = projection(p.D) * p.F; pair O = locate((A + p.F)/2); pair i = unit(locate(p.F) - O); pair j = rotate(90) * i; return cartesiansystem(O, i, j); } /**/ coordsys canonicalcartesiansystem(hyperbola h) {/*Return the canonical cartesian system of an hyperbola.*/ pair O = locate(h.C); pair i = unit(locate(h.F2) - O); pair j = rotate(90) * i; return cartesiansystem(O, i, j); } /**/ ellipse ellipse(point F1, point F2, real a) {/*Return the ellipse whose the foci are 'F1' and 'F2' and the semimajor axis is 'a'.*/ ellipse oe; oe.init(F1, F2, a); return oe; } /**/ restricted bool byfoci = true, byvertices = false;/*Constants useful for the routine 'hyperbola(point P1, point P2, real ae, bool byfoci = byfoci)'*/ /**/ hyperbola hyperbola(point P1, point P2, real ae, bool byfoci = byfoci) {/*if 'byfoci = true': return the hyperbola whose the foci are 'P1' and 'P2' and the semimajor axis is 'ae'. else return the hyperbola whose vertexes are 'P1' and 'P2' with eccentricity 'ae'.*/ hyperbola oh; point[] P = standardizecoordsys(P1, P2); if(byfoci) { oh.init(P[0], P[1], ae); } else { real a = abs(P[0]-P[1])/2; vector V = unit(P[0]-P[1]); point F1 = P[0] + a * (ae - 1) * V; point F2 = P[1]-a * (ae - 1) * V; oh.init(F1, F2, a); } return oh; } /**/ ellipse ellipse(point F1, point F2, point M) {/*Return the ellipse passing through 'M' whose the foci are 'F1' and 'F2'.*/ real a = abs(F1 - M) + abs(F2 - M); return ellipse(F1, F2, finite(a) ? a/2 : a); } /**/ ellipse ellipse(point C, real a, real b, real angle = 0) {/*Return the ellipse centered at 'C' with semimajor axis 'a' along C--C + dir(angle), semiminor axis 'b' along the perpendicular.*/ ellipse oe; coordsys R = C.coordsys; angle += degrees(R.i); if(a < b) {angle += 90; real tmp = a; a = b; b = tmp;} if(finite(a) && finite(b)) { real c = sqrt(abs(a^2 - b^2)); point f1, f2; if(abs(a - b) < epsgeo) { f1 = C; f2 = C; } else { f1 = point(R, (locate(C) + rotate(angle) * (-c, 0))/R); f2 = point(R, (locate(C) + rotate(angle) * (c, 0))/R); } oe.init(f1, f2, a); } else { if(finite(b) || !finite(a)) oe.init(C, C + R.polar(1, angle), infinity); else oe.init(C, C + R.polar(1, 90 + angle), infinity); } return oe; } /**/ ellipse ellipse(bqe bqe) {/*Return the ellipse a[0] * x^2 + a[1] * xy + a[2] * y^2 + a[3] * x + a[4] * y + a[5] = 0 given in the coordinate system of 'bqe' with a[i] = bque.a[i]. .*/ bqe lbqe = changecoordsys(defaultcoordsys, bqe); real a = lbqe.a[0], b = lbqe.a[1]/2, c = lbqe.a[2], d = lbqe.a[3]/2, f = lbqe.a[4]/2, g = lbqe.a[5]; coordsys R = bqe.coordsys; string message = "ellipse: the given equation is not an equation of an ellipse."; real u = b^2 * g + d^2 * c + f^2 * a; real delta = a * c * g + b * f * d + d * b * f - u; if(abs(delta) < epsgeo) abort(message); real j = b^2 - a * c; real i = a + c; real dd = j * (sgnd(c - a) * sqrt((a - c)^2 + 4 * (b^2)) - c-a); real ddd = j * (-sgnd(c - a) * sqrt((a - c)^2 + 4 * (b^2)) - c-a); if(abs(ddd) < epsgeo || abs(dd) < epsgeo || j >= -epsgeo || delta/sgnd(i) > 0) abort(message); real x = (c * d - b * f)/j, y = (a * f - b * d)/j; // real dir = abs(b) < epsgeo ? 0 : pi/2-0.5 * acot(0.5 * (c-a)/b); real dir = abs(b) < epsgeo ? 0 : 0.5 * acot(0.5 * (c - a)/b); if(dir * (c - a) * b < 0) dir = dir < 0 ? dir + pi/2 : dir - pi/2; real cd = cos(dir), sd = sin(dir); real t = a * cd^2 - 2 * b * cd * sd + c * sd^2; real tt = a * sd^2 + 2 * b * cd * sd + c * cd^2; real gg = -g + ((d * cd - f * sd)^2)/t + ((d * sd + f * cd)^2)/tt; t = t/gg; tt = tt/gg; // The equation of the ellipse is t * (x - center.x)^2 + tt * (y - center.y)^2 = 1; real aa, bb; aa = sqrt(2 * (u - 2 * b * d * f - a * c * g)/dd); bb = sqrt(2 * (u - 2 * b * d * f - a * c * g)/ddd); a = t > tt ? max(aa, bb) : min(aa, bb); b = t > tt ? min(aa, bb) : max(aa, bb); return ellipse(point(R, (x, y)/R), a, b, degrees(pi/2 - dir - angle(R.i))); } /**/ ellipse ellipse(point M1, point M2, point M3, point M4, point M5) {/*Return the ellipse passing through the five points (if possible)*/ return ellipse(bqe(M1, M2, M3, M4, M5)); } /**/ bool inside(ellipse el, point M) {/*Return 'true' iff 'M' is inside 'el'.*/ return abs(el.F1 - M) + abs(el.F2 - M) - 2 * el.a < -epsgeo; } /**/ bool inside(parabola p, point M) {/*Return 'true' if 'M' is inside 'p'.*/ return distance(p.D, M) - abs(p.F - M) > epsgeo; } /**/ parabola parabola(point F, line l) {/*Return the parabola whose focus is 'F' and directrix is 'l'.*/ parabola op; op.init(F, l); return op; } /**/ parabola parabola(point F, point vertex) {/*Return the parabola whose focus is 'F' and vertex is 'vertex'.*/ parabola op; point[] P = standardizecoordsys(F, vertex); point A = rotate(180, P[1]) * P[0]; point B = A + rotateO(90) * unit(P[1]-A); op.init(P[0], line(A, B)); return op; } /**/ parabola parabola(point F, real a, real angle) {/*Return the parabola whose focus is F, latus rectum is 4a and the angle of the axis of symmetry (in the coordinate system of F) is 'angle'.*/ parabola op; coordsys R = F.coordsys; point A = F - point(R, R.polar(2a, radians(angle))); point B = A + point(R, R.polar(1, radians(90 + angle))); op.init(F, line(A, B)); return op; } /**/ bool isparabola(bqe bqe) {/*Return true iff 'bqe' is the equation of a parabola.*/ bqe lbqe = changecoordsys(defaultcoordsys, bqe); real a = lbqe.a[0], b = lbqe.a[1]/2, c = lbqe.a[2], d = lbqe.a[3]/2, f = lbqe.a[4]/2, g = lbqe.a[5]; real delta = a * c * g + b * f * d + d * b * f - (b^2 * g + d^2 * c + f^2 * a); return (abs(delta) > epsgeo && abs(b^2 - a * c) < epsgeo); } /**/ parabola parabola(bqe bqe) {/*Return the parabola a[0]x^2 + a[1]xy + a[2]y^2 + a[3]x + a[4]y + a[5]] = 0 (a[n] means bqe.a[n]). */ bqe lbqe = changecoordsys(defaultcoordsys, bqe); real a = lbqe.a[0], b = lbqe.a[1]/2, c = lbqe.a[2], d = lbqe.a[3]/2, f = lbqe.a[4]/2, g = lbqe.a[5]; string message = "parabola: the given equation is not an equation of a parabola."; real delta = a * c * g + b * f * d + d * b * f - (b^2 * g + d^2 * c + f^2 * a); if(abs(delta) < 10 * epsgeo || abs(b^2 - a * c) > 10 * epsgeo) abort(message); real dir = abs(b) < epsgeo ? 0 : 0.5 * acot(0.5 * (c - a)/b); if(dir * (c - a) * b < 0) dir = dir < 0 ? dir + pi/2 : dir - pi/2; real cd = cos(dir), sd = sin(dir); real ap = a * cd^2 - 2 * b * cd * sd + c * sd^2; real cp = a * sd^2 + 2 * b * cd * sd + c * cd^2; real dp = d * cd - f * sd; real fp = d * sd + f * cd; real gp = g; parabola op; coordsys R = bqe.coordsys; // The equation of the parabola is ap * x'^2 + cp * y'^2 + 2dp * x'+2fp * y'+gp = 0 if (abs(ap) < epsgeo) {/* directrix parallel to the rotated(dir) y-axis equation: (y-vertex.y)^2 = 4 * a * (x-vertex) */ pair pvertex = rotate(degrees(-dir)) * (0.5(-gp + fp^2/cp)/dp, -fp/cp); real a = -0.5 * dp/cp; point vertex = point(R, pvertex/R); point focus = point(R, (pvertex + a * expi(-dir))/R); op = parabola(focus, vertex); } else {/* directrix parallel to the rotated(dir) x-axis equation: (x-vertex)^2 = 4 * a * (y-vertex.y) */ pair pvertex = rotate(degrees(-dir)) * (-dp/ap, 0.5 * (-gp + dp^2/ap)/fp); real a = -0.5 * fp/ap; point vertex = point(R, pvertex/R); point focus = point(R, (pvertex + a * expi(pi/2 - dir))/R); op = parabola(focus, vertex); } return op; } /**/ parabola parabola(point M1, point M2, point M3, line l) {/*Return the parabola passing through the three points with its directix parallel to the line 'l'.*/ coordsys R; pair[] pts; if (samecoordsys(M1, M2, M3)) { R = M1.coordsys; } else { R = defaultcoordsys; } real gle = degrees(l); coordsys Rp = cartesiansystem(R.O, rotate(gle) * R.i, rotate(gle) * R.j); pts = new pair[] {coordinates(changecoordsys(Rp, M1)), coordinates(changecoordsys(Rp, M2)), coordinates(changecoordsys(Rp, M3))}; real[][] M; real[] x; for (int i = 0; i < 3; ++i) { M[i] = new real[] {pts[i].x, pts[i].y, 1}; x[i] = -pts[i].x^2; } real[] coef = solve(M, x); return parabola(changecoordsys(R, bqe(Rp, 1, 0, 0, coef[0], coef[1], coef[2]))); } /**/ parabola parabola(point M1, point M2, point M3, point M4, point M5) {/*Return the parabola passing through the five points.*/ return parabola(bqe(M1, M2, M3, M4, M5)); } /**/ hyperbola hyperbola(point F1, point F2, point M) {/*Return the hyperbola passing through 'M' whose the foci are 'F1' and 'F2'.*/ real a = abs(abs(F1 - M) - abs(F2 - M)); return hyperbola(F1, F2, finite(a) ? a/2 : a); } /**/ hyperbola hyperbola(point C, real a, real b, real angle = 0) {/*Return the hyperbola centered at 'C' with semimajor axis 'a' along C--C + dir(angle), semiminor axis 'b' along the perpendicular.*/ hyperbola oh; coordsys R = C.coordsys; angle += degrees(R.i); real c = sqrt(a^2 + b^2); point f1 = point(R, (locate(C) + rotate(angle) * (-c, 0))/R); point f2 = point(R, (locate(C) + rotate(angle) * (c, 0))/R); oh.init(f1, f2, a); return oh; } /**/ hyperbola hyperbola(bqe bqe) {/*Return the hyperbola a[0]x^2 + a[1]xy + a[2]y^2 + a[3]x + a[4]y + a[5]] = 0 (a[n] means bqe.a[n]). */ bqe lbqe = changecoordsys(defaultcoordsys, bqe); real a = lbqe.a[0], b = lbqe.a[1]/2, c = lbqe.a[2], d = lbqe.a[3]/2, f = lbqe.a[4]/2, g = lbqe.a[5]; string message = "hyperbola: the given equation is not an equation of a hyperbola."; real delta = a * c * g + b * f * d + d * b * f - (b^2 * g + d^2 * c + f^2 * a); if(abs(delta) < 10 * epsgeo || abs(b^2 - a * c) < 0) abort(message); real dir = abs(b) < epsgeo ? 0 : 0.5 * acot(0.5 * (c - a)/b); real cd = cos(dir), sd = sin(dir); real ap = a * cd^2 - 2 * b * cd * sd + c * sd^2; real cp = a * sd^2 + 2 * b * cd * sd + c * cd^2; real dp = d * cd - f * sd; real fp = d * sd + f * cd; real gp = -g + dp^2/ap + fp^2/cp; hyperbola op; coordsys R = bqe.coordsys; real j = b^2 - a * c; point C = point(R, ((c * d - b * f)/j, (a * f - b * d)/j)/R); real aa = gp/ap, bb = gp/cp; real a = sqrt(abs(aa)), b = sqrt(abs(bb)); if(aa < 0) {dir -= pi/2; aa = a; a = b; b = aa;} return hyperbola(C, a, b, degrees(-dir - angle(R.i))); } /**/ hyperbola hyperbola(point M1, point M2, point M3, point M4, point M5) {/*Return the hyperbola passing through the five points (if possible).*/ return hyperbola(bqe(M1, M2, M3, M4, M5)); } /**/ hyperbola conj(hyperbola h) {/*Conjugate.*/ return hyperbola(h.C, h.b, h.a, 90 + h.angle); } /**/ circle circle(explicit point C, real r) {/*Circle given by center and radius.*/ circle oc = new circle; oc.C = C; oc.r = r; if(!finite(r)) oc.l = line(C, C + vector(C.coordsys, (1, 0))); return oc; } /**/ circle circle(point A, point B) {/*Return the circle of diameter AB.*/ real r; circle oc; real a = abs(A), b = abs(B); if(finite(a) && finite(b)) { oc = circle((A + B)/2, abs(A - B)/2); } else { oc.r = infinity; if(finite(abs(A))) oc.l = line(A, A + unit(B)); else { if(finite(abs(B))) oc.l = line(B, B + unit(A)); else if(finite(abs(A - B)/2)) oc = circle((A + B)/2, abs(A - B)/2); else oc.l = line(A, B); } } return oc; } /**/ circle circle(segment s) {/*Return the circle of diameter 's'.*/ return circle(s.A, s.B); } /**/ point circumcenter(point A, point B, point C) {/*Return the circumcenter of triangle ABC.*/ point[] P = standardizecoordsys(A, B, C); coordsys R = P[0].coordsys; pair a = A, b = B, c = C; pair mAB = (a + b)/2; pair mAC = (a + c)/2; pair pp = extension(mAB, rotate(90, mAB) * a, mAC, rotate(90, mAC) * c); return point(R, pp/R); } /**/ circle circle(point A, point B, point C) {/*Return the circumcircle of the triangle ABC.*/ if(collinear(A - B, A - C)) { circle oc; oc.r = infinity; oc.C = (A + B + C)/3; oc.l = line(oc.C, oc.C == A ? B : A); return oc; } point c = circumcenter(A, B, C); return circle(c, abs(c - A)); } /**/ circle circumcircle(point A, point B, point C) {/*Return the circumcircle of the triangle ABC.*/ return circle(A, B, C); } /**/ circle operator *(real x, explicit circle c) {/*Multiply the radius of 'c'.*/ return finite(c.r) ? circle(c.C, x * c.r) : c; } circle operator *(int x, explicit circle c) { return finite(c.r) ? circle(c.C, x * c.r) : c; } /**/ circle operator /(explicit circle c, real x) {/*Divide the radius of 'c'*/ return finite(c.r) ? circle(c.C, c.r/x) : c; } circle operator /(explicit circle c, int x) { return finite(c.r) ? circle(c.C, c.r/x) : c; } /**/ circle operator +(explicit circle c, explicit point M) {/*Translation of 'c'.*/ return circle(c.C + M, c.r); } /**/ circle operator -(explicit circle c, explicit point M) {/*Translation of 'c'.*/ return circle(c.C - M, c.r); } /**/ circle operator +(explicit circle c, pair m) {/*Translation of 'c'. 'm' represent coordinates in the coordinate system where 'c' is defined.*/ return circle(c.C + m, c.r); } /**/ circle operator -(explicit circle c, pair m) {/*Translation of 'c'. 'm' represent coordinates in the coordinate system where 'c' is defined.*/ return circle(c.C - m, c.r); } /**/ circle operator +(explicit circle c, vector m) {/*Translation of 'c'.*/ return circle(c.C + m, c.r); } /**/ circle operator -(explicit circle c, vector m) {/*Translation of 'c'.*/ return circle(c.C - m, c.r); } /**/ real operator ^(point M, explicit circle c) {/*The power of 'M' with respect to the circle 'c'*/ return xpart((abs(locate(M) - locate(c.C)), c.r)^2); } /**/ bool operator @(point M, explicit circle c) {/*Return true iff 'M' is on the circle 'c'.*/ return finite(c.r) ? abs(abs(locate(M) - locate(c.C)) - abs(c.r)) <= 10 * epsgeo : M @ c.l; } /**/ ellipse operator cast(circle c) {/**/ return finite(c.r) ? ellipse(c.C, c.r, c.r, 0) : ellipse(c.l.A, c.l.B, infinity); } /**/ circle operator ecast(ellipse el) {/**/ circle oc; bool infb = (!finite(el.a) || !finite(el.b)); if(!infb && abs(el.a - el.b) > epsgeo) abort("Can not cast ellipse with different axis values to circle"); oc = circle(el.C, infb ? infinity : el.a); oc.l = el.l.copy(); return oc; } /**/ ellipse operator ecast(conic co) {/*Cast a conic to an ellipse (can be a circle).*/ if(degenerate(co) && co.e < 1) return ellipse(co.l[0].A, co.l[0].B, infinity); ellipse oe; if(co.e < 1) { real a = co.p/(1 - co.e^2); real c = co.e * a; vector v = co.D.v; if(!sameside(co.D.A + v, co.F, co.D)) v = -v; point f2 = co.F + 2 * c * v; f2 = changecoordsys(co.F.coordsys, f2); oe = a == 0 ? ellipse(co.F, co.p, co.p, 0) : ellipse(co.F, f2, a); } else abort("casting: The conic section is not an ellipse."); return oe; } /**/ parabola operator ecast(conic co) {/*Cast a conic to a parabola.*/ parabola op; if(abs(co.e - 1) > epsgeo) abort("casting: The conic section is not a parabola."); op.init(co.F, co.D); return op; } /**/ conic operator cast(parabola p) {/*Cast a parabola to a conic section.*/ return conic(p.F, p.D, 1); } /**/ hyperbola operator ecast(conic co) {/*Cast a conic section to an hyperbola.*/ hyperbola oh; if(co.e > 1) { real a = co.p/(co.e^2 - 1); real c = co.e * a; vector v = co.D.v; if(sameside(co.D.A + v, co.F, co.D)) v = -v; point f2 = co.F + 2 * c * v; f2 = changecoordsys(co.F.coordsys, f2); oh = hyperbola(co.F, f2, a); } else abort("casting: The conic section is not an hyperbola."); return oh; } /**/ conic operator cast(hyperbola h) {/*Hyperbola to conic section.*/ return conic(h.F1, h.D1, h.e); } /**/ conic operator cast(ellipse el) {/*Ellipse to conic section.*/ conic oc; if(abs(el.c) > epsgeo) { real x = el.a^2/el.c; point O = (el.F1 + el.F2)/2; point A = O + x * unit(el.F1 - el.F2); oc = conic(el.F1, perpendicular(A, line(el.F1, el.F2)), el.e); } else {//The ellipse is a circle coordsys R = coordsys(el); point M = el.F1 + point(R, R.polar(el.a, 0)); line l = line(rotate(90, M) * el.F1, M); oc = conic(el.F1, l, 0); } if(degenerate(el)) { oc.p = infinity; oc.h = infinity; oc.l = new line[]{el.l}; } return oc; } /**/ conic operator cast(circle c) {/*Circle to conic section.*/ return (conic)((ellipse)c); } /**/ circle operator ecast(conic c) {/*Conic section to circle.*/ ellipse el = (ellipse)c; circle oc; if(abs(el.a - el.b) < epsgeo) { oc = circle(el.C, el.a); if(degenerate(c)) oc.l = c.l[0]; } else abort("Can not cast this conic to a circle"); return oc; } /**/ ellipse operator *(transform t, ellipse el) {/*Provide transform * ellipse.*/ if(!degenerate(el)) { point[] ep; for (int i = 0; i < 360; i += 72) { ep.push(t * angpoint(el, i)); } ellipse oe = ellipse(ep[0], ep[1], ep[2], ep[3], ep[4]); if(angpoint(oe, 0) != ep[0]) return ellipse(oe.F2, oe.F1, oe.a); return oe; } return ellipse(t * el.l.A, t * el.l.B, infinity); } /**/ parabola operator *(transform t, parabola p) {/*Provide transform * parabola.*/ point[] P; P.push(t * angpoint(p, 45)); P.push(t * angpoint(p, -45)); P.push(t * angpoint(p, 180)); parabola op = parabola(P[0], P[1], P[2], t * p.D); op.bmin = p.bmin; op.bmax = p.bmax; return op; } /**/ ellipse operator *(transform t, circle c) {/*Provide transform * circle. For example, 'circle C = scale(2) * circle' and 'ellipse E = xscale(2) * circle' are valid but 'circle C = xscale(2) * circle' is invalid.*/ return t * ((ellipse)c); } /**/ hyperbola operator *(transform t, hyperbola h) {/*Provide transform * hyperbola.*/ if (t == identity()) { return h; } point[] ep; for (int i = 90; i <= 270; i += 45) { ep.push(t * angpoint(h, i)); } hyperbola oe = hyperbola(ep[0], ep[1], ep[2], ep[3], ep[4]); if(angpoint(oe, 90) != ep[0]) { oe = hyperbola(oe.F2, oe.F1, oe.a); } oe.bmin = h.bmin; oe.bmax = h.bmax; return oe; } /**/ conic operator *(transform t, conic co) {/*Provide transform * conic.*/ if(co.e < 1) return (t * ((ellipse)co)); if(co.e == 1) return (t * ((parabola)co)); return (t * ((hyperbola)co)); } /**/ ellipse operator *(real x, ellipse el) {/*Identical but more efficient (rapid) than 'scale(x, el.C) * el'.*/ return degenerate(el) ? el : ellipse(el.C, x * el.a, x * el.b, el.angle); } /**/ ellipse operator /(ellipse el, real x) {/*Identical but more efficient (rapid) than 'scale(1/x, el.C) * el'.*/ return degenerate(el) ? el : ellipse(el.C, el.a/x, el.b/x, el.angle); } /**/ path arcfromcenter(ellipse el, real angle1, real angle2, bool direction=CCW, int n=ellipsenodesnumber(el.a,el.b,angle1,angle2,direction)) {/*Return the path of the ellipse 'el' from angle1 to angle2 in degrees, drawing in the given direction, with n nodes. The angles are mesured relatively to the axis (C,x-axis) where C is the center of the ellipse.*/ if(degenerate(el)) abort("arcfromcenter: can not convert degenerated ellipse to path."); if (angle1 > angle2) return reverse(arcfromcenter(el, angle2, angle1, !direction, n)); guide op; coordsys Rp=coordsys(el); if (n < 1) return op; interpolate join = operator ..; real stretch = max(el.a/el.b, el.b/el.a); if (stretch > 10) { n *= floor(stretch/5); join = operator --; } real a1 = direction ? radians(angle1) : radians(angle2); real a2 = direction ? radians(angle2) : radians(angle1) + 2 * pi; real step=(a2 - a1)/(n != 1 ? n-1 : 1); real a, r; real da = radians(el.angle); for (int i=0; i < n; ++i) { a = a1 + i * step; r = el.b/sqrt(1 - (el.e * cos(a))^2); op = join(op, Rp*Rp.polar(r, da + a)); } return shift(el.C.x*Rp.i + el.C.y*Rp.j) * (direction ? op : reverse(op)); } /**/ path arcfromcenter(hyperbola h, real angle1, real angle2, int n = hyperbolanodesnumber(h, angle1, angle2), bool direction = CCW) {/*Return the path of the hyperbola 'h' from angle1 to angle2 in degrees, drawing in the given direction, with n nodes. The angles are mesured relatively to the axis (C, x-axis) where C is the center of the hyperbola.*/ guide op; coordsys Rp = coordsys(h); if (n < 1) return op; if (angle1 > angle2) { path g = reverse(arcfromcenter(h, angle2, angle1, n, !direction)); return g == nullpath ? g : reverse(g); } real a1 = direction ? radians(angle1) : radians(angle2); real a2 = direction ? radians(angle2) : radians(angle1) + 2 * pi; real step = (a2 - a1)/(n != 1 ? n - 1 : 1); real a, r; typedef guide interpolate(... guide[]); interpolate join = operator ..; real da = radians(h.angle); for (int i = 0; i < n; ++i) { a = a1 + i * step; r = (h.b * cos(a))^2 - (h.a * sin(a))^2; if(r > epsgeo) { r = sqrt(h.a^2 * h.b^2/r); op = join(op, Rp * Rp.polar(r, a + da)); join = operator ..; } else join = operator --; } return shift(h.C.x * Rp.i + h.C.y * Rp.j)* (direction ? op : op == nullpath ? op : reverse(op)); } /**/ path arcfromcenter(explicit conic co, real angle1, real angle2, int n, bool direction = CCW) {/*Use arcfromcenter(ellipse, ...) or arcfromcenter(hyperbola, ...) depending of the eccentricity of 'co'.*/ path g; if(co.e < 1) g = arcfromcenter((ellipse)co, angle1, angle2, direction, n); else if(co.e > 1) g = arcfromcenter((hyperbola)co, angle1, angle2, n, direction); else abort("arcfromcenter: does not exist for a parabola."); return g; } /**/ restricted polarconicroutine fromCenter = arcfromcenter;/**/ /**/ restricted polarconicroutine fromFocus = arcfromfocus;/**/ /**/ bqe equation(ellipse el) {/*Return the coefficients of the equation of the ellipse in its coordinate system: bqe.a[0] * x^2 + bqe.a[1] * x * y + bqe.a[2] * y^2 + bqe.a[3] * x + bqe.a[4] * y + bqe.a[5] = 0. One can change the coordinate system of 'bqe' using the routine 'changecoordsys'.*/ pair[] pts; for (int i = 0; i < 360; i += 72) pts.push(locate(angpoint(el, i))); real[][] M; real[] x; for (int i = 0; i < 5; ++i) { M[i] = new real[] {pts[i].x * pts[i].y, pts[i].y^2, pts[i].x, pts[i].y, 1}; x[i] = -pts[i].x^2; } real[] coef = solve(M, x); bqe bqe = changecoordsys(coordsys(el), bqe(defaultcoordsys, 1, coef[0], coef[1], coef[2], coef[3], coef[4])); bqe.a = approximate(bqe.a); return bqe; } /**/ bqe equation(parabola p) {/*Return the coefficients of the equation of the parabola in its coordinate system. bqe.a[0] * x^2 + bqe.a[1] * x * y + bqe.a[2] * y^2 + bqe.a[3] * x + bqe.a[4] * y + bqe.a[5] = 0 One can change the coordinate system of 'bqe' using the routine 'changecoordsys'.*/ coordsys R = canonicalcartesiansystem(p); parabola tp = (parabola) changecoordsys(R, p); point A = projection(tp.D) * point(R, (0, 0)); real a = abs(A); return changecoordsys(coordsys(p), bqe(R, 0, 0, 1, -4 * a, 0, 0)); } /**/ bqe equation(hyperbola h) {/*Return the coefficients of the equation of the hyperbola in its coordinate system. bqe.a[0] * x^2 + bqe.a[1] * x * y + bqe.a[2] * y^2 + bqe.a[3] * x + bqe.a[4] * y + bqe.a[5] = 0 One can change the coordinate system of 'bqe' using the routine 'changecoordsys'.*/ coordsys R = canonicalcartesiansystem(h); return changecoordsys(coordsys(h), bqe(R, 1/h.a^2, 0, -1/h.b^2, 0, 0, -1)); } /**/ path operator cast(ellipse el) {/*Cast ellipse to path.*/ if(degenerate(el)) abort("Casting degenerated ellipse to path is not possible."); int n = el.e == 0 ? circlenodesnumber(el.a) : ellipsenodesnumber(el.a, el.b); return arcfromcenter(el, 0.0, 360, CCW, n)&cycle; } /**/ path operator cast(circle c) {/*Cast circle to path.*/ return (path)((ellipse)c); } /**/ real[] bangles(picture pic = currentpicture, parabola p) {/*Return the array {ma, Ma} where 'ma' and 'Ma' are respectively the smaller and the larger angles for which the parabola 'p' is included in the bounding box of the picture 'pic'.*/ pair bmin, bmax; pair[] b; if (p.bmin == p.bmax) { bmin = pic.userMin(); bmax = pic.userMax(); } else { bmin = p.bmin;bmax = p.bmax; } if(bmin.x == bmax.x || bmin.y == bmax.y || !finite(abs(bmin)) || !finite(abs(bmax))) return new real[] {0, 0}; b[0] = bmin; b[1] = (bmax.x, bmin.y); b[2] = bmax; b[3] = (bmin.x, bmax.y); real[] eq = changecoordsys(defaultcoordsys, equation(p)).a; pair[] inter; for (int i = 0; i < 4; ++i) { pair[] tmp = intersectionpoints(b[i], b[(i + 1)%4], eq); for (int j = 0; j < tmp.length; ++j) { if(dot(b[i]-tmp[j], b[(i + 1)%4]-tmp[j]) <= epsgeo) inter.push(tmp[j]); } } pair F = p.F, V = p.V; real d = degrees(F - V); real[] a = sequence(new real(int n){ return (360 - d + degrees(inter[n]-F))%360; }, inter.length); real ma = a.length != 0 ? min(a) : 0, Ma= a.length != 0 ? max(a) : 0; return new real[] {ma, Ma}; } /**/ real[][] bangles(picture pic = currentpicture, hyperbola h) {/*Return the array {{ma1, Ma1}, {ma2, Ma2}} where 'maX' and 'MaX' are respectively the smaller and the bigger angles (from h.FX) for which the hyperbola 'h' is included in the bounding box of the picture 'pic'.*/ pair bmin, bmax; pair[] b; if (h.bmin == h.bmax) { bmin = pic.userMin(); bmax = pic.userMax(); } else { bmin = h.bmin;bmax = h.bmax; } if(bmin.x == bmax.x || bmin.y == bmax.y || !finite(abs(bmin)) || !finite(abs(bmax))) return new real[][] {{0, 0}, {0, 0}}; b[0] = bmin; b[1] = (bmax.x, bmin.y); b[2] = bmax; b[3] = (bmin.x, bmax.y); real[] eq = changecoordsys(defaultcoordsys, equation(h)).a; pair[] inter0, inter1; pair C = locate(h.C); pair F1 = h.F1; for (int i = 0; i < 4; ++i) { pair[] tmp = intersectionpoints(b[i], b[(i + 1)%4], eq); for (int j = 0; j < tmp.length; ++j) { if(dot(b[i]-tmp[j], b[(i + 1)%4]-tmp[j]) <= epsgeo) { if(dot(F1 - C, tmp[j]-C) > 0) inter0.push(tmp[j]); else inter1.push(tmp[j]); } } } real d = degrees(F1 - C); real[] ma, Ma; pair[][] inter = new pair[][] {inter0, inter1}; for (int i = 0; i < 2; ++i) { real[] a = sequence(new real(int n){ return (360 - d + degrees(inter[i][n]-F1))%360; }, inter[i].length); ma[i] = a.length != 0 ? min(a) : 0; Ma[i] = a.length != 0 ? max(a) : 0; } return new real[][] {{ma[0], Ma[0]}, {ma[1], Ma[1]}}; } /**/ path operator cast(parabola p) {/*Cast parabola to path. If possible, the returned path is restricted to the actual bounding box of the current picture if the variables 'p.bmin' and 'p.bmax' are not set else the bounding box of box(p.bmin, p.bmax) is used instead.*/ real[] bangles = bangles(p); int n = parabolanodesnumber(p, bangles[0], bangles[1]); return arcfromfocus(p, bangles[0], bangles[1], n, CCW); } /**/ void draw(picture pic = currentpicture, Label L = "", circle c, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, margin margin = NoMargin, Label legend = "", marker marker = nomarker) {/**/ if(degenerate(c)) draw(pic, L, c.l, align, p, arrow, legend, marker); else draw(pic, L, (path)c, align, p, arrow, bar, margin, legend, marker); } /**/ void draw(picture pic = currentpicture, Label L = "", ellipse el, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, margin margin = NoMargin, Label legend = "", marker marker = nomarker) {/*Draw the ellipse 'el' if it is not degenerated else draw 'el.l'.*/ if(degenerate(el)) draw(pic, L, el.l, align, p, arrow, legend, marker); else draw(pic, L, (path)el, align, p, arrow, bar, margin, legend, marker); } /**/ void draw(picture pic = currentpicture, Label L = "", parabola parabola, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, margin margin = NoMargin, Label legend = "", marker marker = nomarker) {/*Draw the parabola 'p' on 'pic' without (if possible) altering the size of picture pic.*/ pic.add(new void (frame f, transform t, transform T, pair m, pair M) { // Reduce the bounds by the size of the pen and the margins. m -= min(p); M -= max(p); parabola.bmin = inverse(t) * m; parabola.bmax = inverse(t) * M; picture tmp; path pp = t * ((path) (T * parabola)); if (pp != nullpath) { draw(tmp, L, pp, align, p, arrow, bar, NoMargin, legend, marker); add(f, tmp.fit()); } }, true); pair m = pic.userMin(), M = pic.userMax(); if(m != M) { pic.addBox(truepoint(SW), truepoint(NE)); } } /**/ path operator cast(hyperbola h) {/*Cast hyperbola to path. If possible, the returned path is restricted to the actual bounding box of the current picture unless the variables 'h.bmin' and 'h.bmax' are set; in this case the bounding box of box(h.bmin, h.bmax) is used instead. Only the branch on the side of 'h.F1' is considered.*/ real[][] bangles = bangles(h); int n = hyperbolanodesnumber(h, bangles[0][0], bangles[0][1]); return arcfromfocus(h, bangles[0][0], bangles[0][1], n, CCW); } /**/ void draw(picture pic = currentpicture, Label L = "", hyperbola h, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, margin margin = NoMargin, Label legend = "", marker marker = nomarker) {/*Draw the hyperbola 'h' on 'pic' without (if possible) altering the size of the picture pic.*/ pic.add(new void (frame f, transform t, transform T, pair m, pair M) { // Reduce the bounds by the size of the pen and the margins. m -= min(p); M -= max(p); h.bmin = inverse(t) * m; h.bmax = inverse(t) * M; path hp; picture tmp; hp = t * ((path) (T * h)); if (hp != nullpath) { draw(tmp, L, hp, align, p, arrow, bar, NoMargin, legend, marker); } hyperbola ht = hyperbola(h.F2, h.F1, h.a); ht.bmin = h.bmin; ht.bmax = h.bmax; hp = t * ((path) (T * ht)); if (hp != nullpath) { draw(tmp, "", hp, align, p, arrow, bar, NoMargin, marker); } add(f, tmp.fit()); }, true); pair m = pic.userMin(), M = pic.userMax(); if(m != M) pic.addBox(truepoint(SW), truepoint(NE)); } /**/ void draw(picture pic = currentpicture, Label L = "", explicit conic co, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, margin margin = NoMargin, Label legend = "", marker marker = nomarker) {/*Use one of the routine 'draw(ellipse, ...)', 'draw(parabola, ...)' or 'draw(hyperbola, ...)' depending of the value of eccentricity of 'co'.*/ if(co.e == 0) draw(pic, L, (circle)co, align, p, arrow, bar, margin, legend, marker); else if(co.e < 1) draw(pic, L, (ellipse)co, align, p, arrow, bar, margin, legend, marker); else if(co.e == 1) draw(pic, L, (parabola)co, align, p, arrow, bar, margin, legend, marker); else if(co.e > 1) draw(pic, L, (hyperbola)co, align, p, arrow, bar, margin, legend, marker); else abort("draw: unknown conic."); } /**/ int conicnodesnumber(conic co, real angle1, real angle2, bool dir = CCW) {/*Return the number of node to draw a conic arc.*/ int oi; if(co.e == 0) { circle c = (circle)co; oi = circlenodesnumber(c.r, angle1, angle2); } else if(co.e < 1) { ellipse el = (ellipse)co; oi = ellipsenodesnumber(el.a, el.b, angle1, angle2, dir); } else if(co.e == 1) { parabola p = (parabola)co; oi = parabolanodesnumber(p, angle1, angle2); } else { hyperbola h = (hyperbola)co; oi = hyperbolanodesnumber(h, angle1, angle2); } return oi; } /**/ path operator cast(conic co) {/*Cast conic section to path.*/ if(co.e < 1) return (path)((ellipse)co); if(co.e == 1) return (path)((parabola)co); return (path)((hyperbola)co); } /**/ bqe equation(explicit conic co) {/*Return the coefficients of the equation of conic section in its coordinate system: bqe.a[0] * x^2 + bqe.a[1] * x * y + bqe.a[2] * y^2 + bqe.a[3] * x + bqe.a[4] * y + bqe.a[5] = 0. One can change the coordinate system of 'bqe' using the routine 'changecoordsys'.*/ bqe obqe; if(co.e == 0) obqe = equation((circle)co); else if(co.e < 1) obqe = equation((ellipse)co); else if(co.e == 1) obqe = equation((parabola)co); else if(co.e > 1) obqe = equation((hyperbola)co); else abort("draw: unknown conic."); return obqe; } /**/ string conictype(bqe bqe) {/*Returned values are "ellipse" or "parabola" or "hyperbola" depending of the conic section represented by 'bqe'.*/ bqe lbqe = changecoordsys(defaultcoordsys, bqe); string os = "degenerated"; real a = lbqe.a[0], b = lbqe.a[1]/2, c = lbqe.a[2], d = lbqe.a[3]/2, f = lbqe.a[4]/2, g = lbqe.a[5]; real delta = a * c * g + b * f * d + d * b * f - (b^2 * g + d^2 * c + f^2 * a); if(abs(delta) < 10 * epsgeo) return os; real J = a * c - b^2; real I = a + c; if(J > epsgeo) { if(delta/I < -epsgeo); os = "ellipse"; } else { if(abs(J) < epsgeo) os = "parabola"; else os = "hyperbola"; } return os; } /**/ conic conic(point M1, point M2, point M3, point M4, point M5) {/*Return the conic passing through 'M1', 'M2', 'M3', 'M4' and 'M5' if the conic is not degenerated.*/ bqe bqe = bqe(M1, M2, M3, M4, M5); string ct = conictype(bqe); if(ct == "degenerated") abort("conic: degenerated conic passing through five points."); if(ct == "ellipse") return ellipse(bqe); if(ct == "parabola") return parabola(bqe); return hyperbola(bqe); } /**/ coordsys canonicalcartesiansystem(explicit conic co) {/*Return the canonical cartesian system of the conic 'co'.*/ if(co.e < 1) return canonicalcartesiansystem((ellipse)co); else if(co.e == 1) return canonicalcartesiansystem((parabola)co); return canonicalcartesiansystem((hyperbola)co); } /**/ bqe canonical(bqe bqe) {/*Return the bivariate quadratic equation relative to the canonical coordinate system of the conic section represented by 'bqe'.*/ string type = conictype(bqe); if(type == "") abort("canonical: the equation can not be performed."); bqe obqe; if(type == "ellipse") { ellipse el = ellipse(bqe); obqe = changecoordsys(canonicalcartesiansystem(el), equation(el)); } else { if(type == "parabola") { parabola p = parabola(bqe); obqe = changecoordsys(canonicalcartesiansystem(p), equation(p)); } else { hyperbola h = hyperbola(bqe); obqe = changecoordsys(canonicalcartesiansystem(h), equation(h)); } } return obqe; } /**/ conic conic(bqe bqe) {/*Return the conic section represented by the bivariate quartic equation 'bqe'.*/ string type = conictype(bqe); if(type == "") abort("canonical: the equation can not be performed."); conic oc; if(type == "ellipse") { oc = ellipse(bqe); } else { if(type == "parabola") oc = parabola(bqe); else oc = hyperbola(bqe); } return oc; } /**/ real arclength(circle c) {/**/ return c.r * 2 * pi; } /**/ real focusToCenter(ellipse el, real a) {/*Return the angle relatively to the center of 'el' for the angle 'a' given relatively to the focus of 'el'.*/ pair p = point(fromFocus(el, a, a, 1, CCW), 0); pair c = locate(el.C); real d = degrees(p - c) - el.angle; d = abs(d) < epsgeo ? 0 : d; // Avoid -1e-15 return d%(sgnd(a) * 360); } /**/ real centerToFocus(ellipse el, real a) {/*Return the angle relatively to the focus of 'el' for the angle 'a' given relatively to the center of 'el'.*/ pair P = point(fromCenter(el, a, a, 1, CCW), 0); pair F1 = locate(el.F1); pair F2 = locate(el.F2); real d = degrees(P - F1) - degrees(F2 - F1); d = abs(d) < epsgeo ? 0 : d; // Avoid -1e-15 return d%(sgnd(a) * 360); } /**/ real arclength(ellipse el) {/**/ return degenerate(el) ? infinity : 4 * el.a * elle(pi/2, el.e); } /**/ real arclength(ellipse el, real angle1, real angle2, bool direction = CCW, polarconicroutine polarconicroutine = currentpolarconicroutine) {/*Return the length of the arc of the ellipse between 'angle1' and 'angle2'. 'angle1' and 'angle2' must be in the interval ]-360;+oo[ if polarconicroutine = fromFocus, ]-oo;+oo[ if polarconicroutine = fromCenter.*/ if(degenerate(el)) return infinity; if(angle1 > angle2) return arclength(el, angle2, angle1, !direction, polarconicroutine); // path g;int n = 1000; // if(el.e == 0) g = arcfromcenter(el, angle1, angle2, n, direction); // if(el.e != 1) g = polarconicroutine(el, angle1, angle2, n, direction); // write("with path = ", arclength(g)); if(polarconicroutine == fromFocus) { // dot(point(fromFocus(el, angle1, angle1, 1, CCW), 0), 2mm + blue); // dot(point(fromFocus(el, angle2, angle2, 1, CCW), 0), 2mm + blue); // write("fromfocus1 = ", angle1); // write("fromfocus2 = ", angle2); real gle1 = focusToCenter(el, angle1); real gle2 = focusToCenter(el, angle2); if((gle1 - gle2) * (angle1 - angle2) > 0) { angle1 = gle1; angle2 = gle2; } else { angle1 = gle2; angle2 = gle1; } // dot(point(fromCenter(el, angle1, angle1, 1, CCW), 0), 1mm + red); // dot(point(fromCenter(el, angle2, angle2, 1, CCW), 0), 1mm + red); // write("fromcenter1 = ", angle1); // write("fromcenter2 = ", angle2); } if(angle1 < 0 || angle2 < 0) return arclength(el, 180 + angle1, 180 + angle2, direction, fromCenter); real a1 = direction ? angle1 : angle2; real a2 = direction ? angle2 : angle1 + 360; real elleq = el.a * elle(pi/2, el.e); real S(real a) {//Return the arclength from 0 to the angle 'a' (in degrees) // given form the center of the ellipse. real gle = atan(el.a * tan(radians(a))/el.b)+ pi * (((a%90 == 0 && a != 0) ? floor(a/90) - 1 : floor(a/90)) - ((a%180 == 0) ? 0 : floor(a/180)) - (a%360 == 0 ? floor(a/(360)) : 0)); /* // Uncomment to visualize the used branches unitsize(2cm, 1cm); import graph; real xmin = 0, xmax = 3pi; xlimits( xmin, xmax); ylimits( 0, 10); yaxis( "y" , LeftRight(), RightTicks(pTick=.8red, ptick = lightgrey, extend = true)); xaxis( "x - value", BottomTop(), Ticks(Label("$%.2f$", red), Step = pi/2, step = pi/4, pTick=.8red, ptick = lightgrey, extend = true)); real p2 = pi/2; real f(real t) { return atan(0.6 * tan(t))+ pi * ((t%p2 == 0 && t != 0) ? floor(t/p2) - 1 : floor(t/p2)) - ((t%pi == 0) ? 0 : pi * floor(t/pi)) - (t%(2pi) == 0 ? pi * floor(t/(2 * pi)) : 0); } draw(graph(f, xmin, xmax, 100)); write(degrees(f(pi/2))); write(degrees(f(pi))); write(degrees(f(3pi/2))); write(degrees(f(2pi))); draw(graph(new real(real t){return t;}, xmin, xmax, 3)); */ return elleq - el.a * elle(pi/2 - gle, el.e); } return S(a2) - S(a1); } /**/ real arclength(parabola p, real angle) {/*Return the arclength from 180 to 'angle' given from focus in the canonical coordinate system of 'p'.*/ real a = p.a; /* In canonicalcartesiansystem(p) the equation of p is x = y^2/(4a) */ // integrate(sqrt(1 + (x/(2 * a))^2), x); real S(real t){return 0.5 * t * sqrt(1 + t^2/(4 * a^2)) + a * asinh(t/(2 * a));} real R(real gle){return 2 * a/(1 - Cos(gle));} real t = Sin(angle) * R(angle); return S(t); } /**/ real arclength(parabola p, real angle1, real angle2) {/*Return the arclength from 'angle1' to 'angle2' given from focus in the canonical coordinate system of 'p'*/ return arclength(p, angle1) - arclength(p, angle2); } /**/ real arclength(parabola p) {/*Return the length of the arc of the parabola bounded to the bounding box of the current picture.*/ real[] b = bangles(p); return arclength(p, b[0], b[1]); } // *........................CONICS.........................* // *=======================================================* // *=======================================================* // *.......................ABSCISSA........................* /**/ struct abscissa {/*Provide abscissa structure on a curve used in the routine-like 'point(object, abscissa)' where object can be 'line','segment','ellipse','circle','conic'...*/ real x;/*The abscissa value.*/ int system;/*0 = relativesystem; 1 = curvilinearsystem; 2 = angularsystem; 3 = nodesystem*/ polarconicroutine polarconicroutine = fromCenter;/*The routine used with angular system and two foci conic section. Possible values are 'formCenter' and 'formFocus'.*/ /**/ abscissa copy() {/*Return a copy of this abscissa.*/ abscissa oa = new abscissa; oa.x = this.x; oa.system = this.system; oa.polarconicroutine = this.polarconicroutine; return oa; } }/**/ /**/ restricted int relativesystem = 0, curvilinearsystem = 1, angularsystem = 2, nodesystem = 3;/*Constant used to set the abscissa system.*/ /**/ abscissa operator cast(explicit position position) {/*Cast position to abscissa. If 'position' is relative, the abscissa is relative else it's a curvilinear abscissa.*/ abscissa oarcc; oarcc.x = position.position.x; oarcc.system = position.relative ? relativesystem : curvilinearsystem; return oarcc; } /**/ abscissa operator +(real x, explicit abscissa a) {/*Provide 'real + abscissa'. Return abscissa b so that b.x = a.x + x. +(explicit abscissa, real), -(real, explicit abscissa) and -(explicit abscissa, real) are also defined.*/ abscissa oa = a.copy(); oa.x = a.x + x; return oa; } abscissa operator +(explicit abscissa a, real x) { return x + a; } abscissa operator +(int x, explicit abscissa a) { return ((real)x) + a; } /**/ abscissa operator -(explicit abscissa a) {/*Return the abscissa b so that b.x = -a.x.*/ abscissa oa; oa.system = a.system; oa.x = -a.x; return oa; } abscissa operator -(real x, explicit abscissa a) { abscissa oa; oa.system = a.system; oa.x = x - a.x; return oa; } abscissa operator -(explicit abscissa a, real x) { abscissa oa; oa.system = a.system; oa.x = a.x - x; return oa; } abscissa operator -(int x, explicit abscissa a) { return ((real)x) - a; } /**/ abscissa operator *(real x, explicit abscissa a) {/*Provide 'real * abscissa'. Return abscissa b so that b.x = x * a.x. *(explicit abscissa, real), /(real, explicit abscissa) and /(explicit abscissa, real) are also defined.*/ abscissa oa; oa.system = a.system; oa.x = a.x * x; return oa; } abscissa operator *(explicit abscissa a, real x) { return x * a; } abscissa operator /(real x, explicit abscissa a) { abscissa oa; oa.system = a.system; oa.x = x/a.x; return oa; } abscissa operator /(explicit abscissa a, real x) { abscissa oa; oa.system = a.system; oa.x = a.x/x; return oa; } abscissa operator /(int x, explicit abscissa a) { return ((real)x)/a; } /**/ abscissa relabscissa(real x) {/*Return a relative abscissa.*/ return (abscissa)(Relative(x)); } abscissa relabscissa(int x) { return (abscissa)(Relative(x)); } /**/ abscissa curabscissa(real x) {/*Return a curvilinear abscissa.*/ return (abscissa)((position)x); } abscissa curabscissa(int x) { return (abscissa)((position)x); } /**/ abscissa angabscissa(real x, polarconicroutine polarconicroutine = currentpolarconicroutine) {/*Return a angular abscissa.*/ abscissa oarcc; oarcc.x = x; oarcc.polarconicroutine = polarconicroutine; oarcc.system = angularsystem; return oarcc; } abscissa angabscissa(int x, polarconicroutine polarconicroutine = currentpolarconicroutine) { return angabscissa((real)x, polarconicroutine); } /**/ abscissa nodabscissa(real x) {/*Return an abscissa as time on the path.*/ abscissa oarcc; oarcc.x = x; oarcc.system = nodesystem; return oarcc; } abscissa nodabscissa(int x) { return nodabscissa((real)x); } /**/ abscissa operator cast(real x) {/*Cast real to abscissa, precisely 'nodabscissa'.*/ return nodabscissa(x); } abscissa operator cast(int x) { return nodabscissa((real)x); } /**/ point point(circle c, abscissa l) {/*Return the point of 'c' which has the abscissa 'l.x' according to the abscissa system 'l.system'.*/ coordsys R = c.C.coordsys; if (l.system == nodesystem) return point(R, point((path)c, l.x)/R); if (l.system == relativesystem) return c.C + point(R, R.polar(c.r, 2 * pi * l.x)); if (l.system == curvilinearsystem) return c.C + point(R, R.polar(c.r, l.x/c.r)); if (l.system == angularsystem) return c.C + point(R, R.polar(c.r, radians(l.x))); abort("point: bad abscissa system."); return (0, 0); } /**/ point point(ellipse el, abscissa l) {/*Return the point of 'el' which has the abscissa 'l.x' according to the abscissa system 'l.system'.*/ if(el.e == 0) return point((circle)el, l); coordsys R = coordsys(el); if (l.system == nodesystem) return point(R, point((path)el, l.x)/R); if (l.system == relativesystem) { return point(el, curabscissa((l.x%1) * arclength(el))); } if (l.system == curvilinearsystem) { real a1 = 0, a2 = 360, cx = 0; real aout = a1; real x = abs(l.x)%arclength(el); while (abs(cx - x) > epsgeo) { aout = (a1 + a2)/2; cx = arclength(el, 0, aout, CCW, fromCenter); //fromCenter is speeder if(cx > x) a2 = (a1 + a2)/2; else a1 = (a1 + a2)/2; } path pel = fromCenter(el, sgn(l.x) * aout, sgn(l.x) * aout, 1, CCW); return point(R, point(pel, 0)/R); } if (l.system == angularsystem) { return point(R, point(l.polarconicroutine(el, l.x, l.x, 1, CCW), 0)/R); } abort("point: bad abscissa system."); return (0, 0); } /**/ point point(parabola p, abscissa l) {/*Return the point of 'p' which has the abscissa 'l.x' according to the abscissa system 'l.system'.*/ coordsys R = coordsys(p); if (l.system == nodesystem) return point(R, point((path)p, l.x)/R); if (l.system == relativesystem) { real[] b = bangles(p); real al = sgn(l.x) > 0 ? arclength(p, 180, b[1]) : arclength(p, 180, b[0]); return point(p, curabscissa(abs(l.x) * al)); } if (l.system == curvilinearsystem) { real a1 = 1e-3, a2 = 360 - 1e-3, cx = infinity; while (abs(cx - l.x) > epsgeo) { cx = arclength(p, 180, (a1 + a2)/2); if(cx > l.x) a2 = (a1 + a2)/2; else a1 = (a1 + a2)/2; } path pp = fromFocus(p, a1, a1, 1, CCW); return point(R, point(pp, 0)/R); } if (l.system == angularsystem) { return point(R, point(fromFocus(p, l.x, l.x, 1, CCW), 0)/R); } abort("point: bad abscissa system."); return (0, 0); } /**/ point point(hyperbola h, abscissa l) {/*Return the point of 'h' which has the abscissa 'l.x' according to the abscissa system 'l.system'.*/ coordsys R = coordsys(h); if (l.system == nodesystem) return point(R, point((path)h, l.x)/R); if (l.system == relativesystem) { abort("point(hyperbola, relativeSystem) is not implemented... Try relpoint((path)your_hyperbola, x);"); } if (l.system == curvilinearsystem) { abort("point(hyperbola, curvilinearSystem) is not implemented..."); } if (l.system == angularsystem) { return point(R, point(l.polarconicroutine(h, l.x, l.x, 1, CCW), 0)/R); } abort("point: bad abscissa system."); return (0, 0); } /**/ point point(explicit conic co, abscissa l) {/*Return the curvilinear abscissa of 'M' on the conic 'co'.*/ if(co.e == 0) return point((circle)co, l); if(co.e < 1) return point((ellipse)co, l); if(co.e == 1) return point((parabola)co, l); return point((hyperbola)co, l); } /**/ point point(line l, abscissa x) {/*Return the point of 'l' which has the abscissa 'l.x' according to the abscissa system 'l.system'. Note that the origin is l.A, and point(l, relabscissa(x)) returns l.A + x.x * vector(l.B - l.A).*/ coordsys R = l.A.coordsys; if (x.system == nodesystem) return l.A + (x.x < 0 ? 0 : x.x > 1 ? 1 : x.x) * vector(l.B - l.A); if (x.system == relativesystem) return l.A + x.x * vector(l.B - l.A); if (x.system == curvilinearsystem) return l.A + x.x * l.u; if (x.system == angularsystem) abort("point: what the meaning of angular abscissa on line ?."); abort("point: bad abscissa system."); return (0, 0); } /**/ point point(line l, explicit real x) {/*Return the point between node l.A and l.B (x <= 0 means l.A, x >=1 means l.B).*/ return point(l, nodabscissa(x)); } point point(line l, explicit int x) { return point(l, nodabscissa(x)); } /**/ point point(explicit circle c, explicit real x) {/*Return the point between node floor(x) and floor(x) + 1.*/ return point(c, nodabscissa(x)); } point point(explicit circle c, explicit int x) { return point(c, nodabscissa(x)); } /**/ point point(explicit ellipse el, explicit real x) {/*Return the point between node floor(x) and floor(x) + 1.*/ return point(el, nodabscissa(x)); } point point(explicit ellipse el, explicit int x) { return point(el, nodabscissa(x)); } /**/ point point(explicit parabola p, explicit real x) {/*Return the point between node floor(x) and floor(x) + 1.*/ return point(p, nodabscissa(x)); } point point(explicit parabola p, explicit int x) { return point(p, nodabscissa(x)); } /**/ point point(explicit hyperbola h, explicit real x) {/*Return the point between node floor(x) and floor(x) + 1.*/ return point(h, nodabscissa(x)); } point point(explicit hyperbola h, explicit int x) { return point(h, nodabscissa(x)); } /**/ point point(explicit conic co, explicit real x) {/*Return the point between node floor(x) and floor(x) + 1.*/ point op; if(co.e == 0) op = point((circle)co, nodabscissa(x)); else if(co.e < 1) op = point((ellipse)co, nodabscissa(x)); else if(co.e == 1) op = point((parabola)co, nodabscissa(x)); else op = point((hyperbola)co, nodabscissa(x)); return op; } point point(explicit conic co, explicit int x) { return point(co, (real)x); } /**/ point relpoint(line l, real x) {/*Return the relative point of 'l' (0 means l.A, 1 means l.B, x means l.A + x * vector(l.B - l.A) ).*/ return point(l, Relative(x)); } /**/ point relpoint(explicit circle c, real x) {/*Return the relative point of 'c' (0 means origin, 1 means end). Origin is c.center + c.r * (1, 0).*/ return point(c, Relative(x)); } /**/ point relpoint(explicit ellipse el, real x) {/*Return the relative point of 'el' (0 means origin, 1 means end).*/ return point(el, Relative(x)); } /**/ point relpoint(explicit parabola p, real x) {/*Return the relative point of the path of the parabola bounded by the bounding box of the current picture. 0 means origin, 1 means end, where the origin is the vertex of 'p'.*/ return point(p, Relative(x)); } /**/ point relpoint(explicit hyperbola h, real x) {/*Not yet implemented... */ return point(h, Relative(x)); } /**/ point relpoint(explicit conic co, explicit real x) {/*Return the relative point of 'co' (0 means origin, 1 means end).*/ point op; if(co.e == 0) op = point((circle)co, Relative(x)); else if(co.e < 1) op = point((ellipse)co, Relative(x)); else if(co.e == 1) op = point((parabola)co, Relative(x)); else op = point((hyperbola)co, Relative(x)); return op; } point relpoint(explicit conic co, explicit int x) { return relpoint(co, (real)x); } /**/ point angpoint(explicit circle c, real x) {/*Return the point of 'c' in the direction 'x' measured in degrees.*/ return point(c, angabscissa(x)); } /**/ point angpoint(explicit ellipse el, real x, polarconicroutine polarconicroutine = currentpolarconicroutine) {/*Return the point of 'el' in the direction 'x' measured in degrees according to 'polarconicroutine'.*/ return el.e == 0 ? angpoint((circle) el, x) : point(el, angabscissa(x, polarconicroutine)); } /**/ point angpoint(explicit parabola p, real x) {/*Return the point of 'p' in the direction 'x' measured in degrees.*/ return point(p, angabscissa(x)); } /**/ point angpoint(explicit hyperbola h, real x, polarconicroutine polarconicroutine = currentpolarconicroutine) {/*Return the point of 'h' in the direction 'x' measured in degrees according to 'polarconicroutine'.*/ return point(h, angabscissa(x, polarconicroutine)); } /**/ point curpoint(line l, real x) {/*Return the point of 'l' which has the curvilinear abscissa 'x'. Origin is l.A.*/ return point(l, curabscissa(x)); } /**/ point curpoint(explicit circle c, real x) {/*Return the point of 'c' which has the curvilinear abscissa 'x'. Origin is c.center + c.r * (1, 0).*/ return point(c, curabscissa(x)); } /**/ point curpoint(explicit ellipse el, real x) {/*Return the point of 'el' which has the curvilinear abscissa 'el'.*/ return point(el, curabscissa(x)); } /**/ point curpoint(explicit parabola p, real x) {/*Return the point of 'p' which has the curvilinear abscissa 'x'. Origin is the vertex of 'p'.*/ return point(p, curabscissa(x)); } /**/ point curpoint(conic co, real x) {/*Return the point of 'co' which has the curvilinear abscissa 'x'.*/ point op; if(co.e == 0) op = point((circle)co, curabscissa(x)); else if(co.e < 1) op = point((ellipse)co, curabscissa(x)); else if(co.e == 1) op = point((parabola)co, curabscissa(x)); else op = point((hyperbola)co, curabscissa(x)); return op; } /**/ abscissa angabscissa(circle c, point M) {/*Return the angular abscissa of 'M' on the circle 'c'.*/ if(!(M @ c)) abort("angabscissa: the point is not on the circle."); abscissa oa; oa.system = angularsystem; oa.x = degrees(M - c.C); if(oa.x < 0) oa.x+=360; return oa; } /**/ abscissa angabscissa(ellipse el, point M, polarconicroutine polarconicroutine = currentpolarconicroutine) {/*Return the angular abscissa of 'M' on the ellipse 'el' according to 'polarconicroutine'.*/ if(!(M @ el)) abort("angabscissa: the point is not on the ellipse."); abscissa oa; oa.system = angularsystem; oa.polarconicroutine = polarconicroutine; oa.x = polarconicroutine == fromCenter ? degrees(M - el.C) : degrees(M - el.F1); oa.x -= el.angle; if(oa.x < 0) oa.x += 360; return oa; } /**/ abscissa angabscissa(hyperbola h, point M, polarconicroutine polarconicroutine = currentpolarconicroutine) {/*Return the angular abscissa of 'M' on the hyperbola 'h' according to 'polarconicroutine'.*/ if(!(M @ h)) abort("angabscissa: the point is not on the hyperbola."); abscissa oa; oa.system = angularsystem; oa.polarconicroutine = polarconicroutine; oa.x = polarconicroutine == fromCenter ? degrees(M - h.C) : degrees(M - h.F1) + 180; oa.x -= h.angle; if(oa.x < 0) oa.x += 360; return oa; } /**/ abscissa angabscissa(parabola p, point M) {/*Return the angular abscissa of 'M' on the parabola 'p'.*/ if(!(M @ p)) abort("angabscissa: the point is not on the parabola."); abscissa oa; oa.system = angularsystem; oa.polarconicroutine = fromFocus;// Not used oa.x = degrees(M - p.F); oa.x -= p.angle; if(oa.x < 0) oa.x += 360; return oa; } /**/ abscissa angabscissa(explicit conic co, point M) {/*Return the angular abscissa of 'M' on the conic 'co'.*/ if(co.e == 0) return angabscissa((circle)co, M); if(co.e < 1) return angabscissa((ellipse)co, M); if(co.e == 1) return angabscissa((parabola)co, M); return angabscissa((hyperbola)co, M); } /**/ abscissa curabscissa(line l, point M) {/*Return the curvilinear abscissa of 'M' on the line 'l'.*/ if(!(M @ extend(l))) abort("curabscissa: the point is not on the line."); abscissa oa; oa.system = curvilinearsystem; oa.x = sgn(dot(M - l.A, l.B - l.A)) * abs(M - l.A); return oa; } /**/ abscissa curabscissa(circle c, point M) {/*Return the curvilinear abscissa of 'M' on the circle 'c'.*/ if(!(M @ c)) abort("curabscissa: the point is not on the circle."); abscissa oa; oa.system = curvilinearsystem; oa.x = pi * angabscissa(c, M).x * c.r/180; return oa; } /**/ abscissa curabscissa(ellipse el, point M) {/*Return the curvilinear abscissa of 'M' on the ellipse 'el'.*/ if(!(M @ el)) abort("curabscissa: the point is not on the ellipse."); abscissa oa; oa.system = curvilinearsystem; real a = angabscissa(el, M, fromCenter).x; oa.x = arclength(el, 0, a, fromCenter); oa.polarconicroutine = fromCenter; return oa; } /**/ abscissa curabscissa(parabola p, point M) {/*Return the curvilinear abscissa of 'M' on the parabola 'p'.*/ if(!(M @ p)) abort("curabscissa: the point is not on the parabola."); abscissa oa; oa.system = curvilinearsystem; real a = angabscissa(p, M).x; oa.x = arclength(p, 180, a); oa.polarconicroutine = fromFocus; // Not used. return oa; } /**/ abscissa curabscissa(conic co, point M) {/*Return the curvilinear abscissa of 'M' on the conic 'co'.*/ if(co.e > 1) abort("curabscissa: not implemented for this hyperbola."); if(co.e == 0) return curabscissa((circle)co, M); if(co.e < 1) return curabscissa((ellipse)co, M); return curabscissa((parabola)co, M); } /**/ abscissa nodabscissa(line l, point M) {/*Return the node abscissa of 'M' on the line 'l'.*/ if(!(M @ (segment)l)) abort("nodabscissa: the point is not on the segment."); abscissa oa; oa.system = nodesystem; oa.x = abs(M - l.A)/abs(l.A - l.B); return oa; } /**/ abscissa nodabscissa(circle c, point M) {/*Return the node abscissa of 'M' on the circle 'c'.*/ if(!(M @ c)) abort("nodabscissa: the point is not on the circle."); abscissa oa; oa.system = nodesystem; oa.x = intersect((path)c, locate(M))[0]; return oa; } /**/ abscissa nodabscissa(ellipse el, point M) {/*Return the node abscissa of 'M' on the ellipse 'el'.*/ if(!(M @ el)) abort("nodabscissa: the point is not on the ellipse."); abscissa oa; oa.system = nodesystem; oa.x = intersect((path)el, M)[0]; return oa; } /**/ abscissa nodabscissa(parabola p, point M) {/*Return the node abscissa OF 'M' on the parabola 'p'.*/ if(!(M @ p)) abort("nodabscissa: the point is not on the parabola."); abscissa oa; oa.system = nodesystem; path pg = p; real[] t = intersect(pg, M, 1e-5); if(t.length == 0) abort("nodabscissa: the point is not on the path of the parabola."); oa.x = t[0]; return oa; } /**/ abscissa nodabscissa(conic co, point M) {/*Return the node abscissa of 'M' on the conic 'co'.*/ if(co.e > 1) abort("nodabscissa: not implemented for hyperbola."); if(co.e == 0) return nodabscissa((circle)co, M); if(co.e < 1) return nodabscissa((ellipse)co, M); return nodabscissa((parabola)co, M); } /**/ abscissa relabscissa(line l, point M) {/*Return the relative abscissa of 'M' on the line 'l'.*/ if(!(M @ extend(l))) abort("relabscissa: the point is not on the line."); abscissa oa; oa.system = relativesystem; oa.x = sgn(dot(M - l.A, l.B - l.A)) * abs(M - l.A)/abs(l.A - l.B); return oa; } /**/ abscissa relabscissa(circle c, point M) {/*Return the relative abscissa of 'M' on the circle 'c'.*/ if(!(M @ c)) abort("relabscissa: the point is not on the circle."); abscissa oa; oa.system = relativesystem; oa.x = angabscissa(c, M).x/360; return oa; } /**/ abscissa relabscissa(ellipse el, point M) {/*Return the relative abscissa of 'M' on the ellipse 'el'.*/ if(!(M @ el)) abort("relabscissa: the point is not on the ellipse."); abscissa oa; oa.system = relativesystem; oa.x = curabscissa(el, M).x/arclength(el); oa.polarconicroutine = fromFocus; return oa; } /**/ abscissa relabscissa(conic co, point M) {/*Return the relative abscissa of 'M' on the conic 'co'.*/ if(co.e > 1) abort("relabscissa: not implemented for hyperbola and parabola."); if(co.e == 1) return relabscissa((parabola)co, M); if(co.e == 0) return relabscissa((circle)co, M); return relabscissa((ellipse)co, M); } // *.......................ABSCISSA........................* // *=======================================================* // *=======================================================* // *.........................ARCS..........................* /**/ struct arc { /*Implement oriented ellipse (included circle) arcs. All the calculus with this structure will be as exact as Asymptote can do. For a full precision, you must not cast 'arc' to 'path' excepted for drawing routines. */ ellipse el;/*The support of the arc.*/ restricted real angle0 = 0;/*Internal use: rotating a circle does not modify the origin point,this variable stocks the eventual angle rotation. This value is not used for ellipses which are not circles.*/ restricted real angle1, angle2;/*Values (in degrees) in ]-360, 360[.*/ bool direction = CCW;/*The arc will be drawn from 'angle1' to 'angle2' rotating in the direction 'direction'.*/ polarconicroutine polarconicroutine = currentpolarconicroutine;/*The routine to which the angles refer. If 'el' is a circle 'fromCenter' is always used.*/ /**/ void setangles(real a0, real a1, real a2) {/*Set the angles.*/ if (a1 < 0 && a2 < 0) { a1 += 360; a2 += 360; } this.angle0 = a0%(sgnd(a0) * 360); this.angle1 = a1%(sgnd(a1) * 360); this.angle2 = a2%(sgnd(2) * 360); } /**/ void init(ellipse el, real angle0 = 0, real angle1, real angle2, polarconicroutine polarconicroutine, bool direction = CCW) {/*Constructor.*/ if(abs(angle1 - angle2) > 360) abort("arc: |angle1 - angle2| > 360."); this.el = el; this.setangles(angle0, angle1, angle2); this.polarconicroutine = polarconicroutine; this.direction = direction; } /**/ arc copy() {/*Copy the arc.*/ arc oa = new arc; oa.el = this.el; oa.direction = this.direction; oa.polarconicroutine = this.polarconicroutine; oa.angle1 = this.angle1; oa.angle2 = this.angle2; oa.angle0 = this.angle0; return oa; } }/**/ /**/ polarconicroutine polarconicroutine(conic co) {/*Return the default routine used to draw a conic.*/ if(co.e == 0) return fromCenter; if(co.e == 1) return fromFocus; return currentpolarconicroutine; } /**/ arc arc(ellipse el, real angle1, real angle2, polarconicroutine polarconicroutine = polarconicroutine(el), bool direction = CCW) {/*Return the ellipse arc from 'angle1' to 'angle2' with respect to 'polarconicroutine' and rotating in the direction 'direction'.*/ arc oa; oa.init(el, 0, angle1, angle2, polarconicroutine, direction); return oa; } /**/ arc complementary(arc a) {/*Return the complementary of 'a'.*/ arc oa; oa.init(a.el, a.angle0, a.angle2, a.angle1, a.polarconicroutine, a.direction); return oa; } /**/ arc reverse(arc a) {/*Return arc 'a' oriented in reverse direction.*/ arc oa; oa.init(a.el, a.angle0, a.angle2, a.angle1, a.polarconicroutine, !a.direction); return oa; } /**/ real degrees(arc a) {/*Return the measure in degrees of the oriented arc 'a'.*/ real or; real da = a.angle2 - a.angle1; if(a.direction) { or = a.angle1 < a.angle2 ? da : 360 + da; } else { or = a.angle1 < a.angle2 ? -360 + da : da; } return or; } /**/ real angle(arc a) {/*Return the measure in radians of the oriented arc 'a'.*/ return radians(degrees(a)); } /**/ int arcnodesnumber(explicit arc a) {/*Return the number of nodes to draw the arc 'a'.*/ return ellipsenodesnumber(a.el.a, a.el.b, a.angle1, a.angle2, a.direction); } private path arctopath(arc a, int n) { if(a.el.e == 0) return arcfromcenter(a.el, a.angle0 + a.angle1, a.angle0 + a.angle2, a.direction, n); if(a.el.e != 1) return a.polarconicroutine(a.el, a.angle1, a.angle2, n, a.direction); return arcfromfocus(a.el, a.angle1, a.angle2, n, a.direction); } /**/ point angpoint(arc a, real angle) {/*Return the point given by its angular position (in degrees) relative to the arc 'a'. If 'angle > degrees(a)' or 'angle < 0' the returned point is on the extended arc.*/ pair p; if(a.el.e == 0) { real gle = a.angle0 + a.angle1 + (a.direction ? angle : -angle); p = point(arcfromcenter(a.el, gle, gle, CCW, 1), 0); } else { real gle = a.angle1 + (a.direction ? angle : -angle); p = point(a.polarconicroutine(a.el, gle, gle, 1, CCW), 0); } return point(coordsys(a.el), p/coordsys(a.el)); } /**/ path operator cast(explicit arc a) {/*Cast arc to path.*/ return arctopath(a, arcnodesnumber(a)); } /**/ guide operator cast(explicit arc a) {/*Cast arc to guide.*/ return arctopath(a, arcnodesnumber(a)); } /**/ arc operator *(transform t, explicit arc a) {/*Provide transform * arc.*/ pair[] P, PP; path g = arctopath(a, 3); real a0, a1 = a.angle1, a2 = a.angle2, ap1, ap2; bool dir = a.direction; P[0] = t * point(g, 0); P[1] = t * point(g, 2); ellipse el = t * a.el; arc oa; a0 = (a.angle0 + angle(shiftless(t)))%360; pair C; if(a.polarconicroutine == fromCenter) C = el.C; else C = el.F1; real d = abs(locate(el.F2 - el.F1)) > epsgeo ? degrees(locate(el.F2 - el.F1)) : a0 + degrees(el.C.coordsys.i); ap1 = (degrees(P[0]-C, false) - d)%360; ap2 = (degrees(P[1]-C, false) - d)%360; oa.init(el, a0, ap1, ap2, a.polarconicroutine, dir); g = arctopath(oa, 3); PP[0] = point(g, 0); PP[1] = point(g, 2); if((a1 - a2) * (ap1 - ap2) < 0) {// Handle reflection. dir=!a.direction; oa.init(el, a0, ap1, ap2, a.polarconicroutine, dir); } return oa; } /**/ arc operator *(real x, explicit arc a) {/*Provide real * arc. Return the arc subtracting and adding '(x - 1) * degrees(a)/2' to 'a.angle1' and 'a.angle2' respectively.*/ real a1, a2, gle; gle = (x - 1) * degrees(a)/2; a1 = a.angle1 - gle; a2 = a.angle2 + gle; arc oa; oa.init(a.el, a.angle0, a1, a2, a.polarconicroutine, a.direction); return oa; } arc operator *(int x, explicit arc a){return (real)x * a;} /**/ arc operator /(explicit arc a, real x) {/*Provide arc/real. Return the arc subtracting and adding '(1/x - 1) * degrees(a)/2' to 'a.angle1' and 'a.angle2' respectively.*/ return (1/x) * a; } /**/ arc operator +(explicit arc a, point M) {/*Provide arc + point. Return shifted arc. 'operator +(explicit arc, point)', 'operator +(explicit arc, vector)' and 'operator -(explicit arc, vector)' are also defined.*/ return shift(M) * a; } arc operator -(explicit arc a, point M){return a + (-M);} arc operator +(explicit arc a, vector v){return shift(locate(v)) * a;} arc operator -(explicit arc a, vector v){return a + (-v);} /**/ bool operator @(point M, arc a) {/*Return true iff 'M' is on the arc 'a'.*/ if (!(M @ a.el)) return false; coordsys R = defaultcoordsys; path ap = arctopath(a, 3); line l = line(point(R, point(ap, 0)), point(R, point(ap, 2))); return sameside(M, point(R, point(ap, 1)), l); } /**/ void draw(picture pic = currentpicture, Label L = "", arc a, align align = NoAlign, pen p = currentpen, arrowbar arrow = None, arrowbar bar = None, margin margin = NoMargin, Label legend = "", marker marker = nomarker) {/*Draw 'arc' adding the pen returned by 'addpenarc(p)' to the pen 'p'. */ draw(pic, L, (path)a, align, addpenarc(p), arrow, bar, margin, legend, marker); } /**/ real arclength(arc a) {/*The arc length of 'a'.*/ return arclength(a.el, a.angle1, a.angle2, a.direction, a.polarconicroutine); } private point ppoint(arc a, real x) {// Return the point of the arc proportionally to its length. point oP; if(a.el.e == 0) { // Case of circle. oP = angpoint(a, x * abs(degrees(a))); } else { // Ellipse and not circle. if(!a.direction) { transform t = reflect(line(a.el.F1, a.el.F2)); return t * ppoint(t * a, x); } real angle1 = a.angle1, angle2 = a.angle2; if(a.polarconicroutine == fromFocus) { // dot(point(fromFocus(a.el, angle1, angle1, 1, CCW), 0), 2mm + blue); // dot(point(fromFocus(a.el, angle2, angle2, 1, CCW), 0), 2mm + blue); // write("fromfocus1 = ", angle1); // write("fromfocus2 = ", angle2); real gle1 = focusToCenter(a.el, angle1); real gle2 = focusToCenter(a.el, angle2); if((gle1 - gle2) * (angle1 - angle2) > 0) { angle1 = gle1; angle2 = gle2; } else { angle1 = gle2; angle2 = gle1; } // write("fromcenter1 = ", angle1); // write("fromcenter2 = ", angle2); // dot(point(fromCenter(a.el, angle1, angle1, 1, CCW), 0), 1mm + red); // dot(point(fromCenter(a.el, angle2, angle2, 1, CCW), 0), 1mm + red); } if(angle1 > angle2) { arc ta = a.copy(); ta.polarconicroutine = fromCenter; ta.setangles(a0 = a.angle0, a1 = angle1 - 360, a2 = angle2); return ppoint(ta, x); } ellipse co = a.el; real gle, a1, a2, cx = 0; bool direction; if(x >= 0) { a1 = angle1; a2 = a1 + 360; direction = CCW; } else { a1 = angle1 - 360; a2 = a1 - 360; direction = CW; } gle = a1; real L = arclength(co, angle1, angle2, a.direction, fromCenter); real tx = L * abs(x)%arclength(co); real aout = a1; while(abs(cx - tx) > epsgeo) { aout = (a1 + a2)/2; cx = abs(arclength(co, gle, aout, direction, fromCenter)); if(cx > tx) a2 = (a1 + a2)/2 ; else a1 = (a1 + a2)/2; } pair p = point(arcfromcenter(co, aout, aout, CCW, 1), 0); oP = point(coordsys(co), p/coordsys(co)); } return oP; } /**/ point point(arc a, abscissa l) {/*Return the point of 'a' which has the abscissa 'l.x' according to the abscissa system 'l.system'. Note that 'a.polarconicroutine' is used instead of 'l.polarconicroutine'. */ real posx; arc ta = a.copy(); ellipse co = a.el; if (l.system == relativesystem) { posx = l.x; } else if (l.system == curvilinearsystem) { real tl; if(co.e == 0) { tl = curabscissa(a.el, angpoint(a.el, a.angle0 + a.angle1)).x; return curpoint(a.el, tl + (a.direction ? l.x : -l.x)); } else { tl = curabscissa(a.el, angpoint(a.el, a.angle1, a.polarconicroutine)).x; return curpoint(a.el, tl + (a.direction ? l.x : -l.x)); } } else if (l.system == nodesystem) { coordsys R = coordsys(co); return point(R, point((path)a, l.x)/R); } else if (l.system == angularsystem) { return angpoint(a, l.x); } else abort("point: bad abscissa system."); return ppoint(ta, posx); } /**/ point point(arc a, real x) {/*Return the point between node floor(t) and floor(t) + 1.*/ return point(a, nodabscissa(x)); } pair point(explicit arc a, int x) { return point(a, nodabscissa(x)); } /**/ point relpoint(arc a, real x) {/*Return the relative point of 'a'. If x > 1 or x < 0, the returned point is on the extended arc.*/ return point(a, relabscissa(x)); } /**/ point curpoint(arc a, real x) {/*Return the point of 'a' which has the curvilinear abscissa 'x'. If x < 0 or x > arclength(a), the returned point is on the extended arc.*/ return point(a, curabscissa(x)); } /**/ abscissa angabscissa(arc a, point M) {/*Return the angular abscissa of 'M' according to the arc 'a'.*/ if(!(M @ a.el)) abort("angabscissa: the point is not on the extended arc."); abscissa oa; oa.system = angularsystem; oa.polarconicroutine = a.polarconicroutine; real am = angabscissa(a.el, M, a.polarconicroutine).x; oa.x = (am - a.angle1 - (a.el.e == 0 ? a.angle0 : 0))%360; oa.x = a.direction ? oa.x : 360 - oa.x; return oa; } /**/ abscissa curabscissa(arc a, point M) {/*Return the curvilinear abscissa according to the arc 'a'.*/ ellipse el = a.el; if(!(M @ el)) abort("angabscissa: the point is not on the extended arc."); abscissa oa; oa.system = curvilinearsystem; real xm = curabscissa(el, M).x; real a0 = el.e == 0 ? a.angle0 : 0; real am = curabscissa(el, angpoint(el, a.angle1 + a0, a.polarconicroutine)).x; real l = arclength(el); oa.x = (xm - am)%l; oa.x = a.direction ? oa.x : l - oa.x; return oa; } /**/ abscissa nodabscissa(arc a, point M) {/*Return the node abscissa according to the arc 'a'.*/ if(!(M @ a)) abort("nodabscissa: the point is not on the arc."); abscissa oa; oa.system = nodesystem; oa.x = intersect((path)a, M)[0]; return oa; } /**/ abscissa relabscissa(arc a, point M) {/*Return the relative abscissa according to the arc 'a'.*/ ellipse el = a.el; if(!( M @ el)) abort("relabscissa: the point is not on the prolonged arc."); abscissa oa; oa.system = relativesystem; oa.x = curabscissa(a, M).x/arclength(a); return oa; } /**/ void markarc(picture pic = currentpicture, Label L = "", int n = 1, real radius = 0, real space = 0, arc a, pen sectorpen = currentpen, pen markpen = sectorpen, margin margin = NoMargin, arrowbar arrow = None, marker marker = nomarker) {/**/ real Da = degrees(a); pair p1 = point(a, 0); pair p2 = relpoint(a, 1); pair c = a.polarconicroutine == fromCenter ? locate(a.el.C) : locate(a.el.F1); if(radius == 0) radius = markangleradius(markpen); if(abs(Da) > 180) radius = -radius; radius = (a.direction ? 1 : -1) * sgnd(Da) * radius; draw(c--p1^^c--p2, sectorpen); markangle(pic = pic, L = L, n = n, radius = radius, space = space, A = p1, O = c, B = p2, arrow = arrow, p = markpen, margin = margin, marker = marker); } // *.........................ARCS..........................* // *=======================================================* // *=======================================================* // *........................MASSES.........................* /**/ struct mass {/**/ point M;/**/ real m;/**/ }/**/ /**/ mass mass(point M, real m) {/*Constructor of mass point.*/ mass om; om.M = M; om.m = m; return om; } /**/ point operator cast(mass m) {/*Cast mass point to point.*/ point op; op = m.M; op.m = m.m; return op; } /**/ point point(explicit mass m){return m;}/*Cast 'm' to point*/ /**/ mass operator cast(point M) {/*Cast point to mass point.*/ mass om; om.M = M; om.m = M.m; return om; } /**/ mass mass(explicit point P) {/*Cast 'P' to mass.*/ return mass(P, P.m); } /**/ point[] operator cast(mass[] m) {/*Cast mass[] to point[].*/ point[] op; for(mass am : m) op.push(point(am)); return op; } /**/ mass[] operator cast(point[] P) {/*Cast point[] to mass[].*/ mass[] om; for(point op : P) om.push(mass(op)); return om; } /**/ mass mass(coordsys R, explicit pair p, real m) {/*Return the mass which has coordinates 'p' with respect to 'R' and weight 'm'.*/ return point(R, p, m);// Using casting. } /**/ mass operator cast(pair m){return mass((point)m, 1);}/*Cast pair to mass point.*/ /**/ path operator cast(mass M){return M.M;}/*Cast mass point to path.*/ /**/ guide operator cast(mass M){return M.M;}/*Cast mass to guide.*/ /**/ mass operator +(mass M1, mass M2) {/*Provide mass + mass. mass - mass is also defined.*/ return mass(M1.M + M2.M, M1.m + M2.m); } mass operator -(mass M1, mass M2) { return mass(M1.M - M2.M, M1.m - M2.m); } /**/ mass operator *(real x, explicit mass M) {/*Provide real * mass. The resulted mass is the mass of 'M' multiplied by 'x' . mass/real, mass + real and mass - real are also defined.*/ return mass(M.M, x * M.m); } mass operator *(int x, explicit mass M){return mass(M.M, x * M.m);} mass operator /(explicit mass M, real x){return mass(M.M, M.m/x);} mass operator /(explicit mass M, int x){return mass(M.M, M.m/x);} mass operator +(explicit mass M, real x){return mass(M.M, M.m + x);} mass operator +(explicit mass M, int x){return mass(M.M, M.m + x);} mass operator -(explicit mass M, real x){return mass(M.M, M.m - x);} mass operator -(explicit mass M, int x){return mass(M.M, M.m - x);} /**/ mass operator *(transform t, mass M) {/*Provide transform * mass.*/ return mass(t * M.M, M.m); } /**/ mass masscenter(... mass[] M) {/*Return the center of the masses 'M'.*/ point[] P; for (int i = 0; i < M.length; ++i) P.push(M[i].M); P = standardizecoordsys(currentcoordsys, true ... P); real m = M[0].m; point oM = M[0].m * P[0]; for (int i = 1; i < M.length; ++i) { oM += M[i].m * P[i]; m += M[i].m; } if (m == 0) abort("masscenter: the sum of masses is null."); return mass(oM/m, m); } /**/ string massformat(string format = defaultmassformat, string s, mass M) {/*Return the string formated by 'format' with the mass value. In the parameter 'format', %L will be replaced by 's'. .*/ return format == "" ? s : format(replace(format, "%L", replace(s, "$", "")), M.m); } /**/ void label(picture pic = currentpicture, Label L, explicit mass M, align align = NoAlign, string format = defaultmassformat, pen p = nullpen, filltype filltype = NoFill) {/*Draw label returned by massformat(format, L, M) at coordinates of M. .*/ Label lL = L.copy(); lL.s = massformat(format, lL.s, M); Label L = Label(lL, M.M, align, p, filltype); add(pic, L); } /**/ void dot(picture pic = currentpicture, Label L, explicit mass M, align align = NoAlign, string format = defaultmassformat, pen p = currentpen) {/*Draw a dot with label 'L' as label(picture, Label, explicit mass, align, string, pen, filltype) does. .*/ Label lL = L.copy(); lL.s = massformat(format, lL.s, M); lL.position(locate(M.M)); lL.align(align, E); lL.p(p); dot(pic, M.M, p); add(pic, lL); } // *........................MASSES.........................* // *=======================================================* // *=======================================================* // *.......................TRIANGLES.......................* /**/ point orthocentercenter(point A, point B, point C) {/*Return the orthocenter of the triangle ABC.*/ point[] P = standardizecoordsys(A, B, C); coordsys R = P[0].coordsys; pair pp = extension(A, projection(P[1], P[2]) * P[0], B, projection(P[0], P[2]) * P[1]); return point(R, pp/R); } /**/ point centroid(point A, point B, point C) {/*Return the centroid of the triangle ABC.*/ return (A + B + C)/3; } /**/ point incenter(point A, point B, point C) {/*Return the center of the incircle of the triangle ABC.*/ point[] P = standardizecoordsys(A, B, C); coordsys R = P[0].coordsys; pair a = A, b = B, c = C; pair pp = extension(a, a + dir(a--b, a--c), b, b + dir(b--a, b--c)); return point(R, pp/R); } /**/ real inradius(point A, point B, point C) {/*Return the radius of the incircle of the triangle ABC.*/ point IC = incenter(A, B, C); return abs(IC - projection(A, B) * IC); } /**/ circle incircle(point A, point B, point C) {/*Return the incircle of the triangle ABC.*/ point IC = incenter(A, B, C); return circle(IC, abs(IC - projection(A, B) * IC)); } /**/ point excenter(point A, point B, point C) {/*Return the center of the excircle of the triangle tangent with (AB).*/ point[] P = standardizecoordsys(A, B, C); coordsys R = P[0].coordsys; pair a = A, b = B, c = C; pair pp = extension(a, a + rotate(90) * dir(a--b, a--c), b, b + rotate(90) * dir(b--a, b--c)); return point(R, pp/R); } /**/ real exradius(point A, point B, point C) {/*Return the radius of the excircle of the triangle ABC with (AB).*/ point EC = excenter(A, B, C); return abs(EC - projection(A, B) * EC); } /**/ circle excircle(point A, point B, point C) {/*Return the excircle of the triangle ABC tangent with (AB).*/ point center = excenter(A, B, C); real radius = abs(center - projection(B, C) * center); return circle(center, radius); } private int[] numarray = {1, 2, 3}; numarray.cyclic = true; /**/ struct triangle {/**/ /**/ struct vertex {/*Structure used to communicate the vertex of a triangle.*/ int n;/*1 means VA,2 means VB,3 means VC,4 means VA etc...*/ triangle t;/*The triangle to which the vertex refers.*/ }/**/ /**/ restricted point A, B, C;/*The vertices of the triangle (as point).*/ restricted vertex VA, VB, VC;/*The vertices of the triangle (as vertex). Note that the vertex structure contains the triangle to wish it refers.*/ VA.n = 1;VB.n = 2;VC.n = 3; /**/ vertex vertex(int n) {/*Return numbered vertex. 'n' is 1 means VA, 2 means VB, 3 means VC, 4 means VA etc...*/ n = numarray[n - 1]; if(n == 1) return VA; else if(n == 2) return VB; return VC; } /**/ point point(int n) {/*Return numbered point. n is 1 means A, 2 means B, 3 means C, 4 means A etc...*/ n = numarray[n - 1]; if(n == 1) return A; else if(n == 2) return B; return C; } /**/ void init(point A, point B, point C) {/*Constructor.*/ point[] P = standardizecoordsys(A, B, C); this.A = P[0]; this.B = P[1]; this.C = P[2]; VA.t = this; VB.t = this; VC.t = this; } /**/ void operator init(point A, point B, point C) {/*For backward compatibility. Provide the routine 'triangle(point A, point B, point C)'.*/ this.init(A, B, C); } /**/ void operator init(real b, real alpha, real c, real angle = 0, point A = (0, 0)) {/*For backward compatibility. Provide the routine 'triangle(real b, real alpha, real c, real angle = 0, point A = (0, 0)) which returns the triangle ABC rotated by 'angle' (in degrees) and where b = AC, degrees(A) = alpha, AB = c.*/ coordsys R = A.coordsys; this.init(A, A + R.polar(c, radians(angle)), A + R.polar(b, radians(angle + alpha))); } /**/ real a() {/*Return the length BC. b() and c() are also defined and return the length AC and AB respectively.*/ return length(C - B); } real b() {return length(A - C);} real c() {return length(B - A);} private real det(pair a, pair b) {return a.x * b.y - a.y * b.x;} /**/ real area() {/**/ pair a = locate(A), b = locate(B), c = locate(C); return 0.5 * abs(det(a, b) + det(b, c) + det(c, a)); } /**/ real alpha() {/*Return the measure (in degrees) of the angle A. beta() and gamma() are also defined and return the measure of the angles B and C respectively.*/ return degrees(acos((b()^2 + c()^2 - a()^2)/(2b() * c()))); } real beta() {return degrees(acos((c()^2 + a()^2 - b()^2)/(2c() * a())));} real gamma() {return degrees(acos((a()^2 + b()^2 - c()^2)/(2a() * b())));} /**/ path Path() {/*The path of the triangle.*/ return A--C--B--cycle; } /**/ struct side {/*Structure used to communicate the side of a triangle.*/ int n;/*1 or 0 means [AB],-1 means [BA],2 means [BC],-2 means [CB] etc.*/ triangle t;/*The triangle to which the side refers.*/ }/**/ /**/ side AB;/*For the routines using the structure 'side', triangle.AB means 'side AB'. BA, AC, CA etc are also defined.*/ AB.n = 1; AB.t = this; side BA; BA.n = -1; BA.t = this; side BC; BC.n = 2; BC.t = this; side CB; CB.n = -2; CB.t = this; side CA; CA.n = 3; CA.t = this; side AC; AC.n = -3; AC.t = this; /**/ side side(int n) {/*Return numbered side. n is 1 means AB, -1 means BA, 2 means BC, -2 means CB, etc.*/ if(n == 0) abort('Invalid side number.'); int an = numarray[abs(n)-1]; if(an == 1) return n > 0 ? AB : BA; else if(an == 2) return n > 0 ? BC : CB; return n > 0 ? CA : AC; } /**/ line line(int n) {/*Return the numbered line.*/ if(n == 0) abort('Invalid line number.'); int an = numarray[abs(n)-1]; if(an == 1) return n > 0 ? line(A, B) : line(B, A); else if(an == 2) return n > 0 ? line(B, C) : line(C, B); return n > 0 ? line(C, A) : line(A, C); } }/**/ from triangle unravel side; // The structure 'side' is now available outside the triangle structure. from triangle unravel vertex; // The structure 'vertex' is now available outside the triangle structure. triangle[] operator ^^(triangle[] t1, triangle t2) { triangle[] T; for (int i = 0; i < t1.length; ++i) T.push(t1[i]); T.push(t2); return T; } triangle[] operator ^^(... triangle[] t) { triangle[] T; for (int i = 0; i < t.length; ++i) { T.push(t[i]); } return T; } /**/ line operator cast(side side) {/*Cast side to (infinite) line. Most routine with line parameters works with side parameters. One can use the code 'segment(a_side)' to obtain a line segment.*/ triangle t = side.t; return t.line(side.n); } /**/ line line(explicit side side) {/*Return 'side' as line.*/ return (line)side; } /**/ segment segment(explicit side side) {/*Return 'side' as segment.*/ return (segment)(line)side; } /**/ point operator cast(vertex V) {/*Cast vertex to point. Most routine with point parameters works with vertex parameters.*/ return V.t.point(V.n); } /**/ point point(explicit vertex V) {/*Return the point corresponding to the vertex 'V'.*/ return (point)V; } /**/ side opposite(vertex V) {/*Return the opposite side of vertex 'V'.*/ return V.t.side(numarray[abs(V.n)]); } /**/ vertex opposite(side side) {/*Return the opposite vertex of side 'side'.*/ return side.t.vertex(numarray[abs(side.n) + 1]); } /**/ point midpoint(side side) {/**/ return midpoint(segment(side)); } /**/ triangle operator *(transform T, triangle t) {/*Provide transform * triangle.*/ return triangle(T * t.A, T * t.B, T * t.C); } /**/ triangle triangleAbc(real alpha, real b, real c, real angle = 0, point A = (0, 0)) {/*Return the triangle ABC rotated by 'angle' with BAC = alpha, AC = b and AB = c.*/ triangle T; coordsys R = A.coordsys; T.init(A, A + R.polar(c, radians(angle)), A + R.polar(b, radians(angle + alpha))); return T; } /**/ triangle triangleabc(real a, real b, real c, real angle = 0, point A = (0, 0)) {/*Return the triangle ABC rotated by 'angle' with BC = a, AC = b and AB = c.*/ triangle T; coordsys R = A.coordsys; T.init(A, A + R.polar(c, radians(angle)), A + R.polar(b, radians(angle) + acos((b^2 + c^2 - a^2)/(2 * b * c)))); return T; } /**/ triangle triangle(line l1, line l2, line l3) {/*Return the triangle defined by three line.*/ point P1, P2, P3; P1 = intersectionpoint(l1, l2); P2 = intersectionpoint(l1, l3); P3 = intersectionpoint(l2, l3); if(!(defined(P1) && defined(P2) && defined(P3))) abort("triangle: two lines are parallel."); return triangle(P1, P2, P3); } /**/ point foot(vertex V) {/*Return the endpoint of the altitude from V.*/ return projection((line)opposite(V)) * ((point)V); } /**/ point foot(side side) {/*Return the endpoint of the altitude on 'side'.*/ return projection((line)side) * point(opposite(side)); } /**/ line altitude(vertex V) {/*Return the altitude passing through 'V'.*/ return line(point(V), foot(V)); } /**/ line altitude(side side) {/*Return the altitude cutting 'side'.*/ return altitude(opposite(side)); } /**/ point orthocentercenter(triangle t) {/*Return the orthocenter of the triangle t.*/ return orthocentercenter(t.A, t.B, t.C); } /**/ point centroid(triangle t) {/*Return the centroid of the triangle 't'.*/ return (t.A + t.B + t.C)/3; } /**/ point circumcenter(triangle t) {/*Return the circumcenter of the triangle 't'.*/ return circumcenter(t.A, t.B, t.C); } /**/ circle circle(triangle t) {/*Return the circumcircle of the triangle 't'.*/ return circle(t.A, t.B, t.C); } /**/ circle circumcircle(triangle t) {/*Return the circumcircle of the triangle 't'.*/ return circle(t.A, t.B, t.C); } /**/ point incenter(triangle t) {/*Return the center of the incircle of the triangle 't'.*/ return incenter(t.A, t.B, t.C); } /**/ real inradius(triangle t) {/*Return the radius of the incircle of the triangle 't'.*/ return inradius(t.A, t.B, t.C); } /**/ circle incircle(triangle t) {/*Return the the incircle of the triangle 't'.*/ return incircle(t.A, t.B, t.C); } /**/ point excenter(side side) {/*Return the center of the excircle tangent with the side 'side' of its triangle. side = 0 means AB, 1 means AC, other means BC. One must use the predefined sides t.AB, t.AC where 't' is a triangle....*/ point op; triangle t = side.t; int n = numarray[abs(side.n) - 1]; if(n == 1) op = excenter(t.A, t.B, t.C); else if(n == 2) op = excenter(t.B, t.C, t.A); else op = excenter(t.C, t.A, t.B); return op; } /**/ real exradius(side side) {/*Return radius of the excircle tangent with the side 'side' of its triangle. side = 0 means AB, 1 means BC, other means CA. One must use the predefined sides t.AB, t.AC where 't' is a triangle....*/ real or; triangle t = side.t; int n = numarray[abs(side.n) - 1]; if(n == 1) or = exradius(t.A, t.B, t.C); else if(n == 2) or = exradius(t.B, t.C, t.A); else or = exradius(t.A, t.C, t.B); return or; } /**/ circle excircle(side side) {/*Return the excircle tangent with the side 'side' of its triangle. side = 0 means AB, 1 means AC, other means BC. One must use the predefined sides t.AB, t.AC where 't' is a triangle....*/ circle oc; int n = numarray[abs(side.n) - 1]; triangle t = side.t; if(n == 1) oc = excircle(t.A, t.B, t.C); else if(n == 2) oc = excircle(t.B, t.C, t.A); else oc = excircle(t.A, t.C, t.B); return oc; } /**/ struct trilinear {/*Trilinear coordinates 'a:b:c' relative to triangle 't'. */ real a,b,c;/*The trilinear coordinates.*/ triangle t;/*The reference triangle.*/ }/**/ /**/ trilinear trilinear(triangle t, real a, real b, real c) {/*Return the trilinear coordinates relative to 't'. */ trilinear ot; ot.a = a; ot.b = b; ot.c = c; ot.t = t; return ot; } /**/ trilinear trilinear(triangle t, point M) {/*Return the trilinear coordinates of 'M' relative to 't'. */ trilinear ot; pair m = locate(M); int sameside(pair A, pair B, pair m, pair p) {// Return 1 if 'm' and 'p' are same side of line (AB) else return -1. pair mil = (A + B)/2; pair mA = rotate(90, mil) * A; pair mB = rotate(-90, mil) * A; return (abs(m - mA) <= abs(m - mB)) == (abs(p - mA) <= abs(p - mB)) ? 1 : -1; } real det(pair a, pair b) {return a.x * b.y - a.y * b.x;} real area(pair a, pair b, pair c){return 0.5 * abs(det(a, b) + det(b, c) + det(c, a));} pair A = t.A, B = t.B, C = t.C; real t1 = area(B, C, m), t2 = area(C, A, m), t3 = area(A, B, m); ot.a = sameside(B, C, A, m) * t1/t.a(); ot.b = sameside(A, C, B, m) * t2/t.b(); ot.c = sameside(A, B, C, m) * t3/t.c(); ot.t = t; return ot; } /**/ void write(trilinear tri) {/**/ write(format("%f : ", tri.a) + format("%f : ", tri.b) + format("%f", tri.c)); } /**/ point point(trilinear tri) {/*Return the trilinear coordinates relative to 't'. */ triangle t = tri.t; return masscenter(0.5 * t.a() * mass(t.A, tri.a), 0.5 * t.b() * mass(t.B, tri.b), 0.5 * t.c() * mass(t.C, tri.c)); } /**/ int[] tricoef(side side) {/*Return an array of integer (values are 0 or 1) which represents 'side'. For example, side = t.BC will be represented by {0, 1, 1}.*/ int[] oi; int n = numarray[abs(side.n) - 1]; oi.push((n == 1 || n == 3) ? 1 : 0); oi.push((n == 1 || n == 2) ? 1 : 0); oi.push((n == 2 || n == 3) ? 1 : 0); return oi; } /**/ point operator cast(trilinear tri) {/*Cast trilinear to point. One may use the routine 'point(trilinear)' to force the casting.*/ return point(tri); } /**/ typedef real centerfunction(real, real, real);/**/ /**/ trilinear trilinear(triangle t, centerfunction f, real a = t.a(), real b = t.b(), real c = t.c()) {/**/ return trilinear(t, f(a, b, c), f(b, c, a), f(c, a, b)); } /**/ point symmedian(triangle t) {/*Return the symmedian point of 't'.*/ point A, B, C; real a = t.a(), b = t.b(), c = t.c(); A = trilinear(t, 0, b, c); B = trilinear(t, a, 0, c); return intersectionpoint(line(t.A, A), line(t.B, B)); } /**/ point symmedian(side side) {/*The symmedian point on the side 'side'.*/ triangle t = side.t; int n = numarray[abs(side.n) - 1]; if(n == 1) return trilinear(t, t.a(), t.b(), 0); if(n == 2) return trilinear(t, 0, t.b(), t.c()); return trilinear(t, t.a(), 0, t.c()); } /**/ line symmedian(vertex V) {/*Return the symmedian passing through 'V'.*/ return line(point(V), symmedian(V.t)); } /**/ triangle cevian(triangle t, point P) {/*Return the Cevian triangle with respect of 'P' .*/ trilinear tri = trilinear(t, locate(P)); point A = point(trilinear(t, 0, tri.b, tri.c)); point B = point(trilinear(t, tri.a, 0, tri.c)); point C = point(trilinear(t, tri.a, tri.b, 0)); return triangle(A, B, C); } /**/ point cevian(side side, point P) {/*Return the Cevian point on 'side' with respect of 'P'.*/ triangle t = side.t; trilinear tri = trilinear(t, locate(P)); int[] s = tricoef(side); return point(trilinear(t, s[0] * tri.a, s[1] * tri.b, s[2] * tri.c)); } /**/ line cevian(vertex V, point P) {/*Return line passing through 'V' and its Cevian image with respect of 'P'.*/ return line(point(V), cevian(opposite(V), P)); } /**/ point gergonne(triangle t) {/*Return the Gergonne point of 't'.*/ real f(real a, real b, real c){return 1/(a * (b + c - a));} return point(trilinear(t, f)); } /**/ point[] fermat(triangle t) {/*Return the Fermat points of 't'.*/ point[] P; real A = t.alpha(), B = t.beta(), C = t.gamma(); P.push(point(trilinear(t, 1/Sin(A + 60), 1/Sin(B + 60), 1/Sin(C + 60)))); P.push(point(trilinear(t, 1/Sin(A - 60), 1/Sin(B - 60), 1/Sin(C - 60)))); return P; } /**/ point isotomicconjugate(triangle t, point M) {/**/ if(!inside(t.Path(), locate(M))) abort("isotomic: the point must be inside the triangle."); trilinear tr = trilinear(t, M); return point(trilinear(t, 1/(t.a()^2 * tr.a), 1/(t.b()^2 * tr.b), 1/(t.c()^2 * tr.c))); } /**/ line isotomic(vertex V, point M) {/*.*/ side op = opposite(V); return line(V, rotate(180, midpoint(op)) * cevian(op, M)); } /**/ point isotomic(side side, point M) {/**/ return intersectionpoint(isotomic(opposite(side), M), side); } /**/ triangle isotomic(triangle t, point M) {/**/ return triangle(isotomic(t.BC, M), isotomic(t.CA, M), isotomic(t.AB, M)); } /**/ point isogonalconjugate(triangle t, point M) {/**/ trilinear tr = trilinear(t, M); return point(trilinear(t, 1/tr.a, 1/tr.b, 1/tr.c)); } /**/ point isogonal(side side, point M) {/**/ return cevian(side, isogonalconjugate(side.t, M)); } /**/ line isogonal(vertex V, point M) {/**/ return line(V, isogonal(opposite(V), M)); } /**/ triangle isogonal(triangle t, point M) {/**/ return triangle(isogonal(t.BC, M), isogonal(t.CA, M), isogonal(t.AB, M)); } /**/ triangle pedal(triangle t, point M) {/*Return the pedal triangle of 'M' in 't'. */ return triangle(projection(t.BC) * M, projection(t.AC) * M, projection(t.AB) * M); } /**/ line pedal(side side, point M) {/*Return the pedal line of 'M' cutting 'side'. */ return line(M, projection(side) * M); } /**/ triangle antipedal(triangle t, point M) {/**/ trilinear Tm = trilinear(t, M); real a = Tm.a, b = Tm.b, c = Tm.c; real CA = Cos(t.alpha()), CB = Cos(t.beta()), CC = Cos(t.gamma()); point A = trilinear(t, -(b + a * CC) * (c + a * CB), (c + a * CB) * (a + b * CC), (b + a * CC) * (a + c * CB)); point B = trilinear(t, (c + b * CA) * (b + a * CC), -(c + b * CA) * (a + b * CC), (a + b * CC) * (b + c * CA)); point C = trilinear(t, (b + c * CA) * (c + a * CB), (a + c * CB) * (c + b * CA), -(a + c * CB) * (b + c * CA)); return triangle(A, B, C); } /**/ triangle extouch(triangle t) {/*Return the extouch triangle of the triangle 't'. The extouch triangle of 't' is the triangle formed by the points of tangency of a triangle 't' with its excircles.*/ point A, B, C; real a = t.a(), b = t.b(), c = t.c(); A = trilinear(t, 0, (a - b + c)/b, (a + b - c)/c); B = trilinear(t, (-a + b + c)/a, 0, (a + b - c)/c); C = trilinear(t, (-a + b + c)/a, (a - b + c)/b, 0); return triangle(A, B, C); } /**/ triangle incentral(triangle t) {/*Return the incentral triangle of the triangle 't'. It is the triangle whose vertices are determined by the intersections of the reference triangle's angle bisectors with the respective opposite sides.*/ point A, B, C; // real a = t.a(), b = t.b(), c = t.c(); A = trilinear(t, 0, 1, 1); B = trilinear(t, 1, 0, 1); C = trilinear(t, 1, 1, 0); return triangle(A, B, C); } /**/ triangle extouch(side side) {/*Return the triangle formed by the points of tangency of the triangle referenced by 'side' with its excircles. One vertex of the returned triangle is on the segment 'side'.*/ triangle t = side.t; transform p1 = projection((line)t.AB); transform p2 = projection((line)t.AC); transform p3 = projection((line)t.BC); point EP = excenter(side); return triangle(p3 * EP, p2 * EP, p1 * EP); } /**/ point bisectorpoint(side side) {/*The intersection point of the angle bisector from the opposite point of 'side' with the side 'side'.*/ triangle t = side.t; int n = numarray[abs(side.n) - 1]; if(n == 1) return trilinear(t, 1, 1, 0); if(n == 2) return trilinear(t, 0, 1, 1); return trilinear(t, 1, 0, 1); } /**/ line bisector(vertex V, real angle = 0) {/*Return the interior bisector passing through 'V' rotated by angle (in degrees) around 'V'.*/ return rotate(angle, point(V)) * line(point(V), incenter(V.t)); } /**/ line bisector(side side) {/*Return the bisector of the line segment 'side'.*/ return bisector(segment(side)); } /**/ point intouch(side side) {/*The point of tangency on the side 'side' of its incircle.*/ triangle t = side.t; real a = t.a(), b = t.b(), c = t.c(); int n = numarray[abs(side.n) - 1]; if(n == 1) return trilinear(t, b * c/(-a + b + c), a * c/(a - b + c), 0); if(n == 2) return trilinear(t, 0, a * c/(a - b + c), a * b/(a + b - c)); return trilinear(t, b * c/(-a + b + c), 0, a * b/(a + b - c)); } /**/ triangle intouch(triangle t) {/*Return the intouch triangle of the triangle 't'. The intouch triangle of 't' is the triangle formed by the points of tangency of a triangle 't' with its incircles.*/ point A, B, C; real a = t.a(), b = t.b(), c = t.c(); A = trilinear(t, 0, a * c/(a - b + c), a * b/(a + b - c)); B = trilinear(t, b * c/(-a + b + c), 0, a * b/(a + b - c)); C = trilinear(t, b * c/(-a + b + c), a * c/(a - b + c), 0); return triangle(A, B, C); } /**/ triangle tangential(triangle t) {/*Return the tangential triangle of the triangle 't'. The tangential triangle of 't' is the triangle formed by the lines tangent to the circumcircle of the given triangle 't' at its vertices.*/ point A, B, C; real a = t.a(), b = t.b(), c = t.c(); A = trilinear(t, -a, b, c); B = trilinear(t, a, -b, c); C = trilinear(t, a, b, -c); return triangle(A, B, C); } /**/ triangle medial(triangle t) {/*Return the triangle whose vertices are midpoints of the sides of 't'.*/ return triangle(midpoint(t.BC), midpoint(t.AC), midpoint(t.AB)); } /**/ line median(vertex V) {/*Return median from 'V'.*/ return line(point(V), midpoint(segment(opposite(V)))); } /**/ line median(side side) {/*Return median from the opposite vertex of 'side'.*/ return median(opposite(side)); } /**/ triangle orthic(triangle t) {/*Return the triangle whose vertices are endpoints of the altitudes from each of the vertices of 't'.*/ return triangle(foot(t.BC), foot(t.AC), foot(t.AB)); } /**/ triangle symmedial(triangle t) {/*Return the symmedial triangle of 't'.*/ point A, B, C; real a = t.a(), b = t.b(), c = t.c(); A = trilinear(t, 0, b, c); B = trilinear(t, a, 0, c); C = trilinear(t, a, b, 0); return triangle(A, B, C); } /**/ triangle anticomplementary(triangle t) {/*Return the triangle which has the given triangle 't' as its medial triangle.*/ real a = t.a(), b = t.b(), c = t.c(); real ab = a * b, bc = b * c, ca = c * a; point A = trilinear(t, -bc, ca, ab); point B = trilinear(t, bc, -ca, ab); point C = trilinear(t, bc, ca, -ab); return triangle(A, B, C); } /**/ point[] intersectionpoints(triangle t, line l, bool extended = false) {/*Return the intersection points. If 'extended' is true, the sides are lines else the sides are segments. intersectionpoints(line, triangle, bool) is also defined.*/ point[] OP; void addpoint(point P) { if(defined(P)) { bool exist = false; for (int i = 0; i < OP.length; ++i) { if(P == OP[i]) {exist = true; break;} } if(!exist) OP.push(P); } } if(extended) { for (int i = 1; i <= 3; ++i) { addpoint(intersectionpoint(t.line(i), l)); } } else { for (int i = 1; i <= 3; ++i) { addpoint(intersectionpoint((segment)t.line(i), l)); } } return OP; } point[] intersectionpoints(line l, triangle t, bool extended = false) { return intersectionpoints(t, l, extended); } /**/ vector dir(vertex V) {/*The direction (towards the outside of the triangle) of the interior angle bisector of 'V'.*/ triangle t = V.t; if(V.n == 1) return vector(defaultcoordsys, (-dir(t.A--t.B, t.A--t.C))); if(V.n == 2) return vector(defaultcoordsys, (-dir(t.B--t.A, t.B--t.C))); return vector(defaultcoordsys, (-dir(t.C--t.A, t.C--t.B))); } /**/ void label(picture pic = currentpicture, Label L, vertex V, pair align = dir(V), real alignFactor = 1, pen p = nullpen, filltype filltype = NoFill) {/*Draw 'L' on picture 'pic' at vertex 'V' aligned by 'alignFactor * align'.*/ label(pic, L, locate(point(V)), alignFactor * align, p, filltype); } /**/ void label(picture pic = currentpicture, Label LA = "$A$", Label LB = "$B$", Label LC = "$C$", triangle t, real alignAngle = 0, real alignFactor = 1, pen p = nullpen, filltype filltype = NoFill) {/*Draw labels LA, LB and LC aligned in the rotated (by 'alignAngle' in degrees) direction (towards the outside of the triangle) of the interior angle bisector of vertices. One can individually modify the alignment by setting the Label parameter 'align'.*/ Label lla = LA.copy(); lla.align(lla.align, rotate(alignAngle) * locate(dir(t.VA))); label(pic, LA, t.VA, align = lla.align.dir, alignFactor = alignFactor, p, filltype); Label llb = LB.copy(); llb.align(llb.align, rotate(alignAngle) * locate(dir(t.VB))); label(pic, llb, t.VB, align = llb.align.dir, alignFactor = alignFactor, p, filltype); Label llc = LC.copy(); llc.align(llc.align, rotate(alignAngle) * locate(dir(t.VC))); label(pic, llc, t.VC, align = llc.align.dir, alignFactor = alignFactor, p, filltype); } /**/ void show(picture pic = currentpicture, Label LA = "$A$", Label LB = "$B$", Label LC = "$C$", Label La = "$a$", Label Lb = "$b$", Label Lc = "$c$", triangle t, pen p = currentpen, filltype filltype = NoFill) {/*Draw triangle and labels of sides and vertices.*/ pair a = locate(t.A), b = locate(t.B), c = locate(t.C); draw(pic, a--b--c--cycle, p); label(pic, LA, a, -dir(a--b, a--c), p, filltype); label(pic, LB, b, -dir(b--a, b--c), p, filltype); label(pic, LC, c, -dir(c--a, c--b), p, filltype); pair aligna = I * unit(c - b), alignb = I * unit(c - a), alignc = I * unit(b - a); pair mAB = locate(midpoint(t.AB)), mAC = locate(midpoint(t.AC)), mBC = locate(midpoint(t.BC)); label(pic, La, b--c, align = rotate(dot(a - mBC, aligna) > 0 ? 180 :0) * aligna, p); label(pic, Lb, a--c, align = rotate(dot(b - mAC, alignb) > 0 ? 180 :0) * alignb, p); label(pic, Lc, a--b, align = rotate(dot(c - mAB, alignc) > 0 ? 180 :0) * alignc, p); } /**/ void draw(picture pic = currentpicture, triangle t, pen p = currentpen, marker marker = nomarker) {/*Draw sides of the triangle 't' on picture 'pic' using pen 'p'.*/ draw(pic, t.Path(), p, marker); } /**/ void draw(picture pic = currentpicture, triangle[] t, pen p = currentpen, marker marker = nomarker) {/*Draw sides of the triangles 't' on picture 'pic' using pen 'p'.*/ for(int i = 0; i < t.length; ++i) draw(pic, t[i], p, marker); } /**/ void drawline(picture pic = currentpicture, triangle t, pen p = currentpen) {/*Draw lines of the triangle 't' on picture 'pic' using pen 'p'.*/ draw(t, p); draw(pic, line(t.A, t.B), p); draw(pic, line(t.A, t.C), p); draw(pic, line(t.B, t.C), p); } /**/ void dot(picture pic = currentpicture, triangle t, pen p = currentpen) {/*Draw a dot at each vertex of 't'.*/ dot(pic, t.A^^t.B^^t.C, p); } // *.......................TRIANGLES.......................* // *=======================================================* // *=======================================================* // *.......................INVERSIONS......................* /**/ point inverse(real k, point A, point M) {/*Return the inverse point of 'M' with respect to point A and inversion radius 'k'.*/ return A + k/conj(M - A); } /**/ point radicalcenter(circle c1, circle c2) {/**/ point[] P = standardizecoordsys(c1.C, c2.C); real k = c1.r^2 - c2.r^2; pair C1 = locate(c1.C); pair C2 = locate(c2.C); pair oop = C2 - C1; pair K = (abs(oop) == 0) ? (infinity, infinity) : midpoint(C1--C2) + 0.5 * k * oop/dot(oop, oop); return point(P[0].coordsys, K/P[0].coordsys); } /**/ line radicalline(circle c1, circle c2) {/**/ if (c1.C == c2.C) abort("radicalline: the centers must be distinct"); return perpendicular(radicalcenter(c1, c2), line(c1.C, c2.C)); } /**/ point radicalcenter(circle c1, circle c2, circle c3) {/**/ return intersectionpoint(radicalline(c1, c2), radicalline(c1, c3)); } /**/ struct inversion {/*http://mathworld.wolfram.com/Inversion.html*/ point C; real k; }/**/ /**/ inversion inversion(real k, point C) {/*Return the inversion with respect to 'C' having inversion radius 'k'.*/ inversion oi; oi.k = k; oi.C = C; return oi; } /**/ inversion inversion(point C, real k) {/*Return the inversion with respect to 'C' having inversion radius 'k'.*/ return inversion(k, C); } /**/ inversion inversion(circle c1, circle c2, real sgn = 1) {/*Return the inversion which transforms 'c1' to . 'c2' and positive inversion radius if 'sgn > 0'; . 'c2' and negative inversion radius if 'sgn < 0'; . 'c1' and 'c2' to 'c2' if 'sgn = 0'.*/ if(sgn == 0) { point O = radicalcenter(c1, c2); return inversion(O^c1, O); } real a = abs(c1.r/c2.r); if(sgn > 0) { point O = c1.C + a/abs(1 - a) * (c2.C - c1.C); return inversion(a * abs(abs(O - c2.C)^2 - c2.r^2), O); } point O = c1.C + a/abs(1 + a) * (c2.C - c1.C); return inversion(-a * abs(abs(O - c2.C)^2 - c2.r^2), O); } /**/ inversion inversion(circle c1, circle c2, circle c3) {/*Return the inversion which transform 'c1' to 'c1', 'c2' to 'c2' and 'c3' to 'c3'.*/ point Rc = radicalcenter(c1, c2, c3); return inversion(Rc, Rc^c1); } circle operator cast(inversion i){return circle(i.C, sgn(i.k) * sqrt(abs(i.k)));} /**/ circle circle(inversion i) {/*Return the inversion circle of 'i'.*/ return i; } inversion operator cast(circle c) { return inversion(sgn(c.r) * c.r^2, c.C); } /**/ inversion inversion(circle c) {/*Return the inversion represented by the circle of 'c'.*/ return c; } /**/ point operator *(inversion i, point P) {/*Provide inversion * point.*/ return inverse(i.k, i.C, P); } void lineinversion() { warning("lineinversion", "the inversion of the line is not a circle. The returned circle has an infinite radius, circle.l has been set."); } /**/ circle inverse(real k, point A, line l) {/*Return the inverse circle of 'l' with respect to point 'A' and inversion radius 'k'.*/ if(A @ l) { lineinversion(); circle C = circle(A, infinity); C.l = l; return C; } point Ap = inverse(k, A, l.A), Bp = inverse(k, A, l.B); return circle(A, Ap, Bp); } /**/ circle operator *(inversion i, line l) {/*Provide inversion * line for lines that don't pass through the inversion center.*/ return inverse(i.k, i.C, l); } /**/ circle inverse(real k, point A, circle c) {/*Return the inverse circle of 'c' with respect to point A and inversion radius 'k'.*/ if(degenerate(c)) return inverse(k, A, c.l); if(A @ c) { lineinversion(); point M = rotate(180, c.C) * A, Mp = rotate(90, c.C) * A; circle oc = circle(A, infinity); oc.l = line(inverse(k, A, M), inverse(k, A, Mp)); return oc; } point[] P = standardizecoordsys(A, c.C); real s = k/((P[1].x - P[0].x)^2 + (P[1].y - P[0].y)^2 - c.r^2); return circle(P[0] + s * (P[1]-P[0]), abs(s) * c.r); } /**/ circle operator *(inversion i, circle c) {/*Provide inversion * circle.*/ return inverse(i.k, i.C, c); } // *.......................INVERSIONS......................* // *=======================================================* // *=======================================================* // *........................FOOTER.........................* /**/ point[] intersectionpoints(line l, circle c) {/*Note that the line 'l' may be a segment by casting. intersectionpoints(circle, line) is also defined.*/ if(degenerate(c)) return new point[]{intersectionpoint(l, c.l)}; point[] op; coordsys R = samecoordsys(l.A, c.C) ? l.A.coordsys : defaultcoordsys; coordsys Rp = defaultcoordsys; circle cc = circle(changecoordsys(Rp, c.C), c.r); point proj = projection(l) * c.C; if(proj @ cc) { // The line is a tangente of the circle. if(proj @ l) op.push(proj);// line may be a segement... } else { coordsys Rc = cartesiansystem(c.C, (1, 0), (0, 1)); line ll = changecoordsys(Rc, l); pair[] P = intersectionpoints(ll.A.coordinates, ll.B.coordinates, 1, 0, 1, 0, 0, -c.r^2); for (int i = 0; i < P.length; ++i) { point inter = changecoordsys(R, point(Rc, P[i])); if(inter @ l) op.push(inter); } } return op; } point[] intersectionpoints(circle c, line l) { return intersectionpoints(l, c); } /**/ point[] intersectionpoints(line l, ellipse el) {/*Note that the line 'l' may be a segment by casting. intersectionpoints(ellipse, line) is also defined.*/ if(el.e == 0) return intersectionpoints(l, (circle)el); if(degenerate(el)) return new point[]{intersectionpoint(l, el.l)}; point[] op; coordsys R = samecoordsys(l.A, el.C) ? l.A.coordsys : defaultcoordsys; coordsys Rp = defaultcoordsys; line ll = changecoordsys(Rp, l); ellipse ell = (ellipse) changecoordsys(Rp, el); circle C = circle(ell.C, ell.a); point[] Ip = intersectionpoints(ll, C); if (Ip.length > 0 && (perpendicular(ll, line(ell.F1, Ip[0])) || perpendicular(ll, line(ell.F2, Ip[0])))) { // http://www.mathcurve.com/courbes2d/ellipse/ellipse.shtml // Definition of the tangent at the antipodal point on the circle. // 'l' is a tangent of 'el' transform t = scale(el.a/el.b, el.F1, el.F2, el.C, rotate(90, el.C) * el.F1); point inter = inverse(t) * intersectionpoints(C, t * ll)[0]; if(inter @ l) op.push(inter); } else { coordsys Rc = canonicalcartesiansystem(el); line ll = changecoordsys(Rc, l); pair[] P = intersectionpoints(ll.A.coordinates, ll.B.coordinates, 1/el.a^2, 0, 1/el.b^2, 0, 0, -1); for (int i = 0; i < P.length; ++i) { point inter = changecoordsys(R, point(Rc, P[i])); if(inter @ l) op.push(inter); } } return op; } point[] intersectionpoints(ellipse el, line l) { return intersectionpoints(l, el); } /**/ point[] intersectionpoints(line l, parabola p) {/*Note that the line 'l' may be a segment by casting. intersectionpoints(parabola, line) is also defined.*/ point[] op; coordsys R = coordsys(p); bool tgt = false; line ll = changecoordsys(R, l), lv = parallel(p.V, p.D); point M = intersectionpoint(lv, ll), tgtp; if(finite(M)) {// Test if 'l' is tangent to 'p' line l1 = bisector(line(M, p.F)); line l2 = rotate(90, M) * lv; point P = intersectionpoint(l1, l2); tgtp = rotate(180, P) * p.F; tgt = (tgtp @ l); } if(tgt) { if(tgtp @ l) op.push(tgtp); } else { real[] eq = changecoordsys(defaultcoordsys, equation(p)).a; pair[] tp = intersectionpoints(locate(l.A), locate(l.B), eq); point inter; for (int i = 0; i < tp.length; ++i) { inter = point(R, tp[i]/R); if(inter @ l) op.push(inter); } } return op; } point[] intersectionpoints(parabola p, line l) { return intersectionpoints(l, p); } /**/ point[] intersectionpoints(line l, hyperbola h) {/*Note that the line 'l' may be a segment by casting. intersectionpoints(hyperbola, line) is also defined.*/ point[] op; coordsys R = coordsys(h); point A = intersectionpoint(l, h.A1), B = intersectionpoint(l, h.A2); point M = midpoint(segment(A, B)); bool tgt = Finite(M) ? M @ h : false; if(tgt) { if(M @ l) op.push(M); } else { real[] eq = changecoordsys(defaultcoordsys, equation(h)).a; pair[] tp = intersectionpoints(locate(l.A), locate(l.B), eq); point inter; for (int i = 0; i < tp.length; ++i) { inter = point(R, tp[i]/R); if(inter @ l) op.push(inter); } } return op; } point[] intersectionpoints(hyperbola h, line l) { return intersectionpoints(l, h); } /**/ point[] intersectionpoints(line l, conic co) {/*Note that the line 'l' may be a segment by casting. intersectionpoints(conic, line) is also defined.*/ point[] op; if(co.e < 1) op = intersectionpoints((ellipse)co, l); else if(co.e == 1) op = intersectionpoints((parabola)co, l); else op = intersectionpoints((hyperbola)co, l); return op; } point[] intersectionpoints(conic co, line l) { return intersectionpoints(l, co); } /**/ point[] intersectionpoints(bqe bqe1, bqe bqe2) {/*Return the intersection of the two conic sections whose equations are 'bqe1' and 'bqe2'.*/ coordsys R=canonicalcartesiansystem(conic(bqe1)); real[] a=changecoordsys(R,bqe1).a; real[] b=changecoordsys(R,bqe2).a; static real e=100 * sqrt(realEpsilon); real[] x,y,c; point[] P; if(abs(a[0]-b[0]) > e || abs(a[1]-b[1]) > e || abs(a[2]-b[2]) > e) { c=new real[] {a[0]*a[2]*(-2*b[0]*b[2]+b[1]^2)+a[0]^2*b[2]^2+a[2]^2*b[0]^2, 2*a[0]*a[2]*b[1]*b[4]-2*a[2]*a[3]*b[0]*b[2] -2*a[0]*a[2]*b[2]*b[3]+a[2]*a[3]*b[1]^2+2*a[2]^2*b[0]*b[3], a[2]*a[5]*b[1]^2-2*a[2]*a[3]*b[2]*b[3]+2*a[2]^2*b[0]*b[5] +2*a[0]*a[5]*b[2]^2+a[3]^2*b[2]^2-2*a[2]*a[5]*b[0]*b[2] -2*a[0]*a[2]*b[2]*b[5]+a[2]^2*b[3]^2+2*a[2]*a[3]*b[1]*b[4] +a[0]*a[2]*b[4]^2, a[2]*a[3]*b[4]^2+2*a[2]^2*b[3]*b[5]-2*a[2]*a[3]*b[2]*b[5] -2*a[2]*a[5]*b[2]*b[3]+2*a[2]*a[5]*b[1]*b[4], -2*a[2]*a[5]*b[2]*b[5]+a[5]^2*b[2]^2+a[2]*a[5]*b[4]^2 +a[2]^2*b[5]^2}; x=realquarticroots(c[0],c[1],c[2],c[3],c[4]); } else { if(abs(b[4]) > e) { real D=b[4]^2; c=new real[] {(a[0]*b[4]^2+a[2]*b[3]^2+ (-2*a[2]*a[3])*b[3]+a[2]*a[3]^2)/D, -((-2*a[2]*b[3]+2*a[2]*a[3])*b[5]-a[3]*b[4]^2+ (2*a[2]*a[5])*b[3])/D,a[2]*(a[5]-b[5])^2/D+a[5]}; x=quadraticroots(c[0],c[1],c[2]); } else { if(abs(a[3]-b[3]) > e) { real D=b[3]-a[3]; c=new real[] {a[2],0,a[0]*(a[5]-b[5])^2/D^2-a[3]*b[5]/D+a[5]}; y=quadraticroots(c[0],c[1],c[2]); for(int i=0; i < y.length; ++i) { c=new real[] {a[0],a[3],a[2]*y[i]^2+a[5]}; x=quadraticroots(c[0],c[1],c[2]); for(int j=0; j < x.length; ++j) { if(abs(b[0]*x[j]^2+b[1]*x[j]*y[i]+b[2]*y[i]^2+b[3]*x[j] +b[4]*y[i]+b[5]) < 1e-5) P.push(changecoordsys(currentcoordsys,point(R,(x[j],y[i])))); } } return P; } else { if(abs(a[5]-b[5]) < e) abort("intersectionpoints: intersection of identical conics."); } } } for(int i=0; i < x.length; ++i) { c=new real[] {a[2],0,a[0]*x[i]^2+a[3]*x[i]+a[5]}; y=quadraticroots(c[0],c[1],c[2]); for(int j=0; j < y.length; ++j) { if(abs(b[0]*x[i]^2+b[1]*x[i]*y[j]+b[2]*y[j]^2+b[3]*x[i]+b[4]*y[j]+b[5]) < 1e-5) P.push(changecoordsys(currentcoordsys,point(R,(x[i],y[j])))); } } return P; } /**/ point[] intersectionpoints(conic co1, conic co2) {/*Return the intersection points of the two conics.*/ if(degenerate(co1)) return intersectionpoints(co1.l[0], co2); if(degenerate(co2)) return intersectionpoints(co1, co2.l[0]); return intersectionpoints(equation(co1), equation(co2)); } /**/ point[] intersectionpoints(triangle t, conic co, bool extended = false) {/*Return the intersection points. If 'extended' is true, the sides are lines else the sides are segments. intersectionpoints(conic, triangle, bool) is also defined.*/ if(degenerate(co)) return intersectionpoints(t, co.l[0], extended); point[] OP; void addpoint(point P[]) { for (int i = 0; i < P.length; ++i) { if(defined(P[i])) { bool exist = false; for (int j = 0; j < OP.length; ++j) { if(P[i] == OP[j]) {exist = true; break;} } if(!exist) OP.push(P[i]); }}} if(extended) { for (int i = 1; i <= 3; ++i) { addpoint(intersectionpoints(t.line(i), co)); } } else { for (int i = 1; i <= 3; ++i) { addpoint(intersectionpoints((segment)t.line(i), co)); } } return OP; } point[] intersectionpoints(conic co, triangle t, bool extended = false) { return intersectionpoints(t, co, extended); } /**/ point[] intersectionpoints(ellipse a, ellipse b) {/**/ // if(degenerate(a)) return intersectionpoints(a.l, b); // if(degenerate(b)) return intersectionpoints(a, b.l);; return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(ellipse a, circle b) {/**/ // if(degenerate(a)) return intersectionpoints(a.l, b); // if(degenerate(b)) return intersectionpoints(a, b.l);; return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(circle a, ellipse b) {/**/ return intersectionpoints(b, a); } /**/ point[] intersectionpoints(ellipse a, parabola b) {/**/ // if(degenerate(a)) return intersectionpoints(a.l, b); return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(parabola a, ellipse b) {/**/ return intersectionpoints(b, a); } /**/ point[] intersectionpoints(ellipse a, hyperbola b) {/**/ // if(degenerate(a)) return intersectionpoints(a.l, b); return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(hyperbola a, ellipse b) {/**/ return intersectionpoints(b, a); } /**/ point[] intersectionpoints(circle a, parabola b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(parabola a, circle b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(circle a, hyperbola b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(hyperbola a, circle b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(parabola a, parabola b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(parabola a, hyperbola b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(hyperbola a, parabola b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(hyperbola a, hyperbola b) {/**/ return intersectionpoints((conic)a, (conic)b); } /**/ point[] intersectionpoints(circle c1, circle c2) {/**/ if(degenerate(c1)) return degenerate(c2) ? new point[]{intersectionpoint(c1.l, c2.l)} : intersectionpoints(c1.l, c2); if(degenerate(c2)) return intersectionpoints(c1, c2.l); return (c1.C == c2.C) ? new point[] : intersectionpoints(radicalline(c1, c2), c1); } /**/ line tangent(circle c, abscissa x) {/*Return the tangent of 'c' at 'point(c, x)'.*/ if(c.r == 0) abort("tangent: a circle with a radius equals zero has no tangent."); point M = point(c, x); return line(rotate(90, M) * c.C, M); } /**/ line[] tangents(circle c, point M) {/*Return the tangents of 'c' passing through 'M'.*/ line[] ol; if(inside(c, M)) return ol; if(M @ c) { ol.push(tangent(c, relabscissa(c, M))); } else { circle cc = circle(c.C, M); point[] inter = intersectionpoints(c, cc); for (int i = 0; i < inter.length; ++i) ol.push(tangents(c, inter[i])[0]); } return ol; } /**/ point point(circle c, point M) {/*Return the intersection point of 'c' with the half-line '[c.C M)'.*/ return intersectionpoints(c, line(c.C, false, M))[0]; } /**/ line tangent(circle c, point M) {/*Return the tangent of 'c' at the intersection point of the half-line'[c.C M)'.*/ return tangents(c, point(c, M))[0]; } /**/ point point(circle c, explicit vector v) {/*Return the intersection point of 'c' with the half-line '[c.C v)'.*/ return point(c, c.C + v); } /**/ line tangent(circle c, explicit vector v) {/*Return the tangent of 'c' at the point M so that vec(c.C M) is collinear to 'v' with the same sense.*/ line ol = tangent(c, c.C + v); return dot(ol.v, v) > 0 ? ol : reverse(ol); } /**/ line tangent(ellipse el, abscissa x) {/*Return the tangent of 'el' at 'point(el, x)'.*/ point M = point(el, x); line l1 = line(el.F1, M); line l2 = line(el.F2, M); line ol = (l1 == l2) ? perpendicular(M, l1) : bisector(l1, l2, 90, false); return ol; } /**/ line[] tangents(ellipse el, point M) {/*Return the tangents of 'el' passing through 'M'.*/ line[] ol; if(inside(el, M)) return ol; if(M @ el) { ol.push(tangent(el, relabscissa(el, M))); } else { point Mp = samecoordsys(M, el.F2) ? M : changecoordsys(el.F2.coordsys, M); circle c = circle(Mp, abs(el.F1 - Mp)); circle cc = circle(el.F2, 2 * el.a); point[] inter = intersectionpoints(c, cc); for (int i = 0; i < inter.length; ++i) { line tl = line(inter[i], el.F2, false); point[] P = intersectionpoints(tl, el); ol.push(line(Mp, P[0])); } } return ol; } /**/ line tangent(parabola p, abscissa x) {/*Return the tangent of 'p' at 'point(p, x)' (use the Wells method).*/ line lt = rotate(90, p.V) * line(p.V, p.F); point P = point(p, x); if(P == p.V) return lt; point M = midpoint(segment(P, p.F)); line l = rotate(90, M) * line(P, p.F); return line(P, projection(lt) * M); } /**/ line[] tangents(parabola p, point M) {/*Return the tangent of 'p' at 'M' (use the Wells method).*/ line[] ol; if(inside(p, M)) return ol; if(M @ p) { ol.push(tangent(p, angabscissa(p, M))); } else { point Mt = changecoordsys(coordsys(p), M); circle c = circle(Mt, p.F); line l = rotate(90, p.V) * line(p.V, p.F); point[] R = intersectionpoints(l, c); for (int i = 0; i < R.length; ++i) { ol.push(line(Mt, R[i])); } // An other method: http://www.du.edu/~jcalvert/math/parabola.htm // point[] R = intersectionpoints(p.directrix, c); // for (int i = 0; i < R.length; ++i) { // ol.push(bisector(segment(p.F, R[i]))); // } } return ol; } /**/ line tangent(hyperbola h, abscissa x) {/*Return the tangent of 'h' at 'point(p, x)'.*/ point M = point(h, x); line ol = bisector(line(M, h.F1), line(M, h.F2)); if(sameside(h.F1, h.F2, ol) || ol == line(h.F1, h.F2)) ol = rotate(90, M) * ol; return ol; } /**/ line[] tangents(hyperbola h, point M) {/*Return the tangent of 'h' at 'M'.*/ line[] ol; if(M @ h) { ol.push(tangent(h, angabscissa(h, M, fromCenter))); } else { coordsys cano = canonicalcartesiansystem(h); bqe bqe = changecoordsys(cano, equation(h)); real a = abs(1/(bqe.a[5] * bqe.a[0])), b = abs(1/(bqe.a[5] * bqe.a[2])); point Mp = changecoordsys(cano, M); real x0 = Mp.x, y0 = Mp.y; if(abs(x0) > epsgeo) { real c0 = a * y0^2/(b * x0)^2 - 1/b, c1 = 2 * a * y0/(b * x0^2), c2 = a/x0^2 - 1; real[] sol = quadraticroots(c0, c1, c2); for (real y:sol) { point tmp = changecoordsys(coordsys(h), point(cano, (a * (1 + y * y0/b)/x0, y))); ol.push(line(M, tmp)); } } else if(abs(y0) > epsgeo) { real y = -b/y0, x = sqrt(a * (1 + b/y0^2)); ol.push(line(M, changecoordsys(coordsys(h), point(cano, (x, y))))); ol.push(line(M, changecoordsys(coordsys(h), point(cano, (-x, y))))); }} return ol; } /**/ point[] intersectionpoints(conic co, arc a) {/*intersectionpoints(arc, circle) is also defined.*/ point[] op; point[] tp = intersectionpoints(co, (conic)a.el); for (int i = 0; i < tp.length; ++i) if(tp[i] @ a) op.push(tp[i]); return op; } point[] intersectionpoints(arc a, conic co) { return intersectionpoints(co, a); } /**/ point[] intersectionpoints(arc a1, arc a2) {/**/ point[] op; point[] tp = intersectionpoints(a1.el, a2.el); for (int i = 0; i < tp.length; ++i) if(tp[i] @ a1 && tp[i] @ a2) op.push(tp[i]); return op; } /**/ point[] intersectionpoints(line l, arc a) {/*intersectionpoints(arc, line) is also defined.*/ point[] op; point[] tp = intersectionpoints(a.el, l); for (int i = 0; i < tp.length; ++i) if(tp[i] @ a && tp[i] @ l) op.push(tp[i]); return op; } point[] intersectionpoints(arc a, line l) { return intersectionpoints(l, a); } /**/ point arcsubtendedcenter(point A, point B, real angle) {/*Return the center of the arc retuned by the 'arcsubtended' routine.*/ point OM; point[] P = standardizecoordsys(A, B); angle = angle%(sgnd(angle) * 180); line bis = bisector(P[0], P[1]); line AB = line(P[0], P[1]); return intersectionpoint(bis, rotate(90 - angle, A) * AB); } /**/ arc arcsubtended(point A, point B, real angle) {/*Return the arc circle from which the segment AB is saw with the angle 'angle'. If the point 'M' is on this arc, the oriented angle (MA, MB) is equal to 'angle'.*/ point[] P = standardizecoordsys(A, B); line AB = line(P[0], P[1]); angle = angle%(sgnd(angle) * 180); point C = arcsubtendedcenter(P[0], P[1], angle); real BC = degrees(B - C)%360; real AC = degrees(A - C)%360; return arc(circle(C, abs(B - C)), BC, AC, angle > 0 ? CCW : CW); } /**/ arc arccircle(point A, point M, point B) {/*Return the CCW arc circle 'AB' passing through 'M'.*/ circle tc = circle(A, M, B); real a = degrees(A - tc.C); real b = degrees(B - tc.C); real m = degrees(M - tc.C); arc oa = arc(tc, a, b); // TODO: use cross product to determine CWW or CW if (!(M @ oa)) { oa.direction = !oa.direction; } return oa; } /**/ arc arc(ellipse el, explicit abscissa x1, explicit abscissa x2, bool direction = CCW) {/*Return the arc from 'point(c, x1)' to 'point(c, x2)' in the direction 'direction'.*/ real a = degrees(point(el, x1) - el.C); real b = degrees(point(el, x2) - el.C); arc oa = arc(el, a - el.angle, b - el.angle, fromCenter, direction); return oa; } /**/ arc arc(ellipse el, point M, point N, bool direction = CCW) {/*Return the arc from 'M' to 'N' in the direction 'direction'. The points 'M' and 'N' must belong to the ellipse 'el'.*/ return arc(el, relabscissa(el, M), relabscissa(el, N), direction); } /**/ arc arccircle(point A, point B, real angle, bool direction = CCW) {/*Return the arc circle centered on A from B to rotate(angle, A) * B in the direction 'direction'.*/ point M = rotate(angle, A) * B; return arc(circle(A, abs(A - B)), B, M, direction); } /**/ arc arc(explicit arc a, abscissa x1, abscissa x2) {/*Return the arc from 'point(a, x1)' to 'point(a, x2)' traversed in the direction of the arc direction.*/ real a1 = angabscissa(a.el, point(a, x1), a.polarconicroutine).x; real a2 = angabscissa(a.el, point(a, x2), a.polarconicroutine).x; return arc(a.el, a1, a2, a.polarconicroutine, a.direction); } /**/ arc arc(explicit arc a, point M, point N) {/*Return the arc from 'M' to 'N'. The points 'M' and 'N' must belong to the arc 'a'.*/ return arc(a, relabscissa(a, M), relabscissa(a, N)); } /**/ arc inverse(real k, point A, segment s) {/*Return the inverse arc circle of 's' with respect to point A and inversion radius 'k'.*/ point Ap = inverse(k, A, s.A), Bp = inverse(k, A, s.B), M = inverse(k, A, midpoint(s)); return arccircle(Ap, M, Bp); } /**/ arc operator *(inversion i, segment s) {/*Provide inversion * segment.*/ return inverse(i.k, i.C, s); } /**/ path operator *(inversion i, triangle t) {/*Provide inversion * triangle.*/ return (path)(i * segment(t.AB))-- (path)(i * segment(t.BC))-- (path)(i * segment(t.CA))&cycle; } /**/ path compassmark(pair O, pair A, real position, real angle = 10) {/*Return an arc centered on O with the angle 'angle' so that the position of 'A' on this arc makes an angle 'position * angle'.*/ real a = degrees(A - O); real pa = (a - position * angle)%360, pb = (a - (position - 1) * angle)%360; real t1 = intersect(unitcircle, (0, 0)--2 * dir(pa))[0]; real t2 = intersect(unitcircle, (0, 0)--2 * dir(pb))[0]; int n = length(unitcircle); if(t1 >= t2) t1 -= n; return shift(O) * scale(abs(O - A)) * subpath(unitcircle, t1, t2); } /**/ line tangent(explicit arc a, abscissa x) {/*Return the tangent of 'a' at 'point(a, x)'.*/ abscissa ag = angabscissa(a, point(a, x)); return tangent(a.el, ag + a.angle1 + (a.el.e == 0 ? a.angle0 : 0)); } /**/ line tangent(explicit arc a, point M) {/*Return the tangent of 'a' at 'M'. The points 'M' must belong to the arc 'a'.*/ return tangent(a, angabscissa(a, M)); } // *=======================================================* // *.......Routines for compatibility with original geometry module........* path square(pair z1, pair z2) { pair v = z2 - z1; pair z3 = z2 + I * v; pair z4 = z3 - v; return z1--z2--z3--z4--cycle; } // Draw a perpendicular symbol at z aligned in the direction align // relative to the path z--z + dir. void perpendicular(picture pic = currentpicture, pair z, pair align, pair dir = E, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) { perpendicularmark(pic, (point) z, align, dir, size, p, margin, filltype); } // Draw a perpendicular symbol at z aligned in the direction align // relative to the path z--z + dir(g, 0) void perpendicular(picture pic = currentpicture, pair z, pair align, path g, real size = 0, pen p = currentpen, margin margin = NoMargin, filltype filltype = NoFill) { perpendicularmark(pic, (point) z, align, dir(g, 0), size, p, margin, filltype); } // Return an interior arc BAC of triangle ABC, given a radius r > 0. // If r < 0, return the corresponding exterior arc of radius |r|. path arc(explicit pair B, explicit pair A, explicit pair C, real r) { real BA = degrees(B - A); real CA = degrees(C - A); return arc(A, abs(r), BA, CA, (r < 0) ^ ((BA-CA) % 360 < 180) ? CW : CCW); } // *.......End of compatibility routines........* // *=======================================================* // *........................FOOTER.........................* // *=======================================================* asymptote-2.62/base/three_arrows.asy0000644000000000000000000005644613607467113016351 0ustar rootroot// A transformation that bends points along a path transform3 bend(path3 g, real t) { triple dir=dir(g,t); triple a=point(g,0), b=postcontrol(g,0); triple c=precontrol(g,1), d=point(g,1); triple dir1=b-a; triple dir2=c-b; triple dir3=d-c; triple u = unit(cross(dir1,dir3)); real eps=1000*realEpsilon; if(abs(u) < eps) { u = unit(cross(dir1,dir2)); if(abs(u) < eps) { u = unit(cross(dir2,dir3)); if(abs(u) < eps) // linear segment: use any direction perpendicular to initial direction u = perp(dir1); } } u = unit(perp(u,dir)); triple w=cross(dir,u); triple q=point(g,t); return new real[][] { {u.x,w.x,dir.x,q.x}, {u.y,w.y,dir.y,q.y}, {u.z,w.z,dir.z,q.z}, {0,0,0,1} }; } // bend a point along a path; assumes that p.z is in [0,scale] triple bend(triple p, path3 g, real scale) { return bend(g,arctime(g,arclength(g)+p.z-scale))*(p.x,p.y,0); } void bend(surface s, path3 g, real L) { for(patch p : s.s) { for(int i=0; i < 4; ++i) { for(int j=0; j < 4; ++j) { p.P[i][j]=bend(p.P[i][j],g,L); } } } } // Refine a noncyclic path3 g so that it approaches its endpoint in // geometrically spaced steps. path3 approach(path3 p, int n, real radix=3) { guide3 G; real L=length(p); real tlast=0; real r=1/radix; for(int i=1; i < n; ++i) { real t=L*(1-r^i); G=G&subpath(p,tlast,t); tlast=t; } return G&subpath(p,tlast,L); } struct arrowhead3 { arrowhead arrowhead2=DefaultHead; real size(pen p)=arrowsize; real arcsize(pen p)=arcarrowsize; real gap=1; real size; bool splitpath=false; surface head(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection); static surface surface(path3 g, position position, real size, path[] h, pen p, filltype filltype, triple normal, projection P) { bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path3 r=subpath(g,position,0); path3 s=subpath(r,arctime(r,size),0); if(filltype == null) filltype=FillDraw(p); bool draw=filltype.type != filltype.Fill; triple v=point(s,length(s)); triple N=normal == O ? P.normal : normal; triple w=unit(v-point(s,0)); transform3 t=transform3(w,unit(cross(w,N))); path3[] H=t*path3(h); surface s; real width=linewidth(p); if(filltype != NoFill && filltype.type != filltype.UnFill && filltype.type != filltype.Draw) { triple n=0.5*width*unit(t*Z); s=surface(shift(n)*H,planar=true); s.append(surface(shift(-n)*H,planar=true)); if(!draw) for(path g : h) s.append(shift(-n)*t*extrude(g,width*Z)); } if(draw) for(path3 g : H) s.append(tube(g,width).s); return shift(v)*s; } static path project(path3 g, bool forwards, projection P) { path h=project(forwards ? g : reverse(g),P); return shift(-point(h,length(h)))*h; } static path[] align(path H, path h) { static real fuzz=1000*realEpsilon; real[][] t=intersections(H,h,fuzz*max(abs(max(h)),abs(min(h)))); return t.length >= 2 ? rotate(-degrees(point(H,t[0][0])-point(H,t[1][0]),warn=false))*H : H; } } arrowhead3 DefaultHead3; DefaultHead3.head=new surface(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection) { if(size == 0) size=DefaultHead3.size(p); bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path3 r=subpath(g,position,0); path3 s=subpath(r,arctime(r,size),0); int n=length(s); bool straight1=n == 1 && straight(g,0); real aspect=Tan(angle); real width=size*aspect; surface head; if(straight1) { triple v=point(s,0); triple u=point(s,1)-v; return shift(v)*align(unit(u))*scale(width,width,size)*unitsolidcone; } else { real remainL=size; bool first=true; for(int i=0; i < n; ++i) { render(subpath(s,i,i+1),new void(path3 q, real) { if(remainL > 0) { real l=arclength(q); real w=remainL*aspect; surface segment=scale(w,w,l)*unitcylinder; if(first) { // add base first=false; segment.append(scale(w,w,1)*unitdisk); } for(patch p : segment.s) { for(int i=0; i < 4; ++i) { for(int j=0; j < 4; ++j) { real k=1-p.P[i][j].z/remainL; p.P[i][j]=bend((k*p.P[i][j].x,k*p.P[i][j].y,p.P[i][j].z),q,l); } } } head.append(segment); remainL -= l; } }); } } return head; }; arrowhead3 HookHead3(real dir=arrowdir, real barb=arrowbarb) { arrowhead3 a; a.head=new surface(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection) { if(size == 0) size=a.size(p); bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path3 r=subpath(g,position,0); path3 s=subpath(r,arctime(r,size),0); bool straight1=length(s) == 1 && straight(g,0); path3 H=path3(HookHead(dir,barb).head((0,0)--(0,size),p,size,angle), YZplane); surface head=surface(O,reverse(approach(subpath(H,1,0),7,1.5))& approach(subpath(H,1,2),4,2),Z); if(straight1) { triple v=point(s,0); triple u=point(s,1)-v; return shift(v)*align(unit(u))*head; } else { bend(head,s,size); return head; } }; a.arrowhead2=HookHead; a.gap=0.7; return a; } arrowhead3 HookHead3=HookHead3(); arrowhead3 TeXHead3; TeXHead3.size=TeXHead.size; TeXHead3.arcsize=TeXHead.size; TeXHead3.arrowhead2=TeXHead; TeXHead3.head=new surface(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection) { real texsize=TeXHead3.size(p); if(size == 0) size=texsize; bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path3 r=subpath(g,position,0); path3 s=subpath(r,arctime(r,size),0); bool straight1=length(s) == 1 && straight(g,0); surface head=surface(O,approach(subpath(path3(TeXHead.head((0,0)--(0,1),p, size), YZplane),5,0),8,1.5),Z); if(straight1) { triple v=point(s,0); triple u=point(s,1)-v; return shift(v)*align(unit(u))*head; } else { path3 s=subpath(r,arctime(r,size/texsize*arrowsize(p)),0); bend(head,s,size); return head; } }; path3 arrowbase(path3 r, triple y, real t, real size) { triple perp=2*size*perp(dir(r,t)); return size == 0 ? y : y+perp--y-perp; } arrowhead3 DefaultHead2(triple normal=O) { arrowhead3 a; a.head=new surface(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection) { if(size == 0) size=a.size(p); path h=a.project(g,forwards,P); a.size=min(size,arclength(h)); path[] H=a.align(DefaultHead.head(h,p,size,angle),h); H=forwards ? yscale(-1)*H : H; return a.surface(g,position,size,H,p,filltype,normal,P); }; a.gap=1.005; return a; } arrowhead3 DefaultHead2=DefaultHead2(); arrowhead3 HookHead2(real dir=arrowdir, real barb=arrowbarb, triple normal=O) { arrowhead3 a; a.head=new surface(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection) { if(size == 0) size=a.size(p); path h=a.project(g,forwards,P); a.size=min(size,arclength(h)); path[] H=a.align(HookHead.head(h,p,size,angle),h); H=forwards ? yscale(-1)*H : H; return a.surface(g,position,size,H,p,filltype,normal,P); }; a.arrowhead2=HookHead; a.gap=1.005; a.splitpath=true; return a; } arrowhead3 HookHead2=HookHead2(); arrowhead3 TeXHead2(triple normal=O) { arrowhead3 a; a.head=new surface(path3 g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, bool forwards=true, projection P=currentprojection) { if(size == 0) size=a.size(p); path h=a.project(g,forwards,P); a.size=min(size,arclength(h)); h=rotate(-degrees(dir(h,length(h)),warn=false))*h; path[] H=TeXHead.head(h,p,size,angle); H=forwards ? yscale(-1)*H : H; return a.surface(g,position,size,H,p, filltype == null ? TeXHead.defaultfilltype(p) : filltype, normal,P); }; a.arrowhead2=TeXHead; a.size=TeXHead.size; a.gap=1.005; return a; } arrowhead3 TeXHead2=TeXHead2(); private real position(position position, real size, path3 g, bool center) { bool relative=position.relative; real position=position.position.x; if(relative) { position *= arclength(g); if(center) position += 0.5*size; position=arctime(g,position); } else if(center) position=arctime(g,arclength(subpath(g,0,position))+0.5*size); return position; } void drawarrow(picture pic, arrowhead3 arrowhead=DefaultHead3, path3 g, material p=currentpen, material arrowheadpen=nullpen, real size=0, real angle=arrowangle, position position=EndPoint, filltype filltype=null, bool forwards=true, margin3 margin=NoMargin3, bool center=false, light light=nolight, light arrowheadlight=currentlight, projection P=currentprojection) { pen q=(pen) p; if(filltype != null) { if(arrowheadpen == nullpen && filltype != null) arrowheadpen=filltype.fillpen; if(arrowheadpen == nullpen && filltype != null) arrowheadpen=filltype.drawpen; } if(arrowheadpen == nullpen) arrowheadpen=p; if(size == 0) size=arrowhead.size(q); size=min(arrowsizelimit*arclength(g),size); real position=position(position,size,g,center); g=margin(g,q).g; int L=length(g); if(!forwards) { g=reverse(g); position=L-position; } path3 r=subpath(g,position,0); size=min(arrowsizelimit*arclength(r),size); surface head=arrowhead.head(g,position,q,size,angle,filltype,forwards,P); if(arrowhead.size > 0) size=arrowhead.size; bool endpoint=position > L-sqrtEpsilon; if(arrowhead.splitpath || endpoint) { if(position > 0) { real Size=size*arrowhead.gap; draw(pic,subpath(r,arctime(r,Size),length(r)),p,light); } if(!endpoint) draw(pic,subpath(g,position,L),p,light); } else draw(pic,g,p,light); draw(pic,head,arrowheadpen,arrowheadlight); } void drawarrow2(picture pic, arrowhead3 arrowhead=DefaultHead3, path3 g, material p=currentpen, material arrowheadpen=nullpen, real size=0, real angle=arrowangle, filltype filltype=null, margin3 margin=NoMargin3, light light=nolight, light arrowheadlight=currentlight, projection P=currentprojection) { pen q=(pen) p; if(filltype != null) { if(arrowheadpen == nullpen && filltype != null) arrowheadpen=filltype.fillpen; if(arrowheadpen == nullpen && filltype != null) arrowheadpen=filltype.drawpen; } if(arrowheadpen == nullpen) arrowheadpen=p; if(size == 0) size=arrowhead.size(q); g=margin(g,q).g; size=min(arrow2sizelimit*arclength(g),size); path3 r=reverse(g); int L=length(g); real Size=size*arrowhead.gap; draw(pic,subpath(r,arctime(r,Size),L-arctime(g,Size)),p,light); draw(pic,arrowhead.head(g,L,q,size,angle,filltype,forwards=true,P), arrowheadpen,arrowheadlight); draw(pic,arrowhead.head(r,L,q,size,angle,filltype,forwards=false,P), arrowheadpen,arrowheadlight); } // Add to picture an estimate of the bounding box contribution of arrowhead // using the local slope at endpoint. void addArrow(picture pic, arrowhead3 arrowhead, path3 g, pen p, real size, real angle, filltype filltype, real position) { triple v=point(g,position); path3 g=v-(size+linewidth(p))*dir(g,position)--v; surface s=arrowhead.head(g,position,p,size,angle); if(s.s.length > 0) { pic.addPoint(v,min(s)-v); pic.addPoint(v,max(s)-v); } else pic.addPoint(v); } picture arrow(arrowhead3 arrowhead=DefaultHead3, path3 g, material p=currentpen, material arrowheadpen=p, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint, bool forwards=true, margin3 margin=NoMargin3, bool center=false, light light=nolight, light arrowheadlight=currentlight) { pen q=(pen) p; if(size == 0) size=arrowhead.size(q); picture pic; if(is3D()) pic.add(new void(frame f, transform3 t, picture pic2, projection P) { picture opic; drawarrow(opic,arrowhead,t*g,p,arrowheadpen,size,angle,position, filltype,forwards,margin,center,light,arrowheadlight,P); add(f,opic.fit3(identity4,pic2,P)); }); addPath(pic,g,q); real position=position(position,size,g,center); path3 G; if(!forwards) { G=reverse(g); position=length(g)-position; } else G=g; addArrow(pic,arrowhead,G,q,size,angle,filltype,position); return pic; } picture arrow2(arrowhead3 arrowhead=DefaultHead3, path3 g, material p=currentpen, material arrowheadpen=p, real size=0, real angle=arrowangle, filltype filltype=null, margin3 margin=NoMargin3, light light=nolight, light arrowheadlight=currentlight) { pen q=(pen) p; if(size == 0) size=arrowhead.size(q); picture pic; if(is3D()) pic.add(new void(frame f, transform3 t, picture pic2, projection P) { picture opic; drawarrow2(opic,arrowhead,t*g,p,arrowheadpen,size,angle,filltype, margin,light,arrowheadlight,P); add(f,opic.fit3(identity4,pic2,P)); }); addPath(pic,g,q); int L=length(g); addArrow(pic,arrowhead,g,q,size,angle,filltype,L); addArrow(pic,arrowhead,reverse(g),q,size,angle,filltype,L); return pic; } void add(picture pic, arrowhead3 arrowhead, real size, real angle, filltype filltype, position position, material arrowheadpen, path3 g, material p, bool forwards=true, margin3 margin, bool center=false, light light, light arrowheadlight) { add(pic,arrow(arrowhead,g,p,arrowheadpen,size,angle,filltype,position, forwards,margin,center,light,arrowheadlight)); if(!is3D()) { pic.add(new void(frame f, transform3 t, picture pic, projection P) { if(pic != null) { pen q=(pen) p; path3 G=t*g; marginT3 m=margin(G,q); add(pic,arrow(arrowhead.arrowhead2,project(G,P),q,size,angle, filltype == null ? arrowhead.arrowhead2.defaultfilltype ((pen) arrowheadpen) : filltype,position, forwards,TrueMargin(m.begin,m.end),center)); } },true); } } void add2(picture pic, arrowhead3 arrowhead, real size, real angle, filltype filltype, material arrowheadpen, path3 g, material p, margin3 margin, light light, light arrowheadlight) { add(pic,arrow2(arrowhead,g,p,arrowheadpen,size,angle,filltype,margin,light, arrowheadlight)); if(!is3D()) { pic.add(new void(frame f, transform3 t, picture pic, projection P) { if(pic != null) { pen q=(pen) p; path3 G=t*g; marginT3 m=margin(G,q); add(pic,arrow2(arrowhead.arrowhead2,project(G,P),q,size,angle, filltype == null ? arrowhead.arrowhead2.defaultfilltype ((pen) arrowheadpen) : filltype, TrueMargin(m.begin,m.end))); } },true); } } void bar(picture pic, triple a, triple d, triple perp=O, material p=currentpen, light light=nolight) { d *= 0.5; perp *= 0.5; pic.add(new void(frame f, transform3 t, picture pic2, projection P) { picture opic; triple A=t*a; triple v=d == O ? abs(perp)*unit(cross(P.normal,perp)) : d; draw(opic,A-v--A+v,p,light); add(f,opic.fit3(identity4,pic2,P)); }); triple v=d == O ? cross(currentprojection.normal,perp) : d; pen q=(pen) p; triple m=min3(q); triple M=max3(q); pic.addPoint(a,-v-m); pic.addPoint(a,-v+m); pic.addPoint(a,v-M); pic.addPoint(a,v+M); } picture bar(triple a, triple dir, triple perp=O, material p=currentpen) { picture pic; bar(pic,a,dir,perp,p); return pic; } typedef bool arrowbar3(picture, path3, material, margin3, light, light); bool Blank(picture, path3, material, margin3, light, light) { return false; } bool None(picture, path3, material, margin3, light, light) { return true; } arrowbar3 BeginArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arrowangle, filltype filltype=null, position position=BeginPoint, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { add(pic,arrowhead,size,angle,filltype,position,arrowheadpen,g,p, forwards=false,margin,light,arrowheadlight); return false; }; } arrowbar3 Arrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { add(pic,arrowhead,size,angle,filltype,position,arrowheadpen,g,p,margin, light,arrowheadlight); return false; }; } arrowbar3 EndArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint, material arrowheadpen=nullpen)=Arrow3; arrowbar3 MidArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arrowangle, filltype filltype=null, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { add(pic,arrowhead,size,angle,filltype,MidPoint, arrowheadpen,g,p,margin,center=true,light,arrowheadlight); return false; }; } arrowbar3 Arrows3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arrowangle, filltype filltype=null, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { add2(pic,arrowhead,size,angle,filltype,arrowheadpen,g,p,margin,light, arrowheadlight); return false; }; } arrowbar3 BeginArcArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arcarrowangle, filltype filltype=null, position position=BeginPoint, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { real size=size == 0 ? arrowhead.arcsize((pen) p) : size; add(pic,arrowhead,size,angle,filltype,position,arrowheadpen,g,p, forwards=false,margin,light,arrowheadlight); return false; }; } arrowbar3 ArcArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arcarrowangle, filltype filltype=null, position position=EndPoint, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { real size=size == 0 ? arrowhead.arcsize((pen) p) : size; add(pic,arrowhead,size,angle,filltype,position,arrowheadpen,g,p,margin, light,arrowheadlight); return false; }; } arrowbar3 EndArcArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arcarrowangle, filltype filltype=null, position position=EndPoint, material arrowheadpen=nullpen)=ArcArrow3; arrowbar3 MidArcArrow3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arcarrowangle, filltype filltype=null, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { real size=size == 0 ? arrowhead.arcsize((pen) p) : size; add(pic,arrowhead,size,angle,filltype,MidPoint,arrowheadpen,g,p,margin, center=true,light,arrowheadlight); return false; }; } arrowbar3 ArcArrows3(arrowhead3 arrowhead=DefaultHead3, real size=0, real angle=arcarrowangle, filltype filltype=null, material arrowheadpen=nullpen) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light arrowheadlight) { real size=size == 0 ? arrowhead.arcsize((pen) p) : size; add2(pic,arrowhead,size,angle,filltype,arrowheadpen,g,p,margin,light, arrowheadlight); return false; }; } arrowbar3 BeginBar3(real size=0, triple dir=O) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light) { real size=size == 0 ? barsize((pen) p) : size; bar(pic,point(g,0),size*unit(dir),size*dir(g,0),p,light); return true; }; } arrowbar3 Bar3(real size=0, triple dir=O) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light) { int L=length(g); real size=size == 0 ? barsize((pen) p) : size; bar(pic,point(g,L),size*unit(dir),size*dir(g,L),p,light); return true; }; } arrowbar3 EndBar3(real size=0, triple dir=O)=Bar3; arrowbar3 Bars3(real size=0, triple dir=O) { return new bool(picture pic, path3 g, material p, margin3 margin, light light, light) { real size=size == 0 ? barsize((pen) p) : size; BeginBar3(size,dir)(pic,g,p,margin,light,nolight); EndBar3(size,dir)(pic,g,p,margin,light,nolight); return true; }; } arrowbar3 BeginArrow3=BeginArrow3(), MidArrow3=MidArrow3(), Arrow3=Arrow3(), EndArrow3=Arrow3(), Arrows3=Arrows3(), BeginArcArrow3=BeginArcArrow3(), MidArcArrow3=MidArcArrow3(), ArcArrow3=ArcArrow3(), EndArcArrow3=ArcArrow3(), ArcArrows3=ArcArrows3(), BeginBar3=BeginBar3(), Bar3=Bar3(), EndBar3=Bar3(), Bars3=Bars3(); asymptote-2.62/base/plain_filldraw.asy0000644000000000000000000001422413607467113016620 0ustar rootroot// Draw path g on frame f with user-constructed pen p. void makedraw(frame f, path g, pen p, int depth=mantissaBits) { if(depth == 0) return; --depth; path n=nib(p); for(int i=0; i < size(g); ++i) fill(f,shift(point(g,i))*n,p); static real epsilon=1000*realEpsilon; int L=length(g); real stop=L-epsilon; int N=length(n); pair first=point(n,0); pair n0=first; for(int i=0; i < N; ++i) { pair n1=point(n,i+1); pair dir=unit(n1-n0); real t=dirtime(g,-dir)-epsilon; if(straight(g,(int) t)) t=ceil(t); if(t > epsilon && t < stop) { makedraw(f,subpath(g,0,t),p,depth); makedraw(f,subpath(g,t,L),p,depth); return; } real t=dirtime(g,dir); if(straight(g,(int) t)) t=ceil(t); if(t > epsilon && t < stop) { makedraw(f,subpath(g,0,t),p,depth); makedraw(f,subpath(g,t,L),p,depth); return; } n0=n1; } n0=first; for(int i=0; i < N; ++i) { pair n1=point(n,i+1); fill(f,shift(n0)*g--shift(n1)*reverse(g)--cycle,p); n0=n1; } } void draw(frame f, path g, pen p=currentpen) { if(size(nib(p)) == 0) _draw(f,g,p); else { begingroup(f); makedraw(f,g,p); endgroup(f); } } void draw(frame f, explicit path[] g, pen p=currentpen) { for(int i=0; i < g.length; ++i) draw(f,g[i],p); } void draw(frame f, guide[] g, pen p=currentpen) { for(int i=0; i < g.length; ++i) draw(f,g[i],p); } void filldraw(frame f, path[] g, pen fillpen=currentpen, pen drawpen=currentpen) { begingroup(f); fill(f,g,fillpen); draw(f,g,drawpen); endgroup(f); } path[] complement(frame f, path[] g) { static pair margin=(0.5,0.5); return box(minbound(min(f),min(g))-margin,maxbound(max(f),max(g))+margin)^^g; } void unfill(frame f, path[] g, bool copy=true) { clip(f,complement(f,g),evenodd,copy); } void filloutside(frame f, path[] g, pen p=currentpen, bool copy=true) { fill(f,complement(f,g),p+evenodd,copy); } struct filltype { typedef void fill2(frame f, path[] g, pen fillpen); fill2 fill2; pen fillpen; pen drawpen; int type; static int Fill=1; static int FillDraw=2; static int Draw=3; static int NoFill=4; static int UnFill=5; void operator init(int type=0, pen fillpen=nullpen, pen drawpen=nullpen, fill2 fill2) { this.type=type; this.fillpen=fillpen; this.drawpen=drawpen; this.fill2=fill2; } void fill(frame f, path[] g, pen p) {fill2(f,g,p);} } path[] margin(path[] g, real xmargin, real ymargin) { if(xmargin != 0 || ymargin != 0) { pair M=max(g); pair m=min(g); real width=M.x-m.x; real height=M.y-m.y; real xfactor=width > 0 ? (width+2xmargin)/width : 1; real yfactor=height > 0 ? (height+2ymargin)/height : 1; g=scale(xfactor,yfactor)*g; g=shift(0.5*(M+m)-0.5*(max(g)+min(g)))*g; } return g; } filltype Fill(real xmargin=0, real ymargin=xmargin, pen p=nullpen) { return filltype(filltype.Fill,p,new void(frame f, path[] g, pen fillpen) { if(p != nullpen) fillpen=p; if(fillpen == nullpen) fillpen=currentpen; fill(f,margin(g,xmargin,ymargin),fillpen); }); } filltype FillDraw(real xmargin=0, real ymargin=xmargin, pen fillpen=nullpen, pen drawpen=nullpen) { return filltype(filltype.FillDraw,fillpen,drawpen, new void(frame f, path[] g, pen Drawpen) { if(drawpen != nullpen) Drawpen=drawpen; pen Fillpen=fillpen == nullpen ? Drawpen : fillpen; if(Fillpen == nullpen) Fillpen=currentpen; if(Drawpen == nullpen) Drawpen=Fillpen; if(cyclic(g[0])) filldraw(f,margin(g,xmargin,ymargin),Fillpen,Drawpen); else draw(f,margin(g,xmargin,ymargin),Drawpen); }); } filltype Draw(real xmargin=0, real ymargin=xmargin, pen p=nullpen) { return filltype(filltype.Draw,drawpen=p, new void(frame f, path[] g, pen drawpen) { pen drawpen=p == nullpen ? drawpen : p; if(drawpen == nullpen) drawpen=currentpen; draw(f,margin(g,xmargin,ymargin),drawpen); }); } filltype NoFill=filltype(filltype.NoFill,new void(frame f, path[] g, pen p) { draw(f,g,p); }); filltype UnFill(real xmargin=0, real ymargin=xmargin) { return filltype(filltype.UnFill,new void(frame f, path[] g, pen) { unfill(f,margin(g,xmargin,ymargin)); }); } filltype FillDraw=FillDraw(), Fill=Fill(), Draw=Draw(), UnFill=UnFill(); // Fill varying radially from penc at the center of the bounding box to // penr at the edge. filltype RadialShade(pen penc, pen penr) { return filltype(new void(frame f, path[] g, pen) { pair c=(min(g)+max(g))/2; radialshade(f,g,penc,c,0,penr,c,abs(max(g)-min(g))/2); }); } filltype RadialShadeDraw(real xmargin=0, real ymargin=xmargin, pen penc, pen penr, pen drawpen=nullpen) { return filltype(new void(frame f, path[] g, pen Drawpen) { if(drawpen != nullpen) Drawpen=drawpen; if(Drawpen == nullpen) Drawpen=penc; pair c=(min(g)+max(g))/2; if(cyclic(g[0])) radialshade(f,margin(g,xmargin,ymargin),penc,c,0,penr,c, abs(max(g)-min(g))/2); draw(f,margin(g,xmargin,ymargin),Drawpen); }); } // Fill the region in frame dest underneath frame src and return the // boundary of src. path fill(frame dest, frame src, filltype filltype=NoFill, real xmargin=0, real ymargin=xmargin) { pair z=(xmargin,ymargin); path g=box(min(src)-z,max(src)+z); filltype.fill(dest,g,nullpen); return g; } // Add frame dest to frame src with optional grouping and background fill. void add(frame dest, frame src, bool group, filltype filltype=NoFill, bool above=true) { if(above) { if(filltype != NoFill) fill(dest,src,filltype); if(group) begingroup(dest); add(dest,src); if(group) endgroup(dest); } else { if(group) { frame f; endgroup(f); prepend(dest,f); } prepend(dest,src); if(group) { frame f; begingroup(f); prepend(dest,f); } if(filltype != NoFill) { frame f; fill(f,src,filltype); prepend(dest,f); } } } void add(frame dest, frame src, filltype filltype, bool above=filltype.type != filltype.UnFill) { if(filltype != NoFill) fill(dest,src,filltype); (above ? add : prepend)(dest,src); } asymptote-2.62/base/obj.asy0000644000000000000000000000631713607467113014407 0ustar rootroot// A module for reading simple obj files with groups. // Authors: Jens Schwaiger and John Bowman // // Here simple means that : // // 1) all vertex statements should come before the face statements; // // 2) face informations with respect to texture and/or normal vectors are // ignored; // // 3) face statements only contain positive numbers(no relative positions). // // The reading process only takes into account lines starting with "v" or // "f" or "g"(group). import three; struct obj { surface s; material[] surfacepen; pen[] meshpen; path3[][] read(string datafile, bool verbose=false) { file in=input(datafile).word().line(); triple[] vert; path3[][] g; g[0]=new path3[] ; string[] G; void Vertex(real x,real y ,real z) {vert.push((x,y,z));} void Face(int[] vertnr, int groupnr) { guide3 gh; for(int i=0; i < vertnr.length; ++i) gh=gh--vert[vertnr[i]-1]; gh=gh--cycle; g[groupnr].push(gh); } if(verbose) write("Reading data from "+datafile+"."); int groupnr; while(true) { string[] str=in; if(str.length == 0) break; str=sequence(new string(int i) {return split(str[i],"/")[0];},str.length); if(str[0] == "g" && str.length > 1) { int tst=find(G == str[1]); if(tst == -1) { G.push(str[1]); groupnr=G.length-1; g[groupnr]=new path3[] ; } if(tst > -1) groupnr=tst; } if(str[0] == "v") Vertex((real) str[1],(real) str[2],(real) str[3]); if(str[0] == "f") { int[] vertnr; for(int i=1; i < str.length; ++i) vertnr[i-1]=(int) str[i]; Face(vertnr,groupnr); } if(eof(in)) break; } close(in); if(verbose) { write("Number of groups: ",G.length); write("Groups and their names:"); write(G); write("Reading done."); write("Number of faces contained in the groups: "); for(int j=0; j < G.length; ++j) write(G[j],": ",(string) g[j].length); } return g; } void operator init(path3[][] g, material[] surfacepen, pen[] meshpen) { for(int i=0; i < g.length; ++i) { path3[] gi=g[i]; for(int j=0; j < gi.length; ++j) { // Treat all faces as planar to avoid subdivision cracks. surface sij=surface(gi[j],planar=true); s.append(sij); this.surfacepen.append(array(sij.s.length,surfacepen[i])); this.meshpen.append(array(sij.s.length,meshpen[i])); } } } void operator init(string datafile, bool verbose=false, material[] surfacepen, pen[] meshpen=nullpens) { operator init(read(datafile,verbose),surfacepen,meshpen); } void operator init(string datafile, bool verbose=false, material surfacepen, pen meshpen=nullpen) { material[] surfacepen={surfacepen}; pen[] meshpen={meshpen}; surfacepen.cyclic=true; meshpen.cyclic=true; operator init(read(datafile,verbose),surfacepen,meshpen); } } obj operator * (transform3 T, obj o) { obj ot; ot.s=T*o.s; ot.surfacepen=copy(o.surfacepen); ot.meshpen=copy(o.meshpen); return ot; } void draw(picture pic=currentpicture, obj o, light light=currentlight) { draw(pic,o.s,o.surfacepen,o.meshpen,light); } asymptote-2.62/base/size10.asy0000644000000000000000000000114013607467113014735 0ustar rootroottexpreamble("\makeatletter% \renewcommand\normalsize{\@setfontsize\normalsize\@xpt\@xiipt}% \renewcommand\small{\@setfontsize\small\@ixpt{11}}% \renewcommand\footnotesize{\@setfontsize\footnotesize\@viiipt{9.5}}% \renewcommand\scriptsize{\@setfontsize\scriptsize\@viipt\@viiipt}% \renewcommand\tiny{\@setfontsize\tiny\@vpt\@vipt}% \renewcommand\large{\@setfontsize\large\@xiipt{14}}% \renewcommand\Large{\@setfontsize\Large\@xivpt{18}}% \renewcommand\LARGE{\@setfontsize\LARGE\@xviipt{22}}% \renewcommand\huge{\@setfontsize\huge\@xxpt{25}}% \renewcommand\Huge{\@setfontsize\Huge\@xxvpt{30}}% \makeatother"); asymptote-2.62/base/lmfit.asy0000644000000000000000000006012313607467113014743 0ustar rootroot/* Copyright (c) 2009 Philipp Stephani Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ /* Fitting $n$ data points $(x_1, y_1 \pm \Delta y_1), \dots, (x_n, y_n \pm \Delta y_n)$ to a function $f$ that depends on $m$ parameters $a_1, \dots, a_m$ means minimizing the least-squares sum % \begin{equation*} \sum_{i = 1}^n \left( \frac{y_i - f(a_1, \dots, a_m; x_i)}{\Delta y_i} \right)^2 \end{equation*} % with respect to the parameters $a_1, \dots, a_m$. */ /* This module provides an implementation of the Levenberg--Marquardt (LM) algorithm, converted from the C lmfit routine by Joachim Wuttke (see http://www.messen-und-deuten.de/lmfit/). Implementation strategy: Fortunately, Asymptote's syntax is very similar to C, and the original code cleanly separates the customizable parts (user-provided data, output routines, etc.) from the dirty number crunching. Thus, mst of the code was just copied and slightly modified from the original source files. I have amended the lm_data_type structure and the callback routines with a weight array that can be used to provide experimental errors. I have also created two simple wrapper functions. */ // copied from the C code private real LM_MACHEP = realEpsilon; private real LM_DWARF = realMin; private real LM_SQRT_DWARF = sqrt(realMin); private real LM_SQRT_GIANT = sqrt(realMax); private real LM_USERTOL = 30 * LM_MACHEP; restricted string lm_infmsg[] = { "improper input parameters", "the relative error in the sum of squares is at most tol", "the relative error between x and the solution is at most tol", "both errors are at most tol", "fvec is orthogonal to the columns of the jacobian to machine precision", "number of calls to fcn has reached or exceeded maxcall*(n+1)", "ftol is too small: no further reduction in the sum of squares is possible", "xtol too small: no further improvement in approximate solution x possible", "gtol too small: no further improvement in approximate solution x possible", "not enough memory", "break requested within function evaluation" }; restricted string lm_shortmsg[] = { "invalid input", "success (f)", "success (p)", "success (f,p)", "degenerate", "call limit", "failed (f)", "failed (p)", "failed (o)", "no memory", "user break" }; // copied from the C code and amended with the weight (user_w) array struct lm_data_type { real[] user_t; real[] user_y; real[] user_w; real user_func(real user_t_point, real[] par); }; // Asymptote has no pointer support, so we need reference wrappers for // the int and real types struct lm_int_type { int val; void operator init(int val) { this.val = val; } }; struct lm_real_type { real val; void operator init(real val) { this.val = val; } }; // copied from the C code; the lm_initialize_control function turned // into a constructor struct lm_control_type { real ftol; real xtol; real gtol; real epsilon; real stepbound; real fnorm; int maxcall; lm_int_type nfev; lm_int_type info; void operator init() { maxcall = 100; epsilon = LM_USERTOL; stepbound = 100; ftol = LM_USERTOL; xtol = LM_USERTOL; gtol = LM_USERTOL; } }; // copied from the C code typedef void lm_evaluate_ftype(real[] par, int m_dat, real[] fvec, lm_data_type data, lm_int_type info); typedef void lm_print_ftype(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev); // copied from the C code private real SQR(real x) { return x * x; } // Asymptote doesn't support pointers to arbitrary array elements, so // we provide an offset parameter. private real lm_enorm(int n, real[] x, int offset=0) { real s1 = 0; real s2 = 0; real s3 = 0; real x1max = 0; real x3max = 0; real agiant = LM_SQRT_GIANT / n; real xabs, temp; for (int i = 0; i < n; ++i) { xabs = fabs(x[offset + i]); if (xabs > LM_SQRT_DWARF && xabs < agiant) { s2 += SQR(xabs); continue; } if (xabs > LM_SQRT_DWARF) { if (xabs > x1max) { temp = x1max / xabs; s1 = 1 + s1 * SQR(temp); x1max = xabs; } else { temp = xabs / x1max; s1 += SQR(temp); } continue; } if (xabs > x3max) { temp = x3max / xabs; s3 = 1 + s3 * SQR(temp); x3max = xabs; } else { if (xabs != 0.0) { temp = xabs / x3max; s3 += SQR(temp); } } } if (s1 != 0) return x1max * sqrt(s1 + (s2 / x1max) / x1max); if (s2 != 0) { if (s2 >= x3max) return sqrt(s2 * (1 + (x3max / s2) * (x3max * s3))); else return sqrt(x3max * ((s2 / x3max) + (x3max * s3))); } return x3max * sqrt(s3); } // This function calculated the vector whose square sum is to be // minimized. We use a slight modification of the original code that // includes the weight factor. The user may provide different // customizations. void lm_evaluate_default(real[] par, int m_dat, real[] fvec, lm_data_type data, lm_int_type info) { for (int i = 0; i < m_dat; ++i) { fvec[i] = data.user_w[i] * (data.user_y[i] - data.user_func(data.user_t[i], par)); } } // Helper functions to print padded strings and numbers (until // Asymptote provides a real printf function) private string pad(string str, int count, string pad=" ") { string res = str; while (length(res) < count) res = pad + res; return res; } private string pad(int num, int digits, string pad=" ") { return pad(string(num), digits, pad); } private string pad(real num, int digits, string pad=" ") { return pad(string(num), digits, pad); } // Similar to the C code, also prints weights void lm_print_default(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev) { real f, y, t, w; int i; if (iflag == 2) { write("trying step in gradient direction"); } else if (iflag == 1) { write(format("determining gradient (iteration %d)", iter)); } else if (iflag == 0) { write("starting minimization"); } else if (iflag == -1) { write(format("terminated after %d evaluations", nfev)); } write(" par: ", none); for (i = 0; i < n_par; ++i) { write(" " + pad(par[i], 12), none); } write(" => norm: " + pad(lm_enorm(m_dat, fvec), 12)); if (iflag == -1) { write(" fitting data as follows:"); for (i = 0; i < m_dat; ++i) { t = data.user_t[i]; y = data.user_y[i]; w = data.user_w[i]; f = data.user_func(t, par); write(format(" t[%2d]=", i) + pad(t, 12) + " y=" + pad(y, 12) + " w=" + pad(w, 12) + " fit=" + pad(f, 12) + " residue=" + pad(y - f, 12)); } } } // Prints nothing void lm_print_quiet(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev) { } // copied from the C code private void lm_qrfac(int m, int n, real[] a, bool pivot, int[] ipvt, real[] rdiag, real[] acnorm, real[] wa) { int i, j, k, kmax, minmn; real ajnorm, sum, temp; static real p05 = 0.05; for (j = 0; j < n; ++j) { acnorm[j] = lm_enorm(m, a, j * m); rdiag[j] = acnorm[j]; wa[j] = rdiag[j]; if (pivot) ipvt[j] = j; } minmn = min(m, n); for (j = 0; j < minmn; ++j) { while (pivot) { kmax = j; for (k = j + 1; k < n; ++k) if (rdiag[k] > rdiag[kmax]) kmax = k; if (kmax == j) break; for (i = 0; i < m; ++i) { temp = a[j * m + i]; a[j * m + i] = a[kmax * m + i]; a[kmax * m + i] = temp; } rdiag[kmax] = rdiag[j]; wa[kmax] = wa[j]; k = ipvt[j]; ipvt[j] = ipvt[kmax]; ipvt[kmax] = k; break; } ajnorm = lm_enorm(m - j, a, j * m + j); if (ajnorm == 0.0) { rdiag[j] = 0; continue; } if (a[j * m + j] < 0.0) ajnorm = -ajnorm; for (i = j; i < m; ++i) a[j * m + i] /= ajnorm; a[j * m + j] += 1; for (k = j + 1; k < n; ++k) { sum = 0; for (i = j; i < m; ++i) sum += a[j * m + i] * a[k * m + i]; temp = sum / a[j + m * j]; for (i = j; i < m; ++i) a[k * m + i] -= temp * a[j * m + i]; if (pivot && rdiag[k] != 0.0) { temp = a[m * k + j] / rdiag[k]; temp = max(0.0, 1 - SQR(temp)); rdiag[k] *= sqrt(temp); temp = rdiag[k] / wa[k]; if (p05 * SQR(temp) <= LM_MACHEP) { rdiag[k] = lm_enorm(m - j - 1, a, m * k + j + 1); wa[k] = rdiag[k]; } } } rdiag[j] = -ajnorm; } } // copied from the C code private void lm_qrsolv(int n, real[] r, int ldr, int[] ipvt, real[] diag, real[] qtb, real[] x, real[] sdiag, real[] wa) { static real p25 = 0.25; static real p5 = 0.5; int i, kk, j, k, nsing; real qtbpj, sum, temp; real _sin, _cos, _tan, _cot; for (j = 0; j < n; ++j) { for (i = j; i < n; ++i) r[j * ldr + i] = r[i * ldr + j]; x[j] = r[j * ldr + j]; wa[j] = qtb[j]; } for (j = 0; j < n; ++j) { while (diag[ipvt[j]] != 0.0) { for (k = j; k < n; ++k) sdiag[k] = 0.0; sdiag[j] = diag[ipvt[j]]; qtbpj = 0.; for (k = j; k < n; ++k) { if (sdiag[k] == 0.) continue; kk = k + ldr * k; if (fabs(r[kk]) < fabs(sdiag[k])) { _cot = r[kk] / sdiag[k]; _sin = p5 / sqrt(p25 + p25 * _cot * _cot); _cos = _sin * _cot; } else { _tan = sdiag[k] / r[kk]; _cos = p5 / sqrt(p25 + p25 * _tan * _tan); _sin = _cos * _tan; } r[kk] = _cos * r[kk] + _sin * sdiag[k]; temp = _cos * wa[k] + _sin * qtbpj; qtbpj = -_sin * wa[k] + _cos * qtbpj; wa[k] = temp; for (i = k + 1; i < n; ++i) { temp = _cos * r[k * ldr + i] + _sin * sdiag[i]; sdiag[i] = -_sin * r[k * ldr + i] + _cos * sdiag[i]; r[k * ldr + i] = temp; } } break; } sdiag[j] = r[j * ldr + j]; r[j * ldr + j] = x[j]; } nsing = n; for (j = 0; j < n; ++j) { if (sdiag[j] == 0.0 && nsing == n) nsing = j; if (nsing < n) wa[j] = 0; } for (j = nsing - 1; j >= 0; --j) { sum = 0; for (i = j + 1; i < nsing; ++i) sum += r[j * ldr + i] * wa[i]; wa[j] = (wa[j] - sum) / sdiag[j]; } for (j = 0; j < n; ++j) x[ipvt[j]] = wa[j]; } // copied from the C code private void lm_lmpar(int n, real[] r, int ldr, int[] ipvt, real[] diag, real[] qtb, real delta, lm_real_type par, real[] x, real[] sdiag, real[] wa1, real[] wa2) { static real p1 = 0.1; static real p001 = 0.001; int nsing = n; real parl = 0.0; int i, iter, j; real dxnorm, fp, fp_old, gnorm, parc, paru; real sum, temp; for (j = 0; j < n; ++j) { wa1[j] = qtb[j]; if (r[j * ldr + j] == 0 && nsing == n) nsing = j; if (nsing < n) wa1[j] = 0; } for (j = nsing - 1; j >= 0; --j) { wa1[j] = wa1[j] / r[j + ldr * j]; temp = wa1[j]; for (i = 0; i < j; ++i) wa1[i] -= r[j * ldr + i] * temp; } for (j = 0; j < n; ++j) x[ipvt[j]] = wa1[j]; iter = 0; for (j = 0; j < n; ++j) wa2[j] = diag[j] * x[j]; dxnorm = lm_enorm(n, wa2); fp = dxnorm - delta; if (fp <= p1 * delta) { par.val = 0; return; } if (nsing >= n) { for (j = 0; j < n; ++j) wa1[j] = diag[ipvt[j]] * wa2[ipvt[j]] / dxnorm; for (j = 0; j < n; ++j) { sum = 0.0; for (i = 0; i < j; ++i) sum += r[j * ldr + i] * wa1[i]; wa1[j] = (wa1[j] - sum) / r[j + ldr * j]; } temp = lm_enorm(n, wa1); parl = fp / delta / temp / temp; } for (j = 0; j < n; ++j) { sum = 0; for (i = 0; i <= j; ++i) sum += r[j * ldr + i] * qtb[i]; wa1[j] = sum / diag[ipvt[j]]; } gnorm = lm_enorm(n, wa1); paru = gnorm / delta; if (paru == 0.0) paru = LM_DWARF / min(delta, p1); par.val = max(par.val, parl); par.val = min(par.val, paru); if (par.val == 0.0) par.val = gnorm / dxnorm; for (;; ++iter) { if (par.val == 0.0) par.val = max(LM_DWARF, p001 * paru); temp = sqrt(par.val); for (j = 0; j < n; ++j) wa1[j] = temp * diag[j]; lm_qrsolv(n, r, ldr, ipvt, wa1, qtb, x, sdiag, wa2); for (j = 0; j < n; ++j) wa2[j] = diag[j] * x[j]; dxnorm = lm_enorm(n, wa2); fp_old = fp; fp = dxnorm - delta; if (fabs(fp) <= p1 * delta || (parl == 0.0 && fp <= fp_old && fp_old < 0.0) || iter == 10) break; for (j = 0; j < n; ++j) wa1[j] = diag[ipvt[j]] * wa2[ipvt[j]] / dxnorm; for (j = 0; j < n; ++j) { wa1[j] = wa1[j] / sdiag[j]; for (i = j + 1; i < n; ++i) wa1[i] -= r[j * ldr + i] * wa1[j]; } temp = lm_enorm(n, wa1); parc = fp / delta / temp / temp; if (fp > 0) parl = max(parl, par.val); else if (fp < 0) paru = min(paru, par.val); par.val = max(parl, par.val + parc); } } // copied from the C code; the main function void lm_lmdif(int m, int n, real[] x, real[] fvec, real ftol, real xtol, real gtol, int maxfev, real epsfcn, real[] diag, int mode, real factor, lm_int_type info, lm_int_type nfev, real[] fjac, int[] ipvt, real[] qtf, real[] wa1, real[] wa2, real[] wa3, real[] wa4, lm_evaluate_ftype evaluate, lm_print_ftype printout, lm_data_type data) { static real p1 = 0.1; static real p5 = 0.5; static real p25 = 0.25; static real p75 = 0.75; static real p0001 = 1.0e-4; nfev.val = 0; int iter = 1; lm_real_type par = lm_real_type(0); real delta = 0; real xnorm = 0; real temp = max(epsfcn, LM_MACHEP); real eps = sqrt(temp); int i, j; real actred, dirder, fnorm, fnorm1, gnorm, pnorm, prered, ratio, step, sum, temp1, temp2, temp3; if ((n <= 0) || (m < n) || (ftol < 0.0) || (xtol < 0.0) || (gtol < 0.0) || (maxfev <= 0) || (factor <= 0)) { info.val = 0; return; } if (mode == 2) { for (j = 0; j < n; ++j) { if (diag[j] <= 0.0) { info.val = 0; return; } } } info.val = 0; evaluate(x, m, fvec, data, info); if(printout != null) printout(n, x, m, fvec, data, 0, 0, ++nfev.val); if (info.val < 0) return; fnorm = lm_enorm(m, fvec); do { for (j = 0; j < n; ++j) { temp = x[j]; step = eps * fabs(temp); if (step == 0.0) step = eps; x[j] = temp + step; info.val = 0; evaluate(x, m, wa4, data, info); if(printout != null) printout(n, x, m, wa4, data, 1, iter, ++nfev.val); if (info.val < 0) return; for (i = 0; i < m; ++i) fjac[j * m + i] = (wa4[i] - fvec[i]) / (x[j] - temp); x[j] = temp; } lm_qrfac(m, n, fjac, true, ipvt, wa1, wa2, wa3); if (iter == 1) { if (mode != 2) { for (j = 0; j < n; ++j) { diag[j] = wa2[j]; if (wa2[j] == 0.0) diag[j] = 1.0; } } for (j = 0; j < n; ++j) wa3[j] = diag[j] * x[j]; xnorm = lm_enorm(n, wa3); delta = factor * xnorm; if (delta == 0.0) delta = factor; } for (i = 0; i < m; ++i) wa4[i] = fvec[i]; for (j = 0; j < n; ++j) { temp3 = fjac[j * m + j]; if (temp3 != 0.0) { sum = 0; for (i = j; i < m; ++i) sum += fjac[j * m + i] * wa4[i]; temp = -sum / temp3; for (i = j; i < m; ++i) wa4[i] += fjac[j * m + i] * temp; } fjac[j * m + j] = wa1[j]; qtf[j] = wa4[j]; } gnorm = 0; if (fnorm != 0) { for (j = 0; j < n; ++j) { if (wa2[ipvt[j]] == 0) continue; sum = 0.0; for (i = 0; i <= j; ++i) sum += fjac[j * m + i] * qtf[i] / fnorm; gnorm = max(gnorm, fabs(sum / wa2[ipvt[j]])); } } if (gnorm <= gtol) { info.val = 4; return; } if (mode != 2) { for (j = 0; j < n; ++j) diag[j] = max(diag[j], wa2[j]); } do { lm_lmpar(n, fjac, m, ipvt, diag, qtf, delta, par, wa1, wa2, wa3, wa4); for (j = 0; j < n; ++j) { wa1[j] = -wa1[j]; wa2[j] = x[j] + wa1[j]; wa3[j] = diag[j] * wa1[j]; } pnorm = lm_enorm(n, wa3); if (nfev.val <= 1 + n) delta = min(delta, pnorm); info.val = 0; evaluate(wa2, m, wa4, data, info); if(printout != null) printout(n, x, m, wa4, data, 2, iter, ++nfev.val); if (info.val < 0) return; fnorm1 = lm_enorm(m, wa4); if (p1 * fnorm1 < fnorm) actred = 1 - SQR(fnorm1 / fnorm); else actred = -1; for (j = 0; j < n; ++j) { wa3[j] = 0; for (i = 0; i <= j; ++i) wa3[i] += fjac[j * m + i] * wa1[ipvt[j]]; } temp1 = lm_enorm(n, wa3) / fnorm; temp2 = sqrt(par.val) * pnorm / fnorm; prered = SQR(temp1) + 2 * SQR(temp2); dirder = -(SQR(temp1) + SQR(temp2)); ratio = prered != 0 ? actred / prered : 0; if (ratio <= p25) { if (actred >= 0.0) temp = p5; else temp = p5 * dirder / (dirder + p5 * actred); if (p1 * fnorm1 >= fnorm || temp < p1) temp = p1; delta = temp * min(delta, pnorm / p1); par.val /= temp; } else if (par.val == 0.0 || ratio >= p75) { delta = pnorm / p5; par.val *= p5; } if (ratio >= p0001) { for (j = 0; j < n; ++j) { x[j] = wa2[j]; wa2[j] = diag[j] * x[j]; } for (i = 0; i < m; ++i) fvec[i] = wa4[i]; xnorm = lm_enorm(n, wa2); fnorm = fnorm1; ++iter; } info.val = 0; if (fabs(actred) <= ftol && prered <= ftol && p5 * ratio <= 1) info.val = 1; if (delta <= xtol * xnorm) info.val += 2; if (info.val != 0) return; if (nfev.val >= maxfev) info.val = 5; if (fabs(actred) <= LM_MACHEP && prered <= LM_MACHEP && p5 * ratio <= 1) info.val = 6; if (delta <= LM_MACHEP * xnorm) info.val = 7; if (gnorm <= LM_MACHEP) info.val = 8; if (info.val != 0) return; } while (ratio < p0001); } while (true); } // copied from the C code; wrapper of lm_lmdif void lm_minimize(int m_dat, int n_par, real[] par, lm_evaluate_ftype evaluate, lm_print_ftype printout, lm_data_type data, lm_control_type control) { int n = n_par; int m = m_dat; real[] fvec = new real[m]; real[] diag = new real[n]; real[] qtf = new real[n]; real[] fjac = new real[n * m]; real[] wa1 = new real[n]; real[] wa2 = new real[n]; real[] wa3 = new real[n]; real[] wa4 = new real[m]; int[] ipvt = new int[n]; control.info.val = 0; control.nfev.val = 0; lm_lmdif(m, n, par, fvec, control.ftol, control.xtol, control.gtol, control.maxcall * (n + 1), control.epsilon, diag, 1, control.stepbound, control.info, control.nfev, fjac, ipvt, qtf, wa1, wa2, wa3, wa4, evaluate, printout, data); if(printout != null) printout(n, par, m, fvec, data, -1, 0, control.nfev.val); control.fnorm = lm_enorm(m, fvec); if (control.info.val < 0) control.info.val = 10; } // convenience functions; wrappers of lm_minimize /* The structure FitControl specifies various control parameters. */ struct FitControl { real squareSumTolerance; // relative error desired in the sum of squares real approximationTolerance; // relative error between last two approximations real desiredOrthogonality; // orthogonality desired between the residue vector and its derivatives real epsilon; // step used to calculate the jacobian real stepBound; // initial bound to steps in the outer loop int maxIterations; // maximum number of iterations bool verbose; // whether to print detailed information about every iteration, or nothing void operator init(real squareSumTolerance=LM_USERTOL, real approximationTolerance=LM_USERTOL, real desiredOrthogonality=LM_USERTOL, real epsilon=LM_USERTOL, real stepBound=100, int maxIterations=100, bool verbose=false) { this.squareSumTolerance = squareSumTolerance; this.approximationTolerance = approximationTolerance; this.desiredOrthogonality = desiredOrthogonality; this.epsilon = epsilon; this.stepBound = stepBound; this.maxIterations = maxIterations; this.verbose = verbose; } FitControl copy() { FitControl result = new FitControl; result.squareSumTolerance = this.squareSumTolerance; result.approximationTolerance = this.approximationTolerance; result.desiredOrthogonality = this.desiredOrthogonality; result.epsilon = this.epsilon; result.stepBound = this.stepBound; result.maxIterations = this.maxIterations; result.verbose = this.verbose; return result; } }; FitControl operator init() { return FitControl(); } FitControl defaultControl; /* Upon returning, this structure provides information about the fit. */ struct FitResult { real norm; // norm of the residue vector int iterations; // actual number of iterations int status; // status of minimization void operator init(real norm, int iterations, int status) { this.norm = norm; this.iterations = iterations; this.status = status; } }; /* Fits data points to a function that depends on some parameters. Parameters: - xdata: Array of x values. - ydata: Array of y values. - errors: Array of experimental errors; each element must be strictly positive - function: Fit function. - parameters: Parameter array. Before calling fit(), this must contain the initial guesses for the parameters. Upon return, it will contain the solution parameters. - control: object of type FitControl that controls various aspects of the fitting procedure. Returns: An object of type FitResult that conveys information about the fitting process. */ FitResult fit(real[] xdata, real[] ydata, real[] errors, real function(real[], real), real[] parameters, FitControl control=defaultControl) { int m_dat = min(xdata.length, ydata.length); int n_par = parameters.length; lm_evaluate_ftype evaluate = lm_evaluate_default; lm_print_ftype printout = control.verbose ? lm_print_default : lm_print_quiet; lm_data_type data; data.user_t = xdata; data.user_y = ydata; data.user_w = 1 / errors; data.user_func = new real(real x, real[] params) { return function(params, x); }; lm_control_type ctrl; ctrl.ftol = control.squareSumTolerance; ctrl.xtol = control.approximationTolerance; ctrl.gtol = control.desiredOrthogonality; ctrl.epsilon = control.epsilon; ctrl.stepbound = control.stepBound; ctrl.maxcall = control.maxIterations; lm_minimize(m_dat, n_par, parameters, evaluate, printout, data, ctrl); return FitResult(ctrl.fnorm, ctrl.nfev.val, ctrl.info.val); } /* Fits data points to a function that depends on some parameters. Parameters: - xdata: Array of x values. - ydata: Array of y values. - function: Fit function. - parameters: Parameter array. Before calling fit(), this must contain the initial guesses for the parameters. Upon return, it will contain the solution parameters. - control: object of type FitControl that controls various aspects of the fitting procedure. Returns: An object of type FitResult that conveys information about the fitting process. */ FitResult fit(real[] xdata, real[] ydata, real function(real[], real), real[] parameters, FitControl control=defaultControl) { return fit(xdata, ydata, array(min(xdata.length, ydata.length), 1.0), function, parameters, control); } asymptote-2.62/base/texcolors.asy0000644000000000000000000000434513607467113015656 0ustar rootrootpen GreenYellow=cmyk(0.15,0,0.69,0); pen Yellow=cmyk(0,0,1,0); pen Goldenrod=cmyk(0,0.10,0.84,0); pen Dandelion=cmyk(0,0.29,0.84,0); pen Apricot=cmyk(0,0.32,0.52,0); pen Peach=cmyk(0,0.50,0.70,0); pen Melon=cmyk(0,0.46,0.50,0); pen YellowOrange=cmyk(0,0.42,1,0); pen Orange=cmyk(0,0.61,0.87,0); pen BurntOrange=cmyk(0,0.51,1,0); pen Bittersweet=cmyk(0,0.75,1,0.24); pen RedOrange=cmyk(0,0.77,0.87,0); pen Mahogany=cmyk(0,0.85,0.87,0.35); pen Maroon=cmyk(0,0.87,0.68,0.32); pen BrickRed=cmyk(0,0.89,0.94,0.28); pen Red=cmyk(0,1,1,0); pen OrangeRed=cmyk(0,1,0.50,0); pen RubineRed=cmyk(0,1,0.13,0); pen WildStrawberry=cmyk(0,0.96,0.39,0); pen Salmon=cmyk(0,0.53,0.38,0); pen CarnationPink=cmyk(0,0.63,0,0); pen Magenta=cmyk(0,1,0,0); pen VioletRed=cmyk(0,0.81,0,0); pen Rhodamine=cmyk(0,0.82,0,0); pen Mulberry=cmyk(0.34,0.90,0,0.02); pen RedViolet=cmyk(0.07,0.90,0,0.34); pen Fuchsia=cmyk(0.47,0.91,0,0.08); pen Lavender=cmyk(0,0.48,0,0); pen Thistle=cmyk(0.12,0.59,0,0); pen Orchid=cmyk(0.32,0.64,0,0); pen DarkOrchid=cmyk(0.40,0.80,0.20,0); pen Purple=cmyk(0.45,0.86,0,0); pen Plum=cmyk(0.50,1,0,0); pen Violet=cmyk(0.79,0.88,0,0); pen RoyalPurple=cmyk(0.75,0.90,0,0); pen BlueViolet=cmyk(0.86,0.91,0,0.04); pen Periwinkle=cmyk(0.57,0.55,0,0); pen CadetBlue=cmyk(0.62,0.57,0.23,0); pen CornflowerBlue=cmyk(0.65,0.13,0,0); pen MidnightBlue=cmyk(0.98,0.13,0,0.43); pen NavyBlue=cmyk(0.94,0.54,0,0); pen RoyalBlue=cmyk(1,0.50,0,0); pen Blue=cmyk(1,1,0,0); pen Cerulean=cmyk(0.94,0.11,0,0); pen Cyan=cmyk(1,0,0,0); pen ProcessBlue=cmyk(0.96,0,0,0); pen SkyBlue=cmyk(0.62,0,0.12,0); pen Turquoise=cmyk(0.85,0,0.20,0); pen TealBlue=cmyk(0.86,0,0.34,0.02); pen Aquamarine=cmyk(0.82,0,0.30,0); pen BlueGreen=cmyk(0.85,0,0.33,0); pen Emerald=cmyk(1,0,0.50,0); pen JungleGreen=cmyk(0.99,0,0.52,0); pen SeaGreen=cmyk(0.69,0,0.50,0); pen Green=cmyk(1,0,1,0); pen ForestGreen=cmyk(0.91,0,0.88,0.12); pen PineGreen=cmyk(0.92,0,0.59,0.25); pen LimeGreen=cmyk(0.50,0,1,0); pen YellowGreen=cmyk(0.44,0,0.74,0); pen SpringGreen=cmyk(0.26,0,0.76,0); pen OliveGreen=cmyk(0.64,0,0.95,0.40); pen RawSienna=cmyk(0,0.72,1,0.45); pen Sepia=cmyk(0,0.83,1,0.70); pen Brown=cmyk(0,0.81,1,0.60); pen Tan=cmyk(0.14,0.42,0.56,0); pen Gray=cmyk(0,0,0,0.50); pen Black=cmyk(0,0,0,1); pen White=cmyk(0,0,0,0); asymptote-2.62/base/x11colors.asy0000644000000000000000000001131413607467113015461 0ustar rootrootpen rgbint(int r, int g, int b) { return rgb(r/255,g/255,b/255); } pen AliceBlue=rgbint(240,248,255); pen AntiqueWhite=rgbint(250,235,215); pen Aqua=rgbint(0,255,255); pen Aquamarine=rgbint(127,255,212); pen Azure=rgbint(240,255,255); pen Beige=rgbint(245,245,220); pen Bisque=rgbint(255,228,196); pen Black=rgbint(0,0,0); pen BlanchedAlmond=rgbint(255,235,205); pen Blue=rgbint(0,0,255); pen BlueViolet=rgbint(138,43,226); pen Brown=rgbint(165,42,42); pen BurlyWood=rgbint(222,184,135); pen CadetBlue=rgbint(95,158,160); pen Chartreuse=rgbint(127,255,0); pen Chocolate=rgbint(210,105,30); pen Coral=rgbint(255,127,80); pen CornflowerBlue=rgbint(100,149,237); pen Cornsilk=rgbint(255,248,220); pen Crimson=rgbint(220,20,60); pen Cyan=rgbint(0,255,255); pen DarkBlue=rgbint(0,0,139); pen DarkCyan=rgbint(0,139,139); pen DarkGoldenrod=rgbint(184,134,11); pen DarkGray=rgbint(169,169,169); pen DarkGreen=rgbint(0,100,0); pen DarkKhaki=rgbint(189,183,107); pen DarkMagenta=rgbint(139,0,139); pen DarkOliveGreen=rgbint(85,107,47); pen DarkOrange=rgbint(255,140,0); pen DarkOrchid=rgbint(153,50,204); pen DarkRed=rgbint(139,0,0); pen DarkSalmon=rgbint(233,150,122); pen DarkSeaGreen=rgbint(143,188,143); pen DarkSlateBlue=rgbint(72,61,139); pen DarkSlateGray=rgbint(47,79,79); pen DarkTurquoise=rgbint(0,206,209); pen DarkViolet=rgbint(148,0,211); pen DeepPink=rgbint(255,20,147); pen DeepSkyBlue=rgbint(0,191,255); pen DimGray=rgbint(105,105,105); pen DodgerBlue=rgbint(30,144,255); pen FireBrick=rgbint(178,34,34); pen FloralWhite=rgbint(255,250,240); pen ForestGreen=rgbint(34,139,34); pen Fuchsia=rgbint(255,0,255); pen Gainsboro=rgbint(220,220,220); pen GhostWhite=rgbint(248,248,255); pen Gold=rgbint(255,215,0); pen Goldenrod=rgbint(218,165,32); pen Gray=rgbint(128,128,128); pen Green=rgbint(0,128,0); pen GreenYellow=rgbint(173,255,47); pen Honeydew=rgbint(240,255,240); pen HotPink=rgbint(255,105,180); pen IndianRed=rgbint(205,92,92); pen Indigo=rgbint(75,0,130); pen Ivory=rgbint(255,255,240); pen Khaki=rgbint(240,230,140); pen Lavender=rgbint(230,230,250); pen LavenderBlush=rgbint(255,240,245); pen LawnGreen=rgbint(124,252,0); pen LemonChiffon=rgbint(255,250,205); pen LightBlue=rgbint(173,216,230); pen LightCoral=rgbint(240,128,128); pen LightCyan=rgbint(224,255,255); pen LightGoldenrodYellow=rgbint(250,250,210); pen LightGreen=rgbint(144,238,144); pen LightGrey=rgbint(211,211,211); pen LightPink=rgbint(255,182,193); pen LightSalmon=rgbint(255,160,122); pen LightSeaGreen=rgbint(32,178,170); pen LightSkyBlue=rgbint(135,206,250); pen LightSlateGray=rgbint(119,136,153); pen LightSteelBlue=rgbint(176,196,222); pen LightYellow=rgbint(255,255,224); pen Lime=rgbint(0,255,0); pen LimeGreen=rgbint(50,205,50); pen Linen=rgbint(250,240,230); pen Magenta=rgbint(255,0,255); pen Maroon=rgbint(128,0,0); pen MediumAquamarine=rgbint(102,205,170); pen MediumBlue=rgbint(0,0,205); pen MediumOrchid=rgbint(186,85,211); pen MediumPurple=rgbint(147,112,219); pen MediumSeaGreen=rgbint(60,179,113); pen MediumSlateBlue=rgbint(123,104,238); pen MediumSpringGreen=rgbint(0,250,154); pen MediumTurquoise=rgbint(72,209,204); pen MediumVioletRed=rgbint(199,21,133); pen MidnightBlue=rgbint(25,25,112); pen MintCream=rgbint(245,255,250); pen MistyRose=rgbint(255,228,225); pen Moccasin=rgbint(255,228,181); pen NavajoWhite=rgbint(255,222,173); pen Navy=rgbint(0,0,128); pen OldLace=rgbint(253,245,230); pen Olive=rgbint(128,128,0); pen OliveDrab=rgbint(107,142,35); pen Orange=rgbint(255,165,0); pen OrangeRed=rgbint(255,69,0); pen Orchid=rgbint(218,112,214); pen PaleGoldenrod=rgbint(238,232,170); pen PaleGreen=rgbint(152,251,152); pen PaleTurquoise=rgbint(175,238,238); pen PaleVioletRed=rgbint(219,112,147); pen PapayaWhip=rgbint(255,239,213); pen PeachPuff=rgbint(255,218,185); pen Peru=rgbint(205,133,63); pen Pink=rgbint(255,192,203); pen Plum=rgbint(221,160,221); pen PowderBlue=rgbint(176,224,230); pen Purple=rgbint(128,0,128); pen Red=rgbint(255,0,0); pen RosyBrown=rgbint(188,143,143); pen RoyalBlue=rgbint(65,105,225); pen SaddleBrown=rgbint(139,69,19); pen Salmon=rgbint(250,128,114); pen SandyBrown=rgbint(244,164,96); pen SeaGreen=rgbint(46,139,87); pen Seashell=rgbint(255,245,238); pen Sienna=rgbint(160,82,45); pen Silver=rgbint(192,192,192); pen SkyBlue=rgbint(135,206,235); pen SlateBlue=rgbint(106,90,205); pen SlateGray=rgbint(112,128,144); pen Snow=rgbint(255,250,250); pen SpringGreen=rgbint(0,255,127); pen SteelBlue=rgbint(70,130,180); pen Tan=rgbint(210,180,140); pen Teal=rgbint(0,128,128); pen Thistle=rgbint(216,191,216); pen Tomato=rgbint(255,99,71); pen Turquoise=rgbint(64,224,208); pen Violet=rgbint(238,130,238); pen Wheat=rgbint(245,222,179); pen White=rgbint(255,255,255); pen WhiteSmoke=rgbint(245,245,245); pen Yellow=rgbint(255,255,0); pen YellowGreen=rgbint(154,205,50); asymptote-2.62/base/plain_bounds.asy0000644000000000000000000005101513607467113016305 0ustar rootrootinclude plain_scaling; // After a transformation, produce new coordinate bounds. For paths that // have been added, this is only an approximation since it takes the bounds of // their transformed bounding box. private void addTransformedCoords(coords2 dest, transform t, coords2 point, coords2 min, coords2 max) { dest.push(t, point, point); // Add in all 4 corner coords, to properly size rectangular pictures. dest.push(t,min,min); dest.push(t,min,max); dest.push(t,max,min); dest.push(t,max,max); } // Adds another sizing restriction to the coordinates, but only if it is // maximal, that is, if under some scaling, this coordinate could be the // largest. private void addIfMaximal(coord[] coords, real user, real truesize) { // TODO: Test promoting coordinates for efficiency. for (coord c : coords) if (user <= c.user && truesize <= c.truesize) // Not maximal. return; // The coordinate is not dominated by any existing extreme, so it is // maximal and will be added, but first remove any coords it now dominates. int i = 0; while (i < coords.length) { coord c = coords[i]; if (c.user <= user && c.truesize <= truesize) coords.delete(i); else ++i; } // Add the coordinate to the extremes. coords.push(coord.build(user, truesize)); } private void addIfMaximal(coord[] dest, coord[] src) { // This may be inefficient, as it rebuilds the coord struct when adding it. for (coord c : src) addIfMaximal(dest, c.user, c.truesize); } // Same as addIfMaximal, but testing for minimal coords. private void addIfMinimal(coord[] coords, real user, real truesize) { for (coord c : coords) if (user >= c.user && truesize >= c.truesize) return; int i = 0; while (i < coords.length) { coord c = coords[i]; if (c.user >= user && c.truesize >= truesize) coords.delete(i); else ++i; } coords.push(coord.build(user, truesize)); } private void addIfMinimal(coord[] dest, coord[] src) { for (coord c : src) addIfMinimal(dest, c.user, c.truesize); } // This stores a list of sizing bounds for picture data. If the object is // frozen, then it cannot be modified further, and therefore can be safely // passed by reference and stored in the sizing data for multiple pictures. private struct freezableBounds { restricted bool frozen = false; void freeze() { frozen = true; } // Optional links to further (frozen) sizing data. private freezableBounds[] links; // Links to (frozen) sizing data that is transformed when added here. private static struct transformedBounds { transform t; freezableBounds link; }; private transformedBounds[] tlinks; // The sizing data. It cannot be modified once this object is frozen. private coords2 point, min, max; // A bound represented by a path. Using the path instead of the bounding // box means it will be accurate after a transformation by coordinates. private path[] pathBounds; // A bound represented by a path and a pen. // As often many paths use the same pen, we store an array of paths. private static struct pathpen { path[] g; pen p; void operator init(path g, pen p) { this.g.push(g); this.p = p; } } private static pathpen operator *(transform t, pathpen pp) { // Should the pen be transformed? pathpen newpp; for (path g : pp.g) newpp.g.push(t*g); newpp.p = pp.p; return newpp; } // WARNING: Due to crazy optimizations, if this array is changed between an // empty and non-empty state, the assignment of a method to // addPath(path,pen) must also change. private pathpen[] pathpenBounds; // Once frozen, the sizing is immutable, and therefore we can compute and // store the extremal coordinates. public static struct extremes { coord[] left, bottom, right, top; void operator init(coord[] left, coord[] bottom, coord[] right, coord[] top) { this.left = left; this.bottom = bottom; this.right = right; this.top = top; } } private static void addMaxToExtremes(extremes e, pair user, pair truesize) { addIfMaximal(e.right, user.x, truesize.x); addIfMaximal(e.top, user.y, truesize.y); } private static void addMinToExtremes(extremes e, pair user, pair truesize) { addIfMinimal(e.left, user.x, truesize.x); addIfMinimal(e.bottom, user.y, truesize.y); } private static void addMaxToExtremes(extremes e, coords2 coords) { addIfMaximal(e.right, coords.x); addIfMaximal(e.top, coords.y); } private static void addMinToExtremes(extremes e, coords2 coords) { addIfMinimal(e.left, coords.x); addIfMinimal(e.bottom, coords.y); } private extremes cachedExtremes = null; // Once frozen, getMutable returns a new object based on this one, which can // be modified. freezableBounds getMutable() { assert(frozen); var f = new freezableBounds; f.links.push(this); return f; } freezableBounds transformed(transform t) { // Freeze these bounds, as we are storing a reference to them. freeze(); var tlink = new transformedBounds; tlink.t = t; tlink.link = this; var b = new freezableBounds; b.tlinks.push(tlink); return b; } void append(freezableBounds b) { // Check that we can modify the object. assert(!frozen); //TODO: If b is "small", ie. a single tlink or cliplink, just copy the //link. // As we only reference b, we must freeze it to ensure it does not change. b.freeze(); links.push(b); } void addPoint(pair user, pair truesize) { assert(!frozen); point.push(user, truesize); } void addBox(pair userMin, pair userMax, pair trueMin, pair trueMax) { assert(!frozen); this.min.push(userMin, trueMin); this.max.push(userMax, trueMax); } void addPath(path g) { // This, and other asserts have been removed to speed things up slightly. //assert(!frozen); this.pathBounds.push(g); } void addPath(path[] g) { //assert(!frozen); this.pathBounds.append(g); } // To squeeze out a bit more performance, this method is either assigned // addPathToNonEmptyArray or addPathToEmptyArray depending on the state of // the pathpenBounds array. void addPath(path g, pen p); private void addPathToNonEmptyArray(path g, pen p) { //assert(!frozen); //assert(!pathpenBounds.empty()); var pp = pathpenBounds[0]; // Test if the pens are equal or have the same bounds. if (pp.p == p || (min(pp.p) == min(p) && max(pp.p) == max(p))) { // If this path has the same pen as the last one, just add it to the // array corresponding to that pen. pp.g.push(g); } else { // A different pen. Start a new bound and put it on the front. Put // the old bound at the end of the array. pathpenBounds[0] = pathpen(g,p); pathpenBounds.push(pp); } } void addPathToEmptyArray(path g, pen p) { //assert(!frozen); //assert(pathpenBounds.empty()); pathpenBounds.push(pathpen(g,p)); addPath = addPathToNonEmptyArray; } // Initial setting for addPath. addPath = addPathToEmptyArray; // Transform the sizing info by t then add the result to the coords // structure. private void accumulateCoords(transform t, coords2 coords) { for (var link : links) link.accumulateCoords(t, coords); for (var tlink : tlinks) tlink.link.accumulateCoords(t*tlink.t, coords); addTransformedCoords(coords, t, this.point, this.min, this.max); for (var g : pathBounds) { g = t*g; coords.push(min(g), (0,0)); coords.push(max(g), (0,0)); } for (var pp: pathpenBounds) { pair pm = min(pp.p), pM = max(pp.p); for (var g : pp.g) { g = t*g; coords.push(min(g), pm); coords.push(max(g), pM); } } } // Add all of the sizing info to the given coords structure. private void accumulateCoords(coords2 coords) { for (var link : links) link.accumulateCoords(coords); for (var tlink : tlinks) tlink.link.accumulateCoords(tlink.t, coords); coords.append(this.point); coords.append(this.min); coords.append(this.max); for (var g : pathBounds) { coords.push(min(g), (0,0)); coords.push(max(g), (0,0)); } for (var pp: pathpenBounds) { pair pm = min(pp.p), pM = max(pp.p); for (var g : pp.g) { coords.push(min(g), pm); coords.push(max(g), pM); } } } // Returns all of the coords that this sizing data represents. private coords2 allCoords() { coords2 coords; accumulateCoords(coords); return coords; } private void addLocalsToExtremes(transform t, extremes e) { coords2 coords; addTransformedCoords(coords, t, this.point, this.min, this.max); addMinToExtremes(e, coords); addMaxToExtremes(e, coords); if (pathBounds.length > 0) { addMinToExtremes(e, minAfterTransform(t, pathBounds), (0,0)); addMaxToExtremes(e, maxAfterTransform(t, pathBounds), (0,0)); } for (var pp : pathpenBounds) { if (pp.g.length > 0) { addMinToExtremes(e, minAfterTransform(t, pp.g), min(pp.p)); addMaxToExtremes(e, maxAfterTransform(t, pp.g), max(pp.p)); } } } private void addToExtremes(transform t, extremes e) { for (var link : links) link.addToExtremes(t, e); for (var tlink : tlinks) tlink.link.addToExtremes(t*tlink.t, e); addLocalsToExtremes(t, e); } private void addLocalsToExtremes(extremes e) { addMinToExtremes(e, point); addMaxToExtremes(e, point); addMinToExtremes(e, min); addMaxToExtremes(e, max); if (pathBounds.length > 0) { addMinToExtremes(e, min(pathBounds), (0,0)); addMaxToExtremes(e, max(pathBounds), (0,0)); } for(var pp : pathpenBounds) { pair m=min(pp.p); pair M=max(pp.p); for(path gg : pp.g) { if (size(gg) > 0) { addMinToExtremes(e,min(gg),m); addMaxToExtremes(e,max(gg),M); } } } } private void addToExtremes(extremes e) { for (var link : links) link.addToExtremes(e); for (var tlink : tlinks) tlink.link.addToExtremes(tlink.t, e); addLocalsToExtremes(e); } private static void write(extremes e) { static void write(coord[] coords) { for (coord c : coords) write(" " + (string)c.user + " u + " + (string)c.truesize); } write("left:"); write(e.left); write("bottom:"); write(e.bottom); write("right:"); write(e.right); write("top:"); write(e.top); } // Returns the extremal coordinates of the sizing data. public extremes extremes() { if (cachedExtremes == null) { freeze(); extremes e; addToExtremes(e); cachedExtremes = e; } return cachedExtremes; } // Helper functions for computing the usersize bounds. usermin and usermax // would be easily computable from extremes, except that the picture // interface actually allows calls that manually change the usermin and // usermax values. Therefore, we have to compute these values separately. private static struct userbounds { bool areSet=false; pair min; pair max; } private static struct boundsAccumulator { pair[] mins; pair[] maxs; void push(pair m, pair M) { mins.push(m); maxs.push(M); } void push(userbounds b) { if (b.areSet) push(b.min, b.max); } void push(transform t, userbounds b) { if (b.areSet) { pair[] box = { t*(b.min.x,b.max.y), t*b.max, t*b.min, t*(b.max.x,b.min.y) }; for (var z : box) push(z,z); } } void pushUserCoords(coords2 min, coords2 max) { int n = min.x.length; assert(min.y.length == n); assert(max.x.length == n); assert(max.y.length == n); for (int i = 0; i < n; ++i) push((min.x[i].user, min.y[i].user), (max.x[i].user, max.y[i].user)); } userbounds collapse() { userbounds b; if (mins.length > 0) { b.areSet = true; b.min = minbound(mins); b.max = maxbound(maxs); } else { b.areSet = false; } return b; } } // The user bounds already calculated for this data. private userbounds storedUserBounds = null; private void accumulateUserBounds(boundsAccumulator acc) { if (storedUserBounds != null) { assert(frozen); acc.push(storedUserBounds); } else { acc.pushUserCoords(point, point); acc.pushUserCoords(min, max); if (pathBounds.length > 0) acc.push(min(pathBounds), max(pathBounds)); for (var pp : pathpenBounds) if(size(pp.g) > 0) acc.push(min(pp.g), max(pp.g)); for (var link : links) link.accumulateUserBounds(acc); // Transforms are handled as they were in the old system. for (var tlink : tlinks) { boundsAccumulator tacc; tlink.link.accumulateUserBounds(tacc); acc.push(tlink.t, tacc.collapse()); } } } private void computeUserBounds() { freeze(); boundsAccumulator acc; accumulateUserBounds(acc); storedUserBounds = acc.collapse(); } private userbounds userBounds() { if (storedUserBounds == null) computeUserBounds(); assert(storedUserBounds != null); return storedUserBounds; } // userMin/userMax returns the minimal/maximal userspace coordinate of the // sizing data. As coordinates for objects such as labels can have // significant truesize dimensions, this userMin/userMax values may not // correspond closely to the end of the screen, and are of limited use. // userSetx and userSety determine if there is sizing data in order to even // have userMin/userMax defined. public bool userBoundsAreSet() { return userBounds().areSet; } public pair userMin() { return userBounds().min; } public pair userMax() { return userBounds().max; } // To override the true userMin and userMax bounds, first compute the // userBounds as they should be at this point, then change the values. public void alterUserBound(string which, real val) { // We are changing the bounds data, so it cannot be frozen yet. After the // user bounds are set, however, the sizing data cannot change, so it will // be frozen. assert(!frozen); computeUserBounds(); assert(frozen); var b = storedUserBounds; if (which == "minx") b.min = (val, b.min.y); else if (which == "miny") b.min = (b.min.x, val); else if (which == "maxx") b.max = (val, b.max.y); else { assert(which == "maxy"); b.max = (b.max.x, val); } } // A temporary measure. Stuffs all of the data from the links and paths // into the coords. private void flatten() { assert(!frozen); // First, compute the user bounds, taking into account any manual // alterations. computeUserBounds(); // Calculate all coordinates. coords2 coords = allCoords(); // Erase all the old data. point.erase(); min.erase(); max.erase(); pathBounds.delete(); pathpenBounds.delete(); addPath = addPathToEmptyArray; links.delete(); tlinks.delete(); // Put all of the coordinates into point. point = coords; } void xclip(real Min, real Max) { assert(!frozen); flatten(); point.xclip(Min,Max); min.xclip(Min,Max); max.xclip(Min,Max); // Cap the userBounds. userbounds b = storedUserBounds; b.min = (max(Min, b.min.x), b.min.y); b.max = (min(Max, b.max.x), b.max.y); } void yclip(real Min, real Max) { assert(!frozen); flatten(); point.yclip(Min,Max); min.yclip(Min,Max); max.yclip(Min,Max); // Cap the userBounds. userbounds b = storedUserBounds; b.min = (b.min.x, max(Min, b.min.y)); b.max = (b.max.x, min(Max, b.max.y)); } // Calculate the min for the final frame, given the coordinate transform. pair min(transform t) { extremes e = extremes(); if (e.left.length == 0) return 0; pair a=t*(1,1)-t*(0,0), b=t*(0,0); scaling xs=scaling.build(a.x,b.x); scaling ys=scaling.build(a.y,b.y); return (min(infinity, xs, e.left), min(infinity, ys, e.bottom)); } // Calculate the max for the final frame, given the coordinate transform. pair max(transform t) { extremes e = extremes(); if (e.right.length == 0) return 0; pair a=t*(1,1)-t*(0,0), b=t*(0,0); scaling xs=scaling.build(a.x,b.x); scaling ys=scaling.build(a.y,b.y); return (max(-infinity, xs, e.right), max(-infinity, ys, e.top)); } // Returns the transform for turning user-space pairs into true-space pairs. transform scaling(real xsize, real ysize, real xunitsize, real yunitsize, bool keepAspect, bool warn) { if(xsize == 0 && xunitsize == 0 && ysize == 0 && yunitsize == 0) return identity(); // Get the extremal coordinates. extremes e = extremes(); real sx; if(xunitsize == 0) { if(xsize != 0) sx=calculateScaling("x",e.left,e.right,xsize,warn); } else sx=xunitsize; /* Possible alternative code : real sx = xunitsize != 0 ? xunitsize : xsize != 0 ? calculateScaling("x", Coords.x, xsize, warn) : 0; */ real sy; if(yunitsize == 0) { if(ysize != 0) sy=calculateScaling("y",e.bottom,e.top,ysize,warn); } else sy=yunitsize; if(sx == 0) { sx=sy; if(sx == 0) return identity(); } else if(sy == 0) sy=sx; if(keepAspect && (xunitsize == 0 || yunitsize == 0)) return scale(min(sx,sy)); else return scale(sx,sy); } } struct bounds { private var base = new freezableBounds; // We should probably put this back into picture. bool exact = true; // Called just before modifying the sizing data. It ensures base is // non-frozen. // Note that this is manually inlined for speed reasons in a couple often // called methods below. private void makeMutable() { if (base.frozen) base = base.getMutable(); //assert(!base.frozen); // Disabled for speed reasons. } void erase() { // Just discard the old bounds. base = new freezableBounds; // We don't reset the 'exact' field, for backward compatibility. } bounds copy() { // Freeze the underlying bounds and make a shallow copy. base.freeze(); var b = new bounds; b.base = this.base; b.exact = this.exact; return b; } bounds transformed(transform t) { var b = new bounds; b.base = base.transformed(t); b.exact = this.exact; return b; } void append(bounds b) { makeMutable(); base.append(b.base); } void append(transform t, bounds b) { // makeMutable will be called by append. if (t == identity()) append(b); else append(b.transformed(t)); } void addPoint(pair user, pair truesize) { makeMutable(); base.addPoint(user, truesize); } void addBox(pair userMin, pair userMax, pair trueMin, pair trueMax) { makeMutable(); base.addBox(userMin, userMax, trueMin, trueMax); } void addPath(path g) { //makeMutable(); // Manually inlined here for speed reasons. if (base.frozen) base = base.getMutable(); base.addPath(g); } void addPath(path[] g) { //makeMutable(); // Manually inlined here for speed reasons. if (base.frozen) base = base.getMutable(); base.addPath(g); } void addPath(path g, pen p) { //makeMutable(); // Manually inlined here for speed reasons. if (base.frozen) base = base.getMutable(); base.addPath(g, p); } public bool userBoundsAreSet() { return base.userBoundsAreSet(); } public pair userMin() { return base.userMin(); } public pair userMax() { return base.userMax(); } public void alterUserBound(string which, real val) { makeMutable(); base.alterUserBound(which, val); } void xclip(real Min, real Max) { makeMutable(); base.xclip(Min,Max); } void yclip(real Min, real Max) { makeMutable(); base.yclip(Min,Max); } void clip(pair Min, pair Max) { // TODO: If the user bounds have been manually altered, they may be // incorrect after the clip. xclip(Min.x,Max.x); yclip(Min.y,Max.y); } pair min(transform t) { return base.min(t); } pair max(transform t) { return base.max(t); } transform scaling(real xsize, real ysize, real xunitsize, real yunitsize, bool keepAspect, bool warn) { return base.scaling(xsize, ysize, xunitsize, yunitsize, keepAspect, warn); } } bounds operator *(transform t, bounds b) { return b.transformed(t); } asymptote-2.62/base/three_surface.asy0000644000000000000000000021704413607467113016455 0ustar rootrootimport bezulate; private import interpolate; int nslice=12; real camerafactor=1.2; string meshname(string name) {return name+" mesh";} private real Fuzz=10.0*realEpsilon; private real nineth=1/9; // Return the default Coons interior control point for a Bezier triangle // based on the cyclic path3 external. triple coons3(path3 external) { return 0.25*(precontrol(external,0)+postcontrol(external,0)+ precontrol(external,1)+postcontrol(external,1)+ precontrol(external,2)+postcontrol(external,2))- (point(external,0)+point(external,1)+point(external,2))/6; } struct patch { triple[][] P; pen[] colors; // Optionally specify 4 corner colors. bool straight; // Patch is based on a piecewise straight external path. bool3 planar; // Patch is planar. bool triangular; // Patch is a Bezier triangle. path3 external() { return straight ? P[0][0]--P[3][0]--P[3][3]--P[0][3]--cycle : P[0][0]..controls P[1][0] and P[2][0].. P[3][0]..controls P[3][1] and P[3][2].. P[3][3]..controls P[2][3] and P[1][3].. P[0][3]..controls P[0][2] and P[0][1]..cycle; } path3 externaltriangular() { return P[0][0]..controls P[1][0] and P[2][0].. P[3][0]..controls P[3][1] and P[3][2].. P[3][3]..controls P[2][2] and P[1][1]..cycle; } triple[] internal() { return new triple[] {P[1][1],P[2][1],P[2][2],P[1][2]}; } triple[] internaltriangular() { return new triple[] {P[2][1]}; } triple cornermean() { return 0.25*(P[0][0]+P[0][3]+P[3][0]+P[3][3]); } triple cornermeantriangular() { return (P[0][0]+P[3][0]+P[3][3])/3; } triple[] corners() {return new triple[] {P[0][0],P[3][0],P[3][3],P[0][3]};} triple[] cornerstriangular() {return new triple[] {P[0][0],P[3][0],P[3][3]};} real[] map(real f(triple)) { return new real[] {f(P[0][0]),f(P[3][0]),f(P[3][3]),f(P[0][3])}; } real[] maptriangular(real f(triple)) { return new real[] {f(P[0][0]),f(P[3][0]),f(P[3][3])}; } triple Bu(int j, real u) {return bezier(P[0][j],P[1][j],P[2][j],P[3][j],u);} triple BuP(int j, real u) { return bezierP(P[0][j],P[1][j],P[2][j],P[3][j],u); } triple BuPP(int j, real u) { return bezierPP(P[0][j],P[1][j],P[2][j],P[3][j],u); } triple BuPPP(int j) {return bezierPPP(P[0][j],P[1][j],P[2][j],P[3][j]);} path3 uequals(real u) { triple z0=Bu(0,u); triple z1=Bu(3,u); return path3(new triple[] {z0,Bu(2,u)},new triple[] {z0,z1}, new triple[] {Bu(1,u),z1},new bool[] {straight,false},false); } triple Bv(int i, real v) {return bezier(P[i][0],P[i][1],P[i][2],P[i][3],v);} triple BvP(int i, real v) { return bezierP(P[i][0],P[i][1],P[i][2],P[i][3],v); } triple BvPP(int i, real v) { return bezierPP(P[i][0],P[i][1],P[i][2],P[i][3],v); } triple BvPPP(int i) {return bezierPPP(P[i][0],P[i][1],P[i][2],P[i][3]);} path3 vequals(real v) { triple z0=Bv(0,v); triple z1=Bv(3,v); return path3(new triple[] {z0,Bv(2,v)},new triple[] {z0,z1}, new triple[] {Bv(1,v),z1},new bool[] {straight,false},false); } triple point(real u, real v) { return bezier(Bu(0,u),Bu(1,u),Bu(2,u),Bu(3,u),v); } // compute normal vectors for degenerate cases private triple normal0(real u, real v, real epsilon) { triple n=0.5*(cross(bezier(BuPP(0,u),BuPP(1,u),BuPP(2,u),BuPP(3,u),v), bezier(BvP(0,v),BvP(1,v),BvP(2,v),BvP(3,v),u))+ cross(bezier(BuP(0,u),BuP(1,u),BuP(2,u),BuP(3,u),v), bezier(BvPP(0,v),BvPP(1,v),BvPP(2,v),BvPP(3,v),u))); return abs(n) > epsilon ? n : 0.25*cross(bezier(BuPP(0,u),BuPP(1,u),BuPP(2,u),BuPP(3,u),v), bezier(BvPP(0,v),BvPP(1,v),BvPP(2,v),BvPP(3,v),u))+ 1/6*(cross(bezier(BuP(0,u),BuP(1,u),BuP(2,u),BuP(3,u),v), bezier(BvPPP(0),BvPPP(1),BvPPP(2),BvPPP(3),u))+ cross(bezier(BuPPP(0),BuPPP(1),BuPPP(2),BuPPP(3),v), bezier(BvP(0,v),BvP(1,v),BvP(2,v),BvP(3,v),u)))+ 1/12*(cross(bezier(BuPPP(0),BuPPP(1),BuPPP(2),BuPPP(3),v), bezier(BvPP(0,v),BvPP(1,v),BvPP(2,v),BvPP(3,v),u))+ cross(bezier(BuPP(0,u),BuPP(1,u),BuPP(2,u),BuPP(3,u),v), bezier(BvPPP(0),BvPPP(1),BvPPP(2),BvPPP(3),u)))+ 1/36*cross(bezier(BuPPP(0),BuPPP(1),BuPPP(2),BuPPP(3),v), bezier(BvPPP(0),BvPPP(1),BvPPP(2),BvPPP(3),u)); } static real fuzz=1000*realEpsilon; triple partialu(real u, real v) { return bezier(BuP(0,u),BuP(1,u),BuP(2,u),BuP(3,u),v); } triple partialv(real u, real v) { return bezier(BvP(0,v),BvP(1,v),BvP(2,v),BvP(3,v),u); } triple normal(real u, real v) { triple n=cross(partialu(u,v),partialv(u,v)); real epsilon=fuzz*change2(P); return (abs(n) > epsilon) ? n : normal0(u,v,epsilon); } triple normal00() { triple n=9*cross(P[1][0]-P[0][0],P[0][1]-P[0][0]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normal0(0,0,epsilon); } triple normal10() { triple n=9*cross(P[3][0]-P[2][0],P[3][1]-P[3][0]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normal0(1,0,epsilon); } triple normal11() { triple n=9*cross(P[3][3]-P[2][3],P[3][3]-P[3][2]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normal0(1,1,epsilon); } triple normal01() { triple n=9*cross(P[1][3]-P[0][3],P[0][3]-P[0][2]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normal0(0,1,epsilon); } triple pointtriangular(real u, real v) { real w=1-u-v; return w^2*(w*P[0][0]+3*(u*P[1][0]+v*P[1][1]))+ u^2*(3*(w*P[2][0]+v*P[3][1])+u*P[3][0])+ 6*u*v*w*P[2][1]+v^2*(3*(w*P[2][2]+u*P[3][2])+v*P[3][3]); } triple bu(real u, real v) { // Compute one-third of the directional derivative of a Bezier triangle // in the u direction at (u,v). real w=1-u-v; return -w^2*P[0][0]+w*(w-2*u)*P[1][0]-2*w*v*P[1][1]+u*(2*w-u)*P[2][0]+ 2*v*(w-u)*P[2][1]-v^2*P[2][2]+u^2*P[3][0]+2*u*v*P[3][1]+v^2*P[3][2]; } triple buu(real u, real v) { // Compute one-sixth of the second directional derivative of a Bezier // triangle in the u direction at (u,v). real w=1-u-v; return w*P[0][0]+(u-2*w)*P[1][0]+v*P[1][1]+(w-2*u)*P[2][0]-2*v*P[2][1]+ u*P[3][0]+v*P[3][1]; } triple buuu() { // Compute one-sixth of the third directional derivative of a Bezier // triangle in the u direction at (u,v). return -P[0][0]+3*P[1][0]-3*P[2][0]+P[3][0]; } triple bv(real u, real v) { // Compute one-third of the directional derivative of a Bezier triangle // in the v direction at (u,v). real w=1-u-v; return -w^2*P[0][0]-2*u*w*P[1][0]+w*(w-2*v)*P[1][1]-u^2*P[2][0]+ 2*u*(w-v)*P[2][1]+v*(2*w-v)*P[2][2]+u*u*P[3][1]+2*u*v*P[3][2]+ v^2*P[3][3]; } triple bvv(real u, real v) { // Compute one-sixth of the second directional derivative of a Bezier // triangle in the v direction at (u,v). real w=1-u-v; return w*P[0][0]+u*P[1][0]+(v-2*w)*P[1][1]-2*u*P[2][1]+(w-2*v)*P[2][2]+ u*P[3][2]+v*P[3][3]; } triple bvvv() { // Compute one-sixth of the third directional derivative of a Bezier // triangle in the v direction at (u,v). return -P[0][0]+3*P[1][1]-3*P[2][2]+P[3][3]; } // compute normal vectors for a degenerate Bezier triangle private triple normaltriangular0(real u, real v, real epsilon) { triple n=9*(cross(buu(u,v),bv(u,v))+ cross(bu(u,v),bvv(u,v))); return abs(n) > epsilon ? n : 9*cross(buu(u,v),bvv(u,v))+ 3*(cross(buuu(),bv(u,v))+cross(bu(u,v),bvvv())+ cross(buuu(),bvv(u,v))+cross(buu(u,v),bvvv()))+ cross(buuu(),bvvv()); } // Compute the normal of a Bezier triangle at (u,v) triple normaltriangular(real u, real v) { triple n=9*cross(bu(u,v),bv(u,v)); real epsilon=fuzz*change2(P); return (abs(n) > epsilon) ? n : normal0(u,v,epsilon); } triple normal00triangular() { triple n=9*cross(P[1][0]-P[0][0],P[1][1]-P[0][0]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normaltriangular0(0,0,epsilon); } triple normal10triangular() { triple n=9*cross(P[3][0]-P[2][0],P[3][1]-P[2][0]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normaltriangular0(1,0,epsilon); } triple normal01triangular() { triple n=9*cross(P[3][2]-P[2][2],P[3][3]-P[2][2]); real epsilon=fuzz*change2(P); return abs(n) > epsilon ? n : normaltriangular0(0,1,epsilon); } pen[] colors(material m, light light=currentlight) { bool nocolors=colors.length == 0; if(planar) { triple normal=normal(0.5,0.5); return new pen[] {color(normal,nocolors ? m : colors[0],light), color(normal,nocolors ? m : colors[1],light), color(normal,nocolors ? m : colors[2],light), color(normal,nocolors ? m : colors[3],light)}; } return new pen[] {color(normal00(),nocolors ? m : colors[0],light), color(normal10(),nocolors ? m : colors[1],light), color(normal11(),nocolors ? m : colors[2],light), color(normal01(),nocolors ? m : colors[3],light)}; } pen[] colorstriangular(material m, light light=currentlight) { bool nocolors=colors.length == 0; if(planar) { triple normal=normal(1/3,1/3); return new pen[] {color(normal,nocolors ? m : colors[0],light), color(normal,nocolors ? m : colors[1],light), color(normal,nocolors ? m : colors[2],light)}; } return new pen[] {color(normal00(),nocolors ? m : colors[0],light), color(normal10(),nocolors ? m : colors[1],light), color(normal01(),nocolors ? m : colors[2],light)}; } triple min3,max3; bool havemin3,havemax3; void init() { havemin3=false; havemax3=false; if(triangular) { external=externaltriangular; internal=internaltriangular; cornermean=cornermeantriangular; corners=cornerstriangular; map=maptriangular; point=pointtriangular; normal=normaltriangular; normal00=normal00triangular; normal10=normal10triangular; normal01=normal01triangular; colors=colorstriangular; uequals=new path3(real u) {return nullpath3;}; vequals=new path3(real u) {return nullpath3;}; } } triple min(triple bound=P[0][0]) { if(havemin3) return minbound(min3,bound); havemin3=true; return min3=minbezier(P,bound); } triple max(triple bound=P[0][0]) { if(havemax3) return maxbound(max3,bound); havemax3=true; return max3=maxbezier(P,bound); } triple center() { return 0.5*(this.min()+this.max()); } pair min(projection P, pair bound=project(this.P[0][0],P.t)) { triple[][] Q=P.T.modelview*this.P; if(P.infinity) return xypart(minbezier(Q,(bound.x,bound.y,0))); real d=P.T.projection[3][2]; return maxratio(Q,d*bound)/d; // d is negative } pair max(projection P, pair bound=project(this.P[0][0],P.t)) { triple[][] Q=P.T.modelview*this.P; if(P.infinity) return xypart(maxbezier(Q,(bound.x,bound.y,0))); real d=P.T.projection[3][2]; return minratio(Q,d*bound)/d; // d is negative } void operator init(triple[][] P, pen[] colors=new pen[], bool straight=false, bool3 planar=default, bool triangular=false, bool copy=true) { this.P=copy ? copy(P) : P; if(colors.length != 0) this.colors=copy(colors); this.straight=straight; this.planar=planar; this.triangular=triangular; init(); } void operator init(pair[][] P, triple plane(pair)=XYplane, bool straight=false, bool triangular=false) { triple[][] Q=new triple[4][]; for(int i=0; i < 4; ++i) { pair[] Pi=P[i]; Q[i]=sequence(new triple(int j) {return plane(Pi[j]);},4); } operator init(Q,straight,planar=true,triangular); } void operator init(patch s) { operator init(s.P,s.colors,s.straight,s.planar,s.triangular); } // A constructor for a cyclic path3 of length 3 with a specified // internal point, corner normals, and pens (rendered as a Bezier triangle). void operator init(path3 external, triple internal, pen[] colors=new pen[], bool3 planar=default) { triangular=true; this.planar=planar; init(); if(colors.length != 0) this.colors=copy(colors); P=new triple[][] { {point(external,0)}, {postcontrol(external,0),precontrol(external,0)}, {precontrol(external,1),internal,postcontrol(external,2)}, {point(external,1),postcontrol(external,1),precontrol(external,2), point(external,2)} }; } // A constructor for a convex cyclic path3 of length <= 4 with optional // arrays of internal points (4 for a Bezier patch, 1 for a Bezier // triangle), and pens. void operator init(path3 external, triple[] internal=new triple[], pen[] colors=new pen[], bool3 planar=default) { if(internal.length == 0 && planar == default) this.planar=normal(external) != O; else this.planar=planar; int L=length(external); if(L == 3) { operator init(external,internal.length == 1 ? internal[0] : coons3(external),colors,this.planar); straight=piecewisestraight(external); return; } if(L > 4 || !cyclic(external)) abort("cyclic path3 of length <= 4 expected"); if(L == 1) { external=external--cycle--cycle--cycle; if(colors.length > 0) colors.append(array(3,colors[0])); } else if(L == 2) { external=external--cycle--cycle; if(colors.length > 0) colors.append(array(2,colors[0])); } init(); if(colors.length != 0) this.colors=copy(colors); if(internal.length == 0) { straight=piecewisestraight(external); internal=new triple[4]; for(int j=0; j < 4; ++j) internal[j]=nineth*(-4*point(external,j) +6*(precontrol(external,j)+postcontrol(external,j)) -2*(point(external,j-1)+point(external,j+1)) +3*(precontrol(external,j-1)+ postcontrol(external,j+1)) -point(external,j+2)); } P=new triple[][] { {point(external,0),precontrol(external,0),postcontrol(external,3), point(external,3)}, {postcontrol(external,0),internal[0],internal[3],precontrol(external,3)}, {precontrol(external,1),internal[1],internal[2],postcontrol(external,2)}, {point(external,1),postcontrol(external,1),precontrol(external,2), point(external,2)} }; } // A constructor for a convex quadrilateral. void operator init(triple[] external, triple[] internal=new triple[], pen[] colors=new pen[], bool3 planar=default) { init(); if(internal.length == 0 && planar == default) this.planar=normal(external) != O; else this.planar=planar; if(colors.length != 0) this.colors=copy(colors); if(internal.length == 0) { internal=new triple[4]; for(int j=0; j < 4; ++j) internal[j]=nineth*(4*external[j]+2*external[(j+1)%4]+ external[(j+2)%4]+2*external[(j+3)%4]); } straight=true; triple delta[]=new triple[4]; for(int j=0; j < 4; ++j) delta[j]=(external[(j+1)% 4]-external[j])/3; P=new triple[][] { {external[0],external[0]-delta[3],external[3]+delta[3],external[3]}, {external[0]+delta[0],internal[0],internal[3],external[3]-delta[2]}, {external[1]-delta[0],internal[1],internal[2],external[2]+delta[2]}, {external[1],external[1]+delta[1],external[2]-delta[1],external[2]} }; } } patch operator * (transform3 t, patch s) { patch S; S.P=new triple[s.P.length][]; for(int i=0; i < s.P.length; ++i) { triple[] si=s.P[i]; triple[] Si=S.P[i]; for(int j=0; j < si.length; ++j) Si[j]=t*si[j]; } S.colors=copy(s.colors); S.planar=s.planar; S.straight=s.straight; S.triangular=s.triangular; S.init(); return S; } patch reverse(patch s) { assert(!s.triangular); patch S; S.P=transpose(s.P); if(s.colors.length > 0) S.colors=new pen[] {s.colors[0],s.colors[3],s.colors[2],s.colors[1]}; S.straight=s.straight; S.planar=s.planar; return S; } // Return a degenerate tensor patch representation of a Bezier triangle. patch tensor(patch s) { if(!s.triangular) return patch(s); triple[][] P=s.P; return patch(new triple[][] {{P[0][0],P[0][0],P[0][0],P[0][0]}, {P[1][0],P[1][0]*2/3+P[1][1]/3,P[1][0]/3+P[1][1]*2/3,P[1][1]}, {P[2][0],P[2][0]/3+P[2][1]*2/3,P[2][1]*2/3+P[2][2]/3,P[2][2]}, {P[3][0],P[3][1],P[3][2],P[3][3]}}, s.colors.length > 0 ? new pen[] {s.colors[0],s.colors[1],s.colors[2],s.colors[0]} : new pen[], s.straight,s.planar,false,false); } // Return the tensor product patch control points corresponding to path p // and points internal. pair[][] tensor(path p, pair[] internal) { return new pair[][] { {point(p,0),precontrol(p,0),postcontrol(p,3),point(p,3)}, {postcontrol(p,0),internal[0],internal[3],precontrol(p,3)}, {precontrol(p,1),internal[1],internal[2],postcontrol(p,2)}, {point(p,1),postcontrol(p,1),precontrol(p,2),point(p,2)} }; } // Return the Coons patch control points corresponding to path p. pair[][] coons(path p) { int L=length(p); if(L == 1) p=p--cycle--cycle--cycle; else if(L == 2) p=p--cycle--cycle; else if(L == 3) p=p--cycle; pair[] internal=new pair[4]; for(int j=0; j < 4; ++j) { internal[j]=nineth*(-4*point(p,j) +6*(precontrol(p,j)+postcontrol(p,j)) -2*(point(p,j-1)+point(p,j+1)) +3*(precontrol(p,j-1)+postcontrol(p,j+1)) -point(p,j+2)); } return tensor(p,internal); } // Decompose a possibly nonconvex cyclic path into an array of paths that // yield nondegenerate Coons patches. path[] regularize(path p, bool checkboundary=true) { path[] s; if(!cyclic(p)) abort("cyclic path expected"); int L=length(p); if(L > 4) { for(path g : bezulate(p)) s.append(regularize(g,checkboundary)); return s; } bool straight=piecewisestraight(p); if(L <= 3 && straight) { return new path[] {p}; } // Split p along the angle bisector at t. bool split(path p, real t) { pair dir=dir(p,t); if(dir != 0) { path g=subpath(p,t,t+length(p)); int L=length(g); pair z=point(g,0); real[] T=intersections(g,z,z+I*dir); for(int i=0; i < T.length; ++i) { real cut=T[i]; if(cut > sqrtEpsilon && cut < L-sqrtEpsilon) { pair w=point(g,cut); if(!inside(p,0.5*(z+w),zerowinding)) continue; pair delta=sqrtEpsilon*(w-z); if(intersections(g,z-delta--w+delta).length != 2) continue; s.append(regularize(subpath(g,0,cut)--cycle,checkboundary)); s.append(regularize(subpath(g,cut,L)--cycle,checkboundary)); return true; } } } return false; } // Ensure that all interior angles are less than 180 degrees. real fuzz=1e-4; int sign=sgn(windingnumber(p,inside(p,zerowinding))); for(int i=0; i < L; ++i) { if(sign*(conj(dir(p,i,-1))*dir(p,i,1)).y < -fuzz) { if(split(p,i)) return s; } } if(straight) return new path[] {p}; pair[][] P=coons(p); // Check for degeneracy. pair[][] U=new pair[3][4]; pair[][] V=new pair[4][3]; for(int i=0; i < 3; ++i) { for(int j=0; j < 4; ++j) U[i][j]=P[i+1][j]-P[i][j]; } for(int i=0; i < 4; ++i) { for(int j=0; j < 3; ++j) V[i][j]=P[i][j+1]-P[i][j]; } int[] choose2={1,2,1}; int[] choose3={1,3,3,1}; real T[][]=new real[6][6]; for(int p=0; p < 6; ++p) { int kstart=max(p-2,0); int kstop=min(p,3); real[] Tp=T[p]; for(int q=0; q < 6; ++q) { real Tpq; int jstop=min(q,3); int jstart=max(q-2,0); for(int k=kstart; k <= kstop; ++k) { int choose3k=choose3[k]; for(int j=jstart; j <= jstop; ++j) { int i=p-k; int l=q-j; Tpq += (conj(U[i][j])*V[k][l]).y* choose2[i]*choose3k*choose3[j]*choose2[l]; } } Tp[q]=Tpq; } } bool3 aligned=default; bool degenerate=false; for(int p=0; p < 6; ++p) { for(int q=0; q < 6; ++q) { if(aligned == default) { if(T[p][q] > sqrtEpsilon) aligned=true; if(T[p][q] < -sqrtEpsilon) aligned=false; } else { if((T[p][q] > sqrtEpsilon && aligned == false) || (T[p][q] < -sqrtEpsilon && aligned == true)) degenerate=true; } } } if(!degenerate) { if(aligned == (sign >= 0)) return new path[] {p}; return s; } if(checkboundary) { // Polynomial coefficients of (B_i'' B_j + B_i' B_j')/3. static real[][][] fpv0={ {{5, -20, 30, -20, 5}, {-3, 24, -54, 48, -15}, {0, -6, 27, -36, 15}, {0, 0, -3, 8, -5}}, {{-7, 36, -66, 52, -15}, {3, -36, 108, -120, 45}, {0, 6, -45, 84, -45}, {0, 0, 3, -16, 15}}, {{2, -18, 45, -44, 15}, {0, 12, -63, 96, -45}, {0, 0, 18, -60, 45}, {0, 0, 0, 8, -15}}, {{0, 2, -9, 12, -5}, {0, 0, 9, -24, 15}, {0, 0, 0, 12, -15}, {0, 0, 0, 0, 5}} }; // Compute one-ninth of the derivative of the Jacobian along the boundary. real[][] c=array(4,array(5,0.0)); for(int i=0; i < 4; ++i) { real[][] fpv0i=fpv0[i]; for(int j=0; j < 4; ++j) { real[] w=fpv0i[j]; c[0] += w*(conj(P[i][0])*(P[j][1]-P[j][0])).y; // v=0 c[1] += w*(conj(P[3][j]-P[2][j])*P[3][i]).y; // u=1 c[2] += w*(conj(P[i][3])*(P[j][3]-P[j][2])).y; // v=1 c[3] += w*(conj(P[0][j]-P[1][j])*P[0][i]).y; // u=0 } } pair BuP(int j, real u) { return bezierP(P[0][j],P[1][j],P[2][j],P[3][j],u); } pair BvP(int i, real v) { return bezierP(P[i][0],P[i][1],P[i][2],P[i][3],v); } real normal(real u, real v) { return (conj(bezier(BuP(0,u),BuP(1,u),BuP(2,u),BuP(3,u),v))* bezier(BvP(0,v),BvP(1,v),BvP(2,v),BvP(3,v),u)).y; } // Use Rolle's theorem to check for degeneracy on the boundary. real M=0; real cut; for(int i=0; i < 4; ++i) { if(!straight(p,i)) { real[] ci=c[i]; pair[] R=quarticroots(ci[4],ci[3],ci[2],ci[1],ci[0]); for(pair r : R) { if(fabs(r.y) < sqrtEpsilon) { real t=r.x; if(0 <= t && t <= 1) { real[] U={t,1,t,0}; real[] V={0,t,1,t}; real[] T={t,t,1-t,1-t}; real N=sign*normal(U[i],V[i]); if(N < M) { M=N; cut=i+T[i]; } } } } } } // Split at the worst boundary degeneracy. if(M < 0 && split(p,cut)) return s; } // Split arbitrarily to resolve any remaining (internal) degeneracy. checkboundary=false; for(int i=0; i < L; ++i) if(!straight(p,i) && split(p,i+0.5)) return s; while(true) for(int i=0; i < L; ++i) if(!straight(p,i) && split(p,i+unitrand())) return s; return s; } struct surface { patch[] s; int index[][];// Position of patch corresponding to major U,V parameter in s. bool vcyclic; bool empty() { return s.length == 0; } void operator init(int n) { s=new patch[n]; } void operator init(... patch[] s) { this.s=s; } void operator init(surface s) { this.s=new patch[s.s.length]; for(int i=0; i < s.s.length; ++i) this.s[i]=patch(s.s[i]); this.index=copy(s.index); this.vcyclic=s.vcyclic; } void operator init(triple[][][] P, pen[][] colors=new pen[][], bool3 planar=default, bool triangular=false) { s=sequence(new patch(int i) { return patch(P[i],colors.length == 0 ? new pen[] : colors[i],planar, triangular); },P.length); } void colors(pen[][] palette) { for(int i=0; i < s.length; ++i) s[i].colors=copy(palette[i]); } triple[][] corners() { triple[][] a=new triple[s.length][]; for(int i=0; i < s.length; ++i) a[i]=s[i].corners(); return a; } real[][] map(real f(triple)) { real[][] a=new real[s.length][]; for(int i=0; i < s.length; ++i) a[i]=s[i].map(f); return a; } triple[] cornermean() { return sequence(new triple(int i) {return s[i].cornermean();},s.length); } triple point(real u, real v) { int U=floor(u); int V=floor(v); int index=index.length == 0 ? U+V : index[U][V]; return s[index].point(u-U,v-V); } triple normal(real u, real v) { int U=floor(u); int V=floor(v); int index=index.length == 0 ? U+V : index[U][V]; return s[index].normal(u-U,v-V); } void ucyclic(bool f) { index.cyclic=f; } void vcyclic(bool f) { for(int[] i : index) i.cyclic=f; vcyclic=f; } bool ucyclic() { return index.cyclic; } bool vcyclic() { return vcyclic; } path3 uequals(real u) { if(index.length == 0) return nullpath3; int U=floor(u); int[] index=index[U]; path3 g; for(int i : index) g=g&s[i].uequals(u-U); return vcyclic() ? g&cycle : g; } path3 vequals(real v) { if(index.length == 0) return nullpath3; int V=floor(v); path3 g; for(int[] i : index) g=g&s[i[V]].vequals(v-V); return ucyclic() ? g&cycle : g; } // A constructor for a possibly nonconvex simple cyclic path in a given // plane. void operator init(path p, triple plane(pair)=XYplane) { for(path g : regularize(p)) { if(length(g) == 3) { path3 G=path3(g,plane); s.push(patch(G,coons3(G),planar=true)); } else s.push(patch(coons(g),plane,piecewisestraight(g))); } } void operator init(explicit path[] g, triple plane(pair)=XYplane) { for(path p : bezulate(g)) s.append(surface(p,plane).s); } // A general surface constructor for both planar and nonplanar 3D paths. void construct(path3 external, triple[] internal=new triple[], pen[] colors=new pen[], bool3 planar=default) { int L=length(external); if(!cyclic(external)) abort("cyclic path expected"); if(L <= 3 && piecewisestraight(external)) { s.push(patch(external,internal,colors,planar)); return; } // Construct a surface from a possibly nonconvex planar cyclic path3. if(planar != false && internal.length == 0 && colors.length == 0) { triple n=normal(external); if(n != O) { transform3 T=align(n); external=transpose(T)*external; T *= shift(0,0,point(external,0).z); for(patch p : surface(path(external)).s) s.push(T*p); return; } } if(L <= 4 || internal.length > 0) { s.push(patch(external,internal,colors,planar)); return; } // Path is not planar; split into patches. real factor=1/L; pen[] p; triple[] n; bool nocolors=colors.length == 0; triple center; for(int i=0; i < L; ++i) center += point(external,i); center *= factor; if(!nocolors) p=new pen[] {mean(colors)}; // Use triangles for nonplanar surfaces. int step=normal(external) == O ? 1 : 2; int i=0; int end; while((end=i+step) < L) { s.push(patch(subpath(external,i,end)--center--cycle, nocolors ? p : concat(colors[i:end+1],p),planar)); i=end; } s.push(patch(subpath(external,i,L)--center--cycle, nocolors ? p : concat(colors[i:],colors[0:1],p),planar)); } void operator init(path3 external, triple[] internal=new triple[], pen[] colors=new pen[], bool3 planar=default) { s=new patch[]; construct(external,internal,colors,planar); } void operator init(explicit path3[] external, triple[][] internal=new triple[][], pen[][] colors=new pen[][], bool3 planar=default) { s=new patch[]; if(planar == true) {// Assume all path3 elements share a common normal. if(external.length != 0) { triple n=normal(external[0]); if(n != O) { transform3 T=align(n); external=transpose(T)*external; T *= shift(0,0,point(external[0],0).z); path[] g=sequence(new path(int i) {return path(external[i]);}, external.length); for(patch p : surface(g).s) s.push(T*p); return; } } } for(int i=0; i < external.length; ++i) construct(external[i], internal.length == 0 ? new triple[] : internal[i], colors.length == 0 ? new pen[] : colors[i],planar); } void push(path3 external, triple[] internal=new triple[], pen[] colors=new pen[], bool3 planar=default) { s.push(patch(external,internal,colors,planar)); } // Construct the surface of rotation generated by rotating g // from angle1 to angle2 sampled n times about the line c--c+axis. // An optional surface pen color(int i, real j) may be specified // to override the color at vertex(i,j). void operator init(triple c, path3 g, triple axis, int n=nslice, real angle1=0, real angle2=360, pen color(int i, real j)=null) { axis=unit(axis); real w=(angle2-angle1)/n; int L=length(g); s=new patch[L*n]; index=new int[n][L]; int m=-1; transform3[] T=new transform3[n+1]; transform3 t=rotate(w,c,c+axis); T[0]=rotate(angle1,c,c+axis); for(int k=1; k <= n; ++k) T[k]=T[k-1]*t; typedef pen colorfcn(int i, real j); bool defaultcolors=(colorfcn) color == null; for(int i=0; i < L; ++i) { path3 h=subpath(g,i,i+1); path3 r=reverse(h); path3 H=shift(-c)*h; real M=0; triple perp; void test(real[] t) { for(int i=0; i < 3; ++i) { triple v=point(H,t[i]); triple V=v-dot(v,axis)*axis; real a=abs(V); if(a > M) {M=a; perp=V;} } } test(maxtimes(H)); test(mintimes(H)); perp=unit(perp); triple normal=unit(cross(axis,perp)); triple dir(real j) {return Cos(j)*normal-Sin(j)*perp;} real j=angle1; transform3 Tk=T[0]; triple dirj=dir(j); for(int k=0; k < n; ++k, j += w) { transform3 Tp=T[k+1]; triple dirp=dir(j+w); path3 G=reverse(Tk*h{dirj}..{dirp}Tp*r{-dirp}..{-dirj}cycle); Tk=Tp; dirj=dirp; s[++m]=defaultcolors ? patch(G) : patch(G,new pen[] {color(i,j),color(i,j+w),color(i+1,j+w), color(i+1,j)}); index[k][i]=m; } ucyclic((angle2-angle1) % 360 == 0); vcyclic(cyclic(g)); } } void push(patch s) { this.s.push(s); } void append(surface s) { this.s.append(s.s); } void operator init(... surface[] s) { for(surface S : s) this.s.append(S.s); } } surface operator * (transform3 t, surface s) { surface S; S.s=new patch[s.s.length]; for(int i=0; i < s.s.length; ++i) S.s[i]=t*s.s[i]; S.index=copy(s.index); S.vcyclic=(bool) s.vcyclic; return S; } private string nullsurface="null surface"; triple min(surface s) { if(s.s.length == 0) abort(nullsurface); triple bound=s.s[0].min(); for(int i=1; i < s.s.length; ++i) bound=s.s[i].min(bound); return bound; } triple max(surface s) { if(s.s.length == 0) abort(nullsurface); triple bound=s.s[0].max(); for(int i=1; i < s.s.length; ++i) bound=s.s[i].max(bound); return bound; } pair min(surface s, projection P) { if(s.s.length == 0) abort(nullsurface); pair bound=s.s[0].min(P); for(int i=1; i < s.s.length; ++i) bound=s.s[i].min(P,bound); return bound; } pair max(surface s, projection P) { if(s.s.length == 0) abort(nullsurface); pair bound=s.s[0].max(P); for(int i=1; i < s.s.length; ++i) bound=s.s[i].max(P,bound); return bound; } private triple[] split(triple z0, triple c0, triple c1, triple z1, real t=0.5) { triple m0=interp(z0,c0,t); triple m1=interp(c0,c1,t); triple m2=interp(c1,z1,t); triple m3=interp(m0,m1,t); triple m4=interp(m1,m2,t); triple m5=interp(m3,m4,t); return new triple[] {m0,m3,m5,m4,m2}; } // Return the control points of the subpatches // produced by a horizontal split of P triple[][][] hsplit(triple[][] P, real v=0.5) { // get control points in rows triple[] P0=P[0]; triple[] P1=P[1]; triple[] P2=P[2]; triple[] P3=P[3]; triple[] c0=split(P0[0],P0[1],P0[2],P0[3],v); triple[] c1=split(P1[0],P1[1],P1[2],P1[3],v); triple[] c2=split(P2[0],P2[1],P2[2],P2[3],v); triple[] c3=split(P3[0],P3[1],P3[2],P3[3],v); // bottom, top return new triple[][][] { {{P0[0],c0[0],c0[1],c0[2]}, {P1[0],c1[0],c1[1],c1[2]}, {P2[0],c2[0],c2[1],c2[2]}, {P3[0],c3[0],c3[1],c3[2]}}, {{c0[2],c0[3],c0[4],P0[3]}, {c1[2],c1[3],c1[4],P1[3]}, {c2[2],c2[3],c2[4],P2[3]}, {c3[2],c3[3],c3[4],P3[3]}} }; } // Return the control points of the subpatches // produced by a vertical split of P triple[][][] vsplit(triple[][] P, real u=0.5) { // get control points in rows triple[] P0=P[0]; triple[] P1=P[1]; triple[] P2=P[2]; triple[] P3=P[3]; triple[] c0=split(P0[0],P1[0],P2[0],P3[0],u); triple[] c1=split(P0[1],P1[1],P2[1],P3[1],u); triple[] c2=split(P0[2],P1[2],P2[2],P3[2],u); triple[] c3=split(P0[3],P1[3],P2[3],P3[3],u); // left, right return new triple[][][] { {{P0[0],P0[1],P0[2],P0[3]}, {c0[0],c1[0],c2[0],c3[0]}, {c0[1],c1[1],c2[1],c3[1]}, {c0[2],c1[2],c2[2],c3[2]}}, {{c0[2],c1[2],c2[2],c3[2]}, {c0[3],c1[3],c2[3],c3[3]}, {c0[4],c1[4],c2[4],c3[4]}, {P3[0],P3[1],P3[2],P3[3]}} }; } // Return a 2D array of the control point arrays of the subpatches // produced by horizontal and vertical splits of P at u and v triple[][][][] split(triple[][] P, real u=0.5, real v=0.5) { triple[] P0=P[0]; triple[] P1=P[1]; triple[] P2=P[2]; triple[] P3=P[3]; // slice horizontally triple[] c0=split(P0[0],P0[1],P0[2],P0[3],v); triple[] c1=split(P1[0],P1[1],P1[2],P1[3],v); triple[] c2=split(P2[0],P2[1],P2[2],P2[3],v); triple[] c3=split(P3[0],P3[1],P3[2],P3[3],v); // bottom patch triple[] c4=split(P0[0],P1[0],P2[0],P3[0],u); triple[] c5=split(c0[0],c1[0],c2[0],c3[0],u); triple[] c6=split(c0[1],c1[1],c2[1],c3[1],u); triple[] c7=split(c0[2],c1[2],c2[2],c3[2],u); // top patch triple[] c8=split(c0[3],c1[3],c2[3],c3[3],u); triple[] c9=split(c0[4],c1[4],c2[4],c3[4],u); triple[] cA=split(P0[3],P1[3],P2[3],P3[3],u); // {{bottom-left, top-left}, {bottom-right, top-right}} return new triple[][][][] { {{{P0[0],c0[0],c0[1],c0[2]}, {c4[0],c5[0],c6[0],c7[0]}, {c4[1],c5[1],c6[1],c7[1]}, {c4[2],c5[2],c6[2],c7[2]}}, {{c0[2],c0[3],c0[4],P0[3]}, {c7[0],c8[0],c9[0],cA[0]}, {c7[1],c8[1],c9[1],cA[1]}, {c7[2],c8[2],c9[2],cA[2]}}}, {{{c4[2],c5[2],c6[2],c7[2]}, {c4[3],c5[3],c6[3],c7[3]}, {c4[4],c5[4],c6[4],c7[4]}, {P3[0],c3[0],c3[1],c3[2]}}, {{c7[2],c8[2],c9[2],cA[2]}, {c7[3],c8[3],c9[3],cA[3]}, {c7[4],c8[4],c9[4],cA[4]}, {c3[2],c3[3],c3[4],P3[3]}}} }; } // Return the control points for a subpatch of P on [u,1] x [v,1]. triple[][] subpatchend(triple[][] P, real u, real v) { triple[] P0=P[0]; triple[] P1=P[1]; triple[] P2=P[2]; triple[] P3=P[3]; triple[] c0=split(P0[0],P0[1],P0[2],P0[3],v); triple[] c1=split(P1[0],P1[1],P1[2],P1[3],v); triple[] c2=split(P2[0],P2[1],P2[2],P2[3],v); triple[] c3=split(P3[0],P3[1],P3[2],P3[3],v); triple[] c7=split(c0[2],c1[2],c2[2],c3[2],u); triple[] c8=split(c0[3],c1[3],c2[3],c3[3],u); triple[] c9=split(c0[4],c1[4],c2[4],c3[4],u); triple[] cA=split(P0[3],P1[3],P2[3],P3[3],u); return new triple[][] { {c7[2],c8[2],c9[2],cA[2]}, {c7[3],c8[3],c9[3],cA[3]}, {c7[4],c8[4],c9[4],cA[4]}, {c3[2],c3[3],c3[4],P3[3]}}; } // Return the control points for a subpatch of P on [0,u] x [0,v]. triple[][] subpatchbegin(triple[][] P, real u, real v) { triple[] P0=P[0]; triple[] P1=P[1]; triple[] P2=P[2]; triple[] P3=P[3]; triple[] c0=split(P0[0],P0[1],P0[2],P0[3],v); triple[] c1=split(P1[0],P1[1],P1[2],P1[3],v); triple[] c2=split(P2[0],P2[1],P2[2],P2[3],v); triple[] c3=split(P3[0],P3[1],P3[2],P3[3],v); triple[] c4=split(P0[0],P1[0],P2[0],P3[0],u); triple[] c5=split(c0[0],c1[0],c2[0],c3[0],u); triple[] c6=split(c0[1],c1[1],c2[1],c3[1],u); triple[] c7=split(c0[2],c1[2],c2[2],c3[2],u); return new triple[][] { {P0[0],c0[0],c0[1],c0[2]}, {c4[0],c5[0],c6[0],c7[0]}, {c4[1],c5[1],c6[1],c7[1]}, {c4[2],c5[2],c6[2],c7[2]}}; } triple[][] subpatch(triple[][] P, pair a, pair b) { return subpatchend(subpatchbegin(P,b.x,b.y),a.x/b.x,a.y/b.y); } patch subpatch(patch s, pair a, pair b) { assert(a.x >= 0 && a.y >= 0 && b.x <= 1 && b.y <= 1 && a.x < b.x && a.y < b.y && !s.triangular); return patch(subpatch(s.P,a,b),s.straight,s.planar); } private string triangular= "Intersection of path3 with Bezier triangle is not yet implemented"; // return an array containing the times for one intersection of path p and // patch s. real[] intersect(path3 p, patch s, real fuzz=-1) { if(s.triangular) abort(triangular); return intersect(p,s.P,fuzz); } // return an array containing the times for one intersection of path p and // surface s. real[] intersect(path3 p, surface s, real fuzz=-1) { for(int i=0; i < s.s.length; ++i) { real[] T=intersect(p,s.s[i],fuzz); if(T.length > 0) return T; } return new real[]; } // return an array containing all intersection times of path p and patch s. real[][] intersections(path3 p, patch s, real fuzz=-1) { if(s.triangular) abort(triangular); return sort(intersections(p,s.P,fuzz)); } // return an array containing all intersection times of path p and surface s. real[][] intersections(path3 p, surface s, real fuzz=-1) { real[][] T; if(length(p) < 0) return T; for(int i=0; i < s.s.length; ++i) for(real[] s: intersections(p,s.s[i],fuzz)) T.push(s); static real Fuzz=1000*realEpsilon; real fuzz=max(10*fuzz,Fuzz*max(abs(min(s)),abs(max(s)))); // Remove intrapatch duplicate points. for(int i=0; i < T.length; ++i) { triple v=point(p,T[i][0]); for(int j=i+1; j < T.length;) { if(abs(v-point(p,T[j][0])) < fuzz) T.delete(j); else ++j; } } return sort(T); } // return an array containing all intersection points of path p and surface s. triple[] intersectionpoints(path3 p, patch s, real fuzz=-1) { real[][] t=intersections(p,s,fuzz); return sequence(new triple(int i) {return point(p,t[i][0]);},t.length); } // return an array containing all intersection points of path p and surface s. triple[] intersectionpoints(path3 p, surface s, real fuzz=-1) { real[][] t=intersections(p,s,fuzz); return sequence(new triple(int i) {return point(p,t[i][0]);},t.length); } // Return true iff the control point bounding boxes of patches p and q overlap. bool overlap(triple[][] p, triple[][] q, real fuzz=-1) { triple pmin=minbound(p); triple pmax=maxbound(p); triple qmin=minbound(q); triple qmax=maxbound(q); if(fuzz == -1) fuzz=1000*realEpsilon*max(abs(pmin),abs(pmax),abs(qmin),abs(qmax)); return pmax.x+fuzz >= qmin.x && pmax.y+fuzz >= qmin.y && pmax.z+fuzz >= qmin.z && qmax.x+fuzz >= pmin.x && qmax.y+fuzz >= pmin.y && qmax.z+fuzz >= pmin.z; // Overlapping bounding boxes? } triple point(patch s, real u, real v) { return s.point(u,v); } real PRCshininess(real shininess) { // Empirical translation table from Phong-Blinn to PRC shininess model: static real[] x={0.015,0.025,0.05,0.07,0.1,0.14,0.23,0.5,0.65,0.75,0.85, 0.875,0.9,1}; static real[] y={0.05,0.1,0.15,0.2,0.25,0.3,0.4,0.5,0.55,0.6,0.7,0.8,0.9,1}; static realfunction s=fspline(x,y,monotonic); return s(shininess); } struct interaction { int type; bool targetsize; void operator init(int type, bool targetsize=false) { this.type=type; this.targetsize=targetsize; } } restricted interaction Embedded=interaction(0); restricted interaction Billboard=interaction(1); interaction LabelInteraction() { return settings.autobillboard ? Billboard : Embedded; } material material(material m, light light) { return light.on() || invisible((pen) m) ? m : emissive(m); } void draw3D(frame f, int type=0, patch s, triple center=O, material m, light light=currentlight, interaction interaction=Embedded, bool prc=true) { bool straight=s.straight && s.planar; bool prc=prc(); if(s.colors.length > 0) { if(prc && light.on()) straight=false; // PRC vertex colors (for quads only) ignore lighting m=mean(s.colors); } m=material(m,light); real PRCshininess; if(prc) PRCshininess=PRCshininess(m.shininess); (s.triangular ? drawbeziertriangle : draw) (f,s.P,center,straight,m.p,m.opacity,m.shininess, m.metallic,m.fresnel0,PRCshininess,s.colors,interaction.type,prc); } int computeNormals(triple[] v, int[][] vi, triple[] n, int[][] ni) { triple lastnormal=O; for(int i=0; i < vi.length; ++i) { int[] vii=vi[i]; int[] nii=ni[i]; triple normal=normal(new triple[] {v[vii[0]],v[vii[1]],v[vii[2]]}); if(normal != lastnormal || n.length == 0) { n.push(normal); lastnormal=normal; } nii[0]=nii[1]=nii[2]=n.length-1; } return ni.length; } // Draw triangles on a frame. void draw(frame f, triple[] v, int[][] vi, triple[] n={}, int[][] ni={}, material m=currentpen, pen[] p={}, int[][] pi={}, light light=currentlight) { bool normals=n.length > 0; if(!normals) { ni=new int[vi.length][3]; normals=computeNormals(v,vi,n,ni) > 0; } if(p.length > 0) m=mean(p); m=material(m,light); real PRCshininess; if(prc()) PRCshininess=PRCshininess(m.shininess); draw(f,v,vi,n,ni,m.p,m.opacity,m.shininess,m.metallic,m.fresnel0, PRCshininess,p,pi); } // Draw triangles on a picture. void draw(picture pic=currentpicture, triple[] v, int[][] vi, triple[] n={}, int[][] ni={}, material m=currentpen, pen[] p={}, int[][] pi={}, light light=currentlight) { bool prc=prc(); bool normals=n.length > 0; if(!normals) { ni=new int[vi.length][3]; normals=computeNormals(v,vi,n,ni) > 0; } bool colors=pi.length > 0; pic.add(new void(frame f, transform3 t, picture pic, projection P) { triple[] v=t*v; triple[] n=t*n; if(is3D()) { draw(f,v,vi,n,ni,m,p,pi,light); if(pic != null) { for(int[] vii : vi) for(int viij : vii) pic.addPoint(project(v[viij],P)); } } else if(pic != null) { static int[] edges={0,0,1}; if(colors) { for(int i=0; i < vi.length; ++i) { int[] vii=vi[i]; int[] pii=pi[i]; gouraudshade(pic,project(v[vii[0]],P)--project(v[vii[1]],P)-- project(v[vii[2]],P)--cycle, new pen[] {p[pii[0]],p[pii[1]],p[pii[2]]},edges); } } else { if(normals) { for(int i=0; i < vi.length; ++i) { int[] vii=vi[i]; int[] nii=ni[i]; gouraudshade(pic,project(v[vii[0]],P)--project(v[vii[1]],P)-- project(v[vii[2]],P)--cycle, new pen[] {color(n[nii[0]],m,light), color(n[nii[1]],m,light), color(n[nii[2]],m,light)},edges); } } else { for(int i=0; i < vi.length; ++i) { int[] vii=vi[i]; path g=project(v[vii[0]],P)--project(v[vii[1]],P)-- project(v[vii[2]],P)--cycle; pen p=color(n[ni[i][0]],m,light); fill(pic,g,p); if(prc && opacity(m.diffuse()) == 1) // Fill subdivision cracks draw(pic,g,p); } } } } },true); for(int[] vii : vi) for(int viij : vii) pic.addPoint(v[viij]); } void drawPRCsphere(frame f, transform3 t=identity4, bool half=false, material m, light light=currentlight, render render=defaultrender) { m=material(m,light); drawPRCsphere(f,t,half,m.p,m.opacity,PRCshininess(m.shininess), render.sphere); } void drawPRCcylinder(frame f, transform3 t=identity4, material m, light light=currentlight) { m=material(m,light); drawPRCcylinder(f,t,m.p,m.opacity,PRCshininess(m.shininess)); } void drawPRCdisk(frame f, transform3 t=identity4, material m, light light=currentlight) { m=material(m,light); drawPRCdisk(f,t,m.p,m.opacity,PRCshininess(m.shininess)); } void drawPRCtube(frame f, path3 center, path3 g, material m, light light=currentlight) { m=material(m,light); drawPRCtube(f,center,g,m.p,m.opacity,PRCshininess(m.shininess)); } void tensorshade(transform t=identity(), frame f, patch s, material m, light light=currentlight, projection P) { pen[] p; if(s.triangular) { p=s.colorstriangular(m,light); p.push(p[0]); s=tensor(s); } else p=s.colors(m,light); tensorshade(f,box(t*s.min(P),t*s.max(P)),m.diffuse(), p,t*project(s.external(),P,1),t*project(s.internal(),P)); } restricted pen[] nullpens={nullpen}; nullpens.cyclic=true; void draw(transform t=identity(), frame f, surface s, int nu=1, int nv=1, material[] surfacepen, pen[] meshpen=nullpens, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender, projection P=currentprojection) { bool is3D=is3D(); if(is3D) { bool group=name != "" || render.defaultnames; if(group) begingroup3(f,name == "" ? "surface" : name,render); // Sort patches by mean distance from camera triple camera=P.camera; if(P.infinity) { triple m=min(s); triple M=max(s); camera=P.target+camerafactor*(abs(M-m)+abs(m-P.target))*unit(P.vector()); } real[][] depth=new real[s.s.length][]; for(int i=0; i < depth.length; ++i) depth[i]=new real[] {dot(P.normal,camera-s.s[i].cornermean()),i}; depth=sort(depth); for(int p=depth.length-1; p >= 0; --p) { real[] a=depth[p]; int k=round(a[1]); draw3D(f,s.s[k],surfacepen[k],light); } if(group) endgroup3(f); pen modifiers=thin()+squarecap; for(int p=depth.length-1; p >= 0; --p) { real[] a=depth[p]; int k=round(a[1]); patch S=s.s[k]; pen meshpen=meshpen[k]; if(!invisible(meshpen) && !S.triangular) { if(group) begingroup3(f,meshname(name),render); meshpen=modifiers+meshpen; real step=nu == 0 ? 0 : 1/nu; for(int i=0; i <= nu; ++i) draw(f,S.uequals(i*step),meshpen,meshlight,partname(i,render), render); step=nv == 0 ? 0 : 1/nv; for(int j=0; j <= nv; ++j) draw(f,S.vequals(j*step),meshpen,meshlight,partname(j,render), render); if(group) endgroup3(f); } } } if(!is3D || settings.render == 0) { begingroup(f); // Sort patches by mean distance from camera triple camera=P.camera; if(P.infinity) { triple m=min(s); triple M=max(s); camera=P.target+camerafactor*(abs(M-m)+abs(m-P.target))*unit(P.vector()); } real[][] depth=new real[s.s.length][]; for(int i=0; i < depth.length; ++i) depth[i]=new real[] {dot(P.normal,camera-s.s[i].cornermean()),i}; depth=sort(depth); light.T=shiftless(P.T.modelview); // Draw from farthest to nearest for(int p=depth.length-1; p >= 0; --p) { real[] a=depth[p]; int k=round(a[1]); tensorshade(t,f,s.s[k],surfacepen[k],light,P); pen meshpen=meshpen[k]; if(!invisible(meshpen)) draw(f,t*project(s.s[k].external(),P),meshpen); } endgroup(f); } } void draw(transform t=identity(), frame f, surface s, int nu=1, int nv=1, material surfacepen=currentpen, pen meshpen=nullpen, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender, projection P=currentprojection) { material[] surfacepen={surfacepen}; pen[] meshpen={meshpen}; surfacepen.cyclic=true; meshpen.cyclic=true; draw(t,f,s,nu,nv,surfacepen,meshpen,light,meshlight,name,render,P); } void draw(picture pic=currentpicture, surface s, int nu=1, int nv=1, material[] surfacepen, pen[] meshpen=nullpens, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender) { if(s.empty()) return; bool cyclic=surfacepen.cyclic; surfacepen=copy(surfacepen); surfacepen.cyclic=cyclic; cyclic=meshpen.cyclic; meshpen=copy(meshpen); meshpen.cyclic=cyclic; pic.add(new void(frame f, transform3 t, picture pic, projection P) { surface S=t*s; if(is3D()) draw(f,S,nu,nv,surfacepen,meshpen,light,meshlight,name,render); if(pic != null) { pic.add(new void(frame f, transform T) { draw(T,f,S,nu,nv,surfacepen,meshpen,light,meshlight,P); },true); pic.addPoint(min(S,P)); pic.addPoint(max(S,P)); } },true); pic.addPoint(min(s)); pic.addPoint(max(s)); pen modifiers; if(is3D()) modifiers=thin()+squarecap; for(int k=0; k < s.s.length; ++k) { patch S=s.s[k]; pen meshpen=meshpen[k]; if(!invisible(meshpen) && !S.triangular) { meshpen=modifiers+meshpen; real step=nu == 0 ? 0 : 1/nu; for(int i=0; i <= nu; ++i) addPath(pic,s.s[k].uequals(i*step),meshpen); step=nv == 0 ? 0 : 1/nv; for(int j=0; j <= nv; ++j) addPath(pic,s.s[k].vequals(j*step),meshpen); } } } void draw(picture pic=currentpicture, surface s, int nu=1, int nv=1, material surfacepen=currentpen, pen meshpen=nullpen, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender) { material[] surfacepen={surfacepen}; pen[] meshpen={meshpen}; surfacepen.cyclic=true; meshpen.cyclic=true; draw(pic,s,nu,nv,surfacepen,meshpen,light,meshlight,name,render); } void draw(picture pic=currentpicture, surface s, int nu=1, int nv=1, material[] surfacepen, pen meshpen, light light=currentlight, light meshlight=nolight, string name="", render render=defaultrender) { pen[] meshpen={meshpen}; meshpen.cyclic=true; draw(pic,s,nu,nv,surfacepen,meshpen,light,meshlight,name,render); } surface extrude(path3 p, path3 q) { static patch[] allocate; return surface(...sequence(new patch(int i) { return patch(subpath(p,i,i+1)--subpath(q,i+1,i)--cycle); },length(p))); } surface extrude(path3 p, triple axis=Z) { return extrude(p,shift(axis)*p); } surface extrude(path p, triple plane(pair)=XYplane, triple axis=Z) { return extrude(path3(p,plane),axis); } surface extrude(explicit path[] p, triple axis=Z) { surface s; for(path g:p) s.append(extrude(g,axis)); return s; } triple rectify(triple dir) { real scale=max(abs(dir.x),abs(dir.y),abs(dir.z)); if(scale != 0) dir *= 0.5/scale; dir += (0.5,0.5,0.5); return dir; } path3[] align(path3[] g, transform3 t=identity4, triple position, triple align, pen p=currentpen) { if(determinant(t) == 0 || g.length == 0) return g; triple m=min(g); triple dir=rectify(inverse(t)*-align); triple a=m+realmult(dir,max(g)-m); return shift(position+align*labelmargin(p))*t*shift(-a)*g; } surface align(surface s, transform3 t=identity4, triple position, triple align, pen p=currentpen) { if(determinant(t) == 0 || s.s.length == 0) return s; triple m=min(s); triple dir=rectify(inverse(t)*-align); triple a=m+realmult(dir,max(s)-m); return shift(position+align*labelmargin(p))*t*shift(-a)*s; } surface surface(Label L, triple position=O, bool bbox=false) { surface s=surface(texpath(L,bbox=bbox)); return L.align.is3D ? align(s,L.T3,position,L.align.dir3,L.p) : shift(position)*L.T3*s; } private path[] path(Label L, pair z=0, projection P) { path[] g=texpath(L,bbox=P.bboxonly); return L.align.is3D ? align(g,z,project(L.align.dir3,P)-project(O,P),L.p) : shift(z)*g; } transform3 alignshift(path3[] g, transform3 t=identity4, triple position, triple align) { if(determinant(t) == 0) return identity4; triple m=min(g); triple dir=rectify(inverse(t)*-align); triple a=m+realmult(dir,max(g)-m); return shift(-a); } transform3 alignshift(surface s, transform3 t=identity4, triple position, triple align) { if(determinant(t) == 0) return identity4; triple m=min(s); triple dir=rectify(inverse(t)*-align); triple a=m+realmult(dir,max(s)-m); return shift(-a); } transform3 aligntransform(path3[] g, transform3 t=identity4, triple position, triple align, pen p=currentpen) { if(determinant(t) == 0) return identity4; triple m=min(g); triple dir=rectify(inverse(t)*-align); triple a=m+realmult(dir,max(g)-m); return shift(position+align*labelmargin(p))*t*shift(-a); } transform3 aligntransform(surface s, transform3 t=identity4, triple position, triple align, pen p=currentpen) { if(determinant(t) == 0) return identity4; triple m=min(s); triple dir=rectify(inverse(t)*-align); triple a=m+realmult(dir,max(s)-m); return shift(position+align*labelmargin(p))*t*shift(-a); } void label(frame f, Label L, triple position, align align=NoAlign, pen p=currentpen, light light=nolight, string name="", render render=defaultrender, interaction interaction=LabelInteraction(), projection P=currentprojection) { bool prc=prc(); Label L=L.copy(); L.align(align); L.p(p); if(interaction.targetsize && settings.render != 0) L.T=L.T*scale(abs(P.camera-position)/abs(P.vector())); transform3 T=transform3(P); if(L.defaulttransform3) L.T3=T; if(is3D()) { bool lighton=light.on(); if(name == "") name=L.s; if(prc() && interaction.type == Billboard.type) { surface s=surface(texpath(L)); transform3 centering=L.align.is3D ? alignshift(s,L.T3,position,L.align.dir3) : identity4; transform3 positioning= shift(L.align.is3D ? position+L.align.dir3*labelmargin(L.p) : position); frame f1,f2,f3; begingroup3(f1,name,render); if(L.defaulttransform3) begingroup3(f3,render,position,interaction.type); else { begingroup3(f2,render,position,interaction.type); begingroup3(f3,render,position); } for(patch S : s.s) { S=centering*S; draw3D(f3,S,position,L.p,light,interaction); // Fill subdivision cracks if(prc && render.labelfill && opacity(L.p) == 1 && !lighton) _draw(f3,S.external(),position,L.p,interaction.type); } endgroup3(f3); if(L.defaulttransform3) add(f1,T*f3); else { add(f2,inverse(T)*L.T3*f3); endgroup3(f2); add(f1,T*f2); } endgroup3(f1); add(f,positioning*f1); } else { begingroup3(f,name,render); for(patch S : surface(L,position).s) { triple V=L.align.is3D ? position+L.align.dir3*labelmargin(L.p) : position; draw3D(f,S,V,L.p,light,interaction); // Fill subdivision cracks if(prc && render.labelfill && opacity(L.p) == 1 && !lighton) _draw(f,S.external(),V,L.p,interaction.type); } endgroup3(f); } } else { pen p=color(L.T3*Z,L.p,light,shiftless(P.T.modelview)); if(L.defaulttransform3) { if(L.filltype == NoFill) fill(f,path(L,project(position,P.t),P),p); else { frame d; fill(d,path(L,project(position,P.t),P),p); add(f,d,L.filltype); } } else for(patch S : surface(L,position).s) fill(f,project(S.external(),P,1),p); } } void label(picture pic=currentpicture, Label L, triple position, align align=NoAlign, pen p=currentpen, light light=nolight, string name="", render render=defaultrender, interaction interaction=LabelInteraction()) { Label L=L.copy(); L.align(align); L.p(p); L.position(0); pic.add(new void(frame f, transform3 t, picture pic2, projection P) { // Handle relative projected 3D alignments. bool prc=prc(); Label L=L.copy(); triple v=t*position; if(!align.is3D && L.align.relative && L.align.dir3 != O && determinant(P.t) != 0) L.align(L.align.dir*unit(project(v+L.align.dir3,P.t)-project(v,P.t))); if(interaction.targetsize && settings.render != 0) L.T=L.T*scale(abs(P.camera-v)/abs(P.vector())); transform3 T=transform3(P); if(L.defaulttransform3) L.T3=T; if(is3D()) { bool lighton=light.on(); if(name == "") name=L.s; if(prc && interaction.type == Billboard.type) { surface s=surface(texpath(L,bbox=P.bboxonly)); if(s.s.length > 0) { transform3 centering=L.align.is3D ? alignshift(s,L.T3,v,L.align.dir3) : identity4; transform3 positioning= shift(L.align.is3D ? v+L.align.dir3*labelmargin(L.p) : v); frame f1,f2,f3; begingroup3(f1,name,render); if(L.defaulttransform3) begingroup3(f3,render,v,interaction.type); else { begingroup3(f2,render,v,interaction.type); begingroup3(f3,render,v); } for(patch S : s.s) { S=centering*S; draw3D(f3,S,v,L.p,light,interaction); // Fill subdivision cracks if(prc && render.labelfill && opacity(L.p) == 1 && !lighton) _draw(f3,S.external(),v,L.p,interaction.type); } endgroup3(f3); if(L.defaulttransform3) add(f1,T*f3); else { add(f2,inverse(T)*L.T3*f3); endgroup3(f2); add(f1,T*f2); } endgroup3(f1); add(f,positioning*f1); } } else { begingroup3(f,name,render); for(patch S : surface(L,v,bbox=P.bboxonly).s) { triple V=L.align.is3D ? v+L.align.dir3*labelmargin(L.p) : v; draw3D(f,S,V,L.p,light,interaction); // Fill subdivision cracks if(prc && render.labelfill && opacity(L.p) == 1 && !lighton) _draw(f,S.external(),V,L.p,interaction.type); } endgroup3(f); } } if(pic2 != null) { pen p=color(L.T3*Z,L.p,light,shiftless(P.T.modelview)); if(L.defaulttransform3) { if(L.filltype == NoFill) fill(project(v,P.t),pic2,path(L,P),p); else { picture d; fill(project(v,P.t),d,path(L,P),p); add(pic2,d,L.filltype); } } else pic2.add(new void(frame f, transform T) { for(patch S : surface(L,v).s) fill(f,T*project(S.external(),P,1),p); }); } },!L.defaulttransform3); Label L=L.copy(); if(interaction.targetsize && settings.render != 0) L.T=L.T*scale(abs(currentprojection.camera-position)/ abs(currentprojection.vector())); path[] g=texpath(L,bbox=true); if(g.length == 0 || (g.length == 1 && size(g[0]) == 0)) return; if(L.defaulttransform3) L.T3=transform3(currentprojection); path3[] G=path3(g); G=L.align.is3D ? align(G,L.T3,O,L.align.dir3,L.p) : L.T3*G; pic.addBox(position,position,min(G),max(G)); } void label(picture pic=currentpicture, Label L, path3 g, align align=NoAlign, pen p=currentpen, light light=nolight, string name="", interaction interaction=LabelInteraction()) { Label L=L.copy(); L.align(align); L.p(p); bool relative=L.position.relative; real position=L.position.position.x; if(L.defaultposition) {relative=true; position=0.5;} if(relative) position=reltime(g,position); if(L.align.default) { align a; a.init(-I*(position <= sqrtEpsilon ? S : position >= length(g)-sqrtEpsilon ? N : E),relative=true); a.dir3=dir(g,position); // Pass 3D direction via unused field. L.align(a); } label(pic,L,point(g,position),light,name,interaction); } surface extrude(Label L, triple axis=Z) { Label L=L.copy(); path[] g=texpath(L); surface S=extrude(g,axis); surface s=surface(g); S.append(s); S.append(shift(axis)*s); return S; } restricted surface nullsurface; // Embed a Label onto a surface. surface surface(Label L, surface s, real uoffset, real voffset, real height=0, bool bottom=true, bool top=true) { int nu=s.index.length; int nv; if(nu == 0) nu=nv=1; else { nv=s.index[0].length; if(nv == 0) nv=1; } path[] g=texpath(L); pair m=min(g); pair M=max(g); pair lambda=inverse(L.T*scale(nu-epsilon,nv-epsilon))*(M-m); lambda=(abs(lambda.x),abs(lambda.y)); path[] G=bezulate(g); path3 transpath(path p, real height) { return path3(unstraighten(p),new triple(pair z) { real u=uoffset+(z.x-m.x)/lambda.x; real v=voffset+(z.y-m.y)/lambda.y; if(((u < 0 || u >= nu) && !s.ucyclic()) || ((v < 0 || v >= nv) && !s.vcyclic())) { warning("cannotfit","cannot fit string to surface"); u=v=0; } return s.point(u,v)+height*unit(s.normal(u,v)); }); } surface s; for(path p : G) { for(path g : regularize(p)) { path3 b; bool extrude=height > 0; if(bottom || extrude) b=transpath(g,0); if(bottom) s.s.push(patch(b)); if(top || extrude) { path3 h=transpath(g,height); if(top) s.s.push(patch(h)); if(extrude) s.append(extrude(b,h)); } } } return s; } private real a=4/3*(sqrt(2)-1); private transform3 t1=rotate(90,O,Z); private transform3 t2=t1*t1; private transform3 t3=t2*t1; private transform3 i=xscale3(-1)*zscale3(-1); restricted patch octant1=patch(X{Y}..{-X}Y{Z}..{-Y}Z..Z{X}..{-Z}cycle, new triple[] {(1,a,a),(a,1,a),(a^2,a,1), (a,a^2,1)}); restricted surface unithemisphere=surface(octant1,t1*octant1,t2*octant1, t3*octant1); restricted surface unitsphere=surface(octant1,t1*octant1,t2*octant1,t3*octant1, i*octant1,i*t1*octant1,i*t2*octant1, i*t3*octant1); restricted patch unitfrustum(real t1, real t2) { real s1=interp(t1,t2,1/3); real s2=interp(t1,t2,2/3); return patch(interp(Z,X,t2){Y}..{-X}interp(Z,Y,t2)--interp(Z,Y,t1){X}..{-Y} interp(Z,X,t1)--cycle, new triple[] {(s2,s2*a,1-s2),(s2*a,s2,1-s2),(s1*a,s1,1-s1), (s1,s1*a,1-s1)}); } // Return a unitcone constructed from n frusta (the final one being degenerate) surface unitcone(int n=6) { surface unitcone; unitcone.s=new patch[4*n]; real r=1/3; for(int i=0; i < n; ++i) { patch s=unitfrustum(i < n-1 ? r^(i+1) : 0,r^i); unitcone.s[i]=s; unitcone.s[n+i]=t1*s; unitcone.s[2n+i]=t2*s; unitcone.s[3n+i]=t3*s; } return unitcone; } restricted surface unitcone=unitcone(); restricted surface unitsolidcone=surface(patch(unitcircle3)...unitcone.s); // Construct an approximate cone over an arbitrary base. surface cone(path3 base, triple vertex) {return extrude(base,vertex--cycle);} private patch unitcylinder1=patch(X{Y}..{-X}Y--Y+Z{X}..{-Y}X+Z--cycle); restricted surface unitcylinder=surface(unitcylinder1,t1*unitcylinder1, t2*unitcylinder1,t3*unitcylinder1); private patch unitplane=patch(new triple[] {O,X,X+Y,Y}); restricted surface unitcube=surface(reverse(unitplane), rotate(90,O,X)*unitplane, rotate(-90,O,Y)*unitplane, shift(Z)*unitplane, rotate(90,X,X+Y)*unitplane, rotate(-90,Y,X+Y)*unitplane); restricted surface unitplane=surface(unitplane); restricted surface unitdisk=surface(unitcircle3); void dot(frame f, triple v, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection) { pen q=(pen) p; if(is3D()) { bool group=name != "" || render.defaultnames; if(group) begingroup3(f,name == "" ? "dot" : name,render); real size=0.5*linewidth(dotsize(q)+q); transform3 T=shift(v)*scale3(size); for(patch s : unitsphere.s) draw3D(f,T*s,v,p,light,prc=false); if(prc()) drawPRCsphere(f,T,p,light); if(group) endgroup3(f); } else dot(f,project(v,P.t),q); } void dot(frame f, triple[] v, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection) { if(v.length > 0) { // Remove duplicate points. v=sort(v,lexorder); triple last=v[0]; dot(f,last,p,light,name,render,P); for(int i=1; i < v.length; ++i) { triple V=v[i]; if(V != last) { dot(f,V,p,light,name,render,P); last=V; } } } } void dot(frame f, path3 g, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection) { dot(f,sequence(new triple(int i) {return point(g,i);},size(g)), p,light,name,render,P); } void dot(frame f, path3[] g, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection) { int sum; for(path3 G : g) sum += size(G); int i,j; dot(f,sequence(new triple(int) { while(j >= size(g[i])) { ++i; j=0; } triple v=point(g[i],j); ++j; return v; },sum),p,light,name,render,P); } void dot(picture pic=currentpicture, triple v, material p=currentpen, light light=nolight, string name="", render render=defaultrender) { pen q=(pen) p; real size=0.5*linewidth(dotsize(q)+q); pic.add(new void(frame f, transform3 t, picture pic, projection P) { triple V=t*v; if(is3D()) { bool group=name != "" || render.defaultnames; if(group) begingroup3(f,name == "" ? "dot" : name,render); transform3 T=shift(V)*scale3(size); for(patch s : unitsphere.s) draw3D(f,T*s,V,p,light,prc=false); if(prc()) drawPRCsphere(f,T,p,light,render); if(group) endgroup3(f); } if(pic != null) dot(pic,project(V,P.t),q); },true); triple R=size*(1,1,1); pic.addBox(v,v,-R,R); } void dot(picture pic=currentpicture, triple[] v, material p=currentpen, light light=nolight, string name="", render render=defaultrender) { if(v.length > 0) { // Remove duplicate points. v=sort(v,lexorder); triple last=v[0]; bool group=name != "" || render.defaultnames; if(group) begingroup3(pic,name == "" ? "dots" : name,render); dot(pic,last,p,light,partname(0,render),render); int k=0; for(int i=1; i < v.length; ++i) { triple V=v[i]; if(V != last) { dot(pic,V,p,light,partname(++k,render),render); last=V; } } if(group) endgroup3(pic); } } void dot(picture pic=currentpicture, explicit path3 g, material p=currentpen, light light=nolight, string name="", render render=defaultrender) { dot(pic,sequence(new triple(int i) {return point(g,i);},size(g)), p,light,name,render); } void dot(picture pic=currentpicture, path3[] g, material p=currentpen, light light=nolight, string name="", render render=defaultrender) { int sum; for(path3 G : g) sum += size(G); int i,j; dot(pic,sequence(new triple(int) { while(j >= size(g[i])) { ++i; j=0; } triple v=point(g[i],j); ++j; return v; },sum),p,light,name,render); } void dot(picture pic=currentpicture, Label L, triple v, align align=NoAlign, string format=defaultformat, material p=currentpen, light light=nolight, string name="", render render=defaultrender) { Label L=L.copy(); if(L.s == "") { if(format == "") format=defaultformat; L.s="("+format(format,v.x)+","+format(format,v.y)+","+ format(format,v.z)+")"; } L.align(align,E); L.p((pen) p); dot(pic,v,p,light,name,render); label(pic,L,v,render); } void pixel(picture pic=currentpicture, triple v, pen p=currentpen, real width=1) { real h=0.5*width; pic.add(new void(frame f, transform3 t, picture pic, projection P) { triple V=t*v; if(is3D()) drawpixel(f,V,p,width); if(pic != null) { triple R=h*unit(cross(unit(P.vector()),P.up)); pair z=project(V,P.t); real h=0.5*abs(project(V+R,P.t)-project(V-R,P.t)); pair r=h*(1,1)/mm; fill(pic,box(z-r,z+r),p,false); } },true); triple R=h*(1,1,1); pic.addBox(v,v,-R,R); } pair minbound(triple[] A, projection P) { pair b=project(A[0],P); for(triple v : A) b=minbound(b,project(v,P.t)); return b; } pair maxbound(triple[] A, projection P) { pair b=project(A[0],P); for(triple v : A) b=maxbound(b,project(v,P.t)); return b; } pair minbound(triple[][] A, projection P) { pair b=project(A[0][0],P); for(triple[] a : A) { for(triple v : a) { b=minbound(b,project(v,P.t)); } } return b; } pair maxbound(triple[][] A, projection P) { pair b=project(A[0][0],P); for(triple[] a : A) { for(triple v : a) { b=maxbound(b,project(v,P.t)); } } return b; } triple[][] operator / (triple[][] a, real[][] b) { triple[][] A=new triple[a.length][]; for(int i=0; i < a.length; ++i) { triple[] ai=a[i]; real[] bi=b[i]; A[i]=sequence(new triple(int j) {return ai[j]/bi[j];},ai.length); } return A; } // Draw a NURBS curve. void draw(picture pic=currentpicture, triple[] P, real[] knot, real[] weights=new real[], pen p=currentpen, string name="", render render=defaultrender) { P=copy(P); knot=copy(knot); weights=copy(weights); pic.add(new void(frame f, transform3 t, picture pic, projection Q) { if(is3D()) { triple[] P=t*P; bool group=name != "" || render.defaultnames; if(group) begingroup3(f,name == "" ? "curve" : name,render); draw(f,P,knot,weights,p); if(group) endgroup3(f); if(pic != null) pic.addBox(minbound(P,Q),maxbound(P,Q)); } },true); pic.addBox(minbound(P),maxbound(P)); } // Draw a NURBS surface. void draw(picture pic=currentpicture, triple[][] P, real[] uknot, real[] vknot, real[][] weights=new real[][], material m=currentpen, pen[] colors=new pen[], light light=currentlight, string name="", render render=defaultrender) { if(colors.length > 0) m=mean(colors); m=material(m,light); bool lighton=light.on(); P=copy(P); uknot=copy(uknot); vknot=copy(vknot); weights=copy(weights); colors=copy(colors); pic.add(new void(frame f, transform3 t, picture pic, projection Q) { if(is3D()) { bool group=name != "" || render.defaultnames; if(group) begingroup3(f,name == "" ? "surface" : name,render); triple[][] P=t*P; real PRCshininess; if(prc()) PRCshininess=PRCshininess(m.shininess); draw(f,P,uknot,vknot,weights,m.p,m.opacity,m.shininess,m.metallic,m.fresnel0, PRCshininess,colors); if(group) endgroup3(f); if(pic != null) pic.addBox(minbound(P,Q),maxbound(P,Q)); } },true); pic.addBox(minbound(P),maxbound(P)); } asymptote-2.62/base/embed.asy0000644000000000000000000000223713607467113014706 0ustar rootrootif(latex()) { usepackage("hyperref"); texpreamble("\hypersetup{"+settings.hyperrefOptions+"}"); usepackage("media9","bigfiles"); } // For documentation of the options see // http://mirror.ctan.org/macros/latex/contrib/media9/doc/media9.pdf // Embed PRC or SWF content in pdf file string embedplayer(string name, string text="", string options="", real width=0, real height=0) { if(width != 0) options += ",width="+(string) (width/pt)+"pt"; if(height != 0) options += ",height="+(string) (height/pt)+"pt"; return "% \includemedia[noplaybutton,"+options+"]{"+text+"}{"+name+"}"; } // Embed media in pdf file string embed(string name, string text="", string options="", real width=0, real height=0) { return embedplayer("VPlayer.swf",text,"label="+name+ ",activate=pageopen,addresource="+name+ ",flashvars={source="+name+"&scaleMode=letterbox},"+ options,width,height); } string link(string label, string text="Play") { return "\PushButton[ onclick={ annotRM['"+label+"'].activated=true; annotRM['"+label+"'].callAS('playPause'); }]{\fbox{"+text+"}}"; } asymptote-2.62/base/tree.asy0000644000000000000000000000253713607467113014574 0ustar rootroot/***** * treedef.asy * Andy Hammerlindl 2003/10/25 * * Implements a dynamic binary search tree. *****/ struct tree { tree left; tree right; int key = 0; int value = 0; } tree newtree() { return null; } tree add(tree t, int key, int value) { if (t == null) { tree tt; tt.key = key; tt.value = value; return tt; } else if (key == t.key) { return t; } else if (key < t.key) { tree tt; tt.left = add(t.left, key, value); tt.key = t.key; tt.value = t.value; tt.right = t.right; return tt; } else { tree tt; tt.left = t.left; tt.key = t.key; tt.value = t.value; tt.right = add(t.right, key, value); return tt; } } bool contains(tree t, int key) { if (t == null) return false; else if (key == t.key) return true; else if (key < t.key) return contains(t.left, key); else return contains(t.right, key); } int lookup(tree t, int key) { if (t == null) return 0; else if (key == t.key) return t.value; else if (key < t.key) return lookup(t.left, key); else return lookup(t.right, key); } void write(file out=stdout, tree t) { if (t != null) { if(t.left != null) { write(out,t.left); } write(out,t.key); write(out,"->"); write(out,t.value,endl); if (t.right != null) { write(out,t.right); } } } asymptote-2.62/base/asymptote.py0000755000000000000000000000237413607467113015520 0ustar rootroot#!/usr/bin/env python3 # Python module to feed Asymptote with commands # (modified from gnuplot.py) from subprocess import * class asy: def __init__(self): self.session = Popen(['asy','-quiet','-inpipe=0','-outpipe=2'],stdin=PIPE) self.help() def send(self, cmd): self.session.stdin.write(bytes(cmd+'\n','utf-8')) self.session.stdin.flush() def size(self, size): self.send("size(%d);" % size) def draw(self, str): self.send("draw(%s);" % str) def fill(self, str): self.send("fill(%s);" % str) def clip(self, str): self.send("clip(%s);" % str) def label(self, str): self.send("label(%s);" % str) def shipout(self, str): self.send("shipout(\"%s\");" % str) def erase(self): self.send("erase();") def help(self): print("Asymptote session is open. Available methods are:") print(" help(), size(int), draw(str), fill(str), clip(str), label(str), shipout(str), send(str), erase()") def __del__(self): print("closing Asymptote session...") self.send('quit'); self.session.stdin.close(); self.session.wait() if __name__=="__main__": g=asy() g.size(200) g.draw('unitcircle') g.send('draw(unitsquare)') g.fill('unitsquare,blue') g.clip('unitcircle') g.label('"$O$",(0,0),SW') input('press ENTER to continue') g.erase() del g asymptote-2.62/base/slide.asy0000644000000000000000000003741213607467113014735 0ustar rootrootimport fontsize; usepackage("asycolors"); bool reverse=false; // Set to true to enable reverse video. bool stepping=false; // Set to true to enable stepping. bool itemstep=true; // Set to false to disable stepping on each item. settings.toolbar=false; // Disable 3D toolbar by default. if(settings.render < 0) settings.render=4; bool allowstepping=false; // Allow stepping for current slide. real pagemargin=0.5cm; real pagewidth=-2pagemargin; real pageheight=-2pagemargin; bool landscape=orientation == Landscape || orientation == Seascape; if(landscape) { orientation=Portrait; pagewidth += settings.paperheight; pageheight += settings.paperwidth; } else { pagewidth += settings.paperwidth; pageheight += settings.paperheight; } size(pagewidth,pageheight,IgnoreAspect); picture background; real minipagemargin=1inch; real minipagewidth=pagewidth-2minipagemargin; transform tinv=inverse(fixedscaling((-1,-1),(1,1),currentpen)); pen itempen=fontsize(24pt); pen codepen=fontsize(20pt); pen titlepagepen=fontsize(36pt); pen authorpen=fontsize(24pt); pen institutionpen=authorpen; pen datepen=fontsize(18pt); pen urlpen=datepen; real itemskip=0.5; real codeskip=0.25; real aboveequationskip=-1.25; pair dateskip=(0,0.1); pair urlskip=(0,0.2); pair titlealign=3S; pen titlepen=fontsize(32pt); real titleskip=0.5; string oldbulletcolor; string newbulletcolor="red"; string bullet="{\bulletcolor\textbullet}"; pair pagenumberposition=S+E; pair pagenumberalign=4NW; pen pagenumberpen=fontsize(12); pen steppagenumberpen=colorless(pagenumberpen); real figureborder=0.25cm; pen figuremattpen; pen backgroundcolor; pen foregroundcolor; pair titlepageposition=(-0.8,0.4); pair startposition=(-0.8,0.9); pair currentposition=startposition; string bulletcolor(string color) { return "\def\bulletcolor{"+'\\'+"color{"+color+"}}%"; } int[] firstnode=new int[] {currentpicture.nodes.length}; int[] lastnode; bool firststep=true; int page=0; bool havepagenumber=true; int preamblenodes=2; bool empty() { return currentpicture.nodes.length <= preamblenodes; } void background() { if(!background.empty()) { add(background); layer(); preamblenodes += 2; } } void color(string name, string color) { texpreamble("\def"+'\\'+name+"#1{{\color{"+color+"}#1}}%"); } string texcolor(pen p) { real[] colors=colors(p); string s; if(colors.length > 0) { s="{"+colorspace(p)+"}{"; for(int i=0; i < colors.length-1; ++i) s += format("%.6f",colors[i],"C")+","; s += format("%.6f",colors[colors.length-1],"C")+"}"; } return s; } void setpens(pen red=red, pen blue=blue, pen steppen=red) { itempen=colorless(itempen); codepen=colorless(codepen); pagenumberpen=colorless(pagenumberpen); steppagenumberpen=colorless(steppagenumberpen)+steppen; titlepagepen=colorless(titlepagepen)+red; authorpen=colorless(authorpen)+blue; institutionpen=colorless(institutionpen)+blue; datepen=colorless(datepen); urlpen=colorless(urlpen); } void reversevideo() { backgroundcolor=black; foregroundcolor=white; fill(background,box((-1,-1),(1,1)),backgroundcolor); setpens(mediumred,paleblue,mediumblue); // Work around pdflatex bug, in which white is mapped to black! figuremattpen=pdf() ? cmyk(0,0,0,1/255) : white; color("Red","mediumred"); color("Green","green"); color("Blue","paleblue"); color("Foreground","white"); color("Background","black"); oldbulletcolor="white"; defaultpen(itempen+foregroundcolor); } void normalvideo() { backgroundcolor=invisible; foregroundcolor=black; background=new picture; size(background,currentpicture); setpens(); figuremattpen=invisible; color("Red","red"); color("Green","heavygreen"); color("Blue","blue"); color("Foreground","black"); color("Background","white"); oldbulletcolor="black"; defaultpen(itempen+foregroundcolor); } normalvideo(); texpreamble(bulletcolor(newbulletcolor)); texpreamble("\hyphenpenalty=10000\tolerance=1000"); texpreamble("\usepackage{amsmath}"); // Evaluate user command line option. void usersetting() { plain.usersetting(); if(reverse) { // Black background reversevideo(); } else { // White background normalvideo(); } } void numberpage(pen p=pagenumberpen) { if(havepagenumber) { label((string) page,pagenumberposition,pagenumberalign,p); } } void nextpage(pen p=pagenumberpen) { if(!empty()) { numberpage(p); newpage(); } background(); firststep=true; } void newslide(bool stepping=true) { allowstepping=stepping; nextpage(); ++page; havepagenumber=true; currentposition=startposition; firstnode=new int[] {currentpicture.nodes.length}; lastnode.delete(); } bool checkposition() { if(abs(currentposition.x) > 1 || abs(currentposition.y) > 1) { newslide(); return false; } return true; } void erasestep(int erasenode) { if(!stepping || !allowstepping) return; if(!checkposition()) return; lastnode.push(erasenode); nextpage(steppagenumberpen); for(int i=0; i < firstnode.length; ++i) { for(int j=firstnode[i]; j <= lastnode[i]; ++j) { tex(bulletcolor(oldbulletcolor)); currentpicture.add(currentpicture.nodes[j].d); } } firstnode.push(currentpicture.nodes.length-1); tex(bulletcolor(newbulletcolor)); } void step() { // Step without erasing anything. erasestep(currentpicture.nodes.length-1); } void incrementposition(pair z) { currentposition += z; } void title(string s, pair position=N, pair align=titlealign, pen p=titlepen, bool newslide=true) { if(newslide) newslide(); checkposition(); frame f; if(s != "") label(f,minipage("\center "+s,minipagewidth),(0,0),align,p); add(f,position,labelmargin(p)*align); currentposition=(currentposition.x,position.y+ (tinv*(min(f)-titleskip*I*lineskip(p)*pt)).y); } void outline(string s="Outline", pair position=N, pair align=titlealign, pen p=titlepen) { newslide(stepping=false); title(s,position,align,p,newslide=false); } void remark(bool center=false, string s, pair align=0, pen p=itempen, real indent=0, bool minipage=true, real skip=itemskip, filltype filltype=NoFill, bool step=false) { checkposition(); if(minipage) s=minipage(s,minipagewidth); pair offset; if(center) { if(align == 0) align=S; offset=(0,currentposition.y); } else { if(align == 0) align=SE; offset=currentposition; } frame f; label(f,s,(indent,0),align,p,filltype); pair m=tinv*min(f); pair M=tinv*min(f); if(abs(offset.x+M.x) > 1) warning("slidetoowide","slide too wide on page "+(string) page+':\n'+ (string) s); if(abs(offset.y+M.y) > 1) { void toohigh() { warning("slidetoohigh","slide too high on page "+(string) page+':\n'+ (string) s); } if(M.y-m.y < 2) { newslide(); offset=(offset.x,currentposition.y); if(offset.y+M.y > 1 || offset.y+m.y < -1) toohigh(); } else toohigh(); } if(step) { if(!firststep) step(); firststep=false; } add(f,offset); incrementposition((0,(tinv*(min(f)-skip*I*lineskip(p)*pt)).y)); } void center(string s, pen p=itempen) { remark("\center "+s,p); } void vbox(string s, pen p=itempen) { remark(center=true,"\vbox{"+s+"}",p,minipage=false,skip=0); } void skip(real n=1) { incrementposition((0,(tinv*(-n*itemskip*I*lineskip(itempen)*pt)).y)); } void equation(string s, pen p=itempen) { skip(aboveequationskip); vbox("\begin{gather*}"+s+"\end{gather*}",p); } void equations(string s, pen p=itempen) { skip(aboveequationskip); if(find(s,"&") >= 0) vbox("\begin{align*}"+s+"\end{align*}",p); else vbox("\begin{gather*}"+s+"\end{gather*}",p); } void display(frame[] f, real margin=0, pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool final=true) { if(f.length == 0) return; real[] width=new real[f.length]; real sum; for(int i=0; i < f.length; ++i) { width[i]=size(f[i]).x; sum += width[i]; } if(sum > pagewidth) warning("toowide","slide too wide on page "+(string) page); else margin=(pagewidth-sum)/(f.length+1); real pos; frame F; for(int i=0; i < f.length; ++i) { real w=0.5*(margin+width[i]); pos += w; add(F,f[i],(pos,0),Fill(figureborder,figuremattpen)); pos += w; } add(F,(0,currentposition.y),align); if (final) { real a=0.5(unit(align).y-1); incrementposition( (0, (tinv*(a*(max(F)-min(F))-itemskip*I*lineskip(p)*pt)).y)); } } void display(frame f, real margin=0, pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool final=true) { display(new frame[] {f},margin,align,p,figuremattpen, final); } void display(string[] s, real margin=0, string[] captions=new string[], string caption="", pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool final=true) { frame[] f=new frame[s.length]; frame F; for(int i=0; i < s.length; ++i) { f[i]=newframe; label(f[i],s[i]); add(F,f[i],(0,0)); } real y=point(F,S).y; int stop=min(s.length,captions.length); for(int i=0; i < stop; ++i) { if(captions[i] != "") label(f[i],captions[i],point(f[i],S).x+I*y,S); } display(f,margin,align,p,figuremattpen, final); if(caption != "") center(caption,p); } void display(string s, string caption="", pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool final=true) { display(new string[] {s},caption,align,p,figuremattpen, final); } void figure(string[] s, string options="", real margin=0, string[] captions=new string[], string caption="", pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool final=true) { string[] S; for(int i=0; i < s.length; ++i) { S[i]=graphic(s[i],options); } display(S,margin,captions,caption,align,itempen,figuremattpen,final); } void figure(string s, string options="", string caption="", pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool final=true) { figure(new string[] {s},options,caption,align,p,figuremattpen,final); } void multifigure(string[] slist, string options="", string caption="", pair align=S, pen p=itempen, pen figuremattpen=figuremattpen, bool step=itemstep) { if(step) { int lastnode=currentpicture.nodes.length-1; for (int i=0; i 0 || ysize > 0) ? currentpicture.fit(xsize,ysize) : currentpicture.fit(); currentpicture=currentpictureSave; display(f); } string cropcode(string s) { while(substr(s,0,1) == '\n') s=substr(s,1,length(s)); while(substr(s,length(s)-1,1) == '\n') s=substr(s,0,length(s)-1); return s; } void code(bool center=false, string s, pen p=codepen, real indent=0, real skip=codeskip, filltype filltype=NoFill) { remark(center,"{\tt "+verbatim(cropcode(s))+"}",p,indent,skip,filltype); } void filecode(bool center=false, string s, pen p=codepen, real indent=0, real skip=codeskip, filltype filltype=NoFill) { code(center,file(s),p,indent,skip,filltype); } void asyfigure(string s, string options="", string caption="", pair align=S, pen p=codepen, pen figuremattpen=figuremattpen, filltype filltype=NoFill, bool newslide=false) { string a=s+".asy"; asy(nativeformat(),s); s += "."+nativeformat(); if(newslide && !empty()) { newslide(); currentposition=(currentposition.x,0); align=0; } figure(s,options,caption,align,p,figuremattpen); } string asywrite(string s, string preamble="") { static int count=0; string name=outprefix()+"_slide"+(string) count; ++count; file temp=output(name+".asy"); write(temp,preamble); write(temp,s); close(temp); codefile.push(name); return name; } void asycode(bool center=false, string s, string options="", string caption="", string preamble="", pair align=S, pen p=codepen, pen figuremattpen=figuremattpen, real indent=0, real skip=codeskip, filltype filltype=NoFill, bool newslide=false) { code(center,s,p,indent,skip,filltype); asyfigure(asywrite(s,preamble),options,caption,align,p,figuremattpen,filltype, newslide); } void asyfilecode(bool center=false, string s, string options="", string caption="", pair align=S, pen p=codepen, pen figuremattpen=figuremattpen, real indent=0, real skip=codeskip, filltype filltype=NoFill, bool newslide=false) { filecode(center,s+".asy",p,indent,skip,filltype); asyfigure(s,options,caption,align,p,figuremattpen,filltype,newslide); } void item(string s, pen p=itempen, bool step=itemstep) { frame b; label(b,bullet,(0,0),p); real bulletwidth=max(b).x-min(b).x; remark(bullet+"\hangindent"+(string) (bulletwidth/pt)+"pt$\,$"+s,p, -bulletwidth,step=step); } void subitem(string s, pen p=itempen) { remark("\quad -- "+s,p); } void titlepage(string title, string author, string institution="", string date="", string url="", bool newslide=false) { newslide(); currentposition=titlepageposition; center(title,titlepagepen); center(author,authorpen); if(institution != "") center(institution,institutionpen); currentposition -= dateskip; if(date != "") center(date,datepen); currentposition -= urlskip; if(url != "") center("{\tt "+url+"}",urlpen); } // Resolve optional bibtex citations: void bibliographystyle(string name) { settings.twice=true; settings.keepaux=true; texpreamble("\bibliographystyle{"+name+"}"); } void bibliography(string name) { numberpage(); havepagenumber=false; string s=texcolor(backgroundcolor); if(s != "") tex("\definecolor{Background}"+s+"\pagecolor{Background}%"); label("",itempen); tex("\eject\def\refname{\fontsize{"+string(fontsize(titlepen))+"}{"+ string(lineskip(titlepen))+"}\selectfont References}%"); real hmargin,vmargin; if(pdf()) { hmargin=1; vmargin=0; } else { hmargin=1.5; vmargin=1; } string s; if(landscape) { s="{\centering\textheight="+string(pageheight-1inch)+"bp\textwidth="+ string(pagewidth-1.5inches)+"bp"+ "\vsize=\textheight\hsize=\textwidth\linewidth=\hsize"+ "\topmargin="+string(vmargin)+"in\oddsidemargin="+string(hmargin)+"in"; } else s="{\centering\textheight="+string(pageheight-0.5inches)+"bp\textwidth="+ string(pagewidth-0.5inches)+ "bp\hsize=\textwidth\linewidth=\textwidth\vsize=\textheight"+ "\topmargin=0.5in\oddsidemargin=1in"; s += "\evensidemargin=\oddsidemargin\bibliography{"+name+"}\eject}"; tex(s); } exitfcn currentexitfunction=atexit(); void exitfunction() { numberpage(); if(currentexitfunction != null) currentexitfunction(); if(!settings.keep) for(int i=0; i < codefile.length; ++i) { string name=codefile[i]; delete(name+"."+nativeformat()); delete(name+"_.aux"); delete(name+".asy"); } codefile=new string[]; } atexit(exitfunction); asymptote-2.62/base/pstoedit.asy0000644000000000000000000000054613607467113015466 0ustar rootrootpen textpen=basealign; pair align=Align; // Compatibility routines for the pstoedit (version 3.43 or later) backend. void gsave(picture pic=currentpicture) { pic.add(new void (frame f, transform) { gsave(f); },true); } void grestore(picture pic=currentpicture) { pic.add(new void (frame f, transform) { grestore(f); },true); } asymptote-2.62/base/graph_settings.asy0000644000000000000000000000047213607467113016652 0ustar rootroot// Number of function samples. int ngraph=100; int nCircle=400; // Number of mesh intervals. int nmesh=10; real ticksize=1mm; real Ticksize=2*ticksize; real ylabelwidth=2.0; real axislabelfactor=1.5; real axiscoverage=0.8; real epsilon=10*realEpsilon; restricted bool Crop=true; restricted bool NoCrop=false; asymptote-2.62/base/flowchart.asy0000644000000000000000000003374713607467113015635 0ustar rootroot// Flowchart routines written by Jacques Pienaar, Steve Melenchuk, John Bowman. private import math; struct flowdir {} restricted flowdir Horizontal; restricted flowdir Vertical; real minblockwidth=0; real minblockheight=0; real mincirclediameter=0; real defaultexcursion=0.1; struct block { // The absolute center of the block in user coordinates. pair center; // The size of the block pair size; // The relative center of the block. pair f_center; // These eight variables return the appropriate location on the block // in relative coordinates, where the lower left corner of the block is (0,0). pair f_top; pair f_left; pair f_right; pair f_bottom; pair f_topleft; pair f_topright; pair f_bottomleft; pair f_bottomright; void operator init(pair z) { center=z; } void operator init(real x, real y) { center=(x,y); } pair shift(transform t=identity()) { return t*center-f_center; } // Returns the relative position along the boundary of the block. pair f_position(real x); // Returns the absolute position along the boundary of the block. pair position(real x, transform t=identity()) { return shift(t)+f_position(x); } // These eight functions return the appropriate location on the block // in absolute coordinates. pair top(transform t=identity()) { return shift(t)+f_top; } pair bottom(transform t=identity()) { return shift(t)+f_bottom; } pair left(transform t=identity()) { return shift(t)+f_left; } pair right(transform t=identity()) { return shift(t)+f_right; } pair topleft(transform t=identity()) { return shift(t)+f_topleft; } pair topright(transform t=identity()) { return shift(t)+f_topright; } pair bottomleft(transform t=identity()) { return shift(t)+f_bottomleft; } pair bottomright(transform t=identity()) { return shift(t)+f_bottomright; } // Return a frame representing the block. frame draw(pen p=currentpen); // Store optional label on outgoing edge. Label label; // Store rectilinear path directions. pair[] dirs; // Store optional arrow. arrowbar arrow=None; }; // Construct a rectangular block with header and body objects. block rectangle(object header, object body, pair center=(0,0), pen headerpen=mediumgray, pen bodypen=invisible, pen drawpen=currentpen, real dx=3, real minheaderwidth=minblockwidth, real minheaderheight=minblockwidth, real minbodywidth=minblockheight, real minbodyheight=minblockheight) { frame fbody=body.f; frame fheader=header.f; pair mheader=min(fheader); pair Mheader=max(fheader); pair mbody=min(fbody); pair Mbody=max(fbody); pair bound0=Mheader-mheader; pair bound1=Mbody-mbody; real width=max(bound0.x,bound1.x); pair z0=maxbound((width+2dx,bound0.y+2dx),(minbodywidth,minbodyheight)); pair z1=maxbound((width+2dx,bound1.y+2dx),(minheaderwidth,minheaderheight)); path shape=(0,0)--(0,z1.y)--(0,z0.y+z1.y)--(z0.x,z0.y+z1.y)--z1--(z0.x,0)-- cycle; block block; block.draw=new frame(pen p) { frame block; filldraw(block,shift(0,z1.y)*box((0,0),z0),headerpen,drawpen); add(block,shift(-0.5*(Mheader+mheader))*fheader,(0,z1.y)+0.5z0); filldraw(block,box((0,0),z1),bodypen,drawpen); add(block,shift(-0.5*(Mbody+mbody))*fbody,0.5z1); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=interp(point(shape,0),point(shape,3),0.5); block.f_bottomleft=point(shape,0); block.f_bottom=point(shape,5.5); block.f_bottomright=point(shape,5); block.f_right=point(shape,4.5); block.f_topright=point(shape,3); block.f_top=point(shape,2.5); block.f_topleft=point(shape,2); block.f_left=point(shape,0.5); block.center=center; block.size=point(shape,3); return block; } // As above, but without the header. block rectangle(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dx=3, real minwidth=minblockwidth, real minheight=minblockheight) { frame f=body.f; pair m=min(f); pair M=max(f); pair z=maxbound(M-m+dx*(2,2),(minwidth,minheight)); path shape=box((0,0),z); block block; block.draw=new frame(pen p) { frame block; filldraw(block,shape,fillpen,drawpen); add(block,shift(-0.5*(M+m))*f,0.5z); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=0.5*z; block.center=center; block.size=z; block.f_bottomleft=point(shape,0); block.f_bottom=point(shape,0.5); block.f_bottomright=point(shape,1); block.f_right=point(shape,1.5); block.f_topright=point(shape,2); block.f_top=point(shape,2.5); block.f_topleft=point(shape,3); block.f_left=point(shape,3.5); return block; } block parallelogram(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dx=3, real slope=2, real minwidth=minblockwidth, real minheight=minblockheight) { frame f=body.f; pair m=min(f); pair M=max(f); pair bound=maxbound(M-m+dx*(0,2),(minwidth,minheight)); real skew=bound.y/slope; real a=bound.x+skew; real b=bound.y; path shape=(0,0)--(a,0)--(a+skew,b)--(skew,b)--cycle; block block; block.draw=new frame(pen p) { frame block; filldraw(block,shape,fillpen,drawpen); add(block,shift(-0.5*(M+m))*f,((a+skew)/2,b/2)); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=((a+skew)/2,b/2); block.center=center; block.size=(a+skew,b); block.f_bottomleft=(0,0); block.f_bottom=((a+skew)/2,0); block.f_bottomright=(a,0); block.f_right=(a+skew/2,b/2); block.f_topright=(a+skew,b); block.f_top=((a+skew)/2,b); block.f_topleft=(skew,b); block.f_left=(skew/2,b/2); return block; } block diamond(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real ds=5, real dw=1, real height=20, real minwidth=minblockwidth, real minheight=minblockheight) { frame f=body.f; pair m=min(f); pair M=max(f); pair bound=maxbound(M-m,(minwidth,minheight)); real e=ds; real a=0.5bound.x-dw; real b=0.5bound.y; real c=b+height; real arg=a^2+b^2+c^2-2b*c-e^2; real denom=e^2-a^2; real slope=arg >= 0 && denom != 0 ? (a*(c-b)-e*sqrt(arg))/denom : 1.0; real d=abs(c/slope); path shape=(2d,c)--(d,2c)--(0,c)--(d,0)--cycle; block block; block.draw=new frame(pen p) { frame block; filldraw(block,shape,fillpen,drawpen); add(block,shift(-0.5*(M+m))*f,(d,c)); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=(point(shape,1).x,point(shape,0).y); block.center=center; block.size=(point(shape,0).x,point(shape,1).y); block.f_bottomleft=point(shape,2.5); block.f_bottom=point(shape,3); block.f_bottomright=point(shape,3.5); block.f_right=point(shape,0); block.f_topright=point(shape,0.5); block.f_top=point(shape,1); block.f_topleft=point(shape,1.5); block.f_left=point(shape,2); return block; } block circle(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dr=3, real mindiameter=mincirclediameter) { frame f=body.f; pair m=min(f); pair M=max(f); real r=max(0.5length(M-m)+dr,0.5mindiameter); path shape=(0,r)..(r,2r)..(2r,r)..(r,0)..cycle; block block; block.draw=new frame(pen p) { frame block; filldraw(block,shape,fillpen,drawpen); add(block,shift(-0.5*(M+m))*f,(r,r)); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=(r,r); block.center=center; block.size=(2r,2r); block.f_left=point(shape,0); block.f_topleft=point(shape,0.5); block.f_top=point(shape,1); block.f_topright=point(shape,1.5); block.f_right=point(shape,2); block.f_bottomright=point(shape,2.5); block.f_bottom=point(shape,3); block.f_bottomleft=point(shape,3.5); return block; } block roundrectangle(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real ds=5, real dw=0, real minwidth=minblockwidth, real minheight=minblockheight) { frame f=body.f; pair m=min(f); pair M=max(f); pair bound=maxbound(M-m,(minwidth,minheight)); real a=bound.x; real b=bound.y; path shape=(0,ds+dw)--(0,ds+b-dw){up}..{right} (ds+dw,2ds+b)--(ds+a-dw,2ds+b){right}..{down} (2ds+a,ds+b-dw)--(2ds+a,ds+dw){down}..{left} (ds+a-dw,0)--(ds+dw,0){left}..{up}cycle; block block; block.draw=new frame(pen p) { frame block; filldraw(block,shape,fillpen,drawpen); add(block,shift(-0.5*(M+m))*f,(ds,ds)+0.5bound); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=(ds+0.5a,ds+0.5b); block.center=center; block.size=(2ds+a,2ds+b); block.f_bottomleft=point(shape,7.5); block.f_bottom=point(shape,6.5); block.f_bottomright=point(shape,5.5); block.f_right=point(shape,4.5); block.f_topright=point(shape,3.5); block.f_top=point(shape,2.5); block.f_topleft=point(shape,1.5); block.f_left=point(shape,0.5); return block; } block bevel(object body, pair center=(0,0), pen fillpen=invisible, pen drawpen=currentpen, real dh=5, real dw=5, real minwidth=minblockwidth, real minheight=minblockheight) { frame f=body.f; pair m=min(f); pair M=max(f); pair bound=maxbound(M-m,(minwidth,minheight)); real a=bound.x; real b=0.5bound.y; path shape=(2dw+a,b+dh)--(dw+a,2b+2dh)--(dw,2b+2dh)--(0,b+dh)--(dw,0)-- (dw+a,0)--cycle; block block; block.draw=new frame(pen p) { frame block; filldraw(block,shape,fillpen,drawpen); add(block,shift(-0.5*(M+m))*f,(0.5bound+(dw,dh))); return block; }; block.f_position=new pair(real x) { return point(shape,x); }; block.f_center=(dw+0.5a,dh+b); block.center=center; block.size=(2dw+a,2dh+2b); block.f_bottomleft=point(shape,4); block.f_bottom=point(shape,4.5); block.f_bottomright=point(shape,5); block.f_right=point(shape,0); block.f_topright=point(shape,1); block.f_top=point(shape,1.5); block.f_topleft=point(shape,2); block.f_left=point(shape,3); return block; } path path(pair point[] ... flowdir dir[]) { path line=point[0]; pair current, prev=point[0]; for(int i=1; i < point.length; ++i) { if(i-1 >= dir.length || dir[i-1] == Horizontal) current=(point[i].x,point[i-1].y); else current=(point[i-1].x,point[i].y); if(current != prev) { line=line--current; prev=current; } current=point[i]; if(current != prev) { line=line--current; prev=current; } } return line; } void draw(picture pic=currentpicture, block block, pen p=currentpen) { pic.add(new void(frame f, transform t) { add(f,shift(block.shift(t))*block.draw(p)); },true); pic.addBox(block.center,block.center, -0.5*block.size+min(p),0.5*block.size+max(p)); } typedef block blockconnector(block, block); blockconnector blockconnector(picture pic, transform t, pen p=currentpen, margin margin=PenMargin) { return new block(block b1, block b2) { if(b1.dirs.length == 0) { if(abs(b1.center.y-b2.center.y) < sqrtEpsilon) { // horizontally aligned b1.dirs[0]=b1.center.x < b2.center.x ? right : left; blockconnector(pic,t,p,margin)(b1,b2); } else if(abs(b1.center.x-b2.center.x) < sqrtEpsilon) { // vertically aligned b1.dirs[0]=b1.center.y < b2.center.y ? up : down; blockconnector(pic,t,p,margin)(b1,b2); } else { if(abs(b1.center.y-b2.center.y) < abs(b1.center.x-b2.center.x)) { b1.dirs[0]=b1.center.x < b2.center.x ? right : left; b1.dirs[1]=b1.center.y < b2.center.y ? up : down; blockconnector(pic,t,p,margin)(b1,b2); } else { b1.dirs[0]=b1.center.y < b2.center.y ? up : down; b1.dirs[1]=b1.center.x < b2.center.x ? right : left; blockconnector(pic,t,p,margin)(b1,b2); } } return b2; } // compute the link for given directions (and label if any) pair[] dirs=copy(b1.dirs); // deep copy pair current,prev; pair dir=dirs[0]; if(dir == up) prev=b1.top(t); if(dir == down) prev=b1.bottom(t); if(dir == left) prev=b1.left(t); if(dir == right) prev=b1.right(t); path line=prev; arrowbar arrow=b1.arrow; int i; for(i=1; i < dirs.length-1; ++i) { if(abs(length(dirs[i-1])-1) < sqrtEpsilon) current=prev+t*dirs[i-1]*defaultexcursion; else current=prev+t*dirs[i-1]; if(current != prev) { line=line--current; prev=current; } } dir=dirs[dirs.length-1]; current=0; if(dir == up) current=b2.bottom(t); if(dir == down) current=b2.top(t); if(dir == left) current=b2.right(t); if(dir == right) current=b2.left(t); if(abs(dirs[i-1].y) < sqrtEpsilon && abs(prev.x-current.x) > sqrtEpsilon) { prev=(current.x,prev.y); line=line--prev; // horizontal } else if(abs(dirs[i-1].x) < sqrtEpsilon && abs(prev.y-current.y) > sqrtEpsilon) { prev=(prev.x,current.y); line=line--prev; } if(current != prev) line=line--current; draw(pic,b1.label,line,p,arrow,margin); b1.label=""; b1.dirs.delete(); b1.arrow=None; return b2; }; } struct Dir { pair z; void operator init(pair z) {this.z=z;} } Dir Right=Dir(right); Dir Left=Dir(left); Dir Up=Dir(up); Dir Down=Dir(down); // Add a label to the current link block operator --(block b1, Label label) { b1.label=label; return b1; } // Add a direction to the current link block operator --(block b1, Dir dir) { b1.dirs.push(dir.z); return b1; } // Add an arrowbar to the current link block operator --(block b, arrowbar arrowbar) { b.arrow=arrowbar; return b; } asymptote-2.62/base/annotate.asy0000644000000000000000000000110213607467113015431 0ustar rootrootvoid annotate(picture pic=currentpicture, string title, string text, pair position) { pic.add(new void(frame f, transform t) { position=t*position; label(f,"\special{!/pdfmark where {pop} {userdict /pdfmark /cleartomark load put} ifelse [/Rect["+(string) position.x+" 0 0 "+(string) position.y+"] /Subtype /Text /Name /Comment /Title ("+title+") /Contents ("+text+") /ANN pdfmark}"); },true); draw(pic,position,invisible); } asymptote-2.62/base/plain_scaling.asy0000644000000000000000000001320013607467113016425 0ustar rootrootreal expansionfactor=sqrt(2); // A coordinate in "flex space." A linear combination of user and true-size // coordinates. struct coord { real user,truesize; // Build a coord. static coord build(real user, real truesize) { coord c=new coord; c.user=user; c.truesize=truesize; return c; } // Deep copy of coordinate. Users may add coords to the picture, but then // modify the struct. To prevent this from yielding unexpected results, deep // copying is used. coord copy() { return build(user, truesize); } void clip(real min, real max) { user=min(max(user,min),max); truesize=0; } } bool operator <= (coord a, coord b) { return a.user <= b.user && a.truesize <= b.truesize; } bool operator >= (coord a, coord b) { return a.user >= b.user && a.truesize >= b.truesize; } // Find the maximal elements of the input array, using the partial ordering // given. coord[] maxcoords(coord[] in, bool operator <= (coord,coord)) { // As operator <= is defined in the parameter list, it has a special // meaning in the body of the function. coord best; coord[] c; int n=in.length; if(n == 0) return c; int first=0; // Add the first coord without checking restrictions (as there are none). best=in[first]; c.push(best); static int NONE=-1; int dominator(coord x) { // This assumes it has already been checked against the best. for(int i=1; i < c.length; ++i) if(x <= c[i]) return i; return NONE; } void promote(int i) { // Swap with the top coord x=c[i]; c[i]=best; best=c[0]=x; } void addmaximal(coord x) { coord[] newc; // Check if it beats any others. for(int i=0; i < c.length; ++i) { coord y=c[i]; if(!(y <= x)) newc.push(y); } newc.push(x); c=newc; best=c[0]; } void add(coord x) { if(x <= best) return; else { int i=dominator(x); if(i == NONE) addmaximal(x); else promote(i); } } for(int i=1; i < n; ++i) add(in[i]); return c; } struct coords2 { coord[] x,y; void erase() { x.delete(); y.delete(); } // Only a shallow copy of the individual elements of x and y // is needed since, once entered, they are never modified. coords2 copy() { coords2 c=new coords2; c.x=copy(x); c.y=copy(y); return c; } void append(coords2 c) { x.append(c.x); y.append(c.y); } void push(pair user, pair truesize) { x.push(coord.build(user.x,truesize.x)); y.push(coord.build(user.y,truesize.y)); } void push(coord cx, coord cy) { x.push(cx); y.push(cy); } void push(transform t, coords2 c1, coords2 c2) { for(int i=0; i < c1.x.length; ++i) { coord cx=c1.x[i], cy=c2.y[i]; pair tinf=shiftless(t)*(0,0); pair z=t*(cx.user,cy.user); pair w=(cx.truesize,cy.truesize); w=length(w)*unit(shiftless(t)*w); coord Cx,Cy; Cx.user=z.x; Cy.user=z.y; Cx.truesize=w.x; Cy.truesize=w.y; push(Cx,Cy); } } void xclip(real min, real max) { for(int i=0; i < x.length; ++i) x[i].clip(min,max); } void yclip(real min, real max) { for(int i=0; i < y.length; ++i) y[i].clip(min,max); } } // The scaling in one dimension: x --> a*x + b struct scaling { real a,b; static scaling build(real a, real b) { scaling s=new scaling; s.a=a; s.b=b; return s; } real scale(real x) { return a*x+b; } real scale(coord c) { return scale(c.user) + c.truesize; } } // Calculate the minimum point in scaling the coords. real min(real m, scaling s, coord[] c) { for(int i=0; i < c.length; ++i) if(s.scale(c[i]) < m) m=s.scale(c[i]); return m; } // Calculate the maximum point in scaling the coords. real max(real M, scaling s, coord[] c) { for(int i=0; i < c.length; ++i) if(s.scale(c[i]) > M) M=s.scale(c[i]); return M; } import simplex; /* Calculate the sizing constants for the given array and maximum size. Solve the two-variable linear programming problem using the simplex method. This problem is specialized in that the second variable, "b", does not have a non-negativity condition, and the first variable, "a", is the quantity being maximized. */ real calculateScaling(string dir, coord[] m, coord[] M, real size, bool warn=true) { real[][] A; real[] b; real[] c=new real[] {-1,0,0}; void addMinCoord(coord c) { // (a*user + b) + truesize >= 0: A.push(new real[] {c.user,1,-1}); b.push(-c.truesize); } void addMaxCoord(coord c) { // (a*user + b) + truesize <= size: A.push(new real[] {-c.user,-1,1}); b.push(c.truesize-size); } for (int i=0; i < m.length; ++i) addMinCoord(m[i]); for (int i=0; i < M.length; ++i) addMaxCoord(M[i]); int[] s=array(A.length,1); simplex S=simplex(c,A,s,b); if(S.case == S.OPTIMAL) { return S.x[0]; } else if(S.case == S.UNBOUNDED) { if(warn) warning("unbounded",dir+" scaling in picture unbounded"); return 0; } else { if(!warn) return 1; bool userzero(coord[] coords) { for(var coord : coords) if(coord.user != 0) return false; return true; } if((userzero(m) && userzero(M)) || size >= infinity) return 1; warning("cannotfit","cannot fit picture to "+dir+"size "+(string) size +"...enlarging..."); return calculateScaling(dir,m,M,expansionfactor*size,warn); } } real calculateScaling(string dir, coord[] coords, real size, bool warn=true) { coord[] m=maxcoords(coords,operator >=); coord[] M=maxcoords(coords,operator <=); return calculateScaling(dir, m, M, size, warn); } asymptote-2.62/base/asy-init.el0000644000000000000000000000041413607467113015166 0ustar rootroot(autoload 'asy-mode "asy-mode.el" "Asymptote major mode." t) (autoload 'lasy-mode "asy-mode.el" "hybrid Asymptote/Latex major mode." t) (autoload 'asy-insinuate-latex "asy-mode.el" "Asymptote insinuate LaTeX." t) (add-to-list 'auto-mode-alist '("\\.asy$" . asy-mode)) asymptote-2.62/base/simplex.asy0000644000000000000000000002014213607467113015306 0ustar rootroot// Real simplex solver written by John C. Bowman and Pouria Ramazi, 2018. struct simplex { static int OPTIMAL=0; static int UNBOUNDED=1; static int INFEASIBLE=2; int case; real[] x; real cost; int m,n; int J; real EpsilonA; // Row reduce based on pivot E[I][J] void rowreduce(real[][] E, int N, int I, int J) { real[] EI=E[I]; real v=EI[J]; for(int j=0; j < J; ++j) EI[j] /= v; EI[J]=1.0; for(int j=J+1; j <= N; ++j) EI[j] /= v; for(int i=0; i < I; ++i) { real[] Ei=E[i]; real EiJ=Ei[J]; for(int j=0; j < J; ++j) Ei[j] -= EI[j]*EiJ; Ei[J]=0.0; for(int j=J+1; j <= N; ++j) Ei[j] -= EI[j]*EiJ; } for(int i=I+1; i <= m; ++i) { real[] Ei=E[i]; real EiJ=Ei[J]; for(int j=0; j < J; ++j) Ei[j] -= EI[j]*EiJ; Ei[J]=0.0; for(int j=J+1; j <= N; ++j) Ei[j] -= EI[j]*EiJ; } } int iterate(real[][] E, int N, int[] Bindices) { while(true) { // Find first negative entry in bottom (reduced cost) row real[] Em=E[m]; for(J=1; J <= N; ++J) if(Em[J] < 0) break; if(J > N) break; int I=-1; real t; for(int i=0; i < m; ++i) { real u=E[i][J]; if(u > EpsilonA) { t=E[i][0]/u; I=i; break; } } for(int i=I+1; i < m; ++i) { real u=E[i][J]; if(u > EpsilonA) { real r=E[i][0]/u; if(r <= t && (r < t || Bindices[i] < Bindices[I])) { t=r; I=i; } // Bland's rule: exiting variable has smallest minimizing index } } if(I == -1) return UNBOUNDED; // Can only happen in Phase 2. // Generate new tableau Bindices[I]=J; rowreduce(E,N,I,J); } return OPTIMAL; } int iterateDual(real[][] E, int N, int[] Bindices) { while(true) { // Find first negative entry in zeroth (basic variable) column real[] Em=E[m]; int I; for(I=0; I < m; ++I) { if(E[I][0] < 0) break; } if(I == m) break; int J=0; real t; for(int j=1; j <= N; ++j) { real u=E[I][j]; if(u < -EpsilonA) { t=-E[m][j]/u; J=j; break; } } for(int j=J+1; j <= N; ++j) { real u=E[I][j]; if(u < -EpsilonA) { real r=-E[m][j]/u; if(r <= t && (r < t || j < J)) { t=r; J=j; } // Bland's rule: exiting variable has smallest minimizing index } } if(J == 0) return INFEASIBLE; // Can only happen in Phase 2. // Generate new tableau Bindices[I]=J; rowreduce(E,N,I,J); } return OPTIMAL; } // Try to find a solution x to Ax=b that minimizes the cost c^T x, // where A is an m x n matrix, x is a vector of n non-negative numbers, // b is a vector of length m, and c is a vector of length n. // Can set phase1=false if the last m columns of A form the identity matrix. void operator init(real[] c, real[][] A, real[] b, bool phase1=true, bool dual=false) { if(dual) phase1=false; static real epsilon=sqrt(realEpsilon); real normA=norm(A); real epsilonA=100.0*realEpsilon*normA; EpsilonA=epsilon*normA; // Phase 1 m=A.length; if(m == 0) {case=INFEASIBLE; return;} n=A[0].length; if(n == 0) {case=INFEASIBLE; return;} real[][] E=new real[m+1][n+1]; real[] Em=E[m]; for(int j=1; j <= n; ++j) Em[j]=0; for(int i=0; i < m; ++i) { real[] Ai=A[i]; real[] Ei=E[i]; if(b[i] >= 0 || dual) { for(int j=1; j <= n; ++j) { real Aij=Ai[j-1]; Ei[j]=Aij; Em[j] -= Aij; } } else { for(int j=1; j <= n; ++j) { real Aij=-Ai[j-1]; Ei[j]=Aij; Em[j] -= Aij; } } } void basicValues() { real sum=0; for(int i=0; i < m; ++i) { real B=dual ? b[i] : abs(b[i]); E[i][0]=B; sum -= B; } Em[0]=sum; } int[] Bindices; if(phase1) { Bindices=new int[m]; int p=0; // Check for redundant basis vectors. bool checkBasis(int j) { for(int i=0; i < m; ++i) { real[] Ei=E[i]; if(i != p ? abs(Ei[j]) >= epsilonA : Ei[j] <= epsilonA) return false; } return true; } int checkTableau() { for(int j=1; j <= n; ++j) if(checkBasis(j)) return j; return 0; } int k=0; while(p < m) { int j=checkTableau(); if(j > 0) Bindices[p]=j; else { // Add an artificial variable Bindices[p]=n+1+k; for(int i=0; i < p; ++i) E[i].push(0.0); E[p].push(1.0); for(int i=p+1; i < m; ++i) E[i].push(0.0); E[m].push(0.0); ++k; } ++p; } basicValues(); iterate(E,n+k,Bindices); if(abs(Em[0]) > EpsilonA) { case=INFEASIBLE; return; } } else { Bindices=sequence(new int(int x){return x;},m)+n-m+1; basicValues(); } real[] cB=phase1 ? new real[m] : c[n-m:n]; real[][] D=phase1 ? new real[m+1][n+1] : E; if(phase1) { // Drive artificial variables out of basis. for(int i=0; i < m; ++i) { int k=Bindices[i]; if(k > n) { real[] Ei=E[i]; int j; for(j=1; j <= n; ++j) if(abs(Ei[j]) > EpsilonA) break; if(j > n) continue; Bindices[i]=j; rowreduce(E,n,i,j); } } int ip=0; // reduced i for(int i=0; i < m; ++i) { int k=Bindices[i]; if(k > n) continue; Bindices[ip]=k; cB[ip]=c[k-1]; real[] Dip=D[ip]; real[] Ei=E[i]; for(int j=1; j <= n; ++j) Dip[j]=Ei[j]; Dip[0]=Ei[0]; ++ip; } real[] Dip=D[ip]; real[] Em=E[m]; for(int j=1; j <= n; ++j) Dip[j]=Em[j]; Dip[0]=Em[0]; if(m > ip) { Bindices.delete(ip,m-1); D.delete(ip,m-1); m=ip; } } real[] Dm=D[m]; for(int j=1; j <= n; ++j) { real sum=0; for(int k=0; k < m; ++k) sum += cB[k]*D[k][j]; Dm[j]=c[j-1]-sum; } real sum=0; for(int k=0; k < m; ++k) sum += cB[k]*D[k][0]; Dm[0]=-sum; case=(dual ? iterateDual : iterate)(D,n,Bindices); if(case != OPTIMAL) return; for(int j=0; j < n; ++j) x[j]=0; for(int k=0; k < m; ++k) x[Bindices[k]-1]=D[k][0]; cost=-Dm[0]; } // Try to find a solution x to sgn(Ax-b)=sgn(s) that minimizes the cost // c^T x, where A is an m x n matrix, x is a vector of n non-negative // numbers, b is a vector of length m, and c is a vector of length n. void operator init(real[] c, real[][] A, int[] s, real[] b) { int m=A.length; if(m == 0) {case=INFEASIBLE; return;} int n=A[0].length; if(n == 0) {case=INFEASIBLE; return;} int count=0; for(int i=0; i < m; ++i) if(s[i] != 0) ++count; real[][] a=new real[m][n+count]; for(int i=0; i < m; ++i) { real[] ai=a[i]; real[] Ai=A[i]; for(int j=0; j < n; ++j) { ai[j]=Ai[j]; } } int k=0; bool phase1=false; bool dual=count == m && all(c >= 0); for(int i=0; i < m; ++i) { real[] ai=a[i]; for(int j=0; j < k; ++j) ai[n+j]=0; if(k < count) ai[n+k]=-s[i]; for(int j=k+1; j < count; ++j) ai[n+j]=0; int si=s[i]; if(si == 0) phase1=true; else { ++k; real bi=b[i]; if(bi == 0) { if(si == 1) { s[i]=-1; for(int j=0; j < n+count; ++j) ai[j]=-ai[j]; } } else if(si*bi > 0) { if(dual && si == 1) { b[i]=-bi; s[i]=-1; for(int j=0; j < n+count; ++j) ai[j]=-ai[j]; } else phase1=true; } } } operator init(concat(c,array(count,0.0)),a,b,phase1,dual); if(case == OPTIMAL && count > 0) x.delete(n,n+count-1); } } asymptote-2.62/base/shaders/0000755000000000000000000000000013607467113014541 5ustar rootrootasymptote-2.62/base/shaders/vertex.glsl0000644000000000000000000000115313607467113016741 0ustar rootrootin vec3 position; uniform mat3 normMat; #ifdef NORMAL #ifndef ORTHOGRAPHIC out vec3 ViewPosition; #endif in vec3 normal; out vec3 Normal; #endif in int material; #ifdef COLOR in vec4 color; out vec4 Color; #endif #ifdef WIDTH in float width; #endif uniform mat4 projViewMat; uniform mat4 viewMat; flat out int materialIndex; void main() { vec4 v=vec4(position,1.0); gl_Position=projViewMat*v; #ifdef NORMAL #ifndef ORTHOGRAPHIC ViewPosition=(viewMat*v).xyz; #endif Normal=normal*normMat; #endif #ifdef COLOR Color=color; #endif #ifdef WIDTH gl_PointSize=width; #endif materialIndex=material; } asymptote-2.62/base/shaders/fragment.glsl0000644000000000000000000001234013607467113017227 0ustar rootrootstruct Material { vec4 diffuse,emissive,specular; vec4 parameters; }; struct Light { vec3 direction; vec3 color; }; uniform int nlights; uniform Light lights[max(Nlights,1)]; uniform MaterialBuffer { Material Materials[Nmaterials]; }; #ifdef NORMAL #ifndef ORTHOGRAPHIC in vec3 ViewPosition; #endif in vec3 Normal; vec3 normal; #endif #ifdef COLOR in vec4 Color; #endif flat in int materialIndex; out vec4 outColor; // PBR material parameters vec3 Diffuse; // Diffuse for nonmetals, reflectance for metals. vec3 Specular; // Specular tint for nonmetals float Metallic; // Metallic/Nonmetals parameter float Fresnel0; // Fresnel at zero for nonmetals float Roughness2; // roughness squared, for smoothing #ifdef ENABLE_TEXTURE uniform sampler2D environmentMap; const float PI=acos(-1.0); const float twopi=2*PI; const float halfpi=PI/2; const int numSamples=7; // (x,y,z) -> (r,theta,phi); // theta -> [0,\pi]: colatitude // phi -> [0, 2\pi]: longitude vec3 cart2sphere(vec3 cart) { float x=cart.z; float y=cart.x; float z=cart.y; float r=length(cart); float phi=atan(y,x); float theta=acos(z/r); return vec3(r,phi,theta); } vec2 normalizedAngle(vec3 cartVec) { vec3 sphericalVec=cart2sphere(cartVec); sphericalVec.y=sphericalVec.y/(2*PI)-0.25; sphericalVec.z=sphericalVec.z/PI; return sphericalVec.yz; } #endif #ifdef NORMAL // h is the halfway vector between normal and light direction // GGX Trowbridge-Reitz Approximation float NDF_TRG(vec3 h) { float ndoth=max(dot(normal,h),0.0); float alpha2=Roughness2*Roughness2; float denom=ndoth*ndoth*(alpha2-1.0)+1.0; return denom != 0.0 ? alpha2/(denom*denom) : 0.0; } float GGX_Geom(vec3 v) { float ndotv=max(dot(v,normal),0.0); float ap=1.0+Roughness2; float k=0.125*ap*ap; return ndotv/((ndotv*(1.0-k))+k); } float Geom(vec3 v, vec3 l) { return GGX_Geom(v)*GGX_Geom(l); } // Schlick's approximation float Fresnel(vec3 h, vec3 v, float fresnel0) { float a=1.0-max(dot(h,v),0.0); float b=a*a; return fresnel0+(1.0-fresnel0)*b*b*a; } vec3 BRDF(vec3 viewDirection, vec3 lightDirection) { vec3 lambertian=Diffuse; // Cook-Torrance model vec3 h=normalize(lightDirection+viewDirection); float omegain=max(dot(viewDirection,normal),0.0); float omegaln=max(dot(lightDirection,normal),0.0); float D=NDF_TRG(h); float G=Geom(viewDirection,lightDirection); float F=Fresnel(h,viewDirection,Fresnel0); float denom=4.0*omegain*omegaln; float rawReflectance=denom > 0.0 ? (D*G)/denom : 0.0; vec3 dielectric=mix(lambertian,rawReflectance*Specular,F); vec3 metal=rawReflectance*Diffuse; return mix(dielectric,metal,Metallic); } #endif void main() { vec4 diffuse; vec4 emissive; Material m; #ifdef TRANSPARENT m=Materials[abs(materialIndex)-1]; if(materialIndex >= 0) { diffuse=m.diffuse; emissive=m.emissive; } else { diffuse=Color; #if Nlights > 0 emissive=vec4(0.0); #else emissive=Color; #endif } #else m=Materials[int(materialIndex)]; #ifdef COLOR diffuse=Color; #if Nlights > 0 emissive=vec4(0.0); #else emissive=Color; #endif #else diffuse=m.diffuse; emissive=m.emissive; #endif #endif #if defined(NORMAL) && Nlights > 0 Specular=m.specular.rgb; vec4 parameters=m.parameters; Roughness2=1.0-parameters[0]; Roughness2=Roughness2*Roughness2; Metallic=parameters[1]; Fresnel0=parameters[2]; Diffuse=diffuse.rgb; // Given a point x and direction \omega, // L_i=\int_{\Omega}f(x,\omega_i,\omega) L(x,\omega_i)(\hat{n}\cdot \omega_i) // d\omega_i, where \Omega is the hemisphere covering a point, // f is the BRDF function, L is the radiance from a given angle and position. normal=normalize(Normal); normal=gl_FrontFacing ? normal : -normal; #ifdef ORTHOGRAPHIC vec3 viewDir=vec3(0.0,0.0,1.0); #else vec3 viewDir=-normalize(ViewPosition); #endif // For a finite point light, the rendering equation simplifies. vec3 color=emissive.rgb; for(int i=0; i < nlights; ++i) { Light Li=lights[i]; vec3 L=Li.direction; float cosTheta=max(dot(normal,L),0.0); // $\omega_i \cdot n$ term vec3 radiance=cosTheta*Li.color; color += BRDF(viewDir,L)*radiance; } #if defined(ENABLE_TEXTURE) && !defined(COLOR) // Experimental environment radiance using Riemann sums; // can also do importance sampling. vec3 envRadiance=vec3(0.0,0.0,0.0); vec3 normalPerp=vec3(-normal.y,normal.x,0.0); if(length(normalPerp) == 0.0) normalPerp=vec3(1.0,0.0,0.0); // we now have a normal basis; normalPerp=normalize(normalPerp); vec3 normalPerp2=normalize(cross(normal,normalPerp)); const float step=1.0/numSamples; const float phistep=twopi*step; const float thetastep=halfpi*step; for (int iphi=0; iphi < numSamples; ++iphi) { float phi=iphi*phistep; for (int itheta=0; itheta < numSamples; ++itheta) { float theta=itheta*thetastep; vec3 azimuth=cos(phi)*normalPerp+sin(phi)*normalPerp2; vec3 L=sin(theta)*azimuth+cos(theta)*normal; vec3 rawRadiance=texture(environmentMap,normalizedAngle(L)).rgb; vec3 surfRefl=BRDF(Z,L); envRadiance += surfRefl*rawRadiance*sin(2.0*theta); } } envRadiance *= halfpi*step*step; color += envRadiance.rgb; #endif outColor=vec4(color,diffuse.a); #else outColor=emissive; #endif } asymptote-2.62/base/graph_splinetype.asy0000644000000000000000000001637613607467113017220 0ustar rootrootprivate import math; typedef real[] splinetype(real[], real[]); restricted real[] Spline(real[] x, real[] y); restricted splinetype[] Spline; string morepoints="interpolation requires at least 2 points"; string differentlengths="arrays have different lengths"; void checklengths(int x, int y, string text=differentlengths) { if(x != y) abort(text+": "+string(x)+" != "+string(y)); } void checkincreasing(real[] x) { if(!increasing(x,true)) abort("strictly increasing array expected"); } // Linear interpolation real[] linear(real[] x, real[] y) { int n=x.length; checklengths(n,y.length); real[] d=new real[n]; for(int i=0; i < n-1; ++i) d[i]=(y[i+1]-y[i])/(x[i+1]-x[i]); d[n-1]=d[n-2]; return d; } // Standard cubic spline interpolation with not-a-knot condition: // s'''(x_2^-)=s'''(x_2^+) et s'''(x_(n_2)^-)=s'''(x_(n-2)^+) // if n=2, linear interpolation is returned // if n=3, an interpolation polynomial of degree <= 2 is returned: // p(x_1)=y_1, p(x_2)=y_2, p(x_3)=y_3 real[] notaknot(real[] x, real[] y) { int n=x.length; checklengths(n,y.length); checkincreasing(x); real[] d; if(n > 3) { real[] a=new real[n]; real[] b=new real[n]; real[] c=new real[n]; real[] g=new real[n]; b[0]=x[2]-x[1]; c[0]=x[2]-x[0]; a[0]=0; g[0]=((x[1]-x[0])^2*(y[2]-y[1])/b[0]+b[0]*(2*b[0]+3*(x[1]-x[0]))* (y[1]-y[0])/(x[1]-x[0]))/c[0]; for(int i=1; i < n-1; ++i) { a[i]=x[i+1]-x[i]; c[i]=x[i]-x[i-1]; b[i]=2*(a[i]+c[i]); g[i]=3*(c[i]*(y[i+1]-y[i])/a[i]+a[i]*(y[i]-y[i-1])/c[i]); } c[n-1]=0; b[n-1]=x[n-2]-x[n-3]; a[n-1]=x[n-1]-x[n-3]; g[n-1]=((x[n-1]-x[n-2])^2*(y[n-2]-y[n-3])/b[n-1]+ b[n-1]*(2*b[n-1]+3(x[n-1]-x[n-2]))* (y[n-1]-y[n-2])/(x[n-1]-x[n-2]))/a[n-1]; d=tridiagonal(a,b,c,g); } else if(n == 2) { real val=(y[1]-y[0])/(x[1]-x[0]); d=new real[] {val,val}; } else if(n == 3) { real a=(y[1]-y[0])/(x[1]-x[0]); real b=(y[2]-y[1])/(x[2]-x[1]); real c=(b-a)/(x[2]-x[0]); d=new real[] {a+c*(x[0]-x[1]),a+c*(x[1]-x[0]),a+c*(2*x[2]-x[0]-x[1])}; } else abort(morepoints); return d; } // Standard cubic spline interpolation with periodic condition // s'(a)=s'(b), s''(a)=s''(b), assuming that f(a)=f(b) // if n=2, linear interpolation is returned real[] periodic(real[] x, real[] y) { int n=x.length; checklengths(n,y.length); checkincreasing(x); if(abs(y[n-1]-y[0]) > sqrtEpsilon*norm(y)) abort("function values are not periodic"); real[] d; if(n > 2) { real[] a=new real[n-1]; real[] b=new real[n-1]; real[] c=new real[n-1]; real[] g=new real[n-1]; c[0]=x[n-1]-x[n-2]; a[0]=x[1]-x[0]; b[0]=2*(a[0]+c[0]); g[0]=3*c[0]*(y[1]-y[0])/a[0]+3*a[0]*(y[n-1]-y[n-2])/c[0]; for(int i=1; i < n-1; ++i) { a[i]=x[i+1]-x[i]; c[i]=x[i]-x[i-1]; b[i]=2*(a[i]+c[i]); g[i]=3*(c[i]*(y[i+1]-y[i])/a[i]+a[i]*(y[i]-y[i-1])/c[i]); } d=tridiagonal(a,b,c,g); d.push(d[0]); } else if(n == 2) { d=new real[] {0,0}; } else abort(morepoints); return d; } // Standard cubic spline interpolation with the natural condition // s''(a)=s''(b)=0. // if n=2, linear interpolation is returned // Don't use the natural type unless the underlying function // has zero second end points derivatives. real[] natural(real[] x, real[] y) { int n=x.length; checklengths(n,y.length); checkincreasing(x); real[] d; if(n > 2) { real[] a=new real[n]; real[] b=new real[n]; real[] c=new real[n]; real[] g=new real[n]; b[0]=2*(x[1]-x[0]); c[0]=x[1]-x[0]; a[0]=0; g[0]=3*(y[1]-y[0]); for(int i=1; i < n-1; ++i) { a[i]=x[i+1]-x[i]; c[i]=x[i]-x[i-1]; b[i]=2*(a[i]+c[i]); g[i]=3*(c[i]*(y[i+1]-y[i])/a[i]+a[i]*(y[i]-y[i-1])/c[i]); } c[n-1]=0; a[n-1]=x[n-1]-x[n-2]; b[n-1]=2*a[n-1]; g[n-1]=3*(y[n-1]-y[n-2]); d=tridiagonal(a,b,c,g); } else if(n == 2) { real val=(y[1]-y[0])/(x[1]-x[0]); d=new real[] {val,val}; } else abort(morepoints); return d; } // Standard cubic spline interpolation with clamped conditions f'(a), f'(b) splinetype clamped(real slopea, real slopeb) { return new real[] (real[] x, real[] y) { int n=x.length; checklengths(n,y.length); checkincreasing(x); real[] d; if(n > 2) { real[] a=new real[n]; real[] b=new real[n]; real[] c=new real[n]; real[] g=new real[n]; b[0]=x[1]-x[0]; g[0]=b[0]*slopea; c[0]=0; a[0]=0; for(int i=1; i < n-1; ++i) { a[i]=x[i+1]-x[i]; c[i]=x[i]-x[i-1]; b[i]=2*(a[i]+c[i]); g[i]=3*(c[i]*(y[i+1]-y[i])/a[i]+a[i]*(y[i]-y[i-1])/c[i]); } c[n-1]=0; a[n-1]=0; b[n-1]=x[n-1]-x[n-2]; g[n-1]=b[n-1]*slopeb; d=tridiagonal(a,b,c,g); } else if(n == 2) { d=new real[] {slopea,slopeb}; } else abort(morepoints); return d; }; } // Piecewise Cubic Hermite Interpolating Polynomial (PCHIP) // Modified MATLAB code // [1] Fritsch, F. N. and R. E. Carlson, // "Monotone Piecewise Cubic Interpolation," // SIAM J. Numerical Analysis, Vol. 17, 1980, pp.238-246. // [2] Kahaner, David, Cleve Moler, Stephen Nash, // Numerical Methods and Software, Prentice Hall, 1988. real[] monotonic(real[] x, real[] y) { int n=x.length; checklengths(n,y.length); checkincreasing(x); real[] d=new real[n]; if(n > 2) { real[] h=new real[n-1]; real[] del=new real[n-1]; for(int i=0; i < n-1; ++i) { h[i]=x[i+1]-x[i]; del[i]=(y[i+1]-y[i])/h[i]; } int j=0; int k[]=new int[]; for(int i=0; i < n-2; ++i) if((sgn(del[i])*sgn(del[i+1])) > 0) {k[j]=i; j=j+1;} real[] hs=new real[j]; for(int i=0; i < j; ++i) hs[i]=h[k[i]]+h[k[i]+1]; real w1[]=new real[j]; real w2[]=new real[j]; real dmax[]=new real[j]; real dmin[]=new real[j]; for(int i=0; i < j; ++i) { w1[i]=(h[k[i]]+hs[i])/(3*hs[i]); w2[i]=(h[k[i]+1]+hs[i])/(3*hs[i]); dmax[i]=max(abs(del[k[i]]),abs(del[k[i]+1])); dmin[i]=min(abs(del[k[i]]),abs(del[k[i]+1])); } for(int i=0; i < n; ++i) d[i]=0; for(int i=0; i < j; ++i) d[k[i]+1]=dmin[i]/(w1[i]*(del[k[i]]/dmax[i])+w2[i]*(del[k[i]+1]/dmax[i])); d[0]=((2*h[0]+h[1])*del[0]-h[0]*del[1])/(h[0]+h[1]); if(sgn(d[0]) != sgn(del[0])) {d[0]=0;} else if((sgn(del[0]) != sgn(del[1])) && (abs(d[0]) > abs(3*del[0]))) d[0]=3*del[0]; d[n-1]=((2*h[n-2]+h[n-3])*del[n-2]-h[n-2]*del[n-2])/(h[n-2]+h[n-3]); if(sgn(d[n-1]) != sgn(del[n-2])) {d[n-1]=0;} else if((sgn(del[n-2]) != sgn(del[n-3])) && (abs(d[n-1]) > abs(3*del[n-2]))) d[n-1]=3*del[n-2]; } else if(n == 2) { d[0]=d[1]=(y[1]-y[0])/(x[1]-x[0]); } else abort(morepoints); return d; } // Return standard cubic spline interpolation as a guide guide hermite(real[] x, real[] y, splinetype splinetype=null) { int n=x.length; if(n == 0) return nullpath; guide g=(x[0],y[0]); if(n == 1) return g; if(n == 2) return g--(x[1],y[1]); if(splinetype == null) splinetype=(x[0] == x[x.length-1] && y[0] == y[y.length-1]) ? periodic : notaknot; real[] dy=splinetype(x,y); for(int i=1; i < n; ++i) { pair z=(x[i],y[i]); real dx=x[i]-x[i-1]; g=g..controls((x[i-1],y[i-1])+dx*(1,dy[i-1])/3) and (z-dx*(1,dy[i])/3)..z; } return g; } asymptote-2.62/base/contour.asy0000644000000000000000000004721113607467113015324 0ustar rootroot// Contour routines written by Radoslav Marinov and John Bowman. import graph_settings; real eps=10000*realEpsilon; // 1 // 6 +-------------------+ 5 // | \ / | // | \ / | // | \ / | // | \ / | // 2 | X | 0 // | / \ | // | / \ | // | / \ | // | / \ | // 7 +-------------------+ 4 or 8 // 3 private struct segment { bool active; pair a,b; // Endpoints; a is always an edge point if one exists. int c; // Contour value. int edge; // -1: interior, 0 to 3: edge, // 4-8: single-vertex edge, 9: double-vertex edge. } // Case 1: line passes through two vertices of a triangle private segment case1(pair p0, pair p1, int edge) { // Will cause a duplicate guide; luckily case1 is rare segment rtrn; rtrn.active=true; rtrn.a=p0; rtrn.b=p1; rtrn.edge=edge; return rtrn; } // Case 2: line passes through a vertex and a side of a triangle // (the first vertex passed and the side between the other two) private segment case2(pair p0, pair p1, pair p2, real v0, real v1, real v2, int edge) { segment rtrn; pair val=interp(p1,p2,abs(v1/(v2-v1))); rtrn.active=true; if(edge < 4) { rtrn.a=val; rtrn.b=p0; } else { rtrn.a=p0; rtrn.b=val; } rtrn.edge=edge; return rtrn; } // Case 3: line passes through two sides of a triangle // (through the sides formed by the first & second, and second & third // vertices) private segment case3(pair p0, pair p1, pair p2, real v0, real v1, real v2, int edge=-1) { segment rtrn; rtrn.active=true; rtrn.a=interp(p1,p0,abs(v1/(v0-v1))); rtrn.b=interp(p1,p2,abs(v1/(v2-v1))); rtrn.edge=edge; return rtrn; } // Check if a line passes through a triangle, and draw the required line. private segment checktriangle(pair p0, pair p1, pair p2, real v0, real v1, real v2, int edge=-1) { // default null return static segment dflt; real eps=eps*max(abs(v0),abs(v1),abs(v2)); if(v0 < -eps) { if(v1 < -eps) { if(v2 < -eps) return dflt; // nothing to do else if(v2 <= eps) return dflt; // nothing to do else return case3(p0,p2,p1,v0,v2,v1); } else if(v1 <= eps) { if(v2 < -eps) return dflt; // nothing to do else if(v2 <= eps) return case1(p1,p2,5+edge); else return case2(p1,p0,p2,v1,v0,v2,5+edge); } else { if(v2 < -eps) return case3(p0,p1,p2,v0,v1,v2,edge); else if(v2 <= eps) return case2(p2,p0,p1,v2,v0,v1,edge); else return case3(p1,p0,p2,v1,v0,v2,edge); } } else if(v0 <= eps) { if(v1 < -eps) { if(v2 < -eps) return dflt; // nothing to do else if(v2 <= eps) return case1(p0,p2,4+edge); else return case2(p0,p1,p2,v0,v1,v2,4+edge); } else if(v1 <= eps) { if(v2 < -eps) return case1(p0,p1,9); else if(v2 <= eps) return dflt; // use finer partitioning. else return case1(p0,p1,9); } else { if(v2 < -eps) return case2(p0,p1,p2,v0,v1,v2,4+edge); else if(v2 <= eps) return case1(p0,p2,4+edge); else return dflt; // nothing to do } } else { if(v1 < -eps) { if(v2 < -eps) return case3(p1,p0,p2,v1,v0,v2,edge); else if(v2 <= eps) return case2(p2,p0,p1,v2,v0,v1,edge); else return case3(p0,p1,p2,v0,v1,v2,edge); } else if(v1 <= eps) { if(v2 < -eps) return case2(p1,p0,p2,v1,v0,v2,5+edge); else if(v2 <= eps) return case1(p1,p2,5+edge); else return dflt; // nothing to do } else { if(v2 < -eps) return case3(p0,p2,p1,v0,v2,v1); else if(v2 <= eps) return dflt; // nothing to do else return dflt; // nothing to do } } } // Collect connecting path segments. private void collect(pair[][][] points, real[] c) { // use to reverse an array, omitting the first point int[] reverseF(int n) {return sequence(new int(int x){return n-1-x;},n-1);} // use to reverse an array, omitting the last point int[] reverseL(int n) {return sequence(new int(int x){return n-2-x;},n-1);} for(int cnt=0; cnt < c.length; ++cnt) { pair[][] gdscnt=points[cnt]; for(int i=0; i < gdscnt.length; ++i) { pair[] gig=gdscnt[i]; int Li=gig.length; for(int j=i+1; j < gdscnt.length; ++j) { pair[] gjg=gdscnt[j]; int Lj=gjg.length; if(abs(gig[0]-gjg[0]) < eps) { gdscnt[j]=gjg[reverseF(Lj)]; gdscnt[j].append(gig); gdscnt.delete(i); --i; break; } else if(abs(gig[0]-gjg[Lj-1]) < eps) { gig.delete(0); gdscnt[j].append(gig); gdscnt.delete(i); --i; break; } else if(abs(gig[Li-1]-gjg[0]) < eps) { gjg.delete(0); gig.append(gjg); gdscnt[j]=gig; gdscnt.delete(i); --i; break; } else if(abs(gig[Li-1]-gjg[Lj-1]) < eps) { gig.append(gjg[reverseL(Lj)]); gdscnt[j]=gig; gdscnt.delete(i); --i; break; } } } } } // Join path segments. private guide[][] connect(pair[][][] points, real[] c, interpolate join) { // set up return value guide[][] result=new guide[c.length][]; for(int cnt=0; cnt < c.length; ++cnt) { pair[][] pointscnt=points[cnt]; guide[] resultcnt=result[cnt]=new guide[pointscnt.length]; for(int i=0; i < pointscnt.length; ++i) { pair[] pts=pointscnt[i]; guide gd; if(pts.length > 0) { if(pts.length > 1 && abs(pts[0]-pts[pts.length-1]) < eps) { guide[] g=sequence(new guide(int i) { return pts[i]; },pts.length-1); g.push(cycle); gd=join(...g); } else gd=join(...sequence(new guide(int i) { return pts[i]; },pts.length)); } resultcnt[i]=gd; } } return result; } // Return contour guides for a 2D data array. // z: two-dimensional array of nonoverlapping mesh points // f: two-dimensional array of corresponding f(z) data values // midpoint: optional array containing values of f at cell midpoints // c: array of contour values // join: interpolation operator (e.g. operator -- or operator ..) guide[][] contour(pair[][] z, real[][] f, real[][] midpoint=new real[][], real[] c, interpolate join=operator --) { int nx=z.length-1; if(nx == 0) abort("array z must have length >= 2"); int ny=z[0].length-1; if(ny == 0) abort("array z[0] must have length >= 2"); c=sort(c); bool midpoints=midpoint.length > 0; segment segments[][][]=new segment[nx][ny][]; // go over region a rectangle at a time for(int i=0; i < nx; ++i) { pair[] zi=z[i]; pair[] zp=z[i+1]; real[] fi=f[i]; real[] fp=f[i+1]; real[] midpointi; if(midpoints) midpointi=midpoint[i]; segment[][] segmentsi=segments[i]; for(int j=0; j < ny; ++j) { segment[] segmentsij=segmentsi[j]; // define points pair bleft=zi[j]; pair bright=zp[j]; pair tleft=zi[j+1]; pair tright=zp[j+1]; pair middle=0.25*(bleft+bright+tleft+tright); real f00=fi[j]; real f01=fi[j+1]; real f10=fp[j]; real f11=fp[j+1]; real fmm=midpoints ? midpoint[i][j] : 0.25*(f00+f01+f10+f11); // optimization: we make sure we don't work with empty rectangles int checkcell(int cnt) { real C=c[cnt]; real vertdat0=f00-C; // bottom-left vertex real vertdat1=f10-C; // bottom-right vertex real vertdat2=f01-C; // top-left vertex real vertdat3=f11-C; // top-right vertex // optimization: we make sure we don't work with empty rectangles int countm=0; int countz=0; int countp=0; void check(real vertdat) { if(vertdat < -eps) ++countm; else { if(vertdat <= eps) ++countz; else ++countp; } } check(vertdat0); check(vertdat1); check(vertdat2); check(vertdat3); if(countm == 4) return 1; // nothing to do if(countp == 4) return -1; // nothing to do if((countm == 3 || countp == 3) && countz == 1) return 0; // go through the triangles void addseg(segment seg) { if(seg.active) { seg.c=cnt; segmentsij.push(seg); } } real vertdat4=fmm-C; addseg(checktriangle(bright,tright,middle, vertdat1,vertdat3,vertdat4,0)); addseg(checktriangle(tright,tleft,middle, vertdat3,vertdat2,vertdat4,1)); addseg(checktriangle(tleft,bleft,middle, vertdat2,vertdat0,vertdat4,2)); addseg(checktriangle(bleft,bright,middle, vertdat0,vertdat1,vertdat4,3)); return 0; } void process(int l, int u) { if(l >= u) return; int i=quotient(l+u,2); int sign=checkcell(i); if(sign == -1) process(i+1,u); else if(sign == 1) process(l,i); else { process(l,i); process(i+1,u); } } process(0,c.length); } } // set up return value pair[][][] points=new pair[c.length][][]; for(int i=0; i < nx; ++i) { segment[][] segmentsi=segments[i]; for(int j=0; j < ny; ++j) { segment[] segmentsij=segmentsi[j]; for(int k=0; k < segmentsij.length; ++k) { segment C=segmentsij[k]; if(!C.active) continue; pair[] g=new pair[] {C.a,C.b}; segmentsij[k].active=false; int forward(int I, int J, bool first=true) { if(I >= 0 && I < nx && J >= 0 && J < ny) { segment[] segmentsIJ=segments[I][J]; for(int l=0; l < segmentsIJ.length; ++l) { segment D=segmentsIJ[l]; if(!D.active) continue; if(abs(D.a-g[g.length-1]) < eps) { g.push(D.b); segmentsIJ[l].active=false; if(D.edge >= 0 && !first) return D.edge; first=false; l=-1; } else if(abs(D.b-g[g.length-1]) < eps) { g.push(D.a); segmentsIJ[l].active=false; if(D.edge >= 0 && !first) return D.edge; first=false; l=-1; } } } return -1; } int backward(int I, int J, bool first=true) { if(I >= 0 && I < nx && J >= 0 && J < ny) { segment[] segmentsIJ=segments[I][J]; for(int l=0; l < segmentsIJ.length; ++l) { segment D=segmentsIJ[l]; if(!D.active) continue; if(abs(D.a-g[0]) < eps) { g.insert(0,D.b); segmentsIJ[l].active=false; if(D.edge >= 0 && !first) return D.edge; first=false; l=-1; } else if(abs(D.b-g[0]) < eps) { g.insert(0,D.a); segmentsIJ[l].active=false; if(D.edge >= 0 && !first) return D.edge; first=false; l=-1; } } } return -1; } void follow(int f(int, int, bool first=true), int edge) { int I=i; int J=j; while(true) { static int ix[]={1,0,-1,0}; static int iy[]={0,1,0,-1}; if(edge >= 0 && edge < 4) { I += ix[edge]; J += iy[edge]; edge=f(I,J); } else { if(edge == -1) break; if(edge < 9) { int edge0=(edge-5) % 4; int edge1=(edge-4) % 4; int ix0=ix[edge0]; int iy0=iy[edge0]; I += ix0; J += iy0; // Search all 3 corner cells if((edge=f(I,J)) == -1) { I += ix[edge1]; J += iy[edge1]; if((edge=f(I,J)) == -1) { I -= ix0; J -= iy0; edge=f(I,J); } } } else { // Double-vertex edge: search all 8 surrounding cells void search() { for(int i=-1; i <= 1; ++i) { for(int j=-1; j <= 1; ++j) { if((edge=f(I+i,J+j,false)) >= 0) { I += i; J += j; return; } } } } search(); } } } } // Follow contour in cell int edge=forward(i,j,first=false); // Follow contour forward outside of cell follow(forward,edge); // Follow contour backward outside of cell follow(backward,C.edge); points[C.c].push(g); } } } collect(points,c); // Required to join remaining case1 cycles. return connect(points,c,join); } // Return contour guides for a 2D data array on a uniform lattice // f: two-dimensional array of real data values // midpoint: optional array containing data values at cell midpoints // a,b: diagonally opposite vertices of rectangular domain // c: array of contour values // join: interpolation operator (e.g. operator -- or operator ..) guide[][] contour(real[][] f, real[][] midpoint=new real[][], pair a, pair b, real[] c, interpolate join=operator --) { int nx=f.length-1; if(nx == 0) abort("array f must have length >= 2"); int ny=f[0].length-1; if(ny == 0) abort("array f[0] must have length >= 2"); pair[][] z=new pair[nx+1][ny+1]; for(int i=0; i <= nx; ++i) { pair[] zi=z[i]; real xi=interp(a.x,b.x,i/nx); for(int j=0; j <= ny; ++j) { zi[j]=(xi,interp(a.y,b.y,j/ny)); } } return contour(z,f,midpoint,c,join); } // return contour guides for a real-valued function // f: real-valued function of two real variables // a,b: diagonally opposite vertices of rectangular domain // c: array of contour values // nx,ny: number of subdivisions in x and y directions (determines accuracy) // join: interpolation operator (e.g. operator -- or operator ..) guide[][] contour(real f(real, real), pair a, pair b, real[] c, int nx=ngraph, int ny=nx, interpolate join=operator --) { // evaluate function at points and midpoints real[][] dat=new real[nx+1][ny+1]; real[][] midpoint=new real[nx+1][ny+1]; for(int i=0; i <= nx; ++i) { real x=interp(a.x,b.x,i/nx); real x2=interp(a.x,b.x,(i+0.5)/nx); real[] dati=dat[i]; real[] midpointi=midpoint[i]; for(int j=0; j <= ny; ++j) { dati[j]=f(x,interp(a.y,b.y,j/ny)); midpointi[j]=f(x2,interp(a.y,b.y,(j+0.5)/ny)); } } return contour(dat,midpoint,a,b,c,join); } void draw(picture pic=currentpicture, Label[] L=new Label[], guide[][] g, pen[] p) { begingroup(pic); for(int cnt=0; cnt < g.length; ++cnt) { guide[] gcnt=g[cnt]; pen pcnt=p[cnt]; for(int i=0; i < gcnt.length; ++i) draw(pic,gcnt[i],pcnt); if(L.length > 0) { Label Lcnt=L[cnt]; for(int i=0; i < gcnt.length; ++i) { if(Lcnt.s != "" && size(gcnt[i]) > 1) label(pic,Lcnt,gcnt[i],pcnt); } } } endgroup(pic); } void draw(picture pic=currentpicture, Label[] L=new Label[], guide[][] g, pen p=currentpen) { draw(pic,L,g,sequence(new pen(int) {return p;},g.length)); } // Extend palette by the colors below and above at each end. pen[] extend(pen[] palette, pen below, pen above) { pen[] p=copy(palette); p.insert(0,below); p.push(above); return p; } // Compute the interior palette for a sequence of cyclic contours // corresponding to palette. pen[][] interior(picture pic=currentpicture, guide[][] g, pen[] palette) { if(palette.length != g.length+1) abort("Palette array must have length one more than guide array"); pen[][] fillpalette=new pen[g.length][]; for(int i=0; i < g.length; ++i) { guide[] gi=g[i]; guide[] gp; if(i+1 < g.length) gp=g[i+1]; guide[] gm; if(i > 0) gm=g[i-1]; pen[] fillpalettei=new pen[gi.length]; for(int j=0; j < gi.length; ++j) { path P=gi[j]; if(cyclic(P)) { int index=i+1; bool nextinside; for(int k=0; k < gp.length; ++k) { path next=gp[k]; if(cyclic(next)) { if(inside(P,point(next,0))) nextinside=true; else if(inside(next,point(P,0))) index=i; } } if(!nextinside) { // Check to see if previous contour is inside for(int k=0; k < gm.length; ++k) { path prev=gm[k]; if(cyclic(prev)) { if(inside(P,point(prev,0))) index=i; } } } fillpalettei[j]=palette[index]; } fillpalette[i]=fillpalettei; } } return fillpalette; } // Fill the interior of cyclic contours with palette void fill(picture pic=currentpicture, guide[][] g, pen[][] palette) { for(int i=0; i < g.length; ++i) { guide[] gi=g[i]; guide[] gp; if(i+1 < g.length) gp=g[i+1]; guide[] gm; if(i > 0) gm=g[i-1]; for(int j=0; j < gi.length; ++j) { path P=gi[j]; path[] S=P; if(cyclic(P)) { for(int k=0; k < gp.length; ++k) { path next=gp[k]; if(cyclic(next) && inside(P,point(next,0))) S=S^^next; } for(int k=0; k < gm.length; ++k) { path next=gm[k]; if(cyclic(next) && inside(P,point(next,0))) S=S^^next; } fill(pic,S,palette[i][j]+evenodd); } } } } // routines for irregularly spaced points: // check existing guides and adds new segment to them if possible, // or otherwise store segment as a new guide private void addseg(pair[][] gds, segment seg) { if(!seg.active) return; // search for a path to extend for(int i=0; i < gds.length; ++i) { pair[] gd=gds[i]; if(abs(gd[0]-seg.b) < eps) { gd.insert(0,seg.a); return; } else if(abs(gd[gd.length-1]-seg.b) < eps) { gd.push(seg.a); return; } else if(abs(gd[0]-seg.a) < eps) { gd.insert(0,seg.b); return; } else if(abs(gd[gd.length-1]-seg.a) < eps) { gd.push(seg.b); return; } } // in case nothing is found pair[] segm; segm=new pair[] {seg.a,seg.b}; gds.push(segm); return; } guide[][] contour(real f(pair), pair a, pair b, real[] c, int nx=ngraph, int ny=nx, interpolate join=operator --) { return contour(new real(real x, real y) {return f((x,y));},a,b,c,nx,ny,join); } guide[][] contour(pair[] z, real[] f, real[] c, interpolate join=operator --) { if(z.length != f.length) abort("z and f arrays have different lengths"); int[][] trn=triangulate(z); // array to store guides found so far pair[][][] points=new pair[c.length][][]; for(int cnt=0; cnt < c.length; ++cnt) { pair[][] pointscnt=points[cnt]; real C=c[cnt]; for(int i=0; i < trn.length; ++i) { int[] trni=trn[i]; int i0=trni[0], i1=trni[1], i2=trni[2]; addseg(pointscnt,checktriangle(z[i0],z[i1],z[i2], f[i0]-C,f[i1]-C,f[i2]-C)); } } collect(points,c); return connect(points,c,join); } asymptote-2.62/base/plain_arcs.asy0000644000000000000000000000235313607467113015744 0ustar rootrootbool CCW=true; bool CW=false; path circle(pair c, real r) { return shift(c)*scale(r)*unitcircle; } path ellipse(pair c, real a, real b) { return shift(c)*scale(a,b)*unitcircle; } // return an arc centered at c from pair z1 to z2 (assuming |z2-c|=|z1-c|), // drawing in the given direction. path arc(pair c, explicit pair z1, explicit pair z2, bool direction=CCW) { z1 -= c; real r=abs(z1); z1=unit(z1); z2=unit(z2-c); real t1=intersect(unitcircle,(0,0)--2*z1)[0]; real t2=intersect(unitcircle,(0,0)--2*z2)[0]; static int n=length(unitcircle); if(direction) { if (t1 >= t2) t1 -= n; } else if(t2 >= t1) t2 -= n; return shift(c)*scale(r)*subpath(unitcircle,t1,t2); } // return an arc centered at c with radius r from angle1 to angle2 in degrees, // drawing in the given direction. path arc(pair c, real r, real angle1, real angle2, bool direction) { return arc(c,c+r*dir(angle1),c+r*dir(angle2),direction); } // return an arc centered at c with radius r > 0 from angle1 to angle2 in // degrees, drawing counterclockwise if angle2 >= angle1 (otherwise clockwise). path arc(pair c, real r, real angle1, real angle2) { return arc(c,r,angle1,angle2,angle2 >= angle1 ? CCW : CW); } asymptote-2.62/base/markers.asy0000644000000000000000000001620613607467113015277 0ustar rootroot// Mark routines and markers written by Philippe Ivaldi. // http://www.piprime.fr/ marker operator * (transform T, marker m) { marker M=new marker; M.f=T*m.f; M.above=m.above; M.markroutine=m.markroutine; return M; } // Add n frames f midway (in arclength) between n+1 uniformly spaced marks. markroutine markinterval(int n=1, frame f, bool rotated=false) { return new void(picture pic=currentpicture, frame mark, path g) { markuniform(n+1,rotated)(pic,mark,g); markuniform(centered=true,n,rotated)(pic,f,g); }; } // Return a frame containing n copies of the path g shifted by space // drawn with pen p. frame duplicate(path g, int n=1, pair space=0, pen p=currentpen) { if(space == 0) space=dotsize(p); frame f; int pos=0; int sign=1; int m=(n+1) % 2; for(int i=1; i <= n; ++i) { draw(f,shift(space*(pos-0.5*m))*g,p); pos += i*sign; sign *= -1; } return f; } real tildemarksizefactor=5; real tildemarksize(pen p=currentpen) { static real golden=(1+sqrt(5))/2; return (1mm+tildemarksizefactor*sqrt(linewidth(p)))/golden; } frame tildeframe(int n=1, real size=0, pair space=0, real angle=0, pair offset=0, pen p=currentpen) { size=(size == 0) ? tildemarksize(p) : size; space=(space == 0) ? 1.5*size : space; path g=yscale(1.25)*((-1.5,-0.5)..(-0.75,0.5)..(0,0)..(0.75,-0.5)..(1.5,0.5)); return duplicate(shift(offset)*rotate(angle)*scale(size)*g,n,space,p); } frame tildeframe=tildeframe(); real stickmarkspacefactor=4; real stickmarksizefactor=10; real stickmarksize(pen p=currentpen) { return 1mm+stickmarksizefactor*sqrt(linewidth(p)); } real stickmarkspace(pen p=currentpen) { return stickmarkspacefactor*sqrt(linewidth(p)); } frame stickframe(int n=1, real size=0, pair space=0, real angle=0, pair offset=0, pen p=currentpen) { if(size == 0) size=stickmarksize(p); if(space == 0) space=stickmarkspace(p); return duplicate(shift(offset)*rotate(angle)*scale(0.5*size)*(N--S),n, space,p); } frame stickframe=stickframe(); real circlemarkradiusfactor=stickmarksizefactor/2; real circlemarkradius(pen p=currentpen) { static real golden=(1+sqrt(5))/2; return (1mm+circlemarkradiusfactor*sqrt(linewidth(p)))/golden; } real barmarksizefactor=stickmarksizefactor; real barmarksize(pen p=currentpen) { return 1mm+barmarksizefactor*sqrt(linewidth(p)); } frame circlebarframe(int n=1, real barsize=0, real radius=0,real angle=0, pair offset=0, pen p=currentpen, filltype filltype=NoFill, bool above=false) { if(barsize == 0) barsize=barmarksize(p); if(radius == 0) radius=circlemarkradius(p); frame opic; path g=circle(offset,radius); frame f=stickframe(n,barsize,space=2*radius/(n+1),angle,offset,p); if(above) { add(opic,f); filltype.fill(opic,g,p); } else { filltype.fill(opic,g,p); add(opic,f); } return opic; } real crossmarksizefactor=5; real crossmarksize(pen p=currentpen) { return 1mm+crossmarksizefactor*sqrt(linewidth(p)); } frame crossframe(int n=3, real size=0, pair space=0, real angle=0, pair offset=0, pen p=currentpen) { if(size == 0) size=crossmarksize(p); frame opic; draw(opic,shift(offset)*rotate(angle)*scale(size)*cross(n),p); return opic; } real markanglespacefactor=4; real markangleradiusfactor=8; real markangleradius(pen p=currentpen) { return 8mm+markangleradiusfactor*sqrt(linewidth(p)); } real markangleradius=markangleradius(); real markanglespace(pen p=currentpen) { return markanglespacefactor*sqrt(linewidth(p)); } real markanglespace=markanglespace(); // Mark the oriented angle AOB counterclockwise with optional Label, arrows, and markers. // With radius < 0, AOB-2pi is marked clockwise. void markangle(picture pic=currentpicture, Label L="", int n=1, real radius=0, real space=0, pair A, pair O, pair B, arrowbar arrow=None, pen p=currentpen, filltype filltype=NoFill, margin margin=NoMargin, marker marker=nomarker) { if(space == 0) space=markanglespace(p); if(radius == 0) radius=markangleradius(p); picture lpic,phantom; frame ff; path lpth; p=squarecap+p; pair OB=unit(B-O), OA=unit(A-O); real xoa=degrees(OA,false); real gle=degrees(acos(dot(OA,OB))); if((conj(OA)*OB).y < 0) gle *= -1; bool ccw=radius > 0; if(!ccw) radius=-radius; bool drawarrow = !arrow(phantom,arc((0,0),radius,xoa,xoa+gle,ccw),p,margin); if(drawarrow && margin == NoMargin) margin=TrueMargin(0,0.5linewidth(p)); if(filltype != NoFill) { lpth=margin(arc((0,0),radius+(n-1)*space,xoa,xoa+gle,ccw),p).g; pair p0=relpoint(lpth,0), p1=relpoint(lpth,1); pair ac=p0-p0-A+O, bd=p1-p1-B+O, det=(conj(ac)*bd).y; pair op=(det == 0) ? O : p0+(conj(p1-p0)*bd).y*ac/det; filltype.fill(ff,op--lpth--relpoint(lpth,1)--cycle,p); add(lpic,ff); } for(int i=0; i < n; ++i) { lpth=margin(arc((0,0),radius+i*space,xoa,xoa+gle,ccw),p).g; draw(lpic,lpth,p=p,arrow=arrow,margin=NoMargin,marker=marker); } Label lL=L.copy(); real position=lL.position.position.x; if(lL.defaultposition) {lL.position.relative=true; position=0.5;} if(lL.position.relative) position=reltime(lpth,position); if(lL.align.default) { lL.align.relative=true; lL.align.dir=unit(point(lpth,position)); } label(lpic,lL,point(lpth,position),align=NoAlign, p=p); add(pic,lpic,O); } marker StickIntervalMarker(int i=2, int n=1, real size=0, real space=0, real angle=0, pair offset=0, bool rotated=true, pen p=currentpen, frame uniform=newframe, bool above=true) { return marker(uniform,markinterval(i,stickframe(n,size,space,angle,offset,p), rotated),above); } marker CrossIntervalMarker(int i=2, int n=3, real size=0, real space=0, real angle=0, pair offset=0, bool rotated=true, pen p=currentpen, frame uniform=newframe, bool above=true) { return marker(uniform,markinterval(i,crossframe(n,size,space,angle,offset,p), rotated=rotated),above); } marker CircleBarIntervalMarker(int i=2, int n=1, real barsize=0, real radius=0, real angle=0, pair offset=0, bool rotated=true, pen p=currentpen, filltype filltype=NoFill, bool circleabove=false, frame uniform=newframe, bool above=true) { return marker(uniform,markinterval(i,circlebarframe(n,barsize,radius,angle, offset,p,filltype, circleabove), rotated),above); } marker TildeIntervalMarker(int i=2, int n=1, real size=0, real space=0, real angle=0, pair offset=0, bool rotated=true, pen p=currentpen, frame uniform=newframe, bool above=true) { return marker(uniform,markinterval(i,tildeframe(n,size,space,angle,offset,p), rotated),above); } asymptote-2.62/base/labelpath3.asy0000644000000000000000000000464113607467113015652 0ustar rootroot// Fit a label to a path3. // Author: Jens Schwaiger import three; private real eps=100*realEpsilon; triple nextnormal(triple p, triple q) { triple nw=p-(dot(p,q)*q); return abs(nw) < 0.0001 ? p : unit(nw); } triple[] firstframe(path3 p, triple optional=O) { triple[] start=new triple[3]; start[0]=dir(p,reltime(p,0)); start[1]=(abs(cross(start[0],optional)) < eps) ? perp(start[0]) : unit(cross(start[0],optional)); start[2]=cross(start[0],start[1]); return start; } // Modification of the bishop frame construction contained in // space_tube.asy (from Philippe Ivaldi's modules). // For noncyclic path3s only triple[] nextframe(path3 p, real reltimestart, triple[] start, real reltimeend, int subdiv=20) { triple[][] bf=new triple[subdiv+1][3]; real lg=reltimeend-reltimestart; if(lg <= 0) return start; bf[0]=start; int n=subdiv+1; for(int i=1; i < n; ++i) bf[i][0]=dir(p,reltime(p,reltimestart+(i/subdiv)*lg)); for(int i=1; i < n; ++i) { bf[i][1]=nextnormal(bf[i-1][1],bf[i][0]); bf[i][2]=cross(bf[i][0],bf[i][1]); } return bf[subdiv]; } surface labelpath(string s, path3 p, real angle=90, triple optional=O) { real Cos=Cos(angle); real Sin=Sin(angle); path[] text=texpath(Label(s,(0,0),Align,basealign)); text=scale(1/(max(text).x-min(text).x))*text; path[][] decompose=containmentTree(text); real[][] xpos=new real[decompose.length][2]; surface sf; for(int i=0; i < decompose.length; ++i) {// Identify positions along x-axis xpos[i][1]=i; real pos0=0.5(max(decompose[i]).x+min(decompose[i]).x); xpos[i][0]=pos0; } xpos=sort(xpos); // sort by distance from 0; triple[] pos=new triple[decompose.length]; real lg=arclength(p); //create frames; triple[] first=firstframe(p,optional); triple[] t0=first; real tm0=0; triple[][] bfr=new triple[decompose.length][3]; for(int j=0; j < decompose.length; ++j) { bfr[j]=nextframe(p,tm0,t0,xpos[j][0]); tm0=xpos[j][0]; t0=bfr[j]; } transform3[] mt=new transform3[bfr.length]; for(int j=0; j < bfr.length; ++j) { triple f2=Cos*bfr[j][1]+Sin*bfr[j][2]; triple f3=Sin*bfr[j][1]+Cos*bfr[j][2]; mt[j]=shift(relpoint(p,xpos[j][0]))*transform3(bfr[j][0],f2,f3); } for(int j=0; j < bfr.length; ++j) { path[] dc=decompose[(int) xpos[j][1]]; pair pos0=(0.5(max(dc).x+min(dc).x),0); sf.append(mt[j]*surface(scale(lg)*shift(-pos0)*dc)); } return sf; } asymptote-2.62/base/plain_arrows.asy0000644000000000000000000004615113607467113016335 0ustar rootrootreal arrowlength=0.75cm; real arrowfactor=15; real arrowangle=15; real arcarrowfactor=0.5*arrowfactor; real arcarrowangle=2*arrowangle; real arrowsizelimit=0.5; real arrow2sizelimit=1/3; real arrowdir=5; real arrowbarb=3; real arrowhookfactor=1.5; real arrowtexfactor=1; real barfactor=arrowfactor; real arrowsize(pen p=currentpen) { return arrowfactor*linewidth(p); } real arcarrowsize(pen p=currentpen) { return arcarrowfactor*linewidth(p); } real barsize(pen p=currentpen) { return barfactor*linewidth(p); } struct arrowhead { path head(path g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle); real size(pen p)=arrowsize; real arcsize(pen p)=arcarrowsize; filltype defaultfilltype(pen) {return FillDraw;} } real[] arrowbasepoints(path base, path left, path right, real default=0) { real[][] Tl=transpose(intersections(left,base)); real[][] Tr=transpose(intersections(right,base)); return new real[] {Tl.length > 0 ? Tl[0][0] : default, Tr.length > 0 ? Tr[0][0] : default}; } path arrowbase(path r, pair y, real t, real size) { pair perp=2*size*I*dir(r,t); return size == 0 ? y : y+perp--y-perp; } arrowhead DefaultHead; DefaultHead.head=new path(path g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle) { if(size == 0) size=DefaultHead.size(p); bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path r=subpath(g,position,0); pair x=point(r,0); real t=arctime(r,size); pair y=point(r,t); path base=arrowbase(r,y,t,size); path left=rotate(-angle,x)*r; path right=rotate(angle,x)*r; real[] T=arrowbasepoints(base,left,right); pair denom=point(right,T[1])-y; real factor=denom != 0 ? length((point(left,T[0])-y)/denom) : 1; path left=rotate(-angle*factor,x)*r; path right=rotate(angle*factor,x)*r; real[] T=arrowbasepoints(base,left,right); return subpath(left,0,T[0])--subpath(right,T[1],0)&cycle; }; arrowhead SimpleHead; SimpleHead.head=new path(path g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle) { if(size == 0) size=SimpleHead.size(p); bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path r=subpath(g,position,0); pair x=point(r,0); real t=arctime(r,size); path left=rotate(-angle,x)*r; path right=rotate(angle,x)*r; return subpath(left,t,0)--subpath(right,0,t); }; arrowhead HookHead(real dir=arrowdir, real barb=arrowbarb) { arrowhead a; a.head=new path(path g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle) { if(size == 0) size=a.size(p); angle=min(angle*arrowhookfactor,45); bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path r=subpath(g,position,0); pair x=point(r,0); real t=arctime(r,size); pair y=point(r,t); path base=arrowbase(r,y,t,size); path left=rotate(-angle,x)*r; path right=rotate(angle,x)*r; real[] T=arrowbasepoints(base,left,right,1); pair denom=point(right,T[1])-y; real factor=denom != 0 ? length((point(left,T[0])-y)/denom) : 1; path left=rotate(-angle*factor,x)*r; path right=rotate(angle*factor,x)*r; real[] T=arrowbasepoints(base,left,right,1); left=subpath(left,0,T[0]); right=subpath(right,T[1],0); pair pl0=point(left,0), pl1=relpoint(left,1); pair pr0=relpoint(right,0), pr1=relpoint(right,1); pair M=(pl1+pr0)/2; pair v=barb*unit(M-pl0); pl1=pl1+v; pr0=pr0+v; left=pl0{dir(-dir+degrees(M-pl0,false))}..pl1--M; right=M--pr0..pr1{dir(dir+degrees(pr1-M,false))}; return left--right&cycle; }; return a; } arrowhead HookHead=HookHead(); arrowhead TeXHead; TeXHead.size=new real(pen p) { static real hcoef=2.1; // 84/40=abs(base-hint)/base_height return hcoef*arrowtexfactor*linewidth(p); }; TeXHead.arcsize=TeXHead.size; TeXHead.head=new path(path g, position position=EndPoint, pen p=currentpen, real size=0, real angle=arrowangle) { static real wcoef=1/84; // 1/abs(base-hint) static path texhead=scale(wcoef)* ((0,20) .. controls (-75,75) and (-108,158) .. (-108,166) .. controls (-108,175) and (-100,178) .. (-93,178) .. controls (-82,178) and (-80,173) .. (-77,168) .. controls (-62,134) and (-30,61) .. (70,14) .. controls (82,8) and (84,7) .. (84,0) .. controls (84,-7) and (82,-8) .. (70,-14) .. controls (-30,-61) and (-62,-134) .. (-77,-168) .. controls (-80,-173) and (-82,-178) .. (-93,-178) .. controls (-100,-178) and (-108,-175).. (-108,-166).. controls (-108,-158) and (-75,-75) .. (0,-20)--cycle); if(size == 0) size=TeXHead.size(p); path gp=scale(size)*texhead; bool relative=position.relative; real position=position.position.x; if(relative) position=reltime(g,position); path r=subpath(g,position,0); pair y=point(r,arctime(r,size)); return shift(y)*rotate(degrees(-dir(r,arctime(r,0.5*size))))*gp; }; TeXHead.defaultfilltype=new filltype(pen p) {return Fill(p);}; private real position(position position, real size, path g, bool center) { bool relative=position.relative; real position=position.position.x; if(relative) { position *= arclength(g); if(center) position += 0.5*size; position=arctime(g,position); } else if(center) position=arctime(g,arclength(subpath(g,0,position))+0.5*size); return position; } void drawarrow(frame f, arrowhead arrowhead=DefaultHead, path g, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint, bool forwards=true, margin margin=NoMargin, bool center=false) { if(size == 0) size=arrowhead.size(p); if(filltype == null) filltype=arrowhead.defaultfilltype(p); size=min(arrowsizelimit*arclength(g),size); real position=position(position,size,g,center); g=margin(g,p).g; int L=length(g); if(!forwards) { g=reverse(g); position=L-position; } path r=subpath(g,position,0); size=min(arrowsizelimit*arclength(r),size); path head=arrowhead.head(g,position,p,size,angle); bool endpoint=position > L-sqrtEpsilon; if(cyclic(head) && (filltype == NoFill || endpoint)) { if(position > 0) draw(f,subpath(r,arctime(r,size),length(r)),p); if(!endpoint) draw(f,subpath(g,position,L),p); } else draw(f,g,p); filltype.fill(f,head,p+solid); } void drawarrow2(frame f, arrowhead arrowhead=DefaultHead, path g, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, margin margin=NoMargin) { if(size == 0) size=arrowhead.size(p); if(filltype == null) filltype=arrowhead.defaultfilltype(p); g=margin(g,p).g; size=min(arrow2sizelimit*arclength(g),size); path r=reverse(g); int L=length(g); path head=arrowhead.head(g,L,p,size,angle); path tail=arrowhead.head(r,L,p,size,angle); if(cyclic(head)) draw(f,subpath(r,arctime(r,size),L-arctime(g,size)),p); else draw(f,g,p); filltype.fill(f,head,p+solid); filltype.fill(f,tail,p+solid); } // Add to picture an estimate of the bounding box contribution of arrowhead // using the local slope at endpoint and ignoring margin. void addArrow(picture pic, arrowhead arrowhead, path g, pen p, real size, real angle, filltype filltype, real position) { if(filltype == null) filltype=arrowhead.defaultfilltype(p); pair z=point(g,position); path g=z-(size+linewidth(p))*dir(g,position)--z; frame f; filltype.fill(f,arrowhead.head(g,position,p,size,angle),p); pic.addBox(z,z,min(f)-z,max(f)-z); } picture arrow(arrowhead arrowhead=DefaultHead, path g, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint, bool forwards=true, margin margin=NoMargin, bool center=false) { if(size == 0) size=arrowhead.size(p); picture pic; pic.add(new void(frame f, transform t) { drawarrow(f,arrowhead,t*g,p,size,angle,filltype,position,forwards,margin, center); }); pic.addPath(g,p); real position=position(position,size,g,center); path G; if(!forwards) { G=reverse(g); position=length(g)-position; } else G=g; addArrow(pic,arrowhead,G,p,size,angle,filltype,position); return pic; } picture arrow2(arrowhead arrowhead=DefaultHead, path g, pen p=currentpen, real size=0, real angle=arrowangle, filltype filltype=null, margin margin=NoMargin) { if(size == 0) size=arrowhead.size(p); picture pic; pic.add(new void(frame f, transform t) { drawarrow2(f,arrowhead,t*g,p,size,angle,filltype,margin); }); pic.addPath(g,p); int L=length(g); addArrow(pic,arrowhead,g,p,size,angle,filltype,L); addArrow(pic,arrowhead,reverse(g),p,size,angle,filltype,L); return pic; } void bar(picture pic, pair a, pair d, pen p=currentpen) { picture opic; Draw(opic,-0.5d--0.5d,p+solid); add(pic,opic,a); } picture bar(pair a, pair d, pen p=currentpen) { picture pic; bar(pic,a,d,p); return pic; } typedef bool arrowbar(picture, path, pen, margin); bool Blank(picture, path, pen, margin) { return false; } bool None(picture, path, pen, margin) { return true; } arrowbar BeginArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arrowangle, filltype filltype=null, position position=BeginPoint) { return new bool(picture pic, path g, pen p, margin margin) { add(pic,arrow(arrowhead,g,p,size,angle,filltype,position,forwards=false, margin)); return false; }; } arrowbar Arrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint) { return new bool(picture pic, path g, pen p, margin margin) { add(pic,arrow(arrowhead,g,p,size,angle,filltype,position,margin)); return false; }; } arrowbar EndArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arrowangle, filltype filltype=null, position position=EndPoint)=Arrow; arrowbar MidArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arrowangle, filltype filltype=null) { return new bool(picture pic, path g, pen p, margin margin) { add(pic,arrow(arrowhead,g,p,size,angle,filltype,MidPoint,margin, center=true)); return false; }; } arrowbar Arrows(arrowhead arrowhead=DefaultHead, real size=0, real angle=arrowangle, filltype filltype=null) { return new bool(picture pic, path g, pen p, margin margin) { add(pic,arrow2(arrowhead,g,p,size,angle,filltype,margin)); return false; }; } arrowbar BeginArcArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arcarrowangle, filltype filltype=null, position position=BeginPoint) { return new bool(picture pic, path g, pen p, margin margin) { real size=size == 0 ? arrowhead.arcsize(p) : size; add(pic,arrow(arrowhead,g,p,size,angle,filltype,position, forwards=false,margin)); return false; }; } arrowbar ArcArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arcarrowangle, filltype filltype=null, position position=EndPoint) { return new bool(picture pic, path g, pen p, margin margin) { real size=size == 0 ? arrowhead.arcsize(p) : size; add(pic,arrow(arrowhead,g,p,size,angle,filltype,position,margin)); return false; }; } arrowbar EndArcArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arcarrowangle, filltype filltype=null, position position=EndPoint)=ArcArrow; arrowbar MidArcArrow(arrowhead arrowhead=DefaultHead, real size=0, real angle=arcarrowangle, filltype filltype=null) { return new bool(picture pic, path g, pen p, margin margin) { real size=size == 0 ? arrowhead.arcsize(p) : size; add(pic,arrow(arrowhead,g,p,size,angle,filltype,MidPoint,margin, center=true)); return false; }; } arrowbar ArcArrows(arrowhead arrowhead=DefaultHead, real size=0, real angle=arcarrowangle, filltype filltype=null) { return new bool(picture pic, path g, pen p, margin margin) { real size=size == 0 ? arrowhead.arcsize(p) : size; add(pic,arrow2(arrowhead,g,p,size,angle,filltype,margin)); return false; }; } arrowbar BeginBar(real size=0) { return new bool(picture pic, path g, pen p, margin margin) { real size=size == 0 ? barsize(p) : size; bar(pic,point(g,0),size*dir(g,0)*I,p); return true; }; } arrowbar Bar(real size=0) { return new bool(picture pic, path g, pen p, margin margin) { int L=length(g); real size=size == 0 ? barsize(p) : size; bar(pic,point(g,L),size*dir(g,L)*I,p); return true; }; } arrowbar EndBar(real size=0)=Bar; arrowbar Bars(real size=0) { return new bool(picture pic, path g, pen p, margin margin) { real size=size == 0 ? barsize(p) : size; BeginBar(size)(pic,g,p,margin); EndBar(size)(pic,g,p,margin); return true; }; } arrowbar BeginArrow=BeginArrow(), MidArrow=MidArrow(), Arrow=Arrow(), EndArrow=Arrow(), Arrows=Arrows(), BeginArcArrow=BeginArcArrow(), MidArcArrow=MidArcArrow(), ArcArrow=ArcArrow(), EndArcArrow=ArcArrow(), ArcArrows=ArcArrows(), BeginBar=BeginBar(), Bar=Bar(), EndBar=Bar(), Bars=Bars(); void draw(frame f, path g, pen p=currentpen, arrowbar arrow) { picture pic; if(arrow(pic,g,p,NoMargin)) draw(f,g,p); add(f,pic.fit()); } void draw(picture pic=currentpicture, Label L=null, path g, align align=NoAlign, pen p=currentpen, arrowbar arrow=None, arrowbar bar=None, margin margin=NoMargin, Label legend=null, marker marker=nomarker) { // These if statements are ordered in such a way that the most common case // (with just a path and a pen) executes the least bytecode. if (marker == nomarker) { if (arrow == None && bar == None) { if (margin == NoMargin && size(nib(p)) == 0) { pic.addExactAbove( new void(frame f, transform t, transform T, pair, pair) { _draw(f,t*T*g,p); }); pic.addPath(g,p); // Jumping over else clauses takes time, so test if we can return // here. if (L == null && legend == null) return; } else // With margin or polygonal pen. { _draw(pic, g, p, margin); } } else /* arrow or bar */ { // Note we are using & instead of && as both arrow and bar need to be // called. if (arrow(pic, g, p, margin) & bar(pic, g, p, margin)) _draw(pic, g, p, margin); } if(L != null && L.s != "") { L=L.copy(); L.align(align); L.p(p); L.out(pic,g); } if(legend != null && legend.s != "") { legend.p(p); pic.legend.push(Legend(legend.s,legend.p,p,marker.f,marker.above)); } } else /* marker != nomarker */ { if(marker != nomarker && !marker.above) marker.mark(pic,g); // Note we are using & instead of && as both arrow and bar need to be // called. if ((arrow == None || arrow(pic, g, p, margin)) & (bar == None || bar(pic, g, p, margin))) { _draw(pic, g, p, margin); } if(L != null && L.s != "") { L=L.copy(); L.align(align); L.p(p); L.out(pic,g); } if(legend != null && legend.s != "") { legend.p(p); pic.legend.push(Legend(legend.s,legend.p,p,marker.f,marker.above)); } if(marker != nomarker && marker.above) marker.mark(pic,g); } } // Draw a fixed-size line about the user-coordinate 'origin'. void draw(pair origin, picture pic=currentpicture, Label L=null, path g, align align=NoAlign, pen p=currentpen, arrowbar arrow=None, arrowbar bar=None, margin margin=NoMargin, Label legend=null, marker marker=nomarker) { picture opic; draw(opic,L,g,align,p,arrow,bar,margin,legend,marker); add(pic,opic,origin); } void draw(picture pic=currentpicture, explicit path[] g, pen p=currentpen, Label legend=null, marker marker=nomarker) { // This could be optimized to size and draw the entire array as a batch. for(int i=0; i < g.length-1; ++i) draw(pic,g[i],p,marker); if(g.length > 0) draw(pic,g[g.length-1],p,legend,marker); } void draw(picture pic=currentpicture, guide[] g, pen p=currentpen, Label legend=null, marker marker=nomarker) { draw(pic,(path[]) g,p,legend,marker); } void draw(pair origin, picture pic=currentpicture, explicit path[] g, pen p=currentpen, Label legend=null, marker marker=nomarker) { picture opic; draw(opic,g,p,legend,marker); add(pic,opic,origin); } void draw(pair origin, picture pic=currentpicture, guide[] g, pen p=currentpen, Label legend=null, marker marker=nomarker) { draw(origin,pic,(path[]) g,p,legend,marker); } // Align an arrow pointing to b from the direction dir. The arrow is // 'length' PostScript units long. void arrow(picture pic=currentpicture, Label L=null, pair b, pair dir, real length=arrowlength, align align=NoAlign, pen p=currentpen, arrowbar arrow=Arrow, margin margin=EndMargin) { if(L != null && L.s != "") { L=L.copy(); if(L.defaultposition) L.position(0); L.align(L.align,dir); L.p(p); } marginT margin=margin(b--b,p); // Extract margin.begin and margin.end pair a=(margin.begin+length+margin.end)*unit(dir); draw(b,pic,L,a--(0,0),align,p,arrow,margin); } // Fit an array of pictures simultaneously using the sizing of picture all. frame[] fit2(picture[] pictures, picture all) { frame[] out; if(!all.empty2()) { transform t=all.calculateTransform(); pair m=all.min(t); pair M=all.max(t); for(picture pic : pictures) { frame f=pic.fit(t); draw(f,m,nullpen); draw(f,M,nullpen); out.push(f); } } return out; } // Fit an array of pictures simultaneously using the size of the first picture. // TODO: Remove unused arguments. frame[] fit(string prefix="", picture[] pictures, string format="", bool view=true, string options="", string script="", projection P=currentprojection) { if(pictures.length == 0) return new frame[]; picture all; size(all,pictures[0]); for(picture pic : pictures) add(all,pic); return fit2(pictures,all); } // Pad a picture to a specified size frame pad(picture pic=currentpicture, real xsize=pic.xsize, real ysize=pic.ysize, filltype filltype=NoFill) { picture P; size(P,xsize,ysize,IgnoreAspect); draw(P,(0,0),invisible+thin()); draw(P,(xsize,ysize),invisible+thin()); add(P,pic.fit(xsize,ysize),(xsize,ysize)/2); frame f=P.fit(); if(filltype != NoFill) { frame F; filltype.fill(F,box(min(f),max(f)),invisible); prepend(f,F); } return f; } asymptote-2.62/base/unicode.asy0000644000000000000000000000006313607467113015253 0ustar rootrootusepackage("ucs"); usepackage("inputenc","utf8x"); asymptote-2.62/base/graph.asy0000644000000000000000000017461613607467113014746 0ustar rootrootprivate import math; import graph_splinetype; import graph_settings; scaleT Linear; scaleT Log=scaleT(log10,pow10,logarithmic=true); scaleT Logarithmic=Log; string baselinetemplate="$10^4$"; // A linear scale, with optional autoscaling of minimum and maximum values, // scaling factor s and intercept. scaleT Linear(bool automin=false, bool automax=automin, real s=1, real intercept=0) { real sinv=1/s; scalefcn T,Tinv; if(s == 1 && intercept == 0) T=Tinv=identity; else { T=new real(real x) {return (x-intercept)*s;}; Tinv=new real(real x) {return x*sinv+intercept;}; } return scaleT(T,Tinv,logarithmic=false,automin,automax); } // A logarithmic scale, with optional autoscaling of minimum and maximum // values. scaleT Log(bool automin=false, bool automax=automin) { return scaleT(Log.T,Log.Tinv,logarithmic=true,automin,automax); } // A "broken" linear axis omitting the segment [a,b]. scaleT Broken(real a, real b, bool automin=false, bool automax=automin) { real skip=b-a; real T(real x) { if(x <= a) return x; if(x <= b) return a; return x-skip; } real Tinv(real x) { if(x <= a) return x; return x+skip; } return scaleT(T,Tinv,logarithmic=false,automin,automax); } // A "broken" logarithmic axis omitting the segment [a,b], where a and b are // automatically rounded to the nearest integral power of the base. scaleT BrokenLog(real a, real b, bool automin=false, bool automax=automin) { real A=round(Log.T(a)); real B=round(Log.T(b)); a=Log.Tinv(A); b=Log.Tinv(B); real skip=B-A; real T(real x) { if(x <= a) return Log.T(x); if(x <= b) return A; return Log.T(x)-skip; } real Tinv(real x) { real X=Log.Tinv(x); if(X <= a) return X; return Log.Tinv(x+skip); } return scaleT(T,Tinv,logarithmic=true,automin,automax); } Label Break=Label("$\approx$",UnFill(0.2mm)); void scale(picture pic=currentpicture, scaleT x, scaleT y=x, scaleT z=y) { pic.scale.x.scale=x; pic.scale.y.scale=y; pic.scale.z.scale=z; pic.scale.x.automin=x.automin; pic.scale.y.automin=y.automin; pic.scale.z.automin=z.automin; pic.scale.x.automax=x.automax; pic.scale.y.automax=y.automax; pic.scale.z.automax=z.automax; } void scale(picture pic=currentpicture, bool xautoscale=false, bool yautoscale=xautoscale, bool zautoscale=yautoscale) { scale(pic,Linear(xautoscale,xautoscale),Linear(yautoscale,yautoscale), Linear(zautoscale,zautoscale)); } struct scientific { int sign; real mantissa; int exponent; int ceil() {return sign*ceil(mantissa);} real scale(real x, real exp) { static real max=0.1*realMax; static real limit=-log10(max); return x*(exp > limit ? 10^-exp : max); } real ceil(real x, real exp) {return ceil(sign*scale(abs(x),exp));} real floor(real x, real exp) {return floor(sign*scale(abs(x),exp));} } // Convert x to scientific notation scientific scientific(real x) { scientific s; s.sign=sgn(x); x=abs(x); if(x == 0) {s.mantissa=0; s.exponent=-intMax; return s;} real logx=log10(x); s.exponent=floor(logx); s.mantissa=s.scale(x,s.exponent); return s; } // Autoscale limits and tick divisor. struct bounds { real min; real max; // Possible tick intervals: int[] divisor; void operator init(real min, real max, int[] divisor=new int[]) { this.min=min; this.max=max; this.divisor=divisor; } } // Compute tick divisors. int[] divisors(int a, int b) { int[] dlist; int n=b-a; dlist[0]=1; if(n == 1) {dlist[1]=10; dlist[2]=100; return dlist;} if(n == 2) {dlist[1]=2; return dlist;} int sqrtn=floor(sqrt(n)); int i=0; for(int d=2; d <= sqrtn; ++d) if(n % d == 0 && (a*b >= 0 || b % (n/d) == 0)) dlist[++i]=d; for(int d=sqrtn; d >= 1; --d) if(n % d == 0 && (a*b >= 0 || b % d == 0)) dlist[++i]=quotient(n,d); return dlist; } real upscale(real b, real a) { if(b <= 5) b=5; else if (b > 10 && a >= 0 && b <= 12) b=12; else if (b > 10 && (a >= 0 || 15 % -a == 0) && b <= 15) b=15; else b=ceil(b/10)*10; return b; } // Compute autoscale limits and tick divisor. bounds autoscale(real Min, real Max, scaleT scale=Linear) { bounds m; if(scale.logarithmic) { m.min=floor(Min); m.max=ceil(Max); return m; } if(!(finite(Min) && finite(Max))) abort("autoscale requires finite limits"); Min=scale.Tinv(Min); Max=scale.Tinv(Max); m.min=Min; m.max=Max; if(Min > Max) {real temp=Min; Min=Max; Max=temp;} if(Min == Max) { if(Min == 0) {m.max=1; return m;} if(Min > 0) {Min=0; Max *= 2;} else {Min *= 2; Max=0;} } int sign; if(Min < 0 && Max <= 0) {real temp=-Min; Min=-Max; Max=temp; sign=-1;} else sign=1; scientific sa=scientific(Min); scientific sb=scientific(Max); int exp=max(sa.exponent,sb.exponent); real a=sa.floor(Min,exp); real b=sb.ceil(Max,exp); void zoom() { --exp; a=sa.floor(Min,exp); b=sb.ceil(Max,exp); } if(sb.mantissa <= 1.5) zoom(); while((b-a)*10.0^exp > 10*(Max-Min)) zoom(); real bsave=b; if(b-a > (a >= 0 ? 8 : 6)) { b=upscale(b,a); if(a >= 0) { if(a <= 5) a=0; else a=floor(a/10)*10; } else a=-upscale(-a,-1); } // Redo b in case the value of a has changed if(bsave-a > (a >= 0 ? 8 : 6)) b=upscale(bsave,a); if(sign == -1) {real temp=-a; a=-b; b=temp;} real Scale=10.0^exp; m.min=scale.T(a*Scale); m.max=scale.T(b*Scale); if(m.min > m.max) {real temp=m.min; m.min=m.max; m.max=temp;} m.divisor=divisors(round(a),round(b)); return m; } typedef string ticklabel(real); ticklabel Format(string s=defaultformat) { return new string(real x) {return format(s,x);}; } ticklabel OmitFormat(string s=defaultformat ... real[] x) { return new string(real v) { string V=format(s,v); for(real a : x) if(format(s,a) == V) return ""; return V; }; } string trailingzero="$%#$"; string signedtrailingzero="$%+#$"; ticklabel DefaultFormat=Format(); ticklabel NoZeroFormat=OmitFormat(0); // Format tick values as integral powers of base; otherwise with DefaultFormat. ticklabel DefaultLogFormat(int base) { return new string(real x) { string exponent=format("%.4f",log(x)/log(base)); return find(exponent,".") == -1 ? "$"+(string) base+"^{"+exponent+"}$" : format(x); }; } // Format all tick values as powers of base. ticklabel LogFormat(int base) { return new string(real x) { return format("$"+(string) base+"^{%g}$",log(x)/log(base)); }; } ticklabel LogFormat=LogFormat(10); ticklabel DefaultLogFormat=DefaultLogFormat(10); // The default direction specifier. pair zero(real) {return 0;} struct ticklocate { real a,b; // Tick values at point(g,0), point(g,length(g)). autoscaleT S; // Autoscaling transformation. pair dir(real t); // Absolute 2D tick direction. triple dir3(real t); // Absolute 3D tick direction. real time(real v); // Returns the time corresponding to the value v. ticklocate copy() { ticklocate T=new ticklocate; T.a=a; T.b=b; T.S=S.copy(); T.dir=dir; T.dir3=dir3; T.time=time; return T; } } autoscaleT defaultS; typedef real valuetime(real); valuetime linear(scalefcn S=identity, real Min, real Max) { real factor=Max == Min ? 0.0 : 1.0/(Max-Min); return new real(real v) {return (S(v)-Min)*factor;}; } ticklocate ticklocate(real a, real b, autoscaleT S=defaultS, real tickmin=-infinity, real tickmax=infinity, real time(real)=null, pair dir(real)=zero) { if((valuetime) time == null) time=linear(S.T(),a,b); ticklocate locate; locate.a=a; locate.b=b; locate.S=S.copy(); if(finite(tickmin)) locate.S.tickMin=tickmin; if(finite(tickmax)) locate.S.tickMax=tickmax; locate.time=time; locate.dir=dir; return locate; } private struct locateT { real t; // tick location time pair Z; // tick location in frame coordinates pair pathdir; // path direction in frame coordinates pair dir; // tick direction in frame coordinates void dir(transform T, path g, ticklocate locate, real t) { pathdir=unit(shiftless(T)*dir(g,t)); pair Dir=locate.dir(t); dir=Dir == 0 ? -I*pathdir : unit(Dir); } // Locate the desired position of a tick along a path. void calc(transform T, path g, ticklocate locate, real val) { t=locate.time(val); Z=T*point(g,t); dir(T,g,locate,t); } } pair ticklabelshift(pair align, pen p=currentpen) { return 0.25*unit(align)*labelmargin(p); } void drawtick(frame f, transform T, path g, path g2, ticklocate locate, real val, real Size, int sign, pen p, bool extend) { locateT locate1,locate2; locate1.calc(T,g,locate,val); if(extend && size(g2) > 0) { locate2.calc(T,g2,locate,val); draw(f,locate1.Z--locate2.Z,p); } else if(sign == 0) draw(f,locate1.Z-Size*locate1.dir--locate1.Z+Size*locate1.dir,p); else draw(f,locate1.Z--locate1.Z+Size*sign*locate1.dir,p); } real zerotickfuzz=10*epsilon; // Label a tick on a frame. pair labeltick(frame d, transform T, path g, ticklocate locate, real val, pair side, int sign, real Size, ticklabel ticklabel, Label F, real norm=0) { locateT locate1; locate1.calc(T,g,locate,val); pair align=side*locate1.dir; pair perp=I*locate1.pathdir; // Adjust tick label alignment pair adjust=unit(align+0.75perp*sgn(dot(align,perp))); // Project align onto adjusted direction. align=adjust*dot(align,adjust); pair shift=dot(align,-sign*locate1.dir) <= 0 ? align*Size : ticklabelshift(align,F.p); real label; if(locate.S.scale.logarithmic) label=locate.S.scale.Tinv(val); else { label=val; if(abs(label) < zerotickfuzz*norm) label=0; // Fix epsilon errors at +/-1e-4 // default format changes to scientific notation here if(abs(abs(label)-1e-4) < epsilon) label=sgn(label)*1e-4; } string s=ticklabel(label); if(s != "") label(d,F.T*baseline(s,baselinetemplate),locate1.Z+shift,align,F.p, F.filltype); return locate1.pathdir; } // Add axis label L to frame f. void labelaxis(frame f, transform T, Label L, path g, ticklocate locate=null, int sign=1, bool ticklabels=false) { Label L0=L.copy(); real t=L0.relative(g); pair z=point(g,t); pair dir=dir(g,t); pair perp=I*dir; if(locate != null) { locateT locate1; locate1.dir(T,g,locate,t); L0.align(L0.align,unit(-sgn(dot(sign*locate1.dir,perp))*perp)); } pair align=L0.align.dir; if(L0.align.relative) align *= -perp; pair alignperp=dot(align,perp)*perp; pair offset; if(ticklabels) { if(piecewisestraight(g)) { real angle=degrees(dir,warn=false); transform S=rotate(-angle,z); frame F=S*f; pair Align=rotate(-angle)*alignperp; offset=unit(alignperp-sign*locate.dir(t))* abs((Align.y >= 0 ? max(F).y : (Align.y < 0 ? min(F).y : 0))-z.y); } z += offset; } L0.align(align); L0.position(z); frame d; add(d,L0); pair width=0.5*size(d); int n=length(g); real t=L.relative(); pair s=realmult(width,dir(g,t)); if(t <= 0) { if(L.align.default) s *= -axislabelfactor; d=shift(s)*d; } else if(t >= n) { if(L.align.default) s *= -axislabelfactor; d=shift(-s)*d; } else if(offset == 0 && L.align.default) { pair s=realmult(width,I*dir(g,t)); s=axislabelfactor*s; d=shift(s)*d; } add(f,d); } // Check the tick coverage of a linear axis. bool axiscoverage(int N, transform T, path g, ticklocate locate, real Step, pair side, int sign, real Size, Label F, ticklabel ticklabel, real norm, real limit) { real coverage=0; bool loop=cyclic(g); real a=locate.S.Tinv(locate.a); real b=locate.S.Tinv(locate.b); real tickmin=finite(locate.S.tickMin) ? locate.S.Tinv(locate.S.tickMin) : a; if(Size > 0) { int count=0; if(loop) count=N+1; else { for(int i=0; i <= N; ++i) { real val=tickmin+i*Step; if(val >= a && val <= b) ++count; } } if(count > 0) limit /= count; for(int i=0; i <= N; ++i) { real val=tickmin+i*Step; if(loop || (val >= a && val <= b)) { frame d; pair dir=labeltick(d,T,g,locate,val,side,sign,Size,ticklabel,F,norm); if(abs(dot(size(d),dir)) > limit) return false; } } } return true; } // Check the tick coverage of a logarithmic axis. bool logaxiscoverage(int N, transform T, path g, ticklocate locate, pair side, int sign, real Size, Label F, ticklabel ticklabel, real limit, int first, int last) { bool loop=cyclic(g); real coverage=0; real a=locate.a; real b=locate.b; int count=0; for(int i=first-1; i <= last+1; i += N) { if(loop || i >= a && i <= b) ++count; } if(count > 0) limit /= count; for(int i=first-1; i <= last+1; i += N) { if(loop || i >= a && i <= b) { frame d; pair dir=labeltick(d,T,g,locate,i,side,sign,Size,ticklabel,F); if(abs(dot(size(d),dir)) > limit) return false; } } return true; } struct tickvalues { real[] major; real[] minor; int N; // For logarithmic axes: number of decades between tick labels. } // Determine a format that distinguishes adjacent pairs of ticks, optionally // adding trailing zeros. string autoformat(string format="", real norm ... real[] a) { bool trailingzero=(format == trailingzero); bool signedtrailingzero=(format == signedtrailingzero); if(!trailingzero && !signedtrailingzero && format != "") return format; real[] A=sort(a); real[] a=abs(A); bool signchange=(A.length > 1 && A[0] < 0 && A[A.length-1] >= 0); for(int i=0; i < A.length; ++i) if(a[i] < zerotickfuzz*norm) A[i]=a[i]=0; int n=0; bool Fixed=find(a >= 1e4-epsilon | (a > 0 & a <= 1e-4-epsilon)) < 0; string Format=defaultformat(4,fixed=Fixed); if(Fixed && n < 4) { for(int i=0; i < A.length; ++i) { real a=A[i]; while(format(defaultformat(n,fixed=Fixed),a) != format(Format,a)) ++n; } } string trailing=trailingzero ? (signchange ? "# " : "#") : signedtrailingzero ? "#+" : ""; string format=defaultformat(n,trailing,Fixed); for(int i=0; i < A.length-1; ++i) { real a=A[i]; real b=A[i+1]; // Check if an extra digit of precision should be added. string fixedformat="%#."+string(n+1)+"f"; string A=format(fixedformat,a); string B=format(fixedformat,b); if(substr(A,length(A)-1,1) != "0" || substr(B,length(B)-1,1) != "0") { a *= 0.1; b *= 0.1; } if(a != b) { while(format(format,a) == format(format,b)) format=defaultformat(++n,trailing,Fixed); } } if(n == 0) return defaultformat; return format; } // Automatic tick generation routine. tickvalues generateticks(int sign, Label F="", ticklabel ticklabel=null, int N, int n=0, real Step=0, real step=0, real Size=0, real size=0, transform T, pair side, path g, real limit, pen p, ticklocate locate, int[] divisor, bool opposite) { tickvalues tickvalues; sign=opposite ? -sign : sign; if(Size == 0) Size=Ticksize; if(size == 0) size=ticksize; F=F.copy(); F.p(p); if(F.align.dir != 0) side=F.align.dir; else if(side == 0) side=((sign == 1) ? left : right); bool ticklabels=false; path G=T*g; if(!locate.S.scale.logarithmic) { real a=locate.S.Tinv(locate.a); real b=locate.S.Tinv(locate.b); real norm=max(abs(a),abs(b)); string format=autoformat(F.s,norm,a,b); if(F.s == "%") F.s=""; if(ticklabel == null) ticklabel=Format(format); if(a > b) {real temp=a; a=b; b=temp;} if(b-a < 100.0*epsilon*norm) b=a; bool autotick=Step == 0 && N == 0; real tickmin=finite(locate.S.tickMin) && (autotick || locate.S.automin) ? locate.S.Tinv(locate.S.tickMin) : a; real tickmax=finite(locate.S.tickMax) && (autotick || locate.S.automax) ? locate.S.Tinv(locate.S.tickMax) : b; if(tickmin > tickmax) {real temp=tickmin; tickmin=tickmax; tickmax=temp;} real inStep=Step; bool calcStep=true; real len=tickmax-tickmin; if(autotick) { N=1; if(divisor.length > 0) { bool autoscale=locate.S.automin && locate.S.automax; real h=0.5*(b-a); if(h > 0) { for(int d=divisor.length-1; d >= 0; --d) { int N0=divisor[d]; Step=len/N0; int N1=N0; int m=2; while(Step > h) { N0=m*N1; Step=len/N0; m *= 2; } if(axiscoverage(N0,T,g,locate,Step,side,sign,Size,F,ticklabel,norm, limit)) { N=N0; if(N0 == 1 && !autoscale && d < divisor.length-1) { // Try using 2 ticks (otherwise 1); int div=divisor[d+1]; Step=quotient(div,2)*len/div; calcStep=false; if(axiscoverage(2,T,g,locate,Step,side,sign,Size,F,ticklabel, norm,limit)) N=2; else Step=len; } // Found a good divisor; now compute subtick divisor if(n == 0) { if(step != 0) n=ceil(Step/step); else { n=quotient(divisor[divisor.length-1],N); if(N == 1) n=(a*b >= 0) ? 2 : 1; if(n == 1) n=2; } } break; } } } } } if(inStep != 0 && !locate.S.automin) { tickmin=floor(tickmin/Step)*Step; len=tickmax-tickmin; } if(calcStep) { if(N == 1) N=2; if(N == 0) N=(int) (len/Step); else Step=len/N; } if(n == 0) { if(step != 0) n=ceil(Step/step); } else step=Step/n; b += epsilon*norm; if(Size > 0) { for(int i=0; i <= N; ++i) { real val=tickmin+i*Step; if(val >= a && val <= b) tickvalues.major.push(val); if(size > 0 && step > 0) { real iStep=i*Step; real jstop=(len-iStep)/step; for(int j=1; j < n && j <= jstop; ++j) { real val=tickmin+iStep+j*step; if(val >= a && val <= b) tickvalues.minor.push(val); } } } } } else { // Logarithmic string format=F.s; if(F.s == "%") F.s=""; int base=round(locate.S.scale.Tinv(1)); if(ticklabel == null) ticklabel=format == "%" ? Format("") : DefaultLogFormat(base); real a=locate.S.postscale.Tinv(locate.a); real b=locate.S.postscale.Tinv(locate.b); if(a > b) {real temp=a; a=b; b=temp;} int first=floor(a-epsilon); int last=ceil(b+epsilon); if(N == 0) { N=1; while(N <= last-first) { if(logaxiscoverage(N,T,g,locate,side,sign,Size,F,ticklabel,limit, first,last)) break; ++N; } } if(N <= 2 && n == 0) n=base; tickvalues.N=N; if(N > 0) { for(int i=first-1; i <= last+1; ++i) { if(i >= a && i <= b) tickvalues.major.push(locate.S.scale.Tinv(i)); if(n > 0) { for(int j=2; j < n; ++j) { real val=(i+1+locate.S.scale.T(j/n)); if(val >= a && val <= b) tickvalues.minor.push(locate.S.scale.Tinv(val)); } } } } } return tickvalues; } // Signature of routines that draw labelled paths with ticks and tick labels. typedef void ticks(frame, transform, Label, pair, path, path, pen, arrowbar, margin, ticklocate, int[], bool opposite=false); // Tick construction routine for a user-specified array of tick values. ticks Ticks(int sign, Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks=new real[], real[] ticks=new real[], int N=1, bool begin=true, bool end=true, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return new void(frame f, transform t, Label L, pair side, path g, path g2, pen p, arrowbar arrow, margin margin, ticklocate locate, int[] divisor, bool opposite) { // Use local copy of context variables: int sign=opposite ? -sign : sign; pen pTick=pTick; pen ptick=ptick; ticklabel ticklabel=ticklabel; real Size=Size; real size=size; if(Size == 0) Size=Ticksize; if(size == 0) size=ticksize; Label L=L.copy(); Label F=F.copy(); L.p(p); F.p(p); if(pTick == nullpen) pTick=p; if(ptick == nullpen) ptick=pTick; if(F.align.dir != 0) side=F.align.dir; else if(side == 0) side=F.T*((sign == 1) ? left : right); bool ticklabels=false; path G=t*g; path G2=t*g2; scalefcn T; real a,b; if(locate.S.scale.logarithmic) { a=locate.S.postscale.Tinv(locate.a); b=locate.S.postscale.Tinv(locate.b); T=locate.S.scale.T; } else { a=locate.S.Tinv(locate.a); b=locate.S.Tinv(locate.b); T=identity; } if(a > b) {real temp=a; a=b; b=temp;} real norm=max(abs(a),abs(b)); string format=autoformat(F.s,norm...Ticks); if(F.s == "%") F.s=""; if(ticklabel == null) { if(locate.S.scale.logarithmic) { int base=round(locate.S.scale.Tinv(1)); ticklabel=format == "%" ? Format("") : DefaultLogFormat(base); } else ticklabel=Format(format); } begingroup(f); if(opposite) draw(f,G,p); else draw(f,margin(G,p).g,p,arrow); for(int i=(begin ? 0 : 1); i < (end ? Ticks.length : Ticks.length-1); ++i) { real val=T(Ticks[i]); if(val >= a && val <= b) drawtick(f,t,g,g2,locate,val,Size,sign,pTick,extend); } for(int i=0; i < ticks.length; ++i) { real val=T(ticks[i]); if(val >= a && val <= b) drawtick(f,t,g,g2,locate,val,size,sign,ptick,extend); } endgroup(f); if(N == 0) N=1; if(Size > 0 && !opposite) { for(int i=(beginlabel ? 0 : 1); i < (endlabel ? Ticks.length : Ticks.length-1); i += N) { real val=T(Ticks[i]); if(val >= a && val <= b) { ticklabels=true; labeltick(f,t,g,locate,val,side,sign,Size,ticklabel,F,norm); } } } if(L.s != "" && !opposite) labelaxis(f,t,L,G,locate,sign,ticklabels); }; } // Optional routine to allow modification of auto-generated tick values. typedef tickvalues tickmodifier(tickvalues); tickvalues None(tickvalues v) {return v;} // Tickmodifier that removes all ticks in the intervals [a[i],b[i]]. tickmodifier OmitTickIntervals(real[] a, real[] b) { return new tickvalues(tickvalues v) { if(a.length != b.length) abort(differentlengths); void omit(real[] A) { if(A.length != 0) { real norm=max(abs(A)); for(int i=0; i < a.length; ++i) { int j; while((j=find(A > a[i]-zerotickfuzz*norm & A < b[i]+zerotickfuzz*norm)) >= 0) { A.delete(j); } } } } omit(v.major); omit(v.minor); return v; }; } // Tickmodifier that removes all ticks in the interval [a,b]. tickmodifier OmitTickInterval(real a, real b) { return OmitTickIntervals(new real[] {a}, new real[] {b}); } // Tickmodifier that removes the specified ticks. tickmodifier OmitTick(... real[] x) { return OmitTickIntervals(x,x); } tickmodifier NoZero=OmitTick(0); tickmodifier Break(real, real)=OmitTickInterval; // Automatic tick construction routine. ticks Ticks(int sign, Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return new void(frame f, transform T, Label L, pair side, path g, path g2, pen p, arrowbar arrow, margin margin, ticklocate locate, int[] divisor, bool opposite) { real limit=Step == 0 ? axiscoverage*arclength(T*g) : 0; tickvalues values=modify(generateticks(sign,F,ticklabel,N,n,Step,step, Size,size,T,side,g, limit,p,locate,divisor,opposite)); Ticks(sign,F,ticklabel,beginlabel,endlabel,values.major,values.minor, values.N,begin,end,Size,size,extend,pTick,ptick) (f,T,L,side,g,g2,p,arrow,margin,locate,divisor,opposite); }; } ticks NoTicks() { return new void(frame f, transform T, Label L, pair, path g, path, pen p, arrowbar arrow, margin margin, ticklocate, int[], bool opposite) { path G=T*g; if(opposite) draw(f,G,p); else { draw(f,margin(G,p).g,p,arrow); if(L.s != "") { Label L=L.copy(); L.p(p); labelaxis(f,T,L,G); } } }; } ticks LeftTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks(-1,format,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,modify,Size,size,extend,pTick,ptick); } ticks RightTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks(1,format,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,modify,Size,size,extend,pTick,ptick); } ticks Ticks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks(0,format,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,modify,Size,size,extend,pTick,ptick); } ticks LeftTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks(-1,format,ticklabel,beginlabel,endlabel, Ticks,ticks,Size,size,extend,pTick,ptick); } ticks RightTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks(1,format,ticklabel,beginlabel,endlabel, Ticks,ticks,Size,size,extend,pTick,ptick); } ticks Ticks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks(0,format,ticklabel,beginlabel,endlabel, Ticks,ticks,Size,size,extend,pTick,ptick); } ticks NoTicks=NoTicks(), LeftTicks=LeftTicks(), RightTicks=RightTicks(), Ticks=Ticks(); pair tickMin(picture pic) { return minbound(pic.userMin(),(pic.scale.x.tickMin,pic.scale.y.tickMin)); } pair tickMax(picture pic) { return maxbound(pic.userMax(),(pic.scale.x.tickMax,pic.scale.y.tickMax)); } int Min=-1; int Value=0; int Max=1; int Both=2; // Structure used to communicate axis and autoscale settings to tick routines. struct axisT { int type; // -1 = min, 0 = given value, 1 = max, 2 = min/max int type2; // for 3D axis real value; real value2; pair side; // 2D tick label direction relative to path (left or right) real position; // label position along axis align align; // default axis label alignment and 3D tick label direction int[] xdivisor; int[] ydivisor; int[] zdivisor; bool extend; // extend axis to graph boundary? }; axisT axis; typedef void axis(picture, axisT); axis Bottom(bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Min; axis.position=0.5; axis.side=right; axis.align=S; axis.extend=extend; }; } axis Top(bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Max; axis.position=0.5; axis.side=left; axis.align=N; axis.extend=extend; }; } axis BottomTop(bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Both; axis.position=0.5; axis.side=right; axis.align=S; axis.extend=extend; }; } axis Left(bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Min; axis.position=0.5; axis.side=left; axis.align=W; axis.extend=extend; }; } axis Right(bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Max; axis.position=0.5; axis.side=right; axis.align=E; axis.extend=extend; }; } axis LeftRight(bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Both; axis.position=0.5; axis.side=left; axis.align=W; axis.extend=extend; }; } axis XEquals(real x, bool extend=true) { return new void(picture pic, axisT axis) { axis.type=Value; axis.value=pic.scale.x.T(x); axis.position=1; axis.side=left; axis.align=W; axis.extend=extend; }; } axis YEquals(real y, bool extend=true) { return new void(picture pic, axisT axis) { axis.type=Value; axis.value=pic.scale.y.T(y); axis.position=1; axis.side=right; axis.align=S; axis.extend=extend; }; } axis XZero(bool extend=true) { return new void(picture pic, axisT axis) { axis.type=Value; axis.value=pic.scale.x.T(pic.scale.x.scale.logarithmic ? 1 : 0); axis.position=1; axis.side=left; axis.align=W; axis.extend=extend; }; } axis YZero(bool extend=true) { return new void(picture pic, axisT axis) { axis.type=Value; axis.value=pic.scale.y.T(pic.scale.y.scale.logarithmic ? 1 : 0); axis.position=1; axis.side=right; axis.align=S; axis.extend=extend; }; } axis Bottom=Bottom(), Top=Top(), BottomTop=BottomTop(), Left=Left(), Right=Right(), LeftRight=LeftRight(), XZero=XZero(), YZero=YZero(); // Draw a general axis. void axis(picture pic=currentpicture, Label L="", path g, path g2=nullpath, pen p=currentpen, ticks ticks, ticklocate locate, arrowbar arrow=None, margin margin=NoMargin, int[] divisor=new int[], bool above=false, bool opposite=false) { Label L=L.copy(); real t=reltime(g,0.5); if(L.defaultposition) L.position(t); divisor=copy(divisor); locate=locate.copy(); pic.add(new void (frame f, transform t, transform T, pair lb, pair rt) { frame d; ticks(d,t,L,0,g,g2,p,arrow,margin,locate,divisor,opposite); (above ? add : prepend)(f,t*T*inverse(t)*d); }); pic.addPath(g,p); if(L.s != "") { frame f; Label L0=L.copy(); L0.position(0); add(f,L0); pair pos=point(g,L.relative()*length(g)); pic.addBox(pos,pos,min(f),max(f)); } } real xtrans(transform t, real x) { return (t*(x,0)).x; } real ytrans(transform t, real y) { return (t*(0,y)).y; } // An internal routine to draw an x axis at a particular y value. void xaxisAt(picture pic=currentpicture, Label L="", axis axis, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, margin margin=NoMargin, bool above=true, bool opposite=false) { real y=axis.value; real y2; Label L=L.copy(); int[] divisor=copy(axis.xdivisor); pair side=axis.side; int type=axis.type; pic.add(new void (frame f, transform t, transform T, pair lb, pair rt) { transform tinv=inverse(t); pair a=xmin == -infinity ? tinv*(lb.x-min(p).x,ytrans(t,y)) : (xmin,y); pair b=xmax == infinity ? tinv*(rt.x-max(p).x,ytrans(t,y)) : (xmax,y); pair a2=xmin == -infinity ? tinv*(lb.x-min(p).x,ytrans(t,y2)) : (xmin,y2); pair b2=xmax == infinity ? tinv*(rt.x-max(p).x,ytrans(t,y2)) : (xmax,y2); if(xmin == -infinity || xmax == infinity) { bounds mx=autoscale(a.x,b.x,pic.scale.x.scale); pic.scale.x.tickMin=mx.min; pic.scale.x.tickMax=mx.max; divisor=mx.divisor; } real fuzz=epsilon*max(abs(a.x),abs(b.x)); a -= (fuzz,0); b += (fuzz,0); frame d; ticks(d,t,L,side,a--b,finite(y2) ? a2--b2 : nullpath,p,arrow,margin, ticklocate(a.x,b.x,pic.scale.x),divisor,opposite); (above ? add : prepend)(f,t*T*tinv*d); }); void bounds() { if(type == Both) { y2=pic.scale.y.automax() ? tickMax(pic).y : pic.userMax().y; y=opposite ? y2 : (pic.scale.y.automin() ? tickMin(pic).y : pic.userMin().y); } else if(type == Min) y=pic.scale.y.automin() ? tickMin(pic).y : pic.userMin().y; else if(type == Max) y=pic.scale.y.automax() ? tickMax(pic).y : pic.userMax().y; real Xmin=finite(xmin) ? xmin : pic.userMin().x; real Xmax=finite(xmax) ? xmax : pic.userMax().x; pair a=(Xmin,y); pair b=(Xmax,y); pair a2=(Xmin,y2); pair b2=(Xmax,y2); if(finite(a)) { pic.addPoint(a,min(p)); pic.addPoint(a,max(p)); } if(finite(b)) { pic.addPoint(b,min(p)); pic.addPoint(b,max(p)); } if(finite(a) && finite(b)) { frame d; ticks(d,pic.scaling(warn=false),L,side, (a.x,0)--(b.x,0),(a2.x,0)--(b2.x,0),p,arrow,margin, ticklocate(a.x,b.x,pic.scale.x),divisor,opposite); frame f; if(L.s != "") { Label L0=L.copy(); L0.position(0); add(f,L0); } pair pos=a+L.relative()*(b-a); pic.addBox(pos,pos,(min(f).x,min(d).y),(max(f).x,max(d).y)); } } // Process any queued y axis bound calculation requests. for(int i=0; i < pic.scale.y.bound.length; ++i) pic.scale.y.bound[i](); pic.scale.y.bound.delete(); bounds(); // Request another x bounds calculation before final picture scaling. pic.scale.x.bound.push(bounds); } // An internal routine to draw a y axis at a particular x value. void yaxisAt(picture pic=currentpicture, Label L="", axis axis, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, margin margin=NoMargin, bool above=true, bool opposite=false) { real x=axis.value; real x2; Label L=L.copy(); int[] divisor=copy(axis.ydivisor); pair side=axis.side; int type=axis.type; pic.add(new void (frame f, transform t, transform T, pair lb, pair rt) { transform tinv=inverse(t); pair a=ymin == -infinity ? tinv*(xtrans(t,x),lb.y-min(p).y) : (x,ymin); pair b=ymax == infinity ? tinv*(xtrans(t,x),rt.y-max(p).y) : (x,ymax); pair a2=ymin == -infinity ? tinv*(xtrans(t,x2),lb.y-min(p).y) : (x2,ymin); pair b2=ymax == infinity ? tinv*(xtrans(t,x2),rt.y-max(p).y) : (x2,ymax); if(ymin == -infinity || ymax == infinity) { bounds my=autoscale(a.y,b.y,pic.scale.y.scale); pic.scale.y.tickMin=my.min; pic.scale.y.tickMax=my.max; divisor=my.divisor; } real fuzz=epsilon*max(abs(a.y),abs(b.y)); a -= (0,fuzz); b += (0,fuzz); frame d; ticks(d,t,L,side,a--b,finite(x2) ? a2--b2 : nullpath,p,arrow,margin, ticklocate(a.y,b.y,pic.scale.y),divisor,opposite); (above ? add : prepend)(f,t*T*tinv*d); }); void bounds() { if(type == Both) { x2=pic.scale.x.automax() ? tickMax(pic).x : pic.userMax().x; x=opposite ? x2 : (pic.scale.x.automin() ? tickMin(pic).x : pic.userMin().x); } else if(type == Min) x=pic.scale.x.automin() ? tickMin(pic).x : pic.userMin().x; else if(type == Max) x=pic.scale.x.automax() ? tickMax(pic).x : pic.userMax().x; real Ymin=finite(ymin) ? ymin : pic.userMin().y; real Ymax=finite(ymax) ? ymax : pic.userMax().y; pair a=(x,Ymin); pair b=(x,Ymax); pair a2=(x2,Ymin); pair b2=(x2,Ymax); if(finite(a)) { pic.addPoint(a,min(p)); pic.addPoint(a,max(p)); } if(finite(b)) { pic.addPoint(b,min(p)); pic.addPoint(b,max(p)); } if(finite(a) && finite(b)) { frame d; ticks(d,pic.scaling(warn=false),L,side, (0,a.y)--(0,b.y),(0,a2.y)--(0,b2.y),p,arrow,margin, ticklocate(a.y,b.y,pic.scale.y),divisor,opposite); frame f; if(L.s != "") { Label L0=L.copy(); L0.position(0); add(f,L0); } pair pos=a+L.relative()*(b-a); pic.addBox(pos,pos,(min(d).x,min(f).y),(max(d).x,max(f).y)); } } // Process any queued x axis bound calculation requests. for(int i=0; i < pic.scale.x.bound.length; ++i) pic.scale.x.bound[i](); pic.scale.x.bound.delete(); bounds(); // Request another y bounds calculation before final picture scaling. pic.scale.y.bound.push(bounds); } // Set the x limits of a picture. void xlimits(picture pic=currentpicture, real min=-infinity, real max=infinity, bool crop=NoCrop) { if(min > max) return; pic.scale.x.automin=min <= -infinity; pic.scale.x.automax=max >= infinity; bounds mx; if(pic.scale.x.automin() || pic.scale.x.automax()) mx=autoscale(pic.userMin().x,pic.userMax().x,pic.scale.x.scale); if(pic.scale.x.automin) { if(pic.scale.x.automin()) pic.userMinx(mx.min); } else pic.userMinx(min(pic.scale.x.T(min),pic.scale.x.T(max))); if(pic.scale.x.automax) { if(pic.scale.x.automax()) pic.userMaxx(mx.max); } else pic.userMaxx(max(pic.scale.x.T(min),pic.scale.x.T(max))); if(crop) { pair userMin=pic.userMin(); pair userMax=pic.userMax(); pic.bounds.xclip(userMin.x,userMax.x); pic.clip(userMin, userMax, new void (frame f, transform t, transform T, pair, pair) { frame Tinvf=T == identity() ? f : t*inverse(T)*inverse(t)*f; clip(f,T*box(((t*userMin).x,(min(Tinvf)).y), ((t*userMax).x,(max(Tinvf)).y))); }); } } // Set the y limits of a picture. void ylimits(picture pic=currentpicture, real min=-infinity, real max=infinity, bool crop=NoCrop) { if(min > max) return; pic.scale.y.automin=min <= -infinity; pic.scale.y.automax=max >= infinity; bounds my; if(pic.scale.y.automin() || pic.scale.y.automax()) my=autoscale(pic.userMin().y,pic.userMax().y,pic.scale.y.scale); if(pic.scale.y.automin) { if(pic.scale.y.automin()) pic.userMiny(my.min); } else pic.userMiny(min(pic.scale.y.T(min),pic.scale.y.T(max))); if(pic.scale.y.automax) { if(pic.scale.y.automax()) pic.userMaxy(my.max); } else pic.userMaxy(max(pic.scale.y.T(min),pic.scale.y.T(max))); if(crop) { pair userMin=pic.userMin(); pair userMax=pic.userMax(); pic.bounds.yclip(userMin.y,userMax.y); pic.clip(userMin, userMax, new void (frame f, transform t, transform T, pair, pair) { frame Tinvf=T == identity() ? f : t*inverse(T)*inverse(t)*f; clip(f,T*box(((min(Tinvf)).x,(t*userMin).y), ((max(Tinvf)).x,(t*userMax).y))); }); } } // Crop a picture to the current user-space picture limits. void crop(picture pic=currentpicture) { xlimits(pic,false); ylimits(pic,false); if(pic.userSetx() && pic.userSety()) clip(pic,box(pic.userMin(),pic.userMax())); } // Restrict the x and y limits to box(min,max). void limits(picture pic=currentpicture, pair min, pair max, bool crop=NoCrop) { xlimits(pic,min.x,max.x); ylimits(pic,min.y,max.y); if(crop && pic.userSetx() && pic.userSety()) clip(pic,box(pic.userMin(),pic.userMax())); } // Internal routine to autoscale the user limits of a picture. void autoscale(picture pic=currentpicture, axis axis) { if(!pic.scale.set) { bounds mx,my; pic.scale.set=true; if(pic.userSetx()) { mx=autoscale(pic.userMin().x,pic.userMax().x,pic.scale.x.scale); if(pic.scale.x.scale.logarithmic && floor(pic.userMin().x) == floor(pic.userMax().x)) { if(pic.scale.x.automin()) pic.userMinx2(floor(pic.userMin().x)); if(pic.scale.x.automax()) pic.userMaxx2(ceil(pic.userMax().x)); } } else {mx.min=mx.max=0; pic.scale.set=false;} if(pic.userSety()) { my=autoscale(pic.userMin().y,pic.userMax().y,pic.scale.y.scale); if(pic.scale.y.scale.logarithmic && floor(pic.userMin().y) == floor(pic.userMax().y)) { if(pic.scale.y.automin()) pic.userMiny2(floor(pic.userMin().y)); if(pic.scale.y.automax()) pic.userMaxy2(ceil(pic.userMax().y)); } } else {my.min=my.max=0; pic.scale.set=false;} pic.scale.x.tickMin=mx.min; pic.scale.x.tickMax=mx.max; pic.scale.y.tickMin=my.min; pic.scale.y.tickMax=my.max; axis.xdivisor=mx.divisor; axis.ydivisor=my.divisor; } } // Draw an x axis. void xaxis(picture pic=currentpicture, Label L="", axis axis=YZero, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, margin margin=NoMargin, bool above=false) { if(xmin > xmax) return; if(pic.scale.x.automin && xmin > -infinity) pic.scale.x.automin=false; if(pic.scale.x.automax && xmax < infinity) pic.scale.x.automax=false; if(!pic.scale.set) { axis(pic,axis); autoscale(pic,axis); } Label L=L.copy(); bool newticks=false; if(xmin != -infinity) { xmin=pic.scale.x.T(xmin); newticks=true; } if(xmax != infinity) { xmax=pic.scale.x.T(xmax); newticks=true; } if(newticks && pic.userSetx() && ticks != NoTicks) { if(xmin == -infinity) xmin=pic.userMin().x; if(xmax == infinity) xmax=pic.userMax().x; bounds mx=autoscale(xmin,xmax,pic.scale.x.scale); pic.scale.x.tickMin=mx.min; pic.scale.x.tickMax=mx.max; axis.xdivisor=mx.divisor; } axis(pic,axis); if(xmin == -infinity && !axis.extend) { if(pic.scale.set) xmin=pic.scale.x.automin() ? pic.scale.x.tickMin : max(pic.scale.x.tickMin,pic.userMin().x); else xmin=pic.userMin().x; } if(xmax == infinity && !axis.extend) { if(pic.scale.set) xmax=pic.scale.x.automax() ? pic.scale.x.tickMax : min(pic.scale.x.tickMax,pic.userMax().x); else xmax=pic.userMax().x; } if(L.defaultposition) L.position(axis.position); L.align(L.align,axis.align); xaxisAt(pic,L,axis,xmin,xmax,p,ticks,arrow,margin,above); if(axis.type == Both) xaxisAt(pic,L,axis,xmin,xmax,p,ticks,arrow,margin,above,true); } // Draw a y axis. void yaxis(picture pic=currentpicture, Label L="", axis axis=XZero, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, margin margin=NoMargin, bool above=false, bool autorotate=true) { if(ymin > ymax) return; if(pic.scale.y.automin && ymin > -infinity) pic.scale.y.automin=false; if(pic.scale.y.automax && ymax < infinity) pic.scale.y.automax=false; if(!pic.scale.set) { axis(pic,axis); autoscale(pic,axis); } Label L=L.copy(); bool newticks=false; if(ymin != -infinity) { ymin=pic.scale.y.T(ymin); newticks=true; } if(ymax != infinity) { ymax=pic.scale.y.T(ymax); newticks=true; } if(newticks && pic.userSety() && ticks != NoTicks) { if(ymin == -infinity) ymin=pic.userMin().y; if(ymax == infinity) ymax=pic.userMax().y; bounds my=autoscale(ymin,ymax,pic.scale.y.scale); pic.scale.y.tickMin=my.min; pic.scale.y.tickMax=my.max; axis.ydivisor=my.divisor; } axis(pic,axis); if(ymin == -infinity && !axis.extend) { if(pic.scale.set) ymin=pic.scale.y.automin() ? pic.scale.y.tickMin : max(pic.scale.y.tickMin,pic.userMin().y); else ymin=pic.userMin().y; } if(ymax == infinity && !axis.extend) { if(pic.scale.set) ymax=pic.scale.y.automax() ? pic.scale.y.tickMax : min(pic.scale.y.tickMax,pic.userMax().y); else ymax=pic.userMax().y; } if(L.defaultposition) L.position(axis.position); L.align(L.align,axis.align); if(autorotate && L.defaulttransform) { frame f; add(f,Label(L.s,(0,0),L.p)); if(length(max(f)-min(f)) > ylabelwidth*fontsize(L.p)) L.transform(rotate(90)); } yaxisAt(pic,L,axis,ymin,ymax,p,ticks,arrow,margin,above); if(axis.type == Both) yaxisAt(pic,L,axis,ymin,ymax,p,ticks,arrow,margin,above,true); } // Draw x and y axes. void axes(picture pic=currentpicture, Label xlabel="", Label ylabel="", bool extend=true, pair min=(-infinity,-infinity), pair max=(infinity,infinity), pen p=currentpen, arrowbar arrow=None, margin margin=NoMargin, bool above=false) { xaxis(pic,xlabel,YZero(extend),min.x,max.x,p,arrow,margin,above); yaxis(pic,ylabel,XZero(extend),min.y,max.y,p,arrow,margin,above); } // Draw a yaxis at x. void xequals(picture pic=currentpicture, Label L="", real x, bool extend=false, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, margin margin=NoMargin, bool above=true) { yaxis(pic,L,XEquals(x,extend),ymin,ymax,p,ticks,arrow,margin,above); } // Draw an xaxis at y. void yequals(picture pic=currentpicture, Label L="", real y, bool extend=false, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks ticks=NoTicks, arrowbar arrow=None, margin margin=NoMargin, bool above=true) { xaxis(pic,L,YEquals(y,extend),xmin,xmax,p,ticks,arrow,margin,above); } pair Scale(picture pic=currentpicture, pair z) { return (pic.scale.x.T(z.x),pic.scale.y.T(z.y)); } real ScaleX(picture pic=currentpicture, real x) { return pic.scale.x.T(x); } real ScaleY(picture pic=currentpicture, real y) { return pic.scale.y.T(y); } // Draw a tick of length size at pair z in direction dir using pen p. void tick(picture pic=currentpicture, pair z, pair dir, real size=Ticksize, pen p=currentpen) { pair z=Scale(pic,z); pic.add(new void (frame f, transform t) { pair tz=t*z; draw(f,tz--tz+unit(dir)*size,p); }); pic.addPoint(z,p); pic.addPoint(z,unit(dir)*size,p); } void xtick(picture pic=currentpicture, explicit pair z, pair dir=N, real size=Ticksize, pen p=currentpen) { tick(pic,z,dir,size,p); } void xtick(picture pic=currentpicture, real x, pair dir=N, real size=Ticksize, pen p=currentpen) { tick(pic,(x,pic.scale.y.scale.logarithmic ? 1 : 0),dir,size,p); } void ytick(picture pic=currentpicture, explicit pair z, pair dir=E, real size=Ticksize, pen p=currentpen) { tick(pic,z,dir,size,p); } void ytick(picture pic=currentpicture, real y, pair dir=E, real size=Ticksize, pen p=currentpen) { tick(pic,(pic.scale.x.scale.logarithmic ? 1 : 0,y),dir,size,p); } void tick(picture pic=currentpicture, Label L, real value, explicit pair z, pair dir, string format="", real size=Ticksize, pen p=currentpen) { Label L=L.copy(); L.position(Scale(pic,z)); L.align(L.align,-dir); if(shift(L.T)*0 == 0) L.T=shift(dot(dir,L.align.dir) > 0 ? dir*size : ticklabelshift(L.align.dir,p))*L.T; L.p(p); if(L.s == "") L.s=format(format == "" ? defaultformat : format,value); L.s=baseline(L.s,baselinetemplate); add(pic,L); tick(pic,z,dir,size,p); } void xtick(picture pic=currentpicture, Label L, explicit pair z, pair dir=N, string format="", real size=Ticksize, pen p=currentpen) { tick(pic,L,z.x,z,dir,format,size,p); } void xtick(picture pic=currentpicture, Label L, real x, pair dir=N, string format="", real size=Ticksize, pen p=currentpen) { xtick(pic,L,(x,pic.scale.y.scale.logarithmic ? 1 : 0),dir,size,p); } void ytick(picture pic=currentpicture, Label L, explicit pair z, pair dir=E, string format="", real size=Ticksize, pen p=currentpen) { tick(pic,L,z.y,z,dir,format,size,p); } void ytick(picture pic=currentpicture, Label L, real y, pair dir=E, string format="", real size=Ticksize, pen p=currentpen) { xtick(pic,L,(pic.scale.x.scale.logarithmic ? 1 : 0,y),dir,format,size,p); } private void label(picture pic, Label L, pair z, real x, align align, string format, pen p) { Label L=L.copy(); L.position(z); L.align(align); L.p(p); if(shift(L.T)*0 == 0) L.T=shift(ticklabelshift(L.align.dir,L.p))*L.T; if(L.s == "") L.s=format(format == "" ? defaultformat : format,x); L.s=baseline(L.s,baselinetemplate); add(pic,L); } // Put a label on the x axis. void labelx(picture pic=currentpicture, Label L="", explicit pair z, align align=S, string format="", pen p=currentpen) { label(pic,L,Scale(pic,z),z.x,align,format,p); } void labelx(picture pic=currentpicture, Label L="", real x, align align=S, string format="", pen p=currentpen) { labelx(pic,L,(x,pic.scale.y.scale.logarithmic ? 1 : 0),align,format,p); } void labelx(picture pic=currentpicture, Label L, string format="", explicit pen p=currentpen) { labelx(pic,L,L.position.position,format,p); } // Put a label on the y axis. void labely(picture pic=currentpicture, Label L="", explicit pair z, align align=W, string format="", pen p=currentpen) { label(pic,L,Scale(pic,z),z.y,align,format,p); } void labely(picture pic=currentpicture, Label L="", real y, align align=W, string format="", pen p=currentpen) { labely(pic,L,(pic.scale.x.scale.logarithmic ? 1 : 0,y),align,format,p); } void labely(picture pic=currentpicture, Label L, string format="", explicit pen p=currentpen) { labely(pic,L,L.position.position,format,p); } private string noprimary="Primary axis must be drawn before secondary axis"; // Construct a secondary X axis picture secondaryX(picture primary=currentpicture, void f(picture)) { if(!primary.scale.set) abort(noprimary); picture pic; size(pic,primary); if(primary.userMax().x == primary.userMin().x) return pic; f(pic); if(!pic.userSetx()) return pic; bounds a=autoscale(pic.userMin().x,pic.userMax().x,pic.scale.x.scale); real bmin=pic.scale.x.automin() ? a.min : pic.userMin().x; real bmax=pic.scale.x.automax() ? a.max : pic.userMax().x; real denom=bmax-bmin; if(denom != 0) { pic.erase(); real m=(primary.userMax().x-primary.userMin().x)/denom; pic.scale.x.postscale=Linear(m,bmin-primary.userMin().x/m); pic.scale.set=true; pic.scale.x.tickMin=pic.scale.x.postscale.T(a.min); pic.scale.x.tickMax=pic.scale.x.postscale.T(a.max); pic.scale.y.tickMin=primary.userMin().y; pic.scale.y.tickMax=primary.userMax().y; axis.xdivisor=a.divisor; f(pic); } pic.userCopy(primary); return pic; } // Construct a secondary Y axis picture secondaryY(picture primary=currentpicture, void f(picture)) { if(!primary.scale.set) abort(noprimary); picture pic; size(pic,primary); if(primary.userMax().y == primary.userMin().y) return pic; f(pic); if(!pic.userSety()) return pic; bounds a=autoscale(pic.userMin().y,pic.userMax().y,pic.scale.y.scale); real bmin=pic.scale.y.automin() ? a.min : pic.userMin().y; real bmax=pic.scale.y.automax() ? a.max : pic.userMax().y; real denom=bmax-bmin; if(denom != 0) { pic.erase(); real m=(primary.userMax().y-primary.userMin().y)/denom; pic.scale.y.postscale=Linear(m,bmin-primary.userMin().y/m); pic.scale.set=true; pic.scale.x.tickMin=primary.userMin().x; pic.scale.x.tickMax=primary.userMax().x; pic.scale.y.tickMin=pic.scale.y.postscale.T(a.min); pic.scale.y.tickMax=pic.scale.y.postscale.T(a.max); axis.ydivisor=a.divisor; f(pic); } pic.userCopy(primary); return pic; } typedef guide graph(pair f(real), real, real, int); typedef guide[] multigraph(pair f(real), real, real, int); graph graph(interpolate join) { return new guide(pair f(real), real a, real b, int n) { real width=b-a; return n == 0 ? join(f(a)) : join(...sequence(new guide(int i) {return f(a+(i/n)*width);},n+1)); }; } multigraph graph(interpolate join, bool3 cond(real)) { return new guide[](pair f(real), real a, real b, int n) { real width=b-a; if(n == 0) return new guide[] {join(cond(a) ? f(a) : nullpath)}; guide[] G; guide[] g; for(int i=0; i < n+1; ++i) { real t=a+(i/n)*width; bool3 b=cond(t); if(b) g.push(f(t)); else { if(g.length > 0) { G.push(join(...g)); g=new guide[] {}; } if(b == default) g.push(f(t)); } } if(g.length > 0) G.push(join(...g)); return G; }; } guide Straight(... guide[])=operator --; guide Spline(... guide[])=operator ..; interpolate Hermite(splinetype splinetype) { return new guide(... guide[] a) { int n=a.length; if(n == 0) return nullpath; real[] x,y; guide G; for(int i=0; i < n; ++i) { guide g=a[i]; int m=size(g); if(m == 0) continue; pair z=point(g,0); x.push(z.x); y.push(z.y); if(m > 1) { G=G..hermite(x,y,splinetype) & g; pair z=point(g,m); x=new real[] {z.x}; y=new real[] {z.y}; } } return G & hermite(x,y,splinetype); }; } interpolate Hermite=Hermite(Spline); guide graph(picture pic=currentpicture, real f(real), real a, real b, int n=ngraph, real T(real)=identity, interpolate join=operator --) { if(T == identity) return graph(join)(new pair(real x) { return (x,pic.scale.y.T(f(pic.scale.x.Tinv(x))));}, pic.scale.x.T(a),pic.scale.x.T(b),n); else return graph(join)(new pair(real x) { return Scale(pic,(T(x),f(T(x))));}, a,b,n); } guide[] graph(picture pic=currentpicture, real f(real), real a, real b, int n=ngraph, real T(real)=identity, bool3 cond(real), interpolate join=operator --) { if(T == identity) return graph(join,cond)(new pair(real x) { return (x,pic.scale.y.T(f(pic.scale.x.Tinv(x))));}, pic.scale.x.T(a),pic.scale.x.T(b),n); else return graph(join,cond)(new pair(real x) { return Scale(pic,(T(x),f(T(x))));}, a,b,n); } guide graph(picture pic=currentpicture, real x(real), real y(real), real a, real b, int n=ngraph, real T(real)=identity, interpolate join=operator --) { if(T == identity) return graph(join)(new pair(real t) {return Scale(pic,(x(t),y(t)));},a,b,n); else return graph(join)(new pair(real t) { return Scale(pic,(x(T(t)),y(T(t)))); },a,b,n); } guide[] graph(picture pic=currentpicture, real x(real), real y(real), real a, real b, int n=ngraph, real T(real)=identity, bool3 cond(real), interpolate join=operator --) { if(T == identity) return graph(join,cond)(new pair(real t) {return Scale(pic,(x(t),y(t)));}, a,b,n); else return graph(join,cond)(new pair(real t) { return Scale(pic,(x(T(t)),y(T(t))));}, a,b,n); } guide graph(picture pic=currentpicture, pair z(real), real a, real b, int n=ngraph, real T(real)=identity, interpolate join=operator --) { if(T == identity) return graph(join)(new pair(real t) {return Scale(pic,z(t));},a,b,n); else return graph(join)(new pair(real t) { return Scale(pic,z(T(t))); },a,b,n); } guide[] graph(picture pic=currentpicture, pair z(real), real a, real b, int n=ngraph, real T(real)=identity, bool3 cond(real), interpolate join=operator --) { if(T == identity) return graph(join,cond)(new pair(real t) {return Scale(pic,z(t));},a,b,n); else return graph(join,cond)(new pair(real t) { return Scale(pic,z(T(t))); },a,b,n); } string conditionlength="condition array has different length than data"; void checkconditionlength(int x, int y) { checklengths(x,y,conditionlength); } guide graph(picture pic=currentpicture, pair[] z, interpolate join=operator --) { int i=0; return graph(join)(new pair(real) { pair w=Scale(pic,z[i]); ++i; return w; },0,0,z.length-1); } guide[] graph(picture pic=currentpicture, pair[] z, bool3[] cond, interpolate join=operator --) { int n=z.length; int i=0; pair w; checkconditionlength(cond.length,n); bool3 condition(real) { bool3 b=cond[i]; if(b != false) w=Scale(pic,z[i]); ++i; return b; } return graph(join,condition)(new pair(real) {return w;},0,0,n-1); } guide graph(picture pic=currentpicture, real[] x, real[] y, interpolate join=operator --) { int n=x.length; checklengths(n,y.length); int i=0; return graph(join)(new pair(real) { pair w=Scale(pic,(x[i],y[i])); ++i; return w; },0,0,n-1); } guide[] graph(picture pic=currentpicture, real[] x, real[] y, bool3[] cond, interpolate join=operator --) { int n=x.length; checklengths(n,y.length); int i=0; pair w; checkconditionlength(cond.length,n); bool3 condition(real) { bool3 b=cond[i]; if(b != false) w=Scale(pic,(x[i],y[i])); ++i; return b; } return graph(join,condition)(new pair(real) {return w;},0,0,n-1); } // Connect points in z into segments corresponding to consecutive true elements // of b using interpolation operator join. path[] segment(pair[] z, bool[] cond, interpolate join=operator --) { checkconditionlength(cond.length,z.length); int[][] segment=segment(cond); return sequence(new path(int i) {return join(...z[segment[i]]);}, segment.length); } pair polar(real r, real theta) { return r*expi(theta); } guide polargraph(picture pic=currentpicture, real r(real), real a, real b, int n=ngraph, interpolate join=operator --) { return graph(join)(new pair(real theta) { return Scale(pic,polar(r(theta),theta)); },a,b,n); } guide polargraph(picture pic=currentpicture, real[] r, real[] theta, interpolate join=operator--) { int n=r.length; checklengths(n,theta.length); int i=0; return graph(join)(new pair(real) { pair w=Scale(pic,polar(r[i],theta[i])); ++i; return w; },0,0,n-1); } void errorbar(picture pic, pair z, pair dp, pair dm, pen p=currentpen, real size=0) { real dmx=-abs(dm.x); real dmy=-abs(dm.y); real dpx=abs(dp.x); real dpy=abs(dp.y); if(dmx != dpx) draw(pic,Scale(pic,z+(dmx,0))--Scale(pic,z+(dpx,0)),p, Bars(size)); if(dmy != dpy) draw(pic,Scale(pic,z+(0,dmy))--Scale(pic,z+(0,dpy)),p, Bars(size)); } void errorbars(picture pic=currentpicture, pair[] z, pair[] dp, pair[] dm={}, bool[] cond={}, pen p=currentpen, real size=0) { if(dm.length == 0) dm=dp; int n=z.length; checklengths(n,dm.length); checklengths(n,dp.length); bool all=cond.length == 0; if(!all) checkconditionlength(cond.length,n); for(int i=0; i < n; ++i) { if(all || cond[i]) errorbar(pic,z[i],dp[i],dm[i],p,size); } } void errorbars(picture pic=currentpicture, real[] x, real[] y, real[] dpx, real[] dpy, real[] dmx={}, real[] dmy={}, bool[] cond={}, pen p=currentpen, real size=0) { if(dmx.length == 0) dmx=dpx; if(dmy.length == 0) dmy=dpy; int n=x.length; checklengths(n,y.length); checklengths(n,dpx.length); checklengths(n,dpy.length); checklengths(n,dmx.length); checklengths(n,dmy.length); bool all=cond.length == 0; if(!all) checkconditionlength(cond.length,n); for(int i=0; i < n; ++i) { if(all || cond[i]) errorbar(pic,(x[i],y[i]),(dpx[i],dpy[i]),(dmx[i],dmy[i]),p,size); } } void errorbars(picture pic=currentpicture, real[] x, real[] y, real[] dpy, bool[] cond={}, pen p=currentpen, real size=0) { errorbars(pic,x,y,0*x,dpy,cond,p,size); } // Return a vector field on path g, specifying the vector as a function of the // relative position along path g in [0,1]. picture vectorfield(path vector(real), path g, int n, bool truesize=false, pen p=currentpen, arrowbar arrow=Arrow, margin margin=PenMargin) { picture pic; for(int i=0; i < n; ++i) { real x=(n == 1) ? 0.5 : i/(n-1); if(truesize) draw(relpoint(g,x),pic,vector(x),p,arrow); else draw(pic,shift(relpoint(g,x))*vector(x),p,arrow,margin); } return pic; } real maxlength(pair a, pair b, int nx, int ny) { return min((b.x-a.x)/nx,(b.y-a.y)/ny); } // return a vector field over box(a,b). picture vectorfield(path vector(pair), pair a, pair b, int nx=nmesh, int ny=nx, bool truesize=false, real maxlength=truesize ? 0 : maxlength(a,b,nx,ny), bool cond(pair z)=null, pen p=currentpen, arrowbar arrow=Arrow, margin margin=PenMargin) { picture pic; real dx=1/nx; real dy=1/ny; bool all=cond == null; real scale; if(maxlength > 0) { real size(pair z) { path g=vector(z); return abs(point(g,size(g)-1)-point(g,0)); } real max=size(a); for(int i=0; i <= nx; ++i) { real x=interp(a.x,b.x,i*dx); for(int j=0; j <= ny; ++j) max=max(max,size((x,interp(a.y,b.y,j*dy)))); } scale=max > 0 ? maxlength/max : 1; } else scale=1; for(int i=0; i <= nx; ++i) { real x=interp(a.x,b.x,i*dx); for(int j=0; j <= ny; ++j) { real y=interp(a.y,b.y,j*dy); pair z=(x,y); if(all || cond(z)) { path g=scale(scale)*vector(z); if(truesize) draw(z,pic,g,p,arrow); else draw(pic,shift(z)*g,p,arrow,margin); } } } return pic; } // True arc path Arc(pair c, real r, real angle1, real angle2, bool direction, int n=nCircle) { angle1=radians(angle1); angle2=radians(angle2); if(direction) { if(angle1 >= angle2) angle1 -= 2pi; } else if(angle2 >= angle1) angle2 -= 2pi; return shift(c)*polargraph(new real(real t){return r;},angle1,angle2,n, operator ..); } path Arc(pair c, real r, real angle1, real angle2, int n=nCircle) { return Arc(c,r,angle1,angle2,angle2 >= angle1 ? CCW : CW,n); } path Arc(pair c, explicit pair z1, explicit pair z2, bool direction=CCW, int n=nCircle) { return Arc(c,abs(z1-c),degrees(z1-c),degrees(z2-c),direction,n); } // True circle path Circle(pair c, real r, int n=nCircle) { return Arc(c,r,0,360,n)&cycle; } asymptote-2.62/base/graph3.asy0000644000000000000000000017131713607467113015024 0ustar rootroot// Three-dimensional graphing routines private import math; import graph; import three; typedef triple direction3(real); direction3 Dir(triple dir) {return new triple(real) {return dir;};} ticklocate ticklocate(real a, real b, autoscaleT S=defaultS, real tickmin=-infinity, real tickmax=infinity, real time(real)=null, direction3 dir) { if((valuetime) time == null) time=linear(S.T(),a,b); ticklocate locate; locate.a=a; locate.b=b; locate.S=S.copy(); if(finite(tickmin)) locate.S.tickMin=tickmin; if(finite(tickmax)) locate.S.tickMax=tickmax; locate.time=time; locate.dir=zero; locate.dir3=dir; return locate; } private struct locateT { real t; // tick location time triple V; // tick location in frame coordinates triple pathdir; // path direction in frame coordinates triple dir; // tick direction in frame coordinates void dir(transform3 T, path3 g, ticklocate locate, real t) { pathdir=unit(shiftless(T)*dir(g,t)); triple Dir=locate.dir3(t); dir=unit(Dir); } // Locate the desired position of a tick along a path. void calc(transform3 T, path3 g, ticklocate locate, real val) { t=locate.time(val); V=T*point(g,t); dir(T,g,locate,t); } } void drawtick(picture pic, transform3 T, path3 g, path3 g2, ticklocate locate, real val, real Size, int sign, pen p, bool extend) { locateT locate1,locate2; locate1.calc(T,g,locate,val); path3 G; if(extend && size(g2) > 0) { locate2.calc(T,g2,locate,val); G=locate1.V--locate2.V; } else G=(sign == 0) ? locate1.V-Size*locate1.dir--locate1.V+Size*locate1.dir : locate1.V--locate1.V+Size*sign*locate1.dir; draw(pic,G,p,name="tick"); } triple ticklabelshift(triple align, pen p=currentpen) { return 0.25*unit(align)*labelmargin(p); } // Signature of routines that draw labelled paths with ticks and tick labels. typedef void ticks3(picture, transform3, Label, path3, path3, pen, arrowbar3, margin3, ticklocate, int[], bool opposite=false, bool primary=true); // Label a tick on a frame. void labeltick(picture pic, transform3 T, path3 g, ticklocate locate, real val, int sign, real Size, ticklabel ticklabel, Label F, real norm=0) { locateT locate1; locate1.calc(T,g,locate,val); triple align=F.align.dir3; if(align == O) align=sign*locate1.dir; triple shift=align*labelmargin(F.p); if(dot(align,sign*locate1.dir) >= 0) shift=sign*(Size)*locate1.dir; real label; if(locate.S.scale.logarithmic) label=locate.S.scale.Tinv(val); else { label=val; if(abs(label) < zerotickfuzz*norm) label=0; // Fix epsilon errors at +/-1e-4 // default format changes to scientific notation here if(abs(abs(label)-1e-4) < epsilon) label=sgn(label)*1e-4; } string s=ticklabel(label); triple v=locate1.V+shift; if(s != "") label(pic,F.defaulttransform3 ? baseline(s,baselinetemplate) : F.T3*s,v, align,F.p); } // Add axis label L to frame f. void labelaxis(picture pic, transform3 T, Label L, path3 g, ticklocate locate=null, int sign=1, bool ticklabels=false) { triple m=pic.min(identity4); triple M=pic.max(identity4); triple align=L.align.dir3; Label L=L.copy(); pic.add(new void(frame f, transform3 T, picture pic2, projection P) { path3 g=T*g; real t=relative(L,g); triple v=point(g,t); picture F; if(L.align.dir3 == O) align=unit(invert(L.align.dir,v,P))*abs(L.align.dir); if(ticklabels && locate != null && piecewisestraight(g)) { locateT locate1; locate1.dir(T,g,locate,t); triple pathdir=locate1.pathdir; triple perp=cross(pathdir,P.normal); if(align == O) align=unit(sgn(dot(sign*locate1.dir,perp))*perp); path[] g=project(box(T*m,T*M),P); pair z=project(v,P); pair Ppathdir=project(v+pathdir,P)-z; pair Perp=unit(I*Ppathdir); real angle=degrees(Ppathdir,warn=false); transform S=rotate(-angle,z); path[] G=S*g; pair Palign=project(v+align,P)-z; pair Align=rotate(-angle)*dot(Palign,Perp)*Perp; pair offset=unit(Palign)* abs((Align.y >= 0 ? max(G).y : (Align.y < 0 ? min(G).y : 0))-z.y); triple normal=cross(pathdir,align); if(normal != O) v=invert(z+offset,normal,v,P); } label(F,L,v); add(f,F.fit3(identity4,pic2,P)); },exact=false); path3[] G=path3(texpath(L,bbox=true)); if(G.length > 0) { G=L.align.is3D ? align(G,O,align,L.p) : L.T3*G; triple v=point(g,relative(L,g)); pic.addBox(v,v,min(G),max(G)); } } // Tick construction routine for a user-specified array of tick values. ticks3 Ticks3(int sign, Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks=new real[], real[] ticks=new real[], int N=1, bool begin=true, bool end=true, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return new void(picture pic, transform3 t, Label L, path3 g, path3 g2, pen p, arrowbar3 arrow, margin3 margin, ticklocate locate, int[] divisor, bool opposite, bool primary) { // Use local copy of context variables: int Sign=opposite ? -1 : 1; int sign=Sign*sign; pen pTick=pTick; pen ptick=ptick; ticklabel ticklabel=ticklabel; real Size=Size; real size=size; if(Size == 0) Size=Ticksize; if(size == 0) size=ticksize; Label L=L.copy(); Label F=F.copy(); L.p(p); F.p(p); if(pTick == nullpen) pTick=p; if(ptick == nullpen) ptick=pTick; bool ticklabels=false; path3 G=t*g; path3 G2=t*g2; scalefcn T; real a,b; if(locate.S.scale.logarithmic) { a=locate.S.postscale.Tinv(locate.a); b=locate.S.postscale.Tinv(locate.b); T=locate.S.scale.T; } else { a=locate.S.Tinv(locate.a); b=locate.S.Tinv(locate.b); T=identity; } if(a > b) {real temp=a; a=b; b=temp;} real norm=max(abs(a),abs(b)); string format=autoformat(F.s,norm...Ticks); if(F.s == "%") F.s=""; if(ticklabel == null) { if(locate.S.scale.logarithmic) { int base=round(locate.S.scale.Tinv(1)); ticklabel=format == "%" ? Format("") : DefaultLogFormat(base); } else ticklabel=Format(format); } bool labelaxis=L.s != "" && primary; begingroup3(pic,"axis"); if(primary) draw(pic,margin(G,p).g,p,arrow); else draw(pic,G,p); for(int i=(begin ? 0 : 1); i < (end ? Ticks.length : Ticks.length-1); ++i) { real val=T(Ticks[i]); if(val >= a && val <= b) drawtick(pic,t,g,g2,locate,val,Size,sign,pTick,extend); } for(int i=0; i < ticks.length; ++i) { real val=T(ticks[i]); if(val >= a && val <= b) drawtick(pic,t,g,g2,locate,val,size,sign,ptick,extend); } if(N == 0) N=1; if(Size > 0 && primary) { for(int i=(beginlabel ? 0 : 1); i < (endlabel ? Ticks.length : Ticks.length-1); i += N) { real val=T(Ticks[i]); if(val >= a && val <= b) { ticklabels=true; labeltick(pic,t,g,locate,val,Sign,Size,ticklabel,F,norm); } } } if(labelaxis) labelaxis(pic,t,L,G,locate,Sign,ticklabels); endgroup3(pic); }; } // Automatic tick construction routine. ticks3 Ticks3(int sign, Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return new void(picture pic, transform3 T, Label L, path3 g, path3 g2, pen p, arrowbar3 arrow, margin3 margin=NoMargin3, ticklocate locate, int[] divisor, bool opposite, bool primary) { path3 G=T*g; real limit=Step == 0 ? axiscoverage*arclength(G) : 0; tickvalues values=modify(generateticks(sign,F,ticklabel,N,n,Step,step, Size,size,identity(),1, project(G,currentprojection), limit,p,locate,divisor, opposite)); Ticks3(sign,F,ticklabel,beginlabel,endlabel,values.major,values.minor, values.N,begin,end,Size,size,extend,pTick,ptick) (pic,T,L,g,g2,p,arrow,margin,locate,divisor,opposite,primary); }; } ticks3 NoTicks3() { return new void(picture pic, transform3 T, Label L, path3 g, path3, pen p, arrowbar3 arrow, margin3 margin, ticklocate, int[], bool opposite, bool primary) { path3 G=T*g; if(primary) draw(pic,margin(G,p).g,p,arrow,margin); else draw(pic,G,p); if(L.s != "" && primary) { Label L=L.copy(); L.p(p); labelaxis(pic,T,L,G,opposite ? -1 : 1); } }; } ticks3 InTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks3(-1,format,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,modify,Size,size,extend,pTick,ptick); } ticks3 OutTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks3(1,format,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,modify,Size,size,extend,pTick,ptick); } ticks3 InOutTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, tickmodifier modify=None, real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks3(0,format,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,modify,Size,size,extend,pTick,ptick); } ticks3 InTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks3(-1,format,ticklabel,beginlabel,endlabel, Ticks,ticks,Size,size,extend,pTick,ptick); } ticks3 OutTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks3(1,format,ticklabel,beginlabel,endlabel, Ticks,ticks,Size,size,extend,pTick,ptick); } ticks3 InOutTicks(Label format="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, real[] Ticks, real[] ticks=new real[], real Size=0, real size=0, bool extend=false, pen pTick=nullpen, pen ptick=nullpen) { return Ticks3(0,format,ticklabel,beginlabel,endlabel, Ticks,ticks,Size,size,extend,pTick,ptick); } ticks3 NoTicks3=NoTicks3(), InTicks=InTicks(), OutTicks=OutTicks(), InOutTicks=InOutTicks(); triple tickMin3(picture pic) { return minbound(pic.userMin(),(pic.scale.x.tickMin,pic.scale.y.tickMin, pic.scale.z.tickMin)); } triple tickMax3(picture pic) { return maxbound(pic.userMax(),(pic.scale.x.tickMax,pic.scale.y.tickMax, pic.scale.z.tickMax)); } axis Bounds(int type=Both, int type2=Both, triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=type; axis.type2=type2; axis.position=0.5; axis.align=align; axis.extend=extend; }; } axis YZEquals(real y, real z, triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Value; axis.type2=Value; axis.value=pic.scale.y.T(y); axis.value2=pic.scale.z.T(z); axis.position=1; axis.align=align; axis.extend=extend; }; } axis XZEquals(real x, real z, triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Value; axis.type2=Value; axis.value=pic.scale.x.T(x); axis.value2=pic.scale.z.T(z); axis.position=1; axis.align=align; axis.extend=extend; }; } axis XYEquals(real x, real y, triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Value; axis.type2=Value; axis.value=pic.scale.x.T(x); axis.value2=pic.scale.y.T(y); axis.position=1; axis.align=align; axis.extend=extend; }; } axis YZZero(triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Value; axis.type2=Value; axis.value=pic.scale.y.T(pic.scale.y.scale.logarithmic ? 1 : 0); axis.value2=pic.scale.z.T(pic.scale.z.scale.logarithmic ? 1 : 0); axis.position=1; axis.align=align; axis.extend=extend; }; } axis XZZero(triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Value; axis.type2=Value; axis.value=pic.scale.x.T(pic.scale.x.scale.logarithmic ? 1 : 0); axis.value2=pic.scale.z.T(pic.scale.z.scale.logarithmic ? 1 : 0); axis.position=1; axis.align=align; axis.extend=extend; }; } axis XYZero(triple align=O, bool extend=false) { return new void(picture pic, axisT axis) { axis.type=Value; axis.type2=Value; axis.value=pic.scale.x.T(pic.scale.x.scale.logarithmic ? 1 : 0); axis.value2=pic.scale.y.T(pic.scale.y.scale.logarithmic ? 1 : 0); axis.position=1; axis.align=align; axis.extend=extend; }; } axis Bounds=Bounds(), YZZero=YZZero(), XZZero=XZZero(), XYZero=XYZero(); // Draw a general three-dimensional axis. void axis(picture pic=currentpicture, Label L="", path3 g, path3 g2=nullpath3, pen p=currentpen, ticks3 ticks, ticklocate locate, arrowbar3 arrow=None, margin3 margin=NoMargin3, int[] divisor=new int[], bool above=false, bool opposite=false) { Label L=L.copy(); real t=reltime(g,0.5); if(L.defaultposition) L.position(t); divisor=copy(divisor); locate=locate.copy(); pic.add(new void (picture f, transform3 t, transform3 T, triple, triple) { picture d; ticks(d,t,L,g,g2,p,arrow,margin,locate,divisor,opposite,true); add(f,t*T*inverse(t)*d); },above=above); addPath(pic,g,p); if(L.s != "") { frame f; Label L0=L.copy(); L0.position(0); add(f,L0); triple pos=point(g,L.relative()*length(g)); pic.addBox(pos,pos,min3(f),max3(f)); } } real xtrans(transform3 t, real x) { return (t*(x,0,0)).x; } real ytrans(transform3 t, real y) { return (t*(0,y,0)).y; } real ztrans(transform3 t, real z) { return (t*(0,0,z)).z; } private triple defaultdir(triple X, triple Y, triple Z, bool opposite=false, projection P) { triple u=cross(P.normal,Z); return abs(dot(u,X)) > abs(dot(u,Y)) ? -X : (opposite ? Y : -Y); } // An internal routine to draw an x axis at a particular y value. void xaxis3At(picture pic=currentpicture, Label L="", axis axis, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, margin3 margin=NoMargin3, bool above=true, bool opposite=false, bool opposite2=false, bool primary=true) { int type=axis.type; int type2=axis.type2; triple dir=axis.align.dir3 == O ? defaultdir(Y,Z,X,opposite^opposite2,currentprojection) : axis.align.dir3; Label L=L.copy(); if(L.align.dir3 == O && L.align.dir == 0) L.align(opposite ? -dir : dir); real y=axis.value; real z=axis.value2; real y2,z2; int[] divisor=copy(axis.xdivisor); pic.add(new void(picture f, transform3 t, transform3 T, triple lb, triple rt) { transform3 tinv=inverse(t); triple a=xmin == -infinity ? tinv*(lb.x-min3(p).x,ytrans(t,y), ztrans(t,z)) : (xmin,y,z); triple b=xmax == infinity ? tinv*(rt.x-max3(p).x,ytrans(t,y), ztrans(t,z)) : (xmax,y,z); real y0; real z0; if(abs(dir.y) < abs(dir.z)) { y0=y; z0=z2; } else { y0=y2; z0=z; } triple a2=xmin == -infinity ? tinv*(lb.x-min3(p).x,ytrans(t,y0), ztrans(t,z0)) : (xmin,y0,z0); triple b2=xmax == infinity ? tinv*(rt.x-max3(p).x,ytrans(t,y0), ztrans(t,z0)) : (xmax,y0,z0); if(xmin == -infinity || xmax == infinity) { bounds mx=autoscale(a.x,b.x,pic.scale.x.scale); pic.scale.x.tickMin=mx.min; pic.scale.x.tickMax=mx.max; divisor=mx.divisor; } triple fuzz=X*epsilon*max(abs(a.x),abs(b.x)); a -= fuzz; b += fuzz; picture d; ticks(d,t,L,a--b,finite(y0) && finite(z0) ? a2--b2 : nullpath3, p,arrow,margin, ticklocate(a.x,b.x,pic.scale.x,Dir(dir)),divisor, opposite,primary); add(f,t*T*tinv*d); },above=above); void bounds() { if(type == Min) y=pic.scale.y.automin() ? tickMin3(pic).y : pic.userMin().y; else if(type == Max) y=pic.scale.y.automax() ? tickMax3(pic).y : pic.userMax().y; else if(type == Both) { y2=pic.scale.y.automax() ? tickMax3(pic).y : pic.userMax().y; y=opposite ? y2 : (pic.scale.y.automin() ? tickMin3(pic).y : pic.userMin().y); } if(type2 == Min) z=pic.scale.z.automin() ? tickMin3(pic).z : pic.userMin().z; else if(type2 == Max) z=pic.scale.z.automax() ? tickMax3(pic).z : pic.userMax().z; else if(type2 == Both) { z2=pic.scale.z.automax() ? tickMax3(pic).z : pic.userMax().z; z=opposite2 ? z2 : (pic.scale.z.automin() ? tickMin3(pic).z : pic.userMin().z); } real Xmin=finite(xmin) ? xmin : pic.userMin().x; real Xmax=finite(xmax) ? xmax : pic.userMax().x; triple a=(Xmin,y,z); triple b=(Xmax,y,z); triple a2=(Xmin,y2,z2); triple b2=(Xmax,y2,z2); if(finite(a)) { pic.addPoint(a,min3(p)); pic.addPoint(a,max3(p)); } if(finite(b)) { pic.addPoint(b,min3(p)); pic.addPoint(b,max3(p)); } if(finite(a) && finite(b)) { picture d; ticks(d,pic.scaling3(warn=false),L, (a.x,0,0)--(b.x,0,0),(a2.x,0,0)--(b2.x,0,0),p,arrow,margin, ticklocate(a.x,b.x,pic.scale.x,Dir(dir)),divisor, opposite,primary); frame f; if(L.s != "") { Label L0=L.copy(); L0.position(0); add(f,L0); } triple pos=a+L.relative()*(b-a); triple m=min3(d); triple M=max3(d); pic.addBox(pos,pos,(min3(f).x,m.y,m.z),(max3(f).x,m.y,m.z)); } } // Process any queued y and z axes bound calculation requests. for(int i=0; i < pic.scale.y.bound.length; ++i) pic.scale.y.bound[i](); for(int i=0; i < pic.scale.z.bound.length; ++i) pic.scale.z.bound[i](); pic.scale.y.bound.delete(); pic.scale.z.bound.delete(); bounds(); // Request another x bounds calculation before final picture scaling. pic.scale.x.bound.push(bounds); } // An internal routine to draw an x axis at a particular y value. void yaxis3At(picture pic=currentpicture, Label L="", axis axis, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, margin3 margin=NoMargin3, bool above=true, bool opposite=false, bool opposite2=false, bool primary=true) { int type=axis.type; int type2=axis.type2; triple dir=axis.align.dir3 == O ? defaultdir(X,Z,Y,opposite^opposite2,currentprojection) : axis.align.dir3; Label L=L.copy(); if(L.align.dir3 == O && L.align.dir == 0) L.align(opposite ? -dir : dir); real x=axis.value; real z=axis.value2; real x2,z2; int[] divisor=copy(axis.ydivisor); pic.add(new void(picture f, transform3 t, transform3 T, triple lb, triple rt) { transform3 tinv=inverse(t); triple a=ymin == -infinity ? tinv*(xtrans(t,x),lb.y-min3(p).y, ztrans(t,z)) : (x,ymin,z); triple b=ymax == infinity ? tinv*(xtrans(t,x),rt.y-max3(p).y, ztrans(t,z)) : (x,ymax,z); real x0; real z0; if(abs(dir.x) < abs(dir.z)) { x0=x; z0=z2; } else { x0=x2; z0=z; } triple a2=ymin == -infinity ? tinv*(xtrans(t,x0),lb.y-min3(p).y, ztrans(t,z0)) : (x0,ymin,z0); triple b2=ymax == infinity ? tinv*(xtrans(t,x0),rt.y-max3(p).y, ztrans(t,z0)) : (x0,ymax,z0); if(ymin == -infinity || ymax == infinity) { bounds my=autoscale(a.y,b.y,pic.scale.y.scale); pic.scale.y.tickMin=my.min; pic.scale.y.tickMax=my.max; divisor=my.divisor; } triple fuzz=Y*epsilon*max(abs(a.y),abs(b.y)); a -= fuzz; b += fuzz; picture d; ticks(d,t,L,a--b,finite(x0) && finite(z0) ? a2--b2 : nullpath3, p,arrow,margin, ticklocate(a.y,b.y,pic.scale.y,Dir(dir)),divisor, opposite,primary); add(f,t*T*tinv*d); },above=above); void bounds() { if(type == Min) x=pic.scale.x.automin() ? tickMin3(pic).x : pic.userMin().x; else if(type == Max) x=pic.scale.x.automax() ? tickMax3(pic).x : pic.userMax().x; else if(type == Both) { x2=pic.scale.x.automax() ? tickMax3(pic).x : pic.userMax().x; x=opposite ? x2 : (pic.scale.x.automin() ? tickMin3(pic).x : pic.userMin().x); } if(type2 == Min) z=pic.scale.z.automin() ? tickMin3(pic).z : pic.userMin().z; else if(type2 == Max) z=pic.scale.z.automax() ? tickMax3(pic).z : pic.userMax().z; else if(type2 == Both) { z2=pic.scale.z.automax() ? tickMax3(pic).z : pic.userMax().z; z=opposite2 ? z2 : (pic.scale.z.automin() ? tickMin3(pic).z : pic.userMin().z); } real Ymin=finite(ymin) ? ymin : pic.userMin().y; real Ymax=finite(ymax) ? ymax : pic.userMax().y; triple a=(x,Ymin,z); triple b=(x,Ymax,z); triple a2=(x2,Ymin,z2); triple b2=(x2,Ymax,z2); if(finite(a)) { pic.addPoint(a,min3(p)); pic.addPoint(a,max3(p)); } if(finite(b)) { pic.addPoint(b,min3(p)); pic.addPoint(b,max3(p)); } if(finite(a) && finite(b)) { picture d; ticks(d,pic.scaling3(warn=false),L, (0,a.y,0)--(0,b.y,0),(0,a2.y,0)--(0,a2.y,0),p,arrow,margin, ticklocate(a.y,b.y,pic.scale.y,Dir(dir)),divisor, opposite,primary); frame f; if(L.s != "") { Label L0=L.copy(); L0.position(0); add(f,L0); } triple pos=a+L.relative()*(b-a); triple m=min3(d); triple M=max3(d); pic.addBox(pos,pos,(m.x,min3(f).y,m.z),(m.x,max3(f).y,m.z)); } } // Process any queued x and z axis bound calculation requests. for(int i=0; i < pic.scale.x.bound.length; ++i) pic.scale.x.bound[i](); for(int i=0; i < pic.scale.z.bound.length; ++i) pic.scale.z.bound[i](); pic.scale.x.bound.delete(); pic.scale.z.bound.delete(); bounds(); // Request another y bounds calculation before final picture scaling. pic.scale.y.bound.push(bounds); } // An internal routine to draw an x axis at a particular y value. void zaxis3At(picture pic=currentpicture, Label L="", axis axis, real zmin=-infinity, real zmax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, margin3 margin=NoMargin3, bool above=true, bool opposite=false, bool opposite2=false, bool primary=true) { int type=axis.type; int type2=axis.type2; triple dir=axis.align.dir3 == O ? defaultdir(X,Y,Z,opposite^opposite2,currentprojection) : axis.align.dir3; Label L=L.copy(); if(L.align.dir3 == O && L.align.dir == 0) L.align(opposite ? -dir : dir); real x=axis.value; real y=axis.value2; real x2,y2; int[] divisor=copy(axis.zdivisor); pic.add(new void(picture f, transform3 t, transform3 T, triple lb, triple rt) { transform3 tinv=inverse(t); triple a=zmin == -infinity ? tinv*(xtrans(t,x),ytrans(t,y), lb.z-min3(p).z) : (x,y,zmin); triple b=zmax == infinity ? tinv*(xtrans(t,x),ytrans(t,y), rt.z-max3(p).z) : (x,y,zmax); real x0; real y0; if(abs(dir.x) < abs(dir.y)) { x0=x; y0=y2; } else { x0=x2; y0=y; } triple a2=zmin == -infinity ? tinv*(xtrans(t,x0),ytrans(t,y0), lb.z-min3(p).z) : (x0,y0,zmin); triple b2=zmax == infinity ? tinv*(xtrans(t,x0),ytrans(t,y0), rt.z-max3(p).z) : (x0,y0,zmax); if(zmin == -infinity || zmax == infinity) { bounds mz=autoscale(a.z,b.z,pic.scale.z.scale); pic.scale.z.tickMin=mz.min; pic.scale.z.tickMax=mz.max; divisor=mz.divisor; } triple fuzz=Z*epsilon*max(abs(a.z),abs(b.z)); a -= fuzz; b += fuzz; picture d; ticks(d,t,L,a--b,finite(x0) && finite(y0) ? a2--b2 : nullpath3, p,arrow,margin, ticklocate(a.z,b.z,pic.scale.z,Dir(dir)),divisor, opposite,primary); add(f,t*T*tinv*d); },above=above); void bounds() { if(type == Min) x=pic.scale.x.automin() ? tickMin3(pic).x : pic.userMin().x; else if(type == Max) x=pic.scale.x.automax() ? tickMax3(pic).x : pic.userMax().x; else if(type == Both) { x2=pic.scale.x.automax() ? tickMax3(pic).x : pic.userMax().x; x=opposite ? x2 : (pic.scale.x.automin() ? tickMin3(pic).x : pic.userMin().x); } if(type2 == Min) y=pic.scale.y.automin() ? tickMin3(pic).y : pic.userMin().y; else if(type2 == Max) y=pic.scale.y.automax() ? tickMax3(pic).y : pic.userMax().y; else if(type2 == Both) { y2=pic.scale.y.automax() ? tickMax3(pic).y : pic.userMax().y; y=opposite2 ? y2 : (pic.scale.y.automin() ? tickMin3(pic).y : pic.userMin().y); } real Zmin=finite(zmin) ? zmin : pic.userMin().z; real Zmax=finite(zmax) ? zmax : pic.userMax().z; triple a=(x,y,Zmin); triple b=(x,y,Zmax); triple a2=(x2,y2,Zmin); triple b2=(x2,y2,Zmax); if(finite(a)) { pic.addPoint(a,min3(p)); pic.addPoint(a,max3(p)); } if(finite(b)) { pic.addPoint(b,min3(p)); pic.addPoint(b,max3(p)); } if(finite(a) && finite(b)) { picture d; ticks(d,pic.scaling3(warn=false),L, (0,0,a.z)--(0,0,b.z),(0,0,a2.z)--(0,0,a2.z),p,arrow,margin, ticklocate(a.z,b.z,pic.scale.z,Dir(dir)),divisor, opposite,primary); frame f; if(L.s != "") { Label L0=L.copy(); L0.position(0); add(f,L0); } triple pos=a+L.relative()*(b-a); triple m=min3(d); triple M=max3(d); pic.addBox(pos,pos,(m.x,m.y,min3(f).z),(m.x,m.y,max3(f).z)); } } // Process any queued x and y axes bound calculation requests. for(int i=0; i < pic.scale.x.bound.length; ++i) pic.scale.x.bound[i](); for(int i=0; i < pic.scale.y.bound.length; ++i) pic.scale.y.bound[i](); pic.scale.x.bound.delete(); pic.scale.y.bound.delete(); bounds(); // Request another z bounds calculation before final picture scaling. pic.scale.z.bound.push(bounds); } // Internal routine to autoscale the user limits of a picture. void autoscale3(picture pic=currentpicture, axis axis) { bool set=pic.scale.set; autoscale(pic,axis); if(!set) { bounds mz; if(pic.userSetz()) { mz=autoscale(pic.userMin().z,pic.userMax().z,pic.scale.z.scale); if(pic.scale.z.scale.logarithmic && floor(pic.userMin().z) == floor(pic.userMax().z)) { if(pic.scale.z.automin()) pic.userMinz3(floor(pic.userMin().z)); if(pic.scale.z.automax()) pic.userMaxz3(ceil(pic.userMax().z)); } } else {mz.min=mz.max=0; pic.scale.set=false;} pic.scale.z.tickMin=mz.min; pic.scale.z.tickMax=mz.max; axis.zdivisor=mz.divisor; } } // Draw an x axis in three dimensions. void xaxis3(picture pic=currentpicture, Label L="", axis axis=YZZero, real xmin=-infinity, real xmax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, margin3 margin=NoMargin3, bool above=false) { if(xmin > xmax) return; if(pic.scale.x.automin && xmin > -infinity) pic.scale.x.automin=false; if(pic.scale.x.automax && xmax < infinity) pic.scale.x.automax=false; if(!pic.scale.set) { axis(pic,axis); autoscale3(pic,axis); } bool newticks=false; if(xmin != -infinity) { xmin=pic.scale.x.T(xmin); newticks=true; } if(xmax != infinity) { xmax=pic.scale.x.T(xmax); newticks=true; } if(newticks && pic.userSetx() && ticks != NoTicks3) { if(xmin == -infinity) xmin=pic.userMin().x; if(xmax == infinity) xmax=pic.userMax().x; bounds mx=autoscale(xmin,xmax,pic.scale.x.scale); pic.scale.x.tickMin=mx.min; pic.scale.x.tickMax=mx.max; axis.xdivisor=mx.divisor; } axis(pic,axis); if(xmin == -infinity && !axis.extend) { if(pic.scale.set) xmin=pic.scale.x.automin() ? pic.scale.x.tickMin : max(pic.scale.x.tickMin,pic.userMin().x); else xmin=pic.userMin().x; } if(xmax == infinity && !axis.extend) { if(pic.scale.set) xmax=pic.scale.x.automax() ? pic.scale.x.tickMax : min(pic.scale.x.tickMax,pic.userMax().x); else xmax=pic.userMax().x; } if(L.defaultposition) { L=L.copy(); L.position(axis.position); } bool back=false; if(axis.type == Both) { triple v=currentprojection.normal; back=dot((0,pic.userMax().y-pic.userMin().y,0),v)*sgn(v.z) > 0; } xaxis3At(pic,L,axis,xmin,xmax,p,ticks,arrow,margin,above,false,false,!back); if(axis.type == Both) xaxis3At(pic,L,axis,xmin,xmax,p,ticks,arrow,margin,above,true,false,back); if(axis.type2 == Both) { xaxis3At(pic,L,axis,xmin,xmax,p,ticks,arrow,margin,above,false,true,false); if(axis.type == Both) xaxis3At(pic,L,axis,xmin,xmax,p,ticks,arrow,margin,above,true,true,false); } } // Draw a y axis in three dimensions. void yaxis3(picture pic=currentpicture, Label L="", axis axis=XZZero, real ymin=-infinity, real ymax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, margin3 margin=NoMargin3, bool above=false) { if(ymin > ymax) return; if(pic.scale.y.automin && ymin > -infinity) pic.scale.y.automin=false; if(pic.scale.y.automax && ymax < infinity) pic.scale.y.automax=false; if(!pic.scale.set) { axis(pic,axis); autoscale3(pic,axis); } bool newticks=false; if(ymin != -infinity) { ymin=pic.scale.y.T(ymin); newticks=true; } if(ymax != infinity) { ymax=pic.scale.y.T(ymax); newticks=true; } if(newticks && pic.userSety() && ticks != NoTicks3) { if(ymin == -infinity) ymin=pic.userMin().y; if(ymax == infinity) ymax=pic.userMax().y; bounds my=autoscale(ymin,ymax,pic.scale.y.scale); pic.scale.y.tickMin=my.min; pic.scale.y.tickMax=my.max; axis.ydivisor=my.divisor; } axis(pic,axis); if(ymin == -infinity && !axis.extend) { if(pic.scale.set) ymin=pic.scale.y.automin() ? pic.scale.y.tickMin : max(pic.scale.y.tickMin,pic.userMin().y); else ymin=pic.userMin().y; } if(ymax == infinity && !axis.extend) { if(pic.scale.set) ymax=pic.scale.y.automax() ? pic.scale.y.tickMax : min(pic.scale.y.tickMax,pic.userMax().y); else ymax=pic.userMax().y; } if(L.defaultposition) { L=L.copy(); L.position(axis.position); } bool back=false; if(axis.type == Both) { triple v=currentprojection.normal; back=dot((pic.userMax().x-pic.userMin().x,0,0),v)*sgn(v.z) > 0; } yaxis3At(pic,L,axis,ymin,ymax,p,ticks,arrow,margin,above,false,false,!back); if(axis.type == Both) yaxis3At(pic,L,axis,ymin,ymax,p,ticks,arrow,margin,above,true,false,back); if(axis.type2 == Both) { yaxis3At(pic,L,axis,ymin,ymax,p,ticks,arrow,margin,above,false,true,false); if(axis.type == Both) yaxis3At(pic,L,axis,ymin,ymax,p,ticks,arrow,margin,above,true,true,false); } } // Draw a z axis in three dimensions. void zaxis3(picture pic=currentpicture, Label L="", axis axis=XYZero, real zmin=-infinity, real zmax=infinity, pen p=currentpen, ticks3 ticks=NoTicks3, arrowbar3 arrow=None, margin3 margin=NoMargin3, bool above=false) { if(zmin > zmax) return; if(pic.scale.z.automin && zmin > -infinity) pic.scale.z.automin=false; if(pic.scale.z.automax && zmax < infinity) pic.scale.z.automax=false; if(!pic.scale.set) { axis(pic,axis); autoscale3(pic,axis); } bool newticks=false; if(zmin != -infinity) { zmin=pic.scale.z.T(zmin); newticks=true; } if(zmax != infinity) { zmax=pic.scale.z.T(zmax); newticks=true; } if(newticks && pic.userSetz() && ticks != NoTicks3) { if(zmin == -infinity) zmin=pic.userMin().z; if(zmax == infinity) zmax=pic.userMax().z; bounds mz=autoscale(zmin,zmax,pic.scale.z.scale); pic.scale.z.tickMin=mz.min; pic.scale.z.tickMax=mz.max; axis.zdivisor=mz.divisor; } axis(pic,axis); if(zmin == -infinity && !axis.extend) { if(pic.scale.set) zmin=pic.scale.z.automin() ? pic.scale.z.tickMin : max(pic.scale.z.tickMin,pic.userMin().z); else zmin=pic.userMin().z; } if(zmax == infinity && !axis.extend) { if(pic.scale.set) zmax=pic.scale.z.automax() ? pic.scale.z.tickMax : min(pic.scale.z.tickMax,pic.userMax().z); else zmax=pic.userMax().z; } if(L.defaultposition) { L=L.copy(); L.position(axis.position); } bool back=false; if(axis.type == Both) { triple v=currentprojection.vector(); back=dot((pic.userMax().x-pic.userMin().x,0,0),v)*sgn(v.y) > 0; } zaxis3At(pic,L,axis,zmin,zmax,p,ticks,arrow,margin,above,false,false,!back); if(axis.type == Both) zaxis3At(pic,L,axis,zmin,zmax,p,ticks,arrow,margin,above,true,false,back); if(axis.type2 == Both) { zaxis3At(pic,L,axis,zmin,zmax,p,ticks,arrow,margin,above,false,true,false); if(axis.type == Both) zaxis3At(pic,L,axis,zmin,zmax,p,ticks,arrow,margin,above,true,true,false); } } // Set the z limits of a picture. void zlimits(picture pic=currentpicture, real min=-infinity, real max=infinity, bool crop=NoCrop) { if(min > max) return; pic.scale.z.automin=min <= -infinity; pic.scale.z.automax=max >= infinity; bounds mz; if(pic.scale.z.automin() || pic.scale.z.automax()) mz=autoscale(pic.userMin().z,pic.userMax().z,pic.scale.z.scale); if(pic.scale.z.automin) { if(pic.scale.z.automin()) pic.userMinz(mz.min); } else pic.userMinz(min(pic.scale.z.T(min),pic.scale.z.T(max))); if(pic.scale.z.automax) { if(pic.scale.z.automax()) pic.userMaxz(mz.max); } else pic.userMaxz(max(pic.scale.z.T(min),pic.scale.z.T(max))); } // Restrict the x, y, and z limits to box(min,max). void limits(picture pic=currentpicture, triple min, triple max) { xlimits(pic,min.x,max.x); ylimits(pic,min.y,max.y); zlimits(pic,min.z,max.z); } // Draw x, y and z axes. void axes3(picture pic=currentpicture, Label xlabel="", Label ylabel="", Label zlabel="", bool extend=false, triple min=(-infinity,-infinity,-infinity), triple max=(infinity,infinity,infinity), pen p=currentpen, arrowbar3 arrow=None, margin3 margin=NoMargin3) { xaxis3(pic,xlabel,YZZero(extend),min.x,max.x,p,arrow,margin); yaxis3(pic,ylabel,XZZero(extend),min.y,max.y,p,arrow,margin); zaxis3(pic,zlabel,XYZero(extend),min.z,max.z,p,arrow,margin); } triple Scale(picture pic=currentpicture, triple v) { return (pic.scale.x.T(v.x),pic.scale.y.T(v.y),pic.scale.z.T(v.z)); } real ScaleZ(picture pic=currentpicture, real z) { return pic.scale.z.T(z); } // Draw a tick of length size at triple v in direction dir using pen p. void tick(picture pic=currentpicture, triple v, triple dir, real size=Ticksize, pen p=currentpen) { triple v=Scale(pic,v); pic.add(new void (picture f, transform3 t) { triple tv=t*v; draw(f,tv--tv+unit(dir)*size,p); }); pic.addPoint(v,p); pic.addPoint(v,unit(dir)*size,p); } void xtick(picture pic=currentpicture, triple v, triple dir=Y, real size=Ticksize, pen p=currentpen) { tick(pic,v,dir,size,p); } void xtick3(picture pic=currentpicture, real x, triple dir=Y, real size=Ticksize, pen p=currentpen) { tick(pic,(x,pic.scale.y.scale.logarithmic ? 1 : 0, pic.scale.z.scale.logarithmic ? 1 : 0),dir,size,p); } void ytick(picture pic=currentpicture, triple v, triple dir=X, real size=Ticksize, pen p=currentpen) { tick(pic,v,dir,size,p); } void ytick3(picture pic=currentpicture, real y, triple dir=X, real size=Ticksize, pen p=currentpen) { tick(pic,(pic.scale.x.scale.logarithmic ? 1 : 0,y, pic.scale.z.scale.logarithmic ? 1 : 0),dir,size,p); } void ztick(picture pic=currentpicture, triple v, triple dir=X, real size=Ticksize, pen p=currentpen) { xtick(pic,v,dir,size,p); } void ztick3(picture pic=currentpicture, real z, triple dir=X, real size=Ticksize, pen p=currentpen) { xtick(pic,(pic.scale.x.scale.logarithmic ? 1 : 0, pic.scale.y.scale.logarithmic ? 1 : 0,z),dir,size,p); } void tick(picture pic=currentpicture, Label L, real value, triple v, triple dir, string format="", real size=Ticksize, pen p=currentpen) { Label L=L.copy(); L.align(L.align,-dir); if(shift(L.T3)*O == O) L.T3=shift(dot(dir,L.align.dir3) > 0 ? dir*size : ticklabelshift(L.align.dir3,p))*L.T3; L.p(p); if(L.s == "") L.s=format(format == "" ? defaultformat : format,value); L.s=baseline(L.s,baselinetemplate); label(pic,L,Scale(pic,v)); tick(pic,v,dir,size,p); } void xtick(picture pic=currentpicture, Label L, triple v, triple dir=Y, string format="", real size=Ticksize, pen p=currentpen) { tick(pic,L,v.x,v,dir,format,size,p); } void xtick3(picture pic=currentpicture, Label L, real x, triple dir=Y, string format="", real size=Ticksize, pen p=currentpen) { xtick(pic,L,(x,pic.scale.y.scale.logarithmic ? 1 : 0, pic.scale.z.scale.logarithmic ? 1 : 0),dir,size,p); } void ytick(picture pic=currentpicture, Label L, triple v, triple dir=X, string format="", real size=Ticksize, pen p=currentpen) { tick(pic,L,v.y,v,dir,format,size,p); } void ytick3(picture pic=currentpicture, Label L, real y, triple dir=X, string format="", real size=Ticksize, pen p=currentpen) { xtick(pic,L,(pic.scale.x.scale.logarithmic ? 1 : 0,y, pic.scale.z.scale.logarithmic ? 1 : 0),dir,format,size,p); } void ztick(picture pic=currentpicture, Label L, triple v, triple dir=X, string format="", real size=Ticksize, pen p=currentpen) { tick(pic,L,v.z,v,dir,format,size,p); } void ztick3(picture pic=currentpicture, Label L, real z, triple dir=X, string format="", real size=Ticksize, pen p=currentpen) { xtick(pic,L,(pic.scale.x.scale.logarithmic ? 1 : 0, pic.scale.z.scale.logarithmic ? 1 : 0,z),dir,format,size,p); } private void label(picture pic, Label L, triple v, real x, align align, string format, pen p) { Label L=L.copy(); L.align(align); L.p(p); if(shift(L.T3)*O == O) L.T3=shift(ticklabelshift(L.align.dir3,L.p))*L.T3; if(L.s == "") L.s=format(format == "" ? defaultformat : format,x); L.s=baseline(L.s,baselinetemplate); label(pic,L,v); } void labelx(picture pic=currentpicture, Label L="", triple v, align align=-Y, string format="", pen p=currentpen) { label(pic,L,Scale(pic,v),v.x,align,format,p); } void labelx3(picture pic=currentpicture, Label L="", real x, align align=-Y, string format="", pen p=currentpen) { labelx(pic,L,(x,pic.scale.y.scale.logarithmic ? 1 : 0, pic.scale.z.scale.logarithmic ? 1 : 0),align,format,p); } void labely(picture pic=currentpicture, Label L="", triple v, align align=-X, string format="", pen p=currentpen) { label(pic,L,Scale(pic,v),v.y,align,format,p); } void labely3(picture pic=currentpicture, Label L="", real y, align align=-X, string format="", pen p=currentpen) { labely(pic,L,(pic.scale.x.scale.logarithmic ? 1 : 0,y, pic.scale.z.scale.logarithmic ? 1 : 0),align,format,p); } void labelz(picture pic=currentpicture, Label L="", triple v, align align=-X, string format="", pen p=currentpen) { label(pic,L,Scale(pic,v),v.z,align,format,p); } void labelz3(picture pic=currentpicture, Label L="", real z, align align=-X, string format="", pen p=currentpen) { labelz(pic,L,(pic.scale.x.scale.logarithmic ? 1 : 0, pic.scale.y.scale.logarithmic ? 1 : 0,z),align,format,p); } typedef guide3 graph(triple F(real), real, real, int); typedef guide3[] multigraph(triple F(real), real, real, int); graph graph(interpolate3 join) { return new guide3(triple f(real), real a, real b, int n) { real width=b-a; return n == 0 ? join(f(a)) : join(...sequence(new guide3(int i) {return f(a+(i/n)*width);},n+1)); }; } multigraph graph(interpolate3 join, bool3 cond(real)) { return new guide3[](triple f(real), real a, real b, int n) { real width=b-a; if(n == 0) return new guide3[] {join(cond(a) ? f(a) : nullpath3)}; guide3[] G; guide3[] g; for(int i=0; i < n+1; ++i) { real t=a+(i/n)*width; bool3 b=cond(t); if(b) g.push(f(t)); else { if(g.length > 0) { G.push(join(...g)); g=new guide3[] {}; } if(b == default) g.push(f(t)); } } if(g.length > 0) G.push(join(...g)); return G; }; } guide3 Straight(... guide3[])=operator --; guide3 Spline(... guide3[])=operator ..; guide3 graph(picture pic=currentpicture, real x(real), real y(real), real z(real), real a, real b, int n=ngraph, interpolate3 join=operator --) { return graph(join)(new triple(real t) {return Scale(pic,(x(t),y(t),z(t)));}, a,b,n); } guide3[] graph(picture pic=currentpicture, real x(real), real y(real), real z(real), real a, real b, int n=ngraph, bool3 cond(real), interpolate3 join=operator --) { return graph(join,cond)(new triple(real t) { return Scale(pic,(x(t),y(t),z(t))); },a,b,n); } guide3 graph(picture pic=currentpicture, triple v(real), real a, real b, int n=ngraph, interpolate3 join=operator --) { return graph(join)(new triple(real t) {return Scale(pic,v(t));},a,b,n); } guide3[] graph(picture pic=currentpicture, triple v(real), real a, real b, int n=ngraph, bool3 cond(real), interpolate3 join=operator --) { return graph(join,cond)(new triple(real t) { return Scale(pic,v(t)); },a,b,n); } guide3 graph(picture pic=currentpicture, triple[] v, interpolate3 join=operator --) { int i=0; return graph(join)(new triple(real) { triple w=Scale(pic,v[i]); ++i; return w; },0,0,v.length-1); } guide3[] graph(picture pic=currentpicture, triple[] v, bool3[] cond, interpolate3 join=operator --) { int n=v.length; int i=0; triple w; checkconditionlength(cond.length,n); bool3 condition(real) { bool b=cond[i]; if(b) w=Scale(pic,v[i]); ++i; return b; } return graph(join,condition)(new triple(real) {return w;},0,0,n-1); } guide3 graph(picture pic=currentpicture, real[] x, real[] y, real[] z, interpolate3 join=operator --) { int n=x.length; checklengths(n,y.length); checklengths(n,z.length); int i=0; return graph(join)(new triple(real) { triple w=Scale(pic,(x[i],y[i],z[i])); ++i; return w; },0,0,n-1); } guide3[] graph(picture pic=currentpicture, real[] x, real[] y, real[] z, bool3[] cond, interpolate3 join=operator --) { int n=x.length; checklengths(n,y.length); checklengths(n,z.length); int i=0; triple w; checkconditionlength(cond.length,n); bool3 condition(real) { bool3 b=cond[i]; if(b != false) w=Scale(pic,(x[i],y[i],z[i])); ++i; return b; } return graph(join,condition)(new triple(real) {return w;},0,0,n-1); } // The graph of a function along a path. guide3 graph(triple F(path, real), path p, int n=1, interpolate3 join=operator --) { guide3 g=join(...sequence(new guide3(int i) { return F(p,i/n); },n*length(p))); return cyclic(p) ? join(g,cycle) : join(g,F(p,length(p))); } guide3 graph(triple F(pair), path p, int n=1, interpolate3 join=operator --) { return graph(new triple(path p, real position) {return F(point(p,position));},p,n,join); } guide3 graph(picture pic=currentpicture, real f(pair), path p, int n=1, interpolate3 join=operator --) { return graph(new triple(pair z) {return Scale(pic,(z.x,z.y,f(z)));},p,n, join); } guide3 graph(real f(pair), path p, int n=1, real T(pair), interpolate3 join=operator --) { return graph(new triple(pair z) {pair w=T(z); return (w.x,w.y,f(w));},p,n, join); } // Connect points in v into segments corresponding to consecutive true elements // of b using interpolation operator join. path3[] segment(triple[] v, bool[] cond, interpolate3 join=operator --) { checkconditionlength(cond.length,v.length); int[][] segment=segment(cond); return sequence(new path3(int i) {return join(...v[segment[i]]);}, segment.length); } bool uperiodic(triple[][] a) { int n=a.length; if(n == 0) return false; int m=a[0].length; triple[] a0=a[0]; triple[] a1=a[n-1]; real epsilon=sqrtEpsilon*norm(a); for(int j=0; j < m; ++j) if(abs(a0[j]-a1[j]) > epsilon) return false; return true; } bool vperiodic(triple[][] a) { int n=a.length; if(n == 0) return false; int m=a[0].length-1; real epsilon=sqrtEpsilon*norm(a); for(int i=0; i < n; ++i) if(abs(a[i][0]-a[i][m]) > epsilon) return false; return true; } // return the surface described by a matrix f surface surface(triple[][] f, bool[][] cond={}) { if(!rectangular(f)) abort("matrix is not rectangular"); int nx=f.length-1; int ny=nx > 0 ? f[0].length-1 : 0; bool all=cond.length == 0; int count; if(all) count=nx*ny; else { count=0; for(int i=0; i < nx; ++i) { bool[] condi=cond[i]; bool[] condp=cond[i+1]; for(int j=0; j < ny; ++j) if(condi[j] && condi[j+1] && condp[j] && condp[j+1]) ++count; } } surface s=surface(count); s.index=new int[nx][ny]; int k=-1; for(int i=0; i < nx; ++i) { bool[] condi,condp; if(!all) { condi=cond[i]; condp=cond[i+1]; } triple[] fi=f[i]; triple[] fp=f[i+1]; int[] indexi=s.index[i]; for(int j=0; j < ny; ++j) { if(all || (condi[j] && condi[j+1] && condp[j] && condp[j+1])) s.s[++k]=patch(new triple[] {fi[j],fp[j],fp[j+1],fi[j+1]}); indexi[j]=k; } } if(count == nx*ny) { if(uperiodic(f)) s.ucyclic(true); if(vperiodic(f)) s.vcyclic(true); } return s; } surface bispline(real[][] z, real[][] p, real[][] q, real[][] r, real[] x, real[] y, bool[][] cond={}) { // z[i][j] is the value at (x[i],y[j]) // p and q are the first derivatives with respect to x and y, respectively // r is the second derivative ddu/dxdy int n=x.length-1; int m=y.length-1; bool all=cond.length == 0; int count; if(all) count=n*m; else { count=0; for(int i=0; i < n; ++i) { bool[] condi=cond[i]; for(int j=0; j < m; ++j) if(condi[j]) ++count; } } surface s=surface(count); s.index=new int[n][m]; int k=0; for(int i=0; i < n; ++i) { int ip=i+1; real xi=x[i]; real xp=x[ip]; real x1=interp(xi,xp,1/3); real x2=interp(xi,xp,2/3); real hx=x1-xi; real[] zi=z[i]; real[] zp=z[ip]; real[] ri=r[i]; real[] rp=r[ip]; real[] pi=p[i]; real[] pp=p[ip]; real[] qi=q[i]; real[] qp=q[ip]; int[] indexi=s.index[i]; bool[] condi=all ? null : cond[i]; for(int j=0; j < m; ++j) { if(all || condi[j]) { real yj=y[j]; int jp=j+1; real yp=y[jp]; real y1=interp(yj,yp,1/3); real y2=interp(yj,yp,2/3); real hy=y1-yj; real hxy=hx*hy; real zij=zi[j]; real zip=zi[jp]; real zpj=zp[j]; real zpp=zp[jp]; real pij=hx*pi[j]; real ppj=hx*pp[j]; real qip=hy*qi[jp]; real qpp=hy*qp[jp]; real zippip=zip+hx*pi[jp]; real zppmppp=zpp-hx*pp[jp]; real zijqij=zij+hy*qi[j]; real zpjqpj=zpj+hy*qp[j]; s.s[k]=patch(new triple[][] { {(xi,yj,zij),(xi,y1,zijqij),(xi,y2,zip-qip),(xi,yp,zip)}, {(x1,yj,zij+pij),(x1,y1,zijqij+pij+hxy*ri[j]), (x1,y2,zippip-qip-hxy*ri[jp]),(x1,yp,zippip)}, {(x2,yj,zpj-ppj),(x2,y1,zpjqpj-ppj-hxy*rp[j]), (x2,y2,zppmppp-qpp+hxy*rp[jp]),(x2,yp,zppmppp)}, {(xp,yj,zpj),(xp,y1,zpjqpj),(xp,y2,zpp-qpp),(xp,yp,zpp)}},copy=false); indexi[j]=k; ++k; } } } return s; } // return the surface described by a real matrix f, interpolated with // xsplinetype and ysplinetype. surface surface(real[][] f, real[] x, real[] y, splinetype xsplinetype=null, splinetype ysplinetype=xsplinetype, bool[][] cond={}) { real epsilon=sqrtEpsilon*norm(y); if(xsplinetype == null) xsplinetype=(abs(x[0]-x[x.length-1]) <= epsilon) ? periodic : notaknot; if(ysplinetype == null) ysplinetype=(abs(y[0]-y[y.length-1]) <= epsilon) ? periodic : notaknot; int n=x.length; int m=y.length; real[][] ft=transpose(f); real[][] tp=new real[m][]; for(int j=0; j < m; ++j) tp[j]=xsplinetype(x,ft[j]); real[][] q=new real[n][]; for(int i=0; i < n; ++i) q[i]=ysplinetype(y,f[i]); real[][] qt=transpose(q); real[] d1=xsplinetype(x,qt[0]); real[] d2=xsplinetype(x,qt[m-1]); real[][] r=new real[n][]; real[][] p=transpose(tp); for(int i=0; i < n; ++i) r[i]=clamped(d1[i],d2[i])(y,p[i]); surface s=bispline(f,p,q,r,x,y,cond); if(xsplinetype == periodic) s.ucyclic(true); if(ysplinetype == periodic) s.vcyclic(true); return s; } // return the surface described by a real matrix f, interpolated with // xsplinetype and ysplinetype. surface surface(real[][] f, pair a, pair b, splinetype xsplinetype, splinetype ysplinetype=xsplinetype, bool[][] cond={}) { if(!rectangular(f)) abort("matrix is not rectangular"); int nx=f.length-1; int ny=nx > 0 ? f[0].length-1 : 0; if(nx == 0 || ny == 0) return nullsurface; real[] x=uniform(a.x,b.x,nx); real[] y=uniform(a.y,b.y,ny); return surface(f,x,y,xsplinetype,ysplinetype,cond); } // return the surface described by a real matrix f, interpolated linearly. surface surface(real[][] f, pair a, pair b, bool[][] cond={}) { if(!rectangular(f)) abort("matrix is not rectangular"); int nx=f.length-1; int ny=nx > 0 ? f[0].length-1 : 0; if(nx == 0 || ny == 0) return nullsurface; bool all=cond.length == 0; triple[][] v=new triple[nx+1][ny+1]; for(int i=0; i <= nx; ++i) { real x=interp(a.x,b.x,i/nx); bool[] condi=all ? null : cond[i]; triple[] vi=v[i]; real[] fi=f[i]; for(int j=0; j <= ny; ++j) if(all || condi[j]) vi[j]=(x,interp(a.y,b.y,j/ny),fi[j]); } return surface(v,cond); } // return the surface described by a parametric function f over box(a,b), // interpolated linearly. surface surface(triple f(pair z), pair a, pair b, int nu=nmesh, int nv=nu, bool cond(pair z)=null) { if(nu <= 0 || nv <= 0) return nullsurface; bool[][] active; bool all=cond == null; if(!all) active=new bool[nu+1][nv+1]; real du=1/nu; real dv=1/nv; pair Idv=(0,dv); pair dz=(du,dv); triple[][] v=new triple[nu+1][nv+1]; for(int i=0; i <= nu; ++i) { real x=interp(a.x,b.x,i*du); bool[] activei=all ? null : active[i]; triple[] vi=v[i]; for(int j=0; j <= nv; ++j) { pair z=(x,interp(a.y,b.y,j*dv)); if(all || (activei[j]=cond(z))) vi[j]=f(z); } } return surface(v,active); } // return the surface described by a parametric function f over box(a,b), // interpolated with usplinetype and vsplinetype. surface surface(triple f(pair z), pair a, pair b, int nu=nmesh, int nv=nu, splinetype[] usplinetype, splinetype[] vsplinetype=Spline, bool cond(pair z)=null) { return surface(f,uniform(a.x,b.x,nu),uniform(a.y,b.y,nv), usplinetype,vsplinetype,cond); } // return the surface described by a real function f over box(a,b), // interpolated linearly. surface surface(real f(pair z), pair a, pair b, int nx=nmesh, int ny=nx, bool cond(pair z)=null) { return surface(new triple(pair z) {return (z.x,z.y,f(z));},a,b,nx,ny,cond); } // return the surface described by a real function f over box(a,b), // interpolated with xsplinetype and ysplinetype. surface surface(real f(pair z), pair a, pair b, int nx=nmesh, int ny=nx, splinetype xsplinetype, splinetype ysplinetype=xsplinetype, bool cond(pair z)=null) { bool[][] active; bool all=cond == null; if(!all) active=new bool[nx+1][ny+1]; real dx=1/nx; real dy=1/ny; pair Idy=(0,dy); pair dz=(dx,dy); real[][] F=new real[nx+1][ny+1]; real[] x=uniform(a.x,b.x,nx); real[] y=uniform(a.y,b.y,ny); for(int i=0; i <= nx; ++i) { bool[] activei=all ? null : active[i]; real[] Fi=F[i]; real x=x[i]; for(int j=0; j <= ny; ++j) { pair z=(x,y[j]); Fi[j]=f(z); if(!all) activei[j]=cond(z); } } return surface(F,x,y,xsplinetype,ysplinetype,active); } guide3[][] lift(real f(real x, real y), guide[][] g, interpolate3 join=operator --) { guide3[][] G=new guide3[g.length][]; for(int cnt=0; cnt < g.length; ++cnt) { guide[] gcnt=g[cnt]; guide3[] Gcnt=new guide3[gcnt.length]; for(int i=0; i < gcnt.length; ++i) { guide gcnti=gcnt[i]; guide3 Gcnti=join(...sequence(new guide3(int j) { pair z=point(gcnti,j); return (z.x,z.y,f(z.x,z.y)); },size(gcnti))); if(cyclic(gcnti)) Gcnti=Gcnti..cycle; Gcnt[i]=Gcnti; } G[cnt]=Gcnt; } return G; } guide3[][] lift(real f(pair z), guide[][] g, interpolate3 join=operator --) { return lift(new real(real x, real y) {return f((x,y));},g,join); } void draw(picture pic=currentpicture, Label[] L=new Label[], guide3[][] g, pen[] p, light light=currentlight, string name="", render render=defaultrender, interaction interaction=LabelInteraction()) { pen thin=is3D() ? thin() : defaultpen; bool group=g.length > 1 && (name != "" || render.defaultnames); if(group) begingroup3(pic,name == "" ? "contours" : name,render); for(int cnt=0; cnt < g.length; ++cnt) { guide3[] gcnt=g[cnt]; pen pcnt=thin+p[cnt]; for(int i=0; i < gcnt.length; ++i) draw(pic,gcnt[i],pcnt,light,name); if(L.length > 0) { Label Lcnt=L[cnt]; for(int i=0; i < gcnt.length; ++i) { if(Lcnt.s != "" && size(gcnt[i]) > 1) label(pic,Lcnt,gcnt[i],pcnt,name,interaction); } } } if(group) endgroup3(pic); } void draw(picture pic=currentpicture, Label[] L=new Label[], guide3[][] g, pen p=currentpen, light light=currentlight, string name="", render render=defaultrender, interaction interaction=LabelInteraction()) { draw(pic,L,g,sequence(new pen(int) {return p;},g.length),light,name, render,interaction); } real maxlength(triple f(pair z), pair a, pair b, int nu, int nv) { return min(abs(f((b.x,a.y))-f(a))/nu,abs(f((a.x,b.y))-f(a))/nv); } // return a vector field on a parametric surface f over box(a,b). picture vectorfield(path3 vector(pair v), triple f(pair z), pair a, pair b, int nu=nmesh, int nv=nu, bool truesize=false, real maxlength=truesize ? 0 : maxlength(f,a,b,nu,nv), bool cond(pair z)=null, pen p=currentpen, arrowbar3 arrow=Arrow3, margin3 margin=PenMargin3, string name="", render render=defaultrender) { picture pic; real du=1/nu; real dv=1/nv; bool all=cond == null; real scale; if(maxlength > 0) { real size(pair z) { path3 g=vector(z); return abs(point(g,size(g)-1)-point(g,0)); } real max=size((0,0)); for(int i=0; i <= nu; ++i) { real x=interp(a.x,b.x,i*du); for(int j=0; j <= nv; ++j) max=max(max,size((x,interp(a.y,b.y,j*dv)))); } scale=max > 0 ? maxlength/max : 1; } else scale=1; bool group=name != "" || render.defaultnames; if(group) begingroup3(pic,name == "" ? "vectorfield" : name,render); for(int i=0; i <= nu; ++i) { real x=interp(a.x,b.x,i*du); for(int j=0; j <= nv; ++j) { pair z=(x,interp(a.y,b.y,j*dv)); if(all || cond(z)) { path3 g=scale3(scale)*vector(z); string name="vector"; if(truesize) { picture opic; draw(opic,g,p,arrow,margin,name,render); add(pic,opic,f(z)); } else draw(pic,shift(f(z))*g,p,arrow,margin,name,render); } } } if(group) endgroup3(pic); return pic; } triple polar(real r, real theta, real phi) { return r*expi(theta,phi); } guide3 polargraph(real r(real,real), real theta(real), real phi(real), int n=ngraph, interpolate3 join=operator --) { return graph(join)(new triple(real t) { return polar(r(theta(t),phi(t)),theta(t),phi(t)); },0,1,n); } // True arc path3 Arc(triple c, triple v1, triple v2, triple normal=O, bool direction=CCW, int n=nCircle) { v1 -= c; real r=abs(v1); v1=unit(v1); v2=unit(v2-c); if(normal == O) { normal=cross(v1,v2); if(normal == O) abort("explicit normal required for these endpoints"); } transform3 T=align(unit(normal)); transform3 Tinv=transpose(T); v1=Tinv*v1; v2=Tinv*v2; real fuzz=sqrtEpsilon*max(abs(v1),abs(v2)); if(abs(v1.z) > fuzz || abs(v2.z) > fuzz) abort("invalid normal vector"); real phi1=radians(longitude(v1,warn=false)); real phi2=radians(longitude(v2,warn=false)); if(direction) { if(phi1 >= phi2) phi1 -= 2pi; } else if(phi2 >= phi1) phi2 -= 2pi; static real piby2=pi/2; return shift(c)*T*polargraph(new real(real theta, real phi) {return r;}, new real(real t) {return piby2;}, new real(real t) {return interp(phi1,phi2,t);}, n,operator ..); } path3 Arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=O, bool direction, int n=nCircle) { return Arc(c,c+r*dir(theta1,phi1),c+r*dir(theta2,phi2),normal,direction,n); } path3 Arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=O, int n=nCircle) { return Arc(c,r,theta1,phi1,theta2,phi2,normal, theta2 > theta1 || (theta2 == theta1 && phi2 >= phi1) ? CCW : CW, n); } // True circle path3 Circle(triple c, real r, triple normal=Z, int n=nCircle) { static real piby2=pi/2; return shift(c)*align(unit(normal))* polargraph(new real(real theta, real phi) {return r;}, new real(real t) {return piby2;}, new real(real t) {return interp(0,2pi,t);},n,operator ..); } asymptote-2.62/base/res/0000755000000000000000000000000013607467113013701 5ustar rootrootasymptote-2.62/base/res/notes.txt0000644000000000000000000000044113607467113015571 0ustar rootrootFor now, I decide not to commit in the *.hdr reflectance image files because of the size and that they are binary format. Meanwhile, the images I use (temporarily) can be found at: - - -- Supakorn "Jamie"asymptote-2.62/base/plain_shipout.asy0000644000000000000000000000763013607467113016512 0ustar rootroot// Default file prefix used for inline LaTeX mode string defaultfilename; file _outpipe; if(settings.xasy) _outpipe=output(mode="pipe"); string[] file3; string outprefix(string prefix=defaultfilename) { return stripextension(prefix != "" ? prefix : outname()); } string outformat(string format="") { if(format == "") format=settings.outformat; if(format == "") format=nativeformat(); return format; } frame currentpatterns; frame Portrait(frame f) {return f;}; frame Landscape(frame f) {return rotate(90)*f;}; frame UpsideDown(frame f) {return rotate(180)*f;}; frame Seascape(frame f) {return rotate(-90)*f;}; typedef frame orientation(frame); orientation orientation=Portrait; // Forward references to functions defined in module three. object embed3(string, frame, string, string, string, light, projection); string Embed(string name, string text="", string options="", real width=0, real height=0); bool prconly(string format="") { return outformat(format) == "prc"; } bool prc0(string format="") { return settings.prc && (outformat(format) == "pdf" || prconly() || settings.inlineimage ); } bool prc(string format="") { return prc0(format) && Embed != null; } bool is3D(string format="") { return prc(format) || settings.render != 0; } frame enclose(string prefix=defaultfilename, object F, string format="") { if(prc(format)) { frame f; label(f,F.L); return f; } return F.f; } void deconstruct(picture pic=currentpicture) { frame f; transform t=pic.calculateTransform(); if(currentpicture.fitter == null) f=pic.fit(t); else f=pic.fit(); deconstruct(f,currentpatterns,t); } bool implicitshipout=false; void shipout(string prefix=defaultfilename, frame f, string format="", bool wait=false, bool view=true, string options="", string script="", light light=currentlight, projection P=currentprojection, transform t=identity) { if(is3D(f)) { f=enclose(prefix,embed3(prefix,f,format,options,script,light,P)); if(settings.render != 0 && !prc(format)) { return; } } if(outformat(format) == "html") { warning("htmltosvg", "html output requested for 2D picture; generating svg image instead..."); format="svg"; } if(settings.xasy || (!implicitshipout && prefix == defaultfilename)) { if(prefix == defaultfilename) { currentpicture.clear(); add(f,group=false); } return; } // Applications like LaTeX cannot handle large PostScript coordinates. pair m=min(f); int limit=2000; if(abs(m.x) > limit || abs(m.y) > limit) f=shift(-m)*f; _shipout(prefix,f,currentpatterns,format,wait,view,t); } void shipout(string prefix=defaultfilename, picture pic=currentpicture, orientation orientation=orientation, string format="", bool wait=false, bool view=true, string options="", string script="", light light=currentlight, projection P=currentprojection) { pic.uptodate=true; if(!uptodate()) { bool inlinetex=settings.inlinetex; bool prc=prc(format); bool empty3=pic.empty3(); if(prc && !empty3) { if(settings.render == 0) { string image=outprefix(prefix)+"+"+(string) file3.length; if(settings.inlineimage) image += "_0"; settings.inlinetex=false; settings.prc=false; shipout(image,pic,orientation,nativeformat(),view=false,light,P); settings.prc=true; } settings.inlinetex=settings.inlineimage; } frame f; transform t=pic.calculateTransform(); if(currentpicture.fitter == null) f=pic.fit(t); else f=pic.fit(prefix,format,view=view,options,script,light,P); if(!prconly() && (!pic.empty2() || settings.render == 0 || prc || empty3)) shipout(prefix,orientation(f),format,wait,view,t); settings.inlinetex=inlinetex; } } void newpage(picture pic=currentpicture) { pic.add(new void(frame f, transform) { newpage(f); },true); } asymptote-2.62/base/patterns.asy0000644000000000000000000000506713607467113015476 0ustar rootroot// Create a tiling named name from picture pic // with optional left-bottom margin lb and right-top margin rt. frame tiling(string name, picture pic, pair lb=0, pair rt=0) { frame tiling; frame f=pic.fit(identity()); pair pmin=min(f)-lb; pair pmax=max(f)+rt; string s="%.6f"; postscript(tiling,"<< /PaintType 1 /PatternType 1 /TilingType 1 /BBox ["+format(s,pmin.x,"C")+" "+format(s,pmin.y,"C")+" "+ format(s,pmax.x,"C")+" "+format(s,pmax.y,"C")+"] /XStep "+format(s,pmax.x-pmin.x,"C")+" /YStep "+format(s,pmax.y-pmin.y,"C")+" /PaintProc {pop"); add(tiling,f); postscript(tiling,"} >> matrix makepattern /"+name+" exch def"); return tiling; } // Add to frame preamble a tiling name constructed from picture pic // with optional left-bottom margin lb and right-top margin rt. void add(string name, picture pic, pair lb=0, pair rt=0) { add(currentpatterns,tiling(name,pic,lb,rt)); } picture tile(real Hx=5mm, real Hy=0, pen p=currentpen, filltype filltype=NoFill) { picture tiling; if(Hy == 0) Hy=Hx; path tile=box((0,0),(Hx,Hy)); tiling.add(new void (frame f, transform t) { filltype.fill(f,t*tile,p); }); clip(tiling,tile); return tiling; } picture checker(real Hx=5mm, real Hy=0, pen p=currentpen) { picture tiling; if(Hy == 0) Hy=Hx; path tile=box((0,0),(Hx,Hy)); fill(tiling,tile,p); fill(tiling,shift(Hx,Hy)*tile,p); clip(tiling,box((0,0),(2Hx,2Hy))); return tiling; } picture brick(real Hx=5mm, real Hy=0, pen p=currentpen) { picture tiling; if(Hy == 0) Hy=Hx/2; path tile=box((0,0),(Hx,Hy)); draw(tiling,tile,p); draw(tiling,(Hx/2,Hy)--(Hx/2,2Hy),p); draw(tiling,(0,2Hy)--(Hx,2Hy),p); clip(tiling,box((0,0),(Hx,2Hy))); return tiling; } real hatchepsilon=1e-4; picture hatch(real H=5mm, pair dir=NE, pen p=currentpen) { picture tiling; real theta=angle(dir); real s=sin(theta); real c=cos(theta); if(abs(s) <= hatchepsilon) { path g=(0,0)--(H,0); draw(tiling,g,p); draw(tiling,shift(0,H)*g,p); clip(tiling,scale(H)*unitsquare); } else if(abs(c) <= hatchepsilon) { path g=(0,0)--(0,H); draw(tiling,g,p); draw(tiling,shift(H,0)*g,p); clip(tiling,scale(H)*unitsquare); } else { real h=H/s; real y=H/c; path g=(0,0)--(h,y); draw(tiling,g,p); draw(tiling,shift(-h/2,y/2)*g,p); draw(tiling,shift(h/2,-y/2)*g,p); clip(tiling,box((0,0),(h,y))); } return tiling; } picture crosshatch(real H=5mm, pen p=currentpen) { picture tiling; add(tiling,hatch(H,p)); add(tiling,shift(H*sqrt(2))*rotate(90)*hatch(H,p)); return tiling; } asymptote-2.62/base/plain_strings.asy0000644000000000000000000001403113607467113016501 0ustar rootrootstring defaultformat(int n, string trailingzero="", bool fixed=false, bool signed=true) { return "$%"+trailingzero+"."+string(n)+(fixed ? "f" : "g")+"$"; } string defaultformat=defaultformat(4); string defaultseparator="\!\times\!"; string ask(string prompt) { write(stdout,prompt); return stdin; } string getstring(string name="", string default="", string prompt="", bool store=true) { string[] history=history(name,1); if(history.length > 0) default=history[0]; if(prompt == "") prompt=name+"? [%s] "; prompt=replace(prompt,new string[][] {{"%s",default}}); string s=readline(prompt,name); if(s == "") s=default; else saveline(name,s,store); return s; } int getint(string name="", int default=0, string prompt="", bool store=true) { return (int) getstring(name,(string) default,prompt,store); } real getreal(string name="", real default=0, string prompt="", bool store=true) { return (real) getstring(name,(string) default,prompt,store); } pair getpair(string name="", pair default=0, string prompt="", bool store=true) { return (pair) getstring(name,(string) default,prompt,store); } triple gettriple(string name="", triple default=(0,0,0), string prompt="", bool store=true) { return (triple) getstring(name,(string) default,prompt,store); } // returns a string with all occurrences of string 'before' in string 's' // changed to string 'after'. string replace(string s, string before, string after) { return replace(s,new string[][] {{before,after}}); } // Like texify but don't convert embedded TeX commands: \${} string TeXify(string s) { static string[][] t={{"&","\&"},{"%","\%"},{"_","\_"},{"#","\#"},{"<","$<$"}, {">","$>$"},{"|","$|$"},{"^","$\hat{\ }$"}, {"~","$\tilde{\ }$"},{" ","\phantom{ }"}}; return replace(s,t); } private string[][] trans1={{'\\',"\backslash "}, {"$","\$"},{"{","\{"},{"}","\}"}}; private string[][] trans2={{"\backslash ","$\backslash$"}}; // Convert string to TeX string texify(string s) { return TeXify(replace(replace(s,trans1),trans2)); } // Convert string to TeX, preserving newlines string verbatim(string s) { bool space=substr(s,0,1) == '\n'; static string[][] t={{'\n',"\\"}}; t.append(trans1); s=TeXify(replace(replace(s,t),trans2)); return space ? "\ "+s : s; } // Split a string into an array of substrings delimited by delimiter // If delimiter is an empty string, use space delimiter but discard empty // substrings. TODO: Move to C++ code. string[] split(string s, string delimiter="") { bool prune=false; if(delimiter == "") { prune=true; delimiter=" "; } string[] S; int last=0; int i; int N=length(delimiter); int n=length(s); while((i=find(s,delimiter,last)) >= 0) { if(i > last || (i == last && !prune)) S.push(substr(s,last,i-last)); last=i+N; } if(n > last || (n == last && !prune)) S.push(substr(s,last,n-last)); return S; } // Returns an array of strings obtained by splitting s into individual // characters. TODO: Move to C++ code. string[] array(string s) { int len=length(s); string[] S=new string[len]; for(int i=0; i < len; ++i) S[i]=substr(s,i,1); return S; } // Concatenate an array of strings into a single string. // TODO: Move to C++ code. string operator +(...string[] a) { string S; for(string s : a) S += s; return S; } int system(string s) { return system(split(s)); } int[] operator ecast(string[] a) { return sequence(new int(int i) {return (int) a[i];},a.length); } real[] operator ecast(string[] a) { return sequence(new real(int i) {return (real) a[i];},a.length); } // Read contents of file as a string. string file(string s) { file f=input(s); string s; while(!eof(f)) { s += f+'\n'; } return s; } string italic(string s) { return s != "" ? "{\it "+s+"}" : s; } string baseline(string s, string template="\strut") { return s != "" && settings.tex != "none" ? "\vphantom{"+template+"}"+s : s; } string math(string s) { return s != "" ? "$"+s+"$" : s; } private void notimplemented(string text) { abort(text+" is not implemented for the '"+settings.tex+"' TeX engine"); } string jobname(string name) { int pos=rfind(name,"-"); return pos >= 0 ? "\ASYprefix\jobname"+substr(name,pos) : name; } string graphic(string name, string options="") { if(latex()) { if(options != "") options="["+options+"]"; string includegraphics="\includegraphics"+options; return includegraphics+"{"+(settings.inlinetex ? jobname(name) : name)+"}"; } if(settings.tex != "context") notimplemented("graphic"); return "\externalfigure["+name+"]["+options+"]"; } string graphicscale(real x) { return string(settings.tex == "context" ? 1000*x : x); } string minipage(string s, real width=100bp) { if(latex()) return "\begin{minipage}{"+(string) (width/pt)+"pt}"+s+"\end{minipage}"; if(settings.tex != "context") notimplemented("minipage"); return "\startframedtext[none][frame=off,width="+(string) (width/pt)+ "pt]"+s+"\stopframedtext"; } void usepackage(string s, string options="") { if(!latex()) notimplemented("usepackage"); string usepackage="\usepackage"; if(options != "") usepackage += "["+options+"]"; texpreamble(usepackage+"{"+s+"}"); } void pause(string w="Hit enter to continue") { write(w); w=stdin; } string format(string format=defaultformat, bool forcemath=false, real x, string locale="") { return format(format,forcemath,defaultseparator,x,locale); } string phantom(string s) { return settings.tex != "none" ? "\phantom{"+s+"}" : ""; } string[] spinner=new string[] {'|','/','-','\\'}; spinner.cyclic=true; void progress(bool3 init=default) { static int count=-1; static int lastseconds=-1; if(init == true) { lastseconds=0; write(stdout,' ',flush); } else if(init == default) { int seconds=seconds(); if(seconds > lastseconds) { lastseconds=seconds; write(stdout,'\b'+spinner[++count],flush); } } else write(stdout,'\b',flush); } restricted int ocgindex=0; asymptote-2.62/base/binarytree.asy0000644000000000000000000002633213607467113016000 0ustar rootroot/* ********************************************************************** * binarytree: An Asymptote module to draw binary trees * * * * Copyright(C) 2006 * * Tobias Langner tobias[at]langner[dot]nightlabs[dot]de * * * * Modified by John Bowman * * * * Condensed mode: * * Copyright(C) 2012 * * Gerasimos Dimitriadis dimeg [at] intracom [dot] gr * * * ************************************************************************ * * * 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 3 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., * * 51 Franklin St, Fifth Floor, * * Boston, MA 02110-1301 USA * * * * Or get it online: * * http: //www.gnu.org/copyleft/lesser.html * * * ***********************************************************************/ // default values real minDistDefault=0.2cm; real nodeMarginDefault=0.1cm; // structure to represent nodes in a binary tree struct binarytreeNode { int key; binarytreeNode left; binarytreeNode right; binarytreeNode parent; bool spans_calculated=false; int left_span,total_left_span; int right_span,total_right_span; void update_spans(); // Get the horizontal span of the tree consisting of the current // node plus the whole subtree that is rooted at the right child // (condensed mode) int getTotalRightSpan() { if(spans_calculated == false) { update_spans(); } return total_right_span; } // Get the horizontal span of the tree consisting of the current // node plus the whole subtree that is rooted at the left child // (condensed mode) int getTotalLeftSpan() { if(spans_calculated == false) { update_spans(); } return total_left_span; } // Get the horizontal distance between this node and its right child // (condensed mode) int getRightSpan() { if(spans_calculated == false) { update_spans(); } return right_span; } // Get the horizontal distance between this node and its left child // (condensed mode) int getLeftSpan() { if(spans_calculated == false) { update_spans(); } return left_span; } // Update all span figures for this node. // condensed mode) update_spans=new void() { if(spans_calculated == true) return; left_span=0; total_left_span=0; right_span=0; total_right_span=0; if(left != null) { left_span=left.getTotalRightSpan()+1; total_left_span=left_span+left.getTotalLeftSpan(); } if(right != null) { right_span=right.getTotalLeftSpan()+1; total_right_span=right_span+right.getTotalRightSpan(); } spans_calculated=true; }; // set the left child of this node void setLeft(binarytreeNode left) { this.left=left; this.left.parent=this; } // set the right child of this node void setRight(binarytreeNode right) { this.right=right; this.right.parent=this; } // return a boolean indicating whether this node is the root bool isRoot() { return parent == null; } // return the level of the subtree rooted at this node. int getLevel() { if(isRoot()) return 1; else return parent.getLevel()+1; } // set the children of this binarytreeNode void setChildren(binarytreeNode left, binarytreeNode right) { setLeft(left); setRight(right); } // create a new binarytreeNode with key static binarytreeNode binarytreeNode(int key) { binarytreeNode toReturn=new binarytreeNode; toReturn.key=key; return toReturn; } // returns the height of the subtree rooted at this node. int getHeight() { if(left == null && right == null) return 1; if(left == null) return right.getHeight()+1; if(right == null) return left.getHeight()+1; return max(left.getHeight(),right.getHeight())+1; } } binarytreeNode operator init() {return null;} // "constructor" for binarytreeNode binarytreeNode binarytreeNode(int key)=binarytreeNode.binarytreeNode; // draw the tree rooted at the given at the given position , with // =the height of the containing tree, // =the minimal horizontal distance of two nodes at the lowest level, // =the vertical distance between two levels, // =the diameter of one node. object draw(picture pic=currentpicture, binarytreeNode node, pair pos, int height, real minDist, real levelDist, real nodeDiameter, pen p=currentpen, bool condensed=false) { Label label=Label(math((string) node.key),pos); binarytreeNode left=node.left; binarytreeNode right=node.right; // return the distance for two nodes at the given when the // containing tree has height // and the minimal distance between two nodes is . real getDistance(int level, int height, real minDist) { return(nodeDiameter+minDist)*2^(height-level); } // return the horiontal distance between node and its left child // (condensed mode) real getLeftDistance(binarytreeNode n) { return(nodeDiameter+minDist) *(real)n.getLeftSpan() * 0.5; } // return the horiontal distance between node and its right child // (condensed mode) real getRightDistance(binarytreeNode n) { return(nodeDiameter+minDist) *(real)n.getRightSpan() * 0.5; } real dist=getDistance(node.getLevel(),height,minDist)/2; // draw the connection between the two nodes at the given positions // by calculating the connection points and drawing the corresponding // arrow. void deferredDrawNodeConnection(pair parentPos, pair childPos) { pic.add(new void(frame f, transform t) { pair start,end; // calculate connection path transform T=shift(nodeDiameter/2*unit(t*childPos-t*parentPos)); path arr=(T*t*parentPos)--(inverse(T)*t*childPos); draw(f,PenMargin(arr,p).g,p,Arrow(5)); }); pic.addPoint(parentPos); pic.addPoint(childPos); } if(left != null) { pair childPos; if(condensed == false) { childPos=pos-(0,levelDist)-(dist/2,0); } else { childPos=pos-(0,levelDist)-((real)getLeftDistance(node),0); } draw(pic,left,childPos,height,minDist,levelDist,nodeDiameter,p,condensed); deferredDrawNodeConnection(pos,childPos); } if(right != null) { pair childPos; if(condensed == false) { childPos=pos-(0,levelDist)+(dist/2,0); } else { childPos=pos-(0,levelDist)+((real)getRightDistance(node),0); } draw(pic,right,childPos,height,minDist,levelDist,nodeDiameter,p,condensed); deferredDrawNodeConnection(pos,childPos); } picture obj; draw(obj,circle((0,0),nodeDiameter/2),p); label(obj,label,(0,0),p); add(pic,obj,pos); return label; } struct key { int n; bool active; } key key(int n, bool active=true) {key k; k.n=n; k.active=active; return k;} key operator cast(int n) {return key(n);} int operator cast(key k) {return k.n;} int[] operator cast(key[] k) { int[] I; for(int i=0; i < k.length; ++i) I[i]=k[i].n; return I; } key nil=key(0,false); // structure to represent a binary tree. struct binarytree { binarytreeNode root; int[] keys; // add the given to the tree by searching for its place and // inserting it there. void addKey(int key) { binarytreeNode newNode=binarytreeNode(key); if(root == null) { root=newNode; keys.push(key); return; } binarytreeNode n=root; while(n != null) { if(key < n.key) { if(n.left != null) n=n.left; else { n.setLeft(newNode); keys.push(key); return; } } else if(key > n.key) { if(n.right != null) n=n.right; else { n.setRight(newNode); keys.push(key); return; } } } } // return the height of the tree int getHeight() { if(root == null) return 0; else return root.getHeight(); } // add all given keys to the tree sequentially void addSearchKeys(int[] keys) { for(int i=0; i < keys.length; ++i) { int key=keys[i]; // Ignore duplicate keys if(find(this.keys == key) == -1) addKey(key); } } binarytreeNode build(key[] keys, int[] ind) { if(ind[0] >= keys.length) return null; key k=keys[ind[0]]; ++ind[0]; if(!k.active) return null; binarytreeNode bt=binarytreeNode(k); binarytreeNode left=build(keys,ind); binarytreeNode right=build(keys,ind); bt.left=left; bt.right=right; if(left != null) left.parent=bt; if(right != null) right.parent=bt; return bt; } void addKeys(key[] keys) { int[] ind={0}; root=build(keys,ind); this.keys=keys; } // return all key in the tree int[] getKeys() { return keys; } } binarytree searchtree(...int[] keys) { binarytree bt; bt.addSearchKeys(keys); return bt; } binarytree binarytree(...key[] keys) { binarytree bt; bt.addKeys(keys); return bt; } // draw the given binary tree. void draw(picture pic=currentpicture, binarytree tree, real minDist=minDistDefault, real nodeMargin=nodeMarginDefault, pen p=currentpen, bool condensed=false) { int[] keys=tree.getKeys(); // calculate the node diameter so that all keys fit into it frame f; for(int i=0; i < keys.length; ++i) label(f,math(string(keys[i])),p); real nodeDiameter=abs(max(f)-min(f))+2*nodeMargin; real levelDist=nodeDiameter*1.8; draw(pic,tree.root,(0,0),tree.getHeight(),minDist,levelDist,nodeDiameter,p, condensed); } asymptote-2.62/base/drawtree.asy0000644000000000000000000000407513607467113015451 0ustar rootroot// A simple tree drawing module contributed by adarovsky // See example treetest.asy real treeNodeStep = 0.5cm; real treeLevelStep = 1cm; real treeMinNodeWidth = 2cm; struct TreeNode { TreeNode parent; TreeNode[] children; frame content; pair pos; real adjust; } void add( TreeNode child, TreeNode parent ) { child.parent = parent; parent.children.push( child ); } TreeNode makeNode( TreeNode parent = null, frame f ) { TreeNode child = new TreeNode; child.content = f; if( parent != null ) { add( child, parent ); } return child; } TreeNode makeNode( TreeNode parent = null, Label label ) { frame f; box( f, label); return makeNode( parent, f ); } real layout( int level, TreeNode node ) { if( node.children.length > 0 ) { real width[] = new real[node.children.length]; real curWidth = 0; for( int i = 0; i < node.children.length; ++i ) { width[i] = layout( level+1, node.children[i] ); node.children[i].pos = (curWidth + width[i]/2, -level*treeLevelStep); curWidth += width[i] + treeNodeStep; } real midPoint = ( sum( width )+treeNodeStep*(width.length-1)) / 2; for( int i = 0; i < node.children.length; ++i ) { node.children[i].adjust = - midPoint; } return max( (max(node.content)-min(node.content)).x, sum(width)+treeNodeStep*(width.length-1) ); } else { return max( treeMinNodeWidth, (max(node.content)-min(node.content)).x ); } } void drawAll( TreeNode node, frame f ) { pair pos; if( node.parent != null ) pos = (node.parent.pos.x+node.adjust, 0); else pos = (node.adjust, 0); node.pos += pos; node.content = shift(node.pos)*node.content; add( f, node.content ); if( node.parent != null ) { path p = point(node.content, N)--point(node.parent.content,S); draw( f, p, currentpen ); } for( int i = 0; i < node.children.length; ++i ) drawAll( node.children[i], f ); } void draw( TreeNode root, pair pos ) { frame f; root.pos = (0,0); layout( 1, root ); drawAll( root, f ); add(f,pos); } asymptote-2.62/base/babel.asy0000644000000000000000000000006313607467113014672 0ustar rootrootvoid babel(string s) { usepackage("babel",s); } asymptote-2.62/base/plain_pens.asy0000644000000000000000000002072513607467113015764 0ustar rootrootreal labelmargin=0.3; real dotfactor=6; pen solid=linetype(new real[]); pen dotted=linetype(new real[] {0,4}); pen dashed=linetype(new real[] {8,8}); pen longdashed=linetype(new real[] {24,8}); pen dashdotted=linetype(new real[] {8,8,0,8}); pen longdashdotted=linetype(new real[] {24,8,0,8}); pen linetype(string pattern, real offset=0, bool scale=true, bool adjust=true) { return linetype((real[]) split(pattern),offset,scale,adjust); } void defaultpen(real w) {defaultpen(linewidth(w));} pen operator +(pen p, real w) {return p+linewidth(w);} pen operator +(real w, pen p) {return linewidth(w)+p;} pen Dotted(pen p=currentpen) {return linetype(new real[] {0,3})+2*linewidth(p);} pen Dotted=Dotted(); restricted pen squarecap=linecap(0); restricted pen roundcap=linecap(1); restricted pen extendcap=linecap(2); restricted pen miterjoin=linejoin(0); restricted pen roundjoin=linejoin(1); restricted pen beveljoin=linejoin(2); restricted pen zerowinding=fillrule(0); restricted pen evenodd=fillrule(1); bool interior(int windingnumber, pen fillrule) { return windingnumber != undefined && (fillrule(fillrule) == 1 ? windingnumber % 2 == 1 : windingnumber != 0); } restricted pen nobasealign=basealign(0); restricted pen basealign=basealign(1); pen invisible=invisible(); pen thin() {return settings.thin ? linewidth(0) : defaultpen;} pen thick(pen p=currentpen) {return linewidth(linewidth(p));} pen nullpen=linewidth(0)+invisible; pen black=gray(0); pen white=gray(1); pen gray=gray(0.5); pen red=rgb(1,0,0); pen green=rgb(0,1,0); pen blue=rgb(0,0,1); pen Cyan=cmyk(1,0,0,0); pen Magenta=cmyk(0,1,0,0); pen Yellow=cmyk(0,0,1,0); pen Black=cmyk(0,0,0,1); pen cyan=rgb(0,1,1); pen magenta=rgb(1,0,1); pen yellow=rgb(1,1,0); pen palered=rgb(1,0.75,0.75); pen palegreen=rgb(0.75,1,0.75); pen paleblue=rgb(0.75,0.75,1); pen palecyan=rgb(0.75,1,1); pen palemagenta=rgb(1,0.75,1); pen paleyellow=rgb(1,1,0.75); pen palegray=gray(0.95); pen lightred=rgb(1,0.5,0.5); pen lightgreen=rgb(0.5,1,0.5); pen lightblue=rgb(0.5,0.5,1); pen lightcyan=rgb(0.5,1,1); pen lightmagenta=rgb(1,0.5,1); pen lightyellow=rgb(1,1,0.5); pen lightgray=gray(0.9); pen mediumred=rgb(1,0.25,0.25); pen mediumgreen=rgb(0.25,1,0.25); pen mediumblue=rgb(0.25,0.25,1); pen mediumcyan=rgb(0.25,1,1); pen mediummagenta=rgb(1,0.25,1); pen mediumyellow=rgb(1,1,0.25); pen mediumgray=gray(0.75); pen heavyred=rgb(0.75,0,0); pen heavygreen=rgb(0,0.75,0); pen heavyblue=rgb(0,0,0.75); pen heavycyan=rgb(0,0.75,0.75); pen heavymagenta=rgb(0.75,0,0.75); pen lightolive=rgb(0.75,0.75,0); pen heavygray=gray(0.25); pen deepred=rgb(0.5,0,0); pen deepgreen=rgb(0,0.5,0); pen deepblue=rgb(0,0,0.5); pen deepcyan=rgb(0,0.5,0.5); pen deepmagenta=rgb(0.5,0,0.5); pen deepyellow=rgb(0.5,0.5,0); pen deepgray=gray(0.1); pen darkred=rgb(0.25,0,0); pen darkgreen=rgb(0,0.25,0); pen darkblue=rgb(0,0,0.25); pen darkcyan=rgb(0,0.25,0.25); pen darkmagenta=rgb(0.25,0,0.25); pen darkolive=rgb(0.25,0.25,0); pen darkgray=gray(0.05); pen orange=rgb(1,0.5,0); pen fuchsia=rgb(1,0,0.5); pen chartreuse=rgb(0.5,1,0); pen springgreen=rgb(0,1,0.5); pen purple=rgb(0.5,0,1); pen royalblue=rgb(0,0.5,1); // Synonyms: pen salmon=lightred; pen brown=deepred; pen olive=deepyellow; pen darkbrown=darkred; pen pink=palemagenta; pen palegrey=palegray; pen lightgrey=lightgray; pen mediumgrey=mediumgray; pen grey=gray; pen heavygrey=heavygray; pen deepgrey=deepgray; pen darkgrey=darkgray; // Options for handling label overwriting restricted int Allow=0; restricted int Suppress=1; restricted int SuppressQuiet=2; restricted int Move=3; restricted int MoveQuiet=4; pen[] colorPen={red,blue,green,magenta,cyan,orange,purple,brown, deepblue,deepgreen,chartreuse,fuchsia,lightred, lightblue,black,pink,yellow,gray}; colorPen.cyclic=true; pen[] monoPen={solid,dashed,dotted,longdashed,dashdotted, longdashdotted}; monoPen.cyclic=true; pen Pen(int n) { return (settings.gray || settings.bw) ? monoPen[n] : colorPen[n]; } pen Pentype(int n) { return (settings.gray || settings.bw) ? monoPen[n] : monoPen[n]+colorPen[n]; } real dotsize(pen p=currentpen) { return dotfactor*linewidth(p); } pen fontsize(real size) { return fontsize(size,1.2*size); } real labelmargin(pen p=currentpen) { return labelmargin*fontsize(p); } void write(file file=stdout, string s="", pen[] p) { for(int i=0; i < p.length; ++i) write(file,s,p[i],endl); } void usetypescript(string s, string encoding="") { string s="\usetypescript["+s+"]"; if(encoding != "") s +="["+encoding+"]"; texpreamble(s); } pen font(string name, string options="") { // Work around misalignment in ConTeXt switchtobodyfont if font is not found. return fontcommand(settings.tex == "context" ? "\switchtobodyfont["+name+ (options == "" ? "" : ","+options)+ "]\removeunwantedspaces" : "\font\ASYfont="+name+"\ASYfont"); } pen font(string name, real size, string options="") { string s=(string) (size/pt)+"pt"; if(settings.tex == "context") return fontsize(size)+font(name+","+s,options); return fontsize(size)+font(name+" at "+s); } pen font(string encoding, string family, string series, string shape) { return fontcommand("\usefont{"+encoding+"}{"+family+"}{"+series+"}{"+shape+ "}"); } pen AvantGarde(string series="m", string shape="n") { return font("OT1","pag",series,shape); } pen Bookman(string series="m", string shape="n") { return font("OT1","pbk",series,shape); } pen Courier(string series="m", string shape="n") { return font("OT1","pcr",series,shape); } pen Helvetica(string series="m", string shape="n") { return font("OT1","phv",series,shape); } pen NewCenturySchoolBook(string series="m", string shape="n") { return font("OT1","pnc",series,shape); } pen Palatino(string series="m", string shape="n") { return font("OT1","ppl",series,shape); } pen TimesRoman(string series="m", string shape="n") { return font("OT1","ptm",series,shape); } pen ZapfChancery(string series="m", string shape="n") { return font("OT1","pzc",series,shape); } pen Symbol(string series="m", string shape="n") { return font("OT1","psy",series,shape); } pen ZapfDingbats(string series="m", string shape="n") { return font("OT1","pzd",series,shape); } pen squarepen=makepen(shift(-0.5,-0.5)*unitsquare); struct hsv { real h; real v; real s; void operator init(real h, real s, real v) { this.h=h; this.s=s; this.v=v; } void operator init(pen p) { real[] c=colors(rgb(p)); real r=c[0]; real g=c[1]; real b=c[2]; real M=max(r,g,b); real m=min(r,g,b); if(M == m) this.h=0; else { real denom=1/(M-m); if(M == r) { this.h=60*(g-b)*denom; if(g < b) h += 360; } else if(M == g) { this.h=60*(b-r)*denom+120; } else this.h=60*(r-g)*denom+240; } this.s=M == 0 ? 0 : 1-m/M; this.v=M; } // return an rgb pen corresponding to h in [0,360) and s and v in [0,1]. pen rgb() { real H=(h % 360)/60; int i=floor(H) % 6; real f=H-i; real[] V={v,v*(1-s),v*(1-(i % 2 == 0 ? 1-f : f)*s)}; int[] a={0,2,1,1,2,0}; int[] b={2,0,0,2,1,1}; int[] c={1,1,2,0,0,2}; return rgb(V[a[i]],V[b[i]],V[c[i]]); } } pen operator cast(hsv hsv) { return hsv.rgb(); } hsv operator cast(pen p) { return hsv(p); } real[] rgba(pen p) { real[] a=colors(rgb(p)); a.push(opacity(p)); return a; } pen rgba(real[] a) { return rgb(a[0],a[1],a[2])+opacity(a[3]); } // Return a pen corresponding to a given 6-character RGB hexadecimal string. pen rgb(string s) { int offset=substr(s,0,1) == '#' ? 1 : 0; real value(string s, int i) {return hex(substr(s,2i+offset,2))/255;} return rgb(value(s,0),value(s,1),value(s,2)); } pen RGB(int r, int g, int b) { return rgb(r/255,g/255,b/255); } pen[] operator +(pen[] a, pen b) { return sequence(new pen(int i) {return a[i]+b;},a.length); } pen[] operator +(pen a, pen[] b) { return sequence(new pen(int i) {return a+b[i];},b.length); } // Interpolate an array of pens in rgb space using by default their minimum // opacity. pen mean(pen[] p, real opacity(real[])=min) { if(p.length == 0) return nullpen; real[] a=rgba(p[0]); real[] t=new real[p.length]; t[0]=a[3]; for(int i=1; i < p.length; ++i) { real[] b=rgba(p[i]); a += b; t[i]=b[3]; } a /= p.length; return rgb(a[0],a[1],a[2])+opacity(opacity(t)); } pen[] mean(pen[][] palette, real opacity(real[])=min) { return sequence(new pen(int i) {return mean(palette[i],opacity);}, palette.length); } asymptote-2.62/base/bezulate.asy0000644000000000000000000002253613607467113015451 0ustar rootroot// Bezier triangulation routines written by Orest Shardt, 2008. private real fuzz=sqrtEpsilon; real duplicateFuzz=1e-3; // Work around font errors. real maxrefinements=10; private real[][] intersections(pair a, pair b, path p) { pair delta=fuzz*unit(b-a); return intersections(a-delta--b+delta,p,fuzz); } int countIntersections(path[] p, pair start, pair end) { int intersects=0; for(path q : p) intersects += intersections(start,end,q).length; return intersects; } path[][] containmentTree(path[] paths) { path[][] result; for(path g : paths) { // check if current curve contains or is contained in a group of curves int j; for(j=0; j < result.length; ++j) { path[] resultj=result[j]; int test=inside(g,resultj[0],zerowinding); if(test == 1) { // current curve contains group's toplevel curve; // replace toplevel curve with current curve resultj.insert(0,g); // check to see if any other groups are contained within this curve for(int k=j+1; k < result.length;) { if(inside(g,result[k][0],zerowinding) == 1) { resultj.append(result[k]); result.delete(k); } else ++k; } break; } else if(test == -1) { // current curve contained within group's toplevel curve resultj.push(g); break; } } // create a new group if this curve does not belong to another group if(j == result.length) result.push(new path[] {g}); } return result; } bool isDuplicate(pair a, pair b, real relSize) { return abs(a-b) <= duplicateFuzz*relSize; } path removeDuplicates(path p) { real relSize = abs(max(p)-min(p)); bool cyclic=cyclic(p); for(int i=0; i < length(p); ++i) { if(isDuplicate(point(p,i),point(p,i+1),relSize)) { p=subpath(p,0,i)&subpath(p,i+1,length(p)); --i; } } return cyclic ? p&cycle : p; } path section(path p, real t1, real t2, bool loop=false) { if(t2 < t1 || loop && t1 == t2) t2 += length(p); return subpath(p,t1,t2); } path uncycle(path p, real t) { return subpath(p,t,t+length(p)); } // returns outer paths void connect(path[] paths, path[] result, path[] patch) { path[][] tree=containmentTree(paths); for(path[] group : tree) { path outer = group[0]; group.delete(0); path[][] innerTree = containmentTree(group); path[] remainingCurves; path[] inners; for(path[] innerGroup:innerTree) { inners.push(innerGroup[0]); if(innerGroup.length>1) remainingCurves.append(innerGroup[1:]); } connect(remainingCurves,result,patch); real d=2*abs(max(outer)-min(outer)); while(inners.length > 0) { int curveIndex = 0; //pair direction=I*dir(inners[curveIndex],0,1); // Use outgoing direction //if(direction == 0) // Try a random direction // direction=expi(2pi*unitrand()); //pair start=point(inners[curveIndex],0); // find shortest distance between a node on the inner curve and a node // on the outer curve real mindist = d; int inner_i = 0; int outer_i = 0; for(int ni = 0; ni < length(inners[curveIndex]); ++ni) { for(int no = 0; no < length(outer); ++no) { real dist = abs(point(inners[curveIndex],ni)-point(outer,no)); if(dist < mindist) { inner_i = ni; outer_i = no; mindist = dist; } } } pair start=point(inners[curveIndex],inner_i); pair end = point(outer,outer_i); // find first intersection of line segment with outer curve //real[][] ints=intersections(start,start+d*direction,outer); real[][] ints=intersections(start,end,outer); assert(ints.length != 0); real endtime=ints[0][1]; // endtime is time on outer end = point(outer,endtime); // find first intersection of end--start with any inner curve real starttime=inner_i; // starttime is time on inners[curveIndex] real earliestTime=1; for(int j=0; j < inners.length; ++j) { real[][] ints=intersections(end,start,inners[j]); if(ints.length > 0 && ints[0][0] < earliestTime) { earliestTime=ints[0][0]; // time on end--start starttime=ints[0][1]; // time on inner curve curveIndex=j; } } start=point(inners[curveIndex],starttime); bool found_forward = false; real timeoffset_forward = 2; path portion_forward; path[] allCurves = {outer}; allCurves.append(inners); while(!found_forward && timeoffset_forward > fuzz) { timeoffset_forward /= 2; if(countIntersections(allCurves,start, point(outer,endtime+timeoffset_forward)) == 2) { portion_forward = subpath(outer,endtime,endtime+timeoffset_forward)--start--cycle; found_forward=true; // check if an inner curve is inside the portion for(int k = 0; found_forward && k < inners.length; ++k) { if(k!=curveIndex && inside(portion_forward,point(inners[k],0),zerowinding)) found_forward = false; } } } bool found_backward = false; real timeoffset_backward = -2; path portion_backward; while(!found_backward && timeoffset_backward < -fuzz) { timeoffset_backward /= 2; if(countIntersections(allCurves,start, point(outer,endtime+timeoffset_backward))==2) { portion_backward = subpath(outer,endtime+timeoffset_backward,endtime)--start--cycle; found_backward = true; // check if an inner curve is inside the portion for(int k = 0; found_backward && k < inners.length; ++k) { if(k!=curveIndex && inside(portion_backward,point(inners[k],0),zerowinding)) found_backward = false; } } } assert(found_forward || found_backward); real timeoffset; path portion; if(found_forward && !found_backward) { timeoffset = timeoffset_forward; portion = portion_forward; } else if(found_backward && !found_forward) { timeoffset = timeoffset_backward; portion = portion_backward; } else // assert handles case of neither found { if(timeoffset_forward > -timeoffset_backward) { timeoffset = timeoffset_forward; portion = portion_forward; } else { timeoffset = timeoffset_backward; portion = portion_backward; } } endtime=min(endtime,endtime+timeoffset); // or go from timeoffset+timeoffset_backward to timeoffset+timeoffset_forward? timeoffset=abs(timeoffset); // depends on the curves having opposite orientations path remainder=section(outer,endtime+timeoffset,endtime) --uncycle(inners[curveIndex], starttime)--cycle; inners.delete(curveIndex); outer = remainder; patch.append(portion); } result.append(outer); } } bool checkSegment(path g, pair p, pair q) { pair mid=0.5*(p+q); return intersections(p,q,g).length == 2 && inside(g,mid,zerowinding) && intersections(g,mid).length == 0; } path subdivide(path p) { path q; int l=length(p); for(int i=0; i < l; ++i) q=q&(straight(p,i) ? subpath(p,i,i+1) : subpath(p,i,i+0.5)&subpath(p,i+0.5,i+1)); return cyclic(p) ? q&cycle : q; } path[] bezulate(path[] p) { if(p.length == 1 && length(p[0]) <= 4) return p; path[] patch; path[] result; connect(p,result,patch); for(int i=0; i < result.length; ++i) { path p=result[i]; int refinements=0; if(size(p) <= 1) return p; if(!cyclic(p)) abort("path must be cyclic and nonselfintersecting."); p=removeDuplicates(p); if(length(p) > 4) { static real SIZE_STEPS=10; static real factor=1.05/SIZE_STEPS; for(int k=1; k <= SIZE_STEPS; ++k) { real L=factor*k*abs(max(p)-min(p)); for(int i=0; length(p) > 4 && i < length(p); ++i) { bool found=false; pair start=point(p,i); //look for quadrilaterals and triangles with one line, 4 | 3 curves for(int desiredSides=4; !found && desiredSides >= 3; --desiredSides) { if(desiredSides == 3 && length(p) <= 3) break; pair end; int endi=i+desiredSides-1; end=point(p,endi); found=checkSegment(p,start,end) && abs(end-start) < L; if(found) { path p1=subpath(p,endi,i+length(p))--cycle; patch.append(subpath(p,i,endi)--cycle); p=removeDuplicates(p1); i=-1; // increment will make i be 0 } } if(!found && k == SIZE_STEPS && length(p) > 4 && i == length(p)-1) { // avoid infinite recursion ++refinements; if(refinements > maxrefinements) { warning("subdivisions","too many subdivisions",position=true); } else { p=subdivide(p); i=-1; } } } } } if(length(p) <= 4) patch.append(p); } return patch; } asymptote-2.62/base/metapost.asy0000644000000000000000000000037513607467113015467 0ustar rootroot// MetaPost compatibility routines path cuttings; path cutbefore(path p, path q) { slice s=firstcut(p,q); cuttings=s.before; return s.after; } path cutafter(path p, path q) { slice s=lastcut(p,q); cuttings=s.after; return s.before; } asymptote-2.62/base/three_tube.asy0000644000000000000000000003035213607467113015757 0ustar rootrootvoid render(path3 s, void f(path3, real), render render=defaultrender) { real granularity=render.tubegranularity; void Split(triple z0, triple c0, triple c1, triple z1, real t0=0, real t1=1, real depth=mantissaBits) { if(depth > 0) { real S=straightness(z0,c0,c1,z1); if(S > 0) { --depth; if(S > max(granularity*max(abs(z0),abs(c0),abs(c1),abs(z1)))) { triple m0=0.5*(z0+c0); triple m1=0.5*(c0+c1); triple m2=0.5*(c1+z1); triple m3=0.5*(m0+m1); triple m4=0.5*(m1+m2); triple m5=0.5*(m3+m4); real tm=0.5*(t0+t1); Split(z0,m0,m3,m5,t0,tm,depth); Split(m5,m4,m2,z1,tm,t1,depth); return; } } } f(z0..controls c0 and c1..z1,t0); } Split(point(s,0),postcontrol(s,0),precontrol(s,1),point(s,1)); } struct rmf { triple p,r,t,s; void operator init(triple p, triple r, triple t) { this.p=p; this.r=r; this.t=t; s=cross(t,r); } } // Rotation minimizing frame // http://www.cs.hku.hk/research/techreps/document/TR-2007-07.pdf rmf[] rmf(path3 g, real[] t) { rmf[] R=new rmf[t.length]; triple d=dir(g,0); R[0]=rmf(point(g,0),perp(d),d); for(int i=1; i < t.length; ++i) { rmf Ri=R[i-1]; real t=t[i]; triple p=point(g,t); triple v1=p-Ri.p; if(v1 != O) { triple r=Ri.r; triple u1=unit(v1); triple ti=Ri.t; triple tp=ti-2*dot(u1,ti)*u1; ti=dir(g,t); triple rp=r-2*dot(u1,r)*u1; triple u2=unit(ti-tp); rp=rp-2*dot(u2,rp)*u2; R[i]=rmf(p,unit(rp),unit(ti)); } else R[i]=R[i-1]; } return R; } private real[][][] bispline0(real[][] z, real[][] p, real[][] q, real[][] r, real[] x, real[] y, bool[][] cond={}) { // z[i][j] is the value at (x[i],y[j]) // p and q are the first derivatives with respect to x and y, respectively // r is the second derivative ddu/dxdy int n=x.length-1; int m=y.length-1; bool all=cond.length == 0; int count; if(all) count=n*m; else { count=0; for(int i=0; i < n; ++i) { bool[] condi=cond[i]; bool[] condp=cond[i+1]; for(int j=0; j < m; ++j) if(all || (condi[j] && condi[j+1] && condp[j] && condp[j+1])) ++count; } } real[][][] s=new real[count][][]; int k=0; for(int i=0; i < n; ++i) { int ip=i+1; real xi=x[i]; real xp=x[ip]; real hx=(xp-xi)/3; real[] zi=z[i]; real[] zp=z[ip]; real[] ri=r[i]; real[] rp=r[ip]; real[] pi=p[i]; real[] pp=p[ip]; real[] qi=q[i]; real[] qp=q[ip]; bool[] condi=all ? null : cond[i]; bool[] condp=all ? null : cond[i+1]; for(int j=0; j < m; ++j) { if(all || (condi[j] && condi[j+1] && condp[j] && condp[j+1])) { real yj=y[j]; int jp=j+1; real yp=y[jp]; real hy=(yp-yj)/3; real hxy=hx*hy; real zij=zi[j]; real zip=zi[jp]; real zpj=zp[j]; real zpp=zp[jp]; real pij=hx*pi[j]; real ppj=hx*pp[j]; real qip=hy*qi[jp]; real qpp=hy*qp[jp]; real zippip=zip+hx*pi[jp]; real zppmppp=zpp-hx*pp[jp]; real zijqij=zij+hy*qi[j]; real zpjqpj=zpj+hy*qp[j]; s[k]=new real[][] {{zij,zijqij,zip-qip,zip}, {zij+pij,zijqij+pij+hxy*ri[j], zippip-qip-hxy*ri[jp],zippip}, {zpj-ppj,zpjqpj-ppj-hxy*rp[j], zppmppp-qpp+hxy*rp[jp],zppmppp}, {zpj,zpjqpj,zpp-qpp,zpp}}; ++k; } } } return s; } // return the surface values described by a real matrix f, interpolated with // xsplinetype and ysplinetype. real[][][] bispline(real[][] f, real[] x, real[] y, splinetype xsplinetype=null, splinetype ysplinetype=xsplinetype, bool[][] cond={}) { real epsilon=sqrtEpsilon*norm(y); if(xsplinetype == null) xsplinetype=(abs(x[0]-x[x.length-1]) <= epsilon) ? periodic : notaknot; if(ysplinetype == null) ysplinetype=(abs(y[0]-y[y.length-1]) <= epsilon) ? periodic : notaknot; int n=x.length; int m=y.length; real[][] ft=transpose(f); real[][] tp=new real[m][]; for(int j=0; j < m; ++j) tp[j]=xsplinetype(x,ft[j]); real[][] q=new real[n][]; for(int i=0; i < n; ++i) q[i]=ysplinetype(y,f[i]); real[][] qt=transpose(q); real[] d1=xsplinetype(x,qt[0]); real[] d2=xsplinetype(x,qt[m-1]); real[][] r=new real[n][]; real[][] p=transpose(tp); for(int i=0; i < n; ++i) r[i]=clamped(d1[i],d2[i])(y,p[i]); return bispline0(f,p,q,r,x,y,cond); } bool uperiodic(real[][] a) { int n=a.length; if(n == 0) return false; int m=a[0].length; real[] a0=a[0]; real[] a1=a[n-1]; for(int j=0; j < m; ++j) { real norm=0; for(int i=0; i < n; ++i) norm=max(norm,abs(a[i][j])); real epsilon=sqrtEpsilon*norm; if(abs(a0[j]-a1[j]) > epsilon) return false; } return true; } bool vperiodic(real[][] a) { int n=a.length; if(n == 0) return false; int m=a[0].length-1; for(int i=0; i < n; ++i) { real[] ai=a[i]; real epsilon=sqrtEpsilon*norm(ai); if(abs(ai[0]-ai[m]) > epsilon) return false; } return true; } // return the surface described by a parametric function f evaluated at u and v // and interpolated with usplinetype and vsplinetype. surface surface(triple f(pair z), real[] u, real[] v, splinetype[] usplinetype, splinetype[] vsplinetype=Spline, bool cond(pair z)=null) { int nu=u.length-1; int nv=v.length-1; real[] ipt=sequence(u.length); real[] jpt=sequence(v.length); real[][] fx=new real[u.length][v.length]; real[][] fy=new real[u.length][v.length]; real[][] fz=new real[u.length][v.length]; bool[][] active; bool all=cond == null; if(!all) active=new bool[u.length][v.length]; for(int i=0; i <= nu; ++i) { real ui=u[i]; real[] fxi=fx[i]; real[] fyi=fy[i]; real[] fzi=fz[i]; bool[] activei=all ? null : active[i]; for(int j=0; j <= nv; ++j) { pair z=(ui,v[j]); if(!all) activei[j]=cond(z); triple f=f(z); fxi[j]=f.x; fyi[j]=f.y; fzi[j]=f.z; } } if(usplinetype.length == 0) { usplinetype=new splinetype[] {uperiodic(fx) ? periodic : notaknot, uperiodic(fy) ? periodic : notaknot, uperiodic(fz) ? periodic : notaknot}; } else if(usplinetype.length != 3) abort("usplinetype must have length 3"); if(vsplinetype.length == 0) { vsplinetype=new splinetype[] {vperiodic(fx) ? periodic : notaknot, vperiodic(fy) ? periodic : notaknot, vperiodic(fz) ? periodic : notaknot}; } else if(vsplinetype.length != 3) abort("vsplinetype must have length 3"); real[][][] sx=bispline(fx,ipt,jpt,usplinetype[0],vsplinetype[0],active); real[][][] sy=bispline(fy,ipt,jpt,usplinetype[1],vsplinetype[1],active); real[][][] sz=bispline(fz,ipt,jpt,usplinetype[2],vsplinetype[2],active); surface s=surface(sx.length); s.index=new int[nu][nv]; int k=-1; for(int i=0; i < nu; ++i) { int[] indexi=s.index[i]; for(int j=0; j < nv; ++j) indexi[j]=++k; } for(int k=0; k < sx.length; ++k) { triple[][] Q=new triple[4][]; real[][] Px=sx[k]; real[][] Py=sy[k]; real[][] Pz=sz[k]; for(int i=0; i < 4 ; ++i) { real[] Pxi=Px[i]; real[] Pyi=Py[i]; real[] Pzi=Pz[i]; Q[i]=new triple[] {(Pxi[0],Pyi[0],Pzi[0]), (Pxi[1],Pyi[1],Pzi[1]), (Pxi[2],Pyi[2],Pzi[2]), (Pxi[3],Pyi[3],Pzi[3])}; } s.s[k]=patch(Q); } if(usplinetype[0] == periodic && usplinetype[1] == periodic && usplinetype[1] == periodic) s.ucyclic(true); if(vsplinetype[0] == periodic && vsplinetype[1] == periodic && vsplinetype[1] == periodic) s.vcyclic(true); return s; } path3 interp(path3 a, path3 b, real t) { int n=size(a); return path3(sequence(new triple(int i) { return interp(precontrol(a,i),precontrol(b,i),t);},n), sequence(new triple(int i) {return interp(point(a,i),point(b,i),t);},n), sequence(new triple(int i) {return interp(postcontrol(a,i), postcontrol(b,i),t);},n), sequence(new bool(int i) {return straight(a,i) && straight(b,i);},n), cyclic(a) && cyclic(b)); } struct tube { surface s; path3 center; // tube axis void Null(transform3) {} void Null(transform3, bool) {} void operator init(path3 p, real width, render render=defaultrender, void cylinder(transform3)=Null, void sphere(transform3, bool half)=Null, void pipe(path3, path3)=null) { real r=0.5*width; void generate(path3 p) { int n=length(p); if(piecewisestraight(p)) { for(int i=0; i < n; ++i) { triple v=point(p,i); triple u=point(p,i+1)-v; transform3 t=shift(v)*align(unit(u))*scale(r,r,abs(u)); s.append(t*unitcylinder); cylinder(t); } center=center&p; } else { real[] T; path3 G; for(int i=0; i < n; ++i) render(subpath(p,i,i+1), new void(path3 g, real s) { G=G&g; T.push(i+s); },render); T.push(n); T.cyclic=cyclic(p); rmf[] rmf=rmf(p,T); triple f(pair t) { rmf R=rmf[round(t.x)]; int n=round(t.y); static real[] x={1,0,-1,0}; static real[] y={0,1,0,-1}; return point(G,t.x)+r*(R.r*x[n]-R.s*y[n]); } static real[] v={0,1,2,3,0}; static real[] circular(real[] x, real[] y) { static real a=8/3*(sqrt(2)-1); return a*periodic(x,y); } static splinetype[] Monotonic={monotonic,monotonic,monotonic}; static splinetype[] Circular={circular,circular,circular}; if(T.length > 0) { surface S=surface(f,sequence(T.length),v,Monotonic,Circular); s.append(S); // Compute center of tube: int n=S.index.length; if(T.cyclic) --n; triple[] pre=new triple[n+1]; triple[] point=new triple[n+1]; triple[] post=new triple[n+1]; int[] index=S.index[0]; triple Point; for(int m=0; m < 4; ++m) Point += S.s[index[m]].P[0][0]; pre[0]=point[0]=0.25*Point; for(int i=0; i < n; ++i) { index=S.index[i]; triple Pre,Point,Post; for(int m=0; m < 4; ++m) { triple [][] P=S.s[index[m]].P; Post += P[1][0]; Pre += P[2][0]; Point += P[3][0]; } post[i]=0.25*Post; pre[i+1]=0.25*Pre; point[i+1]=0.25*Point; } index=S.index[n-1]; triple Post; for(int m=0; m < 4; ++m) Post += S.s[index[m]].P[3][0]; post[n]=0.25*Post; bool[] b=array(n+1,false); path3 Center=path3(pre,point,post,b,T.cyclic); center=center&Center; if(pipe != null) { // Compute path along tube triple[] pre=new triple[n+1]; triple[] point=new triple[n+1]; triple[] post=new triple[n+1]; pre[0]=point[0]=S.s[S.index[0][0]].P[0][0]; for(int i=0; i < n; ++i) { triple [][] P=S.s[S.index[i][0]].P; post[i]=P[1][0]; pre[i+1]=P[2][0]; point[i+1]=P[3][0]; } post[n]=S.s[S.index[n-1][0]].P[3][0]; pipe(Center,path3(pre,point,post,b,T.cyclic)); } } } } transform3 t=scale3(r); bool cyclic=cyclic(p); int begin=0; int n=length(p); for(int i=cyclic ? 0 : 1; i < n; ++i) if(abs(dir(p,i,1)-dir(p,i,-1)) > sqrtEpsilon) { generate(subpath(p,begin,i)); triple dir=dir(p,i,-1); transform3 T=t*align(dir); s.append(shift(point(p,i))*T*(dir != O ? unithemisphere : unitsphere)); sphere(shift(point(center,length(center)))*T, half=straight(p,i-1) && straight(p,i)); begin=i; } generate(subpath(p,begin,n)); } } asymptote-2.62/base/three.asy0000644000000000000000000025036713607467113014752 0ustar rootrootprivate import math; if(settings.xasy) settings.render=0; if(prc0()) { if(!latex()) settings.prc=false; else { access embed; Embed=embed.embedplayer; } } // Useful lossy compression values. restricted real Zero=0; restricted real Low=0.0001; restricted real Medium=0.001; restricted real High=0.01; restricted int PRCsphere=0; // Renders slowly but produces smaller PRC files. restricted int NURBSsphere=1; // Renders fast but produces larger PRC files. struct render { // PRC parameters: real compression; // lossy compression parameter (0=no compression) real granularity; // PRC rendering granularity bool closed; // use one-sided rendering? bool tessellate; // use tessellated mesh to store straight patches? bool3 merge; // merge nodes before rendering, for faster but // lower quality PRC rendering (the value default means // merge opaque patches only). int sphere; // PRC sphere type (PRCsphere or NURBSsphere). // General parameters: real margin; // shrink amount for rendered openGL viewport, in bp. real tubegranularity; // granularity for rendering tubes bool labelfill; // fill subdivision cracks in unlighted labels bool partnames; // assign part name indices to compound objects bool defaultnames; // assign default names to unnamed objects static render defaultrender; void operator init(real compression=defaultrender.compression, real granularity=defaultrender.granularity, bool closed=defaultrender.closed, bool tessellate=defaultrender.tessellate, bool3 merge=defaultrender.merge, int sphere=defaultrender.sphere, real margin=defaultrender.margin, real tubegranularity=defaultrender.tubegranularity, bool labelfill=defaultrender.labelfill, bool partnames=defaultrender.partnames, bool defaultnames=defaultrender.defaultnames) { this.compression=compression; this.granularity=granularity; this.closed=closed; this.tessellate=tessellate; this.merge=merge; this.sphere=sphere; this.margin=margin; this.tubegranularity=tubegranularity; this.labelfill=labelfill; this.partnames=partnames; this.defaultnames=defaultnames; } } render operator init() {return render();} render defaultrender=render.defaultrender=new render; defaultrender.compression=High; defaultrender.granularity=Medium; defaultrender.closed=false; defaultrender.tessellate=false; defaultrender.merge=false; defaultrender.margin=0.02; defaultrender.tubegranularity=0.001; defaultrender.sphere=NURBSsphere; defaultrender.labelfill=true; defaultrender.partnames=false; defaultrender.defaultnames=true; real defaultshininess=0.7; real defaultmetallic=0.0; real defaultfresnel0=0.04; real angleprecision=1e-5; // Precision for centering perspective projections. int maxangleiterations=25; string defaultembed3Doptions="3Dmenu"; string defaultembed3Dscript; real defaulteyetoview=63mm/1000mm; string partname(int i, render render=defaultrender) { return render.partnames ? string(i+1) : ""; } triple O=(0,0,0); triple X=(1,0,0), Y=(0,1,0), Z=(0,0,1); // A translation in 3D space. transform3 shift(triple v) { transform3 t=identity(4); t[0][3]=v.x; t[1][3]=v.y; t[2][3]=v.z; return t; } // Avoid two parentheses. transform3 shift(real x, real y, real z) { return shift((x,y,z)); } transform3 shift(transform3 t) { transform3 T=identity(4); T[0][3]=t[0][3]; T[1][3]=t[1][3]; T[2][3]=t[2][3]; return T; } // A 3D scaling in the x direction. transform3 xscale3(real x) { transform3 t=identity(4); t[0][0]=x; return t; } // A 3D scaling in the y direction. transform3 yscale3(real y) { transform3 t=identity(4); t[1][1]=y; return t; } // A 3D scaling in the z direction. transform3 zscale3(real z) { transform3 t=identity(4); t[2][2]=z; return t; } // A 3D scaling by s in the v direction. transform3 scale(triple v, real s) { v=unit(v); s -= 1; return new real[][] { {1+s*v.x^2, s*v.x*v.y, s*v.x*v.z, 0}, {s*v.x*v.y, 1+s*v.y^2, s*v.y*v.z, 0}, {s*v.x*v.z, s*v.y*v.z, 1+s*v.z^2, 0}, {0, 0, 0, 1}}; } // A transformation representing rotation by an angle in degrees about // an axis v through the origin (in the right-handed direction). transform3 rotate(real angle, triple v) { if(v == O) abort("cannot rotate about the zero vector"); v=unit(v); real x=v.x, y=v.y, z=v.z; real s=Sin(angle), c=Cos(angle), t=1-c; return new real[][] { {t*x^2+c, t*x*y-s*z, t*x*z+s*y, 0}, {t*x*y+s*z, t*y^2+c, t*y*z-s*x, 0}, {t*x*z-s*y, t*y*z+s*x, t*z^2+c, 0}, {0, 0, 0, 1}}; } // A transformation representing rotation by an angle in degrees about // the line u--v (in the right-handed direction). transform3 rotate(real angle, triple u, triple v) { return shift(u)*rotate(angle,v-u)*shift(-u); } // Reflects about the plane through u, v, and w. transform3 reflect(triple u, triple v, triple w) { triple n=unit(cross(v-u,w-u)); if(n == O) abort("points determining reflection plane cannot be colinear"); return new real[][] { {1-2*n.x^2, -2*n.x*n.y, -2*n.x*n.z, u.x}, {-2*n.x*n.y, 1-2*n.y^2, -2*n.y*n.z, u.y}, {-2*n.x*n.z, -2*n.y*n.z, 1-2*n.z^2, u.z}, {0, 0, 0, 1} }*shift(-u); } // Project u onto v. triple project(triple u, triple v) { v=unit(v); return dot(u,v)*v; } // Return a unit vector perpendicular to a given unit vector v. triple perp(triple v) { triple u=cross(v,Y); if(abs(u) > sqrtEpsilon) return unit(u); u=cross(v,Z); return (abs(u) > sqrtEpsilon) ? unit(u) : X; } // Return the transformation corresponding to moving the camera from the target // (looking in the negative z direction) to the point 'eye' (looking at target, // orienting the camera so that direction 'up' points upwards. // Since, in actuality, we are transforming the points instead of the camera, // we calculate the inverse matrix. // Based on the gluLookAt implementation in the OpenGL manual. transform3 look(triple eye, triple up=Z, triple target=O) { triple f=unit(target-eye); if(f == O) f=-Z; // The eye is already at the origin: look down. triple s=cross(f,up); // If the eye is pointing either directly up or down, there is no // preferred "up" direction. Pick one arbitrarily. s=s != O ? unit(s) : perp(f); triple u=cross(s,f); transform3 M={{ s.x, s.y, s.z, 0}, { u.x, u.y, u.z, 0}, {-f.x, -f.y, -f.z, 0}, { 0, 0, 0, 1}}; return M*shift(-eye); } // Return a matrix to do perspective distortion based on a triple v. transform3 distort(triple v) { transform3 t=identity(4); real d=length(v); if(d == 0) return t; t[3][2]=-1/d; t[3][3]=0; return t; } projection operator * (transform3 t, projection P) { projection P=P.copy(); if(!P.absolute) { P.camera=t*P.camera; triple target=P.target; P.target=t*P.target; if(P.infinity) P.normal=t*(target+P.normal)-P.target; else P.normal=P.vector(); P.calculate(); } return P; } // With this, save() and restore() in plain also save and restore the // currentprojection. addSaveFunction(new restoreThunk() { projection P=currentprojection.copy(); return new void() { currentprojection=P; }; }); pair project(triple v, projection P=currentprojection) { return project(v,P.t); } pair dir(triple v, triple dir, projection P) { return unit(project(v+0.5dir,P)-project(v-0.5*dir,P)); } // Uses the homogenous coordinate to perform perspective distortion. // When combined with a projection to the XY plane, this effectively maps // points in three space to a plane through target and // perpendicular to the vector camera-target. projection perspective(triple camera, triple up=Z, triple target=O, real zoom=1, real angle=0, pair viewportshift=0, bool showtarget=true, bool autoadjust=true, bool center=autoadjust) { if(camera == target) abort("camera cannot be at target"); return projection(camera,up,target,zoom,angle,viewportshift, showtarget,autoadjust,center, new transformation(triple camera, triple up, triple target) {return transformation(look(camera,up,target), distort(camera-target));}); } projection perspective(real x, real y, real z, triple up=Z, triple target=O, real zoom=1, real angle=0, pair viewportshift=0, bool showtarget=true, bool autoadjust=true, bool center=autoadjust) { return perspective((x,y,z),up,target,zoom,angle,viewportshift,showtarget, autoadjust,center); } projection orthographic(triple camera, triple up=Z, triple target=O, real zoom=1, pair viewportshift=0, bool showtarget=true, bool center=false) { return projection(camera,up,target,zoom,viewportshift,showtarget, center=center,new transformation(triple camera, triple up, triple target) { return transformation(look(camera,up,target));}); } projection orthographic(real x, real y, real z, triple up=Z, triple target=O, real zoom=1, pair viewportshift=0, bool showtarget=true, bool center=false) { return orthographic((x,y,z),up,target,zoom,viewportshift,showtarget, center=center); } // Compute camera position with x axis below the horizontal at angle alpha, // y axis below the horizontal at angle beta, and z axis up. triple camera(real alpha, real beta) { real denom=Tan(alpha+beta); real Tanalpha=Tan(alpha); real Tanbeta=Tan(beta); return (sqrt(Tanalpha/denom),sqrt(Tanbeta/denom),sqrt(Tanalpha*Tanbeta)); } projection oblique(real angle=45) { transform3 t=identity(4); real c2=Cos(angle)^2; real s2=1-c2; t[0][2]=-c2; t[1][2]=-s2; t[2][2]=1; t[2][3]=-1; return projection((c2,s2,1),up=Y,normal=(0,0,1), new transformation(triple,triple,triple) { return transformation(t);}); } projection obliqueZ(real angle=45) {return oblique(angle);} projection obliqueX(real angle=45) { transform3 t=identity(4); real c2=Cos(angle)^2; real s2=1-c2; t[0][0]=-c2; t[1][0]=-s2; t[1][1]=0; t[0][1]=1; t[1][2]=1; t[2][2]=0; t[2][0]=1; t[2][3]=-1; return projection((1,c2,s2),normal=(1,0,0), new transformation(triple,triple,triple) { return transformation(t);}); } projection obliqueY(real angle=45) { transform3 t=identity(4); real c2=Cos(angle)^2; real s2=1-c2; t[0][1]=c2; t[1][1]=s2; t[1][2]=1; t[2][1]=-1; t[2][2]=0; t[2][3]=-1; return projection((c2,-1,s2),normal=(0,-1,0), new transformation(triple,triple,triple) { return transformation(t);}); } projection oblique=oblique(); projection obliqueX=obliqueX(), obliqueY=obliqueY(), obliqueZ=obliqueZ(); projection LeftView=orthographic(-X,showtarget=true); projection RightView=orthographic(X,showtarget=true); projection FrontView=orthographic(-Y,showtarget=true); projection BackView=orthographic(Y,showtarget=true); projection BottomView=orthographic(-Z,up=-Y,showtarget=true); projection TopView=orthographic(Z,up=Y,showtarget=true); currentprojection=perspective(5,4,2); projection projection() { projection P; real[] a=_projection(); if(a.length == 0 || a[10] == 0.0) return currentprojection; int k=0; return a[0] == 1 ? orthographic((a[++k],a[++k],a[++k]),(a[++k],a[++k],a[++k]), (a[++k],a[++k],a[++k]),a[++k],(a[k += 2],a[++k])) : perspective((a[++k],a[++k],a[++k]),(a[++k],a[++k],a[++k]), (a[++k],a[++k],a[++k]),a[++k],a[++k],(a[++k],a[++k])); } // Map pair z to a triple by inverting the projection P onto the // plane perpendicular to normal and passing through point. triple invert(pair z, triple normal, triple point, projection P=currentprojection) { transform3 t=P.t; real[][] A={{t[0][0]-z.x*t[3][0],t[0][1]-z.x*t[3][1],t[0][2]-z.x*t[3][2]}, {t[1][0]-z.y*t[3][0],t[1][1]-z.y*t[3][1],t[1][2]-z.y*t[3][2]}, {normal.x,normal.y,normal.z}}; real[] b={z.x*t[3][3]-t[0][3],z.y*t[3][3]-t[1][3],dot(normal,point)}; real[] x=solve(A,b,warn=false); return x.length > 0 ? (x[0],x[1],x[2]) : P.camera; } // Map pair to a triple on the projection plane. triple invert(pair z, projection P=currentprojection) { return invert(z,P.normal,P.target,P); } // Map pair dir to a triple direction at point v on the projection plane. triple invert(pair dir, triple v, projection P=currentprojection) { return invert(project(v,P)+dir,P.normal,v,P)-v; } pair xypart(triple v) { return (v.x,v.y); } struct control { triple post,pre; bool active=false; bool straight=true; void operator init(triple post, triple pre, bool straight=false) { this.post=post; this.pre=pre; active=true; this.straight=straight; } } control nocontrol; control operator * (transform3 t, control c) { control C; C.post=t*c.post; C.pre=t*c.pre; C.active=c.active; C.straight=c.straight; return C; } void write(file file, control c) { write(file,".. controls "); write(file,c.post); write(file," and "); write(file,c.pre); } struct Tension { real out,in; bool atLeast; bool active; void operator init(real out=1, real in=1, bool atLeast=false, bool active=true) { real check(real val) { if(val < 0.75) abort("tension cannot be less than 3/4"); return val; } this.out=check(out); this.in=check(in); this.atLeast=atLeast; this.active=active; } } Tension operator init() { return Tension(); } Tension noTension; noTension.active=false; void write(file file, Tension t) { write(file,"..tension "); if(t.atLeast) write(file,"atleast "); write(file,t.out); write(file," and "); write(file,t.in); } struct dir { triple dir; real gamma=1; // endpoint curl bool Curl; // curl specified bool active() { return dir != O || Curl; } void init(triple v) { this.dir=v; } void init(real gamma) { if(gamma < 0) abort("curl cannot be less than 0"); this.gamma=gamma; this.Curl=true; } void init(dir d) { dir=d.dir; gamma=d.gamma; Curl=d.Curl; } void default(triple v) { if(!active()) init(v); } void default(dir d) { if(!active()) init(d); } dir copy() { dir d=new dir; d.init(this); return d; } } void write(file file, dir d) { if(d.dir != O) { write(file,"{"); write(file,unit(d.dir)); write(file,"}"); } else if(d.Curl) { write(file,"{curl "); write(file,d.gamma); write(file,"}"); } } dir operator * (transform3 t, dir d) { dir D=d.copy(); D.init(unit(shiftless(t)*d.dir)); return D; } void checkEmpty(int n) { if(n == 0) abort("nullpath3 has no points"); } int adjustedIndex(int i, int n, bool cycles) { checkEmpty(n); if(cycles) return i % n; else if(i < 0) return 0; else if(i >= n) return n-1; else return i; } struct flatguide3 { triple[] nodes; bool[] cyclic; // true if node is really a cycle control[] control; // control points for segment starting at node Tension[] Tension; // Tension parameters for segment starting at node dir[] in,out; // in and out directions for segment starting at node bool cyclic() {int n=cyclic.length; return n > 0 ? cyclic[n-1] : false;} bool precyclic() {int i=find(cyclic); return i >= 0 && i < cyclic.length-1;} int size() { return cyclic() ? nodes.length-1 : nodes.length; } void node(triple v, bool b=false) { nodes.push(v); control.push(nocontrol); Tension.push(noTension); in.push(new dir); out.push(new dir); cyclic.push(b); } void control(triple post, triple pre) { if(control.length > 0) { control c=control(post,pre,false); control[control.length-1]=c; } } void Tension(real out, real in, bool atLeast) { if(Tension.length > 0) Tension[Tension.length-1]=Tension(out,in,atLeast,true); } void in(triple v) { if(in.length > 0) { in[in.length-1].init(v); } } void out(triple v) { if(out.length > 0) { out[out.length-1].init(v); } } void in(real gamma) { if(in.length > 0) { in[in.length-1].init(gamma); } } void out(real gamma) { if(out.length > 0) { out[out.length-1].init(gamma); } } void cycleToken() { if(nodes.length > 0) node(nodes[0],true); } // Return true if outgoing direction at node i is known. bool solved(int i) { return out[i].active() || control[i].active; } } void write(file file, string s="", explicit flatguide3 x, suffix suffix=none) { write(file,s); if(x.size() == 0) write(file,""); else for(int i=0; i < x.nodes.length; ++i) { if(i > 0) write(file,endl); if(x.cyclic[i]) write(file,"cycle"); else write(file,x.nodes[i]); if(i < x.nodes.length-1) { // Explicit control points trump other specifiers if(x.control[i].active) write(file,x.control[i]); else { write(file,x.out[i]); if(x.Tension[i].active) write(file,x.Tension[i]); } write(file,".."); if(!x.control[i].active) write(file,x.in[i]); } } write(file,suffix); } void write(string s="", flatguide3 x, suffix suffix=endl) { write(stdout,s,x,suffix); } // A guide3 is most easily represented as something that modifies a flatguide3. typedef void guide3(flatguide3); restricted void nullpath3(flatguide3) {}; guide3 operator init() {return nullpath3;} guide3 operator cast(triple v) { return new void(flatguide3 f) { f.node(v); }; } guide3 operator cast(cycleToken) { return new void(flatguide3 f) { f.cycleToken(); }; } guide3 operator controls(triple post, triple pre) { return new void(flatguide3 f) { f.control(post,pre); }; }; guide3 operator controls(triple v) { return operator controls(v,v); } guide3 operator cast(tensionSpecifier t) { return new void(flatguide3 f) { f.Tension(t.out, t.in, t.atLeast); }; } guide3 operator cast(curlSpecifier spec) { return new void(flatguide3 f) { if(spec.side == JOIN_OUT) f.out(spec.value); else if(spec.side == JOIN_IN) f.in(spec.value); else abort("invalid curl specifier"); }; } guide3 operator spec(triple v, int side) { return new void(flatguide3 f) { if(side == JOIN_OUT) f.out(v); else if(side == JOIN_IN) f.in(v); else abort("invalid direction specifier"); }; } guide3 operator -- (... guide3[] g) { return new void(flatguide3 f) { if(g.length > 0) { for(int i=0; i < g.length-1; ++i) { g[i](f); f.out(1); f.in(1); } g[g.length-1](f); } }; } guide3 operator .. (... guide3[] g) { return new void(flatguide3 f) { for(int i=0; i < g.length; ++i) g[i](f); }; } typedef guide3 interpolate3(... guide3[]); interpolate3 join3(tensionSpecifier t) { return new guide3(... guide3[] a) { if(a.length == 0) return nullpath3; guide3 g=a[0]; for(int i=1; i < a.length; ++i) g=g..t..a[i]; return g; }; } interpolate3 operator ::=join3(operator tension(1,true)); interpolate3 operator ---=join3(operator tension(infinity,true)); flatguide3 operator cast(guide3 g) { flatguide3 f; g(f); return f; } flatguide3[] operator cast(guide3[] g) { flatguide3[] p=new flatguide3[g.length]; for(int i=0; i < g.length; ++i) { flatguide3 f; g[i](f); p[i]=f; } return p; } // A version of asin that tolerates numerical imprecision real asin1(real x) { return asin(min(max(x,-1),1)); } // A version of acos that tolerates numerical imprecision real acos1(real x) { return acos(min(max(x,-1),1)); } struct Controls { triple c0,c1; // 3D extension of John Hobby's control point formula // (cf. The MetaFont Book, page 131), // as described in John C. Bowman and A. Hammerlindl, // TUGBOAT: The Communications of the TeX Users Group 29:2 (2008). void operator init(triple v0, triple v1, triple d0, triple d1, real tout, real tin, bool atLeast) { triple v=v1-v0; triple u=unit(v); real L=length(v); d0=unit(d0); d1=unit(d1); real theta=acos1(dot(d0,u)); real phi=acos1(dot(d1,u)); if(dot(cross(d0,v),cross(v,d1)) < 0) phi=-phi; c0=v0+d0*L*relativedistance(theta,phi,tout,atLeast); c1=v1-d1*L*relativedistance(phi,theta,tin,atLeast); } } private triple cross(triple d0, triple d1, triple reference) { triple normal=cross(d0,d1); return normal == O ? reference : normal; } private triple dir(real theta, triple d0, triple d1, triple reference) { triple normal=cross(d0,d1,reference); if(normal == O) return d1; return rotate(degrees(theta),dot(normal,reference) >= 0 ? normal : -normal)* d1; } private real angle(triple d0, triple d1, triple reference) { real theta=acos1(dot(unit(d0),unit(d1))); return dot(cross(d0,d1,reference),reference) >= 0 ? theta : -theta; } // 3D extension of John Hobby's angle formula (The MetaFont Book, page 131). // Notational differences: here psi[i] is the turning angle at z[i+1], // beta[i] is the tension for segment i, and in[i] is the incoming // direction for segment i (where segment i begins at node i). real[] theta(triple[] v, real[] alpha, real[] beta, triple dir0, triple dirn, real g0, real gn, triple reference) { real[] a,b,c,f,l,psi; int n=alpha.length; bool cyclic=v.cyclic; for(int i=0; i < n; ++i) l[i]=1/length(v[i+1]-v[i]); int i0,in; if(cyclic) {i0=0; in=n;} else {i0=1; in=n-1;} for(int i=0; i < in; ++i) psi[i]=angle(v[i+1]-v[i],v[i+2]-v[i+1],reference); if(cyclic) { l.cyclic=true; psi.cyclic=true; } else { psi[n-1]=0; if(dir0 == O) { real a0=alpha[0]; real b0=beta[0]; real chi=g0*(b0/a0)^2; a[0]=0; b[0]=3a0-a0/b0+chi; real C=chi*(3a0-1)+a0/b0; c[0]=C; f[0]=-C*psi[0]; } else { a[0]=c[0]=0; b[0]=1; f[0]=angle(v[1]-v[0],dir0,reference); } if(dirn == O) { real an=alpha[n-1]; real bn=beta[n-1]; real chi=gn*(an/bn)^2; a[n]=chi*(3bn-1)+bn/an; b[n]=3bn-bn/an+chi; c[n]=f[n]=0; } else { a[n]=c[n]=0; b[n]=1; f[n]=angle(v[n]-v[n-1],dirn,reference); } } for(int i=i0; i < n; ++i) { real in=beta[i-1]^2*l[i-1]; real A=in/alpha[i-1]; a[i]=A; real B=3*in-A; real out=alpha[i]^2*l[i]; real C=out/beta[i]; b[i]=B+3*out-C; c[i]=C; f[i]=-B*psi[i-1]-C*psi[i]; } return tridiagonal(a,b,c,f); } triple reference(triple[] v, int n, triple d0, triple d1) { triple[] V=sequence(new triple(int i) { return cross(v[i+1]-v[i],v[i+2]-v[i+1]); },n-1); if(n > 0) { V.push(cross(d0,v[1]-v[0])); V.push(cross(v[n]-v[n-1],d1)); } triple max=V[0]; real M=abs(max); for(int i=1; i < V.length; ++i) { triple vi=V[i]; real a=abs(vi); if(a > M) { M=a; max=vi; } } triple reference; for(int i=0; i < V.length; ++i) { triple u=unit(V[i]); reference += dot(u,max) < 0 ? -u : u; } return reference; } // Fill in missing directions for n cyclic nodes. void aim(flatguide3 g, int N) { bool cyclic=true; int start=0, end=0; // If the cycle contains one or more direction specifiers, break the loop. for(int k=0; k < N; ++k) if(g.solved(k)) {cyclic=false; end=k; break;} for(int k=N-1; k >= 0; --k) if(g.solved(k)) {cyclic=false; start=k; break;} while(start < N && g.control[start].active) ++start; int n=N-(start-end); if(n <= 1 || (cyclic && n <= 2)) return; triple[] v=new triple[cyclic ? n : n+1]; real[] alpha=new real[n]; real[] beta=new real[n]; for(int k=0; k < n; ++k) { int K=(start+k) % N; v[k]=g.nodes[K]; alpha[k]=g.Tension[K].out; beta[k]=g.Tension[K].in; } if(cyclic) { v.cyclic=true; alpha.cyclic=true; beta.cyclic=true; } else v[n]=g.nodes[(start+n) % N]; int final=(end-1) % N; triple d0=g.out[start].dir; triple d1=g.in[final].dir; triple reference=reference(v,n,d0,d1); real[] theta=theta(v,alpha,beta,d0,d1,g.out[start].gamma,g.in[final].gamma, reference); v.cyclic=true; theta.cyclic=true; for(int k=1; k < (cyclic ? n+1 : n); ++k) { triple w=dir(theta[k],v[k]-v[k-1],v[k+1]-v[k],reference); g.in[(start+k-1) % N].init(w); g.out[(start+k) % N].init(w); } if(g.out[start].dir == O) g.out[start].init(dir(theta[0],v[0]-g.nodes[(start-1) % N],v[1]-v[0], reference)); if(g.in[final].dir == O) g.in[final].init(dir(theta[n],v[n-1]-v[n-2],v[n]-v[n-1],reference)); } // Fill in missing directions for the sequence of nodes i...n. void aim(flatguide3 g, int i, int n) { int j=n-i; if(j > 1 || g.out[i].dir != O || g.in[i].dir != O) { triple[] v=new triple[j+1]; real[] alpha=new real[j]; real[] beta=new real[j]; for(int k=0; k < j; ++k) { v[k]=g.nodes[i+k]; alpha[k]=g.Tension[i+k].out; beta[k]=g.Tension[i+k].in; } v[j]=g.nodes[n]; triple d0=g.out[i].dir; triple d1=g.in[n-1].dir; triple reference=reference(v,j,d0,d1); real[] theta=theta(v,alpha,beta,d0,d1,g.out[i].gamma,g.in[n-1].gamma, reference); for(int k=1; k < j; ++k) { triple w=dir(theta[k],v[k]-v[k-1],v[k+1]-v[k],reference); g.in[i+k-1].init(w); g.out[i+k].init(w); } if(g.out[i].dir == O) { triple w=dir(theta[0],g.in[i].dir,v[1]-v[0],reference); if(i > 0) g.in[i-1].init(w); g.out[i].init(w); } if(g.in[n-1].dir == O) { triple w=dir(theta[j],g.out[n-1].dir,v[j]-v[j-1],reference); g.in[n-1].init(w); g.out[n].init(w); } } } private real Fuzz=10*realEpsilon; triple XYplane(pair z) {return (z.x,z.y,0);} triple YZplane(pair z) {return (0,z.x,z.y);} triple ZXplane(pair z) {return (z.y,0,z.x);} bool cyclic(guide3 g) {flatguide3 f; g(f); return f.cyclic();} int size(guide3 g) {flatguide3 f; g(f); return f.size();} int length(guide3 g) {flatguide3 f; g(f); return f.nodes.length-1;} triple dir(path3 p) { return dir(p,length(p)); } triple dir(path3 p, path3 h) { return 0.5*(dir(p)+dir(h)); } // return the point on path3 p at arclength L triple arcpoint(path3 p, real L) { return point(p,arctime(p,L)); } // return the direction on path3 p at arclength L triple arcdir(path3 p, real L) { return dir(p,arctime(p,L)); } // return the time on path3 p at the relative fraction l of its arclength real reltime(path3 p, real l) { return arctime(p,l*arclength(p)); } // return the point on path3 p at the relative fraction l of its arclength triple relpoint(path3 p, real l) { return point(p,reltime(p,l)); } // return the direction of path3 p at the relative fraction l of its arclength triple reldir(path3 p, real l) { return dir(p,reltime(p,l)); } // return the initial point of path3 p triple beginpoint(path3 p) { return point(p,0); } // return the point on path3 p at half of its arclength triple midpoint(path3 p) { return relpoint(p,0.5); } // return the final point of path3 p triple endpoint(path3 p) { return point(p,length(p)); } path3 path3(triple v) { triple[] point={v}; return path3(point,point,point,new bool[] {false},false); } path3 path3(path p, triple plane(pair)=XYplane) { int n=size(p); return path3(sequence(new triple(int i) {return plane(precontrol(p,i));},n), sequence(new triple(int i) {return plane(point(p,i));},n), sequence(new triple(int i) {return plane(postcontrol(p,i));},n), sequence(new bool(int i) {return straight(p,i);},n), cyclic(p)); } path3[] path3(explicit path[] g, triple plane(pair)=XYplane) { return sequence(new path3(int i) {return path3(g[i],plane);},g.length); } path3 invert(path p, triple normal, triple point, projection P=currentprojection) { return path3(p,new triple(pair z) {return invert(z,normal,point,P);}); } path3 invert(path p, triple point, projection P=currentprojection) { return path3(p,new triple(pair z) {return invert(z,P.normal,point,P);}); } path3 invert(path p, projection P=currentprojection) { return path3(p,new triple(pair z) {return invert(z,P.normal,P.target,P);}); } // Construct a path from a path3 by applying P to each control point. path path(path3 p, pair P(triple)=xypart) { int n=length(p); if(n < 0) return nullpath; guide g=P(point(p,0)); if(n == 0) return g; for(int i=1; i < n; ++i) g=straight(p,i-1) ? g--P(point(p,i)) : g..controls P(postcontrol(p,i-1)) and P(precontrol(p,i))..P(point(p,i)); if(straight(p,n-1)) return cyclic(p) ? g--cycle : g--P(point(p,n)); pair post=P(postcontrol(p,n-1)); pair pre=P(precontrol(p,n)); return cyclic(p) ? g..controls post and pre..cycle : g..controls post and pre..P(point(p,n)); } void write(file file, string s="", explicit path3 x, suffix suffix=none) { write(file,s); int n=length(x); if(n < 0) write(""); else { for(int i=0; i < n; ++i) { write(file,point(x,i)); if(i < length(x)) { if(straight(x,i)) write(file,"--"); else { write(file,".. controls "); write(file,postcontrol(x,i)); write(file," and "); write(file,precontrol(x,i+1),newl); write(file," .."); } } } if(cyclic(x)) write(file,"cycle",suffix); else write(file,point(x,n),suffix); } } void write(string s="", explicit path3 x, suffix suffix=endl) { write(stdout,s,x,suffix); } void write(file file, string s="", explicit path3[] x, suffix suffix=none) { write(file,s); if(x.length > 0) write(file,x[0]); for(int i=1; i < x.length; ++i) { write(file,endl); write(file," ^^"); write(file,x[i]); } write(file,suffix); } void write(string s="", explicit path3[] x, suffix suffix=endl) { write(stdout,s,x,suffix); } path3 solve(flatguide3 g) { int n=g.nodes.length-1; // If duplicate points occur consecutively, add dummy controls (if absent). for(int i=0; i < n; ++i) { if(g.nodes[i] == g.nodes[i+1] && !g.control[i].active) g.control[i]=control(g.nodes[i],g.nodes[i],straight=true); } // Fill in empty direction specifiers inherited from explicit control points. for(int i=0; i < n; ++i) { if(g.control[i].active) { g.out[i].init(g.control[i].post-g.nodes[i]); g.in[i].init(g.nodes[i+1]-g.control[i].pre); } } // Propagate directions across nodes. for(int i=0; i < n; ++i) { int next=g.cyclic[i+1] ? 0 : i+1; if(g.out[next].active()) g.in[i].default(g.out[next]); if(g.in[i].active()) { g.out[next].default(g.in[i]); g.out[i+1].default(g.in[i]); } } // Compute missing 3D directions. // First, resolve cycles int i=find(g.cyclic); if(i > 0) { aim(g,i); // All other cycles can now be reduced to sequences. triple v=g.out[0].dir; for(int j=i; j <= n; ++j) { if(g.cyclic[j]) { g.in[j-1].default(v); g.out[j].default(v); if(g.nodes[j-1] == g.nodes[j] && !g.control[j-1].active) g.control[j-1]=control(g.nodes[j-1],g.nodes[j-1]); } } } // Next, resolve sequences. int i=0; int start=0; while(i < n) { // Look for a missing outgoing direction. while(i <= n && g.solved(i)) {start=i; ++i;} if(i > n) break; // Look for the end of the sequence. while(i < n && !g.solved(i)) ++i; while(start < i && g.control[start].active) ++start; if(start < i) aim(g,start,i); } // Compute missing 3D control points. for(int i=0; i < n; ++i) { int next=g.cyclic[i+1] ? 0 : i+1; if(!g.control[i].active) { control c; if((g.out[i].Curl && g.in[i].Curl) || (g.out[i].dir == O && g.in[i].dir == O)) { // fill in straight control points for path3 functions triple delta=(g.nodes[i+1]-g.nodes[i])/3; c=control(g.nodes[i]+delta,g.nodes[i+1]-delta,straight=true); } else { Controls C=Controls(g.nodes[i],g.nodes[next],g.out[i].dir,g.in[i].dir, g.Tension[i].out,g.Tension[i].in, g.Tension[i].atLeast); c=control(C.c0,C.c1); } g.control[i]=c; } } // Convert to Knuth's format (control points stored with nodes) int n=g.nodes.length; bool cyclic; if(n > 0) { cyclic=g.cyclic[n-1]; if(cyclic) --n; } triple[] pre=new triple[n]; triple[] point=new triple[n]; triple[] post=new triple[n]; bool[] straight=new bool[n]; if(n > 0) { for(int i=0; i < n-1; ++i) { point[i]=g.nodes[i]; post[i]=g.control[i].post; pre[i+1]=g.control[i].pre; straight[i]=g.control[i].straight; } point[n-1]=g.nodes[n-1]; if(cyclic) { pre[0]=g.control[n-1].pre; post[n-1]=g.control[n-1].post; straight[n-1]=g.control[n-1].straight; } else { pre[0]=point[0]; post[n-1]=point[n-1]; straight[n-1]=false; } } return path3(pre,point,post,straight,cyclic); } path nurb(path3 p, projection P, int ninterpolate=P.ninterpolate) { triple f=P.camera; triple u=unit(P.normal); transform3 t=P.t; path nurb(triple v0, triple v1, triple v2, triple v3) { return nurb(project(v0,t),project(v1,t),project(v2,t),project(v3,t), dot(u,f-v0),dot(u,f-v1),dot(u,f-v2),dot(u,f-v3),ninterpolate); } path g; if(straight(p,0)) g=project(point(p,0),t); int last=length(p); for(int i=0; i < last; ++i) { if(straight(p,i)) g=g--project(point(p,i+1),t); else g=g&nurb(point(p,i),postcontrol(p,i),precontrol(p,i+1),point(p,i+1)); } int n=length(g); if(cyclic(p)) g=g&cycle; return g; } path project(path3 p, projection P=currentprojection, int ninterpolate=P.ninterpolate) { guide g; int last=length(p); if(last < 0) return g; transform3 t=P.t; if(ninterpolate == 1 || piecewisestraight(p)) { g=project(point(p,0),t); // Construct the path. int stop=cyclic(p) ? last-1 : last; for(int i=0; i < stop; ++i) { if(straight(p,i)) g=g--project(point(p,i+1),t); else { g=g..controls project(postcontrol(p,i),t) and project(precontrol(p,i+1),t)..project(point(p,i+1),t); } } } else return nurb(p,P); if(cyclic(p)) g=straight(p,last-1) ? g--cycle : g..controls project(postcontrol(p,last-1),t) and project(precontrol(p,last),t)..cycle; return g; } pair[] project(triple[] v, projection P=currentprojection) { return sequence(new pair(int i) {return project(v[i],P.t);},v.length); } path[] project(explicit path3[] g, projection P=currentprojection) { return sequence(new path(int i) {return project(g[i],P);},g.length); } guide3 operator cast(path3 p) { int last=length(p); bool cyclic=cyclic(p); int stop=cyclic ? last-1 : last; return new void(flatguide3 f) { if(last >= 0) { f.node(point(p,0)); for(int i=0; i < stop; ++i) { if(straight(p,i)) { f.out(1); f.in(1); } else f.control(postcontrol(p,i),precontrol(p,i+1)); f.node(point(p,i+1)); } if(cyclic) { if(straight(p,stop)) { f.out(1); f.in(1); } else f.control(postcontrol(p,stop),precontrol(p,last)); f.cycleToken(); } } }; } // Return a unit normal vector to a planar path p (or O if the path is // nonplanar). triple normal(path3 p) { triple normal; real fuzz=sqrtEpsilon*abs(max(p)-min(p)); real absnormal; real theta; bool Cross(triple a, triple b) { if(abs(a) >= fuzz && abs(b) >= fuzz) { triple n=cross(unit(a),unit(b)); real absn=abs(n); if(absn < sqrtEpsilon) return false; n=unit(n); if(absnormal > 0 && abs(normal-n) > sqrtEpsilon && abs(normal+n) > sqrtEpsilon) return true; else { int sign=dot(n,normal) >= 0 ? 1 : -1; theta += sign*asin1(absn); if(absn > absnormal) { absnormal=absn; normal=n; theta=sign*theta; } } } return false; } int L=length(p); if(L <= 0) return O; triple zi=point(p,0); triple v0=zi-precontrol(p,0); for(int i=0; i < L; ++i) { triple c0=postcontrol(p,i); triple c1=precontrol(p,i+1); triple zp=point(p,i+1); triple v1=c0-zi; triple v2=c1-c0; triple v3=zp-c1; if(Cross(v0,v1) || Cross(v1,v2) || Cross(v2,v3)) return O; v0=v3; zi=zp; } return theta >= 0 ? normal : -normal; } // Return a unit normal vector to a polygon with vertices in p. triple normal(triple[] p) { triple normal; real fuzz=sqrtEpsilon*abs(maxbound(p)-minbound(p)); real absnormal; real theta; bool Cross(triple a, triple b) { if(abs(a) >= fuzz && abs(b) >= fuzz) { triple n=cross(unit(a),unit(b)); real absn=abs(n); n=unit(n); if(absnormal > 0 && absn > sqrtEpsilon && abs(normal-n) > sqrtEpsilon && abs(normal+n) > sqrtEpsilon) return true; else { int sign=dot(n,normal) >= 0 ? 1 : -1; theta += sign*asin1(absn); if(absn > absnormal) { absnormal=absn; normal=n; theta=sign*theta; } } } return false; } if(p.length <= 0) return O; triple zi=p[0]; triple v0=zi-p[p.length-1]; for(int i=0; i < p.length-1; ++i) { triple zp=p[i+1]; triple v1=zp-zi; if(Cross(v0,v1)) return O; v0=v1; zi=zp; } return theta >= 0 ? normal : -normal; } // Transforms that map XY plane to YX, YZ, ZY, ZX, and XZ planes. restricted transform3 XY=identity4; restricted transform3 YX=rotate(-90,O,Z); restricted transform3 YZ=rotate(90,O,Z)*rotate(90,O,X); restricted transform3 ZY=rotate(-90,O,X)*YZ; restricted transform3 ZX=rotate(-90,O,Z)*rotate(-90,O,Y); restricted transform3 XZ=rotate(-90,O,Y)*ZX; private transform3 flip(transform3 t, triple X, triple Y, triple Z, projection P) { static transform3 flip(triple v) { static real s(real x) {return x > 0 ? -1 : 1;} return scale(s(v.x),s(v.y),s(v.z)); } triple u=unit(P.normal); triple up=unit(perp(P.up,u)); bool upright=dot(Z,u) >= 0; if(dot(Y,up) < 0) { t=flip(Y)*t; upright=!upright; } return upright ? t : flip(X)*t; } restricted transform3 XY(projection P=currentprojection) { return flip(XY,X,Y,Z,P); } restricted transform3 YX(projection P=currentprojection) { return flip(YX,Y,X,Z,P); } restricted transform3 YZ(projection P=currentprojection) { return flip(YZ,Y,Z,X,P); } restricted transform3 ZY(projection P=currentprojection) { return flip(ZY,Z,Y,X,P); } restricted transform3 ZX(projection P=currentprojection) { return flip(ZX,Z,X,Y,P); } restricted transform3 XZ(projection P=currentprojection) { return flip(XZ,X,Z,Y,P); } // Transform3 that projects in direction dir onto plane with normal n // through point O. transform3 planeproject(triple n, triple O=O, triple dir=n) { real a=n.x, b=n.y, c=n.z; real u=dir.x, v=dir.y, w=dir.z; real delta=1.0/(a*u+b*v+c*w); real d=-(a*O.x+b*O.y+c*O.z)*delta; return new real[][] { {(b*v+c*w)*delta,-b*u*delta,-c*u*delta,-d*u}, {-a*v*delta,(a*u+c*w)*delta,-c*v*delta,-d*v}, {-a*w*delta,-b*w*delta,(a*u+b*v)*delta,-d*w}, {0,0,0,1} }; } // Transform3 that projects in direction dir onto plane defined by p. transform3 planeproject(path3 p, triple dir=O) { triple n=normal(p); return planeproject(n,point(p,0),dir == O ? n : dir); } // Transform for projecting onto plane through point O with normal cross(u,v). transform transform(triple u, triple v, triple O=O, projection P=currentprojection) { transform3 t=P.t; real[] tO=t*new real[] {O.x,O.y,O.z,1}; real tO3=tO[3]; real factor=1/tO3^2; real[] x=(tO3*t[0]-tO[0]*t[3])*factor; real[] y=(tO3*t[1]-tO[1]*t[3])*factor; triple x=(x[0],x[1],x[2]); triple y=(y[0],y[1],y[2]); u=unit(u); v=unit(v); return (0,0,dot(u,x),dot(v,x),dot(u,y),dot(v,y)); } // Project Label onto plane through point O with normal cross(u,v). Label project(Label L, triple u, triple v, triple O=O, projection P=currentprojection) { Label L=L.copy(); L.position=project(O,P.t); L.transform(transform(u,v,O,P)); return L; } path3 operator cast(guide3 g) {return solve(g);} path3 operator cast(triple v) {return path3(v);} guide3[] operator cast(triple[] v) { return sequence(new guide3(int i) {return v[i];},v.length); } path3[] operator cast(triple[] v) { return sequence(new path3(int i) {return v[i];},v.length); } path3[] operator cast(guide3[] g) { return sequence(new path3(int i) {return solve(g[i]);},g.length); } guide3[] operator cast(path3[] g) { return sequence(new guide3(int i) {return g[i];},g.length); } void write(file file, string s="", explicit guide3[] x, suffix suffix=none) { write(file,s,(path3[]) x,suffix); } void write(string s="", explicit guide3[] x, suffix suffix=endl) { write(stdout,s,(path3[]) x,suffix); } triple point(explicit guide3 g, int t) { flatguide3 f; g(f); int n=f.size(); return f.nodes[adjustedIndex(t,n,f.cyclic())]; } triple[] dirSpecifier(guide3 g, int t) { flatguide3 f; g(f); int n=f.size(); checkEmpty(n); if(f.cyclic()) t=t % n; else if(t < 0 || t >= n-1) return new triple[]; return new triple[] {f.out[t].dir,f.in[t].dir}; } triple[] controlSpecifier(guide3 g, int t) { flatguide3 f; g(f); int n=f.size(); checkEmpty(n); if(f.cyclic()) t=t % n; else if(t < 0 || t >= n-1) return new triple[]; control c=f.control[t]; if(c.active) return new triple[] {c.post,c.pre}; else return new triple[]; } tensionSpecifier tensionSpecifier(guide3 g, int t) { flatguide3 f; g(f); int n=f.size(); checkEmpty(n); if(f.cyclic()) t=t % n; else if(t < 0 || t >= n-1) return operator tension(1,1,false); Tension T=f.Tension[t]; return operator tension(T.out,T.in,T.atLeast); } real[] curlSpecifier(guide3 g, int t) { flatguide3 f; g(f); int n=f.size(); checkEmpty(n); if(f.cyclic()) t=t % n; else if(t < 0 || t >= n-1) return new real[]; return new real[] {f.out[t].gamma,f.in[t].gamma}; } guide3 reverse(guide3 g) { flatguide3 f; bool cyclic=cyclic(g); g(f); if(f.precyclic()) return reverse(solve(g)); int n=f.size(); checkEmpty(n); guide3 G; if(n >= 0) { int start=cyclic ? n : n-1; for(int i=start; i > 0; --i) { G=G..f.nodes[i]; control c=f.control[i-1]; if(c.active) G=G..operator controls(c.pre,c.post); else { dir in=f.in[i-1]; triple d=in.dir; if(d != O) G=G..operator spec(-d,JOIN_OUT); else if(in.Curl) G=G..operator curl(in.gamma,JOIN_OUT); dir out=f.out[i-1]; triple d=out.dir; if(d != O) G=G..operator spec(-d,JOIN_IN); else if(out.Curl) G=G..operator curl(out.gamma,JOIN_IN); } } if(cyclic) G=G..cycle; else G=G..f.nodes[0]; } return G; } triple intersectionpoint(path3 p, path3 q, real fuzz=-1) { real[] t=intersect(p,q,fuzz); if(t.length == 0) abort("paths do not intersect"); return point(p,t[0]); } // return an array containing all intersection points of p and q triple[] intersectionpoints(path3 p, path3 q, real fuzz=-1) { real[][] t=intersections(p,q,fuzz); return sequence(new triple(int i) {return point(p,t[i][0]);},t.length); } triple[] intersectionpoints(explicit path3[] p, explicit path3[] q, real fuzz=-1) { triple[] v; for(int i=0; i < p.length; ++i) for(int j=0; j < q.length; ++j) v.append(intersectionpoints(p[i],q[j],fuzz)); return v; } path3 operator &(path3 p, cycleToken tok) { int n=length(p); if(n < 0) return nullpath3; triple a=point(p,0); triple b=point(p,n); return subpath(p,0,n-1)..controls postcontrol(p,n-1) and precontrol(p,n).. cycle; } // return the point on path3 p at arclength L triple arcpoint(path3 p, real L) { return point(p,arctime(p,L)); } // return the point on path3 p at arclength L triple arcpoint(path3 p, real L) { return point(p,arctime(p,L)); } // return the direction on path3 p at arclength L triple arcdir(path3 p, real L) { return dir(p,arctime(p,L)); } // return the time on path3 p at the relative fraction l of its arclength real reltime(path3 p, real l) { return arctime(p,l*arclength(p)); } // return the point on path3 p at the relative fraction l of its arclength triple relpoint(path3 p, real l) { return point(p,reltime(p,l)); } // return the direction of path3 p at the relative fraction l of its arclength triple reldir(path3 p, real l) { return dir(p,reltime(p,l)); } // return the point on path3 p at half of its arclength triple midpoint(path3 p) { return relpoint(p,0.5); } real relative(Label L, path3 g) { return L.position.relative ? reltime(g,L.relative()) : L.relative(); } // return the linear transformation that maps X,Y,Z to u,v,w. transform3 transform3(triple u, triple v, triple w=cross(u,v)) { return new real[][] { {u.x,v.x,w.x,0}, {u.y,v.y,w.y,0}, {u.z,v.z,w.z,0}, {0,0,0,1} }; } // return the rotation that maps Z to a unit vector u about cross(u,Z), transform3 align(triple u) { real a=u.x; real b=u.y; real c=u.z; real d=a^2+b^2; if(d != 0) { d=sqrt(d); real e=1/d; return new real[][] { {-b*e,-a*c*e,a,0}, {a*e,-b*c*e,b,0}, {0,d,c,0}, {0,0,0,1}}; } return c >= 0 ? identity(4) : diagonal(1,-1,-1,1); } // return a rotation that maps X,Y to the projection plane. transform3 transform3(projection P=currentprojection) { triple w=unit(P.normal); triple v=unit(perp(P.up,w)); if(v == O) v=cross(perp(w),w); triple u=cross(v,w); return u != O ? transform3(u,v,w) : identity(4); } triple[] triples(real[] x, real[] y, real[] z) { if(x.length != y.length || x.length != z.length) abort("arrays have different lengths"); return sequence(new triple(int i) {return (x[i],y[i],z[i]);},x.length); } path3[] operator cast(path3 p) { return new path3[] {p}; } path3[] operator cast(guide3 g) { return new path3[] {(path3) g}; } path3[] operator ^^ (path3 p, path3 q) { return new path3[] {p,q}; } path3[] operator ^^ (path3 p, explicit path3[] q) { return concat(new path3[] {p},q); } path3[] operator ^^ (explicit path3[] p, path3 q) { return concat(p,new path3[] {q}); } path3[] operator ^^ (explicit path3[] p, explicit path3[] q) { return concat(p,q); } path3[] operator * (transform3 t, explicit path3[] p) { return sequence(new path3(int i) {return t*p[i];},p.length); } triple[] operator * (transform3 t, triple[] v) { return sequence(new triple(int i) {return t*v[i];},v.length); } triple[][] operator * (transform3 t, triple[][] v) { triple[][] V=new triple[v.length][]; for(int i=0; i < v.length; ++i) { triple[] vi=v[i]; V[i]=sequence(new triple(int j) {return t*vi[j];},vi.length); } return V; } triple min(explicit path3[] p) { checkEmpty(p.length); triple minp=min(p[0]); for(int i=1; i < p.length; ++i) minp=minbound(minp,min(p[i])); return minp; } triple max(explicit path3[] p) { checkEmpty(p.length); triple maxp=max(p[0]); for(int i=1; i < p.length; ++i) maxp=maxbound(maxp,max(p[i])); return maxp; } path3 randompath3(int n, bool cumulate=true, interpolate3 join=operator ..) { guide3 g; triple w; for(int i=0; i <= n; ++i) { triple z=(unitrand()-0.5,unitrand()-0.5,unitrand()-0.5); if(cumulate) w += z; else w=z; g=join(g,w); } return g; } path3[] box(triple v1, triple v2) { return (v1.x,v1.y,v1.z)-- (v1.x,v1.y,v2.z)-- (v1.x,v2.y,v2.z)-- (v1.x,v2.y,v1.z)-- (v1.x,v1.y,v1.z)-- (v2.x,v1.y,v1.z)-- (v2.x,v1.y,v2.z)-- (v2.x,v2.y,v2.z)-- (v2.x,v2.y,v1.z)-- (v2.x,v1.y,v1.z)^^ (v2.x,v2.y,v1.z)-- (v1.x,v2.y,v1.z)^^ (v1.x,v2.y,v2.z)-- (v2.x,v2.y,v2.z)^^ (v2.x,v1.y,v2.z)-- (v1.x,v1.y,v2.z); } restricted path3[] unitbox=box(O,(1,1,1)); restricted path3 unitcircle3=X..Y..-X..-Y..cycle; restricted path3 unitsquare3=O--X--X+Y--Y--cycle; path3 circle(triple c, real r, triple normal=Z) { path3 p=normal == Z ? unitcircle3 : align(unit(normal))*unitcircle3; return shift(c)*scale3(r)*p; } // return an arc centered at c from triple v1 to v2 (assuming |v2-c|=|v1-c|), // drawing in the given direction. // The normal must be explicitly specified if c and the endpoints are colinear. path3 arc(triple c, triple v1, triple v2, triple normal=O, bool direction=CCW) { v1 -= c; real r=abs(v1); v1=unit(v1); v2=unit(v2-c); if(normal == O) { normal=cross(v1,v2); if(normal == O) abort("explicit normal required for these endpoints"); } transform3 T; bool align=normal != Z; if(align) { T=align(unit(normal)); transform3 Tinv=transpose(T); v1=Tinv*v1; v2=Tinv*v2; } string invalidnormal="invalid normal vector"; real fuzz=sqrtEpsilon; if(abs(v1.z) > fuzz || abs(v2.z) > fuzz) abort(invalidnormal); real[] t1=intersect(unitcircle3,O--2*(v1.x,v1.y,0)); real[] t2=intersect(unitcircle3,O--2*(v2.x,v2.y,0)); if(t1.length == 0 || t2.length == 0) abort(invalidnormal); real t1=t1[0]; real t2=t2[0]; int n=length(unitcircle3); if(direction) { if(t1 >= t2) t1 -= n; } else if(t2 >= t1) t2 -= n; path3 p=subpath(unitcircle3,t1,t2); if(align) p=T*p; return shift(c)*scale3(r)*p; } // return an arc centered at c with radius r from c+r*dir(theta1,phi1) to // c+r*dir(theta2,phi2) in degrees, drawing in the given direction // relative to the normal vector cross(dir(theta1,phi1),dir(theta2,phi2)). // The normal must be explicitly specified if c and the endpoints are colinear. path3 arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=O, bool direction) { return arc(c,c+r*dir(theta1,phi1),c+r*dir(theta2,phi2),normal,direction); } // return an arc centered at c with radius r from c+r*dir(theta1,phi1) to // c+r*dir(theta2,phi2) in degrees, drawing drawing counterclockwise // relative to the normal vector cross(dir(theta1,phi1),dir(theta2,phi2)) // iff theta2 > theta1 or (theta2 == theta1 and phi2 >= phi1). // The normal must be explicitly specified if c and the endpoints are colinear. path3 arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=O) { return arc(c,r,theta1,phi1,theta2,phi2,normal, theta2 > theta1 || (theta2 == theta1 && phi2 >= phi1) ? CCW : CW); } private real epsilon=1000*realEpsilon; // Return a representation of the plane through point O with normal cross(u,v). path3 plane(triple u, triple v, triple O=O) { return O--O+u--O+u+v--O+v--cycle; } // PRC/OpenGL support include three_light; void draw(frame f, path3 g, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection); void begingroup3(frame f, string name="", render render=defaultrender, triple center=O, int interaction=0) { _begingroup3(f,name,render.compression,render.granularity,render.closed, render.tessellate,render.merge == false, render.merge == true,center,interaction); } void begingroup3(picture pic=currentpicture, string name="", render render=defaultrender, triple center=O, int interaction=0) { pic.add(new void(frame f, transform3, picture pic, projection) { if(is3D()) begingroup3(f,name,render,center,interaction); if(pic != null) begingroup(pic); },true); } void endgroup3(picture pic=currentpicture) { pic.add(new void(frame f, transform3, picture pic, projection) { if(is3D()) endgroup3(f); if(pic != null) endgroup(pic); },true); } void addPath(picture pic, path3 g, pen p) { if(size(g) > 0) pic.addBox(min(g),max(g),min3(p),max3(p)); } include three_surface; include three_margins; pair min(path3 p, projection P) { path3 q=P.T.modelview*p; if(P.infinity) return xypart(min(q)); return maxratio(q)/P.T.projection[3][2]; } pair max(path3 p, projection P) { path3 q=P.T.modelview*p; if(P.infinity) return xypart(max(q)); return minratio(q)/P.T.projection[3][2]; } pair min(frame f, projection P) { frame g=P.T.modelview*f; if(P.infinity) return xypart(min3(g)); return maxratio(g)/P.T.projection[3][2]; } pair max(frame f, projection P) { frame g=P.T.modelview*f; if(P.infinity) return xypart(max3(g)); return minratio(g)/P.T.projection[3][2]; } void draw(picture pic=currentpicture, Label L="", path3 g, align align=NoAlign, material p=currentpen, margin3 margin=NoMargin3, light light=nolight, string name="", render render=defaultrender) { pen q=(pen) p; pic.add(new void(frame f, transform3 t, picture pic, projection P) { path3 G=margin(t*g,q).g; if(is3D()) { draw(f,G,p,light,name,render,null); if(pic != null && size(G) > 0) pic.addBox(min(G,P),max(G,P),min(q),max(q)); } if(pic != null) draw(pic,project(G,P),q); },true); Label L=L.copy(); L.align(align); if(L.s != "") { L.p(q); label(pic,L,g); } addPath(pic,g,q); } include three_tube; draw=new void(frame f, path3 g, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection) { pen q=(pen) p; if(is3D()) { p=material(p); real width=linewidth(q); void drawthick(path3 g) { if(settings.thick) { if(width > 0) { bool prc=prc(); void cylinder(transform3) {}; void sphere(transform3, bool half) {}; void disk(transform3) {}; void pipe(path3, path3); if(prc) { cylinder=new void(transform3 t) {drawPRCcylinder(f,t,p,light);}; sphere=new void(transform3 t, bool half) {drawPRCsphere(f,t,half,p,light,render);}; disk=new void(transform3 t) {draw(f,t*unitdisk,p,light,render);}; pipe=new void(path3 center, path3 g) {drawPRCtube(f,center,g,p,light);}; } real linecap=linecap(q); real r=0.5*width; bool open=!cyclic(g); int L=length(g); triple g0=point(g,0); triple gL=point(g,L); if(open && L > 0) { if(linecap == 2) { g0 -= r*dir(g,0); gL += r*dir(g,L); g=g0..g..gL; L += 2; } } tube T=tube(g,width,render,cylinder,sphere,pipe); path3 c=T.center; if(L >= 0) { if(open) { int Lc=length(c); triple c0=point(c,0); triple cL=point(c,Lc); triple dir0=dir(g,0); triple dirL=dir(g,L); triple dirc0=dir(c,0); triple dircL=dir(c,Lc); transform3 t0=shift(g0)*align(-dir0); transform3 tL=shift(gL)*align(dirL); transform3 tc0=shift(c0)*align(-dirc0); transform3 tcL=shift(cL)*align(dircL); if(linecap == 0 || linecap == 2) { transform3 scale2r=scale(r,r,1); T.s.append(t0*scale2r*unitdisk); disk(tc0*scale2r); if(L > 0) { T.s.append(tL*scale2r*unitdisk); disk(tcL*scale2r); } } else if(linecap == 1) { transform3 scale3r=scale3(r); T.s.append(t0*scale3r* (dir0 != O ? unithemisphere : unitsphere)); sphere(tc0*scale3r,half=straight(c,0)); if(L > 0) { T.s.append(tL*scale3r* (dirL != O ? unithemisphere : unitsphere)); sphere(tcL*scale3r,half=straight(c,Lc-1)); } } } if(opacity(q) == 1) _draw(f,c,q); } for(patch s : T.s.s) draw3D(f,s,p,light,prc=false); } else _draw(f,g,q); } else _draw(f,g,q); } bool group=q != nullpen && (name != "" || render.defaultnames); if(group) begingroup3(f,name == "" ? "curve" : name,render); if(linetype(q).length == 0) drawthick(g); else { real[] dash=linetype(adjust(q,arclength(g),cyclic(g))); if(sum(dash) > 0) { dash.cyclic=true; real offset=offset(q); real L=arclength(g); int i=0; real l=offset; while(l <= L) { real t1=arctime(g,l); l += dash[i]; real t2=arctime(g,min(l,L)); drawthick(subpath(g,t1,t2)); ++i; l += dash[i]; ++i; } } } if(group) endgroup3(f); } else draw(f,project(g,P),q); }; void draw(frame f, explicit path3[] g, material p=currentpen, light light=nolight, string name="", render render=defaultrender, projection P=currentprojection) { bool group=g.length > 1 && (name != "" || render.defaultnames); if(group) begingroup3(f,name == "" ? "curves" : name,render); for(int i=0; i < g.length; ++i) draw(f,g[i],p,light,partname(i,render),render,P); if(group) endgroup3(f); } void draw(picture pic=currentpicture, explicit path3[] g, material p=currentpen, margin3 margin=NoMargin3, light light=nolight, string name="", render render=defaultrender) { bool group=g.length > 1 && (name != "" || render.defaultnames); if(group) begingroup3(pic,name == "" ? "curves" : name,render); for(int i=0; i < g.length; ++i) draw(pic,g[i],p,margin,light,partname(i,render),render); if(group) endgroup3(pic); } include three_arrows; void draw(picture pic=currentpicture, Label L="", path3 g, align align=NoAlign, material p=currentpen, arrowbar3 arrow, arrowbar3 bar=None, margin3 margin=NoMargin3, light light=nolight, light arrowheadlight=currentlight, string name="", render render=defaultrender) { bool group=arrow != None || bar != None; if(group) begingroup3(pic,name,render); bool drawpath=arrow(pic,g,p,margin,light,arrowheadlight); if(bar(pic,g,p,margin,light,arrowheadlight) && drawpath) draw(pic,L,g,align,p,margin,light,render); if(group) endgroup3(pic); if(L.s != "") label(pic,L,g,align,(pen) p); } void draw(frame f, path3 g, material p=currentpen, arrowbar3 arrow, light light=nolight, light arrowheadlight=currentlight, string name="", render render=defaultrender, projection P=currentprojection) { picture pic; bool group=arrow != None; if(group) begingroup3(f,name,render); if(arrow(pic,g,p,NoMargin3,light,arrowheadlight)) draw(f,g,p,light,render,P); add(f,pic.fit()); if(group) endgroup3(f); } void add(picture pic=currentpicture, void d(picture,transform3), bool exact=false) { pic.add(d,exact); } // Fit the picture src using the identity transformation (so user // coordinates and truesize coordinates agree) and add it about the point // position to picture dest. void add(picture dest, picture src, triple position, bool group=true, bool above=true) { dest.add(new void(picture f, transform3 t) { f.add(shift(t*position)*src,group,above); }); } void add(picture src, triple position, bool group=true, bool above=true) { add(currentpicture,src,position,group,above); } // Align an arrow pointing to b from the direction dir. The arrow is // 'length' PostScript units long. void arrow(picture pic=currentpicture, Label L="", triple b, triple dir, real length=arrowlength, align align=NoAlign, pen p=currentpen, arrowbar3 arrow=Arrow3, margin3 margin=EndMargin3, light light=nolight, light arrowheadlight=currentlight, string name="", render render=defaultrender) { Label L=L.copy(); if(L.defaultposition) L.position(0); L.align(L.align,dir); L.p(p); picture opic; marginT3 margin=margin(b--b,p); // Extract margin.begin and margin.end triple a=(margin.begin+length+margin.end)*unit(dir); draw(opic,L,a--O,align,p,arrow,margin,light,arrowheadlight,name,render); add(pic,opic,b); } void arrow(picture pic=currentpicture, Label L="", triple b, pair dir, real length=arrowlength, align align=NoAlign, pen p=currentpen, arrowbar3 arrow=Arrow3, margin3 margin=EndMargin3, light light=nolight, light arrowheadlight=currentlight, string name="", render render=defaultrender, projection P=currentprojection) { arrow(pic,L,b,invert(dir,b,P),length,align,p,arrow,margin,light, arrowheadlight,name,render); } triple min3(picture pic, projection P=currentprojection) { return pic.min3(P); } triple max3(picture pic, projection P=currentprojection) { return pic.max3(P); } triple size3(picture pic, bool user=false, projection P=currentprojection) { transform3 t=pic.calculateTransform3(P); triple M=pic.max(t); triple m=pic.min(t); if(!user) return M-m; t=inverse(t); return t*M-t*m; } triple point(frame f, triple dir) { triple m=min3(f); triple M=max3(f); return m+realmult(rectify(dir),M-m); } triple point(picture pic=currentpicture, triple dir, bool user=true, projection P=currentprojection) { triple min = pic.userMin(), max = pic.userMax(); triple v=min+realmult(rectify(dir),max-min); return user ? v : pic.calculateTransform3(P)*v; } triple truepoint(picture pic=currentpicture, triple dir, bool user=true, projection P=currentprojection) { transform3 t=pic.calculateTransform3(P); triple m=pic.min(t); triple M=pic.max(t); triple v=m+realmult(rectify(dir),M-m); return user ? inverse(t)*v : v; } void add(picture dest=currentpicture, object src, pair position=0, pair align=0, bool group=true, filltype filltype=NoFill, bool above=true) { if(prc()) label(dest,src,position,align); else if(settings.render == 0) plain.add(dest,src,position,align,group,filltype,above); } private struct viewpoint { triple target,camera,up; real angle; void operator init(string s) { s=replace(s,'\n'," "); string[] S=split(s); int pos(string s, string key) { int pos=find(s,key); if(pos < 0) return -1; pos += length(key); while(substr(s,pos,1) == " ") ++pos; if(substr(s,pos,1) == "=") return pos+1; return -1; } triple C2C=X; real ROO=1; real ROLL=0; angle=30; int pos; for(int k=0; k < S.length; ++k) { if((pos=pos(S[k],"COO")) >= 0) target=((real) substr(S[k],pos),(real) S[++k],(real) S[++k]); else if((pos=pos(S[k],"C2C")) >= 0) C2C=((real) substr(S[k],pos),(real) S[++k],(real) S[++k]); else if((pos=pos(S[k],"ROO")) >= 0) ROO=(real) substr(S[k],pos); else if((pos=pos(S[k],"ROLL")) >= 0) ROLL=(real) substr(S[k],pos); else if((pos=pos(S[k],"AAC")) >= 0) angle=(real) substr(S[k],pos); } camera=target+ROO*C2C; triple u=unit(target-camera); triple w=unit(Z-u.z*u); up=rotate(ROLL,O,u)*w; } } projection perspective(string s) { viewpoint v=viewpoint(s); projection P=perspective(v.camera,v.up,v.target); P.angle=v.angle; P.absolute=true; return P; } projection absorthographic(triple camera=Z, triple target=O, real roll=0) { triple u=unit(target-camera); triple w=unit(Z-u.z*u); triple up=rotate(roll,O,u)*w; projection P= projection(camera,up,target,1,0,false,false, new transformation(triple camera, triple up, triple target) {return transformation(look(camera,up,target));}); P.absolute=true; return P; } projection absperspective(triple camera=Z, triple target=O, real roll=0, real angle=30) { triple u=unit(target-camera); triple w=unit(Z-u.z*u); triple up=rotate(roll,O,u)*w; projection P=perspective(camera,up,target); P.angle=angle; P.absolute=true; return P; } private string Format(real x) { assert(abs(x) < 1e17,"Number too large: "+string(x)); return format("%.9f",x,"C"); } private string Format(triple v, string sep=" ") { return Format(v.x)+sep+Format(v.y)+sep+Format(v.z); } private string Format(real[] c) { return Format((c[0],c[1],c[2])); } private string format(triple v, string sep=" ") { return string(v.x)+sep+string(v.y)+sep+string(v.z); } private string Format(transform3 t, string sep=" ") { return Format(t[0][0])+sep+Format(t[1][0])+sep+Format(t[2][0])+sep+ Format(t[0][1])+sep+Format(t[1][1])+sep+Format(t[2][1])+sep+ Format(t[0][2])+sep+Format(t[1][2])+sep+Format(t[2][2])+sep+ Format(t[0][3])+sep+Format(t[1][3])+sep+Format(t[2][3]); } void writeJavaScript(string name, string preamble, string script) { file out=output(name); write(out,preamble); if(script != "") { write(out,endl); file in=input(script); while(true) { string line=in; if(eof(in)) break; write(out,line,endl); } } close(out); if(settings.verbose > 1) write("Wrote "+name); if(!settings.inlinetex) file3.push(name); } pair viewportmargin(pair lambda) { return maxbound(0.5*(viewportsize-lambda),viewportmargin); } string embed3D(string prefix, string label=prefix, string text=label, frame f, string format="", real width=0, real height=0, string options="", string script="", light light=currentlight, projection P=currentprojection, real viewplanesize=0) { if(!prc(format) || Embed == null) return ""; if(width == 0) width=settings.paperwidth; if(height == 0) height=settings.paperheight; if(script == "") script=defaultembed3Dscript; if(P.infinity) { if(viewplanesize==0) { triple lambda=max3(f)-min3(f); pair margin=viewportmargin((lambda.x,lambda.y)); viewplanesize=(max(lambda.x+2*margin.x,lambda.y+2*margin.y))/P.zoom; } } else if(!P.absolute) P.angle=2*aTan(Tan(0.5*P.angle)); shipout3(prefix,f); string name=prefix+".js"; if(!settings.inlinetex && !prconly()) file3.push(prefix+".prc"); static transform3 flipxz=xscale3(-1)*zscale3(-1); transform3 inv=inverse(flipxz*P.T.modelview); string options3="3Dlights="+ (light.on() ? "Headlamp" : "None"); if(defaultembed3Doptions != "") options3 += ","+defaultembed3Doptions; if((settings.render < 0 || !settings.embed) && settings.auto3D) options3 += ",activate=pagevisible"; options3 += ",3Dtoolbar="+(settings.toolbar ? "true" : "false")+ ",label="+label+ (P.infinity ? ",3Dortho="+Format(1/viewplanesize) : ",3Daac="+Format(P.angle))+ ",3Dc2w="+Format(inv)+ ",3Droo="+Format(abs(P.vector()))+ ",3Dpsob="+(P.infinity ? "Max" : "H")+ ",3Dbg="+Format(light.background()); if(options != "") options3 += ","+options; if(settings.inlinetex) prefix=jobname(prefix); options3 += ",add3Djscript=asylabels.js"; return text == "" ? Embed(prefix+".prc","",options3,width,height) : "\hbox to 0pt{"+text+"\hss}"+Embed(prefix+".prc","\phantom{"+text+"}", options3); } struct scene { frame f; transform3 t; projection P; bool adjusted; real width,height; pair viewportmargin; transform3 T=identity4; picture pic2; void operator init(frame f, real width, real height, projection P=currentprojection) { this.f=f; this.t=identity4; this.P=P; this.width=width; this.height=height; } void operator init(picture pic, real xsize=pic.xsize, real ysize=pic.ysize, bool keepAspect=pic.keepAspect, bool is3D=true, projection P=currentprojection) { real xsize3=pic.xsize3, ysize3=pic.ysize3, zsize3=pic.zsize3; bool warn=true; if(xsize3 == 0 && ysize3 == 0 && zsize3 == 0) { xsize3=ysize3=zsize3=max(xsize,ysize); warn=false; } if(P.absolute) this.P=P.copy(); else if(P.showtarget) draw(pic,P.target,nullpen); t=pic.scaling(xsize3,ysize3,zsize3,keepAspect,warn); adjusted=false; triple m=pic.min(t); triple M=pic.max(t); if(!P.absolute) { this.P=t*P; if(this.P.center && settings.render != 0) { triple target=0.5*(m+M); this.P.target=target; this.P.calculate(); } if(this.P.autoadjust || this.P.infinity) adjusted=adjusted | this.P.adjust(m,M); } bool scale=xsize != 0 || ysize != 0; bool scaleAdjust=scale && this.P.autoadjust; bool noAdjust=(this.P.absolute || !scaleAdjust); if(pic.bounds3.exact && noAdjust) this.P.bboxonly=false; f=pic.fit3(t,pic.bounds3.exact ? pic2 : null,this.P); if(!pic.bounds3.exact) { if(noAdjust) this.P.bboxonly=false; transform3 s=pic.scale3(f,xsize3,ysize3,zsize3,keepAspect); t=s*t; this.P=s*this.P; f=pic.fit3(t,pic2,this.P); } if(is3D || scale) { pic2.bounds.exact=true; transform s=pic2.scaling(xsize,ysize,keepAspect); pair m2=pic2.min(s); pair M2=pic2.max(s); pair lambda=M2-m2; viewportmargin=viewportmargin(lambda); width=ceil(lambda.x+2*viewportmargin.x); height=ceil(lambda.y+2*viewportmargin.y); if(!this.P.absolute) { if(scaleAdjust) { pair v=(s.xx,s.yy); transform3 T=this.P.t; pair x=project(X,T); pair y=project(Y,T); pair z=project(Z,T); real f(pair a, pair b) { return b == 0 ? (0.5*(a.x+a.y)) : (b.x^2*a.x+b.y^2*a.y)/(b.x^2+b.y^2); } transform3 s=keepAspect ? scale3(min(f(v,x),f(v,y),f(v,z))) : xscale3(f(v,x))*yscale3(f(v,y))*zscale3(f(v,z)); s=shift(this.P.target)*s*shift(-this.P.target); t=s*t; this.P=s*this.P; this.P.bboxonly=false; if(!is3D) pic2.erase(); f=pic.fit3(t,is3D ? null : pic2,this.P); } if(this.P.autoadjust || this.P.infinity) adjusted=adjusted | this.P.adjust(min3(f),max3(f)); } } } // Choose the angle to be just large enough to view the entire image. real angle(projection P) { T=identity4; real h=-0.5*P.target.z; pair r,R; real diff=realMax; pair s; int i; do { r=minratio(f); R=maxratio(f); pair lasts=s; if(P.autoadjust) { s=r+R; if(s != 0) { transform3 t=shift(h*s.x,h*s.y,0); f=t*f; T=t*T; adjusted=true; } } diff=abs(s-lasts); ++i; } while (diff > angleprecision && i < maxangleiterations); real aspect=width > 0 ? height/width : 1; real rx=-r.x*aspect; real Rx=R.x*aspect; real ry=-r.y; real Ry=R.y; if(!P.autoadjust) { if(rx > Rx) Rx=rx; else rx=Rx; if(ry > Ry) Ry=ry; else ry=Ry; } return (1+angleprecision)*max(aTan(rx)+aTan(Rx),aTan(ry)+aTan(Ry)); } } object embed(string prefix=outprefix(), string label=prefix, string text=label, scene S, string format="", bool view=true, string options="", string script="", light light=currentlight) { object F; transform3 modelview; projection P=S.P; transform3 tinv=inverse(S.t); projection Q; triple orthoshift; modelview=P.T.modelview; transform3 inv; if(P.absolute) { Q=modelview*P; inv=inverse(modelview); } else { triple target=P.target; S.f=modelview*S.f; P=modelview*P; Q=P.copy(); if(Q.t[2][3] == -1) // PRC can't handle oblique projections Q=orthographic(P.camera,P.up,P.target,P.zoom,P.viewportshift, P.showtarget,P.center); if(P.infinity) { triple m=min3(S.f); triple M=max3(S.f); triple lambda=M-m; S.viewportmargin=viewportmargin((lambda.x,lambda.y)); S.width=ceil(lambda.x+2*S.viewportmargin.x); S.height=ceil(lambda.y+2*S.viewportmargin.y); orthoshift=(-0.5(m.x+M.x),-0.5*(m.y+M.y),0); S.f=shift(orthoshift)*S.f; // Eye will be at (0,0,0) inv=inverse(modelview); } else { if(P.angle == 0) { P.angle=S.angle(P); modelview=S.T*modelview; if(S.viewportmargin.y != 0) P.angle=2*aTan(Tan(0.5*P.angle)-S.viewportmargin.y/P.target.z); } inv=inverse(modelview); Q.angle=P.angle; if(settings.verbose > 0) { if(S.adjusted) write("adjusting camera to ",tinv*inv*P.camera); target=inv*P.target; } P=S.T*P; } if(settings.verbose > 0) { if((P.center && settings.render != 0) || (!P.infinity && P.autoadjust)) write("adjusting target to ",tinv*target); } } light Light=modelview*light; if(prefix == "") prefix=outprefix(); bool prc=prc(format); bool preview=settings.render > 0 && !prconly(); if(prc) { // The media9.sty package cannot handle spaces or dots in filenames. string dir=stripfile(prefix); prefix=dir+replace(stripdirectory(prefix), new string[][]{{" ","_"},{".","_"}}); if((settings.embed || nativeformat() == "pdf") && !prconly()) prefix += "+"+(string) file3.length; } else preview=false; if(preview || (!prc && settings.render != 0)) { frame f=S.f; triple m,M; real zcenter; real r; if(P.absolute) { f=modelview*f; m=min3(f); M=max3(f); r=0.5*abs(M-m); zcenter=0.5*(M.z+m.z); } else { m=min3(f); M=max3(f); zcenter=P.target.z; r=P.distance(m,M); } M=(M.x,M.y,zcenter+r); m=(m.x,m.y,zcenter-r); if(P.infinity) { triple margin=(S.viewportmargin.x,S.viewportmargin.y,0); M += margin; m -= margin; } else if(M.z >= 0) abort("camera too close"); if(settings.outformat == "html") format="html"; shipout3(prefix,f,preview ? nativeformat() : format, S.width-defaultrender.margin,S.height-defaultrender.margin, P.infinity ? 0 : 2aTan(Tan(0.5*P.angle)*P.zoom), P.zoom,m,M,P.viewportshift,S.viewportmargin, tinv*inv*shift(0,0,zcenter),Light.background(),Light.position, Light.diffuse,Light.specular, view && !preview); if(!preview) return F; } string image; if((preview || (prc && settings.render == 0)) && settings.embed) { image=prefix; if(settings.inlinetex) image += "_0"; if(!preview && !S.pic2.empty2()) { transform T=S.pic2.scaling(S.width,S.height); _shipout(image,S.pic2.fit(T),newframe,nativeformat(),false,false); } image += "."+nativeformat(); if(!settings.inlinetex) file3.push(image); image=graphic(image,"hiresbb"); } if(prc) { if(P.viewportshift != 0) { if(!P.infinity) warning("offaxis", "PRC does not support off-axis projections; use pan instead of shift"); triple lambda=max3(S.f)-min3(S.f); Q.target -= (P.viewportshift.x*lambda.x/P.zoom, P.viewportshift.y*lambda.y/P.zoom,0); } real viewplanesize=0; if(P.absolute) { if(P.infinity) { S.f=modelview*S.f; triple lambda=max3(S.f)-min3(S.f); pair margin=viewportmargin((lambda.x,lambda.y)); viewplanesize=(max(lambda.x+2*margin.x,lambda.y+2*margin.y))/Q.zoom; S.f=inv*S.f; } Q=inv*Q; } else { if(P.infinity) { triple lambda=max3(S.f)-min3(S.f); pair margin=viewportmargin((lambda.x,lambda.y)); viewplanesize=(max(lambda.x+2*margin.x,lambda.y+2*margin.y))/(Q.zoom); transform3 t=inv*shift(-orthoshift); Q=t*Q; S.f=t*S.f; } else { Q=inv*Q; S.f=inv*S.f; } } F.L=embed3D(prefix,label,text=image,S.f,format, S.width-2,S.height-2,options,script,light,Q,viewplanesize); } return F; } object embed(string prefix=outprefix(), string label=prefix, string text=label, picture pic, string format="", real xsize=pic.xsize, real ysize=pic.ysize, bool keepAspect=pic.keepAspect, bool view=true, string options="", string script="", light light=currentlight, projection P=currentprojection) { bool is3D=is3D(format); scene S=scene(pic,xsize,ysize,keepAspect,is3D,P); if(is3D) return embed(prefix,label,text,S,format,view,options,script,light); else { object F; transform T=S.pic2.scaling(xsize,ysize,keepAspect); F.f=pic.fit(scale(S.t[0][0])*T); add(F.f,S.pic2.fit()); return F; } } object embed(string prefix=outprefix(), string label=prefix, string text=label, frame f, string format="", real width=0, real height=0, bool view=true, string options="", string script="", light light=currentlight, projection P=currentprojection) { if(is3D(format)) return embed(label,text,prefix,scene(f,width,height,P),format,view,options, script,light); else { object F; F.f=f; return F; } } embed3=new object(string prefix, frame f, string format, string options, string script, light light, projection P) { return embed(prefix=prefix,f,format,options,script,light,P); }; frame embedder(object embedder(string prefix, string format), string prefix, string format, bool view, light light) { frame f; bool prc=prc(format); if(!prc && settings.render != 0 && !view) { static int previewcount=0; bool keep=prefix != ""; prefix=outprefix(prefix)+"+"+(string) previewcount; ++previewcount; format=nativeformat(); if(!keep) file3.push(prefix+"."+format); } object F=embedder(prefix,format); if(prc) label(f,F.L); else { if(settings.render == 0) { add(f,F.f); if(light.background != nullpen) box(f,light.background,Fill,above=false); } else if(!view) label(f,graphic(prefix,"hiresbb")); } return f; } currentpicture.fitter=new frame(string prefix, picture pic, string format, real xsize, real ysize, bool keepAspect, bool view, string options, string script, light light, projection P) { frame f; bool empty3=pic.empty3(); if(!empty3) f=embedder(new object(string prefix, string format) { return embed(prefix=prefix,pic,format,xsize,ysize,keepAspect,view, options,script,light,P); },prefix,format,view,light); if(is3D(format) || empty3) add(f,pic.fit2(xsize,ysize,keepAspect)); return f; }; frame embedder(string prefix, frame f, string format, real width, real height, bool view, string options, string script, light light, projection P) { return embedder(new object(string prefix, string format) { return embed(prefix=prefix,f,format,width,height,view,options,script, light,P); },prefix,format,view,light); } projection[][] ThreeViewsUS={{TopView}, {FrontView,RightView}}; projection[][] SixViewsUS={{null,TopView}, {LeftView,FrontView,RightView,BackView}, {null,BottomView}}; projection[][] ThreeViewsFR={{RightView,FrontView}, {null,TopView}}; projection[][] SixViewsFR={{null,BottomView}, {RightView,FrontView,LeftView,BackView}, {null,TopView}}; projection[][] ThreeViews={{FrontView,TopView,RightView}}; projection[][] SixViews={{FrontView,TopView,RightView}, {BackView,BottomView,LeftView}}; void addViews(picture dest, picture src, projection[][] views=SixViewsUS, bool group=true, filltype filltype=NoFill) { frame[][] F=array(views.length,new frame[]); pair[][] M=array(views.length,new pair[]); pair[][] m=array(views.length,new pair[]); for(int i=0; i < views.length; ++i) { projection[] viewsi=views[i]; frame[] Fi=F[i]; pair[] Mi=M[i]; pair[] mi=m[i]; for(projection P : viewsi) { if(P != null) { frame f=src.fit(P); mi.push(min(f)); Mi.push(max(f)); Fi.push(f); } else { pair Infinity=(infinity,infinity); mi.push(Infinity); Mi.push(-Infinity); Fi.push(newframe); } } } real[] my=new real[views.length]; real[] My=new real[views.length]; int Nj=0; for(int i=0; i < views.length; ++i) { my[i]=minbound(m[i]).y; My[i]=maxbound(M[i]).y; Nj=max(Nj,views[i].length); } real[] mx=array(Nj,infinity); real[] Mx=array(Nj,-infinity); for(int i=0; i < views.length; ++i) { pair[] mi=m[i]; pair[] Mi=M[i]; for(int j=0; j < views[i].length; ++j) { mx[j]=min(mx[j],mi[j].x); Mx[j]=max(Mx[j],Mi[j].x); } } if(group) begingroup(dest); real y; for(int i=0; i < views.length; ++i) { real x; pair[] mi=m[i]; for(int j=0; j < views[i].length; ++j) { if(size(F[i][j]) != 0) add(dest,shift(x-mx[j],y+my[i])*F[i][j],filltype); x += (Mx[j]-mx[j]); } y -= (My[i]-my[i]); } if(group) endgroup(dest); } void addViews(picture src, projection[][] views=SixViewsUS, bool group=true, filltype filltype=NoFill) { addViews(currentpicture,src,views,group,filltype); } void addStereoViews(picture dest, picture src, bool group=true, filltype filltype=NoFill, real eyetoview=defaulteyetoview, bool leftright=true, projection P=currentprojection) { triple v=P.vector(); triple h=0.5*abs(v)*eyetoview*unit(cross(P.up,v)); projection leftEye=P.copy(); leftEye.camera -= h; leftEye.calculate(); projection rightEye=P.copy(); rightEye.camera += h; rightEye.calculate(); addViews(dest,src,leftright ? new projection[][] {{leftEye,rightEye}} : new projection[][] {{rightEye,leftEye}},group,filltype); } void addStereoViews(picture src, bool group=true, filltype filltype=NoFill, real eyetoview=defaulteyetoview, bool leftright=true, projection P=currentprojection) { addStereoViews(currentpicture,src,group,filltype,eyetoview,leftright,P); } // Fit an array of 3D pictures simultaneously using the sizing of picture all. frame[] fit3(string prefix="", picture[] pictures, picture all, string format="", bool view=true, string options="", string script="", light light=currentlight, projection P=currentprojection) { frame[] out; scene S=scene(all,P); triple m=all.min(S.t); triple M=all.max(S.t); out=new frame[pictures.length]; int i=0; bool reverse=settings.reverse; settings.animating=true; for(picture pic : pictures) { picture pic2; frame f=pic.fit3(S.t,pic2,S.P); if(settings.interrupt) break; add(f,pic2.fit2()); draw(f,m,nullpen); draw(f,M,nullpen); out[i]=f; ++i; } while(!settings.interrupt) { for(int i=settings.reverse ? pictures.length-1 : 0; i >= 0 && i < pictures.length && !settings.interrupt; settings.reverse ? --i : ++i) { frame f=embedder(prefix,out[i],format,S.width,S.height,view,options, script,light,S.P); if(!settings.loop) out[i]=f; } if(!settings.loop) break; } settings.animating=false; settings.interrupt=false; settings.reverse=reverse; return out; } // Fit an array of pictures simultaneously using the size of the first picture. fit=new frame[](string prefix="", picture[] pictures, string format="", bool view=true, string options="", string script="", projection P=currentprojection) { if(pictures.length == 0) return new frame[]; picture all; size(all,pictures[0]); for(picture pic : pictures) add(all,pic); return all.empty3() ? fit2(pictures,all) : fit3(prefix,pictures,all,format,view,options,script,P); }; // Add frame src to picture dest about position. void add(picture dest=currentpicture, frame src, triple position) { if(is3D(src)) { dest.add(new void(frame f, transform3 t, picture, projection) { add(f,shift(t*position)*src); },true); } else { dest.add(new void(frame, transform3 t, picture pic, projection P) { if(pic != null) { pic.add(new void(frame f, transform T) { add(f,T*shift(project(t*position,P))*src); },true); } },true); } dest.addBox(position,position,min3(src),max3(src)); } exitfcn currentexitfunction=atexit(); void exitfunction() { if(currentexitfunction != null) currentexitfunction(); if(!settings.keep) for(int i=0; i < file3.length; ++i) delete(file3[i]); file3=new string[]; } atexit(exitfunction); asymptote-2.62/base/feynman.asy0000644000000000000000000005172313607467113015273 0ustar rootroot/***************************************************************************** * feynman.asy -- An Asymptote library for drawing Feynman diagrams. * * * * by: Martin Wiebusch * * last change: 2007/04/13 * *****************************************************************************/ /* default parameters ********************************************************/ // default ratio of width (distance between two loops) to amplitude for a gluon // line. The gluon function uses this ratio, if the width parameter is // negative. real gluonratio; // default ratio of width (distance between two crests) to amplitude for a // photon line. The photon function uses this ratio, if the width parameter is // negative. real photonratio; // default gluon amplitude real gluonamplitude; // default photon amplitude real photonamplitude; // default pen for drawing the background. Usually white. pen backgroundpen; // default pen for drawing gluon lines pen gluonpen; // default pen for drawing photon lines pen photonpen; // default pen for drawing fermion lines pen fermionpen; // default pen for drawing scalar lines pen scalarpen; // default pen for drawing ghost lines pen ghostpen; // default pen for drawing double lines pen doublelinepen; // default pen for drawing vertices pen vertexpen; // default pen for drawing big vertices (drawVertexOX and drawVertexBoxX) pen bigvertexpen; // inner spacing of a double line real doublelinespacing; // default arrow for propagators arrowbar currentarrow; // if true, each of the drawSomething commands blots out the background // (with pen backgroundpen) before drawing. bool overpaint; // margin around lines. If one line is drawn over anoter, a white margin // of size linemargin is kept around the top one. real linemargin; // at vertices, where many lines join, the last line drawn should not blot // out the others. By not erasing the background near the ends of lines, // this is prevented for lines with an angle greater than minvertexangle to // each other. Note, that small values for minvertexangle mean that the // background is only erased behind a small segment of every line. Setting // minvertexangle = 0 effectively disables background erasing for lines. real minvertexangle; // size (radius) of vertices real vertexsize; // size (radius) of big vertices (drawVertexOX and drawVertexBoxX) real bigvertexsize; /* defaults for momentum arrows **********************************************/ // (momentum arrows are small arrows parallel to particle lines indicating the // direction of momentum) // default size of the arrowhead of momentum arrows arrowbar currentmomarrow; // default length of momentum arrows real momarrowlength; // default pen for momentum arrows pen momarrowpen; // default offset between momentum arrow and related particle line real momarrowoffset; // default margin for momentum arrows real momarrowmargin; // factor for determining the size of momentum arrowheads. After changing it, // you still have to update currentmomarrow manually. real momarrowfactor; // size function for momentum arrowheads real momarrowsize(pen p=momarrowpen) { return momarrowfactor*linewidth(p); } /* defaults for texshipout ***************************************************/ // tex command for including graphics. It takes one argument, which is the // name of the graphics (eps or pdf) file. string includegraphicscommand; // Determines whether the suffix (.eps or .pdf) should be appended to the stem // of the file name in the \includegraphics command. bool appendsuffix; /* helper functions **********************************************************/ // internal function for overpainting private void do_overpaint(picture pic, path p, pen bgpen, real halfwidth, real vertexangle) { real tanvertexangle = tan(vertexangle*pi/180); if(tanvertexangle != 0) { real t1 = arctime(p, halfwidth/tanvertexangle+halfwidth); real t2 = arctime(p, arclength(p)-halfwidth/tanvertexangle-halfwidth); draw(pic, subpath(p, t1, t2), bgpen+linewidth(2*halfwidth)); } } // returns the path of a gluon line along path p, with amplitude amp and width // width (distance between two loops). If width is negative, the width is // set to amp*gluonratio path gluon(path p, real amp = gluonamplitude, real width=-1) { if(width < 0) width = abs(gluonratio*amp); real pathlen = arclength(p); int ncurls = floor(pathlen/width); real firstlen = (pathlen - width*(ncurls-1))/2; real firstt = arctime(p, firstlen); pair firstv = dir(p, firstt); guide g = point(p, 0)..{firstv}( point(p, firstt) +amp*unit(rotate(90)*firstv)); real t1; pair v1; real t2; pair v2; pathlen -= firstlen; for(real len = firstlen+width/2; len < pathlen; len += width) { t1 = arctime(p, len); v1 = dir(p, t1); t2 = arctime(p, len + width/2); v2 = dir(p, t2); g=g..{-v1}(point(p, t1)+amp*unit(rotate(-90)*v1)) ..{+v2}(point(p, t2)+amp*unit(rotate(+90)*v2)); } g = g..point(p, size(p)); return g; } // returns the path of a photon line along path p, with amplitude amp and width // width (distance between two crests). If width is negative, the width is // set to amp*photonratio path photon(path p, real amp = photonamplitude, real width=-1) { if(width < 0) width = abs(photonratio*amp)/2; else width = width/2; real pathlen = arclength(p); int ncurls = floor(pathlen/width); real firstlen = (pathlen - width*ncurls)/2; real firstt = arctime(p, firstlen+width); guide g = point(p, 0){unit(point(p, firstt)-point(p, 0))}; real t; pair v; pathlen -= firstlen; for(real len = firstlen+width; len < pathlen; len += width) { t = arctime(p, len); v = dir(p, t); g=g..{v}(point(p, t)+amp*unit(rotate(90)*v)); amp = -amp; } g = g..{unit(point(p, size(p))-point(p, t))}point(p, size(p)); return g; } // returns the path of a momentum arrow along path p, with length length, // an offset offset from the path p and at position position. position will // usually be one of the predefined pairs left or right. Making adjust // nonzero shifts the momentum arrow along the path. path momArrowPath(path p, align align, position pos, real offset = momarrowoffset, real length = momarrowlength) { real pathlen = arclength(p); real t1, t2; if(pos.relative) { t1 = arctime(p, (pathlen-length)*pos.position.x); t2 = arctime(p, (pathlen-length)*pos.position.x+length); } else { t1 = arctime(p, (pathlen-length)/2 + pos.position.x); t2 = arctime(p, (pathlen+length)/2+ pos.position.x); } pair v1 = dir(p, t1); pair v2 = dir(p, t2); pair p1, p2; if(align.relative) { p1 = point(p, t1) + offset*abs(align.dir) *unit(rotate(degrees(align.dir)-90)*v1); p2 = point(p, t2) + offset*abs(align.dir) *unit(rotate(degrees(align.dir)-90)*v2); } else { p1 = point(p, t1) + offset*align.dir; p2 = point(p, t2) + offset*align.dir; } return p1{v1}..{v2}p2; } /* drawing functions *********************************************************/ // draw a gluon line on picture pic, along path p, with amplitude amp, width // width (distance between loops) and with pen fgpen. If erasebg is true, // bgpen is used to erase the background behind the line and at a margin // margin around it. The background is not erased at a certain distance to // the endpoints, which is determined by vertexangle (see comments to the // default parameter minvertexangle). For negative values of width, the width // is set to gluonratio*amp. void drawGluon(picture pic = currentpicture, path p, real amp = gluonamplitude, real width = -1, pen fgpen = gluonpen, bool erasebg = overpaint, pen bgpen = backgroundpen, real vertexangle = minvertexangle, real margin = linemargin) { if(width < 0) width = abs(2*amp); if(erasebg) do_overpaint(pic, p, bgpen, amp+margin, vertexangle); draw(pic, gluon(p, amp, width), fgpen); } // draw a photon line on picture pic, along path p, with amplitude amp, width // width (distance between loops) and with pen fgpen. If erasebg is true, // bgpen is used to erase the background behind the line and at a margin // margin around it. The background is not erased at a certain distance to // the endpoints, which is determined by vertexangle (see comments to the // default parameter minvertexangle). For negative values of width, the width // is set to photonratio*amp. void drawPhoton(picture pic = currentpicture, path p, real amp = photonamplitude, real width = -1, pen fgpen = currentpen, bool erasebg = overpaint, pen bgpen = backgroundpen, real vertexangle = minvertexangle, real margin = linemargin) { if(width < 0) width = abs(4*amp); if(erasebg) do_overpaint(pic, p, bgpen, amp+margin, vertexangle); draw(pic, photon(p, amp, width), fgpen); } // draw a fermion line on picture pic, along path p with pen fgpen and an // arrowhead arrow. If erasebg is true, bgpen is used to erase the background // at a margin margin around the line. The background is not erased at a // certain distance to the endpoints, which is determined by vertexangle // (see comments to the default parameter minvertexangle). void drawFermion(picture pic = currentpicture, path p, pen fgpen = currentpen, arrowbar arrow = currentarrow, bool erasebg = overpaint, pen bgpen = backgroundpen, real vertexangle = minvertexangle, real margin = linemargin) { if(erasebg) do_overpaint(pic, p, bgpen, linewidth(fgpen)+margin, vertexangle); draw(pic, p, fgpen, arrow); } // draw a scalar line on picture pic, along path p with pen fgpen and an // arrowhead arrow. If erasebg is true, bgpen is used to erase the background // at a margin margin around the line. The background is not erased at a // certain distance to the endpoints, which is determined by vertexangle // (see comments to the default parameter minvertexangle). void drawScalar(picture pic = currentpicture, path p, pen fgpen = scalarpen, arrowbar arrow = currentarrow, bool erasebg = overpaint, pen bgpen = backgroundpen, real vertexangle = minvertexangle, real margin = linemargin) { if(erasebg) do_overpaint(pic, p, bgpen, linewidth(fgpen)+margin, vertexangle); draw(pic, p, fgpen, arrow); } // draw a ghost line on picture pic, along path p with pen fgpen and an // arrowhead arrow. If erasebg is true, bgpen is used to erase the background // at a margin margin around the line. The background is not erased at a // certain distance to the endpoints, which is determined by vertexangle // (see comments to the default parameter minvertexangle). void drawGhost(picture pic = currentpicture, path p, pen fgpen = ghostpen, arrowbar arrow = currentarrow, bool erasebg = overpaint, pen bgpen = backgroundpen, real vertexangle = minvertexangle, real margin = linemargin) { if(erasebg) do_overpaint(pic, p, bgpen, linewidth(fgpen)+margin, vertexangle); draw(pic, p, fgpen, arrow); } // draw a double line on picture pic, along path p with pen fgpen, an inner // spacing of dlspacint and an arrowhead arrow. If erasebg is true, bgpen is // used to erase the background at a margin margin around the line. The // background is not erased at a certain distance to the endpoints, which is // determined by vertexangle (see comments to the default parameter // minvertexangle). void drawDoubleLine(picture pic = currentpicture, path p, pen fgpen = doublelinepen, real dlspacing = doublelinespacing, arrowbar arrow = currentarrow, bool erasebg = overpaint, pen bgpen = backgroundpen, real vertexangle = minvertexangle, real margin = linemargin) { if(erasebg) do_overpaint(pic, p, bgpen, linewidth(fgpen)+margin, vertexangle); real htw = linewidth(fgpen)+dlspacing/2; draw(pic, p, fgpen+2*htw); draw(pic, p, bgpen+(linewidth(dlspacing))); path rect = (-htw,-htw)--(-htw,htw)--(0,htw)--(0,-htw)--cycle; fill(shift(point(p,0))*rotate(degrees(dir(p,0)))*rect, bgpen); fill(shift(point(p,size(p)))*scale(-1)*rotate(degrees(dir(p,size(p))))* rect,bgpen); draw(pic, p, invisible, arrow); } // draw a vertex dot on picture pic, at position xy with radius r and pen // fgpen void drawVertex(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen) { fill(pic, circle(xy, r), fgpen); } // draw an empty vertex dot on picture pic, at position xy with radius r // and pen fgpen. If erasebg is true, the background is erased in the inside // of the circle. void drawVertexO(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen, bool erasebg = overpaint, pen bgpen = backgroundpen) { if(erasebg) filldraw(pic, circle(xy, r), bgpen, fgpen); else draw(pic, circle(xy, r), fgpen); } // draw a vertex triangle on picture pic, at position xy with radius r and pen // fgpen void drawVertexTriangle(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen) { real cospi6 = cos(pi/6); real sinpi6 = sin(pi/6); path triangle = (cospi6,-sinpi6)--(0,1)--(-cospi6,-sinpi6)--cycle; fill(pic, shift(xy)*scale(r)*triangle, fgpen); } // draw an empty vertex triangle on picture pic, at position xy with size r // and pen fgpen. If erasebg is true, the background is erased in the inside // of the triangle. void drawVertexTriangleO(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen, bool erasebg = overpaint, pen bgpen = backgroundpen) { real cospi6 = cos(pi/6); real sinpi6 = sin(pi/6); path triangle = (cospi6,-sinpi6)--(0,1)--(-cospi6,-sinpi6)--cycle; if(erasebg) filldraw(pic, shift(xy)*scale(r)*triangle, bgpen, fgpen); else draw(pic, shift(xy)*scale(r)*triangle, fgpen); } // draw a vertex box on picture pic, at position xy with radius r and pen // fgpen void drawVertexBox(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen) { path box = (1,1)--(-1,1)--(-1,-1)--(1,-1)--cycle; fill(pic, shift(xy)*scale(r)*box, fgpen); } // draw an empty vertex box on picture pic, at position xy with size r // and pen fgpen. If erasebg is true, the background is erased in the inside // of the box. void drawVertexBoxO(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen, bool erasebg = overpaint, pen bgpen = backgroundpen) { path box = (1,1)--(-1,1)--(-1,-1)--(1,-1)--cycle; if(erasebg) filldraw(pic, shift(xy)*scale(r)*box, bgpen, fgpen); else draw(pic, shift(xy)*scale(r)*box, fgpen); } // draw an X on picture pic, at position xy with size r and pen // fgpen void drawVertexX(picture pic = currentpicture, pair xy, real r = vertexsize, pen fgpen = vertexpen) { draw(pic, shift(xy)*scale(r)*((-1,-1)--(1,1)), fgpen); draw(pic, shift(xy)*scale(r)*((1,-1)--(-1,1)), fgpen); } // draw a circle with an X in the middle on picture pic, at position xy with // size r and pen fgpen. If erasebg is true, the background is erased in the // inside of the circle. void drawVertexOX(picture pic = currentpicture, pair xy, real r = bigvertexsize, pen fgpen = vertexpen, bool erasebg = overpaint, pen bgpen = backgroundpen) { if(erasebg) filldraw(pic, circle(xy, r), bgpen, fgpen); else draw(pic, circle(xy, r), fgpen); draw(pic, shift(xy)*scale(r)*(NW--SE), fgpen); draw(pic, shift(xy)*scale(r)*(SW--NE), fgpen); } // draw a box with an X in the middle on picture pic, at position xy with // size r and pen fgpen. If erasebg is true, the background is erased in the // inside of the box. void drawVertexBoxX(picture pic = currentpicture, pair xy, real r = bigvertexsize, pen fgpen = vertexpen, bool erasebg = overpaint, pen bgpen = backgroundpen) { path box = (1,1)--(-1,1)--(-1,-1)--(1,-1)--cycle; box = shift(xy)*scale(r)*box; if(erasebg) filldraw(pic, box, bgpen, fgpen); else draw(pic, box, fgpen); draw(pic, shift(xy)*scale(r)*((-1,-1)--(1,1)), fgpen); draw(pic, shift(xy)*scale(r)*((1,-1)--(-1,1)), fgpen); } // draw a momentum arrow on picture pic, along path p, at position position // (use one of the predefined pairs left or right), with an offset offset // from the path, a length length, a pen fgpen and an arrowhead arrow. Making // adjust nonzero shifts the momentum arrow along the path. If erasebg is true, // the background is erased inside a margin margin around the momentum arrow. // Make sure that offset and margin are chosen in such a way that the momentum // arrow does not overdraw the particle line. void drawMomArrow(picture pic = currentpicture, path p, align align, position pos = MidPoint, real offset = momarrowoffset, real length = momarrowlength, pen fgpen = momarrowpen, arrowbar arrow = currentmomarrow, bool erasebg = overpaint, pen bgpen = backgroundpen, real margin = momarrowmargin) { path momarrow = momArrowPath(p, align, pos, offset, length); if(erasebg) do_overpaint(pic, momarrow, bgpen, linewidth(fgpen)+margin, 90); draw(pic, momarrow, fgpen, arrow); } /* initialisation ************************************************************/ // The function fmdefaults() tries to guess reasonable values for the // default parameters above by looking at the default parameters of plain.asy // (essentially, currentpen, arrowfactor and dotfactor). After customising the // default parameters of plain.asy, you may call fmdefaults to adjust the // parameters of feynman.asy. void fmdefaults() { real arrowsize=arrowsize(currentpen); real linewidth=linewidth(currentpen); gluonratio = 2; photonratio = 4; gluonamplitude = arrowsize/3; photonamplitude = arrowsize/4; backgroundpen = white; gluonpen = currentpen; photonpen = currentpen; fermionpen = currentpen; scalarpen = dashed+linewidth; ghostpen = dotted+linewidth; doublelinepen = currentpen; vertexpen = currentpen; bigvertexpen = currentpen; currentarrow = MidArrow; doublelinespacing = 2*linewidth; linemargin = 0.5*arrowsize; minvertexangle = 30; overpaint = true; vertexsize = 0.5*dotfactor*linewidth; bigvertexsize = 0.4*arrowsize; momarrowfactor = 1.5*arrowfactor; momarrowlength = 2.5*arrowsize; momarrowpen = currentpen+0.5*linewidth; momarrowoffset = 0.8*arrowsize; momarrowmargin = 0.25*arrowsize; currentmomarrow = EndArrow(momarrowsize()); includegraphicscommand = "\includegraphics"; appendsuffix = false; } // We call fmdefaults once, when the module is loaded. fmdefaults(); /* shipout *******************************************************************/ bool YAlign = false; bool XYAlign = true; // texshipout("filename", pic) creates two files: filename.eps holding the // picture pic and filename.tex holding some LaTeX code that includes the // picture from filename.eps and shifts it vertically in such a way that the // point (0,0) lies on the baseline. void texshipout(string stem, picture pic = currentpicture, bool xalign = YAlign) { file tf = output(stem + ".tex"); pair min=pic.min(); real depth = min.y; real xoffset = min.x; if(xalign) { write(tf, "\makebox[0pt][l]{\kern"); write(tf, xoffset); write(tf, "bp\relax"); } write(tf, "\raisebox{"); write(tf, depth); write(tf, "bp}{"+includegraphicscommand+"{"); write(tf, stem); string suffix="."+nativeformat(); if(appendsuffix) write(tf, suffix); write(tf, "}}"); if(xalign) write(tf, "}"); close(tf); shipout(stem+suffix, pic); } asymptote-2.62/base/colormap.asy0000644000000000000000000052512113607467113015450 0ustar rootroot// author: Fabian Hassler // year: 2019 // This module implements a list of colormaps // the code has been converted from the python library // matplotlib 3.0.2 license under BSD // Feel free to use or to modify the code // example: the generate a palette wistia // pen[] Palette = wistia.palette() // // There are two types of palettes. For a complete list see below: // // 1) The segmented palettes can be used as // .palette(int NColors=256, real gamma=1.) // NColors are the number of colors in the palette // gamma is the gamma-factor // // 2) The listed palettes can only be used as // .palette() // // Both functions return pen[] that can be used as a palette in the // module palette. // list of palettes // see also https://matplotlib.org/tutorials/colors/colormaps.html // segmented palettes: // CMRmap // autumn // binary // bone // cool // coolwarm // copper // gist_earth // gist_ncar // gist_stern // gray // hot // hsv // jet // nipy_spectral // pink // spring // summer // winter // wistia // listed palettes: // Accent // Blues // BrBG // BuGn // BuPu // Dark2 // GnBu // Greens // Greys // OrRd // Oranges // PRGn // Paired // Pastel1 // Pastel2 // PiYG // PuBuGn // PuBu // PuOr // PuRd // Purples // RdBu // RdGy // RdPu // RdYlBu // RdYlGn // Reds // Set1 // Set2 // Set3 // Spectral // YlGnBu // YlGn // YlOrBr // YlOrRd // brg // bwr // seismic // tab10 // tab20 // tab20b // tab20c // cividis // inferno // magma // plasma // twilight // twilight_shifted // viridis // Example of usage: // import graph; // import palette; // import colormap; // int NColors=5; // pen[] Palette=spring.palette(NColors); // palette(bounds(0,1),(0.,0),(500,50),Bottom,Palette); // // SOURCE CODE // private real[] makeMappingArray(int N, triple[] data, real gamma=1.) { real[] x; real[] y0; real[] y1; for (int i=0; i abs(Dy) && abs(Dx) > abs(Dz)) { Dx=1/Dx; real d0=n0.y*P0.y+n0.z*P0.z; real d1=n1.y*P1.y+n1.z*P1.z+n1.x*(P1.x-P0.x); real y=(d0*n1.z-d1*n0.z)*Dx; real z=(d1*n0.y-d0*n1.y)*Dx; return (P0.x,y,z); } else if(abs(Dy) > abs(Dz)) { Dy=1/Dy; real d0=n0.z*P0.z+n0.x*P0.x; real d1=n1.z*P1.z+n1.x*P1.x+n1.y*(P1.y-P0.y); real z=(d0*n1.x-d1*n0.x)*Dy; real x=(d1*n0.z-d0*n1.z)*Dy; return (x,P0.y,z); } else { if(Dz == 0) return (infinity,infinity,infinity); Dz=1/Dz; real d0=n0.x*P0.x+n0.y*P0.y; real d1=n1.x*P1.x+n1.y*P1.y+n1.z*(P1.z-P0.z); real x=(d0*n1.y-d1*n0.y)*Dz; real y=(d1*n0.x-d0*n1.x)*Dz; return (x,y,P0.z); } } // Given a real array a, return its partial sums. real[] partialsum(real[] a) { real[] b=new real[a.length]; real sum=0; for(int i=0; i < a.length; ++i) { sum += a[i]; b[i]=sum; } return b; } // Given a real array a, return its partial dx-weighted sums. real[] partialsum(real[] a, real[] dx) { real[] b=new real[a.length]; real sum=0; for(int i=0; i < a.length; ++i) { sum += a[i]*dx[i]; b[i]=sum; } return b; } // Given an integer array a, return its partial sums. int[] partialsum(int[] a) { int[] b=new int[a.length]; int sum=0; for(int i=0; i < a.length; ++i) { sum += a[i]; b[i]=sum; } return b; } // Given an integer array a, return its partial dx-weighted sums. int[] partialsum(int[] a, int[] dx) { int[] b=new int[a.length]; int sum=0; for(int i=0; i < a.length; ++i) { sum += a[i]*dx[i]; b[i]=sum; } return b; } // If strict=false, return whether i > j implies a[i] >= a[j] // If strict=true, return whether i > j implies a[i] > a[j] bool increasing(real[] a, bool strict=false) { real[] ap=copy(a); ap.delete(0); ap.push(0); bool[] b=strict ? (ap > a) : (ap >= a); b[a.length-1]=true; return all(b); } // Return the first and last indices of consecutive true-element segments // of bool[] b. int[][] segmentlimits(bool[] b) { int[][] segment; bool[] n=copy(b); n.delete(0); n.push(!b[b.length-1]); int[] edge=(b != n) ? sequence(1,b.length) : null; edge.insert(0,0); int stop=edge[0]; for(int i=1; i < edge.length; ++i) { int start=stop; stop=edge[i]; if(b[start]) segment.push(new int[] {start,stop-1}); } return segment; } // Return the indices of consecutive true-element segments of bool[] b. int[][] segment(bool[] b) { int[][] S=segmentlimits(b); return sequence(new int[](int i) { return sequence(S[i][0],S[i][1]); },S.length); } // If the sorted array a does not contain x, insert it sequentially, // returning the index of x in the resulting array. int unique(real[] a, real x) { int i=search(a,x); if(i == -1 || x != a[i]) { ++i; a.insert(i,x); } return i; } int unique(string[] a, string x) { int i=search(a,x); if(i == -1 || x != a[i]) { ++i; a.insert(i,x); } return i; } bool lexorder(pair a, pair b) { return a.x < b.x || (a.x == b.x && a.y < b.y); } bool lexorder(triple a, triple b) { return a.x < b.x || (a.x == b.x && (a.y < b.y || (a.y == b.y && a.z < b.z))); } real[] zero(int n) { return sequence(new real(int) {return 0;},n); } real[][] zero(int n, int m) { real[][] M=new real[n][]; for(int i=0; i < n; ++i) M[i]=sequence(new real(int) {return 0;},m); return M; } bool square(real[][] m) { int n=m.length; for(int i=0; i < n; ++i) if(m[i].length != n) return false; return true; } bool rectangular(real[][] m) { int n=m.length; if(n > 0) { int m0=m[0].length; for(int i=1; i < n; ++i) if(m[i].length != m0) return false; } return true; } bool rectangular(pair[][] m) { int n=m.length; if(n > 0) { int m0=m[0].length; for(int i=1; i < n; ++i) if(m[i].length != m0) return false; } return true; } bool rectangular(triple[][] m) { int n=m.length; if(n > 0) { int m0=m[0].length; for(int i=1; i < n; ++i) if(m[i].length != m0) return false; } return true; } // draw the (infinite) line going through P and Q, without altering the // size of picture pic. void drawline(picture pic=currentpicture, pair P, pair Q, pen p=currentpen) { pic.add(new void (frame f, transform t, transform T, pair m, pair M) { // Reduce the bounds by the size of the pen. m -= min(p); M -= max(p); // Calculate the points and direction vector in the transformed space. t=t*T; pair z=t*P; pair v=t*Q-z; // Handle horizontal and vertical lines. if(v.x == 0) { if(m.x <= z.x && z.x <= M.x) draw(f,(z.x,m.y)--(z.x,M.y),p); } else if(v.y == 0) { if(m.y <= z.y && z.y <= M.y) draw(f,(m.x,z.y)--(M.x,z.y),p); } else { // Calculate the maximum and minimum t values allowed for the // parametric equation z + t*v real mx=(m.x-z.x)/v.x, Mx=(M.x-z.x)/v.x; real my=(m.y-z.y)/v.y, My=(M.y-z.y)/v.y; real tmin=max(v.x > 0 ? mx : Mx, v.y > 0 ? my : My); real tmax=min(v.x > 0 ? Mx : mx, v.y > 0 ? My : my); if(tmin <= tmax) draw(f,z+tmin*v--z+tmax*v,p); } },true); } real interpolate(real[] x, real[] y, real x0, int i) { int n=x.length; if(n == 0) abort("Zero data points in interpolate"); if(n == 1) return y[0]; if(i < 0) { real dx=x[1]-x[0]; return y[0]+(y[1]-y[0])/dx*(x0-x[0]); } if(i >= n-1) { real dx=x[n-1]-x[n-2]; return y[n-1]+(y[n-1]-y[n-2])/dx*(x0-x[n-1]); } real D=x[i+1]-x[i]; real B=(x0-x[i])/D; real A=1.0-B; return A*y[i]+B*y[i+1]; } // Linearly interpolate data points (x,y) to (x0,y0), where the elements of // real[] x are listed in ascending order and return y0. Values outside the // available data range are linearly extrapolated using the first derivative // at the nearest endpoint. real interpolate(real[] x, real[] y, real x0) { return interpolate(x,y,x0,search(x,x0)); } private string nopoint="point not found"; // Return the nth intersection time of path g with the vertical line through x. real time(path g, real x, int n=0) { real[] t=times(g,x); if(t.length <= n) abort(nopoint); return t[n]; } // Return the nth intersection time of path g with the horizontal line through // (0,z.y). real time(path g, explicit pair z, int n=0) { real[] t=times(g,z); if(t.length <= n) abort(nopoint); return t[n]; } // Return the nth y value of g at x. real value(path g, real x, int n=0) { return point(g,time(g,x,n)).y; } // Return the nth x value of g at y=z.y. real value(path g, explicit pair z, int n=0) { return point(g,time(g,(0,z.y),n)).x; } // Return the nth slope of g at x. real slope(path g, real x, int n=0) { pair a=dir(g,time(g,x,n)); return a.y/a.x; } // Return the nth slope of g at y=z.y. real slope(path g, explicit pair z, int n=0) { pair a=dir(g,time(g,(0,z.y),n)); return a.y/a.x; } // A quartic complex root solver based on these references: // http://planetmath.org/encyclopedia/GaloisTheoreticDerivationOfTheQuarticFormula.html // Neumark, S., Solution of Cubic and Quartic Equations, Pergamon Press // Oxford (1965). pair[] quarticroots(real a, real b, real c, real d, real e) { real Fuzz=100000*realEpsilon; // Remove roots at numerical infinity. if(abs(a) <= Fuzz*(abs(b)+Fuzz*(abs(c)+Fuzz*(abs(d)+Fuzz*abs(e))))) return cubicroots(b,c,d,e); // Detect roots at numerical zero. if(abs(e) <= Fuzz*(abs(d)+Fuzz*(abs(c)+Fuzz*(abs(b)+Fuzz*abs(a))))) return cubicroots(a,b,c,d); real ainv=1/a; b *= ainv; c *= ainv; d *= ainv; e *= ainv; pair[] roots; real[] T=cubicroots(1,-2c,c^2+b*d-4e,d^2+b^2*e-b*c*d); if(T.length == 0) return roots; real t0=T[0]; pair[] sum=quadraticroots((1,0),(b,0),(t0,0)); pair[] product=quadraticroots((1,0),(t0-c,0),(e,0)); if(abs(sum[0]*product[0]+sum[1]*product[1]+d) < abs(sum[0]*product[1]+sum[1]*product[0]+d)) product=reverse(product); for(int i=0; i < 2; ++i) roots.append(quadraticroots((1,0),-sum[i],product[i])); return roots; } pair[][] fft(pair[][] a, int sign=1) { pair[][] A=new pair[a.length][]; int k=0; for(pair[] v : a) { A[k]=fft(v,sign); ++k; } a=transpose(A); k=0; for(pair[] v : a) { A[k]=fft(v,sign); ++k; } return transpose(A); } // Given a matrix A with independent columns, return // the unique vector y minimizing |Ay - b|^2 (the L2 norm). // If the columns of A are not linearly independent, // throw an error (if warn == true) or return an empty array // (if warn == false). real[] leastsquares(real[][] A, real[] b, bool warn=true) { real[] solution=solve(AtA(A),b*A,warn=false); if (solution.length == 0 && warn) abort("Cannot compute least-squares approximation for " + "a matrix with linearly dependent columns."); return solution; } // Namespace struct rootfinder_settings { static real roottolerance = 1e-4; } real findroot(real f(real), real a, real b, real tolerance=rootfinder_settings.roottolerance, real fa=f(a), real fb=f(b)) { return _findroot(f,a,b,tolerance,fa,fb); } asymptote-2.62/base/labelpath.asy0000644000000000000000000000133113607467113015560 0ustar rootrootusepackage("pstricks"); usepackage("pst-text"); string LeftJustified="l"; string RightJustified="r"; string Centered="c"; void labelpath(frame f, Label L, path g, string justify=Centered, pen p=currentpen) { if(latex() && !pdf()) { _labelpath(f,L.s,L.size,g,justify,(L.T.x,L.T.y+0.5linewidth(p)),p); return; } warning("labelpathlatex","labelpath requires -tex latex"); } void labelpath(picture pic=currentpicture, Label L, path g, string justify=Centered, pen p=currentpen) { pic.add(new void(frame f, transform t) { labelpath(f,L,t*g,justify,p); }); frame f; label(f,Label(L.s,L.size)); real w=size(f).y+L.T.y+0.5linewidth(p); pic.addBox(min(g),max(g),-w,w); } asymptote-2.62/base/plain_margins.asy0000644000000000000000000000477013607467113016461 0ustar rootrootstruct marginT { path g; real begin,end; }; typedef marginT margin(path, pen); path trim(path g, real begin, real end) { real a=arctime(g,begin); real b=arctime(g,arclength(g)-end); return a <= b ? subpath(g,a,b) : point(g,a); } margin operator +(margin ma, margin mb) { return new marginT(path g, pen p) { marginT margin; real ba=ma(g,p).begin < 0 ? 0 : ma(g,p).begin; real bb=mb(g,p).begin < 0 ? 0 : mb(g,p).begin; real ea=ma(g,p).end < 0 ? 0 : ma(g,p).end; real eb=mb(g,p).end < 0 ? 0 : mb(g,p).end; margin.begin=ba+bb; margin.end=ea+eb; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin NoMargin() { return new marginT(path g, pen) { marginT margin; margin.begin=margin.end=0; margin.g=g; return margin; }; } margin Margin(real begin, real end) { return new marginT(path g, pen p) { marginT margin; real factor=labelmargin(p); margin.begin=begin*factor; margin.end=end*factor; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin PenMargin(real begin, real end) { return new marginT(path g, pen p) { marginT margin; real factor=linewidth(p); margin.begin=(begin+0.5)*factor; margin.end=(end+0.5)*factor; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin DotMargin(real begin, real end) { return new marginT(path g, pen p) { marginT margin; real margindot(real x) {return x > 0 ? dotfactor*x : x;} real factor=linewidth(p); margin.begin=(margindot(begin)+0.5)*factor; margin.end=(margindot(end)+0.5)*factor; margin.g=trim(g,margin.begin,margin.end); return margin; }; } margin TrueMargin(real begin, real end) { return new marginT(path g, pen p) { marginT margin; margin.begin=begin; margin.end=end; margin.g=trim(g,begin,end); return margin; }; } margin NoMargin=NoMargin(), BeginMargin=Margin(1,0), Margin=Margin(0,1), EndMargin=Margin, Margins=Margin(1,1), BeginPenMargin=PenMargin(0.5,-0.5), PenMargin=PenMargin(-0.5,0.5), EndPenMargin=PenMargin, PenMargins=PenMargin(0.5,0.5), BeginDotMargin=DotMargin(0.5,-0.5), DotMargin=DotMargin(-0.5,0.5), EndDotMargin=DotMargin, DotMargins=DotMargin(0.5,0.5); asymptote-2.62/base/plain_debugger.asy0000644000000000000000000000421313607467113016575 0ustar rootrootint debuggerlines=5; int sourceline(string file, string text) { string file=locatefile(file); string[] source=input(file); for(int line=0; line < source.length; ++line) if(find(source[line],text) >= 0) return line+1; write("no matching line in "+file+": \""+text+"\""); return 0; } void stop(string file, string text, code s=quote{}) { int line=sourceline(file,text); if(line > 0) stop(file,line,s); } void clear(string file, string text) { int line=sourceline(file,text); if(line > 0) clear(file,line); } // Enable debugging. bool debugging=true; // Variables used by conditional expressions: // e.g. stop("test",2,quote{ignore=(++count <= 10);}); bool ignore; int count=0; string debugger(string file, int line, int column, code s=quote{}) { int verbose=settings.verbose; settings.verbose=0; _eval(s,true); if(ignore) { ignore=false; settings.verbose=verbose; return "c"; } static string s; if(debugging) { static string lastfile; static string[] source; bool help=false; while(true) { if(file != lastfile && file != "-") {source=input(file); lastfile=file;} write(); for(int i=max(line-debuggerlines,0); i < min(line,source.length); ++i) write(source[i]); for(int i=0; i < column-1; ++i) write(" ",none); write("^"+(verbose == 5 ? " trace" : "")); if(help) { write("c:continue f:file h:help i:inst n:next r:return s:step t:trace q:quit x:exit"); help=false; } string Prompt=file+": "+(string) line+"."+(string) column; Prompt += "? [%s] "; s=getstring(name="debug",default="h",prompt=Prompt,store=false); if(s == "h" || s == "?") {help=true; continue;} if(s == "c" || s == "s" || s == "n" || s == "i" || s == "f" || s == "r") break; if(s == "q") {debugging=false; abort();} // quit if(s == "x") {debugging=false; return "";} // exit if(s == "t") { // trace if(verbose == 0) { verbose=5; } else { verbose=0; } continue; } _eval(s+";",true); } } settings.verbose=verbose; return s; } atbreakpoint(debugger); asymptote-2.62/base/plain_paths.asy0000644000000000000000000002213513607467113016133 0ustar rootrootpath nullpath; typedef guide interpolate(... guide[]); // These numbers identify the side of a specifier in an operator spec or // operator curl expression: // a{out} .. {in}b restricted int JOIN_OUT=0; restricted int JOIN_IN=1; // Define a.. tension t ..b to be equivalent to // a.. tension t and t ..b // and likewise with controls. tensionSpecifier operator tension(real t, bool atLeast) { return operator tension(t,t,atLeast); } guide operator controls(pair z) { return operator controls(z,z); } guide[] operator cast(pair[] z) { return sequence(new guide(int i) {return z[i];},z.length); } path[] operator cast(pair[] z) { return sequence(new path(int i) {return z[i];},z.length); } path[] operator cast(guide[] g) { return sequence(new path(int i) {return g[i];},g.length); } guide[] operator cast(path[] g) { return sequence(new guide(int i) {return g[i];},g.length); } path[] operator cast(path p) { return new path[] {p}; } path[] operator cast(guide g) { return new path[] {(path) g}; } path[] operator ^^ (path p, path q) { return new path[] {p,q}; } path[] operator ^^ (path p, explicit path[] q) { return concat(new path[] {p},q); } path[] operator ^^ (explicit path[] p, path q) { return concat(p,new path[] {q}); } path[] operator ^^ (explicit path[] p, explicit path[] q) { return concat(p,q); } path[] operator * (transform t, explicit path[] p) { return sequence(new path(int i) {return t*p[i];},p.length); } pair[] operator * (transform t, pair[] z) { return sequence(new pair(int i) {return t*z[i];},z.length); } void write(file file, string s="", explicit path[] x, suffix suffix=none) { write(file,s); if(x.length > 0) write(file,x[0]); for(int i=1; i < x.length; ++i) { write(file,endl); write(file," ^^"); write(file,x[i]); } write(file,suffix); } void write(string s="", explicit path[] x, suffix suffix=endl) { write(stdout,s,x,suffix); } void write(file file, string s="", explicit guide[] x, suffix suffix=none) { write(file,s); if(x.length > 0) write(file,x[0]); for(int i=1; i < x.length; ++i) { write(file,endl); write(file," ^^"); write(file,x[i]); } write(file,suffix); } void write(string s="", explicit guide[] x, suffix suffix=endl) { write(stdout,s,x,suffix); } interpolate operator ..(tensionSpecifier t) { return new guide(... guide[] a) { if(a.length == 0) return nullpath; guide g=a[0]; for(int i=1; i < a.length; ++i) g=g..t..a[i]; return g; }; } interpolate operator ::=operator ..(operator tension(1,true)); interpolate operator ---=operator ..(operator tension(infinity,true)); // return an arbitrary intersection point of paths p and q pair intersectionpoint(path p, path q, real fuzz=-1) { real[] t=intersect(p,q,fuzz); if(t.length == 0) abort("paths do not intersect"); return point(p,t[0]); } // return an array containing all intersection points of the paths p and q pair[] intersectionpoints(path p, path q, real fuzz=-1) { real[][] t=intersections(p,q,fuzz); return sequence(new pair(int i) {return point(p,t[i][0]);},t.length); } pair[] intersectionpoints(explicit path[] p, explicit path[] q, real fuzz=-1) { pair[] z; for(int i=0; i < p.length; ++i) for(int j=0; j < q.length; ++j) z.append(intersectionpoints(p[i],q[j],fuzz)); return z; } struct slice { path before,after; } slice cut(path p, path knife, int n) { slice s; real[][] T=intersections(p,knife); if(T.length == 0) {s.before=p; s.after=nullpath; return s;} T.cyclic=true; real t=T[n][0]; s.before=subpath(p,0,t); s.after=subpath(p,t,length(p)); return s; } slice firstcut(path p, path knife) { return cut(p,knife,0); } slice lastcut(path p, path knife) { return cut(p,knife,-1); } pair dir(path p) { return dir(p,length(p)); } pair dir(path p, path q) { return unit(dir(p)+dir(q)); } // return the point on path p at arclength L pair arcpoint(path p, real L) { return point(p,arctime(p,L)); } // return the direction on path p at arclength L pair arcdir(path p, real L) { return dir(p,arctime(p,L)); } // return the time on path p at the relative fraction l of its arclength real reltime(path p, real l) { return arctime(p,l*arclength(p)); } // return the point on path p at the relative fraction l of its arclength pair relpoint(path p, real l) { return point(p,reltime(p,l)); } // return the direction of path p at the relative fraction l of its arclength pair reldir(path p, real l) { return dir(p,reltime(p,l)); } // return the initial point of path p pair beginpoint(path p) { return point(p,0); } // return the point on path p at half of its arclength pair midpoint(path p) { return relpoint(p,0.5); } // return the final point of path p pair endpoint(path p) { return point(p,length(p)); } path operator &(path p, cycleToken tok) { int n=length(p); if(n < 0) return nullpath; if(n == 0) return p--cycle; if(cyclic(p)) return p; return straight(p,n-1) ? subpath(p,0,n-1)--cycle : subpath(p,0,n-1)..controls postcontrol(p,n-1) and precontrol(p,n)..cycle; } // return a cyclic path enclosing a region bounded by a list of two or more // consecutively intersecting paths path buildcycle(... path[] p) { int n=p.length; if(n < 2) return nullpath; real[] ta=new real[n]; real[] tb=new real[n]; if(n == 2) { real[][] t=intersections(p[0],p[1]); if(t.length < 2) return nullpath; int k=t.length-1; ta[0]=t[0][0]; tb[0]=t[k][0]; ta[1]=t[k][1]; tb[1]=t[0][1]; } else { int j=n-1; for(int i=0; i < n; ++i) { real[][] t=intersections(p[i],p[j]); if(t.length == 0) return nullpath; ta[i]=t[0][0]; tb[j]=t[0][1]; j=i; } } pair c; for(int i=0; i < n ; ++i) c += point(p[i],ta[i]); c /= n; path G; for(int i=0; i < n ; ++i) { real Ta=ta[i]; real Tb=tb[i]; if(cyclic(p[i])) { int L=length(p[i]); real t=Tb-L; if(abs(c-point(p[i],0.5(Ta+t))) < abs(c-point(p[i],0.5(Ta+Tb)))) Tb=t; while(Tb < Ta) Tb += L; } G=G&subpath(p[i],Ta,Tb); } return G&cycle; } // return 1 if p strictly contains q, // -1 if q strictly contains p, // 0 otherwise. int inside(path p, path q, pen fillrule=currentpen) { if(intersect(p,q).length > 0) return 0; if(cyclic(p) && inside(p,point(q,0),fillrule)) return 1; if(cyclic(q) && inside(q,point(p,0),fillrule)) return -1; return 0; } // Return an arbitrary point strictly inside a cyclic path p according to // the specified fill rule. pair inside(path p, pen fillrule=currentpen) { if(!cyclic(p)) abort("path is not cyclic"); int n=length(p); for(int i=0; i < n; ++i) { pair z=point(p,i); pair dir=dir(p,i); if(dir == 0) continue; real[] T=intersections(p,z,z+I*dir); // Check midpoints of line segments formed between the // corresponding intersection points and z. for(int j=0; j < T.length; ++j) { if(T[j] != i) { pair w=point(p,T[j]); pair m=0.5*(z+w); if(interior(windingnumber(p,m),fillrule)) return m; } } } // cannot find an interior point: path is degenerate return point(p,0); } // Return all intersection times of path g with the vertical line through (x,0). real[] times(path p, real x) { return intersections(p,(x,0),(x,1)); } // Return all intersection times of path g with the horizontal line through // (0,z.y). real[] times(path p, explicit pair z) { return intersections(p,(0,z.y),(1,z.y)); } path randompath(int n, bool cumulate=true, interpolate join=operator ..) { guide g; pair w; for(int i=0; i <= n; ++i) { pair z=(unitrand()-0.5,unitrand()-0.5); if(cumulate) w += z; else w=z; g=join(g,w); } return g; } path[] strokepath(path g, pen p=currentpen) { path[] G=_strokepath(g,p); if(G.length == 0) return G; pair center(path g) {return 0.5*(min(g)+max(g));} pair center(path[] g) {return 0.5*(min(g)+max(g));} return shift(center(g)-center(G))*G; } real braceinnerangle=radians(60); real braceouterangle=radians(70); real bracemidangle=radians(0); real bracedefaultratio=0.14; path brace(pair a, pair b, real amplitude=bracedefaultratio*length(b-a)) { real length=length(b-a); real sign=sgn(amplitude); real hamplitude=0.5*amplitude; real hlength=0.5*length; path brace; if(abs(amplitude) < bracedefaultratio*length) { real slope=2*bracedefaultratio; real controldist=(abs(hamplitude))/slope; brace=(0,0){expi(sign*braceouterangle)}:: {expi(sign*bracemidangle)}(controldist,hamplitude):: {expi(sign*bracemidangle)}(hlength-controldist,hamplitude):: {expi(sign*braceinnerangle)}(hlength,amplitude) {expi(-sign*braceinnerangle)}:: {expi(-sign*bracemidangle)}(hlength+controldist,hamplitude):: {expi(-sign*bracemidangle)}(length-controldist,hamplitude):: {expi(-sign*braceouterangle)}(length,0); } else { brace=(0,0){expi(sign*braceouterangle)}:: {expi(sign*bracemidangle)}(0.25*length,hamplitude):: {expi(sign*braceinnerangle)}(hlength,amplitude){expi(-sign*braceinnerangle)}:: {expi(-sign*bracemidangle)}(0.75*length,hamplitude):: {expi(-sign*braceouterangle)}(length,0); } return shift(a)*rotate(degrees(b-a,warn=false))*brace; } asymptote-2.62/base/grid3.asy0000644000000000000000000003224413607467113014643 0ustar rootroot// grid3.asy // Author: Philippe Ivaldi (Grids in 3D) // http://www.piprime.fr/ // Created: 10 janvier 2007 import graph3; struct grid3 { path3 axea,axeb; bounds bds; triple dir; valuetime vt; ticklocate locate; void create(picture pic, path3 axea, path3 axeb, path3 axelevel, real min, real max, position pos, autoscaleT t) { real position=pos.position.x; triple level; if(pos.relative) { position=reltime(axelevel,position); level=point(axelevel,position)-point(axelevel,0); } else { triple v=unit(point(axelevel,1)-point(axelevel,0)); triple zerolevel=dot(-point(axelevel,0),v)*v; level=zerolevel+position*v; } this.axea=shift(level)*axea; this.axeb=shift(level)*axeb; bds=autoscale(min,max,t.scale); locate=ticklocate(min,max,t,bds.min,bds.max, Dir(point(axeb,0)-point(axea,0))); } }; typedef grid3 grid3routine(picture pic); triple X(picture pic) {return (pic.userMax().x,pic.userMin().y,pic.userMin().z);} triple XY(picture pic) {return (pic.userMax().x,pic.userMax().y,pic.userMin().z);} triple Y(picture pic) {return (pic.userMin().x,pic.userMax().y,pic.userMin().z);} triple YZ(picture pic) {return (pic.userMin().x,pic.userMax().y,pic.userMax().z);} triple Z(picture pic) {return (pic.userMin().x,pic.userMin().y,pic.userMax().z);} triple ZX(picture pic) {return (pic.userMax().x,pic.userMin().y,pic.userMax().z);} grid3routine XYgrid(position pos=Relative(0)) { return new grid3(picture pic) { grid3 og; triple m=pic.userMin(); triple M=pic.userMax(); og.create(pic,m--X(pic),Y(pic)--XY(pic),m--Z(pic), m.x,M.x,pos,pic.scale.x); return og; }; }; grid3routine XYgrid=XYgrid(); grid3routine YXgrid(position pos=Relative(0)) { return new grid3(picture pic) { grid3 og; triple m=pic.userMin(); triple M=pic.userMax(); og.create(pic,m--Y(pic),X(pic)--XY(pic),m--Z(pic), m.y,M.y,pos,pic.scale.y); return og; }; }; grid3routine YXgrid=YXgrid(); grid3routine XZgrid(position pos=Relative(0)) { return new grid3(picture pic) { grid3 og; triple m=pic.userMin(); triple M=pic.userMax(); og.create(pic,m--X(pic),Z(pic)--ZX(pic),m--Y(pic), m.x,M.x,pos,pic.scale.x); return og; }; }; grid3routine XZgrid=XZgrid(); grid3routine ZXgrid(position pos=Relative(0)) { return new grid3(picture pic) { grid3 og; triple m=pic.userMin(); triple M=pic.userMax(); og.create(pic,m--Z(pic),X(pic)--ZX(pic),m--Y(pic), m.z,M.z,pos,pic.scale.z); return og; }; }; grid3routine ZXgrid=ZXgrid(); grid3routine YZgrid(position pos=Relative(0)) { return new grid3(picture pic) { grid3 og; triple m=pic.userMin(); triple M=pic.userMax(); og.create(pic,m--Y(pic),Z(pic)--YZ(pic),m--X(pic), m.y,M.y,pos,pic.scale.y); return og; }; }; grid3routine YZgrid=YZgrid(); grid3routine ZYgrid(position pos=Relative(0)) { return new grid3(picture pic) { grid3 og; triple m=pic.userMin(); triple M=pic.userMax(); og.create(pic,m--Z(pic),Y(pic)--YZ(pic),m--X(pic), m.z,M.z,pos,pic.scale.z); return og; }; }; grid3routine ZYgrid=ZYgrid(); typedef grid3routine grid3routines[] ; grid3routines XYXgrid(position pos=Relative(0)) { grid3routines ogs=new grid3routine[] {XYgrid(pos),YXgrid(pos)}; return ogs; }; grid3routines XYXgrid=XYXgrid(); grid3routines YXYgrid(position pos=Relative(0)) {return XYXgrid(pos);}; grid3routines YXYgrid=XYXgrid(); grid3routines ZXZgrid(position pos=Relative(0)) { grid3routines ogs=new grid3routine[] {ZXgrid(pos),XZgrid(pos)}; return ogs; }; grid3routines ZXZgrid=ZXZgrid(); grid3routines XZXgrid(position pos=Relative(0)) {return ZXZgrid(pos);}; grid3routines XZXgrid=XZXgrid(); grid3routines ZYZgrid(position pos=Relative(0)) { grid3routines ogs=new grid3routine[] {ZYgrid(pos),YZgrid(pos)}; return ogs; }; grid3routines ZYZgrid=ZYZgrid(); grid3routines YZYgrid(position pos=Relative(0)) {return ZYZgrid(pos);}; grid3routines YZYgrid=YZYgrid(); grid3routines XY_XZgrid(position posa=Relative(0), position posb=Relative(0)) { grid3routines ogs=new grid3routine[] {XYgrid(posa),XZgrid(posb)}; return ogs; }; grid3routines XY_XZgrid=XY_XZgrid(); grid3routines YX_YZgrid(position posa=Relative(0), position posb=Relative(0)) { grid3routines ogs=new grid3routine[] {YXgrid(posa),YZgrid(posb)}; return ogs; }; grid3routines YX_YZgrid=YX_YZgrid(); grid3routines ZX_ZYgrid(position posa=Relative(0), position posb=Relative(0)) { grid3routines ogs=new grid3routine[] {ZXgrid(posa),ZYgrid(posb)}; return ogs; }; grid3routines ZX_ZYgrid=ZX_ZYgrid(); typedef grid3routines[] grid3routinetype; grid3routinetype XYZgrid(position pos=Relative(0)) { grid3routinetype ogs=new grid3routines[] {YZYgrid(pos),XYXgrid(pos), XZXgrid(pos)}; return ogs; } grid3routinetype XYZgrid=XYZgrid(); grid3routines operator cast(grid3routine gridroutine) { grid3routines og=new grid3routine[] {gridroutine}; return og; } grid3routinetype operator cast(grid3routines gridroutine) { grid3routinetype og=new grid3routines[] {gridroutine}; return og; } grid3routinetype operator cast(grid3routine gridroutine) { grid3routinetype og=(grid3routinetype)(grid3routines) gridroutine; return og; } void grid3(picture pic=currentpicture, grid3routinetype gridroutine=XYZgrid, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, pen pGrid=grey, pen pgrid=lightgrey, bool above=false) { for(int j=0; j < gridroutine.length; ++j) { grid3routines gridroutinej=gridroutine[j]; for(int i=0; i < gridroutinej.length; ++i) { grid3 gt=gridroutinej[i](pic); pic.add(new void(picture f, transform3 t, transform3 T, triple, triple) { picture d; ticks3 ticks=Ticks3(1,F="%",ticklabel=null, beginlabel=false,endlabel=false, N=N,n=n,Step=Step,step=step, begin=begin,end=end, Size=0,size=0,extend=true, pTick=pGrid,ptick=pgrid); ticks(d,t,"",gt.axea,gt.axeb,nullpen,None,NoMargin3,gt.locate, gt.bds.divisor,opposite=true,primary=false); add(f,t*T*inverse(t)*d); },above=above); addPath(pic,gt.axea,pGrid); addPath(pic,gt.axeb,pGrid); } } } void grid3(picture pic=currentpicture, grid3routinetype gridroutine, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, pen[] pGrid, pen[] pgrid, bool above=false) { if(pGrid.length != gridroutine.length || pgrid.length != gridroutine.length) abort("pen array has different length than grid"); for(int i=0; i < gridroutine.length; ++i) { grid3(pic=pic,gridroutine=gridroutine[i], N=N,n=n,Step=Step,step=step, begin=begin,end=end, pGrid=pGrid[i],pgrid=pgrid[i], above=above); } } position top=Relative(1); position bottom=Relative(0); position middle=Relative(0.5); // Structure used to communicate ticks and axis settings to grid3 routines. struct ticksgridT { ticks3 ticks; // Other arguments of grid3 are define by ticks and axis settings void grid3(picture, bool); }; typedef ticksgridT ticksgrid(); ticksgrid InOutTicks(Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, real Size=0, real size=0, pen pTick=nullpen, pen ptick=nullpen, grid3routinetype gridroutine, pen pGrid=grey, pen pgrid=lightgrey) { return new ticksgridT() { ticksgridT otg; otg.ticks=Ticks3(0,F,ticklabel,beginlabel,endlabel, N,n,Step,step,begin,end, Size,size,false,pTick,ptick); otg.grid3=new void(picture pic, bool above) { grid3(pic,gridroutine,N,n,Step,step,begin,end,pGrid,pgrid,above); }; return otg; }; } ticksgrid InTicks(Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, real Size=0, real size=0, pen pTick=nullpen, pen ptick=nullpen, grid3routinetype gridroutine, pen pGrid=grey, pen pgrid=lightgrey) { return new ticksgridT() { ticksgridT otg; otg.ticks=Ticks3(-1,F,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,Size,size,false,pTick,ptick); otg.grid3=new void(picture pic, bool above) { grid3(pic,gridroutine,N,n,Step,step,begin,end,pGrid,pgrid,above); }; return otg; }; } ticksgrid OutTicks(Label F="", ticklabel ticklabel=null, bool beginlabel=true, bool endlabel=true, int N=0, int n=0, real Step=0, real step=0, bool begin=true, bool end=true, real Size=0, real size=0, pen pTick=nullpen, pen ptick=nullpen, grid3routinetype gridroutine, pen pGrid=grey, pen pgrid=lightgrey) { return new ticksgridT() { ticksgridT otg; otg.ticks=Ticks3(1,F,ticklabel,beginlabel,endlabel,N,n,Step,step, begin,end,Size,size,false,pTick,ptick); otg.grid3=new void(picture pic, bool above) { grid3(pic,gridroutine,N,n,Step,step,begin,end,pGrid,pgrid,above); }; return otg; }; } void xaxis3(picture pic=currentpicture, Label L="", axis axis=YZZero, pen p=currentpen, ticksgrid ticks, arrowbar3 arrow=None, bool above=false) { xaxis3(pic,L,axis,p,ticks().ticks,arrow,above); ticks().grid3(pic,above); } void yaxis3(picture pic=currentpicture, Label L="", axis axis=XZZero, pen p=currentpen, ticksgrid ticks, arrowbar3 arrow=None, bool above=false) { yaxis3(pic,L,axis,p,ticks().ticks,arrow,above); ticks().grid3(pic,above); } void zaxis3(picture pic=currentpicture, Label L="", axis axis=XYZero, pen p=currentpen, ticksgrid ticks, arrowbar3 arrow=None, bool above=false) { zaxis3(pic,L,axis,p,ticks().ticks,arrow,above); ticks().grid3(pic,above); } /* Example: import grid3; size(8cm,0); currentprojection=orthographic(0.5,1,0.5); defaultpen(overwrite(SuppressQuiet)); scale(Linear, Linear, Log); grid3(pic=currentpicture, // picture gridroutine=XYZgrid(// grid3routine // or grid3routine[] (alias grid3routines) // or grid3routines[]: // The routine(s) to draw the grid(s): // *XYgrid: draw grid from X in direction of Y // *YXgrid: draw grid from Y in direction of X, ... // *An array of previous values XYgrid, YXgrid, ... // *XYXgrid: draw XYgrid and YXgrid grids // *YXYgrid: draw XYgrid and YXgrid grids // *ZXZgrid: draw ZXgrid and XZgrid grids // *YX_YZgrid: draw YXgrid and YZgrid grids // *XY_XZgrid: draw XYgrid and XZgrid grids // *YX_YZgrid: draw YXgrid and YZgrid grids // *An array of previous values XYXgrid,... // *XYZgrid: draw XYXgrid, ZYZgrid, XZXgrid grids. pos=Relative(0)), // the position of the grid relative to the axis // perpendicular to the grid; a real number // specifies a coordinate relative to this axis. // Aliases: top=Relative(1), middle=Relative(0.5) // and bottom=Relative(0). // These arguments are similar to those of InOutTicks(): N=0, // int n=0, // int Step=0, // real step=0, // real begin=true, // bool end=true, // bool pGrid=grey, // pen pgrid=lightgrey, // pen above=false // bool ); xaxis3(Label("$x$",position=EndPoint,align=S),OutTicks()); yaxis3(Label("$y$",position=EndPoint,align=S),OutTicks()); zaxis3(Label("$z$",position=EndPoint,align=(0,0.5)+W),OutTicks()); */ /* Other examples: int N=10, n=2; xaxis3(Label("$x$",position=EndPoint,align=S),OutTicks()); yaxis3(Label("$y$",position=EndPoint,align=S),OutTicks(N=N,n=n)); zaxis3(Label("$z$",position=EndPoint,align=(0,0.5)+W),OutTicks()); grid3(N=N,n=n); xaxis3(Label("$x$",position=EndPoint,align=S),OutTicks()); yaxis3(Label("$y$",position=EndPoint,align=S),OutTicks()); zaxis3(Label("$z$",position=EndPoint,align=(0,0.5)+W),OutTicks()); grid3(new grid3routines[] {XYXgrid(top),XZXgrid(0)}); xaxis3(Label("$x$",position=EndPoint,align=S),OutTicks()); yaxis3(Label("$y$",position=EndPoint,align=S),OutTicks()); zaxis3(Label("$z$",position=EndPoint,align=(0,0.5)+W),OutTicks()); grid3(new grid3routines[] {XYXgrid(-0.5),XYXgrid(1.5)}, pGrid=new pen[] {red,blue}, pgrid=new pen[] {0.5red,0.5blue}); // Axes with grids: xaxis3(Label("$x$",position=EndPoint,align=S), OutTicks(Step=0.5,gridroutine=XYgrid)); yaxis3(Label("$y$",position=EndPoint,align=S), InOutTicks(Label("",align=0.5X),N=8,n=2,gridroutine=YX_YZgrid)); zaxis3("$z$",OutTicks(ZYgrid)); */ asymptote-2.62/prcfile.h0000644000000000000000000000121613607467113013773 0ustar rootroot#ifndef PRCFILE_H #define PRCFILE_H #include "memory.h" #include "pen.h" inline double X(const camp::triple &v) {return v.getx();} inline double Y(const camp::triple &v) {return v.gety();} inline double Z(const camp::triple &v) {return v.getz();} #include "prc/oPRCFile.h" namespace camp { inline prc::RGBAColour rgba(pen p) { p.convert(); p.torgb(); return prc::RGBAColour(p.red(),p.green(),p.blue(),p.opacity()); } static const double inches=72; static const double cm=inches/2.54; class prcfile : public prc::oPRCFile { public: prcfile(string name) : prc::oPRCFile(name.c_str(),10.0/cm) {} // Use bp. }; } //namespace camp #endif asymptote-2.62/drawlabel.cc0000644000000000000000000001532113607467113014444 0ustar rootroot/***** * drawlabel.cc * John Bowman 2003/04/07 * * Add a label to a picture. *****/ #include #include "drawlabel.h" #include "settings.h" #include "util.h" #include "lexical.h" using namespace settings; namespace camp { string texready=string("(Please type a command or say `\\end')\n*"); void drawLabel::labelwarning(const char *action) { cerr << "warning: label \"" << label << "\" " << action << " to avoid overwriting" << endl; } // Reads one of the dimensions from the pipe. void texdim(iopipestream& tex, double& dest, const string command, const string name) { string start(">dim("); string stop(")dim"); string expect("pt"+stop+"\n\n*"); // ask the tex engine for dimension tex << "\\immediate\\write16{" << start << "\\the\\" << command << "\\ASYbox" << stop << "}\n"; // keep reading output until ')dim\n\n*' is read tex.wait(expect.c_str()); string buffer = tex.getbuffer(); size_t dim1=buffer.find(start); size_t dim2=buffer.find("pt" + stop); string cannotread="Cannot read label "+name; if (dim1 != string::npos && dim2 != string::npos) { string n=buffer.substr(dim1+start.size(),dim2-dim1-start.size()); try { dest=lexical::cast(n,true)*tex2ps; } catch(lexical::bad_cast&) { camp::reportError(cannotread); } } else { camp::reportError(cannotread); } } void texbounds(double& width, double& height, double& depth, iopipestream& tex, string& s) { tex << "\\setbox\\ASYbox=\\hbox{" << stripblanklines(s) << "}\n\n"; tex.wait(texready.c_str()); texdim(tex,width,"wd","width"); texdim(tex,height,"ht","height"); texdim(tex,depth,"dp","depth"); } inline double urand() { static const double factor=2.0/RANDOM_MAX; return random()*factor-1.0; } void setpen(iopipestream& tex, const string& texengine, const pen& pentype) { bool Latex=latex(texengine); if(Latex && setlatexfont(tex,pentype,drawElement::lastpen)) { tex << "\n"; tex.wait(texready.c_str()); } if(settexfont(tex,pentype,drawElement::lastpen,Latex)) { tex << "\n"; tex.wait(texready.c_str()); } drawElement::lastpen=pentype; } void drawLabel::getbounds(iopipestream& tex, const string& texengine) { if(havebounds) return; havebounds=true; setpen(tex,texengine,pentype); texbounds(width,height,depth,tex,label); if(width == 0.0 && height == 0.0 && depth == 0.0 && !size.empty()) texbounds(width,height,depth,tex,size); enabled=true; Align=inverse(T)*align; double scale0=max(fabs(Align.getx()),fabs(Align.gety())); if(scale0) Align *= 0.5/scale0; Align -= pair(0.5,0.5); double Depth=(pentype.Baseline() == NOBASEALIGN) ? depth : -depth*Align.gety(); texAlign=Align; const double vertical=height+depth; if(Depth > 0) texAlign += pair(0.0,Depth/vertical); Align.scale(width,vertical); Align += pair(0.0,Depth-depth); Align=T*Align; } void drawLabel::bounds(bbox& b, iopipestream& tex, boxvector& labelbounds, bboxlist&) { string texengine=getSetting("tex"); if(texengine == "none") {b += position; return;} getbounds(tex,texengine); // alignment point pair p=position+Align; const double vertical=height+depth; const double fuzz=pentype.size()*0.1+0.3; pair A=p+T*pair(-fuzz,-fuzz); pair B=p+T*pair(-fuzz,vertical+fuzz); pair C=p+T*pair(width+fuzz,vertical+fuzz); pair D=p+T*pair(width+fuzz,-fuzz); if(pentype.Overwrite() != ALLOW && label != "") { size_t n=labelbounds.size(); box Box=box(A,B,C,D); for(size_t i=0; i < n; i++) { if(labelbounds[i].intersect(Box)) { switch(pentype.Overwrite()) { case SUPPRESS: labelwarning("suppressed"); case SUPPRESSQUIET: suppress=true; return; case MOVE: labelwarning("moved"); default: break; } pair Align=(align == pair(0,0)) ? unit(pair(urand(),urand())) : unit(align); double s=0.1*pentype.size(); double dx=0, dy=0; if(Align.getx() > 0.1) dx=labelbounds[i].xmax()-Box.xmin()+s; if(Align.getx() < -0.1) dx=labelbounds[i].xmin()-Box.xmax()-s; if(Align.gety() > 0.1) dy=labelbounds[i].ymax()-Box.ymin()+s; if(Align.gety() < -0.1) dy=labelbounds[i].ymin()-Box.ymax()-s; pair offset=pair(dx,dy); position += offset; A += offset; B += offset; C += offset; D += offset; Box=box(A,B,C,D); i=0; } } labelbounds.resize(n+1); labelbounds[n]=Box; } Box=bbox(); Box += A; Box += B; Box += C; Box += D; b += Box; } void drawLabel::checkbounds() { if(!havebounds) reportError("drawLabel::write called before bounds"); } bool drawLabel::write(texfile *out, const bbox&) { checkbounds(); if(suppress || pentype.invisible() || !enabled) return true; out->setpen(pentype); out->put(label,T,position,texAlign); return true; } drawElement *drawLabel::transformed(const transform& t) { return new drawLabel(label,size,t*T,t*position, length(align)*unit(shiftless(t)*align),pentype,KEY); } void drawLabelPath::bounds(bbox& b, iopipestream& tex, boxvector&, bboxlist&) { string texengine=getSetting("tex"); if(texengine == "none") {b += position; return;} getbounds(tex,texengine); double L=p.arclength(); double s1,s2; if(justify == "l") { s1=0.0; s2=width; } else if(justify == "r") { s1=L-width; s2=L; } else { double s=0.5*L; double h=0.5*width; s1=s-h; s2=s+h; } double Sx=shift.getx(); double Sy=shift.gety(); s1 += Sx; s2 += Sx; if(width > L || (!p.cyclic() && (s1 < 0 || s2 > L))) { ostringstream buf; buf << "Cannot fit label \"" << label << "\" to path"; reportError(buf); } path q=p.subpath(p.arctime(s1),p.arctime(s2)); b += q.bounds(Sy,Sy+height); Box=b; } bool drawLabelPath::write(texfile *out, const bbox&) { bbox b=Box; double Hoffset=getSetting("inlinetex") ? b.right : b.left; b.shift(pair(-Hoffset,-b.bottom)); checkbounds(); if(drawLabel::pentype.invisible()) return true; out->setpen(drawLabel::pentype); out->verbatimline("\\psset{unit=1pt}%"); out->verbatim("\\pstextpath["); out->verbatim(justify); out->verbatim("]"); out->writepair(shift); out->verbatim("{\\pstVerb{"); out->beginraw(); writeshiftedpath(out); out->endraw(); out->verbatim("}}{"); out->verbatim(label); out->verbatimline("}"); return true; } drawElement *drawLabelPath::transformed(const transform& t) { return new drawLabelPath(label,size,transpath(t),justify,shift, transpen(t),KEY); } } //namespace camp asymptote-2.62/jsfile.h0000644000000000000000000000240713607467113013626 0ustar rootroot#ifndef JSFILE_H #define JSFILE_H #include #include "common.h" #include "triple.h" #include "locate.h" #include "prcfile.h" namespace camp { class jsfile { jsofstream out; public: jsfile() {} ~jsfile(); void open(string name); void copy(string name); void addColor(const prc::RGBAColour& c); void addIndices(const uint32_t *I); void addPatch(const triple* controls, size_t n, const triple& Min, const triple& Max, const prc::RGBAColour *colors, size_t nc); void addCurve(const triple& z0, const triple& c0, const triple& c1, const triple& z1, const triple& Min, const triple& Max); void addCurve(const triple& z0, const triple& z1, const triple& Min, const triple& Max); void addPixel(const triple& z0, double width, const triple& Min, const triple& Max); void addMaterial(size_t index); void addTriangles(size_t nP, const triple* P, size_t nN, const triple* N, size_t nC, const prc::RGBAColour* C, size_t nI, const uint32_t (*PI)[3], const uint32_t (*NI)[3], const uint32_t (*CI)[3], const triple& Min, const triple& Max); }; } //namespace camp #endif asymptote-2.62/varinit.h0000644000000000000000000000373513607467113014033 0ustar rootroot/***** * varinit.h * Andy Hammerlindl 2005/07/01 * * Variable initializers are syntax that finish code such as * Int var = ... * As such, they are translated to yield a certain type, the type of the * variable. Expressions are a special case that can be translated without an * associated variable or its type. *****/ #ifndef VARINIT_H #define VARINIT_H #include "types.h" #include "symbol.h" #include "absyn.h" namespace absyntax { using trans::coenv; using trans::access; using sym::symbol; using types::array; class varinit : public absyn { public: varinit(position pos) : absyn(pos) {} // This determines what instruction are needed to put the associated // value onto the stack, then adds those instructions to the current // lambda in e. // In some expressions and initializers, the target type needs to be // known in order to translate properly. For most expressions, this is // kept to a minimum. // For expression, this also allows an implicit cast, hence the name. virtual void transToType(coenv &e, types::ty *target) = 0; }; // A default initializer. For example: // int a; // is in some sense equivalent to // int a=0; // where the definit for Int is a function that returns 0. class definit : public varinit { public: definit(position pos) : varinit(pos) {} void prettyprint(ostream &out, Int indent); void transToType(coenv &e, types::ty *target); }; class arrayinit : public varinit { mem::list inits; varinit *rest; public: arrayinit(position pos) : varinit(pos), rest(0) {} virtual ~arrayinit() {} void prettyprint(ostream &out, Int indent); // Encodes the instructions to make an array from size elements on the stack. static void transMaker(coenv &e, Int size, bool rest); void transToType(coenv &e, types::ty *target); void add(varinit *init) { inits.push_back(init); } void addRest(varinit *init) { rest=init; } friend class joinExp; }; } // namespace absyntax #endif asymptote-2.62/access.h0000644000000000000000000000564013607467113013615 0ustar rootroot/***** * access.h * Andy Hammerlindl 2003/12/03 * * Describes an "access," a representation of where a variable will be * stored at runtime, so that read, write, and call instructions can be * made. *****/ #ifndef ACCESS_H #define ACCESS_H #include #include "errormsg.h" #include "item.h" #include "vm.h" namespace vm { struct callable; } namespace trans { class frame; class coder; enum action { READ, WRITE, CALL }; // These serves as the base class for the accesses. class access : public gc { protected: // Generic compiler access error - if the compiler functions properly, // none of these should be reachable by the user. void error(position pos) { em.compiler(pos); em << "invalid use of access"; } public: virtual ~access() = 0; // Encode a read/write/call of the access when nothing is on the stack. virtual void encode(action, position pos, coder &) { error(pos); } // Encode a read/write/call of the access when the frame "top" is on top // of the stack. virtual void encode(action, position pos, coder &, frame *) { error(pos); } }; // This class represents identity conversions in casting. class identAccess : public access { virtual void encode(action act, position, coder&); }; // Represents a function that is implemented by a built-in C++ function. class bltinAccess : public access { vm::bltin f; public: bltinAccess(vm::bltin f) : f(f) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *); }; // Similar to bltinAccess, but works for any callable. class callableAccess : public access { vm::callable *f; public: callableAccess(vm::callable *f) : f(f) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *); }; // An access that puts a frame on the top of the stack. class frameAccess : public access { frame *f; public: frameAccess(frame *f) : f(f) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *top); }; // Represents the access of a local variable. class localAccess : public access { Int offset; frame *level; public: localAccess(Int offset, frame *level) : offset(offset), level(level) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *top); }; class qualifiedAccess : public access { // The location and frame of the record. access *qualifier; frame *qualifierLevel; // The location of the field relative to the record. access *field; public: qualifiedAccess(access *qualifier, frame *qualifierLevel, access *field) : qualifier(qualifier), qualifierLevel(qualifierLevel), field(field) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *top); }; } // namespace trans #endif // ACCESS_H asymptote-2.62/getopt.h0000644000000000000000000001477213607467113013664 0ustar rootroot/* Declarations for getopt. Copyright (C) 1989-1994, 1996-1999, 2001 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C 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. The GNU C 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 the GNU C Library; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA. */ #ifndef _GETOPT_H #ifndef __need_getopt # define _GETOPT_H 1 #endif /* If __GNU_LIBRARY__ is not already defined, either we are being used standalone, or this is the first header included in the source file. If we are being used with glibc, we need to include , but that does not exist if we are standalone. So: if __GNU_LIBRARY__ is not defined, include , which will pull in for us if it's from glibc. (Why ctype.h? It's guaranteed to exist and it doesn't flood the namespace with stuff the way some other headers do.) */ #if !defined __GNU_LIBRARY__ # include #endif #ifdef __cplusplus extern "C" { #endif /* For communication from `getopt' to the caller. When `getopt' finds an option that takes an argument, the argument value is returned here. Also, when `ordering' is RETURN_IN_ORDER, each non-option ARGV-element is returned here. */ extern char *optarg; /* Index in ARGV of the next element to be scanned. This is used for communication to and from the caller and for communication between successive calls to `getopt'. On entry to `getopt', zero means this is the first call; initialize. When `getopt' returns -1, this is the index of the first of the non-option elements that the caller should itself scan. Otherwise, `optind' communicates from one call to the next how much of ARGV has been scanned so far. */ extern int optind; /* Callers store zero here to inhibit the error message `getopt' prints for unrecognized options. */ extern int opterr; /* Set to an option character which was unrecognized. */ extern int optopt; #ifndef __need_getopt /* Describe the long-named options requested by the application. The LONG_OPTIONS argument to getopt_long or getopt_long_only is a vector of `struct option' terminated by an element containing a name which is zero. The field `has_arg' is: no_argument (or 0) if the option does not take an argument, required_argument (or 1) if the option requires an argument, optional_argument (or 2) if the option takes an optional argument. If the field `flag' is not NULL, it points to a variable that is set to the value given in the field `val' when the option is found, but left unchanged if the option is not found. To have a long-named option do something other than set an `int' to a compiled-in constant, such as set a value from `optarg', set the option's `flag' field to zero and its `val' field to a nonzero value (the equivalent single-letter option character, if there is one). For long options that have a zero `flag' field, `getopt' returns the contents of the `val' field. */ struct option { # if (defined __STDC__ && __STDC__) || defined __cplusplus const char *name; # else char *name; # endif /* has_arg can't be an enum because some compilers complain about type mismatches in all the code that assumes it is an int. */ int has_arg; int *flag; int val; }; /* Names for the values of the `has_arg' field of `struct option'. */ # define no_argument 0 # define required_argument 1 # define optional_argument 2 #endif /* need getopt */ /* Get definitions and prototypes for functions to process the arguments in ARGV (ARGC of them, minus the program name) for options given in OPTS. Return the option character from OPTS just read. Return -1 when there are no more options. For unrecognized options, or options missing arguments, `optopt' is set to the option letter, and '?' is returned. The OPTS string is a list of characters which are recognized option letters, optionally followed by colons, specifying that that letter takes an argument, to be placed in `optarg'. If a letter in OPTS is followed by two colons, its argument is optional. This behavior is specific to the GNU `getopt'. The argument `--' causes premature termination of argument scanning, explicitly telling `getopt' that there are no more options. If OPTS begins with `--', then non-option arguments are treated as arguments to the option '\0'. This behavior is specific to the GNU `getopt'. */ #if (defined __STDC__ && __STDC__) || defined __cplusplus # ifdef __GNU_LIBRARY__ /* Many other libraries have conflicting prototypes for getopt, with differences in the consts, in stdlib.h. To avoid compilation errors, only prototype getopt for the GNU C library. */ extern int getopt (int __argc, char *const *__argv, const char *__shortopts); # else /* not __GNU_LIBRARY__ */ /* extern int getopt (); */ # endif /* __GNU_LIBRARY__ */ # ifndef __need_getopt extern int getopt_long (int __argc, char *const *__argv, const char *__shortopts, const struct option *__longopts, int *__longind); extern int getopt_long_only (int __argc, char *const *__argv, const char *__shortopts, const struct option *__longopts, int *__longind); /* Internal only. Users should not call this directly. */ extern int _getopt_internal (int __argc, char *const *__argv, const char *__shortopts, const struct option *__longopts, int *__longind, int __long_only); # endif #else /* not __STDC__ */ extern int getopt (); # ifndef __need_getopt extern int getopt_long (); extern int getopt_long_only (); extern int _getopt_internal (); # endif #endif /* __STDC__ */ #ifdef __cplusplus } #endif /* Make sure we later can get all the definitions and declarations. */ #undef __need_getopt #endif /* getopt.h */ asymptote-2.62/fftw++asy.cc0000644000000000000000000000016713607467113014322 0ustar rootroot#ifdef HAVE_CONFIG_H #include "config.h" #endif #ifdef HAVE_LIBFFTW3 #include "fftw++.h" #include "fftw++.cc" #endif asymptote-2.62/application.h0000644000000000000000000002160613607467113014657 0ustar rootroot/***** * application.h * Andy Hammerlindl 2005/05/20 * * An application is a matching of arguments in a call expression to formal * parameters of a function. Since the language allows default arguments, * keyword arguments, rest arguments, and anything else we think of, this * is not a simple mapping. *****/ #ifndef APPLICATION_H #define APPLICATION_H #include "common.h" #include "types.h" #include "coenv.h" #include "exp.h" // Defined in runtime.in: namespace run { void pushDefault(vm::stack *Stack); } using absyntax::arglist; using absyntax::varinit; using absyntax::arrayinit; using absyntax::tempExp; // This is mid-way between trans and absyntax. namespace trans { typedef Int score; typedef mem::vector score_vector; // This is used during the translation of arguments to store temporary // expressions for arguments that need to be translated for side-effects at a // certain point but used later on. The invariant maintained is that if the // vector has n elements, then the side-effects for the first n arguments have // been translated. Null is pushed onto the vector to indicate that the // expression was evaluated directly onto the stack, without the use of a // temporary. typedef mem::vector temp_vector; struct arg : public gc { types::ty *t; arg(types::ty *t) : t(t) {} virtual ~arg() {} virtual void trans(coenv &e, temp_vector &) = 0; }; struct varinitArg : public arg { varinit *v; varinitArg(varinit *v, types::ty *t) : arg(t), v(v) {} virtual void trans(coenv &e, temp_vector &) { // Open signatures can match overloaded variables, but there is no way to // translate the result, so report an error. if (t->kind == types::ty_overloaded) { em.error(v->getPos()); em << "overloaded argument in function call"; } else v->transToType(e, t); } }; // Pushes a default argument token on the stack as a placeholder for the // argument. struct defaultArg : public arg { defaultArg(types::ty *t) : arg(t) {} virtual void trans(coenv &e, temp_vector &) { //e.c.encode(inst::builtin, run::pushDefault); e.c.encode(inst::push_default); } }; // Handles translation of all the arguments matched to the rest formal. // NOTE: This code duplicates a lot of arrayinit. struct restArg : public gc { mem::list inits; arg *rest; public: restArg() : rest(0) {} virtual ~restArg() {} // Encodes the instructions to make an array from size elements on the stack. static void transMaker(coenv &e, Int size, bool rest); void trans(coenv &e, temp_vector &temps); void add(arg *init) { inits.push_back(init); } void addRest(arg *init) { rest=init; } }; // This class generates sequenced args, args whose side-effects occur in order // according to their index, regardless of the order they are called. This is // used to ensure left-to-right order of evaluation of keyword arguments, even // if they are given out of the order specified in the declaration. class sequencer { struct sequencedArg : public varinitArg { sequencer &parent; size_t i; sequencedArg(varinit *v, types::ty *t, sequencer &parent, size_t i) : varinitArg(v, t), parent(parent), i(i) {} void trans(coenv &e, temp_vector &temps) { parent.trans(e, i, temps); } }; typedef mem::vector sa_vector; sa_vector args; // Makes a temporary for the next argument in the sequence. void alias(coenv &e, temp_vector &temps) { size_t n=temps.size(); assert(n < args.size()); sequencedArg *sa=args[n]; assert(sa); temps.push_back(new tempExp(e, sa->v, sa->t)); } // Get in a state to translate the i-th argument, aliasing any arguments that // occur before it in the sequence. void advance(coenv &e, size_t i, temp_vector &temps) { while (temps.size() < i) alias(e,temps); } void trans(coenv &e, size_t i, temp_vector &temps) { if (i < temps.size()) { // Already translated, use the alias. assert(temps[i]); temps[i]->trans(e); } else { // Alias earlier args if necessary. advance(e, i, temps); // Translate using the base method. args[i]->varinitArg::trans(e,temps); // Push null to indicate the argument has been translated. temps.push_back(0); } } public: arg *addArg(varinit *v, types::ty *t, size_t i) { if (args.size() <= i) args.resize(i+1); return args[i]=new sequencedArg(v, t, *this, i); } }; class application : public gc { types::signature *sig; types::function *t; // Sequencer to ensure given arguments are evaluated in the proper order. // Use of this sequencer means that transArgs can only be called once. sequencer seq; typedef mem::vector arg_vector; arg_vector args; restArg *rest; // Target formal to match with arguments to be packed into the rest array. types::formal rf; // During the matching of arguments to an application, this stores the index // of the first unmatched formal. size_t index; // To resolve which is the best application in case of multiple matches of // overloaded functions, a score is kept for every source argument matched, // and an application with higher-scoring matches is chosen. score_vector scores; void initRest(); application(types::signature *sig) : sig(sig), t(0), args(sig->formals.size()), rest(0), rf(0), index(0) { assert(sig); initRest(); } application(types::function *t) : sig(t->getSignature()), t(t), args(sig->formals.size()), rest(0), rf(0), index(0) { assert(sig); initRest(); } types::formal &getTarget() { return sig->getFormal(index); } // Move the index forward one, then keep going until we're at an unmatched // argument. void advanceIndex() { do { ++index; } while (index < args.size() && args[index]!=0); } // Finds the first unmatched formal of the given name, returning the index. // The rest formal is not tested. This function returns FAIL if no formals // match. Int find(symbol name); // Match the formal at index to its default argument (if it has one). bool matchDefault(); // Match the argument to the formal indexed by spot. bool matchAtSpot(size_t spot, env &e, types::formal &source, varinit *a, size_t evalIndex); // Match the argument to be packed into the rest array, if possible. bool matchArgumentToRest(env &e, types::formal& source, varinit *a, size_t evalIndex); // Matches the argument to a formal in the target signature (possibly causing // other formals in the target to be matched to default values), and updates // the matchpoint accordingly. bool matchArgument(env &e, types::formal& source, varinit *a, size_t evalIndex); // Match an argument bound to a name, as in f(index=7). bool matchNamedArgument(env &e, types::formal& source, varinit *a, size_t evalIndex); // After all source formals have been matched, checks if the match is // complete (filling in final default values if necessary). bool complete(); // Match a rest argument in the calling expression. bool matchRest(env &e, types::formal& f, varinit *a, size_t evalIndex); // Match the argument represented in signature to the target signature. On // success, all of the arguments in args will be properly set up. bool matchSignature(env &e, types::signature *source, arglist &al); // Match a signature which is open, meaning that any sequence of arguments is // matched. bool matchOpen(env &e, signature *source, arglist &al); friend class maximizer; public: // Attempt to build an application given the target signature and the source // signature (representing the given arguments). Return 0 if they cannot be // matched. static application *match(env &e, types::function *t, types::signature *source, arglist &al); // Translate the arguments so they appear in order on the stack in // preparation for a call. void transArgs(coenv &e); types::function *getType() { return t; } // This returns true in the special case that the arguments matched without // casting or packing into the rest formal. bool exact(); // The next best thing (score-wise) to an exact match. This returns true if // there are two arguments, one of which is cast and one is matched exactly // and neither are packed into the rest argument. bool halfExact(); }; typedef mem::list app_list; // Given an overloaded list of types, determines which type to call. If none // are applicable, returns an empty vector, if there is ambiguity, several will // be returned. app_list multimatch(env &e, types::overloaded *o, types::signature *source, arglist &al); } // namespace trans #endif asymptote-2.62/interact.h0000644000000000000000000000243513607467113014164 0ustar rootroot/***** * interact.h * * The glue between the lexical analyzer and the readline library. *****/ #ifndef INTERACT_H #define INTERACT_H #include "common.h" void interruptHandler(int); namespace interact { extern bool interactive; extern bool uptodate; extern int lines; // Interactive scroll count extern bool query; // Enable interactive scrolling; void init_interactive(); // Read a line from the input, without any processing. string simpleline(string prompt); // Add a line of input to the readline history. void addToHistory(string line); // Functions to work with the most recently entered line in the history. string getLastHistoryLine(); void setLastHistoryLine(string line); // Remove the line last added to the history. void deleteLastLine(); // Write out the history of input lines to the history file. void cleanup_interactive(); // This class is used to set a text completion function for readline. A class // is used instead the usual function pointer so that information such as the // current environment can be coded into the function (mimicking a closure). class completer { public: virtual ~completer() {}; virtual char *operator () (const char *text, int state) = 0; }; void setCompleter(completer *c); #define YY_READ_BUF_SIZE YY_BUF_SIZE } #endif // INTERACT_H asymptote-2.62/tr.h0000644000000000000000000000713413607467113013001 0ustar rootroot/* This file is released under version 2 of the GNU Library General Public * License (see the files LICENSE.LIBRARY and LICENSE). */ /* $Id: tr.h,v 1.5 1997/07/21 17:34:07 brianp Exp $ */ /* * $Log: tr.h,v $ * Revision 1.5 1997/07/21 17:34:07 brianp * added tile borders, incremented version to 1.1 * * Revision 1.4 1997/07/21 15:47:35 brianp * renamed all "near" and "far" variables * * Revision 1.3 1997/04/26 21:23:25 brianp * added trRasterPos3f function * * Revision 1.2 1997/04/19 23:26:10 brianp * many API changes * * Revision 1.1 1997/04/18 21:53:05 brianp * Initial revision * */ /* * Tiled Rendering library * Version 1.1 * Copyright (C) Brian Paul * * * This library allows one to render arbitrarily large images with OpenGL. * The basic idea is to break the image into tiles which are rendered one * at a time. The tiles are assembled together to form the final, large * image. Tiles and images can be of any size. * * Basic usage: * * 1. Allocate a tile rendering context: * TRcontext t = trNew(); * * 2. Specify the final image buffer and tile size: * GLubyte image[W][H][4] * trImageSize(t, W, H); * trImageBuffer(t, GL_RGBA, GL_UNSIGNED_BYTE, (GLubyte *) image); * * 3. Setup your projection: * trFrustum(t, left, right, bottom top, near, far); * or * trOrtho(t, left, right, bottom top, near, far); * or * trPerspective(t, fovy, aspect, near, far); * * 4. Render the tiles: * do { * trBeginTile(t); * DrawMyScene(); * } while (trEndTile(t)); * * You provide the DrawMyScene() function which calls glClear() and * draws all your stuff. * * 5. The image array is now complete. Display it, write it to a file, etc. * * 6. Delete the tile rendering context when finished: * trDelete(t); * */ #ifndef TR_H #define TR_H #ifdef __APPLE__ #define GL_SILENCE_DEPRECATION #include #else #ifdef __MSDOS__ #include #else #include #endif #endif #ifdef __cplusplus extern "C" { #endif #define TR_VERSION "1.1" #define TR_MAJOR_VERSION 1 #define TR_MINOR_VERSION 1 typedef struct _TRctx TRcontext; typedef enum { TR_TILE_WIDTH = 100, TR_TILE_HEIGHT, TR_TILE_BORDER, TR_IMAGE_WIDTH, TR_IMAGE_HEIGHT, TR_ROWS, TR_COLUMNS, TR_CURRENT_ROW, TR_CURRENT_COLUMN, TR_CURRENT_TILE_WIDTH, TR_CURRENT_TILE_HEIGHT, TR_ROW_ORDER, TR_TOP_TO_BOTTOM, TR_BOTTOM_TO_TOP } TRenum; extern TRcontext *trNew(void); extern void trDelete(TRcontext *tr); extern void trTileSize(TRcontext *tr, GLint width, GLint height, GLint border); extern void trTileBuffer(TRcontext *tr, GLenum format, GLenum type, GLvoid *image); extern void trImageSize(TRcontext *tr, GLint width, GLint height); extern void trImageBuffer(TRcontext *tr, GLenum format, GLenum type, GLvoid *image); extern void trRowOrder(TRcontext *tr, TRenum order); extern GLint trGet(TRcontext *tr, TRenum param); extern void trOrtho(TRcontext *tr, GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar); extern void trFrustum(TRcontext *tr, GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar); extern void trPerspective(TRcontext *tr, GLdouble fovy, GLdouble aspect, GLdouble zNear, GLdouble zFar ); extern void trBeginTile(TRcontext *tr); extern int trEndTile(TRcontext *tr); extern void trRasterPos3f(TRcontext *tr, GLfloat x, GLfloat y, GLfloat z); #ifdef __cplusplus } #endif #endif asymptote-2.62/predicates.h0000644000000000000000000000173213607467113014475 0ustar rootroot#ifndef PREDICATES_H #define PREDICATES_H double orient2d(const double* pa, const double* pb, const double* pc); double orient2d(double ax, double ay, double bx, double by, double cx, double cy); double orient2dadapt(const double *pa, const double *pb, const double *pc, double detsum); double orient3d(const double *pa, const double *pb, const double *pc, const double *pd); double incircle(const double *pa, const double *pb, const double *pc, const double *pd); double incircle(double ax, double ay, double bx, double by, double cx, double cy, double dx, double dy); double insphere(const double *pa, const double *pb, const double *pc, const double *pd, const double *pe); extern const double resulterrbound,ccwerrboundA,ccwerrboundB,ccwerrboundC, o3derrboundA,o3derrboundB,o3derrboundC,iccerrboundA,iccerrboundB, iccerrboundC,isperrboundA,isperrboundB,isperrboundC; #endif asymptote-2.62/shaders.cc0000644000000000000000000000553113607467113014142 0ustar rootroot// shader handling // Author: Supakorn "Jamie" Rassameemasmuang #include "common.h" #ifdef HAVE_GL #include #include #include #include #include #include "shaders.h" GLuint compileAndLinkShader(std::vector const& shaders, size_t Nlights, size_t NMaterials, std::vector const& defineflags) { GLuint shader = glCreateProgram(); std::vector compiledShaders; size_t n=shaders.size(); for(size_t i=0; i < n; ++i) { GLint newshader=createShaderFile(shaders[i].first,shaders[i].second, Nlights,NMaterials,defineflags); glAttachShader(shader,newshader); compiledShaders.push_back(newshader); } glBindAttribLocation(shader,positionAttrib,"position"); glBindAttribLocation(shader,normalAttrib,"normal"); glBindAttribLocation(shader,materialAttrib,"material"); glBindAttribLocation(shader,colorAttrib,"color"); glBindAttribLocation(shader,widthAttrib,"width"); glLinkProgram(shader); for(size_t i=0; i < n; ++i) { glDetachShader(shader,compiledShaders[i]); glDeleteShader(compiledShaders[i]); } return shader; } GLuint createShaders(GLchar const* src, int shaderType, std::string const& filename) { GLuint shader=glCreateShader(shaderType); glShaderSource(shader, 1, &src, NULL); glCompileShader(shader); GLint status; glGetShaderiv(shader, GL_COMPILE_STATUS, &status); if(status != GL_TRUE) { GLint length; glGetShaderiv(shader, GL_INFO_LOG_LENGTH, &length); std::vector msg(length); glGetShaderInfoLog(shader, length, &length, msg.data()); size_t n=msg.size(); for(size_t i=0; i < n; ++i) { std::cerr << msg[i]; } std::cerr << std::endl << "GL Compile error" << std::endl; std::cerr << src << std::endl; throw 1; } return shader; } GLuint createShaderFile(std::string file, int shaderType, size_t Nlights, size_t Nmaterials, std::vector const& defineflags) { std::ifstream shaderFile; shaderFile.open(file.c_str()); std::stringstream shaderSrc; #ifdef __APPLE__ #define GLSL_VERSION "410" #else #define GLSL_VERSION "130" #endif shaderSrc << "#version " << GLSL_VERSION << "\n"; shaderSrc << "#extension GL_ARB_uniform_buffer_object : enable" << "\n"; size_t n=defineflags.size(); for(size_t i=0; i < n; ++i) { shaderSrc << "#define " << defineflags[i] << "\n"; } shaderSrc << "#define Nlights " << Nlights << "\n"; shaderSrc << "const int Nmaterials=" << Nmaterials << ";\n"; if(shaderFile) { shaderSrc << shaderFile.rdbuf(); shaderFile.close(); } else { throw 1; } return createShaders(shaderSrc.str().data(), shaderType, file); } #endif asymptote-2.62/runsystem.h0000644000000000000000000000023513607467143014423 0ustar rootroot/***** Autogenerated from runsystem.in; changes will be overwritten *****/ #ifndef runsystem_H #define runsystem_H namespace run { } #endif // runsystem_H asymptote-2.62/runpair.in0000644000000000000000000001022613607467113014207 0ustar rootroot/***** * runpair.in * * Runtime functions for pair operations. * *****/ pair => primPair() #include "pair.h" using namespace camp; namespace run { extern pair zero; } pair sin(pair z) { return pair(sin(z.getx())*cosh(z.gety()),cos(z.getx())*sinh(z.gety())); } pair exp(pair z) { return exp(z.getx())*expi(z.gety()); } pair gamma(pair z) { static double p[]={0.99999999999980993,676.5203681218851,-1259.1392167224028, 771.32342877765313,-176.61502916214059,12.507343278686905, -0.13857109526572012,9.9843695780195716e-6, 1.5056327351493116e-7}; static int n=sizeof(p)/sizeof(double); static double root2pi=sqrt(2*PI); if(z.getx() < 0.5) return PI/(sin(PI*z)*gamma(1.0-z)); z -= 1.0; pair x=p[0]; for(int i=1; i < n; ++i) x += p[i]/(z+i); pair t=n-1.5+z; return root2pi*pow(t,z+0.5)*exp(-t)*x; } // Autogenerated routines: pair :pairZero() { return zero; } pair :realRealToPair(real x, real y) { return pair(x,y); } pair :pairNegate(pair z) { return -z; } real xpart:pairXPart(pair z) { return z.getx(); } real ypart:pairYPart(pair z) { return z.gety(); } real length(pair z) { return z.length(); } real abs(pair z) { return z.length(); } pair sqrt(explicit pair z) { return Sqrt(z); } // Return the angle of z in radians. real angle(pair z, bool warn=true) { if(!warn && z.getx() == 0.0 && z.gety() == 0.0) return 0.0; return z.angle(); } // Return the angle of z in degrees in the interval [0,360). real degrees(pair z, bool warn=true) { if(!warn && z.getx() == 0.0 && z.gety() == 0.0) return 0.0; return principalBranch(degrees(z.angle())); } // Convert degrees to radians. real radians(real degrees) { return radians(degrees); } // Convert radians to degrees. real degrees(real radians) { return degrees(radians); } // Convert radians to degrees in [0,360). real Degrees(real radians) { return principalBranch(degrees(radians)); } real Sin(real deg) { int n=(int) (deg/90.0); if(deg == n*90.0) { int m=n % 4; if(m < 0) m += 4; if(m == 1) return 1; if(m == 3) return -1; return 0.0; } return sin(radians(deg)); } real Cos(real deg) { int n=(int) (deg/90.0); if(deg == n*90.0) { int m=n % 4; if(m < 0) m += 4; if(m == 0) return 1; if(m == 2) return -1; return 0.0; } return cos(radians(deg)); } real Tan(real deg) { int n=(int) (deg/90.0); if(deg == n*90.0) { int m=n % 4; if(m < 0) m += 4; if(m == 1) return HUGE_VAL; if(m == 3) return -HUGE_VAL; return 0.0; } return tan(radians(deg)); } real aSin(real x) { return degrees(asin(x)); } real aCos(real x) { return degrees(acos(x)); } real aTan(real x) { return degrees(atan(x)); } pair unit(pair z) { return unit(z); } pair dir(real degrees) { return expi(radians(degrees)); } pair dir(explicit pair z) { return unit(z); } pair expi(real angle) { return expi(angle); } pair exp(explicit pair z) { return exp(z); } pair log(explicit pair z) { return pair(log(z.length()),z.angle()); } pair sin(explicit pair z) { return sin(z); } pair cos(explicit pair z) { return pair(cos(z.getx())*cosh(z.gety()),-sin(z.getx())*sinh(z.gety())); } // Complex Gamma function pair gamma(explicit pair z) { return gamma(z); } pair conj(pair z) { return conj(z); } pair realmult(pair z, pair w) { return pair(z.getx()*w.getx(),z.gety()*w.gety()); } // To avoid confusion, a dot product requires explicit pair arguments. real dot(explicit pair z, explicit pair w) { return dot(z,w); } // Return the 2D scalar cross product z.x*w.y-z.y*w.x. real cross(explicit pair z, explicit pair w) { return cross(z,w); } pair bezier(pair a, pair b, pair c, pair d, real t) { real onemt=1-t; real onemt2=onemt*onemt; return onemt2*onemt*a+t*(3.0*(onemt2*b+t*onemt*c)+t*t*d); } pair bezierP(pair a, pair b, pair c, pair d, real t) { return 3.0*(t*t*(d-a+3.0*(b-c))+t*(2.0*(a+c)-4.0*b)+b-a); } pair bezierPP(pair a, pair b, pair c, pair d, real t) { return 6.0*(t*(d-a+3.0*(b-c))+a+c-2.0*b); } pair bezierPPP(pair a, pair b, pair c, pair d) { return 6.0*(d-a+3.0*(b-c)); } asymptote-2.62/path3.h0000644000000000000000000002437613607467113013402 0ustar rootroot/***** * path.h * John Bowman * * Stores a 3D piecewise cubic spline with known control points. * *****/ #ifndef PATH3_H #define PATH3_H #include #include "mod.h" #include "triple.h" #include "bbox3.h" #include "path.h" #include "arrayop.h" // For CYGWIN #undef near #undef far namespace camp { void checkEmpty3(Int n); // Used in the storage of solved path3 knots. struct solvedKnot3 : public gc { triple pre; triple point; triple post; bool straight; solvedKnot3() : straight(false) {} friend bool operator== (const solvedKnot3& p, const solvedKnot3& q) { return p.pre == q.pre && p.point == q.point && p.post == q.post; } }; class path3 : public gc { bool cycles; // If the path3 is closed in a loop Int n; // The number of knots mem::vector nodes; mutable double cached_length; // Cache length since path3 is immutable. mutable bbox3 box; mutable bbox3 times; // Times where minimum and maximum extents are attained. public: path3() : cycles(false), n(0), nodes(), cached_length(-1) {} // Create a path3 of a single point path3(triple z, bool = false) : cycles(false), n(1), nodes(1), cached_length(-1) { nodes[0].pre = nodes[0].point = nodes[0].post = z; nodes[0].straight = false; } // Creates path3 from a list of knots. This will be used by camp // methods such as the guide solver, but should probably not be used by a // user of the system unless he knows what he is doing. path3(mem::vector& nodes, Int n, bool cycles = false) : cycles(cycles), n(n), nodes(nodes), cached_length(-1) { } friend bool operator== (const path3& p, const path3& q) { return p.cycles == q.cycles && p.nodes == q.nodes; } public: path3(solvedKnot3 n1, solvedKnot3 n2) : cycles(false), n(2), nodes(2), cached_length(-1) { nodes[0] = n1; nodes[1] = n2; nodes[0].pre = nodes[0].point; nodes[1].post = nodes[1].point; } // Copy constructor path3(const path3& p) : cycles(p.cycles), n(p.n), nodes(p.nodes), cached_length(p.cached_length), box(p.box) {} path3 unstraighten() const { path3 P=path3(*this); for(int i=0; i < n; ++i) P.nodes[i].straight=false; return P; } virtual ~path3() { } // Getting control points Int size() const { return n; } bool empty() const { return n == 0; } Int length() const { return cycles ? n : n-1; } bool cyclic() const { return cycles; } mem::vector& Nodes() { return nodes; } bool straight(Int t) const { if (cycles) return nodes[imod(t,n)].straight; return (t >= 0 && t < n) ? nodes[t].straight : false; } bool piecewisestraight() const { Int L=length(); for(Int i=0; i < L; ++i) if(!straight(i)) return false; return true; } triple point(Int t) const { return nodes[adjustedIndex(t,n,cycles)].point; } triple point(double t) const; triple precontrol(Int t) const { return nodes[adjustedIndex(t,n,cycles)].pre; } triple precontrol(double t) const; triple postcontrol(Int t) const { return nodes[adjustedIndex(t,n,cycles)].post; } triple postcontrol(double t) const; inline double norm(const triple& z0, const triple& c0, const triple& c1, const triple& z1) const { return Fuzz2*camp::max((c0-z0).abs2(), camp::max((c1-z0).abs2(),(z1-z0).abs2())); } triple predir(Int t, bool normalize=true) const { if(!cycles && t <= 0) return triple(0,0,0); triple z1=point(t); triple c1=precontrol(t); triple dir=3.0*(z1-c1); if(!normalize) return dir; triple z0=point(t-1); triple c0=postcontrol(t-1); double epsilon=norm(z0,c0,c1,z1); if(dir.abs2() > epsilon) return unit(dir); dir=2.0*c1-c0-z1; if(dir.abs2() > epsilon) return unit(dir); return unit(z1-z0+3.0*(c0-c1)); } triple postdir(Int t, bool normalize=true) const { if(!cycles && t >= n-1) return triple(0,0,0); triple c0=postcontrol(t); triple z0=point(t); triple dir=3.0*(c0-z0); triple z1=point(t+1); triple c1=precontrol(t+1); double epsilon=norm(z0,c0,c1,z1); if(!normalize) return dir; if(dir.abs2() > epsilon) return unit(dir); dir=z0-2.0*c0+c1; if(dir.abs2() > epsilon) return unit(dir); return unit(z1-z0+3.0*(c0-c1)); } triple dir(Int t, Int sign, bool normalize=true) const { if(sign == 0) { triple v=predir(t,normalize)+postdir(t,normalize); return normalize ? unit(v) : 0.5*v; } if(sign > 0) return postdir(t,normalize); return predir(t,normalize); } triple dir(double t, bool normalize=true) const { if(!cycles) { if(t <= 0) return postdir((Int) 0,normalize); if(t >= n-1) return predir(n-1,normalize); } Int i=Floor(t); t -= i; if(t == 0) return dir(i,0,normalize); triple z0=point(i); triple c0=postcontrol(i); triple c1=precontrol(i+1); triple z1=point(i+1); triple a=3.0*(z1-z0)+9.0*(c0-c1); triple b=6.0*(z0+c1)-12.0*c0; triple c=3.0*(c0-z0); triple dir=a*t*t+b*t+c; if(!normalize) return dir; double epsilon=norm(z0,c0,c1,z1); if(dir.abs2() > epsilon) return unit(dir); dir=2.0*a*t+b; if(dir.abs2() > epsilon) return unit(dir); return unit(a); } triple postaccel(Int t) const { if(!cycles && t >= n-1) return triple(0,0,0); triple z0=point(t); triple c0=postcontrol(t); triple c1=precontrol(t+1); return 6.0*(z0+c1)-12.0*c0; } triple preaccel(Int t) const { if(!cycles && t <= 0) return triple(0,0,0); triple z0=point(t-1); triple c0=postcontrol(t-1); triple c1=precontrol(t); triple z1=point(t); return 6.0*(z1+c0)-12.0*c1; } triple accel(Int t, Int sign) const { if(sign == 0) return 0.5*(preaccel(t)+postaccel(t)); if(sign > 0) return postaccel(t); return preaccel(t); } triple accel(double t) const { if(!cycles) { if(t <= 0) return postaccel((Int) 0); if(t >= n-1) return preaccel(n-1); } Int i=Floor(t); t -= i; if(t == 0) return 0.5*(postaccel(i)+preaccel(i)); triple z0=point(i); triple c0=postcontrol(i); triple c1=precontrol(i+1); triple z1=point(i+1); return 6.0*t*(z1-z0+3.0*(c0-c1))+6.0*(z0+c1)-12.0*c0; } // Returns the path3 traced out in reverse. path3 reverse() const; // Generates a path3 that is a section of the old path3, using the time // interval given. path3 subpath(Int start, Int end) const; path3 subpath(double start, double end) const; // Special case of subpath used by intersect. void halve(path3 &first, path3 &second) const; // Used by picture to determine bounding box. bbox3 bounds() const; triple mintimes() const { checkEmpty3(n); bounds(); return camp::triple(times.left,times.bottom,times.near); } triple maxtimes() const { checkEmpty3(n); bounds(); return camp::triple(times.right,times.top,times.far); } template void addpoint(bbox3& box, T i) const { box.addnonempty(point(i),times,(double) i); } double cubiclength(Int i, double goal=-1) const; double arclength () const; double arctime (double l) const; triple max() const { checkEmpty3(n); return bounds().Max(); } triple min() const { checkEmpty3(n); return bounds().Min(); } pair ratio(double (*m)(double, double)) const; // Increment count if the path3 has a vertical component at t. bool Count(Int& count, double t) const; // Count if t is in (begin,end] and z lies to the left of point(i+t). void countleft(Int& count, double x, Int i, double t, double begin, double end, double& mint, double& maxt) const; // Return the winding number of the region bounded by the (cyclic) path3 // relative to the point z. Int windingnumber(const triple& z) const; }; path3 transformed(const vm::array& t, const path3& p); path3 transformed(const double* t, const path3& p); extern path3 nullpath3; extern const unsigned maxdepth; bool intersect(double& S, double& T, path3& p, path3& q, double fuzz, unsigned depth=maxdepth); bool intersections(double& s, double& t, std::vector& S, std::vector& T, path3& p, path3& q, double fuzz, bool single, bool exact, unsigned depth=maxdepth); void intersections(std::vector& S, path3& g, const triple& p, const triple& q, double fuzz); bool intersections(std::vector& T, std::vector& U, std::vector& V, path3& p, triple *P, double fuzz, bool single, unsigned depth=maxdepth); bool intersections(double& U, double& V, const triple& v, triple *P, double fuzz, unsigned depth=maxdepth); // Concatenates two path3s into a new one. path3 concat(const path3& p1, const path3& p2); // return the perpendicular displacement of a point z from the line through // points p and q. inline triple displacement(const triple& z, const triple& p, const triple& q) { triple Z=z-p; triple Q=unit(q-p); return Z-dot(Z,Q)*Q; } typedef double bound_double(double *P, double (*m)(double, double), double b, double fuzz, int depth); typedef double bound_triple(triple *P, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth); bound_double bound,boundtri; double bound(triple z0, triple c0, triple c1, triple z1, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth=maxdepth); double bound(double *p, double (*m)(double, double), double b, double fuzz, int depth); double bound(triple *P, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth); double boundtri(double *P, double (*m)(double, double), double b, double fuzz, int depth); double boundtri(triple *P, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth); } #ifndef BROKEN_COMPILER // Delete the following line to work around problems with old broken compilers. GC_DECLARE_PTRFREE(camp::solvedKnot3); #endif #endif asymptote-2.62/dec.h0000644000000000000000000003674513607467113013121 0ustar rootroot/***** * dec.h * Andy Hammerlindl 2002/8/29 * * Represents the abstract syntax tree for declatations in the language. * Also included is abstract syntax for types as they are most often * used with declarations. *****/ #ifndef DEC_H #define DEC_H #include "symbol.h" #include "absyn.h" #include "name.h" #include "varinit.h" #include "modifier.h" namespace trans { class coenv; class genv; class protoenv; class varEntry; class access; } namespace types { class ty; struct formal; struct signature; struct function; } namespace vm { struct lambda; } namespace absyntax { using trans::genv; using trans::coenv; using trans::protoenv; using trans::varEntry; using trans::access; using sym::symbol; class vardec; class ty : public absyn { public: ty(position pos) : absyn(pos) {} virtual void prettyprint(ostream &out, Int indent) = 0; // If we introduced a new type, automatically add corresponding functions for // that type. virtual void addOps(coenv &, record *) {} // Returns the internal representation of the type. This method can // be called by exp::getType which does not report errors, so tacit is // needed to silence errors in this case. virtual types::ty *trans(coenv &e, bool tacit = false) = 0; virtual trans::tyEntry *transAsTyEntry(coenv &e, record *where); }; class nameTy : public ty { name *id; public: nameTy(position pos, name *id) : ty(pos), id(id) {} nameTy(name *id) : ty(id->getPos()), id(id) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e, bool tacit = false); trans::tyEntry *transAsTyEntry(coenv &e, record *where); }; class dimensions : public absyn { size_t depth; public: dimensions(position pos) : absyn(pos), depth(1) {} void prettyprint(ostream &out, Int indent); void increase() { depth++; } size_t size() { return depth; } types::array *truetype(types::ty *base); }; class arrayTy : public ty { ty *cell; dimensions *dims; public: arrayTy(position pos, ty *cell, dimensions *dims) : ty(pos), cell(cell), dims(dims) {} arrayTy(name *id, dimensions *dims) : ty(dims->getPos()), cell(new nameTy(id)), dims(dims) {} void prettyprint(ostream &out, Int indent); void addOps(coenv &e, record *r); types::ty *trans(coenv &e, bool tacit = false); }; // Similar to varEntryExp, this helper class always translates to the same fixed // type. class tyEntryTy : public ty { trans::tyEntry *ent; public: tyEntryTy(position pos, trans::tyEntry *ent) : ty(pos), ent(ent) {} tyEntryTy(position pos, types::ty *t); void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e, bool tacit = false); trans::tyEntry *transAsTyEntry(coenv &, record *) { return ent; } }; // Runnable is anything that can be executed by the program, including // any declaration or statement. class runnable : public absyn { public: runnable(position pos) : absyn(pos) {} virtual void prettyprint(ostream &out, Int indent) = 0; void markTrans(coenv &e) { markPos(e); trans(e); } /* Translates the stm or dec as if it were in a function definition. */ virtual void trans(coenv &e) { transAsField(e, 0); } /* This can be overridden, to specify a special way of translating the code * when it is run at the top of the interactive prompt. */ virtual void interactiveTrans(coenv &e) { trans(e); } void markTransAsField(coenv &e, record *r) { markPos(e); transAsField(e,r); } /* Translate the runnable as in the lowest lexical scope of a record * definition. If it is simply a statement, it will be added to the * record's initializer. A declaration, however, will also have to * add a new type or field to the record. */ virtual void transAsField(coenv &e, record *) = 0; virtual vm::lambda *transAsCodelet(coenv &e); // For functions that return a value, we must guarantee that they end // with a return statement. This checks for that condition. virtual bool returns() { return false; } // Returns true if it is syntatically allowable to modify this // runnable by a PUBLIC or PRIVATE modifier. virtual bool allowPermissions() { return false; } }; class block : public runnable { public: mem::list stms; // If the runnables should be interpreted in their own scope. bool scope; protected: void prettystms(ostream &out, Int indent); public: block(position pos, bool scope=true) : runnable(pos), scope(scope) {} // To ensure list deallocates properly. virtual ~block() {} void add(runnable *r) { stms.push_back(r); } void prettyprint(ostream &out, Int indent); void trans(coenv &e); void transAsField(coenv &e, record *r); void transAsRecordBody(coenv &e, record *r); types::record *transAsFile(genv& ge, symbol id); // If the block can be interpreted as a single vardec, return that vardec // (otherwise 0). vardec *asVardec(); // A block is guaranteed to return iff one of the runnables is guaranteed to // return. // This is conservative in that // // int f(int x) // { // if (x==1) return 0; // if (x!=1) return 1; // } // // is not guaranteed to return. bool returns(); }; class modifierList : public absyn { mem::list perms; mem::list mods; public: modifierList(position pos) : absyn(pos) {} virtual ~modifierList() {} void prettyprint(ostream &out, Int indent); void add(trans::permission p) { perms.push_back(p); } void add(trans::modifier m) { mods.push_back(m); } /* True if a static or dynamic modifier is present. */ bool staticSet(); /* Says if the modifiers indicate static or dynamic. Prints error if * there are duplicates. */ trans::modifier getModifier(); /* Says if it is declared public, private, or read-only (default). * Prints error if there are duplicates. */ trans::permission getPermission(); }; // Modifiers of static or dynamic can change the way declarations and // statements are encoded. class modifiedRunnable : public runnable { modifierList *mods; runnable *body; public: modifiedRunnable(position pos, modifierList *mods, runnable *body) : runnable(pos), mods(mods), body(body) {} modifiedRunnable(position pos, trans::permission perm, runnable *body) : runnable(pos), mods(new modifierList(pos)), body(body) { mods->add(perm); } void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *r); bool returns() { return body->returns(); } }; class decidstart : public absyn { protected: symbol id; dimensions *dims; public: decidstart(position pos, symbol id, dimensions *dims = 0) : absyn(pos), id(id), dims(dims) {} virtual void prettyprint(ostream &out, Int indent); virtual types::ty *getType(types::ty *base, coenv &, bool = false); virtual trans::tyEntry *getTyEntry(trans::tyEntry *base, coenv &e, record *where); // If a new type is formed by adding dimensions (or a function signature) // after the id, this will add the standard functions for that new type. virtual void addOps(types::ty *base, coenv &e, record *r); virtual symbol getName() { return id; } }; // Forward declaration. class formals; class fundecidstart : public decidstart { formals *params; public: fundecidstart(position pos, symbol id, dimensions *dims = 0, formals *params = 0) : decidstart(pos, id, dims), params(params) {} void prettyprint(ostream &out, Int indent); types::ty *getType(types::ty *base, coenv &e, bool tacit = false); trans::tyEntry *getTyEntry(trans::tyEntry *base, coenv &e, record *where); void addOps(types::ty *base, coenv &e, record *r); }; class decid : public absyn { decidstart *start; varinit *init; // Returns the default initializer for the type. access *defaultInit(coenv &e, types::ty *t); public: decid(position pos, decidstart *start, varinit *init = 0) : absyn(pos), start(start), init(init) {} virtual void prettyprint(ostream &out, Int indent); virtual void transAsField(coenv &e, record *r, types::ty *base); // Translate, but add the names in as types rather than variables. virtual void transAsTypedefField(coenv &e, trans::tyEntry *base, record *r); decidstart *getStart() { return start; } }; class decidlist : public absyn { mem::list decs; public: decidlist(position pos) : absyn(pos) {} virtual ~decidlist() {} void add(decid *p) { decs.push_back(p); } virtual void prettyprint(ostream &out, Int indent); virtual void transAsField(coenv &e, record *r, types::ty *base); // Translate, but add the names in as types rather than variables. virtual void transAsTypedefField(coenv &e, trans::tyEntry *base, record *r); // If the list consists of a single entry, return it. decid *singleEntry() { if (decs.size() == 1) return decs.front(); else return 0; } }; class dec : public runnable { public: dec(position pos) : runnable(pos) {} void prettyprint(ostream &out, Int indent); // Declarations can be public or private. bool allowPermissions() { return true; } }; void createVar(position pos, coenv &e, record *r, symbol id, types::ty *t, varinit *init); class vardec : public dec { ty *base; decidlist *decs; public: vardec(position pos, ty *base, decidlist *decs) : dec(pos), base(base), decs(decs) {} vardec(position pos, ty *base, decid *di) : dec(pos), base(base), decs(new decidlist(pos)) { decs->add(di); } void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *r) { base->addOps(e, r); decs->transAsField(e, r, base->trans(e)); } // Translate, but add the names in as types rather than variables. virtual void transAsTypedefField(coenv &e, record *r); // If the vardec encodes a single declaration, return the name of that // declaration (otherwise nullsym). symbol singleName(); // If the vardec encodes a single declaration, return the type of that // declaration (otherwise 0). types::ty *singleGetType(coenv& e); }; struct idpair : public absyn { symbol src; // The name of the module to access. symbol dest; // What to call it in the local environment. bool valid; // If it parsed properly. idpair(position pos, symbol id) : absyn(pos), src(id), dest(id), valid(true) {} idpair(position pos, symbol src, symbol as, symbol dest) : absyn(pos), src(src), dest(dest), valid(as==symbol::trans("as")) {} idpair(position pos, string src, symbol as, symbol dest) : absyn(pos), src(symbol::trans(src)), dest(dest), valid(as==symbol::trans("as")) {} void checkValidity() { if (!valid) { em.error(getPos()); em << "expected 'as'"; } } void prettyprint(ostream &out, Int indent); // Translates as: access src as dest; void transAsAccess(coenv &e, record *r); // Translates as: from _ unravel src as dest; // where _ is the qualifier record with source as its fields and types. void transAsUnravel(coenv &e, record *r, protoenv &source, varEntry *qualifier); }; struct idpairlist : public gc { mem::list base; void add(idpair *x) { base.push_back(x); } void prettyprint(ostream &out, Int indent); void transAsAccess(coenv &e, record *r); void transAsUnravel(coenv &e, record *r, protoenv &source, varEntry *qualifier); }; extern idpairlist * const WILDCARD; class accessdec : public dec { idpairlist *base; public: accessdec(position pos, idpairlist *base) : dec(pos), base(base) {} void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *r) { base->transAsAccess(e,r); } }; // Abstract base class for // from _ access _; (fromaccessdec) // and // from _ unravel _; (unraveldec) class fromdec : public dec { protected: struct qualifier { // The varEntry holds the location and the type of the highest framed // structure that can be put on the stack. The record holds the actual type // of the qualifier. // For example: // struct A { // struct B { // static int x; // } // } // A a=new A; // from a.B unravel x; // // Here, v->getType() will yield A and v->getLocation() will yield the // location of the the variable a, but the record type t will be B. record *t; varEntry *v; qualifier(record *t, varEntry *v) : t(t), v(v) {} }; // Return the qualifier from which the fields are taken. If t==0, it is // assumed that an error occurred and was reported. virtual qualifier getQualifier(coenv &e, record *r) = 0; idpairlist *fields; public: fromdec(position pos, idpairlist *fields) : dec(pos), fields(fields) {} void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *r); }; // An unravel declaration dumps fields and types of a record into the local // scope. class unraveldec : public fromdec { name *id; qualifier getQualifier(coenv &e, record *); public: unraveldec(position pos, name *id, idpairlist *fields) : fromdec(pos, fields), id(id) {} void prettyprint(ostream &out, Int indent); }; // A fromaccess declaration dumps fields and types of a module into the local // scope. It does not add the module as a variable in the local scope. class fromaccessdec : public fromdec { symbol id; qualifier getQualifier(coenv &e, record *r); public: fromaccessdec(position pos, symbol id, idpairlist *fields) : fromdec(pos, fields), id(id) {} void prettyprint(ostream &out, Int indent); }; // An import declaration dumps fields and types of a module into the local // scope. It also adds the module as a variable in the local scope. class importdec : public dec { block base; public: importdec(position pos, idpair *id) : dec(pos), base(pos, false) { idpairlist *i=new idpairlist; i->add(id); base.add(new accessdec(pos, i)); base.add(new unraveldec(pos, new simpleName(pos, id->dest), WILDCARD)); } void trans(coenv &e) { base.trans(e); } void transAsField(coenv &e, record *r) { base.transAsField(e, r); } void prettyprint(ostream &out, Int indent); }; // Parses the file given, and translates the resulting runnables as if they // occurred at this place in the code. class includedec : public dec { string filename; public: includedec(position pos, string filename) : dec(pos), filename(filename) {} includedec(position pos, symbol id) : dec(pos), filename(id) {} void prettyprint(ostream &out, Int indent); void loadFailed(coenv &e); void transAsField(coenv &e, record *r); }; // Types defined from others in typedef. class typedec : public dec { vardec *body; public: typedec(position pos, vardec *body) : dec(pos), body(body) {} void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *r) { body->transAsTypedefField(e,r); } }; // A struct declaration. class recorddec : public dec { symbol id; block *body; void transRecordInitializer(coenv &e, record *parent); void addPostRecordEnvironment(coenv &e, record *r, record *parent); public: recorddec(position pos, symbol id, block *body) : dec(pos), id(id), body(body) {} virtual ~recorddec() {} void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *parent); }; // Returns a runnable that facilitates the autoplain feature. runnable *autoplainRunnable(); void addVar(coenv &e, record *r, varEntry *v, symbol id); } // namespace absyntax #endif asymptote-2.62/TODO0000644000000000000000000000241513607467113012670 0ustar rootrootAndy: add keyword-only arguments Andy: Arbitrary depth copying of arrays. Andy: Investigate bbox error in uofa-talk Shadowing slide Andy: change label in coder to a class not an Int Andy: look at label alignment in rotvenn Andy: possible optimizations: eliminate frame copying in picture.add(picture pic, ...) varpush+popcall --> varcall? fieldpush+popcall --> fieldcall? overloaded::simplify copies straight guide which references a subset of a pair vector. Is it cheaper to import a bltin module than to call base_venv again? varpush+pop --> no op varsave+pop --> one op closure+pushfunc+varsave+pop --> savefunc stack::popWithoutReturningValue look at position information saved in program, maybe save separately formal::addOps calls trans only hash first 3 or 4 args of signature rm transToType from varinitArg::trans change camp.y to flag arglists with named args Andy: testing in errortest.asy for packing versus casting, default argument ambiguities, and whatever else you can think of Andy: operator tuple, to let people define their own tuples Andy: Decide if we should change vm::error to em in application.cc John or Andy: Add unit test for AddOps. Jamie: Finish environment texture & other PBR refinements. asymptote-2.62/asy-list.pl0000755000000000000000000000311413607467113014302 0ustar rootroot#!/usr/bin/env perl ##### # asy-list.pl # # Build asy-keywords.el from list of asy global functions and variables # ##### open(keywords, "> asy-keywords.el") || die("Couldn't open asy-keywords.el for writing."); print keywords <) { if (/^%%\s*$/) { last; # Break out of the loop. } } while () { if (/^%%\s*$/) { last; # A second %% indicates the end of definitions. } if (/^(\w+)\s*\{/) { add($1); } } openlist(); while () { if (/^(\w*)[^ ]* (\w*)\(.*/) { push @types, $1; push @functions, $2; } if (/^([^ ]*) (\w*);/) { push @variables, $2; } } @saw{@types} = (); @types = sort keys %saw; undef %saw; @saw{@functions} = (); @functions = sort keys %saw; undef %saw; @saw{@variables} = (); @variables = sort keys %saw; undef %saw; print keywords < #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 17 "runpath3d.in" #include "path3.h" #include "array.h" #include "drawsurface.h" #include "predicates.h" using namespace camp; using namespace vm; typedef array boolarray; typedef array realarray; typedef array realarray2; typedef array triplearray; typedef array triplearray2; using types::booleanArray; using types::realArray; using types::realArray2; using types::tripleArray; using types::tripleArray2; // Autogenerated routines: #ifndef NOSYM #include "runpath3d.symbols.h" #endif namespace run { #line 40 "runpath3d.in" // path3 path3(triplearray *pre, triplearray *point, triplearray *post, boolarray *straight, bool cyclic); void gen_runpath3d0(stack *Stack) { bool cyclic=vm::pop(Stack); boolarray * straight=vm::pop(Stack); triplearray * post=vm::pop(Stack); triplearray * point=vm::pop(Stack); triplearray * pre=vm::pop(Stack); #line 42 "runpath3d.in" size_t n=checkArrays(pre,point); checkEqual(n,checkArray(post)); checkEqual(n,checkArray(straight)); mem::vector nodes(n); for(size_t i=0; i < n; ++i) { nodes[i].pre=read(pre,i); nodes[i].point=read(point,i); nodes[i].post=read(post,i); nodes[i].straight=read(straight,i); } {Stack->push(path3(nodes,(Int) n,cyclic)); return;} } #line 57 "runpath3d.in" void nullPath3(stack *Stack) { #line 58 "runpath3d.in" {Stack->push(nullpath3); return;} } #line 62 "runpath3d.in" // bool ==(path3 a, path3 b); void gen_runpath3d2(stack *Stack) { path3 b=vm::pop(Stack); path3 a=vm::pop(Stack); #line 63 "runpath3d.in" {Stack->push(a == b); return;} } #line 67 "runpath3d.in" // bool !=(path3 a, path3 b); void gen_runpath3d3(stack *Stack) { path3 b=vm::pop(Stack); path3 a=vm::pop(Stack); #line 68 "runpath3d.in" {Stack->push(!(a == b)); return;} } #line 72 "runpath3d.in" // triple point(path3 p, Int t); void gen_runpath3d4(stack *Stack) { Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 73 "runpath3d.in" {Stack->push(p.point((Int) t)); return;} } #line 77 "runpath3d.in" // triple point(path3 p, real t); void gen_runpath3d5(stack *Stack) { real t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 78 "runpath3d.in" {Stack->push(p.point(t)); return;} } #line 82 "runpath3d.in" // triple precontrol(path3 p, Int t); void gen_runpath3d6(stack *Stack) { Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 83 "runpath3d.in" {Stack->push(p.precontrol((Int) t)); return;} } #line 87 "runpath3d.in" // triple precontrol(path3 p, real t); void gen_runpath3d7(stack *Stack) { real t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 88 "runpath3d.in" {Stack->push(p.precontrol(t)); return;} } #line 92 "runpath3d.in" // triple postcontrol(path3 p, Int t); void gen_runpath3d8(stack *Stack) { Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 93 "runpath3d.in" {Stack->push(p.postcontrol((Int) t)); return;} } #line 97 "runpath3d.in" // triple postcontrol(path3 p, real t); void gen_runpath3d9(stack *Stack) { real t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 98 "runpath3d.in" {Stack->push(p.postcontrol(t)); return;} } #line 102 "runpath3d.in" // triple dir(path3 p, Int t, Int sign=0, bool normalize=true); void gen_runpath3d10(stack *Stack) { bool normalize=vm::pop(Stack,true); Int sign=vm::pop(Stack,0); Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 103 "runpath3d.in" {Stack->push(p.dir(t,sign,normalize)); return;} } #line 107 "runpath3d.in" // triple dir(path3 p, real t, bool normalize=true); void gen_runpath3d11(stack *Stack) { bool normalize=vm::pop(Stack,true); real t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 108 "runpath3d.in" {Stack->push(p.dir(t,normalize)); return;} } #line 112 "runpath3d.in" // triple accel(path3 p, Int t, Int sign=0); void gen_runpath3d12(stack *Stack) { Int sign=vm::pop(Stack,0); Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 113 "runpath3d.in" {Stack->push(p.accel(t,sign)); return;} } #line 117 "runpath3d.in" // triple accel(path3 p, real t); void gen_runpath3d13(stack *Stack) { real t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 118 "runpath3d.in" {Stack->push(p.accel(t)); return;} } #line 122 "runpath3d.in" // real radius(path3 p, real t); void gen_runpath3d14(stack *Stack) { real t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 123 "runpath3d.in" triple v=p.dir(t,false); triple a=p.accel(t); real d=dot(a,v); real v2=v.abs2(); real a2=a.abs2(); real denom=v2*a2-d*d; real r=v2*sqrt(v2); {Stack->push(denom > 0 ? r/sqrt(denom) : 0.0); return;} } #line 134 "runpath3d.in" // real radius(triple z0, triple c0, triple c1, triple z1, real t); void gen_runpath3d15(stack *Stack) { real t=vm::pop(Stack); triple z1=vm::pop(Stack); triple c1=vm::pop(Stack); triple c0=vm::pop(Stack); triple z0=vm::pop(Stack); #line 135 "runpath3d.in" triple v=(3.0*(z1-z0)+9.0*(c0-c1))*t*t+(6.0*(z0+c1)-12.0*c0)*t+3.0*(c0-z0); triple a=6.0*(z1-z0+3.0*(c0-c1))*t+6.0*(z0+c1)-12.0*c0; real d=dot(a,v); real v2=v.abs2(); real a2=a.abs2(); real denom=v2*a2-d*d; real r=v2*sqrt(v2); {Stack->push(denom > 0 ? r/sqrt(denom) : 0.0); return;} } #line 146 "runpath3d.in" // path3 reverse(path3 p); void gen_runpath3d16(stack *Stack) { path3 p=vm::pop(Stack); #line 147 "runpath3d.in" {Stack->push(p.reverse()); return;} } #line 151 "runpath3d.in" // path3 subpath(path3 p, Int a, Int b); void gen_runpath3d17(stack *Stack) { Int b=vm::pop(Stack); Int a=vm::pop(Stack); path3 p=vm::pop(Stack); #line 152 "runpath3d.in" {Stack->push(p.subpath((Int) a, (Int) b)); return;} } #line 156 "runpath3d.in" // path3 subpath(path3 p, real a, real b); void gen_runpath3d18(stack *Stack) { real b=vm::pop(Stack); real a=vm::pop(Stack); path3 p=vm::pop(Stack); #line 157 "runpath3d.in" {Stack->push(p.subpath(a,b)); return;} } #line 161 "runpath3d.in" // Int length(path3 p); void gen_runpath3d19(stack *Stack) { path3 p=vm::pop(Stack); #line 162 "runpath3d.in" {Stack->push(p.length()); return;} } #line 166 "runpath3d.in" // bool cyclic(path3 p); void gen_runpath3d20(stack *Stack) { path3 p=vm::pop(Stack); #line 167 "runpath3d.in" {Stack->push(p.cyclic()); return;} } #line 171 "runpath3d.in" // bool straight(path3 p, Int t); void gen_runpath3d21(stack *Stack) { Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 172 "runpath3d.in" {Stack->push(p.straight(t)); return;} } #line 176 "runpath3d.in" // path3 unstraighten(path3 p); void gen_runpath3d22(stack *Stack) { path3 p=vm::pop(Stack); #line 177 "runpath3d.in" {Stack->push(p.unstraighten()); return;} } // Return the maximum perpendicular deviation of segment i of path3 g // from a straight line. #line 183 "runpath3d.in" // real straightness(path3 p, Int t); void gen_runpath3d23(stack *Stack) { Int t=vm::pop(Stack); path3 p=vm::pop(Stack); #line 184 "runpath3d.in" if(p.straight(t)) {Stack->push(0); return;} triple z0=p.point(t); triple u=unit(p.point(t+1)-z0); {Stack->push(::max(length(perp(p.postcontrol(t)-z0,u)), length(perp(p.precontrol(t+1)-z0,u)))); return;} } // Return the maximum perpendicular deviation of z0..controls c0 and c1..z1 // from a straight line. #line 194 "runpath3d.in" // real straightness(triple z0, triple c0, triple c1, triple z1); void gen_runpath3d24(stack *Stack) { triple z1=vm::pop(Stack); triple c1=vm::pop(Stack); triple c0=vm::pop(Stack); triple z0=vm::pop(Stack); #line 195 "runpath3d.in" triple u=unit(z1-z0); {Stack->push(::max(length(perp(c0-z0,u)),length(perp(c1-z0,u)))); return;} } #line 200 "runpath3d.in" // bool piecewisestraight(path3 p); void gen_runpath3d25(stack *Stack) { path3 p=vm::pop(Stack); #line 201 "runpath3d.in" {Stack->push(p.piecewisestraight()); return;} } #line 205 "runpath3d.in" // real arclength(path3 p); void gen_runpath3d26(stack *Stack) { path3 p=vm::pop(Stack); #line 206 "runpath3d.in" {Stack->push(p.arclength()); return;} } #line 210 "runpath3d.in" // real arctime(path3 p, real dval); void gen_runpath3d27(stack *Stack) { real dval=vm::pop(Stack); path3 p=vm::pop(Stack); #line 211 "runpath3d.in" {Stack->push(p.arctime(dval)); return;} } #line 215 "runpath3d.in" // realarray* intersect(path3 p, path3 q, real fuzz=-1); void gen_runpath3d28(stack *Stack) { real fuzz=vm::pop(Stack,-1); path3 q=vm::pop(Stack); path3 p=vm::pop(Stack); #line 216 "runpath3d.in" bool exact=fuzz <= 0.0; if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); std::vector S,T; real s,t; if(intersections(s,t,S,T,p,q,fuzz,true,exact)) { array *V=new array(2); (*V)[0]=s; (*V)[1]=t; {Stack->push(V); return;} } else {Stack->push(new array(0)); return;} } #line 233 "runpath3d.in" // realarray2* intersections(path3 p, path3 q, real fuzz=-1); void gen_runpath3d29(stack *Stack) { real fuzz=vm::pop(Stack,-1); path3 q=vm::pop(Stack); path3 p=vm::pop(Stack); #line 234 "runpath3d.in" bool exact=fuzz <= 0.0; if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); bool single=!exact; real s,t; std::vector S,T; bool found=intersections(s,t,S,T,p,q,fuzz,single,exact); if(!found) {Stack->push(new array(0)); return;} array *V; if(single) { V=new array(1); array *Vi=new array(2); (*V)[0]=Vi; (*Vi)[0]=s; (*Vi)[1]=t; } else { size_t n=S.size(); V=new array(n); for(size_t i=0; i < n; ++i) { array *Vi=new array(2); (*V)[i]=Vi; (*Vi)[0]=S[i]; (*Vi)[1]=T[i]; } } stable_sort(V->begin(),V->end(),run::compare2()); {Stack->push(V); return;} } #line 266 "runpath3d.in" // realarray* intersect(path3 p, triplearray2 *P, real fuzz=-1); void gen_runpath3d30(stack *Stack) { real fuzz=vm::pop(Stack,-1); triplearray2 * P=vm::pop(Stack); path3 p=vm::pop(Stack); #line 267 "runpath3d.in" triple *A; copyArray2C(A,P,true,4); if(fuzz <= 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), norm(A,16)); std::vector T,U,V; bool found=intersections(T,U,V,p,A,fuzz,true); delete[] A; if(found) { array *W=new array(3); (*W)[0]=T[0]; (*W)[1]=U[0]; (*W)[2]=V[0]; {Stack->push(W); return;} } else {Stack->push(new array(0)); return;} } #line 285 "runpath3d.in" // realarray2* intersections(path3 p, triplearray2 *P, real fuzz=-1); void gen_runpath3d31(stack *Stack) { real fuzz=vm::pop(Stack,-1); triplearray2 * P=vm::pop(Stack); path3 p=vm::pop(Stack); #line 286 "runpath3d.in" triple *A; copyArray2C(A,P,true,4); if(fuzz <= 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), norm(A,16)); std::vector T,U,V; intersections(T,U,V,p,A,fuzz,false); delete[] A; size_t n=T.size(); array *W=new array(n); for(size_t i=0; i < n; ++i) { array *Wi=new array(3); (*W)[i]=Wi; (*Wi)[0]=T[i]; (*Wi)[1]=U[i]; (*Wi)[2]=V[i]; } {Stack->push(W); return;} // Sorting will done in asy. } #line 306 "runpath3d.in" // Int size(path3 p); void gen_runpath3d32(stack *Stack) { path3 p=vm::pop(Stack); #line 307 "runpath3d.in" {Stack->push(p.size()); return;} } #line 311 "runpath3d.in" // path3 &(path3 p, path3 q); void gen_runpath3d33(stack *Stack) { path3 q=vm::pop(Stack); path3 p=vm::pop(Stack); #line 312 "runpath3d.in" {Stack->push(camp::concat(p,q)); return;} } #line 316 "runpath3d.in" // triple min(path3 p); void gen_runpath3d34(stack *Stack) { path3 p=vm::pop(Stack); #line 317 "runpath3d.in" {Stack->push(p.min()); return;} } #line 321 "runpath3d.in" // triple max(path3 p); void gen_runpath3d35(stack *Stack) { path3 p=vm::pop(Stack); #line 322 "runpath3d.in" {Stack->push(p.max()); return;} } #line 326 "runpath3d.in" // realarray* mintimes(path3 p); void gen_runpath3d36(stack *Stack) { path3 p=vm::pop(Stack); #line 327 "runpath3d.in" array *V=new array(3); triple v=p.mintimes(); (*V)[0]=v.getx(); (*V)[1]=v.gety(); (*V)[2]=v.getz(); {Stack->push(V); return;} } #line 336 "runpath3d.in" // realarray* maxtimes(path3 p); void gen_runpath3d37(stack *Stack) { path3 p=vm::pop(Stack); #line 337 "runpath3d.in" array *V=new array(3); triple v=p.maxtimes(); (*V)[0]=v.getx(); (*V)[1]=v.gety(); (*V)[2]=v.getz(); {Stack->push(V); return;} } #line 346 "runpath3d.in" // path3 *(realarray2 *t, path3 g); void gen_runpath3d38(stack *Stack) { path3 g=vm::pop(Stack); realarray2 * t=vm::pop(Stack); #line 347 "runpath3d.in" {Stack->push(transformed(*t,g)); return;} } #line 351 "runpath3d.in" // pair minratio(path3 g); void gen_runpath3d39(stack *Stack) { path3 g=vm::pop(Stack); #line 352 "runpath3d.in" {Stack->push(g.ratio(::min)); return;} } #line 356 "runpath3d.in" // pair maxratio(path3 g); void gen_runpath3d40(stack *Stack) { path3 g=vm::pop(Stack); #line 357 "runpath3d.in" {Stack->push(g.ratio(::max)); return;} } // Return a negative (positive) value if a--b--c--cycle is oriented // counterclockwise (clockwise) when viewed from d or zero if all four // points are coplanar. // The value returned is the determinant // |a.x a.y a.z 1| // |b.x b.y b.z 1| // |c.x c.y c.z 1| // |d.x d.y d.z 1| #line 369 "runpath3d.in" // real orient(triple a, triple b, triple c, triple d); void gen_runpath3d41(stack *Stack) { triple d=vm::pop(Stack); triple c=vm::pop(Stack); triple b=vm::pop(Stack); triple a=vm::pop(Stack); #line 370 "runpath3d.in" real A[]={a.getx(),a.gety(),a.getz()}; real B[]={b.getx(),b.gety(),b.getz()}; real C[]={c.getx(),c.gety(),c.getz()}; real D[]={d.getx(),d.gety(),d.getz()}; {Stack->push(orient3d(A,B,C,D)); return;} } // Return a positive (negative) value if e lies inside (outside) // the sphere passing through the points a,b,c,d oriented so that // a--b--c--cycle appears in clockwise order when viewed from d // or zero if all five points are cospherical. // The value returned is the determinant // |a.x a.y a.z a.x^2+a.y^2+a.z^2 1| // |b.x b.y b.z b.x^2+b.y^2+b.z^2 1| // |c.x c.y c.z c.x^2+c.y^2+c.z^2 1| // |d.x d.y d.z d.x^2+d.y^2+d.z^2 1| // |e.x e.y e.z e.x^2+e.y^2+e.z^2 1| #line 388 "runpath3d.in" // real insphere(triple a, triple b, triple c, triple d, triple e); void gen_runpath3d42(stack *Stack) { triple e=vm::pop(Stack); triple d=vm::pop(Stack); triple c=vm::pop(Stack); triple b=vm::pop(Stack); triple a=vm::pop(Stack); #line 389 "runpath3d.in" real A[]={a.getx(),a.gety(),a.getz()}; real B[]={b.getx(),b.gety(),b.getz()}; real C[]={c.getx(),c.gety(),c.getz()}; real D[]={d.getx(),d.gety(),d.getz()}; real E[]={e.getx(),e.gety(),e.getz()}; {Stack->push(insphere(A,B,C,D,E)); return;} } } // namespace run namespace trans { void gen_runpath3d_venv(venv &ve) { #line 40 "runpath3d.in" addFunc(ve, run::gen_runpath3d0, primPath3(), SYM(path3), formal(tripleArray(), SYM(pre), false, false), formal(tripleArray(), SYM(point), false, false), formal(tripleArray(), SYM(post), false, false), formal(booleanArray(), SYM(straight), false, false), formal(primBoolean(), SYM(cyclic), false, false)); #line 57 "runpath3d.in" REGISTER_BLTIN(run::nullPath3,"nullPath3"); #line 62 "runpath3d.in" addFunc(ve, run::gen_runpath3d2, primBoolean(), SYM_EQ, formal(primPath3(), SYM(a), false, false), formal(primPath3(), SYM(b), false, false)); #line 67 "runpath3d.in" addFunc(ve, run::gen_runpath3d3, primBoolean(), SYM_NEQ, formal(primPath3(), SYM(a), false, false), formal(primPath3(), SYM(b), false, false)); #line 72 "runpath3d.in" addFunc(ve, run::gen_runpath3d4, primTriple(), SYM(point), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 77 "runpath3d.in" addFunc(ve, run::gen_runpath3d5, primTriple(), SYM(point), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 82 "runpath3d.in" addFunc(ve, run::gen_runpath3d6, primTriple(), SYM(precontrol), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 87 "runpath3d.in" addFunc(ve, run::gen_runpath3d7, primTriple(), SYM(precontrol), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 92 "runpath3d.in" addFunc(ve, run::gen_runpath3d8, primTriple(), SYM(postcontrol), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 97 "runpath3d.in" addFunc(ve, run::gen_runpath3d9, primTriple(), SYM(postcontrol), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 102 "runpath3d.in" addFunc(ve, run::gen_runpath3d10, primTriple(), SYM(dir), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false), formal(primInt(), SYM(sign), true, false), formal(primBoolean(), SYM(normalize), true, false)); #line 107 "runpath3d.in" addFunc(ve, run::gen_runpath3d11, primTriple(), SYM(dir), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(t), false, false), formal(primBoolean(), SYM(normalize), true, false)); #line 112 "runpath3d.in" addFunc(ve, run::gen_runpath3d12, primTriple(), SYM(accel), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false), formal(primInt(), SYM(sign), true, false)); #line 117 "runpath3d.in" addFunc(ve, run::gen_runpath3d13, primTriple(), SYM(accel), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 122 "runpath3d.in" addFunc(ve, run::gen_runpath3d14, primReal(), SYM(radius), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 134 "runpath3d.in" addFunc(ve, run::gen_runpath3d15, primReal(), SYM(radius), formal(primTriple(), SYM(z0), false, false), formal(primTriple(), SYM(c0), false, false), formal(primTriple(), SYM(c1), false, false), formal(primTriple(), SYM(z1), false, false), formal(primReal(), SYM(t), false, false)); #line 146 "runpath3d.in" addFunc(ve, run::gen_runpath3d16, primPath3(), SYM(reverse), formal(primPath3(), SYM(p), false, false)); #line 151 "runpath3d.in" addFunc(ve, run::gen_runpath3d17, primPath3(), SYM(subpath), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(a), false, false), formal(primInt(), SYM(b), false, false)); #line 156 "runpath3d.in" addFunc(ve, run::gen_runpath3d18, primPath3(), SYM(subpath), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(a), false, false), formal(primReal(), SYM(b), false, false)); #line 161 "runpath3d.in" addFunc(ve, run::gen_runpath3d19, primInt(), SYM(length), formal(primPath3(), SYM(p), false, false)); #line 166 "runpath3d.in" addFunc(ve, run::gen_runpath3d20, primBoolean(), SYM(cyclic), formal(primPath3(), SYM(p), false, false)); #line 171 "runpath3d.in" addFunc(ve, run::gen_runpath3d21, primBoolean(), SYM(straight), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 176 "runpath3d.in" addFunc(ve, run::gen_runpath3d22, primPath3(), SYM(unstraighten), formal(primPath3(), SYM(p), false, false)); #line 181 "runpath3d.in" addFunc(ve, run::gen_runpath3d23, primReal(), SYM(straightness), formal(primPath3(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 192 "runpath3d.in" addFunc(ve, run::gen_runpath3d24, primReal(), SYM(straightness), formal(primTriple(), SYM(z0), false, false), formal(primTriple(), SYM(c0), false, false), formal(primTriple(), SYM(c1), false, false), formal(primTriple(), SYM(z1), false, false)); #line 200 "runpath3d.in" addFunc(ve, run::gen_runpath3d25, primBoolean(), SYM(piecewisestraight), formal(primPath3(), SYM(p), false, false)); #line 205 "runpath3d.in" addFunc(ve, run::gen_runpath3d26, primReal(), SYM(arclength), formal(primPath3(), SYM(p), false, false)); #line 210 "runpath3d.in" addFunc(ve, run::gen_runpath3d27, primReal(), SYM(arctime), formal(primPath3(), SYM(p), false, false), formal(primReal(), SYM(dval), false, false)); #line 215 "runpath3d.in" addFunc(ve, run::gen_runpath3d28, realArray(), SYM(intersect), formal(primPath3(), SYM(p), false, false), formal(primPath3(), SYM(q), false, false), formal(primReal(), SYM(fuzz), true, false)); #line 233 "runpath3d.in" addFunc(ve, run::gen_runpath3d29, realArray2(), SYM(intersections), formal(primPath3(), SYM(p), false, false), formal(primPath3(), SYM(q), false, false), formal(primReal(), SYM(fuzz), true, false)); #line 266 "runpath3d.in" addFunc(ve, run::gen_runpath3d30, realArray(), SYM(intersect), formal(primPath3(), SYM(p), false, false), formal(tripleArray2(), SYM(p), false, false), formal(primReal(), SYM(fuzz), true, false)); #line 285 "runpath3d.in" addFunc(ve, run::gen_runpath3d31, realArray2(), SYM(intersections), formal(primPath3(), SYM(p), false, false), formal(tripleArray2(), SYM(p), false, false), formal(primReal(), SYM(fuzz), true, false)); #line 306 "runpath3d.in" addFunc(ve, run::gen_runpath3d32, primInt(), SYM(size), formal(primPath3(), SYM(p), false, false)); #line 311 "runpath3d.in" addFunc(ve, run::gen_runpath3d33, primPath3(), SYM_AMPERSAND, formal(primPath3(), SYM(p), false, false), formal(primPath3(), SYM(q), false, false)); #line 316 "runpath3d.in" addFunc(ve, run::gen_runpath3d34, primTriple(), SYM(min), formal(primPath3(), SYM(p), false, false)); #line 321 "runpath3d.in" addFunc(ve, run::gen_runpath3d35, primTriple(), SYM(max), formal(primPath3(), SYM(p), false, false)); #line 326 "runpath3d.in" addFunc(ve, run::gen_runpath3d36, realArray(), SYM(mintimes), formal(primPath3(), SYM(p), false, false)); #line 336 "runpath3d.in" addFunc(ve, run::gen_runpath3d37, realArray(), SYM(maxtimes), formal(primPath3(), SYM(p), false, false)); #line 346 "runpath3d.in" addFunc(ve, run::gen_runpath3d38, primPath3(), SYM_TIMES, formal(realArray2(), SYM(t), false, false), formal(primPath3(), SYM(g), false, false)); #line 351 "runpath3d.in" addFunc(ve, run::gen_runpath3d39, primPair(), SYM(minratio), formal(primPath3(), SYM(g), false, false)); #line 356 "runpath3d.in" addFunc(ve, run::gen_runpath3d40, primPair(), SYM(maxratio), formal(primPath3(), SYM(g), false, false)); #line 361 "runpath3d.in" addFunc(ve, run::gen_runpath3d41, primReal(), SYM(orient), formal(primTriple(), SYM(a), false, false), formal(primTriple(), SYM(b), false, false), formal(primTriple(), SYM(c), false, false), formal(primTriple(), SYM(d), false, false)); #line 378 "runpath3d.in" addFunc(ve, run::gen_runpath3d42, primReal(), SYM(insphere), formal(primTriple(), SYM(a), false, false), formal(primTriple(), SYM(b), false, false), formal(primTriple(), SYM(c), false, false), formal(primTriple(), SYM(d), false, false), formal(primTriple(), SYM(e), false, false)); } } // namespace trans asymptote-2.62/drawimage.h0000644000000000000000000000574213607467113014317 0ustar rootroot/***** * drawimage.h * John Bowman * * Stores a image that has been added to a picture. *****/ #ifndef DRAWIMAGE_H #define DRAWIMAGE_H #include "drawelement.h" #include "array.h" namespace camp { class drawImage : public drawElement { protected: transform t; bool antialias; public: drawImage(const transform& t, bool antialias, const string& key="") : drawElement(key), t(t), antialias(antialias) {} virtual ~drawImage() {} void bounds(bbox& b, iopipestream&, boxvector&, bboxlist&) { b += t*pair(0,0); b += t*pair(1,1); } bool svg() {return true;} bool svgpng() {return true;} }; class drawPaletteImage : public drawImage { vm::array image; vm::array palette; public: drawPaletteImage(const vm::array& image, const vm::array& palette, const transform& t, bool antialias, const string& key="") : drawImage(t,antialias,key), image(image), palette(palette) {} virtual ~drawPaletteImage() {} bool draw(psfile *out) { out->gsave(); out->concat(t); out->image(image,palette,antialias); out->grestore(); return true; } drawElement *transformed(const transform& T) { return new drawPaletteImage(image,palette,T*t,antialias,KEY); } }; class drawNoPaletteImage : public drawImage { vm::array image; public: drawNoPaletteImage(const vm::array& image, const transform& t, bool antialias, const string& key="") : drawImage(t,antialias,key), image(image) {} virtual ~drawNoPaletteImage() {} bool draw(psfile *out) { out->gsave(); out->concat(t); out->image(image,antialias); out->grestore(); return true; } drawElement *transformed(const transform& T) { return new drawNoPaletteImage(image,T*t,antialias,KEY); } }; class drawFunctionImage : public drawImage { vm::stack *Stack; vm::callable *f; Int width, height; public: drawFunctionImage(vm::stack *Stack, vm::callable *f, Int width, Int height, const transform& t, bool antialias, const string& key="") : drawImage(t,antialias,key), Stack(Stack), f(f), width(width), height(height) {} virtual ~drawFunctionImage() {} bool draw(psfile *out) { out->gsave(); out->concat(t); out->image(Stack,f,width,height,antialias); out->grestore(); return true; } drawElement *transformed(const transform& T) { return new drawFunctionImage(Stack,f,width,height,T*t,antialias,KEY); } }; class drawRawImage : public drawImage { unsigned char *raw; // For internal use; not buffered, may be overwritten. size_t width,height; public: drawRawImage(unsigned char *raw, size_t width, size_t height, const transform& t, bool antialias, const string& key="") : drawImage(t,antialias,key), raw(raw), width(width), height(height) {} virtual ~drawRawImage() {} bool draw(psfile *out) { out->gsave(); out->concat(t); out->rawimage(raw,width,height,antialias); out->grestore(); return true; } }; } #endif asymptote-2.62/webgl/0000755000000000000000000000000013607467113013276 5ustar rootrootasymptote-2.62/webgl/vertex.glsl0000644000000000000000000000271513607467113015503 0ustar rootrootattribute vec3 position; #ifdef WIDTH attribute float width; #endif #ifdef NORMAL attribute vec3 normal; #endif attribute float materialIndex; #ifdef COLOR attribute vec4 color; #endif uniform mat3 normMat; uniform mat4 viewMat; uniform mat4 projViewMat; #ifdef NORMAL #ifndef ORTHOGRAPHIC varying vec3 ViewPosition; #endif varying vec3 Normal; #endif varying vec4 diffuse; varying vec3 specular; varying float roughness,metallic,fresnel0; varying vec4 emissive; struct Material { vec4 diffuse,emissive,specular; vec4 parameters; }; uniform Material Materials[Nmaterials]; void main(void) { vec4 v=vec4(position,1.0); gl_Position=projViewMat*v; #ifdef NORMAL #ifndef ORTHOGRAPHIC ViewPosition=(viewMat*v).xyz; #endif Normal=normal*normMat; Material m; #ifdef TRANSPARENT m=Materials[int(abs(materialIndex))-1]; if(materialIndex >= 0.0) { diffuse=m.diffuse; emissive=m.emissive; } else { diffuse=color; #if nlights > 0 emissive=vec4(0.0); #else emissive=color; #endif } #else m=Materials[int(materialIndex)]; #ifdef COLOR diffuse=color; #if nlights > 0 emissive=vec4(0.0); #else emissive=color; #endif #else diffuse=m.diffuse; emissive=m.emissive; #endif #endif specular=m.specular.rgb; vec4 parameters=m.parameters; roughness=1.0-parameters[0]; metallic=parameters[1]; fresnel0=parameters[2]; #else emissive=Materials[int(materialIndex)].emissive; #endif #ifdef WIDTH gl_PointSize=width; #endif } asymptote-2.62/webgl/gl.js0000644000000000000000000017161113607467113014245 0ustar rootrootlet P=[]; // Array of Bezier patches, triangles, curves, and pixels let Materials=[]; // Array of materials let Lights=[]; // Array of lights let Centers=[]; // Array of billboard centers let Background=[1,1,1,1]; // Background color let canvasWidth,canvasHeight; let absolute=false; let b,B; // Scene min,max bounding box corners (3-tuples) let angle; // Field of view angle let Zoom0; // Initial zoom let viewportmargin; // Margin around viewport (2-tuple) let viewportshift=[0,0]; // Viewport shift (for perspective projection) let zoomFactor; let zoomPinchFactor; let zoomPinchCap; let zoomStep; let shiftHoldDistance; let shiftWaitTime; let vibrateTime; let embedded; // Is image embedded within another window? let canvas; // Rendering canvas let gl; // WebGL rendering context let alpha; // Is background opaque? let offscreen; // Offscreen rendering canvas for embedded images let context; // 2D context for copying embedded offscreen images let nlights=0; // Number of lights compiled in shader let Nmaterials=2; // Maximum number of materials compiled in shader let materials=[]; // Subset of Materials passed as uniforms let maxMaterials; // Limit on number of materials allowed in shader let halfCanvasWidth,halfCanvasHeight; let pixel=0.75; // Adaptive rendering constant. let BezierFactor=0.4; let FillFactor=0.1; let Zoom; let maxViewportWidth=window.innerWidth; let maxViewportHeight=window.innerHeight; const windowTrim=10; let resizeStep=1.2; let lastzoom; let H; // maximum camera view half-height let Fuzz2=1000*Number.EPSILON; let Fuzz4=Fuzz2*Fuzz2; let third=1/3; let rotMat=mat4.create(); let projMat=mat4.create(); // projection matrix let viewMat=mat4.create(); // view matrix let projViewMat=mat4.create(); // projection view matrix let normMat=mat3.create(); let viewMat3=mat3.create(); // 3x3 view matrix let rotMats=mat4.create(); let cjMatInv=mat4.create(); let translMat=mat4.create(); let zmin,zmax; let center={x:0,y:0,z:0}; let size2; let ArcballFactor; let shift={ x:0,y:0 }; let viewParam = { xmin:0,xmax:0, ymin:0,ymax:0, zmin:0,zmax:0 }; let positionBuffer; let materialBuffer; let colorBuffer; let indexBuffer; let remesh=true; let mouseDownOrTouchActive=false; let lastMouseX=null; let lastMouseY=null; let touchID=null; // Indexed triangles: let Positions=[]; let Normals=[]; let Colors=[]; let Indices=[]; class Material { constructor(diffuse,emissive,specular,shininess,metallic,fresnel0) { this.diffuse=diffuse; this.emissive=emissive; this.specular=specular; this.shininess=shininess; this.metallic=metallic; this.fresnel0=fresnel0; } setUniform(program,index) { let getLoc= param => gl.getUniformLocation(program,"Materials["+index+"]."+param); gl.uniform4fv(getLoc("diffuse"),new Float32Array(this.diffuse)); gl.uniform4fv(getLoc("emissive"),new Float32Array(this.emissive)); gl.uniform4fv(getLoc("specular"),new Float32Array(this.specular)); gl.uniform4f(getLoc("parameters"),this.shininess,this.metallic, this.fresnel0,0); } } let enumPointLight=1; let enumDirectionalLight=2; class Light { constructor(direction,color) { this.direction=direction; this.color=color; } setUniform(program,index) { let getLoc= param => gl.getUniformLocation(program,"Lights["+index+"]."+param); gl.uniform3fv(getLoc("direction"),new Float32Array(this.direction)); gl.uniform3fv(getLoc("color"),new Float32Array(this.color)); } } function initShaders() { let maxUniforms=gl.getParameter(gl.MAX_VERTEX_UNIFORM_VECTORS); maxMaterials=Math.floor((maxUniforms-14)/4); Nmaterials=Math.min(Math.max(Nmaterials,Materials.length),maxMaterials); noNormalShader=initShader(); pixelShader=initShader(["WIDTH"]); materialShader=initShader(["NORMAL"]); colorShader=initShader(["NORMAL","COLOR"]); transparentShader=initShader(["NORMAL","COLOR","TRANSPARENT"]); } // Create buffers for the patch and its subdivisions. function setBuffers() { positionBuffer=gl.createBuffer(); materialBuffer=gl.createBuffer(); colorBuffer=gl.createBuffer(); indexBuffer=gl.createBuffer(); } function noGL() { if (!gl) alert("Could not initialize WebGL"); } function saveAttributes() { let a=window.top.document.asygl[alpha]; a.gl=gl; a.nlights=Lights.length; a.Nmaterials=Nmaterials; a.maxMaterials=maxMaterials; a.noNormalShader=noNormalShader; a.pixelShader=pixelShader; a.materialShader=materialShader; a.colorShader=colorShader; a.transparentShader=transparentShader; } function restoreAttributes() { let a=window.top.document.asygl[alpha]; gl=a.gl; nlights=a.nlights; Nmaterials=a.Nmaterials; maxMaterials=a.maxMaterials; noNormalShader=a.noNormalShader; pixelShader=a.pixelShader; materialShader=a.materialShader; colorShader=a.colorShader; transparentShader=a.transparentShader; } let indexExt; function initGL() { alpha=Background[3] < 1; if(embedded) { let p=window.top.document; if(p.asygl == null) p.asygl=Array(2); context=canvas.getContext("2d"); offscreen=p.offscreen; if(!offscreen) { offscreen=p.createElement("canvas"); p.offscreen=offscreen; } if(!p.asygl[alpha] || !p.asygl[alpha].gl) { gl=offscreen.getContext("webgl",{alpha:alpha}); if(!gl) noGL(); initShaders(); p.asygl[alpha]={}; saveAttributes(); } else { restoreAttributes(); if((Lights.length != nlights) || Math.min(Materials.length,maxMaterials) > Nmaterials) { initShaders(); saveAttributes(); } } } else { gl=canvas.getContext("webgl",{alpha:alpha}); if(!gl) noGL(); initShaders(); } setBuffers(); indexExt=gl.getExtension("OES_element_index_uint"); } function getShader(gl,shaderScript,type,options=[]) { let str=`#version 100 #ifdef GL_FRAGMENT_PRECISION_HIGH precision highp float; #else precision mediump float; #endif #define nlights ${Lights.length}\n const int Nlights=${Math.max(Lights.length,1)};\n #define Nmaterials ${Nmaterials}\n`; if(orthographic) str += `#define ORTHOGRAPHIC\n`; options.forEach(s => str += `#define `+s+`\n`); let shader=gl.createShader(type); gl.shaderSource(shader,str+shaderScript); gl.compileShader(shader); if(!gl.getShaderParameter(shader,gl.COMPILE_STATUS)) { alert(gl.getShaderInfoLog(shader)); return null; } return shader; } function drawBuffer(data,shader,indices=data.indices) { if(data.indices.length == 0) return; let pixel=shader == pixelShader; let normal=shader != noNormalShader && !pixel; setUniforms(data,shader); gl.bindBuffer(gl.ARRAY_BUFFER,positionBuffer); gl.bufferData(gl.ARRAY_BUFFER,new Float32Array(data.vertices), gl.STATIC_DRAW); gl.vertexAttribPointer(positionAttribute,3,gl.FLOAT,false, normal ? 24 : (pixel ? 16 : 12),0); if(normal && Lights.length > 0) gl.vertexAttribPointer(normalAttribute,3,gl.FLOAT,false,24,12); else if(pixel) gl.vertexAttribPointer(widthAttribute,1,gl.FLOAT,false,16,12); gl.bindBuffer(gl.ARRAY_BUFFER,materialBuffer); gl.bufferData(gl.ARRAY_BUFFER,new Int16Array(data.materialIndices), gl.STATIC_DRAW); gl.vertexAttribPointer(materialAttribute,1,gl.SHORT,false,2,0); if(shader == colorShader || shader == transparentShader) { gl.bindBuffer(gl.ARRAY_BUFFER,colorBuffer); gl.bufferData(gl.ARRAY_BUFFER,new Uint8Array(data.colors), gl.STATIC_DRAW); gl.vertexAttribPointer(colorAttribute,4,gl.UNSIGNED_BYTE,true,0,0); } gl.bindBuffer(gl.ELEMENT_ARRAY_BUFFER,indexBuffer); gl.bufferData(gl.ELEMENT_ARRAY_BUFFER, indexExt ? new Uint32Array(indices) : new Uint16Array(indices),gl.STATIC_DRAW); gl.drawElements(normal ? gl.TRIANGLES : (pixel ? gl.POINTS : gl.LINES), indices.length, indexExt ? gl.UNSIGNED_INT : gl.UNSIGNED_SHORT,0); } class vertexBuffer { constructor() { this.clear(); } clear() { this.vertices=[]; this.materialIndices=[]; this.colors=[]; this.indices=[]; this.nvertices=0; this.materials=[]; this.materialTable=[]; } // material vertex vertex(v,n) { this.vertices.push(v[0]); this.vertices.push(v[1]); this.vertices.push(v[2]); this.vertices.push(n[0]); this.vertices.push(n[1]); this.vertices.push(n[2]); this.materialIndices.push(materialIndex); return this.nvertices++; } // colored vertex Vertex(v,n,c=[0,0,0,0]) { this.vertices.push(v[0]); this.vertices.push(v[1]); this.vertices.push(v[2]); this.vertices.push(n[0]); this.vertices.push(n[1]); this.vertices.push(n[2]); this.materialIndices.push(materialIndex); this.colors.push(c[0]); this.colors.push(c[1]); this.colors.push(c[2]); this.colors.push(c[3]); return this.nvertices++; } // material vertex without normal vertex1(v) { this.vertices.push(v[0]); this.vertices.push(v[1]); this.vertices.push(v[2]); this.materialIndices.push(materialIndex); return this.nvertices++; } // material vertex with width and without normal vertex0(v,width) { this.vertices.push(v[0]); this.vertices.push(v[1]); this.vertices.push(v[2]); this.vertices.push(width); this.materialIndices.push(materialIndex); return this.nvertices++; } // indexed colored vertex iVertex(i,v,n,c=[0,0,0,0]) { let i6=6*i; this.vertices[i6]=v[0]; this.vertices[i6+1]=v[1]; this.vertices[i6+2]=v[2]; this.vertices[i6+3]=n[0]; this.vertices[i6+4]=n[1]; this.vertices[i6+5]=n[2]; this.materialIndices[i]=materialIndex; let i4=4*i; this.colors[i4]=c[0]; this.colors[i4+1]=c[1]; this.colors[i4+2]=c[2]; this.colors[i4+3]=c[3]; this.indices.push(i); } append(data) { append(this.vertices,data.vertices); append(this.materialIndices,data.materialIndices); append(this.colors,data.colors); appendOffset(this.indices,data.indices,this.nvertices); this.nvertices += data.nvertices; } } let material0Data=new vertexBuffer(); // pixels let material1Data=new vertexBuffer(); // material Bezier curves let materialData=new vertexBuffer(); // material Bezier patches & triangles let colorData=new vertexBuffer(); // colored Bezier patches & triangles let transparentData=new vertexBuffer(); // transparent patches & triangles let triangleData=new vertexBuffer(); // opaque indexed triangles let materialIndex; // efficiently append array b onto array a function append(a,b) { let n=a.length; let m=b.length; a.length += m; for(let i=0; i < m; ++i) a[n+i]=b[i]; } // efficiently append array b onto array a function appendOffset(a,b,o) { let n=a.length; let m=b.length; a.length += b.length; for(let i=0; i < m; ++i) a[n+i]=b[i]+o; } class Geometry { constructor() { this.data=new vertexBuffer(); this.Onscreen=false; this.m=[]; } // Is 2D bounding box formed by projecting 3d points in vector v offscreen? offscreen(v) { let m=projViewMat; let v0=v[0]; let x=v0[0], y=v0[1], z=v0[2]; let f=1/(m[3]*x+m[7]*y+m[11]*z+m[15]); this.x=this.X=(m[0]*x+m[4]*y+m[8]*z+m[12])*f; this.y=this.Y=(m[1]*x+m[5]*y+m[9]*z+m[13])*f; for(let i=1, n=v.length; i < n; ++i) { let vi=v[i]; let x=vi[0], y=vi[1], z=vi[2]; let f=1/(m[3]*x+m[7]*y+m[11]*z+m[15]); let X=(m[0]*x+m[4]*y+m[8]*z+m[12])*f; let Y=(m[1]*x+m[5]*y+m[9]*z+m[13])*f; if(X < this.x) this.x=X; else if(X > this.X) this.X=X; if(Y < this.y) this.y=Y; else if(Y > this.Y) this.Y=Y; } let eps=1e-2; let min=-1-eps; let max=1+eps; if(this.X < min || this.x > max || this.Y < min || this.y > max) { this.Onscreen=false; return true; } return false; } T(v) { let c0=this.c[0]; let c1=this.c[1]; let c2=this.c[2]; let x=v[0]-c0; let y=v[1]-c1; let z=v[2]-c2; return [x*normMat[0]+y*normMat[3]+z*normMat[6]+c0, x*normMat[1]+y*normMat[4]+z*normMat[7]+c1, x*normMat[2]+y*normMat[5]+z*normMat[8]+c2]; } Tcorners(m,M) { return [this.T(m),this.T([m[0],m[1],M[2]]),this.T([m[0],M[1],m[2]]), this.T([m[0],M[1],M[2]]),this.T([M[0],m[1],m[2]]), this.T([M[0],m[1],M[2]]),this.T([M[0],M[1],m[2]]),this.T(M)]; } setMaterial(data,draw) { if(data.materialTable[this.MaterialIndex] == null) { if(data.materials.length >= Nmaterials) draw(); data.materialTable[this.MaterialIndex]=data.materials.length; data.materials.push(Materials[this.MaterialIndex]); } materialIndex=data.materialTable[this.MaterialIndex]; } render() { this.setMaterialIndex(); // First check if re-rendering is required let v; if(this.CenterIndex == 0) v=corners(this.Min,this.Max); else { this.c=Centers[this.CenterIndex-1]; v=this.Tcorners(this.Min,this.Max); } if(this.offscreen(v)) { // Fully offscreen this.data.clear(); return; } let p=this.controlpoints; let P; if(this.CenterIndex == 0) { if(!remesh && this.Onscreen) { // Fully onscreen; no need to re-render this.append(); return; } P=p; } else { // Transform billboard labels let n=p.length; P=Array(n); for(let i=0; i < n; ++i) P[i]=this.T(p[i]); } let s=orthographic ? 1 : this.Min[2]/B[2]; let res=pixel*Math.hypot(s*(viewParam.xmax-viewParam.xmin), s*(viewParam.ymax-viewParam.ymin))/size2; this.res2=res*res; this.Epsilon=FillFactor*res; this.data.clear(); this.Onscreen=true; this.process(P); } } class BezierPatch extends Geometry { /** * Constructor for Bezier Patch * @param {*} controlpoints array of 16 control points * @param {*} CenterIndex center index of billboard labels (or 0) * @param {*} MaterialIndex material index (>= 0) * @param {*} Min bounding box corner * @param {*} Max bounding box corner * @param {*} colors array of 4 RGBA color arrays */ constructor(controlpoints,CenterIndex,MaterialIndex,Min,Max,color) { super(); this.controlpoints=controlpoints; this.Min=Min; this.Max=Max; this.color=color; this.CenterIndex=CenterIndex; let n=controlpoints.length; if(color) { let sum=color[0][3]+color[1][3]+color[2][3]; this.transparent=(n == 16 || n == 4) ? sum+color[3][3] < 1020 : sum < 765; } else this.transparent=Materials[MaterialIndex].diffuse[3] < 1; this.MaterialIndex=MaterialIndex; this.vertex=this.transparent ? this.data.Vertex.bind(this.data) : this.data.vertex.bind(this.data); this.L2norm(this.controlpoints); } setMaterialIndex() { if(this.transparent) this.setMaterial(transparentData,drawTransparent); else { if(this.color) this.setMaterial(colorData,drawColor); else this.setMaterial(materialData,drawMaterial); } } // Render a Bezier patch via subdivision. L2norm(p) { let p0=p[0]; this.epsilon=0; let n=p.length; for(let i=1; i < n; ++i) this.epsilon=Math.max(this.epsilon, abs2([p[i][0]-p0[0],p[i][1]-p0[1],p[i][2]-p0[2]])); this.epsilon *= Fuzz4; } processTriangle(p) { let p0=p[0]; let p1=p[1]; let p2=p[2]; let n=unit(cross([p1[0]-p0[0],p1[1]-p0[1],p1[2]-p0[2]], [p2[0]-p0[0],p2[1]-p0[1],p2[2]-p0[2]])); if(!this.offscreen([p0,p1,p2])) { if(this.color) { this.data.indices.push(this.data.Vertex(p0,n,this.color[0])); this.data.indices.push(this.data.Vertex(p1,n,this.color[1])); this.data.indices.push(this.data.Vertex(p2,n,this.color[2])); } else { this.data.indices.push(this.vertex(p0,n)); this.data.indices.push(this.vertex(p1,n)); this.data.indices.push(this.vertex(p2,n)); } this.append(); } } processQuad(p) { let p0=p[0]; let p1=p[1]; let p2=p[2]; let p3=p[3]; let n1=cross([p1[0]-p0[0],p1[1]-p0[1],p1[2]-p0[2]], [p2[0]-p1[0],p2[1]-p1[1],p2[2]-p1[2]]); let n2=cross([p2[0]-p3[0],p2[1]-p3[1],p2[2]-p3[2]], [p3[0]-p0[0],p3[1]-p0[1],p3[2]-p0[2]]); let n=unit([n1[0]+n2[0],n1[1]+n2[1],n1[2]+n2[2]]); if(!this.offscreen([p0,p1,p2,p3])) { let i0,i1,i2,i3; if(this.color) { i0=this.data.Vertex(p0,n,this.color[0]); i1=this.data.Vertex(p1,n,this.color[1]); i2=this.data.Vertex(p2,n,this.color[2]); i3=this.data.Vertex(p3,n,this.color[3]); } else { i0=this.vertex(p0,n); i1=this.vertex(p1,n); i2=this.vertex(p2,n); i3=this.vertex(p3,n); } this.data.indices.push(i0); this.data.indices.push(i1); this.data.indices.push(i2); this.data.indices.push(i0); this.data.indices.push(i2); this.data.indices.push(i3); this.append(); } } process(p) { if(this.transparent) // Override materialIndex to encode color vs material materialIndex=this.color ? -1-materialIndex : 1+materialIndex; if(p.length == 10) return this.process3(p); if(p.length == 3) return this.processTriangle(p); if(p.length == 4) return this.processQuad(p); let p0=p[0]; let p3=p[3]; let p12=p[12]; let p15=p[15]; let n0=this.normal(p3,p[2],p[1],p0,p[4],p[8],p12); if(iszero(n0)) { n0=this.normal(p3,p[2],p[1],p0,p[13],p[14],p15); if(iszero(n0)) n0=this.normal(p15,p[11],p[7],p3,p[4],p[8],p12); } let n1=this.normal(p0,p[4],p[8],p12,p[13],p[14],p15); if(iszero(n1)) { n1=this.normal(p0,p[4],p[8],p12,p[11],p[7],p3); if(iszero(n1)) n1=this.normal(p3,p[2],p[1],p0,p[13],p[14],p15); } let n2=this.normal(p12,p[13],p[14],p15,p[11],p[7],p3); if(iszero(n2)) { n2=this.normal(p12,p[13],p[14],p15,p[2],p[1],p0); if(iszero(n2)) n2=this.normal(p0,p[4],p[8],p12,p[11],p[7],p3); } let n3=this.normal(p15,p[11],p[7],p3,p[2],p[1],p0); if(iszero(n3)) { n3=this.normal(p15,p[11],p[7],p3,p[4],p[8],p12); if(iszero(n3)) n3=this.normal(p12,p[13],p[14],p15,p[2],p[1],p0); } if(this.color) { let c0=this.color[0]; let c1=this.color[1]; let c2=this.color[2]; let c3=this.color[3]; let i0=this.data.Vertex(p0,n0,c0); let i1=this.data.Vertex(p12,n1,c1); let i2=this.data.Vertex(p15,n2,c2); let i3=this.data.Vertex(p3,n3,c3); this.Render(p,i0,i1,i2,i3,p0,p12,p15,p3,false,false,false,false, c0,c1,c2,c3); } else { let i0=this.vertex(p0,n0); let i1=this.vertex(p12,n1); let i2=this.vertex(p15,n2); let i3=this.vertex(p3,n3); this.Render(p,i0,i1,i2,i3,p0,p12,p15,p3,false,false,false,false); } if(this.data.indices.length > 0) this.append(); } append() { if(this.transparent) transparentData.append(this.data); else if(this.color) colorData.append(this.data); else materialData.append(this.data); } Render(p,I0,I1,I2,I3,P0,P1,P2,P3,flat0,flat1,flat2,flat3,C0,C1,C2,C3) { if(this.Distance(p) < this.res2) { // Bezier patch is flat if(!this.offscreen([P0,P1,P2])) { this.data.indices.push(I0); this.data.indices.push(I1); this.data.indices.push(I2); } if(!this.offscreen([P0,P2,P3])) { this.data.indices.push(I0); this.data.indices.push(I2); this.data.indices.push(I3); } } else { // Approximate bounds by bounding box of control polyhedron. if(this.offscreen(p)) return; /* Control points are indexed as follows: Coordinate +----- Index 03 13 23 33 +-----+-----+-----+ |3 |7 |11 |15 | | | | |02 |12 |22 |32 +-----+-----+-----+ |2 |6 |10 |14 | | | | |01 |11 |21 |31 +-----+-----+-----+ |1 |5 |9 |13 | | | | |00 |10 |20 |30 +-----+-----+-----+ 0 4 8 12 Subdivision: P refers to a corner m refers to a midpoint s refers to a subpatch m2 +--------+--------+ |P3 | P2| | | | | s3 | s2 | | | | | |m4 | m3+--------+--------+m1 | | | | | | | s0 | s1 | | | | |P0 | P1| +--------+--------+ m0 */ // Subdivide patch: let p0=p[0]; let p3=p[3]; let p12=p[12]; let p15=p[15]; let c0=new Split3(p0,p[1],p[2],p3); let c1=new Split3(p[4],p[5],p[6],p[7]); let c2=new Split3(p[8],p[9],p[10],p[11]); let c3=new Split3(p12,p[13],p[14],p15); let c4=new Split3(p0,p[4],p[8],p12); let c5=new Split3(c0.m0,c1.m0,c2.m0,c3.m0); let c6=new Split3(c0.m3,c1.m3,c2.m3,c3.m3); let c7=new Split3(c0.m5,c1.m5,c2.m5,c3.m5); let c8=new Split3(c0.m4,c1.m4,c2.m4,c3.m4); let c9=new Split3(c0.m2,c1.m2,c2.m2,c3.m2); let c10=new Split3(p3,p[7],p[11],p15); let s0=[p0,c0.m0,c0.m3,c0.m5,c4.m0,c5.m0,c6.m0,c7.m0, c4.m3,c5.m3,c6.m3,c7.m3,c4.m5,c5.m5,c6.m5,c7.m5]; let s1=[c4.m5,c5.m5,c6.m5,c7.m5,c4.m4,c5.m4,c6.m4,c7.m4, c4.m2,c5.m2,c6.m2,c7.m2,p12,c3.m0,c3.m3,c3.m5]; let s2=[c7.m5,c8.m5,c9.m5,c10.m5,c7.m4,c8.m4,c9.m4,c10.m4, c7.m2,c8.m2,c9.m2,c10.m2,c3.m5,c3.m4,c3.m2,p15]; let s3=[c0.m5,c0.m4,c0.m2,p3,c7.m0,c8.m0,c9.m0,c10.m0, c7.m3,c8.m3,c9.m3,c10.m3,c7.m5,c8.m5,c9.m5,c10.m5]; let m4=s0[15]; let n0=this.normal(s0[0],s0[4],s0[8],s0[12],s0[13],s0[14],s0[15]); if(iszero(n0)) { n0=this.normal(s0[0],s0[4],s0[8],s0[12],s0[11],s0[7],s0[3]); if(iszero(n0)) n0=this.normal(s0[3],s0[2],s0[1],s0[0],s0[13],s0[14],s0[15]); } let n1=this.normal(s1[12],s1[13],s1[14],s1[15],s1[11],s1[7],s1[3]); if(iszero(n1)) { n1=this.normal(s1[12],s1[13],s1[14],s1[15],s1[2],s1[1],s1[0]); if(iszero(n1)) n1=this.normal(s1[0],s1[4],s1[8],s1[12],s1[11],s1[7],s1[3]); } let n2=this.normal(s2[15],s2[11],s2[7],s2[3],s2[2],s2[1],s2[0]); if(iszero(n2)) { n2=this.normal(s2[15],s2[11],s2[7],s2[3],s2[4],s2[8],s2[12]); if(iszero(n2)) n2=this.normal(s2[12],s2[13],s2[14],s2[15],s2[2],s2[1],s2[0]); } let n3=this.normal(s3[3],s3[2],s3[1],s3[0],s3[4],s3[8],s3[12]); if(iszero(n3)) { n3=this.normal(s3[3],s3[2],s3[1],s3[0],s3[13],s3[14],s3[15]); if(iszero(n3)) n3=this.normal(s3[15],s3[11],s3[7],s3[3],s3[4],s3[8],s3[12]); } let n4=this.normal(s2[3],s2[2],s2[1],m4,s2[4],s2[8],s2[12]); let e=this.Epsilon; // A kludge to remove subdivision cracks, only applied the first time // an edge is found to be flat before the rest of the subpatch is. let m0=[0.5*(P0[0]+P1[0]), 0.5*(P0[1]+P1[1]), 0.5*(P0[2]+P1[2])]; if(!flat0) { if((flat0=Straightness(p0,p[4],p[8],p12) < this.res2)) { let r=unit(this.derivative(s1[0],s1[1],s1[2],s1[3])); m0=[m0[0]-e*r[0],m0[1]-e*r[1],m0[2]-e*r[2]]; } else m0=s0[12]; } let m1=[0.5*(P1[0]+P2[0]), 0.5*(P1[1]+P2[1]), 0.5*(P1[2]+P2[2])]; if(!flat1) { if((flat1=Straightness(p12,p[13],p[14],p15) < this.res2)) { let r=unit(this.derivative(s2[12],s2[8],s2[4],s2[0])); m1=[m1[0]-e*r[0],m1[1]-e*r[1],m1[2]-e*r[2]]; } else m1=s1[15]; } let m2=[0.5*(P2[0]+P3[0]), 0.5*(P2[1]+P3[1]), 0.5*(P2[2]+P3[2])]; if(!flat2) { if((flat2=Straightness(p15,p[11],p[7],p3) < this.res2)) { let r=unit(this.derivative(s3[15],s2[14],s2[13],s1[12])); m2=[m2[0]-e*r[0],m2[1]-e*r[1],m2[2]-e*r[2]]; } else m2=s2[3]; } let m3=[0.5*(P3[0]+P0[0]), 0.5*(P3[1]+P0[1]), 0.5*(P3[2]+P0[2])]; if(!flat3) { if((flat3=Straightness(p0,p[1],p[2],p3) < this.res2)) { let r=unit(this.derivative(s0[3],s0[7],s0[11],s0[15])); m3=[m3[0]-e*r[0],m3[1]-e*r[1],m3[2]-e*r[2]]; } else m3=s3[0]; } if(C0) { let c0=Array(4); let c1=Array(4); let c2=Array(4); let c3=Array(4); let c4=Array(4); for(let i=0; i < 4; ++i) { c0[i]=0.5*(C0[i]+C1[i]); c1[i]=0.5*(C1[i]+C2[i]); c2[i]=0.5*(C2[i]+C3[i]); c3[i]=0.5*(C3[i]+C0[i]); c4[i]=0.5*(c0[i]+c2[i]); } let i0=this.data.Vertex(m0,n0,c0); let i1=this.data.Vertex(m1,n1,c1); let i2=this.data.Vertex(m2,n2,c2); let i3=this.data.Vertex(m3,n3,c3); let i4=this.data.Vertex(m4,n4,c4); this.Render(s0,I0,i0,i4,i3,P0,m0,m4,m3,flat0,false,false,flat3, C0,c0,c4,c3); this.Render(s1,i0,I1,i1,i4,m0,P1,m1,m4,flat0,flat1,false,false, c0,C1,c1,c4); this.Render(s2,i4,i1,I2,i2,m4,m1,P2,m2,false,flat1,flat2,false, c4,c1,C2,c2); this.Render(s3,i3,i4,i2,I3,m3,m4,m2,P3,false,false,flat2,flat3, c3,c4,c2,C3); } else { let i0=this.vertex(m0,n0); let i1=this.vertex(m1,n1); let i2=this.vertex(m2,n2); let i3=this.vertex(m3,n3); let i4=this.vertex(m4,n4); this.Render(s0,I0,i0,i4,i3,P0,m0,m4,m3,flat0,false,false,flat3); this.Render(s1,i0,I1,i1,i4,m0,P1,m1,m4,flat0,flat1,false,false); this.Render(s2,i4,i1,I2,i2,m4,m1,P2,m2,false,flat1,flat2,false); this.Render(s3,i3,i4,i2,I3,m3,m4,m2,P3,false,false,flat2,flat3); } } } // Render a Bezier triangle via subdivision. process3(p) { this.Res2=BezierFactor*BezierFactor*this.res2; let p0=p[0]; let p6=p[6]; let p9=p[9]; let n0=this.normal(p9,p[5],p[2],p0,p[1],p[3],p6); let n1=this.normal(p0,p[1],p[3],p6,p[7],p[8],p9); let n2=this.normal(p6,p[7],p[8],p9,p[5],p[2],p0); if(this.color) { let c0=this.color[0]; let c1=this.color[1]; let c2=this.color[2]; let i0=this.data.Vertex(p0,n0,c0); let i1=this.data.Vertex(p6,n1,c1); let i2=this.data.Vertex(p9,n2,c2); this.Render3(p,i0,i1,i2,p0,p6,p9,false,false,false,c0,c1,c2); } else { let i0=this.vertex(p0,n0); let i1=this.vertex(p6,n1); let i2=this.vertex(p9,n2); this.Render3(p,i0,i1,i2,p0,p6,p9,false,false,false); } if(this.data.indices.length > 0) this.append(); } Render3(p,I0,I1,I2,P0,P1,P2,flat0,flat1,flat2,C0,C1,C2) { if(this.Distance3(p) < this.Res2) { // Bezier triangle is flat if(!this.offscreen([P0,P1,P2])) { this.data.indices.push(I0); this.data.indices.push(I1); this.data.indices.push(I2); } } else { // Approximate bounds by bounding box of control polyhedron. if(this.offscreen(p)) return; /* Control points are indexed as follows: Coordinate Index 030 9 /\ / \ / \ / \ / \ 021 + + 120 5 / \ 8 / \ / \ / \ / \ 012 + + + 210 2 / 111 \ 7 / 4 \ / \ / \ / \ /__________________________________\ 003 102 201 300 0 1 3 6 Subdivision: P2 030 /\ / \ / \ / \ / \ / up \ / \ / \ p1 /________________\ p0 /\ / \ / \ / \ / \ / \ / \ center / \ / \ / \ / \ / \ / left \ / right \ / \ / \ /________________V_________________\ 003 p2 300 P0 P1 */ // Subdivide triangle: let l003=p[0]; let p102=p[1]; let p012=p[2]; let p201=p[3]; let p111=p[4]; let p021=p[5]; let r300=p[6]; let p210=p[7]; let p120=p[8]; let u030=p[9]; let u021=[0.5*(u030[0]+p021[0]), 0.5*(u030[1]+p021[1]), 0.5*(u030[2]+p021[2])]; let u120=[0.5*(u030[0]+p120[0]), 0.5*(u030[1]+p120[1]), 0.5*(u030[2]+p120[2])]; let p033=[0.5*(p021[0]+p012[0]), 0.5*(p021[1]+p012[1]), 0.5*(p021[2]+p012[2])]; let p231=[0.5*(p120[0]+p111[0]), 0.5*(p120[1]+p111[1]), 0.5*(p120[2]+p111[2])]; let p330=[0.5*(p120[0]+p210[0]), 0.5*(p120[1]+p210[1]), 0.5*(p120[2]+p210[2])]; let p123=[0.5*(p012[0]+p111[0]), 0.5*(p012[1]+p111[1]), 0.5*(p012[2]+p111[2])]; let l012=[0.5*(p012[0]+l003[0]), 0.5*(p012[1]+l003[1]), 0.5*(p012[2]+l003[2])]; let p312=[0.5*(p111[0]+p201[0]), 0.5*(p111[1]+p201[1]), 0.5*(p111[2]+p201[2])]; let r210=[0.5*(p210[0]+r300[0]), 0.5*(p210[1]+r300[1]), 0.5*(p210[2]+r300[2])]; let l102=[0.5*(l003[0]+p102[0]), 0.5*(l003[1]+p102[1]), 0.5*(l003[2]+p102[2])]; let p303=[0.5*(p102[0]+p201[0]), 0.5*(p102[1]+p201[1]), 0.5*(p102[2]+p201[2])]; let r201=[0.5*(p201[0]+r300[0]), 0.5*(p201[1]+r300[1]), 0.5*(p201[2]+r300[2])]; let u012=[0.5*(u021[0]+p033[0]), 0.5*(u021[1]+p033[1]), 0.5*(u021[2]+p033[2])]; let u210=[0.5*(u120[0]+p330[0]), 0.5*(u120[1]+p330[1]), 0.5*(u120[2]+p330[2])]; let l021=[0.5*(p033[0]+l012[0]), 0.5*(p033[1]+l012[1]), 0.5*(p033[2]+l012[2])]; let p4xx=[0.5*p231[0]+0.25*(p111[0]+p102[0]), 0.5*p231[1]+0.25*(p111[1]+p102[1]), 0.5*p231[2]+0.25*(p111[2]+p102[2])]; let r120=[0.5*(p330[0]+r210[0]), 0.5*(p330[1]+r210[1]), 0.5*(p330[2]+r210[2])]; let px4x=[0.5*p123[0]+0.25*(p111[0]+p210[0]), 0.5*p123[1]+0.25*(p111[1]+p210[1]), 0.5*p123[2]+0.25*(p111[2]+p210[2])]; let pxx4=[0.25*(p021[0]+p111[0])+0.5*p312[0], 0.25*(p021[1]+p111[1])+0.5*p312[1], 0.25*(p021[2]+p111[2])+0.5*p312[2]]; let l201=[0.5*(l102[0]+p303[0]), 0.5*(l102[1]+p303[1]), 0.5*(l102[2]+p303[2])]; let r102=[0.5*(p303[0]+r201[0]), 0.5*(p303[1]+r201[1]), 0.5*(p303[2]+r201[2])]; let l210=[0.5*(px4x[0]+l201[0]), 0.5*(px4x[1]+l201[1]), 0.5*(px4x[2]+l201[2])]; // =c120 let r012=[0.5*(px4x[0]+r102[0]), 0.5*(px4x[1]+r102[1]), 0.5*(px4x[2]+r102[2])]; // =c021 let l300=[0.5*(l201[0]+r102[0]), 0.5*(l201[1]+r102[1]), 0.5*(l201[2]+r102[2])]; // =r003=c030 let r021=[0.5*(pxx4[0]+r120[0]), 0.5*(pxx4[1]+r120[1]), 0.5*(pxx4[2]+r120[2])]; // =c012 let u201=[0.5*(u210[0]+pxx4[0]), 0.5*(u210[1]+pxx4[1]), 0.5*(u210[2]+pxx4[2])]; // =c102 let r030=[0.5*(u210[0]+r120[0]), 0.5*(u210[1]+r120[1]), 0.5*(u210[2]+r120[2])]; // =u300=c003 let u102=[0.5*(u012[0]+p4xx[0]), 0.5*(u012[1]+p4xx[1]), 0.5*(u012[2]+p4xx[2])]; // =c201 let l120=[0.5*(l021[0]+p4xx[0]), 0.5*(l021[1]+p4xx[1]), 0.5*(l021[2]+p4xx[2])]; // =c210 let l030=[0.5*(u012[0]+l021[0]), 0.5*(u012[1]+l021[1]), 0.5*(u012[2]+l021[2])]; // =u003=c300 let l111=[0.5*(p123[0]+l102[0]), 0.5*(p123[1]+l102[1]), 0.5*(p123[2]+l102[2])]; let r111=[0.5*(p312[0]+r210[0]), 0.5*(p312[1]+r210[1]), 0.5*(p312[2]+r210[2])]; let u111=[0.5*(u021[0]+p231[0]), 0.5*(u021[1]+p231[1]), 0.5*(u021[2]+p231[2])]; let c111=[0.25*(p033[0]+p330[0]+p303[0]+p111[0]), 0.25*(p033[1]+p330[1]+p303[1]+p111[1]), 0.25*(p033[2]+p330[2]+p303[2]+p111[2])]; let l=[l003,l102,l012,l201,l111,l021,l300,l210,l120,l030]; // left let r=[l300,r102,r012,r201,r111,r021,r300,r210,r120,r030]; // right let u=[l030,u102,u012,u201,u111,u021,r030,u210,u120,u030]; // up let c=[r030,u201,r021,u102,c111,r012,l030,l120,l210,l300]; // center let n0=this.normal(l300,r012,r021,r030,u201,u102,l030); let n1=this.normal(r030,u201,u102,l030,l120,l210,l300); let n2=this.normal(l030,l120,l210,l300,r012,r021,r030); let e=this.Epsilon; // A kludge to remove subdivision cracks, only applied the first time // an edge is found to be flat before the rest of the subpatch is. let m0=[0.5*(P1[0]+P2[0]), 0.5*(P1[1]+P2[1]), 0.5*(P1[2]+P2[2])]; if(!flat0) { if((flat0=Straightness(r300,p210,p120,u030) < this.res2)) { let r=unit(this.sumderivative(c[0],c[2],c[5],c[9],c[1],c[3],c[6])); m0=[m0[0]-e*r[0],m0[1]-e*r[1],m0[2]-e*r[2]]; } else m0=r030; } let m1=[0.5*(P2[0]+P0[0]), 0.5*(P2[1]+P0[1]), 0.5*(P2[2]+P0[2])]; if(!flat1) { if((flat1=Straightness(l003,p012,p021,u030) < this.res2)) { let r=unit(this.sumderivative(c[6],c[3],c[1],c[0],c[7],c[8],c[9])); m1=[m1[0]-e*r[0],m1[1]-e*r[1],m1[2]-e*r[2]]; } else m1=l030; } let m2=[0.5*(P0[0]+P1[0]), 0.5*(P0[1]+P1[1]), 0.5*(P0[2]+P1[2])]; if(!flat2) { if((flat2=Straightness(l003,p102,p201,r300) < this.res2)) { let r=unit(this.sumderivative(c[9],c[8],c[7],c[6],c[5],c[2],c[0])); m2=[m2[0]-e*r[0],m2[1]-e*r[1],m2[2]-e*r[2]]; } else m2=l300; } if(C0) { let c0=Array(4); let c1=Array(4); let c2=Array(4); for(let i=0; i < 4; ++i) { c0[i]=0.5*(C1[i]+C2[i]); c1[i]=0.5*(C2[i]+C0[i]); c2[i]=0.5*(C0[i]+C1[i]); } let i0=this.data.Vertex(m0,n0,c0); let i1=this.data.Vertex(m1,n1,c1); let i2=this.data.Vertex(m2,n2,c2); this.Render3(l,I0,i2,i1,P0,m2,m1,false,flat1,flat2,C0,c2,c1); this.Render3(r,i2,I1,i0,m2,P1,m0,flat0,false,flat2,c2,C1,c0); this.Render3(u,i1,i0,I2,m1,m0,P2,flat0,flat1,false,c1,c0,C2); this.Render3(c,i0,i1,i2,m0,m1,m2,false,false,false,c0,c1,c2); } else { let i0=this.vertex(m0,n0); let i1=this.vertex(m1,n1); let i2=this.vertex(m2,n2); this.Render3(l,I0,i2,i1,P0,m2,m1,false,flat1,flat2); this.Render3(r,i2,I1,i0,m2,P1,m0,flat0,false,flat2); this.Render3(u,i1,i0,I2,m1,m0,P2,flat0,flat1,false); this.Render3(c,i0,i1,i2,m0,m1,m2,false,false,false); } } } // Check the flatness of a Bezier patch Distance(p) { let p0=p[0]; let p3=p[3]; let p12=p[12]; let p15=p[15]; // Check the flatness of a patch. let d=Distance2(p15,p0,this.normal(p3,p[2],p[1],p0,p[4],p[8],p12)); // Determine how straight the edges are. d=Math.max(d,Straightness(p0,p[1],p[2],p3)); d=Math.max(d,Straightness(p0,p[4],p[8],p12)); d=Math.max(d,Straightness(p3,p[7],p[11],p15)); d=Math.max(d,Straightness(p12,p[13],p[14],p15)); // Determine how straight the interior control curves are. d=Math.max(d,Straightness(p[4],p[5],p[6],p[7])); d=Math.max(d,Straightness(p[8],p[9],p[10],p[11])); d=Math.max(d,Straightness(p[1],p[5],p[9],p[13])); return Math.max(d,Straightness(p[2],p[6],p[10],p[14])); } // Check the flatness of a Bezier triangle Distance3(p) { let p0=p[0]; let p4=p[4]; let p6=p[6]; let p9=p[9]; // Check how far the internal point is from the centroid of the vertices. let d=abs2([(p0[0]+p6[0]+p9[0])*third-p4[0], (p0[1]+p6[1]+p9[1])*third-p4[1], (p0[2]+p6[2]+p9[2])*third-p4[2]]); // Determine how straight the edges are. d=Math.max(d,Straightness(p0,p[1],p[3],p6)); d=Math.max(d,Straightness(p0,p[2],p[5],p9)); return Math.max(d,Straightness(p6,p[7],p[8],p9)); } derivative(p0,p1,p2,p3) { let lp=[p1[0]-p0[0],p1[1]-p0[1],p1[2]-p0[2]]; if(abs2(lp) > this.epsilon) return lp; let lpp=bezierPP(p0,p1,p2); if(abs2(lpp) > this.epsilon) return lpp; return bezierPPP(p0,p1,p2,p3); } sumderivative(p0,p1,p2,p3,p4,p5,p6) { let d0=this.derivative(p0,p1,p2,p3); let d1=this.derivative(p0,p4,p5,p6); return [d0[0]+d1[0],d0[1]+d1[1],d0[2]+d1[2]]; } normal(left3,left2,left1,middle,right1,right2,right3) { let ux=right1[0]-middle[0]; let uy=right1[1]-middle[1]; let uz=right1[2]-middle[2]; let vx=left1[0]-middle[0]; let vy=left1[1]-middle[1]; let vz=left1[2]-middle[2]; let n=[uy*vz-uz*vy, uz*vx-ux*vz, ux*vy-uy*vx]; if(abs2(n) > this.epsilon) return unit(n); let lp=[vx,vy,vz]; let rp=[ux,uy,uz]; let lpp=bezierPP(middle,left1,left2); let rpp=bezierPP(middle,right1,right2); let a=cross(rpp,lp); let b=cross(rp,lpp); n=[a[0]+b[0], a[1]+b[1], a[2]+b[2]]; if(abs2(n) > this.epsilon) return unit(n); let lppp=bezierPPP(middle,left1,left2,left3); let rppp=bezierPPP(middle,right1,right2,right3); a=cross(rpp,lpp); b=cross(rp,lppp); let c=cross(rppp,lp); let d=cross(rppp,lpp); let e=cross(rpp,lppp); let f=cross(rppp,lppp); return unit([9*a[0]+3*(b[0]+c[0]+d[0]+e[0])+f[0], 9*a[1]+3*(b[1]+c[1]+d[1]+e[1])+f[1], 9*a[2]+3*(b[2]+c[2]+d[2]+e[2])+f[2]]); } } class BezierCurve extends Geometry { constructor(controlpoints,CenterIndex,MaterialIndex,Min,Max) { super(); this.controlpoints=controlpoints; this.Min=Min; this.Max=Max; this.CenterIndex=CenterIndex; this.MaterialIndex=MaterialIndex; } setMaterialIndex() { this.setMaterial(material1Data,drawMaterial1); } processLine(p) { let p0=p[0]; let p1=p[1]; if(!this.offscreen([p0,p1])) { this.data.indices.push(this.data.vertex1(p0)); this.data.indices.push(this.data.vertex1(p1)); this.append(); } } process(p) { if(p.length == 2) return this.processLine(p); let i0=this.data.vertex1(p[0]); let i3=this.data.vertex1(p[3]); this.Render(p,i0,i3); if(this.data.indices.length > 0) this.append(); } append() { material1Data.append(this.data); } Render(p,I0,I1) { let p0=p[0]; let p1=p[1]; let p2=p[2]; let p3=p[3]; if(Straightness(p0,p1,p2,p3) < this.res2) { // Segment is flat if(!this.offscreen([p0,p3])) { this.data.indices.push(I0); this.data.indices.push(I1); } } else { // Segment is not flat if(this.offscreen(p)) return; let m0=[0.5*(p0[0]+p1[0]),0.5*(p0[1]+p1[1]),0.5*(p0[2]+p1[2])]; let m1=[0.5*(p1[0]+p2[0]),0.5*(p1[1]+p2[1]),0.5*(p1[2]+p2[2])]; let m2=[0.5*(p2[0]+p3[0]),0.5*(p2[1]+p3[1]),0.5*(p2[2]+p3[2])]; let m3=[0.5*(m0[0]+m1[0]),0.5*(m0[1]+m1[1]),0.5*(m0[2]+m1[2])]; let m4=[0.5*(m1[0]+m2[0]),0.5*(m1[1]+m2[1]),0.5*(m1[2]+m2[2])]; let m5=[0.5*(m3[0]+m4[0]),0.5*(m3[1]+m4[1]),0.5*(m3[2]+m4[2])]; let s0=[p0,m0,m3,m5]; let s1=[m5,m4,m2,p3]; let i0=this.data.vertex1(m5); this.Render(s0,I0,i0); this.Render(s1,i0,I1); } } } class Pixel extends Geometry { constructor(controlpoint,width,MaterialIndex,Min,Max) { super(); this.controlpoint=controlpoint; this.width=width; this.CenterIndex=0; this.MaterialIndex=MaterialIndex; this.Min=Min; this.Max=Max; } setMaterialIndex() { this.setMaterial(material0Data,drawMaterial0); } process(p) { this.data.indices.push(this.data.vertex0(this.controlpoint,this.width)); this.append(); } append() { material0Data.append(this.data); } } class Triangles extends Geometry { constructor(MaterialIndex,Min,Max) { super(); this.CenterIndex=0; this.MaterialIndex=MaterialIndex; this.Min=Min; this.Max=Max; this.Positions=Positions; this.Normals=Normals; this.Colors=Colors; this.Indices=Indices; Positions=[]; Normals=[]; Colors=[]; Indices=[]; this.transparent=Materials[MaterialIndex].diffuse[3] < 1; } setMaterialIndex() { if(this.transparent) this.setMaterial(transparentData,drawTransparent); else this.setMaterial(triangleData,drawTriangle); } process(p) { // Override materialIndex to encode color vs material materialIndex=this.Colors.length > 0 ? -1-materialIndex : 1+materialIndex; for(let i=0, n=this.Indices.length; i < n; ++i) { let index=this.Indices[i]; let PI=index[0]; let P0=this.Positions[PI[0]]; let P1=this.Positions[PI[1]]; let P2=this.Positions[PI[2]]; if(!this.offscreen([P0,P1,P2])) { let NI=index.length > 1 ? index[1] : PI; if(!NI || NI.length == 0) NI=PI; if(this.Colors.length > 0) { let CI=index.length > 2 ? index[2] : PI; if(!CI || CI.length == 0) CI=PI; let C0=this.Colors[CI[0]]; let C1=this.Colors[CI[1]]; let C2=this.Colors[CI[2]]; this.transparent |= C0[3]+C1[3]+C2[3] < 765; this.data.iVertex(PI[0],P0,this.Normals[NI[0]],C0); this.data.iVertex(PI[1],P1,this.Normals[NI[1]],C1); this.data.iVertex(PI[2],P2,this.Normals[NI[2]],C2); } else { this.data.iVertex(PI[0],P0,this.Normals[NI[0]]); this.data.iVertex(PI[1],P1,this.Normals[NI[1]]); this.data.iVertex(PI[2],P2,this.Normals[NI[2]]); } } } this.data.nvertices=this.Positions.length; if(this.data.indices.length > 0) this.append(); } append() { if(this.transparent) transparentData.append(this.data); else triangleData.append(this.data); } } function home() { mat4.identity(rotMat); initProjection(); setProjection(); remesh=true; draw(); } let positionAttribute=0; let normalAttribute=1; let materialAttribute=2; let colorAttribute=3; let widthAttribute=4; function initShader(options=[]) { let vertexShader=getShader(gl,vertex,gl.VERTEX_SHADER,options); let fragmentShader=getShader(gl,fragment,gl.FRAGMENT_SHADER,options); let shader=gl.createProgram(); gl.attachShader(shader,vertexShader); gl.attachShader(shader,fragmentShader); gl.bindAttribLocation(shader,positionAttribute,"position"); gl.bindAttribLocation(shader,normalAttribute,"normal"); gl.bindAttribLocation(shader,materialAttribute,"materialIndex"); gl.bindAttribLocation(shader,colorAttribute,"color"); gl.bindAttribLocation(shader,widthAttribute,"width"); gl.linkProgram(shader); if (!gl.getProgramParameter(shader,gl.LINK_STATUS)) { alert("Could not initialize shaders"); } return shader; } class Split3 { constructor(z0,c0,c1,z1) { this.m0=[0.5*(z0[0]+c0[0]),0.5*(z0[1]+c0[1]),0.5*(z0[2]+c0[2])]; let m1_0=0.5*(c0[0]+c1[0]); let m1_1=0.5*(c0[1]+c1[1]); let m1_2=0.5*(c0[2]+c1[2]); this.m2=[0.5*(c1[0]+z1[0]),0.5*(c1[1]+z1[1]),0.5*(c1[2]+z1[2])]; this.m3=[0.5*(this.m0[0]+m1_0),0.5*(this.m0[1]+m1_1), 0.5*(this.m0[2]+m1_2)]; this.m4=[0.5*(m1_0+this.m2[0]),0.5*(m1_1+this.m2[1]), 0.5*(m1_2+this.m2[2])]; this.m5=[0.5*(this.m3[0]+this.m4[0]),0.5*(this.m3[1]+this.m4[1]), 0.5*(this.m3[2]+this.m4[2])]; } } function iszero(v) { return v[0] == 0 && v[1] == 0 && v[2] == 0; } function unit(v) { let norm=1/(Math.sqrt(v[0]*v[0]+v[1]*v[1]+v[2]*v[2]) || 1); return [v[0]*norm,v[1]*norm,v[2]*norm]; } function abs2(v) { return v[0]*v[0]+v[1]*v[1]+v[2]*v[2]; } function dot(u,v) { return u[0]*v[0]+u[1]*v[1]+u[2]*v[2]; } function cross(u,v) { return [u[1]*v[2]-u[2]*v[1], u[2]*v[0]-u[0]*v[2], u[0]*v[1]-u[1]*v[0]]; } // Return one-sixth of the second derivative of the Bezier curve defined // by a,b,c,d at 0. function bezierPP(a,b,c) { return [a[0]+c[0]-2*b[0], a[1]+c[1]-2*b[1], a[2]+c[2]-2*b[2]]; } // Return one-third of the third derivative of the Bezier curve defined by // a,b,c,d at 0. function bezierPPP(a,b,c,d) { return [d[0]-a[0]+3*(b[0]-c[0]), d[1]-a[1]+3*(b[1]-c[1]), d[2]-a[2]+3*(b[2]-c[2])]; } /** * Return the maximum distance squared of points c0 and c1 from * the respective internal control points of z0--z1. */ function Straightness(z0,c0,c1,z1) { let v=[third*(z1[0]-z0[0]),third*(z1[1]-z0[1]),third*(z1[2]-z0[2])]; return Math.max(abs2([c0[0]-v[0]-z0[0],c0[1]-v[1]-z0[1],c0[2]-v[2]-z0[2]]), abs2([z1[0]-v[0]-c1[0],z1[1]-v[1]-c1[1],z1[2]-v[2]-c1[2]])); } /** * Return the perpendicular distance squared of a point z from the plane * through u with unit normal n. */ function Distance2(z,u,n) { let d=dot([z[0]-u[0],z[1]-u[1],z[2]-u[2]],n); return d*d; } // Return the vertices of the box containing 3d points m and M. function corners(m,M) { return [m,[m[0],m[1],M[2]],[m[0],M[1],m[2]],[m[0],M[1],M[2]], [M[0],m[1],m[2]],[M[0],m[1],M[2]],[M[0],M[1],m[2]],M]; } /** * Perform a change of basis * @param {*} out Out Matrix * @param {*} mat Matrix * * Compute the matrix (translMatrix) * mat * (translMatrix)^{-1} */ function COBTarget(out,mat) { mat4.fromTranslation(translMat,[center.x,center.y,center.z]) mat4.invert(cjMatInv,translMat); mat4.multiply(out,mat,cjMatInv); mat4.multiply(out,translMat,out); } function setUniforms(data,shader) { let pixel=shader == pixelShader; gl.useProgram(shader); gl.enableVertexAttribArray(positionAttribute); if(pixel) gl.enableVertexAttribArray(widthAttribute); let normals=shader != noNormalShader && !pixel && Lights.length > 0; if(normals) gl.enableVertexAttribArray(normalAttribute); gl.enableVertexAttribArray(materialAttribute); shader.projViewMatUniform=gl.getUniformLocation(shader,"projViewMat"); shader.viewMatUniform=gl.getUniformLocation(shader,"viewMat"); shader.normMatUniform=gl.getUniformLocation(shader,"normMat"); if(shader == colorShader || shader == transparentShader) gl.enableVertexAttribArray(colorAttribute); if(normals) { for(let i=0; i < Lights.length; ++i) Lights[i].setUniform(shader,i); } for(let i=0; i < data.materials.length; ++i) data.materials[i].setUniform(shader,i); gl.uniformMatrix4fv(shader.projViewMatUniform,false,projViewMat); gl.uniformMatrix4fv(shader.viewMatUniform,false,viewMat); gl.uniformMatrix3fv(shader.normMatUniform,false,normMat); } function handleMouseDown(event) { if(!zoomEnabled) enableZoom(); mouseDownOrTouchActive=true; lastMouseX=event.clientX; lastMouseY=event.clientY; } let pinch=false; let pinchStart; function pinchDistance(touches) { return Math.hypot( touches[0].pageX-touches[1].pageX, touches[0].pageY-touches[1].pageY); } let touchStartTime; function handleTouchStart(event) { event.preventDefault(); if(!zoomEnabled) enableZoom(); let touches=event.targetTouches; swipe=rotate=pinch=false; if(zooming) return; if(touches.length == 1 && !mouseDownOrTouchActive) { touchStartTime=new Date().getTime(); touchId=touches[0].identifier; lastMouseX=touches[0].pageX, lastMouseY=touches[0].pageY; } if(touches.length == 2 && !mouseDownOrTouchActive) { touchId=touches[0].identifier; pinchStart=pinchDistance(touches); pinch=true; } } function handleMouseUpOrTouchEnd(event) { mouseDownOrTouchActive=false; } function rotateScene(lastX,lastY,rawX,rawY,factor) { if(lastX == rawX && lastY == rawY) return; let [angle,axis]=arcball([lastX,-lastY],[rawX,-rawY]); mat4.fromRotation(rotMats,2*factor*ArcballFactor*angle/lastzoom,axis); mat4.multiply(rotMat,rotMats,rotMat); } function shiftScene(lastX,lastY,rawX,rawY) { let zoominv=1/lastzoom; shift.x += (rawX-lastX)*zoominv*halfCanvasWidth; shift.y -= (rawY-lastY)*zoominv*halfCanvasHeight; } function panScene(lastX,lastY,rawX,rawY) { if (orthographic) { shiftScene(lastX,lastY,rawX,rawY); } else { center.x += (rawX-lastX)*(viewParam.xmax-viewParam.xmin); center.y -= (rawY-lastY)*(viewParam.ymax-viewParam.ymin); } } function updateViewMatrix() { COBTarget(viewMat,rotMat); mat4.translate(viewMat,viewMat,[center.x,center.y,0]); mat3.fromMat4(viewMat3,viewMat); mat3.invert(normMat,viewMat3); mat4.multiply(projViewMat,projMat,viewMat); } function capzoom() { let maxzoom=Math.sqrt(Number.MAX_VALUE); let minzoom=1/maxzoom; if(Zoom <= minzoom) Zoom=minzoom; if(Zoom >= maxzoom) Zoom=maxzoom; if(Zoom != lastzoom) remesh=true; lastzoom=Zoom; } function zoomImage(diff) { let stepPower=zoomStep*halfCanvasHeight*diff; const limit=Math.log(0.1*Number.MAX_VALUE)/Math.log(zoomFactor); if(Math.abs(stepPower) < limit) { Zoom *= zoomFactor**stepPower; capzoom(); } } function normMouse(v) { let v0=v[0]; let v1=v[1]; let norm=Math.hypot(v0,v1); if(norm > 1) { denom=1/norm; v0 *= denom; v1 *= denom; } return [v0,v1,Math.sqrt(Math.max(1-v1*v1-v0*v0,0))]; } function arcball(oldmouse,newmouse) { let oldMouse=normMouse(oldmouse); let newMouse=normMouse(newmouse); let Dot=dot(oldMouse,newMouse); if(Dot > 1) Dot=1; else if(Dot < -1) Dot=-1; return [Math.acos(Dot),unit(cross(oldMouse,newMouse))] } /** * Mouse Drag Zoom * @param {*} lastX unused * @param {*} lastY * @param {*} rawX unused * @param {*} rawY */ function zoomScene(lastX,lastY,rawX,rawY) { zoomImage(lastY-rawY); } // mode: const DRAGMODE_ROTATE=1; const DRAGMODE_SHIFT=2; const DRAGMODE_ZOOM=3; const DRAGMODE_PAN=4 function processDrag(newX,newY,mode,factor=1) { let dragFunc; switch (mode) { case DRAGMODE_ROTATE: dragFunc=rotateScene; break; case DRAGMODE_SHIFT: dragFunc=shiftScene; break; case DRAGMODE_ZOOM: dragFunc=zoomScene; break; case DRAGMODE_PAN: dragFunc=panScene; break; default: dragFunc=(_a,_b,_c,_d) => {}; break; } let lastX=(lastMouseX-halfCanvasWidth)/halfCanvasWidth; let lastY=(lastMouseY-halfCanvasHeight)/halfCanvasHeight; let rawX=(newX-halfCanvasWidth)/halfCanvasWidth; let rawY=(newY-halfCanvasHeight)/halfCanvasHeight; dragFunc(lastX,lastY,rawX,rawY,factor); lastMouseX=newX; lastMouseY=newY; setProjection(); draw(); } let zoomEnabled=0; function enableZoom() { zoomEnabled=1; canvas.addEventListener("wheel",handleMouseWheel,false); } function disableZoom() { zoomEnabled=0; canvas.removeEventListener("wheel",handleMouseWheel,false); } function handleKey(event) { let ESC=27; if(!zoomEnabled) enableZoom(); if(embedded && zoomEnabled && event.keyCode == ESC) { disableZoom(); return; } let keycode=event.key; let axis=[]; switch(keycode) { case 'x': axis=[1,0,0]; break; case 'y': axis=[0,1,0]; break; case 'z': axis=[0,0,1]; break; case 'h': home(); break; case '+': case '=': case '>': expand(); break; case '-': case '_': case '<': shrink(); break; default: break; } if(axis.length > 0) { mat4.rotate(rotMat,rotMat,0.1,axis); updateViewMatrix(); draw(); } } function handleMouseWheel(event) { event.preventDefault(); if (event.deltaY < 0) { Zoom *= zoomFactor; } else { Zoom /= zoomFactor; } capzoom(); setProjection(); draw(); } function handleMouseMove(event) { if(!mouseDownOrTouchActive) { return; } let newX=event.clientX; let newY=event.clientY; let mode; if(event.getModifierState("Control")) { mode=DRAGMODE_SHIFT; } else if(event.getModifierState("Shift")) { mode=DRAGMODE_ZOOM; } else if(event.getModifierState("Alt")) { mode=DRAGMODE_PAN; } else { mode=DRAGMODE_ROTATE; } processDrag(newX,newY,mode); } let zooming=false; let swipe=false; let rotate=false; function handleTouchMove(event) { event.preventDefault(); if(zooming) return; let touches=event.targetTouches; if(!pinch && touches.length == 1 && touchId == touches[0].identifier) { let newX=touches[0].pageX; let newY=touches[0].pageY; let dx=newX-lastMouseX; let dy=newY-lastMouseY; let stationary=dx*dx+dy*dy <= shiftHoldDistance*shiftHoldDistance; if(stationary) { if(!swipe && !rotate && new Date().getTime()-touchStartTime > shiftWaitTime) { if(navigator.vibrate) window.navigator.vibrate(vibrateTime); swipe=true; } } if(swipe) processDrag(newX,newY,DRAGMODE_SHIFT); else if(!stationary) { rotate=true; let newX=touches[0].pageX; let newY=touches[0].pageY; processDrag(newX,newY,DRAGMODE_ROTATE,0.5); } } if(pinch && !swipe && touches.length == 2 && touchId == touches[0].identifier) { let distance=pinchDistance(touches); let diff=distance-pinchStart; zooming=true; diff *= zoomPinchFactor; if(diff > zoomPinchCap) diff=zoomPinchCap; if(diff < -zoomPinchCap) diff=-zoomPinchCap; zoomImage(diff/size2); pinchStart=distance; swipe=rotate=zooming=false; setProjection(); draw(); } } let zbuffer=[]; function transformVertices(vertices) { let Tz0=viewMat[2]; let Tz1=viewMat[6]; let Tz2=viewMat[10]; zbuffer.length=vertices.length; for(let i=0; i < vertices.length; ++i) { let i6=6*i; zbuffer[i]=Tz0*vertices[i6]+Tz1*vertices[i6+1]+Tz2*vertices[i6+2]; } } function drawMaterial0() { drawBuffer(material0Data,pixelShader); material0Data.clear(); } function drawMaterial1() { drawBuffer(material1Data,noNormalShader); material1Data.clear(); } function drawMaterial() { drawBuffer(materialData,materialShader); materialData.clear(); } function drawColor() { drawBuffer(colorData,colorShader); colorData.clear(); } function drawTriangle() { drawBuffer(triangleData,transparentShader); triangleData.clear(); } function drawTransparent() { let indices=transparentData.indices; if(indices.length > 0) { transformVertices(transparentData.vertices); let n=indices.length/3; let triangles=Array(n).fill().map((_,i)=>i); triangles.sort(function(a,b) { let a3=3*a; Ia=indices[a3]; Ib=indices[a3+1]; Ic=indices[a3+2]; let b3=3*b; IA=indices[b3]; IB=indices[b3+1]; IC=indices[b3+2]; return zbuffer[Ia]+zbuffer[Ib]+zbuffer[Ic] < zbuffer[IA]+zbuffer[IB]+zbuffer[IC] ? -1 : 1; }); let Indices=Array(indices.length); for(let i=0; i < n; ++i) { let i3=3*i; let t=3*triangles[i]; Indices[3*i]=indices[t]; Indices[3*i+1]=indices[t+1]; Indices[3*i+2]=indices[t+2]; } gl.depthMask(false); // Enable transparency drawBuffer(transparentData,transparentShader,Indices); gl.depthMask(true); // Disable transparency } transparentData.clear(); } function drawBuffers() { drawMaterial0(); drawMaterial1(); drawMaterial(); drawColor(); drawTriangle(); drawTransparent(); } function draw() { if(embedded) { offscreen.width=canvas.width; offscreen.height=canvas.height; setViewport(); } gl.clearColor(Background[0],Background[1],Background[2],Background[3]); gl.clear(gl.COLOR_BUFFER_BIT | gl.DEPTH_BUFFER_BIT); for(let i=0; i < P.length; ++i) P[i].render(); drawBuffers(); if(embedded) { context.clearRect(0,0,canvas.width,canvas.height); context.drawImage(offscreen,0,0); } remesh=false; } function setDimensions(width,height,X,Y) { let Aspect=width/height; let zoominv=1/lastzoom; let xshift=(X/width+viewportshift[0])*lastzoom; let yshift=(Y/height+viewportshift[1])*lastzoom; if (orthographic) { let xsize=B[0]-b[0]; let ysize=B[1]-b[1]; if (xsize < ysize*Aspect) { let r=0.5*ysize*Aspect*zoominv; let X0=2*r*xshift; let Y0=ysize*zoominv*yshift; viewParam.xmin=-r-X0; viewParam.xmax=r-X0; viewParam.ymin=b[1]*zoominv-Y0; viewParam.ymax=B[1]*zoominv-Y0; } else { let r=0.5*xsize/(Aspect*Zoom); let X0=xsize*zoominv*xshift; let Y0=2*r*yshift; viewParam.xmin=b[0]*zoominv-X0; viewParam.xmax=B[0]*zoominv-X0; viewParam.ymin=-r-Y0; viewParam.ymax=r-Y0; } } else { let r=H*zoominv; let rAspect=r*Aspect; let X0=2*rAspect*xshift; let Y0=2*r*yshift; viewParam.xmin=-rAspect-X0; viewParam.xmax=rAspect-X0; viewParam.ymin=-r-Y0; viewParam.ymax=r-Y0; } } function setProjection() { setDimensions(canvasWidth,canvasHeight,shift.x,shift.y); let f=orthographic ? mat4.ortho : mat4.frustum; f(projMat,viewParam.xmin,viewParam.xmax, viewParam.ymin,viewParam.ymax, -viewParam.zmax,-viewParam.zmin); updateViewMatrix(); } function initProjection() { H=-Math.tan(0.5*angle)*B[2]; center.x=center.y=0; center.z=0.5*(b[2]+B[2]); lastzoom=Zoom=Zoom0; viewParam.zmin=b[2]; viewParam.zmax=B[2]; shift.x=shift.y=0; } function setViewport() { gl.viewportWidth=canvasWidth; gl.viewportHeight=canvasHeight; gl.viewport(0,0,gl.viewportWidth,gl.viewportHeight); gl.scissor(0,0,gl.viewportWidth,gl.viewportHeight); } function setCanvas() { canvas.width=canvasWidth; canvas.height=canvasHeight; if(embedded) { offscreen.width=canvasWidth; offscreen.height=canvasHeight; } size2=Math.hypot(canvasWidth,canvasHeight); halfCanvasWidth=0.5*canvasWidth; halfCanvasHeight=0.5*canvasHeight; } function setsize(w,h) { if(w > maxViewportWidth) w=maxViewportWidth; if(h > maxViewportHeight) h=maxViewportHeight; shift.x *= w/canvasWidth; shift.y *= h/canvasHeight; canvasWidth=w; canvasHeight=h; setCanvas(); setViewport(); home(); } function expand() { setsize(canvasWidth*resizeStep+0.5,canvasHeight*resizeStep+0.5); } function shrink() { setsize(Math.max((canvasWidth/resizeStep+0.5),1), Math.max((canvasHeight/resizeStep+0.5),1)); } let pixelShader,noNormalShader,materialShader,colorShader,transparentShader; function webGLStart() { canvas=document.getElementById("Asymptote"); embedded=window.top.document != document; initGL(); if(absolute && !embedded) { canvasWidth *= window.devicePixelRatio; canvasHeight *= window.devicePixelRatio; } else { canvas.width=Math.max(window.innerWidth-windowTrim,windowTrim); canvas.height=Math.max(window.innerHeight-windowTrim,windowTrim); let Aspect=canvasWidth/canvasHeight; if(canvas.width > canvas.height*Aspect) canvas.width=Math.min(canvas.height*Aspect,canvas.width); else canvas.height=Math.min(canvas.width/Aspect,canvas.height); if(canvas.width > 0) canvasWidth=canvas.width; if(canvas.height > 0) canvasHeight=canvas.height; } setCanvas(); ArcballFactor=1+8*Math.hypot(viewportmargin[0],viewportmargin[1])/size2; viewportshift[0] /= Zoom0; viewportshift[1] /= Zoom0; gl.enable(gl.BLEND); gl.blendFunc(gl.SRC_ALPHA,gl.ONE_MINUS_SRC_ALPHA); gl.enable(gl.DEPTH_TEST); gl.enable(gl.SCISSOR_TEST); setViewport(); home(); canvas.onmousedown=handleMouseDown; document.onmouseup=handleMouseUpOrTouchEnd; document.onmousemove=handleMouseMove; canvas.onkeydown=handleKey; if(!embedded) enableZoom(); canvas.addEventListener("touchstart",handleTouchStart,false); canvas.addEventListener("touchend",handleMouseUpOrTouchEnd,false); canvas.addEventListener("touchcancel",handleMouseUpOrTouchEnd,false); canvas.addEventListener("touchleave",handleMouseUpOrTouchEnd,false); canvas.addEventListener("touchmove",handleTouchMove,false); document.addEventListener("keydown",handleKey,false); } asymptote-2.62/webgl/license0000644000000000000000000000145713607467113014652 0ustar rootroot/*@license AsyGL: Render Bezier patches and triangles via subdivision with WebGL. Copyright 2019: John C. Bowman and Supakorn "Jamie" Rassameemasmuang University of Alberta This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program. If not, see . */ asymptote-2.62/webgl/fragment.glsl0000644000000000000000000000414213607467113015765 0ustar rootroot#ifdef NORMAL #ifndef ORTHOGRAPHIC varying vec3 ViewPosition; #endif varying vec3 Normal; varying vec4 diffuse; varying vec3 specular; varying float roughness,metallic,fresnel0; float Roughness2; vec3 normal; struct Light { vec3 direction; vec3 color; }; uniform Light Lights[Nlights]; float NDF_TRG(vec3 h) { float ndoth=max(dot(normal,h),0.0); float alpha2=Roughness2*Roughness2; float denom=ndoth*ndoth*(alpha2-1.0)+1.0; return denom != 0.0 ? alpha2/(denom*denom) : 0.0; } float GGX_Geom(vec3 v) { float ndotv=max(dot(v,normal),0.0); float ap=1.0+Roughness2; float k=0.125*ap*ap; return ndotv/((ndotv*(1.0-k))+k); } float Geom(vec3 v, vec3 l) { return GGX_Geom(v)*GGX_Geom(l); } float Fresnel(vec3 h, vec3 v, float fresnel0) { float a=1.0-max(dot(h,v),0.0); float b=a*a; return fresnel0+(1.0-fresnel0)*b*b*a; } // physical based shading using UE4 model. vec3 BRDF(vec3 viewDirection, vec3 lightDirection) { vec3 lambertian=diffuse.rgb; vec3 h=normalize(lightDirection+viewDirection); float omegain=max(dot(viewDirection,normal),0.0); float omegali=max(dot(lightDirection,normal),0.0); float D=NDF_TRG(h); float G=Geom(viewDirection,lightDirection); float F=Fresnel(h,viewDirection,fresnel0); float denom=4.0*omegain*omegali; float rawReflectance=denom > 0.0 ? (D*G)/denom : 0.0; vec3 dielectric=mix(lambertian,rawReflectance*specular,F); vec3 metal=rawReflectance*diffuse.rgb; return mix(dielectric,metal,metallic); } #endif varying vec4 emissive; void main(void) { #if defined(NORMAL) && nlights > 0 normal=normalize(Normal); normal=gl_FrontFacing ? normal : -normal; #ifdef ORTHOGRAPHIC vec3 viewDir=vec3(0.0,0.0,1.0); #else vec3 viewDir=-normalize(ViewPosition); #endif Roughness2=roughness*roughness; vec3 color=emissive.rgb; for(int i=0; i < nlights; ++i) { Light Li=Lights[i]; vec3 L=Li.direction; float cosTheta=max(dot(normal,L),0.0); vec3 radiance=cosTheta*Li.color; color += BRDF(viewDir,L)*radiance; } gl_FragColor=vec4(color,diffuse.a); #else gl_FragColor=emissive; #endif } asymptote-2.62/flatguide.h0000644000000000000000000001020713607467113014313 0ustar rootroot/***** * flatguide.h * Andy Hammerlindl 2005/02/23 * * The data structure that builds up a knotlist. This is done by calling in * order the methods to set knots, specifiers, and tensions. * Used by the guide solving routines. * * NOTE: figure out how nullpath{}..a should be handled. *****/ #ifndef FLATGUIDE_H #define FLATGUIDE_H #include "knot.h" #include "guideflags.h" namespace camp { class flatguide { // A cached solution of the path. When traversing through a tree of guides, // if a cycle tag is encountered, then the path is solved up to that point. // If the guide continues from there (which rarely occurs in practice), all of // the control points solved are added as control specifiers, and then solved // into a path again. In the (usual) case that a cycle ends a path, the // cached path avoids this second pass. bool solved; // Used by reverse(guide) to indicate the presence of an unresolved // interior cycle. bool precycle; path p; cvector nodes; // Information before the first knot. For a non-cyclic guide, this is // ignored. For a cyclic guide, it may be useful, but I can't determine a // sensible way to use it yet. tension tout; spec *out; // Information for the next knot to come. tension tin; spec *in; static spec open; tension& tref(side s) { switch (s) { case OUT: return nodes.empty() ? tout : nodes.back().tout; case IN: default: return tin; } } // Returns a reference to a spec* so that it may be assigned. spec*& sref(side s) { switch (s) { case OUT: return nodes.empty() ? out : nodes.back().out; case IN: default: return in; } } void addPre(path& p, Int j); void addPoint(path& p, Int j); void addPost(path& p, Int j); void clearNodes() { nodes.clear(); in=&open; tin=tension(); } void clearPath() { p=path(); solved=false; } void uncheckedAdd(path p, bool allowsolve=true); // Sets solved to false, indicating that the path has been updated since last // being solved. Also, copies a solved path back in as knots and control // specifiers, as it will have to be solved again. void update() { if (solved) { solved=false; clearNodes(); add(p); clearPath(); } } public: flatguide() : solved(true), precycle(false), p(), out(&open), in(&open) {} Int size() const { return (Int) nodes.size(); } knot Nodes(Int i) const { return nodes[i]; } void setTension(tension t, side s) { update(); tref(s)=t; } void setSpec(spec *p, side s) { assert(p); update(); spec *&ref=sref(s); // Control specifiers trump normal direction specifiers. if (!ref || !ref->controlled() || p->controlled()) ref=p; } void add(pair z) { update(); // Push the pair onto the vector as a knot, using the current in-specifier // and in-tension for the in side for the knot. Use default values for the // out side, as those will be set after the point is added. nodes.push_back(knot(z,in,&open,tin,tension())); // Reset the in-spec and in-tension to defaults; tin=tension(); in=&open; } // Reverts to an empty state. void add(path p, bool allowsolve=true) { update(); uncheckedAdd(p,allowsolve); } void clear() { clearNodes(); clearPath(); } void close() { if(!nodes.empty()) { nodes.front().in=in; nodes.front().tin=tin; } } void resolvecycle() { if(!nodes.empty()) nodes.push_back(nodes.front()); } void precyclic(bool b) { precycle=b; } bool precyclic() { return precycle; } // Once all information has been added, release the flat result. simpleknotlist list(bool cycles=false) { if(cycles && !nodes.empty()) close(); return simpleknotlist(nodes,cycles); } // Yield a path from the guide as represented here. path solve(bool cycles=false) { if (solved) return p; else { simpleknotlist l=list(cycles); p=camp::solve(l); solved=true; return p; } } }; } // namespace camp #endif // FLATGUIDE_H asymptote-2.62/profile.py0000644000000000000000000000451213607467113014212 0ustar rootroot#!/usr/bin/env python3 import sys from pprint import pprint # Unused line numbers required by kcachegrind. POS = '1' def nameFromNode(tree): name = tree['name'] pos = tree['pos'] if pos.endswith(": "): pos = pos[:-2] return (name, pos) def addFuncNames(tree, s): s.add(nameFromNode(tree)) for child in tree['children']: addFuncNames(child, s) def funcNames(tree): s = set() addFuncNames(tree, s) return s def computeTotals(tree): for child in tree['children']: computeTotals(child) tree['instTotal'] = (tree['instructions'] + sum(child['instTotal'] for child in tree['children'])) tree['nsecsTotal'] = (tree['nsecs'] + sum(child['nsecsTotal'] for child in tree['children'])) def printName(name, prefix=''): print (prefix+"fl=", name[1]) print (prefix+"fn=", name[0]) class Arc: def __init__(self): self.calls = 0 self.instTotal = 0 self.nsecsTotal = 0 def add(self, tree): self.calls += tree['calls'] self.instTotal += tree['instTotal'] self.nsecsTotal += tree['nsecsTotal'] class Func: def __init__(self): self.instructions = 0 self.nsecs = 0 self.arcs = {} def addChildTime(self, tree): arc = self.arcs.setdefault(nameFromNode(tree), Arc()) arc.add(tree) def analyse(self, tree): self.instructions += tree['instructions'] self.nsecs += tree['nsecs'] for child in tree['children']: self.addChildTime(child) def dump(self): print (POS, self.instructions, self.nsecs) for name in self.arcs: printName(name, prefix='c') arc = self.arcs[name] print ("calls="+str(arc.calls), POS) print (POS, arc.instTotal, arc.nsecsTotal) print () def analyse(funcs, tree): funcs[nameFromNode(tree)].analyse(tree) for child in tree['children']: analyse(funcs, child) def dump(funcs): print ("events: Instructions Nanoseconds") for name in funcs: printName(name) funcs[name].dump() rawdata = __import__("asyprof") profile = rawdata.profile computeTotals(profile) names = funcNames(profile) funcs = {} for name in names: funcs[name] = Func() analyse(funcs, profile) dump(funcs) #pprint(names) asymptote-2.62/bezierpatch.cc0000644000000000000000000006435013607467113015015 0ustar rootroot/***** * drawbezierpatch.cc * Authors: John C. Bowman and Jesse Frohlich * * Render Bezier patches and triangles. *****/ #include "bezierpatch.h" #include "predicates.h" namespace camp { using ::orient2d; using ::orient3d; #ifdef HAVE_GL int MaterialIndex; //std::vector& I=transparentData.Indices; //std::vector& V=transparentData.Vertices; bool colors; std::vector zbuffer; std::vector xbuffer; std::vector ybuffer; //std::vector xmin,ymin,zmin; //std::vector xmax,ymax,zmax; std::vector zsum; inline double min(double a, double b, double c) { return min(min(a,b),c); } inline double max(double a, double b, double c) { return max(max(a,b),c); } struct iz { unsigned i; double z; iz() {} void minimum(unsigned i, const std::vector& I) { this->i=i; unsigned i3=3*i; z=min(zbuffer[I[i3]],zbuffer[I[i3+1]],zbuffer[I[i3+2]]); } }; std::vector IZ; const double FillFactor=0.1; const double BezierFactor=0.4; inline int sgn1(double x) { return x >= 0.0 ? 1 : -1; } inline int sgn(double x) { return (x > 0.0 ? 1 : (x < 0.0 ? -1 : 0)); } bool sameside(const double *a, const double *b, int s0, const double *A, const double *B, const double *C) { if(sgn(orient2d(a,b,A)) == s0) return true; if(sgn(orient2d(a,b,B)) == s0) return true; if(sgn(orient2d(a,b,C)) == s0) return true; return false; } // returns true iff 2D triangles abc and ABC intersect bool intersect2D(const double *a, const double *b, const double *c, const double *A, const double *B, const double *C) { int s0=sgn(orient2d(a,b,c)); // Optimize away int S0=sgn(orient2d(A,B,C)); // Optimize away return sameside(a,b,s0,A,B,C) && sameside(b,c,s0,A,B,C) && sameside(c,a,s0,A,B,C) && sameside(A,B,S0,a,b,c) && sameside(B,C,S0,a,b,c) && sameside(C,A,S0,a,b,c); } // returns true iff triangle abc is pierced by line segment AB. bool pierce(const double *a, const double *b, const double *c, const double *A, const double *B) { int sa=sgn(orient3d(A,b,c,B)); int sb=sgn(orient3d(A,c,a,B)); int sc=sgn(orient3d(A,a,b,B)); return sa == sb && sb == sc; } // returns true iff triangle abc is pierced by an edge of triangle ABC bool intersect0(const double *a, const double *b, const double *c, const double *A, const double *B, const double *C, int sA, int sB, int sC) { if(sA != sB) { if(pierce(a,b,c,A,B)) return true; if(sC != sA) { if(pierce(a,b,c,C,A)) return true; } else { if(pierce(a,b,c,B,C)) return true; } } else { if(pierce(a,b,c,B,C)) return true; if(pierce(a,b,c,C,A)) return true; } return false; } // returns true iff triangle abc intersects triangle ABC bool intersect3D(const double *a, const double *b, const double *c, const double *A, const double *B, const double *C) { int sA=sgn(orient3d(a,b,c,A)); int sB=sgn(orient3d(a,b,c,B)); int sC=sgn(orient3d(a,b,c,C)); if(sA == sB && sB == sC) return false; int sa=sgn(orient3d(A,B,C,a)); int sb=sgn(orient3d(A,B,C,b)); int sc=sgn(orient3d(A,B,C,c)); if(sa == sb && sb == sc) return false; return intersect0(a,b,c,A,B,C,sA,sB,sC) || intersect0(A,B,C,a,b,c,sa,sb,sc); } // Return the intersection time of the extension of the line segment PQ // with the plane perpendicular to n and passing through Z. inline double intersect(const double *P, const double *Q, const double *n, const double *Z) { double d=n[0]*Z[0]+n[1]*Z[1]+n[2]*Z[2]; double denom=n[0]*(Q[0]-P[0])+n[1]*(Q[1]-P[1])+n[2]*(Q[2]-P[2]); return denom == 0 ? DBL_MAX : (d-n[0]*P[0]-n[1]*P[1]-n[2]*P[2])/denom; } inline triple interp(const double *a, const double *b, double t) { return triple(a[0]+t*(b[0]-a[0]),a[1]+t*(b[1]-a[1]),a[2]+t*(b[2]-a[2])); } inline void interp(GLfloat *dest, const GLfloat *a, const GLfloat *b, double t) { double onemt=1.0-t; for(size_t i=0; i < 4; ++i) dest[i]=onemt*a[i]+t*b[i]; } inline triple interp(const triple& a, const triple& b, double t) { return a+(b-a)*t; } inline void cross(double *dest, const double *u, const double *v, const double *w) { double u0=u[0]-w[0]; double u1=u[1]-w[1]; double u2=u[2]-w[2]; double v0=v[0]-w[0]; double v1=v[1]-w[1]; double v2=v[2]-w[2]; dest[0]=u1*v2-u2*v1; dest[1]=u2*v0-u0*v2; dest[2]=u0*v1-u1*v0; } unsigned n; unsigned int count; // Sort nonintersecting triangles by depth. int compare(const void *p, const void *P) { unsigned Ia=((GLuint *) p)[0]; unsigned Ib=((GLuint *) p)[1]; unsigned Ic=((GLuint *) p)[2]; unsigned IA=((GLuint *) P)[0]; unsigned IB=((GLuint *) P)[1]; unsigned IC=((GLuint *) P)[2]; return zbuffer[Ia]+zbuffer[Ib]+zbuffer[Ic] < zbuffer[IA]+zbuffer[IB]+zbuffer[IC] ? -1 : 1; /* double a[]={xbuffer[Ia],ybuffer[Ia],zbuffer[Ia]}; double b[]={xbuffer[Ib],ybuffer[Ib],zbuffer[Ib]}; double c[]={xbuffer[Ic],ybuffer[Ic],zbuffer[Ic]}; double A[]={xbuffer[IA],ybuffer[IA],zbuffer[IA]}; double B[]={xbuffer[IB],ybuffer[IB],zbuffer[IB]}; double C[]={xbuffer[IC],ybuffer[IC],zbuffer[IC]}; double viewpoint[]={0,0,100000}; double sa=-orient3d(A,B,C,a); double sb=-orient3d(A,B,C,b); double sc=-orient3d(A,B,C,c); double s=min(sa,sb,sc); double S=max(sa,sb,sc); double eps=1000; if(s < -eps && S > eps) { //swap double sA=-orient3d(a,b,c,A); double sB=-orient3d(a,b,c,B); double sC=-orient3d(a,b,c,C); double s=min(sA,sB,sC); double S=max(sA,sB,sC); if(S < -s) S=s; int sz=sgn1(orient3d(a,b,c,viewpoint)); if(S < -eps) return -sz; if(S > eps) return sz; } if(S < -s) S=s; int sz=sgn1(orient3d(A,B,C,viewpoint)); if(S < -eps) return sz; if(S > eps) return -sz; return a[2]+b[2]+c[2] < A[2]+B[2]+C[2] ? -1 : 1; */ } #if 0 void split(unsigned i3, GLuint ia, GLuint ib, GLuint ic, double *a, double *b, double *c, double *N, double *A) { double td=intersect(a,b,N,A); double te=intersect(a,c,N,A); triple d=interp(a,b,td); triple e=interp(a,c,te); GLuint Ia=tstride*ia; GLuint Ib=tstride*ib; GLuint Ic=tstride*ic; triple na=triple(V[Ia+3],V[Ia+4],V[Ia+5]); triple nb=triple(V[Ib+3],V[Ib+4],V[Ib+5]); triple nc=triple(V[Ic+3],V[Ic+4],V[Ic+5]); triple nd=interp(na,nb,td); triple ne=interp(na,nc,te); GLuint id,ie; if(colors) { GLfloat *ca=&V[Ia+6]; GLfloat *cb=&V[Ib+6]; GLfloat *cc=&V[Ic+6]; GLfloat cd[4],ce[4]; interp(cd,ca,cb,td); interp(ce,ca,cc,te); id=data.Vertex(d,nd,cd); ie=data.Vertex(e,ne,ce); } else { id=data.Vertex(d,nd); ie=data.Vertex(e,ne); } I[i3]=ia; I[i3+1]=id; I[i3+2]=ie; I.push_back(id); I.push_back(ib); I.push_back(ie); I.push_back(ie); I.push_back(ib); I.push_back(ic); } #endif void BezierPatch::init(double res) { res2=res*res; Res2=BezierFactor*BezierFactor*res2; Epsilon=FillFactor*res; MaterialIndex=transparent ? (color ? -1-materialIndex : 1+materialIndex) : materialIndex; pvertex=transparent ? &vertexBuffer::tvertex : &vertexBuffer::vertex; } void BezierPatch::render(const triple *p, bool straight, GLfloat *c0) { triple p0=p[0]; epsilon=0; for(unsigned i=1; i < 16; ++i) epsilon=max(epsilon,abs2(p[i]-p0)); epsilon *= Fuzz4; triple p3=p[3]; triple p12=p[12]; triple p15=p[15]; triple n0=normal(p3,p[2],p[1],p0,p[4],p[8],p12); if(n0 == 0.0) { n0=normal(p3,p[2],p[1],p0,p[13],p[14],p15); if(n0 == 0.0) n0=normal(p15,p[11],p[7],p3,p[4],p[8],p12); } triple n1=normal(p0,p[4],p[8],p12,p[13],p[14],p15); if(n1 == 0.0) { n1=normal(p0,p[4],p[8],p12,p[11],p[7],p3); if(n1 == 0.0) n1=normal(p3,p[2],p[1],p0,p[13],p[14],p15); } triple n2=normal(p12,p[13],p[14],p15,p[11],p[7],p3); if(n2 == 0.0) { n2=normal(p12,p[13],p[14],p15,p[2],p[1],p0); if(n2 == 0.0) n2=normal(p0,p[4],p[8],p12,p[11],p[7],p3); } triple n3=normal(p15,p[11],p[7],p3,p[2],p[1],p0); if(n3 == 0.0) { n3=normal(p15,p[11],p[7],p3,p[4],p[8],p12); if(n3 == 0.0) n3=normal(p12,p[13],p[14],p15,p[2],p[1],p0); } GLuint i0,i1,i2,i3; if(color) { GLfloat *c1=c0+4; GLfloat *c2=c0+8; GLfloat *c3=c0+12; i0=data.Vertex(p0,n0,c0); i1=data.Vertex(p12,n1,c1); i2=data.Vertex(p15,n2,c2); i3=data.Vertex(p3,n3,c3); if(!straight) render(p,i0,i1,i2,i3,p0,p12,p15,p3,false,false,false,false, c0,c1,c2,c3); } else { i0=(data.*pvertex)(p0,n0); i1=(data.*pvertex)(p12,n1); i2=(data.*pvertex)(p15,n2); i3=(data.*pvertex)(p3,n3); if(!straight) render(p,i0,i1,i2,i3,p0,p12,p15,p3,false,false,false,false); } if(straight) { std::vector &q=data.indices; triple Pa[]={p0,p12,p15}; if(!offscreen(3,Pa)) { q.push_back(i0); q.push_back(i1); q.push_back(i2); } triple Pb[]={p0,p15,p3}; if(!offscreen(3,Pb)) { q.push_back(i0); q.push_back(i2); q.push_back(i3); } } append(); } // Use a uniform partition to draw a Bezier patch. // p is an array of 16 triples representing the control points. // Pi are the (possibly) adjusted vertices indexed by Ii. // The 'flati' are flatness flags for each boundary. void BezierPatch::render(const triple *p, GLuint I0, GLuint I1, GLuint I2, GLuint I3, triple P0, triple P1, triple P2, triple P3, bool flat0, bool flat1, bool flat2, bool flat3, GLfloat *C0, GLfloat *C1, GLfloat *C2, GLfloat *C3) { if(Distance(p) < res2) { // Bezier patch is flat triple Pa[]={P0,P1,P2}; std::vector &q=data.indices; if(!offscreen(3,Pa)) { q.push_back(I0); q.push_back(I1); q.push_back(I2); } triple Pb[]={P0,P2,P3}; if(!offscreen(3,Pb)) { q.push_back(I0); q.push_back(I2); q.push_back(I3); } } else { // Patch is not flat if(offscreen(16,p)) return; /* Control points are indexed as follows: Coordinate +----- Index 03 13 23 33 +-----+-----+-----+ |3 |7 |11 |15 | | | | |02 |12 |22 |32 +-----+-----+-----+ |2 |6 |10 |14 | | | | |01 |11 |21 |31 +-----+-----+-----+ |1 |5 |9 |13 | | | | |00 |10 |20 |30 +-----+-----+-----+ 0 4 8 12 Subdivision: P refers to a corner m refers to a midpoint s refers to a subpatch m2 +--------+--------+ |P3 | P2| | | | | s3 | s2 | | | | | |m4 | m3+--------+--------+m1 | | | | | | | s0 | s1 | | | | |P0 | P1| +--------+--------+ m0 */ // Subdivide patch: triple p0=p[0]; triple p3=p[3]; triple p12=p[12]; triple p15=p[15]; Split3 c0(p0,p[1],p[2],p3); Split3 c1(p[4],p[5],p[6],p[7]); Split3 c2(p[8],p[9],p[10],p[11]); Split3 c3(p12,p[13],p[14],p15); Split3 c4(p0,p[4],p[8],p12); Split3 c5(c0.m0,c1.m0,c2.m0,c3.m0); Split3 c6(c0.m3,c1.m3,c2.m3,c3.m3); Split3 c7(c0.m5,c1.m5,c2.m5,c3.m5); Split3 c8(c0.m4,c1.m4,c2.m4,c3.m4); Split3 c9(c0.m2,c1.m2,c2.m2,c3.m2); Split3 c10(p3,p[7],p[11],p15); triple s0[]={p0,c0.m0,c0.m3,c0.m5,c4.m0,c5.m0,c6.m0,c7.m0, c4.m3,c5.m3,c6.m3,c7.m3,c4.m5,c5.m5,c6.m5,c7.m5}; triple s1[]={c4.m5,c5.m5,c6.m5,c7.m5,c4.m4,c5.m4,c6.m4,c7.m4, c4.m2,c5.m2,c6.m2,c7.m2,p12,c3.m0,c3.m3,c3.m5}; triple s2[]={c7.m5,c8.m5,c9.m5,c10.m5,c7.m4,c8.m4,c9.m4,c10.m4, c7.m2,c8.m2,c9.m2,c10.m2,c3.m5,c3.m4,c3.m2,p15}; triple s3[]={c0.m5,c0.m4,c0.m2,p3,c7.m0,c8.m0,c9.m0,c10.m0, c7.m3,c8.m3,c9.m3,c10.m3,c7.m5,c8.m5,c9.m5,c10.m5}; triple m4=s0[15]; triple n0=normal(s0[0],s0[4],s0[8],s0[12],s0[13],s0[14],s0[15]); if(n0 == 0.0) { n0=normal(s0[0],s0[4],s0[8],s0[12],s0[11],s0[7],s0[3]); if(n0 == 0.0) n0=normal(s0[3],s0[2],s0[1],s0[0],s0[13],s0[14],s0[15]); } triple n1=normal(s1[12],s1[13],s1[14],s1[15],s1[11],s1[7],s1[3]); if(n1 == 0.0) { n1=normal(s1[12],s1[13],s1[14],s1[15],s1[2],s1[1],s1[0]); if(n1 == 0.0) n1=normal(s1[0],s1[4],s1[8],s1[12],s1[11],s1[7],s1[3]); } triple n2=normal(s2[15],s2[11],s2[7],s2[3],s2[2],s2[1],s2[0]); if(n2 == 0.0) { n2=normal(s2[15],s2[11],s2[7],s2[3],s2[4],s2[8],s2[12]); if(n2 == 0.0) n2=normal(s2[12],s2[13],s2[14],s2[15],s2[2],s2[1],s2[0]); } triple n3=normal(s3[3],s3[2],s3[1],s3[0],s3[4],s3[8],s3[12]); if(n3 == 0.0) { n3=normal(s3[3],s3[2],s3[1],s3[0],s3[13],s3[14],s3[15]); if(n3 == 0.0) n3=normal(s3[15],s3[11],s3[7],s3[3],s3[4],s3[8],s3[12]); } triple n4=normal(s2[3],s2[2],s2[1],m4,s2[4],s2[8],s2[12]); // A kludge to remove subdivision cracks, only applied the first time // an edge is found to be flat before the rest of the subpatch is. triple m0=0.5*(P0+P1); if(!flat0) { if((flat0=Straightness(p0,p[4],p[8],p12) < res2)) m0 -= Epsilon*unit(derivative(s1[0],s1[1],s1[2],s1[3])); else m0=s0[12]; } triple m1=0.5*(P1+P2); if(!flat1) { if((flat1=Straightness(p12,p[13],p[14],p15) < res2)) m1 -= Epsilon*unit(derivative(s2[12],s2[8],s2[4],s2[0])); else m1=s1[15]; } triple m2=0.5*(P2+P3); if(!flat2) { if((flat2=Straightness(p15,p[11],p[7],p3) < res2)) m2 -= Epsilon*unit(derivative(s3[15],s2[14],s2[13],s1[12])); else m2=s2[3]; } triple m3=0.5*(P3+P0); if(!flat3) { if((flat3=Straightness(p0,p[1],p[2],p3) < res2)) m3 -= Epsilon*unit(derivative(s0[3],s0[7],s0[11],s0[15])); else m3=s3[0]; } if(color) { GLfloat c0[4],c1[4],c2[4],c3[4],c4[4]; for(size_t i=0; i < 4; ++i) { c0[i]=0.5*(C0[i]+C1[i]); c1[i]=0.5*(C1[i]+C2[i]); c2[i]=0.5*(C2[i]+C3[i]); c3[i]=0.5*(C3[i]+C0[i]); c4[i]=0.5*(c0[i]+c2[i]); } GLuint i0=data.Vertex(m0,n0,c0); GLuint i1=data.Vertex(m1,n1,c1); GLuint i2=data.Vertex(m2,n2,c2); GLuint i3=data.Vertex(m3,n3,c3); GLuint i4=data.Vertex(m4,n4,c4); render(s0,I0,i0,i4,i3,P0,m0,m4,m3,flat0,false,false,flat3, C0,c0,c4,c3); render(s1,i0,I1,i1,i4,m0,P1,m1,m4,flat0,flat1,false,false, c0,C1,c1,c4); render(s2,i4,i1,I2,i2,m4,m1,P2,m2,false,flat1,flat2,false, c4,c1,C2,c2); render(s3,i3,i4,i2,I3,m3,m4,m2,P3,false,false,flat2,flat3, c3,c4,c2,C3); } else { GLuint i0=(data.*pvertex)(m0,n0); GLuint i1=(data.*pvertex)(m1,n1); GLuint i2=(data.*pvertex)(m2,n2); GLuint i3=(data.*pvertex)(m3,n3); GLuint i4=(data.*pvertex)(m4,n4); render(s0,I0,i0,i4,i3,P0,m0,m4,m3,flat0,false,false,flat3); render(s1,i0,I1,i1,i4,m0,P1,m1,m4,flat0,flat1,false,false); render(s2,i4,i1,I2,i2,m4,m1,P2,m2,false,flat1,flat2,false); render(s3,i3,i4,i2,I3,m3,m4,m2,P3,false,false,flat2,flat3); } } } void BezierTriangle::render(const triple *p, bool straight, GLfloat *c0) { triple p0=p[0]; epsilon=0; for(int i=1; i < 10; ++i) epsilon=max(epsilon,abs2(p[i]-p0)); epsilon *= Fuzz4; triple p6=p[6]; triple p9=p[9]; triple n0=normal(p9,p[5],p[2],p0,p[1],p[3],p6); triple n1=normal(p0,p[1],p[3],p6,p[7],p[8],p9); triple n2=normal(p6,p[7],p[8],p9,p[5],p[2],p0); GLuint i0,i1,i2; if(color) { GLfloat *c1=c0+4; GLfloat *c2=c0+8; i0=data.Vertex(p0,n0,c0); i1=data.Vertex(p6,n1,c1); i2=data.Vertex(p9,n2,c2); if(!straight) render(p,i0,i1,i2,p0,p6,p9,false,false,false,c0,c1,c2); } else { i0=(data.*pvertex)(p0,n0); i1=(data.*pvertex)(p6,n1); i2=(data.*pvertex)(p9,n2); if(!straight) render(p,i0,i1,i2,p0,p6,p9,false,false,false); } if(straight) { triple P[]={p0,p6,p9}; if(!offscreen(3,P)) { std::vector &q=data.indices; q.push_back(i0); q.push_back(i1); q.push_back(i2); } } append(); } // Use a uniform partition to draw a Bezier triangle. // p is an array of 10 triples representing the control points. // Pi are the (possibly) adjusted vertices indexed by Ii. // The 'flati' are flatness flags for each boundary. void BezierTriangle::render(const triple *p, GLuint I0, GLuint I1, GLuint I2, triple P0, triple P1, triple P2, bool flat0, bool flat1, bool flat2, GLfloat *C0, GLfloat *C1, GLfloat *C2) { if(Distance(p) < Res2) { // Bezier triangle is flat triple P[]={P0,P1,P2}; if(!offscreen(3,P)) { std::vector &q=data.indices; q.push_back(I0); q.push_back(I1); q.push_back(I2); } } else { // Triangle is not flat if(offscreen(10,p)) return; /* Control points are indexed as follows: Coordinate Index 030 9 /\ / \ / \ / \ / \ 021 + + 120 5 / \ 8 / \ / \ / \ / \ 012 + + + 210 2 / 111 \ 7 / 4 \ / \ / \ / \ /__________________________________\ 003 102 201 300 0 1 3 6 Subdivision: P2 030 /\ / \ / \ / \ / \ / up \ / \ / \ p1 /________________\ p0 /\ / \ / \ / \ / \ / \ / \ center / \ / \ / \ / \ / \ / left \ / right \ / \ / \ /________________V_________________\ 003 p2 300 P0 P1 */ // Subdivide triangle: triple l003=p[0]; triple p102=p[1]; triple p012=p[2]; triple p201=p[3]; triple p111=p[4]; triple p021=p[5]; triple r300=p[6]; triple p210=p[7]; triple p120=p[8]; triple u030=p[9]; triple u021=0.5*(u030+p021); triple u120=0.5*(u030+p120); triple p033=0.5*(p021+p012); triple p231=0.5*(p120+p111); triple p330=0.5*(p120+p210); triple p123=0.5*(p012+p111); triple l012=0.5*(p012+l003); triple p312=0.5*(p111+p201); triple r210=0.5*(p210+r300); triple l102=0.5*(l003+p102); triple p303=0.5*(p102+p201); triple r201=0.5*(p201+r300); triple u012=0.5*(u021+p033); triple u210=0.5*(u120+p330); triple l021=0.5*(p033+l012); triple p4xx=0.5*p231+0.25*(p111+p102); triple r120=0.5*(p330+r210); triple px4x=0.5*p123+0.25*(p111+p210); triple pxx4=0.25*(p021+p111)+0.5*p312; triple l201=0.5*(l102+p303); triple r102=0.5*(p303+r201); triple l210=0.5*(px4x+l201); // =c120 triple r012=0.5*(px4x+r102); // =c021 triple l300=0.5*(l201+r102); // =r003=c030 triple r021=0.5*(pxx4+r120); // =c012 triple u201=0.5*(u210+pxx4); // =c102 triple r030=0.5*(u210+r120); // =u300=c003 triple u102=0.5*(u012+p4xx); // =c201 triple l120=0.5*(l021+p4xx); // =c210 triple l030=0.5*(u012+l021); // =u003=c300 triple l111=0.5*(p123+l102); triple r111=0.5*(p312+r210); triple u111=0.5*(u021+p231); triple c111=0.25*(p033+p330+p303+p111); triple l[]={l003,l102,l012,l201,l111,l021,l300,l210,l120,l030}; // left triple r[]={l300,r102,r012,r201,r111,r021,r300,r210,r120,r030}; // right triple u[]={l030,u102,u012,u201,u111,u021,r030,u210,u120,u030}; // up triple c[]={r030,u201,r021,u102,c111,r012,l030,l120,l210,l300}; // center triple n0=normal(l300,r012,r021,r030,u201,u102,l030); triple n1=normal(r030,u201,u102,l030,l120,l210,l300); triple n2=normal(l030,l120,l210,l300,r012,r021,r030); // A kludge to remove subdivision cracks, only applied the first time // an edge is found to be flat before the rest of the subpatch is. triple m0=0.5*(P1+P2); if(!flat0) { if((flat0=Straightness(r300,p210,p120,u030) < res2)) m0 -= Epsilon*unit(derivative(c[0],c[2],c[5],c[9])+ derivative(c[0],c[1],c[3],c[6])); else m0=r030; } triple m1=0.5*(P2+P0); if(!flat1) { if((flat1=Straightness(l003,p012,p021,u030) < res2)) m1 -= Epsilon*unit(derivative(c[6],c[3],c[1],c[0])+ derivative(c[6],c[7],c[8],c[9])); else m1=l030; } triple m2=0.5*(P0+P1); if(!flat2) { if((flat2=Straightness(l003,p102,p201,r300) < res2)) m2 -= Epsilon*unit(derivative(c[9],c[8],c[7],c[6])+ derivative(c[9],c[5],c[2],c[0])); else m2=l300; } if(color) { GLfloat c0[4],c1[4],c2[4]; for(int i=0; i < 4; ++i) { c0[i]=0.5*(C1[i]+C2[i]); c1[i]=0.5*(C2[i]+C0[i]); c2[i]=0.5*(C0[i]+C1[i]); } GLuint i0=data.Vertex(m0,n0,c0); GLuint i1=data.Vertex(m1,n1,c1); GLuint i2=data.Vertex(m2,n2,c2); render(l,I0,i2,i1,P0,m2,m1,false,flat1,flat2,C0,c2,c1); render(r,i2,I1,i0,m2,P1,m0,flat0,false,flat2,c2,C1,c0); render(u,i1,i0,I2,m1,m0,P2,flat0,flat1,false,c1,c0,C2); render(c,i0,i1,i2,m0,m1,m2,false,false,false,c0,c1,c2); } else { GLuint i0=(data.*pvertex)(m0,n0); GLuint i1=(data.*pvertex)(m1,n1); GLuint i2=(data.*pvertex)(m2,n2); render(l,I0,i2,i1,P0,m2,m1,false,flat1,flat2); render(r,i2,I1,i0,m2,P1,m0,flat0,false,flat2); render(u,i1,i0,I2,m1,m0,P2,flat0,flat1,false); render(c,i0,i1,i2,m0,m1,m2,false,false,false); } } } void transform(const std::vector& b) { unsigned n=b.size(); // xbuffer.resize(n); // ybuffer.resize(n); zbuffer.resize(n); double Tz0=gl::dView[2]; double Tz1=gl::dView[6]; double Tz2=gl::dView[10]; for(unsigned i=0; i < n; ++i) { const GLfloat *v=b[i].position; zbuffer[i]=Tz0*v[0]+Tz1*v[1]+Tz2*v[2]; } } #if 0 // precompute min and max bounds of each triangle void bounds(const std::vector& I) { unsigned n=I.size()/3; /* xmin.resize(n); xmax.resize(n); ymin.resize(n); ymax.resize(n); */ zmin.resize(n); zmax.resize(n); for(unsigned i=0; i < n; ++i) { unsigned i3=3*i; unsigned Ia=I[i3]; unsigned Ib=I[i3+1]; unsigned Ic=I[i3+2]; /* double xa=xbuffer[Ia]; double xb=xbuffer[Ib]; double xc=xbuffer[Ic]; double ya=ybuffer[Ia]; double yb=ybuffer[Ib]; double yc=ybuffer[Ic]; */ double za=zbuffer[Ia]; double zb=zbuffer[Ib]; double zc=zbuffer[Ic]; /* xmin[i]=min(xa,xb,xc); xmax[i]=max(xa,xb,xc); ymin[i]=min(ya,yb,yc); ymax[i]=max(ya,yb,yc); */ zmin[i]=min(za,zb,zc); zmax[i]=max(za,zb,zc); } } #endif void sortTriangles() { if(!transparentData.indices.empty()) { transform(transparentData.Vertices); // bounds(tIndices); qsort(&transparentData.indices[0],transparentData.indices.size()/3, 3*sizeof(GLuint),compare); } } void Triangles::queue(size_t nP, const triple* P, size_t nN, const triple* N, size_t nC, const prc::RGBAColour* C, size_t nI, const uint32_t (*PP)[3], const uint32_t (*NN)[3], const uint32_t (*CC)[3], bool Transparent) { if(!nN) return; data.clear(); Onscreen=true; transparent=Transparent; data.Vertices.resize(nP); data.indices.resize(3*nI); MaterialIndex=nC ? -1-materialIndex : 1+materialIndex; for(size_t i=0; i < nI; ++i) { const uint32_t *PI=PP[i]; uint32_t PI0=PI[0]; uint32_t PI1=PI[1]; uint32_t PI2=PI[2]; triple P0=P[PI0]; triple P1=P[PI1]; triple P2=P[PI2]; const uint32_t *NI=NN[i]; if(nC) { const uint32_t *CI=CC[i]; prc::RGBAColour C0=C[CI[0]]; prc::RGBAColour C1=C[CI[1]]; prc::RGBAColour C2=C[CI[2]]; GLfloat c0[]={(GLfloat) C0.R,(GLfloat) C0.G,(GLfloat) C0.B, (GLfloat) C0.A}; GLfloat c1[]={(GLfloat) C1.R,(GLfloat) C1.G,(GLfloat) C1.B, (GLfloat) C1.A}; GLfloat c2[]={(GLfloat) C2.R,(GLfloat) C2.G,(GLfloat) C2.B, (GLfloat) C2.A}; transparent |= c0[3]+c1[3]+c2[3] < 765; data.Vertices[PI0]=VertexData(P0,N[NI[0]],c0); data.Vertices[PI1]=VertexData(P1,N[NI[1]],c1); data.Vertices[PI2]=VertexData(P2,N[NI[2]],c2); } else { data.Vertices[PI0]=VertexData(P0,N[NI[0]]); data.Vertices[PI1]=VertexData(P1,N[NI[1]]); data.Vertices[PI2]=VertexData(P2,N[NI[2]]); } triple Q[]={P0,P1,P2}; if(!offscreen(3,Q)) { size_t i3=3*i; data.indices[i3]=PI0; data.indices[i3+1]=PI1; data.indices[i3+2]=PI2; } } append(); } #endif } //namespace camp asymptote-2.62/guide.h0000644000000000000000000001517713607467113013457 0ustar rootroot/***** * guide.h * Andy Hammerlindl 2005/02/23 * *****/ #ifndef GUIDE_H #define GUIDE_H #include #include "knot.h" #include "flatguide.h" #include "settings.h" namespace camp { // Abstract base class for guides. class guide : public gc { protected: public: virtual ~guide() {} // Returns the path that the guide represents. virtual path solve() { return path(); } // Add the information in the guide to the flatguide, so that it can be // solved via the knotlist solving routines. // Returns true if guide has an interior cycle token. virtual void flatten(flatguide&, bool allowsolve=true)=0; virtual bool cyclic() {return false;} virtual void print(ostream& out) const { out << "nullpath"; } // Needed so that multiguide can know where to put in ".." symbols. virtual side printLocation() const { return END; } }; inline ostream& operator<< (ostream& out, const guide& g) { g.print(out); return out; } // Draws dots between two printings of guides, if their locations are such that // the dots are necessary. inline void adjustLocation(ostream& out, side l1, side l2) { if (l1 == END) out << endl; if ((l1 == END || l1 == OUT) && (l2 == IN || l2 == END)) out << ".."; } // A guide representing a pair. class pairguide : public guide { pair z; public: void flatten(flatguide& g, bool=true) { g.add(z); } pairguide(pair z) : z(z) {} path solve() { return path(z); } void print(ostream& out) const { out << z; } side printLocation() const { return END; } }; // A guide representing a path. class pathguide : public guide { path p; public: void flatten(flatguide& g, bool allowsolve=true) { g.add(p,allowsolve); } pathguide(path p) : p(p) {} path solve() { return p; } bool cyclic() {return p.cyclic();} void print(ostream& out) const { out << p; } side printLocation() const { return END; } }; // Tension expressions are evaluated to this class before being cast to a guide, // so that they can be cast to other types (such as guide3) instead. class tensionSpecifier : public gc { double out,in; bool atleast; public: tensionSpecifier(double val, bool atleast=false) : out(val), in(val), atleast(atleast) {} tensionSpecifier(double out, double in, bool atleast=false) : out(out), in(in), atleast(atleast) {} double getOut() const { return out; } double getIn() const { return in; } bool getAtleast() const { return atleast; } }; // A guide giving tension information (as part of a join). class tensionguide : public guide { tension tout,tin; public: void flatten(flatguide& g, bool=true) { g.setTension(tin,IN); g.setTension(tout,OUT); } tensionguide(tensionSpecifier spec) : tout(spec.getOut(), spec.getAtleast()), tin(spec.getIn(), spec.getAtleast()) {} void print(ostream& out) const { out << (tout.atleast ? ".. tension atleast " : ".. tension ") << tout.val << " and " << tin.val << " .."; } side printLocation() const { return JOIN; } }; // Similar to tensionSpecifier, curl expression are evaluated to this type // before being cast to guides. class curlSpecifier : public gc { double value; side s; public: curlSpecifier(double value, side s) : value(value), s(s) {} double getValue() const { return value; } side getSide() const { return s; } }; // A guide giving a specifier. class specguide : public guide { spec *p; side s; public: void flatten(flatguide& g, bool=true) { g.setSpec(p,s); } specguide(spec *p, side s) : p(p), s(s) {} specguide(curlSpecifier spec) : p(new curlSpec(spec.getValue())), s(spec.getSide()) {} void print(ostream& out) const { out << *p; } side printLocation() const { return s; } }; // A guide for explicit control points between two knots. This could be done // with two specguides, instead, but this prints nicer, and is easier to encode. class controlguide : public guide { pair zout, zin; public: void flatten(flatguide& g, bool=true) { g.setSpec(new controlSpec(zout), OUT); g.setSpec(new controlSpec(zin), IN); } controlguide(pair zout,pair zin) : zout(zout),zin(zin) {} controlguide(pair z) : zout(z),zin(z) {} void print(ostream& out) const { out << ".. controls " << zout << " and " << zin << " .."; } side printLocation() const { return JOIN; } }; // A guide that is a sequence of other guides. This is used, for instance is // joins, where we have the left and right guide, and possibly specifiers and // tensions in between. typedef mem::vector guidevector; // A multiguide represents a guide given by the first "length" items of // the vector pointed to by "base". // The constructor, if given another multiguide as a first argument, // will try to avoid allocating a new "base" array. class multiguide : public guide { guidevector *base; size_t length; guide *subguide(size_t i) const { assert(i < length); assert(length <= base->size()); return (*base)[i]; } public: multiguide(guidevector& v); void flatten(flatguide&, bool=true); bool cyclic() { size_t n=length; if(n < 1) return false; return subguide(n-1)->cyclic(); } path solve() { if (settings::verbose>3) { cerr << "solving guide:\n"; print(cerr); cerr << "\n\n"; } flatguide g; this->flatten(g); path p=g.solve(false); if (settings::verbose>3) cerr << "solved as:\n" << p << "\n\n"; return p; } void print(ostream& out) const; side printLocation() const { int n = length; return subguide(n-1)->printLocation(); } }; struct cycleToken : public gc {}; // A guide representing the cycle token. class cycletokguide : public guide { public: void flatten(flatguide& g, bool allowsolve=true) { // If cycles occur in the midst of a guide, the guide up to that point // should be solved as a path. Any subsequent guide will work with that // path locked in place. if(allowsolve) g.solve(true); else g.close(); } bool cyclic() {return true;} path solve() { // Just a cycle on it's own makes an empty guide. return path(); } void print(ostream& out) const { out << "cycle"; } side printLocation() const { return END; } }; } // namespace camp GC_DECLARE_PTRFREE(camp::pairguide); GC_DECLARE_PTRFREE(camp::tensionSpecifier); GC_DECLARE_PTRFREE(camp::tensionguide); GC_DECLARE_PTRFREE(camp::curlSpecifier); GC_DECLARE_PTRFREE(camp::controlguide); GC_DECLARE_PTRFREE(camp::cycleToken); GC_DECLARE_PTRFREE(camp::cycletokguide); #endif // GUIDE_H asymptote-2.62/runmath.in0000644000000000000000000002130413607467113014204 0ustar rootroot/***** * runmath.in * * Runtime functions for math operations. * *****/ pair => primPair() realarray* => realArray() pairarray* => pairArray() #include #include "mathop.h" #include "path.h" #ifdef __CYGWIN__ extern "C" double yn(int, double); extern "C" double jn(int, double); extern "C" int __signgam; #define signgam __signgam #endif using namespace camp; typedef array realarray; typedef array pairarray; using types::realArray; using types::pairArray; using run::integeroverflow; using vm::frame; const char *invalidargument="invalid argument"; extern uint32_t CLZ(uint32_t a); inline unsigned intbits() { static unsigned count=0; if(count > 0) return count; while((1ULL << count) < Int_MAX) ++count; ++count; return count; } static const unsigned char BitReverseTable8[256]= { #define R2(n) n, n+2*64, n+1*64, n+3*64 #define R4(n) R2(n),R2(n+2*16),R2(n+1*16),R2(n+3*16) #define R6(n) R4(n),R4(n+2*4 ),R4(n+1*4 ),R4(n+3*4 ) R6(0),R6(2),R6(1),R6(3) }; #undef R2 #undef R4 #undef R6 unsigned long long bitreverse8(unsigned long long a) { return (unsigned long long) BitReverseTable8[a]; } unsigned long long bitreverse16(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 8)]); } unsigned long long bitreverse24(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 16)]); } unsigned long long bitreverse32(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 24)]); } unsigned long long bitreverse40(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 32)]); } unsigned long long bitreverse48(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 40) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 32) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 40)]); } unsigned long long bitreverse56(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 48) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 40) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 32) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 40) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 48)]); } unsigned long long bitreverse64(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 56) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 48) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 40) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 32) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 40) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 48) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 56)]); } // https://graphics.stanford.edu/~seander/bithacks.html#CountBitsSetParallel #define T unsignedInt Int popcount(T a) { a=a-((a >> 1) & (T)~(T)0/3); a=(a & (T)~(T)0/15*3)+((a >> 2) & (T)~(T)0/15*3); a=(a+(a >> 4)) & (T)~(T)0/255*15; return (T)(a*((T)~(T)0/255)) >> (sizeof(T)-1)*CHAR_BIT; } #undef T // Return the factorial of a non-negative integer using a lookup table. Int factorial(Int n) { static Int *table; static Int size=0; if(size == 0) { Int f=1; size=2; while(f <= Int_MAX/size) f *= (size++); table=new Int[size]; table[0]=f=1; for(Int i=1; i < size; ++i) { f *= i; table[i]=f; } } if(n >= size) integeroverflow(0); return table[n]; } static inline Int Round(double x) { return Int(x+((x >= 0) ? 0.5 : -0.5)); } inline Int sgn(double x) { return (x > 0.0 ? 1 : (x < 0.0 ? -1 : 0)); } static bool initializeRandom=true; void Srand(Int seed) { initializeRandom=false; const int n=256; static char state[n]; initstate(intcast(seed),state,n); } // Autogenerated routines: real ^(real x, Int y) { return pow(x,y); } pair ^(pair z, Int y) { return pow(z,y); } Int quotient(Int x, Int y) { return quotient()(x,y); } Int abs(Int x) { return Abs(x); } Int sgn(real x) { return sgn(x); } Int rand() { if(initializeRandom) Srand(1); return random(); } void srand(Int seed) { Srand(seed); } // a random number uniformly distributed in the interval [0,1] real unitrand() { return ((real) random())/RANDOM_MAX; } Int ceil(real x) { return Intcast(ceil(x)); } Int floor(real x) { return Intcast(floor(x)); } Int round(real x) { if(validInt(x)) return Round(x); integeroverflow(0); } Int Ceil(real x) { return Ceil(x); } Int Floor(real x) { return Floor(x); } Int Round(real x) { return Round(Intcap(x)); } real fmod(real x, real y) { if (y == 0.0) dividebyzero(); return fmod(x,y); } real atan2(real y, real x) { return atan2(y,x); } real hypot(real x, real y) { return hypot(x,y); } real remainder(real x, real y) { return remainder(x,y); } real Jn(Int n, real x) { return jn(n,x); } real Yn(Int n, real x) { return yn(n,x); } real erf(real x) { return erf(x); } real erfc(real x) { return erfc(x); } Int factorial(Int n) { if(n < 0) error(invalidargument); return factorial(n); } Int choose(Int n, Int k) { if(n < 0 || k < 0 || k > n) error(invalidargument); Int f=1; Int r=n-k; for(Int i=n; i > r; --i) { if(f > Int_MAX/i) integeroverflow(0); f=(f*i)/(n-i+1); } return f; } real gamma(real x) { #ifdef HAVE_TGAMMA return tgamma(x); #else real lg = lgamma(x); return signgam*exp(lg); #endif } realarray *quadraticroots(real a, real b, real c) { quadraticroots q(a,b,c); array *roots=new array(q.roots); if(q.roots >= 1) (*roots)[0]=q.t1; if(q.roots == 2) (*roots)[1]=q.t2; return roots; } pairarray *quadraticroots(explicit pair a, explicit pair b, explicit pair c) { Quadraticroots q(a,b,c); array *roots=new array(q.roots); if(q.roots >= 1) (*roots)[0]=q.z1; if(q.roots == 2) (*roots)[1]=q.z2; return roots; } realarray *cubicroots(real a, real b, real c, real d) { cubicroots q(a,b,c,d); array *roots=new array(q.roots); if(q.roots >= 1) (*roots)[0]=q.t1; if(q.roots >= 2) (*roots)[1]=q.t2; if(q.roots == 3) (*roots)[2]=q.t3; return roots; } // Logical operations bool !(bool b) { return !b; } bool :boolMemEq(frame *a, frame *b) { return a == b; } bool :boolMemNeq(frame *a, frame *b) { return a != b; } bool :boolFuncEq(callable *a, callable *b) { return a->compare(b); } bool :boolFuncNeq(callable *a, callable *b) { return !(a->compare(b)); } // Bit operations Int AND(Int a, Int b) { return a & b; } Int OR(Int a, Int b) { return a | b; } Int XOR(Int a, Int b) { return a ^ b; } Int NOT(Int a) { return ~a; } Int CLZ(Int a) { if((unsigned long long) a > 0xFFFFFFFF) return CLZ((uint32_t) ((unsigned long long) a >> 32)); else { int bits=intbits(); if(a != 0) return bits-32+CLZ((uint32_t) a); return bits; } } Int popcount(Int a) { return popcount(a); } Int CTZ(Int a) { return popcount((a&-a)-1); } // bitreverse a within a word of length bits. Int bitreverse(Int a, Int bits) { typedef unsigned long long Bitreverse(unsigned long long a); static Bitreverse *B[]={bitreverse8,bitreverse16,bitreverse24,bitreverse32, bitreverse40,bitreverse48,bitreverse56,bitreverse64}; int maxbits=intbits()-1; // Drop sign bit #if Int_MAX2 >= 0x7fffffffffffffffLL --maxbits; // Drop extra bit for reserved values #endif if(bits <= 0 || bits > maxbits || a < 0 || (unsigned long long) a >= (1ULL << bits)) return -1; unsigned int bytes=(bits+7)/8; return B[bytes-1]((unsigned long long) a) >> (8*bytes-bits); } asymptote-2.62/stack.cc0000644000000000000000000003416013607467113013616 0ustar rootroot/***** * stack.cc * Andy Hammerlindl 2002/06/27 * * The general stack machine used to run compiled camp code. *****/ #include #include #include "stack.h" #include "program.h" #include "callable.h" #include "errormsg.h" #include "util.h" #include "runtime.h" #include "process.h" #include "profiler.h" #ifdef DEBUG_STACK #include namespace vm { void draw(ostream& out, frame *v); } #endif namespace run { void breakpoint(vm::stack *Stack, absyntax::runnable *r); } namespace vm { mem::list bplist; namespace { position curPos = nullPos; const program::label nulllabel; } inline stack::vars_t base_frame( size_t size, size_t parentIndex, stack::vars_t closure #ifdef DEBUG_FRAME , string name #endif ) { stack::vars_t vars; #ifdef SIMPLE_FRAME vars = new item[size]; vars[parentIndex] = closure; #else # ifdef DEBUG_FRAME assert(!name.empty()); vars = new frame(name, parentIndex, size); # else vars = new frame(size); # endif (*vars)[parentIndex] = closure; #endif // TODO: Re-factor closure. return vars; } #ifdef DEBUG_FRAME #define BASEFRAME(s,p,c,n) (base_frame((s), (p), (c), (n))) #else #define BASEFRAME(s,p,c,n) (base_frame((s), (p), (c))) #endif // Abstractions needed. //accessor(frame_handle) // operator[] for accessor inline stack::vars_t make_frame(lambda *l, stack::vars_t closure) { return BASEFRAME(l->framesize, l->parentIndex, closure, l->name); } inline stack::vars_t make_pushframe(size_t size, stack::vars_t closure) { assert(size >= 1); return BASEFRAME(size, 0, closure, ""); } stack::vars_t make_dummyframe(string name) { return BASEFRAME(1, 0, 0, ""); } inline stack::vars_t make_globalframe(size_t size) { assert(size > 0); #if SIMPLE_FRAME // The global frame is an indirect frame. It holds one item, which is the // link to another frame. stack::vars_t direct = new item[1]; stack::vars_t indirect = new item[size]; direct[0] = indirect; return direct; #else return BASEFRAME(size, 0, 0, ""); #if 0 #ifdef DEBUG_FRAME stack::vars_t vars = new frame("", 0, size); #else stack::vars_t vars = new frame(size); #endif return vars; #endif #endif } inline void resize_frame(frame *f, size_t oldsize, size_t newsize) { //assert("Need to fix this" == 0); assert(newsize > oldsize); #if SIMPLE_FRAME frame *old_indirect = get(f[0]); frame *new_indirect = new item[newsize]; std::copy(old_indirect, old_indirect+oldsize, new_indirect); f[0] = new_indirect; #else f->extend(newsize); #endif } void run(lambda *l) { func f; f.body = l; stack s; s.run(&f); } // Move arguments from stack to frame. void stack::marshall(size_t args, stack::vars_t vars) { for (size_t i = args; i > 0; --i) #if SIMPLE_FRAME vars[i-1] = pop(); #else (*vars)[i-1] = pop(); #endif } #ifdef PROFILE #ifndef DEBUG_FRAME #warning "profiler needs DEBUG_FRAME for function names" #endif #ifndef DEBUG_BLTIN #warning "profiler needs DEBUG_BLTIN for builtin function names" #endif profiler prof; void dumpProfile() { std::ofstream out("asyprof"); if (!out.fail()) prof.dump(out); } #endif void assessClosure(lambda *body) { // If we have already determined if it needs closure, just return. if (body->closureReq != lambda::MAYBE_NEEDS_CLOSURE) return; for (program::label l = body->code->begin(); l != body->code->end(); ++l) if (l->op == inst::pushclosure || l->op == inst::pushframe) { body->closureReq = lambda::NEEDS_CLOSURE; return; } body->closureReq = lambda::DOESNT_NEED_CLOSURE; } void stack::run(func *f) { lambda *body = f->body; #ifdef PROFILE prof.beginFunction(body); #endif #ifdef DEBUG_STACK #ifdef DEBUG_FRAME cout << "running lambda " + body->name + ": \n"; #else cout << "running lambda: \n"; #endif print(cout, body->code); cout << endl; #endif runWithOrWithoutClosure(body, 0, f->closure); #ifdef PROFILE prof.endFunction(body); #endif } void stack::breakpoint(absyntax::runnable *r) { lastPos=curPos; indebugger=true; ::run::breakpoint(this,r); string s=vm::pop(this); debugOp=(s.length() > 0) ? s[0] : (char) 0; indebugger=false; } void stack::debug() { if(!curPos) return; if(indebugger) {em.clear(); return;} switch(debugOp) { case 'i': // inst breakpoint(); break; case 's': // step if((!curPos.match(lastPos.filename()) || !curPos.match(lastPos.Line()))) breakpoint(); break; case 'n': // next if(curPos.match(lastPos.filename()) && !curPos.match(lastPos.Line())) breakpoint(); break; case 'f': // file if(!curPos.match(lastPos.filename())) breakpoint(); break; case 'r': // return if(curPos.match(breakPos.filename())) breakpoint(); break; case 'c': // continue default: for(mem::list::iterator p=bplist.begin(); p != bplist.end(); ++p) { if(curPos.match(p->f.name()) && curPos.match(p->f.line()) && (newline || !curPos.match(breakPos.filename()) || !curPos.match(breakPos.Line()))) { breakPos=curPos; breakpoint(p->r); newline=false; break; } if(!newline && (curPos.match(lastPos.filename()) && !curPos.match(lastPos.Line()))) newline=true; } break; } } void stack::runWithOrWithoutClosure(lambda *l, vars_t vars, vars_t parent) { // The size of the frame (when running without closure). size_t frameSize = l->parentIndex; #ifdef SIMPLE_FRAME // Link to the variables, be they in a closure or on the stack. frame *varlink; # define SET_VARLINK assert(vars); varlink = vars; # define VAR(n) ( (varlink)[(n) + frameStart] ) # define FRAMEVAR(frame,n) (frame[(n)]) #else // Link to the variables, be they in a closure or on the stack. mem::vector *varlink=NULL; # define SET_VARLINK assert(vars); varlink = &vars->vars # define VAR(n) ( (*varlink)[(n) + frameStart] ) # define FRAMEVAR(frame,n) ((*frame)[(n)]) #endif size_t frameStart = 0; // Set up the closure, if necessary. if (vars == 0) { #ifndef SIMPLE_FRAME assessClosure(l); if (l->closureReq == lambda::NEEDS_CLOSURE) #endif { /* make new activation record */ vars = vm::make_frame(l, parent); assert(vars); } #ifndef SIMPLE_FRAME else { assert(l->closureReq == lambda::DOESNT_NEED_CLOSURE); // Use the stack to store variables. varlink = &theStack; // Record where the parameters start on the stack. frameStart = theStack.size() - frameSize; // Add the parent's closure to the frame. push(parent); ++frameSize; size_t newFrameSize = (size_t)l->framesize; if (newFrameSize > frameSize) { theStack.resize(frameStart + newFrameSize); frameSize = newFrameSize; } } #endif } if (vars) { marshall(l->parentIndex, vars); SET_VARLINK; } /* start the new function */ program::label ip = l->code->begin(); position& topPos=processData().topPos; string& fileName=processData().fileName; try { for (;;) { const inst &i = *ip; curPos = i.pos; if(curPos.filename() == fileName) topPos=curPos; #ifdef PROFILE prof.recordInstruction(); #endif #ifdef DEBUG_STACK printInst(cout, ip, l->code->begin()); cout << " ("; i.pos.printTerse(cout); cout << ")\n"; #endif if(settings::verbose > 4) em.trace(curPos); if(!bplist.empty()) debug(); if(errorstream::interrupt) throw interrupted(); switch (i.op) { case inst::varpush: push(VAR(get(i))); break; case inst::varsave: VAR(get(i)) = top(); break; #ifdef COMBO case inst::varpop: VAR(get(i)) = pop(); break; #endif case inst::ret: { if (vars == 0) // Delete the frame from the stack. // TODO: Optimize for common cases. theStack.erase(theStack.begin() + frameStart, theStack.begin() + frameStart + frameSize); return; } case inst::pushframe: { assert(vars); Int size = get(i); vars=make_pushframe(size, vars); SET_VARLINK; break; } case inst::popframe: { assert(vars); vars=get(VAR(0)); SET_VARLINK; break; } case inst::pushclosure: assert(vars); push(vars); break; case inst::nop: break; case inst::pop: pop(); break; case inst::intpush: case inst::constpush: push(i.ref); break; case inst::fieldpush: { vars_t frame = pop(); if (!frame) error("dereference of null pointer"); push(FRAMEVAR(frame, get(i))); break; } case inst::fieldsave: { vars_t frame = pop(); if (!frame) error("dereference of null pointer"); FRAMEVAR(frame, get(i)) = top(); break; } #if COMBO case inst::fieldpop: { #error NOT REIMPLEMENTED vars_t frame = pop(); if (!frame) error("dereference of null pointer"); FRAMEVAR(get(i)) = pop(); break; } #endif case inst::builtin: { bltin func = get(i); #ifdef PROFILE prof.beginFunction(func); #endif func(this); #ifdef PROFILE prof.endFunction(func); #endif break; } case inst::jmp: ip = get(i); continue; case inst::cjmp: if (pop()) { ip = get(i); continue; } break; case inst::njmp: if (!pop()) { ip = get(i); continue; } break; case inst::jump_if_not_default: if (!isdefault(pop())) { ip = get(i); continue; } break; #ifdef COMBO case inst::gejmp: { Int y = pop(); Int x = pop(); if (x>=y) { ip = get(i); continue; } break; } #if 0 case inst::jump_if_func_eq: { callable * b=pop(); callable * a=pop(); if (a->compare(b)) { ip = get(i); continue; } break; } case inst::jump_if_func_neq: { callable * b=pop(); callable * a=pop(); if (!a->compare(b)) { ip = get(i); continue; } break; } #endif #endif case inst::push_default: push(Default); break; case inst::popcall: { /* get the function reference off of the stack */ callable* f = pop(); f->call(this); break; } case inst::makefunc: { func *f = new func; f->closure = pop(); f->body = get(i); push((callable*)f); break; } default: error("Internal VM error: Bad stack operand"); } #ifdef DEBUG_STACK draw(cerr); vm::draw(cerr,vars); cerr << "\n"; #endif ++ip; } } catch (bad_item_value&) { error("Trying to use uninitialized value."); } #undef SET_VARLINK #undef VAR #undef FRAMEVAR } void stack::load(string index) { frame *inst=instMap[index]; if (inst) push(inst); else { func f; assert(initMap); f.body=(*initMap)[index]; assert(f.body); run(&f); instMap[index]=get(top()); } } #ifdef DEBUG_STACK const size_t MAX_ITEMS=20; void stack::draw(ostream& out) { // out.setf(out.hex); out << "operands:"; stack_t::const_iterator left = theStack.begin(); if (theStack.size() > MAX_ITEMS) { left = theStack.end()-MAX_ITEMS; out << " ..."; } else out << " "; while (left != theStack.end()) { if (left != theStack.begin()) out << " | " ; out << *left; left++; } out << "\n"; } void draw(ostream& out, frame* v) { out << "vars:" << endl; while (!!v) { item link=(*v)[v->getParentIndex()]; out << " " << v->getName() << ": "; for (size_t i = 0; i < MAX_ITEMS && i < v->size(); i++) { if (i > 0) out << " | "; out << i << ": "; if (i == v->getParentIndex()) { try { frame *parent = get(link); out << (parent ? "link" : "----"); } catch (bad_item_value&) { out << "non-link " << (*v)[0]; } } else { out << (*v)[i]; } } if (v->size() > MAX_ITEMS) out << "..."; out << "\n"; frame *parent; try { parent = get(link); } catch (bad_item_value&) { parent = 0; } v = parent; } } #endif // DEBUG_STACK position getPos() { return curPos; } void errornothrow(const char* message) { em.error(curPos); em << message; em.sync(); } void error(const char* message) { errornothrow(message); throw handled_error(); } void error(const ostringstream& message) { const string& s=message.str(); error(s.c_str()); } const size_t STARTING_GLOBALS_SIZE = 1; interactiveStack::interactiveStack() : globals(make_globalframe(STARTING_GLOBALS_SIZE)), globals_size(STARTING_GLOBALS_SIZE) {} void interactiveStack::run(lambda *codelet) { if (globals_size < codelet->framesize) { resize_frame(globals, globals_size, codelet->framesize); globals_size = codelet->framesize; } stack::runWithOrWithoutClosure(codelet, globals, 0); } } // namespace vm asymptote-2.62/gc-8.0.4.tar.gz0000644000000000000000000433252013607467120014372 0ustar rootroot‹Ez\ì<ýsÚH²ù™¿bÂV¼"ÁØÆŽÏ{E¯©µ'›—R 1€b!éFÂØ{ç÷·¿îùFB`ù²©WWu®JŒÑLOOwOföî»Ú~íhïÅûÙ‡Ÿ““·øû𤾯ÿV?/ŽêGõcøþä þöyûâ?èGmDýþù™)þO,¶r<3ŒüÀ\ùÌÔì¿’4ÇÇGø|X?zóÿ°~ðbÿ ~òøÿâ¿üÿá?{¯Kä5iúÁsfóˆv…üòË?O”ù÷ðŒ>³"Ç÷j„4\—ð‘!a4¤ìŽNj¹ŽÂÐqÛ÷ÈoÌ æŽ>À;pNÙl’ êM( ŸAx°[ß?ØG(tåÒ(Úí[ö­Å&¤Eï¨ë êE0mXÞ±4>]t†äª1j:KŸûƒÞÇN«Ý"!üY%7Ñi|ö.¯GíËϤÛ#7Á Ñ}&íOýA{8l·Ro@:WýËN»…›é~&×Ã6lŒÈçÞõ€ônºdÐþ®VîS¶pÂÈOœÌ)£°£³¼ˆNHä“eH‰Ïˆ Û'Ñ†Ì‡Ç œ;…°9,‡!­|xçLpæœkìßQâù‘cÓXŒÂ¶#Ëñà1¬f5ªCÃZXuáOœé‡bûåqd&N1g¼Œ¨á(þð’8WXA4ª®%ŸÁ`+J–\Y!‚Š×%Ïv—våDs ¶ˆ€„Ú+•~’ãI9`Îѽ š3jMÌp€ÐGµy¹TÚîKºŽ­±û@0 ~¯#5ñAî@28g‘c¾kk2Æû«8(r¼ÝÔ8—ZS”›N›ŸÃm@GŠ=Ó{¡×ëh[#V¬‡àœˆ,–aDB‘euܾá×¹bøK5À”«R‰ø‚Å;<;;ÒïÝ´ýfé'rØì÷͛ޠ5üƒœ‘Ã:|K¤p’~¿iÚ-ó^·m;´E@ݵ‰ÇGÛ'Ö÷q¢ YúIüBt<ÄGʫיýÆ`SFæï¥RôP†ciGdˆ{?ç[ÿ'g â;CƒÄ¹Z`’‡ýÓüÍÁ†—9”ÿRÿºaÖ`Ôkž–5ŒNK%ÐäN·Û bfDàÏsÇ›Œü 7å㌠ü‚*‹E•îGÛÞkÁà3bè_V´)§(mÀCûù°_Ú '²¬&ü»uvùcšV¸0Mø}ç»`,\ ewõ'yµ_Ý7ØA¥L@¬ÏX™½JåTÂ¥nHŸ4)Gˆ‡¨™ÈÆàê°^‰P`%ÃÀdtvúÔú ÿ ìä¼11PÓ7P^.²Ž[cм8>ú«°»¯ÿòýèÅÌh|è FFy]AJaÖœØqŒvè¤,ù ¸@Èc‰[®¡í׿)e¶? ¾@vý™ .Ò‹¦F9½ Bi!ãWì¬JŒ;ߙʂõ§±Q àlB&v•úL^J™ÆåÀsé#á?ÆÂÕjFl'æ)ÜÍn —\;^â´¤€¯ÐÞ#|𠽇€bå{Ní[p Sp^dæ£K—vŸá°{ÆÔ¶0è§—îiðãÔahÃ5Ó  ¸¾¨¹’!ÒÒC(Gf¡˜g_áý ŒÀ5ð`B굑¢¬½Cþwÿþ°Âmù׿ȖçøáúR‰ð<éíiBk±M˜Ž}¹ £Œ|Ÿˆ€AHQ\F ú[2\¹Äs°Ã%éRé—¼ —xøücIÙƒYá­)b:,|/b¾bpÂ'°Øc¤)ø±+ñ§@à7jâ#)üâ–2ºnËÀRƒ"ˆ !Pá?‰†Ý^L±VgØì}l>Ãn¥ÍGõ¼q9lÆÝL)監Æð÷$–|ØhpÍaq“tuš8rìûî†gSäv¢H~ Ô@;ãØNì&<,%F,¸LüB"ˆg¹²ÍyIú0 ¶c™=™ (BÀ“ж< F(=äÊ‚!Ÿ ÇtŠ–B±@B§Ûbø•‚B°FU5T¨úbéFήÀJ€nÑ€Q’Ö8(€ÓèwYøÜl\^âoE3Rr öÀ½=½4î呯‚j«Ælj¡´Òηx†ÓQbîŽ- y¹Â"‰‚%hÄ!"‡Q6Ÿó_ ž”ÌÆåMãóмº¾uf˜¢©Ñ ÈXaEd<ÆÅf䃒۷)’†—+ž À\ACáL»$>LFdCƺF…›* óèU9Éž§z7ŽwXGáª'A=&Ñçmó<$}¤ SÙîr1¦ÌtzCó¹Ÿ(R±ñäààh¿vǺ€cûÎr— 7¡–AÞ YÏHÈ̹£žT­7u¡ô+°I‰ìŽqq!ó4 Éë`î(§œ…¡<1zâ@IVLr¤L@J˜Y¾*3-;2•W#G‚jé©•a‘Æ(2˜Øak¢<àŃø48…œåFo×ÿ7&åP G£yݽ¶["ã\ÿT†Ùr—à-c UT¢éCzg2ls}edÞ›a`H=y"ý‘\BÞž‘¼N× ôÅ\5lc<â” 6'4/ÚÊ~ˆ-v¯ÁrÁƒŠ2(DV˜5Åe+ Eâ».-ÙøQî<€˜+ÇŽ7õkb ÷ù8Q¼ûü­ÇQâU£yÑÔSØ„6j›ÍÞuw”$ô!¥ i2$U½`(Úl^®eº žM1ãUµ%èØÊ#wB÷yíâC Âuª)0+4JèŽpf ¥«Æ'bŒ—™PbƒÈùAä,,·‡x^˜"ú¹”…àœN• ¦Ð¾D˜•f/r)²³£“š›¤ZÒuã€ënç¼ ½>cT°vïÞ@¹;F×n±š#´Kð,¡u|Ä]ìݦÄÓþ„VŠX+ñ!tþ¤˜XÁ/•á^›ØÁÒÄ’<…ø Äf_†÷BÆãﵬ‚Cà5¶ñƒ¥Qž¯jr £;ò#|Â5«õ¤Jöã¤ì1~³mŽ>÷Û&ÐïøH3LàÕ·û´ûõ¬ ËÑ÷c±…¹ôxñÓTuK úZ ˆšÁð"œ zr2:¤Ù‹ž4µêçl£ •TÙÿõS (‰d7ŠäA<<Ži ÏÝô 6M#Qa‹’> ÿ‚F†æ!7®%¡ve ñz®ÊNŠ…aìlæd%Å—›|„’ñÔú5+œ×¦®u!ÌKÁéŒ1ѤR‹US@ˆÆQû:œ²VygS¸³|!L„"™…f}Çë½Ñ ª°N8á—ÑÙäŠubû~£‘–5J, ‘*W ìJb⊋ÖÚÚå!-QÏ‘¤\ùIx’S HÂ|½Ý–ÌíC‚a2òðÕ„4b¬(Ž:±@oºæðºÙl‡•tlmÅ©å¸"ʺÉÎá»c5›G1²â d^üü²eÐ0ˆÕ§P4³%¢Ëž)ŽÆ¤ÄL΄0?g–uŸT ·i9)>Ò):2,kÁ“lÒòM;‡ÒøÆ+>äù9_oÞèÉëvÊ|ùöU?h‡¹2;)ãÑgxëðƒ&¬]a!/ÄÞÞ2$Nte{“–ÅI”86gä þ=ø<&ñOÙByQ9°Ë¼ÔVƒ²8 “(‹~\¶AÒ ÿo²0Ý(€3R'Hžª@l¥É}F·ü@&dk/œ XxÔz<$iƒ}Ÿw>]µ9<ßÛµØb/ì½ûwÇ€SÒæû;?Ëæ‰—Ú¹†hQT‰ü~Âô€wo.-Þ¿©ä8ü4Ñ™Å&. C<=Ï=ç‹+ÜR2Œ`÷שkÍB²C®q[d…7‚¿Ççc?Šüy/ÎðTö•´ ”8z£^«÷ž´h„ ª()çÕþs±µPñ¢×–®§Ie@#øRð «ìÆÊg“ŠþS|éú’¹ñ0àrüTŸò†h™X…V2:ýê‰+’9à:#Û¡fNkøKúèE›šžÕ”X­Ô²8 1ÞØ;’×5"N¶ßÙ4ÂÛj¸¨¾Â®‘/¯‚ê« ‚Õ¢œ–j&dUµ3õ­ë'Ÿ Ün%¯ßÉú¨uø©Ã~®Ø–ë ‘ ãã}u~ˆç¦úñ$Ѹ‚$ŠÀU›Έ½dŒzÿÓà†(÷pFòïU-ŽºS1Z±Nñ¨ÀäO²]C˜K/9]ßÇï& ´‘år†ª¯7T@± F>ü1iÜF—  ¨óÓ—íOývsdˆ£D~†ïX., ¼ÀsþJEñ]=6„a,àW~®mI,?îÝ9M—W7¥ý¨ÛbÌ ?ó. ýD D½·Þ$´¥=¨F6y5´ )U²£–…1ñcÿT°ú™Ô?õö ­ö©¹OG¸Oâ'hV‰…ïÒž4§æ*|¿8_/ªÎÒ…ßÏöì$Íêl‹lõ9½Ò¦tmGS¶d›‚l®¿È3üuKÌg'C5mysNvc«›vø±]0›”ÇøSì¤.2NI #•ÒBDšÚD^O‚†‡fD'Mꨛ” Uýõ‰ÌI@É¡ÉÞk)g µZ­7Wr·È…aÀ÷Ödr‚Iˆ…8—HIªZ"€N²¢žö1Ouùå¸ ©þ¥g˹ÖùV”@³ä Š;ÒïãGî4±s²’b™ÝœwºáE»UY;Þ¤]†þu%ÕX¡¹]Ÿ¡zAá£DnmÑÍ ™fžÂ0åN«ma›Ô;_ÁŸ¥â”Yi-t”Qh<× •ñã_i¥b §,¯ð¢ dAI|H¬Š×ú¬¨°Bâî£&^oi–­PÊêµ?ø4uÍñÒq!ŠNÜò¾Þaz£.Û $Tà îee9‘|ƒŒ#ï›Úþ‚’?)óc –ªD¤Ø-ãÔ­çUék³¹%¡ômÊX™Ÿ<»ªò­ð§Û¯:Äåp1EäZˆÝ¾B"³·xÌ•Š„Ô…÷*œnòúœ5Yb”;n›CÌÛ¯h¬…kæ¯îñ=7ÅÕY×Ô}y9qÝ îTÅ[ Bç.ïvì&“¯O’Å.}?Z'Ì…Ø=¾8É%þRˆÎ  ¼ù-ì ˜N¥U:ÞÑ ß`…>)*ÞA„-Ðh Ó¬³•—")øß•U”jŠ÷#ˆtr¦3 ?¨H Å{V꽤@÷Rö—oÚà# çMü•xyE¸Eq©QÜ-òì-™yXþ¼”ƪJÆB‚9ªÂ‚ì§^~Ì•Íë"ÌÄÉ„!" “Ä_®µrÂX·r@ùãoÔŽ$›¸‡õmˆq¸Ë@äÙ îŸäcZäj`áD¬ŠÉØ^>_¼yl>ÆEkk  Ö’œCÛXF2GI¥ÔVlZ$“ÐzÔaA¢°–FW×E%ʧ¥™Ä¶§øøv½uO%TR_iM‚‚”¼¦BÿcïßûÛ¶’4q|þ]¼ Œzg"¦)Ê·8—žì~i‰–ÕÑmE¹íLº?DBb’à dÍîü^û¯žºœs‚²•v2éîxw:6 œKº×Siô”Z¦Š*Øk²›Ÿ?NîLãªò É¡’­ 73z>y„Ä÷`¦&q::—zþëø¸Òà 'ÿd>Ž×w}QÊ_“iü±.§uýÚŠcl$W®I5nu¸|dÆqÓe”Y¬aW·<ç|öu]°-Ý4$ì,L–…yŒW­·¶?ÛŸû`vV¥†(ÆŒ _Ä?Ô,Mæì¡Ñ©É¤îÒ*ÄTòòO$¯Í¬'¯xÓîçGK4©”+]6¶Q~.Òý/û«bæ½ÿPмñꬴe­õÕ®®œ®¥«kÅÓ)¤Iv“vÍaU«n5:Ýš”ÐF€Í½3+í¥ÈBn õ`µpj- Ôm’9 5G¯œÆ’_A>Î}áçÖ ôJ±ª 9t-j¾& t_ÍQ€²ÔÌú¯Ÿ˜šÿÒ|EæÞó+v^u=‰þµ~Ž¿!7GtÏ=ÿ U]KÒyHFöE?Iï㋨}µøôJ§ Ä?ýöçgïÿ„Í>ôf“Ÿ§5ÒúþO_Ò¿7ú?Ñ'_þÖÿé—øó»øEž^϶vɦ*Ê­7iV’‰º—è\¢õyE,ûéÿ+jÌTu*áL´¸aXÔøJ~í§ÌAwؼÝùýï{ÝößÅ»ùí|š'“(ú>_Æ3nÍÃDÀþ‹tL&ÞvÉ1f÷Μ•ºèûõ_6¯«jQ~³½}•U×Ë‹Þ8Ÿmg7³$Û¾˜Ü^·o³wÙ¶=݉4±nL«ùáÅXU*cз··½ë lF¬r›~Þ¡Ùö§eÞU-¹‚6y±$Í9{Ÿ *‚™—iÂ…÷7HnH)âYg:ÛIÐmªH9½5/î>4÷ŽîÔ1-þ&Koý ‚b>qzW_¥s²/¦¾—€žA<öå+$ ‹òôaT¨Éô*/h3 ¾c “´ÙÚ¾‰Ðc‰i¤¿ê‰›â° ¡tã©p²Èœžâ¬½|Á†Ï ÷NÌo²"Ÿc6ºñ0¿¬nñ¶“Šà8% 9xOÏg€à¥ïÓE%yÁ¿þê«n¼Xôâ¯}¹õÕ“G½æœú½XèW¦7ìÅÃëtþŽçw˜—Õô.>±TìÕùŠ’w‚<Ó鉥 ýÃx¸¿wrÐ?Š?ûú1ýd~™ŒL«<‘6[¬I$ó«%FÝMgáæA4‘}«´`ã¯ë;ÒVWOžwãçñæ—dt=þúëÇYæã/¾ÜzüüÙÊ27†Üuipy™3é]\¼¶……«Â¤þÚ…aUçƒ ûª¶°§¶°¯¿Üzòèy°0Y×i:YŽñº¾ï>’ƇYY¦e}=ºLÍÞâý¹b3#K4ÞÍpÓ–3¬è0%¦r&sÓ¦œäe™É5…u.E}¨’¹MÓ¹6³I0Ö1Àš³ÿäPf>[áSð…€û¿äTülÞvYv{ñÎu‚k¹ÑÇüiZÉ”™âÞÎV™\Òj¹ ]6M<5âjþ1_X ­sÇÄY‘ÌKy4~ÖŸÄ›»Ä+õ¢|ýl‡ÔØá!ýø7†ïû0é?Ç”D$ ¡I½žs«úƆœFóS¤ú›ÔWu¥¥ûE$…H,͸…‡kô6[V`k.^8lhHV»‹mj¢t­<"1 ýwÏ¢iáæ™ðTP!µÅ:+D´—)`ûµM[ÙëÄñ±¬e–sßl†6/ôc:òYÉÈ Îµ*âä…K 2/v ãá¼¥e ™ƒÉä&¡ÉsgiÌÍ,4k^•9K²\¬È>˜C¤¡ë±g¤ô#¿i’Ó;Û>\ÍL¹ \•ôýbJ"{‘ÙÏ)%çBrß¡­Í,µÑ‹å|‹[Εwe(t•Œ;•v›<éŸîDJ (m¹ûTÖt øÃ¥ H½æk‹%^è펱©Œ7Ç—=’Ëi|šßÌY4ÐÆö'“¾ƒ»"¶ygw‹´Œ÷+aWÓ»-|6V q<&œ4ìA¾]«•±›±‡ËÛÄ_=Ûú’ä¤NŽ÷§E~ßÂ…þo|[IsZrÖ\Èåýa Ð.âZ 4`¢-všYüúhÿm¼YÍ:’|%)f¼=ðoð)BÁ¢ñ&D~t ¼‹¤=œ.'ßâ˜UŽv9àUŒ‡Ùä‹Ä£¦iòŽŽ²âÏþ²9ÉÇÛøˆL‰«Ö”±%¬¿$ðádË|A—ûWqû¾x ô褣ØçÅdCÊ gDæe0¯\ânS$ ŽÍ‚ÁïD7{ÕÛúcÏØñi/îWï²y y¥JÌÉ4)Ën´qJ4X~÷ç!À?¶kÈs*[ÕŒá–øÉÝøñ“¨Æ¿0¹÷ôñ[Ÿ>}ÄJ—Ó£Ö™.¬àdƒ¤z0Êàh Öt’ÝXݸõ§Œs÷öãáÙ=tõûßûfœ¸è(z¹,˜gü7/“6¶$Ž`Ó^sÕ?å`í_8\UP÷TûÜe^¾`þêtÕä]4vº¨œòŠj‰FŠQÓåÕM‰ôç)é@¬K³]ñYÏxšÍÐU2„+ÔN–ÿï‚hÏÄ7¯¸ïdåÀçg NýM眗ÍóCrv6OÆ\ŽÍÁÖÁÉÑãiB×~ÌWù-zJtq~(L­V¼ŒÕÝB™†t6[ò˜tÛÁu(l”$ÅE3Q_hs*;Öã—‚sã%ç´‘~*tgÉ|Éí634À"] í éŠJÊ8™qP‚îÖrîÛ[Ý\‰ÉÞ•w¥A_Üh_ï’ö:¿åú,šß†dÄ1šžuÜ0;…ä°â.ml—]iŽkqéƒ ’·°Ã ¥xlíiW·‚ôÄ1ot º°ƒæïEWˆ8Þ!-3i˯ãà(ud¾c.,â¡Û#0Ýx’T ?Sz¾¤ˆ•¤¤W NÈÀ£4 ùv@ôs72×âðL9­~.HhqÜ´é„<±^ÄMW¹©œÖaƒú¯Ódá :k²gVœXU•†¸Ñyÿà`´„&ÆÇ§£“cþëðÜŠWvŽ@ët:âA³¼ÙøçÏåDFeZucaèóü–߬J–è—ÜWµšu¯Æú ¨ÿ)Žƒ 5 ÎPÚˆ“±qgtq§·™åE¸ËR]‹]QŽê"?¬¹íŒã¬iIÖ3:u¢:×‹É ‘ÂWh0@\±ŠÈþÐ=ç 讲=¬)Ñó3)ßи†JK§‰¨]ZçöÀ"­ÃaKÀ?q7@’>ƒ6˺P˳æÝqÖ;­èœ3ªX¿c”çL¢·D iÁ8Vv´nï"Y²Ëàž )εîØxã #œ^tΑWÜ„‘”RòËËü-îí¬ zbë Ͳ ‘òËhŠÎ2îŽkÓž¬xAPçRŧJ/¦JWf"¶ ZlÔFDØ×Úà´[/ÝQŠÓ„@Ü 'ºH¥Í˜Þ11Öm„ö½&>}ïÐV"™þ*­‚ûIúÄœ.fÅ¡ÚÜÝʬ¡êüºiÕèêIZ–îäÆË¥|1…áF*pë/Ø”˜±ë v—ϵ•jN5.al‘„.y@mÿ­NÔÚ>Ë q¶²FyºYòûËxû˜tâËKv± 5à–-|øs¾+¡ºÐTe 8ä=½èÄï1‰ç©YÄHY™ATtUdtCöß$E_!I˜„-T2ÆBâv¡áÁ,àÕ4¶œë<0À9R‡è˜HÒÓKÊP±t›%¿S“@÷ÚŸš¨8E ˜‘«‰u§Ü©ÑÔ-+™Þ’’%'FѽŸÝº ²ÅrÿR:™2gLŒ|Ý&hÒ”ãivQÐ!oÜiÎôCX&ŒöÉ]¼ÿ’¯ÖÊ+IîÁ€—Åò2¢»;†f§$ɱCãM¤t³Ü›LFEžWå9L³4™çK%ý`ñz6ãár~<ìÆû§ûo£/zo™ <ï½íƯN¶_ÓúÓÅu_n?îÆÙ|ù^+Þ¸KaاŸ²ŽwqçÄçªI#¿ÃT¤Ï¡Ýrñ5¨F#6uT—‡õ}¼ ·wGfÝiaîØkÖ>ó®ÏPpH²Fd @9ÀIŠxy©îùÀYÃV:~°~¬+; c!Ï'ì„`œ٤Țvrn —$Ó—ççq“±p=oêêrø²Pµ>gj_^ùËÕÊÝÚšÃsd%™uyÀû z‹ÙçÍSËä1·³¥ Y9c«ËéåìMDâßÿÂãRCøn…3Iù– µL˜­¤+x=®‚WkJþª´ó˜À Wx_šwuác´—sžH±\K„?Â9ƒ4G}c/:€MâØRÿh¸ï(wíÎÁHQàœ}–L7ù»4’G¥þMˆoÇ)N!üDã°V$)™ól¦&]m6ªæ)Fg×}ºí7§E[dMH/é  -_”8X•ÇÀÁ¶ùrI/ÑÙàKRTÂQà8$BÑB9¦ ¥Åq®X£·¹^ï& ËGáæ¢'rí$Ûx´]°kRùQLÛI?ìW”¥`ùS:b;×w¬+¨H ß{‰[ø’îÌŒô¬ÆøµÁ[Ôy2ΗW×Ü [#ZÓ;UâA›ùti¥ÈÄük†ùüÎ ÌÖüÉ«‹aC;ésʳäÙÏJëß­^¢ð$P泂î/ ÙÇt®ÎÇQÐ^àØØ’`ÂÆ½ ÝLÎ4ƒÏ±ØaŠà!çîátàAÙŸ—ð='Îïx’“¢.:-¾¥wä€Jê‡èüá%‘÷œT3Ë9aó†‚mrcËóÞ¶ãm`ïë¹ùÅ5À ÒéZàYp¦’ŒÇã—àµDRY…d,5:Ç7ñÖ%ãà‰Þ$ƒº{O≀ÌkÂØ¯­¤­§AøÜs/“‡nÆ,›LÆ¢·„pQeÛWMÃÃ.‚i‚åÃIPÛ¥Hv‰>§ÙCe'Sƒx%ôŠ3\ ¥§yþ.Æ9}#ùTWˆÔL¡¹ÐßÖû{ô±@ìйàƒû-)$žH±å‹ÒÑÛÆhͽòZ?ð{#9^8‡ýßÇ]Dѽ ä‚ÕÖ†>7/O¾Ðð*mÙMÆÞ7Þ‰‡Z̪Œä§¬ÖÀæC¢¾€# —ùx¹ª,*= Á6i©½TŽÜ ¥eU-ºì­¤ßŸûeréà;D¢eaIÎ4VÈo_ û²nU,çñy™V?Î#ÜZ1ûϯÆü^t> ¿ãÑÁªØ.ÍKyû\av+ñ5/Ìáù†;xQd3âPÀC¸ô€‰Eù¦|f–—!òhl’¸ÔOã%ì~¹ÅÅ¢ÒtŒü5íK¬Cf¥œ1 øIÈÐX >IüÌyk‘õƒT‘ål3'ÑþCÀª†’‰=®Ú®2°( Rãæn‚QÅñÙÄbÀˆ”A/9õG4§Ö®¬:¬<¥8cj‘ÊeºéÏ’áãgõ 6³RJÄÜß~õ<Þ|‹2™§ød§TE™i„ã H˜¤Ó”ݼ©ÀG(†(ÝPöæT¹„@x@F}JøN€sBCG7£‡ûD͆æWÆ›ýYv•tããáö“®ø¥º$ÇÇÃópÔEW©“à”úÿXf7 ÌK¢¡ƒ†œ RPJ…r¨ Lí_&ºi»Mÿ`,þS(§'ˆ˜‹:ðÛmsR ³²±#• F©ê%¡é*ÌÍiŒø©^uº‘º÷^iúb¸ÛÒŠÿ ç`üÅ¿>wNAqÝmbhþ+ö‰ÞÏ^BäívâþÛ—I„˜7›ú×É¢Ô­—ü>^¸ªÙ¢õš/ßšÜÍGHtí{cÐw+žÙL°æ"@<`ü¢Ë¨Ì…úú¸ƒü˜çío_™²SyØ$%]>~Ò‰_—©:¼kìAJ¯Ì¥hû…`<±£uåT%´RNX¼?޽O˜y ‘*y\q¾ëNœœG A4¨¢c×ý} —0D8—$H÷~á’®,§TBŠ ÖÓu—Œ^/AÀ«Ï–’ º à¿z|0ÆG{6‡UQ‘9ò¬àÕ‘¸þ.lZöàûl÷“bJ9kÒ ¥;©Ü²I«»3=“”*Ò¼²,º¤ŠR¨«ã–˜ÐŽO{t>aånsáü˜=ák4Éf7³dñ Ú,pÇg)ûm,Y€ÊFnˆwל³™(_ÎoW¢²²« —Ï€À‰Ío‹E ïò¥ø‚ma1÷)ó3¸  È2²qNõ •lc wк„okÀÜ¢Ø ºáD óø8àñ©J3ËBI„­CM–$?ÿb’Ì´‡ÃÝãaÄÖõüñs¼þ:ÒÆ»Ò¡â?“`§ÎJ»Ä­œ r$+5 ª¬ˆ@w†vA˜QŸ r~ cv$ãÁ”þ¾9LE”:fâ£Ú’VËÜ9Ž<7$h;£Ý,Âó7Ÿ³sÓ4….š°*€¯gN#9œ²\îÄâEU¿¯Ã5\ÉŸ@5>V†€˜$„;Êj\)¸Ü ¶@K3ÍÿM}ÕË®*=P¯ZãÁ™D{äôŒÂè 4”"Qý•ŒUÞ f.$Î…¤_‰’òûlz6• Ášv*`:'UK_g‚qqöyôê$>éóp(²KŽc9¤;gjº˜G Ç%Ÿ-ráPõí/¿Ë2uošÜ†ÙÇÂ*JDÌmúA‹MÆVÖlT‘džd6ç¸Åeçœè–QmnÃa ÙÉ“a"•8ÝYk–G³ÒÀæ@tœó"eÂgX¡uGÕq~YÓ¶¢tÄ7ÖÄ¡ná‰à/mt¨¦‡¦«àP‰kBY 9Ì!I6 øÈã /çF-çY.­´@‡`ÍÔgָȩ†#‚ ¬KxVhê‘¶Kº`’6~ ÕY\L¢[ŠæKtÍšŠ3À‚Ùî&ÎÙï3…'[E!ræj8á¸>ƒ‚n¢•§:A+1!w9ÜUª‡£\nŸÜ,£ëxs‡ÃgzHfQ³ä.–Ø¡x༃Kvà†e†9‘ÍÌ©ß$ ç݇ͧd–M4&‘œÎXØ@ŒîAGŸV¤K¤É´:‰57ü\Ìq‘S€Rþ ÿ¹±4u"_JýÍ\¼ ~V<ÔœM\ÑH«•á e0lm>5õ€ð\Šì*£»kãÉ ]4†ÂîOÒ 2SÙü&à‹‰!v9ÝÖË—ÄÅ”h‰»Cµ}\ÎY=?œî FÃýHZ׃u$¯ Çñ@ŒÕtn™Äþ5¤Dݧic“Û¶ÍíÎUFC7C2i¥Çá\A i7|Ü]ØœÜõòÎÇh/è—ó\hv<“ê3!UÀL+:êhÂr-ñ+à2Ž5Ôï4j7åí«WIªN¼.(÷_ƒbìZ¢]"¹‰*./Œ°ÉÇ8IV Déö¸:ðBc¼ÁC®os)E’ÓÏ›iiU›ÿömü•”çø Ù“ôý‚(rt½ØlpÜ`cø Y›“Zq]z&)˜âõš0’pЈ<AÒR÷@w7áÓE$1xï(·éØp¢9ë¯Ü"$…A<$âõ 2ÎþcI^Õö:qZ4”‘– ¦›ç5ÑÔÈ¥lnØ>¤Öl³ª±ÿ ­½i–•âSx—¦‹³s¢<Œ#%ì<#¦­åŒ‰?ùâ¹²¯J®’\’Ú`<üi9+{‘ºåݹ±ÚN[†r“#@2ÝÊȃÑiñkc.ä¦e‰Z©Ö©+dÎÝ“Nl((ä5¦4¿Ã¯œ ÷å"­qÌÇÅßñâm,ŽËbá ]Ó¢ý—>“LLsr฿”ã&“e÷òšÑ&þÇòNýÓvi4$Ì mdvÅño²Gœ`•#€Þ@Û.!w,œ 'd=MÒ8¨áÆ-þJo1kÐ!$Ùfp“ùËÒ‚5âIL¸²Æ=¦8Äpš!èNÂoSÆÝg²îZVS]³p˜l8ÌÐ0ìèô¦!LGù®‰ºNXªÁ¥”¦i˜–`ìT/¸ç“jÌ$cþkNÖ*Å)Á À.™^v4/÷Bž KwÙ,­IÙʦ‘È2LuPW >¤.º-â,/ô˜N™Ï~݉‡H¿C¸9”îoy‡%×§÷\BЋÄg.ÛöºÔ¸6\Õ«ùä1Xn1Ò¼“Î¥BðÈjQÐü³\–r¾ùùeÒ±¿ïœËïé_öËZÁ£[G&ý\®¿N*-d˜K©?êãXˆQrÝaßÕ îh0-˜Ç~Ô––“”‰Ÿ=l¥ØOˆ©qDE¼;WS‰S—ïãDýˆM®Ñ$»Éʼ8wÉìÿ“:T¾­$T,ÏOàÐèžšÃwêâ""¥Yåy ç¸>nŠe_1O»Ä4¢zAÖºT} (›ã!‹‚œ^® #+ ±>íßÙIÎ(¥ÂR4{¤,‹R!ŦjÙà€.ÑVÁf…W,g µ(™»ˆɬ®ZÎ…‚‚ÀêuÁê…µÙ«»~£0ž!áLçŽH½oóü5|‰ËRkùQ¤îÁ3ò*ÍÍùö5·P'|DÚ#cùtÖ­=´9ë|NOvÄ++ŠGuY?`8« ÿ•çZJï(@µö®]ÌO|{Á/ˆßyúk"0›+ŸEJK°!pu^¢Ôp¾lšMú^Ü´s–=O„¯¬q3±"æÍÕó^D¬*a¨3ü’#ꤷ>¼uJ|ò û¥H‡¹ÌˆIÜ‚9[¤¼ŒÈbõÅŽ˜ó .¢V'ÅObIœ½ç7Š§ëŠ 9‡­&M)‚ȧ­ýÅ»’K¿RüJ§ƒq&L}ÎçýûßÐë=˜N³rëËðxÖ|¼– ã ÈÜkxƒÃâ]pz÷a±Lrž,¹nüûß\VÚ‹$C™]E—ÄÖZˆˆi/2w‹žGŒ””ÐÐOì–ãÌ^û ª,bçÌb»ÈŽÐFOÓË’7eÕ ‰†ŒaƒNŵÎQô'ØW9-¡.ÝçæŽÔö†Öâ±n®-—ËãßxÅ[œÖâ±RèiR7z楔âÇå…x´/-O»ÜϹ5Ó¼€n""‚}Nz'ðl®®ÖI¹@¥’%"­ÄàP„¿«EøÍL†wh@ãˆN®–š%WÓè*Bæ ÿß2á5ÛÜ;Jb|ÿõVÐl¹Ý =Ð\ÂÀì0ü§eG” IŽ|oå²ç/÷vGƒþwœoêrŸ"—’»àj-œzÎÏ‘$ZT#,íJøb‹/råiâž•¥êS–AIâÊÒ<íË<ßíß`<Œm û´ì•`•ù†K(K ‹**¯Sd pf»ZÖL ôÄäBòËl-é;"“ëIeS§¹²ö¸LJ15Ç…ÍšöpœWÄ·Æ×dïVÿ »º^×ä,92¬Æ3Xß Õ6°œB«¢ †CU²Å_È„ÀewxÃŒÕ1æH®µ|:æ±Åp@Ò¥^ç®/ÒsÄÊà7ƒ¦GÿDÿRÆôX9eN¡ÂQˆŠÔF Ý–ˆ›ìüª(’,ÚÞ(t‘Úψ0Î Ü+xÀ8R^¥E­¾y,°E:Àê8¦"UÂÚOÇ&7%½IÝ™‘”Œ-hó;rÕZ ÆÂ×ezã’â“5ùÑuAú˜Q­y£Î$MnšsnûÎjy7øÇ¨v|¸oŸÂ'^ž²‘|¹·?<œŽHÙèìÿûàôܬºÌ<·;–KèãîÎÁžXBnAŒg‘‹êµ9§¿£í8ÅCvŽÝÐ!Õí#ˆ7A¸^MŽ4ò|ÉJ¶D:ið Wï¤àxl^°OÉŠœQÚ`R&!ÍHd.Lwj¿rKˆÂ%H²¬$œëù1£¶b±‹4„¯’Úßpÿ"ŸÌ^Z¬íøÂìDÓ‰L‘¨ÆÛZÅ ª),{C4’$A~ ì[p¿ ‰Ø¡ i¸ Lµ pDÃIF‚¨EÙ›¬Ž(„Ž"QtµÐêVêÑäŒ#ªS€·h59«N%vØåÜ´crA,g:&{œ-W!íBfÛ{a<Í66}ÎÛîÀ ʚò¥Ä;j”s¿ûŵdF:“О³ê Hö&äÚ•’ É .$ÓØ|,|Ü’EÄѽ•*y‡c„˦7Â@â†R™¥’f>CV+ÍJI³äÅwž¯¨å.kSjÚðA4˜®Sãåå«—b; är Wµi™°æš¸êƒ,§Bx·Û;ØÉ‰”Ú&ºY®t, …-+K¨$SàAL/PÙb©W µÕÀí9ÚùÀ,îI-rÛPCã×𨢅8§Ø^o)Å|ý4_ÁO '¨§Ý qÜR2çY-4t† ”:£•dµ%'6'‚]7%ØAÀC¾‰¢Ç=ºEž©8MHåéŸ9Îõ¨ÏI>’”ŠÐU–Ð*סsz,—×HaMü¤÷VŠCyIáAßà^!RŸ­°5Ç£ÿ/ajÙÕr¥ñ‘ú1Æ6œ0"FÜÜ_û×8˜ÙM_ÉÅ@Ïzo;>Y#,ûc£vK;‰¹ Ÿj°{[S!”޲/Þ Ž èoéÁmoC ð\ê6‹R p¼ƒlæa ë/RÛfL I¹ Y¿îû¼$ElÖYC{R?ùÐk¤jŒälzW-}ÎÅù<ל£ Íë4•Õòâ"/æ#qן×KÄ-%ô’Ž8ùJ± ËeÆ` =ƒýr“PÖˆAãX:¤ö°mMKÁÒH0œ÷w‘-ÅQ¬WŸtîÒì Ö¹JZ™š0£AÏR–{µ¼˜üˆ¼R4̹j®û B:ª5\ñ€:^мÈÒ#zzØQ«í6è/+A:¦¹E/ ]<Úèà½6»ßÊ‹ÏtnñrÐìE2~Çÿ@!p)rÅc‘ÕŒ¹TÓ¢·;–NdȔӼ Ä]ᬼZfÒ¨ÛRérÌQ.áæzÞ÷xÊöE=[I9Í5»ÙŠ+DL!ÛbÆåѬB,Ë•/A ¡X5¯—.ÕŠ€ÉL °S†”¼dník@ê±ñ YÈê"cÖÉj³|¼R+Å‚_±pú¤&ñ¹¬žB%~Äf ?4Iõ!ç[ð%ÒÉ[2­´ˆ/åhsàM¯•Æ{§úÞŽÊ%åë¹¥ÀNä5_ij2—ØœXŠåtÔ\¡ÍXÑ¡p«+[æÙCK‚îÜ4•)Ü!œ{'¹ii¨l¯°ê¢¾‹¸€ ÞGuœˆKN¯ÓKšÉòî0¸ŠÄJ»ñÿYº‚&šZ\* JépF,u Í<Ä´ÒÎCÁÐI‰úa/«^-/4æƒMGä1X—/¤„qS–Ì… ž§ÀN 4âIœÎy—¢ÜŒ—¢–Ĉ¾Mæ.É^qH¯¨H‰ýa±ÔR3ÚˆN“ü¥Ád™þ%\ší—Ä£†zAC’Ëi~ëæJ®óøÿaG°-øÊÛÜWe‹»šOAr$`¯çœ¶©ý\Z­Ê9ÏIDâ<àÂf4øƒêµ…"U&ÚäEÓ]¢ ]¤J5„nWo?~ôô«ÇÏŸÊg[úÖ-¼uKߺõäÑã/Gžõª¤è]ýgúÚE‘ß–‚bÿÃ.æo+#ø.9Ê2î¦É¼7—ïñ~$ªå ºÓšbö“圪ÁKÇ*Q&ÅÓá4ýpë­ìÁYÓA]xn ïÂaÂ{ÁŽC¬>™§Åd nÌŒÁ†wý°ÿòìì,Æ,^Öf‘]VUÅ“Àì:¦³•©$õžI>¯¬L^д%»LoDôÃ-T¬7õÁS$¡:¦¾h¢{äèÜa'_Üœô¯ñf̦|±9îhsú߯ãWd€ñ}:­øÖY¦í—_?Þ¢ÿÑm8íyA¬Äœ×È¿áÇ.¬×:Ìs ó5GñˆÞèJÇ{E²¸lÎFù”ù£¼Jo§iUm!žäßnЀÈÌÉü®e_aˆ¯âý›Á÷lBò.ÓZNFl0„7ßÛ±7îúOµeÅØ{´`Ý¡®µÎùñDNÅÕ²¤¹sÕãú t³1W϶¹~Ö¼€"Êó=†ÿKÄñµu }á ]ÎA23¿µ ‹ô’1'E´¾€·ý”û±±÷¹—œ*‘lÏÊ›ñhrq¥[f+BÖÙçþëëõ¯~Fgö苸?'–Å'9)ƒ×Ù<Ø&ÆXÙ†ÇE€uHËyÑKÉj”Èè`9!õ}L_‘ýo±Ê`Ý~Ü3ÔrŠ^U˜¦yÓÄ”9^ðÚ-­ŽÍµˆ3à|hM¿ê—$ˆÎµ“¸QŽç™/;ÁI— f€Œ#8În2­xBçƒï¹ŒˆgÛˆ®¬Ÿ€N¢ß…™.æŠÜšþÜ``G : ×î3D†3I©ë-@‘hPV€ý6f· `ò]žÃ á8”J `huf@K]dE&ý4FuÞ;9øÌà=5¸êÁj©»ãœãa‚?e9š!ï¦jfrHGà)ñ½r]×rÐ,÷¨ü°t‘î³î»ƒÌë]-¡ Ã>©PÛÚ+¯IbÿÖó«ÿçÕøGq¼ÿÒý?Ÿ<}üøËfÿÏç¾ø­ÿç/ñgûóõší³¿Z³…NúèÙÇ(¤Ýø w‚A0Î'Ã4ÒÇKbyóOÇôÛO&‘ëóø+…2 ö©ä2 õÓD3ïí6™eÏÃ4\”xÀ•,6´vðg®öCÈ]¦÷vF{; _ŸœŸžE‘¯Ãaž¥‚·å\{Äâ$@À ‘ƒ‹ßÿ˜Ü$.Û¼c”0@äi%»ë: ‹äBÐ^Ü¡7ä­—Ðg¢,‹ ×ˆKX ’Æ-Óâä½Ä0a ¤­Ø“¹fÆPÐLroÇœ„ᣠ‚n—d–cœÃþéw£ÝÁpçttüòåppf‹·…ﺦú×p˜–¾j±vÒ“àŠB_Iàyi ³ ÐÈ~ÕÒõä!ò%½eÂ;W9ªó?Ìov”\ˆ£ ±mÞo öêü °/;ˆ3òû|š¶ÕE¸j·ËæúèÇßýÇxÒ‰_ö‡gÇ;ßy¿sˆð|›¡Â²NÞD½4C"ê’·7}ÐuŸ8ÖéÙþñº§Ó¿÷ާ¸®´L-\W¤F7ÛK©™_4ßÁSHƒ›{G[«G4äEžOcÎûÑÕVÛFÐßÒ:†ƒ?DH·±çæýÛøÑP E³‘ÌNA篧/™•\”I“‰×üá«oÈMAþôþÐPÁ¬$ÝÈÍí¾·œV½Ã¿ð˜% !¢9ܰ°% Ðî½õŽÜ1.ªbTÅŸëôip¬±+óÛy‰´çrZz“¹Ä¬‘x$ûÕ~6ºLÞ¥ ÊÒÌo>gO6ÐÙÙéèõÉ·ÝîÚU´ Ï#² wDó|ØoãàÇS2‚ªž Ï>ß4~Љþ/ÿ¤ÿ‚üètp¶¹q”[°—Þï>x¨tH'!9ª/éÑATÄ;ˆœxm×€É2Sé/ïz88Léd?æR6úûNÿàÿÅe .Ï&r¶tçýú…6þ𠟃œ4¥Ç€^yMŸoÏØ‚ß1rÃ\yÃþÞÑñé€EßþÑËcïÄ7Zñ01ÄÐÿÀ?–KÇvwF`^ŒÕÛ­¨›³Eü-ÝžN@áûs°`èÝሔ®Á‰Ëé”­8H4@¼) ê09vZ)Uß©;¸ÙùCí]YÀÁ^ý]˜ÿ¦1¦¾–‰uâÿ«“{}þÈ(Cþõ_6Ÿµœðìôõàz ÷¶W?9èó¸ÂÖ¿šB¯±è+t'»Ùì0ÅýŽÓ*¨ÆòdäP§û©ù Ä£øŸ¿÷gƒ£?mn¬Nx£Ói’¶²1ß@þ1JŽ÷¤éÃKuü£:Oš%–œ')Õ“þóÜî£Ûio›!±—?Øåù ±ö]çQ í­ž‘ÁÚ_7~,´8[x‚Ù\Î¥¼£c¿d.jµƒ;î3÷áMlÜùo놰%Ò,‡¤—,¦"²´¹r;…ºƪðÒ±çïP›DØTqÛ&.ªÇw4›yZxš¾÷üxf\¨í„ãi:¿ª®1ßÏF»!S ¥æ¥& i¨Zb~{ñÇÿ †ª+ºDüKW§ åóÎÊÖ|4ÅtÅÿÞªœì`p´wöêã×åÿu{ý_|û‚ÝýÐ:Ö¾ì§,psShzskSèxÄÿ\Ñß?¼Â-Q.w÷OG'úÙ‹?Ž^ì÷‡ÎúŸþ?“òü`笳~¦¬C6÷îž‹*‘¬—YÎT«šåèè¤ß¦'ö¡Cmþ®q´ëîå‡ Œ“¿°hÝ|°î c'u¡×œaI X½§Mr±6áô1@‚ô}:Fw'j‘СÖ`byj^§Ó‰5ݼµDFšl2]¨™7H³aWÅ+0rÖ`­¹ì–Êä5]A²Rm}ÃøÎœ/Ç,æOÇDè.~Ø­ ¥Å¡ÐýÄâyQ©´]ÑVµÖ!›6ªF¯mgÇ»Çß ˆS]³F­‰Àçyþo IdôwwYãÜæ”k+¤ømì¬YpuCWo'jCŠbÄ¥½—ìüY!™.»ñ¿,:®Ü÷ñæ¿”ßüˤóçùÆêœë‰{,1Ûù '˜Ø=,Ã…ã›Êøtw~Ï% ùåf~Ý!‘øqL»û϶|x1GŒ zWy·øÓਗ਼wJfFgÏ—mD\gÿHÏ ­ÈZȈ5MÝsð Ï~ã¹v°=køüæ“ñ<»µÂï΂«*';4®å†ù ¥øLêž‘~&ÍõïJ?ŒÑ\¿©‡…zø3*}8ŸßT¾WùĈd=£ž¦ö[Båßnþgo–¼ûÙR#׿>þâé“gÏ›ùŸŸþ–ÿù‹üù]|˜¡¢5¿¬,-•üÕr’‘=çú¦!l¿ÌBþ’ƒ¾ñŸTòYïñ£èw¾”—+Q³¾•N2ŽP0ÔA.=¹¤×=ßgGãPØsÁ­ð]Ú] ù[+¿8Ð yŒ©BðÓ û§{gߟ â í¬ùþ«ç¸âvIèØˆ½)­}V›ˆn KòT¨ëžDÑ?ᅩ7þçæÎ˽ÎDÃÆFDÿVš~Ç[ÚÏóT<æÑ?†ÃþÞ >ÊM‡]’ ƒ 3b€Vþ·Õ‹þyp´»ÿ²1ƒþie͇7âý×µÏ0è žøsÔ|¦íÅmcÕž[;÷þàhµ§d,¿mû‚ØØØ;÷{¿‰þ'ßçKùäï¤%yøã[mÝ.vpnø%Ö•Ö vq§¸4<`L ˜^îÕûfÊ ~“¾OXÿÆP¿nû’;×ÑÛ60Ô·÷nÿñ‰ëƒvs–®T¥‡kKŠÖ×¶RȦDü±¤þNûXzò?}¤vz[3^x‡ïæþI­¤VÿšA~Ê<莟žŸÆý¹a•68Ìn[áÇCeIô¢I~[ŽŽÎ6"x"¾¥'ɸ‘¿Ï—Sûáï>ñb©/€)…¾HÌпONOâ3îû>:@èi¨àíÇ&k©3Øâläýáé,£Ã—;ñ£•OyÐÑë\âxY-–Õh7+â 7røcºkÒñ=éòø÷ÍʤîÏ}Sùð,ê8~}FÚü·½?›Ú?j|Á‡ðM¼á>ù3±£ÉtºÑøè¢ÓVï úGñ7ÑÿØúÿHÞÖ?Dz|}1}×#ãoãþ'Ê‹bíùøÞè뵿¾@cÇiY­À=±v Ò\ÎÊõƒøGÖŽbÜkǰÖ`º×aO¬ÃÌàõc¸'Ö1ŸþçýKqO¬Ãȧý;n(°vtýþ¾±A­ë¾Kß/Ö~7Í.Ú¿8º{(ÀX;+ ª0ÒÒÚ!Ü÷Œqÿe˜}à6È÷ï?4ÀûûF(ÞÝ÷óâÝý¿Uyÿïù‰õcdå}ëÇ·k‹ô«û¹‘{bíðbÍ’{ÑX?By?è÷k'Ìøz|Ï*Ükǰþk‡°ÖŽPÝ-&÷ó÷ÄÚ1n!´GR‘rQÔ[OqZï!’ƃ+#6€”ƒþÄ‚“´Žo,à´ªô=òoý×Ûÿsz=6{7Äõ?$YyròíxJ(…-»»+ }oÏói~•ÇÛ‡gñö›§ñöÞÛxûøI¼½KúÚþÑÓ'ü×#އÉßGôùîñ›!ýë{zx¬CÖGÛ­¶ïšc7G ^ Lÿ‚žT„Áéþñéèä˜ÿª_ííŒ$–¿<µyÐ «øÇoW¦1xUŽ?n"d,>h*ƒ#öVîîwúû‡öû=Ò½>Ò€žk™>ýûý?õ-9ªª*åèx4x;Øy}6@:ëáþpˆ/e‚;§g£!}w:Ñc»ƒ“ÓÁNÿlÀ?}yJ§/êUg[´þMÒf1¾æçö{Û$xy”/Êí² mz™×-{üâC¯«mógçµÏ¢Þøÿ’ЬOwþ w‰–?ìÈøˆèïÿ†Ç‹þàýûþ@ÇTéqºs9¡ý›ÐÇýàðìàÛÙ;âQ´ñÍûHßùR's"}òÑ×;°úÌépçÛbÜ|;}oOãGï¿zôu¼=q¿ÒgÖ~ýb¸óôÉ·¤TÁMÑ”¿´ùÚµÏø_£—ý½¡Ÿsð5ÓØäA&¹?Gÿc*¿ò•ª%õÏkºwý«ºF]ÿ.Ԕ߄ pý«š^Ûø*TWë_ºfý‹Pß«SSãš_­ÙˆPïj~S¼[ó±Ó”_™Tÿ¸¦ÛÔ¿ u–Æ7åš•ÔtŒúW¡îPÿ¦¦4&Ý"”ëO´¨ѪA»5ÕÿsÓ“«+è'øÿû·‹Ü?…ð;çé‰è`ÿè;ºWˆ\6/•|¿žÊôé¨ç*ô¯W“LÿFS/Ñ3€ÿ1Îg“é•~“Ln’…=Æýôïù4õK–• ¿Ì&òéäblÐ_Ç ý‡»º€ã’êonÅÝCÌb:·Üñ›ý§_=×Åüí¯CV Üë¯X ãO°åak Ð-¿™çГ‹oê¼—>Ù¨¯šØó²j<»¿GíVÖ‚[Ý*V#ÖðohÎmü{õóšweÿ^ý.t…¬áß«_Õ<kø÷êW/¡¯~S3Ô[ù÷º/Þ·~S¼[ó±³…[ø÷êÇ5ëµ·|S®YIÍŠlçß«ßÔŒ¾ûù÷ê-Ö^ÔâblòïÝÁKÒÉàÍí3—<79ÁÊOÀÏÙÕ}ŸÙ<Í?Í…üx­ YǽßÜòÐOw?ns×ßð¡¬qóCÞq,ÿôncþwè4v¬wË#ëÆïWŒv÷}›,ürÍ/×;Š߯ùý=NâækFXë ®½î×kÃï×ü~½c¸ñýºß¯u 7¾_óûuNßÚ·k»êL®Ñ`û7+Ž`÷ÍŠØ}ClvÍ7Ð-߬u׿^³²õNãÆ÷kß…˜Ý{#Ö:‹ë_¯ýuñnýO‹w÷ý®ÝIÜø~Ýï[ÄÁwk~·Þ9Üø~Íï×:†ë_¯ûuyß)¯s Ë·ëÂï×ü~­3¸þõš_¯w7¾_óû›ñ³G½¬ýîðwkîÕœÇm­£˜9ŽÛûµ¹'ê鉷÷ß³xûx²âÚ}°ÿxͰuÿíè—s$óoò½3RîO™Ó=e‡ºµñ '³Ž°êf¾ÇÉl~ðunæw27ÝÉkœÎ“{œÎ|j.gýä7‡ó'u8>Æá<ú‡óè'9œG÷;œGÿÝçS ñEÍÇÚ¢¿‡_´9šW5îÚç«Næ¹öŪƒyE¯ ?^u.·¨{õ/Z½êVn(`Í.å†Ú~ØâN^ÕtjŸ—­3oq$¯êáç-Näõ:ü~¹fBüæ>þ€«Rªrÿn¼ÈuÏ+Öµh_ã?‡yñM]€ÉÛº)¦Ýý0t‹ëg•Ÿ7?mq=·9bÚøùÊç«NçŸH+?o~±ân^u´òóÕ/Z½êfnÛ­ü|勺ƒ¹Åþmãç+Ÿ—­3oq,¯š™­ü|ešk]Êk-ÀhÅùøßåNnM]ÿôyÉò¢?dzò}O‡ž^yîä*¯yáGϬmRÎ ]ÿ÷F7>7·t[‘C-þÀ½hHF¯qPׇý³t®Yã1¿\›ä¼ïÓ¸ jo¥%sÏKô?}>ø(®=ÿQ^†¿ÉÄ´O—”VŸ„šæp!¬qÜcܯ1Òë&>Ÿã:3¿fÀ×i¸fÉ÷~3âËû9Œx¦ÎUCþïÉ2ú;°†ZKŒK„’êo× ú Høèº<›{¶#°e> %4“SÄ$ŠÚõ‚_‡òúsåCèN}TZÄúgÿZµõñ=jë‡R%Zû•µ‘>Qû´E]ÕRÑÀ¶ñ$²QÿùŸC~{OžEHÄ-JîêXzh%.ÞöÐJ(¯öнõÚ'WÂp÷èÞµAÚ«ð¤¹@Þ/Ãû5îþ[µîzHíž 5zøª~oX-¤¹šN^ÿâ7ýü· Û/§Ÿÿ2Ýèyñ[å‡üßMåc£'ªA ûÇ4'A§3ÝXY»c+Ñ5%>poWœäÿݶF+®Ê§w“ã5ë$_ÿl¨Úã©Oà o}ÙGÎiu:ÎΟ÷vFíÓt‹OÒ{\âá€übý-¹x+”øMÒ>0BÅz¨HË5xé'uÀÿ7{Ð7z½÷ü!Þr~áÏí4ÿHõç¾Fù®)Û!}üæÿÍN_èÝ·—!ý,äuœ3=ÿæ6ÿÛu››lù{ÑqW4\Z ´[ðç߆@q]¯=¬ùÞ© -ßOÒõß8Eaý·¸ÞöÍëZ~ ºòÏå•çÍù(Ÿüº'ÿ:-ùñZ-ùCÞø–‡>¤!7üðÁgá…ÿ°f¬ùh÷ëÅþ¡{´b÷Æ|½â`¯}}Â\{dE]i÷š7XS³c[ÖúM6}÷wêg÷šùèçÑÌïq­·¨è?‡‡½]ÿxl£{ý㞺~SØóˆ?Taý¦°ÿæ¹þˆ•Ô\®_Êû]Z¶x¨U_xðf4Uø5§õÛ6õ½¦Ø´|Þ¦º¯è*-~ðÀÉýË)í‚¶ý³¡f‹6 •ÿ=j[¯[¾{ röGã£üìëæËbœrûˆ(¿>ÝpLœ+,èÿ>zI»ƒ“¤âé€Ô¥\Uˆþ¼(²2!hXARï]oÔ ‚j~ä3ºžå}ßã¯-Còøãÿ ÁµsðzwÐù¯?Ó%þ3:N {¯èËèè¸mêÕõŸOvNGg×n`÷ÉN1LÇ-WSþ°‘hæJUènüÏMÙáßŒà¥ØËÖ¶ ~ÀO`¿[xl+õE;´•rÓ‡™^õx0ŸÔîå/|ù­†hü·u÷ÿû.yXtõÓnyX†û÷{Íÿ»îóO?ŸÕ"éOs£é+­e„¿ÑÇC²ì~=ô‚—L.KKµùO™DöÜÛg3þäðp•ŒLoøðfÂþiw•G…œkHˆ§ºžE•ýàáâ·ÿ+O|¥p÷a罂ãð°Óþ•è\ýüpvs¸?ÜýÊÅSmŽ+ö‰T W=¾æôyë™…yÀÏÎ*þáO«Qéÿ°³jÀ¾<ì¤~-×ÜÐ~ÂUïŸ~÷«'ž`ŽŸêb‡xëί½çr‡Bâ'\ð¬3jAôxØ µ@<=ì|~5×ZS~ʵÞyõë'?ÇOv­Œ™µgN¯½ïZ°câ§\ë¨3jAzØ µÀÂ=ì|~%×Ú’~«_ ú¿&£°•bÂ9~¢["J­9q~ëúKb >`„‡ßé°ZEüzØù¬"@>ìt~%7ZÌ~ŸûÇ;¿rj çø‰î³Ç{[sÚüÎõ·Ùã>à÷¿Ëÿ`§Ó |ØÙ4áhv2¿ž{,°Œ?é*ï¼úõ‹›ã§»ÊÈrý™ï¼º÷6{lã ñ“.ô?Òµ@>ì„Z°§v>¿’km¨ž?!îöâ£Ã_9Å„süD·:„A]÷À[ï “ÀØá'ÄÉþ±Nh¦öaç³ [þ°Óù•Ühàûð+}4x3úµ pŽŸèJ× ×œ9¿vý®¡à?`ˆ‡_ê°3j¥~Ø µt)xØùüŠâX?5†õK[j<×–´ÉuŸO²RÒ—>yÔeçÓ‡Æ>tÙ¹?.öÁ˜ËΧ ŠývèŸ,ÖöS޼Ñ`åþ«a:?Ñ{wgƯ>~ãçøÉøÃ‡\DüÒûć¼Dmüñu>+Í4v:+½•v6¿ªËüþ'Þæ·Ôòöç¸Íï?D0o?t߈fÞ~’ûütB«]pv>«]Ñv:¿’íú=üJsßÉD 1\ø'âµöPk‰_»žQÔ:>`ˆ‡sŠßþS±Ÿ¿âØ[ÚD>ìÐ% È:©=œÿì¾ØûÕû¦Ã9~"V¶ž[sâüÖõœ"lFú€Î(þÁNhµ5àÃÎgµUìÃNç×¢RXGÃß®ôÇJÿ°äO»Óµ¶À¿]êO}©ÿŠjiÛü7y­]—Ô‡_ëýï~å$Îñ]ëZ_Ù5gί]­k­Æ0Äïõ?صtþ}Ø µ´‚ØùüJ®µë™ûðkMg´;ú»²ë¿¥­I'"ÐpG>©õ4^CaüÚõL¤ÖæþC<œ‰üF?#E´ô¸~=4x85üJX–ë þp–urvúÕþ‰8S­=ûBâ×®çLnˆ{h±mˆ‡s¦ßþS1 ¿âØ<üÐ->Ë»ùhš'“Ÿâáøþhtð7 üîõ ¢>Î=TÔ6ÎùÄ?ØiÉ%ýkϪm”‡ŸÔ¯ä¾§€±þó¬¼!Õïâ Þÿ]›NÓºVžúôåÝÊÇñÊoÿ¶øGË÷nEÿÍ ¦¹³?Å4Gúûf2¿Â#Õ¬­¿ú@ÛÇù›åDãëtü®\Î~ŠÖ±ójð«„süDLÁoÙ=ÔÃï]Ïü÷PNÛgÿ`§¤­"þŠ3jŽððZ{·ùmÁð ¶x@ƒæûÚ<Ô¾¿¯ÕCû@ki²}ÜŸ»åÃI‘ÿ˜Ž+zá"OÒùøŽ;Üɧ#útdë~Ø*[»kÛ¤ÃþwDÛòmï±ý2æ6Ú½Yòn#¦|û°f­»×ÒLî'OaåD˜<[¶ï—LÒÂKm9îLƒáÙè×ÑÀá'Ä‚‚Éÿ5üíÔùî.Øhâ¾.„É~¬Øi%ÒèCíãðæû†º/ŽÕ¾ˆ_gno\ßúíz®Ü>ÈCÚþÚ9òšþ²ü¸uçþ¸1·Ë–¬í²†nî#’?‘¸>™÷œÈ‹_–H~¦)ýÅ•ô }ƒ{ ‡ûµ²=§ÃNü1Š3íPÏ-‹´ò'ÕE~®ÉŽZ'ûqÖZ¨'zšø§ßþüL®Æ[_õõžmOòñöÏôŽGôçË/¿ÀŸ~ùäQø_ûóOŸ>{úüÙ³'Ïž<§Ï¿|þ哊¿ø[ÚH[ˆý÷oñüOýÝÃA/)f½q‘—å'ÜšçÏŸ­;ÿ§_<}æÎÿé“Çÿôèñ“§_~ùOñ?ývþ?ûŸ—E>û&>$.ži¿œ¦ãwQô*-ÒÏʸºNãwé]‹¯“2NâaUäó«~1Ûzüøñ£xQäã´,if ¤Æ×ãqîèEQ¿,—ôÚ kÂZé%ÉUJOMi*d’•U‘Ñt²|ge¼œ/’1ÖžÍiÞÛ×4ëmº.ÛWãç½GÝèö:_ã¹›¬Ì.¦)w‘WמæãdÊs¯ò|:¾Nè´§ÙMZÒDÛå»ìòr›Ÿ¡yîåñê®Ð¼™w4únNGºs|ôro4Ü?|Û>ýžþkIt³µU±Žñ-=´Å;mm-Šô2{ÿmãUQt<Ƕ§]"-öÎ’w©ý—&^VÉtÊ´4ÃzVÏ}š]Iq—×ùr:‰çù-È–íõäUÛôþìˆ2§¥ŸÑÒá…o%£.UA_ãûKú<¿ÅqäõéºгÿÄëøï4Ùyë ÒÂÆ“¸Gs+e€iµ¥cD»9-…&I+“k·Á¯Ã—ñ&FZ–K:nº˜¸ŒÅr>Ç[ð@—çªHf:É3º¨4ÑFG`¢.ÓtÆw:-Àüµ¦Ý›-ò¢JæUÂ-{r™5z¡#ÇœÏ0‘—Ëñ˜8I:¡7¾¢æŸU˜XM|¹,hØ‚gVFLñYÕ¥WåË«ëxÿ3a5“+(sf1O“‚~ZiÑ ¶îÿCzmH–`xŽ0‰KÏvv¾½-šPÚZY|nóÙ‚–Z”=Þ•í‹l¾íèy #ì¼}û¡Gè%g6vlcÇå"g—Ù8ÎàRô.öt»±uü$Þºœç[éûq*ßmà5÷~}rrß×»úí&3äÃå3Ðã+£þé}«HŠè´t°ÿ⾇ŠdNÄÞ÷Ð|%ãÑøf´HªëÑG>{¹œGeZ-®ŠÅè&Ï&ßÞ¥eô~¤N²>ˆ`[¿ß~ûø1=-¼![ÿ8Xý›Õÿ–U2ÿ§_Fÿ{öì‹Ç+úߣ/~Óÿ~‰?C®P3âKRã½øŠ )jÄzà×ñÞÑë­²º#]áb™MI©» Æ>ä@~t#£DþPLFdö‹d:ˉӓFB Áô#œÑ;ÏèÅéi›!ÂÆ¯Æ?ŠHå7ò *³cwùHR vÜø,8ÿPð,`’É É’ǥ闦$ƤS~E;ñ~e’>%S‘¤ù‘xLLSý1¿À¯eŤ É)}5ËLDFEvu]yÆL2ŒæØÓjL{±Ï2î"¹ &S¤N߉ø$¹ÄR*4„âžNÅk¤!ê¯$æE“ºÊó ÿ•¦4I/“å´ÂÑ-bÁ˜S IA-¦IEŸ©r)9Ûv´7­›Œ¸ísœ&e&Š9Þíe](Ç™ãc¦Oy¦¤ §ÄûI ;µgèäË‹”Ojš¾çñ¯“b"g6« Ê«SèžÓ»ˆÞ?ŸÐ3¼gtpPD–s4öÂlèбN»±þ‹í'wàÓ¼bê+Ò ý*PY-//Ýi»Ašõ)\1"ù×óÏßo±ân§YÆwiÕ ©ÛŒ~Nä[¸ã° djðQa7Â}€ÚFÃè.T)7 NÙŒ‹E/eÝ~…wÐ/6wòÚ=Ôƒíd2Éøo<>Í„ >?íuä¸jæ”Þ8X)P±TV Ùv$~AgUoÃQáo.«¬ÄsJ1'±SKvMÖ~œ^¥ó”ÉÐY‘Ù2‘w`êû—t’³¬$ÞÄôÝ¥ý…O8¦Ý »–i '‹(°kKÀÚJ¦÷œ,ÖCš†ßˆ!hS ë. –Âܱ1Z2-sÛŽÒÖ*”Ž.J¦l=§ÿ±Ìn’)1-,™­÷F2Æéè÷Mí6±v³é¦ÀÄV{êätðrÿmlŒé&™Í~°•ÕKD¥ç…äþa¯ýóÃö²,DSú ¿1}ŸŽíµ÷ÞÖ7¶¼oðá–ÈfIp ñ}éœîJº¥¥+ß"M æÒuž—©2G°)ØøÄJø'à-ø ˜+™sÓ-”C6àþ؇ÙÂ’,Þ1#½,R"£LL¸5èèì—|wÂÉ‘F&,È΀uO2Yh[L&ÃYä༠×ñ»­ªHÆôr6Q½žO!àì`A4›ô»ÚÖÇô|6zé™-æå†·’K§…B•M(ŽÉNLî³5Œóñ§ ]¼+¤Ýò…¯î*Í Po!×s#|É;NR1õʸÈs0117é>䳈‚o:QÉœ–péÎû¨Hãöþ^C5ý_á,œ{o6ùeôÿ'Ÿ=Yñÿ>§¯Óÿ?¿‹_‡E‡ð¬¬8°JSáu$N3ͪ;¾[`%K¶HÕ…s„ùqIZþEJ_§©”ùçÎe¥ g[cúö.'“×ìüaßNyWV¤Q‘ö"b=¢wÍóù–ÎlË E‚š˜©Ôt·Ç‹=V?YQå7÷âÁûÉþt>Ná3ŽH︛@÷ÓH0â²n½X ¼¬$ ÄrÀœÝeDÜœ+k?éì"LØQìôÌIR%±ð|b1¥êäi©ß¬ša«ÕQun^Éu8‡#øxYNJ§¸‹_ ü >Kx9p˜ ŸI5(²ÑùÞΈ4"’Ii12ÜÚâosoBRÄy2á⎾ -6ó¶áùÕx4&i¾\œGõ_Æ‹…ÎðU~ OOVÞZ¹×U²”†¹Al~ç÷¿‡'”7(‡…±?goë–æQ¥sçe[$‘—&ªs^¦·xÑÌem½xs¯NØé$2[†$i%4”¾_L³qV‘ú/TF²N?ŸV(¢ 2ÌO‘f.zØ´á°½ZÒ‰M³9ýT7å¾N'¬Œ}÷Ǫ§aJ3¹MzÓdƳE%ö©lè4§i?Ý©–¸`é æßqM"zÊj¨[WŒ}sôÆw BãâìNj *CZ´ÏŸ`Ülü8á)ãçcRâfªóL²ªÒåÛFÃda„ÀôêñÂ_ºðÂi°ˆ§±ë%lb&'Ê¿Ž|¾r ýÚíØüÒÕMÅX"5ŒL~âF{Mz ßFÒ¦L™ kYËq›1mdVÎxN¼m`rT·~¯‹ ÆNlìzðb™2m`)³®s ›(“_H»]Ùe ÝË¢K]‰·_&’T~‡„¯äIJøKÉDÊŽí }1ÏS†Åv'0øfu›ãØyXçã/ÉbÍÆißdÐÅçd¨gU™N/1ªÓ¡h,›Š[-Ê¥Ó¼>÷®›ˆ³Æ7Ç!Oáó.• kHlšÍ2žÇ“Gº°:]L˜®*r²Ê ÊjUä“%o†ë˜få˜,{Žã]Cü©IÍS§ÁøuÄW4M9"‹c-¼KÓ=Ÿˆe[[ÑMn1Þ´1Q!móÇi~¥|ͯ£÷I6ŠgEí\±ˆå§9ÌÙ8N.a”É:§²‚](©pýA…˜Ôìï§Þ$¥Ãàû*ú?)~‘ð6šA—ÿm¡"^°_+ Å÷HÈæ:YÈ»DÃsô±×‰½•Í^Âq£Â²Â~‘½ï`q`—ñõr>)eæÌ—e‚¤³÷fîqCzQ:Ó&ë™Ö˜O¢†ý$5Þ®ñ&2ÆÌèƒ[ë‰Oêî¯æEFMóOiús±EÔþ ¤O7d:LÊà¤ÌÂY¸“ B{Jïe«Fx–3æI5ÉR&—)´–Ì“¿-òœÂ¿#ÈÉXŒ0 n2G~Ò#“eÁV­[4v‹Õ7¸–ŠL8†êPp‚8²b¼œaŠr§Mï ›†Z…1-à?–éR¦•'ЉøûB%…‘W™¹ÞcY Òsv}:áãã;OÓd¯J~ ý½›e墋Á†ð"ym©ö*³&¾#ààÕ=™×E)–*1Ô´ø¬´`iãvù"÷—ç¾Fšf]õ†r7‚W -n裛–@òÈÌUˆ$öë6tœx¢c²×‰Ò*º±p_{@”2?S"oš'©a—ñ¨?)Î7z1â‹Å^ZŒ`ïRY]—\| ÑÕ’Ž"e¶Ã²þv¾ŸÃäjp$š6ËýPˆ3ª-—Íú kÓeš ŸYÎý€ºLö#^M I©©Btî%FJ']xªl¼œ&äT{{Æó‹›ŒxLúš{]œS´üýM¦f“(cÖÏ8s¢ Ï‹¬‰ÈŽ>˜EZB¸ç¢'Ð&8€ˆeW'&œIîxI)¿É‘›‚ë[Vpå$ÎK¤ÎAÜY£æ\¾TWSÒǦñ é´˜{|@áØ„%'³$WôƒQ¯JSâf•yWW¦-ß¹‹»î&ŸÞH¶B –É^¦`jÄ(Z™;A¾=ñ›ë»U¤ÿ·9…\nÊR—Ö5˘ù«ãv|#±¥yal(ZrU9~]¤S¾…¸ó˜˜ÄgÀÄË’Ìa”° ãi%‚gGs·?‡h²r¼,K˜ï6Ýn~ F¥lc’Í®æÂ9EöbéÝ8eýZÂBh„«‹„+ñ£DDß/ÞÏhnY=p9_’k¸GBwžÒgð‡qÌl‰,½1owgå³ê×/S–-/Þ` ÜÕC#ì€% !¿Ó×dÌ]>+ãö‹9ý“­e?<Û±h²I†ûª¢Gô@Üe4W³×‹ÞØo$·„¶ªbFÄÉ\£þgÂÕè/ŸÑޝe‚ðGð»±gÂÿú£è.Ètå‹ÏhjùNðefîÌcuƒiÒ ˆß˜5ìÝšç"Ý+µÈ}w^ ý%SzhÎ$y3§n˜Ãö‚ä,32‰ŒÅrˆgYÂã’Õ°¹t?,žªáå)&ITšÖ¦’Ô$hápÍÇEZ‘P¯ ÿ‚7 d%t, É_¾Œ9íkTcI¼£ó5ïÍk'á'©*;pTmFŽNK´ÖÚÝ-9†6£³‚סÉ`Hµ…ü¤™Šæ[Šâ5„^×KD2²ERi8¡Ó×m"ƒ«áÕx±¬°Júvœ-ˆ9^åà—Míµø¤t’då ’õX×x »ØçfI„|.¶c?æð¹XŽi¤ù$c=“l—ð$°!c³Z<}sœY¤„fQF¬?ãÄàõ OTÁ ÂÊdFèÃ’…¤zÎÑ4È‚p}‚œi©æ`µ¦…d‹—Àc?j¹ Mòȩޙä†Ý¦é¼m^½x)É¡&÷æÒÌ&è‹Ì±31“+ÒMçÙíj}¥FìèqíT_Óÿ½oŽOÍÁ¬%ùµ²(:V¾ée¾…m¢énä dà°ûXü—NàÔæR¬çwñKIL\fVY†šÊè©o!¦>Î]èÕ~¥ï‰)“êÄÏaT³wjY@8#†®ã‰…fXe‚U¯É€x]¤±Uø~‘×y§xzÇÊßûñtYŠÉì ‰y3R+§ˆ.j#æ¡•ÐÝ%Ùu$L#7S‹dš¸Zf  {$ ähp!2\í·ceÍ“/!-²ó¢ÀœóÛ3M/+ì°¥bG»²‡æ÷lµ9ç[¿— u'¤§K¬¹óÞÜ2cåeFv”öNmÑÛßr·Â+]¥ó% -ö±4qj¡Äqw9ìç ‚°â;[ò"‘Ì»áï’qž„v㈤1ÑâcœÓÍE¸¦AýŸ~xÎóX~Ìpšœ™cËÒy„™31\&ìxéš*{ãÓ¥ÕÁéÏeQ!ç-™ä㥒X-¾µú­ƒÝ¾ wïÖ$¥¯i€ç ƒ2u4+ƒœï• ÙÀ‘ëü)ÌÅxuR^ÇÙ A̳ËÁ VËÚÙQÌVø,+¡Ÿ€>ŔѬX|l¯EÙåÕšLnø÷èbÈRHÝxÇ­•qäD)bsMw”Ü[ æ6í|k÷ý?õ¥;îþ¿÷ÏöÎõxÙ¾,£Ueƒewà´E¹^¬ÂöÔ´ÝÆ&Gês«Ðæhñüü¶þ[ë?ßû§FÝ“ÿõôÑó/ù_Ÿ=}ú[þ×/ñ§¦BI¬£â8;²K—tn’a"ž]ÀTLòÛ2þú‹ø_Éþ© ÿu#èÀoOºAV‘]á–ŇêÖr’¤ÃÝïô?e\mþýU'Ïð?â¹<À% È?gŠäÔRú"/¦x¿}>ƒð7o’Š&ïðH‘›È.ÍôaRøâ9É¡wÞ=aÐA­C™zû3º(òwéÜ,áéqØâ„Þx­©™E*Š$ö4ƒK€e=q²áŨ!êÂH…sÜYÍ߉ޓÄ{¯÷Cï~7‚CÙqjyÃQ}+à +á˜Y°ßácØÇ¬;kž+ô…½«qt’ ÙµáJTY‚ñÚ/4[£Ðök×WSR`£ñ²@å5~,oÂÔÙ.¡ú¬´ŠR¼äR=yÍwDp¦J>ñ\‚¸ì¯°p â¯:}¸>®X£¢ñÞ$V!ù+"´„Š·Éÿ$ýؾ¸oË+ÐbÙŽ)ËHgb°a!ZÞ¶^ô=}ªÆœ²êJIX™_r‚Ò$ó™I¼±ãÍfÝé*P*±AôR–ÂRådÌN2<·‰ì¾íIÚKßc6VZ…Oi×irsw›"¼;Dœ&”Q)ÒzpsÅK’ónrÍTiÙãD‹û\8Ë^¦T/±®G.W® °uÎfG¹¹X5ÒÔ‹eêîH‘šç‚ap6[æiI4'ó 6må~¸[c¸ÚeÉÎŽt¼œf‰¸q"=s#’ó‚ç˜9Mî¸<´øoãâaÙîó0‡ßUµìéÞ½¯\9HßÝŠ×Gûo‘I(;(ŽE>…s™–›ÖöÁ-àQ8­´äú(xSOBÐv³–ȯGVÏ ®’²âXÌd¥R3¤^‘Ül° äFÖs ·vO»û§ƒ³ÑaÿààxG° Œ«åR$‰ï|Ç‚s“Ì\©‚Õ{Ó„ýh¥•gWž›8cJÕTÇ&hs•ÁпûxP×ï/F,‘çÓªK–£3¦aûç’©ñ&\Œ`w^ülýUG6 0NH$2,JM-ÞaEvwÿEVÍ’G—¤b]í1- Ä<ºZ2Ö¢³ní¾F{Ç/ú#Þf]vP’8tŒÝ¤M„ÆüîðõÑaÿDè<™¿ãø#Ù ðÚG;ST•pNQÙ;Qš¹Àþv.´ÍeR(xˆoÞSÓeöEL쳿M®ÀåÉY€ZLÎ…9m6Û °$¢¥Τ$Fk-Ç…$2LÃà‘’½úd¸Ž›D*vWÑ#þE^ÌŸAZ7 ìY"úg&¤³OóÅLÊ—Xº×9Ú˜sðoë’È`Äà­ûƒx¼X~›=ýê9GGI‰JìoCþi=þε3ß>ÞàH;ÉBà¾$ÃaÞbn²Œ­ÞY]W¤Ã[î¤åV/¸Ô<8KƒŽkæhWü2Hã¬2(Ê™#ûúÃ0µè(Aå2mªæÛJÜE²pi¶‹zGƒ3«²ÔT¼„Œ´Wð1¿ÈÓëQÏñ\ßU‘›KÅL&æW•m°Z<¦³ä¢Ì§ô\Œû’+‹ºôM”IìF\£ì*’ \*;(åÄšò«bwÖ¾•Gaé›ÓÖsvçÄ›4TäùutœKÔ†KD­b¼y~%>¤ðfËÝàp3;¯Xîí팎ŽÏF»&øå83{Ü»îZì2¸ù¬DGU‰ó„ÔÓ©7ø¥÷z3=²%+¼nçîê6›;e9ÚpO´”™•’ ÓWø‡Ù|ïÊnú€fÞõ|ôüYGTÑRS$(ÎÕ´– ¸ÉвÐè:/«Ÿ\à!n…Iõ™ÄuDüèÛìùWÏ·ã-ø²oŸ>©M8¨Þn¹g´ÿ]æÎñ†+{+¯Ù‹ç îd§7ø|Ý«7™ë¹4„Ô4O 7¥Þx.›^„¢„“°, ä“&.îLÀþ„åBÒ: )Û\S¸¡%r8=Kâ[‹…¤hê@¨MƒNwy‰wCÍøá` 3iZgôÃiÂ5óà$’ÿÂ|Ô~ œŒèÅÎŽã—æ#×Âÿ,ÑuóÅL“ƒ§gš]ÍgâÜ«Uªl%;€7Ja„v[ έþúUs¸Íí_|Õé âËJŒ ±TëvÜ¢ž Þž^3ŒûgÑÁ ?<‹ŸÅ/¾?Äýƒý½£ÃÁÑËÇ¥xt_ŸôvãÝÁËþ냳øðõð,z1ˆÿ48=ÝßÝqå/w> ˜¹ê32¸¢ãŽtMÒ›}™©µ´Þ5 ó#êpˆÕC'‚ô%;,™Baes#zFÒŠž8¿q9ëu‚#Q-‘YWé7›tâõW(÷KŽ.–ˆ_‘aEüÔ7Y0׳ ‚œÝ\B‘}þP´±@oª“þ³­ƒãc640˜ãÉ\)$W[Þ©GDìùJʵz¬]‹þn–0¿J¨Rr»Hû*òxCŠ`bõÑjW¯‹m0¾t¼) ì=éšb"Ãx9,;ŒdõY¹4­®$oÜfüEáH¸¿’Ü›óuGÅÿP’ñ‘˜Ç$Š”K BU~ÃKÙ‰7Å/ ÿúýï;~"›Z¿빬@(PÕtê*2z+âñeÇ–H^ åPHòSd9åPU{iOFÅM2_3h *±>dö:s;R¦i»åׂkƒº¤Zå•iS*§:h­ÿtzW8ò¨Ñ¢H®fIG¬uó”Î"þ"Ì´üƒÃ|/ ,‘ϸ6py#ÿÀlr ç›d‰m´µ\êú9é[ÑuU-¾ÙÞ¦_þ'cÒƒÿö–«—WÛHðÑ—½ñUö¿³É·ÏI§‡íÃ# Ýþ6V‰s9ÎŽÏóYƒgwfYelá…píF?”§!w¦‘àføð³+†W”ZÉ "xöÒêM‘U)hòzK²·àL½Ë£†uÔÕø]sèÑXH⯢͗P|Äu!¼%ƒ;LïÔß! >ðY“- A6Avž¸ÉƪKÊÿšœ—Z@‰" F¨œ öBçÍÚ< ö=4@Ϋ3]ä’8Ô%Rrð1 s8¸¬d1Ñ,Fáè«  ºâYŽo»ZêÇE„²LN.C`Ÿ£\3Q")ùe* »»¼‰@ç’ÎZÀUL«‚Ƨ$®5Ä, ÁòqP_`æ>¼OL¹–TÌ3ð‹t>Ð);4C@’tÎ0pA)f5|cî0c5S’ëùÌÑÙº—»fq€ulŸl­äv¦ òï!\¬#1eJdïPäÔ=v ªÊ»êhò§ÕäÆÎ¿D¼‹°ËŠŸeˆOtd€Iö²7I5 „ïÆ ]#­ùñï†Ø‘”–ô}VV ´«Š²"|ÑV“$̹:†÷B%™JAQ¶ð)Q‚õ‡FîÕ8Gaþf'v{oî—½2«² ™ÚŠA@Àuát'É·_q^ßEœâ2{iG"u‹sZ±»iÈ{q~Õì2¸®ÔËü`HPRW9ÑÔãGþRÅXï~φéYÎ…¨ÅÉÐâ[= b_96é9g~5?n=~Âè û†ÞeZ:+ƒD6.Ÿ˜!j1m ŽBu÷쌘YRæ ßÿ0߈4?3¨ùà*CdSnù¿×Ùd$Y`z‰!!J€ÛêæÞJ°Vë!£¶uøý‘„Q0(éüÅÞ#<‘×6¸W?ÜUO+FÚ€µéõ˜%Cʶ¶[Ó-PÿÃÛÈÓå…ƒPŽëÝå‹[¥EÆ\äšrz’^Œ#ÛO=,sƒeùP†+6]òœKMÎÑèÕû)r•Ã1 ‚!_½ç½§Étq°Qéc«S1é$ž©šŸ^\¡ê÷±öŠ™rœ±8;]^ÀÞÑëˆÕ¢?k˳Îg Oè~èTÿMW]~Jáì4ÇàÝž5g-À¡rÜ«ÞWÍð•Þ,Û¶Èþ=i…œ-¢‡,ò”øH×Ç(¼Ñ$›ì&.10‘V°é£ 4ZÑ¢é÷’¼ÁÙ¢.—ke;KÒ‰=©¿У2|UX€ø³EMt‘Ö…ül$óÙæˆÒà|¤ Ã7>2‹ÕGRaPwÖq«o?\_7n®-œ¿¦×»éK,r*P-´0» ¥›S ( ¾b HsW5==•p ¨«`w½¤,B¡AúHG}…¯Z$ ¡y6¬GçyÀÿ' ¤±—ª{Q‹ÑþÑþYH."—Gc`t¥;½Ñ"©HdóñÁó…pðõ žÜÀRåá²R+qú´Û$ÒÄ1Ô?ÙçºQPÈê®å ëEˆ~~'E>_G¾sb´I4.’òÚgo'ë3FaȸDÛ´g‡ßdœÂ)£A¾j^©X'ô/9œ‰xŒRj¹%«ÛtиÉè±g¢f©xîüPñã7°Ås瓌ɶÅrWûщ±$¼“£*+@‡öâô#±ÀÝlížœ½¡a†gý³ýÑÁþ ·7ÊgíÇÎ)÷[Ûœ¿ëüOvw•¿Tþç—Ož>~ÞÌÿüòùoøÿ ùŸ\Àlm · \Aþœéq¼ÖÒ "Ô=ûv˜Óõ\xÉí¾Érv/Ò[| 8èÉ¢Eéƒ)%g.xÄi¶¢ºµt… ±(X ]ÀíÃY–R¯™£y2$;<|²!ö"c­DÅŠ˜Ó“¥‹|qž²À6ŽiÁÏ £k n[¸‚>a/%F,xÔ¿Ë þK:‹*àÜJEÝQ¬Ë!«P²ûF™b˜ìê±Ã\6m'¨Ùøß-€sËÀŠÌ1ÇNÐßm6u¼‘]2Â*wE‘ä'š¤ìÑpŸ†eå›G,eÈØÆt– é¢@·i$U圄Á¾£kEfnÃè¶A£(½Ú!ª'gU4ãîG"ΚuËÄZˆ©î=æÎcÅ(‚õh/©Ø ¶&)ÒÚ9ĉ½„K³8\$Àn©JD§Lº Ù¼…Œ¨ÅAAònqöqs9_ ±J~§‹*”Î@ÝûÔ%n¸‹Òñ–Ø3-x¢£Úuã­BÆN€f¹ßN’…j§·™ÇTaB*šÚÞ±ãtQI–Ö%yÿ —-g—ÁÝ W¦þrÎVžËe”•®wé¡ Z=…&Uš8™úvÖ¥+(Ü¥$sßJí—ms¤qGï\¤BWÀ±t±uÉIh(ahAÔdKx0bx ©R×íÃ7µ\¿7ììˆ_X à’æ#åK4LHļËò’(¹CëïïœÒƒ·'ý#®œçcð]-þ 7:;Ú—g²ywlFáaüdoÓL‹-Î]Õí¬òkÒD%ïļ¿†šï '&U«°»ã¨8žôwÍ©hœÍF>ˆË»ÙE>5v¯§¸2#Ú© ¤‰]7â9¥ ©³µN´[;$Œ´í¾toGh¡ á¿›‰Zy£ÑSÂ?âåfœ»]H à¨H¸¤±ÙÑÅ«ad »Ã–ó8)¸ çg…9[œwnIœÝ¡Rrõ0ïИ¥qO½oiuA€ÍÞØP Kµ¥&®0!Y[Óî`ç`¸†Æ‡.ÔyͽÀØ( ¶­X=­ï]]$HP1P $ݪ®õäÎÈÎÝ9xÍ=Úvß G¯4;KÓlÎνIDû#žlÃxÞܘÿÊH~=\mÌ›1Qry}´;8îŸÈ<ÛÝ!Šl›üÀŸ•¢ºÓé±³l[¢É-†vøæhTVÜ⎻i,>}†H1PœÈ(F…l¼£®‚•±Ø}£Þ7˜Â›š‰†–¤`þ£BKuOsMØù‰f…c ±1®›°›/¼Â\†=õ_ FýÓÓþ÷Gƒ7+/ø\ÚÏ\Ы–pÀ²îµò{©ëF |zûÃ_„Ù!Žp¥ªä\OïVJ×pš'Zyûº4ï’9’ü©sFL#•»×H%Òă»0ù)»4·Ò*»ª9ϳÔvqx½X&´iþ\ ¬ÉtÛJÓh»t¤«íŒFJ¾<->Bq•K¤|e„Ñ”Ž;²9™N…J;Ö4R"ÿ“‰¥îâJHBÇÊ8È~qz~Ôe%†eÑ+åá†ÊHæ´ í[v‘B̳Oxõ ñ¯‘ 튓ÞRF9à 3¯ðmj½Ìe¾º?œSÛÑhµÌÀ_áŽsØ÷”Çì­ tæ½ÓšÆ"Zti*GÌ¥š7[ÐZžæ<ˆsMwY›¬Ü×C3`¨š´Ôvb(‘­kªvk2v-uUà—†Ç‹ÙÔýiðôIiVGY› ÒX³˜®k ÅLuu&h°)¬Èz=½2 [ÝÇM‡–!¥S¯€ó=ÃkèÅ!Ë)–Bs˜‹“ޑ֨d¹bx—9WŒ“¥°Ó ±¬m¨Ýsu±ŠeêmüsÇÁ4Çð©?V3™dÄݘ{Pô]%ྫ‡g¿øN|óì÷Ê©À£k‘AÍ!׃[=©2¼½ê\~‘ž¦i7gžS¼F©?Ñ®dF÷ ì½à³®Èh?fÇËÒŠ2ÚY—ìúÊ`þÖÝ+4x9§ƒÿóšôÎÑ›áîëà%'nŠâÇ]ßvF·ãr²\ÌA_Ï3ö‘¨:¹ÊûX\fH¿éü¡ÛAS¥DA¶€Žc@-fOzú–&;ÜLòô²ùåt™ Yv}ßDÑKRìFƒþw:¯ÊãE#´®£©â@7sk,¯ 7ç5¨Á„+üC'PæàË„ã5h rÿ$¬ôÝ —× §ÍI£`]DW[v-] ñ1ÉÒb± ØÒÂúß^žÈÂ:[’9O`܃"M%cÀ-AcRñêé VµŠà ‚q Ø´[2Ð'"máØ„¢ÌyÐ¥K‚—xd^2ÐIÙ`ѹüåÖÅÛ¢He‡[Á"{(N‰CŽAtøêø”î鋽ѫÝÓ¡lHÿ>;> iȃqà‚Hu&ÚKà£Ñ˜þù\Î’Y(Ø-– yÔ,»S‡UæÚÂMIÏ<£í$'·xÐÉG ñµ ý_¿îï©A5̧€û’FpÈá'VÌ–™”S›œwfY ;xíÍÂ+Ï6´r€„Æ~´“ãáþÛš‡@sVlÁ±u6Ozo»ñ«“×o…¸iëð³áµVªé\Tà»B×\uBŸÝE';§²Î´²zÎzþ‘çÜÜÕ+y›ùûøi³Ü)`Gà8O…ù"Å÷ð„h¡tö èËï\,ߣqÄ?(o-CŸÃãƒþéþ°>¯Á\ô†0AUIÎQ¡*2:!ÎI¥É·ÁÑÙiŸ«‚vSÖv˜÷"¨¬Þö ?Ý[ÿš) ÿ€?h5ÕRŽ^y•aBûJÜ™zå«“í×oãÇkËfÈ% ù5ÃñÝac_Ÿî ¾}üõ×_}Ô aý[¢øÞ¥ìöO‰×|ÄR“1ÐÞþ´×ôCFÐÊ^ÆôPüSvjwïõÛ§_=ÿðNí¾À'¾b÷àÞ÷ECæ•Cì»NJMó]$¼ÖšÊ ­êã÷AøúG\ù7Zãe»q&íCÞq?†yiý‰\ýà&Ô„F\¥cm‚’hK«é=|Ö'&’u¹:4~K¶ŽË3 Ót¼õ0×Ì*MD_™ZËfIçjˆH)åWC6Qap}ÊÑJZΪ « :dóC8|²Qì3fs—VvNvÓþ5:éŸöû§ßïÖ±U©•F6|1Q¼ÕÁƒ¯VV^,"ê×Ú‹O¶|g€d}¤Ýsùæþñ)‰9þë]¥†‰æé4ù™ÿ•åEhîX<¹áWsFf¥ân‘ÑŒ` œúbg–´GŒÉY‰5}L.:½sdï5Ðð¤Y·‡¬'ºÇªš†Õì°³ÆßÕrž¶d›q«õ@w¹ r˜HÚ]VY¶3g±Kày³Ðò=Ž$‡]}aD­YWnÒnÒe ÕFý›]ÚÁY…" f޼$‚ÜrÖ\=g†^^ªþzDâx“†ËÖns•tárþ#¢/—ÀF::í ”×9qs5‘]7¸1º‰H ‡Õ=ÙDY¦zÈ„ý£SŽödî—‰ñ›_K©µNØ;:`år5ñd™ „‚UJ{î®özεnêÄØJåß%L`ðv°óš<œî‡ûÇG±EôJް½¹t•rÊèuìOÔžŸHBŸzI_BýNæ*ó‚ŒfvÞò˜{LRŸU…±ÁµÙ_V®ãdZÊ=k`™àzi)à‚؈Îv­í…/ðæynUü0ÿËd¹Ð~wAּƥm4YÖE»öÖé.|$¯ σŒH Èq6Ç€ÃÄ¢0¡ÈÜ”»–©±’ŠŠﱜÍÐ"E*Q¬{eà„–¨“¡Á[ëÑ$öf|ÝT®cÌÎZ`?ÏöÛ¯†DÝtÛC2v”u¬Ö´ùƒD«Y;L¥/6P:‘Ôcù"ï|LʧCíöŠ Ô\] m2éáIƒBCj÷oµ?ܦ‘|F*Ä4ÏßÅ–°:ÓÞ5œ{§êêëL‘uxi¢;ážãæŒ&ëÉ,Œ§A9§s¿ ¦%–œ]g40v× ¿ô5Ñ]…c ½‰//ÁªRÙ5ˆÄ§O` (ôŽÔ©ð¹[@š]Ý å©bs‹5½ŽÈ¤¦Õ‘RH~ÁåÖL9»Ý>üf÷±R^xËÞöô|é H o[K{VÆulÉ«ëò;JÈ”–Üä9÷-¯®ªq ÐâsÒE% tì9'[ÌYCY9â}‘xppÄ¿x™ßè×óŒ¶@rBàwW¾!+·ñõWK)ïê˜ÓmZD‘„LGÏHf‚Ó×òÏøÈÀ[gÉ¢#²¯qz<Œò䦻,ÞôgÔ  †Á3øCV=‡¯Žv¿ý7¦M§$5=¿‹Ôyâøv•þ Lÿ´ hp,É™¾”V"V,8W•M¡6Xèq¶ 4!¹À⪷u¨¡H‡£”óÛ4éáøtg0’µV±§rίaƒ·ç¼²Ä×—‚‰zÄx.b>€±”Ûñ.ÔpnF<ÜÒÖ+µD@DÂDó‹@¢»"0ÏWóyàûÚ…C¼E-{‡ˆìéþÑÙèÅAç»ÑÁþðÌÓXÝgB ܈iVVš­ë o·zn­¦WyØ*ÂdI‚ ‹âÃbn ˜—`y]×Jœ.C•v9¾ ó£wÅ’k•Óº&”º»åsòø¦†!:MKYI±u‘_-Ë-×G˜¸O0̉Uw¢(LÊþp Ê‹ ×Äcuxìy¤'꯳ ™íñwƒÁÉèvøä ÑÝþd":Rc8ÉìBYhÒ\,¥(5éÀåb:©ëì)ÿý’£lû—a¬Bn7»ª@{Æõ”ÎóX‰õ?•z5ó_ ëpŠm|ß²S6³eŠÊHÚü|†È-Z*Îké£Î¼Ñå¸9o“nt)ð°‹emʰ‹®Æ#ì΢*Pqb-€ÍÇa#E«ó©êŽ`U_‡ÃÁ)´è¡ËžmiòHGgBr÷.9¨.[”·ýɘíõØ”|‹ ¹ÌD‘=‚ýÏmù&Ò¼—´¦Ì%›6ëåš[#˜…r5Ʋ¸×ƒ¹øÀÌŽ¸Q—ØmÛÎA©dUR²9ª’õÊ œ¬k“-ϯ¿î}Mþ…ÔGœ«TвÃ,Ù÷“ª9$$€ßÔI¿Ó3›»žÜÀ))èÎtšTHî"©BÌ-´{×x‰Žü‘{4¼F•¡åÇê笯»™yÏ«hÝ÷ŽQ‘º]´l†} 0HxvTÃ*uµk_3R¡*†M82ßšˆÉq¾Œ gªw%U"Á Cš›ëþH*LïA{Îéº+Î;_j𸄛ßK À#û"kv¨-wqç‹‚9 bÖûbPÒ8gÔõgÔp xìA!–‹ËÍ} ÐqèyoVv¬ÜÐ`ŸAÌ'Ò°¸^baŽ$/Ñ&ERªá’ìÿi0Ú‘Ðúë£3çN35Ék=ì-#}Ç!¡¬Þsr/ÂíàR]ûÐz”Ôa 4rö}Ú‘Oè86êŒã2eh4r¬Qä­ôæ$>~G;'tàrîê¸ÄX6dùטC+Œ7â-Râå`N$º.‘9ì‰% 2ÇõŽ‚TWÆÿ™¹`­Ðð]/»Ân5GÇg«@Ü[—ù,«¶xß’ÛQÿtoxϱ¹‹Týh} Ñ¢Wì'ðGÜk›ý>÷Š@ªÝ¦!V3„.ûùÉ**²ô&¬0Z…Þy5Øùnøúpè¬y @m-ˆ³¤ù²Äà&5t I\ 2o“mýryƒ Ú7BgíEGÌ‘„­r­Õ 6‡c³«T` Ñ´Ab{; _Ÿ æ!öž§0òjü£äb:ÏŠ`ìhÖ ³¬Ä×ÕûÎèlØ3B) 9.²…öï]>ŽƒtÔÛþÕóÑÉéàåàlçÕjc½é/#øjÃŒxŸnÃ+A–æ:¿h›}«5˜3%«-”?xÖÀ¬¼ÓäXÀ®l»ëùØ(:³ ´ŠÝKJ7ê‘ÛQô’”A"Ñã1©Ì=4\¡Þ$Yî$ û¦hÔuÉ]ÿê…–à·@°Hl Qíw@dË„dvAlä2«¬þVÐá1˜¥·b_üXÿ›}µâPKä4 QÍùVÊØã/þ…;äz®OwŽß4öþsíîÆô+ô'ûÀ©„=¢ŒGˆÝ_#&.Ž!»«ý'âÝl M(µ Êà ÷5QÁwÏ·žlñè‘®çäd§I¦¢S8ÊNv~Úo%]=$Ó“z7¤û#»¬LGÇdvGoNáÚ禙4=Z¯B¶O“«’ÍQUaµ…ÏЪ/NR$%Í,Â,8p˜IÍ‚aÛç%Ù3"-.“ò:À$᪜ñ'z¸¼ˆøD-ùøèu•úuº`¥ídVp¤WpeÄ`Ös‰¶4ÔdªMX'ô×òn&/ÕY­n€ÈâAš0–iöš4Íq|ÚM:i¢Êƒãþ®–óÂ@¶o—² Ëâ”>ê°Ù鮄 6;º-ôI÷¤e'` *©°PìÚš2”m,…¼ m¢Àbn Ê&)BKWƒè`§Ëc"‰23¬›DHÄœÁÛ’á9CG ÏËB¢ #U€9ÕàT×ÚHÄmñ—€„^.GÇZÍ_f€–™M mÐþÁàttv0\a¼7ÜÄ"4•(X4 ˜-j¼1R¼ô 9Ë®„¾Wƒrˆâ8€æ1ŸÂrN5Þ Ð‘t"µ…&C®Ñ/‘ôëšÎã'§éä×W¢òŠÓcürö:ã½ì{Ïô‡„C*±xJ €)4ð»ô޽D€AÜS£Ñæf5-GðN77xC¶ Ånt:ÜÕ­J‡78iqBßû_´G“V±ËŸ‰eš¥*=©Ÿ¡IQ¼¬¯÷Îö4ª,kçñcRvv|ˆËà¿€¥—ÿ_ª/4—/Ê TÝ-oúßI“£·ÈåÕH£d ðœôÊÁ#̺CµŠ›ÏÇ( ’¶›ßŽª)- Š¿–ìalNOO¡s†¯‡ÄN­š+Þ‚1ß¹eJX–ˆms#È€¾Q-úfŸ´SÚ:»lñ¦8Þm8Õ°âv“8@däjûŒ…ˆ‘ ˜­\ý×¼GKÀÁ¢7ܳbeq;JÆšLoÕkÀ=ûÁ´‡†ÛRs‘îíxW¿/EáwS@YØÛžƒ8ëÞÿSÿl°²x9_rLqøôé6à‹\ÛV”Ï'UB‡–K>¦¥y(8¿+­æÆÏ{~O´DcAG—ää.ƒ‘F¶©C»ºAçúT£o÷•ö•“1뮫y™OSN:kÙ‰__ :Ü7dí ÎGÒÃw@g’xÕàóf/UºuŽ( dœJw ? ÌŒ²P„øZ¬–.Ì©%Žñ†6#‹€Ì-ÆÚ±ërí '-Vw-š¼¶.Ø8‡eEÄ_±¡€ªb„¡zÁÓàðäì{Ý1"ª!ñˆ¡æÆ‹ÕæÀŒhëŠß§Ü”SiE»‡Ã—¿mvx»$DȽ½g‹ ]Ÿ qƒø®¯${(æ,iú–#qÒ20-nBÖ m4‡i?4Ÿ’N'°Alpz*­ VÌP+’Á‡¤ƒHÑ ?ˆ¹A])-³V.'n9·B+Ô–æ7@ΈmýA›´nö]I¿rSävB–Xµ’1Ä] -¿MÜAá¡ùýæú¿,¤·A¯WYÎQ(9êÙ·.d2N‚Y”µeF @ÛŒ‡¡M¼ì™áŒÇAÚcW5‰ ðËJ7!×o~6ú¬£aÞ_4Ú™hDŒÇÚz¬êLØÐºy’t{¬‡õU H$  nj Ôô¾°ìàК¥ éöÞN‚ŽßÛÜå›-«v&[ë£TÃJg˜ïâMß#ãàU£üZÃyxäÕ`ïÕY+Í6 oÃGê)øô¶ÏÄ}Cÿ<€œO½;Η€v¤ë'¸¬®¦5æšÞdñÀ{·¥”l®,(fc’Ô@EiUŽ(Ñ6".íq&ùÒ›–þ 5Þ1ìŽn¸d#rûšÖÝrn!ÝÞä Uõæ)ùPÔ«>ðllþ.ÞDv€tΨGó¡öiŸÆ€‰*´qhìÀ—¨ª ]²LàI˜KÓá¼Ûì|fÍ’¦Î%&®VŒÑÎp\ŠQØk4å†âl®4–`5g¾mºŽGl’€ž †g¤$½ ¿'uáÐŒ‘†M¡uƒáåb×ÜÎÉHH¾^h6w >yÔR--¯ÜÊÎ\/e)Jb1–KáJjKb™œN\yÒUçï!+PÆüÌç,h‹¹ëü–S¬EˆX[KDZ+pôuÌÜ©™=IàªçfédHýíåð»oÿíÑû^¯¦¥û”‡°T˜ÎŒ¨í³0D|E*úœSÂÊwõ"4P~² *!$fì’ò Ì‹¶:‰ÀºhqV¹ÄT©ŸøX’›én…Ö—X–5½H½Ž‘j%zÓ Eà@SÓU©tÚ+ýô¥×WlÂgâ`ÑulC …JSꔡKvj”;©Ù×]§Ù’\`çHN®˜i¾=œîKµlpzÃWû/Ï‚üéu^iz‰'ÙeÕr²R $Žuß›X@ÇPÌ‹;m§Ã¿X¢˜ :Ç© lð…÷tÕ«O[8#'ÿ‹îBÆöÄ>­J«³SE=6L òçß"K£ÆRK»59`n!çÌ/ ^œN•ÈZwÙ68zg£² aUŽmúPr¤\æH–õˆ³}_ZžÀnR0>W¶±zÌ Þ<<1ǯˆº–ó‰ÃþcPux*-Ï Ù–®#>w& ÌdúN.”Äö”'XsES¡Ã\lá й/îŸ4¶ZžÀ¨TÒ•ߨVJtòËù­à 50އ(ßA;ñïãMÝW„ó{zÑd™Â»Ó)ŒLíy½ÐáHˆîF<Æzµ¨¯ÏÈð6äåzÆñþÑpwÀ0…«&¶ê;µI8W¬G•.9D&Lƒ•ý‰3¤ª¢¥*¡ÕÒEl;Fgt1\UŶf§­°q"¾°¾$Ñ¥o}h›x„ú2ë;½ºæpŹb1ÍSò<¸ZÐaCX9’”biàìkp}±êº.ˆ)Zÿ9… ÞUÉBf'§ÇœhàÓþéþ`X»‚â—©±Â å!œÕ IC*‰51ÊR£Ô"ƒ‘G4îà®°W¡«Ü v"ÖŠ•¿ŠWÇlr¿  "ˆ8áÛ¦9:|Ë© ~p1¸&÷¥VLVšú)¢ ÷îñ;ìÝfQ‹Þf–˜µÌ0$p¢Åi™^IÀWyŒ æ¯@xk…§ÆìÔ•j-eÉ`t);!¶Ë×A}àD2– g#I3ÆùÊ*ʬ?+ç:h­Öî÷G}ÀÙÏÕU»Ì¢4tÑüÖàT<çy@ë!?”mÔnkÿ*©5uú™†£õ\ðïRè &QÀÓÜ' ¥¼HËʪEiØ &¿m¤mmãÐ7œ{h‡DÐàíÙ=ƒâÊ9pNm‚ȵ;¹Õx“ƉdÃô}E÷ÍÒ ðzŽ| ˆbØ[µ‘ý,íF-mN‘c5ÝøÕ²˜°C©zÈXEû'CúQ1¹%É%´yì; 5uˆÎ…í4ùùŒøó­Þ· °°à­Z kŠ€³³cš_à‡‘7 _d-Ÿ×ºúPÂe\+í =!°b¯žÅq“ ï³Im† ¡ SÁeñ¬ÃÀ ãš82:†‡"W"¹bŽ4V\\~¶åxÓ\ÏÐ)°Æ–‰Sà4Cø~Ád¯ô¼EGÒ(ei`[â‚”&°Ù‰­ªÇJ ^?lNÁn¦Ït+?“MÑ$ÁLsS\ôIaŒ;ÎqãR+óyŒvM&é<ÌÐ= "èÿNŸ>Y#õs@ûÞ€Ëñé“ î*XëFòf|(Îßù{ˆ)v÷ý¡VIhäDâÊÇ÷4jNÊ1ñ„3„Õþ´û‚—ûƒÇµ]GXS-`°jp)ÈâRò©51k<$¥ ±>HcÝäì&²Næ•MRäýÓ'Ç´ î(w{m.:ô]èÓ ïÃÞ›7ü+Ìíø_svæ±Þ%Lé6ûG/µ7‹B Ñýq‹Ó$]&” ›~KÙ.ti@sqbvBwéV/ŽE‡÷·ÍC|ä; —=W ¬¿~So;>:øž$ËÞèìXœºžˆ,ãÇ^VˆÁD ›æÂÛôrö4‚ç¸ÂT?躪u@²ËB°Ø²´V­{™Þ²zê³m ßeâq­W½‘”Úù:žf ÓK9«Cnï(j(K%:âÎHdTýix|Œ‹a}·ì`žÈ¿qˆl |åƒÉžíȈ8Ü?ûößft|Y™¢_é&Û:*hf„dáÊÕo:ĵpTüõ?Øò€Sj®0ë9ËÖÁÌIƒ ø7  ,¾>k4èžÒ *+?z}p€Íú?Ím_]‰WR¸î¢6j)Z—6«[«“Úôù»Ú⺬‹ãwE×?ÚŒ†ý—ƒxó$/³÷ŽƒÎê ä´0” ådìú@ +=ĬäÒúÖjBÝÍãøCí_j— ^&úNXLóQÎp!®z›ÜùÜмpÓ—‹Àƒ+¿”»µœ#¬1IÀ$q®v‰r,+{´ê¿?Úyuz|tüz(}æáDâE:?@xs7ßh9t¾âj™ª%Ê 8èWÕ]ðâð§2©öwŽwWƒð¯Õííº@ÜpÚüìÍgÓÞ¸~Ū(Hå=%n÷‡;ûû #¶ùYÿ³Nkº@ôêxxfr‰•Α“R£NàÁoLþí~&&FgÛ; ŸmŸóù]|2Ü~j=zšx/úC¤ŒŽÑHêÀX‹n¤ÞŒ;…êc}²Üñƒ‹ñˆ¿C7m^HXµ<¿cå{ ©I6öö;®³z’8t sBÜôµîÒú,Ÿ0dBþŒÓúµ²ù_ç·ÆÄeÿß«1Gïz³É'o{_ÿßçOWúÿ~ñÅóßúÿþ~GdNæá “ÞÖ7,I2óމ#ßdé-z´XgÊ Àk 2€påô׆¯Ïªþòe÷µ4yßE¨h·˜›t*æ>‚ì§‘jÊ?cèL€+ü1@㤗°xÒ°2¸öÏŹ$E¤²¢_…„“Z­}‡N#Ž$Î^fUÏYaì7wçC÷4í4 ÐÛLþù—™;(¤TÌ 0HBŸšWVK ˆ•" ëíVú‚q™Ê' qöçA¥m%Aa3Ÿ¬R•ô¼B„b^ÀǬš(‘ú.©Ë‰¾  5† &TVùb‹¦»EÖÍtÒšf݌崘Cã†eàÅ\ƒ‰;ºàÎK°øì«9Ï.pº´²Êj]Ÿ©HêQØü6²d5‰ý‡´[†Z¢ßý.Þ‡É4SKÎkµW»ˆ«Ôžpäq«¼E Ò| Nì B‡bÄ„¥ŠÑ%‘g¼¸–žÀâ)l´R+µ-LÄé{ýðÙ4ßD¨`éÅ£“B²¹è³‘`˜h½#ò|Jü`Ì@¼…fË_ˆÐã3˜‡L$°,äݨ”å™’ÚmÆДµ¤ÎÔ'4•CÆ»ÂúFèAù®–ËÞ]ƒ¼5°«› ,H­½Ì<8{%H?f(ú…Ñ .gP¥,ªãñ!ýà«­Ü`Ævà ‘¸™ÌÜ5(c€Sw-Üf%”‚ á÷&ðA:,nÕCÛ ‘­1 ô©yýTÿãiq?@¶®mÿ¤ÿz pn‹”§-LÀ¿2ÀUÝÓ2±s „WxØžirÇ6H3 óŒÕ8Ë]}ŽÜ$Êä7 Íü®sOë+‡DǸž% kÊP2O‰–†|Á”˜†ôTõsÉÒÅw/ =(ÀÊ:Z×-ª´VeÕRö<åbÉËv ‚>.0z‘r#Ñ3ŸÀ;¹—â¦÷\ž3 i'ºœašGVºÂ‘ZuSçÏ0¨¹à¿Æ]K—ëÊÞ.:&¼ÔV ~ûï[ν۪ʹ"\†¤+¼Ú¢®ý›<‡óAI¼¸•h8½\,lœ×3:¯ZÓ7=¶×žEx ;ÍbÈøv…byµƒNÒ9©,K5Õ¾%Ju]3ƒúRfãó"^8u‚ˆ$¾çWøiSÍ“®Êz2N‘dò4ô•wHÑéX`Ñí—L º©4Ç)Ï# qHFk_ dó•E‘°ê»ÉÊCUK‹b­ég}yógשÿ§B³ÐRäÒ˜5§Ž½™f®o f¸§e½f”#lÕ£Ô¤±è\çλñ9P‡Î9¨xޏõ9RX[DÄ]Ì*œ[7l²Ç”©±F}E”ÑzäŒ ÕÌÇùE$Œ;}îX®wàœ¬ǰn%ÔO‰zÕE¬¢ÁC`X2EI"– Ò0fõ Î#HN¤[àâgMÓƒù¦«JÖX³v1R|\¡j$Ñ‹V?óµj¼tMûõ7AØ¥S ñÄk 6Òl¸ßŒÅlšóÓ»,KçZz(Íˠ술£^¼ë>’(¨KŸö‰Ççt¿“.4ã´`xá×Ĭ#ˆ^´£Ï¹‘Ìáµè‘t%úb)ÄJ‡¸¯\€†Ì‘…ë Ù,·ä+‡‹cJ†í'Ž›-:5F"†ÃÈ\ LJ@À²qÅe5yL”z+”ÕV¸’Èa,JÖªŸ¨Ç“êª/š¯ò~ni„›¸ãÀΛ¦[äS¸NRlk~÷7ñùÑñéaÿàœIåüäìÞþs;eæ6Ñ{;üËæuU-J25¯ÆãÞÕ|ÙË‹«m¢$d\åão=ë}Õû‚þöãvÇ#kÂü’JRù7wÑR‚«‰€îm6PÎk%žç …¦\ XFl«¡4†«g‡OÉxAòšTã48¬Ø1ãÖÚ£Jaí¥hAt®Qعã:™^b)çmx¤ x°ÂøI7ÈÚÑTA΃4îçQ£è ˜7ÒÐ%¨cÕ/Ly›§ï+_>X›……ïç‘ß\ºgçZ€7¾¾˜¾;ï¡ÐãA²GÕÜ**båê=YïÀcCÆ÷eVyƒ ##—“ArLVYÂqŽJÙ ¤ÇKR!6æz"+©M”%A˜×Iv»[C›q©¯”‘”@UB¯4ˆä¦¥ÜœHƒ…uÞ‹x¿KQgHH¿‘=1ÃøûˆÉÁÒuù–óiÖ „xçA×+ JŒHj§s6v‹ã“µADʨï?=ÂebB(Zݳ¨¿ž#Ê/6ã{|ýCö—syD=0IðSۊϲÏ<+ØwåºF2Q“dØðLßÇçÙ¹&’ ž9ÈКÁÌ `–3£UÖ1—ó¬ /ÍWP??ר¤ù݃!P¦Ó¹+7$­êp•4¹‡ ¢§ÆtrNÿágçÉÃIš ¡$ÂÂQáçª×Y(™˜ÆL I…¨oÊÑqjØujÏÛA2žZ LŒ=ޝ„Ÿ B›jNÊ*Bë(¼‹Þ܈ q\j¶äÆm?ôâpˆ/7Ÿs•¾W!ù37¶—’ï4IØÚ³‡#om@“?u_B:ÝŠ“¬k¬QÛÃ&î`$ÔyøZ¶Qy®t2$&l ]V„(Ï8¯*WACyÏ—q<Ë*´ù´cÅRU ³´­ióÞ9—q8–®R$FÜY‰ìû”ÛÀ¨5˜;|qËá„]M'ô3¶¼XÃ÷N€åLïàZB:ñhmÏ!®)8g¨í¬áG#X"·€¿3#áCâÔ3žÍ6–¾qJD^w²º!Å.Qa(À¥Ã¦e³Jìf j试øuEaݦbÉ Âó|$ÞøÍþ*C£¬ÖµGT|œ»“X ÒâPµ7Ó?¸:Ëõ•âÓŸHºh ÅÝPÈê›!å~ö‹¤º&Ah~©, +¯¬p¤é†vsO%1Ô?…l¡¾“!ÔÈ»«6ûç¢ Ì‡Ïeî±MN‹w”;Õ<Y-ë'‘¢w½)؈GBÖ‘~‘ $#¿ ÍPÎÛeA78]Ô85Fò+…Óµ»¼oSInH<ø¶8É”4ˆ¼i–D·aµæâ‘6š¾ö›Ý0ŠdásD7÷™7¤÷‹<­rÌÊa¼ÕJ/µ‘•:2ê)*Kè&rãÆHÀ™x%p55çœW_ Rs#‹¬9àj~ÊàhWCʪZ¸\ÖúêÈZÀ…[ZMpä›Ñ<ÓÊ\?¥°Ÿ„›»0_¹@‹/¦m yV¼*9'ú2ó^bap–ÜÄë*íïíDÄg¯®¤ªä:%nˆ?§pC€Ò·þp¶¿SÑÆ¡=±ê$«±¾äc=ìåÿ<>¯­æÝ˜z!ã¦ÁؤeT`uˆFòä]ñ$q4ýÀ èû ? J d‹q FOco'¾ùB4{¹ù,Äÿ¥ mÚu«íªˆP´OѼ¦kþPp½RجhM£ÜŠÜhY‰¢žƒå±¤3mª!òØ¡ñ_kQ¾¥h^‰†(ÚI¹°ÐñEñ8g‹Z. F,¹ÅÖr,¦KpvRtè“ÿ¸œâ?Ó|PÚH‰õbGŸ.7gûr.AÓ ÜmQ3z9ë5Àí CQËÞ¬HAYb‚TFNe2"H çr•弄(€yF—\2|ÅG&k‰œŒ¯Dz¤›/ îs†ðJ¦ `—8ÿ@®t+«+ÑL7díV5$äÛÔE×sm—h «ÎŸ…³Hékv¹Ï ~¡Ñs™hO,d=ZìØ7Ã^ø¹…ë|£@‰4"ÌÇšü,ÎwVδoB¬v,E·¦‡s“N¯‰CÒHèŽÝãå’XMYYI-Ç|½p› õä-ÄÅ ¬BcZQÏCåƒô]f•¢è,®ïJîÅdˆðûsÑ×ǬÄ葈§9ê7—3õ¬¾îB¶ïî´¾S¢5¨,ãËE~@tæ3åk-}D?f\EÐõ½yÎ Íé²{ÜG£¨_)̦#©nƒâgíñI‰r JÔˆ_­D{ÚàFŒ7èe¾ãB6"}(ôwQ=þ¥äÉWºø–/µ){—Z¯QÍ[©bAƒì¡µ¸ç|éŠñu†8?Ýê®ocÙ`PPÈ;í '°¼Ð®¤áÏ9±²g‹s)3ré I”ܤ¾îP°tªTŠ[Ýt% ǴĪ&ìŒ=PA@]ë–”‚•ï[ÚžÖÅ–5ДØM ÷±GJ}ÇÌT£’Ä=;eölB¿Å§yUå³ó^¼‰´—}z`ï“r‘-g]e†®D]†qMõÛpÏzì@sÌ•šnT(¹$ˆZƹ†q¡&+Ghå5  Ò/ÌŸ«±<Ñ»¦ùLÚ`+`hKÍŸ,˜Ò…umiÎD1þšIÓ-Ƶ÷±ñ:†2'×Će©Aš )˜ß'õÑ]g›Ýi¿³þ¬ÜøX­Ñ'5’H ª’'/¥ÄøÉ"!d,J÷D§å,*ÄÆåœ Äëœ; çæäg¹Ê}ÏAÞà ²%B:g5¾|7 Öäa#Uë|·ÖžõOÏÔÁŽŽvÏ96ôê¬å«üFEWb’|Yû6h ö«Fa¹2ã2L‘jÊFåd–:dD.`ò]4>‡7·Ò­6°Ä´iÐji{ãsëŽ!åüÞß™5äœ<ˆÎÕ`}1ñæ«ß"H ¬ ¤2ܤ*¾CËV‰ÏM\‰´:o‚0ûqåíbÜêC¥‘Oaö8o×ÕkŠr[»-µ°f +1^HowRÍPÌqŸæÝ-ƒd «ßæŸuc¨qŒK¡:¾odåͯªkå` YÀ‚•x\†Â>Í+ÌÅ;T‡å(¿„6\î‘Nvædm—ehMVqi¶EÛ'bxuØÇºX–×ZüZ—øŠE^ .{ê3kæpXñ @Bø§‘Ç“+ÒàK£9&å°áØ•C–Í ¹ÚhÚ|¸5Åyk3ðót€n¿¬‡×iqw¬µÕRÎ.hA̸ɷ0ƒ áMµæ¬o.#kWøåAÓnËÐÒœ_|j³â¶ÐD r™U\7‡“(kaL¦(λtÎ{±œõnrh]C½ó"ÝÖ^dt=wÎÀEÅ»˜ð¹w½¨·5° ؤ¯òÛ¤àŠ ÙïQàÔLc!w¨œ‰ÃEâ ’wâ[a3vUFIؼ¤\^l19kÜWïG–¢>1FéJ”ž {âíïúö1Î<ãå˜Ú«%ËLÞzæÈ \¸ÌópÕøý¥+Z S1ëÎK >“c%i£; 牱K¸‹ Z ’5×H WÉñ²LiLoY± Ê+oÎcÅùwéÏM—2£Zƒ=²QKYÓ3YÓÑñQ YÝ?QéYœNñTÀY 8Fb4™ô$N‘q¸@‹Û‰ä«XXÛdŽÝ}ì¿U‡û¨`¯Œ,òZô´ö”U¸•W¨fµrbv¢êehn ›ºIÃ'Ácæù”]CƒP@ϯE'•ïjÑuÞ1‹¹]‰ï„î1¬ÚšCè/“¬`Üb Õr.)ŸÄü…ðòjñ†Í’‘bp·&%ˆ]„¬³³lcO°ÍÖI&A]jOð8sèW%ÙcQf>(KįŒZls]ÎÜéT…ªj‰˜âH‰\øSÚÒNÃ5òNÈ%ŽD˜Ôõk·÷#°Á ¨ºÅyS^ 6?ññµLÓ¾ ú°97@vzµ§–qaâäÍ5þÐZrôþ2÷áÐR Ü¹0u·ÌE¯´ÍXCjŽõ3qے  Ï«mj2ïQ0¨‹VÖ ‡ô}2“¼an…µ ¯¨aóBÜÎÈQ®Æƒ²öZ¥XÖÈH‹ÓÎÙoY¤¯†** ´0ÿg[ââ;óK´ç©î¢Í¯ê_°éþœžÎ|BO§—˜¬.¶éM¤2Z³åQ–D Û2²/« Ô¢= ÝtNM77'ñ®EèÏl}›3˜2n©à¢„ILˆaùÌ%¡Õ ŠÕWOÊ&h®®Eó êå œï¥.CVEv9.ÚPzŒ†ùcAâ—g‰›EÛ ÉΨÐ|9²†'¡1:xåÁ¸ÙÞ˜oùª.Ã`¨Ð{7ÐB¹ììG£Üñ?øÎÃA®œ–yƒ& ’Û¶Ò’f­lÙ©Ú¨3+%æF–qÅ#tÇXI¿¹f*1r/Þì;*y—º }ì‘èX¢•.ŠÀç˱ª^ló K-j9“ˆ©ùø¶Éz—|I{¤Á¬3û•-f£ËzlÛldšHf‘ºrà ”¿lVE*RV6+› ǒ¯>Z)ÆRíW6^qú‚™4Ô…¸íº•avHAÍÙÏÙbº¡mØ0ºØ ¼]•-†âÔë 6Ù<­õÖ ÜQæ±’v˜å…ùDÍ¿²¥H ätõ¸*–iÍA¯Ê ð\ŽþÄ™­W½«#TûÔIùÃúé\:«˜oôîmÎÀUïS˜ ÓsÔÅ!^7—º›‘N†oÝ,;qx]ºÁwœWÐU11!Ý•šre­ÀX 3¶-ÑÉ{e{wC`<kɺiZ_c7¸»At¬%¨ë7^šmªc»Ò_¨C¤J ¦Äˆ( Uf'¥Â¸º†BNíÙ8±œgÜäIwšÕ¤…¤4Êû}q_)^/¹NâÝPHŸ¤–Íõˆn\°-áž|îœßŒf4XsÃÕàœ;9 CŸ¸øÛ"å†`S¯´Ö(~RúŽÅíÁpnëx‡ý#=ßóÁ?[/ÄT—‘”zœ{Kט0­÷Ngí’Út7שˆÉ[ ×ÛHÆäž†°M· •¹ÃÝxÌŽÏTµÅÉ2¶…̆»@+úÝïâ  ñCS ²ÆCÀkÉ8€~‰›ÿZ( Ù¬¡ÂiÈÔZ[ø¬ÜZÊG‰Õm‡vQCk„ßF·[LUe.MÅã²A>vÃæ Ê((†å(\ÓÏÂjü¦ GQo¥:Àu¹º ÓºÌrŒB ]8 Š'¥*‰ë Jˆ<ЭF|¹,¤uŠ"C¨f¥U” òã¸R]ßÑÆÀ]ÊÅbÂÄò^Ä)¸ C+ -0hE´^© Êæ6¢•‘£!i3Ö’qD¶ô?Y9)|ºE ¾‚õÄC3¥ÐUc)`ã«9˜Ê’ª½t!>á÷8\añˆ®åJ$ÏܹÅdBêC5µf‚¼Úåϳ³¢ •&´±)¡Ì,ác©RáÍ›"¦Ë“bY‰ðúuÞ[ à®´uã N[L>j ±2Ù¸$¨ HÏAWÞËÊ…l¥qe©o¸LwH÷±Ü´žáÒ—Úq á+®„Næw‘Pûd³åœ›”îGéÌ’Õó1”÷mñ¶8oú­7¨Ô‹gSbWÑ+MØÌêÙäÌ”„=Ç›ÍþCF?8„ˆ;:w4‘=ÃÒIÔ(pÒÅ’Œ2—¯Y{“\[ó¼!u o‹]GÛ387xåË ECÔªOè"\ÐJ#‘s}úuðIØ·ÇhՌ֚v–&s-”óŸ~Á­Èö=+$;yx9¬Ã„îl:TpÍs0´\ŽäUV;÷çÚDoì¼Ôi±/ºMƒryp'’(¹Ov¦ØqÑ#•+[{úçyy•ÕTŸ SYΓËu$ØÍ uz'("8ˆrÉpâwÑr^äÓ©’ðÜÄ ,·…‹Î90·¹¯;­(»ÑÆYd ðhªÈì¬ÈN–,Ió¹ôžª5GTrP<\ܹSÌ#í¶"=Žä&’kß5ÏÚRyDtb¡Æãq¶@ëăkⓃ—«ÒÀõvaFN‚¡zº*2”½SÌŸ‚«È1'@XjŽl“òCšp$£Òò,g(ì´,&òæøÇæI$È“‰sðû¤pñ%o2"ÇÆL¡PL0 dºà0™)çŽÙïDž¥ÊÆà΢»1âÅn¦Í-ëËÖòiI¹ø f´b»[ÿœ©–!v‚–‘@mv ;ÉùRtZpfÙiîEFH‹s,_|”ZíÄ­¯5XéRý²>ÿo‰0¹Æ×Kîï ¢k8´oÞšbh ~fËÐÏÌF£âŽãy5p|3·£‘XNW9©©â‰œ­ µ6‹x¥ž˜³¬E¿cÍ.·È…¬ù+k(»Q˜Râ“/Wã-Nñ^ÜgÈ # J »a7“¬t16¶‹wµ ÕFÈ8«ÕI\Î[ñªmÚ,!L¾—@Sr>e?ea%Q;:ÒC­ˆW·”'„¹Gã`0¥ýK§did#ˆŠøœA„6©LÚ„€a·Üjñ ‚ê7æ­Æ™ªbU·«ui¾„ÀÒ‹¹›Bƒô†Kw ®ðß/ªëƒÚ³a9g8OÉp.óžk! €ÀŠÌÊñÒò7¢jd]¢Ú¯ÊÆå_6ÃÏ5öˆ ؆`â(,iXA‰ãNmH—ˆ9¹B`€RÀÛã×…‹å¼‘8h#µ†“Qðã„—«6ƒë,çæ¹ Z ŽM»Ó]’ u{,Ãmk*ÕúÀ»1€^öj>i±¥¿W˹Ê­„ì™Ïɯ鱑ë—Yx»¼›IáŸëtíØ=¾ó„ì6ð4‹æ¸7`!ÁPþEÖÚjíࢯ-Kg&Þ"Zs&Úý×hlÏzOÒ¨4fÚvI¼rb \^lÆìœºzl¶…lknïrí…ðš?&7‰€ÂÓÕà ·–öd­ Í =¥VûĉÁ¸ÓjÈÉ÷îÂîüþ÷JÿRz4®~6'Š#•nÎ-I’î…Ëö!¦±Ë ü/ˆãp”‹7³Y³8èx*çñ| ¾9a Â~Äb~Ø8”Œ× í¯b/nÆ7ÛÛ···½ë‹<½žõà'Û¾o3žb¹½ CôëǽEÙû÷N‘åxªK—sÆNLiH¦û»Ô0Žšq…¨»lшÁdz›Ü•–\B×–}ÜuNèÎ?–/…Æ<A NŽ>¾¹¹‡=nD®h×]®qmµ¤Á¬£[…]—¤ËšoÂ…y•½x½ ŸOqî‹ l üF©¦ÜA’È|R\&i>£nĪar{×\tO"£ >i º’ k~&Íj¿506¾l$ ¹!Ò ’¹ÂF¨=J&(¬.xÞ£f½DÐ@ÉÅF ËPyfý·4º §™•ˆ¼WŠ ñN–jo,¤Á±È<2[wcÒ·”˜êI!4Xˆ4A†ñØNìÓB"j”QcÛ)éäJ½#E˜®¬ÛÔ¿xÏÊt\I;ì<¡Sȸkä¾ê"’–ŸBÄ•sš†#NeŒ¨›E0#ÔWhÉ8uT©W+£ $¬Þ¿¬yYíü"ím¤-Úy¤ô+êup%•Ág”ÐÕáëìfÀ=JଠÙ=Ì%¦Á¡É*+¹>‚/J»GLs¨"Ÿ®9?šÉ˜ S1R±áÅ+_dD¨’\*Þ9Nœ“å,$~銢“׺NI;Áa»"s»ÜH5^0a½Iµ÷baµõÙp1™áhX®£Cûpꉥzlž‡½kÎ;è‰foéq‰J‰Áy¸Õ…ÍßJü©ü0ðAÒ¢?\²ÍG:5Iùšõò´x †¯i‡ ~èºß± ó2½­qÖžN_»éÈÌeñ\ÿ|/­Þ`‚o0Ýs_4ÇÞŒd" 4ÏÂF´–<2¤-ÆõÝƒÂØ,Ÿ,w#±ëŒh®N¥Û>\Î?+]à UÚ¤d{¥nJ ßINP­]â‰r) ]‰´¶ä‹‹T^)øÖLÏLÜÐHH°kú­kç4\–kÆ>tç—XÓöº–¬µLbôIÑÛ´ÈßÇ4ºREuuFÃãÜf΀4ˆ»¸Ó%]°‘´rÝL.Eê6l>îœkJ«ˆºt¬´VÑæ»$ròuUŒHgD?ñÂΑ¾#+‹¾[^\äÅ|$Âÿ<Þ”d(KDQ䙨ªœÑ?‚‚¢iÞÒ‡BdÑa'FH»ƒ—ý×ÁÅââËiÓ»TÊžû‹˜NR,=Ï}Úª6ôpâøAXrµ,Å—´y‚vï|gsß} J( é°Žþ"LœZA²´ã/ãQ-ÃjdAþ²[W¨X²¤8É_Côðn|r°»ÿÙ×OB>™ö’ñŒa鯙b0Œ/gÿ{B‚éÛÇ_|ñèëG=úÏãG_w¥\r­Ë°Í ëJþ¸ì¤70¨úÿïGzt1­¶Ÿ>~¼}J÷ ,EáÚ[L.aúïÖ+-”ÜhXpÆïhŽÚÉY¨à]‘í¼ªÉeÄÍÁ¸2'‰GÅá˜8xb¦ª¿ÕLb¼¦( ¢˹w jÐÍÂ¥9üó•všA§© ¬ÿpÔ.˜ú*âPð1YÔÚbÊ‘Ù+—KÅñÌÌp,äsÒ#f¬ä%–wÎÕâ∑u\kïü”NÐ.5l5 ¶ è âKN;š4€-iQ5ªx ¥·ÁÃÄ_²J â«Yþ宥 Ü‚2ªr¹+#üP«ÁȆ”¨·粜øHÝ!Xø:ʰãtÍÚ1އ]Í3aÍj´kÂq׺…‹²îðøF6ˆ;¿óH*›¥p–7¹$VkÚ%> M­dÑÀ e‘¡àøµ7¤ ÔÎ ¢<©…â›{ÕV)qVj!ääêæKîþ¹kTûÕ¹ÜrÈ»FtÓ -¥-¸ÕTA0Zž?SŠl`!Z(´à^¯UÙH^•Œ€’] Ò´úÕz‘\`¦‚þ?¥ÍB ¶~Rä ¢MaJÿa¢gÜìNí$ MƒOÍýj Ë!Z\–\žñæ„@{APs·@&ì8¿PžQEoI¼Ð ¤FÅ+À€[ÏÍ •+^ñUv´ÇS5\êîª ±Â“Ξæ>Ï åñÝæ¼ë­Ç€:ÂŨ i9ià"Rw{SZ›%µ}æk,7>—r³U:W©üüwR:þY©8=2“7¥ÃB;FkÖZÒÖ1¤Ÿ¢fzŸO'ÊÙÙlÝÒ+>ް~&„Cû÷A(ã&ËÖòLò`Òùu¢Åj‘ë¼´…ZºD{%K˜‡O 4¦›ï 5" Šô ⊫¥zÈj¹(²ôrjm´Iðè]5Ÿ1·¾ z›9sB“ CáµòU±Ö xúë›(ÉÎ-8üQˆ9 û¸ÃÚ×xAÀˆô¾[|nþß ]‹<]晼|ä$x5+$¢3hλxðî"y1Èœî{f+¬˜ž•”€Ùȳ Hï-1¥ÙD0Zð«4]WuË‘8,Û4U¨z7fŒô ¡ŒÀèK:Øz¿u¨SÉR§ZY<&iVˆvš S’æEAØEÄ««wá` {îíRø σ@×ÓX°±!@2#žü§d`²*ж¸ÎVáQíýx%÷vÄ ™)­ÚÍÌÚÏ®£I¯åº¤¨0wT r}ƒ‹¨žÁ–•†…:BôkqbKêƒÖ6¤t&†­êýlOwÙJ ¢~g>¹j B™ÞµîE(î¾ñh3.†ãç^û¹/knEeiW×£Œïwènç­V âô^ÜIº¶Û0Ÿ˜õíŽ+xA€'eCŸá„­Ëªj£³“Ý€8q˜K¼´ãJKš´ØG’u#…$d‹³ÁåSÑr¾ÈuU*°ÒAiâá&bÒÀ .»ŠBÀ@·ðxŸ0ޯÌPÿe.‚ ÃUðŽu„7­AN¤jJÆ|ó,ÜÂ==—¶JŒ©ÜÍ,Ûq@ÜÖœ‰d,Vy¦)Y-iíC—Ù‚·ã´™”q$¥²0ÚrÖrŸ´Ü¼Ì Þ{õë@ðaâ‘K¤M…C©‚ùÝ9 š‡]àv‚à mì®ÅÝYÞÉà®”Ìÿ=ˆè—šv¬n,fó-l¸ÏƒNà0”չöâ¾–èÔ&S\Z”%€ÒN×M”#É:©‹¾°=¥ ‡:Ö8ñbüc³;6äÂVÒ|Ì'IU÷K-ÙW:²« Tî'ÐÕF\Iô—¾*Õ÷¯^‘ ÝÈ_Ês§R”k5¨MW4Ç>+ª~ ÏðK³ûf!ŒJyš*¡g¬â©Ç Š”5X8<+àŠÿ°ñE‡\4ëÚ… °Z?j;þP"ËbJÿ×#å~/”W•ÛO=zDèÁþ²õøù½ëj6ýEú×úÿb6ð±þ¢ýŸ~ñèÙ£fÿßçŸüÖÿ÷¿£ÿo€‰ÐO„& ¦)+(‚ãÚN…„L“’}[ --ÜÑRlu~IûQä9ªWØàÚúW±[Åçº%Pø–ÈÃm”3lj×ÍPµs¿íHÿ[q¨¸ðx ÷·Ÿ½H¥ge!iGQÂÙ+[šPÏÃ?}²íDÁ%f Âñi˜ÆÍ3—Œ*mŠy¢Rõ_ø©ƒ“çÏ,êc[6I¥ºklq¢˜êà»ÁïâMCe{“ÍŸ?ëÔ€å„$"Å`ʽøû|q·:‹;iBVÒ•¥ih4M¼áÌ@«œsÏ›ÛÁ¹¬_aa]i6S[£õ6÷âTVU#…%PaZçdÿ´àU¦"óp$ð/¬eY#ˆ§’Ï¢I,–ËÍ©WÐ>¹9žîñ¶b m˜¢€ž Ú`†A×:Yxb/>êM×tQÜqØýÐ8®÷¡¡ó9è“ÈhƒEžmXz §xM:W-ùýÜ/ÌJ¹Ï³ËIzy.½P9ÄÁûEe~YÝjy¯oãð¥µp¬xynN¼F ޝ<|âö±qÖB‰Éy²ôͧ<Àˆ<ç¡[1–¤ÙH :0É™Ì03$WiËœ‚1Eâ"ã7²Lyà¦M\‹¶GÕÄ |®¼a )`S\y vò’ÌÞšãFCh}±®á/öíëxÉ|°ôú­<}8|³ôôÉy‡1\j÷R, t¶fhH* À ËôzÈáx¯l;g(Gž|€=æ­¥`|xE\Öq«œÓR¥²†oxKÉ ¸5Öõ}ÌÊ|Ê%„ 5®ôeíêà,X2N°RÚ;y™Í=ˆ®®+Þ‚9™püVÑW Ê~dîiâà®ÝÌ*ŸTãMÒFÏŽ®I:-ÕÆÖ$7¥Ùniµ L™#º5#gü1J0fþ@MdËokí ªT=òî­9c‹)—èXºÕJ¡O,õ •ào ü¨ÒpE®ëWO›)'5go¿z>"BÔæ©±áÅHŽ©g4šVé¾AòI &Úï9¬7@{WKãLåò‚;¸d¼C~xìþ‹ýðèe²œ›+IG§ûÃw½NLæãÞÑk­×Ô4Àn|>^,â­É¡d‹„ÇXì‘ÑFFÖLqϵ@’©Ù o¹+ô/_üK°Þ bïDõ 5­¤+’±\Qär($ͧ†°-k€TOÖ²ó\z'ê* ·Ìµëè@êÍÅßí<˜Îqçb/}‘#ëtÄœÛðEö Ö!æ€E½ ³0†ÍR-C—åñ¸ÅyaËu‚=l Ls š$V曚@Ħ p× ð#µÁ"‡þƒQƒ¾Çº¿HŠ “õ,,Tj¾Òñ°å7 ̉‚¦–D‚´Ú8Oi7Ã5G’ßꃿºgÀ=áh–ˆ] 㤓 ïµ\D#€:Cñ£I„,û¤©;ïc~í¼Qê¬m½Pk¼e71«Üm§÷rïõã¡ÖÛ'e\ä,ç.´cÁzI3Ü÷™Íl}.ËO¹ôA]<"Á|§ÐÁÙèppxnñ!gé¦ÌgÁAí{}ªþÝÒÅšè|~Øßy5:ûþdpoÅ»¾3,§¸à³èyÉyz3`@ðõ ØüZ©–sùÜŠçÈt²xÕZ]ä ³(¼,ÿ±Ì«TSχžèŠ‚©`¸Ï´9’¤Äëg»sr2zs|º;üwLøÌJÿ]·>ƶ‘riæù‚HˆÖb0ÐR@¦“5U±+þƒæ—çÖšTbøaÒµV¦Á$ÈlT9æàŸ¾y‰Ò6÷ÉDèfµD«ö@òÍX¬ïø3†;Þ…¿ím+Æ¢i0%(âJ\q$+$º‘ýƒý½£ÃÁÑYãà/Rõ¸·£QBÑòåDˆä.P¯ä~l`”4)ú­T22£v‘Ø5µÒ¡çŽQNUð†¢âBŒyó•,ò¼¦ÃK=á,§bnê•Ûà®CI,ûÜxÚ 1ëOãÙ¯¸ƒŽ;‘V1i<4Ì93p¼Ð”ŽSã¶Ë&Þù@kBA75sf„­8×"fCwÐd™•½«m @„[Ê Ø«ërÀeÞxÏ~xWþi/­vi !|ò@7Ç wÌF¯³O­³639ßœºì2좒‹‘í«2,˜Âs7KVŸ²¯àÙ<´ÚÀá?€bFÒÐÅí|*RüT ¿ÒßpÐ?%¡ôòøt²9Z´J® ‡yHH–"­ß‰bœØ¤UÒ•}v}ÍqQÕ&‹s˜9…÷¨‰ç(“ª½M¦\…h4…š5xâBŸ¤¿\vÁŠ þ‡p¤é$/]f–Wh¸«Ä;A]æ(34Ôø§Ë++ôXhF‹•ñáSѧ¬ZàNIˆ9 š2ÿu/ÎÃã¬È9úré{° ¾²[ñ0uMk˜s+\b×Fkc»/ORÒ 51µ¸Kˆ-³NcƒŒ™éºôq ¾­*é&KÙvRUîl“Ç=9ﺥ<áµÔ*Žœ+_BÏ®–¤ úµAVËhÊùeØ\WPÙè?‘p§OR(ù ÞmájÀÙ„ͲÊ÷‡J!o[¶Y¯ÑYç»ÑÞéñ›áèõ /meÜ,ì4µ™{W§Êu¸ö•ÉMÈM¿T×V¥,ÖónÕº#œô·`êš²]4tFfľnþísæüj®–ˆ; »tª»´ñ¬hÙd©òx‚޳GJŸÈT.ET…\{Ë’!b¯Ea²u/ŽÏÎŽÛ•Ž1:ý¤®%ŽŸ¨ù¦è¬¼m¥þÉÂÞs|ÁY¡gÈû˜»ÖL1v= ~+qìíh±Ëá[uŸ¤xlÕpÛ2FÒæ}­­ÄÛP¾bTùm Зoû¸ K±B2ê…Œ;èK¤¾ŒËûëcõ[š/XµfmXOàf‚ë£ÙÀNÅ@=ýHØ¿â*Y/AürÿhÿŒ“ßËZð±«QлÅÌQƒLµy¡3zó±FP¼¶¡Ki©Ÿ‡¼—j®Ú³Í`e’‰øÍØÿxε—ç:ßWƒ×t Ïöw?h¢Ž‡ô°Ê—<ˆ¥ç9W“Ó[‡hk€­w‡s‘HÁÕàbkÅ~^J³=-q´~ëh°±0¦Í¼Óp¶Ý2dÞ5ÙÁÅ5¦'q<«ÝgSÉW-ƒº»o†£k¬%àÓÞ?– ´ˆ6eêÂ`°­dj|ÆË“K¸Çâ½]³ËÛcÆÝÖÜ8Ýå ¼”–CâÇ›$§åQ.¦j›ŽA<[åˆ×m­W€‡;xÃM±Sö úç/g7AQÕ”› ^wæ’Eü‚rZÖSÙÿà…2Ô¤ò¤’ KIÚt.%6ÍNLµûÔ·/Ù`°"Ë¥˜öðýQÿpgtpÜßÝ?Ú[+[ÃN‚¾kîr1I*רOp’TßM{}èˆ[$Õ”sQ­\4W­ÝBW—« t4ÈÈPk\±ó¨‘½Ï©ðy9"{ëa1' dóú*\(G!ÔŒílM[%O}) I×­YÔ¡EùqP”ïáŒÃr|-ÇUâwÆZEK™: í*»‘ìy_TÁÓ/g;¯Î%¥ÑþɶʛÓý³™ÌAÍ%Þâ~¸ù¾£i¡¸‚j:¾à X™#ò½94no ôç„dçV¾0wÓYM£Ýã×Ü“Œm¥Æg¡e™Sû^'f¸J‰€{2õÃ(•ä-R†j6©‚ÄÎó-㜾¡-À"tjV° åç¬Å>bÏŒX«Â휼êŸx»¯AÀz+-åÖØÚ5Zž2¦Â,YH …Ù¹c4.¬«Ô§ž…`çæŒºKMÜ~Ý΀¢‰X‡y’Ù›ëko(Ê)àÍ×Hzß*Š=D½: …BZ^šIãÚ73 Fú9_Føaõ::ì€Ò!i¹¶Ç°-) ì§‘Ôv.2ot»Ë~¨¹^¤Û,çö(îbÞtÖx¬2«5tF†ŠxaoSU¸wŽDõWiýo*É–ð—qbì v…g¡®êü*­xéï«s%y*v.ßèüõÑþÛÑÁþwq>ñ`ÇÃfÿÚxSê•*¬DÉéDµ>)¥À+ ¼ñÈYÏ'Ûœ•ø1zQ7:!m›¸Øh9'-x"ÒÙ)€¸&{YÃp/—œÞ´éìg¤koj—² ¨ÛBb&)x¾yÖIÛ4¦Œ¡N‹w‘m±=ÐHºl‹ËUq’-k–eùÄ·[Žœ¹r±Dp”ÑòÅ"WŸ;MGƒ0²ü·A26Ï@”9ýA&5iœK YrjÙGâÙ3mM*NŃ¢ó¬Š „à¥tõ¼÷~}ÝU7”о‘ô­Y²RêIÅP•™±×¨žcòJÀfÍÙóû–&u(XÈ2j(‚-ßß_­ŠA ®†µº®?íU¿Cïä·Ò¹zS§:«Àœ`=ÿ¬ÈzÉPÐÜLÑÆ»QhûN½që \Á pnt_”À]™5Ë)ß, 3Ђd²¸Y¯nxˆÊ“‰‚t3>LÉ'rLÝŠ0}Ù¹Žëê•Å™¯…®Ë‰\äbu&÷û"QyGàK{ñ¨Ø@½±A.…üØ@¶Xw­PŸ0â´¡ïl.ØÞdžSH5úi§Š?o£íò¯;M¥ÑHè*(ýÓõ¾Á%~qb-BCd[?_k5¸™30AõwC ø äÞÚ\©£áòªáãÂèeñÇÄE<’Kè„…Øs7ewÐÑ[{ v˜Ôô2b•ö³×ÍFdÚéšÇ;ßi¤äõ‘üè¿I;Wã‘€\[ü˜¡ËKëáXzÔkÉàY¸{kÔðvc_ÍvnK®£á(µ4Œ¶¬5õ>[ÒÙ¾ºeµe½Ë‚ 3ÿþýèìÕé ¿;<¹l.(‘upoXV9à¥Æµð":tÓ¢ER4×åúÜŽ—9»(qš¥â“> 0Y‰Â“~osb1eÅ÷–]e ì5é%ÐIX «5¯:OhêÙxDíœ¸Çø·ì²ž £à ËëP‚ € x¥°7‹âcáãGÇ&ÉttR‰+ˆ IÙV¿ÔõÎTG"xƒØ+¡fÖà5–ÆÕï]Õl¸³{rékÆmñKÚÚ;(®¡a ‚}»'iãL‰hÓ';ö{øûáÔ×2þZ·ð8Áe%«xäG-wO2_Í{âd‰O@‘(F{A¿ÄÊ[¹/²çÓ»úex¾NH>“¶-‰åÈ[¬8)[5 B¡"T$j¾¬„ø/–W&Ù…l¡Õ%…ïB(ºE/rð¦œ\îÙ‘í^Y'î(ÒùË:ð&Ž–ÏØ/¡æ\tõ;sή‚Ÿ¡HXð£8èö‘67åv“ÜÅPbÝW0Ø2g¹8*Ú¿´pxaµJðTýÚÏÄW?¡sOjQª9 c“ަò·Uª8dåxšdhí™ÜmvjI*—D|µ¤#œr$” ð•f“Ìqß–RóÇÐ¥%ï/QüÛŸÿÎ?µúoüM–Þ~âðû뿟=}ôäY³þûË/¿ü­þû—øóþºÇzúÙ¼{ßálÒ‰ÿ_üÃÙuJÄW†Sˆ‚ûÚs‡ èSD<žD3WA¬(Ô!ÖðæŠ‹Ý½ ÂñLÊX-Êâjþôý _.ñJ©nÂäÐÙ–Ü<{°+p9ƒšWË O_”ŠI~23,4'¦y…† ê‘DƒöízÃ]— ÓÄ=%]UbàyÓVRÒ™m1&†kÖº |@1ÒE¯Þ A°€_ܱk]ºtüñºõÇ^|¿dëÆ}â;ñ{Ö4-úAš„ìäQó‹Ú½,íгCb4´Ûñž:´jšÀ-šQz;M«jëžû‚v?Ÿ-’ù]K~¢5&Á•熿ÈŠLž,’;_²ÛiªPµ¸bì·"+z°õDììp@|‚=mÖ]wŠŒ^³7™<§Ô9Ï+ëÅŸ¾ïã“Óã?íïvãþþÙß쟽Šû/†Ç¯ÏßÇGÇñ›þéiÿèìûhðöät0ÒÃǧñþáÉÁþ`—ÄÒÑ÷ñëáƒõÏâï_ŸÆÇoŽP±ÿÝ矣#ùl‘¸º …ÏÒŒÁô¹Ü|9w9‹;µ*†¢¼¸ z!:Àá÷ÛŠ? ?AûdÚ5Œv Ù+â5îU9ö¹ à×}oÞ8$%‡Ç$í5ÌŸA®Ö¶k%RõwÙQÌOwãÏ_ w±… ©ü&›O eÇî’ò=>Æo»ñ«“í×o*y7>+–ÏŸu4çßņ²#|[Ž i¸|XìÛ•¿ÞÞ™¢SÃŒ¤Ÿ$à ïâ)ág¥s-íÅu¨‘ÎËf„\Ó²ì™%c±$Æ€M—^¼Yë> cŸÞnãÿX"˜m¥^´ÿÙL9ƒdi{m8|Ó²Rþų¦?U…eß|ûDÊ”ÓH­Uù3<ŒäŽ3bºXhu“öiA=Ð’ÛÉ=XÞê(­ˆJè³Ù¼Ç›Yó´º('Ü&ÖâÝUYŒ·µ¦Úþ9!…j*æÛm›rb»ºÙXY¢—£vç'üÞ n%ñ‰¯¬¡ùRùÝ}—ÎÌŠ<>K–EBdš—×YèJ öß¡¯`O:Ø&·‰xM¹¥ßÒI]ÙÍÀ­$KSX@tûzø+/'¹Ôθڶ€Æöã/¾~òüÉ×ÛH`W,=Ÿ 8^V„¤;÷ä†4ímâ"n•®`RËiÖJJ%ÁðQ2]\'][™I®IŠJŠÌÙ™ ˜›íÛÊê´ö;Põ¬ ´+Õ· }àÕÙòC°v99ð.oåîª3$jÉg§Ý‡r¼Å}âï“"Þç ¦µkSËZ‡kü±‘¹¶ŽñFÖ0OÂÖØçý0ÄoÐ’W-WK [ÓI¦Qüp9?þðì‹¿ï?Ý'‰p<|¹ý¸kâsT)Òu½BîÄØT¡N`Òÿ0 {V;l»Œñ‹Ôú¬GÒûf€q»Àl¾¹\àRÓô’l©]ʩئÿžóÏÊè‡UØà‰iDˆœ&à-Ó}¡ãecÒ$hüâ}Ë‹rÉŽG$b7æ@¾o?ê=¦ÿ÷ôýÿ/Ÿþ+Ü·ôÿ·ðÛEÙéHç·¦À'‘ÌZ¾„íWËî |$÷` ¦ÅêÛÔ:dØx‹‹0¬’ D‰ëýð襃©béÖÚ¿Y Äe:Z‡2mŵªý°-¸´Ñ$ÅkôXò7*2ça0mhG‚,= ÿ¼­²âȈّ7«1†ú6Ø‚•w{\)“›¡, ÿßîÎÑ´ùÏ?ÿ†ôûå4zCl;G;×Zž'…Uêýoj:ì¸ì‘ñ>)ùVq¤@~Ûa#ëÎ)nÒ»ú-Pž¦{jà”tÆùE‘çï8d¼R&àSkSXÛ3Qfî1Ñ‚Ñý2¡í‰wÐóë¤Ù5clY:[åjŒsÚÞÛÙ ÝI§¤ÀŒý#'?‹~X….ç•+=:ßad-ßm/Òœxí6YÄ——ÛEú£VdÇ@?\Ðj›a“ûGÀ/ô?n®+Ä‘ ŒT‡Æ ¨Ïô¹RŠÑS‹‰XU“vº‚X‹¥øÈœC¬ü~ S¥÷ùçQ´9 `x™GÉ—U^ƒ-AÐ"ü;ZÂý¸¯ø!¼¡™bÚÄÆ,‡|)ýqÍŸç[!h˲Ã3P,w5™E£ßöwýïiû´ë«^×e›~,|}7í@ çÒÄ'Ü`ºŒ¿uã§ðQÜmÿ‘Müøë¯¿èÆ‹E/~òõ—[ÿöÞ´±ãJþüö¯èPNȸi³ly"! 1·!(Ë;›@“ì@#h@çþö÷ùý÷þåïÿ¤üþ{öþ´áw·•WÃYªU5Ë¡ê}®,?bBcZ…+^,qw¢QAV—zwpqe ®Z:<û­è§j°s#ÊnÞqVï=Ú}°»ÛÂ?{Oè¸ùé¼Âòë)<¾úJBí ö†œU…¥&_‘wÃPËóôú.ôî =€NÉ•k˜á7§?2NUh8ö}¶èn}ïé±\õGK™¦Ô'lR?æÒªIèÉ=šbðnZtaå4¿È®H¼‡«¶<çåõûÂÕFÁR¦%‰§“(Ÿ stÔ õ5I†‰F6w>úÐòXGgŽ…ñpg÷у: t2!¬Œ³re<Ú­®ŒnÈØ`^² Œæ].®¯<ÂÑ*ba,(ãk'ìƒ/Ðj=´·¼Cÿ+¤6$ß^’¹,âêˆÄô¦±ÑØü—¸oÔ_XXykɳ*4r¦è)x¶¹'d£xC$YþEyžvÈê×…ºª>Lˆ²^fí†k¹Iÿ¶÷ÏË‚ëtFÛ îYfs\%‘ÁNÿÇ„VÚ“5üÕ^sg{û¿$ánïí>ÞmáŸ'»ÿ ·cµC»jgíBN*«8 嘬\v·Œ™]v/Èf¹~Ë¡²óœ[Õ6£åOǪ7¿ù€m 4.­F #zDIÃòOfwðI˜¬¨q’q=ÃRx#Öû[2¨n&ñaú5þxè÷Ï%GÁº¸lhwEÿxô_Ò?–5郖X»ô2m4F» ,¨p]ùRñ>g(LÇ'¼ }H±{Áþó³N@"øŸƒM¡?àô‰k´~TCþj×”¢ÝGÍ;¼>O4is¤g»sh<źÁê5aü®Ç°åk J̼ØRûóŠç­)¶@SlŸruKÅ¡ÖPÀ‘Oq°Òxþ1O‘º:›ÃRß0ÇØ‡öª%é~ù¥9q®iN@C&×0¸$Q~«¿n½9;Ü™wQÓä }Øž“4™ÁÄ«9N®Yİ[ÓlÊE ü¦¿ܹ¹Ä};ìR’Ìnd"ñ U}`?>º›ß|0|Œ 0@1LoÙßXÊT~EßqíÚ üKˆÏne¡pµ!%2OeãÌ€n;vŒòèúO/÷ÿd” ­ëÉ‚3ŸàÍiåø¸ù õ¤õ~û ŒaÅt!Kœñ_H »Ó‚zÿÓ›½ ‰joÜ´NzÞuŠè7'9Űã5nr›^Æ—tD|;;‘ªvI´:È ¨< +°‘,©×Œç¿e£QRv Êg×ð>#”²"}“¼rÿ$oêmX aDŒ&†GºŒ…¾·Ž;ç1ôó©ä®K­õ‘ùyª96|ƒ>£Ô›c”"©4§Ï0'FLv‡ÛɪG?±;#…#îží+§¼ã ç8ý ?Ogoé|½‹ÏiƒM Uû6×/à°¼Ô«Yzº6ŽÛ/ßÀ{rõÕ62bÁ•Ó¯¶jJoI†* 3<žô&wëø”þÛ‡Ÿ°•S4ÚÝæù0̼£íÜ¡w™"é—Ëᑈ?uhÿ–«ºÁ\O&?íϳëQž«1ö§YäSÚª´ÇZW³­qF"4ÙºšnÉ [uIØÛOƸýèнÓêTÍ"ç7ó­_^wâû’-ôE:ŠÔ†Ë5zÎÛþy:aO}ô½K±ÔQŒ~FJ:™t<ør‹âž¹»-w[óÝÍh´Å:P)eòèojŒÊe+OôÓëIÆûSô½7Iâ¸9Û”ôÕŠrRíá­»œ;i'†_Ó4‚«å·&‹bëdyAö^óÙÚî´²-çÒšü_ßµb}¿Jf´n²ºÁÒÞ«.íÿu£Wo¹_@•ö>Oj?¿LªÍ¸þ[®säÞºXš3K¶æt­©?B¦~¯IGJ×AêÀþŠ•ûòönˆãæàé©+·Ôµ\2Änss!wNØ`ß w÷ú3aËÝÖÜ÷óC}M£ä.Þ-ËPóÖ"[ ø­í¢]> ô<êšB*Ù¢@Ò Ù­)m\:k®S@íû-ÖÉx1ÅE/±ñøøD¥§¿Ã'ô=J´õ±iOðßgÈ™ÀBå×ñ£rküNúNSpé–vAÖë܇ÉyúC“Õ¢9白“ãØ•²›åšMìÞVq%G$kGùl)¨ÇZ#ªW\6>mÄÏ·ô:ìì*S‹ò&¿åx=sŠ{|Ô4Ì»ZY›ñÓA¹N!ÑÚƒ Z¡Š;¶¹\¼ð“iMŒT8‰»½£#ïb+‚‹“Kã |¹ÿ+êæxÕ‹këC°uŽÁ~j ùO¯dÜl´–ÕcNÙXSYÁo M°–œLâRK@\aÂîJk¨ý±tûtå,„É5,ðÊp’2à²c4Á(FMóbJ½™“-áÞ(È\[ò¸±“"t‘嵟„—¢MÁõ@iÒd£ÎøXÎ<âœ$Å[ž+ƒà,+ÇŽIGç?[ÉÅzHßÏæ¯èj·=/}a`˜±Å“¦<¯ ¿Äe'Yâ(AŠzûÒæKû°5öA‚›,B1l®lV¥…3ù–Ûµˆ/§KZºß¯I ÄOó®y%Å'¼LC¨;=l@«Ÿø¾aë¾]Žu:ïxšOGÛ{[dCÊcOÕ¤б¹ó’$(rÕ¤OŸî~´ý`go§…îÕ£Ú?ÖØ5wðnsoïa٬ǔ¾-QÀ·x®Z<—)"U¢|ÝVéÔå,èÑ[Hž¥ÜQvyh«gºqÅÉø nHQ“JeØ€DTáƒôb1‘ÊÝ"ŠDtËJcñ_ò[c©$Ið ÒmnŒ¦WœÄ@ªæÄçcúà“»j¢d5XÙbpZäë1’Ïê²YcHð 5ùS¹þDbŒ”\?æÅäž´5O®¯Ó¡+ ¨KbgßþîÓ_£“Lú£• #ž¥Ì—ÀhÀ–­VÎ Ÿµ•ø¬×CyÞð“Ë<[ÀÊ£mp\},Ô"y? †ÓRTJTè}~ºU¨ý«E¸úa± Âß 0bìÈ_Ü´ øïüi Î)gƒ6b¾fåW‘1– :B\nj²xZ©7,}^H¡|IQ¤’«sGxÇ Ò–ª™ÈêŒ~*÷ÿ££ÂÚèÖÎöÞãG··Ê77Ç24M¼iS³)é$ØyÐßÞmÍ“b({‘øÆOØ“G{ú°uÏxÜß~àŸ!Ÿ}üŒqƤ”\Ä®Vo+:¤6E@CZÚOÇÀ{|çWî@0ùžçÀü¹d«JÿÚx=¶*!&"zÍÔ½ ÄÁ¬/¡ ãê“nU¥9t]ŒG[hEëkùP\ø“¤{þ»¥º{eQ"-Xœx:)Hü¹žAøµþæÓÿ³øOfÚþ7@#­ÇÚÝ}°û°Šÿ´»»ûþÓçø¹ç"’A¹²w‰0ê7p2 ůähl¬ ø.{/”B‹2[áªÅ.µ”2øNÉO·dªÕ¾2xwçùT‘Càx%} à…`L£0(1è{ÏVö …ë.?°ô d l ‹ RrZÈtqÐx…ù°îðsÄqy*ðU^RiÙêm„ *…•3MóBX ãTtõ:¾ød`³yJ‹´d¢²pÁ9vo*d˜»»ºV_ù:Ùö+;éèˆ>™H¹~‰Ÿ×u,Ÿmùáµ÷aë¥tmš y$lïÉøÖ„$¸ÈšùÕU+><¡ÛœÌLš -l‹Vë]–òj…J´…6JÓ)¼¡QOJÕ,ìCá\e ¦±‚Ka·a’JFTy›3Ö/gyCWuÉEH¤­A,æ ¢AÚWa8~Ä"YUXdEæ‘XÍ…cwîðÛòSÞØæ$‚’ÅïÈûXjÈTž%ü˜} %£ThÆÖ–jÓ!W<·Iƒ´Mep Ë×Êcê-Ó—Ésn`cés@;<-õHÇ1+" ¦-#(ô"ù$ž=2(©ÆñÇ W¥ï£… ÙTàŠ3]gFýꨓ‡³¤0”ª"—ræE¹`|œÉ –÷°,m¿W8µG­íe}2‚úö6Ó?ÿFSq\~oèÓ^Þq›gÁ|ãkyùb¤¸Y€ ¨¥ž<âUæÒ ÄÜUˆ+M€9>]­Gä›=­r;„䲈ñ h…>½«‚+ó†‚Q3'ƒÂÌókæo ØÞó §í³öáaç°Ô>ûîb%ö.#/&Ê‘ ”&ScKZj6ñUö% ÞZ¹ÿœ~Á Ÿ—› KZ'€õ-ÇÓ÷ó™ä‘9åJÁµôž±Ü@ ]è„k/mÑ*H=žÏê3@A £'»$Ã"0¡%DæˆèȈº(5ž`™S¨ôH滎ujÞ-r`]H)4' A[ªL¤r3cØ`‡äõ•@ñÄ|cZì‘I%ª?c¥X|ž>+y5¯ÿ ë^Çäèu‘öÚàDE'û[ ö-$*¢„3­§–C°b>D™€¦dv§Ž{ ƒB˜BYêS •´*XŒ6•ѵJç-ž)õÂ2žƒžÚÐ`7“W ÞDÄÝ´ü ŸÀº4_\ã"hj8.d6<“=J×‡Æ ŒóJZϯØ_³4Ò–Ô$OQ<)­Ðæºô«ð{î@$>è¤ìB PÒ›ªGªâñ$·A³“°IL=±€Ž0ˆpÑÈ‘*#®üÎ`g;ò™ª\G©L¨,q$Ms–ªU`âÒ Ð¡üŠa¬´dœ/>r0»Së dU9¡ð$ŘV”RT–‰¦X­CŒZÉO“FËàa¬ßÁH°#50Ðk€“cô=Ž=TÖÒ ¯|&-cêX;Jo';õO†Jt8T—š7[€ÖCÄì0ggDnJÐ<ÏUZ"PE/ió»‘ ¿¡ csíÓx¾÷TÓ¤¡]f§1‹¶Qñk­~)5C.Zlj%í+¦ƒN5Ç!Ñ|nÖŸº¥ 'ÄV©° =m1u$îîq ¬”Zî„H^-{Ìè1È¿{%,㮪³{ˆípç¤óÅš™7+W)Ü4Ô ã|®žz¹­&{6õmG Uà¹c…ŽÁ@Ñ’Éœ‰z¤ž.‹£ZO=Þ墸c_LIÅP¶Fá‘l£ LŸ /HR¿BB˜…Mš ýšLÒ|Q@N„>X3#%>jÙÒ'èâ’‡‘3¯ V  Öø°N˜ñ.ç9ÝÙfx"”KÈhp34(‰ Îzä‘sâpE‰> |»Z~ô^îÿÚä™EûHUäà\Å{á½Þ´Ñs+yâÏ)#+ç̽VÔ\_ér‘-îzÞWê tš”{ ¦z7“ÅÈRÊ]fDœ…ø¡´iRyØ:pÌÑ’‰×Ç›v¡y²ö8K€ÎÖd,¿Sœ‹qÜív·noGcÉ=CßÖnk·µ³ X=ätÂTo_L8(ò-3R’½ÍŒ‰wâ¯Ôa@çÌx8 õ0¶ÊwØø«¢ U?Á­ÇpyBÐd0Pزۭ={ŸÇ»{­‡1šS\ _¨X½ÍuJ©g5$É‹Ò *Ä•-S¾ùz”]<0æ”ýp'®™}¹: ‘*¬~uTè·¾Ú&)èÜÁ…î"ìòÝ­‡#ëúr,ßøUòŽÓ<—}\v²Á+…LLl 8<W/,œ]×sw×Ç' œvó-‰\1ÝVÛyFU+Ír\ñJÆ+ý0u@È(Þºt‡§2K[™ädã™.ŸZjé².+‹„VpFøgÄ2×òK©W\æ‡üGRy Åg&škb„aD—ŠÄ³P_CÏ[&üÒé$ d…ÅÎ1>Æ ,İ6Ÿ’ù#©S¨FoH’«ßC¬s¯ï)ºÁÀ5IÁa¿ð©GQK53Vý"Æ:nÓ"_(BõĪÄ\–EÌ7°¸q‡‹y65ïÓ…]®{ÝÖ‰ô°s^CçÎá`ŸoÒGrƒ3tȘd3¢»§|Ûd°IlØ ¡Vìtp!fXõnþ<4»cµ„“SWmðÖ=7çeCtÅ’òØI^|é=¢@ãwãþ_øL;šßfê5ý—éŒÏËx¬Ñ`„Ü1–§^oÝ5¤Ð$¼Sf[2›Îì"ÑU‚'ôQÈ4˜‚™;Ìð+T(pûަ$r™°¢[rID1ºQ×&i²„…¿fo’¡H¸«$ã@4ñ^¤{¢Z/™L$’ýUËZ4ËÞå²<¶b.5 Ì2¨°nKàÛÝ °T/‘Ò3^mØôë ŠÉ3`GM"ÚÌD/”Aø^¹2-…eŽh¹Z3È ’´ »Ñ‰ÇøX¡î”l-‡Œì´o]‡?"Á+9òw}=K¯=¡S|I_ßfCz ó)D¦wjjSJ*pýšÈ\Ëd´U ]E—…»@x½s6Áý`¢“'=Í÷eFä†LP¸lXMôä3Uÿt–›Œuª]‘ÚÆn׫d&Љ!2È.Q‹þ_ÍÿSLþ£dð9óÿ=ÞÙ­æÿí<Þû-ÿïsü’> îÂGâÓ{&'§ÚM0|«i“9*~ˆ=#Çù‹K…”Si]S¤•“¹Eb¡ùk~¢¨Ê×+E 3—ò‚d½+±éÞo’'gC ì>ýuüXxÀÔ«"1ØÐu·l1Òp.u â,ר À_ªßÇ5 :¾úex))÷u}yêUayòh†úVˆß"Ûºùë{9ÔC.èixÝÓëAk:û‹¼Uap(FÛ¾–'¤µÔ LÕ°%eª2¼-ƒ}Í#]ÎH€~É*‡%.ï„Õ.“^#—ðS9íÿ)¯Ç¾¤¦¶àÆ=DÔâE2o…³TÁÕ‰£ÿâE²å¸•LHÓäó‹57’·é z…Í_ÿøÈÖRpZÖAgSŽZŽ[ÁÁ(šæyqãs0—`PB"f¬9«F¯W¢&`ç®zÞ&ì$˜i時tGÆ1 G/¢µ–lj‹çÿLB€0™”×DhåJxŸM¨÷àÀƒÎÀù]1ïsY„OñgŒ=ŸìòWØA·²ƒø»ý748;üHpäzùÙyÿqmþ«¯«¿ŸE œÄ iÏúÞt*ªJ*Øøɯ³%²™—û[ü8zÁ|a\2ÄK­„7³¾“2÷•8=€S1Rº#„ Ý^°Ç9ìJCyŽ Sí韰o“¨Pr$WÌûåìÎYT}ÌuòjÁÅó®ó<'I%A-  2ÙóÉ[Ññ$‚È쑈dˆ±éhìRç‡öxµÓÉhžÄ]P$tU—%È)G*i :rãEêΕÐLˆŽ8B¢u‰|iÑ4dùÛwPc'›s¤ZÍà¤d¼ p¶Z­¯›õ¸'Ž]pW¤ÕGélÆJºV¶Rt8~K½UÑ©.wë•èì— 0®%³8›«S¥Hy©¿á j¾íߢGO¾Û:¨øéþ¿é7†uòo1;âuD Y,t=ïs½Guë:‰$©ÀëâµÅ$û«`‰óúN©ºBÔpÀd風{³Ë¶¸£§û[v¹‹á&±>¦|gäqŽe”“yy>EJ¹€eÁ@‡’$ ¨<:6çâ û1lg7ê¡7¡÷ ð$æS‡iä«aLJ,–@ü™ÓUWs€EŒWNÛñè:¼‡Ø!g@Žƒ›œQ’¹¬#GF¡­ÑjÜ4Î(ÔÛÈbp‚y¦z—â¸1h4}ô랤É)?¬¦> ϸmeÑ"ìÿöù%‚á£ÔRªéìã•ujÖÛSîÍË;"]Ò 7Zt-ðªÅD¯ëͱî{¢0 k‡„ÿùÉþ˜1Ð=æNÅ;ÌŸF;uÉG´‘Ø™Ôh·ŸCUXší€Ép“uŒÁf+Ú«^"s‡Òo^úƒé´5lÝl.µ _Q3ѳg¨ù€˜<´%?{E]™2®YPqÌ÷_!~'ƒ\Ä5Ý 1ü—dGã´ ±ŠÈW½Ÿ8iÝšïn‘8›˜sÍœ…YÀ#1pP¤iõ@´Ó~ ¡íÉw–ÈœÄU àv/ÇX½ÞuÎÍHz=[#ì3,:0¼ÊË}L5Šr:ø8Ý‚tõº<&ç5Š€äï8¶Y¾ûß÷ÄÙ¡Wü}_»ú§Gé|éFÓÔ3"r÷4Š—~Â;Y÷D`>}÷â¬øU÷Ð_î¶\@3®‘¼V¸(¥(Ë5(î{L_ïäè)2,žå-Þ"Oõœ—ÄÁ³óó.íø<‰ˆ TAùÈø™ÀÔ§’¾²›£õsq.WÚœJ¿'‰¦©É*ÄGòêX³‡¼<èVüq›l_V‡„/‚/={o,PŽ’~ÒÏOè¨=Í:ºbIÑc–¯Ç§«¯ W_(ÿV-ogóÐü:á…CæY¿ áVàûtesØ‹.:²šÜÏÞ‡Äl‚fÌ7'î“"Šî‘Vñ»~ÿèMçì»^¿OÃ~­Zq#°XËÈyMµ/ѽt2Ì®¤…±¹Ž"?)G½Ã>&æô¬³rtÚ=ìô_uÚ³^ 1ê¦ÿ›dRd:ÄÌœ|ó-<9x³žÕ©ÐÛš%³<–ÎÌ£Ó2ð•I\Q¤Eñ0GAÛ‡‡ýîñyç¬{rÖ?=á_{¸IÒ~ ±x*•{´EãmwœŸ÷Ûýç?žwúíó~çø€© •FH1d7" ’,…môŽÐ‡ý“ãÝ—^ó¤6È>”RqIö% œ%¼ÃË}zôÉQw¿ÿúxÿäð°³Þ~~ØAÕŠª>Š|ÙшîÕê:ÈÚ%Í€‚Æ6ÐÄ€5ÅyÉœ ÁÅI:®ŽoQžÑ:ëtiÖÏûGœ4â{¼úÚkÊÝ”§ÑèU¯§%yÏJÀz‘7ïÜþºÓ„†°,¢ÛǽîV·w‚K]¶c¸ÆùÖMœ¦40¤ñoÒ|NÒQðÝ—Ç'gþ‹³NGÇ“V0Ï€éB-‚VÉ*tÌ´s²˜óº–ˆkiݼjÓxô»Ï¹•篻‡Úˆxþ®„ïX Ô^Óñ@n*À›¤·â3”›„¹e%+œ“+g»ü䎳›dZäÃ;Hó&¢§òG¬R6*ׂ²gT½Z>ä§6DÙ¢[è—é *tqÉnµ¢¸ÃwNìðHÛ´g–SãÒœ@M›ÍqUÍÞQ ùùßIéIÅÁÅ&z=¦½!.jþ$sçi?é¼g‘¶Öÿ;*RfñûŸbü™_Õè‹ú·ÏÄÿïÄOãíøO_ÇÿøZäc¿?…íÂ{„ÿ!]›Ór‡]—ãN$/iyolÛ¨Ö4 muÃK\+ҩdž€¦gCß&’—5â6‹ÄÏrö§ÁGPû·:‹|Sýgݹ™JêãsEØÁ©u—¡Çy¤ð[‘DÜ\ŽÞ²xQÜ ýýr” ÞŽàÞá?Ù,ãBÿ^^÷Ç#»X«SýóFìwý ˲?L§ú§¸ª»(k¡¦röô¦ /òÇ{÷×ìmðk6wOÊ »e’Þöƒ7Ë/Qáj]È éχ»0Ïúƒ›51K£$ë_ó»é0€ëÁ—_¶öRêë Ü^›rÀs’Ã&û/ÒM-À-ýðͳü–VåðéÓËdØçW—‰œHŸ½|§{šzØ8Àä ûÖv[ŸîÔc¿œâR:]ˆ9³¡d@Æ7÷9I&‚éV|ä‡3£Ç hOTŸçlYÑ‘_›Ò ùµtâð>CŸü›ÜbçúÅçŽØý‹L2ŒiŠ¿´¯T;TsÄvÌ' Åœî÷†BÂ9Q—…jߟ¦¢}PASÕüø óüõË(ú°JEÒé¾pðì³4¥ŽÝßZó¼ öZÿoí¿r}ļ>¢_½>´/Ÿ‘H͆úøe¡2—7½ç»t"ªj€r”.i–×,ÖĹw„l@åÌÕó9ã$ÐÄy¶ ÂI•—}ª}aÉB“˜ðè Ü•NÄutØR§R–ð´s2ÖÉw°§ ‰ü—_Æ ¦8d.¶äEç²´ÝÅ•n :Ï.m‰ø&£7Ÿ nîÜK›×Èb9Œ'ìÏn²§DsÞ8·Ab-†žþrÑ–+ÍW7t ]ùôìòº`”R› „|¹/u“Q‘óßé¡#:ü^…æ{¸òž>¿ 7[Ãÿ‰ÌQù¸ ¾‰9q)_æë¢$#OB˜ƒQÿE!°õ‘6íChˆ+ ”ÕJ}9í JqE=,Zˆ©¸:Ëñ9;qbbÛñ'¤Ë!,ŸR·+—H×X–_-¯Äàn«Ð¿Ìçd_ÆK—Ãz¡:~>_WŒÔQ¼œ˜“¡»ã2åJC¸Þ5úÏ6ù †WÿXDý¾{…~¿ËŸ}êe¿¯…p³ Æ’ R5M@kxÇ)PŒ§©Ëpf¾Øe ýk“€–“×J ¦¦…³HPÖŸFÑ»­½eÐ'¬ N—r5· éàÜ:Õ=þõ ‘Â)¸*AM\÷ÔìÕé­¸’A4Km6fɱkÌåÈ»%½áfC(Ib.‚/ñšWFæ¼êé ò™?ÜrƒÓbœ7-2 vOc5¥>Ã[s¨üÑ5)§EÁ‘îÙ(çm06úQØÓo_SÉ•Ä×àl¢Kê 7Ǹ+8ÎHsãâÚªi¤Æ·[z ÍÛéþ“SÌW4p£|:$Å[-€èΊ֭I!è×d®®’J _Ò$¸(0ëdG”‰iiXr£¤x‡F0MšÅ^^L-i}Õ;7¸ûcœÞœd°rK*íesG ü¾ëÁèøÜb` `À™TYFáõ˜ {»oáµMo†XÏÝ1 ˆ%>ýMbU‰ÇÄÞ"¬ß  }QÉâéq)±X®hµK/˜h·²I±G12t°YB) Ê™€f#>«}wy-Ë--ú”Ö ¯Ø QôºpÓL¬!2xõ’ ¾þ¾¹™1}4~.ÏLáßOF{¾‡(Á÷Ô<a4@ó£ÞêO=}Ûà`㚪äÿïn?~ð[þÿçÁÿ=p$NK\×±±Wœjšœf|N¥IWÅN(…êw.sqRF«ùa?ĬÃòžáESI„Œ8UªòïhaÓ@`‹“ Ë®ôø)—Ô%h4Ί˔vX̓QØr%1¡!Ä)\Ÿ.¤v®mÈû¸ôšIΈГœÉ\7€Âs=¼lľ©àò ‡¦…/ß+IÊkkF¦-‡)ÑÚ,³ùEu˜½«€¿7h&k'#.«42UÖÄRtÓ[呯uš0:ï2UÑ)d5îMê×o°O¬l~õ¢Ao ‰á'²"²ÝìJßi¸_wpD –>°ÅXˆn9¾%ÂXL8Ƶ‚Ú¥[ @)6|&.ž –äÝý$—Âò¼¹F«*íË,•´w?¡Œzˆo±Ã““ÓþÉq¿ýüäìü¡¬®G%tj ‹­RbÓÊbW—M’'[£Lëá£î»&€¾äŒrFLfø:õä$E> ŽÈï0Ö Ù›­s>O7bmIùn>UênŒåÓè-4‰SÛ#ejÊ0X¨ó•´O—uКûN 9Ú”&Gû; ±¿…ŠH°•ù-z¼â‹µøßñJa`u³OÆà¢n ÐX6”t‹Ø^˜­*ú,×=“(˜Ê1¢ð ]F“IÉEIøÄ+„ŠÇ“‰Õ4ʉ<†#uÐB8}sf¢ê‡ýÓ×è™"hÊ8½If\{ íkº§Íô”Çr¬àÉm}Î8 ®?G©v¡HuKPø~'ÝjóckÞê¾é¥ŸŠo†Ÿ%“îpH/ƒG] ¶Ç<Þ~ÏÉν§Üx¦Àa‰>µ/Bœý,÷Êm%þÒÓÿ Á$”rfN›³ÎaÞYrÄ0blÑ+šýÔ²F¬°¥ô¡ƒïÕ¼ Zû´Õ!Y H^–,7O1×NPðóˆQð*‹:cµXº€CÊqFc$àøÀ=ƒ.¦‹xÃY— ÜAk %Rªñ;rxHº2Ý“”«È?‰é“±4#ezÌv0k®!|œ¼Sø$†¢ÄÁî¯ÌŠ*Æ·¹ÊK dÊuòR²Î ¥ÆÚì»§PGoY ¹ÌA®Šg<£ÝÀuÀ\f4Kl í1öù#ØJmå“ePœsa§ŠàMª&?Ö g¼ÌÇÓV]˜ ÎÿÖá óá^:1S^…+^}èzQ®àÊšv#’¤Ÿ_]õ¡¸_`Q-¡2/]åBÔüîvÎ…‰i*`ún‚ ˜óM:šòÓy@yuǰÀ2G7Ã`œx“O+žD3"žpÆ{Ô•ke@p è[Ó­¡1àNâ³²æô¼»ø+Ä£´î÷\HF5O*‹Q×È]Ùãøƒg×笕(C®|Î _£e§~ps"ªDã@p#,coÕ¿oØT­¸ŒÉ¤ÍSSHLñ*QàåSà éè2”ÝÞÖn=v°¨¼PÒ÷7â>rþó Øx-21æxè–ŸHíqC Lîn“;u¼óyÞ/³ë¾ö¹&MÜõþœ³$ðk=þ{)Ÿ@¿ÎI‰ç—|†mŠßjÓú×¥+õ!²Ê_‘ÂY³Äß<‹w`‘×&µF Z¯¦ ß‘ú‡Û°¹fªýQݳxíÎsí­x”Ýý,öÝ®\GÒn0½ÓKÓ†ëRù2õ­è ·*·ßýƒgîú‹‰†2@ O1×à€¬l"èjqí›Ýíïž×Kì3šå*LºâyÜ•’}c%üAçU ÖF¹@l\æ×ÀíÒóuƒTq ¾0”¦ŠD%KÓsÃbEÔ MQs¯¤{.Hõ|F@Ùá‚§%Ør«Õç z׃þüä+7%ÍB6žö ÉAWXÅo6'SÓZc>w<¢jÅ•¾ @Ï,{¤!Õ „Iâ¨Ò!È—AQMÓY] V(M ³eè* %ÐG º 7r%X:=ëŸ÷Ÿ¶÷¿ëv{çÀãª5öPDZ‹ïq™x6 ¶<• įC!Êf±Çöã‡.ò{͸«\‚†Åæ@V–òÎ3Áª1Çóáb „K V ×9½.oUÍNàWÈ/Sq/÷Cn’x•Þ2QÇ¿Àª¤Üñžç7ª¢Ó¯ H¬€Ó)ž´Ê¥‘ˆ6tç©<£¨jBr(À*`ßä’ÖÙ‚¡[á! ê8>tª ­ëy2ŒÛºkiÍù$`ñzf“ìˉi_K0óÙšŠ g;P³T*ÊT\Žë9L_@0#GyËÙ_„Ü›(3Ź˜s§ò ºî ,Ão¿úê÷ºxä]VÔí Gñ4)ÌÒç”I†Í/7GFÀœ˜]V2/Ì…'Îþîÿ‹Áy;p›¤C_(S+ÒŠÆ'°¿2¤-Ñ2¥f]&ïõõ÷Áð;d™ô*M¦ˆÙœpÎã¬8òšJ½xÁtºˆ‘¢Tv„ˆ_$ qVÈb’¯:sXóIâàÉÓÅÒw¸®UÄå„`KÛ/˜õ„u¥B= 2 °W]¯:§”O^ìS]:¤”«\Ì<Âlºš¾Žï uR¡.Øz+„ßL¼MôâMé0&H7¼A¹a (DRO é?wã)’.”(›k¸OkL·Lf)s«ëäð bñÂxnŠõ¬ +f›6AâýÁæœÝML2U:2x¿L ÊŠà1fº !L°W‰UG>â¤^¡ðÓ*$X:·ÁÌ•sœHRâ>h‰ÞqšWIlÀq¾aãÖHBýC`(„?¤ÒÕK†f4†«žÍZYüÀy=aª¤¥bä¸k ¾B„¼bïzÊÚ'MH4!üÄ3 „ÚÄl¨èÓ†UÏ­úX6ÄP(™rÑ®3¬/`Æ®ªI¹¨+`yðV¼Æ /õ¿ÈÃò+ õ$@Éãr³ )ɪníâÕóÃïzÝÿì\4œC ~ðb;{»‚r!ÈjtÖ>á=(}\ç]­"dF…Ò41" [už­†;²û]üe¼ÃNÌÝï"F{d4‚La(ŽF‚̹U—“”¥x‡Š½¨Ä;⬺œeéUd˜øêÆÂy"\®nçGi:]†—W1Í9f%È´. d„0š§àÜ1_¤Å¨ð{i­C?Š^ªà¬ e ¤íÆêPÚñð–©ï:Óþs茧çg½‹† co¢‹î½+£¯Æ™È+UÖî~ݱZ¶± ”h®K«DôÒÌ™ŽÛ†ÈYƒ ¯†X«U.'{‹ÈPt+U^pq0,h£8įeDYXhLJJ y\û3º&÷AH9Ÿ‘u!ˆœ@Œ§¦óYëFñÃØÒ6Rh³1òºoo„ù=–v`Ûq¶ÃÐ K°ýAÏ2Mv%æ@^2é%7Šc».`ëó&ˆ‡]á²ä’ÿ´ÉÊyÌšUËÝ®XXAˆ;óžAó‘Q8Ux*Â?õí‰$ÿN`Æù÷È*¥.Ÿ` EÞ*™A³”QJv+û°0<C¾5X6±O(â‘wUÓNaóP“›bð©ª/Z:ùe•Ú˜4i—SZÖÙü•–“S‚í,÷q ^d5Xe +Ð8çPUuI?¼Žk¹­+ŒïÅL=¸Ÿ´B?ª(À•Å©ÆÄ¥LcNe¡7˜!g/h»VŒfaOO‹t1Ì›²†ÔÊ œè G¦SÀÇ4U°])Û \h üʸ %¨iC±!¹ÞF`±~+î…#âxxÝØOÛ\}¥Î}Ú°È„%°#£ÌéÓ³"tu4DÛuèb¹úúKþiÎ3d¹¯zز‹eÉ1½ìI Å¢º¡pç«+Îi§a€GY,@‹ñ·;ÛÛß¹{HÍNö6¸¢ÉªGµ0í–Óþ¨…£çüÂyc­€¯½ypØ>{ÙÑz_£äYÇ0ÊIðcIç õZ¤Ï'¯œeˆ\°îès#öZ9úÙëì:am‰ 1´f26M³.“;çÙ7e™úõNmòÄÅNEÔ=zÀÅ•^bÆNG/ £ÜD‹Û’qh¾L¢BFÍ‚n:s!¨™p9S„¤ÌL"C'e´µ"LuáèNKË\0ÛºŸïHøóíŒuo5Kb1C°ë’9œ]ÖB»õ´Ÿ#UaÅ»Á+PœçÅ ¾ ¸²ž>ÌDÏ JTZRŽ„÷ЊàÞ¯gÂVž¹R¬!}#+Õðô…õ"ÌÜ(©OæÍ36Nèí*“œŠ„kxØYCUm¡b@›»ë€PûŠÎøÏmZM×Ò^KÊŒD/›Ïr®„¨8˜"éŽ|4ðŒB†±qq1'Ó T ÃÀŠ¡YbÈ›Øë¼ñ»L½3Al% ÖNôŽRzA@ý—¸œ¬ü)…Døö>6Š4úaV\/26<Íu÷ÃÉ™z~ç€- L›?_W§(”ÙgC÷vEþ«Ô_§kàBƒ ¼–pÅ#]Ó²Â,.,[®2fÄÑ ‰ewJu¤Ñâc8B–/%Sß>¡QïÄÝ>ö Є¥j|49Øöuà!êóØ‚ÖÒFÖBn+,1aìC }œ„ߤ‚HbhB'¤rä·˜£B¿É„%¹ŽkV$:åzV/4>g¯°òú”ݲÆàÚ,adXðsÖe]1¬õ‘XÝŽút⣳?·FqxÒ>è¿ö1iÈ5c{AÏýó™Sv»§¥‡ƒ#ºÓ7àÀãb¢Ó® p¨°xæÝ¬€Ÿ§átA@«›6Q¯òý“·e;’“µl_œ3a0"ìyçR9—T!(+v G°MêXÔ=ä=Ö=$OÒ3*ï#óÆ+Ù”+½Ðª[xxx§¥²@ÒëuÎλ'ǽ ÝJݪÒ-…OÕÉR …ìÊŠU$©C.΀dwÇ™è|ôÖeñ| 4$ÚPÒãÙS”Öe½‰­ZÀÐÐDJ¼]“å9¹/áÂÙ8¤ ªÓ>„éääµ·æM˜FʬDìé8‘ì5Ú7¶S÷ѺsyªS—°•°çMÔél°]d#H·øûtFv¯ žÒ[\>äÓOÂAç%¬S±@"ŸÌ"üUòð]Ì:›fyaÌNSfW]èV’ üuòPW†×0Ó•ÇŽ±:Ëâ9~.‰æ\<¸ÊBSei1Æ}ÕK~M0pæxF8ÊÆEV¬]ºf†éÁ¶‰©#Àè+ ºV :_GÛ«a1”¬@2H*ÃÈÚîRx[R±Á}+­ç³_âRú ÜRÅMß;Ñ.¼ûZ+Ä$—‡å$âyI‚ZT&öêôˆ·n†Bë„÷K¾TgÁT^¸ò² É øAbOY ñ‰Ð‰O¥ ÎlÙ–óOJ)­dNò‹˜ãE©¥B ZJ®IYÕø”ÓˆxíƒU&æÄÙØî4¤V¸2)èeè¢]1ÔØ3E¡º ]«ÔOÎè õx7àdvï“FÎKšoû‹n¾oYò/R›Ö/Ì}jcÏ/"räâæ²áí»t7’ Å´ƒ¬‰f@cÚʾ, 8|õšJ‡\%zÅ- zÀˆ\ñS4èIàNWqŽe–Í5á’¹Eü ˆ£‘‡5+ú²0ù•—Å Ó»r|èäFËKË›ñ6µ¶Ü¥Xº¤@·Ü4­üx‰\.ÊeŽH Ö²QXôßHŸ¸ÇŠ£rb¦ÌNi=`Äñ+ t¦ÞžÎ2V:¤k©kôæ©‹õ ËöÒcûÀ¹Y†]”LXÈëV¯ÈÚ†³Ubè“Ô–ÿÚ~œÁl†ìþòœýµ~áä:ôþ¯šu!0föùH¼z_<Îáb"­iÔAŸ‹Y fÐ’lÂîXžU„ëôÍä]+«Ä'Ýò]bÌ@*KÚJâÁßÝy¨ÞÞX½½“„wžGÉkÁ艩,•ªôKMAïêŽ}2ì gTà.©v¿0–ßÐðÖA¿T†Z÷ àùl˜æê¬fÊ/HC.O½ŒÌg›ŽT±d‰kèŽ|õÓŸ.˜jXá:œ¥Y—U Ñ„[bÜBw¾ƒPë&+ðˆÄÅE£ ·ôyYÉvo½Â*£€áv’’gPäŸH?¤6aZbÕ²l«¶¨_˜6A0Â[2w›ƒY–DÑ˪ĵâ3ͰҞçWåà=Áµ¢NFÞBð4ºšç4 rOƒÞYÚ5Êõ[yá0)† !äõA&% ;éäzî¢ù:þZÜ®¥Í~ ¤€Pæ€3øp }äý80HbV§—MöG|µJ•X¡;™×P•K[. k—Œð ’®š’ Sò|ø…¹R¢•çK«D,}Ù˜gÈ´ã†ó³«êöÃë]‘)‚Ûµ~ešÎ`¯ôëTâõ# "öPoðèDp98•Mܤˆ‹ÚÌô¸ƒ$[±žøà½JY!Ñ‚~Ç­z)7ì´ÙåÕ‘ ô9.Á4K´£%šßÇ"{g[Ay‚Ø7ߤ®šjз<1‰‘uÆæNzÿþý…·xÁ+ÿÓ8Ìrç$P=Íz…Û\6Š—Y™bx¸´¼ÿ—ˆÙþwð¿qÅ¿´ôûê¿wï<|XåÛ~øÿÛgªÿ~í\ËõߤÂÂÜ=àŒCÔa­ÎŽSÙè£I«ê]šYÎi×ZHĬ̀¯01¼\‚'‘wõ<˜,e–^D5Ÿpº"ËCŽ1ŽÔ‚ò;½¯uÉ#+' ˜8Pzî²PG±òʆÈ9u¢ë±Ów%lJ ј^ 1‚ãIÃ’r“Åb¨¦Ÿ{–@P3 н0Q-œ­Ó¶".S„­w.> 竰軺ï¢P]æãJÊ«ˆ}_TŽw+r>ýfà4bûÒCY蔄†’y)L‘Q©k-LäÝ[ñ§ÙZüM¯KTTZP<霮” v'åj—l¸ ï døóÒ'¹Tª$W1aÅ…áÃ’¹9i¢ô=Žþ  U¨‰š§6y U‹8ä»l®3"Y6ZjQX®ÃXü2ð¬iBAÔf5iÒL&NVeô[ÞÖ6ÁD!|¢¤Tì}àòÙ‡­=˜ÜEÅ㬚Kò8,5Ãtæ&s@f1[LšìE½¼3œFÕ]ª€šq–6—U|(éìE÷ø ØiwáqºU›vþ¬%)Uo wÉÖÑÙáÃÎ,¦ê}<ä5çæÕ7$Ë,ZæÈÄcËÁQ4vÊ)¨nN4GÃ5ƒ—.X¦IÚe´ jì…U­¤–r–%ƒíVõÍëŒqjX2O'e…“»°8l]Ét‹±²–+×—ƒ†.‘Êja§{)pM¸ÃÏhKª¾¹ŽOÖ:DYÐQ…qGçjŸ‹gJe¬!’]%êã6'#älA2~Ÿj«+Ç}¯·IÃåÇäÞv­±×0ô)± /À÷lqs²’pëÅq ³èa»ó„ׯøŒõJК’±M7Y=.¼{!—µRT;”B%ÜY­²ªcFJi^lø í7®: –÷¢>F]``U[ŒA“,}ß§yº0þÅÀý¦•{’tÁ¡4ñ‡ˆ7ø& cÑȲP³ Tˆå‰Ác»âµ˜“uÇ>Ž?¸³Å¿Yr ¤lPâñ¢Û>°ÂÉ>HC|‹ž`âE„¿”©ëONž ®êàlKá²Fk$ëKUqyrvÍ Ë¼³#Á×68RÖØnH|ŘI2¦°1OO%©ŸÎ8?§# æxTjœQW$ë:Ô‘ÉRº‰×C@‘3Zt˜”¢›ðÙ\DÞQß2¯‘#ÍPŸºávŽÊŽGs³‘=Œ’²çÑ«|j•†Ÿ_-õÌ‚± 0HÜŠŽ 7ƒU§g¡F|¶<7Y!EŒR ÛoÄÝYöž‡³!§^ó ×þ¾ÓßgWíîqCà7¶~xòˆ …paz"a¥ÊË­…H6:‡_¼'Xx欶×ÃÖ %EVø,Сղ•¶4š`1ý®¸_æ$ÿÙ[(yÅš®{™ÊUºžøUy[dRÍæ✡מÄÁ¾“9½ÀDôUï¨j:š$í܆~°óC0~¾×pLÈ.Ì„•°jV 6²Ið{VÎ~>'ém@«Uµ.Å—\2S Pñ‰ÔÉU:í²¶ƒŸ0†*{«»î5„.t¡›ð” s?Ç=|ŽËç#­/xÙŠbªÃ†‹•ƒWí„­&ÚˆiQÊò´8–º`‚ÐÈÖ |{iâ XT•2Tzƒtûý“íGë«í¸tøé {ö¬u5ÙYL—œs=GáÜùÏ'~ó¹…PÙŸáS¢[œ";³ønzè¨j²8 ò–1NDÒDôL2ó¬7¯òqFKôi}rÀ™Ž‰4‰335‹OëííÛWéºÁëø÷…0(™ÇÙ*žË8¾wïtÿÞ½gÒüöƒ¯v¶©+Lj;qƒQ•%4EŸÔáôêÑîÎÕàÉ'vXüâŸÒi²_‹§ñƒ¸¶ýþÉÚÝííG᯽íÛõ½èƒöÁþÚÝAK;Ôns÷Ñ“{¶wvñIçý<ø„æ=ˆ\Ù„ ñÅf|'kEŒÃÜ 5?­›†÷B‘M^×(´,…ÖÛk† §+ØbµÐx¢rÈ‹ÞzÁYﮘ "Þ)æ-—Ò‘@9R´ƒz# Ìpo(È„*ˆÒÚN³áŠ'³È”25Ö}Fwjϲw%Š+‰Kb?ì›Îi‚u_ÇÂ[O¼Œ’³$¬oÛfFÚá:žÎFp$zLA+ÓZ`{Š oA²ª;®8^n¸¶eè.æy>*¶Ð7¸‚ŠVA'¬˜ìì ²ifŠT>­-ÒdhU £È¸P¬,œ”Ñ£ÖN5´5g[@Ö›ŠXn‚O5¯Â’E \V³T­¹8.!ÔeC‰Ès_ö”ËYi"³)m¢‰ôآ劭²/Jѹ½(­y(ø³ÇY7½ Ù†Æ£Š‡Š+(œ‰ÔÂÖ ʇÓqpµ‡ù/ú wVn’²Z£Ô§ï§ïÓÁb.©ÀíSwÔõ5R@ì±êÆ¿¬ýv×V?^B¿c§E°®³‡G=.Æ].-0ƒÏ,öx"aj0¯]l²]ÈŸ 7VYá±#6ekQ̶.¡<ŵ.׋ÛjåîŠj:…åË—ž®g±CzÆãþHºiX˜<ð Ÿmì2Âm$¡Z ^é¯$ádµk`„`DÞˆç³ ‡ e• À$…CW¹?œ7è"“Iß{W J1®5y‚C lb~z—¬ö›qΕL÷p{岕çýÒúÅyw?¾ððüͦ¤$<“k›MÁ€m^š2–î“Y* 7•¬¤ÙTÆD]SÅ…µŽä•ÒÖÁ Ñ<ÞH~n¸øýûä Q³µ £Ã&•@¬@=sì<Ë]1ïkv—È+/UÞ˜ÀvTYæ2Ù+Æ€l¦;:fÈÑ+HZ55颫A‹UÃ}x®&$×?»àq¾®8þw=h¹+D«œ $ceL.¼ZB¤6\,Å©½óöy‡½Ò.ÌÆ+r{¸1˜šâ_d Ú-…Š+ã—rCWÉy÷8&|š=™²²¥¹P·dRÑÉ@'…:cgê-à-½Åû‹dݳ#C¬ƒ R•4÷ÐyÍ-c;!\\,,hEÒ«ÕÍO‰‚¹ÕsBæ«ù1”âìä-&FÊ Æ€•ˆ§ZjMëp¥ãK$90Ög±Jƈ;S90Ã)"@Ã=+êA œw˜y”Å(¢œÁöe¥æ+¾±&ѱ7›70liÀÃR2M,öjCWÛÕëC*­ŠšÇy?q>kW&7ŸxªFI&¨° “¿¥[üŸÿ¡˜ÉHäÏ–ÿ±½»ûøq5ÿãáoùŸç'Ú?j×1‚!ŠÅiȶ@Yxöv›¬CHpÝ<‰âœ‘"³}`y’”áYÓeÔçISqæ`ÙˆóKøÕé—&¤­Ç vÌÕ¤ð3+)R陋Þ#8d^;Í€•ؾÇé]¶$øÅ¾/=̃óÚЦAUĽVJZéëñÏóÙ/~äXµãø¨÷c¯üA6yù¦ôÉ17~òzBViøA+þ>ãÚæÞ|1Ìò2Ï åï­øìñªÏâÖqç>“½ß>Á×~šàGV|ý¾~²ö wß›dN£¿Á›FQ$äŧg'û^¯Ê·œNÊâ&®ñ?­|v]Ç—ðÒz55ÄlàËÈnÂøýiûüÕïq=ôiÈU)\Kò¹o¦ü6—í$ü‡¢4_²&†³´¡ oµ¹æËxcÕh1‘½…»¡¤&â÷a `‘É"ͱújT;¬±U:žè•þÝÝͤ±#GU^ˆâ8gμ?"­Xœ?w.µß\ŸÁ•+Þtü–ç¢æúöÃêÜÉVë#EÝãÓ×ç&MÎ-?›L¥ÜCÚH´€‡÷Ý!Y{EkþÞH¦èr®WpÐât†•9 Ò­¬”ß4ŠíùOËxœLþ[ŽÆäî>Þ­æn?ÞÞùíüÿ?­óWñóƒ7/÷ã½xcçaÜ&ƒ~w{çÉFÔ꽊ÛGÈåq4âjù@ÃózTeþ]\ý š]/‘š¦¾ñvÏëñ’—Ÿ·òŠjüsÓå±ZèÄ#Øîü~½ON{Ý^@‰|Í,È­ËY¤Ó®5ŦVÈew‰á-+Äõ|~y?…ƒÁÚjÓh0`ž÷戊Öá)÷ñ ÓÛ?랢¸;ju´Ux&ä<ž3W§£Åu3›„ï©Dsº:™ ã , W‹¿S[~ª#±ƒç Pð*.8#ñì3]²YT:6B&ÍäÖ|„Øiu:”°–Ó |œiáGƒ … ?ôlŸOæ œB`…®²®Ðr»*ÛŠæhÔ‚/ƒÎtK¯ìlÕLAcܶ‡@' › ë8xà^úlè1q¬„ A9T±ê„Þ±ægPä#犪©¦ŽAÓ £œÍª4¹Ü!K2˜?Ÿ6„]*ïÛ®(²  ¤uÛÕ¢Z)±Òö»Bë¦è¢Ñ9’éÖxÏt5߈”$ÐaÇ5˜ÒÜ‘žynsÕÄVä z§n5·»Oa]*Ðfirèƒ/§e+ZBÍàóÞe %‘Éq„Ï=½DQ7¾´;ŸµŒá#í2ͤ§jBÐÒ•‚ÅäR³€Â7\QÄŽù{=q INH1Š›L^5ÚóòÚgà_™/z½Qˆ¡<­Ò zŠDj¹˜áM´#þû‰ä UBcž‚Á',0ë NÔHá„Yf(,âº._WÏ¡–÷­é9ËöJ1}PD YWæŸlÔÃN% )ðYX´xqEC3´±1Z‰]únô ’… Í, ¹B2=-J¸oÍ  \“Õc>R™på ›gÎãî’}6>!÷bð2•Qx É`­®Kq!Mq™x (2=eî$¸ÿïÊ”µÙ¸$@Ó!e‹îH¸´ââ¦sSÃyR!~UƒŽ. Êù4T“x­þUÜ&îl]uDKè·ÌÊ|J%’C™F>Wp¢K¨­ø”@ƒ‰àjÝLµècšm¬ÛO!c£ºÞÙym4.eV˜µ\0®øÖ¼ŠiI‰x¸³Ë°Á…«òOæÏAz—Û‡V‰Àý_±'ݰ¿•s•3hWÈEPK8¢¯N‚PFI¤g‚ô(•å_×—¢âż]–eV(I%=|Ž× ¢Þ^(г,¹kÕEUð0–ad|%ûrãL¨jj[6ñgÕy³]ÇàÔ$„²Þ¹¥:ç lͰ’Ñd45ŽæiJ…•v˦ÿXÅ1E…ó‘GihŸó5°ðZ˜-¦ª}$ÊòÖpüÕ²ÂfÙ5„YéöÌJ|¸.ËK¢ReRQâf<V&›‰UeK£<™¢SV%ÁZÅ8¯;&7Gµ¦ãHº óÿ¶G43=misÞ§ìÝ’íäjƪ+SºËâZ`¹¸L:X “_ÿç!sñÖïl]‹ Ÿ!ÏíwÏ£@1÷kɬBx1ªëd¢ qÔ2·_9·áFî.×J•шñÅ€Z øY‘-l‘y—Kãrq}ªCK¯5à†4  Oaê¿ã*P]À¦ ŒtÙ/ÙL³pøxd ªVÉ ‰À‡”ý°w5™fÀ’¥sÁËE*…S¬7wžÕ ¥·¡ ÐurXbêæºF•5Àí[Ÿ› ™4~–«<™F6C1B$•ãùÌEU%£³%)p®ëÚï†Ôç1‹oŠÔN.±r:å4äM©ZÐIɱJf_…¸tLXœØìÐ3U¦(‘.êeŸ‡’wà5¿ Ál&ì˜'ˆ¼y˜mÝ_øS"rb~\YUG˜THÿåÔ«#¨HÊÜ£aÌqJG—û'ÉPðþÒ€~¦ BP ,P9jI1O0Ä‚¿é_YÍÒŠT*g†8ÚýßY *te³\¹Dsxu·)õ˜TDpDÖÙY iA$¢ë1#—\ÜÒj%]Íkí寙1sK×TÚåŽ*bSF`)ÜdûÙ<8½N'nöN6øpÐ9#"ÔüÞKiÞ±Ô²Š|H5ÆóÐ’öº3 ” .q‘BbHæ)[ P(Îða¾=Ç\L¬îN²Ûô’ñî¡)ßÌçÓ§[[···­›K°x·0î[׃-ÆØÁ×}M3¼¸lQc[Ù;í[—Ã[º¦.ÂôßøUK$ÆQ+ðF¼Q©?W;žëëÉ W%€zÜñ h£—_ÍoñЧ Ðÿ!îžßÄ ÝhÐ^¢£«€v¾zò„Vm°'Û›Ov·ý‰­.¾½:ä3oI?í×ç¯N΢Wɤhþ±ó 6Jÿü{2s̪…$’¢ÏÂ¥ ðØ>ÅŠ¸¦äÖÚjÏïmÁ•ᣴÞŽ&…«öèööˆú%¬éZ©"‰QH뾣lH=|›ýª¨Èªø!óüÿ»<Ø©øÿ÷¶÷üæÿÿ?«ífA _„qnUâ”d]Òþkpi_Ã9)fçaŸ„Wà#SþºíÃþ«Nû´¦™gß°‰ömÜ„·•µ­•}"Ä!²ý¦ð†-¦+3õÃ=äTñæÇêÉÔ˜©ŠYñÑV,~h ¡œ% öòY\Û|»Ùˆ76¡]o¾Ü¬¼5Tݾ—a8jÿÐ=z}´rŽ’÷Ùx1®âgc< s²/åc+u5|p)›¶/Õk+XÂMëw£èÈ€Y*^Ḛ̀Ëœö }!oe;šÝË6Rb®=X¹S„Òr%¼ ,ÿ(`œè¶üB2û'‡‡À+h;È‚o&¾'ÔÅ™• ¦„„ åCòwUëbÎÿº%¥9Y?+[wè&x5plŸµ÷;=}'7½ezŠÁÔäÐ )¥²Â34ËiGHþ÷•€.ÿp‚ÎË}$üyG—¸® Ï÷ve e"0ó­Þ²$wîè’ àCã$ÌZ+øªÊˆ †à!«{õúu±–§7©ð»*-ã› ŸÏʦ„Gëë˜ ëɆE¾”·Âe¡ìr’Â%)Ä›+›ä-[—W/æ*%r£}ppÖéõh%œÒTK zIïp€í»…³v ¡º-áVåûC5°°nâgŸ¸CF¿HX‘O³;Y²§•œ`]{S¦T@nžC­ÒwNR—â ›Þu4e­iÌU¿`0Ž‘kh ^FávˈTt<:®ÞòYc‡NÅÕ×ËgË£áB8fÄŸ)Þxu™‹H64V¥µââ¥æ8°¥úYs¸{dÎwξozðëèC—é8eÆL‘š| …HW}ß–ú$hèÁ»4D#Éqn‘aäãןHaìª%4÷˜ _¦“ìzÒpÈÀž*|ýúa‹Æ ¶o ’ŸÃ±ÆþXæ_oÔu_³K¬‚¢\¾ÊúóxÇ4¬9Ý®WM›è,´ŽšÚ%­„vª{ÛVÆ­TŸ\<˜íö—Ç'gþËý?Òd¾8¡Iì:s¦N `‘‹„н©£)MŒ‘õ—©EÁ–^¸“%H,ZÙZ­º„ÆÜ˜sRüŽð¼[R•öùL¢QBóÁómí‰È f˜}u[ÎSJ†+„!“c4þ6ü¸ [Ó'®`sX—eê=y36„•1¡«]írV®…’ÈšÙ«N÷å«s·UÇÉû±ZàL¡ZLYEÞ¼JsT.¶lƒ[x§v§N÷˜H¢¬nG·‘âj‡HÔÀÑ49$¶7lýH®T±nTyŸ_eïÃ]¾†)T˜M'£5+90çÝ^—4IÞñÚD´¾%£àY͆›)ú·ÎÉÌÖêfºsG]]°î"9›bQÑ)%S1¸b.1~wÇ«qL2¸ƒëLÙïnù¾BÎíhä«À?Ë&DŒ%Y”/ÏÚ§¯Öm{1€DŒª'½ÁüqtØxŽÁHöx^Éõ Íÿ~¸]—°q‹F|zrzˆÒ‡ÕmÔ€ÉtDÿã \3ª·náæ­W§‡MüÒÜ}¸Óº™GuÙ‹gó³û=»íC¸bãÔ‚ÚD+' 'ŽäÅZy¡µÌHstBø´Ô$2ýNC ¹¾fÞO&/‡zÒ{±×Îg‹GêêN“\&ðŒÝ !ëJ«þÝ¿qFÂÕ•ˆ'à7â¤f½é6Ý|—ºd ÖàÒÉš¶Ôë%¬’ìšà ‡3WàekF «q˜W¸€‹ ÒÜQr-¾O–Sp$4ÇdXÌÓõ{¶)‡Î…í õ'éÆ0×|°é lÈd¿îÑÉÚ9sÖ=ï¼iŸï¿ª¨ÊG¤mžÃâÿþà9OäË7oäwp2£NO×ÿšµ(¥}2Çe3HK†òyyéõÝ*5‡hÈʇa3Ò½ 9Œíµˆ§u2‰Ô®gÛ"»_¦ó7K£xì¦V·P$ ·Ú•¦_ dZ´ÎÏoiÒ¡šn‚D?^¸…{½5žz._ƒŠ‚´¨Rg›Œb¼fiÚ0ÖtšêjÁëlÖz⺽öóéTûg£Îñ9iÒN³²…È…`éèb cídz¯îÇëJÓ¹á\ÝŒáª/T¹Å"Ë–ûÇûHý `ˆ…ÀK¹2HÛH™¬²þ®„Gè@w\U6/o1içO@˜œÁˆcL´à§<˜ãcinÔ5٠ž ¾ ßXwÈL`iâIÉxÅÜ¥‚¡¬¬Êó°Òrç¸ÉK9!¼–³t%Âøu;@öâ8"åµ Keî,ÈÎ~n‹ëiË |bq¯t•Õ,‡•ˤb.]SÒªåX!蜭ˆ<úÅL“p#t`{ ¼Eÿ sØþ‘¥CøBC”ò°°¦µ©$åÐáºXú×Ä`H6*­—ËWÆœç8ïºVª´yÕŒ^µý97ë['$ÈÑ ¢ uXÆ“ÓÚ;tåA_Œ†î¹[˜pVLÒ•]õÝ“³þé ÿÚ«¬:àú¬-fù¬ïcžDS¿úPLÛªzPjp-9­jŸÓ¦.%z,oUE„›ÀѤõwÏ:œU¥òÓd']@ƒØ‡è›¥}Ö¨½G$ÖKÓõG¿ùŒÝÌO&-ÍŸÔ´}îáŸ!Ì £Î”^FÒôtž.>3Ep @[ø³ÒU¦?7p‰ëÇPG£Z;Rx–I Ø¿?ºt¸¬µJ™‰.ŠQIÖ‚+!þA„¢[3R}%7-·V*ó•€R® Ûa¦~¢+É‘füÒ¹2.Ÿêmt`,LÂA6³”ܤïžÇŒãÊEzÿ×#Œ¬ÄÿÊgÃâóá=Ø{°[Åÿz´½ý[þïçøÙϧwŒà×õx端öšôàíý!åïãý|†0˜ ]pHñå(ã¤篺½ø¨C£}Óï§g'ßw:q»G6â7ÝóWqûyïäðõyçðÇøø$~Ó>;kŸÿw~8EòJç "Ž{tzØíàIÇ?Æ$ÎÑZû<þñäõY|òæ8>ëö¾£'žâÄ+ „ ª:Lº…‘ÚÂàa;½shøP=´\ÿ.ž.èµ]®ò“šR©²c³„\’‚1®§Ê§’*ƒ‹ ¾—;ŸûÏgaî«9RõÎ0œúP˜1¤·è; Vú]x>H­Aäž2¸ˆ¸4]^…H/¿U2‚]q¹øÜV1ma$ð"“‹•AÏQ%³4|[é<~¼]&@S"ºkf‹ >¶†ik ]å<—!Yæ1}®VnG£…„D]Zù8¯Õj·­Fž ִ⓳™]¡#m1djZñ¥oi7áÞøl˜x|;Ó ôÍq>‚ȈÌÜl£—¬ ZY‡@ÚþRÞå|¦)¸c­KCµ'ÜL sŒ“É"mØNÉ/UÞ†@BÙÜíNG+PJ¸ûóÙŸy‘Ñ/§$k4y1+˜U,JFš€C‹‚4fIÚphè èÎïÏ“K·4Ù­H«é6Z°Gá†$'©R÷6ºæ’Æ“¸f›$Ø”ÚØp†.Ç|Zu0ã]:dn™ä†dÌlp™¯ Ðåhòêõ À¿‹B€˜“³ƒþùW%,Žý@ʲØwü†šõvÏÊÀü¤“¦Íj~Ìvä5 \æW–t]Î`üçËDÙV¬vŠ’ÛÓ}â•àû‘ q Å1kœ&ÅÜRÖ<Ng“yk€$ôˆÏp ¿HÎ¥”lU(•ß0þ~­þOËá6›|.ýçÁÃÝ%üßÇ~Óÿ?ËÏÏõÖQ28éý÷´ì¹h‚'={¦ôGEüì)3ƼªÂ›¡y¥Nn1Ï!QâÄ’q™ÃE†Q/ð¢ ÐqqB£@÷¾€ [ A‚·À”f+J ®óˆÃŸ¶t†7ÏO2Üdp22pI¾ý‡í—½§Q$¿<ÛhâR’±ü–í=y¤¿¾ò¨ÿèÁFÜÚ IŒOÀ÷£iýˆx¬ºÆ@,iFÁ¨q$›×êñÑëÞ¹”ˆ1ùB0ØZ û" ­„\ŽB EQ ã(úнä ì˜ñán’Œ³Žp–Z+†b¢ñÇ¡œÜZ}âߟ‘ X­6£piÑðn¤–Ô«yŒ=Í[SÕËPõ¢è ’?x’T±YMAl6Å–¡çd—âj¤{‹Åîo<Àª#7îzº)ƒd&9’‘p ‘!ƒb üXoĈÙÌS©Ñ+Áh…$–\c‹Ø`h\¿hµ9˜É TþoD°x³Øßˆ j|××Ûí]þîïÿ:þ­W¥>™û³YR–*·¶ò†‘`¾\3º #ñ¶b¹‚-|!Éü7Ç.œÂ µ<ýÊc”káz@ûF}7ó ?-n,8ñ%ýoÐÊ£¥ÎêêÍוtAÉ>—‡Ç*,Ãíƒm³b®%«ü©öñzâkÞLª{=5eåIÀwYž\ Ößprè m[‹éÎ݈Jõl“’ èœ)+ï~W9L?ÅbŠV Y  Y”±[”ùª³Ç†tD×õVüœ±a= ¯@J3+žçk#î.÷“ldš¸«QòöŽÃ+|ž0ñE‘‚øŠ´=Μ;«‡|<à#Í“S§ƒï˜Šx¹¸|)†Ðº„ÒHì.«#áàx~íL=5²2*à C X´‚ÄKâ–éÊ1ªFD· y·˜í0×Ñ;¶l+D Xåóy$³4ÔSMJˆšÎéc±F޶Ëý}¹£Æ«ŸtmzJµ•ê±fòû`ù³¢ŠŸª&½×tÉ2F‘®k¹£,,êœge"ÄÚO“ç½+¬ˆ¾Nx‰. Ä]µøQë}\ÓÆv¶[»uKþ˜¥AÈÃXSÏ^0 3ŒÈ”°†êRÐÚ jï&ÁQg‚ÚzÚIvr ýˆ‰go‡A¦* Ej/Jí¸Å¾žóƒ(7jŠªu.\ØjéÙ¹‘~$€bŠwe‰\2׿4öå¤ /Š›#i¯ðÔV•j.d³”óÏÝÚy+©ÜJÆ9L5®Ðñüä¼ÕÁl;Úíaª+hʯ"iÆøŠÚ‘@³Õaf&'ú¸ºÏß·-#pÃÂUáçÜ*´<5ïQòœ8Òíêòô(°ýè—n¤†ï³À#ç·îÞ$E¤ Í@\ ‘ÑãÓº©0oé(OG6ið¼ètÆAq8ß"¯°ÌìÔåfGŽ£Qpׂ;2ie”ÌᳬºÛ Ô…d%×%›EÂØ×²ÕÁÛæm2bÙ´JÏ®¼,cþ)"èàmÄéDôf/…ÄÒ:ÊhlaºšCÔ²Ué$=; #yÚ_œ+"Öù,Xºó¯õx€«"እÈÚ»MáC¿ägI7¿òÚïN\£×R_D½ÎÙßÜ&^ï9=ÝçÁlž4ÛÏ»"¥@k®ï#.ð4Ž„Ì•.W\„%®ë’¯Õ}&}ŽM68‘ð/÷÷›.Oc¿íùe#`Gz«æ¾èkÁ_~É ”‰± š ý1y—DyÑœôñ»ÎÄbR Þ¡*¼¤ü†S*ðYÌ!-¤wÂèK›–Ù¡d«2l1 › ¾èšÆð"½2–7ëY¯p€Š« ¢ 6óÅD O=· §ˆS'™®"óY‚”KÏÌaEǺ"EÓ‡²"¶øÕ¦r4dì†`Ü•Š-d}Áøá8þy°þ+â—¥ž²Yø;Ål’§£Ÿ É„„/s¥Ñ#Ú“!É¡¸7'»dé|œÌ6 -È úzÁóô:5¢?¦WW çÿ7VÕ=‰Ïò‚Î…¹%m) x6sü9XÛz˜ŸôâÅ‘:Ô|N{! È9+I{Á¦-”€³€)5ì‚nA…H}A¶I¢ÕOX”޲^,Œ–ªbÊp …hV3™J`ëQTó ጋ̈&½Å¼nõÔù%«¢+tGlj^âM*–ï]Cá\ Û ‘èÃ=›£N2z‘^Æ»Î;îÜÕ'®Çõ1×@i~iH‹ ãl‹Ó_!Ó ÂgÓ«Ã,4É'7“ˆÓ“Qå½ íQñÙpâ J¦zyÉSË´2rÖÂXÀÈ?¦^²Ï ¨ˤ‹¤l¢Î9Étê@Å*ï¬ÀÚ»8ý …¹îlK¨ý;ÛÛ¿w(VôÍζNX¨Ó°á$y:ÃxÝèáô•%-‘Í÷’}Jèâÿ3D†ÿÑñ?:Áh2ŠÝÏ”ÿ÷øÁî£Jüo—þý-þ÷¹ð?—Œ®B Š×ÕK²¦¡îˆÛ¨' ,ññz—±ÃäAùs–2 ˆïB•52X Ívw8ÑŒceæïΦt¦°Z¬¨ •ЧZ# øègˆaðÝ­›ºešžq`Qʵ[Ä¥{à”£4¬*t”,%JøÈ ¸fÔ’Ël.RæSÀº£×’)Á1AÎ81s·Q±YÜXK:Mae$6²ÅåLÀ(4iе9”%aôóJÉ®A*Í%B •þZoh©.Šé”<~ŸpÈÃ|±Œ®ôÅ¡.CÓ£‘bИëk)y–DÖ§ñÆb<& 2=O™FìÄBW¨×B¦“žS«Ë\ò¯buÜZ .±ñ i+ЏŽî¼»ßªìU´ÜÖ†.§W0å%Íÿ\j¯&…°×¦ º5K#SLÐü$¯ÐY%âTbܽ.>—Øf ä°^€T*HÝâmë6ÝmÄÕÅrëâ"²‚#6«Ç¨¥*¡xÖ c]¤@~nÿ s¥íÓªGÆIo¡~`WÍ ,Ð2¿¼FÅ07̓³ÎA÷ {T±[-‹¾EÏ]@—=[š3…òórriö=<èvŸŸµÏ~ìƒ"Öø,9z¶±µ(f[ìvÜ¢Iܨ‹óKž×Æ×»@Kº'”zá~AgekGê£-] Î^}€Ð̺¬i~‚“ÃöY·«Â÷{œm!­Ã瘚5Ê`î '„ý./átd“ÈõÀås­ûÕ0j ­y{E4b«ƒ²Jqî ß 8®‹0”o.yï*ûÑ™f1¿¥îİWûÌLrg¡µÊñ·2þ –mé}©7§•ê[7&‘‰Ã c êå~üîqkÏDõÀiÛVa'Ù‰´n.ïâUéVîÛÄuŠhZj—¸,k‹!ÿ/SŸ¡M”ÀÅf+áŒFdÿ%‡·Äþ‚¾JTÀ¶MïÏ­[mÒUÀÃäPä ™t¼çoÈC¸ ìN-Œ)§#©Y”¹@?IƒRä9_§|!!¥™ß`vðˆv°ú¤z)ù¯‘ü¯TÑL£_öx£E´aŠ»-&“xÒÃÖ6½üô&yØÐ‘òÅ¥^~5"uïA±’ðâäL%J·Ó hS˜Ò<ËæûFàYq ¼š°˜0nmb`ž×³üv~ãu9.%¯õýiÐЭ!½š` ÚÍmÊKq°`Å]•6ÓB=ÔÄOy„C-G‡jü@°ˆžWÕZÂü"Kwx»+£åbÙ|¥iè¯ Ho„l{ .Wè‹@¸LÒœ™ùÚ¿ïùN:Ö†tÊ`—¹˜‹–CX¸öyÐKb¶—óÉ_,ðÅß%qDR¿·˜Õ(Œâ¢`Õz×5sBÑ©6Ê“nnóyG\€!v´pyqd¹T+T358JS‰Vbþü¡#§aA5Œ~7öîÊjϲó"ª<3fprAÄ%ïÀÈø°í$Ù7È´Sd3È‹­É›ÑÀ8çu›Ãâz”_’ð ,³hűc‰““ªm6CÏ‹åUì].üås„-ç¢Õ|ž´¸çRajÐ\´;“@4\ҜމÍήT›=‰TðúŠÓ 0}ë†8®âoŸoŸ¢8*G ¤½|"Mš4Ì×ôÚŒî;s8,QÉ3Á8ÀÆÇ$÷³ ýøµù¶Ó™n´EàÍZ ß3‹oÞbŽß,u&HoÏsG#c£-eïÃf. \b\RÅÍó‘ÄD±¥yâuuç4ùmïÿ· Û Ùçnñ’ÍÜ’ÔfˆÔÝÇLeªjSÄÔ„ãT\ƒ,‡d`FJ,Q@ccõ£1õ€zRpvONœ „ú:¢RðGÔ0œí¤Éã˜=çÿYþ÷ôö3åï>ÞÛ®ò¿ï>Ø~ü›ÿçsüÜ‹÷·pÆumâ#¦× Ë+$m„¶¢³EV*™¬yR¬Ôq=Ø,ùHVrò Ñ2.B±×$·œã‹ekÐO7‡È­ºˆÍ¯æŠÊºÐ!éŒW®IÑl6„Â>¿ "C"Ђ?Ó1ƒ[" aµ>ا‹Jüt–6VᢒâN{'Ãd:rM–nhV†Dɇˆ0åS²|é“<Ñ‚†>óÀ3´]Ò}·-$Óõ¦Ã«vœ\C,:èrç=7Ev#SíÎ"G-WÉÇæ™m)ô° ™.0‚l·þž4ŠüKXs®Ü³L5¼ÿIDÙ]ÇT–|ŽÍNP/Ä8o×=ÑH"øÅ# !d„!,Ewâu|OóÈÊòÕë‡ËÞfZ®äÀ{PXÅðü®‹Ñ(x›¬p=`[#us!<)4cšÌ¦“léázQ ñY$Ð_Ùþì+¼ÄÍE#§S—3(Ê<Ã׫sþ®#¶-3™ˆ¦Q¡ÔáÕéc}ÐÉÙkÅ¥ÔáÆ¿‡V&ó%ær.¼óà˜/ÎÅ“i÷Ùk.Ye“˜F6R¾qZÀAî6û¾ ïJ«~à¡>&㘉¶—zý MWŸOé„FëfÉ¼Í ×ár—nuð*åXp•ó4pjøÀ—ÒB„2ˆ&t”dà–¥Á[¸V5“N)îÖµWénùžDs²0Ô*¯d·Ôp£ÿ¾ËÒ[É` 'hmIÁ޼>3¿¤)äãä 54KËXf+¤å èÅ ÎÝ¿Ïe÷㠆ˇT½¨¡Ìº?ûfÃê×ïß›Ly%àqŒµ(Äïv öŸ¾{•Z2ÎgŒ5[˜9ð ë†Ô=»]¦£vBjwLóbž]ÄÒs¯+;9°¯O×ß žêÈ¡ìø›lÅ©Ëß@ÏžpÍåDìÓSQG:] 5÷~Ìú¯ Ø/.}­»­2’ ÷áC'ZŸÄ¡\¥táׄO2µ qÐ4“'Æ·8 ¬¼¶]Á½µÓ2pQ2ÜÝË´®Ñ2%­Š‰)m €Z8Ðà."£Z–l°Õ%¤"†Y£D¿ÞZ¹ûíó“£îÇ—äÿëðÜEh*:ΊRÈ="!ôÅ–CÌÒLCúÒœ"ã Å”'‰vC×2}Çé[‚Fýj” ,37%³Yr‡XY6jöF2°aé <"KSõt¢tò™¾˜(®Ÿ¥«9ÝÅ`Ç3ŸÈ}Ôbi‘­Yåýµz9t“L°%šåùá7¥&œà(˜à–Ñž{±áK?L®Fu8s•Y <ôIŒP$jTSq È<7\) kÔâzœÃ˹|â’OÃt-ÏWï—h˜÷Në& (æZÜB' HŠ%Û¥£‚Ô 9+ô³>iÔýFìæ%½íóïå —EzkCá”EÃdxAòÞÑ®åÕL'X~UÏØhè&l"‹+b·&{$¼g?ë–®‰oY±ÉÓ½*1Ë»ýž,Ë"IfÛ?^’KúV€šO N€Qð³jûb£8qŸy ‡€\!6„{9¼{ ´Ù‹£y]t`¿šÝd^(z§ŸG8‡uÖˆr³GkyT±HËS éº POõ…Š5»[íÉ“/ú§í—«÷7*ZÖŸŸÔ-Dšåü:_ÁC¸jŽg4·¨bUލ|¿^$ %äê Ž£iiîJi#öJëEœÑ x"J%}MW-+"ŠÏþÃ]adµ=äw@V¸"0u”X ïrR3ñzr<@±âºH @‚³ˆ3fÕe]@¦°0É'®•jÆ™¾Ôèô=Q´pŸtH™²D˜8 Ã.òž;ÛÛñwœ4"„¬de^C†±ÂRù¬xkبÁÔÖqØrâ`À…A–#C«{î®EˆÛ™‚7+É÷ôºh é) ÿ=ñݨl5„njõ ^Š'Ëø+‚>Î1O_ôYŸeóúAú>,X;$ÁÛg?†8ÿ+ùsô­ o¤ýà(‚Õ¿^ å¤åO(€!ÇcåÝsy(†1ÀENÂɉ'EñÉoá\¿“ìWö) –S“$È)åŒ×IÞD 'V”í¶(Œe£Y"ÄÛ “œ®R>»*Û]åà´B}Gš®Yv*–×Eà=’lÇ *Ìåi¼ÖÆDj. Kf"‚y· šYjFzb1‡ î»,õåpЄLŽA¶¤â.¤ðƒój…Ö %½~¢YZ„BOÊÄ"ì±F˜”¥m B,h Y”X{ÍSviÄëU°•iü{6[0@_c])‘t'ŒSP¼w LÆü ^Zd¼Î|šÅdMô«&œƒLÂÄ®µIö>rZ±0pXö”Ç.÷ϸßZ]¼seG“YÞ%"Ó<ŸY1õGrÇ–q-›,X E:ïƒë«@ñE>qÉzÐòž 2•‡´É"‹Ñ/e•0T‘£FS³Äs†&w>o r¾fI:ÿx£Îj'BS£gJ¼Ôó…¤ÒŸbú‹ûsjôó««>RÍ.”óÙ‡²„[Œk;O*T»³ÎËnï¼säáöa÷?;gµV«e㦕‰¯µ,@ÞG×ôb«²NÔ9Tvq«ª#î˜dðv1,ËW6š¥#uT꺠uÎÄš…‚5 F¹ÄÝáb«»Çz`V$,PÆ XÝ¥À;ÁQFšI"Ö÷$”‚[IfúúôK›8ìPÆp-n¸n™ýKã®úF8xq!;¸~BìÿOµ+hÒF?2&‹[ÊGÇ©)Þâ9Ç:Q @1דÔ–ŸñË 8ŒŒƒkeVÅš.O‘gÊ'+Ðìs7£O®À£IÛ¢çdÌÝdp3Ë'úÓ|-TCƒG¥¾®–˜ñY8j%ƒ1×—ÑA 0¸ÿÛÖé³GÛvövZøçá^=¢1)7ðaŠª]£¨Úmîí=Š*^k~?hᩤ.Ð+2›’äš”È BRÁë¡}\fâv¦‹êæÿ’“ÔÐ}Ì„g§lõÜuݘyiî2𳹤å™ZêÈB ê®%tE–Afb¿vÑ<(1”^Ô¿RÂpTHåZˆJu¯–(N^át{—ÑtsÕ¤YU÷FT*ç3¦fZ^ ÂÄá&#ÒàŒFâè"É@ó¼ìH\åáº=þBÏÇvèïëÁ_ÄORåé”OhlHõÕAHÝ¿_†%É(*]ò6%køŽ”VœPye°Z!“¹]Ш‹ŸÜ»W¢—è>*E`B›H-@Y:3ÜÎ ÕŠ^‡EÇ:šÁ-ål Öu×›Z'»àEèk ½)Õ !Ö,F !Á PLÙÔ,8nÅO]<}Jfø…ËSi9Vk½Ò4e?àOˆ~Û  ‚ÜYÒ¶ '™ëÖFñkË×.4j0Ðà'S]4¢™&¾pÙ:wêÁôÜ0TxìøÏX”ÅZìî¼*ÝJúvá4{¶‰$ë^î&-¥F°„îÂW$ÃñåV)TrêÅ@\0Xæ°Ä¢q‚toYžl)±û€vÁäpƒv‰ò´÷"‘X{{J0¾ª Xl"^š *(âzQ…é* رf ,±ò×·©ë3"cÉTÕ,mY^¢W™Z¶´P\î«wJE¶|Ú;? S¬ªŠúhI•TdWQ\ÑAŸó›¨ÛK޼ ”;ÒSÖ»™™ˆIêýSÒDá_/èj’üùÉŠç½\ëà cQ/}O"®ic!ͦ»>;@«¤oè$ð»0Œ-õË2„æÒ1F@m’LgÅŒ]ï­²ªzáÕ¿ çñ^EQßOµlÃE ùÓÊhù÷äo_Oüçˆö][ß]»Ô¶`‚—‡z²0®¹4e\DE„Ô.ù¬W9ö°îJ147Uü„Ê’0>ϹdæÑÔJQûìtŒüÅ–ua™+e¾dæ`x¸BTæîž4¯S6ò`Á[ù˜/÷è–]îJãå,àâ¸\lϱ+ëÄ›*»Ï%µ#€¡)çKN“l¹´I'÷$j+',4ŸdSZ¤+¦Çï  ÐÖi”•…¿Åšéõ ……«ö‚ZÒuî&MVºHW—zâ'±¡ hr•–ÕȉKêH•B‚;pëŒSœcYA‡J˜iºÔ38DH¨FJò½LÜi8;’‰ò‰ƒ?<8/X±¹WÌ€Ø`¤kµtÚXúHBs5M¥Æ{¾oä­b“h4,<Â5‡Fj .üŽ÷½e ü:¦šÐÀú®ª”âáÝ­:Ì$)8œØ`lãêC°ìW‚-0˜8’Ϡȯ{—ìïº^’wz9¯ò"-Y®)Wk6Ìq`£\³Ftš~ê½ìÆ q—&ÍmÉøª‚ Óòf– 1ÙïÛ„%Î5=ÎVC])Å÷²¦ëã¢b6KP¡ ›Áµ‰õ¤ç^X¨_³;PÐ? ‹Æmhô¶>è¥À§´nqv\ˆæ!¿K2a_ ç~øõoå…þKÍ[æ2ƒÛ`!­[.¦yëJ 2è!æoóÈݾ|®Êº©ô£Õj]ø]hÇ×FÂ(†ý«X â,À'VðÈ¥(¹c>NÅf…"aVBö%¬°Ð¦spëéº2ýôý~kþ~^W¹±6š3º?›³¡-À0Þ$Ò”C%td¨.Ù€-4Pö-Ò7QÏ1#óà‘©YDþì].G5°K¤ ½'µ¢]×€¿ õ‚Äâ’9èû¦áa6(`M{”tDºæ‚-nÅR3×(Zu‰«žõM5è¨@¬×KË'ðÛ«,æ•ÕgKnœ0&p¦+„»+mYuTj‚X·s2 sëg±Te «»TÑ0©’›UšÉ`v3ûȇÈlv°šwâÃNŽ„¸¤TGâ[é@”„¸<¿°À¥(àœ«:dÃ|erðº5+Ù,L—h5Á©í€“#ó²³Ò§ž:¬A¿FJ@äü5Cχ:š’ <@œ²–¸å#«¡òpýÑÒQ#¼¥æØª·¢à`ÄF¿B–r¥®×«¼3Ò­tp%È^i4ÈÍ0ðhoµÈfvH¨Y9Jcþ*‰4øª MG‰ÔÍ«ÓpÆé,ñ¨x³ê–Œ#Ùùª:M’š/Ç‘…ò&U÷½.Œ@y)”dü7ÿ)þÇa¬ÏÆÿµ³½÷` ÿÿÑîoõŸåJ‡N;—Ȳj qL¿vöãö§œ‚gºgn$ÔP‘"|ϱ£¸ÛÞÈ©Ðqä¾=‰Gž|׈ºíGqï´}¶ßˆº§½FÜæÇ3’€v²vÄ<|3ÍçË¥šîÎç–0~»R­J‘±¦Øƒ?j œpuâÞtðLó›Œì„ôEXšï¥ŽÚ“7±4s ùøâaÃbÏ€ÑÛÍàjbÊÁ’rPÑϵ{lVøÚ÷è`%Ž™Ç/“í¾ÐPß’W¾ŠHZá.½Œ(¤—)rÚ!‰I¹dk^#y›'èzx©Z‚3º@¯ûòôÍ™”Ñv_þ°úšÙÒç¥Ó$*=ßvðO\ЏÜn¢è:aꎾDˆ‘\"oɼ¬Î Æ:»¹ŸFÑNAÎì&´Æ3@9z§ãS:’j¾†0,TÀ <‚æÇ•è6x´ŠÂ\ i–‰¦4RRbá)Á㘅ªÃÎp9Ê{14‹¾÷©‘ûÞ¦E GÝsk¥ÀËìÊ p´và(–‚e̓¬¬yÐ?ëtŽÏÁë·áÉ5Ñ~.Šö’zÜ‘4i<¨‡&é ºÄÀ )\ÚáDš[ú- ÙK`XÁ‡‚Û”a) Îb0jI'™5MÜ^ñÞa@.sñ lí½ËzÜÐÓ2ƒ[ /,þ®U±GÉ;•&‘ ˆnÜ#ãPvÛÃþ›³öiÃ{¾Ï+îf4æÑ°7›·³djøúWh"þ¹D—Z¹àÕÏ‚âÃ÷Ùõ8)ÞV?NßÓÀU»cuäûMJ9uüͨ¡×áW{ò§|‘uË­þnå›­»Ø½âê¯ùU?­¥`º’ƒ‚­Fì7Ö HÀ¡ ³Èò±Høƒz|ÀC£hz²$•O>ïCpé‚·–÷fرQqׯ²W“^ÄœxÇk¸Â9 zü˜d Ѽç¼µ¦HZbh®ø_L½Td—±õÅ[õ8ȬńMU}!q(D7 6Ðb"ÀWš"eðQô°®²}|i¼å‚6ë¤Q¥’FãbþœÊdèÂHê ÑÅ¥hX….æ™ÍåÆaCAf«8e&¿TI.¢èQÝÈ$+BËPÜ™8µ«â²qb7CßU:·*#ßÏ|f§ëª‡:®K6L²jC&ƒ·¦¸Þå2eœ^Í ùR¶òK ¡J-[p¾¨ÛgLX†–]Pxß’c†9¡]i›Âór]›æêºýu•½‡ÕO§ÇM~«`eæÙ{¹fÌàut `Ù亞\5b%¬+Q <—ܾù¨ð,h—Œ­^ ª²… ÈfV%»Ç¯xÕ^à¥Ïè¨B˜â?³á(¼½«³Jv™0‰¦;'#OÙ%jÂ×?zòÖÀ}9òÑ“íÛ¨`¢í€%E 2 ÍAæÞ|b{±eä)ˆí²—5šjÜ]J¬áNCfáçÑÈ\’åCܼyÈ^­Gré4-ûWžôSöwÕNAF¥s®©¸IÙ/Àß(u•ö§å1=•åƒýQEŠ„ ¹Â)xŒ¦ü`™ dõbZ Vu¯X½«ÍRy“øwÛuÉ7LA‰¬|Í)ò[÷£ø¾¼ÎU>óË“¥O¥Ž»pY}¤¶Ž©o¨­­1-µÖÍ·á§‚Y]úl1ÉŠù°rÝ|˜åK;Š>‹",½ø>\ÀÔ¯‘’Çø}Hˆö`û«GÁG7ÙÕüÙή|ò¾Ïé϶¿ŽøoêŽÎ{Mÿ¬GÇn°ªé3Ö|`Ž(:ø…{sÖ=ïÔ¿Æ=ÖøÎ×Ñ?¢yê5i "F_óÁ*P#Ã88 ßicô¬†«ë€¾«¿><\ñàÆQû´zÖý¾}Þ‰‰ñWûøä¸ÑÜils+´k£gÏš;u9öÿn§ÿ”—zm­o‰ckCžËd÷—dØÕìïÐ?úòÏjïûõ‘|uŸ»x¿ncó%º—_IÇë4Ö{>züä+ëʇ¯÷,v·ÄÒcëð•Ö$%·±ÁIºH:åõM+ïw?Oü @Ó©íèŸÿЇÿNgåà ûè7 IÜð‘¶«-¼ón9ykwñ˜üæ!ü5þ¿›é¿Þ5öü߇;UüßíÇóÿ}þOs1åÉ0Ìv­äZ¸bŸ"€Ët4 H*´x×[ºàÀy~ëöλû»e‹^Ä-‘))Ž![ƒ‹KMN• YÈ^§ÃOå*ËnôÌÛþJ8—³ÚÌ4t\;ÌòËÑÚT˜@àŽSle£9 2x_uRDpño$Tƒªaa.“,$¡ V!¨EköÿIo÷sêÛ>\Öÿö~ÛÿŸÿ9£ á­ÌÉ#É£Rh/…ÿ󘾜≮ò‡kŸ"q2¦R—Ú5(×)ûdèÚêæ¦õÖ?j×yÑ=ìDÖˆ˜îó£x?î¥ó­Ý°RJB•ŽÀÓQ19Àç[jð¯(Þä‰úÒDŽ1ñ<ÈöuV¯þ5ï¨÷†[Èc0–p–¨¯!*µ@sþ?R=(íú_+ÿ·lìÿÝÇKü/Ûÿ–ÿñyð?£{ñù«n/>jŸwκíØ~?=;ù¾{Ð9ˆÛ=ú³¿éž¿ŠÛÏ{'‡¯Ï;‡?ÆÇ'ñ›ö¢Q?ÆNÏ:½^ç€:9‹»G§‡ÝΪ|:ÚkŸÇ?’Ÿ¼9ŽéÈý®á±§P&¸ —•:IG¿f(‰‡4ž¹†!XG¸'E½¬}Ϧ9âcž^kî I"eÍ™pð¹rƒçS¶éJ½+G>Ì®î¼lÑ(««nLåŠL!9uCzÜ ¶>±&Tå»Ï…I—I–ÞóO @Ï|ôÍ §wc†$AôT*meÄ®œe*ØRoS)ÊÏâ£ñ†÷¤,‹ÒKì# ¯ï£\¦p²ßCþ÷¼OWôÚçíøYÙl¿>urÖ >Qb< > 4ƒ—¯Ø{òhõ—GÉ`õt^¬þ‚,öëdÍW³q 1þbÍ×4<0W;à‘[ýpkÚŠëÕß…u¿«/¸-<ÙÞ^ýåÍtõçÖYý•d8¬þNì½Õß×Ùš/”LfÍ·wdª'k^~1_Ó‘[FÈX÷Õ£•¯àòúªÀT¾½pת/BìÊ—À^þY㈬.ë:‡’÷íK«Ÿ¾ç€åï糟F²ÉðØ#­é¸G;PºNs<‰€Ý{ý“ç¿>áóžÿ»{o/ëÿ¿ÙÿŸ ÿûü6o2¹é9RÆ{Ži‡ì xOà0Ïß.¦âqcþæAŠªÕæ›4+:’þ‘b%+%÷Ë™I¼«TªXlQ91„MÔLð“Âã<2Lƒ[‰kNjŽJ·FUœå’!îG,éœS‚8àN+þÞÕé[6D¥?8µ¹ ŸŸ)à+H"ØŽñ€!ß4¤—Ìw€°9a¯÷8/=ÆÎ Y Š ¿Lg̬r @´Þ¥šiÁ`ʦ¿B ¼3Áå1õlÅ(a_gþÒa6D¤Û áb®‘ÈD£QÄC¬B¼´ZæÚ‡×`ãl8d00¼t”ßö1R¯ÇÁ8”¹£9Öµ.Óùm*À3š¾™"Ýf1å©À‚ˆ|¦Ÿè‹:ÿ"æ#·Ô'†™¦^ wKZtÄ80Úh1ƒîU ¦¤”žñ­¹ªÇ-¥«¦̪×ÈmJ‘ÁÝV÷¢EÒÈÎåÚ…L]|s9z{3œÅ÷PC~­Û ¿s4ŽþØšË\Jf뿆]é°oYçSÎçxÈɼ@MùÐÁäéˆäWQÖ €íZ²$Dc¤1œHòd©h×h ²®¼b+b¤½KGEÀÝè¼òÜðÊrÅÎùbq‰Bª¹eñøÞE<_V9T]š.¦CGò;ë—‚rC'Brç<~©ïm\šÎ)R7™ ˹á÷¬a:º(ÆäÚ”›K:‰§‚äS—…R½X[cU~˜¾÷ÙÌÈ—¥¾æE« —\ä¸NªC›+ûéDÃð#³fÑD£Yb |­™Còt©u¯Ørâ?3_’Ïá6¸|¯'@i„hØf¼ÀÂ:pI¶ÆŽ²̽u«Î† Þ'’ìçYPÓ{ü&Zž>W4# Õ ÊÔ]–äœd/†ç•òÁpii{‘R–#žÊ³ê0a¹zjžOûüñ2€¤ Úq+øºóg­¸ƒtS)<‚º/Äiná­¢¢ý¼BŽN£€l#'”´>Ûp"OŠ/´)]‹†MŽCþÁåh Hsn1B:©l€X»ðèѾEáÁFYörú¦öÒ3f°¼À Àh *9‚…ΨüøëÁJkOõD?¯0ÆV†Ï)÷fpÁŒÔå)kP[’V¥«ÊÏüÚ‘}`éñá@,=•K©ƒ8Èm2å>ó£êù[ªzZ`mÏ2šÝ@¸Jªÿ’fTç2ha^U…ÖdÚ¤¥g ž£ùtÁ´º¯Q¬nŽ1c’PÞ Î&d=3TáÇ€hªl‰¦„£d«ÍQKd¡¹ÀÙ×.šDñ^ëq#nOgñîN#Þùê«u}mdÿ ›â¾æÛ°bžÓœ¤sèËÎÉôh/^ú9:?ì¿j÷^Õn²º|°âôð Û;=¬Mëøè¿­—ôóssõúpz~F=XñåÖêÛo²^»üósŸâ¾þlÙ'þ³U} EýùþÓ>ûþã-ýòiŸýRm)B?ýé×·D#·rÒ¿üõ}úóêK~ùõ-ýò¯j‰öéê·ûFÞðÓ[¢½ÍÍ|£—ÈXãŽûŸ:ŸÒRôqQÿeÕˆ“,ÝŽ¿!ýMlÒãããôËŠqb=+44?iÄWµÄ–;®±¾šmÒIøÁ–Þ­k ody‚ÈfZ5NÙÒÊ\9NñÚ-iSÍÊnyêoI©kë¾¥ËìYüËËÎyÿy—dÖߛߺCûÍoI§zöì&ûôüÏôiuKø¾ê $ѧ,JŽ(dsøé-é‹÷©¥-’×é\š®Õ?Mª|Ùüö×Ïݯ*ÿ»Z’Ó~uK7É3¬ŽWgýöÁÁŸ¬k["¡¢â`…|ZõŒß—•#öùŒåÓGNƒÈ€_âOÝotðh«ïiü®Ò‡G˜íYþÙ¢g}©z×ö^=0ùxƒ0‚†XÜßÄÛ¿Ä¿è׿¸ÿÐÔËò£¯ˆwê‹úóê–6ŒõÏlÁúªöŽÚ?œ<ÿcï?+~Ú<ÐUßêkþ¥ôÒ_îD«ŽN’Q\÷¿¬éäòKZÿ>½½_âØ Ó÷oõ$¿û×öϯÂOÜGaiÿÒ¬‚ý¨×9obŠþé¶ôHcz!){Årå¬{ä$÷¡P”ø÷è´šùn§÷+zôs°aõÊg¦l½99;XZ¸qíf8«Çµr<¡NÛ]`«è:BäÊíÝpè1ÖM=*¯ë/?*ý#Ÿlí<—½¤%•Äú]òùçÞ§ÎDh=º«—¿À¥%Z“—ùð.l‰á>EÆ×ÝÕÖ¨? ùè3Kªr•4ùçOofÕŸ²—>ê=øH3v$¬kF<É>ÿ¨ñ˧ø2V6“Å¿˜éj·ÚÌ—qsÕ¾Ô9ÑùýÅ®:ÿŸÞ›?¯îÜŸåKýÅèú±™¨ó¤<Ä;ÁÅïVË2áÏO~ì›îáüºU6IÅÜ•®FáùÔõSé ×ú>uâÖüp'ËÛõ££þ»öáa¿{Œ´õ“³þé ÿÚûÕ“W²å/WC@ê“¶™NÞ±o¦”5‘_]¡ÙÖÒøèùÔÐ]E…7¾ûT¡¨;¢µj˜Y”}¨þS³²?[ýÇ£åúÏßê?>ÏK©š5cÁ²zCáQ{ÿäQ|ðEßgL2—ÆgZ»ÛG¯·ÛÑkè¾"Ò¶è¼îî×Òk<Üâ jÄ÷›{´÷âYú.®qóu¢‚@D RÝ7CåË̇÷6†×‹÷´~7N§‚)†4PÚ 8)åhÂXC½ÍHaŠ7šZT¹aÀGèvÅ÷Òîá~“ZÔÍæ)ý¿Vr*DÂõ`àh’á‡/h/^dÌSß@Š…•Ø»€ví ç{G§:ZÈYØp„` ˨œÃü©éf­-‡) Ÿ º!ø5¾ bO¯.>làjiC¾Ü(m¢œ—i×ú‡Ýçgí³û§íóWÒ‚'<)r‰°ºFÇÃ…Æ<07Llpì Ê­o×öÈÔ ;‡‚“?W¼#I;…¿kÊô·°XðkA3*kí‚a¡L]ÝAjí0Dñ^,àc–k=&+ÊÍ)_ñ@+¬qÍcKåéL`ñ K޹Ï4Àl è‚v>¿ƒEDkB—0§Œ•S¯’T§«+I“Ë\òÃGs䣴Še F/]v“•fÑíÒi×Ü~ÒÜÝýÓÿŽúÐÒù¿TòYð¿éÔ¯ÖìíìýVÿý™ê?^;È%=àiܶ ]Õì•0û†Žµióò®‰9 f?o™+ã½®Òx\”È?Ú“´À$ (Ž“Ó1P…µèM9aIž3¹/ AWÀ éò¼Â4·ä’së ªGé/é3 I=Ëò¢¥ø¤œ¤þ6›N‘ØœºŒeì[aŸÑÊÉñyn¯X†ê1nTNÔb¦˜<¾Kçx1b²8åNÕg@‰Å¨¶ÃHˆ;¨ ùôTu®yBšÙ»«¿Ñ¹ÝüFO¯o[ôiëúo|Á`XúŠnûQOPwJ6B^r­]"—B/“¥±ëI#*H”nÝäãtëýÝßh¾>û.\'"Öçò=¥WÙûga+Á±=÷¨Ø^UaE…1ýŸÚïHa!•;®»°N0‘òT -J`¸„é;ÈT»L L8ŸŸ©Ï”.EP˜ÊTÈ->$Á¹²˜§ÊÉsRYm`›ä“&8Âü› ¡¯%‘ ˜€™$G*€•¦¹”v<ÖÂÞ¸’ÝÔf›‹^s†ºò–ßû÷ï±>$t­[n7ºauÄ;žßqâ÷E\£e1‘ß©ïÑt4^f…¢ÇŠ¢§’jÍEdðqZX·‰¤ìâô¨¦)ÑÌOew>¥ßu"øN“wéD@ãGÌíjÛÕU‰*VL rÊqŒƒ|qIY@‰¬X„—i«š«rÉz®Ä}e†ê4­µF}­`1ÖÂr%ÈÁ¨Ò¼e²Ñsú µ)gqϤÞÁM|ˆ0>k•UÔ8ü FúUk«Oݵ AM«¸SŸ"®9Šœ…Ú„eù·3ùJ9Ù!"M×e/̽̈́²ÂªI"à4Ö៕ನˆ¢’ÅÐ@D‚GtŽ,!!bè_Ð4•uyù“€©º6É£›»i:“fiЊOçƒV]x°@y^±Jy‹ ö"¿º*«ØX?ŒÇ~á;j4qñýíù¥ˆfASãÊV÷\‰ÝШ ©Šãyª…^—i”Œs«&K¥šr&…kSNrªÒ25< ±ƒCbòR#0 8Ñ¢*w÷(™\/˜§€äK0¡‡Z\]1ìÁœsèñæj ¦£Eÿ]˜L ðtekÈaúf–¹’3~X?8@þßp‰[a¡AZ!pì‘#¸Áð²åܸ‰­$Xc øìhÀ*•%¨¸Rôqyü·t– ƒÒÅ@.ÿÚE!áo‡Í@d F\êªÁ¼WI•±>„äœÿ?5xOÏFIÉ„„lI€çð(gsÍ.÷ïBz <*ýöùÉQwÿ"Òìoê^Û%ióu/Î: Å=—’Rœ¼ü­<0ö„p~ §6Æ2RohCE¢#8<ì¶áù\¦Lð˜•ä w5S†²6+’„®Bý/ù%w}¥ÓP¦Ú½0ÍŽö*ÞwÇ××wñ”wÃÕE²Ä˜M@“ãlFÞ¬U0Æ e“—*%—+Ü&JIšÇ:tìL[ƒ jtf¿¢‘êë&"ï•7Jù³oÀº7›×¹ü¹ƒ€æÏQ×ÉÊïòlX÷ÆüEöµýÑv»ç5kÌ@-‹ŸÅÛ_ÇYüM¼£fÒ×ñ—_fa[ÖÞýûSºº&¿Öc·ÐjŠ\Ì_Ôƒ'¸ÿêî nÓõÜ]½WÆ †ÇR/+_áFuÔþÚˆwãûñúVœÅ¿×÷•¦—b¤Šc¼ñ ¡^Žî>‹?üyB§ = ‰ˆØœ}|S ð÷›‚Œo8²œ' cBy­ÃËôîÇXÄ”Qz¿b® õ¤¾¾_AZðÞUšŒLô5/°È/¸†J¶a™–‡·ú Uôö(¦¨öäÛëd”‹…/‘„WßÎIáPù>-)ß…/¾w:·¡Î»Â7fÇSA‡%}Ô)ÓNˆtÚYÌÒ-…ýj/…áŽLëÖ*H³V%ël§ÌÍBÙ©D[„ª£3NyŽfi8í r4âQg,Ç®Çüþ¬"ÏÐ¥aEß=²Ö¬] òoò)¦¥Ãòå~Ügzë·† ×$…'„ñPû‘ãmY!oe0€{áb/c" eb.jÎO;Ñø0¢y%çów?¤³!Î{þQ@q¿MÓ)Óy¾•yî!Ü&à³J}¶´¬Áq…' Ûõ6‚c_æKoU`‰uì”õ¨o˜Ì!‡yŸ··Ì¦\Þ3}ÕómÓYè Øm-fta~=s¥KÌ3ʾjãŽ<¿°MgаYCxÉä]’XAÍ®–_xk#±|…1{É­Nf§ÿ„*öqf»½DiVçJbìn/Ó”©Ü½™<É¿’2îèX½aóè*îcNÊèø[ìG`Pèñm¸åU±›y>vðv´ºÙ¬m1*C7§s6ú/ú§g g_„‰Ëšá¾°êLñóX*o,S"¡R5…Ûm8:VÅ[^E™=ÈXZuž^t–”D«·7[qO}}’ÀTRŽ&% qÇú̦ìå”2¦).°ù­RT$M«ò^A¯"•(B´ñÏjC:ï¦:À»º¦¶Ls”÷„”Œá¹ºhVå^c¿•JÎÉ5"‘tM剖gs@ú6‹]´ZyÅ]TƒÕ tÄÆÏæý`wfôgšlømº±ÂWÉê®éýŠ‚³3çŽS`bž{_Œz{X’±•á8ÜÝÑSé‹•0@­Ñ » Lò¸IX$-.æy>*¶¤4úV¥ž‘×€MBãUwžTC£œ–å£à5½ÇJ!Üi8ÏÔgÅ•çNÝEèÿæåïGT9o&p’s(Ú&O{Þo¬h ´Lñ }u%òáôJ“¸ÂÙ÷b*rûbõ©ÑÒð+†DïéY÷ø¼ß;oŸ÷. ºPO7Ðwbé#FW°Ÿb>Ì*b.–¡ö.âÎM^ÉN¶üÆÿá°?Wþσíeü·‡¿á¿}žÚB´:oz˜ñ¨”EE;¤«q¬Ì¾ì7q6ìín)Îs{ÏMg–2`:ïB<îìÓi=›æš¢!ùs½§ñ붸©³¯Z÷ãf|¶³GÿÖzlÁ}Ï™Ej*~JÓ¨6èŸüÔq ÔÁõ(Úm©BÎèé{»èg$¼&ÑÖ>îuã}/ÓµÑ}²²·Ål+¹Ìƒbë2›l È"Vèw;ä…¾åÇZ¢f=°†$qålù»„ú¸×bÚ^öJJ`×ß¿?ÞOX*=­$C”G‹8¥ÌÀ`ÒÂMåwv ß<Ñb’ýuaiÑ“pLZ4­µu 7k{ûu¸ç¹Óès¬ó.<•8 Z¤×,¹åŸÉïƒ%!}v^½M²Þå6øPœO¬n0¨Q¹‘Ý·Rò­¹v&’ÛóŠqþ\SüоaÁô4TÆNð¹"Ƨ™p¬±À$ A,@Õ϶4 ºåkG€F×97c>b|‡Ù$”ÕA¨T=‘øÏh|ÿ2Ð[÷0µ:Ž®¼è“Ýr)I¾I¸§j2ñ—ñöû½+ú©Çˆÿ—ûýËØ.ø]ÀŸI3ZžÀf«è¿O«³æÿпžrÛO°óV>DÚëyrõÍé¬ËëJú^®{bí2§Ñ1¤Àò„ÊýâÓE¡rõ¢]½j2d?Tâ´~!C`#¹Å/âÒBQ"I»†×_y%I„Vפ“mBe˜‹Yá•öðbžO ™½R§²"¤$’Qk„!8Š®“©u(rû¦Ò'M€嗠ϼ_æ#ÚÎŽa©{ü]÷ø¥÷Dê˜eÈl°VY–…‰eƒ”dIU|ô¯¼TøôèÒ£Å/óìŸ#ý@Œô¯.‹â×K>½‰v¡s|Ñi½‚êH›8kœŸêûæ†-$S±9åÔ±¾fÇʆZöLlh~`ÛÇ»Üæ¯¦(ªaÒŠ%Ö.ûbÃ"sš.հʯü p!YöMÉ“D·G Pšçȉ«½z.iÓ›YR‰âî\¡ùíçÿRý1/>+ÿËÎÿÃÎîoüŸç§ çB’Íâýsv;R>¶„„è•Ö’}Nê¯%Hï¶vZ{’ÙÐü!‰V |¿I‡ÿÑûŸ±ö?#ÿËޣݥúŸ½ßöÿgùQËöMFÆú-Ãè¶ÈPEìxwŽ={…)¿ÁO-ÙG‚±ñ¸µÍ®VÄýfH‚¢#ˆâ [<íAôæ(ƒ–_Íãï3Äž9³iw{ûad1©!·ÍÛG@JJéñ¹ãˆb]4ôSK00pôAº›¦Ñç ÆÍ«8¼}0]<ã·$mˆCDÏv6$½5èŒ%‹ÂiÝòð”#6úªj™¸(oY»3%O<ÜVÜcvÇÝKQ ²ÎsˆX¡¡Iæ+«–žç&ÅŒGä³BÅ”òšVú>EtÓ§\¥œGl__Z£ü:N®Å9¾"=¶H@ G® ]ÑL§h„æBYfbQ`­žEîµ×FLG‚1Ì^§¹d¿ÉmºÉPúâÛ½å|BÎÙ°/c³C™Þ’tê­aŠÊ¼ã´3ØçJÄ,7†£™rö[B#_‘f*œñ”ÙÈlñ•¸ÒóŒ³Ì.çö‡‚¹ˆÎ†e…—–¢x%Ö°»¸)鬪s¹N?)úô%Ö›øfÈš‘ 7»^P.¯Ø’»¤è¬¡I m˜æJj[zj¸Ô6 ¼Úš²?¹½¡ _x¹ šY¹…;¶Ü)ó~zÌÅm  E1 RÕŠæêÊd„%ÃRKßcoÑóÒ§§ À®µØ<èïŸ÷{ý×gþñIÿ szÖÙϺZ­ÔФæÕ$o—?˜7É–ãEWû¥ª-ÙÛSãìoœ©ÿÛ™ÿ±ó_É{>×ù¿CÇ}åüßÝÙÝýíüÿ?ÝjNO&ÿ)œÿ 2«âñ©TCÒy¿w;׺<å$z wÇSxµ‘u#žRús§uœW3T*ÁŽv|2Ÿ”#w¿&§Ð݉äµÌ5ö÷T=Œ1Y, W§È0pcôß5ñ¢á*}µ¸}Ú5¯ŽáãtT\‘óÅeÑм:ö¿ÏpÞ¿K8·b´H‹z+Úù_J©M=¶Î6\‰*—b†àœæ§–â¹ò2(ê 7ÀʼnDŽÓ}¹¦k‚ÖPcÖ¨'ÍkoÈóWæWqÊZƒ„!SæZª€:¼~y±çqÆå©ôöŸÐ$ãiZÛo’õÿù}NÿÏÞƒ‡KñßÝ¿á?|–ŸÓ€ÅÚáÌ“À1Ѳ w ‚dL:¹Á=Cõÿ¦Öù”¶óNÿ´svÔíõº'Çš³îQÍ V„¤äHVûÀ÷vqüŽM2ÎÚÏ»peŸQ_8wdžGAi»§9¤ªc¹B.NÅÜ ýšÙà0ÿAMo”«¿šgƒ.i—çš%þìå~_Þ¤{bÓ†e9¶a)Dt–jÓ€%c˜3,¹¥¡”uL )hRë™>é, €ìÖÂÒ˜¡³ÇÈw–àjÞüŠEN÷hCƃ®q$¤,¥ï™” DŒwA­žZƒf.5-ÅÙÐ)ÉH}E;u®Ð³ôª ŒÍŸÚkÑ¡wyƒ`Wš’d.®(sØcw €#'¥{jçîÅ‚ç2’œ€¾¦Î%”qFrœðtgÂTd×d1nÙ£2Ÿ/_pFN>¶à,'ì”;5fmøÃܱ0u²+-Åb‚¢‘Ñ]@Ñ……Iîò:‚å¡»w¶d3jäùbnèsT—Ž9=6“ZEØÃ{õ¸S)q’‘_Ü–­n `n,é:²ŒC$éÒs_Ò?.µZó­t«º=—b kVcêœ ‰µ*«hÕò(¥3¸AÄr|P·öûðEôo-û,}:Ä!å=²$§=CÚ(ýAÍs”c1-ØÔ:Vº‚×(T“Äu›>·æ%ç2™Ü¡‡æt–½÷wæWs®4Ÿ3αNbîS&ÔX\H˜ÄIšö20 “WÉ¥…&ŠOm‹cvÖu‘x!¹‘IÊ#_•Ø ã™’#wO¬#¤~*RQ™N%’§à`´}~¬ÆÇH,@âf¯‘!œ7³™Z=•lÂipnì8®jŽÇHâ¤7®¸­Þ¤£)^ïQ=^yBXI˜åæªL©ÈkO`s¹’Ä*uI­¼ð ®£4ãˆß_Ë7" ñ`^N€Iü¯n»JÿcåϦÿí­Šÿ=|ðþÇgù ëоûK:ÏFq¯Eç3m‚EQ¤“MÎ8@êî“æÎNs—Þö­fÛ vÐk÷¶ö¨§÷d ®Ö2|a +Ne"ÚµÍéS}Ú0Kë_«×Ë£ÎEs\3GCÿRjqÙ8öõr†?êËÕù˜¬çïsèì™1Ÿ­À¥ãŽ^=›z"®o‘¡Ô­}:@asÅ.ºµ’N%ªúßñòUä/‰W—z_Â’¦ŒM'Œ¡ÂÿZ¤M^6<ôⓈXš.+cVAâr3XLU¯ò=XÞ®†¹2ü¶ V`á3^ n¤Ómjµ!ã;pµÏ‹©Ëj˜n]=€'ãû=tbÈ·Ì>‡©[é÷Q‡Ýç åä,u]7\‰kG$Ó#x-Zv]²p*Êõ©$–ÏÊLI%vŠ Ó®Ly?©òBCÁgÔ®•Z¼OM1\¡šÌ#êK5F\y>d=§Žä*ˆØÓdª Ԟȣa +Í·q§ÁÚ–Ü/÷›~ÿ,·Ç"ãΚUä=Úܤ6ã~¸FüKÞ÷#%ò‘“;à>1Ç«ÕýdÈøéGêfódžçuå¸YaÙ“ he¥kްþ<§`ô,š(\^(­º`gmâ£MÑ–Ýz“ÄIå¢ÖE,Ñ(¤T¹ê9( ºl!‘w“+îôQçè‹\Í´$‘$‹+Q¢$ZêÑ’ÿ„ nÛ’1Šqò¸’n4Åx)ÖŒw¨‰ ú ¹ öµºã$ƒÕ1We¢ðhš!o5Ç*hrŽAׇâ´oööONÏ»'ǽMEukW¹[|¾ZUçК€žÆ=”§E˜ÔˆÔÔåžÙ}þ;ïJðÄbjÁ4¶]PX¦rÏeKã· ©Dªnvij Zç¿m] ÆY‰zçÝÃØ£ïÇ/i!:ÏÃIÉùʵ½EŽ1¼L'ƒ›†O+Æuœ † â5£Fç $Ï&âVe› xydBxr]»XQr ²×‚“~#Õb&ƒTÌ0~RA)Z„ôùû¦`¬Ò˜ŽÞ¥e±ƒ÷|ÞyÓ>ëü.ŠšçyðÜ PlK+“Æ2Ë´4v~Mø±‹ª5ù©nÅ>•I“ó`ŽyU¼mÑêp¾ƒYkÓd6~6KY†ñï˜-²q&™µ£ô:a˜ÂyO"gEË0«æ Ok$iR»GâîzA‹¸Åb¯h¡0¤ÎÃ`}Ÿ%ÃlA§àÍ|>}ºµu{{Û¢e:lÑ;µYÞšä[ÿëmñ.;ÜÖŒ/Þ*5}iêhÿÑ“íGÛ+Y¼Ü¬†Ø­ (oí4ÛÓYó«¯Hç{ë‚ÖGC=¹æxyüºé‹éãïw[[¨)Š¿¹âW¡ÿo¡L3ieó­éâr‹%éÖuš¾½N†×é¼ÐOÆž¼Ý*&É”„5}øÕã݇ò]÷ßFGùPòéAœ¦Ûë"Úß6Ä_ÔÚÏ»}ð,Ô£yޝ+ŸFçýWÇÝýö!Y­;F&2¯´>%kõ‹Lë,,œºÉ‚Ÿ+N úZ7o #“b¬ý(|-côƶO Ï:S‘!úcï»îi¿×y)3cQÒÙìiek¨J y“Ô„—ðG§g'Ï;G=jôYj‡œó×`+ä‚îOÁ£ ¡6+H®Å^G¾K+><úý(Mº Z÷ù Gùß##²eÙïwQ°½èË¢¸àQ;DZÀÙû˜À!Õ/Å=xÿÿfÒ±¸“ø KM¾jŸ+‘á¨ÊhñÈÞ&>à€ç›Å§)D.Œ‹.maãõh 9‘ èm1‚š5ºìÕÈR,ìÀͪ.­3ä1-‚(RµÐ^ìÜ"ƒ A$O¡G­÷¤PqÊ >ïNÿK8åy)íj§Ö†c8r€ïø8*—? GÈ’kŒ*jhXFÈÆ¸an­²Kþ‰H‘͘¡) ÞÚÕ…>À&×àB²'Àõ:Ü„˜Ç&qh9»BØÝIi8äò‘09¨·¯ŸÎÒwç4H¿(v„3ÁÐÆ«®<¸.ðs¹'Ù{VoÄÞç“™>™XÕ ‰`ÍðO—˜­ZÎiWªCm1H³Xœ&‡ØÊ {$‰HrÑ€…æ±c¬˜/t/*ƒLÉ•¤†Ø…,ÿ+ Ú1ÃÏ M`¥e>Óø6-‰ÂÐ`ÒóåNòÄʼnÈóqè!ýÑ#놭— ß'² ²¤®Ž<¥NH¹±Û;6Á8sÀþ6U·b’ªÆ™‹1]>FH½’Èì{¬¹·Ù4lHfÒ‘üñY.qÔ·pè…ìÛ··ˆQ˜}áíLjÜÏpÕi1v¾êµTò8Âb“0í  ”[hy±cž…œIXÙ_·[œ¯fqÉC‚ѼJµ€÷*ª¨¼9Âå –/lìº*?ç™WìÊ‚óØ-Öæ¬¸†ß[²x‡¤QÔM³Î„‡ß­9ÅQìŒ"†Aª‚÷Xbù– ÜÒÙÀ64Ì‹Ñ Ÿ[Ë=àˆkf΂°DhÈHGÈŠþ»L6ªbË ÕHA¸8-d·i¦Ü­ùWôúï 0ù!Y\À’Ï Ç‹ç¹漚Ø¡”š–dQéÕijἔâzNÌä @Xò×­U]6Ó´fàh¡1kTT¼)biz军£$ÈÖ;Æ¥Pƒx9Pº¤ø@®µ>x~WN]€·º°Éí4Š_œœ©wzr&g:Ge…Ó˜Y8„qEŠÎ(#%g®Õµ"ëyŒ‘FÙ‚rð# #4CJÇùI|þª#M‹¦@ÃçL¬Û›;º”s‘ ¦6ðh n±2Yé*C¯öXDÔîׂÁmj¢Q[š²É]…5Yf¹J"1û¤Ñx§µ­t(…ÂU Cx\xTÈÞ™½K5ã{L›áFôVÐ`¥Ô^î×cËïVù6¦í5NFȨ¦÷xÁUV>/—þ«ýá,SCmáMZ…|CúKqM6ö”Ú8ìuÏÛìf±*]>~yê ïaÄb*k,\5rÓ˜#=e=&Eà7²#Ÿô¦íØüÑ*áþº-"~ðÔ—6Ž|Š…œ¡•zŸ—¼é†åºöò)Ì›ÊÅ aˆ«6Ûsu¥ ¿EeÌâ`2:|ÿ°ÛÒ´Wµ}= мƒž‚Ñ KÓb=ë,œÊ)ANSžFVUp€Ê®ñîKÓ=#·°hèe°e;0®yÃhbP2º¾¼?Ú(Ég¼lôkÇês¬ô¦½}ý‹i!±CÐ:OùF1 ïè 3Èâç9,OÁ`¸KØw-¹r²Où 8¤8ƒzNcý.åS–ußbE@àN—µ—d¢…›l”ù”­œ‘@Ä!Õð# ’ºXb&¨@:™3C²;)Ü gÍȪÚÑ[Òj³ÄL6 öyna¿Å%©a!›<4>zùBÔy#fJ±;ê(@ìF…3Y)Ÿ)ß}k­ÙËÔf-ë{º¦BŠ4•úSŽŒ ‰[§'½î±êЉž÷i2kúOdjý_ò·’Õ>Ìr®Ò§S…NÚ@À•ÊB5±+4‡i `—eÇì£ r³±ÿª{ºÁU@§¯Ÿv÷7,NGW³¾D]æ¢*ï¬`$\gødGö¤ g&☋QT¹'áêƒÀNBÚ•´‚ ¨Â- ¸ü8ÞâEÎiÓˆœ¶æòØP"™$9tbw# ùi:ÁŒ/sr™|¬~"¢,bÈ £ÌN€±¬ðÌ®'º$èÖ½óø©»$‚øƒË|>ÏÇZî¥ÎðRËÄ( ø%nêÔå]T!Ñ~_$;¶(hC—qÂë![mKÚH³ŒTäIIâB©œÈȼ-Nz$9ðˆ ŸÛ@K7²ôpB=ıö§¿œn( ;Çâå¸Tl±ðÙ?9:ívÎb BÄ5'ëêþ6+n<"ËÌýÓתŠMÍ4 ¡±U0±&hÂFŒ°“k¯yÓÒd32ÃÚ0?ùF¯Ñy»+OšX4Óç „Xôäûíãï‡Ël£L°tÜá¶-Âp4zZ¤š¤L/ò.:Î…!pgggˆ4Êq†uÊÇ^$†¾KQØXøòääÙÛ=Y§ö*I!)圢€"´°.GAeËKZ,Gó´s$z—Í5d»Î<ò–£ÑS9=pWè6™–+/'rÎÎQ95vímÇ5v’Åÿï><ºù['$Ä¿JÞå3~Šâ›Ç¯N¿BœCBúäd6¸É000ejí}Éõ±4Ü…Œ›¼…¹Ñü×üüV þ?¯þçzÐ’Z”NZƒÿŽÒ˜Ô?~ð`©þgçáöoõ?Ÿãgë~ß'…|z'YµA=Þùê«&ýßÒÒYþ>ðF˜I¸U’E:{Ç% +šyŒztz¿¾h6(>¹]‰ÙƯÒ[äI5Oáäž Ù| v};hêüU·µÏ;gÝöaL¿Ÿž|ß=è r¼ÛkH,¢ý¼wrøú¼søc||¿iŸµÏŒ;?œžuz½ÎZ:9‹»G§‡ÝΞxücüº×AƒíóøÇ“×tª¿9ŽÏº½ïìɧ(- =¯¡¾Ñ;j1Q•™•ê“·:§­¸hîKÖ9ÒÒ”¤{ò¹£6×—ƒïHØ"Á±Áî®)`+ý`Uås^Ã.X‘Æ.øa6¨ö¹Æ>± ¦]òÎyï €µïûç°£W.üI+mÜB–ðB[Qäiì<îv¿‚Ó.Úº/ö?WægaìÃ`R’ c–a·R3Ï\±J‡¡R1ÛÛš²hK9éQ™>Œ“žtˆá¨õ÷¤Qäÿpá ш‚¦¬X‰3½TÊÆñ‰#߬VP¬¤>¢—pM%U€¹VÜ|õ<þu?ÔÔ=zf„Ö@²¡åàõøˆ|®Ã“ÓÎ1¸[a1]1©ÞëÞyŸvÈùÉY‡þ=è¼èwôÊRÛò¶KÍÒêôßœµOÅÌå.jåk®þ-Ò}‘Ó(†2v×ïKãöZÜ”óoȆ AÖOÆ6W ÌI§#ÒÛƒ¦œ³—Óp@c ‡ ½'5’:?J¦Þ#­×$Ió4Åt³ju»ëD©Íf•Šd¡;†qæ>.½ †b³°××ôf6çÔ)!œb µ^ƒîµd Ä2Ÿò)ýés?2¿H$½âýÆðÔŒf!à~âÌü(²ÁF¬Ú&RÄ8¸ÍolvÆ"Ý-ùFÁ[æ®Ëò™p;ë«Ô†ìQ·IŠ;²ØfùÄâñ$ ‹ý&Uª.)sX…˜{Ó/o®)6ÂK.ËÌ-<˜mZ‚d†¶uÛyè}¯fYñ¶:øëY~K멨(«4äc¯W´m]0› q-sÍ…•ý›jËl$&Ûµ*]BÙäY¸—S™)ÍÕ% $¶ë“1uÊž°™]Sb µâÿÒÈ&^˜tjÓ¦;9Sâ¨n§‡€Xñ¤+rzŸ:’žû÷î]ùKøIá%Å|‰¦éÞ/]¢gV ^>¤0PŸï7pôÐ,݃uíézð•›`Tœvíáa+«>Mæ7 áߥmYþîû-|~_Óál×ðÑq Û%ÈÅ’ÈZ#¨‚3ˆ›Z)¸4gàsL">É-Ü%+´ârS«w0Æ:–ÑŠõ-ãg+§IF‡GæëO|!W¤‡àEèDÎÊ~ÈAéûLèšt‡žöhÍê”±vç©ÏçØW†*uÕeŸÎ'i©(á2 N|Ö{Pîä1™$Ê¥ù̪Í> eÀ§GYy`öØ9tö+š§‰Ò´km°ºZ–²ã å‹–kª´„½rñ¡ukòXÊõŽÒüy)‹ FUM€«OSBã²üt=t{P£Ï1 ˜5ÕPñÅSÿðÿX€ê_ïþùˆÿgçÑöNÿoûñ£ßøßþ·ù~ó»üæwù˜ßE•5Ø#©5ƒ ¦ªŠ]¸ ÒRq0°²ÅÛ*k•[»Femu2ꦤd®¸53øôÖGôÓÐW£fŸ•“£~ï´³ß}ÑݯG‘r®Í9€þŽÎïa¿?‹ÿÞ=þ¾}Ø=èÿÇy÷ oóí39Sºÿø:ªt°í¨h-1€MÈò»×¤Þpù=á "mNYîŒXÅlõ|íµzÀ®2I#IÇÓùÝŠ&É@ÂÓV¤.†t¢AHìŠíVuÈèpìwÎø`§?Þ¦w}ITV³³{ÿ~ŒÏ§ó™¨«1_}í~¥•+ðÕ^U­MRàì¼Öí¿:k0ÛHjJñè‘媸‘ÿ¤Ã–áx› /¯T®JÚ]a¯ï¯Ýæ³a½ö‡`B[“ôý¼ÿž#»ùU s|¿?{›!çTQyͺ Ñõ÷;í³š»kh¥åUˆšPµÑÔŸÎñÉQçÈZE“f‘y—¾g°åÚ䦿·â•@SA˸íw蛵éFSW˨Íí¯ã,þ&>ïõ÷Ûû¯:ý^÷?;_“!šyV_©ù­¬‡Ÿ²?áõh˜7æe+–‘ÇÊ Û{ÜUÊdh9L_Ñ‘WíÞ«UýçÆ÷é&)n¨K­i8 ö\SÌieêr‹Ÿ¹µ¨šÛ¬«WWn‘ÎmûÉlbÍ6Ì´bœo[½65ȵ]s…?Í€fÑÝ>ÝJ—à=kø^¿~—1^eŒ¥ìõOZñþ[~8ÍxUÀø Õ»ðå—lÚ¨MƒZ]þ"ah~˽Y³ŽÓúRËͦ_Û˜nqiU—FM4–pí5cÌ+þ ¶ô>û"9º Äsd°éKÜuì-/åCj;—Þ‹Zo~ËkÆf‚–Î×åK7óÏeå;žuú ë”Ô–>óëNMÖBu6ÜMÓŠyæ§g5)ªvpð—©äsÏ2&^A¶¶`MˆíŒT^–³X¶¹U¢ñ© ¤ .Já]ªÙPz­õgóÒžôY*ö•Ŧö‡Uã–ä¸F—Îë2Ç~)d³ù]ME„[H$%d묾Ü=!þÒí’@–•×Êb"«…oâ¥"‚Nwûù ÿƪ{8B¿ìîúF}…8`/{×WžÅ¼ü˜•}¢˜é 8W™g'\<ûÖç n&Hƒ•r± 11W€:³wÙ;V.±ÔÙ‡~ö´ª¸·úàÜzÉè_-4åäÕ¢WšésdÞŽ·¡üó²nnâo1AšM:\oóºâÔy•hîo 1Ñ…8´ØCeçÄ~û˜ãƒÃ¼3ßENy®Q–`ê|ªk©ëËïêHÔ”WlËž}@ÏK(Ü©¤óót2ØH\mŠák±náÐ|ó5(í˜ÞÖGÜ ÕÓ­*äËGÙ§JMåyêÙ–+'SÁ98úÿxÝ>”¯›ßÊc4ëþLÖ) fÖ?Woƒà ܬ¹³–/‹F2;FCÓÎðIa¥³ÑZ3_U¤$ñDEåù[Ž¿`ÎÙ)}›©%o3ù×|MèA›‚ˆ) ƒÇŠ/Iq{çPØ„ZËÊñ_5>Ÿ*i$%W×?Ï”¦>Ú0wÏ«IÞäà³ãwáaáȧ…?­¥e+'˜ Úê)£A;,ÊÖªO·¾I}E‹jåþÄçó‘ÞX¾UÅ‘WÉÂulÊé  ‡X6OW=ÕI‡*F¬Â‡+Å­AÙÕš@Ñ峨Β¦µzyù¥óãÖy\j©À\v“n5Àk©¿ƒ¬¹Òa?¹«XhœŠ«y³ÜÁÐwÓ¿ä«·*OA—‚£Í$¡Q…Ï㨭[(k6¤9¬u¸e]O,KÞ¿¾å'·|S|˜:½HÃO.¢²Jà-,/½ É.ïô滌£¥¤›º-:w³Õj-ÅÝuØ=vô´¯&y>ÝQsÑT/²­ \ò40 …Ù¡ï’¸}˜× x$Ù̯L—&2+ŠÔ²«Å·¢.{[>dPij8Ë8×vº2šˆŒ ê·>,?ÿå*ZõP—Lœ¬¬±‰ŽæÃÒw€4Ä \j‰ %­‡û¸E4«¬=Ì*KþFô)ñi±Ý¼Î+³::>ÉT\«Pö¢×©Öò‹„O°ß­4Dþ)U€{S=)Ÿ•®ðì÷§ì3;eUå%Pe/ë¸é¹]5æô$ãøs2v¾IGVrÅrs¨¥Ï‰ ¶|QŒ  tQ“ º’ BiÀq¤@Ñи˜.$‰ÅG`J•›xÃÛÜCWÁ¨ã~k6¶ÆÎ'©Óî—š`Øjg[|z†ÿã^U?“Óžq‘æ{Ç`‰,²rŽ sž]É˽Cö j¾bC€ƒ1ämt3PõªjƒÎ:YÑgï´==?«•ìjü´ä:‚G@ !E‚L%Iªpl«\gEPx§|À >ÞɳñV«ØÇ ”öÖ¯ËGñX^ì—è“ð裡BĵíC›—SL ݢؿ“zcé²M¸˜·[LÅæë‰\V5M›üÆlˆl”RK~…Ÿ/–d ük_ÇSàø—„–mïPÓ]ÿÓðÜ{ôÛg/w>ö2¼*6ÖHß Ô¿Ÿn4âšú¦u¿ÎÿQÒrÿñ«=Ÿ:¡ë3TøyÌé¤`¸.¼.n„/õß°®Ï_ îœ°ËI¸5çRŽË¥–uj–¾x&<ùò›úrDzLUã€iÔ8’µkù'¯Ï9ƒÂ-¾v0¬Î¤B8ž1’Òuù^|Ô9ÛEw´Ÿw»ç?¢û/ºçÇžÂuħm:eö_¶ÏâÓ×g§'½K%qŒîÿÀX^ñlÀPFÃvÜc*@u&°_žö„'’·ñÑ)Â`Žr_ÆïG°ÅX* (…ĶoÀÄëÉ¢•Ï®·FÒF±õ-w¦Í¼R¨¯Žúse}Šƒå× yð¦*›ß_<‰@áa«„î-‘"ÄŠˆiÙ{\äÚ^Ìs\%õÛ0a,OÃV·®P¶3B\2]ñüP£Ã4+2ÐÉÜCàQK' °6ÔÒ¹”^´Gé{Ú\4‘'£ì]“㟀…$ãiër†ev›/v¨¤®lnŠŸ ÜäñÆÛOÉÌçêZj ~-²6¿ØŽ›M0ÅmúÅ”´6âoÿ nUÞ­èküÓ¼‰ÁÝ÷å1z•o¾ù¹sò"z @…§NÖý$ø~ÑÍ÷'ä,½žºkÏSÐy$3–$Ã­È KãŠFÙ%—Ýãç"ÙgVV»£ =aäæ³”ë‹.×ì?û†~i&´‡PŽòï*h¥b•¸EõÅ¿‹ê/ªw÷õk é‹ÒÁ·±ª…´HØH/µüÞ)ZÈ' %NÂŽ’ËІ™×PÂÈí—mjn³"ì³ÈYõÆ ºÇžZ9¡$AŒâ‚¯â›[›œÊ‹Z¹YP‘3Li”Yµ€×€ÀCŸÝš5q‚•¶:lèûuôãÙ…n÷ HLN37‹_¶~úóÖŸîñËÖ/›_›i£·ðßX×õ?·îoýò˦üµõsë§?·èM¶¶6/¤¿|äøu«Ë›uŒtÄ@/ïÆã& ìIÙ‡¨¡ÛTÝë.^À·¡j1ßÙ®kø,®t6Ëgžp§¹HnØ9aÃÖ:åtÆÜ¤@–Â~ès³}Û :2÷ø»ø[½`C^÷EÂE‹Ð,«K g¦y1ojœ]e:Iî0ÓVZÔę禷[¼g¬¯»SæÅǦæJ0¥Q’½ïãy}}^õxNJíf‚:†B"$¾À¤:w n"|!Db"v0ê\óŠFÅ÷mãk¡×Å’¾wX !ì"Ç5Ç›WyÞÊŸOkÝl¶ô®Ò8nsy)ìR¤.r ›cŠˆCMâ†8þBä}¹AýûAÛPÀ=±îæðž§ú©«—”¼J¿ÌX¥£”¦‘NR„=T7ný»í–¢A»…¶ÈŒ ø§ûOÖËÆFüMyÔT¬½õ§/æÉeü§û º•÷^ã‹ÆÓÆæÊfþQ^¨ìž/ÍV7j{ðõò`Ûüÿ6ùŠIz˳|==ÛŒðí¾}ÏIVñümÜ8ß”¦¤0òä} þðö¸_óY—n´ÑóöóýƒÎ‹—¯ºüîðèøäô?Îz篿óÃÿñÈ=K.tïõMö—·£ñ$ŸþuVÌïnßßý-’v7/žmïìî=xøèñ“¯¢d4½Iž}ñwnû_ü› 1pKýo2®PKH,þ|*JåC™m¿#JèÓø{w–ÉÝ SZíET#Æ·–½îô?Ñþ"š  ƒÐ:…ÞX,.·.“Y+Ã?.ÿž.ÿÆg-j¿àoNóV¤“N¯®¿5Müë+Ä¿D²8éøéÏ?ÿÌÇ׿…©É­ýcsë¿|]üòsëç ?׿ø¥uúó><¥†¾ ÿ§ï‘_…ôDÿ‡{¨-Q=yø ñmnµÎÞÙB;ѪeõÈ•ö®äÇE!ƒÑVt=€]éYóø˜I@4ÍÌÏ Ï \gꜟzüBÞ%¦ºù>ìFÐwgpw }ª¿x¶¡¿ÆÍÖ[scuWÇÅ»Á¸¸+>ØMº(0ú`:åÕp»Eª6O5)FŽð^üG>òò )Ù²X.É0¢+Š›fZ QõIhW|:’ÀñåFÂoA†vuçtW÷š›ØlEãgúil5®7ƒ± z½~ªðþ?eÿg½úàñú—~?¯Û}~ïoíù¥Ã|,pÅÖûѾl5±>iÅ7eÑze+´ôÃòWlºۤъ›4Û‰°Z15OnM”tÔwKoÜAÝÅšç%_uè‚ûÁxÜòË"§7çìºæ^ ´Xž–¤àu%¬Pœš88=;oßîÑs·½-߈ŽBß·L\ZšOG@ó_èv—²´:ßæ¹ÉB~sFHçá6V¡ÂµƒÄ«¼oî°‡§ 9zã ñúd_ÖS\Ú$»+àcýëÈ”ÎáSþµ²LÒ‹‡h$X+~ :ã „fⲸ¼c 5öX]îZr_íMª–A zì©2j&$€×YŒ+fNîÐùe¾êò¤]Õ9>èïw;½þÉëóÓ×ç¡ÒçMê13C@’ÌsòŠv×ÑQƒ‘]H‰©‘r6EÒå­íüa>@~Éó71I%€Ñ­†øî܈cqèŒå«iÀ9›ÔMì-y™×ì; NˆK ;ƒì‡°žNëb’ñ¸Æñ ÒY íg~ò¸Óõ’Ý E—]h´{í a{O$Ì›iÃÝQÙ°ÿúínW†æjh’ÄOãŸÞ¨Zº¼kŒ¾¶‰ÄLÆÝ„å*¬}E|pÒk󻑺±"Õi4œeŒ_i*Y ÄÞõµõçŸþü”,ñx+ÞÚŒVƒÝ¾Úü‚ÇÍ?=ýy+¼®bŸÇß–:|O$Îsžf©!ß\#7FŒx…6Ôß«¿Ašr^‘U²Äî1² >à Ù¦­SþŠOêÂò¿ÆÈB,®æ¥¥æ Aìå³÷n Ä_Á(Ö-;K”-ÂQ:Sh"ó§Ðs/™1XóÔˆsð•íÚ¾¤àmàŸÍsÒ‡¼‡MÌÓ™ÉJ@&w- ·}x¤Ø´shêùß ñ™(<±ò ò¦| ÿò‰âÝÞ¤ùìNÚ6%@ðŒyS2yô0¤¬_Xƒ?S)ˆXN9³úfêì|>hè6Àǭ Ñ2“¬‡ïOÛ篸'Ú4ïŒægH´ÒhFƒ(ÁR50-±j$äôzýC¼³ÝÚÝæ•o)Òâø“ì:ç¦E#Ž6ƒžþœ´Á·ŠÍŽ8ñ ÞÚ-…Ð-À¨ª:Ž‹ÌâMúÏÆ“Ñ’_L7Ú/á>üùg8œù¯­?±5Ü—Ù/­û*¾øåñ’m=å¯—Ûøb+~JM|[«Åt‹›iÝÛ3¬q™žªy€Ésg2ltæ+¬À k$*—w"^òœÇI—Ñ»ß`Ç%ªb±~RP}Éüâ“•ôF£OH¹bÕ*DË»‰äŠë¬ˆç/Tg‡ s—Œ-ÒžŽ€“T6Ö9UõÔË–FŽ%ùg8>êŽÆxÝAïæmËÞ6ˆ2c¨%“㙵ó0Pû¡Ãî²)¨°”\À5k“9Œ<פžhXŠ¡&¬ÌÔÈ`Ä“+hv‹ÈkAp)iºgÝø“[nHÎ4m¶ŽÞã¹v¡p (Ú‹¶ˆk¶¿zd6Å=iüQk7æ ¥';_íBjè§MhC)HŸ—ÏåÉ_k+xg¾g0y¦W©Ê¼yï)ÙG›>Ÿ¨¢Go4+>õOïyþÔÄD±u¯u¿$4âáfp#µ/mã)ß.M3¯…oWÌ~ l Xá<… SI ðÊãë¿ñÍLÈ= 4•jÿ?êüÿ8$£ç¸è>®~ó _n;Ïäç`ukQùn÷ÙêÏ÷øpÒ®P>´põòÃÖ~··ôžŠÿõpg£ôçnùϽÕç£z‚lÐÍüºVÕñ´òDERø%T=ïôYƒÖ½6¨´ _âÚy6¹£g;­.™[ÌGoŠãêE,anÙÒ–N¸ÝúªµûˆzÑýá¨óTÊík‰«H’cHz“Xœe¬ù&JA- ÞÑü¾-‘ãYðGg¨Íg =üØùÉ Xá†aS¶ñ¥ý®æ)¥QèšmFÚxL5o™<¹°Ã³G°®A ·Y"”›?o²M§¾§åX:të>”ÿ¼‘?K}³'l\ò#•Ø ÊÜeI)á[Ì…öÿ³÷®íiÙÚðþ:\W~Áû¥ƒ5d@ËN"Ež`„m&hб½;-hIŒfh°¬LüüöwêÔÝ ä83³w<ϳÑ]µºŽ«V­Ã½ºªÏÁ{ŠÖ*‘È!¯Ñj“ó'§ÙVì™X²Û¾Ýë_| 5aXyÒW(3­ËüWéÄaM*ì7´Ü¡'¡€sHºô/ƒ¡qda^ Š…ƾ2X–fïR]{ÀgÿW-“þš–RêÚd`¤j·|QÄü$ÝXUëBœ‡À+Pó÷ D$q!¿)¯ë A Ÿ(×!ÏÛ|]ñ¥ÿ}½ñëëý_§·iHV !¢÷ ­¾–L>9µ-™*Sé ¡}íô@)¾ ÖŒµÞ^Gáð£äÁcçQؽÚnKm@2hÖUîÊrêãY.˜—ÈÞ ª‰× ÐAø&:<'§œ¾Y‹¦2µ^‹'€FqàÄ-Ž-…4™¨W…ÿJ¾jnz©˜ï)ô{ï ±¥ ¶˜oÌÍ“õŠÝqE4hã§ÕI)“Í&|ÂÄ&9§å–Æ,ÂrØdîÌ?wâ8à åÐÅ®4È"iY-²œ9éSd·Be[^8ϰåWÀ¶*‰ûž‡BžZí ¤9e´OÌCÕ_W9åIdqsä×¼9ñ2Ðý¥¤0[³dC8ñ~­¬î!Ö™u‹eEµQ•9_Ð]±Ï ˆ¬x>Qਣ Òûx\¨sa -ËãÄËÅñe1lãƒ9"À¹Øè<5Ê?òʶWë¬IUdLõÜ"&¶2Š&§Å¹ dšT{›LR2˜%ˆöVÒPò´«,¸½ 7àÑ(qÛbC8ŽˆÍ¡ñ/q—7†ÍÁîO9è5§.¹Ô‹-‘ƒ.P@/N“ þ& ,ë.Y@pháÌ/'Á¨LxÎvk®¡âê=A¨!¤ –ÿ7žŽÞŽ·ëí<ðvÂ/¸åSxüáÎö6ž‰‡êINDó!9ô*—sÞqkk²¬W_•òPÐçy)Pøº”S¼rÓG:é°ˆ•ªÆãbÚ!•dj‰ø–$E㣾™Rþ4ªž­å'Í…31ÎuõÅ„K¢p=dã‹v†Œ9³)& Ø*ZÌU­!¯ ì1:{"hFa8¥Ù•ÐÌßюA…½Ÿå¹ˆÞ"¶d•’´ø*Î:Ñ”¹’’ PÐÜ’8€FϽ°<”aÇ”ŠR'hŒk&½¶Ö°UV-d¾¸üþR\–ìösÂu^½*°NfÕz¹SÅdÏÓ]’ë(¶égüý€ïYâÞ^W‡>€qʉ/§t?TkF$ð‘ÝÑ1"Il‰vïøFÇg1£ÕJ/ò“…’ˆS H7[<Ú# ü€"д˜ †))ç÷Ö 2U:¶žhàê‰xo× VèŠ,’šÜtBë(…¸àoWÝ]ï³F ÀZÎð+ù]cº’ÞÇ‚wÕ|®°[ÞøgRø‡·¹µ•~ì½~šóô Ô›'ŸNÝ ·ÜZ?N»žžRŸáF2¬©Çû*¡¨>bÇ Éu Y($HpX0œHÔ¤W‰DDbg¦¢›y9«8€‰ðö¯)ÍÜekèü°Õ (ñ?ªî”<ý^X䪻•‡Û{’"£M䯕ø†bRæc<ºùxTÖÐñåÎ/sAj€p Ç_Öc0÷¼cqx4Ÿ]“SM¥¢V¦»ž…†”­ì:²/ÃöUÛ—$§‚AÂ#G¨HýŠ uFݤt÷r§ç ¡½PªI’hXu…x¬Ré`N !â´ð¼2Ûm¹` 8ƒê¨H Nœ‹ ݈ÐÖ‰\&ãø¨°t ×'˜~RGª› u¨W¥6ò× &Š< S¸lõ«+Ø:¶UÿïžåâúðÖƒDªâ2y"pcõVÅ@}'cß$ÍGŸâLʶ_ r‰$ÿ÷-ÀLð:Ÿ Üc¨X! ´PE&ßbù çñ5ý.`O]«‡4Óö{ÎÝ’‰RÆaoÃ~C§ê2åù%È¢í[øöïæpI,»ïRuÿÜüXi“,Í 5£²]Æ¢Y×N~çE±l¹µãp^%@dqQÛäm;°Lò=Ö5‹š±áÃòÚ úýÅCçBÊ_¤á 8‰‘e¾ŠP±@%>f•¶ÇbcÎÁ©¬YáD£3£Åˆ°M];¸)E‡Üœ½F€ùÎàÊÕ®ŽÉ{UåÜÖ’e¡ôù[„om½ÞÙ¢?^¿ÞÂPŠ-dÊÓK¿z:ØoièÂ[Y¨û~x;Ôñ  Tgª…<=æ ¯w` lMáEUìH„´ç¹ ùtuS§dMêÃ)¹,åʺ/ž‘fv\’µ@™é‰¸3KfåMRÂü/÷‘¸7‰Pld‰Ñî‹øýðÅX "MÀè ˆö "—ðî1 !ªD†ñX‚ôbº! L‚ØVT· © 8xç¸ ½]”w8ʘ¦Œ¤¼‰”MVä³eƒñtcW88Žˆ@2ðgÑÊ{ÌÐy˜”$•H›%ýUCäXW)ðê¡NÕ)’bu½3ÀRæ_bìý—‡^áe¥Bá>Ò‘‚¥,¤Œœ£TøÕm*€˜/<•ä÷æÓîažtÒk„›D¥Ô÷<!"DW”ØÔï²"MìzN|I*ÂÄ")a)ÔéœgGçªà>:ä­P¿ Ödj«4‰»Æ#Nœã0˜õ¯ˆÑ¡-WÌ bë›#ßdƒA)SQÔ¸>ætú°]È ¯Q—³BMA[Èo ø )}ž|®Ð/ p½M)BW©ý/þêöù/Ô¬±vM½úU+ÍgH'3¡ÊüNJEWIøÉ‹ŸÄ·øúÛá¬ÉÓŽ9"²"ùT pwŒQAO«Eq>RÈ1–!e÷£ËÉðƒ¤ /ŸÒL_ ᓥ 6gqñR÷`ävÿ‡Íyé™&çÌ[‡‚ rî$ZÎꤨbw“ÈfXùüÃÔ]èV*HNKÅètŸì¹gÚAt"„6_86 ä¤<Å{6­4W³Pi jìA„‰¡ _’ýÌ0vê²õÏ«u&²l%!°È°Q€9ÝÑk„ôLÆ¾Ë·Þ ²Ò’5ÖÀU4*ÝåÈHô×> øÉg´œÃˆ‚ UäVQk€EDȇ“›uãŸ'µKV1]þ‡!”o€„|‘Tá}Ÿ_fJÌ ¡„ RL‡A)°ÍätÃpC=ˆZ+âcs¾—Àhu"— Ã-ƨ9fÀŒ Õe fc”gŒ ‘}^Õ­ksÿué××;¿æn/že¿—i§¼;(,áôÎqð¯dÿî¯ê9éÝö§Ó“\ûYŠý“bYíÖp×ÙDã=ïÕvåÛ7ôϦ—G8”<¡äáæëÅûûÝ’÷§Æáß3ŠPìÞw#!ìrÞÁóýýÂzbâ œLI2Q&KÁ»mÂÞÖÖÙp6è; b¢ÅçýwÛþ»m›%D–ß¶Ñò•gãü¯ù-ú·òlHã¿•¿5ñoø·d|eœÍh[d“¿’ûyõŽ^‹–+¨}l9Fiü$Ôuݲi/¾ÞÁ}¸Dmö©vá…möþüúµ÷çKuŠK5ÎQÌa;3µl\h­m½ÎG_ï¼ÞÏúÖj5Üÿ-ÜVU‰†}µÊñ9-`é³ÉÛ ‚‘¨`bã"†Y¨œôdÁ®Ž)ÑΗõ±¸}v‰®p·rè!]’ùä¯}ož…ï‚ѾW ƒÊ W ÎW!4/|{t‰«ÀcëÕoavá¹rã»<øœà‹ÿô c¶üïÿèÑ^6þÿÎî×vZøÿ;ˆÿÿõÎÎgüÿ þ¿Âêz ù‚ׄ·SÝyèU6+pd¢ø?ºŠ¿ •H@ø¯ÂÔGð^Š]LFÃñÑ·Ÿ1MXé|£Àþ ¢‹ÊhôLô{Ê0” 4é )†Aé Að%‡ü˜R!…³wèFó»ó—uøû9y_cßæ‚š3 ®5p?5Ë¡ûoî‡úÐý #ìùà 8Õ.Нju¿Þn=m>óOjõNÛ?jvºoÊÞ+(ï“â+¿v’]äMÉZF&³rqãûÒø‰vÔÎzm,ëÿØèt›íÖ”°!8ÛEüã´Vÿ¡ö¬a x™õ€ô`2bêEnã$û % °[}ôí›r9‡€ÁE?÷â+½Œ(Îf÷À¢öÖ¬æ0›¹©d`*4‘ÿ¥( U¨ýBÁŠmå¼ô¼ËE€óÉ*­j®II˜ ŠÞ0Èÿ¶æKœÞ(Ø…¢M@蛇c ¾ÎB~éQÞ4 ¨V®Gt+,(qaŸàá TÓ4è¿ .[ZÃÙ°ý¨EŸ\ª4c)v°»½½»;¸÷¿ÀJÆõƒ Rµ~Šò_”ñ*+þ‡µ•‘øeõ'²‡Êlôg‘•ªØÑ”Üò< ©ûf*e)`Š ·Û`rƒ2ºýD. ¾ÃÅÂ?6îÒ™¥5±Šà+å`Ë5žžµ`ó¤;ÛóU0öý`:ô•[ÀC¤ƒÝÇ:RXw˜ #<3(o ÌâÛ;œK.nP"â€Ä¨‹˜kt¼ëä)žwŠééØMD*¯KêeUöÿ«äØ0bZ*ûòƒ§µ^í¸øêˆaƒHí°±Í»šÛl5{ºÍD§TU¼…·‚/²yʺk…:z3׃¤=Íy¬ÓÆ„Ñ 1µè%ê †s>¼sS¬ù0–T!£Á¶Ð±†[ äÑQF‚.ÈÃP–ƒ¢¦Qeª|2¤™6 ²_ºž_?ët­^jòo :Nɲ•“õ<¦up£ü7i`zÀì”î0ýÆŸ5; β’˜ïª»øWõ7Bsà5gŽ¢ßí Ë\†«Ï=áåO9ܹâUtM'˂ŠŒáAKélIÅÛE8vþ0'fUñk]gQ»+HJàb¹ç=A÷E°xµì8uH[qÊwBg»LÇ ÅjÓÚ”ÅKóK´ëu˜SQ’þ³^¯uïÇáüêIQÓ÷ë¯>;ܨ×BOkÏ2KÒ (NÿÅÖ:Ïükâ+|ûF2y¿ÒëÄ4ZÁÐ¥‹dׯ×qÉ%Éq\Ýd¥Ö%Bå‘.ùæS¿}Ú£6‰*¶÷8ˆs,zÚ¨˜Òp‡ÓÆy‰B©ßxyZk­1ôóú7ëß æesñ-¾ºˆ"”·õ ÁZÃãh#èûÁâ=†,0 D<ëÃßèTd!ÎE+(‹ —*ˆ ÷tBÙT®V9RÑz€Ïx¬Ûèo4Ã^ZZ"˜«hBÁ ”îVàRÑÇ•T™C8k¹hIÌä/±¡Œ²Ð)¥9^ãîqLù^Ù£ÃH‰%uˆIöžà<ŽF8wÐFïa’Þ…åœò.ä0mââÆaH°©–¿ÌÛ|ŽëaÝÓ.ÇÆ^5ÃÚ ákŽè ‚@q!vbOöµsX4ÍiÈ=eòÅ XS†À BV¡ûO’¬ê'þÆûŽDßyÁ#IÉ 4‹ç<•Vk·hÑ#–&¹–`²9vPù–³Ê;ð hU²ûK.ïüy¤ ½òeùÜò45Yå;5ñØ%‚¹>îËÜ=Ãt3<Ö÷„h\rñG0ü´¬^‚¦[$E9„(šˆ"fz“d#Yµ¼„©È\+˜^]‹˜]³îiO ÷¢>”*àÞ<'ÿnF•Ô~½‡rΩǰ^îp°)Þ³Í^PM£1èrÜ]n° F'µƒ4o™Vœ°áÅgbB"J÷Q½ É³*ÓCðYqcܧIƒË‘¼?,¼Þ(šï–¶ µž·hä½}Äšà†m‰yþçÜ=…±=!Xzú‚ˆõ'Ín·ÙzFðªçÄ?ó¯7þÙ}Þ8>þ'{˜WÇÙ”£W$E;a¯VÍWL bX°õžÓKº¿N"‚Š%· aEòçѵDÛ*ÈoÑŸ(£L™Áëuu=¡2˜’pÁ~1VEÁkâÙ7Œ•ü½Tò<-é¼3u´rj¢º¡UE'3}€ó‡°Ÿ«¹aÞ»†^bKô¢Ä%+À`\£û¼Þ~|<ê¢Èåˆ-¿#×r»?Ð <ô™ù¡m| ÏiVÉè´‘p'nê¶HC×W^tf¬Y;;î±`tÏk,é¢ÛêjÎZß?÷‰ÅüÕWÞôz𳑳à›GM”ÖjÇwH̾žBúë?Ì=ÃÅb«vÒ({´Ñ+úyéö{µ¾]1 lˆþĽ×úž¬£ÓN–RñÕnõá.¯ÏQ´ô:g ¼XúÅüêæSû*T´:Æ“êOkÇ݆ÜwרN €¢Ý³'Ý6Á§ï§3]}]¦~«ÝSº«^ö{‹@B‚cWšã³†Ï}ØA±`W{¨È7ùO"wX¸WÈI€›z¬˜êÄìØzûä¶tg¡˜{å ÚÿS(|0@+ú9Ñú`"ÔâI÷™ßètÚ ™¿²S4PòCTz³ØË…õwƇ»(©ý›´¤vÂòäY€®Šoý¢F7Õ7À.†Ù äµ³Bÿ/ß¾9;·Eà]„×()Ï1+D]-(ˆOC/!?k™Û}²,褼xš¢SvÿRÚ;”ŽäJSvÂó,µ2÷=¬@4z‹’vï&œy›e%nÈù)HpÃËK¼‚`4ßslxuí+…¾•<É´UL­ø…-‹áNC©™Y‚®×½pÞ¯ª{„J]YæÏ1‡pÃÑc†Of„ SúWçŠ,q9D1 YÓåäàÌÌD>*„˜yÏCº8¡ùz=_†_¾Äÿ´Ÿüµ®þËOÎNñ49ÿ ^aÍ!áèñ„ÏÃþÕdø…„e²\B±ýt T6§> i¨å ^ú/Ðfƒ.Åæ,—^Ì0ü?â+ 5NèOÝ®ILäÅËf$Þ­éa¬×KFÚdã–×Îú ¢s÷PDìçaÕPë¯H—™À蕎×!a¡±ŠàtÛíC(Ù¸”8ÃÊYÎɧ¿ýš³¡"?i6šYœt¸ÍVýøì¨‘Y£­Õà·®¡^'ÕØ+ÌwØ?ÌoÀ‚á«€Zm>‚%3„T{ù’M] ÖÓÕpåáU5Z‘éj˜gå"%²Чøñ;Uï4wÁVÿ«S ~gUËø®û?MO®¬ï–H>®×êÏ>ü_ý‡â+; BÖàÒ¼AtÒA+Wÿœí¾­c4™ßLC\•Îi\;áerÖ°ŽcôØb’ 3o¥P{Á&Z#ÀÙ0R(Œ5~çµuHÊ5£ýqâ iLà<º\ÄbT ™w Ã:Ü-8Ý&ñŒk¤ŸF3 ù‹9Ûz5¨‘¤>D vêóÓÊÙK¾I}#†nŠB„7¸L^á¨üYk”‰¼„}Ûø”p4å«âò8» û~±Š O€ùYÆÐÙß9û'–SìAä¬dnã´m×aaÆêr[3jš³?uç3ÙŒþ ݰr¤ŠFC@S$÷©’PìÒÖa>ØXÁ^öQ›L§#JÎGNJ´És«ç•qPËC¨:…Ø ÕfÝ뮓…Í‚!OâÒ9Z‡’,ا¨áAzs9^G£J¦ àÅ››Qlc >k3IáC‡.ÜkìÜÉ‹êD3ê04Œämt§4‹ùY¼œ_a8ͽÍ×ÅWAå—ZåoäæüºTÚ@€iá÷WÝ’åò³ æC#úb2Dën0:¼ø>€æ@çìs…>þŠ}Ï…[yèîÝ+r»6_sàÙkû¯Râ„é­°£[¬"LÁïõ’Â7QÞºˆß“G ™³ÎSYÇ >PŸlϤÉíªò3úœÎ ÂAùŒ[KÀN¢ ö‡†j£Åxâ}³íé3¯Ke gè:´ý%úWQKÂpâ-Ô6·»‚P‰ \ö¾qà‘Ìî¬L¼ZCVãB”ÀVKL7 ¹†™£-¨ß¬ð³Àu‘iñ¥EÞÙ™!U£ø2¥îtl¸ÂÜãÄVN?¬´ï=& _ÍÖ8>ÄE¸ÍÞž÷Ð{dEZ0úë=…’§Úñ¼°1,T¯òäÜžA”a±+yç³ñ|cÕ<@¹wZo¯’çŠH7‚¹‡®îl{[çÃÉV|Uu¶µ)‡Ô&ÆÒ$?äFˆˆÿ?q¹K>xüó ¸÷|p:rÙ¯0_/rfA0. z¡ÒgôËB%*h­ÅQéç-\G˜<ä^6_ÌLËHâÝÅä®ç˜šU/# é8Ep ©E%)p{ð}A¿7+VÎZÕ*O­¾ædŽ„†Ž‰¼ P}-È„F+‘Ïmô‘Uˆ£œüж‚ÚxÙ«Dt¡ñp²ˆ©h£á¤^Þ z3ŒEeô+¹˜¼ª€¤u³b™ÐK›¦˜F:ÒhJt,‡gqj4—;AÍ:<& #"˜~\Žúàà²l〢®Þa!ˆ”•OKa4ÒThͳ¯© …Á= NÿáœÂÞñ†)hpv€vþýF8AÁ‡7¾B$¡´¾&¢êO‰N‘–êOgXGoëþrŠã_MBdþ[ç}þÕ³CS¬yÑÓÀ‚Øå C**}^… Uˆ±iDÜ›« Öt(ëÜ.o¹›SÓÍãŠhD žF‹Ë+%@\8¸bôŒÙ >x«·ZzÄcˆŒHŽÛÜp< úÖ «•¼t'×qrµLÂãseØ«äÇz•ëxG> Ý ÔéèPíS\á—'ø” mî¼êÁ;]yƒ”ÍF„QLÖ†Ó¹?·£3­ð°ÝǺH8›Á5I•"d®KO6ø±gújgEõGQ]Ü*rô<ÅÍð*1Þ÷˜ß§*% ÇV&G8`á#3âð&IjPÖ>æ¤4Æñ“É_Ùlò ¼%YQ‘ùV^ÀøF”’m¤œ5§~·×ãÝóU¥Â3Zɬ†%*ÿ+Eÿ"¤š=Ä‚Íb\HYôîuùâ)9$ÁÍ6_²"‡L[kŠY¼ôô `ôG‡¶]±(á’.ñ a÷¸Ö}~Xx]­ÁvÎô°ÿ-0±9¨èúÍr6ªûÝ¥ÆÑ¬b†ˆnçÒú‰l$|¦â[(9‘HÓ,,½êGx üQLŽþJûÇ­¾ ;Ì K lî’2®My õÐÕD¡ §‚”£Ztï0ò%|Ê0€‡›JEËžh’WJ é>1ÈpS .BI8bNႱu@œ•¥äÌ¥¯¯!5I2áñÍQŒëO›Ç._7_6KD‚ÖÝ{8ìByÑ¡ˆ'ï]ôVÄw)†›¿g©¸È¿ìä©à}³òÜè_ìlNXj|¡žÆy—gŸs¢þ¬’ô²fAÒì)=´¥*§WT¤ ¯"ÔU~‚n˜°Z NIЮ”ÂJúªvu8áݧ\8Œ¦”㊮ÂñvXÀαã/ °¨xõDÀ{!ó $¥‚Ê{Äð·*Ÿ YéV·ï|ÍF4*¤X³ZJ‹†3–OÂkɇsª“‰jä\gQfs®¯¢‘ÉFñ|˜ÑŒ]v÷I‡F‚ÞÁ„áG´nSÎÁ—v·÷¾Q×\\m˜© …,5dyµEj%ÝÞöö¶ÎM¤6âòÿÜ«nšIµ I«›å—åiA/jÓËlSeÚΦÁl~ø3œ”  ¼HÕK?' eº¡·¢÷WDØe5Êž¥Dcu“Ö• ía­×§ö€[pB¢ö®ÀCÁdµ.Uñüd¶­-IºøÙÂÈFS"3Ó«yQëù-”­’Ù䩳)âô4“4Fìà8a¾2sŠnÍ$»!î)_ÈfÕ:Ñ{ÞF‘û\]ÈpÆ`Ñ s/^´ñ)W™R²³ã½ÉZMq+ØY¢L%z$gYý‘9£‹0t£LuhÚ›èqK:^f• ]ÆšÚú{XùžN†³ê“ ¢ßä bñ¾SàuîOç|­ÛŠxʲ [—…Ÿ--ö=N—ª“<ÏÐ*Žºqix mmhüõ„Rí‚|'­ ²7•}SR ¯àåÉè¤y 'CþzcÔh| BœFÞý°«…g]7ƒZe”M7ýçÈb·Šrøx!ýóˆ’M)8•?Y„æèJ…\fÞ ë^dIi}A¥Ê¼žä z%@¢Ëw,²BBRž] i#f: ÕÓ‚ bWG Ô'-¹ žuEó˜’9vÏV³ã,éH.sWZ-_¥ÝéE»[y-°¨ÿÞõ?@Ñ>Oˆ[· q«+º”ÌýŬäå:L)À¼ F ÷ˆfZÞ¨þvGßG G_k?(¼[6ÛÌ#Äý+RäÅzÄnZô¸ q!^‘›h1SAý\»Îæ¬vC!"N.æJ0DÕ#¬tüRà/aÉ¢30…awB 8°¼ËÐSÑA±|ɤŒ_÷ÛN¼°©XÎÙñ©&~ñU¢¾ñw£±%@¶ìID+\r[í ì¤f«ñ¦”UãÇ v߬í!`Q‚KGS,Ÿ'¡E‡$ë»ä…Åìä\„^ýXµ8…¢²[}¸]*Û1ggœ^afm<Ò1À?#1 :ÆYÙ!®‘CR¶=Ña ±ËT–}z8pCb¾ª^:Ò™}å÷!¹îQŶ›„>ÀÌàŒžsè=™±„0åSÓ— Inú¡“ãã_…ª‘j¤Æ U®Š3±.XOpc£‰ˆéŠ(GŠQŠLò™ES=æÜxîN‚Á:O9´?’hm\óºõ×Á„ƒOQ94B•бÅ%ËòFï©:µsäR?pÚÏ üVý”¼1'>.¾ú ÷ªVùÛ›ûܺ‘ér¸2ü<]AvT³ÕíÕŽµ3:«0VC2I”ùŸéOË) óÃVšEÏC,†ŽSó *VÅD)`Ë…Øqß[s4-Ô]ÊBº¢ä+ÍjžýÑ-uш£Úª`½ð¦´DwDÅ9ÍØIÒ…t9’H·:BßXÑ5n"7xÅ齃¬eaƒKºóÉHÇ òdÌÓº×I˜òëD—X’ßà¶„`“ÒluYW™É1çxÖz†Fþ 3Uh€²ÀÚÄŸ°d¥«Õ¤ ºúuÁNºcJ ø¨læKóŸ ,BÔ¼!Yø2UÚGCòRY ã+`bók„ý‡½+ùØ7ñZ~QØ­ÀyÀ塈ñ¼ušµg­vÖA„¡Iá°ù-QQE¨¦™ËÊñ™Ëå°;wøÄóFí¨ÑQ•¯€×†³¬²ø‰fëi›ÌàÃÉ…˜4ì³Gß²X,/Óë4O—Ÿ³rAWñ“èj < ý|0ô.2yƒ¨|>GÄ«%Eu*)n·z–wªßVßc”:Éâ-%0T+Šïãrò%AÀS8 Fw5ŸO÷·¶È±±z9YT£Ùååtyn]ÍÇ£-5ô[pÚ­l½5Ž/ Ÿ±Š¯ÿ&";{BÄìLòÅõ§´37Š2Lx’çŒ3dpýV‹˜yºÏäUöDI@Un<<µs¯v ²ú`•ØÏ#Åö,„ò$G$/²:x̉ÉgC¦Ô^ü°bV‘“c^*¥Œ© ½¨,0Ž]!D¶‡Ø'üÙÿŸäœÊ¨; Þ§kâCª÷§?™Šæõ»¯ß0´Þ­)"û¶lÁñ´qÜm$nhø…Li€§PÓ—;ÕºÌKÞ2š&šsi³ÈCyY»àåʆIåe-ÃêKÉÞÞ6ÅYÖ8z»ªuºú’æ1å”×kàªñ“÷·5rõ(*"«èžä¦jã§svÜ訧B`„w¿†hµ4^6/{tAÓj˜‘DÏ~W°CSQpæÞ“SøvGÊ›f¢ ÑÐ.ˆðL<>í“Nέ³Ñ 1eê¬.‹ßÅâ(OgÑ;–)ˆ,£5ìyåø¢Þ‹Öµäü,o†1@ÛÝæKöCSÅ–\,æ¨ÈVòÝÞ”Q%Oèây‘0ƒëIÛ?(ß`¼+t–s¶•ÉEÃ=ãx1f×)TŒ.fÚŠC—÷þpJ7èn¤A=./g˜T/­<¾Vd! ’êËØ0ôDA¦Ý¨¼¼xxBy…]Ðï‡Ó¹DÇÀw£Auö¾óÅå½íov¿!/é :Ʊ«ºï†x…eÏdóUƒfPwÔ€°‹Ø=´Ã)°¯!_… ³qÁ@Ëš…öÿC+ ‡N²î.m·¡•„Ò7ÇéÄ@€™FmDãåU¯‹Œ×{úc¦þš]('2šF¹æa^ŠÇ_ízß}W€ýZȵ£iüeMgnS9•õb¢&¯¸JÕÉæãi8ƒµ!I¸0Ì4MTƒö¬+3ª-‡+àpT. ÊËNéB's ¶Í&³`v“˜Çó®ÇClˆÎãcHǪ‘Ê>Tˆ ¶!LÉXÅEäh-¡ >áíAVÕöµSŒwT²¦°6âê$œo½†×ÕéÕô/ÃÁáýÝǹÜ)k¡(ñ#«¨õô½ÈN™HË¢JÙJ):§8ßÑ"ÌE\fƒoÈ kü6 $–>IØ'¡øä¶©X¥: GSX)è¢<ܲ×õJW^úÕ\æÛR„ Ý ^oœö@ò}Úè4Û¿s¢®ä ž¿ c;ŠJuDÂµÐøR'®ƒš2ж„ÞuBIÍ.7vèOú¢ß“ùáN•ø”KgÔGxòÒ`o>§,g_ú˜YHþÜßô”û„sc'ˆm‰ÇÞ}oçgËßü&ؽƒe좙þpÞ{œpøP/Þ”~Þ’õøêMò;K ×ÿ`»Fg—iÃ5ö‡ 9Œ}ŒõLÃðZº¿´Ÿ|=Í1ž€ôOCZ`sѽþÒR‘äàƒö¯8_ Ò]1ó8ÉhÖð'†9Él-=N„µíùièX2˜ô½ï¾óXQ‡‚Æ Î÷súž.R*r‰öå¥XˆsÕÓçíÖOûú9)—îyÍ yF¸^ZÎ|‰Gì|¤MŽÒ·l—åáN#Å)Z êgC:kÚÉßËçL”]ma €Åq\4s`0âC¢Ò–¿!ªr•Tß“Á²€d ¯œ§5o‡¨zÇ´c­Q±!(Z©`º ü¬í"ìZP? îÓ&ŒËk=Ưeðé*bwWþ›³C[r|‘–nC/­l¬÷¼©×n¼'Ý£ÌÞ;˜\&’æÐƒ‘5JhVWx!¥‚&s‡N£2`y¿áAUÓw'²'ÿ:/áÖ(@osôGúnfQvâq5]s&kFmèÃK¶þ¨­%c ”#.­„VnkÛ i°x1ªC#&ÄÕÏHÜIæi;1·¨ÀKw «MPÊÐG¨×ÏA霵`7vÕ¹ÂúëïÏ“»ùfÁlì”´û|‚Ê-úà‚¤Ñ-¢Žð"`lJÚ—ðšcÂP`šM$³Ê˜Þ”ØÖi%N‡“• #Y_…Ÿ"s3ÇG Àz*S„^c`.ˆˆÜŠ´RG¾ñÛ4:ù^ç320Sp´9kæm°ÔŒÀ.Ø=›B”Q Ì~ªŽ=£y!¢RÆ•îÔëÿÍÛzknM•¼¥0°K)ñE­3T—ÉÎWƈ\ñÑ[M ¹à€`â‡p4 ¶‡ˆ²@…GU?g]º…ù$hµž7”—×jôëd0¿S7‡øÓOoçSñçñ Èó¯þGcZúoÈ1M)îÑ«šANs5ÙXÃ\ØàO>~0;º@X¶à+¦GA ñ›râ ·K¦r¿—+sz¨ÈÉÓBf÷¡[”ÿ®âå˜JŠKq&ÆxôÃJNŽ¿FJ<\µc§ 9-ouWšÖý å_ ìÕò´;º)R²{c¼ÿø?°îŸV €?Zí^…œï EéAÂ>.f¦†gÓ—¤\ô¡nØ{²ÏºqÒãáT]1Oèòï¡7þ:‡À½dx]zòàÉ1ž‡K,Ç K%1– Ìhíd8QS‹’œ%Bü8‚Œ`MÝÙ´¾ô[NgAZÒ%Žk(uŸ_ÕõCÆã”.jSh¨„1éðD¬`NÔË•d9 æ¯ßïû}?ÿ:ùZ2{ B¿Q `©®øŠÖžŽl‚­QÔÍ1¶ƒÜãðGÈ{ý~•*>УÀÅéçé¡ëªFûNÄÝ£êˆêk€[˜° r@‹,,XÄÏq5^5ò4^ŒAY– ÿÈIG0há2ZÕ€^ÖÈÞ -—±¯^uH<ì|˜]Èücô½ÇŽWú* ãƒ12°ég»ô± ßÃ5ÅF´ Ò³ ;Èè»–„ H·}å’PgáÌóÔIŒãøÁMx¼˜ˆ¼:´6RäIF4h™…ÅìÈ“D&u­¼Ö k’ª\…"Í÷¼óqÍ80O(&B b§;´t*B=‹ÈaDA­Âia¾_tÞ!X?bÀB¥F,&œUæÀ¶`0Þë|eÚA»§K&\7aN•W Áe¦äDi 5(R¬“ëLÆÃƒÇõz‰®ÃXÊ–pUÌ– WaÞzíSÚúru–Th~ä·[u+€Cñ$ïÕ²Œ©xúڿ⚼D€§¸¹I!XÚ¸ZD0÷į„òIûüƒÝ¿FÑ%4Øä!Wͽ`Lu6s%ÑØËEZ$i¼YÈå%áM)4æ öÇáþÆq³ÕhµÑj‘÷…Àn#Á ¼ÿ”t.x%Îz‡ð7™t7þ’3øÏ‰/¾Þø‹wH Ó¸ðòïÓp™‚¥ïÃWŸ=¶@FÄë™sØŽx(j¶¦~NpÖ³ —!¹Öw;rŽ—lC×Ò ù¹Ãxƒpv HYˆ{„§4ú*I²D8éz(6Àò)C‘`ŒSZ#Wu¾N0« ÎUv-+Ÿ%à]rÑèbü¶¨&^½zýúuþõ½×¯¿z]xMzÏÑÅ›7¢qp}/¥áËÛF-{SRŠ[V‡¨Œž+¾÷Ú{ý§Õß"ä½oRùšo1¦HΗ‚NŠÁ>‡ì°ÆbŸ‹÷†Ê%A¥(W•6…Á=YˆÆ½r,Xb˜H ;ä¤ÍÕQE˜GÃÉÛŽ)coŸ»‡p!”tlŽxX¼aCÂq,u±Åð’vj»g!£µ'‹“„ÀU ì÷Ð8ge¹(‘bœ4Ôèê¼(Á‚‰G¤µ9瓵å5/á—\ë퓲I“QÆ’á(Zƒq—à€éý<Áúxn•êAË»•\•zÎ…!ßxµù†´ø/•êO÷p>ÃN&.¿jîOÖ×ø |C’'¾…ð/½ —DQ¡ ¬UÑíZº)Ò ìFó›HÂfŠäe-*I"-Êu;ñF±†BŸ}ÊÀ†eN¨ DeO¼+|›Ü¢ã+v9ÇÕ Ÿ"t-¬«I{ÁhÄ@Íb]ê«I'Ëër Ègµ»Àd«*²²oÞC§Ñ1WóÈó0SîÎæ CbÁŒœG01î<=k¦ñòÔxà„Ú<œ°sºÕdåÔ1»»´’Ü úõW~½!û þÃÛu®6þ±"zÏûë°Aó‚-N½m×1»ïF:3ÄŠöàëRÎÜÚo‰ø¾Ò¯&8#z³ßÈÕl Oâˆ`5A$˜X‡§@»}™céÁŠ1AŽØËJׄ©ˆmïÚHÊ{ŽúYæ¬Çx3T±uA쉘F̉~lwbÎenpŸ3¶³?'\¢k9°èCþt88D&Æ ØÂ†&Q!1‘Ëð ‹j^¼’÷ß\ Ý/WåÌ䫾{Ê“ •Õ~j6ºÞì¼µ×Ý„o‡úóNž {Þsºû J»„ÍB²Ÿ6fÜu0äÕªÉ8^xz‘&f×Ý`Œ½Ï,º%›oÿ8‚ Mª]çnÑw¢z“šÈë.ïç¾Áâ¹û˜c^ù+Q,SäÉð §t² •½ü$Êc÷Âñt~#%äe)éjGæ±³ctBW¨Që€f»åñUFÅ[ sí z͇;ùÒmˆÙiêëÞΛX`*¡šÉùì`ùû?ïï‹øQÚ£Óp#ÌÇ“vÄøÃm¶§O¢%ïw”ÿ’÷NÇÕí7l$P⨆‡¢|žâsäuaæ…êeµìµ¢IádÛ]:¬[áûywNKD@ ÊêÖ„¶˜+Ø3^N*vèÛow¿!²¶ºûàkb¯i7›dæC­/UžÚ­9ÑÁ…)õ¥¨Ï%ýdITvýFýy»øêUà7ŠOjâ¥RþØ–ìfðçåËÁâr<~6ŠX­”rì)¼ySÂð í¾WÝ¥ÇÃ-¦ãÛId°º8ÈÖ¶JpcJž«!Äiä|V… ŽÓPe’Økvš/I Pe?»ù=ÿÒËŸf-ã’Î(Mu7²Ê$Ier|R˜IÀëwvyMqE½d™ÌúªEšŽ‹…ïTZ®>YèspM ìfÙ)‰6ÏI¨²Ï`Þ…ÀÒg^AœW ’wæYë¬Ä^{?ã%§€ìÌp.*ÔSŒÇ„ˆ~>œÀ c+<¤ZtSAíó$¢à ÕgQWXŒ¬KC\–à7­Bƒ5}q pÌ߆Q)¹Ï( .Š\^7‚ÏóÅdCRÁ¨¸6¡\E¼p{4j8ŽšJH6xtitÈçÅT*x8ý Û&q³· ÷¡_°¾¡­eQ…½7gG’óíG_ZEÐFi£]&F\ÄEy ˆå…$‡§.LÃèwÁDú‹[¿Æsû3þ<º¦¤´ªê˜v¤\> ou2iO"w!p¼³»LFseŽWiÐy ‡€£ò,¦6Ix?Éâ<;¶ËàÑ@Ñ~Ô߬K: Ê6’6w :BÄÍ9ºeš[m¢6©!¬”!x¤ãaî÷Úíãâ+™Bï ü±O×>g†•“¬3&ö«„»Jœ·xhfµ¥v’G³»{ŒüXë4Q¿ÅÑWfÈ-„TRʰ@L¶ZE É÷êïïqM[Ù Ò™¼Úf³¼ð+±¬?¦Ø‹ÅùhØ÷bt%ØÔ’×çëÊkÅùøÆ÷%ÛøÎå8Ÿl”ÐÝö< È ß‚ ‹tïæ‚H`OÛ“Zo…ÖÊ1ÇÕ‡€)pv3!:é/ äMÍ(¾¾ûºPö „i 00 ÞxD»è@6œ/ˆºf¦—âCù’Ž™D ÈlÈX( ([¹|½¢hTã.?ÔÞ€2ð›LxüôëÐ3¾úÊþþcݦ«ðëÖ/&¦Í’N îOý+<äõØ!,orhTbüàÏp4ˆ«v6C­6Î ¨}wä0¸ºs6£xÖ“D±v?g Iò¸ßر90Wºç=ƒEŒ* ÓÆŽgWÊá‡ožð<@';‘"\þêŠsÍ.‹j? àW7I ‹%ñ¹æ¸³Õ«9{p(äEùâAAc§²¡_ȉ¿¢zB.úµ6…¤)Ä)ÃéQS¢É:ƒÿ‘Sèþ±y®¤ª£ØáX‘Ãθ:03¬Î¢¼U'ÑÕG ì4Їï¶8\Þ®èÌ*X§–K×ÿÍ„3èò™hÆ1ïæ³Vg²IRDžñÛá”âËàÕ¾Äé„ôJ®ªÞ’‹­YM·­¹Øâ®XfÑþTÝŒDLZ"ÀšÒ÷åCê”Z:>TŠd…ÄÈïKÉÏ¢ØR9†ÄY¹^ùñtÙåM ²³DP>Jµ€D@óY¯2Áüy¿²4Uÿÿœ¾wœnT½SMiª"ƒBFRôDKÙ‚hCò!“·ŸÚ9Õ%ëXóÂbhùÊÌ q´ÚKe¶FQˆ¯gáuɇsFÒ_ENWµòÀ¡8ͳ>ä O*ðb‹)œ£Ë\jX'HÍQ§)’2RÈJÕL0„“zLæ2< mtlÑ^?6_“k”]»@qfj"<“Ñäñ• Ó6ôسk9‡«ÃYÍ—ñ·0F—§:¥K’ßt>U*‹_,w"OöLôsdrûQzݹ'ûäÃC}½ÉÂaH¡#Þ æ±pŸ-øb”¦îjønÄQÆE&¶.û>,]Å_ïI" «ÈhxŽ-Ì~7WáMÙoãÅe0[ònå7çÿO%÷à÷ÿõùwýße¿òMu»º·õ¢^'pŒ·ùÄßÀ4íá|½»mÿ“ÀËÿÚk㣽½Ý»;ÿ=Øù/ïÕ@rg¶õÿ—üïžI ŠRí‹`ç‡Wߪ߿ïílW–ñßGðïNuïÿ­^ÙkwwéÔ9jw÷ž½@%Ö ú»bR?RT¨¸MÚdz‰FÒ˜h˲ÆrkÆ/“aó¬4Õ\÷§n¯qrxÒ}Ñl=ØÍÝ“ßüYýZ“SYآшŽERYœ³mo." *I7“`<ìSLL± ðX"H3ê÷H¥‚–§ÞüfÊ ¿x]2`‚0ÇLJ;9õë¸ù~ ¨èoÔð³·Æ=ï”ÑšÑ<öEWÁQóð¾^;>Æ`ïØ"$ù.ê§gKë?({{eï!Kª2#LÌżà]ƒJQ@è+Î€Ë ßg¾}zvø0gÅàŽ‡¿°±L‡¦ÞS+Ó´$RºÄïæ+ÑU¾šÃX͓à Ì{0y3ÎÝSO®ô£ÜQãi÷°r„¦¥f«Ç°Á§mú³ëUŽØ­É?jvëǵæ óûWý·VÍ÷üÍÉè]ê²ÿwõw.…öáINøÝÂ÷éë÷§Sü‘ËZþ9®Cup ‹#M¥yÚ¼F¢•s²ãOàî}øpg×ÛøÞ»/uî[•rü ÷ÎZÉ«"N9giÑ¿ÿ³h76«£ÉÛË1¥(Z` ¥Ðë¦p÷Ý®Èä?«jNæ©jÈoÖýíÄe…1t þ6ïQù33eJ¨ºLÖ#i©ðçaÁkxñ½b!jŠÔfÌ‘3¢ç;wkÉùŽwßiEú­ùdáöuñ½4B3°œY‘û´$eýb·4¹^pí]~Äz¸ûZ¸mDSÒú®z¢bÿíáîÃG?¬¿š²VÅ¥¥”Ø™åijùþ៧çLOÆ&ý˜)Ê™½·¯¶~¿ŸÉWáP~ùRŸ´êL-á÷úýœZ2<Ïñkú½”P½”<ŠíZ9»ƒ6Ái^ªv.Wí3áU«[½Ã««ð—“c’£œ¹Ôêþtò¤}ܬSïÝ q.¼M>²Ãÿ•z ¢¼…¿Roq–ù-Îdê-°Vy+,Û~ߌå-ü•z‹¦\~ ¥ÞÎǪUðWú»ñ\}7ž§)¿å÷aºnt©êF—é·p È[YÐö[”ø-ž©ŸUfÿ7õÚ£0ÿ׿Vÿ·÷õ£‡ ýüoû³þï_£ÿ³|"û/k{ :p;ÌÙ Ò«$Ub )çBr|ÞìÂí57µcþ–<“G^­ ?ËÞ‹fï¹W{ÒmŸõÇ?y­¶÷¢ÖéÔZ½Ÿ¼ÆËÓN£Ûm 8o»ã5ON› tLªµ~òκ ¤Wëy?µÏ:^ûEËë4»?ðgO%Æ,‡³š|9Óæ8t5@U úWÚnÙP•"á'7Þt1›Rð'Ʉŀ¹ÑØ™Rtt!!žRúXö1œJÀ©ãÌIþ™7-X¥‹²ü:Ùƒ3ð{ÌÄ-FoÏ5Áš¾@y{j0¢x  €þÊP#1Lˆ“îë‰gB¨«EŸdÎ6×þ®œÇBùxAo ™ƒ¦¯°)à"‚EÄ û³S"F“ýà2,i¯Žc¶)í#êH9,Yô–±J[šNË]žsJ?JŠLÆWîG‡Òí•) ƈ‘{Pv+3í¾ GÑ”tÓE“«KH•ª¹ãæ“gu 3„fmïÐ{¸ÿ`×OOÝ7Ûð‡P ›~¦ñ©§T• —düM)Ê€²ò nâà;†ª j¼‰IatéhØG×¾Qp©³, ;Íâ?Ì™¢^„i•—2޳~(ÁÌÜxKn©pþ0ÑþMÑUô‚ÃTTÍ!¬ÔbG+³œiâ€Ð¥H³ìQ^BEì„*ë´Á&è•?* Á‚Ýæ’[RpÐ]+Íôõ>OzÎâì"8X.}Š,´Ëží]-$a•¡}êVÀ?1ogšÅ ÓŽÂøp´ªI¡åvRM)’‡QCU))°[µcÔ²ººë·O»¨c?{rÔìtÑ«Ÿ"<|‡Ø÷P‚VA|D—$ó$'™ÙýÚ ÉÆ@­ÒôÆ{KS=c$µJ“‘·¨„½¥u~M“K=çzEQ´CÃÕ‚ÖxSG!Yž—qÄ&Ù¨…F¹ã1ýGãe¯SCu~z=÷{0BZ§ÙÀ~I$c>™¾½L?Ä}åO" X±žÒNS¡)æû¼ÇÐaÞGÔaBkhô SÄ?ªõjPè|p]›ß”ðgêÈÏ(ý¨åLŸKuêþ!.¼/9ŒåAÝ㆜¥ýä¯T.ˆ£ÀïÂ!WÇ&²ùÔèS…ÓÞóôÑïöjþÛ:ª·[ g®á+¤ó^Z8õ¨1_¡»‚NÍð‚(ªZöLÝwÚ”Ñb^/Z­Û½oßh_ûZ³Ú—ÒZ¥Ú7jÙ>^–À”à ýýw©¡´½ª®V÷•’¶¯u®}Ö÷¾¸Ï:æ¾Ñø*:JQÜWzæ¾ÑãöµÊº¯ÒÖ" ­ôu×À¾WCgÉ90Æ8’Äóu`Ti–I½âóìu3gëz8ªu U+Û4fð1]|8¼FÕ®ÕµKÓš³ÿÅOË*w ÿͤ(‰»ø²,*¤4Ç ^8ÂéóL.RØôÊ©I®±Ý³“ì^_‰ãØ©“0UfÖÔÆ€~cƒò½n€Éñú»R¹‡0þ¥ËEL#²Ï:z&±ÍŒíëœ@[pl™ŸN[Æ‘o µîÉG’õAðƒ W»ºsxÑ Ó‡'ÿèšßõ8T× Îyw†§®NZ £BódñžWœî°µ¯PB4ˆâhkDM]8Ø7óƒÃtt„r0Kˆ¿G}—ÕÔBµ`/©_ÖÐ#CÌNno“´>w¤Žç"±U4 9ŽÇ°ä)ÕÊeê¢+‡*|ÔÊ$ªh³ªb׳0 íùˆËèÏBøíVXóULÆÌú¾æ¥]!Ì'áü<˜·ªx¼˜Dñžõœ÷ËéñYÿyâýû0• +^ý0Éÿ–¨E„òÖ]A»ÖѬze?ÆêW¹UÕ&%Õ7ݱҪZç½^Õ-}’;ïõ„fΜ}U(%¦Íllùzáý8¤¬O8Œ)‚r®¥¡)óEBnH—A½"‰Œ±£ë›Äo¹¹™ÄÃDí¶ãFƒPÒDSzõ1çëuE5HÓ)ºIÀ)÷e–s$’ˆº?,[–¿§7fÝ¿ P+­¦¶ Š‘¿¤ôÅ>5Àغ³ÞYc78 @GÕ€º²ÐíØ@9ß k«bÕ‚€Ó9:‡×MûѺRFMã.Oð½G7ê=Dß(ª²%o_/ÎéløËS ´®2^ùø'¼y»—ñòjò‘½%Üý²”[éÉñ©Â‹âÄ–bÑ—"‹ãìïfœ¿©–k™"“B†Ll&‰sW4°*¯Ô÷öt_«xE àx”ˆQ³1 εþ®—¨OÁ `Dÿ‚!+/¦åÊ©š¸GyÃuJ(„œhΆ⦅ƒ¸€~Uoiy!9j-(FÎBu](“ûg-ñBj A_áS•àPC±$_¨–TÞ{x§ÃœUpWp» ·¨ÆÕQ´Ÿû𗞤¾¦3É%F1üßAñîŠó¨¨øLŽ>ô·j«°ä¾šŠ[»°Šhß°€aK+GÕjÕû V*âëèlÒ)arxÖÅOý¥„î3µ®µÕÙ브Jí|}5D(B öS ò0œ•‚ÕêQ£‚1iÆ ÀDBƒ¨¿ÐÐLBN-j ·ÁI£úßgÍúH$ &[—£èxì0<ز_Êe ^gQÀ°Oß”œƒœ;‹"¼~&é¥HLû3¨$&Ý`TGùúzËåI…³?Ú~÷`ëx%ÈÎ3–OÆc—> „O³²5æºóe½£þ/©KÃéëêµdœvùù8~7—s,Àõõ5¨‰¤ÃRË‘._oíŽÐThÇtÞ‚ô‰Ñþpñ©RRà?׬5ÇL J: ǨÚH *JÖ G1²Á¸ ¼@o¸S`ßy7¾÷8®“Å“ïc&n|€J Ì`(9“|o6ØÂ쇼[è_û1p-ø?ÚˆÁ@t†xr¯™“Ç짘(‹v’}™ ˜˜ Ø_ °B:<é <ÏO·Î^’b¯M’Q7€ƒÈ«¹,û6´2€) g¿‡iì뇗Ùÿv¶÷¶µýoo÷Úÿvì~¶ÿýKì_z[çÃÉVŒ@Öð*ˆ%<ìó2^`Î y¡²Täø¹îînï<¨l]ÙyPÝÝ=ðîyg½zäÊαÓXuE Ã(4Þ‚MQX*lŠcþ@Ù_$‡Êl«d6ÏèF0R(6ÇÃ~8Á­_Æ'ñj¹{+A^”B9ÕïØI‘ÎT³™¦n¤ÝÍîª ä+˜WpƒHax|÷¸XŒ ¢‹²gû¬G¦Se`=ÐØ1²MVœñt„¶AèÚoXorÒènõjOšÇÍÞOØþ§Í^«Ñí"ÀŠWóNk^³~v\ëx§gÓvtu¿ê¯L%x_ž##æ>ÿó'·(ÙA@ a… ïezsû$~Â߈aÓBÞòm;š— `ừù|º¿µu}}]½œ,ªÑìŽI¢o=f¨;NÓEPrpl¡¼*&ÝÕm Ì1¡°ëUhŒ§¸Ž‚[ž`šE©‰ G^]:Y•lyÎeU ËeZ÷ÈÖõÁ$ë[ÖhŒŽnº-Ô ZónOÙÄ`6熗¶, w¤3~ÒbT ReoJfR ‚—;Zƒ—dKûþ¨¨×÷2âqEÅèG7%ôs, u¾Så*òX—§v4øb=×yk5*6ÜDX ¼÷Å:Iw†Ñ'xDò7^6(*Þ›iT™…#fh5‡x•E.·ˆƒËÐç8€b)÷ÏœÎñ±½ïmlb&ôn¤˜fŸ ËÊä±›ûËÙï„FŸ~÷z¹áãýœç²Ý ýBoÅCÌFÑegâð´Ö{Žf±ùsA¯Ô—G*(ñ,fáá?oÂø×Iôá ¾ëG£hF_ˆÍ‹ ¬ö@#k…ú»d’UРVéÖ;ÍÓž÷ÊúQ©už4Z½î›Æ$¬Þ!.”雀<˜ÎTÜÝð–…Ì«8r0²ävH£äQºKN]Æ+‘ò„eZ1€ú…R!ëä4‚:,<†‚ÕÁMXUs < åd§îlŒœGÞW#?‰r4Þ>7ücW_ÆÁfáê)¾§ÞÆ=¯r9÷¶C‚Á(v…¢RÁe\²Ü¯µ¿P »…k ù¬…µá×ùdM=/ì×ÉC»y|5¼˜K!5[%On²ˆš? £†1YÄZ„%Ï¡dAw%—¼Äø¦Š§V-TIx²ZI~q 7?Ü,yöîÏ'ï‚Ñp k³‘ìòŒEMEÂð˜`Ž"Ás*?*Ts*«¬cL ðÃÈrù û§==yMBMAÞ[„š"õtZ—D]k±%˜ïy?`ÖN(ðͤÏREnV[Áx‹ì}piÛ|¸ùOÔâR1@=,ü¯¶ìŒ æýàãËÙDïÒãg ?NðÅè’^ì¨Ç$!_ª×磅¼Þ£×OF Â|_*zéù ôNf|Ï©ð˜1#Zï­ªR4b©AôqúÑ£š4NƒÈG¦pX °Zaž^)*MUóí·¦¬ªC&œMÛ´º3’:/ŸÖšÇ+¾³iuG UYú• ªC§¿9”áŒïcZ&-Éè(Â;ºŒËÚg Ý×à6 d0âÖSaš˜8Ø—Á ÃŒçxºAÑ|E¤¢õM}ì ¢-ëë¾"•:^FðÙiÈš-NÓ¨ìÙñE]DH®Â®Sdà*iƒìíì|³³W‚­Íò(ÔòÌ‘"{T–™^Ë%ØfsX㥆‰°H'ˆ§¡ ÿfáÃÆ?>ü |âþõ<Ó¸dÜW# ‘«¨XŒî”ïࢩE'EŸŽ5®”g˜ã±á6ªkT+Y…3JË*¡"ôWv1\?•á¤"Äa\ ­ªDyL›‹Æ-ïGuÁØgÛpŸ‰U˜!€ùP(“Â>0¹{„‚³Ó7T®`xJàIç(=ˆ½¦Ð©P Ô˜_RÓî't4-y·bA©?ïßTþ¼½;ÆUøçy¢$ýù ,t(|Ö«'ÞÂÍ ž‹æ&OéNûŸÃ=þ(ñOþ]ø/Û{wöRø/;Ÿõ¿ÿü—'Ñl„Œ=OV2â˹{_äÎû‡Âcyÿµ”y +æáC|q>œÐ»ây¿ô~áC›­‡ð ŠÊêPžÊÏ/r_ä.Õ»t²±ßôñÃXõ~ÿÁî¹™ûpFù“úéœ>Š®^öS„Í‹¥ûdÁ†K~¥½ëU:^å]þç*ÏÑÍ5“w´nvé`£hÚYò*Çø¾Rò^‘û“W¹®Lgþ'@Ñ~!Øàu¥ßï㆓þgÖ¿ò*ÁÞ9V\Åèµ» ú$©>Æçw‚FI#¡:)Øt*„/©Žßj¼ðQ™ü“‚S#áž_ cA¿_ò¾ÿê«_ùÇ 1] x”é¯wÁŒþ~ÃøE›är°Yí‘û•)Jlê§ 9*ª³~ä&:C÷º¡=­^¦é+B­Yk¼|ù’Ñ+à?l ~g`,à·F²±ÅG6–ü¶à,è­…h¿mP y g#[ÀOÜ~;øðÛ¸0Tl úŽÝIêÂÔqÀ.à·ƒw¿Mij!ù>Aà: Ç}£(ã¿ÿ=,á ÊÐh}=ShXV.˜Èi™é×b¢~m<©2Þ¸nT¯m7*«˜6‚«C“¹˜ùë­‚‘³ü˜Vq XizYÛ=½_’›^ømߟ±=dST^À¥>°¤‘§Áã^(Îÿz8qÇlÛWjí§þ”ÃÒõ“ÏúãÔ_ç©ÛçBøÏyÜMSðôH7Î^O™­Îx:£ ãzã¶NƒÛ¯9†öÀ óÉnŸ5*¼²ÐÌšdVg‘b5?fÄ÷S»12øoWt¥&V6âNë3Z¡V'Æö﫽Ñü›4Få¾I'3צøM3Š›†CPYEJžÌ±=›ÉÉ#Jæó:Ï•§'±³òðøÞöfþ‹ÜÿjùßvûWËÿ{IüÇö>ËÿÿbùÝŒ(Æñy0‰á&^½KDѾ´‘9}j{Ž`Å̃˜Áv¹'Øèc„‘¤hkp ZV𠽘 çóp‚j³ÁGOÈ;7þœ£­BúhÑ~ÑÕÐnü‡„!ÉSzÛèTß«u°^ý›a]Y¡¯5M¸¥ó:žõÙ¹{Üñú½W¹ü"wÌõ¶ÆÁykœoõ£/Q.î'oDUA×VIKÒ©B•Z Iäúi¶0+¿Y&ĶœI矀’–D‰?mA^[2%½·äTüm<þõw»²%ãO[¤æßvK-Á“ÎÞÚ+i›~‹¸ŽÛ‚2þ¶älúÛ_´E_üm] ð§-)ão7nOd]Æ=Œ- ·U0p"^: mø;¼pü~ÍlGBVÆÛê±Ì¾T|Î&áèÁ.}MøOõ©ðb?I›”§¹ó“÷¬î=ærêÍQƒ ÿ¸òÄA*Gáf®ò"ƘpCøI]ñT¶º4`Oõ~:EÏç?¥_áv즪ÀvÆ>  U‡íãè_º¬ Úr1¶n kš²óf×±D# ÈÐ%猅dêðO=uðCê§$rgž-q ߺSOõõ¥Â½dJ%Î2ÈøŽ#u±´g^¸HSÙüÃÁ¢ªDɯ'ÈT#UG­†Ú5²†$«¹+°¬–ð=t¼N‹¿vLÓèÚ©Yâ¾ÝLo¢¾~ŒþÙ_äl¹o>‘s¸å¾=úEÎbœû&Dž[sߊ•þ"góÎ}+tÞX\wß 5]v¡0\_ä,&»o­¿ÈÙÜvߊ»Æ7fÆz,þ»oB²ñùì­z8{«ž(v¼ok‘SŒy_â¶¿ÈÙìyß ãþ"g1ê}Î ÏcÓjÛýEÎæÜûV¨÷9‹‡ï›ÀoXm3ß·‚¿¿È¥Øú~2Bû?þR å3¢¿‹h¼ ÿi÷á×Iù{ûágùÿ_ñ¿­Íœ·i9ic"º2þû-]*­òM ìÕFÁăŸ| »µ9j§ÿì¡lÿ2œEï¡ÀlÍTi&~TŠÌ. Rx^Âù¼r LÁ^ê˜Êpr³œ’úDHT@i}(*þòGƒQAÝO†Få¶ã7ÂQ±O…G¤>ÊÛÜÊé@P/Ÿ „Íçr¼€»²v«&‡3õ¿…èÈñç(Ò]׿½|ù²xUö"úQÒå(ùS|±ˆ‰K‰}‡i<£êÕc|&(ñ6†¼çmmzOèRpøÂh(y )ã®W¼Žft‘I½]·Ç(†‘ר¢[L â]‘Û½d)bF3 ¡è“âvÂùb6A‡óˆbÊ”»MЉ¬6<»Y™P7õ?"ÕíÁ}¸žVŸz´[„•¶èϹå›0Î\0¢¡öþIj\\mÞ!‡·Y*^y•ÇPÉ?7¥»Øh8v Þ÷v 'ÐzµýF½,Á7$­Ö«|º­~íš2Sõì]£÷øoœªâ*í}'A#¤\Iz‘ú~qZÙ•¦§[±¬%éÖ|àÿÌhN‹E?¦MÄ)¯ÝÖ&å| ×½¸ö’‹ªºþ¼íýÇÎÛö§1ÄKê4ž6zõçþÓvÇÑiöf”¡‘öJÎ,º3¼·r†ëÇZÇ?jŸ=9n§÷ÕrX6¥{·Mé.†BdMêÊ)ýÙ„ÛîwÚhé/ý†Mô1#þ²}ö²Gü›5Gü›ßo£ì­=CzOÜ#蜥/í3–䥧¬:N£ žÎøu²Âw Wô¨ÏªæŒ@ªŽó<‰¯0ЋVå‰ ¡°6ð§&##3Y¤HÑ-ºæ(Þ9¢Ù)ôÚ”©fŸ³["âôèHŸà çRŒÒBöI È$§U*]4ÊK‚©”ü aL˜\…õ€1&¥ò¿b0ò %‚ÍC‰_ï"HÀòj¶ZNz/¥¶N$‰)S1D¥y)çV|‚Éâsï£iþo¾;ÐOP ò¹§v}è* SßFR— L˜ãRë¸+ÌJŽ"\Œðè_„ð†Ã^VÀ¥œ St÷q-VrhÒ^SwDX•³a´ˆQZ^`hYÂÆm ‘ ösF /ÆÓ$çS»I Ý |g‘6±ƒv+ÆŽý«»‰‡BâÖq%|au!äv»ß¬[t÷á£u‹>ø©"fg–ôN÷à\,bTeéM€‹0æi /.†ý!A¬Â=E°QÔì"à ÓL즔ÐOco„X»ñðr‚Ø‚póª®5¢1ì{ØŸÅø›ESœÁ.åÎ-ÒŽ°_Úÿc&›%­Ãö¢=rª÷±Ö%¸’”Ûâ½ßÐâ½O×â½µZ ‹$@ôTã£L¡µfV´øŒÁõ0E{”„ˆ»Œ‰èÔ,[£òäoNøüÉñÝæß|ô!<ƒ4gެÃFˆ,/`õÇ¿ÈÊŒC ±µ˜Úæ•^mÈ!— )î0©6&ùc:çáfžjR{µ)ûW0›´#­&kT±Å«Ø<~ÿ¹3™vH°™5¡;a8¶ž ©xÄ(0cdü8¤£ ”çAìÐ’qðfQKQJ¬±Úm5|P¶üªóí=ûl‘O(˜R,Yœ–pà˜©£KŽ8ž&û"‰Rœ±²x—Œ%7^Þ³S8H¦ÐMƒ˜tÍ#¨ÒÄŽ+¬ƒE)'$'˜"HÝlˆÙj\!ޱîБÁ 7y,hñR[ô¯ŸÂrú@‚bM$TX…Ôð)‹$ó;L^I¨££Å~pïQyŽÖ¤`V­-éÊ€¶Tj‰d*_ºÙeQŠl"Þ9 C3¦¨{Ãx–ÖÎGaÕ_ 6) Z0¹Ä@#’'°¶ éŒÃq´Déc‹d™ª0N#RÆð%ï-ìr–«\aíÀ¬,%éZr7Í #ÂÁ Âo\ëH1~…ÿ¾©Fo}DV"ޝùÒå׺ÝF§W¤Æ@_l1±{ä0Á*‘™Ber"¾ÄØRbá ¤¿Üëœ54WM/»ÑžwÅM%q—ÆäY§Ö:;ntý^ÛòS¯Ñ-âð”Ê46eo[Ø6ã [·]’%ª>y‚SíðŸ {OT 7@Í®ë´R¤)(a›0UóÕ`F yqñùQ§xUÒÇ_“Ü%© g=Är¯°Cpo³¯„ZH‡£ÉíΑÒ¹ìÎu>LøsÀÎïeÿÓÏÿúÛÿ=|¸÷0ÿùÑgûßÿNûߣßfÿC Hæ[$Óކ —zÏ{ØïB…ÒØì¥ìˆGVʱ)–½ãêégâÖ„x“&ÁÛïéHôñ¶°Øó¢‹Ì6j± oõáÀ§;•7ó0ö/3Ì5dˆá-Jƒ"Õ2²šRÆAÏ-x •ñpÂyN$¥ŽEÆhH¹qn§Ë@‹ u•´~¼@>Ñ qI•¹xZëÀÅ·qìŸÔ:?”Xt˸˓Îü>ŒÎÜg4įÆÊic­6ŠR49Dh@¸´¨I'l®@_ãàB‚àI°F1k.Ém²HM¢É/Àåˆ%ÅQÙCìT w×K’„wÑÆÒW"5ˆS¤ ¨^²a]Šªç“°º˜.ÑÕ¸3èJ5þ‚rS5òr¤ì8pQ#4 -l¸Åá:,` A÷†ÊÜ-ú7}Ä4àä= @ÉÈ€ y!ŠptBŒ(h”“r!Ðnåe/¬^Vu¶h’‘ ÉT-鼨îNj/ýãFíÊ$&ùÑÍ3oo[íڤцGâ•)‹¶‰z Ë£UBŠ/&¼lé"$ux¥š¯î2ð_TŠh‘§µã.Þ-p|©6H£ö¬Ññ»/Ó"èç.*;“ºˆ ð\´Ñ Iü@‹¡RS˜5ï¸ÙjèúÁ` =Ë3ÿÀ2=Q…>owzþÑ“g>\!º9}óÀ;DhðnS£à†ätìÀ—ðŠóíq![Ê9J7T·J6#¥£uG‹/bÖ÷ôxgͨѪ˜9´ÊÞ¿ÓÈõ áÉ‘MdˆÊÆŒU,•!ïq‰;w"¼P‘s"\ÄUŸ”N…u §¸òË[$#x¿âÄbzwà9B–´Mжñé<‚ÝGÜ ^ÕÓ¶žÄæ@€»Auõí]œzžš—IŽ‘ÑŠõVmM­`uíÃBÖ¤ñ ½E†eOMƒ˜­Ufo4~{T?Æ4/?Ð;!6M|P´.͉&ÙŠâ³–]Ø^hFïå®0wÉIS}6ëÐÚðÖ3Óïã½ÞZ—¢¤0 øÐ^ÁªÁOêíÓŸŠz—=õ_]oÓc5‡Ü—uÍ3‚¤.¶ÞBˆÇÈŒ£½ù24&Vͪ’%­¦!¡}Ïä‡üé[F‘>5ùSÅ<Á®z^$ްýד¼é¨µ–1—Æ >¤Áó†À`ôäzÃû÷—ZÃSÍT^ ß'ÆÈ<󇿩L®JøàŸvš­^³õÌ’±ô¸¡^ 5ÅiÉÐr³a#»þJ%ãeu,Ù\zO·[ÔëãÀ¨Ÿ5zÖÅ|²T¾„nxð-iŒªWÌËÌ’ *’0·˜AÞmº½YW2³¡¦8ú)côôŠR‚oæ”C¨` µ)eg0™b>Ãñt—½a5¬7ÁIIJÖÀÒÅj¦L6wÆ`þc1”l“LŸîQôê&"HV©Ú,Ø’ ¨žO-)^ fÞæü«¸°ÒYã3±±LXÇC‘R4'pn€ p± å2›µã_ŸÈøÂcR˜â²í’]qÓûÚÛB_>âzí£ö>ˆØ›§áì*@XÕKt<€qø\à/ŒÆIp ‡²>ÔŒ/^õÌ»f¯KvÀøÎ·²$:0ó©Äe"]%>´íÊöÿ<¿¦»³å{Án±ÖVÓcR/à±›o˜5Òý…/¤|µâ gRÄTiB çÓ²—ž¯•Î Ž?CÙ¹OmÒ®S³M@jña•ëãÁ¸>üÝÐ߇e‹Ì$}]͹G­ C:Qô9`D›Öϧ%ai‘T ¹äÑ3T¬õk+ ´žnÝ·Ã)‹>qÎHòQ>Œ­ÍÒÓw¢å®/4ò—B7‡Ÿ=³L¿x_yEZ¥ÊIÚëÊ[”âÞµ£žO+]7­iÒAË*bY5½ŠGT—¸áuyEâ#yÓb² «ìŒøÝ¤Õ%°ú‹ö€"¯/^ ¥,C»ÓEe7#+qÂ$¾Ô²î.›ûÙæZÍaqßï‚áQÕ``w’°I¸ÿsÍ ÆÚ—üÑ8t¬Ͱ½Ê^0xàµvŠ,b¾·]|ÈP/™‘—4í«Fï^FÖ:¹LrÉ®7kõK^¬;¥Üm /dz¹ÀòÞ5²=„‡%^Z¦‡J;³& Lïî²·ÉÕ*‹õËü;Òβ¥å ²ÕŸþ9Ø3I‘»ÿ@s²Æ_ á:µ\-ö1Û„¯¬Î%­v¤/×…œN˜µßÇ[Ÿ¥~ûéÓnÙª5€\‰,ìlSÇïRü_äÈWÞ°d>æí~ÇM¶ÄòÀ‡N¬ºî 5¸ÒŒäjåc‚†rº0è_%%S\ ÚÓæœ•дR†¸™Q^ †¤RwAgC¼±mÁî~Ç.Ƙ—óLwweñA¢W;þÓlõu·¼ãKÿ‰]Ö‡Q'”S‚·½…—_9~ Ø#ÚÌꑨ³PˆŠ“zíø3{›jœJ¤sCÈøC/z[y½5CˆÒÅïÇtÒaKØÎR¦³.#ÁÞËJ<ôna&fóhÖÕ@p)ZC6Mñ[{+eÒ¥n»pä;%t‹w’Ú–§QE~gòYTþ7‰ÊJR¶oq+Ëß*,¯¦ôYbþ“˜Í^ã_û×›ÉJJÂK‰ZòˆäeÒBÜ$#i$„Lft°›3|:buÒðGUÖ:i3¤bÛ$3-{|.~ªƒg]ÙY§- ;‡Rê²Ö¬CÞË<Œ¬õ"þÏåÕ³oá]à„)UoÀŽq°›Hì )i$þò^®‚ØkvýÓ^çi§Ñð(Õ²W„áR%%ºw±æ”rB.&ÐUÔ«{Œ#Féuc²³´PfA¨²¢Ù*0ÇfŽ]kûÏk?6WÆÍMküníiƒº¯2Î;¾›PkAªsÜáð=±¿â:4¹ƒ0îÏ„sÂva¦‚N+ê û¦äŸKÔ,æ‹)fÙƒ)rUÓ‘Õ.&¢ÛÁægV Sf7G:µ Î÷4 ÏS…¨J>Ÿ’>}>TçÖ…ýMÀwнÿLn¨0«ˆÑMÞU§ƒÞÔ¿ä&¹[ÜKîq ·†<­ x/Û‚õu—ß¶™geH鈗ë†#quÄŒêG|´Ùªw˜:¬vløgwEQyÎqŠE‘röô;Ìéž#Ò·-µ÷mà Á•‚(ð¼Ö5®hsL“Üq6 gÞ†xÊx¶~)ËM†GPs >jS|”ÇÍ-jNš÷ë¯Þj{¬Ý×äpk3*]3‡ËFvùEåsû'sKÙ­yP—«,ßvYAÖɬâ‡õCÆšÇ<šóíÞàfCb.²£SDÖ5v#,×¼ÀË3pehd¢ìæÈvBË9u lY’ m2;™Yæ5Lí!É")ýTn…H@ý‚jBg›`†„p× ¸Ã:8½ž?¼`™HñÍ‘`P¸Á¹: S×hoÉ=:1Ùr“æÛòæÅ£-¾*B](f°É¦×öUìžçoÔ•Õ"LÑXÆÑäí¬Ã=›Óâºì“t¤—e²»îÉïÊbÎjÏÞSp`qO2ø|b³èž³^c®T¼<~¡T¦¶„WÛ[i©Ê)±®²¸™Íhìe±e¯1£”Y¾.dz iòß¼hLm¨ìãµö·-$’Y…Ò¿qÚÉU$¥)%W¥és†Ö"á¿|ßDW$=U(ÊLõ‡µîI6«&†[S$µb¸äã¾„Ë¢ßæìë¶‚·\–ÝF_‘ëaŒ0 ÿX„ Û³ƒ#GÙotpàb8naºê4Hp”Ñ÷ˆÙ½Ö 3 øªŒaAáù2º!oø© (Ç“âÖKÿ0A(9¥ýù¹\ùñÊ“båѰŠÅ{«ö²$F7 7T…¼:Àß°Ë-YιÁXꪚs3R®×kÞ,5ñ(¾[.¿íhEp–ëÂo¹ìÄ¿T3š“`™®Ü8¼(b©ÇèfØ~òWö¼“‹š±—ØËŒàb¬´ôÞ òn–¡hÅá˜u9¶dÿµ| X_A{[&<© ÌãÝF6^ž‚HYÔ”%Ôc³õPt%ØÌRÔ“N½´L{E>÷T <&“d:›Qºö>ª.Ó˜­Òp/S@^Fsña¥gø»M–66{Š»z°–üîß(¸òºÅ”™ŒÇK*N°IÎ5µ_à(ºÆ³£JæQä] /¯´ïÖuèÅÑ8Ä<„±—ŽiÂJ¼ KûrBñ1aF˜Ýh–lË!ƒâœšÊ Œ"›’¤Î)W}ˆ·.x/"œèd@创êjàMê9¢ò\“7Ú=$®Åt³Ÿ„Š ›ËVÙ¤“Ñð-–@ø Û§ úGtB!Ê †¡q¡Dè‘J1EIRru¤1Þ’†p]¯J‡TÂÍÏuýîÐCóHQmÕ-8oŒ ÿydû1»G¼ée¶bö³=o=zn»“¨s· 0Šm8ºI‰nsË6ÿóŽÂöÑçJ?¹|œîIz»öE-É-½S³4P©oÞz¸ý~È7¥.D‘•]_fû6«K¶;hx˜E‹©¾ ¦²#ߣô…âÅ[wÉ;òðæŒ®Dú>¦†• ?‰™Ã²â6Ÿœ|ã“yã\n¢æë"¶Á-#­‚±\6”jÎðb]Þ£wj «‰˜Ã¡–‰‘ø;ëA›]€˜Ÿ]‡éÈ`„Á‰7¡qh)ò¶Ü”qx±#”š›c$3‚(“p1Îc:à<œc"5!—_ôjIHèÛïÌíÖ<§³ÏèLFv[qh/=°o#å¨pLa«í5žœ={Öl=+¡¨Ã™dº 81˜(Dͺ 'QbÕŸ“xïk=3ž³ú¦lN1~(@<¨–Çi.÷á—}Gt¨Ñ†«».1ppø²]øêF(0æÁˆ¹ÒAîÃÖr%<hx,àEW ò¶ µÃ¯/‡ï‰$B¨ÚÃÔ Ç:Ë;œqµäÁ í*T´Î`²ÿjb•u˜´Jªdý8¢ j5»íÙ4\C—F/£‹ ìà Ó7 ÇC,EiŽtpFѸ%C¥¨þ ë—¿‘a¹ï´‹:J‘SfMg \¾ðÆQñ™®øÏÑ –sbı«jê <ÞÇD¡NŽ+ýÙpŽñ:zN$Ò(ó`V »©L3:š¨'ËgÈö—'ƒÙÈ—ˆýR¸ŽíŠ¥k¤Ëzý;¬f7dà‹,ýŠ^1wÀœu;Ÿ Nï†&n(é`ÙÖ¶ÑäÇUJ¦ªv·²ÏÃw!ô·¢½ïñorÄ1J éµÛ('¬að Â:æn³IÝI:Ъ ßM…š%®—KÆZ/TÀ[†5ƒ^š`²UoV„|÷FUZå7Í0Ê\¤5Vëô*݈ä`º9–Þ¦á{„ÐPIåð’8EÐ9…§ I]ã)&£ÊðIh:9¸’EG2û'1doþi…ãÊ:žºx:¡<< ®ýi¼\7ª¬_|8±’c•©Ã:ü¼Íi2šZ‡¦ö»1Z…egi»DÉlOj‰Þ»rSfÛ PÔU&„T ðE1ÿçE™þÿ—‡ô ÊMyÊ–­æQ£Ò3b èÚòÙ²gýAM_fÂN¶é·´gÉ7€›FœÎgx£+ïNð •w“~µTÎ'†+OK(tå{rëa’aXe±+; TŠ›à²Yú ^–ÜÉ4#€}ËÔì«îde›œÓ¬ ?y'DüMîþö*ìû¬ß í³áçÆkÚ†­f›[9Ë †›ïƒ †ƒqs®ÒÞ2ÒÑŒ½K‹îL³UJòÈ1lyé &ò37`Áî19âã–£Mj¢r³I"è`KXKë¹U×K±DÂuØ™’n“Û‰x­XŸ Ú\ÎÞ¡Xæ½ g7ÀaÓဃ½Ù,-|2Dþ$Í(%çäæ:¸){Vb‹8b?Õ›hAÆXàï至8 ºùP‡ÂÀg­V­þªŽA±b‘Nšhêc"¿Òv™ÑˆñÃ~¼X™ÇVÚè:|‡&Œ±†}C€G›KS@øN;ŸÅÏµGë˜ãe±þ@‰Aס®Û)=Ü¥œ\PwM©’X· òH‰ÿûêwÍóV'´„Ò½é儇KFpH®ÍJè Ÿ0ÜŒ%fÛdÚ éh.]çAîN6{G}f8{˜²)vÛU‰:©Y¬ÈfäÈòYD–1¹†saä0"N\ösŽŽ˜|~“š¸c“-jáVE5ðì÷©ÜBi¸íâJp”êì›…œ¦w,Ô9ƒO¦Í$ÜHå¥Ó–+õ v•ñ£QÒëT NFÚs–3™pÏCŽC€R¬@Ð}gxfô4@m¶¢‹mWu˜îc0`Û‰h•Ù¬Ýæìžþˤô2}pl/j=&®¿q§.Ù‘Óe;Õ‰Z‚»w}âr*(¡,{?6µ×Gß&Xýæ9 L³×¬7Avql$ZÃÚ8ؽ?6:OÚ°ÎÍViôü^ó¤Q4´{Pîcï·±+æ ÓÕ<Êðžiòbs„m²Wî NixðiZ\f‚„ï§¼ÛÖaNŽL­Þ—|ù±d †°·ñêœTÅ$#Zîp¹”?®Ë'«“Ù ™­ûõW‘ µ²;ºp¨CȨ¶Ü™µÉiŠÈGí:,§D`g戙á,“gßoVEù ”[ô¯È$ÉL¦Ì²ã0Ëû/÷ £©ç³!©4§âزʓ펎a–+wúˆ¹õäØù²xÃêMnÍ€ÅDPÍFûܺ´j. _–œÓdÞó(ýQt©U˜GÕŒþ­VLÀܽEe·7ŽÃ~¼Diÿï¤KŸûéSÓ†²Å“¬[V–]°ˆ‡’ÆÀùLl5("$ÀÕ@Ò*ÆìûÛ5IŒÙ²û"±³G­L‘åËú2ƒr|Ö-A–.¿"¥n|„Ëט(]·(¬ƒs¸§¢ëŽƒgìlØ—D¹˜P‡€ù’ý5!ö#u8«œ úoGñœ~\`¶/L-‹?TWú18¿ôÇ#þðÅdô‹þ16MžßLú9òö¯úo­BïéïËþßU¡\®ÞîqÏûÀ _ã?çqŸ›«Ÿ¼ŸÏ÷Ét6™ ú¡7ì÷sõ§Çµg@f«ímý··u„É´›-LÏ×îø§mú³ Ï“RßÖž½öI³î‚Ëð›gõ¿úݳÓÓv§þZû±æ“ß{óo ϵ[ð ®î—úY¯^º'Ín—Ÿ;)âïygè„Ü‚ ‡s CS \Jáüïã©?Ç$¸to//‚E++šÂ•Ölv—¥kÞDí;„æR¹¸è/œR1—ƒÑß÷6Š8Ð%$_ ߇f<Õ“\N•¢'0Âû*¹ÝkI‰÷Z§ÄËzòNl½¹ìgƒ‹ l¸êìž{^£Së6¼Þó†wÜ|â=mvº=å8‚¯Á=ÄFROsþ¥h|ðˆ–“Ó¬%-Ò{BésFæÿ#ùŸe)mýN¢ñ×_?\&ÿ“¸¬äÿ½ÝG(ÿ?|¸ý_ÞÃÏòÿ¿~þá¬A®zõ/»ÿíìîn¸ÿín?Üù|ÿûß™ÿûáÇçÿþí¹¿UådÖoÉô½œÆçÔßÿGS+?GRq¢×pr“!ÌyêÂ¥Á¬[bÕ «x¡°£àõU„^¯ä}OJ}aPƒ?þ˜¨1‘ ûWŸëÐGV–c,²ŠÊÓ"uÌ΃K»õxù7ÔÈ[;˜«˜oÒp5ºõŽè¸iPØú|øŽ æÌ§y¨Y±bÀqt&k<Ål´`Œ«Ð§»?+ TÆu 鋃øs-bÒý«OCJ䄹ÊÚfÚ‚½#Pè‚Ôg?K=$ÆnÆ!®2©æD`§(€?ì Ò@¸¸ Ñ3«µó(1Vsz8E uôÈÙÏåÏ ™ Qk%½®N¦ùÎ’« VĨWÝË2žâ/„æ`½¨8Š×i¸ôË'¼Dæ ì‹JE« _¥‡]V‹5‰QG¹1m?œªsùDm€)iìˆDŒ`BFß­ï<G í‚w½k±òŽ'Pñ+˜™áÀ$zUem_ŠC ¼ÂÍ â>ÂÈœO«U,)L"‘ Ôµ@Õ/Ó±¸ë+Šx“îŽßl5^: “¦OŽów÷‡;åÖÚÉÕƒÁ 6ÃÝܺÝÚÎÖuƳ£©0|bs‹©1²ö§¦Ä\j&'âð™¡ÈŒÙLÛÛH¹Ì0õœ‡"È¢ìXd Žâï¥ê:£J’^0àbÆÓÒ >ˆ0›}aðÀ@fžU5£I¡^ÇGN»®Ò/=MŠ;%5<2è¶S¥5îâaM¯t3Ô„~ù< ¾ O–¬$z¼{šŠ}ÑGFÌdɶéNdæÏóª×ÁMü[ÎôO6xÔ©Â;äjBÐ’ÆË^§æcÔIWF½;Aú– i$3YsiD“±½Ì1O Êý䂉xÙJ Äb47‘èÖ¼ Šß«¿Ó¨›®øÊ]üâŸÂIq·ñÿøÅÌÀ„AW–ê9œ„Ö9J¤FŒKîü³8¼XŒ8^EÛT•@™ŒýÑ4¬Þ¶x‘OÊpHzú¯P¡Î—LHƒ° &Ïðwžb\”²WwyPVk­[ZRÝo>kµ; ¼™Ãz|ÖXŸœw®l“[ýÎmXµtˆÜªk#Qš»fjRåµß¦ÒàÛφ˜ÿý¿2áW‡“‘þÿáÞƒG–ýgõÿáõgýÿ¿DÿïeÌ<"fè;"e5ã— ÀUƒ>jƒÅ<Ò×5•ëù Å/ö£Ë Âà5FCΈdH¿†ÑÌJABゥm2=|Xm{˜‚¡ì©D!ƒ-T „ñ¼WP7!däð(™1ЂÐÂIœÏQºÓsÁÖ‰'3¹uÚMxRë6”óPû´ë7NÎŽk½Æµ¢1ƒoÈøÜ*s0œa.¼\t.E|œ ä’ë $‚AŽ@’Ë<…®ÝŽúóFý‡îÙ w¿â5¶¿…ÙOUJè4û¨ÖyÑlùGíVèù“­é»7îXi'2fãèÉ3ÿùQ§‹2G‚Ìxan™sT^ÎÕÉlhÔÛÜüX …“w¤ÀÀ«£(Ã;™F‰¬œ‡zvãP99íýä?kô­ñvuvÜëf7'0êmåöv°ÖÕXt Ü™$Õ½\ µß3RrÚ”´ëq³ÝZÖ4ÎJ‚a%4ÙŒ¦Àò=ÙÈ\jÎk9мúÎ^6ë%EtˆŽ“xØmŃ»ÚÍæH|êÉYó¸+‡?™h<+ÌŒ3çù,˜ CQYÑúFI*¾ŸG#„sD+Ô ñ#Y<”1–yÀaú½Ë&h–’ö,ŠÐ=tžl­èNãY³ ¼$h*^øGµ^-Ñ^ZQiXcH@Þð]çÑqYݳîi£uäsöÓM¥'RVÑLîR²ÌEv}w0úœRÀ ì2ˆÀs±õ ÁÔ€QV5-˜E$¿:Oƒl§»ÞÑhtÒwå<@õ&Á(`2â1ØgãÓª0ÀÍ7š­nó¨¡çæDí½÷p³„VV¯´BΩF®­gäÙl=m£-Ǫ/còvÔúèDýVn.ϺÞ_ONy˜†1õHµãÌ#Bâ,¦«K‚ZÚµíŸÙ¦ØRHzï`"á˜0\vÏê^ŠÈ˜ Œ4}d/蟘5ïÓQ0Çù«Èõ»¯ ¥RèÒ|½G­ÓHÓP|O{ç| Ž'úömo"ÚZ¿ zÖ:‚£°Žòz·wTWù)1téžhÙ.{¼.`­Áwz'ÍÖý·I¢Ý½ÃIiՎ׿ œ¿†¾ØÏ×i(œ†¨wŒok+—dÝ•æºÇe­íG3shaRso)¥sŠ0ÆQ> Ò^£Ál6¼­¹'“vç§5Æö»x>€1¸p5éÁà¬Aï¸ùd=zx Å·ìÀQÓ]Ÿâz×¢woa¼Ë­ê’0².͵Ö%µæJª ¸iÍ·‘¸cd#ä&E±%®K™5•áâ[­Ä»#ûÎŒrdc¸ýª¼8Yg€.,•^ã%ß NgÑÕâdðɳ´TBHÐKJ­€Ý¦èyZ…OaAÔž52–( xKãʼn7`ÆŒÅ#ý…œIÃ9YM“‡;ͳN#yC’Qꡉ´Ð¦›ExEc% \ JÚ[ƒŸ 1˜sNñ»v {µÎ’F^¡3êÒS#˜Eç¬sœAã]6[)1 f¸[F©Ä&`gø#Ï "X†UÀŒ‹½ºæ㓵°; `NzÏG‘h9±Û®E‰ÍËiYyV×¢ÜRì9™*$-ûÅ ½Bè<p|žÒܨL²Ú‘…¸ÏUsl…’ouñ®sôàY‹7@WT8Q‰Š¢&…» Ÿ2‚¢X½ßOÃIL+PéqÑA<"¢±“@ƒ<¬RçÃcSÃýOiúRê”I’;’?ÑXc¥bã¾ã„Hª#‰IŒéfNÆ­o¶k¶á¸lvw²ÏÄGOaÀùþ²qt« Tku›^Ý‚ÜVÁ•ÙƒÐHõ‘ÒÁœ`!ðºœë°^V·ã¼™Pþßjߺ³V»ûðß}^ƒ¥äƒô›½Ë˜]WpÁŒ,•ŸÐiÑåû!^#jǾY™¨ú;› É7ºø¢Ä*Ž 9²>ˆšZÿWëÖ›M¯X+!³éƒ4Xo52n‹¸¬Äa¨b«»œhÕŠC³‹rÎÉió¸Ññ{ÇÝ âc!ìöÅç0ð8Jï§ä].麓TOND¿`›HÏ'2ª­á‹%·¸³º‚š=?¦”ésÙfÞȘNÛÝæKï" Ȇ:dç÷~Ýï¶Ï:¢1l +;¾Ë$+ý„Wl…ó'Ý£’KÅVPtÂ,†dæÐ M6œp[2ÀN­FF$õg_²Zø~GNÿ. Ut±(  !¬®®—"'O):E3& «*4vI37lHà±ÍÆ*å l­¥áLGY«ÿ€ö_ùo5ÿ«ð?ÚªTfAÙ³ë!¦º¹ê ³Ÿ¯S!{ ,{uiÁ»YUۨͷ•d”•eØÁä–BÓ¥‹Ô.Ä-«Ê¨{ÕŠBãø]߇‘XYHí‹5V#ûª²Êzº²Ð£ ‡Z3¸þ6£jþ”[‹3…Büé³·áêø•QþSÜ"ÿ=zhá?°ü÷`ûëÝÏòß¿#þ#ùw··¿®ìnï쬌¤ÿHÿ ¤Ou+‡97²Ûzêd²Ä¸Û»ÜB I™e‚úÈ×lx!i Ù¢¨c÷ãÅpNqß:ˆ_Çd¡í’;™‰Ê¥êº·§³pªÂYE5Ë9mTÒ÷º¯ ö* Þóê¸:†svCRÍÂÌHÊ N¹(ÒTE³2ªzÑeNQè&Y/µ)Ž´/š”þ¤¥YŒ%bT#68«ð0ËHuE´DfÔY²[Œ.â‰ÀSGéj*(òK÷efÔŸdÿ» GìþF4)aæI‡ @;%·(ÚëT*êx˜rÒg7/…òe.qÐBÅ£sO4˜Ûæ=¢Sé*ôX%~¡øA!¨2·L¢IÃË Õ8E=¢<îF1ó X«&šh¿#²¶zEù€XÐÄœ›É€èåqˆ©¬k¸ÛQ¬QiyÙ y;V‘7¨‚Ÿ™*œ¡’¯?Šh‰—t$3fš ûÚ#Ü ÖˆÜò‘FXÉ0ðyIã$ÃEU®!ƒ8•"…Ùq°á.Œ87B½1òhc¡VpšaƒuÒrPš¨ŠÒ2W )#Ýå‚ì ^q8AE'e¥áª*R­¨MuÊT¸“U.0: G «w ¦Kî0å£é®q ïÄ5ºN€Vr‹@UüÏ:UùCδÁ–Òáf­v =´‹»V`—â3½^VóÀ¬Ñx«ÂÌWÔþ©²’Ù>Ü.$»FŠ0»¯J¨ó’{oʤQŒÚ™¿  ¦“ÚŽÁ¥nàz"‹1zV¦>§AQøôÅô¸È Ý…^À]‡÷a©Oœ 7ÃÈÉB¡Ô ®.…]ÆŽ—`>ðAœ¦šU›b\Œ ú¦HXÌj~µˆË†ÔRÞ•Å®Jr2q´µÚà†Áe±­¯rYîKD* M* LÅ‚‹˜„KÙ™aaY¬¤e™O¡W9c‹LÎR%Eæ&Q)Lú/Õ"‘ù#”­0ž³ØÐ’p#z­¿ÅKK}=z­Ã`4gÑ ft!Î'@Ñ5ÊÁh.j¾,茪½Ò‹Z™SˆÅ- ð“Å­¦„ ­Šdq´>HúŸ½Ýþÿ£Ý퇟õ?ÿ.ý"×<ˆ£PxôÑŽBà$ð4=öž‡hÅïЂ]˜ƒ ü“‰y¾ GÑ”D¥Ï¢ìžŸUZ(lHKŸ%þ.~·×>õ_´;ÇG®f+ó}®ñD˯ûOÏš-fÊfI‡ª-N%¤Ý=ÃÀâFëI÷È?WJx§ ´jõã’1cدº-t-Å€íΓf¢žyyÚ=ÝUø÷ï"t¡ºÖ1Š2ARë(±óÁÒû¡††L¥Ê¤j쉃,á•KS/ )ü,ÊÊhŸF7ÝqZ¦"©)qkâ¦ãf5%ØgûoÑÄx þ#È{¢#¤†aC§Ihšuš ò†1ÎÊYpN| |†sÝ!Ï`LB¥£¢‹ %W÷ßò§\C„ÌŠŽ?ob¼”ACv·õ‘¤þë°§Ë =Ÿ‚I’B†ñ|8Æ[­ºèp-®6‰m×Z>¾ÈNnÄÞ!Å®«:Ç ©®nàçt_1C1ã½& fpÏ™URµQ•‰IŒö¼Ö. àœßÈ¥[™E” Žåò*ÕÁÅÌ .nþ=&°¾Råž$×#ð€ÎɃ]M²K8nÈg{•Ù7eo¶³]™íìâ{Õ$O¹¸-]ßJI`Y¯Ò¥ó`ªõ Ó{j\†¯–Õ#~í”÷I& –гì¦|-Ÿ§›¢^ ¯–Öxsà)ôD¾ h˜³=?0 Ž›q]¸ßp®5Åš[6ZG¹?Ž‹ÝÿNù?í‚ñ{Ùîìì&äÿ‡>ûÿ}–ÿ?ËÿŸåÿ•ü/Ð9ÝÆIíô9£ºvíô[7oµ)£„y8ÃÙ Ò¾ln3Su­ÐÜÁÇÂU«TÓ£Aù¦1$OšŒdÇerDÍD[§«Dw”<øÞ8¶ÂÄ)?Ž,ñ ¾™ô2¶¥D»ó“… ¨«â„Ù1´ØàÊ·QA7[¤äº b ºwÑV&g¹¹I>Z¹Àa¿þ{à¼B|oŸù% öGF˜ÄùŽ´?WBÑq³Õ ×ø”"zímÂÊôb_!ŠTÙ±³ÏÊÛT²fX^”ݶÁ¦,¤ML܃u“P™ÊŽIëac*ùbw¨®¿èôŸšü•§e‚k’äѹÌOØDh¤,øÛ!a²ç’ è~|€9Уûû:=tf¿äáö¤ÀMŒ?°A{üqv>L ªí¯®ê¯Ìû÷—Œ¯ik Öéýb’jÆ:¿•}Úû Ôöö—Æ~ú¡’4äöòK¬ëÔÐQCìÅ“þV"‡ùÇ2³¡nÂq{Ž+•ƒO?Új¡§<ñw[˜ådwè×_½Û÷RFÛþ –°Ï÷¿lÏößÿóë;{Iÿ߯w÷>ßÿþ÷¿ßžÿë®WÇÏ·«ÿû·+ Ìp/Uæ!Ý¥ê§dX9êþ Ϥ»hÕ°ž}ç=xä:àÁ£š›Ö³/ˆú@ w­8Þ”¡&!öc6làvüßJò…†]o„ªoŽƒ^dpfŠX_NІñp4¦’áÔˆV‹ÑÚZõý#´X¸RiHyö%GSù*]ஂø ép~ µ_®´[tì=?ê”=TÓ8¥]õƒswaf «SmE°fCø 'q€‘_*«í’ꌼ.ƒÁ;X_™N~¾‚±€‰ÔS,ׇ×i˨á·3B œþHaä2Èše¸B™[„¸¥ƒz)9tVgàyÝ—®q”c Ñó9ÔÑne¯'T›•Ô-äSv·Tœ#ãÂo"x¶ö"¼¦åÎpä ‹ùi:’܆ðÿ;44InµÐí•ú&× ­?¯uŸû½cûv.ÑðÖ Ç-e‘[Ì+ƒð–ƒê„ÄÆÿ:âH«"¶L–9ÀF™*¡èg ‚‡…Ü~æ?i÷zíÚ¼³•O¼ß±m*?„á”Ö)g!8k‰=>ŒÖ¹€+[£â†|qÇûî;÷“%Ã@ôÚmC;,Ö”A¯$Ì¿Ÿ?9þm¥¬Þ èZ¢]Š´n?(Ñä©Bá‚ëү׀ùÏ›½®N?FØÍŒÊ†¬/Àãø´n}Xš±1µ8Ñ ”EÅ×ú¥4ð ãkõÕñ»Å’܈Š÷ï§¾YrJ#jÕÒâL>5˜ú#xEOçbJu^ËvH2â>{þR×héøˆ>u O™øjx1g^{’ylo"Ÿ˜ùÏ4Ÿ@¥ÑÕOµLÏ Uÿ†óF׌ı˓© òuØb 3ŸV„aâ æ÷+÷ o ¹f«i­ ïÉßvQ×+Ó–Š.Ì“RÉjv½Q¼²\9Fܺãf·—óAßîÖÎm+ÙgWÎÓ+l’B2°%JÅ£wŒ¢KLf…arpŸ‡£èºœò©ßcÚ0‘£ØY€œ¶œpÅ5œÐÁ9'?hå3þê&ç‚‚SÈW |‰‰EçYžÞqÚ¦œ_@bj¹Wc ƒà±ïºvÝæ´¯SÉÀ¦sû]Øi³›Ð(½IŒH&ÍÒ^ÙŽƒá¤2¤430 YëìŸgsTP‹ƒ¨B:·âv‰óÒmn9«2µvˆ ›™–œ²¨šƒëV£Þ+f°Ši©ìõ:g°·¡.sPGÄAâ9-¥Cú¢Ùón¡äj‘¢(5o]ÙÉ/b(Ý00¤QòÎAty{Àn;j@öE’ä45$†íƒõëCê;ŠòŽw/ÉI¯´tòæÀ’¦ M¾sœGó9ˆœr KçÿE(BvçÔJdŠ!¥d¼oÚI®ï Ć‚™4#³)²B?/Û=O½#!žï3™«ÛB· §b P›HO^£¹J/½ïávÿÒÿëÙÉ©4 é0qŠOˆuÄ£ÛúßKøSòì\d¥4•½ ¥ÒiC-±ËìH œ}›«zÅž¹Ï˜ið<´)9tàîµÐ8Œ¸%O'JM sõšƒ·ƒR.™,׬ŽM/ˆû>ˆto<Ë«j¤’rF`xÍf·Õ¾u–h`âGŠË€ƒnQÕj:e¯Ý LÙe7H`bVzëS$H>{Þd·â ä4®¡ÁCñ¶[5ÎV|¦+É>Ù*¼ô&Zõq\ K5í&¾H²8#"G…ÙOÔ™0Ž@Ü®¨$ˆ ßÎf˜M"~EÖvHÐqÌîMøóÕ›Û­1q ¼ñ1¶W©ýÝꚤڸ+YÁ !t†ºk/'“¶—”]¬(¸°çwmR¤îÿ±F&u óPØg8[w‘óšÂ[0PY Œ,Œ›Yh<,(­&Ô¸ƒ¼å¥“Î9á:ìd¾·pþR0µô/+… ¨á›¹ŠvkÀŒ ÏOÏ^b: ãèc?·XÞ˜•Å62 §rQ˜8 ùªIi—vrb;”ÿ>mÔ›O›u7æZò:<ص޳ܚ]ÊnXš’û6›Ný¬K<õ9Ò'èQ;éÒwÈÄyVo8Ïê?=ã‚*<=õ?Œ‰m[gu¸r§ñߎ²·]Ò1·ºŠïÃ"œ\ú~Éö©‘¢~sy¡ËXàAõau·ìnv‰%oª‰•7327k:VÄ䦂ˆ›Šªõ¹«~æÐ¹š–ô¤ ¹¤J&{ÞMø,ŽÓ—ðYÑbcsŠÚ­§Ù:{é.ŠpN<ú±ƒ¬[TzÚ”½É"_Ó³‡ÏÕÓçínϯµŽ:íæQ©dÕ†ÁÑU1¥¦±+Â07ŸÐ8BçÞ>…!IšÐ¼ìÕµ·ìKNsìÏɤhÓÄÑÌ"äÔq ./üŠ0P0Bß”½Ý‡vw¿-•x¶—/"gÙ`׳³—¾y¤ã¿ì„`ݧ;æÝ=«P­ùrYýDtÙ2 2˨´=çí*´ê–Ñx^kþpv+‰N¯qÒÕYdRƒ™±“Ê Þ®¯âx‹¦7YЍm^O‡³!y$‚˜D\é²ß÷TaÖ“³ë ¢0F ¦…ª&”½µ³7µ£œµK»Œ›Ú†I¤‹ªmʲBÿìœP8ÇèÓõh¶ŽºZ•œLeo yvM¯ØjwNjÇ÷w]òzuvJ‰vIÄǶ2_‡±*PË/‹…óÑB5†# 8gþiÿ[¶Å’ ç}@êJ:TVÚ&vzç–‹†ìˆä1ÙîÎ<}•ݹ7¯zÍÖOæéËïf:Ÿau‹²Eî´×ÁJoLñ f†e—æac¯i%ÜGHbº|y›VŠ媣/(ÉAâ9,P=äçøÍdg«Ô†ç ¯Û~Ú{Që4ç ÔjgЇ¶Ò«·Oê4Ÿ=ïyÏÛÇ”¡öIZ‡æþtl6eï¨vR{Ö Zm ƒ=Ä‚ÜFïÅó>Äo »VG‘;So·zøY†¾vzºò‹f·Qöjf‡}’±›8°P§Md f«ÁtÈ'Ë™(‚¿ÑåJ‘ô޵c ÕJLe5—Nº?Öý£'Ï\/ëi¶3ÆúH—䦡é›ÀõÖ Ú6X’ÒOŸœ5–¶Å©ÜbÈ!Gƒ¬Uä#©ãZðÐc·ûӉߪ4œ õ|ïRà(Önz,×£ãÆAÒ†…Ñ#=m<ù/ÈäÉÖIú¤gἋpìOghRI•â·ÃiY¾qAo^½)«*ãà=—Ñy-ªOáÞYà8x?/rƒ½+ÉI_öÔƒ‰reÕâM²Ä@ ýÙµÛ´¢Q'Ñ`1 [PÛTc7è"Ó§è2Tä'EM à?+ûì’§pGô6Ò«Æóf|Öjz¬‹:ôÕŒB¿yþ †Í®žCç›KûsÇï­øàS8ÌaÜÚE<õW|ÇZd‚»{§í6,íòoþþŠ‘âËUã@Ùͤ5h$ž«¶ Lýõ—nâ£Üqú$(µãȺf3¬jj¡£>݆çÃóáh—dr8ý.|ö1= p}¼J%Û;d»+&‘¥Ëž;(Ü>,CËè/µlÓÔ÷yéÆvO—ûHL¹-š3î?ýޏ ÿ‘8güÇ{»Û{iüǽÏù¿þ ø©Ì·¿5À·x‡Ý[û¿ìWO%€àsô ×W§ù#Ìn"Á—~¨XÿóÚ Q‹{¬È‹á%Zy’ò=Б«…¥(–'ÖÅr»áañ>áolyϺO[gð,Ë%œ^uaE¡—2ÙÒê„aâÇÜ#oNcŽ ÿ 6Iu…¦Â0/ÒÍØ5:[_ðvœÎ˜ö5[¸eîʨ,ÕM3äÌÓ9=6èPëxùj-¬kåO9ÞŠ3á?›(•häÞ}¸ä7_îÕü£NíioǶpfX:'PøÅƒ]q§þ2ñ”úiÏ?jkv€=ÖØÿØ^ã*‚‰PhãÂ8;! ÖQûE÷ÛoŸðŒ÷nÐΔúó!LÓň¦6ñŠ–:Æ)U , ÂKÀì§1IóKëoSf1áÇt;P?ìÚøB¬C´sFœME@׎áäß6«ôms²ÙŽ,Ǽ´à™‰ñë„IVó.ÃI8C5ãÈQ`×U…w˜5 a0f®£xjS” @ ¤ËÄÒ¹øçÞNÊF´@èœ`6D¥uõVÇD·ßÉó=ÑqØ^²¤™­}g³ZU¡´ڜꬉ¥×µs)<¸1"!)Ô1 ˜ÁÅpÀÞÔˆÊz£ÛÊ_`;s)ÕùòÿSŸÞv”ƒÁ:Ûn—àïíZý¾ðýtVFô`˜„°¬ü|1ÁÆðáEØŸó{õšO‡†ãQJ%Jœr: þø+/âáYqÃC!’ÕÃì¶pE‹Ã(Π¢ºœì#=`Z DuÀ˜v°žÎ^; Û>»A^ÃuÀqŸÙA ïÂÙÅ(ºøè`v¹à•.áäH<‰<œö‹ t5®¦ pÂz~·ÖCÀ‚bÓŒ.R0ˆÅ ä}çÌqÅ+ž+ Dï/¸¼}»XÉ4"e*¯T­×>iÖý³V½ ¼¸ÞC«ý”U@|Ýé²Ò¼D£A%žßŒBŒ€ã6å_˜E2KØ%‡‘œàL¡Q> ¼b‰ÉTb&ñ‘æ íç9¤ÌTï€qf´ím6”ð&;—•2‹å ˜º®Ž#¡øYf`ŠÇcŸ*1\ BdíZâ‚pK™G|’zÞ ¶TÏCMJÊ=3Yúã hbXøðæ …;TÀOÕ•#`Ù¤ºR4t9'Ä—O)qæÕÞ^ù _*ƒ©r‹‡Úùy[-„ƒ0;ÄyÑ‘–19“Ï—q¨ë0S³5R¯ëkN†œfE—&eJ8lv›l+™Ô±JÐíG3†·$“.®ßÓ¦5ÁUEj–8û:ù~0—K¬ï¡Ÿä†E[~篆 óMò*P y-d5];»ºô“.HvF¸Øê Z 7Åx+(½¤»-‰}Ò Lmµ÷`}翾W»+$ò¥Th‚½m$^\b‰=c­â¤¿‘ҟΪ·ÞS¤2öb+Àt~b/±á¬V9{ÏŒN@À·n2g¬ŠÚ´¿uUVpšT7µÿn‰K饸fš£$^ËÌUqHZ:ˆÚ 5V Ë’ô]57Á ³—¦ŽÍ–¡‚Ù¬ÍRê÷ïïì¸gˆÆrýâxÿ¤–eŒ‡,^&fäeȦp¤£µaÒ+p¡i1e1S+¼À^+è‹j¤ê‘3ºåÊO5uîYÉL<€Ó%e*…ȸX·ÖjöP@$ã2Ž¿Ý®~ÝIðÌêI¾0bfjÇ5SHsi-b F8‰ü8À¥õKXÌ‹ /l0ƒOÝ•¤/K™1¤K f¹fÚ…N'íÎOfXù÷ú£Êå?Ù¸ ¹U#ËéFî0°·Òô™äú#+o[Ö›YQ“µîØrùO6¶BnÕØòÑs‡±½•¦x ®?¶B1klÏZgh#¸çe^þö2€ë¤e–Å9ª†WôT*g ½ÒÖ ájÃõÉ”gà–<?’…NÌ˚寶˜Gxš{5˜hÉzXÍ8“|ˆ1záõ=&›ð€öOºuÿÇF'¡G½ó±vŠN¼<:!¹Õˆ¨î²ìºmªu{fÑ&ºMKçžÐ+ûþ‹Z¾‹_XÑßwz“ùq‡j¼˜”Ö›„žÁ)¶ââr™‹Ï »¤vŠPO-¿IÄ Ò ¨ª™Â¨Ú=tiZIQûN)Z«÷¬Ô[¾–ÝNŸ6ýv·^;>¶nªVâ®!D¡ëYÝ›E‹9%Õ’{¬_ ¥gѯݭzN¼Wú~ôIn5øÁ V÷¦72;Ö̽X˜ªKÀ-÷¨,FóºØ¬Õ€Ûn6VþuÛ¢yÎUQÈC]?ãMBŽ!¢åŸ×zOÛ¿Þëd™Óº-¿‡ù´z~»ó¤™¨o^žvOwK !Ð6Zä- ¯íEe Üfþy0› Q¸ttà™eìHÊ”*>É ¶Hud†GA0 Ê‘à·K9:ÝÃ$:Ï:í]ÿ¨ý 嬷ÛYò¼ÖòÛ/ž·{=õâ;ûÅIí<°Zñ}ù¦D)6“cjï{EG¼Ç §ø=桇øæàÃ-‰„Ó¹HÀ¿‚ëjõ/Õn&7+Uè#«ÐîèwË:úø.­pG¿Ku´rçŽnßÚ¯ûº_éu_;i>«%´Z·ždìOk(¥_3}–$Þê—ÛÚ¼í¤ˆ½5Ò_¥¿Í… ÁáìœYïBU¦aC’üdÓYã[··ùSv¬ÄC¸Ñö¯0d.èÓ=é(cÈ'n´ÎC‡†t6¼·;þi›þì.³Þ°J¸Ï%&› ü'2à‡Ãh&ñƒ« A˜ßH‡œ‡4‹p’¢~ˆ"üÈU'Žà ¥Œ„Ⳝjý)XÛ¥@˜ðpr1R˜*IÌÊVÁ  ¥K%£Å¼¸¸ ¿’È»\äžÞÖA;5սЃ‚ò_*ÍE(,|5)TIˆû fçÁeXÑ‹¼lp®“Ý;8ÇÃ_È­*.ËLÎ(?hÙã(X…(¹ÞJ åòhF¹2ëÊ—(¶™°U@k+ýrR¤uÄJˆ1‰c©F}U« `d¹ÕÀypâ^‡‚™§r ]x-N‡êœL·$óCo9›À}Ó.N­¼ †#¹ ­A >Üòk"eïcNñO]Ìå63a¬ÑQ…¹ çúì^‡0Ž/Šß02ÇU„á3HfrsÜxElû:´ˆK¨]³ Ý}ÉßêäÂñ”ª·Ó"±s6ŒßÆ„—‘G(p£0x«ðdyvn§%Ihï"@Í!p´Lú¡ ì°;]ƒ–ù.7qº‚8¢ŽyÃ1°CÄãXoìio]΢ëù­©(>±Ž"Y½8x‡½FAA{}jµ¡XEñÐ÷ÑŒÑl=mÛilQ6ÄØVI­sæö‡þ´`K¬6ŒSEÒ$‚Šô½„¡‡,J-à¾]DÛu_Ñ~øŠJ¼9¬¦ŸIO%@sÚ‡vÎ9A±ý“A'É~Ú©ÀQ° Ò·ïcöCïÏÞ.î$]¦ùÂJYÇè{¨mO§ö„jò`1ß$@yÞ’]²=“0ó¼F¸¨È’„ËÊ9Ö.)o_ÔRx²Ê÷ÈØµªGÀ÷Æ7^Ò‰’dÆæåe«ñ Ç@Uø!øau)sKÉW°C_*“+ÿy%mzC¢àùl]jÔ\œ«O¸½Ú]+=Ž6•þZyué±~Ü®ÿ³ ôÖïýtj¡iÎ)sÒ¥ßþQ“€2•ýG×Ô`ðÃqò]V˜—f¯É¢®÷O„¼Þö>¸ùñÅ÷YùkSYÕÿ仳EŒr ÿç ³äe8ç×ÅÎY·bX·qü´ì}ÅKÙ•Þ{‡B´:[ø ì^VÁ̼Šö˜ƒò9ÂÞêPÊê^ääîÅ :çÇa¿r.”0ùûööö-Ö.õ¿ûžMh¡)-ˆÔ‘*•r· çƒ<ÍÊïû ©(ØÔ ƒÙh¨”{·¥;Frçy4$Øù"¯‚Øs†€‚vÄ îø©¬Ê¿óûaêfƒèºOσXBÂÒ»€0QõÅ‹ÚÛéùOk?¶]÷.k±K6^\i‚Iû,œ÷†ý·uÄQx´WÌöIʦ`W-–2ò¯³(ƒR¥x^â\ÀvÌbÂêŸ94©øO¾Õ³ËM b öã0Çþ|(øÄÅ“ûÑä]8›S)ùã¸hÁ§T-.»z¨2[PºÓþ]Ö6g9›ò—:8!CIÏdÅ›¿ë q’Q‹Ï F4³bç2!88]ÿ´Ñ.'6kMFòÙoYQa–Iß© ?aŒñì°#«?“Mg‡!r Íñ<ì_MÄŒ`P˜’FRè˜KµdGš!ÆÿŒl¤Á<ùm¥-R½1º¤Žf§ºSÆ«ÎóØ(S,0B'®~|>œ*î*Ùª:É>ð,Ñö†Ö3ìc' +dƒ˜^—P¢UÊÍêü+_q©"§‘ÅKÒ/h×ÉÇ©±â¬1x…C«Þt8Â_Pæ¦Mû©œÅ©8 Ç¤Ø ¦SŒ˜°¥¥/*Àçdç½Õ}QºÚFKÝäÆ%¥š[¶0iÊÒNûGFÔÏ!§¶ÈX ãaF6DÀ¾Ø+räÞ.ñüR ÝŸT]•é$‹»É ÝÊ[dŽV3“Äÿ™OüCÄÿ‹2žfÏ ‡'{òe‚¦ýµýL~¯nJùáäNçEnÙ Ñ‚ —q3L-Å9j™æ>w¯Ö9)Á!°D* m`¯2+“.Ý=‰jeUè\aVgçÆp#4v«X«1Ÿ-˜&”vpÔ°áör°Â$é5+7KΦS—Ƽ:á!ÀðŠ‰…Gž7.J5RM«ã–ÔÛY®ÈJôWá¢/x?žÿÎ"âçƒB’ îæF7°%oTˆÖe-sÜìžÖ:uÇSª{Õž"¡)N}óƒS¶gvÉ‘ò~ÄÈN«ÃOúÑo¼ÄÄIÉgâ¥eCYP’·Ä‰‡N“ËÄI·ŠîI­Þî:íEÌ㣢Íuün8o¼‡–ÅÃwáI4‹æ•óÜÇd6-JzV^ﶈ„`¯w‡—1-6Ôî®]ñ:ΟF3t(%{Tƒ«Î'éÒd1úwtF/Îw{KµÐQ°uÔöátéÕŸ/ÍãÈ·Ð%© MzG®šÖÁü"žÆhàÚ;3 Â2tK._r.á•S™ òv§Cî¯h ""}n†f%@% ɹ‘’JD>éÉóKÞðÉ–2N‘l>4Ç~,ŠÉœŒÎÏì|#µs`(z_ §éÃѲ;Së/éJ  Σټ8Ž/µ%˜TÑ(RÚz`˨&kÁöå§">uÚdÜK\öÁ $Îd·˜P\¢ýö$ˆCÿÖG¿/Ûp$ªù/Ÿ´_î¸WÚ#4C<9x›˜ró¢X¢8øyÎ?Óɉ3ê-Òfcî[“/ºu’¯¤~.¦@ªêX¥Ó-•r®Õ*Æ{-zÓÄäѧL,œ´ieíaYÖ)T]‹‡°ŒY]Ô`.P²«™¾š?QETn@‡¹Ñœ‡WÁ;tY†’[’v—S‚0C6Ž‹Ž Rï¿y„Žœ×vÉE8õ¯01dˆÒ-Ú‹çhnàxl·3q)ôLÀ¬‘Låvšc@OÀ¸¥ÛÒ®X!˜@£XÙ)É…˜áÑUµI"•ð2Óƒã2Éõ²6;#ÏX‹¡ÆþŠ0e³ ç¥Gílʽ„þÃ="ãDª˜TÐË:hm×br·–MÓ`r_á¤Jë1¡QÏó VÏ“Éq`c'›ï’­•9"wi3¶Jœw¸åÙŸ[® N¦V¯ÏæGçj“ÛQŒ©æm·1>8áS&ˆÃzóÙóðä_OòB<{+ñlRÕÒ­6¸d'v3:Aÿîþ®]‘Oüz°´Côïƒß­[ëY$SÍùíC³âz©9;QÜnòÛ*L¢Ê,DTÌ‚ ¿­:Æu®JüÜ'Lv¥0&iç:¸ÁY‹Ð5Rû£Ó“l;Å5Zhˆè€( +}ÔîñÕ.1(‰üó.†Å™ ñhÎ9¥9J„ØauBÙÙ) &äÃêeãÈ3ƒñ+²Ú…±Ù+ZB9~©¸S^u)vk:ü”îaeÊLVÜ!™ ùOkÍ㳊Q¶î…œrÑLTœŠ‡BuìA0Gp“t:Rõ¬DŽ$Ë`ýLò9Ãj÷MÕüŸcX½ù?Oóè…šÿsþE­ÓÂå>8íuª·óC,^¤ Pó]ÜÌšÖR±Hájöˆ!)KÅü³º÷‚;¾ïå=>ˆVï( „Å–rÎeÕ,£¬FXc-DÊyÆ•cÇ®þ–Ù)à€Ó€Àš¨Ëì‘§“dª3l*è\¹À<ÚÃq=>>}´Ç ¾&–=™3¢Z`œaÀÞÙø-=‘¤”„}XV~Œ7eå¯ÎXÛXC¢\GC\ ¨Z({d ›T0…ÒãÀØë»Í°×3eŠ8ézù棽t9'(é¼#BÛæÛÁ…ö¦\#ŽWŒrN°˜L8+.*%£ ¥§¤¹ü„L-^å  棰‚Û&˜(YÉAü°?àåGƒ¼£–H  o”ý¼ƒÜ½}Ît0ÖM30<œzLxÙ€5è%"(^Ä…hƒ¼Ãd—è%÷®„ U“ÂMAaG|bïÝb4ˆ¦!Ý+:ð`‚l%ì—ªKve¯sÖí5Žk¤õ  EÊYQª·A‚ïùGµ^íéqû*ðûÏÂ9p¢wÃYÄvð³™4 J PžFëGÿió¸a{” ®,ü Xæs‹&§‡·‰P¤y3B U¤ÇUéyÒÏ¢ís­ÛYmâÈ…”'§½Ÿ„ô«{vÜëŠíî…{‘0àtSù‚ ‹Ëªã‘G`!2s·´ïPƒý5ù3”CÏî/«0ùœŽó%kó°Ã›úIáõvÁû‹”اXõÃ’pÚ¥Ö º°‹' fùýـưä8Rl©$õ°¥Ê[Heªªûí®ÿï’Ýf»…X ”÷ò¡YV˜ÛØ[äw«äîΈ¶át]ð@rËÆ L ³,Ú÷ÕT\˓օ Œ0!ºC–ô`7Q¢«zòß3 ›Nû¾5 !ȳ.dw ñhO¨Ø•aDŸ;”2ÿÔ%,A+«úõöY«—Q•_$ÐW¬ak>øæ‘£uxùÍ#ÿÑÞmÃhQ}»-îvŸ(C9k±”­v?Ãdx_$ Z¶O´õüÁnå$H TM8Cß>"ÅbK3¦v½i±hØoס ³³„‚5EÙº’[;ö>Ñ/Ý»÷,=EwîÚ²Y^C»±¢ÉÞÝi3%›t‡Í”®zÛfb=¹ÅÜ9ñÏZͧM8ÕmZ®jþ˕拕ÓÌÆþbB9P²–ö:“¿¬·ÐS¿Œ€®ŒAºS3:Æ~Û… *–n©ÛÇ`™µ—ÊíÈ^0µNýù£½ ½Ö茽°î/Ù Ô¡%+˜ÕðË:–PÍjÃÚÝ[:ƒëtpåìÙÎ)™bâ ‹8 Sù,Ùd•ëJ¢U/);Q<,ñä'JŠžgPìüe<¼´hºPMK›ágOz²%ébk5†«Ép±¡ÐÒFzKÙÈ;ô&ëKL3g~Ÿh …A,f. ü8Ĕбø˜š2è†ÏK)-d¸”ßP‹ÔQ0»†wâ~+Ë B?^¬'–™Pÿâ 4f¥Áò}4,@…‹ÞÅb¤à¤É Bº­É *•a&Øù$xâuª:ÎG S7 â5á6\w6ßg ùòËíö\Ê z|D fÑ×Ó÷½{÷¼÷K)£ðûlùûg_öö<öìVÓ]Ù2¬˜]%áAÈC"çKSÇØé€ÂùßÇS•ƒØCУº¾ùˆe¹»½³³³{l_¤8{æ°pVPøüÜN™vÆúd‘Yp#TPS„Søn¹øÓGfe1E¥ÕÁ§~¯ÍaääX ÿ|÷º„^a*¬Ê<~l—9n?{qìªY—ø¬£èòÕîÔ²ZMI@ÊŽ£¿(Nð ðÏWÞöû "0Áפ¹B"¤=Ll©ÚqóY 3|ãeÞáŽg-zËü´×éfW&ˆ™ëÒòdŒ”¬béAòd˜œbéqÒ#õ¨$÷¬ÌÁâûÔÊ¡zpQ²Ì–Ž˜¹ž%‡í›ä•"5t‰±-ùÅpϽ^³õ“"ÇèÊÐaÑ[pø:ß=ÕPÊ^·¢ ¿ûgZëì¸Á£_öÐŒ~^„$dí§8Dè¾yh÷6‚˜8H=gKrÌiÑm L6ÝJh%· ¥»¼Ñ$Г-ÚS:,ñعXÌÐí£ºÞÙ`AVâñn?0 IwàP‚sž‚²Šd©™uU²RèŸ!b$,‡]‰gãšZn±£9ˆÐÛgéúBà6d¶ò¨q«B»Yœ,‚‰‚#&žòÑ'q]û#Y.æ¢4<‡eŒ:*>U5ª^WÉO—‚ѽ)‚JŽI. d•ªï‰ɯ¾‹Fï¨gZï«ÐÈê*ðHsÝNLåW^QM#ÝŽÜ™„‰,Ân†¹ÂâC3±Y*ªË’(­éã(Æ(O²C8ŸO°µ£f÷ôØj€Z¯žùfªý˜AŽü3à,L‘Øæö&¹²Äèe6G ¼ËY0Yho%‹ctÚg­£³S}uÅGç¬:ÏÊïZáü®èÖHÞêæw—92]œôãDç(§²ÕC”iØõÉ´v®|²@U¶ºƒ*hm'ëv®qä›þu?¢oi&´FG½û6(dI®`I@ÈCÉI¡n÷$«*ÊLªt¸òó»C¯h3?ɇkÉXË-I³›MÚŸh¨Î¼›Øúdh¸$ìê¹VDZ£ Í,Ã$®¢’fŒˆpwÁ­æúQ‘¥VQ¢î¸˜Ú=nŸ~äÀÿ¥×†3+ü<ˆ¯ÑšØÓK"ó̵»hÛ5Ý/¹5X+`×ÕÖŠz÷ãi@¦ ¥¼ö1ÉBI©Ÿ—¡Ëâo&}Ùš/ yF$ÐõlHøÍ:mvÀ˜–xCž•îäuâð‚[fEã¿z‚a¢âߌ@ðQ6D[K_eÏøòÀ#œÊy©¸j9¤\ësã×XÓwI¥w7 ›÷ÜCÅš´Ÿx#/òúÞ[/^^üÔïÔv"eŒJâõoÝê‘QÔº?àÌY*„œ¥-ëüà?iöØHŒELÁ-ç2ë ~ŠbÝÔïœÀˆ•Y:]ÔÉôHϺë§T)È~Õxj»4–3$Û)+ÁÌú(õð7¿ÂoCQ èšò$êdµNaYûÓ-©¬F°ë‹•ýwÝdà 6[Ïæ»T}A‡Ãc®¸ \N®g+ûÐp£ߥê;yÍŒ¤… ù0©¹­¼4¸Üì-n}5›Aä/( ‡Î×kŒ¿±ãcz‘lï¦&Þ´Öá·qìãP£\®DŽæÃ§£ Ƽ‚Žq²ÏˆYÿ±Š‹çˆ4ÖϳÖkˆÂ¥øžp> ’R8Ä‹pE‡1ݧaÜŸ ÏñþÊʧè⯽8¢W±¥2­ ÀŒC°Š½dô–Öñj0“()G ÿñÑPp`AÂOÞzÃpÄaZTLûÓÜE8•<4ëäŠc&ŒøKÅy¸&­¢¸ Ç·Ü„VªÓYøÎôñ ø×ÁlÀ˜8ÔDÝÅêm¤hQuShy6Qn£tN"!¥.)P HÁjòßÂIs°2—ʨd‡ÁSkOkÕwhÉ!•Ûæw7g͆¬èmr\?)c˜=ÝBŠ–ïlÜÈ]­Ž—[³ðRÜv—÷ÿb\ÆI³æ³V»ÓðÛOŸú§µg ¸˜X왡þuâÉäI^¼kÝ$¬!Ñ%ÆŒÓÔû»‘âtxŠC/Ã2Þ„µ®Ö:©ž6޼]þ3à•H“[urˆ;ìºó0ä`p”J謭¯» )ÒíUït/#¢í,D^8–Ô@Jì(KÌÝ:H¹´†sJOH¡áÚFZ½[«ÚQ@’Eõ¬ÛðOhfª«gë|”jö,m1 KØ&Pœ…ÏÛjFz<¶­Ú“céíÖkÍýÖ$¶†Å¢Þz߬Ó'ZJÄ®¿Já(ydé .ZµbåBÙá¬Uo·ŽšiçéOè}»½ÎWO›ˆÞX'u,{*Ýì“£†9L—Ø”â}Œ†W¥;žJ)X]‰Þ•ΨÂQµiy0=x¬~Bà·Ûïw·3r¤hþ_¡c0ÀQ×P}²¬Ó£)69¢8œË>ÜaQÆ”F1éwŸS›Yä$)‹ÉœŒrk_(h…ΣȻ^"ƒ9â,fÝm]‘²Ì f°gfê]½ßz¤t¢Ó˜á­ãek:tÆ^ñËÒÚlˆ ”£(ž—e †jûrXc|¬Ú‘:ËÖz]wUÄ޽˜󰺮—€:H¢¦C‘#ÈR—?RÙ£•¡ÀÇL’Ì„`͈½cxÜ3ãÐÈý(}©¼9Ê>›¹@dq(¹{àŒë‡* ‰:5eÙ¤ÒsônÙ)uT‘Ò|—]÷$YÑ5ù¹jí4ò ÒvMÂìV…ïaó‚Ú vv(9­tžŽf³Ì2HÁ¼“V]–•9ÿpt(<ñ|y&sMŠå&7)©Ñ|’\`½½²gðÍAnÍ7, õÑ0a;¸áh6¹‘kîeBkÃî!ïž+£…7ÄÛ•P2Û:¤ø¨ÃDääûÑ'—tPOžš¡<Îö/lk³\ “A^w&¶%³(Ö+„Œ„•€›…\Õ%„z>«fu6g^µ®d¸cœb¬5 ™­Ÿû´ˆ‰ÔJ•«êÕµÄUë6®±e¹Çýÿì½{{ÛÆµ/¼ÿö§@”·)éH´$;Žc5ÉCQ´ÄZ"U’²fçàHHBL,@JV»»?û».3ƒ™Áe»·Ÿ}›ÖÜ׬ëoi Dj Îk¢#›< õw=´¢Ýÿ 4ãî;oÿ)OÍÖ«#Ì·òÅg?;ÎQz?…¶8—ÉôÞ ú¦|‘` ü—:‘\­wó2w§L—ÎEM•E¾§!›:¦|ûL Óè¤2ЦçÙÆ˜j‡LyOž¨Zˆ}‚HŽ.\!&€†18ü㨑ýÕb_Äßæã1~‡ñè ‡=%0Ÿ?Ëï`a…£vz#ÊSn܈°úïÎÊ7à}¥L­MÌMßÕ£` “°a({“j…QT­–1ÿüÚÓýÓ¥Ÿú”¸Ô=úˆÀ\ûOÞ‘bÈ®Š¨åÀu ²e‰·@C¿@óÈ a…mqƒ0lš?R¯ÆžIE¶/²+è §œUIŸ©¾HFö>ñ[²Ä·7`ž—ûÿÈ_¦oÔ=ñÇÆð1#Œz7áßúZax}ÓI>:#OKB¶ž4T€–ù@FñƒŒ1ÌÐÍÓäZ ¾.Òè–°DY]òSx>Ñ/~¬kq‡#&ÆÏ‡gÉ¥Ô²I“PxwÁ8sYB°Vøöt8À:wÇ#éJ®æÚYOÑô'”&á¼P$ÐcAîƒL"¦¦0Ú¬& lY”²6ËyEf`ÍRó[‘ÃhGš/qR¥ÓÇ‘ÿÓ „gQ^@þÍ“gMšË´eá5‡§ëǦéâJµm!“w8‹ iPD„!?5fù‘æ3¹>”’·(çÊ ¹0ÑñSˆ\Ràh‹Î .½ÕÁµè0à"Тi‹J§á*š! êÓʤ$ÙN^<“@ÊTfôm?ÝÏÅh8)T>é2\"‰_“Kì%¤PÐÔg" mª^Ý‘m‘`?)bÞ YÊ௘½-Bë5Šê3Dnïa>Í4ñšHËsšŠiÖ;‰AXM8’_à*˜ª ñöë´Â¥´hŠ6L\~ôr+_TÖòéüt̯jW‚1:8Ùcáp á¬2•$3xk9_¸ VÌÂe(ýž’Oà"Åá7E€/ØÄ³è2®fJHúÒ.&-ú–E*Ø2ëF"9³ž‘»,Ìù¼ø…îÞsV°-í_|oñ ŸéK…}ûÁÔÎ &mT7eã‡BƆI‡Øän©ðk¼úíó»å0‚f].}¾QÂÅûÍ5ú§½Ãa[$®† ×,äªL£V±YÙi™ç½vt{û/ô-9LV×7pïîóüìVrÿÅc¼ï½nº“\“^ÒÒîþ3ÏÕÖ‹ãò<+ÇM¤Q„«ÈsR|VNÑ®lj‘ÄëE‚‹Ó~ŒU%8šÔ¸4晼6¤òFÁ&Ä›”ø¿­)sá´¥Å̃ã û[UhšGÊçr€†:ÐÇñXÞ%dɧÐþ%ˆØÛëWŠ`Vl膭vÅ óÁ.ò…x*C¿Ðr©ÕQlXŽÓ¤]|ÐÚ]oÃÙ°”’BçM»Õø„®D­’ â/±P‡¡EÓLn>NêÂ2±Ú–quAŠŽ¤;ô:¤.’î&öI•hQRn ²£NÞG “w?Ám„š+4±„½Üª×1^^.bÓ¥"vâ}ÈÑê¥rà‚£ÁÆýP z£”L€™9–ÕÕU4‰ØÛ2™%hÀã§A…Ž©Ä<™è}‰fyywTž-i韌@ždd†ñL X.»•K- W‡,É(Å»ø|ÆæTëˆÇ)öhC8Òž¨nmQµ…ô $8rÁLÿÎIÏZ7á‚íù•0}.Vé"ÉdÐWVÁ3CœX† }=¡Û|š­Aë“‚!±ðnªd,iÀÂÃŽGA¶t[Ä÷kP1 b¯›Ë¢:ɳ)ô(`´ó™â2;¾1jÊíÒí7álAµn¦!ÝhY$%£è)zo è‚îàoÕ›‹YÈÅú(<Å—ZÆïy¼‰ñ³±ÖåCœj.ì’Qh‚ŸÙÐ4Mðª.kIe˜ÓmŽÍŠd£ÇnÇÚÉ‘:_²©«$ºàwÒ%žç„Ø»(Ý}¾X Àe!,Ó0çxqQo7×-].(³˜"Ë'Ãv¾ZÍd„4_=­²  ²ë_­Ijçá.f&™Wƒý÷KÞ´ºG§3eçç;åØ@Ñ\ ¤±‡yžE"_îÖƒxŒ!\e[@^_0ÙÓP;V2HŒËŠ9º–‘ç“z^¿—Z×ä´§¥<´úPÒU®zçæzª‘ŒÙ¥(ÕªÅèja3²Û—Z2Añ–sœâžíëL¢™¡ƒâ´Ç¹£Z AÈd… [©P/H–*)Àì¾H§n£`¹ÊT®¦d}a‚ñ• F1óPò³[òLžFsaàçT‘©j‰ÿm…ݸ¸6—áòãýÅgÜšý'³'§Oüe²°IÈ—¹Z²´ ^†2îͫã‡UådÑ*òÌ꘹j"@‹Â²(:Ÿ¦Ed$ΦC»”`{“&1¹ÀŠ8.ãÁÑà%U®amZ9m'ýá¼U£ÂyalÔAû~@Ù;É¢eˆ.1Ø®KHð'Fѧ ÏjG±é‰ny—Æ‚e‚»OvÁ}> L·2”Ló;äñÚÖå.sQ˜Gé×»ùD»àÍî Ý]mu.“åReX?öPTðãh–å{S$^Œ‡íŽ]áÃBÒ'ô¾æ¿j¶íW}sÈ3Gµ󿢫[whýbÊü2ДŠtKÝÏÌÒ=—/rƒ€s.µ»v‰RL$Ré2¤xN©‹¡Ü{G#ê7‡îʈS‡õ‡Hp8Ê<™Þe>è‡ÑÔç,ÇìgÝcþËAÍl!“Dô‹÷ý÷?<8õÈÕ«èwF¿ˆüG™ÌÍ„Öq± µ”ÿúÈá,Ðÿ™wçÐÈD›«ió"–Ûy-E>5SÒ«SeÈ…ÈïFËô^­¿WS/ÞD*€ÐøÖ÷¢xê²VùÕ KÙÎzJ3ÆÛÏ^ýUÙò¯ÊÖÓÅ@zµ~%ì Bl}ú/\ý?kX~Fk†ô£`th2ËÙûP#•!VŽÑR\ñÌëöND‰`’PI¾Ò•õ‚ýHJ¯Iê×Ö³4%Ñà-8G_ÁŸ9`äSk1j¯üPq¢ °T*E3£#DXãRh@8t÷Vlë¡¿{±ŸÍŽ_ô„vPʨÃE²T ¡Þ¦à Âgë6¢H³N,v·¯R_˜Yõë]ýª«wj¢´ç…‘o24GbÙ³î™æ^©¯ë*õ†4;ò¦ 7æCH ã®rfbnR«D5óªâ¦”~²Öö†4·+ýªŠò_×Ï>ëØ©…4ó½€Õí$¼Öü ×cÎ œDE«ç³0¾^Þû.~×ÌqúϵºßIæsdSO6ò€!X¦_Ôh¤ýlR' ‘»>þUàršqÇô¾Âlèdr9€SO&.é-¸áh—ÉBØhƃs¾´1ä­óáÞœÖWí¡WŒ¶P;0*ŒH¥¡y‰ßŒ÷tk¯ñ²þ@ÿÂí#.ó³æoiHÇfáSñ ø…r ¿Q_¡Ëñþ¬¿mÛßõOìgúwùÎпÈÕßuúØôÏœ/èdü‹}Òð7ý½b ƒi¾³Ÿ¿Í^Š_æÏÌïôÈš‚¹P=Ñ¿Ñ+÷Wð¤ð Ú ïÓ¯æ»ÖÌ·û ƒFѪl(>Ö¿6C—ôÍ'ú7Ř*ð\xªk¹Põ­G®¯t÷ªëSý¹ñ½0Ö߈ߌ÷4æn¼«ý®¿¯°á£‘?êo–Yµ £–ö~ézš+©>¹„û,ι»,ÕÓøJý¦•Á„Ò_u½ë}íÉ*š. "‰û—‚èuþ²ãâM=• qÁ²—z‘9¶÷¼îõFFšŽü‘ÊEò… Ĺ²¼Ô$€!Kál|œ¼÷å´rFF‡@É%Êâ+Å5ÎË•xe˜ÅV‰¬@öÎÉQF}šä3EÐÉI æl™¤hAÕb І§myz¢P ,H§€î"8éJÕîÔ´‚Ä!‡$æš~cl3ÃtØ [£„íL†iÖÇш\àe‘â¨õ÷þT‹.7£Í=ŒHšQ^ÍÕ ÑPkôjmô[±W2…†–„—³F„|{:µçMD&:bQ>«1c’k5 0–îÓ»( 7 %mqÚ [5‡ø½BŸaP‹ å¿Åj¹ÑÞsva„:ö©, í‚&4’• )ºWÑŒ¯ÅEWη¸-B¨©˜N,Ý ¹û§z’d¬®ƒ7<ÖU$RÄU ¯šgZ8Õóía•(â¼è=lw^{È ¦QÆì…&çÂ>†& GŸ4+§ãÑåç&k¤àTÅò©µS“åX¹$Cˆ›¿Lf!UȾ ׺™„TòE ³%Ù;LR?‰wÈÊ»†Tø!Ò’ubÜÞWæäÉlí×jú½~oüg!3àÍmïUûtÔÝæJWySÕ·2y/ZÉ3|¬ýΉ,“B׿ÏÚ­øËAQP/š2€ú¹ hiR€Nã¡@rQ\a•‘Ç«šß…7(èRîªË¼^yÏ¢Øð[Qå#B§xP2¹šd)W„¾›™;& ¸,ÐM&R%ô+ZÈV€ŠBM£iS†¨ä½Z¦Ét5 šLp2`Ðó¬~éJsœžx]X}˜n4KIþ¤1Ū%¶™~ÿôš÷óö©éÐ/îʼ̨µ/åÇBmÍü+©¯==S äð§hœ‡ Ñ4"\ãJ' ¨œÀ9AÙØÄ_±wžÄV8OC㥠å²b ™šøE¬´·—+º+ßÛ—;½Ü×/!SÌŸæOz#ó›Æ{BåxOe÷šè_2ž7 ã}ß'ÎHl¶×>õß´O/ºÞ3»n‡»‘÷£þTå纉rmÃO1sÍý¹<ð±æ (€"R×’‚ç§MD™‹›€ˆ•Äd”±'·ÝŸ# Ýf;êÍŠFyvþi;]œrájA£:…(׫ºž¨£ˆ¨* Þ2’èP! —äS‚g¦§* ª[mƉQÜÆi³J‘"¦ü'.Cª [«BjÿÊ7÷ÐÇz™ÜrÜËJ]c²&/" ´øÁ:aš–¡"Ìúè˜]œŸ†ãî‘U“T¥ß{åã»4Z×ØÇ³’€ø@eÞ„'EiÓþè§Ñ¸‹ÒÙ«Á±ã/Ðn¸Ï0^Q¼Ûë÷»C¥–À£,÷µ|ÂwqÓª‹?¯…x÷p£Wk·!Ù ì|‰¯J¹…ÓZš.·¶:º9â9\V$Xcˆ£0)pNnnJj‹l«;Ú8¶œ½ƒb5)!¯ÆŠT¡È (¡‰ b½j‚ÆaUŽ;”û;(Ìbhù‚¿)Á‚ KªËÍ`?ÿ–ŠÃ´Æòõ0†F€.÷/àý?¶*¸œ¤IºœÏªR5%,¸H!_&9‹FKÛ°*–×5qàå‡2·±þ©ò+m- ÇLPTUÌh›@³?ûQ‡é/fË Ò"_ô)Ÿî8µ±ÞU| Å 7½{ ‹Àˆ$7KâîöÛGUaí±~÷mˆ•í‘®22Æ £¿œR‘c“£/p¡ö–Ï™Í,†bà¯|H)BÒCÚk?¦yjù=,˜ÀK‚®0•Rį˜ ÿ§à³,éÏcªD#áY°yQÙŽ’ç¨úg?µ%"ÙÑ"G½wIF¹Kñ2‚£ÈOEø( ȪV\̉-Í’øZ˜ñbvwµŠ™œgUŸË·… …U<–Ö·b9xnfɶŒÆˆ¶K7òšI*üØ"ÂÀµÆÞŽV“ #óEùbFã‚ëN³ÃwDs“"GT ž¤×ÍóÂÁµÚ1ŒÐå(®×N€:5nU:£´Ÿצ#B®~œ(•ˆ.DçÀ3o І&-Y¨ȰGŠ;Û…¦™¢éZFwe†Â ‹<æžYÇʆ>B®pL},j_ÍÛ"JU –Ü×¾?™†“YÎcã sÇQ±ëÜ8Æu¤ûO)ƒ2Ūu¿€–]nÊÁbC8Ú$Xœ¹¡s±¾)( ×1ÛE©8£0‰zµ{4Á8Œ¬(:ªª(«Eƒш·H#™J¥¤Ð+rT%q-Bµ0ìÌz:HH¯?öOÛ×þio46vÍën÷ÜÇÜÿ|<5]Â#I·æ„â&Ñ%û…$²d•NÂz æQâ&h=š 7Ó .„h»§µ2MÓöÇŒtÙn¦Òv„®»Ç9Vj«%ååÎ-Jäâà.5}L×êÈr¢Ôkój&šÌçfƒöáæíiÑ $Š××¾=/­t×j»åÆÑ¨;#ƒÃßëŸ:íST‡¦ÆÁ¨$b>h‘źÁÒR `Ž4ƾ!( !›³¥ÍÇ]Ö'•‘–ؾw9(–eÑ;¹Á:"6EÙJx¸­t¶åœÌúØussJ”à½Gmd«KÖR í’“IAî3²ÂEoyÝ(„RJlî➪ÍpôS¿Ù§ƒöQ¯\¼ ˘Ùôá f6€•:æ{ì¥Xá%BŸÈP5˻݋2H"ÀIJ$²¸`K[Ö")åaýÒ‰PN%z ÏQDÁïE€pY‰ø*º^¥ª!œ%»pŽ;­Ê¸¢É Z¶¦á†HZ .÷jaøÃ”uM>z)`åáÍͶ6•e¸ el/âØŠ~6l!:³[ÙD+Ö{¢&Xv©xTóU„ÝàK *åÂ+è+…½:‹á,q¼‚}Y±>O­»ÕŒ¼×Î¥{ï’Ù¸"ŽT"¥X­…Q ³VùŽ2â¬Ü,”ˆf !ÀýËWy³`† îMÝÜ÷íû²T[z½—ÿu¿yધEÞФÈÎA[x©í0[Òr­õ(ÑÓâ$3!y×–¨è<‹&îhÂì¨ðW+.]J!PëÕr&ÎÙ¼¸xì!K ƒ¤WÈÏÃëúèˆk0ËaûœåFQ>Ûr$›3‚Þ Ä$)iûR,_lÆíàÑKÉ3¸Ç&¤¬ý›‹Ó`‡+Ĩ”rR5ƒfr»þ™S£Ê%ãž’Ù¥ªÐâ­—ãÂ|:P. ]’ŸVMêvÉì¢Ñ£w ZlÓB£µŠÌU&æŒv¡²‘†Bè¬M*çüÚYZ¦Ñõ5ºá<?~’¤uHÑ6T…¹É\”»&7à‘ rã,mw‹»J‘pëÅg‚þ &TÆšóÕ7 qB&ÈGÝà‹šÞHUÇÔ~ðžS~ìšW nm­Í­õ΢ ßJE9Z¨©³" ©â±+ž´S‰ašGy¡ËÈ®|r3וL)A»ÑÛ—®šúŒ†.% mmDWVg¼(Û„gatƒ˜Ð†€—-ï¡Âäè. "3X×tDèx”m0@Q•yŠJ|Çq¹o`Ÿ¯Bµb´²Ù_7•Ñh,¢ãBà:b¢¢ÎO½±°9<@aí-™RݶU½  ΀$"ãjZº¸Á ¼#†ÈþUDL»pnËâ´%¤/†CÓI>¯yêo¹à€$³ÚÇ„>)0YVgm#’QG5EŒiΖ¶ ›h½ºrF[ßÌP×±àuÜ!šØ¶;L¯¢PJ)õ”*XGàQóGËmMh®ó-K>íéÇÄÓëÎ)+†²£`úF[P„EðÀ5ÐÓLI ‡×Ì:rªÆRJ'“S.‚×–¼´($G¦H…=µÑÈjŽsÌSÝ*a=Ú¹ ýêÓÑÚ,E•ÙÀz ³P˜àøžøÑj™ŽªKÁ-ùVÅáÛ ¥Í±[òHìz ²PŽ\£]¦”ù(’6ÄMj°ƒ+ô³Ösì"‰VNRã%¤¹`ò—U”ÊrHunÖ`Ì„º!1Šÿ;Aç*KI¦ Õ ÁS¥ªqY3 HEÌ´qÑji)׿¼:Óoi+VÂÚM·Ó»ˆ¶ªœˆ×Àÿâ,`¯oC æÏQ,8{Q$ÈO(v=dΩ¥9™i羂élpÌhbïn0˜U3‹JýÃQÒ$õ]”7ÑU8xM5WÊË~×UÌ!ÐÜÑVIpŸ{F2‘ðEµX„•‚š9¬4Ör‹Ñri-—ÊÔ‰g9®)J'^ŒµÙ—Zž,pº¡ ¦%ÎarÞ6îæ‚¶RT›ºDg îæ9òÉBLfMR² à»¶£vA…§å1ǘÐ=-pÞL;¤Ò£75-Ä G½Í$?Ö+Ñ)\\ï-c¤ wtxìŸ G‚gÄL™pZ¤ÕÚýO‰û½?·1¯èQ--_ÊiWWÉùÉf³qB`±¾aF¤d\¯°Àõ2”PÞKE±©»h6“aʈ…jǪo@ª€$öó­õùºrÎ_ÂÙ™qÃÜŒ©,cÒOR¡Ó U–Rk AÝt[b;!åáBLï  Ó~ÊÝ"›j\gˆìZðB?HÍÅÜ8‰IÉØì툖ÙFâî:-ÉåÄ κCålÃC wʰ=2ñ¹´»×>ïi`ƒUŒn~q3ã7*ÅÂùå<˜¤ åB­È,6ìŽ/†}ìÆÐ?o»ý±× ýNéÚ*2‘‡‹e®¦L^XIx'h>Æ5áaÐìIûM×Ѷ)bN„³§Û¢Fò®~Tãkã3^fû,µ·„ °E_ä1ýb$^Ûoý3 „Ö°U†óôò:¿Ô—’•“÷g—Õûƒ Dee¬–˜}K×¥‚:-Æ‚á ½#Ðá2á°AOø~]—½×e-k")BŽî6½—9Z½Nr—võØ?×tK+^;Uè*›èïp£jé¯gO‚ɉ]Ýn”5/W‰Þj_œ.ù÷«˜;ÁìTÞVEzʼnŠÚFì ͺÀZ#}-1x‹¿±œtõ8jIä¹ ¸»rÿØüÄ»š˜ÌÂ¥Îyã5o=‰(°¦B¸3xVL éãY1¢jCŸá³+4ywš9 tšˆq1ó”i‡A6T!@T$æ³Ik²ÖlŠ6|Á„å8 î`?ËÈU>u6ݪ—½)Â@<"ͧ‹ 䱚°¼Å"édd¢8#¢”èæcÔ.¢emR2–Šý¢ˆ¤gÀ'êðSoºÃÃÁH¦ÊPàw@Ea¸æÒcõäq~¨Ð¿™i*¼V´T×4xrL£Ö¤e[LV#q ÆÑObªXH¦Â€J·ÀM8F캵‰<+ǘ“‚£ü{Œ¥Î2ô¯·tÑÄrmœ¶¬v—çàmD@+TÒQI¯‚¸‡ipõQž .G–g`…ÂÉŠ ™ÿ¨¬"o9¡˜ðË&+㟅·á Nìvý•‘ÚÉÇÀ³Ýj•æ KqÏD0x¹óñÀ“÷”I—9Ó åÜù)¢˜Íó×)ôzbábÈv]÷é¶ûG e¿óÿ»{ Î{ÂD¬À„d‡¸!›°óóš`—àŠÄ| öøu—G~äø°*ª¿èg`<ö1¥“p,±¸ß–{¥ò|EÝ”ï6Äsqšú΋HTXô7À—qÿ‘]Ò÷l6ØLVœÊÎU}é[áEËÔFãÎsXÕ.rì#¦W²›<ÏÕ[*>èøÔÜ^ýY…ÕÒ1©Ÿe:4‘k¸ñŒXs¡Œ„úA*Ô“¸èŸµÏ™{ŸqÆN,2yرÖôF$U$vÏC,Ϥªé!' `…‚fî2—lþwûÚüpÏürOå¾âÃý5']ÿr¿Èv;í¾7Æi ¯‹KˆŒÃèc}ïLavè%)о\Ï]Ü)ì»p©1•—Àæ)öÃÞ‚¢H†¿La'á4ã„Msá0Ò}–‘²½ðò5«‡{M ,.…Mt±ÑêfrÖJH‰©–p“UóÖ¸Öå2„ Dê©Ìža,%øÂË Ó?µÉw“Úó·O‘Ò4YS¬ƒ(Åê`!\¡Ô¹IÙ½idI¾Xó(#õ»b5žÖ¢l)â4“Uš‰ÂÒèCàboæÌ‘±«b®0ü{¾€=¯©H™0çì$„*Aæ­€fµU&Å¢k§7¢òß½~gØ=ëöÇíSãæ‰âIJÉZ T‘ýÚ´®–ÉšWæA¼ fþíôÒñ€0 Uòd¡Õü€ ©sB}k¿þ=Ž2ßÍŒ/ÜCQ·…+ JõºÒ.p‘±ÝM½ýDHî¤]Z Ïklo"…á?ƒ"•Eé©ÞwÅz CV¶àmÌ€P_yFžQg8ÃÍfCðÎ2ßÃTØ€ìd»‚n'wt¡–AàÒ¶ç’Óm±Z­ÅÁkñö©Þ•6\t»‡K› ÅcV[ADü[-±cZ´F*Ú™Š†ÖÔ%40¶:.fŒ¼Œ®'¥º zˆu]jP¡ ·wA&æ§¶+¦%˜ú,k¤ð¢—¹brLdwŠxƒà96ƒrš±æFD[®–£à.–Ë0Öê‹Ñ–íÆriZ¡²{g)gi„ã™ pþo [½””±µÑÂÓ [Û <6ðT´—kïhï†!±ç?Ã\Þ|-&²Y2ôƒrRvX“c­¬Óƒ:’Åcf 4ü­œk_Ʋƒ¤ ûX‰,Æ€GQ ™“ô¥«$%vË…ãXá ãc!/Ó»TbÑ” .f³u>ôj²87´S‰–&áà&#ÎY0È %¿j/³E+Àq fpåu£+=Ò+f•òfˆ(¡q“&ˆ-„>‚f«r&Š7[~ã:'aLYyC…š œ>‰4¼7G‡UÛ… Ï÷š%.D<ÑÈô¥\Y~ /q° ›DT¥m:ˆ‰˜bASÙ]«Ä‘†E]Æ 5üVn&4`ÆÉÒS ^䎓Ù|¨¦`1ZQ:Ö¶læÒ)ýh·±ÀÈJSGâÛdxÜ48I‚“‚S" 饨ÉF™q1v.¤›i1u™SÉÓ—­6#Û‘Žß¡¡ÖÏd…~¦•GX4E}ø#åâdÇšjIá·,Œ”’>?yÔÍçzqì’7Ðí‡Ði™û¹³¨Àåì Û ¡F€A{¢h§bÓN¯›9 æcÏ‘¥ˆ†²¦ŠehèXÒ(€áøÌ윰¯áÕŸ* KwÃøÐˆÆѪ$ûÕ-Ñ«%}2Þ1©aɇîDèÌ E®¬ƒ‚V1Z°²B-PtÅ4-¿GX¦ëÙse æåC0_D3†UPI²xN!º,…•ý¯ˆYÁðNù)†”J{ ù’tsâËãñ;}Öû„PõŠ bl[ÿ¢¿u‡Ý?5žnSØža‰+~Ú@ÀƯæÛ\€‹ƒ ÈkDTQØÖÀBßo4|Ÿñ}àï¾ðoûþ¶WAËYærãYFCZœÓ„9ùA£à:N2Úcuâ¥aç—GùJEç.ïÑ„ðà¢W³DL<‡­N™é2x% `Éw’¨äN21´çó0Ú t‡¼ò^°4Hýžçò÷ÂsEiqdá!ÀëÉûsßl­ ¤SÞƒs] î˨7·íµZ­æ£ MÀ±4{ÛÞþ:DþÛâEÌ ‰x=Æ¿_*í`{­b¼‡b =< EÖÚ8äKK¼¥`gØ Ô# q’,B¶÷½« %À!¼œ¤+C«YsUò¨O½2„«IÜ™8bSb¹×É´ϵà $U?¨ª±Üš•‹B–1–9YeÞQ÷ðâØÿçìÖÏ]“wà“O‚Î,ûGÃA‚ )Œ¡ýFãöxä¿:m“4¦;¿àêφãÕȈÆ8€¼O”%–‚;ËdçËjÃV{ð‚p ·l‰ÑAΘ?…A)„MêI4\¬ùòEl€}rtxL{ˆ*=¥˜¬‹råT•».v?¹ºjÉ\9ýæœüBÆ„ $Kî‰÷74I²:ˆUúp=YÂ~m¼jì¬OÁ÷ ׿·™ ðæn–r{'‰aEèââbLðîϲk¿èÛÔNÍnÊëÖv.í¾;ïvÆ´i´ °ÍƺéK–·"vy±!xñ,Н\Í—@g° hä/X»ï Çñ(‘@ ž¾Í@_þ5ñºoÉàEîŸl9 t‹×Nä¿‚étíµ‡w3–=ø›B´Š=åD¦{Þ5â6ã+ƒÂÛÙCâ5° #*7X‡¢×^G‡^ƒ¼?2ψ³Œb„ B?l>¤´½¶ÇÚñ/N·¨=*\$¼p›þú5üNeº¿kz;XHÂ\vEA=aQ¢nD"£ rQN’;4tÜ“ZŠ‘C(æwžä˜?Â÷„ðÚëjO¢u‚Á¼r,­æŒª$ÀKü]Äk=*Æ @Š@º Ò˜A~aŽÙæÓ™G™ÔÓ¨è8 ]ˆÐcœF ¾BR°Á8¤P¦!çÆ¡R£§aÅ€cƸE ­IÆRÝãîØ?é¶Ïý‹Qû¸ë÷c¿ßíu —œê²æexÅYž¢ŠRX7Il|E7ïj¶‘()‘obŽ|BÖ¨;nÖY‰6ÆJwÛÃ2ŠÖ®Wõò¸•¥çüj£²$%ìMß½Šmvºå§$´%¨9az/ʤ̣¸&ÊÞ—‡jIVÌû⨼—Â’¹¤Š`r£5P™¿Þ¢} ‡yA‹0‰“„†'LÃ-3è¤PÄàÎzoé-’¤³©/ŽãšL&Ú%䨀&"y(±˜# õblŒ–?¬§Å眺|áóŒâÈŒÖizkf] Åå{,(&—¿J¿F¡»gçÃÁs®\uV!„»¦×ww5§ªL:—¤Ù¼EÌoò–Ë(µµˆòg쓦’4\„HP@PÒp ̳gUîáÍ;,£ë“› S¢2¹QîB«>ç…ĪÎI·óztq62ËdaŠ(¼Þ\XB0OŽèïf]Ùt¼c(•Šåwòh ä[rËË’!?ºDUÕkKZÒFj&†µ‡À›F !´†§SæÁŽÞçÝ,EÇ£-¦'ØQÝÌÛÍ>ªŽ¬%ñ9+üö#œCåÒsæôóYõë<Ó+gÙ7ƒ@jŸ¸ñ¡.gÆŽ+{ŽÂµ,碷f¶E…fÙ²¬1Æ4Uy¢ZÀ;Q3‰©d¯uœ^óÛçG•-‚ySÔt8Uü£%'6)«Vi]ä•f% üÔ¼-„A€$„Òã›øa­Z@ìfVžKŽÏ'Ë¡Q—@ÄO!ÂaÓY¦äU :‡†™x5×j‘ »G½!ž;¢Ý#”zé;StH¾ð{Pô»¨ÆÏ¥÷—ëþ©êHáÐ,6(Àfä,&s·¬cHÈuߢU“tf· 9yRF¾q¬I°fF— Š9FÅÓCX÷y²QE8ÿ2 ÐS:Þ®Rƒh¤9¾ÍÙ¡ÒÖt©ôJýGUEÑ$k¾‡²ÅŒ­i öEkw›E!f `à ÇD3~*Ý]stl­ ƒ³êÃDÚC9Ny,¨ª,Ú6¬Ò#ë zù‰ÆçWdzaAŒ¹ř䩣ä á#šEóHýëñ,©s ÅË7]6µ®1}5\ÁÐQÖe Å¢ è½…­Kþhpf->ZŸÅ¼4KO¾`¬Rn%íKŠ¿¶¬Fe‚i ¢6*¥”aLµ…DYUD ?,XC8;ÔÊæ‰×üƺ‹Â;ÂU©œ.‡t€S*‡ã„*›-¯X^”vý§JH8(¿ôDxK° $Š×Éþ°tS ¢Èf€›0W¼5À%‹Æ5)]R¬›^oö¯`Õbsš2­(¸é,¹‰œ¡¬cÆW—á,¹“ùܵ¼¸ˆŽµ³jÁ–È¢ªf‹,&Š1Q8¯ö± è>9Ä7§÷ybV±ƒVoôŽŽºía焦þ¨=n£³f8.eÏpû®>ˆÒ ¸«óm“óUB“!¦".JƴعJÚîŽGGNt„ÒNÄáò2›úáìê¡ÍÓ®ë÷ÞÁn{Ý}TÂÈø‚:}‘!yÇâŸMD#m©£m75¨O–¨_¨¬ Þ},¦Îò"ÀK7/¯Ä.WW>‚Ò%]€©+r .:žVN¥°ÇóàWdn7¤$„,?æaS' ‹®ÐÁÅ~zqÔ5„9ÿ¨;ârÈîƒÆ“Y‚i%J®ãÑ#Æ&‰¼•2 Ãu®V†+/”ºá”ÿÔù4w‹ ˜CŒ²ôs.›´ˆdGFF·Ëù þ¤¢œ¥Q³zB˜.5GÝKïwÙËßMÿqÿ{íLúþ«ÞiÃÙ|\?ø›³¦çµ0˜­Ànn«¤n¦ý›2î|Cú³0¬ÃíØH–)rU9®=û}]§-æëK¡GÓ1>Q ƒ½eDaÁrˆÁÒxbbðùg#rï# áÞ·»»FƒèQï­Ùž¨’ësƒôÖ¶·%JçšN_z[Þ—rº:b!VåCóGÔ·lJßÇîïîíííŸ®í¤«KÎfçÑ"3:Ÿ2á^À mpøÒ;ëÎÓÄë ±Ÿ°”8Cœ,ƒ÷LÁ‘aÖÓ4¸'ɽ…3Fe'É4$TçŒÊCpØVcuMQƒ%%‰óo­bòLÞé–‡NdÄÇhÚQFå D'Ïá.ž@â¿þÌoüèíy/½½_à§Ý_¾ÿýïþ^üÿç6¹ØæÝ¼V®PTxÄÁãJäKbÒ i/˜Òr¤É_V!—Â1 5úÍûž'n»»ÆžbÍœ9bˆàÞÇ~МsT´D…:§'ñN¼šQâª{‰†üQA<[¸Ï(—>`½Μ]bZÂ,¹Æ¼™ACù›0þÎ,€M –*7™ËQ÷}ÔÂüöð˜½âðtþ¸¡,J%µW‘gÂM$rf³ûxr“&±ˆ÷^0‰fð0Ô |„vj$µf«f°Â¾Å¬Ùe—r`ª¤ŒÜp¦‰‡– hìxèù±KE¢úaÌhs€B< °*µp…ï ÞeõÊÊÅÓ2A²ÕÕU4Á€½Öú´63g‹×eþ|})Z^gU–Ú<È…”~Ñ]´ÜQo~® ªÀQmô ?Lf«©¼šØ"¾äj,äYÊcQsÏSÅÀ@éæWØÈ˜¦É©q"LˆëxÅsg÷tÛx• ˆ\jåC(_ƒ–5‰®Êdy#ƒ8—Rö)ÇîfŸ OµcÇðš0ê8Ú²1ÔéflM™bζ=RÌ[îÈu6«ÀM]ݓ٠7šZàðݬJP‰§!õ©’Г#è!«A 1pfP‘Š`ßp#"¤F# CïzBýl݌ǃ3ãäi„õïÔ©½š¿vïño” ÿ†~æ‹èú,4ÍSyÞ6µ¥³8…ÓԆåђàáÃA?îŽÕx­ó­N·X¼'Ë4Xðñ.n=¢ û¦ïÖBçŠ~F´ð* CìY¸<‚½0"Ÿ¼,°$CšÔ¨óõFþ«‹~G¨­ºï¶ã^['qû7ݵŠL×f× Êm±½ýMGþ Êžåʔҳbª¬ÞÈ2†Ã Ñ¿$TH3hË+½¨ÄæÖ7vI$€>·J`6TvÉ–àÁ™„Q”n ¤”ÀîQ"‚¢ð&7\ûQ°>ä@º±H}¿qGZ¬þ2œƒ–Š—;ú‹7F<¥®¯®DÑuß·*›ATÎp3Ó5Ÿ/.‘{eTp.Jl™H>1¤· Íg3¶É+[»Åˆ;í~´òQûU·Y™Ã–kIƦé ÎÎ{§Ý¡?>Õ`›ê0´‡g"¬²~ó´à_Ö3ÇΑ”q]ê2¸D Ôh3ò3>~"ò覂/LVtzžh‚dRL0¶y£˜!™ÑÖ\pÉDù¦¸Y/ïøúë’ôOº®Owvj|ÊKc}|ÔhZ¾5ï†Ç°Åç8Öö¶VŸ´T<Aí.ï+±rÚí!§›ˆQ`@XHl“`¾p²x¤ôZCèFVG¶½¯˜ŠéBsûÀð1jnŒXUÙ©²Y0›-é:ý/×Ê´>pξÕO…ž«ê³š/Oå8 ¯­_ï\FµzôÈf,5xØ{Ówý|ñ¿~ûóûçz²ó¢µÛzöDȲO”<>¹žø QtóÑmìŸçÏŸáŸ~»¿«ÿþìûÍî7ÿµ÷ôÙÓçÏží?Ýßû¯Ý½g{»ûÿåý[M$fWý÷ßäÏ“Ç<Ìp[ܧX“ÆÛûîÅ‹müßïà$ÛùcË;L›ù¶×ž±ÿ< çpÍ›_5&Møæ»½øŸg(Ë¿ Óä¼¢&sÚ aÒ눑…ém8m9É¡«p"€íÓP@ó&”ì‹T£0kYý€V Fö^÷™†Òa2€5Ìfé9ôKôy‰Õì†4Uò3UÃ^ë´çT;‘ò~‹Ú9í‰Ú L db£ êÁÈ?Ñ•äOøDœ­5›7h.Ãå]ÆÒ”¤OòÈiQ¥™ë³¦È^FößÌÎzrý_uN© וas­'—mΣ+„. ¿ I»èã_å&ê'×½çŸ N)œßëùGƒþXÿ1…Ì)M ¶M„À!³{$C^ 5šñâ ˆ‚¨ÏùÊìcÛbØ$,¾ÅåéuÏ¥sUþå¼Ãn‡Ü„‚êóøÙ?ÄÏo~°/oèáøF<:vÑŒj¶á™ÙäLÂ?;U˜BX-l>;­i:™ávÐps4X~QIô¥Ÿh%v§;d”ç« [žÂ…;Dð[|ÀÆV6ú$˜¤al{ö^´#̘y3}@Öy ⟩ßÖ $´!7]ó62>r¬„ósÃÓïûç§í1°ùñÐ0õ±ˆQÿhà€qvN¤wNh‡9¦¡‰áxa믮&sô’XÓù’eN²©í©/EؼR“>A¥¸:lÏæpÜ=iŽ!µØºµïÛC„g {¦s4v>zêþ¼èŽ×¶G]¿=`¶Éà|äwÏ.`MºGnRTù®i—x?7|}jîÐ’K¼®¾U,ºFç½>=)Le½@‚BMy(© þò´ÛîûTþb3ÇÞ^Ùié@ozÓ@#EÇMÎyîYIzmŠ–]¨š×8z;5;áh Ä‘‹¹‘1 RÔˆÜì>¦u‡é5+#ØKÄ}çw‡ùáï{ß#âD‡Ó‹V§7mØlï¢_ƒŽ¾õ±v ¡bŠ8x…a½kŠ/¬Ì*awŠÑ»ÇªËʨ݇éþsw(Ÿj½2¯Bè]iŒ ‰"aÀW¡—Á¥w\Z¹Ò ._Eð£ÇúÅš±j»„ü›fŸ*ö¹$º¹‹öü;Sì;ÁýiaçxwwY1æu6ûëØœîžœ†Ám¸~/½ÊÍ©­5'kFZ«K“µ4ÃoK;pÃÌ…®bp VÆàTäȆHx½Ë”éLVq <Æ$‘‘/•‚l‰`½Yˤ!þ ¥•MAõ&0©û ¡]v}z6)nv•†\‘˜"Ÿ1rÂü8!$Ê0„œ%TDpaL“W$uµŠu˜/ÐјOéßË4™®à‹Õ›ïLÃ"“ç°±&)kÂu>–hšIÅ «sƒÜ<çñ-CÄ n9ð¸U8¥4êoç3äÔ¶°šQÔl“«†EJ}‹Š"î D-© y¬=•t @}Á²g&)øUÆw´ô›ãqÐ_"¢äóY¦2rìžÒf1kÞ²œt«’4,Y&¿©/Î@·ïÈäÒÞQDÊ"T*üh)¾èþé¢} Ï÷¶a]÷ñSø;%Í4ðßkÛÐûÓEWr= ».û­’îÎÚ ›\;;–©Úô—ʰ¯"¿^¥MØ]À%{º¿ƒ˜¸ýqÏ®âè/+„Æ@ÜÊçÏZÚ@jN™qõI›»J)!P‘ÏU€G­ESÁN«ªuÓdB™mœÍɇ"v_«´(»0‹.SŽ.ͱþA@d2 È­þeÌÍ–ŽÄ™ª¶f!¦˜¸r? T݇ŠèÀ:Û µÀ}ÿ†‰!'$þöAþö!߬”. •ÙM¸ñˆs}8()LŒŒCÅ 8 x5çØ9\$Xñ^K\jËrnÍâ”JX'`I¿b†LÀFA¼l P—བOK‰*Ó0·8t¥Ø[ngoÖlº`r)ïÐÞµ¹ã c$šÊð'œ¬œú¤$a]§<ß—‚\$ØZd‹ý鮾Ù*|£Iº>ò6XDg«%\צC TÊRó¸ZHvðéTÿƒV³ï=lѧ¾ QÅ–¨¨C5hå]ÙÅmžR%Û¨«ë¾€è[2›ÍAm‰¸jâ.Ø4ò™¦îï´»/7¶¡+ û†ahhšŠÂcBÅÍ6ËbKd¹Üv!£yK{i„_†TÚ>¯f²@̹i¶×³¥çUni‰x|ļEm3-*›…! z”Í}@(7&ÈɘÑ{¨ Y¯p' Lld›QÉg7ðÍÂ+tyy’-¹tÜÅ+bET’DÝ %¶Ó&”?²¹ CVm$>¶§S42n°µ(¬#ð±ÀM…YW¹Œ—÷²$°EoMx. ͘Í|¼\D|5^ÙÕéÆíð6ÐÉ ‘ã¡© 6&Ú .ƒaK¨«µ*>V[‰ÿ*¼bl1ï‘Ó8³n>ç|®ŸªŠqÉAU*ÿ¹ìàj2€Mg‡šà'$ùûîz °)‰›Yõû¡ƒMÔV Œõ‚Š æxÏYœI™`r²ÿö±Ò‹±q>ɱûD¶3sÊVNÙ@ïŸ^Eܱ_-wˆÆrÝÇßèrÏß+™k³GÎþä4L¦°[ØE!ÜÚ1é½³½MXaº-]ÍZÓnÄ*&!Ÿ¯;‡kü†ò²±ÿ¡8EEOÂ:•çó¹'н«eÄwº)ÖC3§h1ê%z³!Ûîæ?Å¿ñÉ&ë‹M&Ëu߸7|ña㦖ɪR¬P_[‚tc 3£ æªÛÇâÂǾÛó5Å|ÜüÊhHè*’{×?„ÜT®ªÖSQíÕ çf]—J>³Ú¶ÖìÑzÉÿKsyÏ5ÐÍ‚_¹}ú¶ýÓÈ?»8÷ø=ÝçmÌ›ša…~i˜oìób¼ônþ†Y+%Ÿý:]/OÅ$è/ ¼¥ÖY5¢, ܱB_LR+UâÑѼí²ÖËiã3\Õ«ŽèÕN`wGâ¡| ã¼Fغnm;AZ Z›d ‚oÕPKèhŠq„™®*e:.!%q%šXõÌ­¨BÚ«¬y þ/µtÃiÅê;Ø#Ÿ•Ç 9¥Šñðá­é+þ‘OWÅ/©¤ANœäfÑ»¹v—ÑÚ¤þË[F”¢õÙáÅ ÑÊ}×rMñ]¥ž –&?È:Ùó^,R¤d*ýY¹ˆï”ò3¿æšuÙr/Tœ¨ÅÖÏCìQ$a¬p8 RR=í¡&Ðâ-½VSI˜1è¶ç”q>nRaD QÔž·¡ñC%ò—U£Ék.h[ÙÓBÖ×S 9.©€’kpm=…n7}¤,¢r†b f÷A=&3ö¥¢ß7ip‰À3ö¦×«GEñÕlEbø{ô„·œ¡y|yÒª7ƒæ®5ÔçÞµô½²–]Kk>°•–w‰ô ¤+2<¨m#-^ÎÞ(äJk"¬~Ú‰:ÅN¯%$ß´I™åÊUi\)³èårŒñ«”R±œŠ—idYÙO䧺<"†ÿÍdJó?¦AzGåÉ‚«D=<¤:ÿc÷é^!ÿãùî³g¿åü3ò?DòÄ'HâøØüHàU˜^¯2 Å-1Û û°;ð?Î,£ôÞdAµ2#I”'…ü–òž"°ÊFãÁ¹ÿv0aÎÈq=6«ÔñÎðÞ EÍÁJÍž aÃü^J5ž€7ñÿ‡’!ÌŸ…rL–øð‘! UGºDŤþ"•+D—¿Ïp$"i}p ?Áu2àï„Qø†êŸ‘<+°€HÆ e€5Û¢"át‹Á4…”ñ÷ƒ|ÚÅxI~>oQõFD7ìEOÇÉbp5¢ÒføDuå>WíBYÅ' +Q½‡×y¨éGYG˜}Û¼ér—íÛ@+S,Ëiòä5ô%àŸ å=ªàG…Ε•É‹2î‘jÌ÷‘¯×Òpå ÿ– üŸ™ÿ,“y4ñ“ÅG&WË{»û{O-ù½Ýßä¿–ü·¿»÷­×» bï,ˆ¦Aœ½~“‚þs¥ 22.!Ž?šoÐB—Êlî*Ý0pTÑà¬Áþ͢˜oxÙêª@uNÖ®Lp§uv¬Lɪ0°ÎÞž$Åt(ü>‚û~³¢Êáz œB_5<¬ž5[ªWr€aLµÛQ)à˜Sö_^ôNÇ ŠpæÇôc\ZÆî"Ú2%ÁµH[£k(¶ù¸[tú\ˆÐ2ö ±Óø]«dö÷‘E¶u=iÝlQ`0Í.ÃLsD(îû“Ål•áÿ×!z¶:[ ~™^±`ŠhŽh`tÌÁ#½ØfÍÑ:\e,ƒ|+~Wo8Ðoò·DÍdS¬Èâê–‰$$BÌ4è3þ…¢j¼]ûg„߆~ ûÁo›Ú& “ïwÔZŒ»£1å¢ÇM¬oÚ§5KU´·–š{fÄת·{”g‚F!çü(Z4¡A±_'³0H ,Í$švá%öÒå:c t:ú ¹vçO½¡E®4wö‘ñš(Œ”ú—AšF„G¯dKÿ í­ ÕÚ¨û'¿3›­Å Ð\­f3ýs!ÊÖùœ:+i˜¼ — ã‚é‡}«5!Šæ ·ß°²ƒ^yK{8õ®æ÷ÖÑÜ3ûŸ¤¢Ó¬Å¨®')V¿çIjRž% ¹èðc{§•P× äœûÎA¶|ÇéTJÉû¤tñ[ÍVS¤ÍY`¼µ/¸Fr\ne8EW–,¨O¿x®sú’Zy;\™U´æîÄÚLÁ:ã¹ðq»E‘(þ4  u¨»ž »´ÑüN›£Gò» Äù‹ÈùcFwGšóè%Ŧ¿$·â/IKfd>AkP‰Éœm ªáNâÑ|…D¢v·~yC{øŽ á€ë¿?ª?Hµ+þ…‹‡¡b°æMËÛ d”¦É%Oý þ(¡J»žsÃQ@þ#Ä“ö¡ÉÁPú l™ÄrªÝ>¹¶hVÛÁÊ^­¢‘únR& åÀR%ä^bƒ¦äÔEZ‘ JÝ °%pE÷õ¶ä¡¤¬H–¡e“ʬ*QCU&ýj‰ÅÊ–Ù¨³-Uå\o@ÑÿzöÄS~5K'Å®uû¸âʶж(ÿA*C¶À‚J Øumä6øÀº€F•Š/ž?ùðü™ì7˾šð±m‘ÒoŽí;ÝÆôrÕ¶ª|ÅNL¤LL…'ÔD³J2eã´\5þ+/B¡’‹žâÞ–QBŽ#$µÚ.ÿèE¥Št#^OSn~ƒü´ÿ-¸<ÕgÆÿ{öüÙ7»Eü¿½ßìÿDÿï§@òÛßÝÝ{ ßo†Æÿ8C£²5ž #C܉´* |q‘ ì‘ à9‚Ù`˜g}Nå¼ÈA ëÜWy‚$Oäl@LkžáðRRè}ž7†9“xJBN}nÝP»ÜlwŽN7Ób'2+-à…Üô_õŽý“‚“N™Ñd!,t¦æìטh qUڥĮäôÌiÒsÙÄ. ô¸Œ;|9Iâ«èš?õ²÷Ñ“¿0–EÓê‘€¦0(_ÞÒ‘±f•<2J݈_4¿e#7ªÍ°° Ð"ø|ÿø´wØ)þÚ¿€ß\5èÑNr§[ dVZÿE†ŽzÇgíÑkMÔÈ¢íð¼¾îvÏýÃvç5PšQä°¢ý±xŠO{lcRS8½¼ö糉9‡òa«õD•…ÜÒ~WK¾Uté ¬KV8Tx&¯ÄìA)—]óÆöáCn¢Šj\û:ƒ¿Æ²¶YNg¬Á}!R¨&°ž‰ª'ˆÿÈ~>k¿#w5aê~9x¤[ÃéÁQwÔúƒW¯FÝq¾&…G¢È7vhE”ÀùÁ4Ì&i´@¬Íl¹ºº2nÒ ÕJ2ï8¹ÛyÑHã2œÈï©´ÖGcµýóB¯þ¬Â7x¥prò3&ø…èýao|Ö†Ó¼†øz‡Â>Fþ¸}Lšêmœšu?#o˜ÓØÏøÁ&ã}E/›½³×ü%o ÛS ¯l˜½¯9äñØ¢ÙÌ â ªQãuÙóþð‡Òó.ºðd¯ùè‘#é ƒHµy8 `륋Ô¸¹vÜ”\@T^@‹¹¢b²ÚêÐl _s K´¡Ã^Cx ô‡£ÞŸ»O^}ã,j›sœ þx ¼6F †Ðöy¦8±ý®˜¹€%qƒ.ÐhA‰±ª[‰û fYK!‡{Sº;Ü`A&möR¾%𤀖6Oqx‹¥eoÒ(~ŸÉj‚Ä®S˜'ñ­A¢PÃ8£tüL¯/ÌâD†²¬zG2I"9Ú$¡¼¯ðg¯é­S>~¯êÐ68J›Ä.¨B®­¦þñ~S¯ÜÈ0ºù°õ7ÓpÉ$ÓÙ½Ñ:ýyÚôFKd®w=exfo±{4X¦’@lL _R˜p°Ìt¶D’Ón«ðæ³&IÓ¸ËDFõco’p ¯Ód†—Äö»f ÍD aÕbåRwÏÞ÷Í.ÉUDLž‘̸—ΖŸ7±µª£¹Í¯ëbÞ°lª«e}9$]{ë[œþd!cÌBÇ"ȑ韽hâeÈE‘­½SØ5M{C*xŒì>L#¢ÁºÍ ˆKršÆ•_J†¥ÙGiR’—ðE‘ñdy¿Œ“÷÷‰7‚sB¡rTeÝÜ« ÞRplÒô"I¸Y‘}¹õ¤e÷ŸÜy“qŒ²iØx‰¤÷ Ÿ“”ËÇÎÐ(èÅt13ê$ÍwzRY•WEçÍAö ¡¨¶¤òkÐ;ólÑä{ð|•±&–\þJ5“.ecÚ;oÂ`á]2Š ‡yÜÜLáúŒ%Ä( hhU²€2>`¦ÌJ”¶ËnƒÙ*´ ó 5žôÒ‡®58¾þ¶íaû© 7ó›&ñjÓá *«×|„ÞŠ_ ¦ë}ÏÝùÁ»¹ôé'Y[$|qrxúšÊ¥ »Ý¾Ü$?ë.Hâ‹ï½Ý¦ðb˜=üúkö(à»,üXÓóÃ÷^áwî§òŠX_|¿nùוGÃA † sÄå¢,ÌùAÅk4ÔÖ¼(&‰© ŸùÍÁ£¿›{« S}zØýÆ®å­en)-·7èyñÐ%¥Âòs8W«˜xÐTìlØdtãEåu5ñîübt‚ø¸Û‚è¶½Á Û5¤U:†(‰Å[Þ¬ó{7ˆÌ8éøˆ²vr4ÔZàW!ŠœÆù,ó¶.i¼G‘ áZ}:,rJ} VÞÿÿ®íócÝäkŽ6>Êå™Ðs¸‰*t´ê—ØJøÖ¼Á%³åø)Bùs³,ßVX^$H ‰ã‡?»#3T§mûErÿ®³êt)€ú£•=$—“PÔ#gX@’Ÿ0Þ ÷9â].ïÐŽ&w3 ™·<ÂæÂw4—_/¿ Iî‡íN-RÔ8\-YÇ¥ªá¨ ˆQ–­ÂÖútDŒFâ)î}Ê¡ë½Âð£¯õ%ViLrÅño4š &hOàÃÓd‡vlšŸ|ãå'6C¸ó¾¼_†½‚¬º|C6¬o›Ì©w~®Žd2PX¢›:ž !LÄ*§%;¿Ð ª)bÿ[æVTÍ`v¼)n½÷´Ïéì_'R– ãÉ,¡c0Kà¬c©W£3®ÁlÃòqýÝ]÷ó-aÙ‚56[ œÈÇž»‡Ì×ãBwö¬)RÞÉ‚ÌeÖvéêJ'È«¥°"  öÊR@ÐåÜ©7µ@Â\—[Ói\ £±O{é6K75r‘»À> ‘dA‡VLá·e9îË0†Ãñr“LîJÐ|±¥CÌ}:2voFèe¦oøÍv“¨·!D&PfÇ“4©­&Ù¶¨½fS]Ç…Ôçü`Ê‘v€ÒÙ4ð-»?ž˜+éÃ6cÅ5E?LÀ¬¿3Bݵ‡ìh$–ÿ‹ãT4܆в<æAWÍû¿îlYÀùÖq9×ü|sÉJQ|ï‰=p¼ò¶„¼”Z´Þ!͉|%ßtÝ6ž@Ù3Ô ‘ÿ‘X[ÅItm6›ÓÎ×þ]]?ÅkgݲéÙuÿ¸VÛ$êŠ5³ö<™šÔ×É÷7jÆ‚¬Ì (^@_åañ§ÔÉòÂWøMË3 U|Ô„‰ÚkªK°¬5óõ×…ïíüËnŸJœŽ‡íN7'HÿlHÍa2Ÿ6-Y”% Õ¹$@ÐM\Ö¼!U±ïI+Ê_l")«xÝà­Mã/¨•ÇÂ<ñ¸éjÏœ¬âØJzd¾â*ZþôÅs« :Õfö­JæíÎ©ÖÆé L¨'›EšL·½ÿçöw/G®é¯ ds߇ÿJ¾íû­ùj6ó~·¿å½ô¶¾¶DxøÖ÷Ó-¦Ý\§(—×[{ühw«ñ!gù…B¹vžE/íŠíîÑ;s,.Ô$øã\¹TÌÞý>™qñŠY˜d£ |Ù”þc&x™õÛ½Á§`û!IO©„ßó\ñwèÀ¾—ÿ e2H܈¶é??üà=ÝןÎdÏä,<ÝoâOî…S ·ª ëè]åÖZM{#º„ªekk›1›—¬>kÆ—I·iÆEÛ¤(‘"]„(&ß|—áµ€Ü6(1"6a šWÁd™Ç½èÞl˜¹pJã锓f“•(íNÕ²ÕdŠ×€{¯-ƒGPcRl$_×»e!©;ÛJ­` Hs¤uLRÔ{%¨ÆCãÂ=B0·œÈ<¶ÜOC(S™AŠ5].‰~qr=ÂÓ|B¶¦Q¶˜m±™»ˆ?ÒoÀÉG"ˆa*Î‰Ï ÏÛ"³Õ1ÂÙÚÕ5[ “¢!G ¹va\W£Ý®ªÌ mÖ˜ßçæµ­ÐkÌÑÛH/z¤tøÌן&~ru…ÉTT}‚ÍÜÓDX‘…;šN5Z´z£óSi8d)åH_7˜wZ•úèÐ.+b%2Êq ŽÝ3^ŠúXx)7óbY",´D{UîN]aå½/vÀ½=wls+Î&¹æ¾Øñ™@æ'6¡apq5 à*T¥£â{s;ü.hA^¬;“%r iÅJŠ=G„©a»q*ñÝÄLc¬/§›¤9<¯ŽôDaÙëßð"š^‰y°ø9'ø‹õÙ7ÔgÜ&F{p[B”ÄØ‰ƒGyEÓà ñŠjÖPé:UìJCª5ÑSVpÊMÝwçÝθÑÐûÿ?z·X#‘à£Í\k•Åaä£MmÈ›èúƧ›H5¨½Å·~öWsªø·SÕ3–kpøGåÛü›Ø_±ªBÏÒºš×Ìó) qþ!ÃØ‘⥃Îë_‹i’½þ^|Úë¿ñG6'gMß…¾©Û0õ¹‡#p™\¯òåÒ`þÄž~)¦ù‘z$¶»®•D©fðò/ó“› ¿=0F›¿÷…Ø”M­Çº-óúJfÕj=ÐÏÐjÃ7‚‹'–€¢„ÆR 3 rLØx6…K”®RtÃãô¨ÜÛ¥‰(ËZå…ÊrS9MöK¢) ‘h‹'ÙÏj¤¿çâèD!è÷óöiîّ YÓË“kL¨÷q~ Wzä¬5©½Í“÷=ßçcåÀjj=È›a ØÜ3(}òïê’Q_ìqWþ.M? …´Æ¹,niô‘ >KSŠüOçM("kÌIA9Û¸‰§6IlH;-ž&ûç£ÙV¯n¢³xÈgßXCâ+ò#”Ã÷ž›|¤/ð´I3à„íO ªš®C¹&º)‘&‹om 4´‚£Hãë6F\…1W‚¼RÛ÷ÈþãÇ{ß´p¤%GÿªAæ–½ošÆlšü©QœY4k rŽÎw,¬ ¿r Í£†K­Öê£úÃzá°{zå€zÅ8v;ßëwFÕ¨é^Øù^_a›ãü]K›\Û‹9±ñ6àÔg5ª æËš¿®õþw™Ê¼; ®l®Õ…’~l³aÕ{ܤÆk’Ÿæ!†b›l)Î:vU¶‚šc:{Õ‘'¦Å³Â«¹±:\ˆu:0cD*㊠°;;¯BOº°ò1r«Åþ ú]Ÿ,†Ý#ãÆ´r=¸GMê¦}Óè©3 i‚^ 3Ë4GÌæŸ´9;«B¬80yl†¡È*ÝFqQÊ#ŒfÌö8‡üÞ[PŽY/¾MÞ‡Þ«Þ»‹sÿ|ÐCe„f¸ ¯(´é«UJ±Ù"ˆË\R?v?­Ì¡l ’ŽkÀçÆÁtùÛü]œ‹†L˜C\ôÌóà}È™vþŠí ¥èÊŽ(“qqYŽðIéö]Xc˜ÊÑÛ‰È^Kƒ;•âLv¨6S¾Õƒ—R¶–ï%W»d• spˆ³¬‚‘Û`ú·¿˜+ª©Œwã‚V…Ãüó?ä__S%7ËY»vwj!êoö9ø7QÁAÖìâ&ù?¸ØEK?Y÷Û§vŠäëXûž$×\À—“N0•*3¶÷J3žq£úwÒmŸC·ÄµdÅ´º&÷_mGæ\÷¨Áãòê¦ÛdóN3´_˜•M¤ª$ÇŠ>z"ãHò%[ಘ͂ýn`B[ ¡ûïb®{ªÙä‹ù/Ér ×øØ$elP@¾Œ?T(Û*,Oe7Ì2ð`«1I…šŽÃ;½AÝõ±àæR^zŒ0{šW¼89ªÞã˜`ú+PüKŠ1Z†ƒ3-O¬áºè]ƒ,¼°Q8®ñõÿä,?+…M§ù”rn°žŠ:$Öµã“?iš$¦à6úTÃ“Ž„ÈÂ1¸²E8¡¬óG©BòH‹”;è§2a‡r¼Ã`†ÀÕ-o,¢cñí_“Ké—¢B)Õí @D­ÆoÉ!&\`(ê ©¬÷ùj`2—(¯AL¿¤V™ÊorT–A¿Ò‘!=€ð*UPƪ™»21&žÜbzÚM4†qÎlñ{à“gÝ—ÞÛ›{äŸw¡(üqc,%/$c+HN?>r¥E¾4ä ž… P‹o½þò §%ýë<ñ"Í–öº–dZ¯['3²(i÷Žl3Â^2]¥FiìJRZ½èÛ„_sâ±¢‘{6Ò¥tÈcnÍn!ôÝóØ"*$sߨZÛ]è9œ¥¤@1N#8ßSÑŒÆã°…Œüæ¿Ïj“ºöt­Fh_b|ÛÖ#EÃÁí…¶3 W¼ óž¶6›wPB`¶°„[½­—ƒ’&ÉRÂ~PkvKê‘ ÚI¢° s^…Oº)ØŸ’Ú_˜ùk$7ì• tÿ‚7L¤¢N9Ñë’rD¾8÷»L˜=z»EZýDÙ³uë®§r·jï¬3G*îºn‘ì?ìŽ:ÝáÈÛS´†a6Y‘U3 äY`›œ=_ú£†9H“p±Ü€íq€xwbØŠ rؤWV[F©É]åmz¢ÕLøbv°¨S>ïXvëô´Ûc˜¦·´Š³CcÖ;U„²h.ÌÙ½«Iʘe{æZõjX\6›`a²†ƒÁ˜§¬{ä=Íii“¥©&"{>q–€=õí!bIœþ„QíÓÞ‘÷LQ› I©Â ´à"“è#Œ¯^wŸ:ÍahJKîå¡6)15¤ÀËù! 1_ú¤Ô„ËéN¹ÆRZ“%§è‹–=YeÙlšX¦‹4¦Ü{à.h"Sè˜Ó28aþŸ„±ù¼øOŸ?}ú|¯ˆÿ÷[ý þßÞw/^lãÿ~çq¶óÇ–w˜„7óm¯= bþyb{š}6ÔÀ.'+¿=«SömÛ;mÿ:ø]Ýä‘ûqÛ4}Œù%QE°ZkOd#ü— ‘4p÷NŽ˜ß¨ì킹'«0Ò”°méß"¸®NDdËsן‰ßG0Â.ÄÅ4ô2‡¿zWá ñ†±ë$,ÇT#O%ÚŸè,‡§_R»Î0(f  O¨™~ÔOÒ&³.})ê‡w¸*Æ!Œºõ³éi“¿Šûˆ´WøqtÒ{5V¿»G½!ÖovA^ä” &ì¼=>)àž‡þØ?ê¾êõ©€¹´iˆTe²ëhåAÌ×õ<•%ñ½‡w™ß÷‡l9…Z7?Èì[Ž-™m9iåÈ. J–,×ހ*ä¥(F­Ríéúòö§âë%6ïU!‘–œƒ3nçÔ€•Ed2®™%ˆžÀrÓˆâ#ð½'iH¯ç¦w.Ã.Á ÷’öކ³) ¢“%*[Mn¨ÅÙ{ÈB©AĨ'°y½I]@Cl­Ï@.B©™—ðÕáír5öK Å9ØM½ES3ô•4Þ°Káå8Œ$¾ ãˆê±}Â*BqY×[CÐîÀ…zÝ’ãײ &ø@d<ٿ΃_“ž~ÉÎi»ìÃý3ìþ©Ao€^ʼnrL5ìï)šŽäÔ| ÇŒi4ó—L­¼UÿÕÅé©Ñô¶·–“›Þ¹vb£¤Ï¢Û+:1þç¼Â8¾‡îŠÞÂlÙƒ¡§úDØ´oòîŠYÐú_Œò¨žõ]bâm»7™´];­’ê¢ Ty±¯(4‡¯rnåÉû{$@KÀ"At`µ-Jy¿ RtQdHì,zz[í4­J”= {~wkŽýe¼eá:ÇÚæ°«óF2xM’Úº ³%¥Ñ% ï9ÍpªåbEw!áÕŠêNŽ"ì­¼W˜²¤×+’ÖK‚ò‹àpA/dzãŸ2dJVóŸà©L…(E¹Ãx9Àgöd¹BЮmUåJ<ˆ¸.YÜL’R_£Ñ† »K4ë1ð®·+ÄÊEA2@¶Õ´H¨"'\CíqûÕéàmã®é5þ·!úÒ„þ?ퟻÅ]èú^ÿÜð៓üh.°œ2&ËÁ%4Ù3ïpi–+ŠoÌP"Ù%FN®(Gù~RVXH>X›4ÐcvSÛ+e·„oB‰g\$¤L‚«Cq²Bä»dAس£0ô0£ÿ¬K·_KŠ3Çl÷†ƒÞ‘;z2àš[øL@.kï >`ëíxš¢ƒ½ôñ]í8 b Z0bôýàß-Rôc !ßýtvØk÷ŸîÛ4jâ­VÉÛ^äûOºHƒëy@÷µŸ…×­þu«Y(8‹ÌŒr,Øß,ˆÓe†ªÇ)¢8¿ÌKTÈκ³…âìB|6Và É\ïâÜá³o‹ïC•×KäU)[ÆSv2C‡ÿÔ—w7'?K2*þé‹çƃ‘?þé¼ëmÁË[Æ“QmÙãöpLÅæ´‚,Ý PôƽÎLˆ%$•Âû°üY&x‰'h)ó¡çø»NÏ87 Âéûf³ð ,ê%¤e½Ãµ‰ùïcGKgª.GG®Éâ'ö|õ»cøµ”ÜØN =ñÈ&88ïö«(¾JÃР¨¡‹‹g$ñ#ØõIüjvO¤P`¼!¿|Ë€UDqá±s«Žú"ŽØ {#ʦ¤—+ÉårD;™§õÐß ”ŽúˆêH§–5ÉøÈióÐ>??í„ɳvçG¦·Ëå¸iP†Q”Âü¥ú3&x„¦u£l2–7¾aqXïý^%sYs.>î@×fpmµÇÚSþAWÕ|ª™±#…¯-¾¤sEÒqÐ+Έ•2Ã:nkÒ®)‹|µ@A,Üì¨ÛL¬wK.²Âÿ5ÆàÇÏŸÙ£n·‡Â0°î༌Õ{ÖÚ¶|p-|‰>£÷Ë }~Ú¿ Ïüþ;{úúƒÑO£ZóW9ôtnU^+ó·åÍj~Y˜žáÙÓ}596BFe]3¥®ùqL©9©‚y­_¼“Ÿî—òýNK†ú…RkÒË¿/0%÷ÃóÑyE'4ÙâS/}¶Š î4Ÿ<±»»[ø!jW. ýg ^B˜¯È©»¥›Åw@8{Z‹øÙó¯=Ö®NÎ%ÓÊê7¦¯¿ÚóïÍ­‹­Ôºœ×Òöý $ç‰}6FçÀ;>U :÷,ž½O0‚›B÷O6§­׆1ó&+ÁŸÔøq롵¨_Iwaº(,ÈùàmwxÞù4â%aMÀÁ:?ÉJ9ÇVçžúèF>Ín¸ l5~± ¿i¿“÷—žîùAeI*¼ ñ°÷N¬ç,´iÌnÞjrµ9UÞ¤y´ÈìCPø‰~1ÏDï|T¸]ãpâ£mÜøVþhÝÝ·£gÀÒ “³æÚŸ¹ïb·$#ÙŠì€Öa^SkøâÇ<Ö±ÔÖb+¡^øFExῼç­wJÌ3šC&Ñ0ÕKug¿{ª ­ì 16ãƒ÷[o0*2úÕú-Ž’lßÒ³é=2FÎÐ'þm*35;’¤{ï Úßpïµø:"¨Ò'ø®šÁMš9:;L±Ïˆ°ÖŒâOÖ™+ÂÛä_Œzýc)/~àÒdá_V‡ýq½UPŒºèöÇõ»Ñ0d3£EüåSukpÚ†ý´ÝÒî¨ùôù3³ ï [ÖõôðNø¾ëðtÏÞI“AþãÓ}ÌŒ^o^zÀõ]ÎwQ{XWçµwxæwž Çë%ØVŸ„Nû-ú­i#CŒ¥Íp´Š#ï›Ö?Vno€ÎÇI©‰Á!å:–µ|:gú‘ãhë¶Šñ¾Ð'Vª*_XVNu™z[nÖ²䬾äKÍze>ÐÍW•p4õßmΉa› ÷ ʺ¼*żÞ(—Ýo†ÖR6šzMœùïºýÞ;³3TÔ7öo„²©C*U ™¶)Ľß)}C^(%_`½£ÎÀïž¾jšÍâ×gxš#ìöÅ;½bu¹ç' ~ÔÖaýó¶wîž¿kqõûžó÷}?G$Öß,Å*ð'kñOÎŒœ×*ùðäÜþÅÿAq?p~ý(¨¤9ïGšjÒA÷ƒNÇ4­öÚâÖâƒêÑÇöQ»Œ»ƒQá6:i÷^_î#¼×ÜEôáCDJÙ¢­¦âe\èÞº ’‚ãš~`JÌ¢3ë­ÕD¾1?^"Ú°AÇD~®!ñ!(, kPíkòóœÃ*3;Û‰kT“4ÊÔ?è( 4o ÿí:„c¸Â$e 87TUdk_ˆ÷‘'ºè8ôƒm^® öa{[<Ìr瘤R‰¶0¬ÚV]ƒú4¶.ç)ºMŸîÎЛá§ÚÏó§ûia-žîry³Å-!Ðo–ˆÐ>=?©%"¸<7êNpÊÞÒ¯cÕØ½ÚÓð$[ï[w]GË`†¥?HÉð¡ÜYï¸mö’2¿uÈ_‹ç`“ŒOzý×~GÚ4y§÷õ¨¨ŒÐŸ¸ƒPšU}:kw£bFGªû¡|ÜN?½îÍ*×sÚMSï+õ”7œ>lháb÷bA)ñÌÞ-~-xõXµgêΚâð •Ô¦òSÎ]XE:#œ¬q…ƒB6ÏlzPiωø÷pÜ=Û|÷Ãwc§S¶êT÷»ïÆoécú Öí³ú±xèÁµ¬#Û³È|ZeBJ|îq5 -jôí ýZØTM-NÈCçãsXÁœó½Nð_w!}ÄÈ4†[à·Ÿ€ºÉ†\ø£ç®¾×ÔäŽÒkºI.³iô‰l 0Ž^ýÓú…E¨¿e;2^<×â4KN)–ZëÒ‹›ó¤Î;ßÖ0Î^¼0ëüàú¿é›Íe¥c«¡ù œ£·#D~|[E„?ÄÅIA^þÛ‚¹PÅv¿žõúÇoŸîw0rSvatòtþçÙ6m­Ô^tŠP»¢;x4"¬ø¾‚óB9O¦a™¦B “賂ø~:æ=ໟÌ/æK”&Ù{W¥lY2ÿéyñ*;óß)qÜ}µ[r.¯ý&1»Þw4aÈÅžÄÜ”ó™M8Br5ó—Lcxw8x‡À‘öW´øôtO¯Ë‘ k½¥úoþt_„t¼âçÏô®é1æ¾jŸ÷üW ‹ŸþÄ;Åø óÐŒ0*»YÒþpì¿:m¿ íꯡ^X‡MlfÛÖ~nü܈kÏDéÁ´)杻Oï°h#VþY"P¦÷üÙV[‡Ï¤úS†Uݦú3KLœZ"pdËQ­¶R{:úãñùyÙ%¶½c~b8#dÌBÖùzÊ0Û öGÚ{ f`^’uxqžÍ^kG·èWtð^yeŠöÐuɈª$ñÎC,<|ñÙLÒ–Jª×÷f†§íþQg|óà.Æ£úÃ=ývרV8={À˜¿V×Nd·ðy4IþÜN×°æ!æ‹9öà&˜"ÌÃ%ü&Ù{ðÛmˆ|à&DÌ N|L3³6Ÿ]SæyïÊ»OVÞâ¿¿À$Na&ˆ!áÍÂ¥7=^ËUµÚ9^„œNé¥Õ˜×é8y,ûº<)«É·íqgpÖ)èÑš8äˆÈíÑ#KVûËÊŒž¿u^ô†dß…*šÈ¾õž÷úGƒ·#ÑS+ p¬unþbl¤b¦ÔÛ57ØC™göô»]k²ÙôoúOà­‡ø ŽûNö+¥[qŽÂK¸¶¼“lryUÀ‰¸ã0&Þy'—DûÞÉÅðÈúIsäO›gÎŒguÏ”žÐOâ órG;pð"–üeµx†ƒq:µ@íþ+ìËx^§X„?ùÑRql]¶?èÆƒó¬ÝMø˜Ö/ßI÷]ûxÐÈ r)Û²d&,¾uýAäÂæºkï´{ü®ä>ŇçÊÕñÓ(›Ü–õMÚl{£Î›Í9‘•˳9;¥èAª³ÆTè0HÀ{|à&ãÎÉÆêðàÔå×]ƒ‡½sèÀš‹¾*QöUμ«4$ÀŸ`:õæX2c‚àða&k–Ó› g@¶Ó eíÕ¶ù«‰e€H7AL|ÿ¯œ˜NðGšš/óø×äݼ_ÞÉRÙêr1r´0µÖ‘:c̉!žöó¶LcÀ8,rqißyËM CõÌ"æü«@4€ÄE¯µê &Í­ ¸ÍB‚ÐÉèiÂ8á%æ°øÓ)U‘Ù©•æ±JÉjLPV‡ ÿº 2bAHÝ”‚ }ÄŠ<Ýc’Ì/£˜d,µéJ±W —Æó’§Œÿ|ÿýÞYM&³À{þb÷Ýî O e@´ ;…E:Z“N}s»´8b)ò¢%òU+…¯¹9)*8¯­™—ÿ¶ )¯!¢â·QRÚÆÌm¹u9j`»6©|¯ç¦Ïm))moÔ+2ÛnËðåmòjÑÜQ gž³z¤ú£§û¯ó¹êÆdPg«Ù2š6[A´7椆±{6¥ú~ýg¯7 Nýëœû`ƒ^½i¿ó´^u;úO›mê­çÕ¸:WE¯æ½:9Ç”Ó'ß„}å=y±»»i¯tÊOpsrц½"WRÞ+þçí·On_<¹ýî!s¥6¨82n^œµz$)œÇ\É6Fýh®hép²8Nÿa»ýÄÓyüI´Ä åV‹0=yx¯¾’n¢æƒzÅFWÕ«öÙ‘÷áÅóc[Õ$%ìPjÏž´‹Yè£ožl4@’¶øþ»æ6GƒqQ&ú¸M6ƒ% µ{ø4’m¾¯ÊïúMIÀŽšüG÷–ð3Hú­š¤0¸ZÛWí w—©’‹6¹&žîuá(ŒÃ ¤|íçú²Û<$©?zšÀÜ;a£É&¤„©B’#öPÀ¿¦Éf½b“ˆç µsüAsX»Š¨ jŠ)-Ö䪩Hõb¿s9¢æ„õR@"ƒ.å¿ F&X^/#Ó3Áj¢ukO.Ñhœ†Dˆ°„ÂWC}ÊJˆÆ õå%S‚,[rŒåÀ¥†\F³ëƒpš€¢šö‚?D"øé,Kä÷f×DMØ0îçÏèƒÆ[T3ÓP”9# À0¾æg²@¯~z¯âg—«Ì»‹¦ËÂd½Yḩàõ7¡ ‚=¼N)EÉhv@Ðz_4"¡AZë7t5ìtÙ; ¯žøt¿ÕK@´xÆ+°¤ÊcñW›½†àäöÁÃC«AþªoIzó5 ꉎIiÿ´Ou¡¯ìu-ҼĈh/jOKV@˜¹Ó=·0 ÆÆEJ<ˆ¢Å¾ÞB§\Ä5#™ª¦xXž-™êU‰l?‘J>-vTÝ(س$yOÊ¿ADÒˉ¬B;²‘š’…/F]ÿ´wØñχ½7íqw=V·I8m²”?XÒ‘BTþ€NqØ'\ªÒkôÄHDa“°b@®?€7X¶½=6fˆê¬!˜1®}¾hteãü aDœ,®:w—èåÌɶVEŠÕ’§[âËù4qõÕB”åäjlë&„³e4Éè¼ä›í%È4XÆ[»©"* Ž÷0X¬ew…¸Ã<¥ŒR³MòegüáÒ°–Þ-š(&WêH¶û-£íý Úu)å|ŠGX`Ùßéì¾ÐàCÄ"a^ÂE†Ñê»+‹7ˆMBÛûMg§@¶ñ Yß“ÊàŠ‰ê+¼6bQ˜¶qȈ¥–Ín£d&¤´Ô;ù‹]Xkd¥`Fe&†4ÏRÌ2ç8Ó '£ˆ,®|̲¯îypx¡ÐW]Xb0y?¯`[Ý&Ћi]¯Â¿î £[Ô/èbÏ<Ÿ,ÌG¼Sþc““î$(ß6ß¶rŠ ¥0¾R®¦¢ÕÞC:(gPíäRV‡¼rR, K¯æÛG¢`Ãv@8oázCâÈ… âúbÚÂ6ØQA rÆœ¼K(¸F¥V;äF ‰O£,˜Þ‚H sËãÁÉĉ¥BˆÁ¢4çáo©-té ú¦˜Ã.Z’¬†5áàd°'פ ÄäeJ«˜ÎסiJù;¥7†Œ{måê§X¸`†õp‘ŸMùάÃõq©¾ B…„ñsQØ\œ3üžôwἈ®èUOìÐì µÿ'yµOf™P™eÝÍ`nÏTdXÁ¸‘gV°g•¦:!*£ëD ë¸˜‚ˆ5ÁÍåýÝ è®™±õŒ#m ¼aÄP%*­ ü9â‚&y“¢ö‚ÝÐ¥9À—AÔÕ6×P'–j3ã·¦”„¢x&•W>ylçhJÓñG–±ñ¶®'­›-×+D=H¯'ÛXQâvo‡EÓq¡c‘×ëÉAá ×zÌ?~ŒŸ_ú[á2|Ò Ì†+©æóûWË…HÂý+ú®yàü NÆ*ù4êøðïÜü½[°Ôá ®«dË{–°àZňŒ¼1]yfT(«%ȼ_rËg ÌŽ±œÓ›£Ã—Þۚ²䛖Ùm½ V?ñÈ%ÕñÛ·üÙV/‰â§ûÞq¸$oémà¨ó1¿Å$8«/üèÍð‹áùËW ŒºÊ²œ”®¨OY§–oQà“£3ðÞÏj+Æ”`-_4£ÌYó ©*±sÁ¬ƒ)i’õZÌQ· 9c¤²ÅÅ…‘ñ•?õÛg½Ž:hõúÇßtû³$˜¶&šz‚›* ¯áÚ SÞæÑ•ž”Ìbpä¤EÎ"Zßþù°ûª;îœ4>È3Ø4WØP!ßa?äÒÇ”MŒ4ïh¿¸\E³åL`Ì™÷Mƒ*%ÇÉN² ~±ö.ÖT2#êOÜ>ÒÞ{ã.öDo¹‚¦é¢bó+íGQ”»jpú®ïœvÛCÿhpqxÚ£¤Ò3WxÑÝ÷B'¡Ë„o;..“¡ O2^Â;Ò,)Ùî`™‡÷r:Hre‹5Üt!qå]!åUhdŸOºísa1[Q³qù0’ûTc7ÈuH;ž‹Úz–*u Y$ï.±ñ¸ I0BÅ÷i©¢Ø_Åpþ¦¤.5xÙWÍ¥E]ÁFoÙ.Ï»­Kâæ)­X]ˆìŽ0É#q;²¾Òþ¶÷ åÀ §~gpvÞ;É-ÚS,Ç vÎ_]ü±7]P¥*)ñnoW +ú7*½K¸ìŒN¼ Èœ“ÁÈ{çíí¶ž¶¾³(É(5¿¤_íáY‡’uF½AŸÈN“¯ÇðL,…ЧóÉÄ»ŽW^8_•´¡U,Cò ôÈk©^Jp§*ˆåhÌ ²ŒªjSüukM0N £RT4ˆOçFª¢z0^Yõæ ÉÈ]ÙJ§ôá¢nR»OhCËÅ}F¾Ã×4N•ôÊjRâû6ü=È iŽ(ˆ`\AËu3j¼¢t—•äóêÜ+åräÚß„ÉÁ.ê)¸÷5ÜÒWWWp˜½ÿå¿Õá€9Z ‹ÒÓ­G޹Õ-þ2ƒ{xCñxSéÿµ¡$PÕÏüi¸hMjÕýÒ=ÏHJ–¦Î¡X´»ãóöqwÔûs´Ôg»ß=wÎDŽí—u~üö¬{¦Ý‰Nv¬˜ñirwÎuVìdÄÌ5åÔ ç”ga˜OÊÎÓpIÞe¬·ª•ÚÌE«0gHt2z@l¤Ó³ãpÙY¥#)ƒ,l4-D5Ñ¥S½ÙD+\6·Ìòn¼åZjsû_‡KfWf³ôm¿7u¾ß±_pMÃî‡g,á67Ûgf®™X(í%r²x¼U²‹Â3<ò…Å!jgAzÿ£çu˜õ’VûìGý¬üëmã¥í\¹ž. Ñ„Qа Ø6jÍ^@œsý_ªä(ð‡§¯ñô/ù$?U…,zGý)Û¦P½dBÜÍ«Yª@ rIS†b ¢O€Ö‚4Ì“1Æ…V0ðžî+”ÅôTø!œ¬èîæÂä"†• ª¶ê3c.¯%–†GÁ?[ñúèc{M­x•°³ÎVáq«ðæ-™è¶5záˆSº î[uï*‡Ê¥çýsÌlùÀ>ÛãñÐïŸW,i™öáXX·šU)̯‘rjH8öù5dÝ;ŽnÕé¶ ^ûiÎ]å…ð-ÈPß\MÜ·Bø8†nõ»>ËÆa^ÓîyÞw=k¶ø»wï^¦»4ž6ž6·=í^%±N>kʰqa=ųÔ2ŽøX†œ"Ô Çi ñlzÉC„ö³˜LU^ƒíg—ÊñÑ,ò÷Z×~AH1ÞÅ®[obÈÝÙYûÜo÷ÖÆ44÷Ò‹R]“«8Ê–Óüšt^’NÙ¨±Š3òa/1v Ó,ììùyîÞ²eÈ!Rd‚œ Ñ7š/‚ ¡T-0$e9¹¹î1–µq ̺/O óý ›û>üW:±á­éäréínÿnwË{ ÿo+Ý‚5 t ï6‰ ï‡fQN+õÚÕl3Û¤UkóÉX »ž G…åGY&ãµ½ez?K&ïQŸ¹X.S*´Ýò¬©¤ŠK*%G"ˆV»­x!Œ‡?:¯|Õ´ž®±–rÁª`%Ä>7=ª)( úd`Ø‚ÂÓÕíü üŸï“ qRÛ¾£!q3=Å?H,„Û¹l/·O(T ó7⿆»§DKöKQº‚mÕ*½ÃyÂeÇŠìÜÅ}åÛÍ5°HÁ T¼•5óªóv6¹¦þzó¡wüW†£â®¶wj^½Þ«)E¯¹Ñ×ÞêÕ—p«¸ˆíh­^å¥l~iM1[¶¸gPÒèŽó¬¢µ^–Òu¯v¾{]K-çÊÇQÇ„zZ¸zà÷nÿùsÑe휆R¾â`_—Y¶f”¹n‘¿\&ó¹-­Üy‘=õQ<ä<¯+È‰Ž‹ØaÅ %èÇÆW0fÑŒ}C½f#¦gÑ$Z–ÛCÑ¿àPUÚëŸä$@‚<È’Ø}O̺½w%ûžÈMÉuƒøôt`ä…™ËûW» ùƒUý>¾ämr³úñW‹hšC\4Ð×e§'«,}"ä…'(L°J>¹ºnÝTÛ˜í<FeT?¯(\ßêOóaJšëU¶Üh¬y³ù•<µ$Ù •FÛR¯0XWE¤'‚J@©/ÕK>ù|Fh«¿BhÀÜ9&#¤ãJøæŸ†ë¿ ®–"Y¥ø9Y÷ê´Œ/êÍ®ÿ0oVK| :Œ¾H)ï°- v1û¡ö±ÎÙð•ŸÙ.—©l//1}·–½É—™ËÝG¸Mªo}o`Æ,£6' ºÜ†iF.ÅäŠÙ='N²’”†óäVhþ9ÛÑïJ™ºÉU‰m™"ÎçiÜF7K|ö,ÕxÕëæ6x½Mª0µÕõŒív.kƒy›-Œï Ž¢:w?tSPq³Y4_¢š¤­ÛÌjW”h³["8ì•yhöÛSg0>Ø*"˜Jÿÿ&RDé¤S×÷™AVh%³MsM/8çªt¦ŒEs’ÖZXK BN›Íóo¾yj¢>·ßù8±>HdBd÷öv÷Ÿ×åMû]‰ž”„J=£ w.Q0” O?Å#ÈbÐkŸµöuäÁ”JåézA3ÜëªÐ¢Ê¸¢½*·–C'B–ñp¢.O2¢_PbJ˜-[eÒ C²•vŽoÕ·òN^È[½ä` ïè­øÌq¸TGáÈÛïšeLòE©ðmð£ÎÕ9mFø7úK)î»±­ÔR ÿ¬¢”÷‘D)°Å¢Ø’«n(üÄ¿v’Ú£3ÿübtZåñˆQV¦ ɶ˜j›Í½›p¶ÀL0\r#ÄMËz ¹0.ò£Ò÷U1㪠 -™VïݵIÄó­GÎØyf*?ä#¥»î³7†BŠF]¹Ío4«ÚÂÇ‚¿)uÖ_§Ï–8»×…£èX¦’Væa÷¨7D“ÃYûT¸üÌ3þ £óâäŽöÁ„² ` ÏæÁ‚˜‚¼Ï–2Ñ݃!]˜DÌp‚@25’"9³o[åÞÄÉ")N%Œ@ª¹œÁw3F¢E¤ÜËô=ÛÆ9U„Ç˲Rè'Ä@C;»È ¥RKÞÇ"y`.‡mÛí*"lmä)uY Uʇº°»Öب>»¢Ú„$§¹Ø÷žrÃXó"yÑžzû­o[e¨^æM€%È­LŸËÐ3N‘ ƒTÚèɃ‘âÊ´LRíÅ"0 .2 s:<íõÆâºP„Y 'LäU4ÐÕ¨¹I‚ÉÚùëâY«Ê*J‚”[‘øyµp½þ0m”ÌS)ð>½b‰×{Òî½¾(¹èÙV°ÇÁèãBI £°ÙGë&í“LYxè‚jQØ ŸÀž¸ý5~6Û¡vȾ¬ô`˸ 2ä)ŠhÚ.؃. 5MÙ”.Ó0ÐLI//t™„DʽH…·IQ Aý¥ˆ °¼—¾ä<a³ø—ËDÕªh¥¢n‡4ÿ4kmnÄùÍàõ™ ^ÿiV-\]i^‚%“v¤ýÖ7ÛÊ"ë]bÕ–‘ Ó”B•CW øýÈЦÀ ”BjáHQˆÿ~ë»Z<út f·ÿ/{ä^ƒù®{Tª²#—Y¼¥–[ |Ü8ì±LðþÍÍñ››£JßuåW{gðY<’Õ¤À"ÿñßÖrʯ=“ØHFü–šºš4ËfõÚªÙÀç;#6HGew_ì>{Q׌[é"7|Øšý¸VÈu,Õý£e:´C¹§ps±î+Ë'ìÀ³?¼íWd5Ö»¹k»¢äÑ©}ÄÕ¬Gãó•W † ½j÷N»0“*åˆæÎ^³8YkšBžÀífÆ2|Z˜ý*„Æ/Š«—L_Ô¸×\Í&Æ…ÄÁ|+C®CôAö}œ,C¬`ÖQ6AdÌÒëH€‰aô®`? ß’”ÝP8C<[¾Ž$æn‘ƒŒr 4œßf„‡^!è—ÞlëØå+$14Œ'É ±3g¤yÂË{•y3)´b¥ÆÂ<Á"A ~_b©"±¨Àÿ÷éñá:ùn˦N§«h-ZQ^Q}È"ÇÍ©™ÑN£±ßî ½£fáÁH¿YHª‹|äÚñõ1>ðÑ'D>ú„ÐGŸûè‚}Bô£Oô ñ €TpR¬>ªlæºúÔ;uÇ#0Y ¿ƒ˜Ø?–žn# ü™¾óeË~û¼Ç iïE³x`QYœ¡A«OS”úG¯ "—JÏ(º<ºÎÂå¯sdýð⹇%iË ¤òÅÌ@VP™š·SXÒ/W×nRX×KZŒ¾½¡8ýÉ{$‹'%ï` ©+ïz2yÖzñõ6Ê>mí©’.L‘7 oÃÌÑ×Í–{êž}‹hRYYžfÙÎuàk}ˆ-S½í=ñ\å¹»l#î\ûÒÌw™ÅLÂSÉïó­Æãß2MÎz·Ö¤;_D©(w ),wqÕçXSsÔ½ðê ʱ bEU·ƘÞå‰t/™ÿ°D¶…Iׄÿ;2]M¸˜çR˜·ƒžÊÄWÅR`BÉTL™þ¦F—ipuMr °«q¸T¶*äÇÅhbO›¾Z²òG†.Cä«i5zAbÌÎÉÛ«ñQ2 \‚³èú±‡®šqç $tC¬:lçÁg ¹sÞëõž|³»ÛªÄf  5¶lžŠÝg‚B–ôƒjZÙ]±¡ø´“mÁb<=êÞæÀŸðhÕÙfº¦É»:mÚ,¦D,Ö ¾/:2ÃÇ|’ô½°æSŠ)Ì-•òq¤®’Ç௠VqWÉ) Föý½ïüñèZ‚7À/½ŽWOüŽH@C< (M—j²‰Ç¦yPJ‡rC_ç§ã·½~1S©Óò…(t°öêÇfžp‰uGª íïáÇ|‘KRÅÖ¥@Õ±©–yTBãTÍ%íK3ÅÓ­’4IL|ߢˆIßÐ?^Ö¥“[‹ ”“®Êÿ›0㥷kÄ¿’“=OngÞï~w•½áòw¿ ƒ[ul»…?À¾¶¼FzÛl®ë vöïkᎠ!‰£òÃÏ6„ÿÄ¢"h—Z,$` ;âÁ…ÇÅ>e´”.Ê g¡.E° Åœ/6ñ;>ñQa6Žªù‰xþ›ÆÍ|®„X‹Ê;Ÿ`º:Ýêéêt·>®•£?ŸŸ—ôñéV=£õV¶\]FñUBµ¤ªñ‹ª"ëuæ–-ßÏÂØýÌŸþz½Xh 2¶<Ø¿´§T•=RU0\£o€HørÀ_«¿íü€ž‹¯E¿›MǾ©"XtO+5ˆ¢ÙDÀÍh•Fim\J`}`õzÁÅ\]+¼ºž½$Äz؃rÁÛwPµ]AªåáÖ\W“6ôP=êÈ$MêBFw.ªµ¬þ4žîý¼YöºÁ¬^ÿ¦ùh«Ý&€åk:m‡Z×·v]‡½ãñh|NW!ü½3èó"¥dá f8"Ò™ŒÃZGÌoðU ùÈ)qõO÷Åóª^ä¯l9IÀƒ^A¯ø™ÒŽy„†Ó'oÎø 5kx¹?Aîÿ (º!û@qŒ ›•žnmý·6Ž Ž@Æ.û ‹``ø° Ñ‹£%‹sEÎ’›ë—Ê}º]k`µÙüÄ /Áy0zvü¶ ¯™Z =&~¿Àzj ´–2OgD1\¢Ì”ǃó N,\`§qUØ$ñ-×ûÍd$GÖ¶_¤á6_fi†¨¥9·z‹ ÊUœMÐìs.³ØÙ‘eo³Vԋϰ.¤¬zOõ{Õp3Ý÷™KBç(eÚ-Ô—‹4¸ž^°ú Mš·õxëÀõ¢Sѳµ˜vj*+œÄì]¤Òá?zsuJê .£ Zöt-HÕW`à'òü7|´å†E²ÂÊ䨵ç¡Vú×g„G§hùÑÑóú°Gÿ²B_"ãž¿—?W§*‰a½­çpìô#,@쟷‡ÐG›ïÕû? 3^ï>ý7À$×§þß 3›¤@v ›¼w~2èw  |xôÓ鑈FñW§§?ù½3˜#Å%:¿IâðItŽØÝÍa)#æÎu¥«ŽÎ“²¡ÜFO÷Ë ,Ò³2ذGŸ##ê¨*£óáaFÎ #ïÿD˜Ñ—ëÎü•LÉ“~­nL‚‡kÙÏz磲²šðhë!蕺ô2RÈf?éfœNÂoF¡ }…nŠ3áþ|>V`¬V¼•Ÿ–†öÖ“Í—Ò)C¯@7?×b¿ÇXF-ºñ¬×)DÄ8R¨‘Šzôök—‡q ©<9àE¡jˆÁ¶8ÚÖˆPî¾a€þZø‚ÜeO<}i?à<æ¶^¹V«lôIs‰1 ü<û©\%Ý~pz?qe÷»fNÿ^ÿ5œšÃëŃÒWòì=y¥VîJiòÊU³¹v%Ùù&ûÛSáè÷^>tvb\/hÔx4êÿ¥²æUíA UÀiåÞ¬Œ—8Š[ g–—§*yÝÍa^+oQ.M§’]Qd¤À'ôïÂáNæÔ³:7²¡wST°Ä˜Iª~…pãWW-§Os0¨=¿…0øè›úfAOÕ9\‚A5?*7îéƒrãÌ@vGܯk!N“»¤»Å,XqIwÊ0ù -o“ì§BR¶ âÎoc%%? ®ÑÚ”° {‹Q…S4]Ý×#EãÉBŽZä,ñðþ÷TË}Yƒà2·dÐxÊ0Tº¾UËŸGÑàæÛzôäq…£ž!ø—V2³ŒaGñUâ[œ>lÐ3ãœ4ÁÆ¥twPþj‡sGeÝ µö•Z¶¿k×c©ã9|h¨BEy£­µšÛÞ‹M`£J×ÿixRëà…Êá¦6ºêg¿Ú..Í‚X µÿÕ¶þ…áܬ[s­Lÿ™!ܬ]`DT‡”íµ±¥aÚô­³t×1t¯sŽ;ÝÀUÇU[Òr÷è'ð…×v„«s-'[g­ƒþˆ&_V£aëUÐwk–º‚cí¾0$è k]¹&$ n;Ü4ÇPRàšÓþ¯*AËú=Z6sd¢D¿t¦ªìRUf©2ÓuV§ÍŒNulNk²mñ)7øϯÓVã2²XK4î–áâŽ-®~ó1þ­ƒëî݇ZçÖã»V¯×ɹÞ.Yz¦/ŒÄ¬]®ñ`|¿‚ª'ižœëº ¥ˆ  Ì úkBâ1¿¥›²QœÜs¸l7ñŹîm>/Ýâøhë3íÕ\{§I#L$cÛq®¡w•Èl} ¨‰À¨ÐWð퇲N¹—®âß;9rñÎÆÞú®õáB®RÔøÐ¶JðœÂçs˜ J÷» °®F)NÙz$µ_JšË¥9=¥9Šo“ÙmH űL´H /ŒÀk›F4Hcän îq¨† 1ˆØ»£Éaš,,F™µ²Rì`T1Àùe"+±1†1¾§i÷ó$žzïZã–×~ͲӠVñ$¹ S¥I •îVÓ{ØŸzaÔ ²\î>}ªÂÅj ¢ Åù´6›97Æ‚W€X¨˜Yéð¬ÀüvÞ{ŸÛoãÛø:À¸ÍdñïªâÝXyçok­ò²ÎGr¡ÏûÞkP©9 r°ö{–ó0 Êkl½ÝÚövéÿüe-¿#W™…^£Êë„Ü´§ŽSæ«ZóI‚ 1R$@`ï”’òVü'7.ü cÅÊov8ø¸”Ù>=?)“"éYI@È‹UAÈ‘Š_ëù„¦Ã¸ÍQ65/|æ¨æZZmC3ðÆÙEuÚÿ-é· ¤‚éãŒu·Ž‡ïC­æ Â? ¶:Ȼ°õ$˜-n‚–Kš|xløgÈÎùüù8È8)gäõ9jSSÄ£Go1LÐãÇ;W0c—ÙôçgßüòEÏ º¾¼ AÈgô'¹ê[eæoeþíË4äyï¯ö*ß_ímÕò>=+„C|wY§ÔhÇ‘ñ;V VQÅ" hôåJã0ik¡c3Ôµ‚ëлÄÏ‚ôÞÒÆÎUŒîÃΪ0!ÔÎrmN˜’Ô+U°•(Kž}Å8Jzœ÷?^Ã^ÞÙk6¿ÞÓbï WÕñ>¢ì`¦½öÆ´& ¹òÃô–¸›4B”*¥dřаxÑ|N£` ¼Q}2ÃRNê„üöw!B1¬ú_p)[¨Ê2ò—t• üxD§rDÐÈ4Ê8x¾Ê`ÜÉe×qN€ù•ÞŸRUqåš.i Î¥CTBô¥69¤¦¼ÓŒLglÐr›ƒ¯*÷)[Ý×bMxÊuwg‰œ¶†Û­—Õjò>·`åÈ{0–û$ÀºÀT×7ˆGaz ˜Œ%µz]XÝÒnˆâ”€*|µb4ìZ?m!Û;jýÀ£-·YZ­lïôüé~e´ÌÓ}LToμÞåý2ä¢àÄhÐ`)po];Ý#cî]n!‡Duù!AƒŠ]Äïãä.öÚ‡½Rñ¾D-àÞóðEõQv:>Ná°¿Ùa7¶Ãæ÷Çy C\ƒEüÏA!÷Ͳ÷Îp¬PÃaœ‚hžÎñ@qÒ ÜÊ*R¶°JÈŰ6 ˆ}—°À­MÅ)CÆÑwÌ%Ø»l‰;„ çè)^¨mzq¤d“”úô`«ŒŠá.êÇ…¼CXiXGXòÁt‚Þèü´ÝéÒAVa^Õßä'ßBÛ¶ SÒè͙ۜ¸}PMû°=ê–}ªOÊkâ<}\¡Ù•ˆ¯dß¼m¾øâ ÷õR)G¸¼Á•¼¯Dþ(ß©TÄnÆþE—¶&{ÖÞà ÂEñR[@•ÓZy¾a1‚]óϬY&œªŒmy=C'^n´Š‚”Ž}ˆ÷H–Pè¥8˜P*6²È S.‘’êRÚ‘i=˜S~¶½øå&â¡B§1½Iõ¤FW0w/ GUü“÷çâÝå5BV^I87å3Žõ_ .9‹bÌ ÕŠoÑŽD%HÖ¨ò¨JVÈ ™M š’ù¡…º @¬Q•ñ!û­§­gß"(Á ”À´U©S=Lv.]Lå4DPÆS¿38;ïv‡.±¿65Ç:llÉ_fŒ˜êýü»Ý_¶¿4ÝBÔÒO‚=k7Ó ?Lfôï:ÍuNaãûGƒ‹ÃÓš­dË«VÛv&þ­|µ«’e>œ ·:éõ…¢àù3Xè4Š7(…àX!ßç©ià_n€¢Ã5¼ím¼Bˆ`_wrQ“¿òiòôiBﯭP¬µµÝgí7ìÖχÝ*a+·zÕ{w­4,n.@‹-Âu…’{Æ2$N9¶ÄxY㬘îæ1®hñÒXñòöÓúÖ˜¼JM–(æ.Aμ\-Cßo€x‡¾ßl~„1³°›7l¥Æ~êÀÎèbh9ÛÕ¼ýožWæ +bm½6jÁ¥VzñÔ Å'³|E,þÚpúªXüµüÚvzàŽü†Ij’‘QˆicDNÆGýTG>,`³©–û¾£raøSB¬ýÓ@Ìöž_MµL²/3¥æ<ÌÌD1“ÐfD3û ˜}BYiÛíõøÙå.w‡’S/æv‹W甹€ Å÷S`6"ÄæZÿ…HÜõq¸µ¢p×G²nÑG“OÿhàÞöòêYŸ¥Y ÷n”Ó.^EƘó>^‡ü*¥Re±@“D ÓR•_Ã:½Lƒ­Yð„ÉÍ¤à ¶Yö}ô`ôÓ(g5úÆÀ&+áCd ¸¨)ÏÅרfžzÙ$K~ö³ÄÃóùr\A"`ÄZãƒÊ¬äöðLÈZzúv»sj6=+žn•HaºÜ‡”·Üšuib­-ç}¢ zw¸OÏ¿2º¾~€ýÆ>žjÜso“jïÿ(­is‹lÑ(û¯T ùß¡òo¥ÿå0J×’ú­²WŒ u!¢}Â’*%dUj?y‘Új¬«5HW›‚Yé*D®ˆÉì•t^®/^ÕâÓ`ÅÿßSPþï™<žþã¶ÿfñx€Åã·Üëÿ+¹×…¥õ}±ùÎGçûŸÆQisÈßÒ ‹l±ÿpsƒûë2cCß??maHg~g<4g\²¾‡zsà0ÿßÿ÷çÿÿCÐÝ«T¬…ã«æ­œ¢ ]¾âîFè#Ó†?fŸR÷×ÿûÍ'0߸=yÔ3Ý ƒ}ËBB ŠÃ»YtIµ¹Ÿ ƒ9í é?£b‡hjX& c*-PØN‰ïmmh¸ÙÓv™*F¥Õááx!kumF”Ê>:1SsF'"&Éá`?ÙZoÄúìzÀ¿-hK… дü­1ü•‚gÔ°îÕ³ì=Ûâ71çÿ€˜cGäœ<+å϶œ\ÒàÕq9¬Á6ñ¿–¢WÒ³­™æÿþðwbÅO÷‡›â|â75¸ü§bÂ%æõÆõömÍ÷»ÏýÒø ~X#<¨|½"D­"y«4nè“„чV¤•Õ°†õüÙi0<ì>«Zôìc´¢gµ%øß`ŸþuaŸ6˘ZöY`Ÿ>5DæîÿüOþtØ=ê ÑòxÖ>=tšõËÖÛ^ v ÉŒ=ÔLÓ ž&sNõÏPK„]—†èÄ fÞ<™†Û%^' %ò±a Ÿ‰Óâ2jžÑ2 gW^ sû'³sf‹¤Ðÿ6 °è4„†ÂG(€?ÊAÊSúþõ\½5.ÁÏê’Zë“úôN©JwHá_tÄïfªg›rFœëãÎ+¯qœ$×3¸ÈfÉjê½ZÅlÜþHJ6vd’wP”“σE£I·žLÃÛ' Ód öØ(¯UË:ˆï‹¤nÐÁÇ'!·#[x²zYJ.l Óå`ŽŸª\gäQ¦²?¿Ç4®ËÕ5ÔãÓèr‚gª\y—ÌûŽÓ*ÑÌŸ|xþŒ*èNf„Kýêü6Å$$Ÿ3œÑì}ÆBt²@ ¤æÁ$M$¦µXœ¨€Mj<8ˆ 5Ýq}`ñv¿µ÷¬Uc*A\A;8ƒ> Íï¾ëœµG¯ýËc³Ù·yÇÉ=Î"ÌÞ÷¢ùbƼ&7y?®ÑfVŽ4Ä›zßßûÎÞYÍ­»ü¯ã™äv„0YV‘pƒ}ñVÙ˜Ä~Sîù­`´÷O-ÕŠ¾¹šüV4ú·¢Ñ-ªe±›¡¡)¬¾‹²‹_‘Ã…?Ýÿúy³ìu=ÚB½þMós ì½i?ÂGÄ´<òH;¶{§]€„ÙÎ^³=«²4ø¿:è•…ó,PŒ0§Í‚`‚7ÓwçÃî°û§Æ³mï[Ë,? ðÐãNÆ–é–uå(\^ÄbÈ]iZ~ÍDyBÛÌÒÌI{dœ[ÀàFÝàm°§´ã+ñgu„QÍÖGc¾¿}k¼$NÍof¿2(1sRðxm`Ô:é¾k ;ß!â³ cB>\s†ÿmÓ* ¹Š›åDÚ_›€é'á‡àö,šï1óí*º&Ûø”’æ.VSDx?ÉDv–]¸îÞjû[½{Ôƒ‘ƒJI Î8ì«M}–&uÂÖL„MИbŸT3ÄÇü`Ä×–ÄÇÔ³ú´1„9[1áÇïJæN Ž|ðÊ?àe1„ÃòØ{ѬX…ã%«P¤%³þµÿPÀN²ÑH©~%W´$ Rï{‰DZHó¯Xl¶÷q½AÕë¼)Y?|¶ó¦,Ó÷AwÜúfaŒÙÓ}Ä;æ«Ì¹àüã'bÏü'Ì%â,ò¾>¨Ü¥(tÓC!¾ŽP’ÂÒ6™p*ÿ>cpѳçAúa¤ij5±Ý çQh}(ŒÎÐŒÑ1†<<KyO荒—¹yE+® Êâlæ]ÑL+/tj.&¼ß†,¢Š4 ÈÜć6=Üpìz1&NJo•Iµ‘Z¸kEÞË~£ÆÎH—Øa”0Éz¤“›h º/Šp9¿©ØKKל9Nj™F àµZ×fp-‘áÜmæŸÌú t}®r«Æº¶¾ù÷š.ÇØþ4 ÓÄ hìwhs½ —à×äÒ›‡)9h±´ü7ó€E¶Ìi`;aœÄ÷s„^o¶6UNÜ.nÇ<Cá*l<%›™v; o°«‡íaOÛÑýÅræ‘…#X†™i—áÁbt´Ð  Ta´‡h]Só> h¡ž“›ÍÓ1‚VÖ‰Kìi:2 ½‰¯¤ÉÌ»D÷¹gF;8|´B¿ x‹„ 9xÜlRäw€ÎH…7¯&wÂbS]÷äªÉ˜Ë[²:ró;8)3–C®Cm2Ø$¦æOmïŠJŒ%h]Bø"LS2-PÙ¿BaÔÄÌ’,”Ý¡1#šìŒ,ž>ÀÜb†[zyƒ"gƈx—É5lWà$YQ¥ÃaL»l%§À¡˜cÂÜDÔä x5¸ 4œ—Kì^¢šæ°OÑm»áïAûŸ­&ïïÉ*€#uMzÞ¯XÒgÁ[Š»ä¤ŠFDЇYð>%fÆ1hÐå$½wÌ•Z(Œ¡)¾ƒy4¹ ¦ªbÁz›~1X#ÀíE¶G FØ—uIíxGxXqáܧÕÃhÕ!…ÛÖk…%)ÌCœ'I:»ßFçË$ÊB-@ö(Sá"…Û—z%¶¯:Èù?h€'x'ŠÓ‚ûËî ´ ^L³VmRVáÈpaIØšoy7Ò†dŸ ØDlza#.’BômÌË•ï°luuMÂíÜ©qâÕ¼Ù¤ÂÛ0æ]è^Àm‹' 1ªÅ"œ}:“aÈá̹ì±x.|C.™®2bpw“!ÍêÜs—p äYWã»Â™( ƒU3ù°g­:wUqhú¥e$Ë ÞŽü‹óG_ÚÉ2øûÑàm¿ða.(çYj¯õ…—óו½Ux7·d•׬Õ‚¥AJ½eVad­™Á”x—´ãiŠ7Oÿèµ7™pšž¶¾ùÚk´þøkº·:Âu…Y öàm4 ¥ƒ‚, ^v?¿L°ŽÙÚ—«˜Šnn«0›° ¦ ¨JRü…(Á…§¢¸à=õaëòjº%Ò²«ƒËËppu±Ä÷i¤¨’Ãáàu·ï_\À4^\ø£ŸÎPÎ[Y‹´€›vx²,ÇòÈR…èG^${qäè¿¥ØûQE ˆ__æa‚¨K] •füfø¬¹)¦˜k¸š7™eÝsF(ìxÖiã¶ì }meX³ïÓToØ{÷ñ‹³…u\{ÀHÆ»"tËœ¦søü‘ÓÀY¦Y˜ë(Ö ÔtÉÔ…ûìño¿}ÞÖЧÚz6ÔÎ8ë³®iöÞ÷ßjêÎmèÁhNïÓÏ›2DOù‡§X¨WhÃË÷Xd¦ »¦CEÉ+?Ý2YÈ=ùðâ¹F1žøÈÞ×ÐÞò,Ë 2ØËæ–k®ï˜ž3Ö}w~ÚëôÆ>¼ÕoŸ‚üÑ?ĸgãrÊé8ÙuÇ×â¦á-̘ÐzQÑŠ»[@ÍzÏïõA_ïõ^­k·œLi³gíáëîÐw;½ö©¢©ñ4hV?ÐrïÊš‚5uYT^êE’X—õa+bÆL£¹íQf’0ß)]žQŠ=ŲÐÌ5c9=Ma’ÊíŒZA=Cßå¥ÖçG„åð•¥Eçä!ÏÃñY¯ï=}jÿØ~ç=Êï- e4Q…Å‚ó˜ý:š©´?2byú e 6ŠB¡+”ƒbà½R­ÙrUW`Ôç 04¼ž^·‡ƒ‹þ‘cŠºeÒ‰‘‘[¸™ŸŽRT¾iíÃp1Ü 4¨Á"Œ¡ ˜„)¯°œ\÷T®Ñ?î Ž `®fjoYÙà<Èöÿàíïîíï 8Ú \ˆ) è ž‡ªfª`ó.H‹BZª”¨ˆñŠÓ¨ý,ÚjÖ•± °Â“ñjAÃÀhó—‹¡‹R»gâÌ'ã',W¯±©‹~ï膯»êÚ: 2¸/âèÙ¢DTq Ql•Ûˆu'íªŽŽXîª#“±öæ(°!4“ÙÿÊLÀ¸(JºÙ¬òó”×—î`ʪÅU™'ò¼3Ì¡‚ÿEC¢PþM™û÷Š?í«Ÿ´˜EþÁŠ\¾ÂÎpÖv¨¨ ¤Û˜r¡ƒ9õ¡ª©1FgNÌ•L.™—Âï.ùä~gÐÕ;nÚ—þQoÔ><íÂ¥ÚRAæöiS2¶0[ÍIE{e|à"à ÃeðžÅW‹;hº•MLeÌ À i]#ð»ˆèdß™öÞ¤.±@N&¿sMÙf¶¨¯>Û³§[ª&9¥+s¹­Õ+tMÅ}rU+kÕ• üñ¢?WÌÆ“È¿2º8? ÇÝ#ÝTóî2ùà à•ÆÑŰÝ?4É?$£™ÄÏaì××)ŸÊØvÍ Hè(™ÙÜŒâ³àƒˆ÷¿ ƒÛ{iÆuÁDælešu™z«³`‰ܼX4‰w¥hìÃ2äT¡™¸)EþGËüeIJ|ÄðÒòSY š÷/›ÑOàuu¦Z…£e[}´ù7¦Ÿ£+rt28=r šŠŠ¹54Tʧ%š´‰\Yi¿Á0¯â]J“Q%ù»EŸOŸôú¯¦Å‚~nwƽ’àëcI ký…­†…K%H~ìt›ë§J}"ÖØ¤#WÇ¢ntÓaPÌÃv—¸PNy4wtäß›e.:IEÌÔœÐ×T.(‹.µ> aßàDH4/|²Ã×§Ðï F&…Ápïu³©û4Å "-}ñGfŒH¾®¯@¾<3tÈÐ_îGr->ççÜÓ˜ÿnJì‚q”'>¬¬…§X§ÞnF~Ñ,½\EÀ„´à`.y/ªÞÛ%hõo9Ógײ§hjŸÊ$žÔì»0–>oZæâU£Ús ©”ʺñAKl©::‡ØE äPúÂí •PéiŽb†àöº‡ÇǪ'¿G©°×q’†$3ET¸ú*BƒYßZÙ4¼\]“6¡ä%{Å €&®!;¢ñk"Ð °ýüYÅYÖÁß -^?Ýî7âÛ¨¦ŠZ`eyðjNyØ=îЖ¤úîwÛÃÓŸ)ü8ã„2ÍtæG˜Tðâfšê…‚ 2paÝú|Q!~äÅ Ü é²È³‡áã°p—̤9ðãšDwÒºøqM _ÆM_ºÊ?‚x»lGᓤÍ.['õÎOÇeš‘&‡»´¦âÂÈö)úzîâNª¯¶ ®…/ä‰.\  ×¹ýÜ:άnSP¿;¬ÓVQÓÿa–6d§=s{h…AÔ¶‰äÞ{Å•ÓÛqi¶såÝ»ªàËéÅ·Á,šŠ%ziY„Ã73 1 õõ.•ÖmÙŒ.£€¥— `É·QüÝ Ø,%ÊXžšhçYAýíDœà`g]éº!×@ŠYñ0aÓˆk(VÅ*™a(ŸQÞBœÄ†ÇÀ¸CÙÞWäI(Ò4è9ˆ®3åÐþIr ­^Þ£u/–b¿F Ûô) ^àâd«ˆ€‚d¤EDÏ‚²KY’b»¨ á‚nà7ž\2/¸„¾pJ)SÙ²H‰"o’öŽäP´ßÑ0E`¬c§û#å`ÜS2K»ze®….xbl™tF’ã,Ĭ~àÕæÕIuÎ/ž F;±ò/,ã”òShÃÒøM2‘1¯ $o® Y$EDxží_昴ùôçGMgÔ—9ÈM»40qÐöYû§CÐVQZtyu8Á䜄gÌ·¨m“1lIx ÍÌD8¤‹‹ÁêÒÏÆÓ„Žy*[+n„Ðôq–Ž¢`xÕgâ‘Ê›Gq4_ÍõÆpÙ3´Éló .Hn´ûð•¼FÁc³‘<ºnpj»³¼ð`:úgWQ”§=» îYA•[Á4Äj¦ÑÁæ’¡ê­™xiKº‘ð±‰ö Oyû‡SeVo …v[ÌæAkµ°4EºD(aÞ$ ²¢øV Ÿfèê8 f·Ñ{ïÍY«†ð_>ºSb°ZÎðm1JÝù#ZqŽôÑg~¦®ÿ’÷½eFÃçw–Y4(Ðö~/µ˦2jÈøSÇ€(ãa&ÚãñÐïŸÛ†üâ…ÄJ}8_8²{å‰.i›ÈâR”7Þ?÷O¼=NbÌU†œÉM/Z7Æ´6L‹¨ç¶ƒWJ3Ð÷Nä‹SÔ~Õuͬ1õÂI¼çd=âü´¶¼ƒÆiιÄ((º¯æa PéðÓ/€0Æx~¤¢É 16é!Ès4£{ž~ŒÍ»„;4›…“e’Ê>À›¡á‡´jØæçI}À)Ñ-œMh¾E™¸ÄWø*ÈîãÉMšÄ˜«ÙªúÉ2”8‡2P…àñЫ0ÒpÉôÐØH^/)j‡ÃEi¢·Ñ]©0æpüÁeF¢PreöÖ&eõ~\-\¦«Pä…Š4uO oÛÓ.YÂY—Œ#ì`„ÏE®Ze«9±VeoÇ@ê¦*—GŠ“†Q¦”œiÆëYÆ JYpšhù­ Ô㎳’UsM{¤X-ã,Z.g2é’€9q®ã I±œ ã@Qwާ–+#[5%÷ò¹º¢köÇ–›ïk'×¾ÜGÊHôJv´µ}@ÎGo×S<š°T÷v”b®µûzÑÔW1ž9¸ r4xÍzžß+†"Z° éš¡å$q(Ù%ÑR%št–¹e-Gb>L)u,—8u™×¸ã$^…‹%㯅Ó&®:í’‘)K”Ð+% žxorƒþ™2 ûáýïQLGµ(`þolø•ÁD[år‚µfîðÓªuŇtEÀ½°ä]0 T¶¾_¸]8‘LÛ_”& ¹R–öÄÄS¾-N!ª¹À‡“&£}ìÙÐó€m^¶‰ëèóF”Õ`ôìøm‰º`;pG?öÚý¦¬˜³°r…0™ÕSx½t’B€Pk:ì'†ý„˜ ù ÝúÔ#Ö]ÎP‡@Ía’ Äk¸ÝÉîÌx®CĪB¨F*ÂEmÓœïwº ¬Zðvôêpì¿:m¿ +üÍÝþ›‚¯™0"]È?YožQïúʨg7â ¨Á‚»s8\ ²fÀ—ÁËè,tš€LŸ%îÚ‘.“UD±Ý†„럞ž?f9é7%u’gê³™t›*°úëê`0«CBûÃø¦&žW]l9“®íf\æNõŽ0wJS †µûNŸú¾qÌšˆÉûå—Ÿz]mð‚;Üðú›¢ú’ø éšõ… è&È|‘v(ø¥ñ¬b;È»ªe¦”˜¯Š?? bP ÿ¦æÔ¶Ž†ÝÑ„~YûÐá©i.7[b _YCgݳÁð§’vì‡UÍH1ÜÝŒÌOs6c?Ô–…—Sâ"Ê7|9¾<5hn»}Özñµ§U>Sù’)º…=w4öÓùìtí Žº„[J†Êد“t…>ímº]X]sà”Øã¬¾‚xÎñ&"©˜%ïhI>ï– Ù b$I„ ,GAuç¼äòWPà¶ Òø±L@ÇtÇ^ÿÕ°}Öy/ _‚ —¯Ò`f\X¨ò>Eµ(½fâa ”IŠ>i²ÁýýdüÕ€¹—Zz«BmÀ^…Ko„/I“v¯ÛîŽôŒ`ÈŸ .°rLˆaTÊI!\Ó ¥@t«à t†3èsȱ.S“Á˜‚Yt}³œÝ·Š½:ÒÂF°q ^Ý’x ¸"œƒ7“vÙ$u ÝzGL¥;ÔPë7­eR(fåSBv¬‘VµþzÒºi­y®Øøf¸äv4.yÎQ×8c¶6]Ò]Ñp¥Ù½˜Ãv€ÆaqÞ• …ÖÑŒUVZS ¥½)1ŸôRVÛ^Ô‰ ôå«d-wè͉u5 ®[nUÀ=æ4šÛ´‘–o‡hX²®zz³9?Ú’p€­õÔsöŒ·éL- Î`ÙÌ ,Žû—ßÛU|®¿š_ÂŒ2Y À±XŠ£à¹QÁÓFÈXÕ¨¾(pm{™ð­²“‚õ=/t’ ìaËë"^{`ªùy $Æáɰ§V™ý¹0c’Ûãð¾öö¨Lä^³ˆia°#ín³Oq!çå;O#$šßÓ~â5¬nÌ’ôõ.—U —!Ï£Þ;4.†¤¸- *ÌÐmýwC,¿]Ôki…¾ùÈýQoÐ!¿)Q™G9´Ö£S”.l-‘-±*Ÿµ_wýCQüûüÄòû'GÃ&ãè1ÛÚÏ%deÒ*çé±çâÉè¤÷J 6~ǵ­ Êß:ÉZ`úÏRÖnììY«<²§÷îâ\fÜܧ„¾ñAcòüÂûCæð\˜“ð‡?xöØ]¨F¬n<´-}vWÜ#”ÿúõÞ/NíÈýÁáõ4ÇÇž€=唫 [ª€IS:Dü<wë‘L~ï-ÑÐÒ.úu‘l¥½¯ê¼Œ¼r’¡!sºs@([ÚtÜÑ?&@˜‰Íaa„éh=0IpÝ9ëSÍ­/¨›½ù¢¢;_ÔëϧêJiXæ:•‰É¤?±H!VÈ |/6õÇaHˆvÌ€À=O@––Hèu¢­Tt?çú'ìúDi(üPŒÙ¸¼_ˆ‰á6é^OüEݶn¶ùß”¶(GXÜ)FßW’ õk½äm’ú¨?VI¬äN‚þR呇§@G£—uIåî²ìͶŒŸ ¥˜›pßm[5oLR+ÁhÐÆN0P"øŸÔ%D½¥¤ ËQ…F (Ó&5¹Yʼn…˜ÐDÑÚ`‚BvŒÆ÷è{ŒwTéíýÇ…”k*O&)4©Ÿuϰx®GµC‡z0Ÿã­†Gô&×*lR =`ØÁNxuÚ7t#§†èšÊT<lj‡è;ÅI9(Ú%˜ó˜ç9ˆ zy•†­M÷U/&(b¿F>û6;;å¨)€Öå²l€Ažïˆò»·¸¹'ç4攳‰²µá´“ζJEý6t|’{Sœ!n4L÷®w͸òK€èšh–ÒåÅÂ-Âô&XðüJÄKìŸ@ý¤ÉÀrxš¤0É´õ Žs¶LW8Ç—3Z[’ñl³äL- lF2%"TXô1Eª ·–¨‚:+Üâ¢RgGÛŒÑ;úÇ¸çÆ ÎQäç·ëË€Qã²ûدfs#b_ïˆô)mÐ]CôzÙK²}ÿ³ ²)r û“ÏÜæmí|õ)Îá 3"æú£ñà¼L½jŸõŽÛEÓþê¿Â¼–Jw¯®œÑØ~ˆTG§¦åûhsxÖ¬³°¼šŒ ÜØÛþ·_XoÇ+.­8oÔIÕ °Pÿh44öä=n:Hñ‹Î®XžØ<äÞèe_}Šž™„JúÕF!Y Eß}°Õà®kòÙ‘!ñÏ—ˆ3矓q8_$iÞ÷Ã;øUvÿ³í&É ¯^2쟑ǽóÀ›§dP²2IaŸwºÅ-= ?Ñ–Ö¹·tÎ+˜±vCÂÓ`]›÷Ïf§JÿFluí=iGÑh3¸Èž}Üâ>nê$ÜËjfæ­?ýøÖŸnÐúù¾ÙübÿãÛ_¬cÔvn“Öƒ ¾ÉÍÇöÁ¢âîÃV˜‡û&ˆÞ¯>¶õ­}Þ¡¥÷ç`&¼½"¥2ª±Å€ë4^äüx~í¿~û£ÿ¹žì¼hí¶ž=Æ¢'¨ÌKø¯ }`·dëæám`QßçÏŸáŸ~»¿«ÿþì}ûíÞóÿÚ{úìéógÏöŸîïý×îÞ7ß<{ö_Þ¿ÕDŠâÅê¿ÿ&ž<~ºh'Yܧà5&Moï»ïž¡ù]˜&àYŠŸoÏf½‰†Ë,LoÃiËIá9RE³h’ÄÞq,n¢I¶ HàU˜b¥ž4¥¥Ù=؇5Øÿù©œ„w³p¹Ü9&ïÕï(¼ gÉ‚LD DŒï‰D i|4>é¼3`6Ã^ûÔƒ¿ŸozGÝ#¯=‚n{ÀýO¼ö!(ãîéO^à½m‡íþø'¯ûîãuºGHi0ôzgç§½î¦ÿ9"ÁöØûip1ôÐDjçkÙòy˜b][aâD3/Œèt›%[”0?'Á€óÅ=‡‰/ÒÏñ[ÊÏŠï½Å ÖˆózœPq¶e4 9Ÿ" ±†•Ãð(ú&YDaÖ²ú滸ë}§@0¸¶L£ËÕ2ä70`EÆ1ˆ>o#±šÝàP£@<“٢ɻ CRªHåËLó²åL{¢öS媄 kœ-‰þÉ£/5Ì›ÂCøTÄ6mI†© a[ì wÌy!ݺÂH®åüyŽA­Zéå’% ŸñJn¶ò3ûmÅÔ­× 1XÆ„¢FJP ” ¶>•“ÐãÓéåµ?ŸáW2á8¹aS´æë³0µ1´ÌJ”Ó¬þ\}+ñ˜Ÿ,V–†3²×#d‰°\rU\v‘ψ!Dhò…mÎÅi7&§„ Iƒ‰¦ ²þ—šÄ-©)ýšDñà ¬F¼Ó9‚ råƒ|rÜñjâ;æafTÿëŠ9‚îq›Ì(÷ù6ÁD”™Âo Ðs鸊T^OŒárî½4Y-ñh05êc¶> ×7‡÷0ë÷Ò0\xÓjv“ ûñt5Ÿßÿ,"…“›æ/ÒÎÝægÞ×s®o<"?ÂKVE·˜uÇ“Œò‘{tÛ3µ/Ãå]ÈYÔuI‘üœù‚ïSØ¢ËóM´)ÎQšÊDj ‡)¦“ˆ<§º¤`ëjR+hq:'òVö´4&<Òæº=öâðÃò€ƒûbÝv|äN3‰r¿AE¢ýu„¡I2/•æá†Óv¥:®x»K°bú‘®šMH]¯ºÃTª/"¯ò (µI¡[è>\ÊzŒK%îCä(­¦$%yöÆ gu¦¿ˆðuQ;D~•WG¸ÕËË &ï±Å÷Æ”SFŽ«² $,ºk)-YtHìý*¡-­þvðȶ[b>!8Ž.Fç Ÿ‰;­·7›ªŒ-Eç$æ`í]œ0ʽ*ð;âh±âŒâŒu¥z¤41䢣£s54*¡)‘ók’²Êd(:ªLì%ß µÏV½@s¿€p›.±s0à ?{!ä‹Q«—bÊ´­µ¯.2¹¥|à‡ &ÙTÍÚ"aô‹âAš¡¥ô[ +"—ûGƒþØ?oAž¥XQ)¸ñ˜} ®FæÀ1ZŽkr'd¼yÅÓ±z¯±Û<Ø„Û3F…ôŠÌ›üâ’PmfïÐÎ Ž*ÐM‚R»G†Û*hV¹<¨¿ª û%Œx¾Ïš·Êà·ƒr¥m‰*ìT epSú Ñ~<¨Êÿ8Ç{‡Gp–¶(d‹m,7¨tcÕuÚ>—÷ëRIi¯P‹¼8jŸ=ñƒ ªßÀXa}½õ¤¨:ƒOyg Á‹«P%nˆ ,Œ%_eÎÅkÈÒ™„VÈwG«îö¢ûC¢Ì°Mb‘†sNËÜT$žÌ¡£¡å Dš|”ºÉº¹ ©z8²µÔBh†»V«¾ÌQ—F] Z½Â´"£%7áV¼)*¥H:LuüfÑî¤>­àGÃø‰ –3ªI»œ]eúÉû»GÖ~û ·3‹Ƭ ÿÙ†¡T¼ýož«#wÇI[û ’úi8m¶lô³ø.奻H÷úGÝwh*k¸ó—Íþé_œu‡= Dé÷Žè­~ð^4½ÿç9ŸÒã½çføÂÿóFË ò;{Bšv¢Jå¨ô?r„¥}²`üÑT ¦â»’sŽŒ—‘j©¢Õ;·X¨=”ÿ-ûÙ"ðËþ)ü õñ¾/D:¸›§üZ¯ßïMº³$y¿Zˆºµ©y  úhPyäyyC~¡gø·8˜Ì+ôªÙÕÆ ÷“ïåË?á:åßd7«å4¹‹‹_«G•V¦u_ÅtÓ#YV]²rºÊ„Ðæø¿ý£öé ß5ªÝyz•ÐMØ$c/;Þ–?é›Ã~GÜ`”K{zŠéwøwºS¤ÝfúFí@¥\Xб ³ËmÑX^7œ1vh}I%%åE.UíŽpsÇD«ÙàšÛRßûÐñíO< e+¢fÂG£‡M²÷U1*ÊIH"²íä›Êñzî“|XpKiü‡qý˜Àzñ{{ß|cÅ<Ûýö›ßâ?þqñR„ @S%µr9ÓËV—Â[JHbƒ#ZªØ%O²üïHP„o ) ;i!àR‹„Œ*]E c#tƒ’- é˜Ð‡/Š[Ügt¹ü 2–“N£‰Ì£(J¹_æ†mÀ T Æ×3¢¯Á,æ ÅèNbõž÷>DóiÛi=–[)¡É q!…] xR_Ȱ½Ì² ðFôþ<¹E;k«‰ÔÞJ˜É¸÷© _¯íƒ£îuý7íÓ‹.Î VûÀôüíåa÷MvÖóËò.€ƒ‚e„ŒºI'ª[Õ1 0æ#¦éAÈ›l’F—ÌJD â]lÈáùãˆeÂÉ Fd+¸4‚ "jR:p8DŠ1 P®nƒ4Âûˆ˜šk$‰IåæÃ@µèÅ_–‘ñt î Œb’ïliÀS¼èôd›!üy4È~2 <&[$ /ÁlåØsR¹“‡åä(E–«"pÄ#²tå ÚCÒ³i²5A˜/lô Gº« ôTŒ’׎è;ïïor™^÷äã,ªàk·ù2ÃÙ› [·Ù›‘'æ ÄÔcuæ1E»hVX©-K[Ïß>k þà´Æ†<’oL#Vs*ït—xTQ"ÂǧD™œp:§põr|Xaß@; ™n "ü|K¾À¤ò×h ÆêZF˜)ŒÛ¤éØÉ¶i°4}LÃ%ƄơfUb@ K_ùåØQ–ŒâœŠrƒ¾%®BþDñ`ÎÑ&Žç&óâD/$Vá3vƒ8ú4¹Æô-4Àöh¾W™Ìò§^‘ˆ„N`hdµxP”Ÿˆ8†È9,žw {$*9(m &Ñ,ËóзU·ÒÞ[žw®É€ÚvÀ0ÚQ–¿ôìu«D@9§_–ù ›m@hqqˆ…Qd’ÿ.ŠÀçØ•]”sI÷2¤¿†ViêŽäŒîNR ໊ñq¯eÌCÓ”Bh’¤.¡—UÞä˜ÎµÅúœÎ†0Cîk²B¯·IïÈÿÓ¸w${°0œõ˜hzEc|ïÑ*¦’ôpý ñWÄ–hXàÉ7¹PÀ™‡ó¾†•‘ÂÀœŒ(åTè`ÿlÈ>¿T:aÚ ‡6³tÆä»\ò:{øÆÏº¤#š‘cŸÃáÿ#B™–ùØTü‹M :㮋ãøIÓaþºíM›æ¯l”ÂgÍÜ kî|‹zŒ:Å#¾Ðdu~Ù£F…¨ALÍvy÷XßPkAý¨H¹+~áSÍIŸà¢©-“whƒ’  Z—µÛ£y åU SpÖ‚aRǩԙ'J$¶+ DÙûâ{ƒ%‰Ž"°\÷h²ã·¶óƒÚ÷¼ÞxxÐqRÊ©ª÷÷‡/¬-)9ˆˆ-3åhõ¹<,øæßiï»ö íøöï•FÍ\Sÿ-÷îß+ÿO¥iü×ç¶ÿ>ÿvï™eÿ}úíîoößJþßÞw/^lãÿ~çq¶óÇ–w˜„7ómPA`‡…s¸™œ){{;ð?ß|têà·›:èLú“‰~Þoi~ÿÇÒüL¡Z§‰Z7!Õd¾UgV>El¥ÌžBhá£rhh©íˆÇÔ[!mBW¢ÔÃ\2¶òzïAHϨ›ä$Pµå…ñ6I3 Vµ:îȪ”¨t9\êmï&¹CmŒ¨Ÿ€bG…dh4#ªcü!¶/BŠ‹ªá$<8‚Ë=4b)®I›1"\Ÿ+ªICökõ:ìJ11Ek=‚ºžZÆúüG-iRK–†Ö×Ýî9ƒÈ‚ˆ2Òá]T¿AÜÐ3 m1 ‹hä…#Ú\÷ãX˜~w?\…Ó üßeþ楯\N¦!üß•í±×¨å¥v?¼êuàÿ%妃´þþaç¨ ÿ÷J6£L›š¶7b“0Eä’o†•þPÙÂvLÅfãS„/ÉÀrS.ÔCsÅ¥Hð0ÆuÕR+“´åˆ”ÒB;Íå2à“·½þØ?<ҧ½ÑX+\†ü(/„áleÉ*„[ùN”öO¦Df-ÓNAvX$à†ö ‰û”˜1kÉÑbñ4 ˆÁê˜^¦JÌJÏZ«ªÄb0¦5pEÈ"÷&Ø-bî†þ+¬.Õûs žDpã¶ß|äÐó¼>˜–D6чFõ!EE5óMNC³æ¦ht88©ÿVA³Åg5[å¤d°*¨›Çõ¹¢ñ0Š˜&[n5l¨Ü¤” ,X˜õZ&Ö/R07n{_IËšè¶`aE³òßL<ÂŠëØ–ÒM³H0)–Ãã™×Þá5xE“|†‹»¯@I)¥ŒÏ#µFFNŸ,w7›Š$p›“59Åÿ%‹8Ê_Š&x4;'éR3ÎI@ïnèîKòµ–·0ÏšàêUœÀî^£`†@©ø5»È3ƒ e^µçÈ$ÛY&[^8½Vu.™HBP– ÀßjÕ˜ NTb´™~eÅœD1CK̈?p ©¢”9Nw"CKšÜQÎ#¡õÔH•ö‚Çs<Ö±dáÎŽ—Œ5 ýºÄÃY˜N`ììØE!.†Å» Õe>—]K=6'aî=U/pvÂ%!×§d:¯œ |‰PgiD1_:˜q—mË '°÷¤]Ê"A…*b8r,XÂèåg´Åq‘¥xoÛ$¡öo´”ùµÀv W«(»É¹6ÁÀ[Ç@fQü^Š<²¶¨ÝqòxÉÎ9Hd—عÝÖ ý¬bŠ*„M–&˜“„—ìå VigÆcáϽ;31ƒ”(}"À>ÎVÌåHLä*ë…¾mXwÅ"ñ6ü=Vc‡­tµš †ðÀïÒh²%%Š–c/w[zÚ"°]¸ôŽûgÝþE²½Gê†xµ‚“olY±æxhZy²¢ôò£“X2M—³ú÷Г¯Üú%ð~kÉ,šÎä K:U9ËÛ®‰N:ƒ­$tí&Sz‘}ñ}õEFÓþYË4ùÿÙ{÷ö¶+|ÿÖ«@ÔgÒ¡hÉv’ÖJÒ‡–h›­DiEªN¶ßþð@$(¡& -«ÙìkÿÛÜ€ ÉNÒn­ÝÆ ÌåÌÌ™sýœ5p(U fKSSÜ£kßêdq…Ѷ‚;%«Ò±Wè¾ð(ª†éõ¡ä®aýr…ñ6ôHÐB}ƒ4–¶Þw¶ª~a„‡®hQm gq8TÅ:¥:'m…CLÑËNiËÉ‹>FÊ]‡ž&É_¤LÈ_Dz.¿÷ƒ,UÕŠ›4Å?}~š3•†+%ùÿEü߯öos?ü'ÿùÿUÿ9È8Áw‰MVA.âäèÕ O”½µ¶÷X ¶q™RÕ¶8Ê瀮žè¦µ^Jâaá&¶ ±v [IÒbEÀfœ´œG’èVÝÒ@‹y¶„Åf OJw¸k“\| dØ~o¡ªã¦UˆÑ¸&ðé­zØã[û=i1Ëñuí}/œÑ¨xM^ÒþP(šHž®ðLë±wŒrñøìtp::y—Û‹Ùé+š)'ô!l+hï¸TFî[Jn—>‘R=«ƒm¡‹"-Ö¹J° ÜI±üÚ‚`Œšœƒ2«ó u|²5РðáÖA·<%a:™¬çQÞ¡ŠgÁcƒÓƒù8˜‡bÊÐ+Ç£TbÚÀ¹0=B[1£¥¥ $K Ÿ@€`hkÓ‚qË…E1OíF»-IÙÆ:Ø=ýÅÁ“î×Ý'ô¤ljÕ™luDXQfcRQ–w˜Tè¤/0ÑöNd‰_¡u ôì 9è"¬|M B »éµêS²ÙõÌpŒ$ÕðA @FÏùÛ„Œ»éu,¹§œ¨ O=ï$•û)›…òÛCÒñ(E¦2hµ·=ºF›4 cåV<íë”^Á–q2ϦkX•b}µšÇäó¡#«w·ÕêÛˆ`'*¡F÷K9AÒ§xÒ5¿¤Âj؈3U62B¾uú%¢ÊeÉD§–I¦I¿ŒÓwIž±Q½4·ƒe†ý7 2ã†ËØ;3Xz5¼Äêý‹þµžvXDÕy°W°ç+Îý±b‡!ðRŽ˜ ‡hp8ïõm9Úû€ST¬¦Õì¼€öUóøOû9?wI_ÇãÊßzª”@ò*ƒç¡ç›ýmt§jZÄà /'‡ø0cˆ#ƒ’“=™ÀuÀhwÙšX{Qá+ø†Nмvt¸G98°«F+…˜0+ 5áz©j3¥*­F†Ûj¥\nÌ¥Iûqõ£GjR&ˆ ±€û‚úÆùÅ×ÌÁ`Ú,k¡Pê„…Ô34® /¡ãÑòUÊWsY¯äzûåE¾’=íW½Y7åŸà‚]ÿ]°Žyÿc^³Môh¶^÷óÏ.Lþ3-ÿùÏAôÏtzÿ¶'á_KLm°­«ÂÇú×>˜å,ü¿·xù õŽþí¼^6­“ «"jéIÇ h 4P"èÇ20–öCÉ!QcÕÛxuÝãÚú8òB“)ÔY|~ñ™TŽ¿:ý0{³÷]{V·Ç7Á>pKÚ¸½>²NÓh‰6óšÙ=÷Ï6¯ú ¨ÍA4êöxøMVmÈÞ›µ{‹·h•²H§^)Usƒä,dkŠj%\"Šu§´wŠ$Ψ~®Š©Ù£Èb%=pdÍ"c¬(ªK¾£rÄ!¶„©KcTsö UÆ`­˜¬š0aŒ#¡ðêW®â‘ùÆ2±õ‚ÿÅ]¢‚Â[Eœ©~«­¼ÎÝü®[©¢ÂÏŽ;D$½SF C¼oÆ>µßÁÊá#rÀ%RO–<òœÌ÷cP±#Ž}×¢wž?¯ž&Úöið‡à`CDটçð¶ ·Û¸Õê‡LõÞJÃ¥3s¿Qoê®|ÀÆ®xçt^îÀz Þ±hSže£^ïÓWµi<®þPâw_¡¸£o•vé[ ký—*\°þ‰Ù<‹64À 'ö÷ÞÁ•ø‰wŒ[ž1CÝò ŒxËSjà•Ǽã÷[2½Óhö¨™M³çeRÍVs«{ºÁ›,ؽި›p³Å¼×;þéWÚU¯“æk£ä뎤¹@™³‡ãåw;‚BöøŽÍ£dU|ߘóÂÞ&(cx©¶h8 1tCæX’ã[Ø©\@Å(9ÖÝQjTw ÏÚï„&6¾òŠþFÞBþ#á£4¢ t0üúÛo[Oç'Ÿ}œ>fѼˆK!¨–Çr>êbÕuÑxéj¸÷Bú[ÚFòš·°È?_ÿÞ%nñQW¾Òvã%¯¾yïµ.5±Èåǰº³Çt ÎÕÝÒÓ÷GXù Þï°}„]ñKÆìÿu¯qênüjQ`+y°! Dÿ¡”»õóã?ì?9xö´ŒÿðìÙ'ü‡OøŸðþIê'pê<¡¨B„‹‘×ÕÂ0½<ž¬æw]R%>3ƒBÄ7óÙùÜ›úÌ·Ñd9_ø?Ìí{¦­`÷hÓ’%MÛ:h×3æjxÜaíƒQã'ו'ml3†uù{­6æ›üŽ€iþT±%±÷ï°Á{œ PzÍOëŸð’±®áÚK—½ŽŸª>ý«Õ‚ûvä,¹ üæg¾ÿŸÂ½PºÿŸ¿¬yÑþÆ÷æÙèåÿMûß›'ƒa]§ÎW¾wß †OŸøßu¾ò½{1üïòWç^FKØÉqøæ¢wî¾j}áÅ7Ö#;¯[ûÒœ¤¶k¨-¾w›¤OŸóä*G(Ž2ž~CŸ“ÑUst¬+oöב¦ß0Òðuoð§ËêüøãڷΖqŠ{ ò^isTß<Σë,}9¿C9Ç™éË<ŽñÕ· =ÅsüÚ¦H«ú`èòˆ½ÞÅ«þ8<»x1UèP:[Õ¡ ã•wNîq¨¾Í—7Qi2ôޏò·ýöÚR5”ênîAOy‘,‹RûÕè[òÃÎti< ãÛÒ+úÃR—õÌzJÃûRçòa™NîÕ^¦sù¤DGÝ5ÖÃ-Öi©Oü¤4PhG¿S-½9»(ð¯h1ÅÃTý ^­ÌÐ#¹“ìc­”²Ú;z]ÝVîuáǺÇë¢Ýp¢•öËò¯¼ÏÊ/öÜe4/™3HÜÙÆéè(üsÿ¢4¶g'½áñ‘½ÎG?¼bV_füEõã>hOu­qKo€ º/–óê õ¡ßÛ&]|Ñ'¤,,˜¼GM>ÑtV–'´`]9Ì%AÂK÷0_Å‹B¶ÊV·,‹9²¸hJ +ÿZ]æ\ÒÏšÞ¹eñLèxÏÅtN†uíJsöª ‡áùIoüòìâ4<_´Ë_¾¸€D),_?9ü^—¬ÅEsÉïÜ'æ}f.j[ ­—ŒL“þ7 ~ölÂó³Ñàûg½ðø¢÷r|°¯®r»}ïTdÄ7¸ë†c4q•gp/ùúE¼B¤¶¹ÄI§l‡QUgQ‚£³ ¸+`3 ò¶.»MXÑZIÍê磳±‚D’­ «zuƒâ,öš Ú$Ðhµ¯ŽJô¨ã bqq‘k5$«{b qÏ´Íu­†’t… Y%Q°T-Ðb ßPÅ—{¥1åÏãü&ZLSS K[Á’-‹Ð_1[Ù`Ç…§ž%.Ê|þ‡à¡?v¡ÊTÃÀM½~ˆWle{;_SiY´+=êw]s„E?Ðå€~TÓ„ý`I¡„ì­Ž[ǃ—/ÃqxÜ9¢QWêó®r,Ìï#¦”jÃeÝ5 ¨h4Ò˜¦=<×µ» E>9©š5ð3ÍT}XoX[¬±¥cx#ì~vQ9øÄ.Ûí’Íä䤖ayÚ; xoí±ðÞÔåâ˜z,þ;ú¸Òû!<9ëiIÜ‘MÎp¼§ñdŽÙ$­é|¿G“Y]UQï+ÉÂzE&_’äüÒÌñéQeš> '¨¹ý¬r£Š ÞáŠ+÷—˜hø¦7>:;=úEFç}³É G?œ¾ôX²¸ç0ù4„GF68µ®Œº3T5Qô%,¢aýƒª€Å$Kÿ&5±¤zÄ ‹s0þ·Rÿ9[²{ÁTå­“Ò!ž…Œ/'ƒñeõùGÉ<ÿ QèKœikì÷‡á¨?n·7/L‘Haˆ3ø{W ùw•Òä–¢u+#œTOή=V÷k³'õ4K8óþ±bSåaüpÓ‹½ñøBÊtðåõ9g~h"X·.­¸JQã÷¨Ä„ª‰VØæúy„àIv—q M‘~CÕ,_øºâJ`@?tÚM¥Yº7¼rêô+ a,4žÐç –Yƒ3ÑeøÉwðÅÔjêö&æ¢ zÒP›¡öi°DÄ.>ñÕˆ‚>ÝÔÕòOÖÅ*[P|O¶±al&µÍg§áËË!¨3ýñåÅpöN½Q×®\ûTYk5KFÑ0‹åêNU$«í¯k¡²Û%3”±š»Ÿú =j¿ßß/ßßýãWUS€Ýs5¡Îb—:~·mšf´ÊÎgyŒîÞÉjópÑ>ÛßßH‘{ôW)g¨’ߨrî8Ji4øï¾œ=&=J€öùƒ{#ÏÞÁ ëu2_%iÈPô$ìÒ=Äi\(íoíôrdu£öZNæQz†Š‡T0N÷Ù’€kêÁ+ž¸ãoEùuº^´«ÛÉnF=Õ®iÏi+íŶæè™ö¦«¸f”î±±x¸çÁ­ò´¼·GGÞýùhä¨Û—[I±y¿º;iëh¦kšž ‘¯³¨í»Ï}Ó—êi ×EºžÏK®£J¹¹û七=êûÇ67²ÚºþéÊ8Ì· øz-q¬V*t™ÆK`xÏnåïÃ|âg˜NWFÒÕl"zýdËô¶mã×IšHCñþ|pÒ¿ÀqgCû×Oöݽê)öûJ]¸øíE K¸„!‹a4Û/jF¥zÌe‡#Åðš¶Ž9UÝ:/g Ï<3îŽFfbÇ»h¾ùõ)+“Ó(ù‰hõ;OL»-¿̯ —t\Gç>îô€ñ¶kÖÜy¨ÂG¬1’Kè\¯Ùng”>@©ª^üYí½Qþ–®ÐÅI çï”P4`I‹à7Ë<† C —9´ô¾CóõWÏ\ „Ëáà{ûÃûƒºñÁ)ˆ[©ëÓÄnŠ$ï4×õN±™èÑÝ {õ94ÍHÀä(Ì"¸ŠgIÏÔ!ˆ NLš{P+ã)¨|È{Û8¤Ü6ªÇ¿ú$6[>lÕ§¸Ÿê©jtݸCæmïòÒWV_'?X2÷Âw©Ý8è{v›(¢-@åóÙ÷›¿©ò §«æ[·'<Á¾~ÈHY:é5^Ï1«Â‘Úö¬OPkÿøoäu|üÑMchЫÁ%s™²ÿ={òÕì|õõÓÿ¾üdÿûµÖ-•4ða¹Ÿ•ì¿Oà¯Oöß_Æþka»’ 4úù\T‡+PîoÑbZ  Ë’R£¯'´]¾ûÄâÿïðD].?ØzþŸì—ñ¿Ÿì?ùtþÿ•Î?o—O<à_þüO²|úïþíçÿÙ“'û_•ÎÿÁ—_}Âÿÿ5ý¿O÷àþä'ý?ë'åM‚•±Ûd±X3„-z¢ zp>é5Y©,)WA¶¥ o1Ñ--ÖAÅg³d’pm͈\L‰iô^YSÆ(_•i€¿'“õKÄM²½c)—Ò\Eo@d·¦ª É".Gôãœçqz½º¡ñ*¼gÑ2ÓÍc +äéU£»“H§`x±‘ˆ]˜‡)7Ù®Ñ<ŽÞÉØ` à3ÐwÌGGØŠL·ªIÔŽæèì›ä %ò«áò£Ý¶:znqQxTÀË„5¼\Γ /gäSÁĽ nÉ K… ØÔ:&èü¥èçdéa²ºžãs{°Ønr9lØéš¶gQÄ |s]×Ñ5î®–k,2€4¢„óù6Ød‚‘£‚nMj §%¢áº¤EH‹(»tÕpV Àñ4A¯(h‚ ÉhÆå< õB ÛåÃ9ã<¡CA­Ð éMŒƒç‰ƒ4¾­[¡,wì'šáñˆÑ¼iN ü†ñ-ì±zFsd)1žP·„ÀaÁŒîÔZ¿DØQØ Ø2^´vähÔ ‡aãK.™ Ï8(رɬ‹]G:U…b¸6"qÈEô>Y¬®0Èç@oŽ£ ÁðòÄ̸PX°)âéTWà`Ù¡}tvqb´C8K­Á'͉=æ ÆÍÉ ôü* ±‡ÎyÎxͲÿ`mx@ØP÷ Ã*ˆà:Á2½² Þ ú«Ða%9æû$רÐùu<±¡½œ6EIdìX¬+*TᮑpÁµÑÿ¹ô‡sÍKnu N†óÉ:T߆ýÓs¸ ÷$XÒýnNÎÝ|چùZ€¥§§:øß'ø°Ëž«Üf¼(æµb}”lñAA:¯:Ø ¾Î_áâ! .üEƒ0¯ÂU$‡ÿñò좕ðþÄúÏfS¨§ÂY¼šÜ´’6}úS°Ç?ˆßG ´O—ž ^¯ÀÓD"nx¼«‡"ß"p:ŽüB¥Å$Ÿ¯ì–[pÏù]Û¼8Y,…jE6ØÿÀ5µ¬~hño½œôQ²À8õ7Èt‘ãIÛ2¬Í4`ïh½¨ÂÂe©ƒÖeµ† œãÈÜwŠWãy|m³&ðÕj´€]n¸—…Ïßw ãü?sÚãzŠu(5eŠ÷ÈŸ–NhÁ›9He~tR>Ûࢨg…xÅN³Q´ h}ºv²Õ²&ÝÀ¡†Lêøý±§´3…ZÚ† õ1Q !Z–˜ª£m€·TWE ná–¨ ß}‡Ã¤Ü¦Vk¥6"}3þ¡ÒÒ`ŽÆp[E;h=Âÿ~ömðùÿÛÿ\—U1ȾÓ5 •Ö éBÕ’.€ÜѺº¡œW1IFñß×ðÒó®a4Â5”ÕDC-¿Ñ_ï;üé]û°2|єؠ†Ê|“|S‘a,ý÷Ý;#5)–á3}å­I„–•œˆÃ@AßÀÏQTP£‚ÆFI:á¬pM DáMêƒVÔ¾›EÅŠ^g°ë#q),„e»€}°ž¯”í¾Žq8СèA•õ‘%AuN¥²7Ðæõ±D7µRÎɸë(„Q ŽY¾År½Š-‹„‘Þ®äU-òsºä'ÂdÜão©¸ Ö…ÑzÒ§GÛRmÚVåU'ÙU,ýYÄ­1XØ¢n-EùkI·Á,õõg“Pú¾ê¾7±­’ˆ>‚R÷Dz$ê{Þ3BåhÅ*ZÚ1ûƒÒíWÈÍ£GsИ¬ðA4·¨væ¹}¨ë÷‡(RjcšÊožÙ(ÎÃo_EsÔ4É‚(¸®é¬|ûèq @4ïX$2v ¾!X¯IH‰õ¢HpTél=—úWJ9PÑþ¹²7°J¯Ì<Õ;ÑhÐÑ«uDϸæÙ5[ëÐüTƒ®x'Xs”žiê=7ƒìJŒ±«›<[_£6O:ºe‡ÔC±gï\¯Âµ™À¿“ ²-ªJJ0<¤éZ§rpS§Ñï:Î{@ †ÏSŒ}„–(±ßÉq[+­ ƒUSêº?”bbšø ÚÝñ+yÛe#® q•G¨êkx ÚïØø¥1‘ ¨¡×l>KúÊ&pyQçwv"L'ˆåvÏo)ñÒn ¾c»õ$_ãC,“Q!ò ÞȘb8$ý¥q±²Ö¯ps-T‰ZZ¼K¨ÖLMV›´æùzQPí6”‘pqÐ`‹¨.vŠ‹½IG€O!ÜÁk`¿*ƃÖäû¼´h æ’¥Áäæ|œiâÚæ>…²¡™:»Š…£¥CqplØ8ñõÉ&nB÷¬OLaî%”pÅÍi" Á"Jeá¸C[;R™6öÐk7®oBWÑ Äø©51û’-j&舄 ¦¾­–·½} {DÙÞߎJ`ü‰Š j"ÈUú§Sæžu× H˜÷…ó™=Q<ÂL¤Ãˆ§ ”‚–óؤlÁàH€Úa³F\­ž±]ðñ'ÂŽ°†á"Æ™rwZ;Q% ùö±&ˆ‘ÍdNþÁÖD%ZÑ(°BßXJˆ® –ýM¦)ô×§So®W]¼¯ÂÔ2ž Û€D¿Oéq–8;'s ¬ú(hìZyã }/·IÛ¸¶–:dÉ œd@¦O2pD/H¤üÆfïÛÝíŒ7´Ó—±À>»0ÛúßÂl8ç=èë”åÚòGÜ‹vi{tŸ”–2ô——Jò’'UëBM˜ñÜÞ³"NAºzIJƒièbÅÔÁÍŠ|ÒôUTˆëߌ¼ÖääåΰNh [mµF~‡&kTF.@iã*!Ê”EU¬â[´AI9vJ¬ÕÂ$åy£m9k»vì"Åá-/BzUº7–+ÑB Ï–Ñß×(µ±!*ÊM±È|…÷M 7ÅŒ–$Ñ ÍGåzxd§èåŵ§FüŽ…¿« (Ã%qmO›ÕŒT8³ Ñy‡V5؇J’—Ð-‘“Š%«‹æ6;öm×j÷>n ¨Ÿ?'Œ¼g“¾)"ãùŽ~PIBßœ÷þë²O¬Î¸%¿ÓtúËÁ_Í[‚>ÈiEZ×{ðùŽ}‘r£' oiWÞ²]ßî:Ϲ*1³Úl †tAoÔöñ—\»óøð©çV;C½½•Õl¥üÀTQïÉÌ »0ã&~̃x…ƒµF-†?ë*qçÑ›¾‹”!ΞþM'ÆèdÖ[çZ†I4x‚ßßuE‘·DoÇ2*èÂõ{¬%ùiöÎ?NÄ/ŽI”þy«Åß‘‘Ôï’Â0µâ˜BBÚ¡>cЯékw!½á¶_¶U£›¾SŽrö¡ÄÒrö„~ÁË=ÀoêCZüÄ&1É£D÷Ì"Îv'á´Åñ^¾xʦ?ÎÖ´o3æS\TDXhî>ôæI« T<*år:¯HBÇëÅR bÝÔa ïIO]Mqf _ÁN^]‰IYU¢4%»ât¥S o™ÆWëëk$T‚tS‰Ïì )Œr“IeB·)? ÁÇšZÖh£2Åw$ h±A©arE#îNÄ'¥á' àä<^Í^効JúfË·1z“¡ÁãžH•hWÛPJAi'›±œ»ÝnÕ6ê(ã¶úO°î†w¡Ì­`n„2?5ý|ƒÈ>éœßá¿AÈ;Dc¿‡Ç@º{|Ëÿ|ÜmP &z{”¼8=eQ 4ß#ÉHR¶!áQ9o*VeÇUq¡sDiQÈÆ*jY’V ,‘-ÓnÍèS{øB³÷¡DñtôçwòùN-.BÉŒÿ2á0¼`–䈾2a©bBŠ6‰¥ïû 5kƒ%bò®MkŸèÇÅèʛݣۦe®?1ÂäåÙåð¯ .»÷Öm!Èã°‰Y¸ÛQ”WãI$öo Žó¹µƒ îã ól]Èt|•À£nc·œq½•¸r)·XFX ÂMjŒ¤ÐöJëp:weºžcÀ—õút;|ØvœR:Úʲ¸Ó‡J–(âø­8û+öJ—1”+ŸÌãEĤY9-ñ¥É~ qIã5´Y9Ÿƒ¢M|eã"ãÓÇñ[P˜˜úÞ¸‘UÈȘ eN# çı°R‰¥¡ØVG·ŒŒcNž‰©¨®le˜]ó:AÐ5 7'¼¬·Y³3¾s¬Ó$ãü¡õ Äg²Á¹A[QÀÑRZä?XÅ×èEæHã®öÜvuWQ"©de’ru&¥XjžKögÞÏ™Y«ÔÀì<./\ž‰Öu=D)Q…MÉ*S/rçéÊÙA»‰RÖV±ÌØlB@fR|FEoš)”؉ò’at¥ÌϤGtaÓý§˜ÉتPMY_U¾ýB.,Í´ /“xn`~áç6™®n:dª&Ÿ2È+ Ÿc ¦ (UÀ-R¨d”ÿ,ÊAœÀ£|ÿ ªîñ…øŸ#–O£9 )w¤N§ÝvýŸtµ?+Z9qå0i¾7Ðê©$f’+¤Ýlïô'Æ´ÙW¡Š¼Ãà™ :^¦T®˜Ýk²ud18˜ZÃí+bàEašmCæE³¤“Ô½ïfxÖ N³beÂðÔž(Ü“âÌŠsƒê *ªè¸ã•2Û® ®3bϲˆ_: @o.îÒIbѱzV´Ïc®rBY÷Ðgv‹‰RSÎ.t˜Ä†5…vá&±ì0pÉîÊž”©š'× FGjÙGù X$%ÕâE‰V1ˆÕ&\ø­S"•“¤ÜÝ´‚Aàßí<øî}6bž•áWTå°¦x«ì(ÇD.¡ì¢¨€¦TT ££-†£i”‹†SñuE8Ë€/qPÕã\m ³í¶Xú)rÙõ‡ðÎ*b‰íâ*W[«Ò^t>)@ÖmËÐ ¤?Øåã¦ø ÏÂÁY){¶.§ Þ d¹* •øê}„¾/±­òÞéˆs¡úâ»­o¾‹Â9„ÃP o3iA ¡M{ÞòÞÖ~íoíÌ÷p©‡p5k\Bˆä´ÑOàÿTø?ù¯þÏÓgû_>«àÿx¥ÅÞ»Á‹,¾Ytࢄ þ<†{$/¼¨AˆôåÃKÇ`Ùlâ÷®£^.W|QU^•9¢ò1_XH4e³Õ- G/Ñl@sé`Žú’3÷)9Siâ÷ØÄï‚Á; öi”LaÞ&ŸÀ•þ¯ƒ+•BÇbx5“iµ¦¾›,ÃÂÈ\"dÂP1ˆ.Q%×XùýmwLǨ ãõKª^†þ*Z7Ì“\£LÓT$ˆCý±yïääìˆ ¢ÆùM´,¸2(}ÜU`4W1…Ú;X4dŽ˜Ã@Ñ £[ {ã³Óë¹ø6|FQ„ËYHsöí]¶f]ÎB¤3S`~ÒML ØÎMA@Ç`MªÈÂJÕ]Á…´“Ç×(tçá µP#-Dzeõ ­ªáIÅÓ†%³RŠÔDµœÆÒ0ej¡ ­E²Ø°Ð×Ê&œlM ÈB`7ì*uƒþ@©üu<_rôÖ‘Æ–¨"Bè—Ch–»ÅU6/º¾òËoC_ñsøÌ©¤ vþÚ µû&Ê)ž.è“#çÍ-ÐÉÿ®p¯ŠÏp—'•ê‘IhM•½@­?Ûm[¸*ÂözŠvŽ1¶J‡Àx0¦‚2çð aÞd2TVHxÌFY'ó)ß$vyNiЍò¬(ö蹂,ßÞóˆ#Çúâq”ІJSîpÔE•8ã0c²ûG+åß×Ôô.É$˜'Wy”ãÝ+tTôhµ•c“@`ΜéiŠm¨«Õ=’œËúšµ% •{E>«(fI; ø‹C¤¶j˜ìR?þ¨¥ÛÊ&¸U!¹ŒVE•”…U¬SA°2_S(uaH/.' ÿEdv­@ï†qnê#©áÑœbˆá5l¥{oè¸lƒ¶} D¼äb•&F¿Êaµfðׂ.¬«ØmJ¸ýä&Ã[C)V7dpƒQ©2ÓÙQíYj[44ÙÙgÎGŽÈ±kçüñ v‘^o.Ά¯ºjÊÓ$ÎS® -•™ÜÑùùÑëþ‘”4V]êÝ"ïR–ûÐyÊúÒÚp‡vÙíJƒ_Cÿñ6é|]nTê/pÛþ–­F&+­ÿÁ«˜/±WGŠÅ(î¥üÍh ÓÙn”᩺$Cýáêz´Zò>°†¿eù7ß|Õþ'0Ÿ&)~ú;üÐ|L¤­n&ÁkÒS£òâ''eÆgEŸ¯¯@M° µÞÁmÒDa'î©PækÞ·ÆÞ'ÖÔYœçÌ~¥ ä626üg<¾û N,~¬hO£œ„ivX›ªGá°|áka'&¹JI)n*ÅÅ=MI)ÀB`;^QB¹u×KO\…™®M\º"í†^Ç n –ë.ÜäYŠÁøºàö PÂåß× Ú”¡Y;CšC.™ÿÃ2â&âmCS1k*P—G(Ág*VIA®÷ŪN¯ŠÓë‚Gž%Veš"¬Ï·ˆ¸»#PSBÙÖ¦¬éwÍ»$[lu’lMPš—FÅvVv™d<,ázûÝæ|‘‰ýÍ·áW†e6ær±Íã‚ζ$v´»Ž¨¥J'ªƒ‹é{<©–}BôÞž qa[α°Ï€Í¤%% ;'ÒsÓNG”*Ú-% ¾àmH:pƒCYmªúñáfÑ•ÃâuP9í루Ñ`u7ÊÛ¢Ñe}ÄåJ´±•jISié%Æ®«µn´Êæ¼Ó ßÄóiÛdDVöÞ¦UvhѪ¡¿³Ê~¢: î6º]VÿO€ÞŽ1\ Áª hÿÏýá8{cvƒ y4œamáŽûJ—ü¤ï‹þð¸ôñÖ.œz_QßUß‚O¶ ¶>4zv¾9»8¡§ñ/ú#|Ñ5ð½r6×¾ƒ]Öt#·ß€?›tS÷–·#U@“kL÷ý__õ;?Ñ·ïàÚ6â4Fì Ѷ2ìF·ÓnÄ úа/ȧÄeZM\Öök‰à¢J±±ÉTH–b¬Û›*Ö¦¯=Æp¨{‹fVÀ’ÍŠ¶5eŸ#ä3ˆÒ!ËaÇbcØ–ð:›S-F«M3dœ·»ÍØVyéZ›V´ÄÀ¼y¸X¥nVVB!ƒW·>'TcÇk2†ç'½ñ˳‹Óðh|AhÖÛª¾Zspš•¯–Çæ]GM'SUÒºÙ ©#‚Š9Ÿk´?ù´e׌+k[ºÊ·÷vÑ:1jéÝ+¿¡t¨Õð&çÆVÆjνj­º…ÈfÕ¾‡p®w‚M˜;Ìce1O*-këÖF#6iÃI–‡¢·y3uÙJ,/°;—C¤1ÎýÞL$Êjœd×)Ã₊c½|{;½¯bI»˜Ö¯d’n—À1@ÎÏ•4'|%)ïM õ‡å$ÅÛ&âG°YÕ–PÃÈl¤ç†‡Q ÄL­l^ßÜl¾p0į³ ïéב@š)S;Åךּۚºä@“ã3ë{Ç Dü0îî%µ@Ç4Lâ}›fŒ t³¥i«)¢*)h'P<„ÝÒb~`>WDæ@«±›Íf*ªf·Ù.f'Ùò"RœªÔk4¶“ë`»UÆ{j·²ÿ[Y… =ÂKž“·ìÒ,ED'ÐQK§3Ódñô¯Ó Á‰äœ¬‚©Ÿ"9‡pPŒXZl;Ü„5& ¶gVî"µcèDpmõNÿÝφ@±ÓìUÞüfÇ6ÙÚ°Tõtuïi'[\ÆXÊ)BÌq|v]<¥or•_i¼¿þ½‹TÄ­7n¯Ó(+wŽàí’SŽÜ7ªü ±—«ØíÐW±¢$×ÕÞ2* “)ô6.¶ûˆ©H E7æ*Ö}q îgt¯É¨bU~‹"‘#»V{š nööþcïϽP6nlHŽÈµ¹©~Êþ™j@b¸NÍ2°|˦Ï`u¼í8`¿Ì¦¯ì­{¾úFC·!ÒÞD–÷7Zµk^öÕHwV€nšÝ÷T”ßë$qؙǔôA–‘2Û›Âȃ% q“» 9އTTHÔ¸õ6Ç€Tù’xí»÷ÜhZ0%1„.3"ò˜=°½)Ö“UÌ%µD‘̸ԒT_‘Û­ÿŠ^¨êŽnm8?öÉÙpL|÷–Õ{oQŒžŠj&õÕ‘2E—N§Ž ·˜f)† Ú š{ðí·ßÇ–‚3Ljð:½÷«î“èà‹ÎÖ}„¡ðRžPt•%]K»{;Ÿ3’á&\a©ÆÅ5ÄØN±ïœý¾=ücšòt…ÕL©£ª€Ua|ìrê˜8æ§R•·rTlHSY3I_*O£¦xYYÖÃôzJ nƒÝÞPdÅK6¥€’¤PrÔZS3áöèÀ¦q‚öÞ…MµMÜ?f‹?iœ¤Â¤Õ®œß5²Àªˆ‹Œjzr !‘Ú-vÔ ©Í’@mСY„Ø*ØÏ6–AR ‹ü¦Uj“ûx]ˆÙ…J;²ËÜÛ"uj?²‡DT¹‚À¶h•$EÙº d^´Rþ¼„îù›â‚•RÃÔð¯o‚/»ûª% ¦F»bÃFÖpƒ$‹”9']Ñå1ÃT•®êéÔ7EéûÖûr]#†.Á5Ä wçpϦ˜²yTâ  º*–<2 åÑ€ªbG)ñû›¢åÄ©®u,ÆÜyvëÄÕnJ0Ž™J:Ib)‰uCˆ³ø–¤$«.yü>ž¬WuP– Ù¯Q¼~#þ1[Ïç!Žôp£#Æ0Ô¡kâì°¨II«Û8Þ&W)ʬçÎÛ$q1VÚÉÉl;75|˜±uÐB´ß·Ú÷¥©—¥QœUž\_“¶G#ÛÞ”+¨£~‡bwÄ%ŽÈ%š7•²†©=`"“tùˆ †ÚÞ3 ÌŸQ9-T‹pâ~Kªð4h ãIXBåxRI5e™eù=È.pJ6kêþŒ:&ÉL[e‡šèqÂÀ!±yúÀHòcþûÀ=½Æ¼\“$DQÝ{¬­@+¸ûÛÝmòº:ôÛ FúÉí÷¤• —ÆôS„æf÷">A’ÉDj¢az-, @íÛ[©qdVK)¬úRˆÀ›gó À¢=ɬa\”…¶dkj åŒçY¶*ºÛ#œ’ܧï؉Œ:EWË)fxÙl¥ar(ºX{/þ¼Ž£ü6IÅE…Ét¹c„±*wºMñÁÉä6êQ@Þ6ÕQAGi;‹!<¤ŒsKºí_ʼºu·ãÜz/Èc÷º×…„ÝbùÉ"Ûl÷|ƒE¢ˆþW±ÎcUÖT°ŠEF°‹pøØ;Î#0lÓ[†Ðø:$Ö[•‹.Z* å2Š+Ô0Õ¹$ã­Syd‹§ž¦Ðâ`CîF« ØÂ®²ø¶¥ñ&9àpHÐð“Õ\swªƒ’·¹©!We}Oí`RÍWœØzÜm¼Å]7zR¨ø–ptÞ;ê‡Çƒ?Fg݉Ž(³rè@!­‘ê‰Ò4™Ch4*† [3Çx"P¢ÉdõÒÄň@raáZL\žÆ"÷—Ún°‚'AE¢¸ÞÎç“Pýä„ûJã5|Ý=àxB6Ü´à’F$K“mg.IÓõfÂM¢~…ß5–a<¯Þ‹ß/¢÷!—>Ü,ÒŒé.±^XœW˜+B6 FÓQœS—Š—ÙJÚ¾d¤ÕœE ¢%†ã@ºŸNÑÏ$m[›¦ñFµßQ;tÃeLìoMÞ^e+¸+·†AS¶=(‘‚ÒwV¢†º÷²3éð.‹kð.Ô…À¬l"nÜ”ŠƒCT,˜^ß+„—Q–Ý{ŒŠ¶D!ÀÀÌnÈZ‚™mÖÔ2C R>.Ôzo¢¹UC£ù³t†W3—T‹)sÝÔYõ¤iSÊ&'¬…|á´ «{N0Zö‰VìnîÞ_n· ˆæãžt uœÂ'85@R1ïÐri¯†+˜'À;§(qñ°`’ç ЕwkѰ)‰ÅE”#Kã ±ôm«Ý¹Ï¨6"y½³=Œ÷jJ‡É,î$09i EF[jè„CÑ·W#f"9yEktóÝs"n­£É\‡†MÍlft¥d¶Æ°Ý‰ŠjÚÔ"J98>q ¢jE¢ySrû[×<ø&ÍšÂ"ù,ΖòÕ6âœSñ»÷kªd>ñßò ™IE`ù1Íø ýÍšBq@0¡¤â;✛½á¨tý±•'V§½õ:/ŒfžYëùíg¹•¤jn=‡’·^õÒ Â‡/L; èå,8œ•gÛÔtoYÙ©à^_€v—Ü„ O]˜šºAl.R¯s¹ìL†HŠ¢¢Ã0ǃÓ~x9<œø¤µâQW}Ó¦$z¢Žö·7XZ©YSó8z‡Ó4uB@©:j5%ë½=ÖÑBM,Qä÷ôÓ /µ ÎŽeD’¤Ð©†M« (Šç|wQ„®:­B6°Û¨)„8,>9~1uÇ,}Ëad†IVø›Í.­×«0f”Ÿ<]çMx-X ÏõMS­c<Û+{ÚÈR‹8B³«8ÌâCSgä[Cïq†g—¶ÕAYÙ¿peÊÉ«¡FQØMe˜‰p‹ÐÁ˜Æ5Q˜TnHÄ´L¶»—†fÕTåHui8< ÈEKI^­-ØÀ–¯CªŠGå&BÛ0Uj_,•^Šæ…áYxtrvô§ÍEê‰ZÄ­Ù‹©€õ,:c)e*4Q¢²¹è¥šíÌÒŽÄi_³´c—¤°ë¸Œ#bY—OW5e#šVÀýnsÄõr¼o0‹ UÉÙœ–¸Lê5ÛxôÈ3 ­ D{Õ0Ù´”¼Å^å¸àŸÈJ÷\FX_Sgciúô…fj¿©è¡¢zšuÒ,§Š™úqVdzy„hQV–Ó„¨-yÛÉx±Fe¥ÎIL3,B•»4@çÎ<”ÖcšÒ Xüôsv´ÃRõ¿ï]Žûáyÿât0é\âÝRŠG™Ú¤YáÖÍÚ>•U”QnÝà«§ d,X•ЭuÀ‘©AKˆÏ †ƒqÛw+­_g$ne*΋Á¾6¸ÒWG{&{W–Nœ7MÜv•a² mׯӻHè=³n0ÁÇ#xqÅžµQtQ3V%fS˜(5Såu^ÝÕ HÓË—É&¨+©ÀƒfZJy¶öÕ´“m„ @ñij;öœ +'3Ä¢u‚.ç× V¢®uÒýÒŽòÃ1A³6“\³IIå  ?¥Ú!y“”#XÔ™¶Ti%HŽKy(‹í”#9žÄºEUØXû€Û ­®åÑJ¹B-¹R[ÙX[~Í嚯å¾#ô¨$UlqFWR%psŠƒÒ!³§k̬Võin•:²5&Ëfà8¶*´ôPÍ«N¶þjÛ¤\¯„H±G¢Í¡/­°ÈÛ­ñ4¦Pië„=¯XÓ?Ó‰öÎî1Ç{3ô ºÜŠSeÄ2&Xϼ®x"?ö‹å¥à[·x+-“Éø5°ÍST©T,t®=aMˆ'â^œ÷£hÃM‡Ô]·ž {fnäWô–dIX8‰2uÅ*®ˆéTP‰qa­TúZLuTU³5*²’Â…«@ÏIwÁùÙhðý—Ã"ôí nzæâW¢eB±Î /¬—4g\ôÀ]’ŽiÊÉ 28zÚlè¢èŠnx%Jò?^Àܲ5Á+DÑðÙ©*à¡_wŸFóåMô´£ #8B•‡[˜Ý¡ôØ.M“SÔÍGj%³#Üe4›*5±œ+Õ·"¦H^ß®PÝœDiªì-Œ"eÌÒÀå¦D#ÖõNqÝA+ˆç3û]™¯¾êJ©(9f¦±¢Êk¹Œ¹5¡ P¦ §SK—ޤ¶_f3¦X$ˆÍç¤C)´ãXXsà'-*2"_7|Û´’–›Q5×·A-‚8{î^t±\¤n/VëÅj}‚sjTwÙƒ‹žH®Sv´àù¸%×¥ýv?ö|²‘j(fòô7bÑæ³ù•C…Ò}<:yošâÞÃr*j^jLwPë*wìÝ H̾Ʌ0ø|†%¢9 Mg9º^’g^èŠGêÈ3o¸PÕM""ÄWD³› 67{š%»Öq€cvà2(!qwïé3°±Sd~sÄÞæÁÝo“´).aÿ‚3ªØG«é=‹Œ9,¹µß¶ärÖ‚ÐZ„.XÆKë+ZÖmBËI-ÅGãË/Î.†­â¬èóçø§ýô°ÿÆ<ºj룟ßö“G¯{ÃW}óð²ÍO²=Øð—e{{²ˆ[~™Y¯CíAêBµ#[ÛxØ:íw?‘#E#<¶ú`Ð ¥RÈ “&#Šõ׉Š,-ñ‹úñe3³x¾%ÌDC­‰RÊšuðçãlmoeNÐcÅg†ÕÜ1Ÿ›2Á`\0ŽKÖ)øÍ;ƒy'$«È1¸Éì8Ûc&ÎTKn÷? 5§*N§zÕe¸‹_ËeY±ªaŒ-œ4*ÿÓ)iB§ ®“wqjK«ný }|Q˜/KÕ[˜Ð€t÷E„f ¼Y¢17 ·¤Ë6ï7Ú>) KQ¿šÁH¸¨ªéQ¡…e Äm¥î 3¡N@Î6ÌbýÏ$åîÔ8Á¶fîí»§ èíÔñÑêB AtlPç˜õ¤Pi‹cÞ#ýÃÕ0%E*JÂjSVGeÈ9ðºL•1—\ô_·@‰±ÖSÄ·Å=hèlêmDs¬ ”¯ïrë~èíc與—kp¾«ëA¢–µl ÚNmÖ^RfªlsBõÕÑM:y²@Ÿþš‹ßüÑŒ?çä=Ãð_Ó˜&mËUé‡<‰4‡©¥Z;t7“òÇ3˜HT0ú¸U·Ù²ÓDs4 Ý•œã›í,TƒDPß5÷ŠxÓvq¯£êì ‡L9ÎH5püaÚÿHȆ,æhzŸß)äªz« §³<¹F9P‡öÙø?ݲýªnBªGb“C°ëBäà¥í—T6Ü®îJ§çÈ*{;–˜úl2‰ Di+*Vjîú‹¾5¯Dî oKÒ„Ë;çhÃ%¥?‚•à’u\9Øì!m²×åRõ˜:ØH®kŠ3æ C-î*%ì-dÇZG¶H± Ä8’ôUd zÜÆŸ£]}µÆL•½×/wG”l7(TD‹˜¤õ@! ÉFèz/º•”Ä‹óœ£PhD"9Z…Ý–Ë©uSÚ&ÃïË1KWä ²/,6ßâž¿å#MÅ¿æÈP ÷03‚Ëòb`µÔ'Ò:ô¡Ó ×XORã ä§”&lë Á¢–̳Ð?3Bœ€¶®M-“39xÉ §¬bX¿DÕôUBﺂU4bˆ-ZìCn'”XaZ¡4$ÎTpàn¤4­í£†¢-0ä.¾µ™¯ÔðÌC ™ ±rÓMRhy¹ÍÑ7N”ÙڹĞ; ²‘Qc4p-«p±‘ÁÌîCG1¨žLI1³Ùíx Ü|$C(‹*š tYæÅ?ù M,!ÆRÙÐý·ÎãŽ;A¯%÷tîg JáFT ÿŠ´Ë©G6ÌÜø9ÅèEWÔ'9±éƒ2K2›9²ØBœ»¢ËÐÒ¸C£qÀ0”#B˜=ÞÒ±ÍÔ@úѾP¥T¥ZÍEK1MÝ-ªÈ2ZÒŠ³‹”71¦œ SÀ»fS ðçÒûç²7“ߺU±iL'ç’êma¸@¼qk#|=‘¢CµBÛ…7KËdÆ!&a6³-†ØÕ ‡ÛãÀ54âÃeÏÖs¶ÙÀE…—‰Ö>:®ù¦XbòúœoC)ÅÍ’Ò4ãkŠÜÇùšYµ›¢‹F-­¤Á· sRÞ#7Zùp;¢ñëÜ’“’ä‚Ña¥´š"#NBñb ª 34*7UÂDý(r·'à†$BUèMÔ3KVoüˆ‚Iœ“5NÜm”ü¿R.wë4º¬LlxvgûcªŠ>Åã4X®ÌêSø˜Åßb­˜LTÆžcbˆÃXqJUZ‚ ˆòôãÛ×óyÇ /åÂ×÷]NªFçh—l𠨚ë4ËKñÙØ.$k•@Äs9ŸJÐ&OÞ—°ê x§ÀB-\Ö®å ªÎs¨AŸÜ¨Î”mwæbÁÕ"×ȥϪ¥>‰JŽDts6*ì‹= ÁüªCŒ€1wÎkd7àˆ_xhB)´% [=ж W‹idë|?üö»Ö¹  ¼14gXë¿$´k ô(Ú:Ø´Égv<–â4ËjœFRJ#Nô3êÒq¹x éš’6)‚YŸ>Ì6VŒ4½&Eµ)m(õ•ÏܬÄ]ŪXç¡2­>— .±Ü¢ðoº%DÁ4YR6jåFS:s«+—N&Ö%ª‘ÂP:x¯eÏò·…ÄšÙó³à]’“ïm ÿÞa"¼ÞA¬ @ª|»”Sø2 ˆòÉM‚0ÓkŠ(8²ÒBleƒ+;[·ÞÔQ*%“5ÎfFÿ€0•¨úËO¸£’ì”T*”‰<˜l@¶³¦ñ{ăÄr{3è¬d-Kh /to–ÒÍ÷»u‘ pÐÃUšj¹¶¯¸W ùy™ÒLZ 7ÇÙ \•€h£m†=xdž‰§|#Дª;„v›jÙ!=»r¡¡’™§4+ûMUÇ™ÿØdÄÚöSçhÁüVIwóߥlOçЯ¥¶Ÿ^ « Ù6ïìXI¾úÜmÕB¡i¹2ÀF–á’X™š*F¦¶Ju­Û2%]råG2ðÎñÔÍÙšo¡iò ®‰Â1}”¸Ì°*‘ë%pR 7ªÌ‡ÊDfŒÂ’*—yòŽ¢]-+ç‰Ô¬ß¡¼ù–& ¶eÀ™AŸU¡<ùE â»Se$p©œZ°DøÉ㬯Rb¡Å1È1mo0ºÐ¨¦Z VñV¼$f§eã#o ½HVUõ„å8Ùd•âîžÍ†’áOHž xm9^ Û]ÎÉ(™I¦ ±2ž¸H(õ5Ïfd“*¬èAØA”R¤2%bµh%ç î2BâD÷ØYäÒ¯MçÝõïÚŠŠ‚ÀðÑï×Igƒ°kJn•ˆJ…À'bçŽê&›OýÙÂ(ÀИ‘ÚØ¬Ä£‡Xî¾uŽ©¸è£œ“;6G×û4Pµ=¢7G<¼ûºû„RÓ\Ì=5?؉´-q¼ð†~ükÍ…°Ç'yr·Pûnw½Èö\=ü‘A¹R¸.7 «°„²ÍœŠ¸åÃNÆÜ¶e7®ž!“UÏ»¦UÄqeôk +ñyrwšÜ+Õ´•”#⢸»Üzk©p‹¶Ž„*s1­ —l=š©·™¹YÞ§Å®”þc£‚®°gôh“B]{¬®3Á¡Ñù™6›ÜÔ¯71•¤P™˜û$WŸT°Ù Y‰Œ8]“GAi–Vé,?sù·?ÇlÚû\¡ oe;Óž€s‰´8¬¤í½òÕ 1Ã?ØÚó$Bòfî3UÿÜÙ1îM!ZO »™#Ê<ÄŒNqú’ñ·X1 1ü/©óˆ“® l ÍSשYúÞA{óhi<Õa"æÈ_áâ`Iù¡@As”ôgŽ<æîÔS¢dóXF9žrÇØÂƒ`˶ä\׿±†;mw·áź\Â<¡i#è™âA–Z _TÇlƶ#:W\NÈéÎt´íûûã^¬^+‡ÙC©ëÊ^«;È›(U«Am=‚ô’­VX§^º×~©×èdoÿ$Q5¤‡!ý%ÑIÍ^ϳ+r,Q)s ©Tx[¯e$*<…\BëÙ µ4FYr¤ ©Çk•NKt‚=]\=]0‚–±KU›&ØÌB¬øŒ¥à ¾ ƒpM ²$WùeÉ‹e²wX ߌ:¶6d¿‰Ù”^¼žto‚™©À*kâ1†ëÂñÎ ð¿Wæè¿[”ª3Ã~;7–ÇÚ# {ûçHpx µsKþpuj¸‘Uø…¾hˆ7ªrÕ`&’½h]'WHRP1nbÒ'w(}“2ì0ÙAÐtT¤‡†k¢ &”¿Æ%@Ÿ|ù• srQÙìˆ X‰sJ_Õ6ÔwÜ /’²ˆ@Rgî„')å*F¦v"P$P©‚ýÌ·ËüN%>¸Y ‘䶃L {!b+%Mm#àz¢ >\µdgŠ&“dJ[z‚}%mC"$jžð²Œ‡2ó9BÇUüW±€?¡"²\Ʃ«ǖ$ù6!Ÿž¸æ¡q †í‘ U |S3t7„ˆPQDÒ¤¨ONÒYÛpƒjq_¨´"U!·¡U˜Ž™0‹æElÅîÉÆÃ¥:Ãc8Z§g£àY÷{¼DOGˆF>EÀÉðRªtføà°p¿9úâ*vð³ö÷ÿ„í™Èzœ.*Ð Ê÷.ÔYr½–Ô^IÊüQФ\•Dß‚±jPâ-ÐBÌÍÉÞ§Ä<̇öݤ?ptȹ„!hÙTB©U ×û1Ñ£ôjÙß{ÇÇÔ\ÿbç7¹ýûß/z#üí¢?¾Íž»èaørpÒCüíd0„ߪo…罋ÞéÈ8 £N`£Gè¹@+äÎobØ¢¾nïÓM]ÓÚ²í&È*ΤÔð: ¼X'+—|VçÇÊùQWýáHÙìžÓy·¢S^2%ôëdäðäl…¬¿íê™¶á–8£ÖÁâ{‚e±l&2,,ÁHúÆÅ®&ÝŸs]lÂlX]~¶•ù(ã¨G‰ç=ˆóµñZ új/?SÒØG[•¦§µ©³o+•káðk‡XÇÿ·pý…öPr¿äÙûeÇïG]pÛkÑäDÃ1å6CÉÝã”Þ[Ž'ƒ"Mð™Üê­£óó£×ý£?µwÏ PÒŸT[à×7’y+‚÷GOD6åÉM)µêF4hÙv vÐBÉÝÐèüõwq›‘S©ZÁM:]/w„?Æ€9(†‰ïÍÍ˰²ŽÖ×Åä{ŽëÉjšgË=hÇcYaî5H¡²;,ÇL*0&¨I’ûì6 Cñü^¶Z8¸Eð¾Âˆ“d.ãÇ/^…¯/F¸Û´°hš‚…[Mv(+‚=Iü”ôæ§ù”}îDÈLt Ý×]‹Ðq%8$gÞDüIÛg—˜#kñì­@:ÞtN£tÕqF¥•NY—?”¨yÄ!Œ£F.ˆ=^{¬¦ôh{Q´È2ÅÈ®d_€u={1BͲÜiŠ|4Óxå&m)Œ‡ —r,nTIB¯…c5…Aa9wJ;°¼1UúqQð³ÈŒ¡u ò͹åÖH3Î j2§1 uÃËjã ,Mô¸ÿâò¨›ç'½£þi8vt>S©c3¹°’‡õÚEŸß˰ ó²o¦ê)ÔL‡_n5¸vÃÁgæ®Ýs@ê·…Цìö®ûÝÞY©›¶\†¸>ŸùV!øíoÍì$p—Ì3,Øyg§ÿj)}¤žD£ñÅñåy«hW4‹bÓ;Cz©DT¥5U’Ö:¼œôƽ'}šÃÿÛÙp-7Ѓ·öü!]Þ·¯Á«!Aœ½| bØ«ûöV‘e›Rõú­“¤ë{GwÖãqEàeù€¼ŒÐÅ÷r0ì¼h-;Á¬P¹PøßÔ ²Š`&¢â¼òÒ–N1Fý“—êP+ÿÝ»óáYxvqüÀ©†ifùôs¾;:zM;üA=¯Sè³¹sOȳ|Rzicx‚…°Ï¿[­,WyH•€°ŒBUø§¡Wýaÿ¢wbr<õÎÏû½‹Áð7ÿÔB1¤ƒw«CŽ!™;xyºªXˆïÈ‹ÿï>:#U6iQÅP±œ‚¨ ºI ‡Ð®YÇ“³ÍÃÕÃDO˜=¼éh¥ï!ÄÝ"˜Ö_”¥©|m¸€ÔÕ³í¾qnšû]/Ûl¹ÿhxgÔ–MüÇǹj¯€Ê÷·qüZ6ÿü/ÈÚ ¦þk°óŸ‡‘( ÿgaÞøâGf¸õMzØéFZÑ Hø¯8Ô"*XEAn6”L? ;±Â„ZËï(d'å–FO¹í('ï2ÂÖS1…Y¢ª5YPXzˆ,hI°ŠgÄMP1@ŒÀ]I¨Wಢäôcü6HM„q·Dð,D$(t˜j,õÖ)ÙÎŽ¾ø‚kDcÒÜ #ŽÉNÀPWnÕ3©M%EFfUH¾ûÕ²ä*”¥GZ­Õ£¶¥ɲ<Ö®¶”‹Ð´à¾ª/ÊúÜ‹*µPº˜¬†,Õñ¢ÿ_—8›oŽFpr¢Yr4¨é:µâ}ŪÅÅÒ JØ5pö*ï±GÐ1ÚØrÚÑ‹x¯Sø«{ã¤c• 7ª¯ävR”~Ò_ŽëA°tãï¦j>÷öû› ¢ž3`z;ʵtWV®E’ª}Y½FÏ’=ÝðŒÊ+ÞñÒ*ª‹I㸨ƒus mNÞ dÍužQ>\· ŒgG‚淈آ½àì †† ïz6K&‰€Û£wZÆÑ °„»CxÂÉ<+Ø.xšM×óhïi'ø#lF ' ÎâiäVî–G…‘(3´'æ1Áš`4ׂʌŸäÂób>¥¸1ན5±gTd}ìÍ£48¶Œ¡-Çðû+rÒ¸Eù>xúø÷O* °¤TQ`múb8¨ Áj;佋€”ë"pT_HywlŠÜ†ÅndÂæ#ñÍß›qýnk8Óû·Ã#pšâ¨±ûûš6ø¾·`¹ÿ[’ÆrV¾¡Rc0aŽ#ÆSM@¹˜¿‰© –ô.{W“‚ ¦Æ£YJÚ0ðU.b8`‘±ìæŒe5Y‘£WA‹“Ä<ÅÈM¹JŒÌ™™·ÚR€ƒ‚¦¢jâdµ µÐ{ÕHÚ‹©iHd(WDUà«6ac’_É®tߺIƒ30¯V%„m {ì¥wšm“P!åU0o¹ df=E—ZÝ KFþÅkJGÊã ¡± 겋à\a½ÝõŽ‚\©ÔRÐ&šÖu:Ô·Ú:Æð `æÝP…MœEuotkVkŸ _XÃMêo¾g”:EØ*9YÁÞ/´Û†ùà²ÛGo÷JÉZÛ›°å‰T@`@‘¥àðí£»zfAiV›Àe¥ƒi ºQ±Õĸ•ʬ¹MÄéß×ñZ(fs/ÎâE= %#®¦«ª¬×³öƒÉ‰² ÆÈšµ$\w§‹1Êuµó$õ5ñy,¾õ8+xùû1ÆÜM¦ŠÂÈ3»FQ.v{…žooÐoítÂõtÜ&ÖË© 7µ,¹k Ó:8·ü¼¼<>~qkèLÏí“¡™a}ÙÔ p…Kû‚?†“Ù=¡c·æÜº`q ãc”„ip“€ª’þ)_¹Âb@7ÞfÞéŸöÓ·æ!>÷Vh°%f9c¹Û¶Ü„$÷ņµšÌüÒ)îR  Ý_½ `9ѼcçeÈ–œÇ3 õH³í·™à?¨˜T ‡®ä¥¨šëÌRsƼtÏB3ZœhaTZ©-•s%IN°ëaûš(ùVEq‘ÿ0"g—zAêDóÂËr¸ÞnnªÐK ,7åFHÝrB½¡‹¿ÔƒìÌRë6èxÎ7Vƒö©Än·r èšôp¡—³¯¬‹ÝJ¶)_ˆw(TzªˆY•3’,@°ºEM uÚ›T‘£Ô£”Ó!ôùRÙ!{â…äRI1¢ŠB‡rÈK [╡Ͻh–>I'sr^H˜á'΀Ãhž»9áT™rõRé³An󌫞 ÎÖKB¥m5 `è’,G_|ѱ0·tBì\°˜9'8j¤YpCê¨ìÅ(Á?ŒFLƒ+1I`%˜>_”ìæ‘hoÁu]¦gÑ0=ï ,ðËz[ª­tä ö.‰o…YY"¼â%ÉÊIÒÑ…xT™Z¦gùoñ4|RfyÙÿÈäáQ‹ryfd•NŽ.e¯àë”͈dU”¸0ZÕ]L3â:Rÿª‡J»Ò>¨íÑ#ÿfÇÉ ÖK‘pK€àZ¨…®†z£å>×ÕÍ ª†i¾Nµ–ie3H kiæ$»”¶j0’N§#ï¹8»ö¡¾ŠÑ€ÄÙŸÁ.gWî–e®= ƒ ÅâˆN8ž%";)Y_ì„/¨6|<@Å ×)m¯xê1лܩ¯¾PöÐQáF„6ÒcG!ŽÜUঠú1û—¥®Ô3WÃD´%eƒ›æ³Êë6*!d¢äIS A.uœê Ä"LV;©”s¬aJ9òòÙ5æä¥˜Gi)Ãý‹¾"¸‚×pA(™d†rdõ*Ñc,\N‰x¸þ #æü .çØtoŒT=w.%3‘ûoœ†—¾ž¸Xæ¸|¶í;¥#8šCfâ› ÒÙú“|ùb3Ft1«Ø:zT¸5J§’àBω =.4PT) ¦¦óÛe»ã8eIY^ò]®«‹Ë N ™”l©šÈtù4vêÄ sµì˜tCË †´¨c•ܰšñÃ¥l ƒµCñïŸÃ‡v‚í*…AY˜";&ë[–Œ«j”Q8.WC$&¨6òÀÅ¥­òâ©óÚu¨¸›42ª…J4Rà /ú/Ï.úR“§ÞdH‹m™ˆxÝ—}£˜‚@#¦×+ ª®7™2Ð[WoVg‰S¤J<%ñ\£E–¤OœHf› I\,0 DX*nI0‰MÌ§Š„db¤ åRJëuö¾Lì“W\óλ é¤%™¢ÆXב2DkÉÿ›‹ï ¶oË@Uñ¡½KØ2¸Êú«²ÌÝíî–<þœAžë} êÉGŒ°¤œyUOž°l¬£ Pâ(eSÏH3§²ùôÅz¥`¹uso vàh¤ÖœáT²¼2‘ø}´ œSàX) ÑÉêÎ_ÆÐ£Ëó“&Ûb³Â1ì&¨Êðœý[ÆgFH£Ë££þh„/ò7¹ßÅ K wÜûµ©c>£b|·y¼ÝtÛuŽh–-ÂbÞ3K¦º¬“‘ºË< Th“‘ôQÖ½ÅkÇ)c„÷V‡Ä˜Ïù^­ƒ×Ü8ZeÅeÛyÉFjï4gß•ž¸½sŠæ“YiæØ’øàÕ°ã Ûfð+ö^]u9¤¶œ¢ÅùàÍÞ@¯I0ÄÁë‹f &v-Ä6s·XW•ö±y&¢àê#tº_¯2¹²Z=¬â@gø)˜Î.ÇïZºrl©³º‡n»ìS3°(Òü‘½«ÈƒçY{Ç–ts ¼£ÐL;ü£†öáÕ@³[âæÚkNÊ©¬X+N`Å2-Ðå–G%:Á ÛGX-—G´Ùƒ¯Ã¸~=ò&ª-Æñ%¥ç™z…çvø üÙMôá®õë±nL1èàµÂaÂ÷£@ˆq[ÂAJµ¯¿²"º…ÈÞT,Ž€˜ὃglÈ¢U!j3Û´ìˆÆ Fk 4L•C °ƒ6¾'çÞ–£,ÚœX/BK}©)ÈÐjóÜ6›Ì°g`i~téÐ:œ¡Üy›` ,–pAFa³ðÒUdJrÜTkÊ„Z‡E4]\ ¯f@¥â3U“ÉÞšªÈ¦{¥úïTW`«—º¼š’½€SQàƒêМövÇ•+·™È…~IPjÿÂskw|‹êˆ}ÎÀk@¯Èü¶‰èÅåppz~By5ýc±<âY ¬ãÓóu\ÛõK€ŠösH}VγU‹ß"Ûf¦ÏƒAðP¬i5w–ð]md.Ä]Š‘ÜÔDý«Nµ Ü¢¥,Ý”RbAÀâ#ı f¦ÕŽ÷@qÛ­Gаmº#8[é”E4§]xÃÏxºT¨‚å8y„Ï%Ì;UZ‚>¾Ñ¸èŽn§öùóŸï,åÃ[/9ÅMc#«ZѳëÅu=ª2ÁÄ%Ónq”œ¿ ]y­„.ª†‡"M[´¾qøòìrx\e.iæaJj0Yž\£œX`ƒΤ‘bš™Æœ“r™Rðsä²'³$†Ì þAl£`S4ZÒ}‡2p»È 5D5¬5Ów–B[>h׉ªÛL…&ûð¡êç×CGÉ"™G$7ã9¨L”â\ésRNHË©è¥J#Noƒ†:ꛣ«ö´(î¾j?VQYD°FA̤”Ìa*R}[Ü»£ÐxV`”$×L øvRfë¥{2ª_že«v ‡©*"–¤[”“jõo¥n7Þtg~øNüØw¤»ïü;í5Nzeíª\w³zaw ¡,F¶‰\›¦±‰Z“ñqŸí¬Ï ïÓˆ+1ÒÃÙ5Ö\…‹™"9Ìû=úÑÌ@Éöœ“I‡fô›,#¬üõR©Ç7XE†±Ã+ÿ÷"šÜÀ ”¬”mè#)´ WDË å ÃÔÒÀðˆˆCåÐQ´ª/‘ ¨Âxb.Ž#¤ˆ­ßä˜-c Ëý†KJiwbëÖR¦H@]–CPåíÅézAÕΩòÌÙ«W'ýð¢ÿ2<¾8;ïT?/Ά¯<_¼é÷þ´ó}Hd½ˆg£U´Z‡Ú÷ˆ²Åp¦'«@A‹/¯¶–.°¶aÌž"®Nè8)9€ƒò¯îJZmY˘d5ƒyn­ºTæãÊ„ªUWQN…*3Õîm–ϧ»$¬ ‘~[aE÷*¡JÙ“X'ˆ€‘†¨»W3'uÕ²R‘çÚÆlxEhÚÓZÕäpó ´…yÝut”y%–1£îáEÄe¸¸¶7WûCÄ ¸´q”ÒNUƒòÕÞ²ê€qÝ%®Èe•°)/FË­¸hN–^l?°êßæ [îj´ªëccϺ_•+o•šrJIf‹Z Y™;WPµU4·•ëÜCîc²M˜6ô.±“UD”N{±¬&”^¿ªϪk»ÊM)™g˜§cÐC& Ã’Q°ÂÍyƒå2“Ÿ…çU³:˜XÇÉ'îJ6h‹ 63˜Hd»±‘Z=y=ˆ»xÕ®ú¯¬Z3†£q7¿ÙDÑtZ‡¡Ç‰Š†ª/R'ÏrH©åM š­AVÌ\ùX#wm•Ð/X?NJŒ ©Ë¿ë6;í[’×#¬q£ãjÒ×ëã˜ixšhÕ´l³Ï÷eâkYÉ8æÿÆr[ž,r,n¼¡ «Pb¹È°—¬k‡©ƒöÙ·ûbOcÖb‚º ’dL ™-±9•|©6[Í·û ÃÃ~ùêh4/®+nUó¼EŸ‹ujÅ@V„–3s++Ô¥`û߬Šä¦VªÕ…OA¤n(Q 2ÖKõ•D9bÎòë˜VFìtM† FrÁ|{³mPïÐ, §ñ‚de*Šˆ•ߨªÒÂ-CXëǹ_lÔŽåÀÁiÇóy,Z$~_¤²¹A°J6â>'“5jOTg+Z°Â«Ôe©º$…O•TªiÃj6IÊ–+ÐÆ(÷|¸œï@c0V4+G|3N_ùYB ð¤ŠjQ5fÓ*,xK #këd¹?{ü¥„)9Nšàîí2Sö>'# ÁVx¢¥(²IB.KÑâ@eŠé] XùÚÖlMíËJ„w$ „†ßÆñ2Œ°h6äZ:UÚÝ ¥Ú‡UŒD' U8 _ /°M»æS¬9ˆ%^OÏ'ý ÊË­tÛZ®r˜^FÅ" á_Uá+ [»Ánðþo÷û]~~eIbWÁ&jÈ¢ò…”fÙò %},Œ¡ë“Foˆº‰ÿÕÐÿŸõÁ~»*dÈ¢(.ØW«Éè$$œÍ‚£³?÷/ÆT6ñåÉÙ›'Œzñ‹6ŽÍZÕhGdS¼›o£\¢xKæ.è BEÄu<»ø,¹\aXÁ²«Î¶v“מ¼þ:b+XT©h Gk5 ¬%U®–“_3ëÓc@)|‰Ö)®Ñ^Ù "UIkFƒTgƒ}Ý=P1 * !ª/eª+¾Ê‘6T£ˆŽnðQD-Ýj»%d"Åõ=dªX•o¾Þ*é^[öÈ`‡ïz¥_åñ²÷Rƒè~áZŸ†NM0çMS%)ÏŒÐRQá”FóžÆ¹Á‰(T¶¼©<‰r;¥ž£”"û¼ZRĵ}J%–m,Å·dSdi»[§7Óâz†Ú²J #bl+ò¾Q…ƒi\Lòd‰—4Õ7† Šîe=”\·‰­„3U[Jeä+ÖÐMl/6 ]Î",–IO5þÆ2 Tö¦ñkéY—<=ˆ #~Ÿ¬Ð™‘¨û¨mUZV‘A¥BîÈ­ùõj¹F¨±‚Äáb5óÜ`JS±š’Oˆù$³À£ÈËÈÕØŒŒQjŒqK:\2”_5fŽ&Ãyn©Ÿ^bKVùanjÓ«K«ÜÊêÛ4A½QÚNå*Ã¥¶¨úý–ÛÚ–BUÖ-«¦E»j€*8,™†7íK’K— ‘I¶{øÌf žb†—²HÔ"îù,[ØÝVjóá˜NuIa•'IÙÆ`âãÜÉLVÕ&$¶Ý òY4Q¸ù²»É¬&Hž¯Fí“y +]{ZeY9[ËÂNHRÝLu 2¸UwÖ( *—mÞºWúÛÈÉ'QÉ€ ÿÊ×ÀJˆiëébõ^§Ü5ÕïL+M OPªK1ÏV„o±KeW¿ÊþüDÁetš ,ÉVXØåüØE¡‹º³”MßEéŠå«’±œ®uø—/”Ú¹Q¯Ç}Uìñ…Y*u_©dB¼n…‡cyÝÁŽSBæQŸèÐ5xGRTKûβO²ÃÁäJCÔéJÌB6¶z¤ ËŠ9E$8ߌoB+±Ý­8³ý?÷{']T±*ÍÛUë6çûQ;øŸÿ±«©”¿¶à_%”žXøŒàѬ0zMéfعc–¼Glà»ÅU6çèeeD`·é î>1ð¡sOtûžµìµæUÞ Õù›g«dóÑRkÎýñÈ„™†øŒm?¬@WÖÖsóÆ<šFM6ãN3׸§÷ )ïˆéª<º‚ah¸»f ü ÎF5òÑÎÉÅ5ξÅ"Ÿ¬´²H­1 õ«üÎB ÆgnPg 1OÑ!ÅLuѹpbâ ´ç{$_ºLŠœSd¸”ÔÞUT(÷ ¶ÊVư`r3¬ù¢ÄÊÙù-VU&$[]“Ëõ.®4YÜà mvl¦ÂDa{‘ÀÀ[G—ábãÚ>º›3Ëm,[ò»´l!|µR6Cƒó¡áµÁýª¨šðÑn’H!s«\G m, IÉÞ+^IcƒÁ¯ BVÃô UY¬{_[ ]˜Tl[H½ŠÃ^ Œ\¤@ýr³F ”qqu‰3ήâ ñ‚Ó²ˆ,½ÆŒyFëÚÀÍ˸¢tHÅ3ÈÏ.'d-úì’¹dû C$ÖåXš’è«gæÐødxzðàŽuàa÷U»+âe”£CXãéÙ=3gûé°s3S¹Â‡¼ä >T\•Ò°µâN×4nŽÈØû´·Oï­B¯=¥ËŒ¥##‹¨ ê"§ýŠ0å0VkX³c‡¯gr*ÔõNPÊ>shuÁ #ñ”C¿83 [zÈÝz.¨^m”›mëЏŒ½‹7ƒ¡¢XYT„¯ž>Ñ_²twYÔUµ>Î-‰‚‰tZ/÷&IŸ> ŽçóSÌTQ‚"Ü/Ç(k@¨xŠ„A‘ãx!LVôÔõ4‰IÃZ~^øÁp0nµ©{ÖK`­¶‘Fp8^mt©6µä¡„œ'Âe”`Š)¿§ <­ôý˜>m›Ý”ŒXò„q^°6WˆÑ€,¾c(ÐhÔõ¦Õ(öÀÍÑpÕ'os§4|%㚪²Ž<´Ñúú#ÐÄÚhð E k3cÌ`®pßÝÒ”BeR6 ï‘Ñ;„Õζ՛9S—±h³.®¯VM«¼ö®Õ”b:ÏÃÁÌ@®¥Aá¹2•ÓÃÙˆ²“îiªu{“LnÐºÄÆ+ö…ò¥dúi«}¤0²èå‡*ûªÌ)f,ÅlÅ9eªçæp‰¬—Æ hM|8@dÞàmŒ&!Öϳ¼iåb(sº X¦!/G¡“¯‚AöH\ÛóêhÏ”²š²A£¡Ãd¹žÓcŒÃÑm|U3j¦Šœóï í–6f¤zÝÀ/t[žã€¢EàòÜ[ã±ì3çL®Ýtµ¢@\äeœ1"lšN“½G…ðSË"笠Ng§8Á|º‡‘owâ}Mj«¦z'”֗©øSd8«Û-7µ%ÿµœîê3l¶<’»xý6«öƒPzjc©mUŒŠ Zã‹Ë>mrVŒÜœd¢c ÀMÕ·^Eæí>T0m6)BÓ{}NF?3Fa%UDóÕ")d®ØäÜâÝ€_fqò1U“T¹R”MTµ=›¦®ÐB;Xpy-Šò¡ÑP% “+~¨nPô‚çYT0¶1kÐ÷Íö·¢™¤œô=±¬t28ÙÈ‹nG†£×þRŸbFre¢Ø>#ا*íp¡Çà…W§äѶe0¶F7‰âmº{# ¶àQ¿ÉFx¶FÅpÈ„ŒœØW·ŽøO(9­]2XrF·m‰(ڹńºÚØ6á.Èr—VæRsîÄzO”ÄEôÖrdܤ ª€bô`¨†c»¤.™CÅ-&”•žÅ:%i» g$ãÚ+ =J4»L¬ø4ã–¤7«UoŽC+tùhÿ\sEôŽóÛ(."¸žÃWsŽ˜Ôže9Ôž0¤o¬rìMS§Ãh³›{»æ®¬3Ó·12¬Ýý@k‚(.Óÿ˜YÁf`R£x?$ë7®)³JœŒdàs¨öf@¶ ©ÑP}›¼‰FÿKNRe¢Wà›MÖœ jnt±Es®ÅÅA²è †ï0exÕÁ…‹ìcl8‰R!kÔ¦üç°­*­E Ìmó8½FØ´™r쾡[‰|3âc–(ûNÕêPD‰A=å U"À¼Í]Iþ¤mh2°\&‘¨R‚Žk1w%ÇÜ—²gšâÇ>/äö%7Zì"2Sz ãÝÕ`fz]ì4ÕTeÄ ±´Ý7ݨk¶u|˜YÁ[•–j~ï·ëIÈÝÁikQ,Å:/ƒq‚Ôl4^,3”„i ]_k¥J/Ï~k°ô]™Kw›Ÿnš…´%¡É_*´£ì\-€ •…E›Ç]ÒÜ„ëú­Dw7!ãc^Ûäfݘ´ Q¨2Gm§Ú¶V=Yv,²nP¿àNjïȈ“²å2+’UlG–Vˆ8³ÞmQfã©91ΡTúˆ Ê›!íœWèfÆE9åÓ =sšÌÄÑ;»Õ>W¨´ÂÝÇ1Þ n"šq‰[~p'†â>>ñói›qýBg¦·B²R¨ãLR•$–À’­ML‚ÖÁ¬ˆ…ÀF#¸!è ɦ¤à™kÝaÃé’*á#áªÙÁ‡b4¹9â5– EêLœ¾Kò,åpƒTdj]ðNm)q$×uC||ê¥G­ÔEF”Œ¼Na¶«u Ë?ÇϼâŠ)’¸ËÑ~mqS>@^q®+þ1у±Å_èꯘjºŠ¸ð¹³Œ÷‹Øê°ýy±;3·‡;}›MSŠ€Â*rºkµ Ü8_±f@“ÁÌŽ´Xí¯n0 oÒ-EžÝi›;åÀã™ »æ;†pÑÿ:n'¤4+sF»#ê’Cš‰mþÝ`öÒ‹4Æ`]P4K œªe2Y³]™Í*d¼ý|µ-•ØÚ‡Æ'¢Òlš™ÆÈÍL€…]€rI¥'ÿn~&T6ÇW›@0:Á%ÀV®0Ÿ¢Båß!ÍÊ-TËX‘ˆ!O²<´Ðž7ŽªÇÞ0e†MÈÝÖø^l¸XHÂÐ&¡ݬp’éz±TáK¤Y~[²*UÆõ [©x|ÜKBÜ)Ü%ñ_žž‡ýW—'½‹“éúHD\šÏ©±k¥éb5¥ÿ"@v.5Û)mM¬úwx~¥/㇠‹Rùæ&iŒ3ÔU‰4éêu³åc%{òÆHFÇM²6+éšÃ³ð¸ÿâòÕ«ÁðUwSþ.»œrH"_T¨¯‰ÆRƒÕ¸œ æp8ã  趪 Ùp4½f¥Ç*³¿"0ô‚uŠ-®Œ9Á’ †¼Ô`tob·…“R¸ò¯¡~§—Såt«‰tï{þKâÀ¦•ÜX" >™ÇHý$exRÏÈ/HPOlŽE Hô‚ã^TÉñĹ–¹)¡® ó±w]Ý hÌ–nìON§þÚ_ÛêÁå bØyµ6EFÑ ù#=¾üµJ8&²pºD£°=ôˆ©ò Î-i«ž˜ïÏë$B¾o7_IVIv¾d_è9¯r¸>‰­&׉Р‰#¥0ñQs›Â"óÄ–E(*bIR/¨”¾ˆ‰¸ .dð ŽÊÈ»”&¡´d å¾ 4RöôG³.š¾Ð±£bKSÓl²Öe›QÞI)4/Ê5Œ:lŠn£QÕ¶Í9Hø½ãc8Ñ| w¯Oiæ‘RŸ#´WðuðžÅmJø:ÐVGz|Úzjb‡ÊX„Ù £hAj´vZ­Òw¶êÛzßþ¢•¶;üÒ.upÑ㋇õ •=¥[µ[¿Å> §´ýõÕlÖzTíôl4þ^µFwÏn™˜ÔgÛCÝl­ÐUˆyÉd½["ܦ—Õtá›êô¶¿{ܯywÏó2¢ áEõ™Úf˜·ò™Ú^ÚAû}½¨*×sN±4[¡6;b-ë GA]jXw;vÜ6Šó)E7Ÿ´•P &bbåÚ¶…ò ‚ ¹§kâÎŽÏž»VSjFe;}ñÅþ{ÒGÚu’¢+K­ÀÆ5Ň‚/¾ ªÏÙËGM}±að½½¶åÑ­_}ÛHd+[–fe¥ iÅÆö²FÏŒERX¨ F㳋~kÙ þî«Gúè¸z£J¤ÇÌùà[„—X;üÚ‹~ûïmµ7Èæ£ñ­JøVúݰ7<ã •¿·«€ ¥ŽþÞv¥+ÔžìCc£ñå‹gÃðèuoøªC‘²+%\®RS-ò’…˜*ÅÛNAÁù2›ð{륔å*ÉšBã@hP„ËVÌû¬Êå þ¾ã…Kä!lٴ݃…'^¸Ðˆ4G“R^”éçIå•kÐ2÷?|ÁfJV‡á=1ž15jˆO«ÿm‹%œ;im/±*ª›5еö¬ W‡H^,…€ÜGãsVƒÙ”HN^äø1_' .QôùÕ‹«ÌhŠI´¾0œ,çëÿG ñG¦aˆL°{´k'oÿFÈã`÷z¢s¼]ѽ٭mÕjðG†Ý8ÊÞƒEÈšbŠB’Åû’yf’äV»®ã&$—<Ê×€L~Æéz" ²R„¥SUå´ƒ‰ø“¸bû/ã kÄq¢rüÕ˜²¯qßâÍø‘]2ªSêìÈc–â{!¶ÔBIŠäó+Þâvânÿû1a¯(®n À»Ê“ø],(øïA§œÛÕš3¶ ë¤_\–®0¡§p µ§MQ@çÝjè¬2â›ÈqC\»¢)bó=hLKÓù2 žôÌY©Df›ƒ®Û0Ð.†?A©ˆÐVD‘P{x›Ì48Ól—ÏžY±å^Ät9õiŽ/S°¾O«Õx(R¿B¾_§dQq>Œ”–X›ôëŒããÀ`N!8fpÿZ•#ê%9­ZÙ2jÍwMíÆã›ßöŸ½îýÉ…ñeä‚ã³7£ð5j5'—ÇýcÇ_ÃÑà6I§Ù-ܫ숣«W'óQWIóª6ngÛ×(ˆªãhÙc=¯A_xq989¶5š 8CyŠ^_4ï<'KÜÑÝõm" 0´w‹¨ \T¼M(3Ðsy‘Ï‘\z[ V¹¼Ç™´†é@­ò¤fîzò¥Õ=>’ºzbˆ€hð _,qk óò¬¤¦|ÉM$·¼_Y±ýÀEߢ~ZhêÌ‚Žæ¥~sÔ/CJõ_‰Ñ ”l÷ØL»7ß)ÁÕ™è!ô¥!'¼ÝWw êß>JÁþ°‰U‹¦ÇwòÍæÍ^‡Ÿæ%aÔóE‚÷/FG¨óŽÆÇÈLv*•|çÄ%gÉ{4À‚DO' þ%à“‹Õ9M[ÃÒé=,E¨‚ÏÃÏ!wç °äÄÓNÕÝ)vW éi’¾zóøýï¾R^œn ˆoÓÅÆþÂÒ•§ûï“•õ¬ù³J˜)C‡â¼çä¢?¾¼š©˜:è rƒ“4]áÁÓ#Õ®Y@k|•θ¼örugšÓ€Þß C4W¡¯…ðÁT"J5 ºMý º ÇhÔ—NþXÅËÁ°oóDûAõÜiï{Å=P”k8a¨ò¯y0Œ½n?¬Ÿð=^Ùö@Þ¯žùN pƒÑà¿ûáØiF:­\eV¾¹Åã7gÇfüŸ]§âó@vV{Â*—ÎZ%@#PÈ=*IÁŠÃï·<Ñ ÏôòÒVBV%}„æ÷ÊÖÙ¼­íH%à /ÎÎN0m¶^ÃTǽáQŸÕ®â>bäåÉÙð'l’ŠÒüÍ“ó?Ÿ ŽùU'ßÑÛ>´OWiø(k®fO€¥áŽ»°*ØÏ4éž7 ’¤–™îeYèÞ|®#ˆ5¦$s¸y™áeÞ2´ÜG飸 †BàüYvS”÷§õ¥C)‘CþâTRÆ‘é€ôk5¥Büï4¦EåSn¡Úˆ¸@(^Ç(³Þb´–3AU‡H`u2ŸªÐ Ÿƒ¯ÐJ8ƒêZi.ÞscÒÖ­¦q^­4ÂŽ^7B¹<»Z‹©Á4eB¸ÜX<oæÔfÁxzù› F*·H‘]V$Ö¹ì´Ô<-ñr÷¢ì8£*2_fO¡C&­›³!e›ð9~¯{Ã㓾Å?ìý_UeNÎGý£Ë‹Áø2> ^\Žû#2+-ù•Þj•'°qáåe®Ûãv„‘Q]úð‰(ÀS{ãðâìr ·#÷9Bý¸'6ÿËŠÍ—ç&}qõˆß-Üÿ‘ÀK¼œG×uÍèÇÕDS]l‘³*+¿2ä5 ߺ·¥Ú26s„‘Xš»Z¼UâúCÏRºÃefê°_gý7´¬y§‚k¯öö^oI»hÆß4o¦rq¸m?j6Z9‡6Öâ9­µ?PgrFbËQ¶éÁ¹pêwcEZç ‰·Öô›'ìëWî¹ö&ßËÀ,³œ¶fÝ??ŭΩÓz‰ÉJ6èDóx"£@µ4Û«f’ÚækhêÏG_|A¼t# M,莽9 ƒÂÛP’#º>ŒÎÓ‘=D›0œwÑÜ:ÉÚÝlvŽ˜Otɶ -†óŸöÃð¢<¸èw´Ž˜B› pb äCÐòo’”d°¶  y‚­‘Ömå€QY7»~½Œ~§âSUb¤-o4‚ÿØ‚¥®m5í'24÷íô•è”Q”Ä^'²0ÕS!»YEø‘=0G¼ô©Óòœ¥IWé5uæ2ûåŒg™wØmX›ÒiÁ¶É¸{¬¿ñtü|ìžs}kt™•F!ð h-¶¿Ù ¾ ~²ü‚ÕÝ­éÈ;Ü–óãò¯¯æ‡Y©ß‚ÆA“F¼»N7ºæñvW“1x6–¥!°›Ù¬µöBSì…ÔÞ²\ƒHùDÜW0ÕXK¸{|>P”õc” øü¨QQm«@Àó̸´Â—gG}ÐCO{çáÙT̳“ œ[B“£=%÷ßT¶–¤‹WÞ§,ȶÂF@õIq°:˵LMAëëÞ³â;_®ç”/#Ue(4]œRŠ \® ¬¦ê$:¨Ù¤c ìz,ºn¨}â •½ÃN¹Nm’½li’§µfQÄóٞɯV• K~ùÀwìgÕ Ë(»¦{å!¯ªPCoéìÝdVÍ GõnUIÊO!ŸË“3X®½ÏÊF§f-Ó´]~ïkå¤BiOµVŽÄqÍ…`Zí& }¥ª‡G?¼bÖPŸ—/Xä­d‘Ì#Ô¬®Ó5; Ða ŸÐPe%ÜI;ú1‹P)Š¿7ø¾{¿+L™™ßÿî«Ñóµ¾J^Çï¿zfRh0‘ ø-ÙúÁ—ò TÍü-w­˜«Ùì‚ÞjA3 ÿò׎úánáïÃê WEá>èÇÝJˆX-‘t¶ÀÔ=t»Öo}cµ]­F?Сe¥Æž[_Xmµ=Ã꫃¢iÀV\; Êpøùò`èÓ¶*Y¦keìe€?Ëd¿/Õk‰~š×‘ü~¯!øvz—GR¡¶Kl#JëUñ'RM¶ðâì „ L3›NÙÛ² Ú±æÒ>ÜD.KÿÕ×V[IWXcµ"Ê›rý/KV¨? Ô)ÙÆò&©Ô€<õ‘›5V5Ç)9Ööò¸ò&£ÝTá}ãß5*p³µ&Ý–Þ+Òš-? m—ž}}e>-5¡×™Û_œ ŽK<]>…7Ë >x…}xüðw:8‚[«w<¾²ëA¡ì·0O$Žªô+¦p¡:™¦Ã{Lv·ÆcAwslâéän…5Ô!3l]훚éì¸C¢ëEgôùq‘…7p«Îã2ïÖß0§®MOÄ’lánº•‹üÇ‘%Ô:½—J­_:–½ZvßÁgßûMÎ]gííf:Íš°O–5­iÉý9R¬—@Ð|÷±~ñ¾/ø¹LÇX)H@Îéþ÷ç°OEêˆWŒh“®B1Ä,ްš6¨j=Ÿ²TB¶Õ(+‡l¿½yà5Ú„œ‚ØK7¨Qø­¡^í²6Õh†5={–v‹’±…uý4XÐWG.q3Ú‰y´Œ·Ý—~[©(ó„ %–(2S®©¾FùO)ÜÐõT”sfzÚûéñÅ ¯±Ú‚דàÛà ]ºAà[ë×r©ã‘œý¼ˆÞ‡9…ŠjLDCnÈk£¥·*‹k5\ÖÆÕµ›ªYQ{º//úýptÞƒq<øó`tvÑdÖ³<ŽÃbM°$Í»¤Èò˜|u¶|¥ãšIl>Õ›êòä_ý¯F-Gû÷!ŒêPÏ^5êgó\u# ¦8œöÓÁé`ÜdŽ£Í—ÑLÒt©ë¨èfKCÚ8O« ^…£ËÑ9J]¶Üdà+ëàï]ÚÂv‡½ºÒ6¥~7N§Ô`Ã)ÁØáð“`ùQ¦eµ§FR{4=åQ<£Ú¼†ÕîL8Þàôò4|݇ n÷î ïWs¢ÐaÿîU™sǵ»NQŒPÇæty(´ç\»V°Ä¯­¬oú@\Ý¥B8Ûe¼×fÀ…DðhP­Ž\Õ«¨B׺à](ë”Á¾W‰Öòåâ’º~;àý…&›™¶Ýc¥®6Ë'¢ñ¼éQ<–Õf3 jÀZ÷@ŽÂáI-UªR©¨–V/j¢Ø4å0á$aßc¶™þlóíÖlt|qÐ;i¸Ñ‘IoÙât¥WÏšÿ¨BðõŠƒt%&m³ jì¨ñš÷ØPSj»FÅa¹½5¤„7ËV ­öÌè`$?m^™Ê¤}ëƒ~m‡gHÇO–ò€ªªÖÀ¤½C܆R± U˜Cã€KŒ•¹(@<œ §×gb`²Èòi¢Kytè\tiÓjÃJ×éU‡Rš¬ýðr}òíVUä°É»– ÛèùªÐ×ì5%?5zÚH!woùf=TîȦÔrÙ醷pñ°r,ä¼Ê ®.Ù x[ üà=ö…ÅÍ®r\ñ|ï(¿ÿHýÓ)¦Œ,Êæ_瘧Ã9Œ­%ÒW]75Ì lœÆ ~¼¨Ã‚ÜääÒ_ðMíÑs}8£N_ zìÄQ¥‰eEBFÂw2g<!-kèéàU¯’=CŸÂvøÓ`øêdðB.‹žqYá’£o(£yrìš°ÉuÄÕÎoÑi- ±M?–3­t8+ß%C›z(ê\µƒÊ«ø©Eþ’äÌ s;9¹XsÚ×d õ U}‘7¬§y„­Gu3lK©ŠÁUithþ•Y•¦%~½ÈÅ+¨o?êè—Úž†”Gð!íÉ»ÞfA&dsÞ^kÝibÃØ?F_¾–¼]Š‚_ˆ@€ë­ÔȦ¹}”þümÙ(|né0W±rWsu|©èŠWØ1%¯ñ›ÿø§ý¹žìý®»ß}öX²šc€7éto>ZûðóÕWÏðß§_?Ù·ÿ…Ÿƒƒg_~õOŸ=ýêÙ³'OŸüÇþÁ“g_>ùà?þ•~x2ûúß‘ŸÇv‚GÁQ¶¼c˜ŸÖ¤üþ÷O÷à?ÏPþ>γ÷ð@Žøú1ƒ™ôx¡ó2ºÐ ¶4~=§½qÿ¤†~?¿8ûók~öFðg'x3¿z/Fg'—ãþÉÁð,aä¢7ÿ€¸ ؃ÊgÂê¼7ü!¸õ±ÁÞ8øáìò"8{3 .£?©žÏ1lž`ÆÐ~Ž(0zP z!ÆQ”ÞòNcˆ¢Þ€ïÎT5Ñ5LKË)\©Ý…EQÌI&bfÏcÄÒåŒaÊÈ–˜¥\㥙aè¯`ïÌë«R`;?)Òô=ŒKÆÜÁƃ“!"ùήÍMÞF6¥û±ÓOM2=µ=Ñû€[ =6å2“ºÙ˜ßšÉŽrã¦kàÎŒ^}vqŒ I b‚ŽòÚ1¬Ñw˜s©"Ýgk¸²›=iCx ±‡N£¿e3n“ê_ð¾VÎPòÞE+­Ú Þ¥ l¸*Ö•*ó&ÕÙÞ¦Ù-cKh½–(!»Íà(H/U9š Å/ç ËÐÊ#ø‡6Œ{Y×EPÁR¬‚û€Ê°¦Ýݤb!(jyÇýs8Ï~g Œ)¬í}²X/àÑ%Ã?DÈQ:¡mšOƒ/‚ƒnà VVbÞc£(,ááÎOR´ÂªH1‹ œ2Á €æù…XF01­Ü†E¦ðJ­ÍÑ\·W)‘ölÎaM´=ð¸9¥xE# çqzXÎòS;t±?÷NÇAkÿý—òãÍ]W-ß~¨w¾ùöÛïôl0‘@šeÙl¼ ×<Žf‡¦=ÉmÂ’™ªŽ–0H‰©aÙ¸…Tl8Xl‘›R–ÔN㦆šK8Ew¦€j(¼ZÏš6eA£kLšÂYE¢‰ p6kJ°J 6¶ÂÃfZ÷ UiTBW êMIH1®-Ö´šíwýeÕœýI§ë0ºiQnÎòµS¼¯B7‡:#– æþw7L^ÝÇí¦¦›‹Èigß•˜îþ¿æœê¯‡;¥ÓñuDþÊï1ïD×ÀÏli™¿Qûí SRmÐï·±Þ‹Ý //‡Gt“½¸|Žþ;`LGÐÞÁ)=÷W2úŒPí&¡ÅÙªEÓaM…X vc¤™S%šúI_’A:2è8Ö_™)Ke µ¾ÏåUz 6ÄÀU3á*#¢µÔÁ²íiW6{’b¬¿§»}Ùvvô^µ‹—ñj"…|ô)R¥”EdºNn¶®+Z ÝÑ ›«ö2ÐAÙ|Õ¨}O‘_3«2dòN(ˆ·6 ¹[A—U1ámžqFpœbÉ6³l™pñÜ0ÙVè/´ðÀSÖp;¼2ï•)HTá§é»HAŽÙ£×ÌQSO£«ŸëèrÉ/s^ËÅ&ø(“ÙoIu0BÇsÿµê™¦JÿÓììXy0¦³mOÀÓ½¦Ñd:”š‚<üyÝ«ži!º‘g[;¸±ôœ”åTGòÞ+é½Ko—:ñlsÏ>‡'=cv×¢ægbd£µeÓÕRÁi²Á§Õ‚O᪠£Û°ÍAæ{ää±þÆÙíÙЭöWëåç•©.ÛíÒØhv<,Ϙ°¸hÐÅæ ´nŒðü_8#hYD\R´`yD»Ú(ªN’;°ï*“ß0¬½=ß°¤oï°l†‹¨n{5Ó `=]ºQ}oñ†-½Cb.Ì»,#·B5«ë|}…õ,VëÙŒîLÐAÔ8ܨTã®PÚ¦Â=+}Óí }ÍV< N.‘Ý Õ/m[vêì#]’¶Mnðîý…õý¶âVTÄ\ºµì¤² ^1 é ãl`g,ŠÏk–tJíqUU»}Øã)ü¯†4†‹#Ç1d7ÇgkO/¥ÖÖìLDá²dY“-âÚù=0éîüÇÿ¹ŸŠýàmˆæ){öæç·ÿî?Ûßÿ²dÿ…?¾þdÿýµì¿O`ü{Oö¼ŽoçñjµwMÞ"¬Ëqü.žgKŠ¡:ÂŒçôŽÌžŸlÂÿ^6áߘõ“~ïO mûG㳋ðµÛRþjG ’Êmsš w¯»à]‚Å傽=´ÇÖeÐxÚvÉ; B{‘Å7 ¢ KË &¹«·äw¦µèøò‰`AY°Ò"í¼jãŽÆÇ'ƒº†èhh‚,VÓyrÕe±—ÝÐ:•! KÁ† ¹µЪòa£É„~«KŒ;Qû¥Pà;÷CÉwæ†ã ~îJ/¡ôÌ•-º…àtüðÄ}˜ÿl-:Îã­Eû—Nà—0p@¿‚ , ¡æð«zL¢ô“*za)­_ô¹yü[¦5]/õ;üg« Fã‹ãËsøÃz8-=ÒãÒ¼0¤7¸yÑÿ¯ËÆÐàk°j¥fk$c+ï¹òfiÁuÎsÁ‚ÉZ %o'ެÝÝ”é«a)Qôáõæ‰òÛf‹KkL ‘¥´bXüä:5{A>hEB çõÊ’ïÃÊËîǰjªïæ”QÜ%±‘‘™€õa«í¦Eîh—àà¹ý U)k0ÓtÌÖRcËIwjBã˜9°í†A¾fOž—ò6U™hÁv ­ ®šny䦦„'𨢪ê7…/ ¡Ä’ÿ¹Ã>ýüÒòÿߢwÑûÙä#†l•ÿ¿þúi9þãÉ×ûŸäÿ_1þ㾡Õ¾ÂFÀ4' ô¾Ê£åM2)îÓÀï°—q~½.@ !8Š{Œ@t˜ýßÒa>é0 t˜?öþÜûþå‘«½˜íG_»µf¨²Œ›4Ó(&Ç> L`‰›^ˆ³WÊO¢ý 怼‚ÁwñŠË[æk<­‘* ƒ-á¼€ ¹Æª#éB ê5œpž(1-I†‡“3Ì<_O²uê”.lhR™8ºÀ¬¤ŸÂDÒõnIœ)–UÒ@Ée]¾€Ç,®D5t¹B”Ê<¢°}|LÛ]¯NѳŠ7— àPOKŸw«8 A:Ìt‰fÂëH 1)eæ¨J_Í@o‰Û]Ϩ.Ý2(i)׊h¾y(´*ÅdUþŽ€ƒ ŽK @•ïiÛ<Ò°Œµ°™*s˜gÙò5Õ>¬ÝY£­o—pè<Ä­kÂQÙlD FךÖú*òÿ5–øÊßþròÿ3ù¿¬ÈÿÏž~’ÿEùÿ`ïÕ¾½%q·ÿÄmI®…: o,¸¦äŒJ{IœÜS„°œ‹x˜# ¦t9â¬2lL¥Ó£2Q¸( í9EGË`ÝQ¹a«˜½ôdp‚°©†£Ãݳ•®—ŽråŽp ³ ÷&y~¥%=F%ô2¦ÀΣDàk^j[Ì¥ªJË8_{\á^ æ3Â\͹ø9Us¤8S¤GŽ^Q,ÐM”R®V󘼺“š+[¼Ð¦É—¥àœö.þä*BòÉÏ =t¦JÅ&6eŽNׄ5y!ò ¥ô%×<¡Øä•žçÉAÒ×HA@¥åº¸¡0 \"ëÀUµçTz<­tÉý…UìP*l 4¯Ég-…”½¢äR ¦ÉŠJ·fƒíâNKc̘…‡aõPW”Øh›¬ ©x …NcøçÝ›†U~ÇKYgDe  ™Rå¢Û¶ð[ IÜU48¸k.eqv¾ø!ù‘)¡–u‹0˜1NyÌ,¦™A5F .*n5¿8¼#•ùE€Ç ø4(УÔ>7á;µ°J„x¼Bt[²Á×.Ô€ZAiFqp6 †äSnËò»`„¥çÖå§­Û`¹@JñZ…X”€Ê›£iíÔ`6Çúcǧ³G¥O{(*%75†$M–œ)Ëfh¼L[GeJªP‘x¥÷D«‡(P±}Ë¡]|VÞÒª-¹¾*â•ÒÇ¥Ž$óÿ½ËêιŽ‚;~¥ÍE4‹ë™+9Iµzº Ü)lòî– bþ`øêy0"¨»r+ .M©êFe¤Ì«B•´%MS@…DÕ<8_êáRÛÊpLZ6:À±¨3 -vtõ2Õ5-5žëz?NQcRðËKƒ¶ «W¢W«¬JÀšÄœR„y2 —pe±ôA$0Hº«TIÏ"æø|‚åÀz“Ývッ¬KÍâtûû¶IªîèÌtu" ,löCÁ6ñ}ü(™ìÙ2úû:> ~Ò𥌠û¥GœÊŒt”zݪìÚ#ÙÖ¨`–·i9!WèX®>ZS ÎÔ¤15TPÓwRnÃŽ9{E€#$bà’Œ‚¯\ÑÃù®u|óÿ½¶D—¨+v 0‚Õç…¾SI~„»;¹N-k›dî¡“UdPµç@Cn½Ç µë‰!‘Æ"á!"¯=·eR›;±‡’[7@Î'¨G ^‘l¾Ûöm_PqúîÛÔùýÀ«£?z Ããþ÷Á>ëŒÙˆ=„,µo$…}ÀtN²Û+€d~›9Ìì*þ²ÂªGS$^'|SF‹L²˜f  f·øÙ3AöD¿: dBÐCÄBz{ºOtzÖGá¸÷*|1‚'Õ/FN­¶–õ0EжK/œô‡¯@ûÜבX±ÅŸ)g³IÝì#jÕ$ÚVÝœ)¾mà&XÏWÉrN|òY·Ùü`¸§½óà€šzµ¾zÒ6«ᯈ¬jIŸJ²Ý<*º ©ù°(®p†.†¬.„­™m˜B[PÛ·GQÔ6%¢p 8 I¤Ëð^Që\ šBïD¡¥6 G1GÝÓ—#”›ÕñkÐÔÇ9F™+A3:-PB•ÜR%›P凸ØJ+Նƿµ¸­ÎP“\3Þ+æ¥(!)R{–BoLõvw_!Ӏϟlê·†’1\§]á"­ žqo, ×,í¸r46F¢Î¢Ü:oy‹ö;­ûÃ?ËäO®PX››š£àå×k4qwïÅzN{ê[x…p¢DïÂ2îZ èóÚ®ŠØô?Õl»íã`ÿc-d™•÷/³Dâ§z% šÊÜ Zk¼åíá%@¢6ùÙu®µÎˆr!Ïk›’ÍÃyyWw<°à·ÁÿîÝm8*É>v§–Æ×$þwL½ªMUÈÓzô ”ӾÛ£!+£¶~kÍß%®ãÁ…Z"XÌÞh[S„›q ž9yÂH±‘ƒGš¢GG“› !Ùµ•®"®ëXµ­M9ZDZ}K«7åžT…šÚŸÅ6Fç{YUþQ—°r½RY·-M ©¹Q8Êræøû-a pEžÍM­4'ŬLR•R**šlûÓ®óéÖ¦ÈV*êz0ç^·!îßmMÝÄó{rÐ +›xÿýˆŸ•d]c¬é¾cxKÔ«Ï^“›ºîñ 3yêèT[ÿiî•¡)'ë7Ú‹'Ú$­ì ³5ÁNÍ™@3 ±¹©×¤+Þ4G^ó½»xµ‡…À↣ZÄ‹,¿ë6^*.&Fê6H%+r÷Ê.f” œàݳ¬ßhsã–šá&fy)Ê{º‹,¸È:Úæ%ö¹¤’Š6Ô [o#ŽÀÄ$[ºúb‡mº(à"“¢Ÿ¥b×§ÁZö’ P¯%B›gÊØFvaÛ=áJ\É#º”³n û+ém÷·tqSÊ®ÍiÕu¶íFMñ Žê¦ìƒÆlÒmÒ” +’5)˜¥‘1—%erxª#ÞȬhÇ„‡ìh¨”Qå•o%ûq>4k1°ò°ŒªÂ$ÙÉ ‘ÛÔLªT«7÷®¢ByŠ4u3#ó€¶n±‚++¾Øl¨Ä„}%Þb»TÑÞNôRÀ²Ê†§£ ý“ÑÕQÚè‚’º×>3¨)>8!ílèc‰¬"´ë#ÙïöQ¬VŒ3¹²Lo…•+1=ñûUò–ͳžTYµŽK¥u¦ÃMnc6²r]4b s ˜¿ m˜7šÅ«K`[MIQjb•HÚ;{‘ÈUIÉ@³ä=yC•C v!±ãv› LMñ” °¿|yžŸ †ãþE«m5•Ì´Yÿá¶oåµÂYÁ$¥¬R<Èxÿ• †<®*‡¾b0$u¨7<Ï/G¯[täŲƒxñ|ÃU’L‘0|´|÷­©¶IæÀiÚ c ­#Yˆ$ªz à‘п1 wZ:6¶Èàî«ÚôrpËÇÄJ-)~AN ¥Ìã*çÀÓk{Ä®\z9©t|¾¼8; _ôF}Îì×È «Ÿ~á¥z›íÍX=ü…ŠDäR•b\)«7üî[ÐÓ‹]›Ã[ Ä+hÃ¥W è`‚î6^„ fÇš¾× a–ì„½ÉæÓ¢&”ÐH‡,¦HufãŠòÜ©µˆrŠ1à‹˜,‚JùýGœ“›¥qSrZëôï@ÔÊF,»€§h•ƈ|`èë„+ £"èÆÂF„d“2.rœ®±v›È u £Šgïâa“Wd-K/î4s @SJ¹rÙ:‡ûË£‘n­ç«Ž¥Iœ§ÎŽ3bˆÏIÐC’8h‰T>[ÏÛp° ¾¹htj¼Z}®&¶¦øÅ¿(Yˆ*©-æt1Ì ­ÔñÚá·˜¯PØõ8™œbȾo:¥8aÙˆ "þ:eÛ¼@âËJ„•95Áé,8V•q|µK #é^$Ãv3pMæß8 %tc’ÀœtœN³¦‚H³9xˆ8gOPÞ‘’y³™£ÿÁ¾ÿ«íßýðýýëîÖ+ø¸«Nf"dHÏ 8dZZ ¥0'‘rØÜ_Ä ðMd¡ú~’h\Žd ¨·}Ÿ]IÐ6ÈåR‰‰ (eÑ£ÝõÄ"ºBÀ«£?²ã‚ö˜6Ì¿» nû_hÉ@ú"¡:š?ˆ‹™õ"}Ô·b¿Ì|Xsû…fÕ¹oÝáþ÷ã‹^xÞ»èŽÜĶ*0Í«þ°18 Ï.ÂÑyÿëòÈJñ í¯·òvGÇ[ õ¡½oí×®Æñ™š¸bs#©ÝÇ)rDt<Ö*'M±Hž#Áb×QÙ«,s tK…ÖŽ’ ó÷¶Ô™cXJîªðÃj»•zØ0¶”ÍÓ~ðUîÕIT˜!—𑱽èý‰Ž„þÀ(à¹p–¶-«áòa‚[IÈì¸^ävã ØR–Œ`ÙÜl{rólº¦\–àf½ˆÒ=”1‰×Þ»)%ÎÊeŠÃ.RkÿR—yÃQ1*…<¬gû«HMI€Xæ0ð‡ó>ŒÑцŸYµ TZJsÔtvrhÕ-ú»à–LW÷Ä'7Qsç»öˆÂàÛ ëp çÙš%šŠPFÿÓÙÊ·X ˆh·ßcT:Ü3ÄQõ°´ Ó¬)®0æfosœ»+<+¹ÌœTNð¨𖺚’ÜMæò(qFÇûBÆgÒiÀ 4úÏtðŠ»WÕrÜcË¢­bå«d²ÆKE® ¯|}„ª'›v…$)¨±ŠÆC8|%;J¾ƒrè&2(-JŠmkP¢Â‰ÇA“ÕØ½¤ X;Á ÅLSšJ9ƒl†6;ÌhTf#Éht§•µöfbÍHÃE´ŽW$³"¼€åpÓÀ”CÏ6Æ¢›‡ô¢ËE¬3K$®ŒB¦š1gƯ©H}вóOJfjiŠ"X0<¥îS¦Á¾Å#Uu‘+ÞZ u*—Ó6²7ù%L¸ËÖê}c/r-9Æ\Ôq-#8vr3›4ÂŽ.”ÃÕê¯#d`V¬~gy`3 mHh W8[‚/‡?‘ăÔÚÍ1¡hCF¡Uæª!Êç#1":!0®£ü õW3+ ×Cº‹ýFÏF|è² híËdqŠ˜ÏxЯX,§ñ,èQm‘X¸¼‹ê[ò#<þ;¿?^•^kÕ4dëžï˲]©QË!1šg·˜Ù¯(X"M–°.º¶v»pŠK6ŸÚ1•ÎY~† à-õ­ñÅe¿[e¿ÛXDÕ 9¢©ßÀ]C^fd†I>¼.dݸJïĈb\÷Hv&›žstö•â|ih‹€ÀƒÐ\8ÁZA‘Ç…®.>Ÿ³ ”&ùêŽ,<˜½‰À Ø¿¤áñ(`HH­"„Û´pÔ4Æðjΰn!vZ•Ò§Ù¢ :J‹xšDù€úo¸gŠÉ ÌÊåiÅ0Õóv‹äj4–Ô•­ÐãˆZ¬ùp•-õ¼®žÕGiÍZ†fí5eDºÊ²9­éÖ±hHœP’*œÓî¿ñÝ=º›÷¨€¬*§“œÝm¨Sž*¤3U!’õyrÐõ„ß•ãX®êù±J¢”Šc•Snª¸K'7y–ª’Ä+%:O£\§pw6 KÛÂÛ‰ØD0®¸Û˜»—_lÕ6fsxïe_iÚZ÷7Ñü­ºÉ(Vì]‚¢Ú Ê)]Ø‚JÂU¯8܅›üî’’…1iÊ,ÝQš'Y p=-¡EüZ:@+de¨+·“º¼[سºô±ÃvwûbqAažøE­µº_ÐQ½9¥Ò†#$*l:ç1¡6w­L¬×g“´F/QšÆ7y†ë¿øê‘„KÚ¤–”^ÇÖPa ÉÛÕ²\íד0Í6óCó¢q {^ÿ0P"—ø„CûÏÿTè×Fø¯_=)á? žüΜ_X˜Ÿüi¿…Mñ[q¹ÀgWëÙr•[Ÿòg1ý}5R-ë Ž\ÌY—ÉÕ…‘5& Z‰R¹*ÝK¼*éj×;héÁìño{í¿nO;z9GÞrØ6UätÔ¹Â&*ö2Ž®WíQQÑœ’.HmJ)'í,UZ\éœ7»®3c¿BØN}Âΰ&ew²i&¦¼Œo†SB ´ôQõáÕóÇ8ÌÓxf„‚iog¿­j?ïÛþƒµ±„>írÊj—ÝJ•3Æy¥ñí.Ñ×ißj©Þ©Š“y{o÷z²+Hoæ ÐÛ)S;Bmä9ïp~¼÷xÓ,Bp= ~uë'Öøz˜Bó-åõUˆËcøŒ°•í±Ø4Bhʈ°0%1K÷¸TE —b&o"^í´`€—Eüê¨hX©Òd‘ؽ¿ûÁ_+ƒlá‹=!/¥pDƒ‰KT#z•‡¶c†6̰˜[iDi×Â×ÛLBE¾òbŽ ¡uÎþ˜—°·ðâ.]EïÙöTqçå©rNŒÝ‰¢4ÄÛ{uWɤ_Âùù.[ïPþЉ`Ç”)ÄAˆÙ1׬8Š´/W„n»Œ&ocrFµéÎÊÀqþMÂv6P3ð˜¢JS¯S®‡ '¨ÔÒNBPäªÅ”x†Âñ>2§íPNw*Bv¨x¸³øÕ.hC6âžJ<¾S*k_aEÓ:œ»ü×®†~ ÀÔ„ø^h3",¦Sb§µSÀgÈ«,;rSÏ@ˆT”YQXVº·^Z–%`øï…ÚJ¬Ì r¸šjÛÇÛz:G¡|( #]/wY¬Ñk!©±¼¸¼°S}ᆲ°%?¯:•‘Æ$DTq 1¹KV£ÚD¡Œh:%7ˆŠĘžšX ¦B&äÜÊÉ|þ\XF'8½;â±3÷0Da ù®jÔw åv+ Ž»Û!DzíayÜò:ˆHÆè ´»c.¯ƒäá„dš6s§ÓÇMPä –N¡vâ_Ÿ–ú4))ˆˆÁØvBò¡5tÌôÉèÑf~Á>ÚšÕÕ` ±Ç!TÙ΋¼âRÏÚv°3ä=XrÝ S¼£Ù‚fN#ˆJ¢/ Îß ™Ä7é )¶aÚçÆgÜ+´É3”O€2½JQ Úî;„{Þá.¹&‘3«@ ëh2!R‘„ÔAu/áQK¨§’ÚžÄ6`ò{˜K:·%Bøb‡@]u¡–‰=3‹ä,¾Ü&fgâWA©"V"à,Xú“Ô ›;&ÄÑœ2 qó倊 ”B˜Èšº€nwŽ` 'T+kç ¼Ði–öht…£h}-6Qæ± 8É•„ƽ=ÞÃ{Ú ´ =<á僻*7(¶fnPŽvmáé/Ý•k”qóm÷ŽA»8;ï_ô°Bé°ÿ&D-ñ%´ŸÂPf ]̕ްÈ+¦„ªàörgpKÆ·‘Ê. ?D1 *apòXäØ`ÌN„’Ò!Îá?\bÇKÄX=×F %YŠÓ‘ãj¼~"Õ¼…¡ÚÒ )’ªzõÃ¥Æ%6ФéÑ~îÞÏÐ Pÿ \,GGAktô´»ßÖlFûŽ‚ÕÞwÿ;nµíiÀMeU¼*޵1o)¥Ýl…îÎÙúsui¢̈Á¹I²¨ rÈ·w`Ñö 3aNÛʼnõßQ<Šð0øæeJd³;Ý9˧¦o-à=¬7 `{¦êvõH(£ï†ÏQ[Æ—vLÏ´1íI2ŽÚ S¦$ÈO²!“ˆÛ bÄ®âœ8&V¿`Ž_v‘“¦˜Ö‹ƒ‚'Vxõâ±àŠâˆ·(`O±quºü5vG°ûêhW2£«+„ ¤æwðH着¶èÛCx†]Ê@Ĭ •ý%NÍáçú‚UæBI«¦Xo©Í“ˆëÑWˆAùp/{§ýðèløòdp$·¡+áª~IJý¹å}¬ÔTÄè¼wÔwD‡£ð¿.{'ƒ—?´ÆmIã›Åõäùó±'—Ô}tl—"{ãøõ`ø§ðèüärä¼7™Æ“y`…'zÚægø»áà3!F± Ï<†ò,þö·æÙ°?ì½8éóðd›­’kÌ*ÇxEóJK¿¾8»8é °MߨŸßûïŸ}¹o»1ÿçì·_ /Õ›˜Kž_ô/úÿÕzÒ ¾j×¾y:: ÿÜ¿ 7ÕˆTv°ÿdCwoz㣳SÕ£õ7Œô`Úv—ÎG¹ûÒÙ¦°WØsûÜÒaë3?éažå¿Êïeh£P穸NÚ·.uÌJV%9ö¥HþSÜ™Âù —Óþp÷Oúã~e˱úßõÏÇPbáøTM§f™¥uöáÅ›Ñø—€›œ GÔŠïÊén›½U»±ô‡¯{#§a$\åC_k¥gˆyt~~9|3Ó– œMÇ’§™jQ¤D`U ¥­D³axvvJß;xŸàeø Èe‰ãØF¨À'ûûOOê“f,˜ÐÛÄ…¼!ÂÞm«­Tôëc:ÞzÑi+ÛG§<\wíN/Ðã®néÔPðfxôºô'F.¬F/L³àÇ€Ž=AÈÑia–†Y¶hµƒŸ@ºµOÐîHã“Ëã>öÖ¶ÊÂ}ÒÇw8MF\†¤+5"Ž…~ùñ'",S”ùéóçºV[×â.vÉ/h‡‰’ÔÙ×E¢˜~OiÜWÒlª“òºõe_éÉÐêûð!Óð5TÞ åEW·€EcÿMŒ’N±D“…ܼ;&âÞáés%†ì`p‹NÕ]G¸Øá8wýõ“ª¶.ÚÌ1ÒÝ1ˆSKÒ0ëÓÁQx9<:;9éñ ¥ö:ö;ØŒnõ'Š“’²è|ªÔ¢QÁÇÖ ÂUðˆs5®,H2‘¥,Õ§äB D, 'HŽP%áX—|¾(ÔZ*<؆†–¤5ÌaÓ';ö A_Ëû¼Êß/Û6ãaõ6Ö©Àú屺ìÐÈa¡~‰@ŒVéyM) ÷Ä`Õ9õ8…]JšŒíŒÎ Žíñ-2gPö>©ÜŠœ²µ¥Q‡Rž)Ó˜8w8™¹Á³(™£»¾Y?ôO©ÓôØ;{z¹¥Ô±»¦ùkeë4~Ú¿}îñzýÚ@(h¤nùzÞ´ÐZÞ¾Øñ¯¤uý[kêY¶ûr§’ÕÊq]*ŒªÌ¥@|³Ás„MD©k]¿Ÿ«ˆZ(y‹ªïtÊÀ¶¨Ùhë„ÍÕ{σwI¾ZSN­Þ|ŒÓ¼ÐrX¼û¿î÷;K$ÐÏj@yiä²fÅO½¢·¥ÚÙ­"h ×ÓIN0Nl¾¢Ø¼^®SI|Ûжÿ‚þ©R WÄj–`Ž®Ðtå)›T¢ˆ5hÿ]M(á¹´·A¬Z§ÓCå]%"µ$Ò ú8‰ÿ%*Xò9Q‘ûOÌj˜Æ±Ì£ëE¤ºoMy8ÏŸ=ùýA›ÛŸŸ=Ç!¥{²qlv˜óx€KB±«¼d»Ü’šcB•âÈFBbšÝv7 åËßÙÖDl|§ÚƇ•Ü”®W~ÓÞ ,-vS@ôÎæ”?+ãï˜þð­¶¾£²jʼn{cW:è²ËrNædC£4D~xdMp—»]ùX}ûÒ`eÛ>vò*îjVAtº—®çsq®)ƒ´j§eì¿»âö+ÎÔ)q1Ù¨ÔŒUJU.Õ0Ý:Y»„ü¥¼ž&j\Õ\¥÷{žg¹kCÝÑV~Ú¹Æ[ŠŠ4A ™Ê´­öÃRä÷mn—$Oö¨f¶_)®ÓŸÏ¢~^5Sy­k³%Ï}ÜHìª;LÛò^7¦mïz¯nËüã5ÆT¬'¬÷¢!²DýðêÍ`øô‰˜WÊ_¸¶çÓÁðÕz±bÍ¢ò±•O‡g@ë““¶b¦N1L‚’÷É6­ã4\¹Mê¹)ô!<ÍŒBu”[‚˜ˆÑÄ {ñ†‚ûÑùg ²üŠ1$¹>ŽŠ,å¶€œ·±Òl¥åžÆ¦v‡ÑÕ3Áä=ÕÏÆ6¡CÿÎOÊ5]$ôÀ¸¬"]ªŠtN »®ROX䕞¸Cñë)¢qj\‚Eò>`_ö‚>%9Íj¸Tgœfýû 5]‹Éßϯ’UŽð ºtätMÿ`ícø#+?ž<¿#Ö¥€‰óßr4Á]:sËÒ‚Z;ƒúžÁa°Eþä§ ïÎ@áó—ý¾Õ×O&‡­©¼£Ú»ç´7OÚòO;ÒHõÐÊý‰×Þ5 *› ©˜_|qð¬™*É¢MÇD¨hÍyDTÔ;Ph•´aADÛ ¶Õ+L ÇëŒxÇbö¥òžñh[LÂ:ÁX1*ÓxkÆjáÒ±Æd=ÌpLà†¬;-žÛg—áT7WWrä˜ôe\qp 2·GAñ—É<F i*=N7²†iõ"%óˆì&¹¹‡ó1Yÿrôxl“ÄÎ¥™h0ÔÚÔRåÃHà‡ÝÎñíʯicºò^Ú6ŠÜÛ‘Eî¹ûAÊ Þ±ú¬ÝrÖ` ØæÜþf3EþqÔGÊÅ¡X‘Žxà'Ñ\Å|Q’Jwç^ư‡ê}W÷Ûªÿýf‹å‰“yiÖ:Ü$R`Š÷ö8ôCï|ýûÄ{[›s·éÌÙçí§{t\µcº#Á¶ AÆmá·´Ÿ‰û“›‚X툃à ÄÝ·‡êǃá}W|ž&šø;Ê ¾÷\¶‹¿£M" îX9b¨yÕ¦( þYÔ´úÓϰŠ68ºÏ¨Lë) /Ëͺ­nÜ~Ü)Ë?ÝCÇ­íÈg,~¬H—õ]º{˜À’– â©Vì\Ê‚üf‹{a3kݸBU}äG[Žö.hÛ'ZokÚsˆ›ôÕÑ~‹ût¸u¿•º^z•ÏrnÒ¸Eß(©M=]úß°!›ÏaÙY­ÑÖ5b„ËŠ”°õ–«øž?wÖ%@ØxÄÛð·Ú Ø0 Zûˆû€·eµIféyX¤ ñNààfÈG©Kƒ¹­+J‘Ú×ÿß®°*ÛG`¼Ö1M@‹ä©´ZæGXyä¶6ñí/‚Ör•½f!ˆ+üR{ï»’Cä'/Ñ*4ƒAÊüHj`ÜÃl>=‡ÍÅ:Ÿ¢Xb>@ª†‚çÁ»?9Ü´ø¸^úþ3qd§ ‹ƒb[5¬%ãÐK¬¤ñFÛÀÍÜTüíîhä½ ×òM¼­$·¦‡Aæ®–GSe/Oh¯5mí·B÷ý&5÷–|ç­ùtuËÒ°Þ³¯ÿÛê—úu]* V¦âlk*ºsëVIE ú¸(hÑÅÇ+ tÑ5ûáËÁzøoømðjxvÑGý“—Ê!Ëfô•%* §î¨ÝìÓŸKV­í“òd?¶èêö¦»ø$Ùs…°ˆW{ ôµùñô̇阿¸Äù+©ä ¹z•”DÃ:™Ô{~}Ôó‰6Ú)¡füóà ùðVIzÎæ h þç×_<-ãÿ|ýåןð~EüŸßï=Ùßÿ2xßÏ[íG“·Q> Ž1ÿ5[’j€ITQz× Nºçÿº@ø®  _H&у1€ µü(@ãÁð‡ð剋d>T›‰ä^…Э ’>{9Ì®©†Ä¤ã"P¦RH<—‹ÝÃHŒ¹®ÕSöæ\Už?ÆPl¥ôW.·$¥ŠB—R¡j’›ÎdÎÆ,hÎÁëì}ÏJ;L÷·)F‹eš·vÇ¥ Qx.Õj¦ñ{‚Ý¢p *´ð²‡¯žía1˜(ŸÜ$«XÎlßßá—OŸT¿4£ÁxH§^F¦1Päxà 4_Å«[Ì'œaÌœv `”(&Cp (ОÜë±f”ÀÎUjŠ ¥*IóGˆÂߦ1œ¥XÂæÎ?ŠѰ.3Xz ˆU&¾ÚÖ¨÷9èª\üj½Õ±iŒáay}ÀÚQ—œÆeÁ=” Z”Òûþw_µ;¸Cp«Ñ±¦ÂÑÒ£éN1öIœ#—¬K­±rBžs",­»NUI¡”&B3Q±8RIÆ;…H W×CSPæÉ­‚ðÐèl°v°Š šó`ÜJÉÚˆ›B8b¸lÙ ¸‚ÀuÔFÀ €±+ªšFÉ`KÅ‚lÔ úˆ*ÏUdÒ4Uîv‚HˆÑ#;‚ZÂݢƞfÁ<#` iñɳîç°í¨z…î4%°p¸9ód:åêà¸Ç(©±AݰÂWrE:6*¸à¡ª½a•‰&9Ù‘p÷Ìfª>œjŒ€¼’ÛKÊ(sÒQ· jj)Aïäü«gnYТݨ²7ƒ!~TQV<ýýþûJÄ™¬[?ä~œ¬¹ppr.h5-GóåMT q[Â-—/'ÜbÝ›péŒÞ°JÁ:«{ð•ÿÛ7gÇ£à‰•W×Âï¶6à‘Ù_ï6!’Jõõo¿¥¬æéóp|¦µR4À¦íï¾;0…o›¼ðÄl¦Jp<.ªmcÞ÷*rÊW“`Î"`Q Tó“ÁhùÒŸ£YzìéSÜ\—K†fžZ‰O¾üJ—¨©Ù¥¶ä|,t7‹NÅ2C<Œ¦¯G•Yº¤ÂàüNK*˜ZÖÈõ^Á¤¡l°^•Т/Î.‡ †…—çz†—j¸Ã5RÑûÓ쟋Þ^.Xø³ÓpDþ¾• s€ÿT/ÂvɤU§_Í ä³ÿˆGæ—²ÿ<ƒ¿*öŸ¯?ÕùW®¶€ì2% —Á‰UH)÷iàwØÀË8¿áôuLÕWï1‚'°hÃú=¶ÒÀŒEMüŸ·þdÙÚjÙÒ¥PD=A£'7J3 àPj†è/æK ›º7]‘Zìèë×m}ý/38„Öq–‚J×”¹óÞ3’æ†0AÙtê\[»‹´È]y+h!ià³Ižíråà~ûSµìásÌÙ.óRU‘ž’AÚ3ñUªN¹žt® ¤´Ð.#uâõ¨hò|±Âô,”Û„¥Ç4%ÀQÁìœ%ï šc>ÕtýS5Ó)væÌvR†ÓÜZTìUØ‚B‚Õ¨TÃ7‚H}•\_Çð”;ÚöÖÚõj ÕŠqª oÊËTÖ5˜J®×yüXÿÖ&2œ> ØÌBG…pVe %sjsˆàØ‘ ³iCˆC3³XŒ^þ½bu7g\j© Z€ÚŸåo+5aË•åOÏ1Jw48†§½?Cú]í׃!|½_ÿõÑÅYð ¥’"J!©N'Zx¯vÿÙ·•§-àïJ¯Ðg^Áa–_Ï8'²õ)‡h†Õˤ3,4vtOÞýÞñi¿»˜*±Ó–¾Ø¬}×ÒÊUî\}Dñ?Nóô¤æqœ·%ÕÅ-"üS”Ãú/Ú£ò‘4€Íòÿ“¯¾:(ËÿOŸ~ªÿò«Êÿ_íÁ¾Æ¯Ê"< Ìk1|bY§GXeÑ´C²WGäÅŽ- ’_"¦X@”Á²Ù ‘y•Ç‚€'²ÉÚø4J¬G–dÒ`Çe)SG¿8(®²Fk¡GÁ¥TLQm„¶¯¼K~2”]ÌÜfïC ‰9}ÕšF–hŒ¿è†ÀWuu>¶o[»b€ÐƒPÔŒ`l“ÑSÚFgÂk²ìFj¹«é¿§Šä^]peò[LÉIWwj+ZÖr˜–,Qª>mŠØ54ý'ÝÚË…w” ËL-`ü62¬qÙ+ñøI$8ùª|Q¥ˆ ¤Z—Ó7ãï´¬L0éÁ#Û"Îßè¸ÆzÖT·»¦-»V‡rä£ë Ôao¾3Ý6R[§¨¾o /ð¶Q߃ÄQ yäX帲b#,àE”Â`¦Áh|¢ìùºÆ-¨´ÎT§¦Ke㸡¢R5ÊŸ@P‹(Ÿ#$®’•§nx‰I¼z±!ñ¤i(®ePi_½а]ǩрü¦{Ùl¶·Drë{¼Š³üštͯ ¡«BÁ¢ŠçD«ØW nã….4Àp _À€:=bñöþ÷ç'ƒ£`x¶ü€’Ž'îèüœ"U˘—Ns¦ÛëÇpŸuA2m_… õ´ú¢Žû§ç'=´R;0Ÿµ ²Àü9•ótĈ„ ÍÎsߘ €†+4$•dË]BEý„Šú3£¢0~}qö&„_¨½–÷Ô£¹ox½¥T»€_R ž¹‰çK¹m}]ˆuIv¥,ÕN8²¡Ó ¯0 ƒv«e}j¥H:‰:ëÔ—eA•Òä¯%J;ì²:îô.úáùøÝ™ðÐ$—¸)NH¦ù:éRýñ§CëóY$3_ì¨Ã|Ã0qøêò;»!xZ‹P¸S K¦ ø‹SnBœ·ÙëQ,‰ÿ?Ýç7ßÞ~ð¾ÿÑD©ÌÞó´Ž9?íCß7ErMñuµ¬Ó­ÈpÙç«-lxFž€=±¥Ú'ä{ ûÙÒDý#³yÕ4?ÍÖ }ø¿Ãý€X_­Íz±ƒub´”" HüD| FÓ°Jhú¢âEÎR3ÆQ©œZ„ Ø'Iç z6ð6°#BÇ„œ˜ªAÉɗ܇´Ão€„˜es  A¤ Q¤i[°8Á#Nu)=üÁJ~‘¼¢³—/ÃóÞ«>¢<·²—R+u‰R!1ûÅ$*Õ3¯*žÎO%YÁ¾ 8˜ CBžëË}/™Úw¿Bãå:SX%â7ÀÛ°¢àèr`–¡ðw¥äa¿±ó;—Ìúó¦yÖÏöå ¶¯$BU—iûxžWó¸>âršL:*C¸qð¬˜Ê8Ž2D;½vëk¼OýN`Ã{* MYþá?à›Cë åJ"‰„,MªÏQ¿¤%9¤ö÷Œ|"OÑ¡ç)úþ·B?‘ÎjÚù­´ã}ŽùŠJ*BO” ÙÙÌÍôE”ÇWXÓëG§n¦C~õ±7Z8j×~¦UI/}ϱ?úmåøÛ#ŠÓk&SÑv8|ãÔÄ|#QIÿ»y–;zõUNpK¯>û¾-Kø£Úû¿ÅO)9ÐÙúýÒ*oi…ø‹œñdÜY‰±}Žçwôá À¨^`ŒáÊš[2,(`m郚‰T¿¥.àÀïK®:nle¡hé³Dud´œÜf妖d>¼ÿå0ÆÑ 'Q±â§‚Gßµ<7 ŠÁ²Y‹žl?€Ñ2†®+s=¨%’Û2‚õ4Ö¤RˆˎáA~•ú t~$¼Ô–U7¯.¢÷!þÕjvQz_‘•Þií´ƒÇ.Ñ­Ájtrw¬+ Cذ¬””ˆ£â/Zü9oo™9´•ÝÙMákðÏÞwÿËïÐã¶`þ¡ƒÍ}çà"Ûì|+7ßÀÌyŸnáå’©YÇÊi²¿ ÿEzyoÃN`þx¢¥B’%T*é·ßÖqC`†µ»¾æ•'%þiƒé ôC‚ÛCGúÙ/5R:¶4Ô-ÂHX¶"œ”Ûø$¬|´ÃRYžÂKùmÂLåùê~+?òÛ¶º1ç£4‘éˆEÛé÷ILú$&•[Z’’>¾”T9Ñÿ¶RS£‹ Æüp!ÊÛëýDo¿¼õkÌÄaXBÒ½E[UäJîÚyl'–߯V -gQÕªâm£ê„Àª8E3ÒŽiõ­îÕ¸±u­])ƒ.mL$/â´à€ŒO¸F/3¼ÄNr ªÅú8EwÅtÍù²WÅŠJ¥g)¬Ço m¼³Y–ôÑb‹¹í¤ÿ‹jÖIžG}¢ï1žç›_Àv¯ñ4²Š5"Ä'©ï>RŸcѯóIrÅ$_%A’´pC?Ih"¡ùNÙ¿•`Ö”Å~«V]oÛ¥—º7ñë—·¶œ `+íWÉöÅÿ3Õ>Zúï¶øÿƒ/Ÿ”ó¿„Ç?Åÿÿ ñÿ¿ÿÝï:øß߯£´Øûc7xE:Ao5üy/¤e%kà³¾ü°ÔáO¸sŸ²s+±¼ƒáÉ`Øwyõg¨ÂbÃWσùáDK£Ú2†Òå ˜B·X™„¢äMíå%fJ°=CµHší”IÈØŒOÅ$ŠeAâZaÐí-A܃o÷ð[&ÞU Ö¯gS®R阕k-Â]¸^¨ºr <ÕgæÇ^„Òtªô†D} „E— Ĉ•O-$ Ò >Ó2Ý},¸ß)v°êžÌJó¡h"ŠRø&ž¦|H%J\ Í''$Ú&YêhüDÁ~­º•Qi¤(Ĉc¼,Däb|1 e_Ç)Š ætK£’êˆXF1ü‰AuÙuØõMð4J%eíä»Pq`Øׄ{Òˆìõñï»6 ì®AV^…À-/úÿÕzŠØÕN(&0RPœZ˜)ä^c¤WÜ™3”¡±¾€UäïÕ×IÖÿû:¹7æØ>z¢ÍK¬ 8‘ÀUUÇ|û­4Âé÷•H]ÿpø]_œy±FÊrÁ°Rœ==Ãm”ÃìU¬³Î!À2žùª{óݦFø!5ªj°>ÕC3ñ×@/§l±g°>/ûã£×áK*ß\ Æ}ƒ›T^¿j‘JÏëå°óê­÷ö:/Ñ`°šÜ´àc%Úþ@p+\Nn¿B  õf} úNq,°¦=§àKìhnõ Pã‘+ÁöÅÐg„fðeÀtló¾û±´p@ŽVÚ§q"ɈȘE\jr~W)ƒK™F8Âà-ñRØõàŸW8´GÌ-Å2a€>™Í[LÜ @õ qûð?žbqÌWUõKÑÞ«œbÀ~܈ç§þK ,™¨‚kiÕY)X•ÛÞ6À%¯ào¦\&÷èq›*«¯ˆq¢Ñxj§éÒoDNSt®E2ézùÿ%VÏ– ÅÀ€Å™³$äpØ.z%sTãÚßô ïÕ4…äÜSKN0UôEW¹Ûô‚b+s!›ôŸlz þ»ß:h[¯¸&vQE™;ö¼qM¤…aü‘ šq„Å÷¢B$/ä°k¤á™XÐóî vâGŸ@È=m›G•­WÛ(}ê`î¥úžå4’É—NK¡â†L›>icñ5{Ä:wðxï 3* :{ùÈY{H×£%I˸„Ù›wmt;;ŸEVÇI"ê…¯{î‡2 ÷Ž}ÙÃÓžÏ.ú­^Ñ µžÔZë‹…Y¯à"[§$< Q¤û`»D•!ó•‹è’£³¸Žfвý:†&ÏÝàþ èØÜ§ƒ»Žï”iü(  ÛËèV-ÕeóB+| ³ßnë7ÙûEBß·”öª{jÊ#?‘žà¼!#]/øžL­5Òt燕ày:{ßò›Õð–RŸšïPoºƒöL~E;H[u³‘ºßÁ¨^å—_¨(UûÅ*Lý‘{¾º©[gâU ›POûÞr¿û^ÁmQÓ”G¥«o(ÚÂM×`.­“ù© ]€TÍúê*ËÓ‹ ˆìqXÿÈýð(úkÐVR?¦ŸüÓ}#ýÐ_ʦo¶`¿·}¸±1™ú·îÔ7î#ÌW;–U†ñ—ƒ¿’+ÜÛÝ*}Qž%Ú_hkê 2-N<† `­âêq`z`hé,ì寜ýÿ ²gÿÅ bÈ€/I¤( FÈÖDÛ9qFRp ZR¡›Ð`Yc{>û[ËY{$;ÉÌ}2÷>±è>]g¯S§–_¹ÒHZø¶ßYk<Ç.1+§˜.òµŠR£­åV+eü¿áœèjâhÍ]ƒÛG²ô«Y¥ÙÍÑU. ÿ=é=ïåÿuáõÞŒ&ã?,ÿçWOŸ¤ó®ýåÿõWþ‡¿ò?üåaö»æ0ˆ¥h ’y&ñø¾hHJmMBÆHöw£k"h0Ú劊oà=é¹ ˆ•}¬bQ¼¹Ž()™*¢I*”QvÏ›ë[v( î(ˆßXPÏ„Nð)} Šr]ìG±•­ï ±¸ |¸I豈ðVe>ÈïJÞ%ôƒ0M“¦¼½_Æ*KFÝ"#É2¸œzŒÅ+P;o}ªŒ7!%Ì:«òš ‡1È·œð“¬)¤ð§q}ë‡*¬ÿI¹³`Pe†w\²¸g<òÍ7oàcØÕñ˜ÑveòމOy;9å*ŠúÂ)vŒP>ÇÑ%°+˜Yjät¢\ÂßÑ]“Ö|ÑŸr÷I»/[}Lâ/äAðÆç´]²Ç$–ªºLæ 8sl½Êœ±Q±Øí¾1½ºr!tg ì0{!#àšÊy7í`ù¬Ùú…<ÇÃÒ<´‹¾@o¢„ÛØÝ•´w½H z±Ü *ðˆà‘}Ê&–/¼ØïŽì *J€Ñå%\Ø»£Æ}¯§lšL™ö`aŒ£hå6„Ý,1‹ÇØ—`g6!e7ÖN“QÈËFîå´1±ígi%;»‡;ef×@ð¦cÞ.رµõÊ-ïU3ãHF´9„®}o¤¦Ê¦‡÷ —ÿ™ tLhdŒ»×£¬â®uP<'Æ~^àÒŸàZÞÒÛ†Ì}‡gì mQÄî¶›™oäV¡3~8\€—hÑ8n´ÚÛ5©%=ˆL<%-_ãâ¸|j@‡nç¨Ùj×,E+5™]µû1ÚÞü°a‘€6l³úóøðð¤F$ŽUL’"\]4·rrH´Ÿ×D’c‹ä¨v¢<+´Ç‡dù¡è_\u‡ƒ^£Ç¾)tG¢í <{$<ëÄö ºšZs¡Òž‡#ìZÖ(KOÌž5´/­3Ö¤þþ$• ‡€Z"g·Rjè÷¥×¨!!eV„JÎôË¿§³-+µÜ~‹åjö>¿¿nʖ庩,ý…Ÿ/üoŽþgíÑã¯V“úøñ—þç3þïTG¤6Z\gô—^æÿi½LQ\¤JÆòº¦±37f¢¨’cp’ëNI#´ãõ06/÷oCoˆ7²¬å¥å“á–é㎛y…Rú• &¨„_#Lõ!‘Þê¡.Û´J™h(ü ÝaýzØëú7ð½7(d 2¥ß› ¦À“qâ+ñÓ Uj’ŠUWúÞOÓŠ?èüŠ1™&e:á l Jj]&3‰S‚%VyÈÄòpàCÍ(uéO¿¡Uf:BÐàÿ¨¼ìþìåsJžÞ²ºuc ¹Üx·iýÃÉ/GímWû }v݃lîTø×E0z£Í‚u¹Aq³ˆ‚´\…(j ö<TcÇJ16-rNO0àÞ›¤eß.ÚZµð”𱑍—ðÕø§¨|í“ÏTÕ.G÷—`R¹Ö8Çz2> RwÕÓŠ|¹bˆŸ‹ï¾ÃæüâoæEµ*¾¤€.SM<¿šÜZ>l¯5ñí·9u&{°êöI-´UQá ävé"”¤…>ßkT0vAœÌûèÙîÉ~óˆÃ[ð»J‚ÐCkZÐñÅîd5½Þà_¸?öÆÎ ”žØ¢!ƒñÓ`d„Ìš]±–­¸.tµbmà Pá$¸ÝèÉÄh erU6†fÜ÷Ye#3‘Ó:*­–ôÍ5æbx·¨ÈP!pÌadvo|E)Ð3$é R÷بy¤‚Ë{ìÕüV±}_÷KGñuN¦LŽ.çupè{¨!G•1ΔjÏ–¼Øx=L0¬ÃerIq(e,*xÃ'g¨!ù¡KV“uh]&.ƒûs¹ãC!QsÎÉ (áy•Îì (²øµ*w‰â…Ô9k)>ç] 5Ívø@>)sìR8NTÆÓKX`œÄFcVîSæ¤Xy¯¶ ¦&{ |šÞêóƒGžº8ÆœIÈÄx”ç{B‡<]Ùim ï[îL7¤N€hFòŠ©4h&éÑŒôÇùQëslË̃kë°%–v%Ád<Ñ’™üdø”Ô¸ãVõœ”F™ë.Ñ2ßœë5Ñh4PSÁÙaâ|UùgøŸŽÀb¾~"9þ'‘¢>žH}š8—NªçbK¼_ý¸¹)uh+jµäÑzR»\«V7?©õHáì|¦a—£ÍNÉs4ÝN<ÅOR-ĵùYƒ^M¾FV°X‘¯ô¿·òDZÈ›I/.ÔGçžØ¡”Îáœ<†ûÙFw!B/^)ÜÔþ‡!cni7? Üb—ÙÆ9"ù¥Õ×B5ô%ÏûÆLóû®“Ü÷'®›ÖÑœµìÕÄú¬Nõæ.þÐW©bì€ùT~ÙýÜû'±ot «iªú£&лQÉ™î¥ï*@ˆlß­µîƒ_8â€È¾7⊔UÉ­‡8$€K5×Mp>$èP$‡ŒeöXKâj7®¤WÖë(5'I ¡‹x¢¬=¥2‰³6®%c’Df»×åvu»(w\’Ä n“ÃNÒ$rùKŠ‹äÍÈñÎ2jGá1(\™”Ÿ´‘Ýû…•ÊšèW­ oôÌÅhå|ÖD Ùá– eEüÏoN¾søŒóN~÷ÆÏ¬/ÅØf«‰5¢H•Ôÿ{ïâþ¿0f}6íý.¦‘|ûÏÓ'O=MØÖV=ùËþó'úÿ~ª%G’ù]pW³\p•Ûí_ÆÿSÆBvNæ'F«ó]9R t ‹¶ˆ,GÖ µú=ÌE¦ak?-rìUC¢C¦a´´8ɯÂ8V¤,Bn€–»*™•vÆRqýâ8êùýé˜1 ¹×úïjŸtÄ៭Ãí¶@@,º&áñÕÄo|%ù0ËA¾¨/giÔt >ñ…_&4’hòœ‡‡FÎeŸÔT<[{¾w¹mØá{ËœVƒ>{ùxLMÍñ ßxW›„ * Šê^»¹Ó=i>k…„r >À¿6í ÄŠ4Ô(}ËlcZ–ÞÖRÞ4÷vŸì·N2V•i…V™m*÷y­µQo™­Ðg1SDk¼©†là‡W“ëšPýÅ;Âñ>,c¤4q’ç ÒÙbnE‹ÜžPw¦¼ì™ÂKÉ/4UëÉAòìAÒ/§!J«²N«:ï*½§Ü{í æ,þü†ÆÙ í´ÿñè­hÐ!³¹XY¶ˆ›6+Þ–÷Ñû{i éÌž Ï-•121”ø˜!»lšcÃë7xrõq¨Ù«¾õOyHmQÀýæÂ:ytvF¡–˜¶Ö9k!‘•}\fB—¨NÈUˆígžAg:ÓhI¡ˆ£}™îu,ŠÛQ8j˜ÚÛÝ݃ݸ¬“q@¬­®fÔCá2ÚD·ºiÚ|€'ŽŽ¦ñ š4fÈ!‰3¼K¾CL’óûtµEýð-_+lZY"M)Í*r†R*lë ‚…âõHÛS&krXmñúu׆§Ø;ͽN[áßj"ê¸^üsVcê6°ÿùh_ËáÓ'aL=g×{J\ƒ¸/;/Ð~Õíü²_I/ñ*'ŽÜï+Õ>1©hgSYr_èõ#½‰dŒÁQábAC߸ÝW¹~Ô)¢ì–ß ï@¢Åð;Úµ‘Ð0-õB÷ÌòNÒ‹]ƒŸÑêê÷£ ݹ¤/úÎÑŸ!š/xôõù²ŸÍ–èoÙ§¬BÅÄCÁ?ëkÒte×ÊÁ=›6¡€±@áa"*q§å© g0~¼ÝÚëî¶~ìb·Úò„Á*›™„íHlꇪ͌ )ùJÕ:lÎú7 ¦oo&ÏExÎ2LJÜ•\Ê–-SÀ'ºˆ•î-¡é¾ÌXÖâo¹Æ1¾^’Næ&âvåï/—ÊË{4 àãêc‚£n’Hnw#·ŽZ©~bXÕ°érßÁ-üU·}ðSUšÃ+z‰QÕ‹2N"ÚX3ZM¢´ÊÚcU¯Z„±„Qã-I»!q2•V}Í|“ìpbþ³—Ÿ…èi¯Û/2Ö þïYëðè— öWS­Ì³7'èÏî½;´ îR¯öôvPERbGjG}l-Ç‹¬ ¯d 0`møÏ-² :8‚‰2ž¢Mu µQûcÁµs»ÆUzjÀ§f ¾•\fKÚ›nõ©$üPç }£RÃÓà|ó_ê[,||rüRnn½æz.aäû¨lˆ;ÿ­ôu­á‹8ºÌÛ–…öø Ç45|ûíVŠŸš·ß}—~{‡QI°ï»Š 2èCÕ;~ë²É $Ø“:ùOHRK¶Í^‰¸ByÞDŒY Õ¶RyÒHœ¶'ôŰKš¼Sè•õsV3h'ä ÿcè'*C ±®æ‹Z k­©ã^9o°‚=å •é¡1Ð$ìxF7¡ô©Œ¯1$B"M>fˆáž´üBõ."ÏX·B8A÷ƒz¼=?y!Øš¿Y•[oöôô£)‚zÑïŠ~ah(‘††_É4„KfÍÛ—²pÁê(4\Ý@›eXßl9‹ƒÁAôàåøÄ6¥«çú®™ óPT­–üÇnÊwß9[A.~‹.m9,jïå‚ò=Œå…Ó•þÒ0ØÜÌ+^Ög B޶Æ3òCN;Í*ã ©]³¼˜ÌŠq·D¶êRª_ÒëE+ñ&ì­PÛÙQš?D¬/öãÆ\(މ³¡Z‡ûG{íW3ßs‡b™ñ2¥gŽÉM¶¬K5îµ{R­@…›É,@ùŽ - µ„ôu7˜žZ”Ü­o1fárAÎ2ñ®ÔÁŒ_Y$“yËëH­ám=šzûæ“°G‡–×@·ßø„áälÛ² ‘€QÇ{T +½”wý¼áLàä ·–z|‡ABW$–qjÖòbÛ eÆJS,¦ªÆ”o^óøéXe-щ“vœ·T.r_ˆuý×(ZÓOx²…•ëŠ^ìšâY¬±–¾“iŽ!Ÿ{ãBz©Ì#B?Ôc·±,NhMÇB4²•ŠË´Áð¼²Ò•P¢žÎ‹Ã½mñdÕöD`]iùaÍY;%„&] [,BEZÿ_^5k®s¡] SjŒÐö1‘òŠ Ç¤ÃÇØ'ˆrµàà”Ÿ"&Ê¡Qí'ìZ¢’¡ªe†úçaŸÙÇ5ùñ}'y3[fËv¶Ö½ýUx5ë‹“¼S[gJ`×fÚ´:· ë ÁeÕPñ¥á‚SnÍnˆûv+ñ6ÙÔ¬ÁÈomŽn`nßgRtG 9]N¡w–1se½æÏ_F_¨ett|ØÊú’ªøÒ5¬×1W†;»y8óí´ðGÍâhzøWÖkb}ya>–”|-nvïû„øJû£º ¼d˜Â:†ˆwmÚ Àf™aän†N,y¯Ë]Cyü2 }e‘r†ž‚s>ªò‡¥ÒHÎw&Ô›\]Žšû-u¸}øà¶Œ:.;ËEå‹]¶þ´¸Â^Q6ÖÙe¥’&© I´v½X›]Ô¹òdó€úÞµ`vw<Å,òVÞp^$5\y{á_!9ûl¥¦kñ‰½ÇÔ¦s.XM™3”*A—ž7“Y¥sæ2«hîlfvæS³ãäWFбâײîsyDæ-³ª[U»'k¡¦žrTÌPiҚĉøkEÞ}EÒÍÏ<¹Ëâ´>Íp6X`½ZòÄ‘ÿkWÞ·6~·žßåó:ù1- È.¦Ä_Va»kÐá“Y‹Ì–ëS¥fžp²5¸GþÛ”m…÷sÛkw›;'íc™-C&™SJ+sm‹mƒì­ncäö@´Ò‰tHŠ.þ…^à”Hy#©rÃØçR /šŠôI@TÅš,E/Ik€`¨óùR꫆cHƒ€¾­f4#áó7C9Æ MÒ³Ær‰Aç6ö²@o eBcʯ`¦(1ó!±ý ª{"Ëiš4öRß®¼m]§Vû¤'¼"×äÑ|¬“§@7ClÌæ¾èòʲͥg·N“hÅìIªèŒMt ®è˽ø ”°5Ÿý½Ý:™s)FSoþ›ƒ°í8 ùÂË¡õ è- Y=6y~frŒä3£táù“ë%¼¦ÝºóÓ2ëN¶ç×ñÙOOnÞ ™=è+üc›T7•¼ÆÖ`…Ï&CéÄäÙ&¾Õs±åX*U!íp°ÆÊPœr8péH¯b­6DÓÖü j–Ÿ[ÝG‹Íþ©ìSò"vµJW¨„”³|,ׯeå¾®‘ß­—ò?aöqEQb°$®=ÍSp›ëç£7¥€ƒælOÈ\Éùaî—ÛíÖ^ó¸Ý}±h­Ê÷ }¡ì‡zlâ8|Až'ðzW¬ÕL?ÝÅ@··!«Ãéï ×sý­ËMvv_½<êîÀ¡]‘…ªi_*E sÄÒ2Ó£ðå—ºšoÕKkˆ³üÈ ³uUœ“äA”Djw\]éUåÒëŽr]’’jð‹N»›ØÝAÿæi|M‘‹U¢ãER1`K¾¡t+Q(B& ʈqr=)½¢ÿ–7)`2mÀоÁhLD®‚‚&þ.IŠ’ÄÇ»A~F©ùrÝ$ì% óFA­ n3à!¸|4ô1÷ÀUã^‚nbš`z>tÜxÕ¸eÌRKNqrI%¾#îB7èZ¯Ô0TÜâ™~€ Š : ë’G¯ÙõÜÞÚiÕ¢“ý5­ƒÆM†¢'ïôÉ<¦kÈ09ŸnZ¨Nuí£í`4QxGŽh†KÚE BbĪ›Q¤½š6œ"ÄUšJ:ʦÁ†l#˜J,È+ÌNÊÂÚ"·ÒôE€ú¯£&•Alþ 90ãbzQÔ¸ò8P”]è'·Îºf˜ /«›û8Gp¯2 K«õ𺵑4§õùºßpôº£“ÙcÓ&¦f²©q0†¦–\#Ë=³¾sâgªnÅöÅ1UwÕ¸ßP÷ÉÔUþ¡˜ù‘¼ñé6È¼Î¦ææ³Ãã“îqû¤R|æõṳ™Ÿb5i¿T1™åz&®›t̳A'$¸A™Öè›E¨¹±cH–fUÁgZ\S±Ç,B-Eå¬l)M±0•¹47ºQ]ÃxTS Ô²f9Åþ’a%D£„‹ƒ¨þmýP7»˜j9I VÌl[AV°Ý»ª-k§m& eÐqra Hþ€®öƒËKè®þ@ë²]Ÿ÷øßnItÊû×Dþ¥¤qž‘}®é‡ÉãÃI3Kê£BXÎÈi©îá–ž¯\Ý'PÍ8áò8’Ý¥ÌÕiObë™= —š‹ ¾Büì'ÅŠ`ÈØrGñ“ÞÝÝô-7â Ó¶B­°­*«ÕßiR³¹ýû†:É÷í6Ücäî4 ™c¹À8æŽá'µ_fKþäÌœ¼ÏxLfÞêÿ8mäÜïÔ­_Ã/¾°Ë£R*ù¶à8™¥ðÂ+ÑA‡ážhÂ]ùöß¾„¯A*ä…ÖC¸9KÉiK,%fYÌ®ÜWEÛ» u×ò2w‰ëT´,sfAá…î›ëH£HPB®iLRh aŸp@QáâÙrºÿnä…ñlä$6)¢‚x!e! %/KðW–Æ`¢s,²ÒcànÃ<~²j‡.æ ­GðšÇͽ½ö^w¿yüc!a@€Â$#÷lJ~‡A½Žî˜8e0ðˆtæg`"K˜õÑCáüÖ!ˆ)uŒn.ÇfgûÀ¸´&QÔek¬Ô– ÆLïÖ,~ûÐvUÊø*[}cnC³?3Â8<áÍB¦gaú†ŠØeþàÒót…öåaá^(%”<÷êÂl]¨S¶õ.³{–‚)óøúøIi?0T\¡«ø¡ 7‘ß(QÙÉq'Änêx?®ÑOEy/ñúfß÷~% Ö ŠzìdRvu1„Dëªå„úEûÕQ»u‚m"2ö:Æ *mB6{Ί÷ýb™ä ;ÓÈëÈžÐP§3óZš²<šm™ŒÉþHÃ+QÒ=²‡k¡:qµóú68Âf/ª¦KšmÙñÿÎ’û3Ãêø"‘ƒÈ.TU«Ã~X¯›ƒÚ¡ø­}ƒ‘ŽÂ–€årÉjL"d¼­£#™„gåë‚ÍaíÝè£6yU¶›º-«eç$Yªº+-ákõ11¨H"Àv:ãòÅ&¦*¡ÙA™iœÜmb;šVæ¾”xHÙ¶dÍ“’Fw»ú‡kI¦–ò[r.cH̘`÷){詯/´þZ" ªXÁÆ\Q„ÃSÈ¢BMŠÛ£y(FfàŒˆŒfïÀ²yf¦J/§Su63Ç+¤^OjO$52>nf ÉÅ"?øªÿc²…²ìß©ƒÔ\ã'>‚-Ș¶‡ÎqH ”Él 4“Ë-x¿õ3¬èp:awL¨³!ïT–×Ú½œD?ù’¬h°ˆ9‰‡Ó”eœøê`ý˜—D!’xN~ÁÅý.BÙ±wŽïÀr4rð_WÆ©Iz3Í9Z¥Kçí¡¶OºæI·¹½]V§À1eé•KJƒäÂùÒgIo$ëþ&Fu£ŠF5v©V“\Î@oéC&ë]ú ¿™ÌžÐo̦3¸8·mrƒ+Â|–²öÝš²ƒEã!\þÌ=B^õ½ø6ì]£0šÆƒÛÆÌ¥7¸²•.Ï›Ð`ØL²M•hTÕ£uªÞõÌà ±E×Ð¥o$;òG„Ñ…›HÞ’h¶÷aßAz¸8Ø€D¨Œo|…!KÈ´,ÒVªœCÙp( 0ˆ¥††HrÅ4N¸?É‚êÄCω?¼CüëóöA®{*gÁîá­¡7Y9MW¨ƒžZ‚ÉL+L©ºØV.¸‹¦q‘+>±=Ù$•±=sa™~×-‹{¯ƒ½Fg<(˜”:·Ÿ=ï¶áÒÝR'*Ñ”Ëê¡ Ø‚æm$ж/áéàêÜ=$;XMð‚…P‘˜ I‡¤ìE”ÈìȪ« Ë«uu| =d€á‹$CѰ0£ÈüÌFÓu4h`¶W$” ëMçýéO´Ké£ Áf:¶?'°žy¨W³šO›#[÷fM‘ ʸððrµå^üÉ|yQñbN¦ðþÒÅL–+`8òˆŠ‚3vÛ,“‚óLr¤P*Á©7›³PBáçýx¤¡oõ¤‰y‘‡Z †Ñ€»ù—vÏî2Ä_:BVH/ݶ€saU|G®çÿ8>!d8˜ÿW”"šÕ‘qÖ-†×røü;¾ ‡’„þÞ)9JÝ—åµ%ІÝ˰R­V¬/ªŽ.Ií4§Ä› ±¼%ÂMÇ!B§Í¡É ËQsYfÊÜ(VÙÄ4N…= Iªé8ÄìS±0kä»ú?Ì;Msùñew;¬3È\Tð6nâŸ(u/ÌWµ!On4ŽŠLèA¤ï|Â?TæN°<™XoÜH]ò4öj.æÇ(áh¸x4é Ξ¹pꢒôŸ|J·rÛ"4Í "Õ¬¸Ñ´ÇŽ.•ŒÍñÒåSq¡œ ÐJEû¢§¦ä¡£„†cIè*<ð‹ÝƒæÞî?›'»‡)ÜqÔÔgÖc #\¬ œSoÆ9“>Ãù£¹¡\­„Ao/Sñtì§V´Î&Çùv't Eä¶ðVô½Af\ÕWÀ)*)QË…ï‡*9‰¿0SÂPiÔΜwÐûW:´BÿcNK‚'%I…w–tˆ3Œ5Í2h1º Ÿ ‡Ç¿޳4×t†‘èËÁÜò‰ÒÕ@ÖI¥l‚Q:ššŒã á;ÿtî6Óz Òþ‡ò¿yÓIÓÞˆ¯—Ôh_}õ$'ÿÛêÚ£Õõtþ·Çåû#þ·ôÅÊE®Ä×…ÎØº¦²ì3O=MS†*/w\Eýìep…<¬â¡ë *€OõȘÞ>®!.Ó¸n #Ó»„³€~ø“^£*(µY¨‘í8g9º Dq0ÁÍYX*»—â6šÒÅN'e’žQn4o|A)š¨ ŠøM0"·{;96ih±^oBå‰w6aùcskô•B_‰½àb‚xëèB©ÑÔŸÁÝå8ËP¥…ÒIÒTîìØ2 „ÀNsÐ!&/¹`²MéE­†‹Ó ÈY_a.bÒUÿ-‡°§Âsç]aÆë˜1¾RÔ–Ã…\ܪ–bùÞ4†®`,7çLAà1˜¦Kü@Ó’-‰½!¶k4†9zç ž1*K¾px¦h!Å1³¿¡ò}4`‰±ú.@bÕÈw VŸÎDkƧQ(XëA¡à÷®#ú(“GŸMCQn¬èµWnÿŸÉÄù'óÿáã•ß“5ÎàÿÄ.ÿ¼þžõøñ“ÿO<ù‹ÿÿ¡ó?˜ü'ºˆ£?ña_~æü¯óò¿®=úê«ÇÖüÃóµõõÕ¿ò¿þ1ç¿pg]ÔëêT‚3aÄ—·gs öù ˆ©“Ì\_®«£þ¤óZØy`[U±¾ºúóÀ>©áŸ_Ñ¿Áÿ®­Áãµ'býr;ÑåäI"@¼dÁ­‰Ý°× ‡?8C<ä:½h2‡3+Çþ0ôÐëa‰ލšs]%dFÓš‚=Gçt²:îNÊt§‘Š£A_w¨€$º2Ç CSW$k˜ØîŽt©T`ÐøŸQ˜aANiIßRI# ¡˜%Büâó€ÆDækê°…(ŒM¡¡ª‘ö{¸‘Z1žØ’G¯ƒ¥´3ð@¬J"Î1&qšNÌÐÊ©ö(;m£JcÙ‰ì¤yµ›jzÊcG_|Ný‰#l7º%Ýx·1 ¥L ì]ââ@ÿ›[ŠŠ&¥ŽÊ}++‰Íò•CÔ¼`.[qãì0FºÒhÃ8PZ¦8öcškDú˜ •+2&Åkûº¿ÒMŸ6S7.Œ6Èݨʾ‘¬†Ö5rŸŸ ÌÙl,¤wù áõ¶úE0&2´]v©¾ÖxÊk´ ”0¸X ?ön0ÞP54kf•Éä‡Ð?\ùØš_0©=]90KGÌcËËŠÕF°OBîÚæÍ¥½3Öë š 5«­×׆ ÿmøk `ÝÞD®ò|Þm??n‰ ë]âÃîÞIWh½8ì>k¶~ìì5;/܆Ì(—M±ó¢½·GùƒÍI¿Ï!ðKû~Ô|ö÷íÝãŒywßç,›Ü¯­—sÆæ[‹I°ÕFËíZî³GþîvNŽwf®S*ƒóáößo>ßmep>ó.‡eB‹Ÿ¼Ìá™òeþ§Çí½Ãævwg¯ù<Õþ¬2iJÛí#èìÁíÖÝýöÉ‹Ãí©ÌBóÖ¶ÜÔhÈ8>9Ù=q©Ò³gíùÞá³&¥f|†vÚ3—|FñE[„ÓºPË2'9¹<;/p$goySl½ÃÎ L ²ßívþâMKгOÕŒ£;õ:ÿóN{;ÿc|™ÁS³=kvà Úog°wûmÖÇjØŸâ?G{Í“vš%g–Ê &¥›™´2Ê$)é]Ç£ŸìUòõŒ5Þ>yy”Ïxùuö1Å{t{o§u}hÚfï²í_`ôw[²ç3d¢h®0Ó:<ØÙ}ž+ÏÈ×lj·C¢ÊN³s’+ÓdÊ‘)š°u_½Ê‘+ÔÛï|õÕŒñ팟·þ>ãc|›?3ܸ®ÉyÝ)5k2)e–˜×¦W¯k•)7{ræ·,—R²N˜…Úf•›=÷sÛ–O)Y'L÷Bm³ÊÍ^ZsÛ–O)Yçñb íx‘•v<©/°Ö2YHú}vCv€y“ å2›áÈ qÜþÇË]8L»ÛÍãŸw˜›vÒ¤rÊ͸ÿÂbne³»@æ-³}„˜‘pÐvÿñòuÍãŒFå”Ë»·Î»‘/x§bÙìR¿Êý¬•ûU+÷£l¾®_ágiûO<½òÆŸÕö³€ýgõñãÕ„ýgmý«¯þ²ÿüQö5ëhû‘jfT¯^ ?êÀ»õg¤!Í0ÿÌ4þàŸ_ϲýdX~,»Ïso|+~jˆŸ¼éÕµ²Íçÿ“ÏSk.~õhçåóæq†ntµ!µ£\ÝEAXé´j¢yü| o~ÇÏׯ9ºßÕgýÞ#ÊN‡ŸvÕÒ§üÌXƒ]Çÿœ–ÖÏ­7ê³uþ‚ÿvÏ«¥Ux¤ P|\N*úÒÕjUqwÕšnVs˜òz¢A9Õ®aã«W.†ž7®ìívNªògßüLÌü¾£)ÚL}`¬QÜÐVKewû’ÈÞ d­`2(ÄÓZÑp¢xÌzãÉ7Ê õÛ4BÏ4„/D”§Éà69sÐtÙësw¹ÉI]å qéM¼E9ú}µÕÍÊ…‘J,‚µÔ<ô©¥î'gZ4 ©(­éÑG¯Û°_Ùo¶Žë¨¨ ÔÁ<‡ZhO5OçïËä&=ö¥eÖ&6ƒ–F ——!®6€Ak£Á4e]_¹Ìm(ӶԸʡPny]ÞX6—&ž@†`ojk°àþ‘_ÔoµÆ#ÖWøÞ[•(Uc‘Á¬€ÖÈ+É3­_åfYí€w0k#˜¸àÒþ憌ÞþÛ€"vµHHQÑ« †yNÔäTþp4¹­Z¾lå%´­|•É–2Xú&K–çÙò·zì¬^¡-—'prñóÈÊ5®žã¦/<@˜,\÷$1eBúY=-=:Çÿ®K> w>ç2僤èÝWuäpPÃeã,Ì—;ð/®þk±#cÑóÄÞÃ4¨cš€Ü¤KãÈ#wBn!Ÿ¾øJ6D—HÈ4™nÙ^˜ß1åfçßÐÆ$Ø*Ÿ„Æú€ÊµŒ Ç"I©ÿêëù'•J ëõûœLÙY)&Æ¥ ³‚ÿúo‰C-‰ïÄ£ó*G6ÇAP0y@l†‘™a>FôS=í’[c:Â)±ÂhŒùÀù ö ERx¨Ð*âÚœRñô’J<8wx_’ æ=Õê)|«š(×ã¹n§ÕZ¦Î YwUý?µrƒK¹€Ç¿9Ìî~ü‡ÅMáÇ˃Ý࿇'uúûÓ–qrMï^:lýh'ßúðbZÆ9º©ý(äUô@߆[›Ë]Ò‘ ü¤_e>EcôV¨³ …×n* #õÒ)¬‹Ž‡‰]±Ndð°jêNrªÎ°òDæh]=x ÁÔjáYÐDÌtÀåSAË®?§tJÙÿÿÿÁDÊ ŸY8[ÿ·º¶þÕ£¤þïéã¿ô˜þÏÌ:jå/NÑû0~ðàA}¹nDÔY^Þ¹Š½û;tÿï+÷~ÐÑJ 7ÁôKã÷xí«oœ HvVyJ??x©bÑ 6ƒF•~³õcó¹ãñ¸ÞxÜxêꬂÇíŸv“%-¡¤d(ÛÇ nW¶s«LŸ• üïÏÎc44`¯JM8ß±†ågRÞH`Mì›åÙŒ÷ñiì÷¿‡&¥¨¨z0¡ÜÿÖü‡óÿ«áø}öC€øÿÓ\þÿèÑ£düïúÓGþâÿÿGŽób·×Ñ“öñnsOÀßGLJ?ín··E³?kâçÝ“¢‰®Õ/OÚ{¿À-RüŒéPN~íWGÇíN§½ „àŠ@-»íí†̓_ÄËNé5OÄ/‡/ÅáÏâx·ó#kÎŽ +N‡žép\õ³úîɱ~tËv4Žàõ>EýB"Œ¦ãQ„1ª&t…ÂP/¢·¾dȬrûx§&XRÑÀ'íô‘s W¤}ކÇÖÙÀ§)›úÄ¢e‹k=»P#8dØS'†; ê³µC± ¤0a¶Dº§Ï_&D§ Âó´O릓FšW˜Ãï´c,¤xü~óï‡Ç5çÉîÌ#~áÛÝÛÉí잀ð/v€g71ñÎÉnëå^óX½<>:ì´Y$5º‹Œ&*Äž±ïŒ¶šÈ1œxBæy^Œ˜²Xf‘þs,GÓ‹AЃêz~SÜùŸ`j-FË™µ66…t`PgÜ:V!k‘$1TÈT;h,nªtá(xu}æˆ_Š”ù=Ôöøïzþh"×Ùì–×P>ƒ €„5,:ÛÎì©{NìÚ1:ÖÐ _LƒÁD‡£[3a`}äÙi7ã¬`\°%| Ÿ„×4Å$L"oÌ‹ÅÍâH,Ó©¾BÂüŲÝŒ Ä/§ ûFO@¸‡¾<¡«¥º€njŸZ¨H !?ñî¤Ö1›ÿï³|…‚o–=ÈYf—´PLjŽ0è1wùœøš2CHÂØïù"xÌdæ._ô…#~"/~æ Œ0—¸;k´Å¿½žLF++777«pÚˆÆWp˜xå»ÉHXâk±wBQ¿dmbèãö?*R°Ê¶ _‚qEË4›–ƒ §û…V©³Bí|„¹Òi6%Yeqž†¬Œ¤:§ù5e–ƒYѶÀ %'ÙÐÖðŸúšëk¥NÎ¥9ÈòéÚK4´´†Ëà˜­Oà‹ ˜êÜX’äÿž’åÒrõZ×ö:bâOôìåîÞööîñÜ”y’=„÷À}A L8Cx¤Bùu¦—i8§çë½æ{±Æ2];*aɾÝô_Ãö‚F/Ÿ‰e¸3.Ÿ=XvîZ°‹̰h?„îEÂt£¥ws e<¢D„!“=¯ŠÍÍ‚{½‚¹¨*§ßÉ1E:šfœ^àPMZ…§ès^…£Ð] Rô]ïtwÚÍ“—Çmî3“AþÀaÝæËWˆÂ‰õ4áúAÔ°è³6ìô6ºöái‹álM8xsß«9z™ÿõ¶ŠÇ÷0!rñdN •)`§´!EU€ôл†9Ö^ðµò–Ä ó*Ó)ºõ@\ˆ&Ñ‹ _9ýµû=>mÖÿÙ=XÒ QÅÞ÷JU°AíèQßã8Pþ{¯ùÏ_º‡pú3>؇ÁÚíîn¿ÜkW%=l³r'LhB¢l;†}ÅñS)Ú$ÐI˜¡‚”²7ˆ#ãN„”¨‡q] WaøWéj‚(ŠÒˆŠ+„—€F"~,žWÊqš±‰IQÅ^Ó$ü%˜lzé§8¶² sL}ÖÛÌ <,˜Zù¥µ‚õs«”³& ÖÖÆèÈ—'»{%_trw6Ï#zŸ¿ñn•M‹#w覅Ia`yzq<Jd3ƒç ÃJ²{ˆÐ±·L«œ·t›Î«åäØg‚)Øpbm{#Q¿,~,àïýŸ¶ŠÃ·æ÷ñþVq<äßj‘g ƒ!> ¬AI4DFö“Øçˆo̓ÃÝVs¯ûâ°s’žZ§ÉVyÓŸây§¥bÈÏDPÇG˜¼úP1ޝL¨’¾ ó1Í*3-K%¨‚¿VEKÙÆ_¦¿âò9/»Ql½O—¡¦eÔ›nrÆw¹53ÕTÕ‰”€>Y‚ËùY³ªÞìϦ»wЕóLÆ­ú¿‹ã³"&<Á?¶ŠƒPÔãb¢éôšÓŸ¯}R)l3TVÑ=ÑÃôºAø&În²·ýmÌŒ‚É“#„)*ÞÑ´y½®ùAcÈé+ˆ'°»¨°$lùbT¬f ·ÿηi´ßù½éÄCüÃ:ŠL–t›Å@òï5,õÊ«XNIš/…•BSK^ 3 ï+”žYŒß™Õ@ØÿÛˆX´s|¸Oˆð#¿fù*¯ƒ “Ó TQ!ÈñááI>¥“c OÑœF^”Ï7 Äbô}TÜøìB0 CÂc Å¿ãkv$Àƒ—P"Öö5ƒ9F7(ì »ýâûÆyI…£ç°ÉRÉÿwv_í·7D½øBäÅ/aÎñ@'‚œPV¥ñÜK#›]PQÖÛíNëxW¦€5Û©Ã¥áy{ûûÏ…V=ÝBûº–BÐSQ»Š±ˆy§Aÿ?Õyù}ÍU&Cvã@GlH÷NûSè)y‚wZ­ r‰Ygɇ¬zä¤Åb¹H¹5*ÄÔa?á­ˆØ‹Ž Yž\ÊÃe^Œ8¸Ó`ƒî÷(c“‰ØÄÒ×„ŠžÏ@dÐßá óº.’¢üä¢×ÁúÕsö”Yœ6uXùˆ&Îÿ‹SYaAü°àîÒ ¨d–+Œ¦THoÜŠÝ¿å‘ #Éï-F+ü®[ãS6Cr-Èê90_íÒ†‚„PànØÀ 8Ðk½Z*.®‹ìÄÚ}¡’àÉêè¤Q/$€ƒ= <êVÀÃ(뀇$AiLã?ù$å¬Èc< Іà«ç)`4ØC¤ Ð8hJópº¶`yø¿5õ oNù"½ª­Ep^IÎ I=º+)ZO9ÄæÐ¡™Ô`ö"ä‹ùï´ ³¢[eæRÔ,jÍY†ºW¿s«3›Ý¿K»×3Û­¾íòVûcÚ¨TnïÇçúvK¬Ëëvi5e-b1j NÒÌb<6ªN6Ž +l§Š´‚Ñu²ØAvç,Èaa“¹ì¹‹Sô¨šbËp¯ý#Ù²]­©;ÌH g*Ȇ4U×(ЉÊJ…ŸË)Äi± Ìí·]R”$U'×*Ÿ ZafäZÜRê,ò|zo½`@VlÝVYEåw2NÌ<>¢ñ³7-Æœ TûÝ Zl"q ¹ã[ÞþløU·æ »N— ­>¨ˆ9;©ðÔH§ME±O˜ÖzU¢Êyh3œró†¢aš„F{ÉÖð?™¾Ëî‡xÿ Ñyßã+j’)%Æ&g¾œeiA e Áx”p˜Œ}ãÔ'—&š¸<‹ä¡8§ªÄíÛ®ƒ.w£Å"¡:±ù’â´pë´t®Õ£|)qßãhŸZEÖçqßޥ禳Žx×EUœŽ¢QÆ0»· { Hn2Û¨lèšÕk¶´£Ã(¬Ëw¢ qkH÷2Ø:Aˆb®eg—­’Ê,Ø´á¿°MRõ$ÄÉì*EE‡ž¦+ ŸØžŒ½“G v’8O‚«Ñ5r¸ž5ˆ¹lÞ]è³®÷a”w5MI67ÿ VV7Íây,C¸Ãiæ\0í€ _Itƒótº¼|Aa3C?Dé@_ä׺ê7:/e…ËÞ)´·ó^_†ó/9g7…L{¡Qߨ=Ç™šõKO,qfJNmiRÑ€ÞcF…’Í1c¡+ ¨¦Ì–Ø’¤VUeïh22¦%îš18’,@'˜2YÚtY*$OìÁ ŠF¶È­è¡G\@gf¢Ÿ±TB'™qDJºwªo6<U`B#[<³M:ìô‹HUÝÝö^‡]peÔl¯³{éhÌ¥+r&j$âÉÍ~4ðz¬'W3½w"I«›ø^YY WëÛ£r²äLÐÞEu†)Qš)pŽpûNã”B¯N«Z¶Ö8£6`8̱Œ$Hpq°&ј§Æþ†¶Àœ¦‹uú& 5§%òæµðáƒhvºíW»'•5‚åÕ¯¶Ê¦XYÛ|hŒùöã ap1 3LŠŠ’¶®õãÆI!¦:A¢0Üå»;Û$:óµI“|^]Êâ)÷3˜j;xA¦°qTùJ¼‰¯©«G‡ôW¥­:Ãú’Â÷øÊŸXáÂès0é3$Ep)ZÛ‘€‹ÃŸ4 •iˆÞ£ü´*¾[éûoWBt|XÿîË5tï³ Ò~\¥Ä“r¦'V)ÃQ*Ç=ª”õ¸\˜s5&WË2¹^– Ú¯²¬ý-Ëå ÕŸÊ}| šòeéF›äʉÂÀ#9Öžû–+=¸”‘s—°ï1°KÐ\2vÝ¥€EÕo¿…ŽPDIûp§pV:=_+XOÊ…­9‘NVÚ‡Nº£"ÊV›Š³Â¹%`¸ºÓªŽÔ#ͳ×Ô*ö>£ 2þU,òƒ³|FÏ^«P> ±£ÿ½ÆçPìü\†ŒË>¡jút‹Ë¹¬® ¨iÃßpÇŸx—okÉ|O-Kxãb@ :2âºø^Á¤Q_DzI2¼o~U“¸÷kr+¥°@tÀ´¼•«ã'OSÿgžê¾z™ÞÐXÒ¼OO¥ýqÆÿo›ì Ë—ñyû  ü§½Í9É1ÿ¢3qA÷#_>WŽˆžè]S¤{œ!EV< D¨S„O“-‰PǾŒ!t 0@44ŠÄÏ€§*ˆr2c$ òu¸ƒ‰ÈîЩ!“HÔPÆ!J¼ë!p 2‘òÒe8_~›¢s.9ð^øx§H6â¿ÃWW 5%…€@.QX³G*,ãÝUf <Ýh€à_íØ~õ%¬ »à™Ád4#¥kD™¯¸ÿöÇ‘"{«ÁèQ¤­Lõ„^6·¤ EªJ<í]“ÒùRj’â7¤ÁRÕFÁòÇäÃÜ,“­Aɰ«é¼–þ°B®?wch–tú”ÆÅVàÀÛýv§ƒ@*{˜=r[‚-D a8Ú‚ÁÖj±ïJkx”5;pf¡Dè–Y+,}!Xr´6-À’w‡ •Ö Œˆp–€DàÏ>d` ኸf®ú,¿n臠uš0»ÿlãçªç\ÚÂêëÎ6È9ªŠEXJãP¥8‡Þõ0ꋇïDiͨ¿¤Z&kðªÊí5cj$& ó'ÖIEZ1庵¥æè2ÃÕGTx“¡,Ó’¤ïtµ†¾«x F¶ ,=¼”¼Q2¢Jpûø”¥ÍeÑ7(Ž Ö²cEJíƒÉÇ‚98<ÙmÁÅK»éšûô­Ëb¡§ES¬ÈñÇÓЂ "œ í¥«a2½0aZ½é˜¸œ£„Fû¡\Dv´œ@ƒ€fËA7†ZÂɈr±ŸZ0<¿ß}§º]±ˆâB[vºÏ_UNe,ž\ïPñGñÝ—)2Y#FmlÏ e._fÏf„Œ®âô’ÎÃÜ^ÖHÁƒsNÇäoe¦ƒÛxfSfp.«`À:è¿Q(¼Œ½+fûtõ\œjŸsS­_×`íRÌ ýOÝC³y0’ù‰ ÿ„…¼’*ìb†&¾ø ¿ö7FgÞ‹ø!ß¡ÇýÀ+ê}ü ï_L¯äIC¡ŒØé!ð<,qұO<ó:â¢úþ¨Ë1øABe}×(ª9R÷0MÄØáZıÅ~JAq$‰óªÞ––7ùµb,2W z™’NûÊf­@V}¥’¾RpkóàUF5X»½ß G±@8Š)E D±f#בÂØÚÁÇûæš¶93ã/¶ ³Kç’‰9¸ìtí\‰ºf=}À¿Ǫþ“Ð2 ÞÁˆ—›ù+n2>Ùª’ùäúÅï¯éûëìï±TÆÇ¼Øðë>}Ý×_Ó›­ S”2ýŠÖ™ÑðŸôä7ý±Ã‰ˆY®& §!0Ãè* þ:I²ÐlÐN`¥—i×rË‹. ìdÅ5õÙÄ•Ö}Èkˆò<"6HM%»Ÿ:Ê/ãÖŠ ý•Ü:›—Ë—ó+³‰¨!÷$£øWyŠåTSPz²ÕªªLËvu ÃVü¶ G™S†áÌÎ$<6Lljѵ9f“†±xœA‚chQ¤‰1L|û°CÀ¤¦k QùÆ¡Ê(1Þªn ÈÐ/ȃ¯ ̶±"=E5á_^úrKoÅì¢n·„˜JœW®¢2ö«X£Ì¥i‹ùº Ðù†:¨§=¼ÿlm°äv #‚²¯&Ú ¼‘è;4AÀŽ·xC;ÏÔæ,æ÷fùI¨³^2²`jµqai¢ä|çê[6–]FŽõ‡R ¢ÕZ9€“ꪎ¦9&B R¡ºœ%ÅJ¾{’NV(­F¦¡cøGÞêQþ¸ bJiIªY6a¸Znò(7«ÖrG—]oȧöCUI×Ä \ðð“tÝ™F‚,`¡<|‹üP•‚iÃ[É6•”ãÊâD•ï˜ü@½/H·€OEs`2wBthÐG c1äÁ1bVÀ‡HïòаJï‰G~ä·“±7âÇûâ¬X’EÎÔqºVkb]¬=¡¢XH—)J¢JwŠZR`×vì˦G¡—“ Gžúê)**9@U”L& …ry£¹!IZ0ø·óº‚ÿYöã”þ¨‡ QY sκ°öÛë Œc=¤è> ßx˜†ÑMÊ#‹füye_RIËš‹¾üª‚ÿIúº-#ÖËÆ(ß9%€¤2õ®HÅå,#ƒ…lHB LØØìe3Û„‹±—$Ê»<Ð=­´d(UëáC|c½xõJ¾z%¾y~(ßüÝ{ë¹_=oý]¾ƒ“ &._}å–Øùê+·DâµjÐÏÀ­Q÷~ìs~ (fJ«RÆÂ£çî¼´vjîÚ³„¾+­)¯˜DÜ44«TÍÄð¦µ"ØËSOµqTóŽg[¦z·QÎ\^Ëí…G]Lƒ"áuFßfl@µ.QZ%R«;U,« ”ÖÔLw¾kzO­Ô ÙÏùþ§åvË£ÀâéÅÅê¾tqí ¦œÏ»à`E¾é4†;|hÚÇñϨØfã‹övǃB}ì©$YúÜE9C“C!‹F(u66R},íE Â&Uböÿ–>mÀÌÚ²§øÍäÑË΋ÊóHAv6é(«œ>?Ä‹/m„ç‘¥–W×óŒòäŃ3l—¿“—wuS¼»·M¥+Š ƒ¬T\W½ÞUd!"¦¼0’¤söz]ò¸f€lû2¬IcÏ™ôié½[þ#UvžÿFf¦ƒÿŸßžŒŠècý)—ªŒ¬¸¤&EþÍÅaIܲEÁÇ3¾ÍñµÔX®¯^i6’àëkpJ Nìa?«ºŸWeRâ¼JwéÛ•¦ŸQ)•NTŠÏªîçs+m%êlͨ²•®±eWØ’õ¡… „û|æ´y~*¡åá¨;G^"‘ÖÁœ…~ ÑHAÛ LÊÀŠ5ôQB®ƒ^£ˆW…x 3z…µ8Ý2'lÖWNëäI—ú2û[uõ2_f뜺n3d5½J 6>«ºÄ€‚Šïdò‰þ¸¸/UÎÓE*q;îTá¼&áM>ùóù •8´=¶‡ù •ÕÄØÚÕæ×§zœØÇÃ.›èç±½1Ž[ "Ÿ™aðæÎñ'ÒÓ‡G˜ì Z‡DÜÆ°–‡«œ<"]”y„ÙŸZ¸Ìÿ¢•ñAniž`]ÛܲÇ夜Zý¤Ä‰¡IçµH ÉÌ"­y%d¿g9n%²gØ ¾Y±î‘å@§QåÀq C‰IßÒÈßMÑRÕ…ÜVnÆô‰þk'ªÕÊ–X4ªG“7uê{%Š» zmÐT·×#9‰IÒ­l7–&Ù •ZL=ø^ö‰3‡Y%…¸¬E(]¶Z ö·FMo«U' Ü™_SwAtû)"4J ã«MÄèO$È ¹%†pt•ʈc“ÒŽ´ðlRÈ! ãæ¸»ŠM8KÆÍøA÷Ù!þs´×<™‘†…°˜4b®îàE„ÿŒðOaHoÒA‹­“~ˆ1fž³çÀ9R!m§J·+Ëjåf¹@,àé„´1x]@ê \0ž ÜŽ®lG v±Eñó!}E>´øK/rX€cõ Çàòʯ¥•þ¦XùU,?\é—-bþx\è2{Ý[c¶õrvÑ×4ÿ¨'Ë–®(c¶LÜÁ N¤3 J}÷IÄïò'0ÝšÏ?}Ø‚EçË~ÊÄñ(-2mõqÆÌeLŽœ6Ɉ·»ÛÍãŸwøŽÓY ~qv1d6•óÚi¶Dˆñµ7Š£þ-zÜô½ñMš¼wÖUñt»óË>š… q+¾N'ÁÿÞ8Ï,~°ßÞF§[qý~0™Qto÷èCžGÑŒb‡*wTıJ³ >}¬‹òŸª°›Âî•Á‡<=AÕ AцÁˆL%6{_lÿÜ<Þaw&ãp™уNe±';âUf]fH2jê‘q”`…=zÀžŽ\Á|Új g÷áÖiD 4dîÓ|òzì-úƒ~µ¢þàRÞ·Td u]?AèƒE©ó,-Dÿ)qÁdV5bmµñøœ+´<š°@x‘TN‘D]â\ £þT²0y@ÃVa¼|oD'C¯kŠZË+²ªü_Ž#‘2P)3,‰g:q¡Ž{D×䯉Fbë”+…P·?ú>Ò¸¸Uùx%¼B*êAã/$‚_£Ã¿?Mn…7I¸ÆR†Â ŽXªõ!43Píá€^¤@'I7Â4?qÊ.4Kì߯åÂfÜè®zE„Ô®¾û“é8k›o.ÚS¥)ŠMèÐ5ø‹õY¢¥ëg…zÿD¡ ‡¿ê?j‰A43]ܵ¾èg»`•pì8ç‰Ò;â¹"3ª•¾ÇåQöó¬ ‚(ÎøŠ=`ŠNEEü5ÐÞ˜”èÞ`2eÑü2ÑöÉQœV¼<ÖuKô¢ ÍŠ¥çÇí#‘Ó5(£–4[ܯ3zÉ8Cét RÞ ¿òÄ’7žXeƒ)ƒ]£!~oKñdFt"´Î<ðº#+{c7˜Ñ/š>äopLæÄþâ]½ fn 6ØêÇËr6.ƒ™Œíù~¿+ψ.!Ú8œÌåVƒ~7ó›EËÖ†aøJ¯¼¥6ˆã%Ü•öpÓ+ $K¨‹fká¦É¬³f¯ÂÓè>|ð£­Ëaý:\_›ûx¨œRTЃy="ÉùÅú³ð@wØî>5iæ<Áz ¢F^?ó˜JM‰Œ©0/Íø““®ÍW¾ýV(+7sWø¦OùýJU¼’Ë®o~tü=´Sw‚éÕ{ÈîtÑ\¶ÉÄî@%ð<2²MÍc`SgÇx±™ ™óíµ7övŸ¹fV™õÁ¬zæM"î {îVœ;ûÀRÔíjh³™UUk¬,ÞÇÏ[Uöqè† KÖ&Ë:“bÓrPí£Cw*÷ÄH4¡ï¶! ! Ú“µ»ouð..wh3%ýáÿ%Îü.{Ø¢–ýñØúº·#ÅàLJÛ¹ȵÆééêÚú¹Öï7æ4ÛÝiÈŠîþV¹t3¨ëŸ¢ôþfðMÿÈTV‘"ŠæòBÔ€·NŠ“°/^ÁrU,É?Å“Æ;ë–Fa\}–ÿ1\-žPânÆá´J£AtK‚¶Bœ^¢š†D¿Ë‰4gׄ^¼ûú) sxeI’3Ÿ»d‘–oˆmŠéº…KÁÍàÁä{'ýðûýfë°ó Ó\ïþ‚aËÝ“æñóöI>_ýX£ÉÄ™|€¿kË_?]®ó |½üÉß§§ß¬Qàüƒ»Í§”»èÕ;Ñ c]r…œžÖ Q½ã¼bŸ¥­‰ŒÈvðŽaK*Ô"WhtÆU“,¡²\rërÁÚÖÙµä +ÙUqQ,o•iô²Å­Kà¨iì5%à8èuY¨_ÁŸÜ±eeˆ‘ú6©ßS ?+‹#1*]ll+c)#¹¶Àh:fMoÊ„®5» šC6VG嚣)¬Jß# C&UD˜†.¼;èÕDi­ÊÒ¨Us¾âõ¬ËÁWs é€.LJ_VÁø&ýá1 [þa…Û#{)XuPN®ê!Jå]´Ëp%å×|é-A]‘cq „ÃYñŒò¼sµèsFþüoÏhY†þM×*½/hÿYb‘üx“ò­or²u”íg‰ôçgˆÈ*­æÆŸPœJ¤ÕAmd T¬.«þô€g¦¶9%3å]¨à‚Ñ»fáÑ-«\…Ö¤ÆGt™/1gi$89‘梥f¯ußv>s)¾Àú•´ü!ô®à Ìâiòwê³ »D CìÃ!¹*Óߨ‹RrG .¢XÚ3`Çm9K!9ÀöÖäþÏJÐ [uVÊ-”×ÏJüþ 3‹3•¥þÒ3ÎË:ºÏá¼Ð¸•ƸWÎJq$ HC€?¢”>ÛJ6-&;Áç]ªóÚ]¿€7¡öÏn€E>ì†üá×Ýeñ-5§é促Gî±v–s®ýç¿w^ÜC{¡¹Ê©ºÿYëó/€¹=uÂØUï4!~}q)o:õ7¾?êŽÆÁ[¸N ©Ò‡0³!ˆå}ê§ìp}èaŽ´Fdz|ÏUeSú K+c ÿ¬ýõÿÌhÎ]ªèÚŠ:NsôÚÇhŸ…¦ØÁ8˸U1‘Í?“×Ü}U¹ʬV÷DuõÄ0ƒ¡7ÐŽ($²² KV(ž%QRÉsàm¨ _JØÓ¨ÈøC¼Ÿâá×ÈëA¶b±2ǨKÚÀÿ¨€- ׺´«EæXf%`UŠv‰zhúXOÃ@>Ħãç4‹A7æ†ÜG vé¹ñ%Ž F°!œ+y‘²bÙî "tFã>ÇýKM€¼ §Þiw&~&æSLÞ.)·ïÄê%¥×ÐÎAP22@-…“£Ë,®E-¹Xð®+åë¤ãFÆ*™ï¹aÇ(RˆbªšD˜¢õF%*·äêÖŠõŸš{6´qå4õIW£+¿ÜY¶vŒ@˜‹BŒêSÉÊVv‡ ´ƒÊ†5\©¡Ÿˆxú…•_Wå_dŸ #žUNçËgU±\Z9[[Q¯GøÇGIùãyÙݸ3:³õº?ŽDý…Vαg‹aëiG¸”ÀLgU¢gÅ×øhÜ~<ñôqíé,ØËÖ~ÐO-òF!aÕ^¬í9·¯EzûêéãÏÓáË@ñË?¦ƒRWªßYð‹Q“‘ y¼[« è`ÚÇyƒÉð9ó‘‚Ñ 0‚¶‹¶•ÓýÇu~©Sž&++œ|Ö„Þú¬Ùú±³×켘‰·¿ƒ«ëqš·û’Òû†lØá/ìÆOø.‰G9Fc`/*-;1æ‘'Ao:@-u°ÐzãéªÖØ¢D¿OÛÔ[çEŒ> šT2¤ÌŒž¼=$ì°´TK,\ ÄP¸¢bgTÆcSZ»¬fæ²vG§Ÿl•Ïþ˜ÿ• T¡ fýgÎk.£0ƒH»´{ð¼rzÍGÖIœX’:Np[òãË䡚)&"B/nd™¸Õ„Æ_½®H( Ö‘-8¸¯‹p,½‚§_~ÉáÙê3û#Æ}M~U|EÏ 3àɰ>,ŒñH‘¼‹ïA?; Ëêü[/cã¦q™)1ºXVà'7ÞmLn„e’Á,Äû‚Æ„ÍÀaNÃ0ó™ÅÍKÓ,#¢œ»¶ÞÊ_5¼5ßF°­y 4t+ÂÕ)óë±?ò$¼žKCF ¡r-šu9ôˆ”8Áƒÿøðð$+ÆÃDŠ$KË—KàšqM0ª†#Eñ«Ê©zŒŸuº04G=±rZ¯ãÞ­Ë?|»ñÃÖöîñßýÀ‚v‡pH¢„{0•…êÈ4kÀ´áQ‘—@u—)Ǫ9V·à9¯$ª øÅ¥ˆY–r(R†Ásð¡ôŸd6hRÈOCŽ Ä¸c•VÎô°SÄS¸+A~çY™ð¦NHkª~Ɇì6!¡%ر·~\-dXîž·ZŽŽÈ¢öš´uZÂj£ íO››TÉ ÄmÒ!ÄnRQ"1‘pœ€!'ÉX‘ £årÕzÀä¼Ð¡}n—‰'|»§æS†Á ’è<ŒACxKºižËz$GMUòÞtj£FSÛͼ×Q=X1/rœÄ¸O³"»9c]²é?‰¦ckÁÊðò _Hå ,f ¼)ÛÍg{è‡Ñú1eΕ欲rGâ–ã§:ûF}õÞÈKkjïõƒU(õTY(í¡#-j6ˆOU†„pz1ö½7(cË$4õc怶ݔt-$BÇNÆs2Äd¾6Ök¡AH"!wEò²”§µÙÒX3q*®¢•1 üFÁø–à¡xp)]®_¦ïhÊ»‚N×|¶Kø!>vÙÎhe¢s H …§Õ1ï+ý¨Êxv›eÛ'KEÐN†Y;9þ¥ÛF„©¥jígêÂkºú]áŠÄKOůèÌ l´÷vêÖÑSáÅÑËWÝÝæÓÇx½ko=Z/<ÐîTìéãŒbOëbÒðD<"áȃ¥PjF4ïž~úò„ÎÔÓ¥sDbåÒÞîAûà°,Šú:Uü”±Î¶úâ‰Û½ §ÝAB—©y°üh"ì?²·½âÚÞv}Ðÿ(êCpùhý"£"¾EW“åžÁœ²P4|´nJ³¶%/˜vÚ÷ÄrMø\ݱەӋÛþô±*•h5­Ç‹²Ýam×—a¡|ŽÝþ§/M8lÁTÞ—'˜é"J0ÈøïGšÃÌT8¥h\Žp¯Fìwž¥h_LâÄÚ\ÞË(6Hû”fÈEéÐí‘ÐÄ[I”°lqÎÚ{÷õÓ.4oÏû"î/×y|POyA~E7þxÔÓ+ôÜ=âG߬šò×dt ÙÛûÃV³ÑDA]Èìz¨²Bƒ‰ (=Ã@¤“©ÌfÉB•RDÒºx‹<Ó™=nx/‰~„ç•jçIe:ƹ‚AßñZäe‹qEDQ:É#ÒãD ±(”` a4£i„¾Ä ]ú¢²lâHüa‡{”½]™Øcæz«²u ¹€ƒtƒGðÁ%,rd†ŠZblŸ4B,Ã÷RšxQé£õ.Wu>à e*¡ÌâÔF»(íH«µrû<} â«ÛäÌÊ£QJ3‰,B"“îÑwó¿îb9÷CÜЋUÜ¥²Ö×<YLû“——_pqäÈåE& ¦†9ëëE¾M~šËNgÉ™ªåE0{¦æ‹Ò$KǽèQcýíÉåCÑiŠC¸dvü1rÝ'”‘”nIõ Œcˆnܘ©.½9û:€¹CCÊ8£–Š0j©€)WƒÄŠ…tÀ0L %ðYs㤘ôgZQ¹×“þ|øÔ ²–ô·Ÿmuz~^ÃÿTuL“C›] 3߄ѹU =»PÙ:Éø,GƶÌ|iÀ vL­iÈO⃸û#I';>Èé…ú–>Я¬s¼Çs*{ú˜´á&8k½á„ãåD'eÞí0†5}»ssÎd™¬ëcò¨÷&ÞÊR>i}¸­^sÌËÍÌQ–á´©À ,D§Ò<®‰SÊÞ-ñ1eWóxË”vy÷÷ÆÓ }#'Ñ^SzFéÓ6Né% ]z‡ôdˆï KÈ%NX*^TÑ?P*?©“JOtw½I—ò­®0ùTF‰Rš_‰Éw}á<•†èÔ=Ìæ9ƒxbRñ@e“ñíV£,KªË‰0³ìO³B×Ê&˜W3°SM\‡Ž©ƒ`UÔýßÁ…“dX í0žJ×)=zœÕe:‚»ÄEt5•‰(€¨‘Џ¶úìô¢ð ·u¬†…~VÃÌ&NMÑém¬ÿHƒ'Z$t8. Õ' ÆTd¹YÉq¡(òÃßR¶åŒW)B 'Þ¬ôôW¾ãô›ø/}²¡ÐÈc1™‚gâî ÇÖ´©ö·»‡{Ûð¨õb÷§öLoå~CÆX›´‹ƒêõ£ù ŒjbCjÆÉ1ˆ^Q8ýµµ‘4âS ˜LÁ©‘<ÿÑö§v¹©”Äkbì…ä»èTË/©^þ3U1?¶¡RN[*Å A;ÀKƒ2›hЯǓÛo³%±íO0 Yè[ùQ42ßà‚z&¦Q€W]Û™9ÉJPz…ÿ Om™>E8õìË1ýÓÇÕ¦à4tŠš%Nfs9>zYg¤‚ 3®0S'áEŠYIfKŠ¥¬Çÿ9SÁÜõ‰8+ÑáÄí,šø¯O!›GS¢©Qfzö£\Z芑1*²´]›"0¾±G^%&Ôe²ÀuÔ¹î.Ò¬ÞãóõÔ™=ívY ç§ŠÛÃÀóö½òvA ˜ßMiaä:~V,v „”ìF‰"äÇÂúØð·$?K!ïq.ÉŠ<&kâ§æñ. Autï­ ÚaµÂÒƒ§ *_Gs,â‡õÎËV ¾µžì4w÷^·N¼¼Hx¢°ï˜Œ–o,}t“aÿ£„WB¢—wI<5Ûã8)CqøF‰Wü+å!Ü(Sx|ÍD˜;wK”³8²l`Ö=MØ€h:…ý¨(²²zêB b™Í»„]/Žƒ«PEƒ£?昶2_)ì§ÊZÕä˜æ2³e“m†Ô®@¤²^U O=œ/òrœx¹uŠUyTR¿ì‡ýS0zg Sð¡žC»kJª¶Ó ]9Í5S’~“ýh·8ÒçŠëÛðù*åÇ£Úq¤a£_˜Å¡CËA¡Ì.ä5·¶·ô4 l_¶šsfòïñ¹gfª´?…ø(ÝÉûˆBž6<ÈÏÞ¯ÖÖÎ>Š/KÉépb•íÄ):ˆŸ/«‘>klˆÔg_¦>+e”Ú(“G…Üù¸ÅgÅ3Îïµ!m[Îg˜O>C ¯*E«t1ÒAÅ´°+!:ŪPê¶í¬ô=ˆ¯–÷9È‚2e«:¼óTÉ]ëˆá¼2 ²>ž hAø+Z°èTô…Z?ì‡d2~*JX‚&’ UcÎP§2#ɽPúM1ËÅ1I€òfÌÃ-ºp” 廑¤‘ WéÎõk½àܦ¾H ©¬£ÏF™»&·„Q¸`±º„o1üß$r©å¤Íþ´t^Z·§Iñè'Ä£7?ï´Ý[½jÞ?u½ã§ ¡_cºz¸öìuso·Ùq±“ç’È<®> Œtº* ?@í/(dnÿnRÀŒ“ß±ËežûN·þðS?¨,AræŸÂ–Í<à‰3!ëT³I®i³©tDKšWÉ‘ý=9Ua´’»Ç—D“2Û`(ƒÆÆÍKåjÕÏÔi°–]ä0Ã4¶nšŠ4/¼/7¤Îß“ë¹|Ïèo,'™œÑ¶¤ .w®ùØpÅÇY\3ÁU-®éìÑxfbO‹Œþ9øeª“á ïRûÍWݽöAa)ßÚ-™xßjì¶š{݇™¥k‰£zpm½wÁp:?¼Ê $òÒ@ëé —»|ÍNØV|#kß0(À{nHî2e† ¶Ve,GÏl5Ÿµ¶MLºõê‹ÿ0îGqÿ_W£‘¼Ð“’r3ÖØfÆ``˜zƒG§#Œª™LnaÂ0%bês´ŽÌ‰„¤”¤*È8^÷¯4¾Ox±ë«««ââÓ6R OLá;ËʪSe¼ëO ¥Ñ9u "dUB´ñ”€@È¿d†F%ËáZA¬ÒýòA¥\w›%…1 ¡}z™UeŽóÖÚúú×_o2¹µõ ‚õ‚2£c­RÖÀ¿WáTé˰õ ÉèÅtÜ·GV&D”gY_Ç4)|WI€œ\†ÁD±Õy‹¦!¿Ó©zÑñÝÇÕ×Ð]GEûdùoýñŒŽ××6­Þõn¯PcüwSsƒôü«^Ï^F?á7ïVP.1ýÅU„Šw ÂÀ!ÇÄÝ>ÆücöÄ{ã«ó >AòS\!Ç‹›u-®ÆH cDBèr€©‹U·†H瞤6°SP„>¡år¾uB,žx1úF×äLj–†‡4RÞ=‹pýþ·‰7M ×ÍKñä:g4z®ü޶7s[©àdJy•UgEEÒ…áåy3Ó¹þä雪êÆ.ç%«ÁûI9ÿB‡ùÑ4œlèprŠ®G&T$•°v–ÊÁ@…-šÌyx~—ͯ׾YNVÖ\yuTµ°´½†7ef}?88á G®1¡˜M1ˆP¹ }R(kê”6çÐFãÛ»Ôç ƒ+/Ší*›øè°#'¢ÿS€›%G«JÀTa™Á¡‚ù¡ÍR)èÆ7C«ÓÂyÎØZ3„í¹K{ÆYjYñ¯±wÇû€P•Güúù—«^â,{:¿ž7ަè)@ëûÑ×OŸu¶k”Û÷@0q!xƒ«ûr:F>’È[þN¬Ähꇆ÷&®Ü’Ý£×vyÔ´ƒ6€×@¡×…*æ;F_¸k ‰orjÑÂS6™§Ož]ýÚjA¯[«Ï·÷’½ŸmvVæî‡ð¥&¼=nˆpž‹ö›7>vC¡~Kfc±ˆ}r˜ñh9øà³aÐÓ€›Ú%[K &w<5˜¢ôd¤+cdº°¢º|ìA™5lÿÉxúôqCìªÓX¹è|Šv/:íêcÔ80u5« :$Áæ„ãMq–ŒR&oO&·WåLã飯3•ü­K=ÏŠbpKˆúo(žõráµí³¼¶\Í=ýóœ÷¥qÊñvËíØêúãÕUë£Û¾À´^ôäíSú =n¬OoÔê{Ã,`ë5ùÅ`dìbÅŸôV°‡+½ËFMD~* ÎÍM) áGtÏW_ȹr¼ÒX>=} ÎÏWVÊ ²¤Gë_=ý:5X3éuå :‡È²³¢.fõ,“NQ±ë Yƒgj9Í%?[hxbƒŸÈ­±]û(GX¦(˜L`;]W(ÃKkÁïhDf†R¬¢($Ö~”¨VŸ³? èA}AékñV³&ÖÅ#ñÒ§â+ñõ&{–›±•w­’ùÛúS–ì«ÃEŠ+Þ*½§ë¥÷*õ7ý$G¼øúãGÝìÝKç¶  %T~lô#-ƹQН,®ÒpiR‰k'™h pí .•¤èõPjM'1]“bÌŠ2œ Ð5b7×hèyÏí}õÚß*¥YæÐMË 3äÿ(6;û£Mñ1é«]}KU¯}Å‹<(âEme]ì?³fÜQr×óbœñÔâ ÄC±öúS¦%S ° +'#ˆÐ²S’ätK&:; lg<ŠbCËœ¬JµÔj§nF“œà*Ä”xÂj°ppéaì²¾r¶>´¤Xx‡¦[H×C46¾…µ1ñN?X*V€ˆ¾|ªÍˆaÒ2ÛÌP¥ƒQ¤X—¢êîD'%¡+ݨp¾(·‰”äHâi|OZ‹Ñ»/µ³ [±ÈÙ¥«.•U8„µAŠ5»ÙÙî =ånÀ›7[ä)ÝÀ÷ÒÍ ¡›¯É#4!(_‘†L$ufŸC‘—Q‹eøxÑnn·»Û{;­ƒù,íÒŽ“'¿€îõ—½°qÍ9Ûùÿ ÐîAkïåv[[ÜDêNtjÍã_àÉáQû Ûiï툊´§ìîÔOŽ_¶kÂý]ÿ¹þ²Ó:Ö9v¯ƒà©³ï(ü)R,“cÓ–èPs'*«5{ó}HÎRu“u<‚9ú·Ø¼[†×A64Êâe_{ Ú³ù¿ôˆ£qàÿSDAV.Ú„H Œ«(®Ù³D×Èšøâî²Å o0#;·ŒLà<ï⢛ù²ËÎ캌U@:—ÄÉiÄ~‚±I脞íiîk#…Cs:táÚÔ•« ‚©Ç± ”tÍ.lvÝÀ/O3ºr;èßoìeà÷”#¥"›@Ÿ'ã[ìÚ·Ðô­S_3óÉÑCŒ‘&?@“^0È ü5ÓQ—q(Ë7`’©ë&%RI•º¿Ý9Œ÷™µtge"Aîd2Ý3lêVå4¾¨Œ„t”™¬Òz§}ÏÜéìã|º$òˆäL+}ušh”Y!N–Dg$dƒ?ç“ÍwIÆo¹—Ñìe’å¯u?2Çþ¡ÃNÒNSç×¹XUäÕ_ü/þW‡×™å.O+öÚ *Krå$_¦%¥Ïy÷ï-ŒLqÊåøp€ ýÍ­!¨ÖÑ‘ ƒ—lHuEÇì·ÝkL=îÒ­­{MZqýqQ-êÛöu¯X(ÌÎdz3 [(…>k'Ý›£¦ª/ÐÑZ;JÈ~•DLg¼9sêÚ}†ÁµºcLS(¨H1;­¨òÃô4Â$êòÔh’>¯­ÔΗ>DDÖù_áU’Ék9ó> £¬/ˆÕU”©Ù8^ÖG®¹âî³’*ÍrÀ™•L6gp¹ 9v2³çá–uÝkÔ•¼’=øöÛ9p*òßZS¢¹ïTavQÉÙ‘‘믨—tI/ö4I³jóèЇ0ªfIwŸ(ÄÞ|Yp¡ªå`Ìk³|ùíIˆŸV³œÐZõ…‰úvH)åð‰¦Öal\œè6« )rúi6ÍèR­øx!ú²ÙÕX/skËÝq©ú¥¶;yU™¯ñv®)"ëòò94Þ‰Z,m·huNº¢=ð Õ”ôr 4¤Þ#±‘ÿ[ ¿›úÑ4&´‘vÓ–Ää&g£¡›ß¨óÈ9ƒñíXr-®Q u«…íN‚ÕÛ}šŸ"ä¾0Vº¦ì ľÐí–}ej r"ü n’; èDŸP˜RèÜ©°®>ÞI…ÂðM?0oI¡Öw~rˆ±÷ <ÌŽ<„Á²+ÄŒJñ¯ÃÙ†¦ƒíÅ43@0YðO Ì[ü” âψ¼oP`b@gG¦?ñ$+B0YDG &kN—Ì‹›Y”‹fÎ0nÄôáh SDæô»a‡<þÏwßv–—háû„w¯ >‡¿žøCšVn¡:ζÎRï;R>xh‚ClŸŽ‡’£ë窹øÌ-"„F#ã(ÉŒ­tìÑ4ÀA©V "N·‘™š“3Sˆ°$ ){|oƒX"@ZÖÁ#ž œ:÷È3—”|d"~ÄË€ÒСš‘ÈÉÛ‘ŒPyÒŠiU–Ðbc¶ßInIKy”逭%…M "Âgš–е,¸;œôפ;7°Z澌(­Ä‘0ÖæfL|˹8âÑáoPÌ~ôYNTIŒ{‹ k2ÃO£M窙º>ZÝä=œÜƒPX8QúÏ '«ôÏ/TÆFBë@!Í õådVI÷­;™ À¼wÐ å,š·¶òBÒø¹y w…r©Õ*!Fí±2 «eGÊCôˆ¬ÿ«Læû ˜”ݺäÝÂQÃs„õkRÿf½ƒÖ§ ›Ìk `´Ñ7¾D3¡íC~Õ ók™˜2÷¼ÙHfë“6óðÙß·wç;õØ¥•SOS€v¦~N1«Aj3[Ìf:ý\{ƒõù¥ž#›ð½2ù—ö;õíÃŽ™1J JCE˜b,§’Ìi¤Mr2uˆ’nmr™mƒÑ•%KöwIÐ=«vo‚¦£„¢ÒÃÓmÔ:))Çt¢E”œRea )×l®¸˜8•³h“ONºué¬ûòà/)·‘)RÓ:<™³µH—§möeP©Ö¦uÓ8‰­B`ÌXh@ RíÕg¯°Dý‹æñvëp»÷qÌ*t×SÇ9ydì9Ù*ƒ8yΩ83ÿŽL€¦c:ìL¡hB›èÌA±9ÙñHP_t[ˆ%×¹1«4Zç‚q";fù02LâÓñ4¤„o1—^²°ÎhžÕ°é$²Ê?“;« ã[ðÜн£°b:œ‚áD¯T‰‚kñÓ/òªâOôqX°©Q$GY}7 / â¡Á{±&5J×*Õ"õôÆWT”³ÔØG6^cL› &ÿsN°B¦Þê¡H®Õ[Eˆ¸(|c“ñ;í¹îÁhNꓨ~á× íb¼´4}p†cîÇ{w÷œÙRq¥ÜL™KI}¡b4-BÿêÝÜHfÉÌ\´<®¶ÅH/=®ènf¦KÛE“‹ˆÖ¶š/V{0ú}ã}çÔT-Pº0ªÀä÷Åt»^ú2¨‹©F°Ôå.æy­c]©éðdHŠs>·xTó7§ùjÞ†BXïÁ¤K‰ª«cIìx„òKËÕS`K–C7_©¾„²]Y¥H¨ª5 Xe-Ž»’©f ‘‘³(†Žùý…Úú=?Žy[f¶ $"ŒJS²’ƒ9—?Ç?ûE‚•cܶÊÍþL,Ý ­TØÖ9–sr80˜„6 /¤¬Ò¹ªØöóã6ÂlZ%´t‹Ðͯԉ¥lbÞÒäÉBÈméáô´7 šü'¢S$ÇQÂ&ˆ"ÌÑb–ÂÀàbÚí#‚Nƒ‹Š|ÕûþÅôªèp>Îýpò±˜ùo)[ŸtÑÜÙ}µßu\k¨(¥KçØ÷ì RÚM(FŸ|ƒxäQÔ7a)ó03ÒQ¤¤ûðNY4³Ç¦c<ÓK8&ÊhœöŒ·¼¢9.…⨨¯ - ˆ”^š5–Bkt?v!õ^1¨Ñí£æq»»ÿòà¹Lš¼·Û9™kq¡€4¦¤¤Ãixåw‰O!–m¥Š+_yµZZâ$ufå¸5O—2 kÄ'ÊŠ¹˜¸ ¥ôWÈòä@ÃÝYš÷.¥\í s•y¡tÁ9¸dV7j›Ö _†aãj wr”¤8FŠ$'ŽÞCgpo²Š ¡Ÿnàå`£¨]—e¬½Ã¬çEâw4æ<}ä<¦ú…t64¡…èx£l2PêˆÈolœÂ¿Ísüo&Ñ#¢z4¯yŒë¯ÿ‡Ÿ7éóæb­JöMWßBÍO&°z\È\G:y.»ªþÐùðúòR}WM¢Ç/o˜G¤æÇòk[gÅ׬˜æÏ• :^ÙX+Wå×â _PÙ³b’æ»å¢æ+1›~šèòÆTÏ2É’™d¥VVÊòWºž¹½—n4–ÓdfŽÇò½†8M‡¸êǹAÎf&cx›Î¶í_àæ»Û’‚]…ç_ƒáýÑáñ œr; ,ƒ )c1è7âHÀ­ ámAB¡·'X^ºÎ—fÉ*Ÿb8&:¨(x¹´¶\ò-k8ßýN»yòκì’yÜ^éM\©J:Ši¨7wTaŽr+éñ°+ÌÌ(›!S©‚€ûoÞ 0ÀVyåW}¸n¬ÔVöŽa!ëEš_²ìÀTgV— "Ïy_ž÷]ÿ·­rüaë¬rzÚ¬ÿÓ«ÿûü|ã¬úálíÃU¢©oV>¬èB²T 1—™ët=çÑ•ité%jšbht‰ ²kÖn.ÆN/WŠø°”hÄkÛ}(Y-÷~ùlÓöŠÆ#“ä­x+n9`.‘2̆Ÿ.X5/e¶µZÐtÁÙª»RÙB 7a'x½Ê“MH¡xä-¢’óR̬! ü¦‡ÛmEfÃ%JɃÏÑÄ¢¹„J†yÛ=‡jQžå³öóÝñþ¸ƒÇ)0/±C­|8 ‹›)(¾¿ŒHõTÜ”DG€«›r†ÑZÀƒƒ mÄw‚Þƒz½*#ûÐ/¥D/QËjý³Q¬:€üf ߨ¯Líªˆ±¬—|o盪˜FB+íïíîÀAÇõð#ð—"iê­×­bû_üïÇ‚®ë Žbx%þIéô”_œŸCóÂÎKlô~F,AµÊ,3Wjþü£öÅö."̸0GÊaA^ÐbQÌÖÆJ?ŠWè8¢Ïe¬*ô…—¸q7Yæn‡‹Âç‘çÖ‡•LÙçµÃ3p¹ÿ¼ÇAÏöÖ;G¯•R;—Tq94¡²™?ÐãuE¦ùS*1»dá”Ç <ßü«Œ¹^ðg¹€à:êq!¾ûï&œ». …T‚”BVª8‚øÚý÷$¤gÙ8ìŸ)±ïܲAv'·#L‰ÌBÅe°¸ LGÍ6]jŠ5TýÁœÁ*Ê$fP–ÚeðNWªUŨñåPœ0»™vÁÂèkÙ>\Ÿè ?ÔÊ&;ž#ÅàLœ¨òˆN«RŠ¡1É¿œhc‰£µkÐà âM¡~_ù=ïí>;nÿÒU¶Ê—±?®+¥ ià”2›Ç…„´Ä¦óÌxÁ»Gt0:£OÙ8)R•”d”3œ®ðc‰üŠrCˆÁæm àd¶é%X.É5Xû‡è—XçŽ.¯%¬xz s"T©†‡™ÆÜ¤uìÄLv_‰Går±l8¡G±1ƒ|1n”Þ†0=ÿüÚ¿‰4»#±·Á̆•²L& ãvzú¸þÍùùç½ä:%_gqГŒeË®;êè¼§Ù³çº7šº¶BÁ'Æáz·ù”±íî:y<²w›^ë-g”KÌô¶³ÆG”XQºœŽpX×ß¡WV­‚Å•úJ]Ë›q)DDªaËrMlÉ( Ì3Ð_hÒ^Ì0Êê˜CoýA4"ôæ8ôFpÛc-/Â%H2‰¶[£¡z¶²Oàdd·Œ SC†TêG¢Ù¬ˆW•ð#ø”­¾ý††ë†qvÖ¤w°wŠ‘?&Klouô#Ù #„pkŒFªÕ8JYc¡¢9ˆ#RÈ-IÈþCc±çä†3d,ŸO;ŽK0°úÅx¢fFê)–®—ê–ËîÆ Ès¡^ÇÑ­Ãf¬ó µ¿?&ÒjHN"åÓåó—Ÿ>­æº5èiÝiüDK_g<%ª5Ë¥ ,@²†RÖž©qꦱ•0Ò ”j›ôr“4„Nd©:®Ååbp·` åÙiH\“› «ªòhÇíéã*WC*0¢ƒÁèw„ëŒÝfST¤EMp@0|£@qrH™ubhô}8ð‰ák½JùÆ÷Þ”ÅÿÃiÌØYdŠæ“îÞasûð`ï^ IÖØ¯‰LÒäeê &2yuŒp?Òè'qüÔQO|‚a\øè)¨ÁÊIH§4]gAòBN‰£@ÞT aÊÀÍŒ¡ ÊÃV" qx»^P¢þ³¼ Öi„]îÂúîòú®•ðohWWîmÍ l¡!Ñ0k=Œâl°7é+œ`HÚIHŠfŠÃQØéÃìã†8RØRˆz¿tmæ\WbÕo¡0²Ã;%l nr9%ûÌå³Éó”òLrnÉÿ'6þÉFgù¶ÁcýkñÊÖx%tred(!-ì¹¥¼Í]ùmÄŠ*ùÃÊ®³›S$CH Rá2r~J+ê7Cc²j(²JU9 ª ¦1+, RëHÑ£2§®pŒbß ¨”ë6#¹aeÕYÍP¼ÝÄ4_–q»OúñôrͰ¼éƒéy«U+õz]Ô­JUÃŽÕ´÷ 4a>G†º ÞÞÛsX¡Ó¥ ¯²êJ£)gP¥—³ Ù²¶@*¶^ëfž•ðÁëÿ(‰v@‚ðëyÆr`O½GܶÁþyVÒ¤ðg°Éö™3)tÛ5)òY‰]¯á?²b®KTŽFøÝ´€Er°w}¤ž©¢Z^L в¤ïT’-ñ¾Ë+`9DaóKR¨Ä¿ ÎŒýf$“ ¸S(Y!QTìÿ¬ôý¦6?• yÒ ò&gaöДÒ(Q[ƒÿèdÆp2ª‰HZZ³¯Gù¶Bƒ˜z€‹˜¬<¢ %Ê‚÷Ž£KF“ÌÛ‹Lè%÷†LèžùèÛ»Wʯe)ÉÃ]‡þÓÓÆùùJ½JÍéá –?6æ9UíÈeÐ¥¼Wš¥®×ñFAQ²JÁ73ç*ááóŸÍ@ÙŠE9h³.xŸ6N3‰išÆáOkG7sç0‹ÁÍ›ÊÑÍ'Ïdö%#©Šý9¡?p¨`_¶“k½fÕfšûŸZŠeÛcÎÞQ¿ã\Ì="h´­½èæ‡VK­:o1OS‚ö .ã­ÒîNG>†¿¶Ê›e+©â®*‡W ÇKeâÂOJ9ýbIìÁñŽh:€Mç„–.lòBÎ×G"žÜغ¨ýptcùŒêI§TvHM€½ã++-QÄfÿ’ÁUÈ!.?Ðüüí?qP4¹Âî³áuí餣×raís„â\`ž²;Nyó´Wÿw ÆYp8 ‘iI¦pF˜ÌYÙS=ÌCŽÂ¹Œ9¥ØÔÆüݺÐF±ø±r’H³òyê˜3ÚëH opZ&à Ù+blÉHÓúÈ ƒf>MÓ=EaCTüÆUC¤S5)Æ‹ho/ª}R¬fœš]>>ÓåãB Ÿ!#Á¯””¤$¤&Gº¡„$nƨÏ•\>E.2 J-h.$ÙY^zMÂ÷Hè‡-%¶lý/rÇÒœ™TñãkoGý[¯\f4)&•LdqGß…”h¤ÍÊÎ;©Ç’T\MWÞúr‡kû— m˜¥})¿¦½Ø(Á…} ƒ¾%·ŒÀI«Õöx{¦¿aü‚‹×™w¸ûßß´&Œ®o34ie·¼pâ ”xÿjúîOñÿþŸÐ­ÎS“â^Ž}ÿ"îã®ê½«(¼ð¶Â<ôø{Ä ð£ésö€˜±ÂN–äú9ðÉý XÁhyjiX1´òü cQBµqË0;N.¦yŽ.þÅb‰%Ëèg[¯Óå^ÛNê™êÙÍÓÓõGäUmÑÃîXÔæ…Ζ`"ƒäR“të%ý™ÖYÚåͨi-þIW÷3d§w‚AÖLlKðQÝþœ}Îz›ÙÊ„Û ›³72V‘ìźrÊ_äì§*凤S?î5ùÖ~º8ÑÜà“t}ë!“ªP?>3Å)æ þ„BL錧kµD!x2¿ýrYÌk>»¬£¡xÜx*~ eÍ>Û0Y¶Àk/x3ýS’\éE:áRÂ/Ÿ"‹ÿÏœ¤$2gqÌ”.¢h²r ý¶²D@OùNf=B¨D…Ü•@s?š¾û÷þ±¶ªÿZ“ÇàsrW>ÊNWåšàÆ·)ÝJm{\Әࡠ*ô@§öc/où!‡Îú‹§a/¾–²œ80M³KÔ^Ê3vI¾d­ÍÝóéܽJ±%%(†‘¾2Eh @ùSNÉûœ‘J Ëzç½8zùª‹á}ÝýÃív.ßL­l¸’+ g?-&¨fì¡Ù$„Ý‚íyú8«=Oßµ2äÑÈ»¼å¼;øÄ;X`ÁÂbD€J•ÎÄg—;_t^@©ÿ«Kzu1òÖW»jaôz±ý°X˜³*rïŒ)¨šìqi¿Ã|†LçCÂU‘ÈU¤¬ãð¸äÂøŸ™SWyóâ¨þòбXæ@§e¢¸ûMy!§B$0òaˆ.#Ož<© ¶¤õ’ìE¨õeª ƒå¼`@¹RÆ MîÄjà…7‰†œÑlƒò39õº‹unAyzðÇ þèO‹ÿŸË’ê¼]7ñ¨ñNú ­‰ÊQ»ÆVŸöÞNu!G«yÝLÉ+€Ä[ñúE< FøÔú)Š–Æ"Ù0|6ô®‚ÞÖ£õúE0QË®2õÐ%ää çAº xf*9 S¬~èJž>FRpäª*ž>¾°:À¿ÒÄáC~hÚOÛ}¨ÎîpèÚ©=ؤGÈ"J–Ò{Môãï†ùRHIÒîGVUçúq΢YœÇÙ0ŸudêHUt—Ø#a¾ééR)ܼ]^6 Ä_–éîþ‰eÌ/,˜e÷ 1ºåGaýôˆÀ>haâ÷¤ÚEÄmÕB4î¸ïÿ>Gá]޲¤³ð'žNÒÛNæõDõu@:na£ÜÛ@ ¡×ëù#L.pŠ:‚0'ˆ…6ÌXè”;ÃX œÎþ’Óà:&ÙÂZÈYWG¸šBþͲÕv„“‰AO}Q'8I¢:¦£žš~x5ÌËÀ™e«\ß³<³yñs®TTóCß®àmo$ µ¼a)¿YF›CŽTü¹lãh‹-VÏà¿ÉrŸî3_ïä6?››U•L'(ÁútáAÀëѺ¶OºÇ/$Q˜ê§æ^E&¢šQ‘J1· Ò&ç§£§7Üû-9 íE\”/V'ïf°u–L%—L˜NËý äųƒì¼é oš³bQ%@¸çîîN{¯Ã(Ï{̓ç]v ÙGäþÓóªNXuÚì@ÑÊ©¨”$63:P¨”lœÂÖ‡•RuÜõ`3}ä”4–åXØù#8»ôü1§ÌÒñ6?¹sk :Wú,ò¥¹-ø_ãÙKb·O÷iÆ´%­a<¨JÈ"Äz—¡Ø²æÖ”N. ” ÆeÁ\8è‹ÏfLœqƒÂ7Ò `¿ÐX« ’°Ðb¼Y“M…ñ –$lIÏS*`b+ºUJòîè˜×ã<ôYÙð–Q%êoÕûu¥ŒpJ x±ã÷£±g DzJªzú¸FÔÆE –áûRóU7½‰FÓC.‚ïB÷Rdðx¥»š¢^ââ–Q)j’Ò¬˜€|¡BÙgÃÞ`ÚÇH…maóÙ–hõüIoŲ”¶°@ÄÇÞÖk‚C]ùU+â½`»C%&ŸÛË Å»±MÊæû7'q]±&ÎNKçëÕꦈ߀¬¾…ñj"|~ªÒwË­êRð×Dzø6ÙJ×ãg ¡ö7W~=} Η¯ozÞÿZéoÆ+§µçè&oþºu¾\‚¢ü7òUqþ‘‰s?ˆÉX”ϲ€ÿ÷zž>/”Y²­ÈVt•; á©h:pàqa“ÞPé#pÖúALz¶”þ)âF2Hµk‚¡ßößH;t²¹§¾W€?lã9x)\lyXs),I¸‹qôÆ—© {cØ[:ýkÌ‹™],¹=uJ.¢w(uIáÊ®AÊ*ˆSÎØs¼½$ Ý0*]½.‡ Î]¨Étbèeå¡JrL²¯r} r9•ƒŽ­ðx$ óÉÛ Ç¿‘!Yš¯h*”`úÛªŸh¦‚åMFÝ.…ÝnØœz•™ùwu¸ƒl5´e«ô ø“gmà= ¸¿UÍHjƒËÿŒ®8§gè 8¸ìr¯ÈŠó©²9·êп‰£øéZêÝþO%Œe ‚Zÿ-Ìpƒ‡ÿÇœÙN.ïAFÏb{x=•.r ÚŒƒ«|¸€é3oZ´øñoQ|½ |mÛ“Óóª9M†?í×ß‘“Þ—~žÍÅë*´?+²ì3‡)S‚‹ÎʺÉr‰N;Â#'™´½êu–±¯M暘Àß@’MA!¿6Ø)Ðh#“|ù¥†pp^°öíV©Âñzþ̤‘‡)œëU.šÒ&t°7…Z/D½T©| K®ô~éíÇj•?nˆ®üT~–Þ¾NlíÌEep0¾N"eÙ¥h—¹»(ó€A2¹/Rû½Ñ÷ˆ»¸oÔoF„‚A ‡\Ü5Ú{N¬÷g‰ô¾oœ7Gyß3$dƈçD„$ÃA˜ó\>“þ},ÿ}’>/àéÿ¼ðŽBÍlë…š!½GL¼wo8Œcxž·£Å ÔÉ$>asãìû&ϸ¢ÔÔé¦1mÎ` Î…>]º„"=S\—P4Ãåá;íŽB“ŠÒÛã|©îÏ“p‰û“Þ=pæsÒ3‚Ѐ]Ÿˆ\×~3„JÌÛø-bÚÓ¿ÿºÜÿ[Àò‡xëƒì9V®-qTÀQœv!Kªú_5`ÀN\]0†cÁ÷›[>;Dd¡åå NžåŒà½—÷hZ)ÂèÛÓ‡é5þÙ–çÂXbÙ<¢q?-NŠÀbé=4 yåĽèQc]ÿýä-9gaxü Ô€ÂøåÁî«eµÓ—§7ë´ýÉçÛÿÄɶ /ž±=òþäU›#T µu´Ž`ñ$ò¬´&zýT? „ok2bðæÇšÓ}2º”‘'G; ’FêûúÄ_ùÎè Ä‘†gå·Ø)˜ ­ oü‘ø~WÏé$KÎú?/>wƵƒ–¾L†|Üî¼Ü;©œ–ܲçÕ±Ò&^’Ö(+7OAÁÅ¥Óï^Fãî˜2?l)¢ä´]”,Ñ¢8;µò,Ò¥ü—˜@©Û~ÕnajèÝW¢u¸´»×>æø {ä0ç^A7=O°ï¥AWyå>šVæ#³Ì&³HÕiî”SyÖMu)jÀÚÿâ¦WMÉS2¾Ræpå@@àqoŒ&˜:e£?ß4¦c¿KÁ‡s{ÎhMßøP0‘óóÄp^á~ÆFpô›®’3ç!ï(6-õ¹ J“_; ¥ë*b£8ÅÙ™½X£nfµì­7˜b ¶›8Œ²$FE¦WU¬‡Ç&ƒd¡ 2¥W(yþ¢Ç·kÊõé'ULÜÀ!äsÃb“½¡¯±¥j%DˆœMeM†{,ÎhÌÎ:g p ·Y‰Ã­ª¶lG&kpà"K€:œB†‘ˆ¿Ï&*¹¼¤èPót¸¤ãÏ’&dŸšÐ^:½O~lq+õ­8í¸ù´T&+Ú#jŠR”6(i%)-J!ÃéÍòÝØœÆF; ù­µŸ•f2=‚¶D.4qºÃ¸OœN†hÊW. ‰SÖY±0œ¾IeŒ¢r Tí #¶Æ&ßQú5ù+žÚ†2ôpXfx‰ÏÐiY–©ì]Ρ] ZþyzÌ£dÏeƒO®™Óô…•K E ò~p ò ñKt›ÒmÇòéŠ2Ôœ*üñ0ˆiÅSØ”Žwº$}îM(…ÛeÊ[%U_R³…ÏÖUU-ö×"x8Ìt‰k’Ux‰,_™U¸jôù•èò‹WciÀ²èÇÚGˆ Ä1s=µp*+zc(¯640¸ ¢‹¢Õ”bMøïÐw;ì=ø¨¼{tÌÊ“)áöœNdt¦*‹nÂôI ÆÎ¶ÿùÚ§ãÐ@'édY6‰œ9eä ,ÉÁEÏ%>qÙgÍæ!.OvªÈ?„±‚YâƒÓ€m3dg̽S+2êÊ8”ÛïFƒ dŸý(ÀÉ‹FcEVÇåyu‰âñ³í_€Óì²ßnû¸€"¾" º“ÃÃ=)µVðï*¼¬çþó”—`8UrnârhH†%]…Á¿¾o·xØnï¼<¨œfÕŒ9‰‡»2T•Ëà uÛè9p^í‡u•h½h·~Ü=x^9Å‘.­AWom,‡¼ß|níou¾ôë'xí?==;[YFŒñýþ}¾LξY¶¬O·”@(cXûš'7¶ž+M¸ -Kºä\œE´F\ÝdÀP(°#!Ðiº?oq±!Ò_ «d2¡4˜«YK8¡ÖÕÑoÀDÐ>lÐ÷G‡ÝW Ì{;î[ß©է 4tÀ”Çx„M'£)’TXã³Æ5¢„œyoéµÊ<ÛDˆL/ ¯°-äã£`Ѓõ:¹×;7«Žl^,}QÔkØð³JÞ—0ÕX6άúlSáÌfB«š)ü)](ùÏ­†k÷½Ô…VJk.ÞAöj…‹P:^$ãl—¢Îºølä:h“—bßGqÜA©÷¦;>Q¦ÞEó±(b8¨¹±å¿Ûz 1¦´2i"E±!lg•ÆòYµø Y=ÈêAGG´dÛ}@äܳÌN‰u+½®ø@‰yE‰v­; ÔîbV2^übÿáTÖÐMÄ·ß"hï¾\/–——ÅÏÞ˜ò‰ªÔ*t–«“Uâ•Àu ¹tJ©…D¯0\pÉ•NœL‘” 5Sk–ñJF‚žõ&”Å0qöÏd…Т‚8ÓÞµÎÖLa  ½õ˜µP‚L)ޏ²§úó&DÅ$…Nõ—®µ*‹Ÿ2É(%òU×D¤b;C3(Ò& Žr2V’ ‰iŒÇ܆ÐäÜôÐL|]Ä÷D{Ïyru|A”ògøJŽÕ¡ “ç]a¿B‰§‰ÆÅôª.›öÃU8mDã+¾‘ÂJà­€üôŽÜ´àR/`ÈÞt‰¼œÁÜ]àòd£»‚³`Þvqö¼~lø‡«ý2%ª©Áv „Q$®Ä ?R‚×qúRJ—þ;oˆ9Å­ùC˜åÄνð¯ÐòLSOŒ¡Èª’’‡1Ї¾dlš/»Í½Ýf‡}Òç¶È>Ï«tk¶~ìì5;/¸ ¶¥yü¼ûóîÉ‹Ê)ð²ú ¯äúf§û¢½wÔ휓(+óvëBN­pˆ–ŽÙà3ŽF±/~øvã©Ü £6¾ûAGÝÚZu¤ :¥‡³lt'‹ÛÃH6Ön ­A¶Ê|I´PúÀ{Õë‰:EÿÔñÓ:9|BS¯(m½‘ˆ3Ey2ë#~t gÜq:`3Ýr}¹n§1 :bà{L~2ö8I[ωØð“é8TÑuÓ\™bN„À‰{e_WÈY9Ýr Jüò‰öA-Ÿ­®=)¿v€¤ñÚ±õsÇä§V®êßÞ/âh0øJfçË>^Pþ.+ò‡²TÂuµ°Ê+œùLæ?[9kœ5VLBÇ–Ûqj:›ÅŒ¾,§»¤@Í僢J´ÿ ³ ümåo&F8nòíûWe!¼IŒ¨UÑuã¿P³FK·,Öº·MÂþKêHÆv¸(ÕòÙ½DÅ?ûÈÀa'>E%¡Š£Ì96,ù†3ßr´ì¥ èèÒ€ò…HªRAp)AÛoz@êpboïÂiˆi±Ã8…?XÈèž¹½˜kœ'E·fÒXN¼›õ^©ÃlÏ:º»É¦nuøþw¹Ñ™Õø!ÿ­‰Dνÿ홋_bY)H±ä¾`€a-Šgƒä¼[î«$9¨¬×¥5 æ¤ÂðF#Oæ¡1ú—ôó ÛT²º¥s¨°¨¿mèÏŸ¡ÌoZp§¢êÌü²PtãË ¶ê{bL¯Ù÷Rý-»k2Ulje HA=e1Ÿíl—ñڪΠ/’ë'euå%Á°Gza/ô…¾ÌöåbOLâÞ]•8—ì‡=÷°—ÿ÷òÿ½9ŠqÉRíããÃãÊ) ¢‰ ǹ»Œ¦,ØíRj¥Õ…éÀÛyù¬sâÕ6ÊÎ2Êß\+ö¶µUåÄX'”ÚšLîŽåAKø³®±sGØgˆÉ[¢]5q‘È)tß[ƒS­¤ã^*œ×Î]BÙR=y›È¸pY)¨2k$Z9 .m3Í¹Ùø˜ï9 â4–rÙ€'~-“0Å8ÅxëâÚÎÙ­ÙûT¤[f|_rÞÛ.0šöÁ•+s¯r°ÕÀ¥öÂÞas;÷2G)&!…T®Ób ¶~½.ŽOöÛŒ‘ÀobÒCH{­1ˆYd‰™5ÈšXR3èF#ÒÇnƒHEÿBm ¥<&Iš»>èw¹ágàóÓ¬[åú¸ ƒg?*eä‰-YOp2‹([QAÈó$l:E§xQ{ãÈ‡ì¸ }rˆÖ#Qb%˜zŒ™ŒË… w¹…Òjº‚_¤î ,¸š]zê>jƒ«Êüi‚séAO@"Çÿ2ÔI=„>PóÒÍ >Îíp`ö^ƒævƒ?Å‚-:š#Ž+¬°'ZæÄõÅF´OîQ•ÈÐŒü ƪÈf™øÔB²Lxr^®yèZ¬:hq3£T¯»ðúw^Ué · jµ8s÷‡,˜ŒÖ¤[‚ y¼úÍSÕò<\xµ’ŠJ»¶bn#$˜ËãߊŽíʺ“•=…ʹÁvÔÈ^iÖbv¯^Ñ¸Ž¤^u¿}òâp;×® /är#3šeÁ¿•ö?ì¡ÙfÉ–8.ÑR„’ÅÂ*áOu´tO‚^œÜ©öͳgk&%¦Vþ2:oÕ—‰%Ø×äÂÎ2$B{ø¥kO€CP+ŒË…T mÜšAz«,eDô _›ýžO&c4Bd™ ¼ &¬‘V7 Q$P9kÎð²Œè‘eœ:û {½(¨*§Ú„EcTŠyX*”rx?êM‡„̤®Î :wÏòDà§DeäÅq^lµS+¾Uv¸P®8n% œÔôÒ·¼/nAžeä?Ö=úÂ2òžž’õüÜýsc*ÇU¤¦öÌAgSìL+¥}Òú+oÃ¨È …ÿUdèƒubSv/Ñ´Ç™–¨YeTùãbEO£ãÛnmø]ûrÆ>P¹‘ÞDÖ’=r™Q…–I® s£I ÉöF´NÂD5 iiÕCœíÇg{ÆšTµJßö _†ÕÞᓸ@eOæ×eÏ]{oG`¾šoPmKÿ,#ª-<Ûß;?ï<i«bðƒÅhï:{“ê„Sd «ïe–4›•#‘1¥×ˆUà°•í$to¾Á„zè¯ô9*%¾öa†ðÝŽ€Ã¡ôó ½ lÄ׋įï¾~ªÝ1ƒ!nÍôl{o/¿§É†©÷nÂx†Ë“ì®p‚í~Ĩsãè­ÒþÈõ«d‰´'!ÛRƒàöŸ@áɳøƒ‡ŠÚ´ˆ“@Fú2La:•|Kßø,^qÍ5Ú­hÚEP-…ÆúhæÃ\º'!à*lï\U |JªÖm¸Ï1w™}‹Z?úþHzx`Öäô߆=s€¢ïÈÖ|Ðyª+Ì ݪÎnýÕïû>1£‘w•„¼-;u'æØ9ò šS€1œ4ˆ…< ˯3rÛ p -½WLâ²Å×ç¹j¬'S]-Ôë99¦µØ=¥å?`ÑÖÝGUáœØ¼gë3*åðë vÓY'rfº¡ÓÅM3ÿÁfŸŠºõ¤ZA±£ú}EœîíƒÜQýÞíŸ2ÕïOkðÙ²8jÖw;-Aßž5èŸòùÂÝ“yvdÿ)cê'NŠlüyÖHÎŒ³yioªVØ~F>—%q´Û¢h 䆨¿•¤F¢w¶nŇ³†G¢È‡î(èáäPsŽÊeÐU*6‘íþ+g°ddµT¾SÞJPQp“MT3sF¸#ªé|v¶‡jfʆåj~r9º‹3ˆÏ à¾x­ºè'p÷Ÿi½¼š¿Ô:â°«ž·œ‚š™‡þM?ý¼÷ƒ‡³Øe'ÉïÜÏá 6w4åâ‹ kñ“±?ózHÏágXóWž^(¹ c‹´FºZüûê_}P‘»U—„ÊÜqmþ ƒØO|)~’&jù`îš-TJ™’˜}ØWï Hʯbÿ·©Nª3nkš)”?Ïp\4{¸DÕÊT§¡‘>µqÅ»4ÎjMq®tãê|T»m¥;Mɨw,AJÁž,¼u4fê¢PeèbÇÕ ºØ* &±F¸ïèAiÿžb‰bŠdtÆ-iØt†u<­w’Jšø:‚ ¥Ì<`jš©µ"Ù.•7Ô2Q'ûÂ;Îk^<ëµúÛ~ûrçêùõ‹`÷_óã`o¸D‡££ßþ1>Ž;““éË·?ÝüüîÕí/ÿþ§…Ç_ŒWÎ*ÆYu%>[9==[1Zÿ{µ¹r%]0mk=.b<$Öz)k2§«”?•–I*;ðéË/E&MåM™­È*ëØîsT–¶ )¥B†%…´s[ˆ3âxíî;5%“)Œ#3BlËŽí*ΪW‚S‡ô- Uã(BTÀH³À½+L¬N§Â¬šØÖZýw¨Z[üÒÆ=;8á`¡àO<ël×ÑP±ß©+÷²sk•pX5nbhÄ=Ø·lÑÅð`ßv»ŸíÀØpÝö·àsË2v'÷V*–%Ή@Ѱ¸3Xcª²$[D8,* ‘Œ®“îd8‚äì–ÕŽÁ‹:gº\1<{ýÁ¥ó€L{˜=u9ÎÈ‹¸#CêñÖ}L†¢/¿Iø)óô{òƒl§c=Ö\Æróz“ŽoðQ³ßWØTeÔI¯ýVF é[2m’BŠÙ1Ò쪊ػ7 mà !«ò+>+Šà*Dô,s2ž>}\ޱI•Ìæ¸C#ÚÞzƒÀÑ—!4Ô SÆÖGÐプ{5Á6 ?A©¢ÍÖŽ&·*Ζѣøl~ ƒGp] ëÊ@Úé!®„©ê0Â0QÊT®Ã(gi5mõg´jÕ7ì„ R= rF™œ0,ÛEØsWöž>Bˆ!‡)s°»‘UPaß’k´XÇ?¹åøWªq£DÔEªeB,ëL#¿âQ‘ß[UsåìÊþTÁL%I?'{ÃÆ!AWN2ºËpàpŠ ãH[ß1 o–ˆ½k´iÔqõÓ²íæñÔ‰œ(RM’±åå;é_fõ%Œ>²+–ÚÌÊëÝ)f#‡óJ±å%±ôÑ™€=ðÂ[êBöQ#ã>194'Ãj$y6ÚvžíÈŠÅFA›7æœZ´Ä£ŒÎZŒ.ìT$A¸JÄV ߈:þ,Âéµa%»}­êõøvx bQ¿ö½>zèÎ^‰Ð:ÜÙÑN’ÒV1ŸfÑ5Q¤>ÝÈ4aдgyYøÜÖßlð\ºƒI4påc7iΘq<p} -|’2ŠÒÿ³9_R0Ñ…Ž”A¼ß–' UvŒ¹ôz¾ñ¸‚CÕzjÜ“íç[E\x|<Ó]¢ˆ½Ðý¼«}r0§ÆriþÉGBÊTA€?Ädƒ^ "ÝFio÷ }p¸A¡]ÒÑå¬$¾lv@ŒëtšÏÛÝ=¤v¶«šHÑ*\„Õ¢kƒeËjË}žeQ[ Eûâìì¬èôÙð» >^ •H óób²Õöa’¥ÏÖ öCžÑV§ô&Ì®>+%Ëíw¨ôóegêË *3´Ùî¢Úï(^¥å>×q9i¬q^¤ oK:ÏŠ4É(ô‰‘&L17ÒD¿vÜ;/šÇíí½ÝgÝãÃ}‚ã3w’.Šˆn1¦ ½á%X" 2ªE½€0¥û"—2Ÿš*Ùøü³;ú©Ž™¯·÷öðpÊw€ÔàAó5D€íɃˆXQ FH¤ø¡B §óŠX^i?´…b&–Ää&²‚V\ï¢8Ó½j“¾ëÃÌö})¥“(ÄšíwÒóF-iÊC[\\Á×üÖÔ:¢“ùµ²ÖTw—·uLnÒ›8FÚ#BÎ<Ðuì3fÑ!øHJ‚z‘cñ½±.\\¸…³ÔŠÊMÙP¹%m±ÛºÖÂí eW8«ô™Í¢ðÒ{%©‡Éáj ¼ŽƒÝvç„ÉYžØÈ'ÌÜ MÁ% áÔdtXDU4ŠW+ÎëšNH>5ƒí¼§ñužl '…Œ ?÷3v‚tZj$-’îq—â».¿3òVú­L€Fç{JBq«-׿/sÎ³EÅ%#ì«.Ÿ@Ãï dôÚÊí––R1dydŒ`îÎâF¤Ž³n¤è½ïLb!Ç]ÂjuÓij¿{T9ÝÙÝkŸçÂçH‚jšK%yåüÌyÜ(éZ¹ ¼LZ<“ÉcÒq’$þ‡|ÊuéÄÿ´P‘@{ºy¸=°KRkÏPc÷š•ý¡àW‚òðž•Ëñʯ§˜z÷|y…R}á{ÑÁ´Vˆ¶Aú£ô3ŒG ×Ù®üzVÙD¼±eLÁ«¾ä‹˜?Ù…•3ÈR|‚ü%?[T=%ª?«´_¡DÒ9û AϪgn”¤}X©:Ôç¿™ ³þwˆA³ˆç™ÅPD_þ"5‹³d­½. { èTšfäw¶žþ4á#CD‚LCªÏ24ÈY`6Pv«à‚   y¦£æþfÙAýÐ2þb7;ùCÉø·S‰^3˜ÏWúås(¹ñ£gN /¢üŒâiƒ‰îÙùeÿÙá^'_ÄLG¨º_.È›ï€SFïš?ÿ˜~i+$òÞý>¨enÂ×Ïw;'?k ×Ê=Y?趯mÍèÍïæšrHéa4^ˆèüœö}Î}éat™Yæv!ÛËÐ.¸}l•±óKY…¬ñb‰j]9æZÄ15¶ÉŠ’UìtN^ê"|$Rhçšíà%ìo k† ¦¶a<{&í,j©W‚5_ÿɨ“ò`hRëà˜‚iŒqÇJ+—ÉÁÒ/[~Ïôo “=ô½‰göP$#ÜŒ³Dš½L¢.Ú*âƒËÞRàŠ²+Ë]¹´r¶w‘"Õ×ìÿ Бg^øÀ";~2öÂXF1£éòÝt$[Ô­ÝÆ-Â$7Ýë(z³U̬×'½èv)lÚ \™\•TµâlmS6 éQ6ŒY…xV<[;+ÖDåmôÑKõc-EIL1 \Jðn±ôGÖð}N ,CiLV(lBŒGäõ‹ÍdjpÓ£“ÝY™ÀèDÍ!:/À»×Ëo‘œñÀÃÈRLrÓ¢lEp, LƒÇ ÉcGTà"ÝÀ£ ¹[•õm´Pù‚Ü÷õŠÕªáÁm­°¤¢M) 3 /jy½ëFaÆ8P×Õ‚†,9ÃqVÐkã$c±¡-ðl­R¥ue•-É-¬þ]ÎøÖY’wI[òÀQ‘¿½~ GßÌ®òÊ’É>›·:²![ ퟹ!í{‰³/ÏÖ䢾ç0ûDýµLm„ ”–ÓX|dìÔ~™ƒ¤6Áï2P3Y†«;xš¸ƒþF XHëxo•i$£~¿öऊFÐ÷±ÒÀØŽD„V–‘ ¥åwgïWkkgËŒûNCÆ.)©y£rÂÈ=iO0Ì)ªP=5©ÓzÑXA‰Ò¬Àç¤{JxãËwH´XÅn‘üÖXµ£•¢š`y°¦¶ü’8•%ß{„ÿ¤„úÎï.ÇC`ögkd¿—Ÿ­ ø¿"Wøó8º{$†TZBŽè…í r§3iïxo|k5/Ü ïVœ°¯_xK¦ L0PZÅäKÛº<µ'’ÙÕoSgqC¡óbéjÔzø>êv/áÑCÅ IðÞïüETÅÒsnâ%ªä¨VûÞŽkϾÔÀ®â”—=þï=æ˜êÆ>ulKþ»)Ôƒ³’xôqS—^ùh_lÅIóÙ^{å=t³àj¹†™©Â±DZYüqœÛw˜(Ü•Â+htcy Æzqc¹2 àžcU]yOÚ­:ßZsš –;ÏZÞ+ï)åH»Z‹ÃÚYqã¬X…N[ñô"žŒ+qˆpÖ« :'·#"€+yå=a=‰³â lð8¨©Oƒ··‚«³šGWCbwQØä/þ³¢Ü"ÄòÙ‡•÷˜àÓ®F¬>/PÁ®ÞÁ3~·°_?œŸU—+ÕÔwïƒË ¦ǪH–¸Ü:+nŸ 6ä?+g•³jƒÚ€oNð)l ²W[9ûðál¼‚£L=àØîZ|ºvþŸ•_Oøþ\ Ìe Ò6“m¡âÄ=dETt“ùM¦¢0! <°ô·;´šº ^¾ÛúÕb-çÅtˆZÞ>qóÆ2Û Î*©3â¬Ê¯¤uê®Ä¬±Ä ½´R’,O ¾tœ³Yg½V>n+À4s­ôË’o:~¼:c}†J‹X%™Ü"ÓÀç]zNÙPSV3iÎK{f™œ*…¥àкpƒLcü¿‚Њ­¢x_XòC5 $­¡6ZÙ€nè$UOÅÒÙZÍ}ñþcV]U¸JÐŒW©¾·ªÙ*{åM‡Vu“¡Ü+«ÕÍ:Ÿ'ÍV÷äø—n•DÆY¬êœè Â΢Z¡%Y6óá/ˆ¶/° Û±©ÃM6ÃÅKœ}³'¿(ξ%ª¢ª=çë1|EÏ\ Kb8ƒð¾Ç \ï›—·Êm›µf ãAŽ…51Öü󯞜(ñá[v)—õ_ R™ððjÒ…Œ¬nß>Å„²¡|qãлBd < ­¡U‰3­¦J󱽨JeÓö"ÞƒŒopEÌþ(™B(ÃKqeÙ¤á8}ik½ð'7¾¯•6†kÒÛ†Â3øÒÖ¸f! ibÒÈå\çÚA§ûóîÁ£utä×Oº­_žÃSŒÿý(×ý¹ÕÆm7OšRþ’ÄöÞ9á3¹ž‡¦¸ Ÿs|Õ48tl*H´ÒžÇÞB¨…Ë'J€ÈëÄ^ýr¬±ÌdŠ¡PŒbÚêò„çîÈFн“¾œüÐÝÞA¢Û:<èœÀîØ©ø²ÛÅP ¾6&J”µ^„Œ =™Hü±›È|et"/ToìÏ*ÁÔwY”ÍÙ †˜W¨tºÖj–†yt!g—Ïy×ëbY|kïJ^Æõ·ÄðÄwé5Y.d¬ÜŒ¥Ë2£òµ`­Ëal]’å|f œÊÓÞÆAÈY ~¿ŒÐ*F,]â³ËKâ&°nè7Ù4Ž›û]hæ+¼4"ò¬ß—#ŸžžŸ‹­Ò}/Š?ÈÂ?8Cñ±f»Lòpÿ‹tñŽƒm†úlÖXC«Î}¶ðq³ W:ŸÎÞ˜ðØ=é j”? œÙ®Åãv^t><þ±y|‚aA^Xx ¸&2¥éQ…£oT©Ò<ñ1(æÏÁ¦9dgžÀ©¥Ç$¶Z6è‘H¡{´öáÉ:éY<ZÏdÜ î hRìí>ël¡‰¿“õ–qš·Jü/– ò9´eé¢,~gsgQf»KˆØuçVÝ5Xvæ:KC?&ÊP¦[^Êê¿ÕöRö¨Txì &ÓÐÑÕÓ>)¬MþZtj4¦—O NáyÄœ0+öØ! ‘˜# åÑ&Êš®t‚ÃY$o ÊÑ‚Y,eJ/Þȧåx³)á÷»/ŸØnfcKbVËw™ÅñmT0n¼î بè(6”„Y¶x§rÔ-v¯áöRÜÑyfò°œA¶3±ÌÖ£>{aºóO¼œ=ýáü=ôÊ"Ÿ9›.¶ßøf™§ÅóµåŽ{‚âµ›|5dÈT™¬’ÒIÇœïõÒÒÛÅRåF€e”=]³Ze—1-Ó ÅTó(…u–±cv;XØÓSh±–:Sü,[ßÐ §„Ø+%PÎ9êqUóÂúô;\KZ6øS1ò‚ñ]géîïÜNçÛOk2Çò[& ‘?Õ錖—f7$ÙfJ%éR›Ó¡Ó!—†[â.DãJA:¤ÜÇ!ù¡B%ü8`çA‘ë`”òæ;Úm-ìÉ—çÅwÄ 'ç{ëÌvnÒgoV¡QÐ[ K¦ÊPåh&wéÖ+JÌÉú«‡MlZKx©E[åOzYGåóW¯’)-çõ­\ÿyP+Ï-n·¿, åBNT·¡Z” š»¯4ŠÌN#¶ŸëŽ‚öðé$nŒÓ "@"—Dwh\x°xÛŸ©Æ'’Þ.4Çåú%´½l"`¹³ÃàÊ“€Zù« âF7þX!û¨ÿ-‘2A:o ïVM$xØy,q¤ÁÙíîÑX° W§_¿I6bg÷Õ~{C陌k×Ó¯W×Wyât:«Ì É zžŽP•²vR|Þj¤¢ÉºÛɵ¼†c\v‚â x£h=^-7î3ÜYý˜¬iÖE}Șèølýº÷8cĬøv5éÊw|$ƒ³eƒµq§Û2à´rÒïBå6„%tØñã†m­Ý¿ŒG"7åä b·t ía^ÑXGý“2&šŽ{RD$Ò+I`N¾xáCuV>½@6/{põE`}ø°Bj’kòêóßQÊjmÉ3(ÜÕ†ÅÐ@{Å¡‘ÜJBʰè cƒ\Ã(iM’‚‰Eƒ>° [û$*õzŸýXêÞtՕߎÉ.W¾ÍxŸ·þ.ƒœ.¸€¶1zã)ÊçÛÝ0@!Qkq΄¹”oz³òY!Y:w=aª-‚ —9L¦Eà9Q¨§ ojžôD…¹ØÑÝþ®Ù|–ß‘I†ÆÜõrL ÿ¯«ÑÈjïöߟ§äu)ƒüHA-Ø ·bƒ”ÈŒ=zÐ{×»~ú5c-‰çc´¼€Yé²¢âOøí¢í+ÖëaÔÅ“nªèó< Ø€VŸŠ.E£ò_ #ê ÃÁP‡eëðp¯»½{¬07Ç O”öÚoëÇ­þÓJ=§8‚àAu¾kÄ ¯è@™aY\Ðzð9d¬ŸK¼z'âÌ }Êr̘ô¯ˆ3ç,Ô5?|¨@«¬ëGfcUêêº÷Nј½Ü®cD{(«•1ë9I7`v”ÊfÖ‡xh}£3*¸¹rÇ«ÕZd´7õwºª£P {àýÍà£LE#)8í‹–¶ø ?ü§¤ËF5ÔÞŸÙÅôÉûÀ>x?ÈÄÔqöðŸöñ®žsG̪¹óˆ 1m…(eB‹½ sÅ×ß(ø@øµß?ñÔÐΨ„‘%ØÅ|–…·`rC Ïñp'?zàßÛ5ÍLgðg®]8#®$C@ÅÌ1„øÖXp|ïšÊ w~4±$~lîÞ‘M™ªc@´\~Á¡JË‚4_oÔ[ºY˜‡w ^)x^¼ûúi÷écEIwl¶ñùg7›ïß]íhõ4p{ª{Y3Øq¦,8òœyÞRýƒo`M­­Ò‚T"pZ\èÆ<éö÷ŒËÏ4£+XŒ(¡\õè’-;x³:@ùáù8šŽh ôî±@ïÞ-sðÞGè5ýê½³DÜ[Þo|ü¦½è|ºÒqno‰_ ·¾]Jþî{cí‰ÞuÍÁèÚS$ö°ÑÉâªxÂí[‚P“ØbûÂè >•áqÿß ˜âÝ€f÷âêÝàô´× ÐÑ?Í6x¶/^퉯«5ñMcU@GG-êß³ÁÔî‡þï:ó¿ÝgæãŸè6’)®É HLøñ“vùä·×úl_îLÃ3ѲOuxBKþIã›»à6ºÿ ^tŒÿ!¯ÚÀªçÈ É“ì6|G¶ëîòõ×oÜoãYg˜µ¿šŸE¯Æ×L.ºà™«SüX ,ÅgÕRÌÒS|’¦Â²äèø‘î/ðpÛâÇ1]¢¥@¸ÞxÜXû¤{’Ãv·ƒ«&{%É~ïÊAþ°ë[`'¶ª‰wŸ%i#§›†öT+®ö¸±^Ö&ÃçìͰ5šŸO•Ç\Nw_>'ïýŸýÚŸŠgL n?^ìºcý»{î¯O‡¬v’[aÚ ú¿—:D#$ظÙ™œ,´„?øÎøyWqÆ( &ƒ?œÕ±{yDa®Ïõ—¯ð¹€±Zý4•ØŒ zûŽ#ïdDèya—Cp™wq½a¤IDoƒÉp3±«þT7“¿Mþr4ùËÑäs;šäyš(ˇ4„üåiòÿ°§Éÿ´«ÉµËÇÿQ'‡´}åó»=ü»Ó0OûQœtú;'ZæÔÊ&Cç–RH}`™<íÃQ2¸…6¦¤45Úe †Dü—Ag•_Œÿp‘•›+#ÊQ‘Êwæ±êf*ðÿˆçÉŸãóôY^,Q9"«`d‘Oûž¾U‹íqðþYo¬|%C2ËÉ”I‹ôà ×_°ïE Ív±ZrüÌ’BK*q‡AïTb$f>U¨” Ú=Ö"…ŒÒV7óŠ¿ã­éÏ¿À°ÒçqAÊÙÿ“òFînƒýæ]A³ÅöA󹨉{¡±Â-²œ5ÿW+ßUí\Òî½fßVþ_¹6ü?!¿ÏòJº'Ê•UÄI’¢]ܪ¿Wò«X”!µ¿Îg‘$É='kì@Ê£Î1:”"g: rl²<]L ¯/Z­ïïxEÈôdJȶ3u>iJ+ÔÒ>VSN5we¶eÄíÁ]oæòXÛ½ea×qß›·`’Êè»épï®êL±Xuáª2ß™E/Þ…¼Y¤DÁ /¶Éï4—Ÿq ö<W‡ç×5ÕÁå7O~§öëKºÁ›µ ð Gxp×£ÿÁ¬`÷±†û‡rsÞñ.ÆœÈÏà Fj¥ªr,N‚‘ë[wḭ̈,ã«Lð2ººüê+ùÇ7«ê'òžGfK8P© cQY†Ãl™íØÎ9’bA¨á 1º2ï`G|0ÐRý;í;¶ò}!¯gIk÷8]´Y øY†™O;W¬†¾(÷(þ÷RûGñò•^Q-ô‹ZQ;pmµ±Vkkµl/©ßan~»ëܸžQް3Ï)J:D4Ÿ)®Cªx¾¬~Ÿ‰ÓÓµúW˜*ýêëÆééjý‘r/có·aÂèrŒZ/˜ãi8ö{ÑUüš /ʑ̭…—çy1,YVÐûrš¶²NôM£´“ê}õ¿¬Á)ï Óø–==-åíößÔveÍ×ëV0‰m´þZ;°ÂÔ 2àÓdïêk{/O[ouœñyð{6v´ÀçÏK†Ã@Æ%1ôoâ(~zGä–2áÞ§Ìÿ 㙆×{\Æð°<ì쬬e–Ÿã 6î[.Ÿƒ ´å^B3n†RÊ“2ž”ðâi(Ÿã_üŠþºÃ ÂæÂ «ÜÙžµ!µ7Ú½ý‡ï«üäLÆQ“GÿztÿMñgð¤Ïn*;† òçp%²Ûzw?½ÿ¡É€~õdZwnó[§nÂdÁ=™tµü\gdõ³ô%áàW-d褗P¾×FmHv:Èe¦¾-•Áh£Â+ÄrÜ($`>GëX4¥±.dD´^K ÿŸ[ØÏ ˆË¼:¯žKÛ¡N-’ÌbMg&Ûž’@4¼ £¥"¯Sé,UKïTxk¡ÎKh·¹CYZ°ÖBa©`áì³ù½Þ„%ªçRáŒÃós‰êz¢ÌÊΚÕo5ýÞëÎNXÊt¡Ž)ѧˆÀÍEQ\®êÛü¹Ø–ZШ® ãÎX$·j˜ç>\,#y*NOnÖTxi2¥6ûý@†Çô줩lþÓ¾¡2×´ #ÁlÃN…7ƒÌªn¦¦ˆý,<ÛmÀñPŸ"ÂaþŽR)x²7ÕÍ`6g!ã¬ÃÛÉp$´­³Ù[Ñ:—Ί4 {»?æ&ôµšZJWfíº9[N~dv~“A‘˜eËÌ?] 7äÙÄɱIfÎ-¿Ÿ‘sWz‹þ-\@`$èwVÂ]ØâðRfç‚Y/ž»sÞù>‰£Z±fÜ=ôBNzˆ5P™NíÉ\½Éœ¹³rí&16éå~ó`w§Ý¡><ÜË.‡ÈÀ/Ov÷:˜ê»ùrï¤s¿ ¼³ó÷fä%^0o*ñ®r=Àa7Ë^N@¥´·]5Ó}˜ÕÐOké²[‚Âïö†ýXY†öaÀ•b¬;„õøa³á”2säP€òY¹¯4–ÅÊ þ‰”Ýt^“’[c9ÙœÞ`Ú÷»P Ȧœ–ÕpîìtÚXøÙ^»ûA=íîœînŸwËåóB¦Ãƒ¸$m–32£ÞøÒ…Q,hè‹õVQÊZ*¡X½E(&z(†’ï¿$ƒ:#ù–ÙeÐ_**2?Ëœq\Ë@ÕRÃ,cÚ¾_¬?3/ø{1ûÞ$VYÊ|ïÎè¡\L(¦€ÔR*iZ¢¬} £¨pëá4@çtÛ^,Š?u[¯Ñ-†¢°Â²xãßÇì£4ÎŽíäê„Úìí²ÔTÜEA«Åd¡Ý¡.¤DæªG¨U)‹Kèâ“çŹöÞ*·9DZ·…žŸ µbý¨H4íÑVðáÚj!sÓ@¿Ë°2Óxá ¡aö^©?]ånïæ íŒ÷؈JS{­‹­-Q<)V1¥Œy°|ð,ùàçb•rTN97×9¾zT[«Á©‹¨: |ÏÙßÀ#™3 Jƒ¤†SXÉÇÎ}÷ÿŸ½yëÓìëäXh ^cêƒ.&è¢ñÇMò LÿE¬ã¦»þõå¶.­­y-êG­ÑÕàa÷ÁOÉÿÌšƒµÌ9¸3Yk.ÖfÌÓÚ]æIªoH€&߸Ô7wÎ@ êôÀÐÈHnûØåjH{ƒ,B&×/w^îíuw÷ÑŸ NÜNëx÷èäðøCú²þù`~Ÿý¨“KvåWÊ*þü¸ƒ©éÄùù žô-eAKyålRD­lÊ$w𸋸é]«=•¿Ì+¿î2Ýþ&ÖÕÜÅÔÚ¦¦;œ´‹Œûiù´{þ0óÀµ^tOwøÌ¥‡×¾×ïžê¼ôð¤ kæCêI7 Æ~ž©ÊUÆü7È(²qÔT)E§áÈ›\SÎ;WŠ!¿ß.f¥óÖ¤­I•Ãè¼®[›¥?³‹²sžÕùì÷<•¹ÅLR8ã.ß8³kt.ºxªª[‹Œ4Éi©ì¼˜Pß Î?«9ÿeÒ'tµ0‚‰š+\²‹º\?çŽ_¢P×»ˆ£ÁtâÏ) }†f[²pì0aG4žY8õ4îîÍ©?¾¢j]sÙi¨Ý‚äÇ`ÒcùlºtÛ…ý×À‚Ä)ŠoÂè&t‹£þt¿Âåë9 <ô»j/`>Xè7‹–Œ0÷ƒÉõ9]ì]ú³gèæ:‚¶jÚ©¢Kì.nx¯r¿ðíô'#përv-Éž}º–™},Ûä´®“Ç“äœeð|"‘8 Èÿ›C9Íý‰sæëDfù]Á¶yÃw7cTÝŠ²¨”ÉÇ©\-•IšGŒÀ!¡¡~vZï>¹ BÊç¹=ðÔ„Ø" 7 r–߀‡‹Þ‡Ær}®L6ÀI^Yöd½rÈy1§1ôbrJ•Dv™K¾êSìõç½ZÑÀ™ŸáõÉo½A sÆsz–šÂ-Vxˆ\Ù—,óHÅ»¨bÐ_¦PÍ)Âee t1Eî¡ ÜyƒK¢c-„Ày;³L(·Î%\ËöaÄ;²[\B¿_ò àTaDdìÃ*ÆÊ^XƒF•cJ§ßaƖÿÖ«uÊ çN©äwzJ°:Š _‚YçâŽnã> & Ø¿ }hªÐ?LfØ~8ÑV0æþöúÿÂõ–\äxG¤ŒàÑ[rR†µ>ö€]Û¬`«­WÈ‚³R"hwN/Nà Ú˜s‚ú!Y*xûzè¹E0 ó‚ÒÝÊpb3Ü"@œîÕ½éæ §Î‹ãéÐ$uõ”jC~¿ôÆQ]N,O}+ÖH_d@mºQsÞcxiß' n¨RFêëhä¯èf1œ(ºªâ¶¤Ì¢_#*[r@øc»¦[ߺo ¯¾ɽ&ãàj9ýlš‘Ó'QŸÏ6¹‡‘<-±CX26ÑÃ^·¨RÃòz÷CÚÀZ%Âó·ÚÇ7<ê”dGty)§ËúB'@b@4¹np®7Ø ²'&•÷)‰…buÚž¨™h%8ÌÕ!´ô€±Ê~^#C¤“ÖÐ(³§“êz0&·äSœÙs`/¢ÜÙ5d¬øþÆˬLô“k!°éAÔ{#b¨¨&àƒ˜‚Ÿ/|_¬7Ö¾i<Á\~p➀sÍ=Ôrq"m YÆç€C „Ê鱂ڌ1r½†vYÝÛÆ¤¢¨üQð}Ëgâ¬M<Ï@:šƒø¬z¦ZSU`89…NO×Y§8³œ O@ëäM¹ÌD™éJ‡ßÎü.emÏX>9ŠNÎíÝKa_9𲋽ííÜV SBÁ{Kj! 5Þ“ø†"‹$Œ&¼Édtó]¹ie%¼Êˆ‹VÇÊ"OÃω€sÏ’ËŒ@x(cù àAv4Lä&JJj…·4©èd‰ Ž€ñ8Àw¤ú¿ ­a>i_÷ö¶»Ç/È켬Îä)àŠäe•¸P9çÆ›s‡"u.S—eÊjŒÂ^€v!9¶ý oÇâ×ë$˜ÖåÔ FØí(n•\ÑÖ†‘ûáBêÒ™2p‰VI9Ñ ç¢WÖeRÕÏÐ=Γ¼õÙ¥ì&]½ %C‚u¢Î‡gXŸx¥rúkõüìaõ,>{÷LÃPä&%p—‹åj~-¸;F6±º¦¼á™¹¬"Û0ÖVÄC`’{$0kú-¾]3¤ðWã›GÕÆú™˜ßDq|ñUã‘h4I"ë@dmQ*ûp²Ñ”üuc=ƒ˜j=›$ð‘î‚fo —AÐfI¹Üsma³äÓ¸ ÀQ¹rtÔª™SŒ­n @³n%ZGV |6´}¾(‚8hnâðµï¾\/–——ÅÏ|šn$ZQ3 VÓ[Cð¤5lãØ—7v¤ÂìmJY: á\ž¯)6Qÿôñ rK<¥kX`ñ­‰²¬¾†yã)rM‰Š:БA#óOŸãP®‚·Òê JÓwIy˜™õÆú*ÚÆH^'+Ù0êcbHøã{O^èxnUëîÌ]b²oîÖ/P]Éæ§<¼)ËcÔº6WSN…ªð &á|Žg䟊˜–Ö–)RG·Q©I}Œ±*wÙ3…½ÉþF”ü³ѧåyÕ¦´3å… Úætàx_”8‡)j,áÀ\ñÖƒwRVhô½‰÷ŸR»õâP—¤‡>z5P‹±õETüÝíû½ÝgÇÍã_º»Ûb­ˆ¹åïøýOíãÎîá( ½EãûP8nÿ´Ë$ÆþÛ¹àbTšÇþ¯K¹Èiôœÿ§tÜ<@ |ðŸJ¯Ÿ †ö,‹ž¨?Z¯æNø<1§¾çÈ6³(8zÉ[ ޱBå&+ºlX‘ØòŠ·‡ª?¸Ìb,¤Å·¢p%ù{û£kñÌGÀä Žæoÿ5¾xôÃf0‡íõ]zX–|š®*p¦Ît]À: ¢¢Òîø­/¿ @6Š'À ÈA°VÁmrÎî#æjŸiû§aYRZo\Pc’Hì4{±‘þLù©Y^Á5MÊSè ˜ÒX¨ã$HÇ£h{o/Îv¹ó¿ŸÍ®ç›è[„ŸÍ¶,%›» ­ç6 ºæ/»ê]u†hAHæ_ã>¯LìÃ=·J†ÇÀFmlKïʯ£Û€Ð`_õ:|ŒMÆÓL?e†ô€T(­Éí¤vЫÈ ½æ–5ì ØCô˜µ Ú‹ñû Þ4Ñ{5ÔGþö¾¼1m+ëûù×| •¸$€—,mºS‚‰ÃÔÛ ¸I'É„­ *—¶égÏrW-,Ž“vfÚç™ØÝ«»žýüºH§zÌÚR’,:Å`ta÷¤ø:vRÞ–bk ôp?N+…ƒ×I¬†êË "oRÖIíÅÒiâÝß-×xàÿ®~·NBfÛ?ö|,ײa=?»´½ÐªÉ²NÝNïǰ´EòÚ-™Vtz×Sv³TûiõvÓ™ee!¥;ë¿òÂ}¹.8ôøÁi5;Í£v§vTo8FëPþ‘¢HUÏêï¹5Ñ¿Œ0B1üM^>ó&Ÿ&‰gôŒÆ9<=è4OÎÑñQûE­ÕØ[ºu©=î®Ñ3«Nœ`¥y¢Gͱ?íxá(¿Ñ_âÍx‚ÿ‰øe•öÂ)ý’}7ñEã†;+Oü¼‡ ¹´Î¿Hüq`kÿšïYÏFþw]cVö²ëäßѹÙú9ÎÞ5í¾Œ¿PtÛêçŸb½×Ä;cϽɃÀö¦X¥0Ïî›­sX·ßÙçKpšÍÖÿEGØ AyžŒW)ÇúýUtü@,:»Ò{W—ø`/•õ`JÐÑÜçùVÊ¥™540 ·÷~‡À­53;Þ)BfTQ†ÄSÍÞ•XΠҦ@9§z­D.ÇI8I8ÅÍë­MþÏ9»Q OZ‰Üéº/RtnÈv9ôqñUñN׉€-³ñzä‚PwOG³×)è;ƒÐ=Gó#þ-­žŽÓ ÷2ð©žÖ`â÷ÞC¯!´ FZÛÞ~üÄùÁŠ­ŽÙÆ\μé;l^?–SÂn^?yþ¼ÎNÉZ«:#HkÇ9 .q4³‰ƒqZޱ$ÜÁ®<šs¢³ð}q»ÄÁSÕÕe6™Þ·¤ôgÍSµhZ~G $Ð_[µ£½ãÃÊúúçKçÑæ7Oœ gÛysßÙ~²½õè‘óÀÙzøh{뫯¶¿Þ|7GöËævÚ“~û×oÝßòI™>C*çn~¿Ã¹‡FQI ¬BªÖÜ—š%“„ Ás(ôÇéd°R’3ÌûëûÞTÓ!É+©¿ ~‡½5*r)™U³‘/MõäõéÓµ{ñNÙ%ÎÉ"³Ï)~_£¿·$âbÚJºÒßXÉ ê¼qþío<Óq@³“ƒ• Ö¥Ûx_ xÊÇ(ŠºÊ™‘ï²H„¤&R›0u2þ#XÓçÇ-çqõ¡a×Jô¦F÷kf)Û9…m½QB5ûž;d}=€D’G)uN?ÞG!0¾Äy£apa„µ9…þ7.ârÙ)"*NÇÄ-‰B)Ž}BáÊ‹_§ÎrË\ùÅXåß~ûs¯râ(ï,ÌJ½¦(缆¼e‹…ðKº‹< .N¾ðñ&UE)âa‘Y‘Gù„Ñ~)™œlòù_EêõÎ<“¼ëwËKžnÁÓ]ñ@Ðß`«ÉÆ›­§s E‰ŽyP¨+wœûOOWkÿi÷?ë^‰z¡?™Ò·ÙƒK†¥`Äk†ø=•%L—7TB])h|蹇FüH8TÁ6L¸_É=¤Ù v9þ4a|%ò4/xr1¸] êÚB]Ulÿûe¤ËGn|ü’®­~=×>ËÍü„wóão§ã|ÔâǯÞ2÷n®œÉ˜S”·q¹©ÂíŠXÓêt»ƒçÝ.*¶ÈùNE9¶åWßÍéÉ8°ÏhÑ(!ý«ÿÓ³z;·N*à ˜Ù—m‹"­FVÖ¸uög²ï3Á¸p§Ç 0ò¼`À¬‘YzAä-¢À9‡¥¹™…©î>¦?= 3û”âE\%ÊV€Ï;‰ã×y¼µíT^пg‡;íV#5)õ:Üá:v,B¬´<1¢8$Ѧ€ä$جƒæ3âÛôêÒ+œn=ŽÇÀø HS9¨®à·H!N†ò•W~áÌú4_£Xò‘ç“ Æ#“³Cù`„q¿t‘”@«ÇA×OÃþÆ¢‰ýºv¸¯kúºöñˆ¯kóà^×>ëuí£^×nòº¶"ÄëÚ_ø®Ù¸¡kRäý ÙõOŠìº†ªF6}$Тà 4‘”Ñ€tç‘Få9Gî›â¥Š¦7CõuIgå,œ¹lúÈ»â¬JàÄ{Äåñþ+Š.¤:çca"X\])ÛDzž§¢\y¢ƒ ¶$úǦ}JÝ¢™0å/úÒÔƒ˜a+Nß©pÅT þy ƒÆõdºTN_Ú<Ì~åáûò8ÈS‰é³ª[Ä£ úcÉ‘E$`­vÆAÙ‰OT5a"ÏÍô©ÿÌæ78û”æÆôvão!GÞ…@SP2m?Ä@aJÁ¡¯½vYb:[i1…¿ ë·Á|=‹6Žfí»Ô#̳єåDÞ(y#Å£uxS–=B"ÓÞ Ógd Gá ŠfS1OÉ–°½$Iò|!îmu¹{·›—»è¨}ɧ¸CBêY† ߌúÛp”)…†àÿ†h±l“šRŠÚ1Dä±Ç”eÆa-تZ Dfzð‰["áéäH%‚aÂ8"†o‘+åJº©úÂr] ì„îM½êË™÷¾é× MkšnÞqû@fG VùÀZ*Ó ;¢ú©¿zEë¸QçåÄËrþàÁ¦NÀ˜Ž÷ÈfÏ솬¬”É?Ux>ÜhÿšZˆY–ùå´Egþ9¿[nb5·” ®p'Ö²TàùMÒá} ;·H 5ERaã–àAÙ®p¹$° Ëåiº²ø‚Æ9œqNù×2ó“(7:yW”„=ß|N€šê+4x\ ’kµ„Œ c|æ˜wŽÀŽûO²ˆÍ­mÍ#è*C2Bš§ 0ZéÃ/9ªÛì~@¤ Ö±{X³‰¬xÊ’¶=€ôoRaƒð½ƒV¦:zøÉ’|†H3O’ÔYÁ›\¡Oå#ïL¾P8¼¨£áƒè!HÈp¢Ä×RóÒ /é(wɺ¤Ã3(`P°M«CÇ Mö‡_ï˜xýl0´[Å‘ZpÐ\áB ¨8 Ô)Ë%GÒ!®¾ñ5w@¾¦E„µ¬µbaG]ñãö%îEq=,æSù…T»¤jí¶‰Þk+A‹'9ÜšÈ!Œ'{Ä/ÊBñÁì'¿nüåä‰<í …­h Öå©hY‚«Kÿ*¯'³7MŽ(¢7dx1,XˆBFåµS†NF\#Á^6BnXô©ÂB y«GÌ’Ð>aÌ )«¹^æWHÕwŽ˜¼mŲ°€õjÏ3Ö1òo d*lý#Ç{9«•åñýÚ¬UШ÷Ì›ºÎCé3Ç.@½Ïžnb©ûÐ MТͥìÆ#ç†xívâûZ ]”7yå#ëLž Ó;—x€­ÑF¨ZbbO%7Â8}qÑlµÌRþàHiƒ7 Èód½Sù=›Pq‡¹OeàÓéxòT/Dä#¬3î»%²¢±#]Ã<÷Ƃțèò&„;…ÜÒç ·Qè³·ÒîÉ ¼AÂ<ª±“Ù¦©îyà’ŽÏîˆ"ÉÞ¥2gÏ<`† ëGšìФRaŸ…Ë-‹¥ª<]‰¡¶$X_¤ãŽï9{¬ôˆ°Î/έäU€_\ºÃZ2Æ2Ú÷Øè„@t ¿jÅP¶jw÷N\ð.,Õv+ånÐFÇQ oG0ƒßAñq>·RÄ;‰«x•®†…uK *$ü¢ï¬®i"NP,=".ÒŒÇÉܶó.ñ;ƒ©¡í¼‰[Ùœ‚É‹,*¼˜è®¼%-Gîü†ßw6dÂRG3_ù(|å3‚µ;—ƒ[gÎ2_Xi' Ь·µ—ùBš“;uOdû¹ûWlã£îÚZê-[[p¿Öîüf±» És’4¯ÌÍï€ÚYö/•Ø9̺B`HHó–=‰ªh´Œ½¶ÛZ„ú Ûg°ö„† ì2ÕºšÓY5ËËr@dçTi¡ãžp‚¾8Q=e2#]t¬ nª¡s*m_«ŽÙ¡!ÚdØ1(Ó«;ìei shzëЩ„ J€`¾ .òûúá{ÍÖœ' ò°¢åÒ hî#¸°þd¨kɲޝ‡ZI@¨ÿ¢F¬¡Ù üµY“¼tþ¾ðú _T>Nˆò†k*}IC{ƒÎ©2b ¾)}ɃxófëËóü»BÜBÊÏ1 'v„;¢àEäü¡K"Øèë(cªœq*žKé?) ÕKGÆYñ9YOå „ö`ñ3œA*±×8Ÿ…+³¥SXÏØ¦ˆ‰ ‘T^IOBYñ®)°7Éq÷ÃToâ§]wnéO2¤óOS-Òfd4NÏÆ¡³zŒk;±ÆmTÈÐRaÀÔˆÿ6‰¹çd¿Ï| ¤- ´a«3g³Äv翟³8ÛÛˆœ)eœ vÑ 5žLQ¤µËÊZÇEüIß~&Bå0 ý[¾oaÎ<ûh®iºv×Õç×þLÊTß@ÄÆ{ˆ—9àß–,u{´GY>ꎉhÆvmB¯p“›sï]Œ‚>hbàn û‰œ*lEA,F“áTœJ$¶»ùïO;'§ïíÃ8íÇW<Ø9>>è¦=ÍÌÏê×ÌF¦Œ5¸&Þo÷«W’ Gfe³o7^lwŒý$v=ùYJCk(™“’:òÛ4kGÍç6¬,¬‚‘¡2à ã=#$ð]>…0ÛÝ8ù,w±êÉ©ð§÷1 {ÞNÚãÔè]ûSgË^_ú³iÎB¬,æ=§ÆÒJ-¢øtø¤—ÿRqÃÎ({åâöUÁ}”]•¹¥SöÖ7d?3Nòï øG:ïP+šÊ:VgzÙ¸„éP;€°…"YìFòÈ@Çì™D ëOíÙdà*âO÷Œkž~ÔwC¡Ë„î$ ú7–ž´Wk½lušG?4@YlÔ:§­F»]Çû9Ÿ]¯’Ÿ¼ïT.â NËæ#ßuuŠe’’aïCÏ{ÖÞC˜Å*EäIéYÄ¥$ ÷àA8ݬÒ†•»+ÎæŠÎ4bÃó¦1éÊœ2žÏ:Òì˜sǪðºzèOù>(Z[åÄqâ¦O£[á¨"ôGzgÑ• 9²c<¦Ó¡Lq¥’指]b-pÓef¿Ê6¯žtîH'ö†œâm¶½µÄ¶ßmÖú=çtŒ ©³±;õpÇàîYPû k¬NŒöâHsÜm‘Í[êO»Òw³6‹K»Üòž=¤³{N9!ÒX./-”úš^´U, Rµ~èž#®ýÍmjñh„ßìµùÜÆY½˜Ì®¿I$í¦…'¯lp$= #þjøàŒìÅRÚç©L©ßiðùëôöy‘ùú(J£Ëyï)¬Ì6gîxÏœéÇLÓ¼«Ÿ`’ʱZœŠØ¿ÅG6=xg…Cž´r b³ƒYÿ²<°žöKŒÂÑu%ˆkFvÈV½@ BV UÁöÛ’¸U*„˜—pk3íÊt*¸ˆåÔ—[¡™ÀÖ]ÄB²ïâJÄn©ë"î„ú2®Ç ŒË,c`âŽ,X²ÕùÚ*ç{m™£½¶RºÏÚÊGmí—fmµû²¶ÂUI–ÇÃÿu«ÃŸt“®]L&î}Ã_kÖ¼ñ+±ÂÉé ŒÁ¿âkçßIŠÄÄ¥g”­ÕÇtÇãùX‘ôzûxöÙ·ðìîÙèQ×€j]v^¿…ÿq ÜqB‹ÀK¸µUÝÔõ7¤:Á1ýS›a 7Þ”»(¾8ùfûÑ㇕Í-§VŦ[ÕíM™óUvŒ¯Ÿáׯªo}õ¸‚ÿ>©îŸÐ“j„)à˜*Ø_#z,Œ~5‚ý¼-'aÏ`—/cP7Ý3ZZ˜«nòúö›ð‘uÙÜ%#{[â·þ³.¥\Ð?'cK2~K½Æ™I«èNYd5›¹¯˜Í»v Y’¯öê<~U©x…\¬C¤ª†þ5¡Àâ/;F»X01,‡¡‹Þ)ŒÞ;A‚´—2VÉ/’Ì©DÞT‚ËSºWטMúîÔë†Þ¹a”e²@At嘒÷œ<.€WpWDýw¯/¼k˜«/áž`åü©²@I¾/[&¢=ÅuzÚfHY¿e (81ØÎ8¼‘ùd8]áÓ«² C•Ù~ÆÃ‹på0vŸºãó™{ކèÙ“3ñ ¢¥öÜ%Z„¾H¤¨Õ»õZýE£ ÿ«ÿP|}uáÑP°K•-¬ýn¯çM¦Qb%e.ƒç«›þ@ä©‘x Žè~ Hƒ‘K_øõ_¯†AµÁ*c™Ò6˜"òÍnóyã Ý(2£q^ãǵ£ýnûø´UW›ßÔkðøë:ʯê_YÄ’Šˆ zÓY8v6Ÿ:ÞâüÖDû×õVl! O|õ5”éö³³N*†™A7Rz÷SÛ.×°$Y5ÍÞ/$*Ë=8ÞZ.Vµ»æ^#›‹Ó–ì>oY¿å¿†é/HÅ\ [EèW®g°¸À{¬àIJkb/ˆ¹É¥XЍá?znö/Y€a©l¡Âø6>›t`é;°/úcà&þ´Ëe~³x‹ðP¤ÃÕAK‹c#Eù {Îs÷,ô{žóÌaøŽ‡ì´9|ãÔU!·yè»q3Чp]ÌuÿqÕU–U¦ŵ G~U³¤X³åß#ò÷ž„)ýpûŒ½«(ˆžü^úåçó¹‰Äjåãi@(D?5!_b*Œp>žù@šÏÊMe œÜ˜Q¼1ìW£`ž>½”õ8Cy]MUCüÅÉ¿[ò‚¿KO]ÿ$ê£$±¥_”…¢^N7~l±ùÛèþi(«Ÿ~µo3¹lÑpé:2A”pr'?‹{«à®'âì–"³œÍ#òˆ@¯dbû¥Lǃ?8Í£f§yÔîÔŽê §ÓhÊ?梃!ÿž[ýËÐcLz“—ϼÉÏ­g÷PëÔœÃÓƒNóä áµ_ÔZ½¥;àð÷öâǽÑ5\}>E|àFžòšcÚñÂQ~£¿Ä›ñüC#+ÿì…Súåö‹Çí&ú~e?\X xÿ¯{|Âe¼æ{–dz‘ÿ]3.Ù (øïèÜlýWnL~e÷eü…áï[ýüS¤a‰wÆž{“6þÅE×7ºo¶6ÎaÝ~çÊRɺVëÿ¢#lƶ>O ¢5:õû«èøCSGÜß»J(lœµ ®ly^€]Û¢Õl,P É|øæ~aå-ðæ?Ù’¥ÍYË”…ü<«øg19ý§^ŒËõu øù˜jÖ»_8]®Âí3¨ :*# Ž—õ§¿+xi~bgÓ˜ÿKN»ñŸe]FÇšNÝw)rÅ;†çr'ÿeä|½y3Î'=†ù7ë>‹dˆŽ¹¥„èþÔhK ó• ‚NÊ&Oçn s—‡¤JR}üf$¶jéMbçÝnAzÈѨƳz‚Ñ{××:èFA‰ñU`›Êðf¥›$¯‘}‡>Ñ_@­ã•—x«ü‚áÊÞ7`sA$…[G¯ÂëÈëJÕ ñï[Ç}ݺ仼‚½‚KVt—-³êµÏ¿a âоb·^šØáOë1ú÷º"ïÚý¼ô]DÎãêfžcdÄn–0Q‘‘9€ÜÆò¼¬}ðß\Ç™;u½ ·X†Ø6ZáKÖE\Ê€øQ»s[ûíŸaæM~åý™{ÑæÄNݵCižw#µ ¥b \dûñÛ·”ñoT½o¤½³Ë³C¹…2>5„m©ºðáÆ… ? ½ ÄðVÜáL‘ŠD7ƒJ @õŒC^¨:0mïÁÜ QA™ÒéVP©–Ð̆²â†–gùcà–Ëtß—vuò·¢_:­†3áÜ6Qæ®(Xšht]>JÎãSD²I4öKËJ w ld­‰sI%ùЏ\Døûßÿεí#ßyc¯¿wÏÑ`!Û>k<°ÄprP;OÀü÷,Òßî‡AýƒR/9ÝÛÍ1ôS:q#̼Æuñ öZX2Û@,Y £õý÷n8÷Å``±Ç½¹7å(1Nö ‘²?FªutÊK§›f‰ëÂÁ^·uzDxá…»¸Õ‡$ð¼a.ïÙÖ…xS&xÿð$CÑçб×[!ªè–§e…p s§Î­©†æñ`Ž” ¯ ·8/ÌìŠPñÇÇo|zÔ|¥>8û×/AôùŠ*H”öúõÖæÛ·÷«éú ¿¢‡{ÁÃêö%èoøàö£t¨Ä,3I)edO…U¬igd©3•}•î6…y|ù“Yâ¯Ç?Q$ýÖÃX1"wÿ³LxÿSÎ5õŠ<6¸øýñå¡“ëÇ¿ôœzíèè¸C¹²….‹+ÏùçX—;ò±Ü´”;UÍ&Õ“ª§€ FŒ¼Â°ž”#Á­Üñ‚û'eBô‡iYõ ÓÓ*´eëpû½ Q+œDFýª>-½I8¼ª•,­4¼á\Ê\£’r…œ‘˜<ÞfÕ *Uçòõ”4*8üJÂ6¢D©RC¤n!Ô›‹@RîåMåVÁÓC‚ÏÅÚVïŠÂd»¸6ù<´iÕÂ-å[{Û>¶ ãf1ŽüÝý‹î.GwgSCßÿ/„K›[V8£Pt5PeÿûY¶¸Rk˜âPèâÝ£ê¶!ý¡ å>4À­xÕ©L0<G"5 €öþy[ÊÕêÝÃö~·ÕhŸtН×3ž5s‡3Ÿ#g^Ïw žOÄñP-zÓ¸¥3yÜf.2?¹×¨)sžáñ·Müçx¨êE;Ñl€Õ~‹\²”ñ¼›‡‘öÇÃXF0'þ¹…ÿ´íjðɾªQÞ›°¬I¼XÕíö[ƪy-Ì¥#²uRu=j@až]'ˆ‹ñq% X9lXòܽâ­"3Ë’—×*—“¤”6þÏÑ Ë_¯/Ãóx¯»Æª»9ää9$# Ôí3³_º¦PΆþ0XGyÝŠë2ïߌy„EÞ˜û…ß †¨'ÐQ¤]–ùî{ Ù“ØF†*b„¥±ç)QE\ "©f·¾™´ªìÞF-®|¤¤CafØb©z‚ë;õN¸2D¨³ —ÎBä,o€µ¡mE8üÚ†žÛ¿q&h'Œð+-³L…+¡S5kx§êËd‹G³roí} *N…É™"-óí2û£Û£Œ¸á÷sk‰:‰p¥<‰ ÑÅï»HÑñ#T×ÝF»æÈï´~ê6~¬ásѲäl§ž÷ÂШˆRÅü%~÷ þ7rœ]ë…Xyëš¾|h—Ýh»ë6¸…lq5¤9S„© ¹óÀSª…Ífw+—<8ÍüÄG*Ö†dÅ6ìVÅ„’“†ÅƼØ4¹Ùb¦`½t17Q=ÉÜ©¹—vûÍwoþ¶å¼‘é%oòt áÇB&ž*™• iVp_¿]V¼·jÙ¬ÔX`$kÉd.Ãú¼%מtkšG×ÙúîoÙ»6oK«(3ë«L/EjÌ>b!FtüY6œ3Bk=!cK{ƒ`ÈÌð^ B„Ò'ÉÕ'Ç~Q5ã;ÂÜ­ðšÊàýL–o]+¼`X$_i LÔúÖ¥á,ãÁÇÌÒ@ºD& ~· ¬ ˜HZzoè †Þ5Š2ý!fšEi/ÈpÎï_•ûÕ”MvñÁ´×*Â…u¹ë¥/Ó¸dæ!X#²2Üvã¯O{a&n³%[Õ BÑsáùJ4½zJÌ£¿*S”“¯±‹|£¤˜|¯tj"n0qFà]< óZ‰—ÒN²ÜH%èYÕNXº?CoänSž‘)e¾Y¯G?%ðrKä}0ð°ò /¼¼æ\+6ÞêœA,3^CAH=ƒ¢ÚŽ"5t…)Œ/|ꊥq«ûçtÐî'à¡ã$Œ_¤z0kjŸñpR_œ°Že¼ÕCâ!»$_’Öq¦Þœò‚@!ɘE.Sê:gþOzJ|Ç}Ðq;Ÿaµ¹of*d1‡¶G!AçöԽf óz±®˜‘¡[µŠl™Ãb¨´ŒHC/B5â%]bX*‘÷Ÿ°s›_H$fNà¸w#kMååHóeǯz¨ @ñ‘H ¢sáŽÏ=,*(j»biÃCºâ…'@øäV§0^¯?w©DÂKDHK8i:0YKƒËÂ&[m5³%FÕ~qÐ|F5¦A‚ÛÅÑ}¢)àù¹ƒRdÓµ ÜM¬ÜQ©p€]jv&£‚4±Ä/uÙmÅ÷ÜEöéø©W×BýH› `"XªLÊpØ„°å 6FD}`ø˜ñ,™dҷȧJ—BzeIR+«G¨9âú`½_ãJeÊÄ̦Rª¢ÍÝP/^™cû$¦?GŠ5KÍ5i‘Ù*þ–ôŽ­âJ‘oKfIżÙ@Ae<êŸk¶ãášpÊü7‰š ‹ßD[£½rri}â‹eM¢t9iì{Žð䣪#¯¯ØñÈ)Ê=W\)S Ob!ëÔ©Xµ–y/†¿E&‘#HëÞ.g/”(|‚ TUDNÀ.9„‚ð ×þx(mpSx'ì>È}áNã׉O/ÐÈ ô E‘Áóunî`s©QÀ@Þ–î™X¦DZÛ¹\N|JÀkÝúñÑóæ~ñ5 šÜs*ÿÁWq„5<訰j3øç³!%Ô]ÄØxN]«>¤'Î|¤m7ÐÖª(3y‘g´ä%}ä:÷T~Ì#Åy_Åór÷âú•9xª (N¡š=Ò4˜‹¯3‡õ} _ Àà¾tha+·4mÔë»ëõzN¢Öœ¶_ëhŒvÚTÒ‰«ð€  +¢.!ô@Tͱuo·‡­Ži«ÒZ‰YõÍÙP·˜^þLØA„%z¯£üÊâ6-#ŽÒA”½s\WnŽar7Øzh¼íÊMrvͧùùýuwN×V÷\Àž±¸S±ô+ãõ7KO?”éöçð¤yÐháòr ä)w½,LÌþ«Ð3»ôB<°–l¯ÀFò<.˜ŠEÊG‡””#ŒÕÔ]¿~[âQGÇ'ÕœRû÷Ïk§: Ð+ž çÊ ‘Dg>C 9«XÚCœvŽ2O¬ûìœÔ:œqQÍs Yû±Që8C¬©·ƒŸtdý*Ð~€Kº|øÜ# ¼a f†3¹X\µ,”YÅ~Hjš‰ˆqŒ:œ=Z®+?B–—í!hY iaqUç&˜9ïÇÁZ—’Á «+¤ ø.p?@µ¨ZÍ©86Ll“+¨½Öjw[NST]²¾:iÖÓ>®wÓ>~ÿvŽë?´o-"h|Þþ©ÝÝû …f]<“lô¢ÖÚ«ïA§,›Š'dëƒã“ÆQ·Í@Y4’ý.U‡ÇxVò#µ”H°µJѰD]Uê ÏÊŠ´Vld#‚zxJv‡ë_ËÐQ+rÃö¼™C§áHï¶u„¹d´íÂ6­U»ùuóÏßßÈ"Óo¨l‰*un×Ä2+ºu!gİ7¦ðúõ£Ê7*fQ á ¹¶¡„‹Ns¯[3å Ë.{‹Êëø;,¹´KII9äÑi Ï ã3`ÖÖÖîÙæSŒxÂ<QŽÏ Æ@tÛè2|T¾¿°©´޼Ñ’"»hßì0Þ?ìÎU½Qt›‚)²}ý >ŒßkÙ–¾4±³ü–ɇ˜–Aâ“@ ¶:G²kMiû ûdçY,i­ GAeMDšêÁ$щ¬†’jŽOr(èh¡G ’¦à$_½ZZ”¼0IååþÌ⤚š@‰é´Ó›L™‹I÷ihˆËÜÇö.Ö›¨ˆª®µ*†¢Ñî4ª¬¥Çåím³ºaþ; ‚ù‚L+‚Ù² Ù†Îýׯ߾ÕeЬà|(ðûD=i-¹Ö&F¹áÉ›ºççð~‹ëGXÒa¤7|‹AxÓªþÓV ê5c@Lo5õ~Kÿ´ –HAœ5Œ‰ÊN–Iöý É1–ñ("À?/ö°n„ñÁ>¶Ý§Æüë«WÆ·†ÚŽYÕÀnE$þ3S°~5*(q½ëë°æLÅ&ñêÕj—ñOtàF@)¡£dcü“:&\¬A¤N«N«“ýr5yz±Â"^ÿÕxJ÷¼ Ü®ú¯ðk%ß{ð ÿ?‘»÷ê•Ü?yßÅ>§Úµˆ\ª¯ëõî³Z»®R´ˆ§XKX`¾Á£øÒñ—Wî1ŸÇAÅ»Æê%dB·CbÄR|ߣZ)—Ý#eÞ3ö„t\ 0‘ur§¥è΋:Œõ­€}p¬â Ö¹Õ~Ý¢?©T.7Ü{X“Þ™M”A#2D mM€dΉ”üáĨöõ ¯÷_$[9¢ìa o¤÷C›K庳-Á+Ø…ræ!y1Kêˆ~ýHØN‘XW32bRÊgÍ©/Kâ0œ%^ý8ˆ¦}J–˜ÀßÞ¤+c¦R’'вb=²xd pôí?d¸°ÝsË—¤MícðVM³mñŒ1 {èmž”Ù" |e2V×ëe†ó1µG“éÑÁ+Ôš(8af"=ÛsÇôàЩÎÓá´7¨[à¼ö¦Ì0:bÇý%œfÿ™6‚hˆŠñˆrЫ:ÅÃC]ŠÇ„2zrÇ=êââôý>ÒH¦V!¡¼"mT R€ XUíÑQ}éÜ›´®‚D¨B‘ÎÃþ;èëÝ“zœCk9œ¸DÍê¼à|çÄKS¤Vü™«'¬Ó< ±[+õLbê……]åíª‰´®öÀ>  ÞsWjì2õçîÒÃôÊ$ŽEyô0Ê)±îC&N Ô(i/Ih=Bsë;g¦L‘ñc80)£I¸H>(œ¹*£…ʬ H9Ÿ/€Ñ z»BÂ/DApŠ’ªÛ¿>ìž{²Ä¿[Æ `: Ë¢¢aôC‘BãÀ[d­®@À? LÂÅj>hÄ^¬®46¸/ýœKX¤³ö…S˜Ÿ¡?R}[&/ µé¶,mÊ ¯C›>”>DZš+“£K³yjÍW¬ËH^¤¾•³p:$M?y‚˜e½=F¼ä ê¬~ÛDl€ïBa„øU­^žÃ—ñ³¯=m`BšNb/²úà 9š-À}ÉÒøRi«R×òq÷`ú†äa…v¬ÖytŽƒ<‡­VÝ"»õª?–ÄÛË,ìÎ8(;ñÅHöCñzÒ1¨þ3û!€¢yýÿ±GÐè‡l‚…Ùo? ¦< 9þbtVƒRüís_vëÉÓëiö ^¿Úä3Çc¿=µr ïìíË,}œB#!xT}ýzûáÛ·¿¿WïÿFTô± ¢”ÜF!†¶šÊ⦈ú,‹krÿú!ùù}ºï²£9HäÄñgpÞë?ÓËp0Óï8Í¿©lx\]³Èôb'¼¹(ì-dÜó¯…^¸K}"¥à+-CŽiïb©&Ù=˺/ƒ+0ãÍ2“¾dòw‹zéyŠ‹PJF‚ú¦ Ú-^ã”Jµ/‡eÚ¬¼ØtŸ*îjc¤²¥³El ôwÁÔ: á%RI‚°B¶5—R¬Ì»þ‹œ†ÐqL±›– D h>Š„ª!ó©O¤ÝeJV\R ´ˆ)¹© „Ê Ìðt‰òdÖw:ÇuÒÃà*Ï9ˆ#ÐŒ}àˆ•iгµ`iNܲ(^®ó60¡†1VªN$t©ýÈ€ "`Æ!Åsá_‹hešk™@»yæŸóûå~WsK*…¹&tÈÆ+–/a3ɬY ²ÆzØB6l(ƒ²îœ©ÙÊ‘ØþJÂaðžLèÃ!Ìw›$}é‡P±ªp>=?C\!Ýn$y'rÖe™F´íëÆ%²&˜5æÞD‰¤–)P»ð2tÉ4©GìÌuÍ&BÇN®6î‘ر“ÕõóÁ0þè¢ÃcƈΚpn]Ÿ³>²Šø;;eQF _Ë.ÈÊ4.–ƒ!Ð', 5ñ Ùj'zpŽÈ` å5Íž^Vvíö¨@k«Q4c°q‘\òNþ«`ž/yÏ–o̾Ö?¸ÆÍ~ACÜsŽ$ì Ç‘%„ŽÈ:S_Y禡˕xÜ!÷a+EeG<'´jDOÁ,NšKç&®£q?H‡7,*XÑÈyŠŒ˜ ŽH2¦‡Ü^;óK¤Æê[¹ºó=ñÍBMäG?‚ÉÖ@²©?xPv~õFWÓ""{|@¿6k4B<ó¦®óÐiyCÏå»{èYðždMfñûUb:}ˆ¸è(2\ßNlÂ0×}S<ÓDá'*Ö³>Ff¿)î´[‚-g&¶,ñdrßbûeÝ%S¬\Í›‚R,Ê‚éDA°q”#I“O˜iÇt8ˆ¡wîsd ž]£F£ï!„N±["Ë‘´O§èªÒŽ\ÎvÃЕÝpäü®t«qvžU™WØn£*YܘC1ð: Ø|üJyšp.ÙNØÂ[$=£T¶:ƒEv̱8 û$[ %цgW²ï˜!XËMùÊ~^™æQ-Éô‰Œö á) KG ›¼/X¯Ü“aNV.à_F_\ºÃZž+—sÇ1—‰÷J÷‰“"÷Nì¶²Q|½¾õ¶´@¨›ã†<ƒÜll§À×_|œÏ¥w½0p• “Wú¥)^ŠwV¸DZHª8¢)ϲG*åì<ZñŽÇ`ê³;o╚‚É7³ØÄ2Ì`u˜O u°#«~ïlpݯ¥±Ló•_2Í'[emeþ 9âiç +mmz€ °67_Hóŧ—IíçnL>•¡}Ì”=ÐÅ´.ãÚâ{¸ö)®àÚ $×IÒܲìàãÉìÚ²µ½˜—JR¹üAU-U³%‚`Öâ*"g9‘$Ô÷”?yØ—yßéÁÊ„¶R –9~{ú:é²OI÷œFrcœ1al³eyBë«<Ä ֳ༿¯þ€ÙOô!F'’;Ð*䢌j¥ò.¤(""v%¦¡mÀLÏ>F†Ü­M‘º_yýÝ»8C‰Ñ®¼U:êKÜ›7ÅׯËÎÛ·oÞ”¾äa¼y³õåyþ]!iµæˆá˜ –8؃Ž3ä]’/‚+R Ý Ó1U*"¨>/º¥ZUYÅCs,.%.CÙµ~º±¶®-/ä×—x*_øP0×c’*ч`¾¡ìËNa=cC™Þ6âÆ©ìç÷õÈZ«Ë¶ÚŒ¢Ò˜>€ZJÙéä¸c7ÍÉ—9Ÿvõñ0.^~n ;æ|B¢+Õà3m ¥ÿâu»í8/Æ¥Ä{_HøèâÜ–%Øuw/®ñ²›dH¥÷œ'¤šøêáv…Ò§NZº’óÝmçí& N´¼[·Þÿ[,•'Ê”ÂJ8 =Ä*d™³ÅŠ|’»qø£³²YÌEo? Eì3Û bíÅïg^€eZÑ@èé:ÚQŸ ;޶¥NÑ7vª÷ai1Ë™ÆÌÇ÷œ‘7¹pžy=2ÏÜÞ…óí¿Ã³‡ßŸal‹ï¸`Õ‰d–P•ÐÇfF%È©÷U^\ß‹¼=³ÔZ‡ž£„G(iÉ–nçÂK–+Ó=':­è^2²IÖΓyæA8‹ W;Pz½.æ%Ñ |Ó2Ãîö­Ž'éñIªÞÍù•?FϨ\çWøËäê!¡Ë÷<Ø.|ÿÕ«r|ôkåÞø‹˜À‡W¶¬ó™ªA‰Hœ,oB°}L£õ Ѓûcvn4{P3Ø;8ˆªY½2´6§pÛC¿‚Án±ëòûϪã¡BÇ X2X³Š¢^ÉÑÞ ŸÐ_ØSþàÇœúð™Ù€ ˆ„‘]ÁÛïâ“Ö¡“Þ”É c‘¨*.Õ{¹p{ï«KÞ¾%Ì ñ[¨*£‘¶·\i"`ÈN~P~­þ¤‡“À5Ëÿ®F½»|½Y ¦”e~p€yèÝ„°¡ÓJ *Ý› BØ ø$uÆU8\ù§±zʼŒF@³³ú„wÇúŒY´(ÉJ(8…7…B´ñ¯ *W½º³;ß&d•ïœìwÚ¯ø)¥saã3gµÄæç¿Ÿ³(8ëÛœƒe¶= U”Ì,¤yZ€† \WÁYˆ`Kù ©Êe¤D[HÅâbMÈøq]6ëøFzÛö(^‰Â<ݱ ±1ÄVÄë{£ Rí#³´¥qÒhkÁˉFéXk$+»ùïO;'§ïãK<íÛ"E€†núó"ÍìÛæÄ%áx¿Ý¯6^5Jv”“U Å…1»{ì+­A|ØëÉÏR›ÆÆƒ,מ"é Ó€;£ æíÅ–Dê,;¬eZ0„N¡Ã쉀—à»|*ñ²;r*òiî&>SÕ\múC0}'íqF`¹ö§ÎV|wPÎhŒ°ÄÊ—ßÃp«ÄåšÏî3Å îÇ1îJ¼°c n—£•9lŸXXañ–tGÄ3dj"H;+ •¡zü¡©3¢ í­BELÀ=÷*(ò:•W‚=TðT¨ÂË™þt];v(}O×ï‘»Éè_d*dòôqY†Ä»‘ìÞjܹ2šb,»Ã¼»HrË›q?BÊIÔ ËqJ#$òˆñg ‰žœTƒÊwËw*¥$Vfoþ3§í/‹4B¶r ]å¨lŲún(ÁðÂDAÿÆ`¦txj­—Í#‰¿ð¼Q뜶 hh½A´«B¶ Í\.ÐkuŠ˜TzžFýű“Ù²Ukýä¬ÿÊ{õ¥œþÁi5;Í£v§vTo8FëPþ‘O9ÜJõ¿Sf*¿a¯Ñ®·š'æñ‘ó&/Ÿz“ϧï¬>jšsxzÐiž4œ£ã£ö‹Z«±·BêN.nà®á"ê œ(y".ͱ?íxá(¿Ñ_êíxÿ‰êj埽pJ¿¬€W!n.4˜ýøÒ5ÿ:' €bük G$ÿ»){ÚÅ|n<@[?Ç)ü;ˉb÷gü…êíV?ÿ”‰[Ê»cϾɃ"ü¦X½ÿ¦´¾Ñ}³µq«ø»¬Ãç2¿9Vûÿž3mª¥ÏSÔR£ßX—¿Š>?tQ³v—åJZ­æ(ýóÙõòVT¯÷àL\ZÍ–º˜wƼó‹Þµ~Õ~èycç…?r²¯D&ÿ,Cù,3ΰ `âgQ»j% ã+À¶¡']„Ñ4pýí*ªÂE 1V2‚³Ñ£,Æ^-«ØVÅb‚ÌòU SúC©ºçÁx0¼±Ó¤ágí=ç!'3`ˆ õ?•õ¶1a Îþ„®¾5IÄRÀðÂÚZbêf¾Œë…뿟-žuZeäu•Ü*ÓÇùdvýMúÈ—Èzp¶–eAdÿÎ-ƒw—yw¹P½L¬F Œ]+çÖà?KOºG`éHDÎ¥=EUsLQÅÈ3[@eëõ˜¥í(Kßéµs¯_pÀ[‡ ˜¢)*tjÄÙ‘&RQ¢jëþhðw’„ò×é/È£ltMÙhQ]Γ! ±Íøx»ÄY D<kÅÀþ2ËËL<£"¿+—#a/hÊÐAYäšXg±z¶„í@ö|"«Œ2¦|M(M%Ö› F« ¼ùFäcÔƒ(6cfGY‰ª&V‡ I‘½"™()T6m÷]QäX)%”håÝSÚõ]ç)Ù<¡LqÙ-¦Š J@_Ä{,q[TGà ¯ÿ’úÔ¹¯¾Ä?Rž@)â)%‚?MÄ|ãSùBöÅÝú¥Ò?ž<¤˜ %ÂÙÝH1ÙÝ’®¯@Ù­DºeäM¶6ïÿF?·R0cL4D¸ñG k«Ééɳ½É,îÖº˜LÜûOÝÿ ³>¬˜WIÃ2ÜZFIé×ZlcOæ |Þ°WJgN<'{žT°âl´’[fÁß‘·¶X‚[[F|›w‘Ví>‡Îêê7%Ùš} $’%t–ç.Rô“; ¾…4„q>røåúà®3Êä'÷ÝŒ9“~²‘kD™“u×îBÈ][$Ýòò¹”g×îF]» v-Mt]û2ëŸ\dÍ6ÉÍR×V[²¸ñZ’—rk+¿©nepÒ¬&*jS¤4jzûPSNÿCHmrrŸabŸǧ§é²Ž§·sV)–*R ¯24Œ°›×¯_?”8iKH©kË‹¦k·’.§z¿—“ç×î9/ÜÞûBÀäÉ9«×Œ}掩°¡¨K÷ùÌë¹h‘±Q%ˆ"€öÓdØÝ´jt!g¥"h&ã9Ÿ@Å5œâ&¨büŸsvƒýˆ+U"n©ês‹úÝ7DoÁò^]ø½ Ž‚‰Ú‡‡GÞ(©x0šˆŸ"Û Ýs¬Ü ŠÕb5[L÷2ðûÄ&iÒp/°†rm‚QûÙ~üÄùÁVq‡þ9‚ƒ?ó¦Wè³Ù¼~,ç€ïÚ¼~òüyÿäªÌØú§à•‡ÁÂÏ&Ì9é»Ã(Xˆ‰íDgáûâvÉ¡:}Õ…¦^_ï¥Ìñp†ÌX?R~ç(tÖmÕŽöŽ+ëëœ/G›ß½‰üæ]~líg6Ò.Ô–mK[2·hpMažû· žIÃXUɺé–s»rA4xˆ×~>?ÿvû'»Í “?qàí§ˆÕXÚ–ûñaus"çt¨çEרtQu Á²ÎëÇ’ÑõÕm™W·årÁ=šïvõQuë³`]BòœUM¯ZPq¨9rëÙQù‡—\ýÍýÂ-‚µÒ-wìTùØÌ“O$[»³œ;oåíKÙ»?ÙÆUF˜'ùgÉ\[©œ5²EÍïRÌÅïÈ5áLNþËÈù2zófœw„ù–tòoÖ}¶ÿ¨Y’&_i8®·˜Ñ$íá?n÷ð(ûc/ÄQÆ!:Ù›*Уïv3S—qØÄxnwK>ÒµÕþò™þå3>Sõ< ïÜ…õOêCcج¥æ —EV0•ÌN ¾CÉ%URJÊJ·„Pù²ÎŸ,1yÍk¹í"¦f(ÊåI°†ÿ„u58Í]E܆gÝ ×º#¾µçšCÌoE‘jÿ«øç3lˆk'o‰IÝýÏP4‰nëEº%H~4ƒüè–%ÂÁ÷¨zýYtè!£å7Ìz~ÿ¿¾´‚ Xe0˜c6Nߨí²ó¸zM—µî!^Ü2@—@$SIJ^ÃÊ! Ê[G-I /£vŒaµŒ‡$É–YáFºã¼BrhiuŸbÉ~·õ´ÕY[‹íž™þ*+1ˆ ÁPÜ•íêë×›˜ÎE9 öGÕû¥öé×}U|±ú—²,|x†×ƒÌ‚°/,ãð#˜P¦°7"¤‚‘S¨üâŽØBUKYxeuöÈG¯H›‡èlWŸ8Å‘{ Úvõquëï%;×q~8¼0ÁÐíM-¯ |#ÙÄ·sÁT—‚iY {¥FœÜYøm£MþhÔ¦ùq&vY¡å« }öˆý‹ÔxQÃê`m‚ÚO’aÙ…×ë¶«¸~°'Ä?ñÀªX÷T15DòÉ[È×öTßLVˆ‹ø‹³þëÕðƒ‰•T)OL*(† [ø×ö›êW™ETÿ4ðRó›þ“xlvÊœ±f ^›µŸŠåÞ™ŽwgZÞRzޣ饂²QMià·_ )-bèý<óav…Ê~Á9:îÀ/IÐXjv€ìb„£êJwqÿ¯Ë·øòíÿuÛ>ýmÛÿDmàßÖÖJ³%…þµä}*!¿¶bx»àÒrµÍÇmù:i\É ÝD—îÏ®¶I•‡?O¼ñéQó•úàtì_¿„ýþ gº}ýzkóí[ü~_]áWôp/xXݾ|\ÝÄ·èõÒ ͱŒ+änS=qÕš.f¦dÁH•,HsÈ\ㇴx,E~mø`E:¥é2^•*BïyÆTs'QHý#Æ€çkééJŽúYæl¼ìM»’#çÂs/o*0m‰%´AΗ!+Ë•rM¨^CTÈDRO¢(}:èþVy~ÑútçLaÇ~|îjñºâªAïsˆèÚÒÆýONCÿTtiëM'ŽÞ" qáµ__Ôe>ñf¬’àö—x©xpñ‹ã=æÓ|ûŸ‡sü‰x‡‘îgh¹õFËûYŽLÿÊQ0nOƒIåô~îãÙü¯÷L]^_áûÏë¬ü\™"/að—#r»fcPe#ç&˜9ïÇÁ•ã]»(ªÈîHÆ/]ŠWìƒjUÍ´ýS»û¢¹·×8ê4Ÿí5NÚE˜±úº~|xÒudÓª¯Œáø´wÙ%!Bôn}Bw“x ÎE·½ëkÕþ4íÉôQéÅB8Š/èvaSØiÙõÂ0ÀŃ {P;ÚäÞ–îñæàøo@.—ãÏŸŸÕ»íN«yûÚè֞ÕÔÿà rlQt#òƒno<ÀÊ ¤f€?ðcxŽ OZ Q¤´OŸã¯Á`€P¿øª*<–|€¼%\³‰\dd‡;ã‹æ„Þ¹o±Ïw‡Ðn%š¼ñ}Ýè­G@{Ñùçcø¥vÙµ{£zu¡çöѱvnÜÔ)Âg¬Ó#Uf„z¬4å*¹øX Æœ»ÇN5\ "è`ëcY¦ž;D“ûÇ•WífI¡äíµ+ç0¶´çMDði0¦rUÊStvãŒ9(GËÑÜàw˜9›ò÷=i‡Â¾@ÂÆ|xVEŽbú¨ÃÕÜèØ0„âëô][~Ýñè´ÿï´Ùjðƒ{úA·ÝØÒÿê¤u¼ßŸèî³ЃZû<•rBХܝ9!N|ßþíûm–#Ð2{”ÀÙ#V9Ü~h„“~ù/üdëË/Ÿ:Ñ—˜2E½½YÿòËü;âZˆü]Æ»#øÁI;öê^¥ÜyµR(÷kà[ø,TÖ-³/ÜsÚ`4`Æm¥7V40ëÖÂÀ‰WCÚd… ¦s,¥pÝ0b¯d¼)ÞNaØ£ï•Z)xm£TÚXgò‘Ü?{Éey[ν†g„×AœP`N§æpœÆóí·¥´šr’é¹{Ξ¹<ë=t{1ÀÂd‘H‰~î¾ÃÕ!h'gàZ`â(rXßÇÑÆPÙ-S¾QÂ;,f—«%wu½•\&)JܦdÕ [|ÃMá–n‘at‰Œ T¦fÒ¢ã+21¥Áâ€hÒ €l $Lm0'ŸDº:5ŽÓœ"¦ù˜¶£‰.Èþ3ô¦Žçö.¨ÑÔ= îÐvì]á ÿÿ±^´u_¿ŠÌ-Ø=‘_"‰8”Œà¨øC·Þ–×ø?ôË|gXîÝ%_~û-.gãøyæå¸OsT'oN+9¿Â€vͧ·œ|»ãŽW.Õwoè‚l÷<€ÈMfgC¿‡2çóÔ·LBÿÒzø€Ò‡§)¯~þÕWK½ZÆ/ž˜9Åõ…¹Éêk#N[€-{FéÇs/¼ÿÈqÅ'î;{ÓY(µ;8i£ªÂAÝnHûõ,5&Þ‡· ò#±r'à~ŠNÉ™ªý£!ð¯Ò÷lÿx¹‘¸½÷X|¹ þRÄwG¤eìÐ|”Ávw…£*G¼4o"êä14ç^1wÿS §ün(šå•ƒk0*ðmµ¡ô?ïÒÅ € GhžRsÚèƒyQëØ’·Ê:*-úw¨m0;4“˵‹¥jŸª´h¾òëA¹õ!/œžƒ\¬ª»hyRa–eB»ßuå€l ÄÆ2l?âË–øRÅáàw×'ðr7<“´†<²ê½ë‰Qt…¬>쎇óÒ~Í` m3†Æ…‰!"Œ-Z^.ˈ6±Lg°œ¥4UªP9(8…‚˜ M£r¿ì®§ µ–% 6'£ÏV¢ÏÖ²}³ú&ú.Ù§iKƒíÈ\¥ÝŒWïšofE™7oá»Í7Ǫk¯œõµRúBêßèzçb†èûU"t.æÓ§xÎǸnû ”tŽ%‹ËG5ù%+ Èc³ªg"Ö‰s9ÿáö\EÎl¢[€"¬¶1Ö ÎÄ9àšÇC{,Ž‘ÁG9ÇcY’d¤’™uRÔÑì“òð¢÷:ñã°Üé]jìiªò¢c%8ží<¬>æ ÏÇ‚òïÁEöÖwªCWDò¡,Zð€á™´±’úº@asT…ÃÄŸ–цP ÓÿÍŸ?xG.¶×iup#²Ï0YHæ¤Ì'ÔWRUAuŒÕ-'“`“ö•»Ÿ'̼¼ä3/:C½d TšˆÔDÉò Q ¦K¿I O9«¼Ä¼Š¾!é ç‹ó‚øó_Î_ÞáQ¢q¹ÈœŒ‘àwp4éR¾îÄDq~Žmá6€Y;)Ñ"ÍÜ ;š€}€¬×®lGŒ,C"Æ:‘ˆ›Žv–:û°òh2=ç{qF3ÈÚÍIJ+‡2=C2-ë³¾{áÂÓ.x±M&gaBIL]ZÑ“6aeE'ÇÕ󯾒žC4¡/0ŸÃ—1e6)¹BúJØå+ML•\çy‚Â7v¾úJFŠŽ¬™öOU†’óÈ3º@}=šEÞÏ3Põ¥±VC»;s„;wúÓ˜±Á:3êÌ}³;›#—K{*¥J»ýÀ(èφ^ƲŠ/ç.}zèÞlŒAãܸ²õøÇ¹dø–>AëÆ'¹y‘cëÆ'¹Å±˜¹e#â­C7¦ë"ÉKÏ(ÝpªÂÈÓç9‡F²Y,ƒôè¼1¹„‘ô €âÐŌ葨šc‹ñîÛzÝN~J,5îZ;ÍŸÉUg±2‡A[@ÐÇ)R2ž¥°)Q8ì6’uv…ý¡²]8¢z¼HZslž|nÒMŽ‘ÅÈ( dqØB¨©%š÷0sý˜#íÍÂ)(«…d²p'X C£HCR¹GèG^LY˘=„ál"å‘7•¶¼‘¦GgT0®ˆ¸fÑeaȼa?®“>P^{XHö¿Éþx9È#Ë3·›“ôšL³¼ ùÜ‚7S꣌65Du{Äý£ã\¹!¼hã,Àõ§Üc4Œ‹ÙÐVàˆs±è¥gÇøãä Öi䬸#ó zM ¹’ã‘à_rÊÓHAìnxn<ªbÍ8êhw†Œð¡Ýõ}룘_†Ã–~…SRÉÃÕÌ0â–žËGäQ½§H×⦪¯ëõî³Z»nÐÕäSnÇcúꫜa˳b© ƒ´ä«¿hÔh(åtœˆ(mcËh òŠ ¾x`5±^€GkŠH­o¼¨š[t‚A—°×†y¢§Þ–æEöýú_‹ìý¯ ÝM‰¹]6š7#ÈÕ¿æÄ·jý8f>¨/o=¸µñàÏm9¨/0À>ÛfƒzÒjPÏ0Ôÿ²üe3øËfð¹l½t“Áú¯ðË ×àÓëieðaYBïO`A¨ÿÏêÙþ²,²Ô+ùÁ7móA=Ã~@½bxã%Þ~åÒ9Ïri]øË¦ð—Má/›Â_6…ÿH›B:Eü+ø%ø!êsmõTÄ~ýŸ.‚¿Gˆ›¸—®‚GUr‚Žÿ\ ½Â"¡²údj)&÷È”?jÒ†‹9_5¢ù§*Gÿ†o–Ô‡R:YA#ZV¢Ÿ+ωJòó{5¤õLY½`å?©d’_eÆ“ Ö”ø„{±M%!^¿~û%ÛË ã©ó¡€#¹+™>)ѯ*ÏgJóY²üª’|LŽÏÙÂ=þ‚ì‹$y8Ä•üyïß ÊËvð‘Hâ2åø¹rzÇš/¼ßø§{ŠÈ»Æ282Ê$# Ô†oQÙ–‰y¢ÈctùãêÒö¼?‡á&—äÞwŹïkgr캖uÞŽ»­N§)ø`#Ï`ãó™x _‚CÇø3„%íö.a‚-ǘrK¶X¬æ1{üéYì~ð'ç«Ç‹Øêñª\¦œÊSσ%9j¢ƒÏÍOeÖ-²..ýÅ|“³ï†ÁÎ{Á_|ó|ó¸Ž|³w˜œóøs1Îà/¾ùßüïã›Ç©l³õé¼ãøýKÜÇô=Dx%ó§æŸ­úþÙª¯Ê?[õtþö–䟉>3ÿ,D.µ8l€ô+ýhv‡Nþo0éI¾ìlmn–²'6ö¿û8†º>g8qÓe¹)³ÒpR Ð}¸š—®ÈC3™¥éÙ×0vÊäÚëFѤ„z'&(_œ6Þ‚¶,#aq²i¾j¯ñüôȶJ1\•?ÚQD¡¿pì?aBæ“o_ÚÏÚpºt@7©Û9>>(Âeç¼÷ï²ô1!ð¦dEÿUÚÀ'ÈŒ.?ÙÍWÎÊñ¶tØ@·íÓgíNQ>Pz ÿ÷ú-’2zŽ1 NàN®vÚ­4kmšul~–uŽàXÜÕµ¨lU9g ÃÕés.ܾ3èOovèAk1cÝâÌ8¶6"mŽ6븎‹Bc¹”‹õت/ê{¢Çt(îŽèrá:µêæ2!·¸ƒUâNÅ”._‹N$¸5|@è¡àÉoyc;wj³i€’ªQ]ð^žáÉ:½ òåK×—ùbüj+¨ŠBä ,g¦z€qF*çÄ_&@Ýä×Ïõ×:* ?#'þ²Kƒ•/ãŒF~!e/ÂU¢éè”X©q\ÎÐ$ç–ÝGÃîdì4Z &~{#l¤ºC‡«êÍpo‚qÕCäɊׅѕ{!딣˜3¥é ” Ì×&Id–œºÅ ኟH(APNBoÒ;šÜH|Àk@;L]KÄ'åu$ÊCÕ‹ÑBÁÏ]è)÷ þÙÍË,õ­hã_¯66ò±u£Õ6f¡:¨åÊ è‘uÀ—áÏü›ø %»o‹@8¸ãà †’ÀC?ŒÛë¬,¥V-±– &å·J²ü¦CÑp•±‘K­¶‹ÁÆ–”"&Êôíÿø¿ãNc‡!\HïGø] Þé×ÈŸN†$•$…ÆaqlL›ªè 44;ÿóƤB‘$,¢± ŠäУ<\Wu§A(C‰+ÉÆcgÒú'±dÜÍȽÞÝ¿÷€tNá/Ð=û}gc…דóGgþxƒ6?nz3Ak 9Dm1ÊUÔE’M2駪¥MדޡûÇ眃XsÚì/ÇX&® 1˜eS•5ñ6)xΞ²€å!øçî‘“ßÜÚ~øèñ“¯¾þ†?ªçïìö&[“ì‡Âþ€ì`|Ö/—`ItL¬ñê¦T>î[c¸¿±PZ€®ÓÊ™Šc\æ]Ý1}{üû}Nœ‡« 2á„3Ï@pœš+bý®§:1šÖÈ(yŸÅÖz›¤wb9Ežáâ~÷]üc=dÆ~Ùp×76 °ƃÆ`J tW93x+Œ¤¢C賩õð=´?mn’,AÊ#‚gä!æÑˆá̘]жµéT†Sµot`è¤éžÍ£ôλž„Žù°óÀÙz—³‘Ƭ¾*çú#¸Ž6]зÔl¤¿œshç5^ 2BÂo·BéøSL¹ þTRÃÊ®'Ì?ïBÝÝÊ È탃îóF­s Ó˜c§&ät¤_ }.ЦP4ðà ÂÍ}ÌBÐZàŠ¿j7Õ¸†¥„$ÎP0†÷^â-¬îäü¢yÚà¹Ã±(:ÅÃZó`÷ÉæSg6F» þY¢€ÇkZr¾Ó”I…:"°™ôü.ý+!ÆÔ§¤H(%-oÊïñ÷Mü'9y³L{žγ–1ogõ½fW¡Ö®7› ~Å`P¯~›Â‚9…7[›[…w«\+a„<>(#lL\Ì7cv M(hzS²ÎŠbmh—u§¿fž0ëmLCžjûdûè`·ï|³ùhþÙÚ.ð7GÛíñÍÖcü‚Áÿ» ÞîɹÄFfw ÄÆ™ì8„Áã—ø¿‚¦Wœ:Ë®~'s.Í6bÉ4malÀ¥Ö]ÐûDêwÝ…lÆp‡Ü…”öS/†¼5$uÕ~l´ÚÍã#ËïÀ/íEÕ>_$ê°×üd ¦ Ìܤ¶§ðMuõ Y,dt)–›ÚáÔ• ¯i€õR¯’ò¡ß]¦@÷î±KÄ ©~º£Šô`ĬýȬÇð;†aƒÊt¿®™«’b©ª×ŽŽšõÚA÷Åq»“j­Ò<;mì©gl¹þ"¸"Ó -È|h­V•jŠzÇyŽÜ ß\MôÝZh}œ;p¿r¿BӾü~ŸÊ.0ŸÂü„ÞtFbß.‰)¸¦¼s—6LL„?ÅVøÜÕÃíd¨?¾ªws~ååˆVê››f÷NãWîä²HýrîýëÕ_2Þ¤Bì¹ÐHbNŸq•ùÅw¾ÐcÐ?Óú¦Ï ¶ÄôâÙ˜ ¶}Ä“œFDAœü¯È0/o9­zTÊÝnºÐc¢Ùzzw Y*ý1Ë”ø’‰~Z³²N²a.¾Õ N~+êƒæC¡ýñ" „šèž8AØ÷LjHÔ™úÃrÞ¡µMäÐLé'k‡>y[49äÍ<³Æ)²{\OSö)²‹Ÿ"ûKóžYâel¼)`dËÿ÷×ÿùÿ÷*_W7«6F6†SaU®ŽÝå;P;òèþ|øÕö¦ù}´ýdûÿ¶>zÏl?ÂÏ·¶ž<Ùú?ç?j!y2›êçÈ÷œÞë†jYm> ×>Õ>4VÛÝá*Žç8õ`rRñb½älon>ªÀ?ËøëWøë7øëÖüºõØyz考éæ`é$PQI”/;Íq¯J¾ Ñ©0F}aYÌUçG,|莩ßGFa>Ÿoì8?e”ó]Æ{œs`OhᜇþÈGu‚ºO‰±L ÕŠ X™¾®Ý³Vš–Ù ãÏ`†x£ ï|¶‡GeÊ E»©±+”a¿G#m8òÂK´¹cØ‘úîÔ`óæä¬|¢Ôè#’¦˜(W/ÁJ{Év\. Á\Yï®jÅ;Ÿï ’޼Aà€oaPˆRkGû.?^<¬Õ[Ç *;üý±T%;­Xª!±.f½õ/ú”ÿì¾…‡±L9ùÄ‹ë[Ýîú6Œõõ¿ÜÊ/µÊ?7+ßtßâà»Ö¨ÛÎÝ û¼©¼FtKØd¾ÅS´ÊØYÆ ïŽEÙP:–ñ,M¨ÚüÝüpÉŽÉXc¼&’hBî%Ûé]*.T¯£ž´ˆN_&·Q`½¯o¿-ŸWñIÆ£â¤è'ËV áùOáÛEø\ñõ)» à½XÃÂúvÁ=ûÖ|¾`Û€<¯ÀDámðËÑqÿx»ÚùKh墚¢{Ü?~«ðßÓ{Åë´&”Ø5~+>lîà‡ôÇ#ëŸ4ÚmÑ ¶ÍvÇ×G¬‚½rž" A ¤«Ù›o§  G&ƒyu¸ƒZ{6bu=Ýí]ðÇôXø"š ýi~a%Ïÿz¡ÃZæz1‹—V÷ˆmÖ„l j}³Kž›·F œÓSß2Y”ø?V3Ú¸\Ê!Ö÷0sÛVÙ*´ÀKŽ…­€EàìŸ=¨r»@+ z>>½›ÒÂÚ V7ò¤_iI¡T½!eöc{ަ´.ó¨a“0Q¨hâS#ÀŸjBPÑÝ3fä‹tA®¶æ'BeŒå|KNmMŒ£Ü-O†£HÜR£6:'šGÍü†®òr¡÷¢¶LÂbw ÝŪS—îp†XE~£†%¤)g°9XEDîϲDWTÖxàcåQ'è!8¯ûÃ`âáL_ <þ€q?Þ–wpånWúáÑ}= nôLḌ‡‚r<¬½såbèÇxc¼S0ÃÈ‘•0ÅIQ¾ÇDHA«!Š–†3Ž“Ë5¢ú¤âÌɼì­Šâ`ˆ) v]Æe3ò„è¬À\èD†~E~ˆƒœÀ=@^{%A£ØA£ì Ñ™H³‰PÊC[b3ö…ýnK° ãQíЧö‹Z‹|c‹{ã\lÕ]ÄzëÔ:Íú2½Mü^…‚äÇAe¢ûyÙþd¹.n4­˜5,ó÷‚Èš#|^kc0Ѓƒe^âú×FpÙ…_ãO,°eþ0,Öi.µæ«nû˜ÃÓáab¦t„U MHr”ï´ô:脈'(Z“ðMçÓ£–G»*ž[ª?[®fùé.Äê ©š^ªéØh LƒÙ”$w(f“lòú_éRvœ d l˜ít ÑÄœOüe™òmR%éJñèä¸i2L:Õs‰É-Cx1½§v*‡I ÍgKÙÝ;8>iÐ>ĹN²g²¹î5kûGÇmxu€X’ÞÔÃÆë›;ºV&HBÆVe5{¼ÄŽ;—a¹ f9Œ‰Àç üª‚ä½äZ#)D"…‹z«"ô–Ný”eP~}Å„ÌBžG:™T+`Ĉ1(ÚM1F¶Uçï™ÁërI^G‰)¶‘Ùô£üfš’ùÉÕÃmù{Ï;ïõ¥Ëâ­µQW¡»ñ¯3c|ãfÆCkƒ³êZkSüJ­½ëF±À€ÈOBæ V`Š£3d·* ˜<Ÿ.È8ÖýíøEÂoÛýã%×§*ý6¾lÁÖ×ôöι³úd}Žk«ÞöÙo®±dVPŽ%Ü_CÃÚéÁb¾¦,:Lp£©U*|-…ìäp>3ÅÜIAZ)Ö!®Þ½¤´çÌHJxH¨8 À²\øì ã ÀjPÀËe´ ±>=šÐfm‰ÎbFÉï»rM”‰m}« ÂÿaèT¸@­µ/Ú_KRd„µ»/' öµÈ™[®ï¿Ýù~÷ä‡ýö÷;ß}¢ÑëtLDóÛ}›9Ô×ÔMI¾|²»þëI­þCm¿Q?~7 —¾7‚Ö³aDK¸ËÆA)¹(¿S`‡ PFYôó ÞËT|™!‰rýy€¶³—{"ágñp‚1kÇ ;9ªê;Š—õ‘¦ ÿÄB•¥å‹Ji¿§ðb=iй\£–F‡Ï0ÿjÚPñÑWf…êä¨~"ÀÿKôœð=Êm²;ÌÞ]I),CbŠ”hüÒÖe6é`½´‹•σߔ‚·5ŠÜ|N=Gu*¾¾Án¡ãùòÙb%¬øz°$«££œEøw<› X4¡gc z*àEÍWì5ÛK¿#>­R\Ö<ŒØIÌ¢¸þ=NÚjƒ“˜hvk&’22!j=” ±™Ÿ!µ÷Nø +Ù >#Ø }›d3âãÏËfXÕÏf3ôýmÙŒ0.,b3ôX&›‰£áf²k¨wÉfdh›1°V-6“˜ûßÈe4¤êqî0{s3¸LÀœÆâ0ʾµ€Ã$iã†F°ˆÃd›ÓVå0ózZžÃ¨ë}k#‘p³9ÌïˆOk‡½9‰YÌå0f+ûûã0ês9ŒùTœÃ˜fËåùÌ"ncYP3xŽùLA”"(¤Y[?3ÿ± ¹™\È|ê–¼(fQžÏ‘̇ã|‰ZâÚŒü_<.˜áFSY¢œY,*mwȨp ]1 ve=’­Åûïå]ñ%»#fu»è”r†EÊlið±øÇÄÍœv6ÿdÚ¡—)cZÀßì[”é’Y‘×-Ýk:ß;Mò½8Y¹-÷³FöéŒpÎd6Í%éôjv8k$;Z~!ÒwãsÌ9 }&dê™ÏâSž•|>á,ühíŸÌàïïl§äðïbŽÎBâStw&Y¾dø8Åò±Y¡ì¼ãŽ€º¼£Æó™?5J0ÿØ2¥0þØéLŸJfˆõ§8>ù/¼½$äQKB]r *¥µkøgÊvå䲓àÊ ÑC5ESMªð‘K-uá÷. e<ÕB±¸‘Tì)@çÂ¥ß÷ÞŠ®P^Á‰ u¶¬;¸ï¿áZü†SWÑù¯³Ptß»Nž8_RƒÖãÂô|*S“g2¶‡d™ªfx]q †Äb³d³R%‡ˆ…m´ZÇ-å§DcbÞ–r驜¿«ä²/íb⣩œ”שmõâ¦w=o‰x‰Á¤¿Ç8b*‰#í)í`l•“ˆ=df†ß£ˆ$08 Ú7xJG°³@!Ï(Œ…è 'ôÒѱkΈNT•2Bqò§W~zAÉ™egº}ŸQz†7èV «+ ðk÷É#ø«, ¡‚ݳÁ¿Ëˆé ³{0™SFî4GDøžûC¯*úi\W!Ö‚ º ›>ÆýãgÿhÔ;ÝÃã½(üSJút •,Ñ DTEOretÖ V`Cô p‡mu‡±YEhôp»Tµ2öŸ¢Ö‚U±´`IDyÐÙ;`Úv,‚¤3‚+ ª&I´4Þ’¶»¢oÞßqèõfÀÚ.=Ž&}Ù›õliqßKw¼R¯Ñì ¤~¼‹º5ž”aìöƒŸN–\&iš…+ë­²3óÑ%¦C¹ÈcCÉõl>Š=ÿ•³ûIò±ö&SüÐ;ºþ}s½÷ÕèŽòŸdåÿâ_©ü߇Û[ÿ·¹õð«Í'åÿ~Žÿd^_uŠÔ_î43gë‰þä|œÜ´_O9$ú) <½ŒgR?ÝÑMÏ‚þ®;œ¦%ñH,â„_ïºaõ,Ò€%ga5ô¦Õh2}_E`ÙPUõÆýIÆ þºÿòþñzÕÞ§º™÷ëÑ“G[[±û¿ùpóÑ_÷ÿsü·q?çÜ7rö·¾ùúë2þûóÂG•Tgw1*;µ¡;vàÏ=Pbñfš­Š½´ùf«ÿ<Áô©W^\Ã!賌 ë`Ý ‡§Z0"ó=­›¯ ÄJ`ýÎ~èN.ü^´Jß ÌÀ#ç…wRô´r‚‰aF~é ƒ ipX%Õß”ƒêIJ'Ðþk(øÚi^´]¿«ñ”%Z¯Î‹fÛ9¬u­fíÀßOZÇ?6÷{N­ –TœÚ³öñÁi§qð“st켬µZµ£ÎONãÕI«ÑF´Eèé¸å4Oš}\;úÉ9m7°ÃZÇùéø´å¿eÆ‹1—±³%‡ÁFWB(ˆú”ˆ]©÷ h¢O÷EöªÑwOm5÷$ÖvtÑÄÉOBÿÒzçÈë_V/òÆ·ßFÓ¾T/¾ƒÎ"ŸÓ ŽÛ%Ìhе_6ꔥku‡ÔÚ1›·ºZku¸Ö³f¬#ýåIûd»ä¼aöf>ÒÅ2-µÖa‰3ôën¢ Ô­#~#0C»Ç?r|ýÛ"™˜A3ÐzÁ EvÄ ôÅ€Ò?§Näÿ¢*–Ó²Ï&¸ß‡µWÇÏþñì§N£M‡¤#õS`¾Ä_ EÑ/¿ÇpDÌôâ›Él/¦ïÝâ½2Pé_àà8“ÆDÖ<ãŠ7šLoèt˱WæÏÌ,Ä,hnÀÕÍéE¤æÂ$Âi×-±Ÿæ“¬AÅz•éEè¹t‚‚pçϘ,Î ââüøêÑ7°ŠØ‰«j àÈG¸4þáC˜·rà,K„…OuÔh)‹ð’soì…h%¡>A\?9ûû È!æ½À9­á°gËF-†?RÆ>Š=ðbèiÂÙ³ˆ¦XÚÔÄq†çήùÐëáÙÛ§üU0ᯠw¹;¯‡çò[7=:=8pvwáÉ’ó+¬›¥Í¡8<+‹¹—D?Èp®›'_ÝÁ'T"ªozjV·¯aoè¡M¾ }÷¼‰º"ð6?çgYeÆW¯ž8AÈ5²äi¹8¾7Ï«3tÃsxËÅlü>2,pò Gê;:ÆS7œCècYìX=$è§š ®X0ÀÖ/žüÐþ'¢5\:üÆ>wȨc©\·˜÷Úƒïá–Év?ÏüÞ{Ž5Ý[b$8tbØ7 ¾Ø†ä.£jiò’aT-ñ䨀Á{psdõ .‚àòmE×ÓÝÏü)9Gä‹ Ð6šˆ©‹ «.¿ÛùcØG/äzuÐ õ 7Flîn².0:Õpê7Ÿ:ÎÕym`vü…„Ó÷™î òÍî «q@ý ï"Lg¸|Ý:–-ö!bjgcdHèòA˜",ã §ÁÔv©à% ÆÔdy½¨L¤ ¾Mõƒ×ñ'Fž‹´½ TŠðä-`×y^;h7´'ÿƒn÷Ç|T4§êgxч¤;œyNÑ«žW)‘^œèÊíõf#Y¥RœšWî„Opzrµð–ª´bDLj'M®¾.f lHñ´›Séã+âÓè@ø•¡ÔS'ÞiÒ¼?o±—Üxݹ7í&w öfm);ůaÖŽËñ…Ül!Ûð Ø×ÑG 𴇣Ní€×<:j´ÔNÂO"x®°†r±ëg !¡ ûO…& ÌôéÔ¦zûüëveE³®B Ü2]p¤â¼z(ÆJq0µy^¨À­8™Ù·Þ~妛Òè ˆËy\M/ªüJ{ß±òjí  ç鸞qré0vñlN {5”ØÐ%©ÄÀˆ.¾•!w$›æ!È' žÒŠƒ¨ ….×kx”#).}Q½ÆÛxÊáQ·Þ}ÖØoåø)`¨6nèܘݾáJ5líå>ïìæ~Í/ÖÞIq²x'_ÎåÓ5øÇ«hðéý<©¬¨Ç§wCŠü7ØM\—úûò½eiôôèÇèóØ^ëôË+ôØ®M…¢*nß³$”¼óÞmQþ=¸’$ Ù2p§Q½( ÁÉÔaýàHBWç½Ì”¢»¨ÍK€ÇHhØk-¸Œ±“ï8ÖÙW¬šŠ1?5á©w²Ÿ…ëXD¢,_yXû,ø·ß:[OJÎo™„ÆjÒ<â&_C Çú¢Þ:.=3/s&Ÿ#Já\™ãˇ1òøˆˆëÁÞÀ•3Ñ…‘ ˆlýø¨Ó…“X£5¼¦Œ§]ïz‚@J#1vd?#”qnØj4ºí“Z½RÄÍöq+›-JâŠÚL—`˺}ˆ$rf‰¾H¶Í`ïA¨ýÎÙdfÃÛÛCkÛ˜RdzAÄž.1L ˜BñN{WÜ,I!Üt§yˆE»›ìÉ&d:”Ⱥ„'ʳÕ,bˆ/±¢Å˼÷°~¥Kµ¸|Äé„ÁˆÔ@ª!¹?'í®÷hÖƒ›Ý*âA³ôz¨¬T“Œ×zþdoZÇ#®WÖJ’W ÒBŸÐ_‘ChnóŸÖÜe‘óé`îTÐ0¬ö&8¼>ÅRŽìjÆ*$éïrŽÁlªG5UÚÇjÜu§S´HMÍVÕÔ—T;t@ÂÕ[at† ˆæK=DÞ†ªìÊÂÔÀéR³Èk|¸›r–ZsP«PÑG ~ßAa4Ø÷Uûôä²”(ÏFѨúoá^ý Kg'E‚#v |µÕ)¡½‰bÑŽŽ;]ü£¨Û£ÇÁ¶Å’h—¶ÖÄOäóÔØãËhRü4º‘>›§©sÑ£‹mJb¤öèg1¾O©¥Žê ÉGä Eó0–zèSÇ£ƒ}LÒšì(¦¶ô 7 ÑŒ¬”Ö¤-‚ l‘ì_Ûôˆn£Ÿæd0o±x?mÜ¥bIø ¿U2ÑkB…g¿{ÒjužW6_;ÖÍAº’ŽÜð=…‰¡&ã|9œ±íÆ) Âä|Ù/½çˉÎÔ°Ê6•+iRa,¥Ã&UDZ×ͲB¤ŸÍ¤R×659ÉíÙºAÎz2 KcÔlÒ'ƒ GçÉ,º@û¦xÖ$Üâp‘f7Åš@–ݸ‹&ºÑl„ºx69Ü`“ê0¸ÂKÂ÷Sfñ9ÞkQX–æÄD1@ꜩ‹Iÿø ‰eŸ3zÔ¤j¢ç=K @“5Er²Þ"¥Ò?†A¾³W2,¬ê´ øÌ›^aÅXæÇc+*ȺSÜrvñ)nØ ÐÅã´UÅ)4ÍÿÚjUt%¶›NÐÜ)Ò 3Éxª? óCfãC>†aLù}*„9ý`†ÆcjN ^^–ÕGþ¸'2:¨1Y&XŒôÒ[² ¬ÖsÇÕ,…MÏž²¦ ºhDpõ©Âì–@a}± žòåe—þŒj3ö.œ¶jƨØQ#’>JkÒ4袬aE–‘•ÃA¹éªÕª9B½“Ìfc´ä©Ùßs2|]Q‚Í¿ñ¬ÎDqs¾v襙á©S# È¥pkœG§³×xvºßµ'%®ó08GM{<ó2N Š…cÚARJ—•*kñÂ’ž#j®ŽÌGºÇ¿³¾ÒÄñÓû°¨÷Œa{ÒU»^:¼—¾–›òUÞÐA¸ñ~ëøe»{zRÊÜw2 ƒkPáŠ%§"tƒÞû³`: Fºc•L“ìÀxž;0zT¨¹~`~»ÁÐÓ¶sßìúö¤o8‹%ò¶ˆÇÉø&üuD†‡„Ú¹0¿'?Úp%öïA‚†2‹ä%Sõªt-WK¶U\_ Ñ׌5É™å·ße’tkÈ—ÏïÌg1;ªéÁ‚Ea+ðfªßGëJ@ìDA@[Æî9qT*'<@y&DP'SwBe — ¥ŠK,4b9ÂWj2°8ãR¼ªì¸}$ "BŽWŽw¥ìxÓ^•ê¢ï˜ûõ#V9A•ë{=ŸaL1LŸÜ[Tá=.1•ìƶ¦‘Í™¬t\Ñü§Þ•›´ëïJ±í_È(*s›óéÂ:¹ ±ª ëT‘Á½“ƒ¦Ï导+ø[ ¸eúè é“û§7 YGô=јó,Ì·X§Pm¹ …‘e0ÑCëQðæuUó$ãè } ¢‰u…±ZC÷bO±Î†Þ Û/ºR%¾ºæÆçb´)ýÙ~HÊDnÁ¶ñô‹úNAhüav£ŠuÈ4ÕSôkÞ¼L)A-Dì‹ïã8sÏ`gŦœÍÎñ ÍÆpj¦³1ÊCQïÂëϰ ’\âæB?0^ §g¿ã¥'έŒððÆ?ϼ™8š¢ ;­©JÖ©Æp£xÐÕ…‹"¯‡Ô\p²ñ…T‹ËëÞ˜â„)ĺÞ*ô"rÌpõúÆmÃîI.ºp/½Ô®€‹r-çën ‡ @® ×!&º+c‹¿µ·¸ôùî;P×cò`mxåÞDbÄÈ !¡dŽ£mœ_d™r´Øw¼w¼ƒ2:¹œîÚŒ”9œn>ÕŸŒQ ´€†7T]LŽÉOz…K6L™…ù5_ý™’ï9ŽeEt‹ƒXÔÃZë« ±ª2:³£tÎçúS,÷Ö ±:Œ?*æNÛà·Ë‹ÌÞ³‹_ü¥ÀB).Kâ½ ÎSœ~ÉêÄùÊìóÁëù\ò7+ʆöN±\&,‚4VSu±æ@V± f$£—õpN;"l´¦f@µðÑVçFÚ©³‰u#Bç oÌ #Ž{pºµ/;æ’FwmêEºýILY=£©çöq±’ô†ÈU5KùU|ÒfVfHRÊ„ÿ>×þ˜2†Ô(¢ì÷,REŽ’Ú Fºõ5ŠrLôOÙæ$Ý…Ž—¤[Ò-Ò•$^N:—-¥PØ8 ýº;qŠ&XeÕas“̉“‘)‚¦ `ß®äýŠÉ$ÁؘE—4z%Î¥|'¸äñ4¥QqÞ{´  “ŒeâÞ¦Syîói~3Ñ4ß KÊ‹¸„d›>…Òí¼51EÜ´©Æ$™9Ó^MØMéh±À‹:–•þ‘"ó1™¾h\ÝÔÚSn#¢UaºnHéxús™×‰L¡jt!Ü8ø±0aF3 [ûpÃEh½©H1Žû‰2”ð,i)#|í^&™6BŸVˆƒ”#ÑMº—îÐï?5 4KH¬ó¥]A\)˜…¤â}+|Jn¸‘Ê!Ú¤˜’zÆ-müØ8êàQluJYMŒ±ÕŠ=6÷Ç]i¦6eíE"Z>cwŒLS7+c8ÈgŠÞÂéúZW¹ÙÀbÜÁÙ°c^WþÐ+.5MÆã['ãŠ/‘æ¨u­=«í%I¸0½Ð&–²È·”ܤA¸ët:ôÄÁß2aÕI³ïBü4dz„hþ$¿‚ EõA" œÇl°”»RB]–ª„n^ÊŽ¿ºª/™„U(¡Mï׿aH€-¡*1+öçIKsüù‚:ìó¡ûIYÈnv°#F¸HrG r8ÑšœC`ü±ÅŒìðˆ<•PÌ‚ï™?]Òɨ»"¸ƒ:Ÿ¹„ãÀ{¾!\íYåUÏàô !vÛjZW"ß÷»0¬÷ä¨ÝMªWüM½0ñ®Ð_Àx)ÎMcˆ¬Ä@„M´ßEè#²=0‰0ž,u®¾º@[µÅ=yÜõükóEZжý:LHˆépêÉ2ß­RŠa¡vF뀑t°ÄnÈa”S¢‰°kÑÔ'›&( ¸£ƒ&\dX¨–ç¡vˆw™PÄIôC%¢,§£Túnƒbt5gÍgfã¹V‹2n ©vCî$ï(³ãäÙÅåÅZ{v‚°›2¼©®<»å/BÊPÇ?UßËæ¢x âŒÈúÝIa‚<ü4nnPŒ ‚»Æ@9úÆÄ!¸ÿ¯ËÛdyƒ÷:` uú­™|üãEâÆÑž¥a…Ý탴«Ÿð:9cØ;ŸÝØ)öuqékôçxj¤ˆi0ë]`_!z%‡tV ÷g½ 'äôC|„Á!éµÌ!œ{ŒwLÜ·ª4ÐʉXaX‰BÏŒ)""ßȶÌBEšŒ+—£°J8&8saAû+?²ü©™l2 w¿^–@¸Ø2‚ñlâ€êl„P³cÀHYml%ÁàÎÖf"©í°ö õŠãV·Öé4O:mÝ,ù³%;0hÌ¡{ Ї³‡1F~˜¶8ª´4b\±ÈÐǖæ ŽCñ”ˆ„!”Ú',’c4n.~,Œ(¸â‹gdŠá$°÷{™A?xP:Rpŧ¦Š@Ådú~uuK«ÃÕíùl9c#PN yL鼑Y fÆÎM§LH^+b¨#·ïUWÝ’]yVæÛ§ðYÔW–MäÐÝ'ò6bÀç²÷”D Ñ µ6²ÔD;¶ÇP½V³´¯jm×*Xúû²”K:+—vZfYÿM¦¾1ߦœóÔ7óYìJŒdž“ɘV†)¥»ô©e¨M™Î—,÷M¦?BCƒ:öÕ‡Äg©•ñ¥2#é Kz»–T£R\·ñ5œïÉOŸý"wÓœMó­J(èÎw¶}N¼P~[ÙµèL‘~ ¥ÝâÊø¾š!!– Öj´;Ç­,Úœ`'”C qtVâýà!¤<ÉÚe§ŽÜèÂë[ 28`œ_ÙÁCã©•¤÷ò¤¹ªvu ÞÊb:in!ºÓ¢¦@}ïlv~Â,“ ˜³“¶¶_IHÅ–@8…~‚œË°Ø Èê¾7D[ jŒ$E( qŸ2¢+]åEjU^€á0ÓŰM҃̾É3¼Äؼ ¿Ç¬Gu…ÙHÈúE´ÍL€©åµòš'ÄÎÁ0¸*Uç]ôx"¼cGå[òy “B‰{†rÓ9îÔ¤êN,9] ÉyÌÁ„ΙÎ2£;Å(pò@­) ;o.zÜ,+Zq¸Ø¢gÞ)> (b)_B"Ÿ…o’A°XÛAïLvÎè£sÜ…7vOŠf®X…ýË< îEãr¦Û Mš¶ºŽuV*i¬‚:¡Ç#ýf%؈Cü‘=Ó½3û9]g–Ä+aq°Ìï¤3ÉNÈ[Ê É7î^âŠßFã¦ÑŒO,ueŒfuAÚ`Y™ŽúÄÚ8Pv,̘¹wìï·þœuNJ¨Â›†¡ñk~ã>ZÖŽ,Cˆ 6sÌ1‚Ø1dé2^ó­³I‰¢§ïv3L¶LA™¿XÿCX: giìq‚ù´©ŒñÂヒ¡Î©WÛ_|H[3AŠŠ|–*[%Lé‡ÿ¾Iª¤{ÙqR:±À,N xÏ †slS( ¢ALNÆŒ‡Í¶g¥íé|sÖƒjWÍ«*tsùÜÚ™ I¦t½T‡Ó”í¨§ˆòÞXš")óÜ«’K’ÿá´½)ñ±IŒÄ®Rsui”f}#?r~Ž…·Kg(ºuC4G~;çg31õg\6„XÕG‹×8T>æþ,?Vw9é´Š?«©X Ÿ»__ôá,\à¿Ðx¯U¼P Ïž4ZÝãgÿ`èlOV¾»8ëF¿Hï«þŸ>5o µ€Eá\ubdÏšîѱôHþŒ 5üëEú.ÅÓ0IÂPñêÂk‹øî²è4¦B°G|nóF?x@3µf2æOføVƒ£TõŽ~ŽMýŒ¹N´-¹„_F}’¾7ÜÁî+ïŒ=«änQWi›Û°”½Š“-#1(†ZËwµy|Ô¶lcI¹£”3D+Šå¸Õ}p´É¾x"ë,•(>6Sðé Ñ{Ÿî¿?°*ŽE¯‡!1Dé…#AÅp¦.}|ßx‡BÂUzA‡¬#T∪ë„nÏã`)DG¯µ¥Ù­Gm§ÈØýÀ‹L›x0Åè,F ¸¨‘ªv/¯ÐÛ ÜÄãWDBôpÄ–i©¿pÃÚæ9¨jÀˆ —„£º¹:Ð?ŒÕÆÀœN›±'…¾jlqí¸û=øÃÀíwÝÞÏ3?Ĭnß¶ï‰ýn×ÐêúÏFK!h>J‚Û —ƒÿ*ÁDwEù¥^ïTÔ¹/S0‘º:í<£%x=W¢>ª˜Òp6SަâaüŒ5j¢n I\w þ-߯6Ì+âPȺ135ø§&µÃ‚jô¡3‘TÙ¢Üxì]OÓÒË£.‡Â'1:V{v òj­µ¿]ÌŸÊxy*ôn\"º8YêZ~GŸ}9A‹µør’/;âô—&úרž|°¤Ã—hèLC—ª*œ4ux˧zÜhÎX4ŠúÅÒ(ÁKÄŽªçÌ`ä"¢˜O(ÕÉ®–êO{ZlÛâ _QnÈÁt<íŽÏ)~¾Ãht74Ê+J²Hv%R¹ÎŸ5¾Ô#*Tr&Ò:TË´Q±»‹Hx ‹X\|ÆÂÔ»©è;5¾[Ä”’ý @…o¶0îÑ­×VVñ¶³Ù4­+"É:B’’•2K(‘7fÁ]ŸÄ˜šx¨ˆ·‰2‚¨ui’Â$åŸââMŒOàO¾C–X¦H1¡ùê°Aö‡Jú wqQÑG4q´‚]öÆ­6%=$Ûâ„H“ PV2àÖ-…AN–Üó ?œaQAÀ˜8¦¨F(*kÎÁŸÊ’&?­à˜.-2¸¢o¨‚•yȪÊõÞ>•(¹š$ɰÜB(sˆKжQ_è6²IL·q ³¤x*zªTž®€×Œt2 «,\©e}u¬€!"÷që®Ð&ZŽ”í/ÌXºDVrEÕ:Šdà˜ðÁ‹»Éù`¹qŒ{RÙ…­ú*º'nKЏþ‘‚º-O‡‘Ä2Šôc.¸zt Hãc]~í4x™ ¼Ÿ â³u¤nK K"€J€us?³tL2éÙÉótÓIîÛ]Öù©lÅuâ~á†ó,ÌFézÓw»ªíßMg‡?ýÖ’s60ü$ÅjC¦ªb‘ZÜÇgJð¨è­„vúž¾Þ€³"^C½i¤½çyKhV| ñi½È`)TxV¥P•`Œ(æ!ˆ5V&aÀ’—uÞ†’œ—BÚ[€.õ ÒëVšô®Ã@2®Ï›œÕs,iïÙ~®r¿+YvU­_±‡^Ì€ËbÎMp5&í²š -JÊh­ß纴Q5–¿§¯òŠÆíÔL¬E"wãÓh5êµæ¡ösƒ…‡p/µ“îi»¶ß0‚Jì ˜„ÿ;3UgÝÊ ße]óDGˆ$c)É¥fÿ [ß8=@ÚN_YD·Ûm<ïvcâ)Hþøèyӈġ94:£Ñ·'< µ½=¬Vôæ$ŸÌ wŒ8M.pŒ…Á-ü™Ø$ÈŸ¾wzxbe1¨”fݹŒo0 €“Eع¤£üÚ²Ó.Åa§€LNGGþêœ,Cš51Œ,Z‰ì$^7QN¬à.F¾O-ù’ ÙSÕúí[Ž]Çß#þÈŽ` 6‚óm=å×~KnˆãgÿåÍùóxèƒ!„pu~Ëkü÷m5xßUEÕ±õÛ§1²¶øÆÃ,[ñÏ¥§æ=vQæ;İÃDB—{\ í’i ÕTï‹ü3B¶¾‘È ›sRº‘òý!~‘c¡c93¬{Z Ø­I–Å-’~ÇyQAf­ô˜"ÓGv/4dÔÜXpë¡/ Ušë3—ÀAÉ @Øô—®?Äê'+´%ßò(nÉ€I&Ãde/6nÇÈ(º¡ÔU­˜* £¬ ˆu~Žã2žÅí6í“Xma% PzF8ô¨ÚS1ãÙÑM©J®!”v4;ƒµ†ë- Þ€úâúTG‹"°bÄ™”4 ]:@‰‘&yÓ“'¡ŠÁ7ªÐ‹Y”\ E2:J®\ÊE*®ÝWŒÄrKBƒ…ÍD8)0È,ZwZˆ@ºVI*¢¯_W¦” "+‰£¥Df¼X/N6±ý/£®1ëI6}Õ1aF;%c’šã jd¨Óì8_ö¿üÒ)ʸ"q€"G‡‘RÊžß|±´LTQ\Y\ª‘¥KÆòEÓ1ûÔ%?m7öX~EׂåàÎ.Þ–{ÚîWèµYã˜ùÝ@ðyg¹9‰#?µ F£rYó"3ót$¨E>›†ß-•–y#æ>ŸeS–‚yag™±g±þrÎJÿ¥Ä«™·™L¤¡NbJAU¨ Î5|r„ʸÀ±ú·©H9ƹ‹EWÛŠRj–¬jR±ÏS»·†dÕ²Iù†CÍÏS«ÔðÍöÎȵíÃ~±dÖ½핃òVZÓ‘`P;ÊŒúR_q­™‚f<7#ž»aGÕtFÀkõÖ+àÜ«üÊ׋Ò*9«IšmxÆÙ[1Ä—ç² Íd8‹a.ؤ òy`Àd\6+ ÎÒ Ì0¸¥Z«Õ/ÛÚE¾¬¨`äQäBUÈšrý7þä< ®¦Âk ¹^Âj]ÚA}¤«]¹a‹¿G2’‰ÚÃÖaÊÞ…>{Qˆ +É•¬âqógk|«hc]PhLbŸ0³±*ÂaÕÎq»ºìÎ%ñMTy ¡C£+ÙÀ•uÒåh#Y„\¬þž±«j<óÿ¤u\ï>?6²®ÓjØ»bÞËÅòÃÆ¡}%ºˆT‰)#шPï÷U"ôJšdY¾Æ(;GÃ\-˜…bä2c%L|¢ i‡c³^NÆŽ«Õg)ŒŽ ï°Ýú}"†hR–!2¬³ªZŽ#™sR²ÊÏ(Ø$±Z"ƒ UµU\)Æ>bým¼NcLÍ«d.õã ¥Úî,oTPCm¼ÿmõ"b^¥CÍæ?Ì1W»Ž­ÚÊG8mïC ÆáTĬö.PÑÕÛéÅd8†•¤ƒ7[”6æê‘²"nìKÆmHžw,K3SÐ2U_Ÿ ÉÕ,f ‡¬-&+Ø+±Ç¼ÃñåLàÇS]¼¦=±ÕkëŠ'wÛ ’í8“ÔÔ-~Ñ<ª·Ð’¾Ý,70·q¾;È×Bö­»èÕº€¥*8¦>v®Õµ¼ía‰¼ÜݽD·@¤3š7‰ æHGôÔZã\akúþ[õ@¼¦ª B¬R-cŒ·–T¢%xÂAK¤âDèþÀýíƒü;1¸5ß|x26^Y?a"½‘G0àCÿ½‡qB¼ °äŽ?•u>É’áGº'½­Ùd†$PQ7U YTÐŽ ,'»âø^Öxê‡8*³Úò±ÉÝÕb!-éwjŸA%âOl½¦XúÞ¼ŽÝ#‹j —ÇdÙvYL?&s':$b©ŒÆWƒ¡{n[ч¤C Ó´ú@õ£}s" ”H$âÞlHy.%$¦—‘–…û"ʉ•àEû°Ÿ=.>Îx AO[÷Þ#$¿ìëÇ §ZsªÜoÐ^ŽE2ˆ®±GÙ½¹Tñ´{1au°š‹IfiJìÆ¯{ƃß:¶uZ^xè_iÐKAµÓ Ú‚f8,ÉÜ Ý©×|$ª#Îõ=3Ÿ##SÌA2ça•y cwÑ+@›"„ºï9IÎã¤9ÑˆÏ ¡Q©jR‰ÒAúíO(BSáÁuÑûráO5í¸xfsðþ_Œ‹xRÎP!â¯ÙØpvÃaH¨”y]­?hwõ!±Ã‚° óU;}޵™½ô}‰íß¼G-dÎoŦ*cçÑqw¯ñìt¿y´oŸ²§ б¤ i"EåLóç¥ÌGVZךƒoéCZÕ´„ï'Û™c@£„kŒôÆ`\YÈ–”Þ¦í¾æ*FŸÅ´¡7ÎxÚ 6ñ ÿ§qWþølhÕä‘c ³-–xâh]`–3ׄçQ?ÀÑ”ž:¶·^{Uu8(e-£•p9ôCÎ6Ãh‹«ô%cLq¥þýr¶AŽEY[ÚKw¦û:õ‰«ÿüýý†þ6Ù †•À&êû—4ðqº†ªUîzYŠhmÝtÁe l-µÛ‘{Í9»×eþìÆÆg.^ƒdrówçÚÙ¯berU'þxQ'߯:‰YbEÔ`K›‹­•;»È`} ìOÕ÷5ßc£bï*HÄJàÕC„ù!»kœ´F]™egI׈Ij©P¤´@r”5"ë‘ìqæ ëc_))éx°wè0¬ª®(æ.<Ÿ‘g—.u ¥ãCÝHŒS Ñà /™MJº«–ü#Å6¹þp¶"?É(·“qŠö–˜J¢¬pn 'š¸=ÏÔ±·ˆXÃ`ò4ÕÊœ ÖLÇ¢=iŸë¡7˜©Kt\YÖ”K"ÊKÊ4†£|Ø<"-Èæ‰¿xøR„nŸížtOjû Ü¢b‘× 4†é*BfIwÖ¡EGAÎ@…N< ‰)½Ðšl¼ÐzâBȚ¥˜Ö¸F0G C‘¥âc¬ R2£N(4)åPh+‘ǰuªÓ\’Ö"!ßQ»²¥èPî.&;¾¬µŽŠùçp|Ùš%6öNÄ—yzCRú'–“Ï™3×áéâ¹ÑÁ~lA.…Á•:G2ŠIÃÜ ƒ´NÍñG§#=°†˜Õv©òÂdŠ —v4rÈxÈe·‹+¾(ì»X‘«yOI’Èg–UHæ¢F3äƒÀ-t&"Zc>OØ}jÐd/Q/pš!ÞÚDŽ`2~ ÖóÑ}i$ºoÛ0d1/NȲÔrÏ ¡™äßœvsÿè™á¤Äâ‹ÉÖÖ5–WYéTö³òFÓâ×’m{©ÖÿÙ$†ÑÒGµXV×5;µü£³– ¦ûøÎX<Ù`¾Ü‘¬YÍ K©s#¸5ÒÒBqDû‰-_sl–]ÀÊ’KöíÜ%›#åe®ÈX‹•ñ%+}Ùå!QO¶ÉÄÁU´=~s“´Ç9““DÝÈÝ´_—a°XD(Ä0U´”‡,)4q1CÚ¾÷¦Ç>Õê‘3·Â ´±~*Îv©øhƒÌ²&;ÍH­,™Àr±¯L"uË4X¢–ÌÕ`©ÐuP–cyÕÇPrO»Ñ/}Q:! d yo8Eì[Bò$$ÔHˆ¨´£("á¹>Ð÷B6²ê<Ù2ÅᮤËbš»a)8ý[…çØµ“cûq‘W+z–x•Œ Ô³ŸATŸŠ¸Ü‹_ZÝf+ÎAª2ƒ ‹R“Qu*HÝÀXn,»´qèöŽÛÕ‰²J|WRv²TW†˜Ïwt¾‰‡¼0äµîÍÈi½_ßP÷GêÑßçvRÁ«g„®I—õ9û²8MžÈMlúÉD¨ÌëkuO:¸A,1ÅGtŒU9ur×s9­¾ÏF± +Š¢å]UzçTéoÂ0 Ëë©?ùtèÙš£j¢¯0<¢¢z#!õ®’= ¿´kë:ðø"¥„¢4âNõ&éÕh»$\”3yññ ò¾Šº'iWŠk >õº<¹ecûd·p1ª8 ºXÒnÕæ´Lñ@B &ð°5Zùѹ§#T‘Z®ÔÉZP_źÿö75¿¢ª:%"×à°b¢­ÜU)l‡d´ø}xà<ÞŒ]Añ3õZüf„TËEvi.¦YrR§Š~*•¬Ñcå ¨–30Àg„T1E#à¨(´•"*±‡u´—Ÿë TϽ~ vºÉfWš6ùˆlá ë—VÏ6Mœ§¬¿Ü¼ãÛXÚ•/bgÁ5øHÏAL ÐÚq攓Ÿß ó¶EÀǤvÁéU†MA§,ï —#vÈFS¤¤;•i”$®EM¡ª«l‚“Bú­ÛðÔ~0É’g]7Yõ˜¨R2½,Ê‚RCn"+ +;=dÃ)*“ß}éNí’-5Ó?°)³&Rö(¿S¥XÖ ©:ú:í{lf#m6rPœñC¶ÅË>#Åun€(#LÜX7ÓDüRr.Ù‚ê µ a™¨¦ iÀ%ç,&V¿¡$IUùTN®ºà|áÂĘ‘y%„uá‘®lS2ÅÛ°GZ&|2)–o‹áÂгßÙÛS’=¤lšöv°Âi<»,zKîbò<¦5ÍœQ¼±|AÚ˜âGJ/¡Ú†“xßéÏ[™g’½Æ%p««’e>½%6ÿ¸ý4­s{‹bõÁ“$•­‡6%Ý#¤%ß,¤cÈÝ\™ i?U 'ÑÌŽâT(ð«±#¦EPI"§ÊÄšû+¡Ô<`íÕp$­®Ç3Š<;$ëí2|a,ÄôQ<óªÕ*Qˆ÷f [¶´Ì¥Úas¿V¢=1YðSÙŒàÉä ܰ úϪ‰Tļð–àÔ0Nû šÑbTúï¾s¶73ó™Vâ-vË •Ø9½Mi2x Ý‚"„y›V(¤—aHÀÐÃC$úXÜ„6Ôïhû¥5;] m§_fC\1‘ Oe®(Œ‘Óãu‚¹VpDß à®h­Þ}xÚî8Ï0£Ãã{ÎóÖñ¡ÓyÑ€_ ç ‰ßþD ¡ÑŠE>²w]j¥Ð§4<à¸ËdqÀÜq©n¸Xg0D/øßŠ ’̱“·Ú'Bš Þ¶>šù;–|©ôýÕ’õliÁÙ}"¶NjA÷iЖƒÅL•‘¨®C*?Hþ‡ðdí áºOTÀ]¢ ©]y#œyfqÄÔ¤ŠØSF!Ï9“–lH´–”¢ T±1®V1ˆë ÌeJ.š¸uæ5GÄoÊH¼¿s°„L—Á¦êb#¿°òpS¤9 …HpËÒ™Hº¦À‰moUµ,Læß ºòÁXR”“&Rدº˜ÒÑœ–É”®åOánÊ)Œ­êëÆ¥L©D´Äù (yëfkD†¬e 8I3Ë–È) {Gt1±ô1¶²Yʪ+"*“fnîâ`ò`iÀ(‚Ãl¤=ESª7•VB ™EEÆ ’VnûèXú¿ÿÍÿÎ{•¯«›ÕGgý«Êy¯:éUýñ¿cþ{òäþ|øÕö¦ù“þ{´ýÕÿm=|ôðÉ£GÛ··þoskkëá“ÿsþ£RÌEýüùä½û=ÿü>ç]{½®üÐøãûÜÐ?ëûáî÷üóûœÏ~úLÿþ}.wäŽ@H~x£ÊÏ0ª¼ôü¤°º™£¶ï†gX®·.¦r{^Ô ý ^ð§æœ‹4²Á:%¡Ô<ÈýˆPáøè÷'µúˆà÷c£Õn}Ÿ;ðÏ¢§r°þ+öƒó}­s|جwOÚ˜ÔþÞ© 7Ö)¾m®ÿª'ñ?D Ôý¯žùApþi®FÖýßz‚÷þqìþo>yøè¯ûÿ9þËóšNÀ[Ð:·¾©l>¬lnƒp“ËÝwj¤”#ü~TƨIq¦\Ž$ÐÊâ"·êfP¤:Æ©cø¦TRæ‡Kü#„®<®¬l^f1’¤`Õë«|Éu¨Æy û8Ñ@ÝMD¿SDÍrŠJ•ó5Jª§Ù˜ãý¼¾•O‹ºe].W† ùCëÆ˜ôTáΜë…S$ÿ˜­¸9be¼n&ØÏsÿÚ)ôg.J $7£³`Xp(á˜1ÝibìóPÉvÂ? ”-rŠÇmçUIv…›œž 4Û Éð šo·‹ÉÒÌ]À2­ïa™ø%ÅÚ¸ÂRl¸nØ»xòÈèJ- !öq¡OYÖªÀöz\©É,ºàì{|B6¿ qšæ‹7º à8×åaãÄÛE«gí=ZµÌ…”0÷²ìˆ[^"4UÏùÖ9“¿‹Îö½iç«Ó™"€¦“y –AFºÎØò2xùä‘S|énË5ðÇðŒßw´“Ÿ\¶ Î¥*E]ÈÑ‹ÖSz9Èóƒ#H UA¸ì‰U›×žM&¸œ}¯ W«ÊÕêý!g¾Ãá‹`§ˆÉá}¯”Ë©û»M÷÷ëÊÖveû¡¼¿´I„Ûhäœ9#Ì_9§y#‡ŸÑýuÐF¡Uä3O{Êrœ=,–Î$áo“.ï±ñ†¸e‡ Ö¼î2»}Ûmî¡5èøùsŠc}MÜéá(à¬Æ.!Os aÄGÑä&$ÈJ‘¥‰_ Hò¡ì…®(_x?Ã…Ž±Ô¦°ˆÒ k4 »B¼È‘;É©Æ{| Åj’=r§ø=×èDÒzb XE*RÈ\aäöB¤St)}|^}UràŸW/z.Êaª(–üèLÄñ¢1r£÷7C.9»â5eqêˆ@¡5}’Ýfpº³1ƒy¹œÑÀïUñÖì±P:‚Uzn‡$h-ûˆRŽúAÙ9Ïü¨ì´ƒñsÒ>>ž{ÓÈîjŒ+Æ ŠXc iò‘(h&@’E/XRšzHx;=ª4ê4‡øGíÇš…sD! )]Q®º^F±óà x/2¤½ñ¥DK\Oy¯‹Ïêõ."ž>o4Jº#$aѪ!W£Ö*ò lDYoŸ¸Ø8TuNŒ.¢‰ÏÐDAjÇt¤+ðtµ[Ì%‰ÜÀ¢è2âAô˜Ž¼¨í40åþ>EN0É`3¾âã8ñ0›#lG(Ï1e(P˜nÄ7b}Ó@jÌüBt  š@ÆHK Ð36¦iä4¦¦AÅ°Ä {"è-£Ù›L µ‡®?¶;ÂN´EU´tÎüósìP%k…ÕÛ5Ù§Ý«íy!ØÁq~žÝ&rPNâüX—Í( ©èYÔ‹ì>Ð×=n~k6“ WÇ‘³¡;LyC-vGxòáLMa @Ù9[Aðu U˜Wí“°qá…>|Í™—2có sxžtƒiY0ð9e½5?3úip1iÁ$i‚¨Û÷&v/˜y¨bßðÂm9É‘2QÑ£[Ñ»À>Ê})q¥ÏTxˆèÀ`ÎéÇh]öºý3{™€Ò‚„‚ƒ*P†Ê„}"@˜¥|¢“ëœL*ÍÔέe#º áRfã÷cŒüå›iÈDˆM\A”b’Û°vE›!û;ž"/GÈaÆBP.‚ìà‘7¡‚ɉûÊa^+¥¥Â4à;èŒVxÂÈ"U׌ldðjàÁ x.&4€©2% A©Þý±}Ä~y+&á˜îýcÿä„È_1zC7–UWò`.åA¥:âë Z¹0·/™ÐUˆHª‚Â0 !SÃnš4P4†ãÀ5fn&XGw€ø³ÕéõT=4–gþ!j¸06 Q>œÞˆGåP"5šo4æˆ}<¢EZt6—Óñ»áæ\£“WD«‹³‰®ËOIø#ñŠîHÕY¢}Ö}„Š€À– &{+0Ûæ,tC9GZjMí/ý`¨åÝ©}ïgˆ¼öàeí§6ÜŽƒN“«R4öD7Ò…ÖþzÀ´!öOOF´ŽFųî5©’Jj“Ä@šäI._€ óÜ)øãÙõƵVVèÈð°Ò®U/ä) YäÔ¡CèŽgŽ\¤ó\Fü¶ý—²#Åœ2– r…€ÇÃÌ:šµ52wÏÑûR Äã³±HfÚÑì nû¸Ëªê¥ ?¡è”â{ÕÍÄþ H{`£©!qžÍˆ-˜G©ŽÑàJf3ü swàM{ÐÓ‘w%àÑÐ'ü X±Ñ8]]¿šœ 몼D!«ò’BƒáçÄCºë3ì׃x”„샲 KºpHp¡OÈž¨×¨? aî¼B æ…,Ày,pý fxµÈRG¡x0À»—îõ ÛŽ3„¡_Â}ÜP’í5çøî¡w‰ÜAé?Òr@Pꆂ$iІ©Ð=Ć·€Å`MPNHår‰†8f’8‚= ­XHmݳÎŽz ¡öEs¯Ñ=9n¢û ¦Å´¸–K!Š)”Tôd7&…D‘bš}‹FÃQ܌ӈlO³;za·Ã¿ÖkfÊ,bí+zí¹vƒŽ´¢…OGº#7†×"’”‹¤3ì¾$ù[e§Z¬½M›¨±c,†pÅdô]w$ìF²+7"Æ8Fj­bŸ¾<ÙpÃ(û,KÁWO”%X@ÚÒnb‡$ãÁ í¸Ø‰À’"™dÙ3†GËB’¨ð©29Ç€¥q`@Hã ¦Ã}á¦ÿÛ‘’+Œžé(/egïþ9ꀺÖÞØ.;/ëuRŽP%ˆŒÐlÜ~šou6¬f,$ô Qüè¸ÛxÕ¨ŸvX"ø°ÙF›¼}LõÃöéÑg†fÜŸÚ³&Ÿf©'çêJÈðpt3îQ6÷äbJq›7\ïNq3­"ššu¶˜êÊgÝaÉ‘+ƒ-m䂱®”ë Óe*¿/JÂ7·Mñ€÷Ýa0ÖwCõvnpŠ1%Pèâe¾w)Û)°¥Â°•ÍBˆ¸T"ĤÆ54;ªµ;ÎY¼÷@Æ…Õ›º×BÔ =A«Ïnô[xb hñ2ûB1j6š8ËêK±æâŒ ˆ)Ö"eí@×9ga«FÉŽŠ Êl õƒ+ªÜ ÑfÕ„n3¿# k€ë>.Ù]¬7 =ªCŽ(E…¶'¨¾ÉÔšb½©Jµý>Ól"¤„!¾2zâ-µI©Ý™@NQgsH7…ásó›Êæciø¤Z¿Ò¼Œ˜ãSªs §û,€…#î‹MD«(ÒÕà°ø5Kp “L|XíZ)£¸H´ÆA%rñöþÂ]ဲvî ¢NȸˆYBª£Ð.”¾Sd]¯$,› Ûc_7B‘%sŒY—5QªAAÕ=“Þa7À.€Œh#m eZK@=¯ÀŸõ­-YCÜÇxÕ{r4J¦ <1tV‰@^S6HB¿M4‘¹–pÄ<ðHÍd½iÁZµÙYÕ{ˆ÷ Y¡!ÙžÝG$D€¸»;eà÷ˆˆÇºÀDvÞÔöö(7°[Qká± V&­ô;%:‘gDÔÍáÂÔÒÚ7 èÀ£ÓÚA÷ǽg&,‡Ë ,1¿„‹ošâ:Ú*F†ú²DKã$€€‡J ³$xWŽÀÔ3¦P”ŠŒÈêä7cã^W‹q]ôÛõ14¬N+‹°˜N³Õ|µqÜ~¾Õem¹mŠÖ,Ž3‘é²"Þ–`S“éÈéær ["IÇ)í*)7…é*‚Y+ž:2ôÀg¤-á9C”hƒvÿ¼ê}÷…Ù ƒN¥‚ë(«B–zwŒb ,ÉŒ¤¨z‚RDº£Ð¥‘s$JY6A¿iÓ-iu¶Û9ÆÂ‹Âÿ¦š±Il]ÿfìb÷Hò„„Å› úIÂìëxIO)CE“*-)ƒ${’×Eÿ€ü¼Ë öÝ d»K™‹ù8ÝRŒÊc‰Zh4egˆ7E"aà2ûÁ=ntÈÉÇEÞj&#P6‚8–¸ÉGh)ËjÆ<üŸ®ì9{ >Wxþà°ÔŸÔöÛêA,¶FkÙ#¬R¡ÈÄïIoŸoÁP‰á›þ¸©ÐU”Ûß‹–FµNÕØŠÄ€zºro"GDúÐi Í…N‰ådž2ÑOù÷ §©Aäüyò¨ræOÙS¯]g"–†8¦9G»[ª7éü·—.-É83éòaKIaÆâǼ  *Ä'“!ezh|g>[¤°I.+ˆ²Ii™Ž¤ ÏdI—´ÂÁç–b‚éÌÎÉ.mOw0Ä JᢎÌX.“vÑçâæÑ†Œ ¡8nU2ÂLt­Øè0¦ŠO"Y½ö»À:à‚l½Á–›9µ“H–…§(ÖæsQ;¸½–:Ïânj71¹…ÒðâM¥è–ÙE>"K¼‡¨Nˆ]Ê|y»¹ßnìÿhì&Ö4¦k„’RFî{—Bdz&Âj@䵌É>ce)FdYõ8|Lå[¸ ̽Ï"Dä5Ås/|»-YÉ!T\mê}#:ÿ°=Ç |üŠô÷ð=¡ÿ²(ÍYŒ4ÔWÎoÓØŒ,c ËS¨Ì§É¥ˆ"ÇS›³Ê*£Õ yôp»{"¼È76FLT¿9¿"¦lªÏ;#Zhw™%ÑG@<üÞCƒ=Dº4>ȈŸgõ㓟ð´µ;mAÃ5ñŽR›uº÷•ãZ:‘_kç>>#ŸHí£ºWnĆhdLdÖž+x5~äJ;u|DDÑ…‘p6Šª=>RpO*ödUÔ—¦ã#!*U€|(^à9¼ÚQ·v´×=„_6ŽŽÛÖÍzC.­¤ð°#¨º“ŒUÇ"T žW/¦£![yðÔ`AbðQñòA¡ ]=Í!Aõè[ RÀRšöÅÍhDÅ’UXÛâõâ*ëS”~…˜¿‡$ óŸbfeib=“ZÈ‘ÒßG’Á‰ ;/‰à˜n=œî? ÑFY4íb%$/yHFÔ]ÔjGûûG§X4ºÑjü?¦B‚1p`7`Àh9¼—‘«;Ùû騆ǵ½æÑ>»ÝðŠ‰×Šø Øƒvðgµ\—Ф[Šþ9 Ü áFè }y“ϱÊ"pP¶]wóxÞèÔ_P‰‚—-M9:c[@k Hgô‹©]ö¡ä}Ý“":,>½6>WzŽÈ¢-®›hÆ^„áP4-`þ9]AÑ–Ò›‘Ê€f„4ë³—¥­‰.œä2 ­”RQß#s5†€PðïÑ'Ã' òÙ%qàãh*"^Äùü¬(}ç M›òþyèyèºqIÝgœƒ_c„È]gÿl´ŽÉi„J˜Ï˜ø±§#™ý”MN$ÜË©`CÒOX¡õ®Ñœh-Ë(x¼/n•Œ0O_GH‘¡è=“wéÀ2º“™ôÂ.1º°æª Vu‡Bd‡O¼k²@ÁžÔ[ytO}q×ûî?%Ór—PÏáˆS¤š¹ŒºU‚¬Åý›l¨özfò$“°+aê«eÛM¤E_Ï€tŽÐ;F¼èjä"¢´3¥X`§s|- ÿÄÉÄ A#}¿Ï2g6™¡Xè“#âTo†58¶NlïÀŠ#Ö‘ÈÈeO ^8½I²CãF”ˆé :}è{ýç“GºLLCþ±"‚éÑî§ÚТÛË-( ƒaŸ*‚×ŸŠµ(B7ÁÜ!‘±©:ÄÂhpRü(Ö  ûüc”í/O~ØïÖ_4ê?t÷°¤q\y0CÐ8ˆ G¼¥gò[ߨ4i5¹þú‰|ÿÉiû& w@»ow_ìµÌ g£|vÚ<è4D$Ÿ …EŽ‹3m:¶ÿ‚(¢ñÖî`åq,}ծ׎ŽR§µ/±@Ã! È+HùÂF¯Ì+Š6Ç£odV'-—ݶ|åx‰ïÁ„ÁlBs…ŽøcŽ«>9n7_)ŸOdÑ>Ž‚9´ƒƒíp*dÅ‚å³õ?mŸ4ɬùY†È‘¤‡ó‚ üLbÞ!”DQ%ÇJQ ›¡òÀLü9}†* S–Œaq$FÎÎe–2™…x°¡‡¦ rŒ«LŽmLÅ(n²„\kÒ j5Êðª@‹^²š&î0¶ÝÅ£7–•XDˆgÿ®˜4„ô;Á¤+, `s!¸(ùHÁ žã_Œvl˜å ù=£ø–SÜÚä\ž&I+<@jÅ>ˆx»ôÑÀµ!/h—d&h6ÓeÆ»c0…?nuÊΫ³àÚ9{étšÿl©óHÏH‰¬ú±¤h›º¦>°4Wů ­'ó›l ™Ž2i ý®4$/„°"±PkÜ[ŽT“˜1Öh´äFGe\ºb¬Cêµ$¸–ŸÒå”î~«vÔ–á»xààhfÖFÖ\eyUìãƒ8éE›€e¬ªÖ¹)r†èŸl“¿Ë1áÚèt4EÅH7ä*\¡(ìš]T¸ú%ò&……wÑ'~eµ$ðOÅúïSJ}¥ô qq¨CØsÝó^v¹—À>J²–&r/Ó¢6CÙ j—  1R äuûT'aØ7Yí6Ò².\hÀ·Lø¨0ÀeO†ÓÁΆäp \9ºYa†"ºT”®Æ´‰.‰tÚ»N¦9<ýt£Eâ™,Ô&úoÁÁO:ØÐ´×lu~¢‹Ðß29ÑUŠÙeË’¬d0#û)È*p²©‚ÉäÏÓs(8¤WGV?e‘¥XæòS&û²ØÇxbxódGðÄ‘–¹–3à÷ºF[R8K;—ñö¦Æ(µB3RƒË. BáÀîŽ@H/2ÐIöÅöè®öŠVÉPÙâ…뿟Åã1Ø®rvÃŒ§¥ØD^*`!Áø¹ ÝצS/_!P µ³Õ‰ã”íüÔ¸-ÙÃ~Ý *„×þXGíÑp#;Ô¿¬S§ð¸a ŒmœûâtÓº±Á ü?°ây¬˜ÆŒÎF‚§ãmæŽHš³óÒ›X‰e#‹õS8rÃÊ»Ç3(Ìy“±mž)»é„ýºeÅ÷qê4s3qS´HEX •u™…LÉDÒ®tùUõ‰îWìg ÄÃa1ÉqìÄï|N£¼] 6˜±ú†IÚy)*—¡(Ûüg£Óm×:ÝÚÞžâxü4ºPÒ(*¡š­'¬:Wp5‹i€?â,¹6ÆW?~PRÀHŸ<2í5Á( êàøhŸò)CçU©„ì½wCÐÐd¥a(G{?8áÖöÙ‘ѵ\1R¾YÜ8ƒAŠD­]Ì #WVä£kŠ…¤ê,+•)Š•™)"ƒš­Œ.Œ]a ´&âë›–i¢¤”D ¤yD͆1Y;áR#¢ÖïRøžR\„K@8E0Î5áYh@q±Ê´èCÔ’¥íiÝ(ÆÀw|#nï‘èåÅq»ƒêu븹'ã0Œý?9¨u@T<”ˆVÚž'c^©V6ÅžÀÝé½÷¦*}L™Á¢›q0‰|™€ƒ‡êß#ª©aewAˆŸE}vŸËÇfccA…&"—S…maVZ«Nγ°¾yVØ«’xï® ãšªöÈd>@ pkK¦!Š…Œq,™yHlè7¢tµ ðA=~{t8Ñï …•0’g23@r!¥„ÆÂ ÞøÀl7!èÐ1¢ŒßÝ©Žî5³EÎܾ çaäÁ-’é&Wlõñ…7¬Kxh1vÑî‰Irÿåé!›ì…nD¥X|§#-„] ˆ´ãlmV¿¶;b„ »8q#tŠ˜ÛQŠ'À¨„!Î:B^ÝÚ6ð²¶DÚÉÂbÜLÀ_ Pw u»ÿÏ%µB¦q˜75xÔ–ºœ¦;ƒ4ºC”˜f¹s0;BòȺê6’qì²[Áanøß€ %aAÊKùÀWB ¹Cwù_øü [øƒ@Cþ|!ÖñŸ±ñ1ÂÇifZpøZæ^£è`È ½É¬LÁf "wQÝy&*‹ÖN@À†,ËJÁ“ÉœlR‚qdï¡<ÚÞxá '(Aç®ÁŒ¥ƒQåȨ”‡PÞ ¥ ­¡ÐŽñ5Òv‚R@)Ýy³ fhMQXëݳ(ÎØÔDUÙ0qz£~YòÔ[Æ¥;Jæ0CŸ%çÚˆkµ…;À“pì ø¤¦R Ôÿ¦>¹e’ÊNj4¦–åÈü66U§”>"§xÖë%;EN‘׉ì$¸PŠ},¡øo3C¤Øl•”‡>V ¨Æ÷‹&ˆŠê /èg%UXcDç½ø"‹@™Z`ªonÂdHÒ}1, ¦Ši¥[ãG¤¯gð1ô‡PáLAI›qi°*Û;Âz©8‰†„ùï ŽøÁ@zì’ àÆ)²-¬`Eäè–7\4;åÉ‘&r†>*#ãª`æ EovUPºîJ»ºÙ@k€qt—Hœ {-PgQiá*ÀÌ‘]ãÕ@ÒÁ–n‘/trª ï}i?R¯=$M,ÖnÛAΜIáì*Ðõ@xµ];ƨDnùK((>)3'ƒ…À>ÜÄ™f£À²f“.‡zÛÍ@ŽÞ í¤×ªÛ³‡Ü‘ndÂ%÷ýs¶-ªŽ0ßiï°^JÎÄ4Jy³IÐ3²fHrðAÙþúj —‘åa28Qú¶%ÈPlÑhbÉÓÀft†‹Æí <ãq_~Éuµi¨>FHÑ i »‘~»ìCãÉqëɸU•E/°DΪJ;ÂÔuú„r¹Î¹%D øŽo¼å£GóeÒúj(1;Û%eAKSä É*Ó$ãØcìM5ŒáÒã>ãˆt#2.µ8ÃÊï€7“Üs݉\tpئTÅ€Q§ø²®ez¶x\B=2rO#†Í9R؇ ¤ˆi¥QåmnpûC¸Š Š.âÎGvû|%¾5 ƒ°ÜWe``y6³-žÕª?' uµ§ÌÈ6ÜÚTJuì„Øqü)’{\@nÁH×Ù´€¡Tq1­jñæÇ€7–²,ÒµN"‘_ ÈQIÛÈKLØëuC<‰ `iÿ™ÑŠM²Ä»8q]K øìé:Ô{ìî±O†$YÈãØòG6hý¿"T¯’áótÉË.ëµIó.C‘À‚e±‚{‚Š9à úÁ,’.ͱL¬’º_—bÀ)9ï–‘ÁGdcÇ„Ž)úø< G»ôÌD¦kÆ DBÅU€É(ðnF€%¬ ©°&íÈ¥’°4Ëp6!|KQßòȺ ˜ô@茢 º¡`"¿Ë‚%ÑTTÄÊ0³60"h×ÿ­°)&¤&-v/™U/°!𠥕**ÒÌИfŠ~–È žÌù§Šf3ÍQðj{­.?6ލ-­}„ÔHšK”h4¥¢TôŒýplÌlâ‘Ò‰HÝhµL™â);š^ê8Ëi °°”h4þyæÍØX¨,sÑBÿ¨Œ¬™1Ýš"¦ŽÒp¤9œ$ñÆØ›Ï/žÔ[ªIºÉxo8D'0ΕUí3U+#Öµe Öj_wcÈßJµä¶HAÔøìœƒÃ7® ®!Úz‚Ñ,"oèòÌÃo6¯•ꡲ¾€µ±õÞ ”O)cåh‘Ň¥¤Ì[ 4Šº¬Å€QÚô®º2~Cyƒdgð%ìѭµö¿gh™-ÚÍýg§m Ïjnü"’Øž"K[ 9Ñ!Ø‚)nW—‘G#)ƙȫë };ÂÈÞEÓ#ÁŠ£ÞÐe ¥Èz(⯮¶wA*Ôûü©ˆAcaOHÏ Æå¼W¡ch»«¥øD¶VgØ,õ eCYâ½wcºa­’V(îÁÅóÉ£‹Üœ¼èPXzLX¯5%Ø/Õ IÞ¬…s¡œ.gHÓ“ÅÁ¤TM‰ˆ$ AsJ#u„w¹!ºÒ…þúÒ¶œX«î¨/Œàü7&Þ#JK´jЪɡ$ä.†J̦AEɃ,9Ç (¡tíŦçSA}A°c“»=’Üm«²ýÄð`Ô%%¸ÁÉÅ$3`êxôû°ÙQ–˜Î÷¬)«¼±(Gñ«ê–†ÒÙZy÷®9…®B«A³·‚ôÏι I~}`Ø]7ìÞª!Ý´‘×g¨xz(sî½°á§æe¯û¡vQ›vt¬«FJ¹âhôx¨j;…¨¶[”i—<0<Š#å*Oª2&¿’I:¬ÏuÃŒåÊõ¥“$kÂÙ²ËôãR*ŽóÂyðÆ¹ŽÐüˆo°=p3f`TÝ#5¢lOÑ´«@d«Uørðž]’@®røE¢u„€¯!a¾e0ì+o;eåL¢+Ø(>p¬ îB+°75Žƈ=!+¨¸"T»ãô,’©>%ÀqnR¨ 'Òô?ÒѺWëÔ`k[ÛÈd q" ' WÒí#Ø›°Íâ$$’±#‘˜v7•6ª/-Ǽ}eט³Ñ~Ñ ëmxýñ4²ÝN¡)`›ÄV•äÑ}- ~½å¼%!Ü¢É ìÍî†Dšx‘z“ñàbv®A( Ú“Òj#òÙzP®B,hä^#X„D+^F©KBG|ý6޼KÊÚ1°¥Ýk™d$­çð¹Ù‰+c¢›‚©UÁn·’{×±¯D4Ðdêÿ OË2”öäPáMo8éŠ8_Ý0á d½Ñ°­ªô—D+UñýRVƒÐÕâ^Óá.•èÉ¢t‡´›U¥­“-X@ß«œÝT^<;øƒÜù@‘°e4R{œñ=ÙŽ6T2|WdÃk òÚ±cíŒm—RÂ]jÆIÑp\”4{yÐV¤Å|ë—à'œKC²,n_ü•v ™Î®&ø Š•5˜’èËJ¦àÆ­Ú Ã]¶ ¿²·Ô…ó:f= b“Æ&Çð©bAƒÔÔ!²ZÑÜÍa1¥é{Ú—ñ«p¹!(›!Æ0 Ñηc8Ðx9³=ž‚Y;¡3‹’LE=šÀZÜŠÙß´¼%¼*.¼ûæ—,§†îs ‡ÿ4† DÌEgkë¼\T²âH¥@ñåô~Z‡þЦƒD]ƒÔ)Õ+lJ‘Ú‹ìÌ2µD2R:æùWî ; ±¿Ýœc¼1;"Ô°rÙ d¤à’ÉNÚ |Ê;ò0Æt^TC*ÆTÆV›ô0¶F*®aswé'›ÔcÈUqŸ{dÙ.f»¬%1o´qŽ×f+–;Uìd‘шÜ&÷9ta9«]ÄeoSNµ©ô"K…˜Ï³uôHŽÅ;ÄÌinFáGqªQé'®™,ŠB÷9f8ð…¯î ËCX º»Ô߆“íŠ<¡%­šFx¡0$:ºðCèBç æŽß&¦•~þ(üÂ\‹Ô{™ëòÊîADr¢€`¿“ªI/(‘¢´dI?R2Ô› $pNeš ¹cø˜Á9PU8H$‰)2»+PHÇÓ3uXàBLƒ÷0í&U)5´‡ÝH¹Þ—IÖéÀCPah™T9{1‡°¤ Ðñ½À2)bs A1æ_•u3JædÄ1µ] ï`M€Z _Pò”Å@BL7<#[“ÒµeÆ›¦BˆÐU3!»Áìü‚ç’>3óÝÆw Ê5q¢EôL ùÉh,N†ÑŽÎô¢è%á[\ú”ÝÈ|XÄ0—RûÒ•“ÒÒæEÏš}±ër6ƒ&Žûk›Y—P¸jYôÀC[ŠÇg¡¼is^?’Ú”ŒA‰ÌÚ#ÒQ É=Ñ‘;“¬7D™¸Â\‘Ñ^)ÍÛ ÚGPb¾ÈŠCøZ¥g§´ñ,îªÕ蜶ŽÐÓêžÔZ©r»a5{ÝçÍW§'*öy¥Ž¸*ê¨LsI£'³2ÿЬ¨,ÙØ\™ïà*DÂæ÷VW¦x*CÊdT$E£nÓvÔ1„¨½ ‡1ˆÁe¸%ay„f(ÌJé}ˆtÙ”D"3Ÿ£ŸP°œ×‘Îp$¼Bn\e óBTš×(\AŸQéqx\[ý€dhÆŸ—2 (§… ˆ¨åA³šRM¬b<Ÿ²d.¯¢›>3ki¡V&ƒ¼„oŠ\ÿ&SEÖ)ÂÝê ËH»½ 0–ÁÙ0á (—)3ƒio ŒœAnë.ŠÝhˆ±PEôyªAÙ6ƒÔ‚‹œãÏ¥Òµ1_Äÿ¢hFº(Uð8j´ V´ªðH wŒz«ºÂJõw%¦Åî.¥y©Î¸. jŒ«ª ™E;°Òî%bò*—zªÔ”åøf¢,ñ½qûzE±a>Ë4Š•ŠÙ¦~t¤Q–WDàÖI mlÅÁ÷Y‡A0º¼3´I–*\¸xȰÆý¥àE F:q(u¼í€”ê±*ú㜵£½ƒþÒÀ4‘Å]²WÚµÓv^¡Ê˜—¹Rv¯e¬Vw\‡HÐÁ­U]×´4%ZÐ8I#oâé~ÐÕÖj¹Ç^U¤þ—²´Þ{É$Ëi¡€=ДÆçiJx–|Fº€«€qб*|òR‡N¹N2L 7’ªõxœ–$m"h™G¤{#1!½/ÅV¸JâìEøf$ÑSçâm†PÍVÚ÷+\½N‡Bª0uu«WÍ^.•,H:oqrBhó6;ãWä $-ir/ – —q|Il­“§’@W4——&\‘©·?«LRv[B( Ä¢?Øv9°°Î†?­Ò§G&8O.Q÷êîŸ Ñ-`÷Ø £ç)³¶¾AtgNì•FzÑ©PU ÐÅ×zÙ<êîuP=@0jôåÊèlœžYTR‚h J–zf9ï±…¼ÔUs醱 ÖkÌêÁV0tn ×âÁW‰ˆÒèÜ—ŪR•ä}.ó²°ê›FÁ`´â´ÄJˆŒÇñ‰C·Õu©¨î1¥÷ê2#o>ÂLãb[»Sù§M¸töŽë]Œðhcóã΋FKü™ºšÙ€Ã¾ˆ b¸b¡Ë œg{/1RÎ*2%ú‘`‘ôlM'Yx¶ìKVéE:ŠŸÐ:¼sm#fÊQC\ÕÑŒ‘—ètʺ;ÃXÖZ½Þh·»?6jD¢dmú Ãd´®¨ý&(²ªú¢tˆÎ*~R…öóŒñ"öŸI·'ÖŠÄ"Jë"#²{µ_Ge‹2ï‘~:wÒŠ"0çtªð­“`0öДy “C |¡à†Z½{ØÞᆲµŽÒ!YíJ[¢œL¬ØV*ëb Gн'ÅGÇ'b¼‹Tq9)‘M¸®@mNŸ4Êf|v—2wZý¶ÂíÀA®ì_oœ„ψö¢€ÛT $nZGÕ›zú$Ê¢6™Áü1ê’°G"Ï{/súq•¹žS]‚*a©Œ-4£2Sµå†À}ÜêN8CØ,éj¢ÖØ‘g`9ß@K1ç¥3‹ovA9·–ÀùSC: ´ À¥âDP€ý‡ÔX!ëò®ëvy…†ÅÎãe‹=+MQ¬#:覯R˜ýÇ®cö š…%V[¦À'ѯÌŠóÞäÌDÿPU¡Ñ¯ª½ñùôBÖPÓ²– õ&ƒèUTŸvè*° ñ¼yýŸ@ŒëÇíÓHÚµ}݈k×Áì“§œÎJd»¥ˆ+Ã0»so\.(ž“ó‹p](C†SZPŒmææ.€‰<edôPW‰TÄÕ°ü·¬^¨0ÊX¤0G, %Ò× .ü‚ 1“…¼2ü”óBèï 9VÏÞ0WšO§@3ùîáØó£yÚh¼3ö±›~¢ÍBuði8ÃN¢°ÐäuŠCÉÛdB™:gä‹h/m,ž-‘îÝ&v)ŸÞÂ\ ÕÍÜ>l£¾if³ú²ü$bˆâ—Οˆäê=Æ—Èpl±»ßè4Ž~ÄLÐåŽL”RÒ¯åê9bž¨äöE}Íó‘G ²ÇŸfe¨,mg1[Ã¥õz(—PØü$òfý BFI*‡¾S”;ÅH&\ˉΦúz$\Á‰ÝŠ9„Ížb¶aºéˆ`uæŸÏ e1»0ü¹;ÂÝžð, ƒ–rŸší³bÞ qä>™!L›Mg?žýC1‘Qb„0©ìœQðZ–G7Ê“ÙÑŒ €K8…“=L  Vhô-k0±.d1nØTRö ɃʖÂnõacd× †\]’EM,;x–]è–!V¯J‰¾„»;{ßNL¹¼…r¡ªf_¦9εKRy#ÍÞ´£Ã@ÔZv_„~ p÷4ò†ƒ…ˤrR96Á>~ÿä8Wà o|‰C­ˆ¸îgv Úîî’ taOÇ­e{"—– ‰º“2ª/¢Y1ÔÝ䢩1}4§&¤‡éá¶…ø’ñ¥Æ}é’WÃ:ÿ— /3&›å$Ñ…ðÉrúÉb7ljãVc¯ÙBÃÇFo`æßmû‰I·lýäeЕVm-øCèxÀ¸Ç"šÎ*jŒ‹I€8©œbc0‚Ÿ‡;š]aê…¼£åÎÁJÜ zÉð"û£ð:FJøÂfñ£‰‰G|z€ÚÔ$”¹Ú0 ÊRÆŽÝ«ODЉ´ÅOikS!mÉd4ŒòFW)ܵ!Õ”n=?ŠtéÙÁ°»^˜`qWnW Z Ù£>á eAüâ¦?y´Ñ¥FÄ veÙ¨¦²@¢8@6Xæò>Y)Ш¸Žu”ÑIäM7ȃ}ƒâ¼(UÍÔ÷ä6PêQW’AÜ)¨Ág³©Ä¼L,ðóÓ ÇÁ[™÷&ª˜™Ï *0ÈÂðŽ |U¶”D‹`Ìh‹H×f‘ ’aQÓl*JȪtÖ %´pÔodõgÆ:4žcäÇɤ@i¶ oTGå¥ÌÝÂV±r›²˜Ž6ã«z¸„ú†KÄ1bþ!™[Ùp„Ø1d„b_Ìð HÀ™\¸T”»1ß"¯=»Ù4>¦ÚÉ, ŠÈ«€ º*²{9 Ƹ´x~ÄÚ“aŽ%æ„%vÔ·Wˆ+àøÓù™|n68Áb:~=~ÛŸMTÕ‘.‘v?"F® Ÿóâ$ž=mžq¾Û[T{UñËf«Ã«ª~çÂ{O'fÈÚÀIoœ¾JcmQ¯:(%ÒP™&®ŽBpàֆà VE©sjú©!æª9GÍãö¶qUDŽå§œqPQÁÀ˜ÁÄRc~ ﯵ›Nz@"­ó—þ?yoÛ¥Fr¥‹~Ï_‘Ÿ96UÕRËš¶5öZ n j€’Ôãë•—‚¤Š˜Iå³Îýí7öKD숌L(uûÌœ{?¸­2222^ö˳ŸGÿ,C­Ö|Üt(Ô/”2²ÅÂ\JðjÕ ¤ö0O±¬×è4‚ÔÔ›ý_ÿFMÁí΀ƒèŒ«KOl";@ cä ˆdLsžyNÏš¤·|5œL†7ÿ@¿7°Šd;iGyU CS3£áÝ 8µÖuêyšæfçO°ÊGšCÆ-± Èwqœz8JÆ·ÝvÏêt1®\ØÊ±è*'ï+HLmæ§t·IW‰Z¼¤xH“† MÉ(ÝJ1=ËUÎU($ã7~'sçêô§Æºù±Û½M®@»úv¢>Aº°»ô‰zÚÛw¶ °YpÿálãíEÉFÝþhs"†3T¨ÕáÔÞš§¼m9ë§ÄˆÓRå‰)êê¨}€È8ìð{´Çï*\‚ûíbõ[ zyÁMŠøûµn5"6ÎÙø±# æJñ•tô¹dö[ŽNj®YØ 0UhDLM¥”Žg~!&*ÈâY>K\›Ò@¡L ¨ß¿Uÿ¤T†ø½“…}HÈJYù­ú=q«ðîï>¡ê>ÃÒdû©º~×,îpH€Ã[BBCš8[e÷÷X™ÿÄ‚Aì² áÐRd*:,›gÈY àE&qÀ¡÷{¿˜3Ó†!‰å –²Ã@Žl.ñàel”dÓSX‚dò̱$-Æ\pi  ±JPQüâTæë÷ôAˆqjŽÔî uÕÁdÇ›»[‚!ÀuDhp0/8"añŠhþ69`¯‘ jÝïÎõ h5´[x‘Ž¢‹~ð¦ Yiò:AŠŒK>›'¡à icl Ù…ÏhVå4ÌãoØq=5›ÇþKæ“:4t+0åÿʺéÓÅà¶Ô”— …>M¢ ç lì²•ä¯ û›»ß¸×Ò\‰Â•œÅ¾#‘˜òùF\ “𠎭φ©ÖR Ç’x{·Qgùp(Ù‚d{îptKF=µë%Æ,øÖƒz§^Áj†ã—@R©_|Ê7ºjÓ²¡#Àäö1Û@ùôÑc°²à”Î×·#ÁzåÖ¸mG™Ìáªßz?-ËÎ.M0°¯žø.;4õ¹½|–bÁ%’ÒƒÊÂÕ&Ç´=X tÖ¦Ëp4°¬‘EöÒ¦ •'õÆ4=?½`±C6(ˆ¹¡Iu•}•T¬fªöT˜A÷,€ªšNaó†3Xl°™Ù L,\¦KW‰ü ~£%š ¾ ø›€¡Öj®—H4ØIë3ÖÈKk¡£!nZ½Ö“ÿÄjÛþeüµÌP²Ž(]Myá°D5ù:6Â6yŠSLöœ|.!̀謵ƅª,«þ°Õ‰ º…ÃI!‹K ×`qÆáÜ ÈàÍøUÃj;f"Þ†x_ò“§tøOo¹Z]nÅB¥Ówa>*› ×¢¬r#§ G‰O€€Ÿ p3o›qvÓß&º¹<ÐPÚûM!1¾%æDpL(Ý¡$÷ÈøEž“Á·&syJk³Õ•ŽÎ´ìÆÅlv)¥¢³­²bŠ öõ|?Î!‹eY¦“á@É$n䇦Ù¦ÝΖ uFÇÊÇé¾í º3{Áã=…‡ˆŠQk­Ã‹xÁ˜cp7€Ñà>Y¬¦˜tÄÓÐ{€QÑ\kYt-Ò|©ÌÛ~«ÝµŠÍ´¢F¯… ¢4®Ö‚1µlG—Ö5\”¬Þ)áD–ÿN›Ë©² ‘B‰…ˆ­t¶Ã#Éq{Ü„F~)1ç-Ј™Bîía¿¯ö°³8êúJ€ÀD…ÓE°HðûFUBæÿ({ÍÈ2z ­÷nnû8¤ÝŽÜÅ ’ŽN‰Ž/q³ÃR!™)$;j¯Æâ@ä¹à‰0¶‘l»á®ÆÓYÁYˆßIþ-÷€ð$Û†úi/@&’q^ø¢áß·  b´äu–=W›öì)×1ÂØTvø6‡ÿWsBaM}©±1Iü¡i>€KÄï”eó¯¦ÕV‹$Ê(¬:ÿð»ã¥ô­%fÕ£Þ‹…²rÀÕ°w.VV^¿ óÛB.C’sE+Ðâëé‘Õ^šŽpBðT[,^±‰›½ƒR.vâÌ;/EÎHÓ':üݼä&WŸÕN,ª"\©Ú€”GÁÀ@’´ÓOz“î¨iûwFíRÃsgs¨†É€®½ýñ:ÁŠßäfعã:FG§‹r`é4_Ë(òÜreþ3¯Pö¼äȹö1—ŒçW—_¥{ÜStŽ)`Õ458EBƒ, Á²ò™Ó‘Œ^Ñ› Sù`(é :ݱÓôqÈø‘‘¾¬8[çéìLÆÔ'gN~MzmKcø¡ñ}ªMêaª5Ä•3MÒµúåt÷¤ÎëÛ½ñv¤7ƒ6Mã„ÂP.J©^¨­æâþ/aÊDÜj"9¾n—þý°Üù‡*i{d%GÉíüª0®ÇFcÂüÀº÷ËÍ>è¡0è5„CüˆN9K±¤@È€nÑÔÛ[AY ‡Û‰<ŸaORDZ°õårÈ”÷<=5¦¨Ï}¿œƒ«i¤Œ[(UÍÙÜ? ®Eˆí­ª)> éu6.T+áÇÄs|õdöF.-×)>UqŽs¸Ü>#ŸWBヌ»ÈÖ'¬2ª~„S,8qBŒka2= ÚáÉ `«Ê=÷Yì`'RÊÇ\ì:ŽÜ¨iÁ˃ùÖYÖ†K#Ø–‚D(%î)@qM´ùp.AXJ‡1 Bÿ\(h oÄÄ`ÜHÖŽ¦Ì|œIÀÕ ùN,V#ÄM¿" åì>{PnStÆ@hv_Þ*Ÿs’m‡‹1â†EP¯øáç­ B•ë×8iêÝVÎb¨JüŠsˆá3åorAß7± ÍÅš˜~ ]Á#ãÍ‘µà4ÒŽiYdAF\r›1mòÅXüc ÿJ—Jÿþüåïu,ãÖhk tªÌÆjPŒ NÅu EÇ1-¼27°bØ…'ã>0lùý¯…¥@áíÃÆTÝ`EílKDk ËÂ0èb½$2<y…“xñ³k.mͨ/‘§^( _¶ô4__Ê=ÉŒl«¢ÈfÈoÕj-Ε.É.Û9©0äÖë¨ñÐùù_%ÅltØÒÄi[J¼¿úò¯@ò7‹”ÜEFÄ†Ž üAÖw×tnØ¢NÀ©ü½Þ™ ¬ušÖ:”ŸõÓ³ŽüL8ˆa*Úä ¢ý|£Á0NðÌ\áØ‚+mÙ©Õoà~ùð Þ…Çe—ü™ iûé[šÑý‚%ôxÿK[aúÔt\áT×I™L¨ ˆ/ ŠÉæs/×¹6 éÃyQ(@6Bbne]WDþpâ©ïýØ_!–äÌØ“ ç]¢\‰{u4å¤!OpT˽Ô»º=]}Oä§÷–tûæö»ï~ÿ C? ã¤.‹ ¬ß ÇÝZί_{ãÊÚ]"•Xi„²á¦_bM.‡M€Ø™f"€Y:é¡cÔ,eONœ&u/*„gœðk ,Iw¦Òò°Yþ]ÍœÁÝ ?³Öë”cW”I¢"î'Éy˜ž%ó{B"‘×s3¶ÓNè ·  ãnÃÌÂ;^‚/ a%±:^ž'(K¼™4œÊmƒ´±í‚ eĘj&äqët¡iÐt$"—ÀÐgwo/z "TÔ„³ÕU“àöƒø·Ñ ûdú ÌŒ™¦ os¶Ù¯Œ»YøºSƒ_ƒÐ|î³V‹Kù•üœ¡­aýÙ Ïo¯S»íŒEf oø­±IT¨ÎZèc ήšÓû¸†ÁeÀébŽsÃÜ³ë ´¼ùn’°Ôâº2€öTUiøn¹4@’—8 ɇœ5íO¢«!ˆnÔÀ!òûúÉ»C‘”­J6ÑC… yßmrh)‹hR«2è¥PÍé`rÛw·kº/P@¹§ Ô¢ÁI07÷2 ¯^©ñué;u ñûߟ‡€ãCÃWçß)ßçûIG)˜”v<¹MnzæÓÕ5ã¶P¨X'DN”«KÙ]„(€/én;;'¶u"*ʾ–·‡Ÿ•ŸxÚìxþ+K!9lõy•A FG½ýøâ»ËÏÛ¶ g-Lyå‡{˜á¬¹Ç©_h_¹8w4Ó%‹@RÙìÒœ^Ž ¶„t.S4Â-À×tþýÅ “K£n7ØÎ8/š7…zQ,ÉÂ:4`¾-t¢O±Œ£õþù¸GïVãhИŠ#. pß{ÔŠ"XF7ñJã¶ d¡ŽKXµ#jWØLmôG'ýÛYîgo1ibök—@ÌÕeãò«­Þù1nnâ³µe¹ì€ §Œ•Zã%Rm\)SúZùYñíå¿‹iH¸ÂÙ#¤A/V:]¶šúø¶5j7ã^ëÜcÙ'¶Clü£nêS¦>uç—#UcbÓ&•Ôº›¼ŽìkßZ[†ÎH÷ûd¾œ>(•ÙÐôù‚Nï~—ŠP£¨„®An ¥œSçrò˜ Œ8F·Æí^/æ»`CˆÁúƒsÕ lµ™-©Lw•¢¬ºÄ®v­E`×"Hí÷ç/^œ¿øW±ka’U¾É:ò< ãT;"ÇžN9* 4¦œš7 Í?ï2½“d^” 2NÃIòyPÇ …ºx£ô+HÀ´§`¡^*Sðl;jÖ}ùkBŠ«7¨ŒK÷˜Xø•¸¸³ò _€2¢‰º_vÿ³æ™ó²…ëøW¸?©û¤€¼Aã9ÓƒkÎB£z¸LGƒ†Ar¦?‚£ã ÔyæátšËjÀ.…`Fú%Ì!TÀØè`2%nkžB‹wôŸj:CÔ¢5µùª ‹‘q39ÖÍ0´rG¢z’”ò³í§‡sÚÔ­>³í®ºÁ\5Àÿ?ˆ_^¼þˆÐ¤ÒTzfš¯!V`‚ï˜À‚~ïŒð)ýªfúM±DŒ ˜lNSeZ<–éPŇU yÜVNZ!س©§#òAP&Ì#òSV“¶MÔý`’aÔ†Î<]«½;ˆ3QÒ7Æ«‚tÚqºª)—cÄ Â?\•_Òé'ÁèàŸçjûJPqn~ù0»„“œÒò®Î®YÂ@8—¢q[–Jp¿Ü¯t^^šêÊIφ`°q-WÅtn§è^ëôÕ°,dÎÖ·…Ã?wàxÅÙ¡ŸPý©á©|yU.Ý•þ3V,nœ¯+,å’5¹º¨ÖÀiBJ& Q}a)÷õ×±€å«ì a!›Š»Ø £<­f?™‚UOæÀÔ›Ft¶¹>[/÷T×¢Î̯Ë=3j›`=ìk—wÜÞ§»¹ZñsShÄ~`†ßŽ¿·YA‰Ôʦ¢Z[[ÌØæ–^Ùq7äæÖá{aÀ®¡©/Áyy©¼ºû,‡ðÒƒ†È JýL~Áz/t©Ml3µžžD`G'²Z×kk˜k5ØIÁˆÚtµ}œÖ¦-e­üáç”YP;¬XªZjÂŒù*yœæûû[ÚëhÿÀÐT—²q3D¸Ví(C™-uºeä&ã»ñ-(ÂL‡¿'ïFê('.IŒšäœÚ@ÄÞÁ­ÀGi:#‰v¡Ëuw8 îÅZ„6l ÅäWý:êxÂqç?î/LÚÐF,%ŠÍ×üÕîd¼©:lÊy5:˜¾L"¡á;EéP¨²Äyn¡#¶Èìýxp;ê &o-$Hu v­Ü~U,ZÒ¥‚U§š23ÕAÖ(שbéîãfQ‡crÈ5•ŠP¦¥à5p;¡ÔV4h¦ßSúY-^HãËð?;ã‡à’‹’à G Ñô~C:Û Ú\¨¼Hr‰Ç@pÝÂíI™·}• ôh2XФ¡¬6'寲1gˆŒ¥­Q•ƒSc0&jRsŠ8y'vX¾*HqõÛˆð=Õ¿&°ÃhÚጠ7…ªÙ´MÁ Ó;¶š8´Ýl¹Zçúº;Agppk ¤"\Á¶&K­ÀL¥¿K¦Á7"8ª ]¬–} ÒM[¤„&Œ±ODK&–®ãùÔ{%¿Ù©Ÿ*›ªiÔÅf²²é\f™®Y¯>§1"ä?×Pe@T›*RÖ?N<ÌŽiw@VH˜Ôž´xrê—ªÒ>ÌIz¦Y¡/ ä'ËuF…ŦŸ¾ ÌMd›ó¹: ?÷L½ò: ¾ áÀò6!iiߨ/ïû‹ï~'.ñ,äB½}#®Cq!&V×–äå4ߥHV×Ô®óóD6 =R“cÇh•0G¨ÑÿVö%$ð$ãÈRû$ÒP¦üåû—3Š™µ»:ÕºÇø­2vˆö®H²¬Òsåþáü…!R(Ž5ÚÙ9@P![_ý>8‰R–ãÄ»'£áp2Ö&®Œ×É÷ôä‚×fÿD޳.äÐsø‚’Ãsªpšé\ ÚR’µË¬[G/—_— ,b¼$Á±LÁ¤Šå󺩧M+Ú+L]xuñ½‰,~òÈà¡1j„ ÉëëÁ]¼"z[,]?P¸OCGÕŒÕuõb,¤|‰œ¶Ë]–8–E#l}ø›_7];ÛH§X+,x4ÇŒ› % sðÕðÅPàvÊé„2TÖ-má+"çÖîö®å;µtD Q'U¸ýLNt©ò}é×!y‚Q ÷0Ã0™%Úð÷¤AcÖY ’â+ÄÝ£ Ï`¯ˆFE[¤ÂK e<’{lëÕ4ë]Íqµ˜áÒ~«æ–jëE/ÚP·ñT†ã£u õ2™;ÓqyK˦¬l€ÏìÍ1¬‹‘×ÅrAðaª®…µ+ÈG3ª ;×ðŸ#ë6YI¹õõ›‹{ëc?âŠîÁŠi÷BÿTÄ.LÉ.mñ•QÇ3’{Ѹ¦tÕ¶yg|Èéͺ–¼ês˜ž%¹aì;ð[@pM½ÏŒÉöTž±b´v1Xg˜Š+ôeª¹¡òw(äN3…¸û«ž?‚UQBºä#äÈ „‡”€¦Eß8ï þ &ídz“Û‘A½ŠxŸ$+¸3X¡ô¤ÿáx%2€'Út~—ï·@eˆÌ6œöâÎ :2ÊÆ8.#ÎÅ ¹ûð˜¿Ý¡ŸýƤXÉ!c½åÆßwœ^ÄŒUûZLS“ËBV…-ãBñ3ò]v»K ¡¯@þ¡- 3ºÉË\9­aÉàîh4]¶ÆIï-«[Yœ¬Ç¹ÀšÈšd‰OÔý2¨lM×ÊŒÃÜÓ‘@T´ÑºéŽo[í®n¥³ìy¤¡‚ǯÛ6P€~ëûr#Ñ  š?ñºÝðñC5ü‘ŒÖìÄ~i¼mŽ˜¼7&dˆºQ’]mz˜Ö 3ö:Ixí¸ÙFçY “/s nÞ*¿e'¥È˜ËACO¸+ôa¬ ƒ(|9-ÔŠL¾»x8E×öjA `ö„çÀ©ÎÛT)_ zxu×ëw+ ÖY5zªS‚¢tÓzµÒànä0y¨å:gAæÏK0¹F¬Ý‰»o»í /Ïlé~š»p mÐç  n\ØpÞÝÞ‘uìH!RZZUzAq˜NçM\YÞ*“ñm2|ûvÜh*i±12™l± .³ŸÑG càWØå`b8ÿ´‘±‰¶–ê¡}^¨ •{hL½²Kûêä!¾uJú’Ó@òBF¬îu‡Ò¢":¬sú«ëK ³]Šåz)×(/N-'yÏIŽ¢Í Ú¹EV+ÔG'j{Ò/Üÿ åW##´hD²r¸Ñn1¾<ú—ﻣ«á¸›-—ãíME 0-~©°õ¹.Ã57¡šÜ:$pÂQi'\’4í<‹ h=8"ˆXÃÎ¥qÄM˜<׳‚@¢­,q‰„û/,ÀþôÅý íëÅ#flh昌þßhl§ãFj4‰}oÄ+-þýÅËß9C:C÷0s'gº×q„ã‰Ðˆë€ìÎÙË×üÔ]QHk¼4™dú+ìE3 å.(@óù„• B˜®gÛ§¸~ÕÞþÔp=…~#G]Äé4PëšRz#ò8è®izD‹gN=Œ`·ÿ6½«ËîMÒêß¾ki|”7MÖAG¿Ór“6á¿süï ÿ{_Ì|Ù8‚ú½„'CA‹ Ä€Å?¨i‡,46¢î°Úãž!ys‹J~úѸ ÜñãIø›ñÝ ×vÌI×Ð"ßO€¦Œ%!01Eÿ¢YjlíµˆˆmBØiMƒ³/ø…+=.·ÛN¯õTkö5ˆ'c2«ŸPÉýNŸ•©°RÞâÃn©ŸUb…]ЋÁذ·Ž"ú-œSHUÚb/4`BÜfëQþ}¿œ— {^‹ú2 4™™C Ítr–T P¢Y÷O a\æ‰&ž5ŠbEörÚ: ¾%£$`ݓ؄Úë3ÓÑ«øÄÔw¤‰\ešt¡FgI(g¡8S÷Jäõ;“?"ܸJóÌÀ¢ùw?O?O¿.X"•¨Õl^q 5qsq¿ÒšaA¬óV'±´Î&Û›ºÁ<5|Åݘ=´FÝ&ó©<êÒÔIAö²á´¤nTd½À.d&+À,œù ˜÷®«Î<ÔÞ{PÖÑFÖO†ÒpXð@Õ†SZ=HˆŒS]JºœlÁÎj…ê.jc£JØŒ™j º¡ñwÎ+ÕÑyš‹êeòÆÖxp±Ë6÷Çb´à©Q?Þ/wÀlÓB¢~§NFÐ7F.-'Ö¯Ë97)ËOwzú+ÿs¹F)'CL£¨ì×9­cº’2‚DV=ìyJìª ¶!9ÊÛwn)Äáé¾q´y› è 6`€Õ¥ð°©Xu Ä«=lu1¢E‰Ms¹¶‰X{˜€'mDŽ/­ž8K…ÄOÅ‘´ÑKÙŊ̬Ü!4dAÔt—}J9)¤ŒNe$Ž'}¯%Îf©q¹é Ð\U'¸Qj‚¥²Ž8äe‹«ûÏ\+¶—%?È…V‹CmT›'”NýòuÏs*„¹ê"­™Œ‘Êq8_viΡ²¨´ídK.˘Ž3þBÐïzºYn´KSC€Õö¢Í¸Â¼ðtδ­³íêÃÿÎbbòUVƵâHWK=Tˆ[©¸¼aƒªH¦Aþâä(j“¿Ÿb©¸>laÊ,=òöÒâkª’ƒn˜Ì·¬µGSÜ‘³sMyƇ·Ë\S†Ö®:¹9Ŭ««W±ÔAzQ&û²Y-‹ PÆÄC¶SÝ^c1In+—{Ϻî)[®•‘ˆˆF»ˆ¦´²[¶c|¨h’&Òæ)Ì"ÂL‘ÈusMÊÕÅSYŠè)e½ 0jõ³-^Å8;ÉÔ»~\bÒß2Å([HmÎ&Œ»°5¹üÒ83]#¥ð¼ÉÆ£^?yCWªÑ8WwîØm˜;qSÄÔŠ€9aŒ™†Þ d-±QÒæÁ„@ &]ÍccSãçH•׬iuJ‘Z-ßÍüKètÀ SÄÐOñÿÇpçd›åd¼9uƒ¹ýéÐH9‡ÖºÅX5*µì’2ê,oE©~õ1 Ó.-ùÏ)ØÈ·²h9Pi"ýsH¤+ºb^ŒåV¤CP”|þ ÉàtwÎEÚ#tš€FÆTÔ‘\G'ur¡Èf„e謲šj¹Ìk8}ˆ!L†xô²H œÀ8‚!­&°úç™Ø÷]:°.Î}NŒL“@ü6E0j$z¦y‹‰J%! Í„­ÙeÀFÜÉ*ͼ™Î†ãd‚¨Ÿ°ÂÈĬ%Q,˜=v)"Ñàì©3¿Âl¦LŸºZÑêgXŸ ÔâD‰ÃÝo…x°vxÔ ¾ñ‹&ÆÎ›ñøº×ŒGã×ßÕÕ]2ê} ‹²ÝÜ€¥º¶cÕqöhÜŠ@“¹Qum¬ŒÕLšjÿ€XA’4¶¨Lé±Í8ë¨jkt=V¦vG'cØAÒL¡ã gÒ™æ1`2Û^ç )\Èr=¼:ÛN¡Þ ´:å4º¬°ts:íoòËØÞ’Î.‡’N7 c+hOP„ÚÖ±rDбôï€êI^N¾Ýí¨÷õ¦õQÓ‰ü/Û3Y‘¹Ôö ;°¢ê–E(/dpí³úà• H ãåáo(ŠØ,0n G¨Õ1oƒ\Çcþ…Š@¾Å ó`·nÔaÆÊçÊ•Ë5ÞæËŒÃ¸ÓÃ×åj «›¢¹ç«å'/2Ń¡¡hr>@ ³rò&?‚:ÎóûôÜ0¾è`kþba:[Ê‚šOE«¿¦Iznùcê,:¦¹dZ—ûñ#¢´è1éë´0ó™£'t¯N·tº±OÈ-€ßÚÞܪU8J +]W6M>¥Ob*yÒãê"«)W6Ì%Ó&ôÖµ&âbú³À#s®z7¥êGY¾ÖºÊÅg!œùrS&þ¦Óí€×`;ŽÔ3Îlf“t3h~ÜN? C X”eGÜ@肸¤¦B)ÈYŒz,½›.9ÙX7cü(éôÞ¾-€ §ûωš³øßâ{ýomݧ{Þµ á }Y¥Æ¨d9-b Z°$¤[, <Ó’¯fO$é(Woí«V 0<­Ten':€m08’ÉO·]¹fæ™íûY ñ;ù~t6ÝjÁáÖ‡ ÂÅþë¾)}ê¦Z£ð_‹JáFï·#(†£Ð&¦ÔÜz F,… ò기®‰¦'sĸ(Ôll–ÿãþØ0çžÈ§³W‚u¸ð—z¢‘¨vVBóí;9Mmp<‡éóuuO ŠÐI. Ï•z*¸³%–ótêLAÚžl–÷63§^z’ÿƒ UÍ!&Cš!.Ë™&ÌWñ€n¹D“ì¨*W§•‹¬dÓ¾\Ÿ¾æ§ÉaïÖŠ-ši†ŽZŸ@Û‡ þîw/^Yľ™Õø#,ÓÑJœšd­obמ+8­V<-{´®âÖ‘*ôK½‘sÊQáäSd¯z“äVí»Ã«¿ÉŸ;Ùììz£rWØ”Leþ‡Þ@ùdA;úõk'±¯{`³|cŸ¨–¡*‰…ª;3ޛߙŸcnØ{j¨î¡èJn~‡(,“4|[¢ä ÎÐŽ&q•JU¸ÐÒY²XÁ¶ÏˆSTCã/8rûïÀ¨k^½ {Œ víq”Mù%߃soÉS7¦Ò,Û>ÁkB“®è$'Ñ ·ÝªW›íÖ±aÀÑÄ Ê Ì¶X EÂK÷ìÔï['&ˆ:/u¾œ»ô[”¤_b4N¢,N³K} ˆŒ!‹”1væZØS x;ƒÊPõÇB-a¨þºmŠÄSO±ŽÞg W §À45§¬—Zr ð–%@‡’ЫCõÖ>¹ÇR¶ùƒ!¡›ß?$ëÕìbvI¼ †d)4§4‚Rí ³Ÿ‰€š_Ú6>™…¹ÑþµŽƒÖ¿oÅÿaF "C¨nž¤oH¼òñ ‘ÄÅ…zg›ŒægÇa£ Ÿšž€3†&1¦–d†¼sæ¨þò¸TÇòµÜgœg`¹ù;Ë=@û09õE&»ÃþFôÍ´UMðÇ>ÿR½™,?&•F7‹³#zyÿ+´’ÉNÐe€ Z1KqU5¬Vu*!ä=§D¦kf-aÒ.¦SÿîÎUóŒ'ž“†õMAò8 ñ $š®”m@?ŸÈÎù)NLͰô ‰¯ë<Óum=n#,e'ÕÉ º NAVÕ7›¬pþêÅî„„Öëú¡sGš,Ûùª@ÿ²ää_þ´™=î2 ± €Qs÷! TèV/«@{Ž&s¢Ã.ÛÔ4ùÃR„Ïî¬#…õ»ìËþñ,T„¬©Ñ»š™ÏV%ïÅKZák¦¹˜×Ñ™hü"¢[! rmÈöÐ!Êžs)óc³ý±KŸ\Z·ï¬PQ–­“ÅÆ`Ø1#ö+µªÎ³Å9¿%ýÊrLý?gÖÞ…“Qdþ=ae`8ß¡rt¾En HOãÛ$íÀ@ j0¡qâ@EÂDZ:þ“:Cæe[”©ÑÚÿ»b(_å£.^ë÷“ž2£G½á(¹â?ǧs)¶†ÉxÔVÎ÷H³ùèK“ä·¾OäCh µ«qKp.t!/¹¬CÚ®(6pÚµŽÉ„à åxÀA¼…=u\ù|-§Iy;À{™`„¥'ôI\¬Ü­nK¦÷DåçöÙ¶º rZÿÂÁœÃ®¾Ïý:©PŸ»¬(vៜý†‹Sc¯MB(ÑDµìóÓùδì°KìÂ4á ´âŒ-ªû; ‹KOcuÿÛñò~-FÜ2B¦qP¢c´&¡(:yܘIcóY¾F“Æp é~ƒ7Lz{uல\Ã(Lx O3üÌ7Øÿèýçj«%Â7}O’ ËV! ÁvK@Ê9»ç¨Xo­¶€ìps¢{ŠµÆ”eÎS5Cµ˜V_£‰¯dfw½ÍâKƒ÷°±[sH‡Ãm¸B)Y,Vo@¼¸ìÂÄè‚R–CŠó†Xذî ’G×ùñÐ VÇ•/„©»Ý«Ë ¾†Ý„¼fœLZ×cË7Z1VÀòa+-yg“ÓB»u Áˆ Ýb ] d15X,TÿE-¹sò{E8Ih÷Š3ýRÖ¶AÌA+*Ú+Ý +¸Uîrõän{…2c“üò…ßKËely$Wô—=°nŠT'c[Ë—èºnÿÅåÌt•µB®ð—Ñò €_È´<ÇJ8fÅË1H´E7£@øNá©¶X!ŸA6£ ü& -YÂ9\“€êI+þ®<Ð&À–z¡ˆšGw‘˜h¡Rò\E>t’Á‰jgŸ>€+æ%:¾O§j¾íŽ;%@I“ÈÑö]}õÀp’BŒÜm²l¤Ð#3Wÿ9ì°€ÅNZïpK#Ä, ¯Æ¸dÌí÷ÝsÏøÃ«—ÿê‡G<ùãB=<íÇÂx·¼£î‰HÂßœL¦2éÃ: T2Œ£C%ð¦c"öÞ|(¶Âq€ä^óâ`YI«ÓI®~št“Ö$étlf8~û"~=Óí¨¾6ÅDÿò¶=:7Òp÷O´kØÌ˜9¦f49 è†v}wü”¿¿N÷õ1UÞ/i1&¬ç¦—M±8Õä·NzSHªÙà ì†ÒÞá+ÃBàW=¥{ª:›²$#hȾ5ŽÛyM÷Ô¶ÐF±Å¹n't+„²C|ï«Ô«7;l(jjxDœßÙ×L÷ÄåbˡԛÙÅãÞõ¸{ý^oâÈÑ{8/-:l"çðbŠ•›²®ŽtÜè ¤Ú&Ý #0seúÌ\%\mù²ŠH[ªf‚òè)dôn…°’«ád2¼!á1†”¼xÁUÞ”Ù£ ´Z“$½ì¹µŽ–Y!™Qïí–ÆZôÔå0ê‡$Ó¹aåÐÛ!L3æ÷ ›üuW×îû“GÄge7ùBLÕßÕp$ãÛn»÷¶×&„õˆ¥TY)±Ç(æï_ŠË¯»Bë\µÔ_@˜Óê ¤-àœƒ|¥FÔñš^¦¥4v¤á% ±ïX+*CèÚCîl2ò±Õ'&,òÛØBmÀO¿b…»ÆÍÀaՈπúö,'hó´vBaÓõLP4AþøÓrË&2›Ã@"]æiy˜B02›D¨Y`‡7ˆxÄÝ ÌV3ù‹!J–…¶¥kÝ9DËe1ÿ¼TM軪QV-2/ã4 ¿‘[*jö’l›€mçVå× žŠ–ôi¦¬@L!2H=É Xh³|·¸<Ü+ü|ÿR­" |2]ßËŒúRÝü3Ãøøç_Áª_«E±;‡—s®|]XWªI¦¦æø°i ì]$}þ…±®‰â¹Pu[os>DE= 2À߀˜ƒ>˜–¹• ŒpŸ)Q:>Ìðø|¡ö$Þ7p`¹NkÑûñ+s•hµOÚäA®— £¡NEóºÈE› ÇÕ–ž爹äBÇÅËCÝm–y Ä,äƒÉÒvû)7D‰]âp†AhJ„«jbÓ&¶aûÃfZ–6ƒlõ¼rb"M±†a_9 ÜQ¥3» Ž¦:V._ÊvÐ25ŒM!ü=³ÄhÒäáp8¼5­$”¬X?^#ÎÒ·ÁRP"köâ„h4×I ÊXÓ¼u5 °ˆy±­E&’¶F0¿IÉ™©}U‡ãm4Q.¨4Õ?f›ýnÿø:_>ÿ“›õ%pªyÉ¥YBúüšR¬®<“·ý¦­þOÔfE¥Íaç_ixƒšvÕP$ezŒ!cÊ–bœ ‚E.Añ±W×;¹¾½m í1m`äÛtµ2rNº_Ÿ™t!A:wÜ/}ËÑEýcìo÷†`Ë%.k¼0gAV†uŸu#PŸ²êè{ ²(¼:ª ®«ÊHºÐíXìÖ2c£b§Ú ª¡/„»9¢}ˆý‘fÿtÿHR?z½Î.E|uÁSîj*)‘¼$ ÀH2Úàü/M>‡ö9]í0Ž )¨ezë]Aâ]-O¡+{¦+»Ýä#xÓ(zÚÂ̂ÓÂA¸¿ø£zUx2°ƒâ˜6&äÔ¹”(ø]o¢^Âݨ;¶³Ý"˜ëˆ×[Þ0uœrº—:¼†Rð©ˆÎÍveL0k ƒ A²µ¨fVÿÂÁé”~Ó½±Õöh( ²VçZf섺IpŠïØ @¼Ö¿þN§9¨@’S#êYé†4Øg«X~ C‚®VòúEÙâCâYN¤ž’Ù¹Iá Bí1!Õ©Œå2oºvÎÝ#QäkøcKj•¦`ã¸õKãÓî ‚VÇÄmʆŻ—ˆB{@þˆºIïøx”`ØÚ‰“5»a±`„ö „J8ê\Â&y®1Ε[×ý“©¯_\¼xuñ¢iö/ܵ.^½øÁÚø)hç—”ýšRò`3F°tûMHÍ79º‚v I…ÂÊw"íŽ5^–#ÅD;œR0ëzþý¾ûÚ­äûÃ=™ZÚRdH‰SÐ~¦¿üëaó7cZñ/í” qæ¨"JNãÖ±IäÆç‡Å=BËçPÇ0Ÿîžè÷gºnÈäS~ÅW- u‡)»Ú ²Æ‚ ,Oø—¹ûH!zÖ³ù¬Ç«½Ê’R„Ž÷¬ëàk5C÷ídô¾Õ÷A´öêSÏìÚûº¢–³Ü÷º¬ñÙü°^«sIrQ\Km Ÿ1òJK] öÛžXÄœ œ%M»åøa—‚.Óàænw£ÜÍ©ÉÔ›Ç)¡ô|SÃãÑõ¸"µÑ|ذt ÿ!õ a§qõØdTS¢r?_¢ ©w´ –#ofÑdØ²ÂøÎš•ˆSñHÎÉ‚ÂAýᕞ«Ü†áÛ"n7¾·b+6èiÌ€%´7äiÕY4lÍy5N™I\©ÑÑ&’‰aI£¦ŸÉ»Na fp¿Œ‘ÂIpÖ0î¤ýR|2¹N÷È ÷òîÔ&Y½òŒOaâk\ÂI–œV²óätl5± Ðé=?2¾tæDÒ+}4eÈãI30{åÉÉä@™ƒeLf7m¯ÏÍÆê>_‚ØÂt¶wJ£  ×¥ÑжU¾@dC ¤ æ öEzëpëI¿ÍWý0@o*ÕŠ‰-ƒ —-ôu°Éþ4¥#šZãÒªg7¶ ŒhäÚ‰¨­,c^ëÜΩ|Î.ï²é°H!ñ°ÿéOg„‚ÓP±Lmêç¸Ó8em¼GB¡ê²ŠÀBÅ3Òc®7fõt«lµ¯I¾­æ3›ÿØ&§½ n ©?9µs·„we¹DõEÎ×zJE ¾Ó…Û¹Ã$ƒÿZªÉÕpÀ߆ÊzYåcÌEèÛýQŸ7X FŽ’P Vç6ÉE6ŠtÙ¼£™~G¯Ý3­sž@ÑâMlJÊñì[Å_™¢†k_ëhAÑÿ³šÑ˜Øæ"ÕžûÒKÓʪs^ˆ«ä°Aʆó7Ê. )6CZm†?Ì ì½åˆsìE\$`eÀÒßÜ S]MÓHo@$ØÜ"ÄB§k*…òBCÌá€(“Ü »ÁµXeÌV÷ô6BËg ì°%ë@"XFçä+°%ßÞBœ3ÿ¬PŽåÚŽRõãÐGB$÷ ff¸P?!´|u_rbáhtf€ó[‹¼Íý‰wé×é<¦‹±òyÄjÎÓƒ£ÈŸàÇòéG “©bccæÈäïÔ¸©,÷ä¾tE7ºÛ.±S]¾*,™Ã¨~)#°@¢l[¼˜vj̨ëWjH9ƒc£% $¦Lóx0ÕÌráé@üV wUK¹SœÍæ5U5$ '(7rd¹¸îZ1÷¤IíOHË­mie bPÕ½ëÁ ²0´ooIæõ?p“LÌ]¿‹È–ñ%뿪ÎU>‚O>äj¡ËòP b†Ó¹ce¿:¿!Ñבò-æ< ¡’¥‡éN=kÞ~ða‡BmTšQÔJÞ%LÑ;¢B3éL騕9!)¤öðlí4¤¡0xì£<4qÛ Ln1T颭LÃ\%Vq¹×u¥v'Å”8¶Pñ ËüÄUDÝ6ÿ›{¬¸ÒEÄ>Ät¿—µf‡<t!)I]SîWó$h"GYÖOº|…y€4"f )^ÀôXØÎ¥<òORd}MP½1i|#ë #ÌC6åÄù$UÃù9÷ʳ1pV¦' óŽ˜}9kƒ¸rJ"B•À*p¢½¤n¦vûŒB´v×P{g¡%œ9˜?…=ö³r‰ÁÓN€¸Î›“0cIÕ'AÃÁ—7‹%‡–|Óã 'ÊFö^ó ê/ |Rîßr 'lñ§eÉqnrZ²ð{(å‡Z Ã!­dÍ£G u‰öëEv×ÂÖ]ø¦5ÏtŠU­uuN!ZÍq«ˆwu«xH V‚nUgØ Rs@ÃéÇòv2Â÷ÐKÞõ:]S–"Ò¤'!Ž;ŸLȘö©¦ó`ûLë V yŠjJn ´dyëõ«s”Ýq7s]‚e" Ûõo ã˜Ð¸³ëÔ•#1š%OùåÁ ªg6ûÿ‹ï.^;n³d’uÌñƒjÝ1Ý]oOîUñð%’¤z Ãež‚N–/¿ÖüÌdù®¯^4ÑÍh¾õ¢ ŽhaÄ]ð@éú[Dã›rÿiÍç¡`’+;ï5z04 ‹%) Ô¿¬r,™MÄÀNUL”xd,-Iê¡%Œj…7S Ã70k|%ß–hÑzúÌ¢(˜Zõ³Tó˜.Ôu›y.U¾¬žÎ§sÒ&µ&*ìd—–QXH#ÄìL¤š #èâs²ÞŠ” Ã‚rÁ\ˆ¨ xF“îÍØ®ˆ.0‚“™üá>9pCþâ…èŸCrSØØRMôÃÖ-þhÆÊÓp1Sø\äVLwPE½Û¤ê•$‹ÉjgÙÞÐÀ‹æd=ZÇ IÀ_£ûõ=çWì~™u’Ø.\ää1½`º?‰"‡ tc.Ô05þXqr˜®ã:‚€[y¢®EiC0uà7éµÐezqývÖìþg{W;Má»ÈBk0xpAí}|ýªº1x5 ”±CŸ#KXø {¿hã”~õÕöðe™§|ّߨ1íˆÙ¡aÂû‚ö²aàiƒÞ%11OÙŒÀaÞM»—ŠÏUûÈdhý4© Ý2ày¾+dK’/Ó<°# %ybˆð÷ÌÎÇç®Põ\Èèá_gµðèFÐUÈ [S†IðqØÿÜ„gÕƒ5µ-§¬'òÝ7%Ó;ØÀx9´¥nt•×íp_ˆRÂw°ö:¼¯¼æf?‹!!ÛÔh‘7YdU-߃8‚×ÀZ¾x¯ÌšïáI¸È¤píîS²Ûë(Ê8°›%”Wæþ•,ÛìXúìN?7ßMS”‚Ç%¿™=Lè ýÚWðÓ¿Dù2°v]%R{!˜›ö¯Mº¿ÏçIºZ`–y ryh¡ù¿ÂošÄ†MÕÀæ‡^È¿>m¬t?ËÙ<xÀàD.SÉ}ªö¦tšè[ÕP$â¢n‰f %¼;ú50xã/_„™¿fX([òB×5Ô_™W_ —ƒã˜Oð* îÅà®`¸Fét仺dŸÕË"ŽÖ·‚{c&a:ÿy:_[ØïzWî@¼ÅסÌ}Ó9f5ÈUàlêrŽ`I"P"+YgÇê‚*KŒRã¾ Na-¾mõÇÝÀ½=î>e}Ù+ ª%áÎÅA·ÛInGC`éºë—æ õY“¾0¢¿Ð8dtb®@¦àU ­³R^d«|ô5œ KßÙw{@Ö¤j»OyæÓaeŸõaQœþ4¬˜››él%w £…wÃoóÇÃ~ž}ÙˆïÈ¿Çí>%Dœ¿¼Ã7äÜ .ÙBÏ££ûcÙ|žð¦Õ²«‹Á 1í”û]þ†å\§û» }>ïj ô·Ë¨-ê7ߨi ȹä}ç ßú<›]2l »öG'×å’ìÜà´cðÒêL²!r|FvtMwü‰H(&·â”30U\6_aÈD Ö¿Hâ/y($Ä–ãƒá‡(JôÆïºz#’J‰Ï N‡å—À¯û(eè(ÚüÊ-XO¿ò7ÿàòK5È‘æ–+wJ 7ˆ 1/=üÑ0¸ªD&$¢h¢¹õHäìÎLgɇ'¼£˜9E¹yZlÔatáx¹­‡ýÖ¨7~ù{ÚôÔkK®î®Õ~ìvTÿ:Ùæl¯ãðȺÂìë¯ã—/¾û|NG’ žxücï–çÇÝŸ’I= åÂ.O니Áco·Ž¸'{ã"¢9e+}@aj§8IoZƒ»V߬€ºÝg»w±ÜnŠ«Äª±^øM5iÞ„úQüG¤‡&##âÜN»A§û¶uןpÎà«arÛ±§–jãÞ>îÉž'¦e0¤_¡!ûþÊÚÀ­ JDyHÔŽd¥ZÁ*ÝOß§¡ü€±þ7ð|Ël¶_Af)^áÍnb;­ExS/ÅñJê3|›ÕûRk<îŽ&¼¼kÿ2¯9*ÿ²š7p• Ü“ÃéZl½üQÈÕº_Ƽ–šÉOP¹>Ž0§_,åPßðƒ1ÒdiIK0YÐó­móZÛbm³­£!Y¼Ù’Z6T>“^™%À×´üœ®žÞD­¬i_` ~[Å ¤&àDÊ6XCGbS.âGñ*Ò>52oôÔC kðL âéM€M·zÅ*ÉVßN>ÍêÉ©…¨$âõåZÜöâ´Gä»a¤‰ø:²MTxXªs›jí*®K4&Véã£Zij˜Ø¨ßt¤íJϰ–ô¡Ö¨áç‹MÍÂå€Û;nOL§%Îô¬.ÕàîæJ-¹ÑðnÐIînÙåüëXY]Dyei#ê‡w·Fe¼Šo–W”ð>é·xÌâ~¥ÀyÈ÷‰Œè8&ctÙº^x•î'E²è½X;¤€¢í‡H¸:"ñæÿ(h €‹#·V·ú ÀpL8Ƹ@:Á£|Xs:ez˜€#,)4tßàhD-©FDº± »ÕAÇJÛ¡H¢ÞF¤›\¸:hÒÓW–¦ãtÇù„h]‰ç§;ˆ•€¢ƒu´B¢}?t2E?—Ä€bA"Ì¢ñkêÔ†ÖoÆà2Ÿl=ˆÏcŸ†o¤ì]ä¶ÑŠ KS}¶œ³]™Ýµ•je£hîHàEη¦G+ÓŒÜò!Ñ9þ\ö1>±î=N˜"Á1"K ¨ƒ?G騭yqé‡?Ó´t¨hœŒ›O—T”»4 PIñx‘ÂSµ’ÈY hÑÖý§Yo¢õ}’»Ág›Aé œ¨Ø©‰È1„ËÂAgU–>­Rνõä+¢ˆƒU/ Ì@lçÂÊkͨ¦ž£àþ'Ñ¢š ÔÆj•!–~獵Ýcä:ׂ$q}ŽÛ"Wl¬3D—+“üûï° Cƒ$­ÆW£òFðo0Z›1ï`9-.Q•ºžm8hwQ–ö⛺/š$#ØÍp„Ðávì™›¬¶ -ö²Ù^ËeòHíF•¼ƒ|VTÍÃÓý#¯§U´LÍm1|¥yÖUóUöE*Kë<¨KcÅÆ0 ÞÝrµÓ+¥éÑŒ­a3*ôÄÌiòjæzì^) „!:Àû@_kQqÚ;¸ç!ÙT{Ü—Éûµ—‹Zhôô(h‚ÁVÀ<ûý+Pñýa»»tO°e±6ha=|:)a[‡ü*+üQèöÑ©€qñäªw ’nçº;¶Æz!§ÎûÊF#µñµÚèÞ`Yò:胿S^œm90ô @ê~§“×ýÞU;y™¼Hnî&ÝØNTÕdëf(‚–hvÏOÅ‚¯B8‡}‹#YŒñÝ`8þ=P©›îMÍ),Öy4•ÇN‰·Ã‘ÚÂ>Œz“.Å'&íwÒKŠL}Žò±,ëŸ!$¯dIm] ­îýõ‡×Çî i¤@|â8Ööx²õA,¹üîöòîc#üò¥$>!ˆ ‰ˆ"¤r²ä°]¯Óµšh\‘É´}ºÁå‚:°¸Ò‰ V1l½,i—¶ÞaŽ`%HŒ›Ì%£š»µnÆìôœ¹M…®w’Œ‡wê媽ÏûV§£–.tʼn¯~éAspÆy@oSýÅGeäÆÇZ!éz»ÒØc1©ôöÓÈ  Âs/7N×vd¹ W¼üxæ¶b¼zèMF¡¦¿!ÿú-]N,„W§ýÆ“36Q ½kù­ùySh¶EŽjò¬CƒQ œGùf/¹p¼…S£²»gÍ?+DècæBº=Œ„2(yÆÏ‘}ßÈ?j¿Y.Ôîˆ.à‘Öl:¹>Ëðð_:ñh÷ Ïž?–ð±+‘ÆF˜1)ƒ_à,Ôí“/D´€)S´"/ĥƑ¦² ŒæÛ4³;oª4*ýÄzʸ²ë°ËNG‰W\h-¸ÎÊ|%u%#òŒ* éPT3s¶Vá }ÓV Ûáê"¹­ÞRlNÂÊ›Ÿ¾´›qÕ½ @;` GU¸óÒ—‰šņ̖OøzéSñnÊB7â&ÏPíòKaíȤFŽehþœ¾Õ—ôÀæ€IÒé™Ço9b™Y¾ß˜Åù¤Ö÷È ŽY Ó¤òÀ÷]å•ðG&Aµ°I‚óv¡—R¬ªqÒQ©åÞ¾äÞ(µG×â>_º¿u3áe¶?‰&àsûÝý£"Ûû8ªØ€sÔvÖŽt:µN¤sqBæ·Á èXßÙÔR<3™i$‚ ²Q æ”@M!Ý·„¥ŒÊÍùß0´mºƒŽwõBíØNÙÓ…Ü‘Áòÿ¨¢ùqâv.>kœ=ûz~/çÅÜ/‘úlýú‡OÊaF[m×Âo 0€&»"bŸ8¦É"ý’,€B4çíùê?º£a=„S¥KJÀö” ýX¬¨Ñ3åXc^Åô™÷Ë{P[Q ócÚ\„Ïî Vé&ªrÑþš,Ù) 2[³Ž+Y`c”Ȭ) ÁqGȘجͳó/ʹªQF©Q+/(rƒ¶Y´}æp&,bÎvóKøp‚P–֨Ѩ%«é?žÌf>æÂ¨ÆQ¿k‰N"é ÞíĬ‹bT2ƒYÒ³qüļw~³Tjh#ÉG^çúèÀ{E=ÇÚ6kçãEá÷êµÌA8y ^%$öA*:_YIȡӯ‡@¶½šÖ(’Ÿ˜• |\ø ‹DKRO™×@,ÿS÷-ÙÀN Ki=SÕmF©Œ¯4aG>¦bÓá•â·P¼*_O`,ã¸=ä³…b¯F¸M2Xi•e«rxšëÅ20sê¨û¾´¸¦á”+¸Áp"ŽÂRQ¨IÚ8Û¸5}9E>ÔÁ tÐÏÛóTÝÖ‰åPùw²\$ È9úÛ*Ô®‚Å©7‰7ñ€ÈNHÓ–çN€â»ôêÝ£˜õ›ÃºVvtL7Ê’…Pñés§+ƒhBq`Š×øGCùùC-ÒXÒªIÜtyût³×€÷i¾h xnd‰èŒ>±_°Sú=S)Ñ%³Ã Éšño.É4 d ä"o4ñA½ˆ¢_¬åßàMf™GÜe,GUv@g]5.úmZ­5V?GyòÌ()>´ÏÊOû ®½žFoø#¤'Ma‚È_/é%û5°•õ®²ëÝI2|—ô{ƒîàî¦zÿ£÷¯†µ—LÆ;.;-B>\Ôø.e3Bå>±,Æä¸à½üwžH¼¥”}ü®º®¤ØaêOñ ‡¨­ô1œ_Itƒ˜ïSÌ(Gµe­8ø™à3½ÂŸß94¨„ØÉæð<¥š¾÷ ÷…£Ö”—·£áµdf 1ìòÖSTE€|ÕI ˜“ävü®5êv"ˆ3mìúÂz¢tWÕG`n„8g~oˆô”jï¡`Õq³Ô 6³‰Íg6dP{LôbO·7Æí‚#DjÂÐSÁb=f‡ÕsÔ°!(§êÏjËÔÆÇY ØŒeØÅ˲#» ìS9óµvëvÛ4„kÀý’zC]SOH¬'€QÿòÊéëKþKÌ]…]¬ 6öˆÛùв—Õï„›(©àçYHãñSCØ)èåœÛÑÕþ6Êžûh—f×Ò-7»¯.]† ¿­+ª Ùš?Û‹-P?Î>Ù2x$ÜÁNtmélIQÝWÝ8ÇØéôgÉU¯5n0Ü À5gK4-{ŽHo(I¦»õ1“ïÝUÿÇÛÉÈ­©˜ ¡+±èÐú³8ûjÈ‹cOôЬrd ELpÔ‰Fª<µ€ðB‡k™€°ÕªCøî£“ŠÐ±§…@Åv†‹MÞÀõ*£¥è›·Zý8/VfKż·&,c•2›µì»“ÛÖu¤wÝÜlVð³h¦™yåC¶DîC“Tõ¬|m52ðýZƒf<Ž»£÷½v×ktQS¬Á Z 4›ÍÑTÅxÂ)üP“‘hòH ¬éÚÍ8™ônºI§÷ö-,ä%[¨­>Ät®¬Óåþqî—³¼€†twe ¿?ÎwD*éîŸXIÂ@€ ýBFi#)°ôÁ«z“ñ±œÑ¸;1?NºÕzoÕÙ;9a’>{sÖŒ¦îîy¬ƒîØ®`^["ºŠP]¨=ö)¬Q5õã'ãÿpjS©±ùÉÃà×fgë1xŸýµr9} ­È2޼!ªÜT¯ŒYË*~·H*@¤¨Dü–œ†Ôp …zàüæi©‰ƒgGnî×!ÓhM«á×8ñÆ'ÔïRŠ¥(¿†J¨m†LÔP³GO9 µµ<Å&åÒ86CûÃÁursןúõx_/I—&bùÔ^ÊCD{YM3ýÖg—¯Ÿ{›#IÝ_´ø Æûò¸€lFU-DfE Ï(Ç‹ëé¬<. . ÈV{ê+Ñ«záDùÔ‹ƒõ¤¹2Òk©A2³Æ“ ! K\NM6pÿe9K F!rðeýÑ,ç:ZÅFA3Ñú •Û Ä~XÉH ªŸíÛ»ü}Ar=¸c ©­!‹ã8ʉÁê? =J%]$F¨â;Í-X\¸j@˜ ³­‚1Ý<ŇÇÙ§k¦ôK‰ý<*¾µú I#+ƒ Ã7­½›»ûiÃ)=.SÊ)g¹Ó”Œ{赜}:kÆg7ðŸë3V~ªM[ÃicB†ñé;®‰Rï3Ý:o-Xïrœ½%„U]qn|* ‹´4‡C ‹&¡¥¥ö ‹5¬68ÆeÜ’9QîD5ÒÐÔáÄLí¤Q“©Å°£ÉáŽâÕõ 0àþÓrµ©œ¬ÞðTÖQ†E:¥ŒàcDbsõÙ‹ˆ!vÚ^5H0ô1Ýèc'3Ì^ý†ŸÒ½G˜sôeÃBÈïÀï ü; }Éð¸€?1À0=1žQ ³5Ü·@ðaê\åaú@ׄӃ·=‹g>—G¨áÂe[3mä ²K?í..%“‚‹ºh;”× êG“'âjzÀšŒâO¦èó犰µJ¼‚¸ç) Ø ˆrPáâ虦MƒÖ&VÞ)’cB|2]-.ó<É·p"˜j}Ĉ':Œ–“^J}ÿxÈÑŸäŠpØQ¡>"jS5Ï7çŘÚ¤]rŒ¢¨_|9–GÀÆõáÕ´›Üs³y‘­8956» ¿ê——ò"ó8D¬Uq¥TW!Tò ›¹‡…/ 9…3 \ª$Kj‰’j{ç0å |1eAÅYžFŽÖëd³ˆ¦±màÕ‹xJ™QÎnù¾ ˜åƒÀÖâ#½h…bwÀ¨ù03 %t’³<—â{ŽêÈC×g.Ð&´S‰Øz,Åd¯ûÐ `—4R5ê½-Ð.ïI=KÚà\Ñ$ö(FÜkŸÍmëa'Ô‚x§ ±ŒaÍÉ–Ñtî3z~¿w5æ#uºBªð½©ì' `’5õYüÃE¡%;\ˉr xÏe4‹çAIëmkÔŽLa«Û’Þ$0?_! r¹ÍÏó‡åùr·üúúHÌí g"ùû %·d)¨Àå^Øòì'ÅcÔçú=e»boë>U³¶\õ®K‹€ÍS¸—°)ÖVSEû?œß:Ãú˜å{[â‰nÝOGÞ­<a׸û¹Žr¿¥Î>RSÝVu1–ÊZ0â9V§U[7ãq²Âÿø?FçùþiT/ ,­Ö`Ü‹Ûú„(ÞÔÜÇqï,‡ŽÝ ¤Z¨U+´P£ötáµëÏ.J®Ó ~“,ÖûÜ)Ôp±…âÒþKðJ’!y'F@§»ÜÌÈj4=¥ JùÓ ì jÇ”päôKA'uˆÏÓ5J?›'+ä]mÆU¢jŽJJÅh¬ ¡¸ë ãã'li˸p£¹i)†Jµ§Êçø_áVn Þ•/…¥…5m`5jjïü¯S[dž¡)G®ÐÛÞÇ›î± öþ U(8ÏõçS)§hNÕ~ƒÖ+E_À¡~M©?×(¬|$ìÖîw[£¤3¼»êwµ-eØÐˆtgãÙŠÍ8q¡ìx|Ûtº¨ÕAT2[MÔéõ¸œ=ªFð-­kõ†Ì•$%¾WÞý’5þÒ8± Þ¸¥ž©“\·E™½Ú&˜ ªÆI¯É›upØí{€³òÀÅD­Ð?ÆñM6‡HäLY‹{Ú¶q.l·³×¯Î‰Î[qQ_Ô/¢§šš PŸ ¥à²q¢{a ‹˜œR†}V!T Èሰ?/çT/l1Øx§‹ê:}< ¤ë_Q¿ÀTl~¯Œ]NÅ6†q87ÌÕF§î}qºrg€läm‹TäùϦ|üÕ-Óôq+:h‰ö1nѤÄɨEZîÅÄHxÚå€ylj„2@–¨#]ò¯X̱ÀîVɪa£Û&@9ZêO|kÓî£gÞIiµ 'PÖ~PƒàkWqÕÑ åÆ&·Îà« ý$cŸk»þ÷—YN>€ûUGe vsG0äXPoÒpmP•“ÖÙWÃó/G½ ŠÈ®}•-ë¯É’´îÉqyÙ¸ˆy5uf0/Žd€ïÊÜF®›1ÿq7`ò Nû Αõ:Æ`¨üÃQ¿ÓŒ±ÙÎÝÍíqGÚôLw‰ûB~2DÐñþÿó,²þñ1Kƒ¦³*gòÌš‘~ñM9ü‚,¬ CMͤz”ù.ºE<¬Ö”œÉòG$ö¬“?­!´¦‚×sÝ^k2¼éµ˜ý¾šé-2-¸ p´Q¢¦¬ØñM ‰é )EsVó±$NT¸Γn§r;@ÓÚ uK›i±Î§B»1"íFÍØÈ ÓÝnút$"Uˆ¢·Z8éòáqÏq¶á’&³FáwÝÞõ»ITßhû½áÿ–QÆz-x'²èÍü <uj0oiôN„SõÝå ´d ?Öj…iHð·"K‰{qš¬-7¿Lxùn3ÏDÉ•‘N$‘Í™?.Ê’¬ÍjøµyÍbÒ4¬ZMâ‹]{Ñ©{5¤"¬Üb/ׂ$7õ ž×Dà'7”…¯¦Ÿ)êpÞ‰%ï‰jàƒÀ›ˆ(€ÓìA̵í*[ˆ¸ÕÃÔÔ‡ÃAÿ'µE_Ïxеp9 ç'tR›æß#Þ›§Ðó€$¢3»¸ÀûÁ­ ÷êdT]È^ŸÚ†—÷˽†hzë?m…Qê_z’]¸È1MÃ/ÁZÖô±ccGƒd7£ÐkÒWÃNÄÒ³Ã1/ßxÃàÝ‘7©Þˆqƒâî²@_‡Y¸ÿ~Xªáå\ègVAâºPµîf÷«O"üÚ4šêx ®iî* ø]S¯ºî’Á6jPßÌÐhq?:I”Qš(R=cµ`Oyñ­wåru³#w^)°¤µ½X Îdæ FC7ÃkÆë“+s¤@0Ï¿^nX*lŒtdFç…C)ˆÊä˜( ¿ƒ©JÞ´Ý0߈†Ã©Áeâ}qÓr¸°DS€˜$ÌmrŒååYŒ(r´=eÝfT$\qžÎ²©˜§ŠN{!DËŒ¡4*É*šq%PÞg@&\[…êil#ãÌ ›n`·“}«ïðl†çÂ,ŒBëï¥E!¶‡Ý6cŽ\´ùSÄ™@‹DÍõÑÿ 8ðH:"gO5epgA›·rxîža ‘è¨F#,X§9ýûøUyÍðÜÛ'n_Ýíî-’+¾k :ýÞ@Þ/d@=yj›šÕ´†‹’ÉÂÃ"IÔ…öO×𰼑6¹cÖäÖÍH~ª¯¥äèsX×è(Á \‚ž_÷œ uI³ÎÞNFï‘ÓÓ$âºå^,’{ŸÊ#ÝŒw7ÊNÖš£I¯CÛ³C‰->0{"?»ÛAë–’lѱ¦4¹G#« 6?±›ö½z'øêô»ºæüF¼.y0¦+’4¬·üŽø I•?Ÿˆ&G>tüù‹¯Æ’cÏÏ5¾Ñuºo“ÇL·îÍ…zT!½‰™vyj¶[5Åõmö‘äqj#‹ò_yHäM/nwÛ¨gvŸgs:p!-²l£ÎG‡Ð¿!³Dÿ¢#SuIÿôo'0BßP§áßd\ñUä·ŸBŒúS25kÈÄk›ñúÓ‹gü4@³±q]å-ø]à&Tæüo_1¢ Ý7.èœ".©šÌÝ­›¤X–2ä6°Æ®úf=ïÔ è¨c‘Õa³„1gXttÕùpÝnh¬‚ÆjÃ/^³båðHª"ŽLŽy†ÞfñDø°pyã"a[¬Lý„Ã@$Y…US»jáüˆ¥æÚL§(¢úFj6Á+ÃU4¾ð‚›q±P݉ˆ7# éf«_Ë­U)”WŽßî¼°¹æ(ÓZK]“7د7$ ÄÁ1õ8©”í‘F­ìJ™–úwìÒIIh¸7qdÁ•é¢Ùò@¡à›!OÏJ¥©M daaý–™¨Ã\Yê¬ÄäùŽL6r+KîxªgÅf·åŸB Â!WPw™4p¼3‡ªœÃgÛV!g0|>–þå̉® 6Ä,’Ç­àšDÀšI˜{«Æ]šÎ{ºÒ"ÑZo¿òjØŠ¡¼Òy^:KŸQšt{7~— `j0{M#Ý1!ØÃ&É6&^ÒotUû¼< ¿°ñ3m]ۇè3W𜈛ôZ-4Ž>OÜÇô©Ž»Î·éL½¡ãžæNõFµtd‘«+NNoOPÔ >ë€3ùÒ,Ì _}…:䙌ÕÊ”':Ì!|Šã Á_Ô¢* Ñhä¸r–í “á¡ï}–PHSF±ìQ âëRpœ¸ˆßdNøI=”^§³V$„(ù­õxÃvÈš‘ù¤”„©¹XæŒíÄI£Ò’>A\Ÿùˆí¢¼·&#=°Ùµ.”àö²Ú͘?«ÌÅo³ŠäÕ û_ð§Ò`Y@æ2¾ [Ð °š Xdž4/÷µ’L·Î¡3nKYµín\dzîkT LA1úT¤FL!2ͱ”‡ü[“ž Tã‹2…ÁO7Â[ç¥e)#>¼âéþ|§X³D ž=LFu-zÄÜe˜Ðd‡Ý¨l–óƒV»ŸŒ'ÃQ7u¯ÇÍ(a•q×è\.’ r½q™J9¨Qh{xû“³‚ÈÁlûT¯(iÃHØ¥‰²ÒýÍ;œ|!nÔ½í·Ú]À.rµý¿ßõÔó|h; Æéƒ$Þ8¸Æb“ÌâÂ÷ °‹ÂèbÅ™U‚ª­Ûž:RP%Ir~:Ý7AßáóÞ\/ÄSµà-Ç“ŽÞRR{%SôÁ^”í ícÄfEWî«:F=ǼªÂoÝ8êÿ9`þOî®®†£Újð)œ»¥„À|½½…÷LùK”ݽ¹¼‰ž§îs;b]ÍxÃ.a>s天{&’1?Óì*to‹œí(#Níþ]§«F°Óï]5*߭敚ñÿ“{iøÇ"#ÉF·©­ÜCu¦{¶”ÞÃ,)»’ü#$¥º.cƒzdדªƒRVÿ•ÞɼUÙœy3ŽüÛéo"®·ßuÛ?â~¬Aƒ Pб-ÆÚR>V1¨ ÷|@¼&Ç1ª¦–µ,ûíÀ4Er^,½¥$2ÒôÎ3„è2.|º™®ž Ø§Žq4 ¹ EZ–­ˆ Ef‹Øk¼ÉιªT‚E6È}…ûÇÔåS*ÁÅz¡óeQ˜•­P溈p1{3ªÝÀ%¦8FfœVÚÉÒvaŒF:Ú©íÕ¢  vÞ"x¶¹I;ñµ‹Òf:K\r+gšÌhäû–j³0lD¤á}2·ÍÉŽcîí­™˜N&ãÇH“Ss#ˆ¹Z2’T>åx%Qæ+˜"h´s®ÌF%¾ï°ÿÅô¼¿Pñ—–6Ç1e$5¦MÌjmÓ˜ƒ>»‡:­ÒB›‡&^.áýD#Î_hD½®/¹÷m%án-!œº¨bÅÒ4dÅÎÔ'ÍžÀôV5Ô‚´½K½Ï7Ç]í?—v‘7éà¶ÏW»š »µ+£n]>,Ä_Ráµîª©š_æ> <ªÁR1d¿j°7¢8« qcå…ÚÁŒk$œ™×¨|Ž.Ü¥²la~dÃióÒwDråºYöZÿAo^D¢øäøª N?ý¾[Õ=aFë} d"¯¤(ÖL ¢~j™ãÕyBMXJŽõz9Ÿ«~X×úŽJß`ò~œ¸fÖ•äxþD5Ëì+ªý0Ï‘ü¢ ÿ®-þ1XÖ i•7ã~ktÝå¿datTñI½¨ÇùޱÃ× iÌ9NY/cy+0&äÍ<˜fÅ,hßÞ"Ü ÈÓ˜EÂÁ›_Ö,mð›t¥Fž%£x Ÿ-Iè=Pæþº}7I”+1êàjGÃᘖÆÍþ$Ú e…Ÿ,mZ›îq=AP Rót·€M_hÿ:C{Jí;Ý¥–=Ö(ÒÀmEò•A;:ëæâ èCœ&0U¦¢Y?ԸǦõ2ÌJ Õ8"§ùêÐ[0B»ƒöO.úÕ›£¦Nqž%j `!Áäf܆¶5FSÓÃÕÀ-¨±|abÄßá7×Èû O‡ÄÌwo´};Í™D PžÍH``D TÜ7 ñãz‘4ËÁeÙs²§Q_áùJÍ5¶h3 H@²ª¸´ël\Z‡-~|"bL±GrñÒî®îµÀ>Í ¯.lÆôÿ…cC4ì2wÏW‹ÙÚ0 ü Æ£ð ©2èé˜òÞúæOà œ÷/¹Â1¥D4µrj¯ÆWÆ¹Ú ž»Úͺ,ö¯vƒ»ï¼â1=äB‡Oµà§ýÍTãÝmq Y¹ppº7tTû –Uü³gø±sΩ(ļNØå#z°è›¶Å²íV-¿È*Þº<½j ÒšŒ[o»š&œ¥V¸-Àaz×zßM®îzý‰Z2Pˆ=µÚt¼«[©û¨¯ár"Ãó ìt4ŽF¹\Ø€ØZ0­ÏÀ𽤳‹uñ¥T'7c  êl³_1ÇÿUí ÅV£r®@žh•ÍzéJLB kл¹í#B¢Û)oÃÈg—Ѐ܆sýéúÀ7$g¹Í¶%m{h^ílk‹Ö!ø.~nÔÇ¿Z€ÏÖ:m¹:X¿~½‚çð±iøðÏ€ˆ?†XHð·$оÜ®!Ï‚‰RÕv"T…­ø.J¡b[_R<”_¨ÆÄ+(µàgl›ûmA >ßòC(}÷dÚŠÕ¦ÇÚ­ÑÄ-:U“.O×|½yýY\,l•Jh^ÉkT,y )¡¦ÈiôõU~—z<¦¾:z‘uœQMådº‹Ô†ˆˆúÄZŠPÀÌ'­gÕûº4íÇÛ6øcÏòËÀÀï‚°á¡ê‘²Š(…\Ï'£õŠg)3¿d»¨º¿´À!Ôö”Ï0 –eŸNÿÑuY¾÷.¬ÚÕ›?öóìËFqùZ`…êÖ¯,4èÿÜÚ¢íG䆳â9ÆD™+¶MÃK°|£cChx¿bD+H÷žéùž¸\Ó4ݳŒÎˆ#ãÛkZ×ãÛJ‰2À WnEí Úû…Qø-]âúP–dý[­Dmq:ü˜Ï SˆRÖ¨`× ³aÇßdÍŸäHöÁ*Γ¼„Ð~Ž>œ¤ñ‡¶D*ÖQÕR ¼ÇT[èÝ(í^ðqRû!Ó’¯½:"> ,|м#ã>Švø5n§­ë.j2hè¥Þ@íâ9<2laè†ÈD͕֊»Ý=‹cÂÖo¹µÏUò‘ÕÛõ㻹‡³µYŠêqmš¯>g$Y¢Oéûbtº árB©e=[e%œ)vãH+xO·½d8½’…#zæ™vBúW÷iÄ)Äxï\®ãrÊýúU @,I‹Õq·¸²]ý)¸ºP­©lŸEºKÕ1ƒe¶ááÿ嵆ˆÆJ,°€ ºÝr–77…´,0>oüo›7j2úÕÌÌc®P…´s-þ¼œbš+WFõ=ÐaÓÆ¼ülô×A¯Óƒ£=i¿t£VoÜmÏ3ÛÉ$KˆÜ %à»ï¡êG£;jR#LH]pÁzÉž<(z|Œ…9‡€g±¿î‹{}ø£±Oµ :«k5úÞ5¦a½w}u7†–ÞîÒT™¨n[ía§K!³º(iµÛÝÑpÇ|……H~ìÏ+µ—˜_í”ѬÈPŒÖÖqN·‰šPtÌOYMr2WfÔžˆÿ·¤t`±£NkÒBgÌÂÓàU˜“Þ8y{7h?« ºxÇÈJpCÓÊC*ÞO}¾›ƒGZH¼"œè ¢ì¡€?Ó©…ʨ½f°99bÏòŸúä ŠŠwôSÒ»Q¥ž£'VSà{ºg.±¦­_R+c/ÏÇ…áS6oã’Ç Š ]K· OboXx™M¼mFE¾{}7弑ľy÷J™ 6iŒ¼Éè'd-XWBµƒ —S APçpºZ V¤9¿‹äǹ$¿c‚ù1,eñÝ€ÿ‰õß Ü‹øEh ­ˆsãv¥ó3ÞcsI“Î’ˆ†ì6÷œ9Gæ @G–GôÞsºÞ 9²ØaÊlg·sô¦¶Ãþ\Ÿ±¥DoŸFu&Ï6‘M¯ŠC}lÒ7‚“j§x4h“N5?Ê R<…ÇT«y­.]š{…N ÊÕ;º|»øÂx§öF£×ëù¶«Œºã»1‡u”ö]N2•ªjÍÞD»*¬ãªö~ì‚Òô!iƒÚ¾u1/ѽuÕ1ß%Ųßý#Þh@Àúº VHV@»%¢Ñ#õˆ•z5#£:^H €¸‘Wí^mpÜ´”òNÝœ“ ø7@k•Õ‚£êüyõÓ %߈û”ê¢ø ‘Dm"D½Ö—éE3²úb9—%åF« nn'Ufßj“R¸*  ûl¿ÏÖoi¶Vîsº» â‹ €Xõ[¼!Ú‰‚HuBÀ—$É+©ª‡VV˜‘}IÞÞÞ ‰ªäêîcx¼~ŶI oË[užM²íp1f°LÁÑŠ„â%»WÞ•óØ¥Ý+Ðÿ¶ÿÈ=6ŸQîÙÒ¿òžçèÝ€½‡I(ätÀØâóônF)2É·±Y×D¾°&ï°eŠVµ[±u\9ò'œ²åƒÒ±¼þ¸å^N×óׯ ï>¯ûËû™ì Ó7«ÉøÈJ‘÷‡‡ ë©2QÀ U~„Ñ÷`ËH…IBÖwI4à:`ùKæ–a@¨\˜ZÅv“î`¥†B8b«éœ¼wI˜>´9Vaávƒ’ÚÞã­{÷<‰2·x“?¬zë·­$Qû(úk)H…Eò`åÞ°y“¼ï\á²Z,©\ç˜Ñûe€ø­NopÍ[ ˜‡_n"MR©óØN\)KtbQ~ùQ{¨T|T~þì æ§.…Á8z•7H°p]†sHm¨ó§Ê­ ×°Î!‰pò¥ùÂßq[Âõ*ü®pÒ;ã^I3ä³âhàNš8¥¤ÃÏ¿¿LÔ¨}‹±eíÄ$_¤Ï&³sÂ)D€Ôª­„NoܾïŽ~*¡Ô†™¤ *|·>ènZ«ˆ!3j/C#¤ N‹ûIÒÞ &ͨðù$ð[õŒHä§t:•t$>µ#'åx>ÕêìòÒÛ°ƒï⋎rn„L䈌rÖër s®¸ÞÃòö1Û¤—ËÛéüØ{-e:©ójTz‘P.¨îÁŸÇÚ{×½õÆÊ@}![E·ÙjIkÄuŒàƒŽðÜTo ëõ?% AÜß/M·¤L„nF—c»JùI/¹ žVšEè[tÛñ¦Kùi|ªÃu„¡Ûÿ9¢\ŽãD8‹-Èb¤ ê|r=Gm$°õÌ`™¡n2Y£ä«™ Ej“ävü½wjR¹;Õò>Å’Ê!šÏ¸v¾â%U£ä±ú`¾ª5"GŽø„ÔEq{ªÑ»*°Œm²^ÙEÄ5.¶ìe;OÞm^1v^ïøªK´·½,Àêœê‹µÀtJÄ Ž·ð ¼€îŽSh¾JˆÆ¨µt„i„¥{B³bðæ_Àˆêãlóߎ/¿÷ÓÝÓUµjSy|ÒÏê¦UÎ*¿ôôŽ4èõiûA*-µÛsIµ<ލ7ÔŠT¦”-ȿތJtpʇº´êF‚P†¾(´SèP¾?Üßg»MYOŠW8L´¥à ù”¹ðcÉ*—cêÓÓ²ÝAŠ:«Þ’,ÈñÝoAV¸ÓM:WÎÞ§›é¶š”ˆ@¡Ê) V"QZQ®ñäáèCk>":u¤¨g8Eåø Ž/äjÚÂAÝj'L+Ó»ª70ÿg <·Z Û±‰Á`µTóPà⡦.2GG¢ËÚjDÄøËH‹ÜÁë¾9pšá¤™g)¡^Y@ѲêG:ÚûLÙñ§åV;âØYõ궤|Ð _avÂ0áÕ¹×—÷jwYÎŽ†¦ôk½9Z®V>rÆÛê¦O!eB˜•(pç¸fÉcpØ þØÊªÞà1…/œ¯g¸ˆ”ÙB™“|ºHmhO-§=ð$œ„þ1ÙežD=uÃìòB ŽÔ °_Î É ÖÎ=J:­0x§a'ˆŸ#BŒG£Êj³ÐWÿ~×ý¤œ‡ñŽB †wiI„BzºTUà4PÄâyÅÇlžziÕ@ŸÖ>ƨG4ÈÑ¨Š›BüUHçÊ¡¤÷&2‡²Õ²-KÅú&Cʯ!*y Å´£ßÄqÂØS~Îê ßÔx1l(dÜA•@Ë|¥Ë\r©ÁÊfÄÿw‡”Ù(ƒS’‚A`–uêMt8¹SðÖ;«Õ&Âo)8!€ÛoÎqõÂC±­ìzY'ðèOùåQmuNÙÍ*Ë>¶.Ï¿ºpóÍØþr+²Ž_®)Ÿ ƺŽ–<2áçE ¶Ír (šå™ºŽHíÀES¦AM¤`Þº¦÷ó¡á@:’Pû‘öDƒ¶R îäF³`ä˜êíâ“Á›Ý©#vQ[¹0Ÿà=#õýS<Ó\ÐòÖý[ãWÁ£È<<˜jšâÚôñô`kà¹Ðí/_§ò ðøðçLÈÑÒÓ`‹µiíÌ(€ì8]±šOc~ÁöP^[ü•ÐöÇóRTìB½aj ~p‰gôª ÃßjHwÙ—9ÍÚ -ØÐA †Â|ø;òdOrD•'G…êŠß¾“:}8ðvM«–m|KÊàÒª«D».NÎ÷à…õFã*Å¡Ú rˆ"Ò¾8ËcSzAok»ß1æÑ-ð×NññÃÕ¦äâKx 6lnö̱d¯¤¶«5Õ˜¦þp¢GY³‹Ë7ÍPÔ’»‘©7³sdžj\²Æ;§ÏÉ»•XÊb¿Â‚´}¤:í©;µÆKbÎ)ðN~Q…f«µ˜ÝsKcÑ 1JaR‹«5wG¿ƒg2ƒ„¨r×IŸ CT¸<#s¹Æ¶v:ZÐTù˜,sE… Äwf~£›°ù ¢ÚœnZðà<0åh³”V/hS¸]5yQÔLõ¶Qg u/«ž6N^#À.µˆ\[à9œözyŒVÀÊÊ¿â~f?tJbC‡D½ýIjA^ªýì@ÃlµD…ËÆ¡P%À›¹®Ã$ydØPwƒ I5 ˆpÆb‘AwD•wê/(fX,¿>ïà‚ÛÇuÒ¹ÏJR„ÿ±É ùÒ:ür"šµ˜0‹©Ã¶´ 'µš–‘;Q¹;oø±bw¸ Áxl£ÖцĢÕB#†VÈbCV—¡‰ö&~Ô¿´éväCáo´½é¡ÚÜp9äQÕ#ÇáÐzød+L ‚Ô=WÅÕóŒÞ#Ñ%1m¾6N¦ŸS8+Aú/Û4 æ00j oh«TÌ=p¯ãì¡«Æéþ’Œå½yržJT‡ÀSƒóðϘ=g»‡@`‰ßÓ1 ³Z´%ÁNY}$¼œgS£¾é`i!IÈŸólK¿‚DÒ’UÏ™‡ß¿,¤åÃFGÃc^ÚÇcyó“.ô¤|(tMÌaÃ2N0HÃ@{Äuf›Ì½ÆÔiQÛÒmjE³:–ƒýŒ‰á-ä3§‡ØÍÊpb¶ð^ŒaÀ›Hg–ûjBãëæÊÚŠvÁñ¦ êª RD«fEö5埖:¡I‡Cf¤µŠ³Mmd‹Õô!§GÌyû¥ºaÌ…ðçu™èpº# CL[úfÕèuÌÁ×_@%-*ÉŸBç‚iä–L>¿.¯hÓD•iQ˜L§‘¿7&’ ­BÁÁ,¹A«ôÒ„*P{OîŠ2 Ô¼ Ó¨MlÊi´"‘š÷&íVoªÚ(L¯uèÇjy[DŽÛ‚ÇɃ¹zdÛÁBu Hñ ó/­3ÿÌ7U ½GŒÁ«é±.€³tÎL÷ >yº›=jI™ÇµlEí×blÞ€ñM)=>ÅNsSˆ‹¦K³Ä®Ϭ3)Úùq5ñ ‰ÂYÔlŒuÐMYÛqRP‚‹‰Í›Ì”:VZ7ê?O1øm<'•¥Q6ÁtŒÃœ<‹Ìæ@"'nÓK²1¦geèD<\ø÷‹èhÀ>¸¿XžN“ÙlœšÚ{KI½8ÐÏh¯ûeõÊz4L°˜_¹?QfP^qM¥ò´þ®!y!WäìÍ‚#æ­¦.Yûb­ɨ\4-ðŠ2è[EÎfš¾Boˆh é‚tSž^¬ù¿¡|$é ú½A÷ì8ÓýϵÅ {ETèínMvOön±¸ b‡X‚Tô’wŽÔ¡Rïô“Þ¤;‚šáÛwH‚±¿@«†ëS’Ò”“†QäC-MËj|‹Þöç4~Å–yÖ¹(KÕ(¦qùØdi5½ƒOø ©ÆŒdAéS«½…ƒ­ò„ÕòñêjµaB„ÿˆ’pZÀ¤5Êá‘"_&$¥¹c¬²šºÓËH'À ˆ Š?ÿëïJor«5ÀÀ‡î(æ éó¯I¾­7$øiZ¤¡=.ut—s(¨¶§©ü…–8”¿¨¯ù§˜«ÓLJMÜnÇ„t4Õ_áq®@Ûä‡^—2Ç%·ÉÏ`³¨"»|žË{“îÀNý’Ñ9¨ÜJÒWÛ‘=ÕÊ£€Ï°O¥éDºÉXªç %T»v¨âå™·´¬¼¨ŒÕŠÃLÎ(—,K'Üý™Ë<ÝGVÕ`Ÿ²AKëãÌ)BùWL[¶Oi!Ir/™C-¶ù¼añÝ]¾mÆ»åö2]n›ÑãYÍx¦þ·Pÿƒçêà†Bâ4I¶3Ã0ŸÓ®N]Jï·‘¡ž‡»±ôéµ’ì°oãðƒ-ü[É®áìÕÎ×Ê)~æü‰LZ³Z£ª–ßÿðºL¹l9H³ãd2 “]áNþrŸÇì0Ä^«Ïœ¹*éWÕíOBÿE.«A™» Còý¾hœ*$R1bY©¨ðÑ™*ˆA`‘^ü”¯ŠæašY¬ø%ªj†Võ¹2S0òuO;¸´)w‚_êrci¨my»½~åq]†Ø,ã6¤(•Eóþ&“îÇnÖ˜üûnÒõšÊò—‰®Y·à‘ÛÖµþ½ÆŠ"³f"jà§î¢´1óðÖS]; dŽgÒÈ' µK.ô\gHN~;PÛ"²’¾Äõš†‹Ö¬tdÔ`GrF¬¢yΚ™¦K|G`ŸD\’?­sï±6ò‘"Q§¦Îà n¥ßx@ùaYNþÌ©GáÜ j:'„{ÞëWç÷ ¬e!\ÚX„›#ì(%bW‰Ê’³Ú ‚ €ø1Q ô“ñO7ãz#¢(|≆5´fpÉ=ÜîøÄ@B ?ÿ²›’–PIe¨C†¯¶˜ z‚YéÓÚ î´!wëw’#ØMÎÂ$æ’Bíï bdšëîVâ™A@+&éæè^Mˆ Ìpî? \õl10(qY½É]·œ®Ðq¶R–eþ­Ú•EÅ Jà ·vªüÍ2=º}4Ò2(uB9p§Š”Y§7†8=ÀµýüÀ3¤Zxd˜m2ÊvËÈWJ¦~õN4œæñªæF­'r\~ôˆ’†ÖA½÷–HFkxs`ã ñMw>µéBþTŽxäºÀ¢=û‰ ›µ0b´l:¢°˜x@Ýžâä—==u~†ûS&ën¸:ùh€ñ;«â/ÊŸ“ûÛGãȬƒIËá7¾Áï_޳vàF¿èGŸ{¼×!7Bûy3ªÉ‚ûÀ5,vÓÁö|•¦ÛÚówúPÔò •÷pwu5 ì¡£žb‰8ö³7gL¿TZgê%“Çt—‹ð~-èyAÍ …P¬ü‰äå=KÎ\™dÒìãx8.n…{\Ú&ï^?†ßâ…Óu\G£'YM“ñðnÔîúõÝæ·z+n«¦þhxõ—qðþÙýÏvö¨Ñ™ybÖ†b>ÔïR㆓Í&®Jh¹2@2*š­²œ±|=èäLifßQyüPTˆÖd¤!‘UÛ[HW‘úš4²½¯RmÁ¥MI/N±êØ_Dý9º¢÷ ‚@¥+Üeñµ¬ÃÔÔ;5BlÀ˜3®äa ¡þ¸>j×%¹íŽnzãqo8piÝKÊjË®´Eì‘G½Xm9¦P\BäVÜ/Ôi9ðí:¿§EeŸáíÄú)¢$G ¸:¥ð`¿*8/žTìA(Kæ1Ý_@t…x„àÜqS,^•<©Å0V3 :2ÑZÎhwåßóyw3õ×ú;®Èž¥ö×Òs¼Ûp@¡dx ww[‹­ŸìÕÿ°-õºÕV÷éYÄ ª›Á °Zµ‚‡£Ôy&¨s[ïGTRS•uŹGçT4ƒüöj…ø.dTÙ:ÑIä 6ZÅaI˜¥=¼¹íõ+¤oX")îNý6›gˆéªË m5µl–V8Ó B×É—çÛÃñQH¿!vmDM³2Åjû8Õ‘ÈÆIŒ[rÆ•ýØ'X&½-õ½æ8‡¶tR²nåQŒOԋʱà2œ¥¦éºd±Œ¦3ȇsÂÅÞž\ÙüIOZ\¦Q­(F¢¹ÙFÍÕµZ h½ü<ý<ÕßMIÌ ¡Â›=Ó“:q¦v4&ôƒ¯¶ÙÆ@ƒÌBËÜdÝdøÌij H¢|hXXñn ö¡\¨:< Õ•N7¢|—«åd¬’"9%o<ש}P¾á5Cá[jÿNÃ'æ ôLPl~Ê·A±0ÿÃ<É·Žlë µd݃­¯ã`¶þ¦¯ú‚Ñm±š¡°‹îÓ˜˜Ä¡€µ›¸Õåük/ã„Ô"¦S³6œW´þ}£—vÊþDù<£Ö¨‡áўÆ¶¿K’–㥓îx2nÒÙQ’ëQëFE}JÔÀåÞOtx¶é_«üÖV§ÓK|©hÓmÆÁoÕC•_Úï¼í·®Ë.ítù¨;hã°’iè1B#Phõb5­æŒ•áî ™ÏâfêÝ©Lç`Äéó9Qò;",d£¥OáÿQjƒV‰ÌÜ{·ù²Ù;Ú êꆵÚÒç’b Ñ ÓŸèH¤ÚÀx¯óG kIÙflȨ”! bTéÐ]‘£2›öŽ]Û"Ó_šUª‡÷ÓÊJµ£‹øÄãO‚#uX®èºÇ&TAéNÕGÛ㨺»d?'ûõÖ¾þ¬Ø=úim‘ Kì}`Êú´Ó¼Ã‘Á]榧e‚Îè¿¡ÌèÕÝõuopxoã‹«¡r:>óý• Ë–*ÇàY¥g¼·;O9g:¡k+{â‘Ë[àÇ!ô&ÚóšVƒàÜ€,(¼F)£•Ợ%ϲ…û"5HœßÝ)SöÉN¡ÏK"Ý„Ã1¤üžcóžmsQqö8E¡' ¦º$.쨅2÷W["2@Øùs¬6dЙ{4?"|Hf·‹ÃŽk ßò˜Ü-§í!§Û5bMˆÒÉ<Ͼäñc–}ªþð:Á`TîæøáØÕi’.ÜoGÙÅî‘åÉÿú7-jAÂ*òÅ^ŸxcuCÛ¶¾)NHÆ?'Ýõ~ßéz5M¾LwósÝùÓ{"V¹Ý1Ac·9ÒŠ£ïg¬(TÙŠW÷ý‡Íi›·¶¦>Ý«…¼Ù*3"¬ú ü– \鄾BA¨ˆŒ 7þ5m`%‚¨Mãw›âg§ÐaÁ·†u GtË› IØ¿ð›¥Î‹Ÿ5Å3‰9|·éîòÿÏäÉüV÷@5}.IUò@"¿”ª~Ÿ¢¾k\ÒV̬r¸É@3êiÏuJ ت¸®88QÅàT$¶¿AF\R[Ÿ0‘ðM•ða=DÛï î>&R'¥°yø ³ƒÊËÜr¦V+Ôƒv—¤cË=ÙÈDuÁ«&ò„{(—Q¿È³ÃjJG¨3Š)Àù?¦+ÊÇÁÐ?ì¦ÛG¬(RÙ…êŠÛQ·ã•-'}¶Màe‰ùΟ0™B§Ýªó©ãÙD6åiÈ’\‰àyðºi¡îV*À†3˜q†¨…²‡ð´ÿ#[? Ã;. 3î'”ÔcœÜäÑASÊD<Í'Ÿ–:Ö®þÀ&"¾M–­“ÅÆÜCüÉéÍGC»4:y¡¯Ž‰ûx±u œO…×SZÍŸïóy‚¢8’˜ªù oÂlÄáM®Ó»N‰ñóˆJBxH/y ð¸¼9€ ²—3Ú܈ìY˵3y «¨g”Ÿ@˳’F¥Ïûìaót$š–ÆL–Ò0ŒM»Í>øÌ¹Zƒ üW[àNµ{;éˆwP‡Q›½A»×é&Þ¨Ûž !bCØòQ›ø•Hé<:äŒ(Šo¦³x8Ž?ú@MÌßVÞRGt# –þ@Ûæ"é_X$ç;– ª]ŽŠû½j¤w­qr{Ûv*à..."«Z]aeòEoûç¼K4‹ðÝ ÷ñ»ï¥uVr;#’ZûV2éß”M{ ¯|}ñøg|5ø‰úßl¿‚ xj”WãNÉ6‚>Úl{ê.ºDšÊkšêÕì¡ö ìÍê¶\fe0\uë¤Æ¤[Œl‹±i8+¾š-Ò]O7O̦bþ¶†,w$Ì(QÙ˜Êþ@¾Öm%-q.HUpaF¿ÕîÞt“¤Óíw±$C„æºëûén6§ Y †>¦ž>m²/è \e»ÈÀÆíßýΖ°~}ñòÅï.Êî8&Ã[¨Ó-Ï5µ~ro;ÝÌ–ª×Ñ{Ù.ÍŸçèÑ•mD¯Ë\¢)`‰#Öœk‚ï«ZñwºÊr{×퉖à'á·zŠöDñ¶Ü„v½F8í^‚Ï·¦•”1‘Ê­%T|2ÁŠàÚUgü¢V˜;ôá½Á¤;´úÉÛQ—È–ÔJ(R RZz÷?n” ¢{6–åÃ+o{ƒÞ^¼Z"ʨ¹8¤71š-S£Ù{[œ“]ƒoC„ê?š8Ê?4ó&PÊPÞzÅ€ØòÇr+©´Ýðªh#k(u™ÎâIÎö©-²yƒ… [C¨`I cÔŽŠ³ÕÜ%<­>f@mõ&Å´z“¦µÇtâÞÚqdHo UˆáB˜1«%r“ÖMçõ«Ä¢85¦ É~Ö,jg›{ƒ@$®ØW# âìH¾ ²‘É•òæ®G­[ÉÁ‚ÑhžqK„ð´dؠœEûæ˜) žv ‘“mC2ŒeX.„›1r$GuÔ³Ò 2ÐúUïšµq` Öû8ìaÏizŒ/ŽÝÕjùÉ/h꼉4WÆFŒ#ŽvÕ}Ê›Å&AIJægZîch8Æ&/´iYCòX3xUöÖaTBD©–uˆŠÝÇ>xfpl´¼Ï¹º-DAXw`wç§Aë¦×VNn«ƒ) uöN”}“´Ѱ×Á4•BØtš^º‚äßÔÀA¤FÇoÿPW¬äüoX¼ƒ‹e‰<~¬>DˆP“UaD hxW ªÔ†·ÉãsQí³lõ©DaCÞfÜmÚï0¸¸ÊD“ËXì ƒ:dë¯?¼6QÊcw¿'ÇøÝˆ’Ð÷~ïDlŽ>U»5hwûɸõ¶ýyî«è½M¨A¶Dœ’?J}¨å<})-£m '›ýcAd„ó\¯îH.­ ˆô‘Êñ¡‰Ùê^þKÛÇž•€››Ú°Ì±5}HÕQ—'°†IÊVj¦øáÅ¡"Ì œU6irL\í eއäIYÎ’ö&óS÷¿mGŒ\p©ËëæS+‡³ºOS Mcî1†RB&;:mßuÛ?Žïö!À»fM!J¿Ë¢òý­„Œ1†Gù¤ºo[w}Té ,”òñ ˆÛWTÉ#žþ=cyü)± hÊ ëœpó‡/_B˜" ¡‰ÝmLñàÜeæ3ãÿ Z2Se—<€<3Ù»?*¤[<Šþ…rÏÓœÕdŽÌ½Ð•Mç–Æ¸¥/}ÙÈyÍLPlFÿ¢ùÒÁ"àù}kŠ “T½º]¡­½£“Å'ɰß×± ^ÁÏíÊcÎaÆd ŸÃÎûÜ @T£ŽçÉsÙ˜’á½ê9w»ØBöó4:ó‚CKÞ?Dñçbê}“ÔP„]¤‡™d† MÿSS¿"üLRø²õ㯒¨´¯ÿéëçל½vœ ˆ”GÇ–gõ ÷çMRØ ³(ÉŸßìÑF½Ä¿¾ìñËzß zÀ8é¤^K‰‰ðað>ܯ¸$®‹üè‰Ô¨¤5û ¿1æÈȦ›Ïʇ$—ú')%‰Ñ_C…yÊ"¯ú³Uºy@“9TÜ!ã@îãywPŸÃÇ@M×ïuÑcÔ75r…NÊu÷¡ ÄZ{éXר\Õ@yÈ<3¦ù@µJ4þ¡fíjµÀ×PĤþpe*æ2ŽÁÔ^—²²UŽ!W€ÛTc_ü üZª70 :ñv—Aõ<ž0”:"¾R{Â'Ì 2®¬´´ÈZM £½ZäºÊ6t% ÕÖÚ’ZËùñmÎ"Ã&ÞºŽ&’µ»8Ø•¹]þ঱ґëŸÜ²›_y§v‹y›qˆþË-ú9 ÆFk©u"úŠ­$¬tFæQ÷º7žt ö¡‹ ¸úÓiŸéîŽ Kço‚Uë­º!÷·£POsÛźŒ÷’gÜ3¨ž;¶Æ€k7¢LÜÙ»áñƒ©ê±"‹µÏå”Ïø“ H3ýúôð®ÛjŠ¢?ý)þë¿^¼ÄòÑWƒ«?œ¿xyþÝ‹øO*&^‘›ø·ÛÛ›Ö5:þý |û8ßÍ”'G‘×p§H€îoÅ_‡Gü6Ìgf3 ³VïõþiŸæåA…Hõ*—[u„lk’o•I |ÒÏË\ÒýSL¿´‹‹`¸K©:ºs|aº«jh7KLÉóØî £Öpêòvé"UàÌÇ<p4™4ãÛ»þppÜNFŽú¤ ~t¾'èž–¹3ßYÒ¹)¨ÍE5 X®±¨ž—á»bºÿ°[îÓÓ=í?mÕŽáve9_šæË0°üH¶Ø«šúi-¼iyZ,–âðXpêMãmö%Ýg‹sõj"¬Ëà’XœØjŽ0£BuÛ½A§ûÑg í¡€3àƃR¯œÿSë\BMdR0'a}šbÇŽÈÓú©™nZ·É»Öø“Ã_bë§=â8hfØQVÛØš&ª€È™é<¬]¶}d!+<–k¿AO­Âæ Ä”<œâpo¸@0û Ö7»øË}(&(a}bñ´G Bvp}m£øQ/õxüQžÎÝýýFø‘èZÛƒ_¢Q€ s˜C.]!3K°Yü¦‡lœ·<dë(ùmÁ4óNhL÷%ýnkùe¼¶À;¸>Lw á\. +[ _6þŽÿöH¢€‚êˆÉv$£AƒK€«ÿoD®¬†·z÷ñ&¼®‚Ë)mabˆ >Éê>â˜h­ŽÞ ÄÀἈ¦ñüëÂQÊÆ½ÏöMJÝŸoø^ U£‘‰R=zôʤrñü­^Š_àÄÓ8Õ¹'¤9ùà ²³-¹×Ôþãá´Õf´nYcɽ½á‚ˆP ys:’£ò1âM¯ë¨PŒNC£\[(4.knQ¸3$ð%Âü`Æ Á@0T¥x(äUøj¨d%Œ -~Ì·À¦óœéK6úp…¢¦)*hi.G;4Ù2oE3œà„´§«Ùa…û E"!\‡q$.´™}ºÏö{eHQËļCCrμPs–¿Á‚%xXCWì,ˆbƒÄGñ½—x²aÏkÿ²­Å,£†«Ã/^Áóîˆ&G\—õ_:E ³”‹¡7i;Ë/ÃñOã‹HÚmÉ_>+#bú@_j¦‘;Žy`Úà/>UÖýî“ã)+o1‡ƒP}~4t¤©ËÄöL‹Ù"ÖÛÃ^Ëþâàk4¤ÜVJ9ιæ:À£Õÿy‘ë‰Ø|"—»0}©ò ­3½º ¿SFû&ƒ÷ž~¥Û}ìúƒÖ(~æás³í“QÝ€-¢†å5HÕ»Éû¼I¸\µÜâšÚæj9]&T'G¸Щ³ié8€s ‚l 7| x¯ÝÖ5”:*#“H_ ¹„ újmtáõîhÈàÖ ï®ßAÒe8ú©Ñ8õö#bþüÎÜÓ™ ;vþ¢Zaë4µ!#ä6èŽ 9b¦ö$éèä;Ëùê`Ú\ÓIMɇˆ q 1§-Å®„ I£:ƒd~Ë8C®‹¤Ó€\#±™C|âÞæ.ðƬÜsDÆóN¾ dôXEqð_x Øæ/ß¿„ü^–­Ôf¬œ2æèÒDâ7 BUx]ð‚xl$Êw rºKôQbÔJñŒÁŠƒ?¼á?6‡¤-½A ˜[0K%ºº*»•j3÷}2Uí~Á&‘ŪÏqKQççsh$;ì:å§püáeDç˜0›ã’/‚ó_ ÿjª¬ê匷`óqÓdkC3¹²Õ»ay–Äê©›À†ú‚ íqδ…欱ŸhÎt ïy÷²L‡øQä’šÙÂ8l®—U?’g³/±ßŒäP| ÂÃEúû=ýœÒäò*5v‹UöŶ Ù9žÏ«-K´Û{™WoÍö™2¿‡cÓ:÷ÀÇÀ>ï­Ð"]o.€ ñßI¤ßhTÉë$“Ý7b9ªÙ«5ÃTYFìëž ÿ€÷µÃŽ™2óµÇëŒ $¢…­FfÅbeÈ0Øsb·÷°»m ›ú2GŒ8ˆblàœûO}ªl£ÈLH¢Ã^,ò´ðhôÔ–·äéYŸushôPÖq»Õ' n(ÅÈ*8%íÆ¹I÷÷ùŠÂ%%å9‘IÇEk‚¢%æ~²ð¼Oáë`2”ÓéQN1…¹ ý:ñûF’péÁ£å1É`Ù»`/|Eóðšá/±æó2¥ä’Q&¹Oõ­)ü/QÈ„&¼Lg?,w©­ã9Oy.ûi,+ª¹D­)¨´ 6^5ø[>+¼ŸÑ§Ï"~ˆ:Õ¢b¡œ° eÿ…¬öŽÔ|(/UwðSÙM‰µ”ß6ËÞíÉéNœU€¼‡ è¿e…_ô‘ÕÜJ\òÜ(8KâÓgIž%ñ)³„üúònært<¸îá4Ì›­Ú nyTæ– n8±¥2÷èÖéö® [áüWûq¡SØÓQÅæ6µœ- Œ+ü½gÏýrÞ²¢C}¤ÜD'sïUžPØ£#Aûáñ:åä–RÓu_-kyŽ](–)YË€H:ßT?åQÅ |\^ÇÝþ)[±ãȆlpi™V@ç‚ÙþË3¶-á$œ]±¨4ŠãR“úsÙDm‚öwÐÞ¨tÊ,›NÉ2ûÓµ„½³4ªÿœB4ÍF,+®öû ‡ -5ñâRåÔ2Ïî³Èô&$ WÚÖ …§\ê¡1ÃŒt•+%WÙü*~_vˆ в’~—ü¢ÔË8öû2†´Š@=¹ó÷+6Q·Oðo4”@Ϭ׃4G¤µ€uO:ÔÏ{Þ'ux­²ü°“_?0ZµŠ îØå#ˆa 6¶%ÅÉ_ø¼´Áúà•ÿ û·€!Û«*°Éò+'Ä퇑N‹zð¶­Úµßg» nNæ@(Àœ¯o—›ù$Ûc6ˆws‡âŠ!‘ÈLƒá`’ܶFã.ñ憬ÁB(ß+…ê\]'ï:£qÒê÷ƒÑ}ó˜6 ˵_G3¥ÂºÀ¨80U‡ÙÔ£é”t«I¶›ËE”˜¨>J¨úç[мt+¢.Ï M7?¤ÊýŸÆ¡ç5#ºI¡|¤÷Óå*ªòªFìyALÕìxØozcà¨)åÕz=PÇbíæÒ…I®b‡¥p¹YÚ ½JJaÛQ¨ó¤ÔBó¤?‡,dÄúj{¸_-gU͘ .I×F¥µ_Ç%õ‚*öáÈÉ®|9!-ôëË{ÀêÀO?«×d¤ž«ì~Æ@;b-Rh„Ä+, •¡G’m17ïpgG7Œ=¹SùY²,çtë§d£Ô¼¿©“O_v¢Qd!tÊðV@1`¨&ð1$¢JæÐ“=áÌéã2L6S<9jì—l9êUµ‘­çÄA.žq¡ã賈-ÉÈ·$ùIN(-rR,Ž =ì´VÝšw(¹-ÜJð€ ¶EL‰ÞiWÝ8EŸrѦýМÇÏdê:VJ^žÕõ3Â*tI‘¦€nIJ§K²oïÆï .{ì!m¼¶C¶.ýñŒÎóýÓʶÜÏ’ä·ã^Ü ¾·\Ð P³“h,C@‹h‹.õܘ(jZE׃»¸]^üPÝ TS"Ý–è“ o´>g˹:’ï§«©:ÉæñýN Cº‡ƒè7ËÅùoÒUžªÿn檵{ »ËH-/oµT눌ʘÿ³Q¸4¼ùuLæÍ à¥Þ™J‹¹´qÁ%Pîù{o\¾÷Vå™Ô°©åœ?¢Œ*Fƒ³m£,(ïp5aUÔž3lî™êà4öf‘Ì ·ОãÅmq€$ ÃO‚d^bYåX]"êPK)=”…£ÜÏm*¹$UòÃOËî@ðq­+Pnà'já²À¡ŒŠHÑh,qΓ»q ̇ãÞÇW­¤3j½¼øî¸Sï_a;Âs€õD´˜¯@“#õ0 5&| ù ÅMZlò ôåÄ_I-cL³@úb¹VKŠ5ƒÊ~ÇY\þi¡ Ÿô~£m–£l˜¦È釆FŒÇ4«+—ïv>Èàû…ÀæÞ[¯ônÝŒArtùý¯›Ñt=ýªIÔÛY÷-CP…R|¢¼âSsIbîÄuù¡Ñz#ÎVR›æL¶@EN‹eºšƒÁ%Ñ_ó¾ +É©ï¦*”±(aør P½LëaˆÛ:†š÷ëåRðÒLmµyúðåpñþ¼Þ&÷‡EbwË«fëVM­i©åèXDº5°Õ YúcL}Zn+8 ߺ@¶S~ë€RRˆ`+ª ØÒÛ,VÅ¡|›A³®+˜S¦ŽØsÔ&“±Þ÷Õ®?rêP¿k”§Ð̰e N2¨ÝëZ„%rÜ=rÅÁsý’jb# ûb¦#ýx|à $Ü„\’Ì”hìR(–0mâ€Ú™”wˆâôй}¢=$0O3q¿ÑÈ9Ì¿ K[NsÍ(è®ÏÒ,ŒéCLË‘-åGTyã"'­YÛY^µ¬Ef Ç5ÜÏ$¬Žšörý}7Eís³jŽÞÑÍ3Öc½76³±ž`‡<5ͤS¯~5é@÷ÚÛ‘æx€ÆkÔ}ßU¦ÒíõRB¬|ÊdQK÷1ÍÓ<¨Þó®×éêë›DŽè5i™òHRhôœKÇE‘>à4¾K®4ýºíC!•  òS+°?QAÈ~‚wx(—MDTjFœJ†ÒœAiÑ8üXr0 åw«VVæåÔ_,ðÉWL+þ $…cËUôg§#qð@L„Ÿìt?Ìʵ‘ÞoNÈ uˆ&2òÉÖx¿[nãUJ¢Ç°+ìr¨Tð,8@í×Ýuz1fÁºþŸÿë„£K•è]No¥”™w÷V3ýF*”¯j¹íܸ éÐI7¹î¯Zýqnˆ`Š!ø$Ð"pè.çÐ`<Ý3ÓËþ„ÃQu ΤdÊõ©Ëá²tÑí×Ó¹U5¼Í>ØZè}„&NhAA z‘¯$?ödHÞ·úw]ל0l¼ä,ÏØÄÞRœGa²#¸–ÿõÕPÆ*Ä€>éý˜ê†~o@‰€i¬æú“&ñ×¾kÁ3Ù¢cíÇ*¯a…T )Lrz‡˜¥yW—¨gEÎǺ³KÌ* C+;ÅO×q]MÛQ (W'ï«ÙˈuV|«ìÁ¥ÓêM¼d êûŒ2øD¬¬öm¢ŒÍñ½5Þœ²Xà…"1”v‚;—œLõÊrù!Ù7pDA.V_Å`•vi 1%½ˆbü«´² ZË<2ˆš!úv¤<žä}wt5$ÐádŒb jŠ8Ü=G2/wêâ››Öm˜–µhÜZC“¶æ²_b(„Õm·?A(g»¦x5y®a3¤•<é«£¥–õ‘²c‡˜w 0yÐ=¯„¤`3±zƒæ±o KóÀ7…]“ù›*S¤érêN^A" &QµA^pEŠX¹A^töJ­ÑꟖ׻=ŠÒ¢H×#p^¥¿†gÕ Àÿ¢I[4߃öµp‹JÖÛ‰®·/)³ÎràyBÒ×ýôÁÈ_¼1ö ±(ÕìnWsSÕ¹oÞùÙ°’t—daÕ¢Oé0ñãm¡+ñÃ*»—ôf…š’íÓܬ+,¦ú)¹ŽœÊ‘ź†v¤ ë—iþ¬‘äT3–Lç¿–éþ„eEvj²_o%ã|x7²ÇkiÔÜAóX+"C¤0«vÑ.êÛ£8ñ|¹X¤Ì\ï™ Ÿ÷ÞyÒ°I×Á2&=éhºyZúŒW;ªÊ”˜®¾LŸr=ò5ò%ACcêÆTB¿p©l€¦„ —L7c?‚šÄ4·óJê®)mt›ÂÍ–XË‹å)§6˜–©œq`S>Ö²ðÓd'ø‚ š÷¯VòAY©öôZöéW¬vžmö§±!ƒ¡Ôï$Fh+Y|¾²é¿ ÕZ|Ö?Ã|ÒY笡ù~£RÇ;z›»ñÓ{ ç;êvºo•ßI:}€8ˆÐø"¦Ë"3`^l(I`æbñÿ ¦-0°O‘9I²ñºäˆ"¦jG>í˜I6ir+k^í»9+:»Ò†v©Ea’ sªQ(‚€‘IÞÞ ÚÍx¹ø§ÃÓ‰?èôás'üýÝŒ¥&’¬BÈ >l–ê@ÁQÌcãºJ0žšOÞâWÞk¶`¶eB†¨)ŠˆÑ›u¼Ï<;(“ìþbžGÔ;÷„·YUýÈêj.¡È$áCõ«yгh¹†¹£/æÞ Sru÷ÁOM\[¨V¦Î¾‚ operSÌðÒ6Ë šœhXÕXe1ü[ùFrŠbܽÛŽzì"oìJ÷‚búÖ¼)×(ÕÍЃD™©§rxVƒŠ9…]„¦s3–”žÅü1 7é‘“ú¹Sà–Ü‘ô¸›“Ä=µÄ)f$¡xbú€™€€jûu m e2îöšáWýx'2$ƒ7Q¶òÐP‚àçùͬÎß ßø~}A?§¿¾€‹«“&ì±±-áÞ¾R;4K<::ó« ›Ò¤"OÈüEGÍ>í9•§(„ƒdÑ}ÞÇOéÞ·ÐmˆÑ?’Z«NgjCí´¤gYòÖäñÝ$;þËù<ÝhfÅ¢Œµ“ÁÆXÊFÈ!”mˆå˜Í^ó2#…€ÃfÂ"R=¼6Uqi(&pÄíwk6ænZ°ëCŽ\È¡Qxs>Õ|åÑÊ3»hd0ˆRœîÐc0  5©Ôtߦ;’¥¦ÚpoÍߨjTQ¢>W÷¾*³·Žxž¥©içwbE& ™¼ Ò[§ÇqQ˜ê"\sŸL)É æ±)¬YcÈ™“µHeâ{Âðj.p¼G6Bõ¸ùl·¼O1ù–,6yuäè-»êM«i‘ÎûËͧN®I~¹Õòs÷:‰`l+ù­?¾"\Ûöw„ÔV§”ÿmú…°µedÅÕØzYº7D TN¸>_­œP™-c{rîŠÊuÍéæ?Áz›íƨM2Äèoƒvz"ÇÃùŠ ßP*ùŽ<4'¤‡1AV^óQxÍ£‘¦œ#(L¸½²¡0–xá•å>!ž ÝT³ æ~8Ö6ª%[º/™­Ð'¸X CÏCƒu´ 8šÚaw8²ÏAÊ«µþýÔ½|š?mfH"³}ÜÖÖ™´à7 †rYl…ÐÅ `-JÝnePVƒÅçû_€pYñçóTÍÍGKgcät9!c|Ke꣋¼ñüº±?r(-/WþxRF~¢QÍ6$Ï«™T53‹˜ Z~›çŠI×Õ•c*ø}ÝÿLÑÊ%ô ,x:Hà7õFÜe«½!$ØŸ™8D8i_¢|7Mþº±ÇžïX8ËÐÓgèðmŒ!%#z£º»Ãæ©îV° ‡ßvÌ3¶A×Õ A@£¸úUC;på³¾dRh]¬_I·fý Ì"X^@@Æú®ýW—êh~¼ ƒõòü„” …_ìÿŸì>Ïà+ü•sÃ×Ù–ê ƒ_懇é.ü•í‹Ùª*'aóÌQ/P¶š: —ûúù  ËÀH¡F5Ó@: :X€%(oP“KIRÙÆàÀ‰‰m²óla,ÁUXX®V ª.dr§´áœ•Y8:¶ª(I †&IÀç!©ô*ý†cõmTjâò!5ïôºÝŽìhÖaâ-b¯|ñô{$Œ›2¡…éA2 â˜îe®ÂÞ~M÷÷~öðv‰ °{÷4ã®ó%‘mKÁÂUvFŸZ¹i£aÒéê]¿ú[ÃC 0H ÕîÛê hÝ¼í·®ÇñŸâóžš÷èìÈEg%—½Õ¨ q] ð³þg.Iµ¿t”Kßs<é¨uqc«ˆÑ›WCQ%´ w¥Ö-‚çÑYr扆Kƒ÷·%ˆ%^›á—×P,h‘úe^2×òewª1epì°¦³§1¶Â’–˜^¤›C­¦I§ywgÿ½ÐÙz£ŠeëYÙµÐ@Ü„ P˜È¢Ò ø-Œ1a†fÈÕʤT:’Ê„yY¦ŠênÛ#·.Žá‘ìIX) ¥Y)Æ€. Ì›UžQŸSL‹F…êeÙ—ð¦ÂrÛÇΙÀ§[]mnTtM"æŠÜx=ç γ›ÛµŠæŠÇçFäk•R¥¶ñûSü'Ü6ê“ïÑ[ˆÑý6G*ëNžÚìåu-N ýC<ŠK1¸¿ƒ£¸ØP¶ߨŽð)\S‡ãt¯Ö> ŽéÈ6‡ÅÙy¤jºnN^ƒ- ÿ©—ZTØãhÍYâ u×Âoœsgþ³Q³Ç±sÙNl‡?ø÷»^ûGw?q°hup]ÕÎ;5›è®bºt›å¯”²Üe¸¨¼Xæ„àiµýÁ.ðhH’³ã¶ÆÛ^¿›´&“QïênÒMÃÑM«V)ý~ < t¬,Õ¨ÌA–,ùÕ!-?5xèiÃAˆ©ÿÜgº:ÏŽú‹ÂÉ¿H¿¦«ìR2ê/5@ðÇEá¢×ÞÑ_üÖåu«xbªQR÷ö$a  ²àæ¬,ÑR|À¯ÞÐAªû&~騵â—~ _ ¯ywHeÛ©=„µûõëWS¤¯'ú©ÛXI˜…>‘;Z‹\}@ÞèîÁj;Ö]˜j{Rn€ò$—I־ݥ)8{à€Rå8@A÷PÇ%+'¨å3OY¢“SǘÒs3¨´Ét4ÇÑ®Òéngž¹Øˆ: îGBŽšPóÆæþBã›àMèß’ÛL—?~4ŸkB9¨†ŠŠ2 ‘÷KºÖ»E,8 Á™ÒŠÎ. ó«dÔí&£Ö`Íl³\Íqí[»b’Ê+9}ª ™nêÖEòhžF¸û.nÆ[8x2Ôœ GH†Ã™¬Íª·áÎÕKÏ>¤ÌÃ;;„‰ÕæJéÅe4‹. Éêr› Š*_YM·7É»ÞUw4hMº1¶uÓŒ|ïap­òàÙ»°Ÿ4Ân –ÇÛØ´XÇÁ€µ_Èj¿  ±ä,ÚrÁAõ¹Äq¡©¥€ŽÏˆ!­ž¢:®ý¥ê ®‡ÚvpBÄ2ÃU ëìx2ÈIÒþéšm‚î˜þþñ¤LÅ%r¥‰¤ì@ÍÄ{˜ÂjÙkáÂS—±šÇê¦7À1ºi} d«]øŸû2ÀÒÕµÚ¯‰‡-àæwÔ¦CˆœÃ½²áιÊ#nöÂúȯn2a)†$!„´ÞªIìG0`Û%‰ P½œ !åÞ BÍ_[WÏi˜g¬až‚ò ž.^¿bFéïòh—¢BEÿ¿nÿ…¸Áÿ“°ÙT€µškA›àÿ§hmsø<ÔúÑ,_–U«w=€ÀчÖhP$#V. TÁ[Òõ÷×í¸6<`¤à3Xÿ­¦ÉΨžù'É|GF«ß¶ëýáàw, \„{&JË‹eåXR¸ì×à¼zŽ8'†>0^øj{3ýº\Ö­-)x«{´ˆ²¥Êmð¶Žúäð·š«Çs-ø¾;Jnû­É[å0±)‰dyÙDˆ&/Š9æ Û(þžhÈu©‡púIº4§Y¡‚a«à*ž?O®fF†”_üÔñë†~~ÈínÒ½¹SOÞÞ€ \6íõ¦å­ÿ¾ËW26lh”]å$á]È(ÅÐ)bùŽÃ$…÷¥Dn±¯Êï rñÑFæΗ€¶yÚU7.TÀ9B4[âÕsˆW÷:£Nv¦ÓÏB³ÚLœ²1=í©Àuþ¤ÒÞ¡mE)uÖ„“®{ã‰ÚŠoº7P»ù^ù_a¦â=084ÅSŒÛi|ج`3ttí­ÿ²ãC+´ ’}3V_am¨¿Ûæ›zo—ŒmbrµÿùÝÿªÅuàîöˆƒdoúy™r5 ŠÊ*ŽÖ „hÄü >˜ê#?d¼+2u qLø•¥•­i£$ÛöÌéŽ3”lJðpêЫó+å„ÑÑ®ðK¨È¸f4æÝl1M'›ßßd=ÿŸk)‡ûQ̾í—È4Ò図$'Œ¿ƒýfp×ïcYÀT?—ÄÍÓ.7 úB4ª[’”,iºM®"3Gî¯a ç•V2"ÅìÿT+@ø¿ÔŸ{7óËÚÐÉ0äDD„Âê DOÄ?p¿¢_Ón0÷>T²À'ÍU*P`ÕôÊö2ÇMµß Ï?_•ÔQ `6™©ELêò£ÀÜÄýsØÔ‚œ€òg¿B;È{Tä8*_÷k€ÄQÝ£šƒjcÚ3˜Ô)ýD)¢<ÝWA~=yh—ŽGsë˜éDªR8>T¦¤°ô>£I‘/Íïe#æKâ@RÅý± ðÇ‚^ßç¹&ö?I{Ì«Rľ‹å¼’&GÍíOÇÀÁú¸µs rOöO0Ô ·¾ÝëuF`bSíÏ•Žöbÿä3”–~Z>Uƒ67œô‘ƒdöÙÌ7õWo~Êjå-À®ÝåKa]YdÎ\<òžËT¦ó_üVï׉}yN Ë&ËôKê*Gk©0˜¤ôüwî†>“¦Ûòð¯¸t¡úšm–t,’ŽEUx“Â]ë†ÔWÜ£ß]w a)Á:¤÷­>G#ö ¡ í]ZeDºDÃU÷!O0ïÖ©Í̀ sÐEž;³œ.)™’óÃzí ©ZJQ—C´°X•Ëp££Y8ÐV9½ ´·m'üÝŒïüOξk{&n] G“x ¯ê!ͱþQJ9vÌñBl oFuåCàpCÿ޼°½ßRo5RjX€Œ®ÏM=¿å,ŽÓü _J Dçç0ç¦ásÕ0ÞêÊ¥O·À¦íT ©š~Gò @øñ&H¼c*{㳩K€fšô{W­N‡íôÿ^oM† T7¼Ã7ãÆE¾~õ¬ßVÿèav±ž~ò"æNGM¨çSÍùîüÅÅËZ!Aή<,ž3‰©B"ÚBÑŸ“.\J=ëPc$qtZ‚亭ßQYÅî?™ 6)ÃÎR×ݪHÙ5âéƒÚÿ'S’p™gÀFï³ýþ…Â1ÓIÚÎhR¡Ø¹VTòõŠÌÓAõ1è¦1Xü](TÿÖ`ÈŠôœæ}¶‡£¾ïéè_y[ë°]N#XrK-šï÷÷$,mŽQAhÓ5ÅÝBÚ®þ^Âøy°nU¹rWÛÉ6˜aºÎÈEµÉfÿè;MPÀ+ÑÙŸzo¹)`k,6¹™ùi^Oµ­ø4ÅØ3.ãt_Èsh¿|„ŽeïÃ"Ý´‹¡E¼ç\|(Å\šæ×Z—6õh VôÉ™®[åÈ0V@|íd¢udòOMÚ‹¼ÐFõÃMÑVü_xð O"“<þ‘=ƒ¯Ï;`œ' œ8ñ‰'N5)ö7Ÿ8NåCµÙrtG‚£;vèËŠ¼æ±ä5JCFq˜É< òÇêð¦Ã¯^àmŽ ÌÜajíoèû\ÖQ€Ëºœg?´öˆ$â:be¾ŠÊ Îùˆr\ñCwtŠ[ï~*"À.©¼Ï-åu€“Ž@).ûx\d/²–[aaO‡Øª\”,6@ý‘-8×|¢°–<ïéjËñ-Šj¤ûƒÚÚ•Ï–í¦Pa-ñ7ŒyDX¥'tù ³nü”¿¿N÷é~:Æ€*Ü—!ÎÎçq‰ ˆÜLgÝKeæßî©wÓõòaJ2Oéú?“»SÛd$œŒ‘Õ_€#sS6£pD£ö™Aº’(zAµ×V´ƒ–¤:KVö<<õLÒûõj¹9|•Átþ%b{±OÅ ÷ ±o¸mà*‡'àÅIäB6¹@êðœÜ_…õä.ÞÙÌW´q ÅIû¿?‘P²5'tØ@ã´½AçU(IØùe-¶¢¼2Ç@ÉÎ *Ñ*ŒyýÓÞ™0HY]¬s£´,Ïb}þiþê]\œ·š9莘ߠý(PGñEæ=ˆëÈÛчKøÉ®Å÷Oñ4Ƹ(‰B8Z.ë_™Ÿ>âÔèâ4ÿ$.›2RíÕ¾¿þJ^ ¡|ìØ6IL6v…Õê +¶%y;Bý<ˆ&Q‹B(1Q'‚™Hž^ Kׇ= < ¼ëÙA=àša-¯Õ|^BÍßiT}RPr$%˜Ku©Î‡á¨SÕ˜óSŸ ýÕ¶¢á«Ý(þ´É¾l 01R\1r@!Wä*h„p|¥Ü%ä]¹2¢nD¿‹Ô½¹ü¤«öGÝñ]Ÿ QnrM_¥HçÈv/(?±Ëç¥ÍÊ({ÚtGÊS'L°š¾ÎßIoxër¸y_ƒò-«ÀpµKø&Ò«ju_+f¬xÂà19æEkŽ]~ÂÓ®“È àrѨgš×º.’ÏÅL1ð;|fW;õ5pô¾8 ¸ª‘šÚ›²†47:,vÿF…‚»i˜’Ìóó?3éÒt£GÁ)Üpq$ò¼ eˆ–9 ܽ¤A)Ä£Ï÷ùL½¥–T5Ù«¢¨ªº®5wG° ŽöÙ‰¸Yµ ªýãJ^¸×9•@š2›z#¤öm*—ʶ‡pß¿Á> l¼i=ÝÏ ÑîrŸ‹„M£²ù¹Ú5wY!• K`ê$›Ý~T¶Ég¢`ÌùDGÁ"7àèä5¸dXžéB–Þ¶|‚ˆ¦£ðÔ¨$z÷V$p'uðûB$â‘ë¥XéàÈœ&¯#–É|Ê‘]Ë뺜3-3f‰ 3³:õÒn„øé&;<ÛuúÄŒrEºÜ4šcq¢ (k $Zb‡}ön0O –EÜ‹©ÞÚ‹¡a+ÒtQàA2TOýû!Û39 „ªºÉ/r>°‚¦dç…¹búRì×KÀÜØ@Î÷ù~¹?@•Æýü˹Ôíì"Ì.u‹R_5í¦@™ žìÇn÷ÖÙŽÝ8CŽ÷†ýWÍ8TŽR8ñÚ‘¥B“p Q“m³<‡‚ÕPYía Ñg‹yê!pd†kžvÆM+©@ˆë›ôK¤=׎˔VÓfk9&` ä‡ÙÌR¹W×1È]‚ÊbY¾ð& 1U›Ñî=B>Ê‘°j»5hwûɸõ¶ÛŒ{oú[µeH¶ò#½Pë¢uÕïò•À¨MäÐüwDG>ÿ™ð¯;Ž\vñèyºO‰S©…5L굨U¾b×4žÕüRƒî&« ²ß¯8å× ó(ª¢5ç܃š‘7Õ@vØ%†ƒ´mf€êÝb•}ñ£žØLÂ4ù½¹.†Óœ‘6à³£´¬ÃVT,d*péÂ>"¹yÒhZ?‘¢ážU¡ƒ9ð˜àž±°¨¡¨´¡2ø)ë©Ú(7jE¬žt£âP‡/Ò" "ùµÞ'~Å ûEÕ82. `ÅÄç¡`|hLš1fáJ„0±ÂV¾åñCÅà—‡6Ô–"–´sÆ™I”ös,î#³Âk dH$CâŽld—°-³qgµ2øÊ"1EðDòIª€‘¸ä5„áoÙÌ£²xÛ®Ë+TbÕŠ8ôß”3ÀM˜ó%†°ø“š~E–a j…³pU×­»ª Pô¹¨äSÃ<Ã"®AYÔ‘¥œžIƒ¿ø0 |(21ôÓº)L“¡¤ü"üeS˜œé4¿¡aÌ´ˆdãró9û”Ú ü1FÅy_LäÔª@îc½MŽUµKeÞ@Åg”êŸþ¤<ñ wí_ƒ¸¸ò±µ.ʲFó,’ÌPµŸ-f“Jý(ÛÆuñâLR~(ÈÙ  Û3âì7N7Õ©áa¿=ìm̉qÐ)Pøb¡³ŽþæŽQÐ͸]-¹ï*Íxspê»arÒ¿ŒQ …hƒ,^ç3”ÄÍéûkpÕ§D§ÆŸ#Éòf‹Z{‚ÙgµP:(í„Î0Ô›@ž–ŸÚa0úœi&Œ=D´öÚû ÜKP/o«lÆÊ8ßšçÖ½RNÐþí_?üM}¦9½Boå9"ÖE¯ô¦5úQ×ß'àjƒºX MŸá84<æi‹K×yĦyäÂiÜ"NO>s‹2d<šî:ØDÙª´oF ÂÖ+¦axÇ‚Œ¤ŽªÉ¥Žu¹>àðŒJÞ*ªñ9ƒvâ–È3Ü=Ö66^ùПxƒyJ­¡éK´ùm¶Ç„ &@qÉ]ÍŒ¬jíÖ¡,â<\ü2¢ .! ePð ëð.J9*|òñ»a¿ƒVÖÛáH:}3$×ía¿ÛkT²½ÊPÀóÚÃTZ8yb‘J«æCTƒ¤qbËòG0Ežóö ¾“Àà™¾g÷?W ßZ‘vlPè|Õ›/–yÿ6¾m΋3¢ô;­GNëcñöÔ| N¯’ ê6æsÜÑ©:¦ðÿûõÊœþ@µJ†rÅ#hÆ>sûÒ‘ ín">Fw@ìC°*°ŠcxQµØöÆ“ámòa8êwH‡•ÂLþ!"ÎúszPõ¨ih ƒÖ´émætÜãæwŸ¢8Ü4®Í³sý$5by­ìþ-nHй©ÃŠ<Õžbð óæÅµÅ¦&wsä&Í–óˆÑÎÇ¿Ö,ÉMèTwç„!/”†Pc¹ÿ CåÇlõ= •¿êq M˜3Õ­©º3#ì4¼üÓ;nÇ–eœ8>0ñz­óׯŽÝep7wG?Y¬>{œ©ÓúeʃC¤cC a>ëÍ"÷ `]’TY1Béòžk`ÖR“ب!ûÒ(#ªhžV.bõÑ8 H üåþ©Á˜åO©À*–Ý'øb/G>ˆ÷ê.WµcŠÇÇ¡†Mæ'i°úMˆ0 ûÝÑÑ«7š¶~ÔR>óÕÝÛÇZ?·p¤ì­ªpejçù}6 NðS©´~윈ä)÷ÍðfT!j~È7²³ IQ¼x/"!ÎHÊåº3Íì…‚1b—“¥Æ¶4¼û…ƒ5yùèÀ} gy3.y¸Ië¶HÑUÜ@4$çœiÉ^ §æée«$˜(ÛA ?øÃSS^PºšW¢~¼bÉò™kf g\Êæ•¬Y*´B—_RÄŸpËnŒ™ˆBð×#åQ'w·f,G…^œ–E6bœÁ[$XBt¿Y\›­–°~Àâ œs¯RC¦‰³…Ò(á«!­ý÷׸kvñ Àxé<(-ÉRþ±….µœ¾ XúT–âÝÎM Ž-ç—¯¥cdg©±Ÿ@!]bõF¸O€Þ®êWvý.×ï¡Ñ#5j²Ábe±W§¨þ•ƒžÐÉôë”EMÛÙªÄë ÕXÍT!ÔÐâç§£4ÄI—‹'¸*U\îy¼V­Ô’ýWbˆ+?®%é€D,[ #’?óÃ:†›Ô—¨|H‹7’sÅIú,ש:³ß;íBÏ#ÒR ˜-”ÿÚê÷9ÔŒbÆ€ËëÛ?6šQºÊSƒ3.´®Æ›_šz D”×ô‘ ]­U`e»ˆhu”¯pµh•x’o¦B*~Q²æ´¬ ­åì¡)ÈŠˆnÁ?Þh˜Àk@íRMt¯RÒä B'èð–]{ô²E6ý~¢óxN©>®’&H°¨œ"v•ØaöᦸÒ;ªókV¦0jЏžS…Í`ø­+Í?ªiyŸ¦ÊVí[€ÁÔ)KU\exhÐì1ŽKέDÐKˆÙfYirðôuû=ç ôsKO 7ÅL´Î?Êcñ«tóÌZ|Ô†´µL™òùŠOZõ¯ùJDìËkl Ô„)Y8ÁÓ¿” (jTŽÑ’|ø€Õ桦5äp¯ûÃ+“ °ÊFÏË/ÑO÷Vø ™>0pÎvôÁÎÐm#/SEi!Ìit)a°–›È¡ßh¸ùçB“â—Œ'‡É‹˜ÖAŒ÷Ûâ£4¥[TÀ K\ºB{t¦ZΕŽÍ€îA]ÆûÞhr§‡1¹muXù›×Ôu”¥E„@œî d¢´D„䀎,Qè·Œæê6ÍßøÈ…µ5¡’a¿óä3ÌÈìØæÄ@J\™Àv}¦] 4àÍÂ]0¨o[ýq·A”ÙæsºYBáS(5èðÑÙ=ðvÔ›ß"ú‰oSÞ3‚ª"8ƒG"Ð!\]‰ñ†–09Ju,†{ì#½ž]y0*uë:[ !;~:d>|¿zkzC…$ÍOn‡ÁºªTu`äAa¶×)‡‰3xÙF Díߔݵ|(Æqâ %1.äo@7?cI!>aŸ¸!†áͰ5Œ6=õyªñŸùÈ%ˆ0ÕíõAÆ J{6cÃcõ¹IÙgv¤# Þ˜´z媗uŒxÇŸ—h™Àz)˜Ÿ1t$m<áÒäªÕPÏ#ò_i“|Î`FÅÁŒOLæ”sF²If U¦³˜2Z£²ÎÐeWD¨ò¨s‡ õmn^®zÚÎP´pŽŒ{׃V¿5è|h|f‡€hôoöFI×8b9?æ¼q š7{ˆË'{äOöÐdÑß—nÀQ[k£4ŽA˜d@ÃßÁßÓFÆ>‹|z5¢Ÿ†Nf[uäúù`Ö)ûÆ\XJH[÷i¹±ÚÉWw½~ŸÝ#¿daQÿ°Ì•ýNá0º/"]ã&ìø®ÝîŽÇxøtînû½vkÒm²¼ÕM÷f8úÉq–¿kÆ/pR¿lF’¿¤4uM­.8j^†/,ï=èNxÈ0`ܧ‚)ÅÔðñn‡Á”Ïqb€,’iÙƒTu˜è¹»PÛ﹚Díb-6`›ÊÖÉbcëc¥¸] Íøa—}‰‘{ ˜©è ¡¦ûìSCȧ¡ODô ¸=AÒ-Kµ¥zcd[¯>Š7(Ì&иÂ4×vtçJMÙÎh öe#0fƒ!jó]A¼ÎÐþ‚tjÌÎü¼»‘‡CqÊ9L÷SÎ|"F±–Íæ5b©É ,¹ÜÄ-‚õ‡‡MTwœZ¶ ‹åˆÛ#4³Öa¡”þür-QØ«¤Ò©%>3ƒCÒgPc¸˃Fð…–òBÂ!RÞ©Zˆˆ‰¤0Ò뺺ßÕ”[½9Êu ½¦§Qì•~c¡ ‰(3L<…Ôuh^H«*Á.´g<QC(å^)yðÓ1ÝåMuá„é)]Lg10„£ÏfŸÓ]Löœæå Æ Ñ4y惺ÍC­ÓLŒ)R™Rk3ÿ€eÅ”Uü¥w+»Ùt†È=KœÌì…j)åâÓÆ#ØÔ{ß¡¸p÷+a ÀtüL;¬?.òô‹ZÃd‘bA¹CÓ¹29Ïï­(‘f†ë½Ú|ˆmRN÷Qƒ+~}y¿Ë¦sô­”¡°^‘›sa\ׇÕ~©.!û2‡ù™Ú㸠=vžU6?.¾¹SŒI—EîñGÕ’[nÙôSJÌïÝá=»•N ªwàí·à“@6ÖÄý†šª2yG§ ÒS kÇÀ„’UWSŠ#7NQ„+]iœ³Œdœ;Ô¢þ˜ç§@ÈF¡lŒUšIõÛˆ“¡Ç.GÔYV¶ùRþ¥ðÐÔó¥ò©MÉj®dåDο¬5Ç­ýË¡Ö`,¬Ž´(3t¹X¦;ºæ°‰‚e»`õÀÉS«³ô ¤«H∾Dÿöõ«ˆêçòB†ø€âKƒ Bbºê‰¢ž ]à V+Ï {š€ìòêûbNõª5î†u gA} Ç?q!{8.ÚK· ÀÑFm­à#i²)®bü™ÃÁHf2RgqȺHx]YO~/FžÁâ‚Y½‚PK>fØæ„͆;þ„Üä‹5õ¢m%ü1fŒík ´…+â2ze0å²ó’XûÙ“\Úßðû»;ÌÔ¹Wâm-W1X%ÊbÅTíw5“sõï¢6C í…}ÐèÕ+ÿg—©ñ€—ÁPu³Î‹i R·ñju÷÷ËÝþ`#ݯÍYU™ÖQÁ´–á'i´±ŒC¹=W"œùÞmȪ“”qêÖonØÈñØ_ÖSLóÃ3Þ3^c W½@¸\côÕ.éÝ|„<y†«ÕVÚp:Àî‡ƒê šøtð5Äa˜ÊÍD\âêˆ î FÎqÓñnÈv–TM›Ã.OwOFWkCÿõØÄ¸I¶år–çvÀÞñÛxÒi'‰ŽlÌnŒÄg¢½ÿÓ5»¼G (žwtxÇ=G¦èIEV„‘¿BG®ñœ‡ü¦Ž‡/t¦%v0œ$ÂwT½œÊª¢È­*ú/øòØ JÚ#õŒÝöݨ› óØí¨ Q4ÉQΔ¬®Kšÿ𥠷8’ç²ÞDœùªý÷ß^´kTÛˆÿ¾½­5N§ e³y¦N±eþÒyãa¿5ê«êÊD†Ï©.s¯~ýŠb°íÆêR[éZì—ó/¯_Q \Ù§–22tðúÅh.7g{W?W?œ+Ëb–nÙI€I®¬VuŽBâ` ÓUŒÝV¯±>©µW»Fïæî†w"q Ü˹ml~¨‘˜ø¬)ÖWöÕÑ.sxWg×òý¶¯GâlhW_]SoÑÎ&D¥êB^‡Q,]ê0ÏÊu¹¹þpr«×»ì°õ×3<"Xþ3t€¼3°u'¥l pdjíûƒ ×‡ÚïpÇ {¾´ƒ’TZ¢›/æG’>õvÔ ¯íÕXjA ™&QJè•´!Ÿ@93T2ãÂé]€,ôºýõößqÊnCy?u?Þ¶D,Ó¥×êÛIB‚P£®ºèŠA:½÷½ñp„?žônºI¿§Ü$"%Qüôßmò ò’åþî±!±„²e¸F×ܼpuÄLFwB–í†kjŸ”œ59‚cN²ÓaoÀ£ºY’á '&wÁÌŸ(ß ¨‚±ÎÆ…Ã…E?è02çŒÛ,u¸˜=¢#õÜÂ!ò]E|:‹î¯×€÷=ܧ`d|N‹DÀÕ*eÞ PÜËJ¡¨Æ[£›¨~Ÿ©sØløni7ÎéÙ#èC½QhS‡[’Üô×¾©¦?mó¼ÉÓÆ””ló¡[ôñøÝ+®Žú>2*ÔîøÝ©:øb>¥O‚Û!‚˜ ô!p… >Ï_ð^›§¼%Ö÷èm怎 t'ÓÈL$þÄ©PØ4F¥Øè(±‡ªMD‡b4›˜Éõ”º¾?(Oÿ~Hõ«ƒtFj×Av¯ñð¦‹)Ä<“ëÁ§f2’êmÃtRö¨: òsíoÉÖA„GI»ôaÃæ“ú˪æؤ#·Câ E²²ÙùãøFG™Ì±3äõ+½„‹jtñOp‚ED.IB3ê*Hc%@îp™°“âõ!T<`÷^‹;!+QÍÎgXÛI—f¿õ>7cdú’… vÞWoí´Åh~ýØ•£3˜!ÛÁŽ#›ño³ÝB]ÃÌÓ¯„CT;çàmݶ&ïà(µCìqÂDÞ>Ñ(iÆÐ¥`b#Âóƒ[#˜´wûÎýƒr4Ô«7Âv¶SHSî™å>ÅÄ")Õ­l/©1'¨à—> ËÆî*š ]MuÜU@/^óèo¢ÀÎ-¬>…“–‡¥h"¹S@õÖ¶š™fW!#Ó¶ÔŒô ÷޳˜CÎ>‹Ò~¹yJà9vyšÀ‡˜t¤柒QäºÉÝímw”¼oõ•%ÁÆò+è€úö§Ä©JÁ2”ßiÝâ°:Ž;p*ÇÜœi¶&®‹„ü—vKЛk,8é~AªkUÓßR“0"8ÔÙ"Ÿ¶‡¥1$c„HèÝÜB\âº;ißXÈ…õ94Ø®ØÍÝÞªË"EÂx•@Ëv«9X1e]Ä|WM4ƒ»<ï~GðØj rA>H›ÎäÙ*3möyÝ7»ÜŸå¶š®WÞdt¶ÛáXtX;S±¾KWµ™§‚Kjb<±¿ø S–G´úXŸšž¦`@1Î4¬ï˜¹gM<1Le7,8AŽ_kyïÞàƒÒ/¶hÊÂåìxéÏ­Úp2‡ÿàî¦;2!٤ש/ caO›§tüjyŠD³&¾Y¼?ÙT2fHG Æ)´8Jó ÄJ¨¥aãEl'á®óé5|-å»ÿé]3Õ…pG\ö‹1ͬ҆õò'¨„’Ä…£qÒ÷O‘‡¯ë5eJ— ì×M¦WþçDéȪº‘ØÚº]-?¥Ü é½48?6\1ŒM¬•ˆµÕš <”g% rºÙ °HË&ý#U+¢Iç;R`hz}mûÃá|á ðä:¿Ä.ÇšµO#‚°ì:V†¥SE¶¸l—LCP±ŠÏ‹PoˆßïlRáÖÏ+ÖÛ ÏãxûÊÄ'R¶A¼±´¿âÄ›&‡³Zy¶T!}FjÌ¡`­µ £ÒØ«çÉè|£B»@ùÁœ¹ŽÑj"PeôÈÊ!FZ^‡ YÏÄrìUx~øRÀ4òmhbµ¯—àY µßpT²!¡ñùÕ°e+³y…•+B¾ƒ2Ü—ÔzƒcþLRT#†…%PšÆÓ½–6&õ¶œþ2á‰&“Qrƒ,1¸xðo"!W?TBø0Š­ÔÁtŸ­—3 ïæ¢Žä/էª³_h5Dú,UŸ*£\^IÍ–7Tp/õaåʼn*?BŸ‹r~Xì•óµy¸Â…¡^ºpüw Cn2{RØ—kgŠ7)f?kSÍ`_Ĉ#ç7~—ŽiÉ”N”gÍŽÿj"Øñ¨ôýÇÿ;Þ¿ûúíZ¶S 2ѪÅr—ï ¸ñŸ57ôz­0©¸þ$ò?©˜õÕ§ È^öÜÿe¶60¾‰wšÓ? ¢Ê–¿í)kj¥ õô«ÅâïÓ¯øtE-W`—¶Q‰yDf¬wú> «ˆÿÿr«¶·À×Y˜ÄÅ>ˆY]=ç›±-¦2UôÃÑÁÐKsÃmÕ‘±“Chem´s~õK‚zþ1å þLŽ@ÕþÙöK¥ïÄ ei?A›†Ìýp±AÞèAO1WçjæK I÷Çö[ú1ÈX‰jªº¥?2ŒOÌh¬—yÂÔ]Z㙂.……¯ä ‹yÂàòG±sÿrQ8Üô0´ Jâ/ÚÔ6sý7@ƒ9, ¹“:Ƶ)6¹Ð„YHÿŸN7øWž7,Ÿ¸>â Rh[ž‘%€«°ô<×uœ¨hÝ|;-‚Çí‘éá‰)„㞘…c4þEÇhA êDI]<$â öÇ€º6ù>ŠO 㼚q㊟½/—GÇ«OÊPGîÊ•Ý:=øe-V”XŒ†C¬ê²yÄsŠªŠ¨®‰Nâ@uÅÐâVïcØüðQûtu'£^w\…×7ýzŸAì@Þˆm*¾©è$T_`ÊQœ> AÉpïÅÌs¸úOd¾=xÊò·Wú°6j›þøñc8@¤£6\ „:KÎÊÃË„U›ç¶H§# wÄ’ØÓý6Ä^{Üe”OàUË\eÉЊ`±ÚõÁˆÁÀövO7úâ1ü¥ÿié¢ Õà„b—e!@ ì9ÑÀ’0&ãÓ8¬ªGHÇUË2ÁîùqÕÓ¡¦Û6¹1øtðR0| $‘á¶¥›2"+üº6™ŸàX­ ÊOÞñ°“öØró9S_¸Æ'˜F6gè 97• £º=ª!BŒéz.Ä7ª}º›#&%[0¯¡ÿ9¼~]“:4{€.!QFÀ"ïȯæûW’Æœjï$Ti¢Å‘[ã G¹’ëQk0¶»di8 4D‡¢tµ:×˽ëô-Öp‰Ž!‡¤°B·G4ôjÛ^ÏûËM´‹l;•nq&—^[•6T#?_ª3zïp›D¼H’ÛɨÓ{«<µ¤Ó}Ût;&Züªè_ 3N6*¾wÖf­Ù6×zY] Ž8@^è“ΈºK‘¼wÛ\.\`»ÕvŠr+P÷…bññÝ-”11ÜåË"c£Cõá–¬œÙÙä/þü Ky, à±Ö+0!;‹&f¥5H`{*Y4K µFY·o2ûÔÜ'+9¯vtù›•!,f‘±}|7ètGI›¨ìµ$k¦ÁXòs¬ÿnÐê÷®Õ$Ç­B†ð æSX c™¯™k"ˆQ5¨tÌ1¯AòÕïÊÏ·F7¨C#*áoõ!>0ü#9ÚÜó¦;˜ ²ŒKèù±yª)A7檒xó:IMmo»íÞÛ^»xH& ÀáT7<¹P”Íæx þ,\‰?é“áÝ$Bl©ÓýØà ÷JzpF™±¢G!h&ð˜dKh»_z÷ _Çì¸yEõ~ö8ÝÑÂÏ –ŠF© “pŸ¢{œÒ“îljÑ8+N¹F2Þ*G)¯ó&›V¶€ <DÝÞ©©ájk3oÕø@õOݳŽ1ez·j™HF¡ u­…ä<£š‚û]†t­÷Oj%öÚÃN×yÌþð:V´09«,3KL³^Ï)oÑÏÞ.Wi˜¡ˆï_^⃓ «åÔ ª,M'‹•é–á1èNºƒ÷âÉ»¶á=Gôäï©;Ð3\ö#ÍÂëŒfÉï6Kì‡.?´õ`‡N÷Ü–µT ¶( &Ù«´‚ÿ(ÅÔt38MB‘ú’*~ÿEÔκ¡[Î7ÄFÌO]Á’ÿöìñý-~Ó*¡H¼üý(5C¯ø†8A¯²¯0ÜÊ`ž®aò¯ž"zçd8:„Öê#õÐEèVàfð°ÎQûîº ¬uÈI/ŽîK08øº!#¦4U`w¾PήZ;Oñ”k "$¼º»¾î ®cÙyÉPjÃhv#§ÚV¥£tm©¨®%qÔܸ›<9=ç.ô¨dªRmKqWÐ:xa&Mö•qááû4Ú¥z§ñMDP3|´rWË{;¢Íþ¶Õë;K€ØU,õ£kSëDþ§Ùm{hhƒä¹³#·†É¾øKF…hÆo*¹Þyn§x™z®‚®Ìª]0Dzº8¦GŽ,­3r+ÛÜ6 ª/Ã$e¡%œñËq´‰fk›ûéjª^–z9ÊÉÿC¸ÜD¿Y.δ ê¿å¹Ä÷d¸kT;¾*À >ãØHpb ºâ;”»/ŒåI/‰{ÕTÇëÔÉu8çãß6â?ǯšâð7 —u{›€Æø?â?ý)~ýª&9J£š€Dà)S –x»=²îáXŒÖ,Å¡Úíß~ï´nVJTÓÆs WRˆFYÌÉþ-ü–T<œmJœƒÇãJeçÙñ*jýZLº{Z] O4Ú"ʽ4²R‹hg'ü‹ˆ\K⊶îçqˆ®$*e¼oƶ­ø52y˜2ìÝa¶'~1G!¼‡T죶¤[´oï8EÎÅ~­ž‰rÆ®ñ׌ì{ð5eNº‘+m®Yx–¬µž~õ©2òXèvx3». õÆI®¤RéÍ!SÆàás]HJ._±šEIÈþ_Þþ´¹,ËE¿û¯ðËê.‘™ E)ÊÈÌ›õ "!‰œŠ BÊ*+ƒ9'é!Ž‚¢×îg­½÷J™Õï™Uw†ÀÇ3ìa *^8ü”ï¢ö¼´J¸Ë0’øÙˆÁWuÄÓf‚—U–¼Çd”Nû`Ñ—‹ÊùœÍ…u—¢"Ñ¿%»äñ¬h>ë–Ü-wÉ|·ÄÅòÍ;Ûi׋}=þ›&^Ù·¯ aZ^ä}Ñ$PÞØYšwðA`Ì~¡ˆG@Fú†߯qýïdTn;un ‰V‹ ýå´…ýÔÙžè;üóÕˆ¿)Õ½WÐh:ÎmsÌûƒ´ ¤’ßÜ7–Û…Þ€eò8DË/ÿzµß¬§àˆUxcþùð$?2­Šï¼(M”€×jɹíØWè±Ô¬¼Ð~XTš¹oΰÓ+Ï÷ˆŸ¸˜ô!ÀÈåpdç.î¼(K›oIÿ¹²,W!R hôN šÖ%ᙪ™Û{q¦(Á[vY3³¦ÔA«±±Äp)â%»ÔÒ ¶s컫×bÆÎ{Tšw]ª¿Ã¹Çî½ðùÅŠå ®~êÛÁ$|ï{î6BüÄ·,€˜¡ü1ùÜý1— æ{Nd†ZíÑãƒ5Ç/6,6åj/o[Tþjµò¾/‡±\*~žu^¤€…ŠÃ;‰×¶Ê§–Ëõ*žÑqKß³VlL¢®±fñ´Œ¬MËÈÿ™%ô‰>…„v¹]ú÷ûŒwNOr?=n.£Ü”ŸÔâ–,A—{ûÉÜú\]*‘‹O zÿôR¶¹í'L£±-_}ªœÝ–wˆV¼oÝfTx¡7;k$íšq×Ap8Œôô­×Ë¿qI´|`ÍF:&FæQ}.ÝpKé tXåü_É¢¯¨†ôT U ñjsqïYöO]/3d,åY8¢œqW4b'õƒ)X»wZØ&°Ï{+Uºgﯙª*CÿpC|wž—³Åê1_B˜ü;_i„‹ž½ºò=5ø¾±OºCÿûºv›ˆ”AqÞ«Ô2ä²øÜÝï»ç 4ÿ¸«–d»ká. %´‚¤¦¥ƒTz¹© U1ÞðïmÁ|JxKØÀ‚Xû£'Œn:ZêÉ|Áz‹¿¢?WžüªU ;M¦Ý›–²V£i‘aÇÝwRtMI¶Þ„æK­+{ò†[}¤X~=¶—Ì=Gó ³àHZ/7pºØÂãP¹î¾•oNM²IYÂãe¼^6Œ]±sùxZQ”È•‹/$b'mÝ»‡“yŸä§,/¯JUÐj?/¡%1F¾uì¨q+p9™lL±Qú+­ xâ©p¾"ÊË=42K/¯~H†Pwl݇G°%Mû`,«0ÆÚSà&e-¸êöq‘@ó?þÜowþKËN$šë—¿È™ÿ÷ºŒ”ÎòHÚî§¿ —ôD â9¬¨äŸï®ú—ï÷þáK;ÒesÛ<㉩DÇ­xsÈsÝ…4FÐcí IÚÞûMyg<%ÓSÍ6†/®cc•íçFÒÿ„Gt#–å4ÿÝׂ)ÎO.(ß” þ:ÖÿxAÂÐ@ËZ÷ÀŽ:5 ub(^ùÞöÒõ?~]ÝþRZ „…6Ó­™×îìì1+Óút) åá†Ëd=†ï¤W‹ÔýŸ8›„#¹¶Ÿ=Ž1³·»Å1Ëß-‹Å}ÜlõpS6%þ­5‘¤Õൟ¹NKüÕ¼‹0·6¸{aYäØÉГàýð7ëYÓ´FhA]ìëe,0òáüà %”)vF#UŒF;Ùçò‘˜äTŸîl?p°$¤¨^œau÷º®ðó¯·–ˆù…[ô¬4ëÀ v§'ýËXÚüšBE­~Z4±Àœ €¿XY™Ê.*-ÜbÂä7ë•WòÞdV‰Õ®Ó µûòØÔ—¼ööQqyf-ös$J½\Æÿ Ó!­1à~xy6‘= ÖŸ¾¦Û:2ÌNàÕ*«×«¦‚Юʴßxüdo/®Îú×â,ô6~.L"vj%²§!,öxîE/Ñr› qH§å>¤¡£zÝ®ºp»÷{ }…^Õç‡?~Ç›è~ÌYû1'mã¾b—V¢KUµãÓÑÉõàª=]¾?tYà‹±C¦7‰Ždíí²,ß ó?þQÌÛŠñ½aÀÛ*ª´¯ä›üþft;-îpè$Þò(VÜúé8œ]$í]ÜZ¦²†¬îs|¡“¾a»!Ò²wÅ"²e`€^ûŒŸdߌö,…(“ÔdY!% ÖËÔréÖ(e“é͉¥ƒ«ÑÅ›Ÿ{¹|½9Åntz2¼îQïöòêâÚýéÍU¼à½È_¶šoTÌ6ÎÄËqÓ‹.¬gþ§GýSÑ~ée ‚»§•¦o׿º¯4,¼u÷ã™’5&ïÚí?ím7ºHA`½|ÛÙ²‘Æwù¿ £jé»ó¹ûñÊ­û×Gï·(wÞGÀEø¯UMæ"^—°1Àè¾ø€Ù¨F8ÊnwZ4Bú¹}¹-1ço½¼Ö+ë'¾RÑèÆÞœÊÙ›a&¦ÅW ž&ØmßwôÅÛ@»Ä—²ÃëëéŽâ3-I -ÑÈfu1ìš©[8bßoÏÍc<š¯îMÝJÓ©Ž ‹‰‘˜ )Ù³‘!†>‚o¢þKGµ@Èdç—ü”Áƒ=£¤€Ù“ð3ãwó›jeP4¯xüœÎj›~_XóS³£¨[_þî^‡Õ‹ÈÒIÅ%ç“ò«ÉÓG÷D³¿ý-ÿÏ?¼,¦‹ûâåå/ÿ¼øzÿÅËüoË68ŽJÜŸ °<õÍo<øü ¶E~GsUwï‡A‡b—É÷ø©^Ó¡MѦÕJ67&Ñ Ç»t…bÄ(«4Ù0à23°¶– éû]æ¯QÞ 6õí÷ G랢%êîRk Yd^Ö=ÒKÙà$HA:‹÷ÁNSà»ØÅŠ/ ŒÔbå!t?;ÅîÈå~Cß9ß½ü0|?º8ŒŽÞŽ~(ZIœmí#ùSÿ ª.{5ÃÄpÄ]ë DžOä‚[·ý¸]^¸upåÞ&;1M>wyIJ§²€­'霅‹í%}·/-ó‡_u\¡ þòbb1ƒä¢l„'ìÎM‹ƒWºµ¡Ýf|z©=Ú¶ÆŠñIg5ÙÛôõb–!Åq~½øe0z{nÚ ®†»‰­T5g"Šjv½hI˜ø’Œ»$7;«Û¤Ÿ2¢­s¨Èx„P‹†“Æv<34"cîÒ‚ž˜*ØZ{J£C¯¢U`ÿ~)ûîN½ØðêÂõ¹qpj·4)UmkLG·iWÒó÷Ù¡Îèó*)ÛÆò8ë^c!¶ög×|½,æ UèA¯êléK£\×óˆ´3½Ûñk¬Do˜Ùnº8:Ê·0æÁËE*mœûA!›ªêaçv!—À—QJ Ñ —ɳ¡Ð†Ôž€å†¾KqER[ ne„öŸÚަœìÐRE¬Z¹â™ufïû£®'ÃŦ̻1Ä ‡ä;z‹EÔöäÕ¾_"“mO2 f ÉÕlþÂ]’ì6'#˜ó ðK†Ý½^/…ù¾gæmJå l^·1lÀªÕÖçÌwbÖèV:å¶»h?ÓÝ;Øzþä§‘Á™ŒÿêοˆÓ³Ê'‘•@U™Míñ×Ol;ް…X¿)ív×)ö¶!»v×úct‘è–•KÖ_îä?£Wã­åK('3¶ø°á |½Ä¦ïô!° …Y%Ù«‚ÓV¥¿ "ÚórÖÐOM™þQ*´–~xé.¤îeKR‰¾Â }B Aª¶xTùn/ßðÐÈ©„s·ç*f*VŠè^Ǻ(.]0 ÏpÉb†Ë7:7—§ýkt¿Gýóã«‹“ã­ 7êkVóõW<- Üð|èÜM«›ñÞ·zDÃë«ë‹§§©»OÄ@÷šÎ.ÙiVËU½žŠ‰ÓŒ™œö…¯/zŸ§—¯_Aâãõ«'•Tð‚ìôq~P¬êê¹ûÿ\¶—íÊfJnPúºCÒIÉô› _,}×Wý£ÁN/Ûé’zÞéñ;.¬<9ûpý=pÙnì'pÌ–øoíZA:v¼ó«%|Èõ7~¾5Ûe†.1”öåµOÂߢ”$º¾ÍúJ T ýÛí -÷Ú_h¶±‘üDfR!ýÙõ\qiv¢ùê^KøÙh¥ÝÓ|^ËìåáaþKõ†C燗û7OäžiJt±X V¿ÜL³¾ ˆ å^±Š-çD+fé_«¥¡q¶“þëWFTü'ØæÃr•mž•ÇÏÙs½£‹îÊþ„Ì:rfÙwfÃÁµ%‰#xøõÞ„”¤~jãµ³¬îî]TÍu{ Ýg}¶í.“ž‹D££$’ui¡° ñ4µY»A<ŸD„ñsÜggÞ®½òï{åy6òiÀ9 Â.|­YáR#4f»[”Ýë½)¹~í#ƒžb3r‹Ñÿ^PûŒŒ‡ç.·9üº³×óœ°Çùþ ûÿlw黲ÉsmžY¡É€M.¿7FȸR¶mÚiìîŽül'†V Äù„.ÂÆ5tHRK+“U†fGª_ó}T”¿û¨)rV<Žnà#"Ÿcho§Ÿwî²@uXbnÞº1ð,f ¥höÝïÚn¾ÿbë£x(ª•EÚÛÑy³“¹¡A2€‰ºK³¾y±»÷tÙKÒö@8ŠþêN<Öq‡.JEÊ&åôûR¹0 §.X‹\‡=<Öiñr#O"fëUù•7=&ï³N3…žêñe…pd(k`iì"e‡æ>€Ëñu¹Íî¹tsñSóɉõl1ff4³Ž˜ÿã3°3™êNo·WB’¨¡¤Ç^4)Ïÿüè’¾Hªó¼æl&'x‡»²¾'’€{ âKW—}iiÐÔ‘ä=’îŒEƒqòí·0-O¹ ß'=g¼IQ[Š’{|—°žü„‹&ýוµ5Ã:$Ög÷nÛvSb¥Ò(±«ñ¨X { —Þ]õ#€dcM€„«òÿ“soc½?jÌgÕr|ö \ª õª˜ú\»ßÑŸq‹¬pÙSøvæ87[ŸM"_ èÛœPÑÌ££ão¤H]) ©~Å—¢š²{Èæ£VtÔ,5×^c¨ìèô)ÿÞ:í¤ÔÖÔ±[ —õã?{ÅOÄ@yˆ²ï‹¾­Ã¹Lð—} i”sÝ¿z7¸Þ‚ït·2„o‚Zq?­ÀŸÀ{ó|œý½;aäŽV†€PÕVL£ñ)[1¾ˆoAÓSkêÒê×?ñsm „5ªõÓm÷6Ki©Z€Ìaû3·ÜÒ›'>ÜÉÛÑù`p<º¾®^ÂI{‚‰nò5Ö!¹10 Ц±ÚmB’-ñ¤'‚ÿ‰51×tË>¹l2á=¥E‹¨Sf%À?<t“Rœ€‰blÍf¥)ÂÍe¬0¥ú)m8Ô²~ãÇmV*ê-G#ƒ€„l¸E®·yJ¯÷†eéP à­Ì(Húæ7mútþ»³"Mð¯,÷5C¹+ªyL8ýS·½Óoÿîÿñ5± Íê`†F{ÏNäs4’›Ý «ëá^Þ%èww7™-d>†GW£‹·o‡ƒkß­óM”[×1Æ¢èùÑN.^ÌZVno{7'µ‡$pÞìîq(ß—Ó… MæÆsÇ¿ÝØ c_Ha¬—ËZ\zªL$œ”Ä[&îÒ/3ŠZäÔŽ¸Sðj‰ê>ÖlY:»¯:¾ ¹ã wëASÏJ ZÛZýQ@r¿úÖcÉZ¥×u¥[â¹n¤QÚ>Nºƒ)6Ë:€€]aÚFp)³û•Ï?Wê¦Ã޹üS¾°…Òƒd,å$„”Œ˜äâÔûhÄT.´#¢}[°ó“2²rÓkˆþò22 ê“ä±óëáH(kíÝ–íÏ÷oNaÐ×±õ¶Þ¶E•ü7õrʆ†cµ€Há<·ªÖ³Žx (0i´áBª!è¬nrÞmÝn¬¸ o°[ø%`åµ,¦’;¶4)_Û¬qÛÛn–ÅÜýÏ·Ö­èlÒ¾Ö¡™þE?ˆíOé¿R39Ò²´Ù›Bè;º#ZÊó)þÕMH)¤|ÏlÀc¬g³G”hØ?ÜyJ¸åÀˆŠ³DXÛóNÀИsoÞ8v@OéÞÓ!gȵ§î+B· Ý“,ÊSæ›çCá ð]+ÚÊ®g7 >ºüÐ|×I®Ñ¡ÃÓ®G|–L»AEcñÐ?f¾j¼E¾K‘‰°,I!‘‰<ÔåÛe«½ï5@3º³YLR}Á Y/$Æœ_œ ζ±½á.Â.e¥Q´&YMxÇu‡dÄU;T\*Qù²ŠÊos…ƒhçµËäÒ‡Èvyö§hà‘íÆ„6÷îAtÓíg«Hmî{ÍCŽ-îÃÏ.Uf9”Kl.ïÝ3ÝÛ^H-jÛî±ΰYâdgO&³òÜ®ì? mÑV*ÑŸnî¼ÂÆJ7.%ù¶C :^grùº‚jþ§’¡“Ì´ÃÃwÙ­”'·!(ÁD‘÷¢õŸXaÂTg*7)CFOöª‹¹Vçè üwGA ø‹û®«óKu¨Ëz¡ƒ1ðˆŸË븬ó>Âí¹•°‘>@ÚN —“íF>q“„ÄÒÅ›½>\ëÆÙ-ØPУØtòã‘!êRQY“h¿1<²PÅg ¶O7Í¢’}ö%ûö¸òæ­‘ Z<€žK¹ã߸ îsÎe—lãi}wÇë[/󪆚™¦a„5í³°–;*F·åƒ›ïð~^MçÒÇŽNý«‘üû¯ÇàŽ|{§¥·š©§îö4ŸôÂòÒ¡nÉËJLÛ£ôdã}mL Ñq,!Ô=]™È|e"*ßRx uo/*’Ü%—ýÄëüÜe+(–C|ãáK œ}O,¼]Cð‰›@à—ryurquŽÁÙ%Íàƒ G0}ÚùÆÓ#9èÒR—”KÊ"~À¸híª…|Q‡eÊd!ì¸YWÓ‰¾&¶F¡>»D^]ÍÚß•€Q)­iU¼': ]Ñ ÝQx{âÆ‰ÞO2çದ¼q{¡U›Üˆ4­@©œ˜'N|u{ŠãÑõÈè¹y±AªÌ6ÝÜ»§†Ï1ƒ«d’dfۓ̽6ˆ‹eåm£n¦œìZϘóömmÃ*ùc˵:û–ßX¼J´`Bƒz1')C¨ˆ9¦Î7Éç­iüƒ¾å‹:f-ÀÝÍúƽæydA]r§”?ë×T#ck†ÞÒíbðéä¦ëÖî¸PÄ‹ÑÕQ…UkÔ=7³é®C„ßÀkeG°~ôp9pàÿ Ð’Ä5ÊÑNà¬Ü¨çëÌêš –÷”³bqïF•„Ë™å¥O*nE~.î$ïÍÁfÄtžÌë™Þ2ÑuñÏ:†üÓàÔ®,{bKä`T/é]¹:.VÅkv<±+ºdÁD²—3Ê aýe=¯¾Ú¾PwËrP?ñÔ»RÁ´l¯3ßÌíÝ}S¯V²h=õ,.õ÷BêþIqÅô²YŒ Dþ[®t[0†wrÌwîo>O?ïl(PJfp6º¾¸tIíÇó´Ë‡‹ž°{Û#¼8ŽÈ-ƒ£8_¬—‹ºQ¦Ar¶»ˆŠ*5Ñ“îÐHðÇè›-‹ªI».Ù]—üû».ß»˜v.œÛ¥_¾Y‚Ü”»˜)Ü.Ôq³I2^q“ß6*û”ýo¾³¿ûä̓¦ò8Ò-Sö_}ž çöqGÞ¶õ€›õ£~‡|v±Ê5(ÕæÒêrœÎž`üù*Î-UÖ‘±”;¹‹8ËÕÎ7÷ 'ý#à¿TS`[ÌîmOw¿Çí)Ë7ÑÃì‚wÃÔÅgþÞ„†ab¢êrßqÙæ Õ %‰Žú_/,@=­š÷²®ÝÛ¬‰Ê«X®çxZ‘ØTVóÅø ~@‘¡%WÛq°#;@DåDµ¹*^¿RQ»òN’º&X=Iõ“ 5ÒX/=yë˜ÚH°ÑW #“õ :kǵ©|Ÿb”p}‚PúNˆ[‡]ujHÞmÞ<ÎÇ™ùQzu\þ[§8}åg'çï>‚”ƒÚjm>€óåꩨÙ؆ %OÍG…`ÙýGÕOôÊW¨?òï™4èä;1a¨—·çÆ[Â)”ü Uõ'é9Iœˆ©6jÑ}Ú¼F³½½8?&B+Iíµ:‘ ªê|ÖÍTð´¨è¹X[ yt$F +&€ M2ñ•þ«¡)Û¿M®vVÇP·ÖŠ;;¢tÇâµïdiI¢I-Â`ù ÷Ç»ìNÖ^÷â òÃA¯&P㉾HCw¸™~º›ɦ-o³Ë)Tßèœ[»‡ÙÞ™Â<ÃSIÙ-ß(ÍØ»ìÝß;óm€ÀL+ft»›³þùqR+Ýà›ñuÿüîò242Ò5[e‰¢86–q6?ìž*~§&ù^{ì[}ç_tiA×®<2iþE >›?òÖ¸à)º Y¬–÷;['–õ¾dÂlý·êÐ%Å*½dê?n%Ò^¿eÑè©,ÓdÇ=`cKæÝ‰Ë«·åÓHœRe¢X­'ÈSL¼‡œŽ\h”bclÇX–¢žÑ¸Õ7ÛÏ'ÓÛñÜ%Ô¤3Ë]ÄËÓÚ…[F†´Î¡Fíì÷Ê7\ÒÔ=7Ÿ5•a(z8«¼¶žC”XˆY6ÑÜ%»È{uW‚6=©Ñ5Ì·WkÒ¢+šŒç4:ä¯raU“Ñ(á0;Lµ®|-9A|ãh 1Ç£'qôŒnJY¸5HDz Q`U‰,бq©"¥ >«fQ,Çû|,(¨´% ¬qUUwã”&ãJÊÛ1—ÀíÞUA3eDKœ/±±Ÿyíæ˜ešÌÓCvè>¶-u”Ú‹Íjz¡ÃÕ‹vþ^Pû½'ÆAÏße(¡ÙXëåßYLë…ZU/ë Æ|Ø6•!YŽŽ}è‡9ÿæÃÛÑéà<§h¡ÓiuG¬§z>vœxY|sþï¥ ¹ælmÁçÆZY±R±|cDC C~ZßUcw¾k¿þ6-‹y¾^ðÛåW7ÃiççVûŒøFótÃ_•Åùß×%èáÀõÈ~·ÁoæpR‰jÝ¢ƒ˜œTزKñ@’§¡@ Ùv#GQR$©ÂQ}ÓÔpªBÉv4›í"ìu/²iµõRX6g¢Ìuêöü[·ðdGøÄmL§îÔ9d~G£)T%€å´^”U’ÙëPïæ„Ò]øò9‚ôÜТ\¢UÄ[·W©¸«åíüj'ý#-ý@+OŸ\7a÷¡î"í&|—Ô3#g7™žúªœb®êõr\…yƒÏÁÜ&!0DŸ‘GÕÞ¸Èo.(Ã1à [ Øá¬ÝAÅÔøæ‡’Ð7®]–`AÆ©é.Î{d¤ƒ›…ˆÝÒŠÕsUl¬JC$"tà`FçФWªÌ—5·iæ.%_4–fWú°Â‡K\³òU.wÓ÷"¨‚‚]·:ÔbtZ*Ï%ò ¾`™t¨‹;8ÚH…¥ÕÆÓᨄUŠ‹´ ¿… „-©¤(TUA¡ÊKŸ‹e4ÃF‚í´ïªî¦¶<1·ì¨ ÞÆ ŒDndH¶X>[«÷ßÂùSñ!£¢²žOŠùªMÛ¶!Â)¬ HŠJ¼äÜ›^º}1ç>”ã+L—¿!: Î÷øäí[Ž.4<’-©·…Èšä»9££NØ´^ÿ¾ zÊýÊ vÅt3eå¨Û*Hiá¡"±‹ŽÏ —֠Ϯֈ0öØStaž»…ݳºaX%¡h#bX^*h/õµëÅn IÜÇ ØÃ‰&©vL¤ÅWâ®j^[ƒBõR«*YKC1»Q;m/®µô¶ãQzOÌ®^Öþ¬#¹ß¼±®@¥·¹~ôYiäŠ>+'¸è ¨I´Á´SQH4 ›ñ ^˜Ä=•H´´ÂÚˆr*Ôì;D×£ ¦H¾/-4Š4:Kõ»;ËÑø~l‰ZÕŒ´ÊÝÙÊ×7©À†œai§å­[úî+÷ÿ»ó.o§õCš8 ŒQ+@¦nÑ2òÍvAPÚk‘û‹ŒŸc [„My·# ܼ 5ÁVUH;SÖ˜Š$Â\n0\Ï/†ùן^Іݤ[Š…$…úõ(Wp]‘WŠT1k^¿ýñpáø)/f¨d}yñãÁááÁˇ/_¸?ãK__¿Ú oæf}—í*’]þB »û5ô‰ ”>­¢Z÷/¾æûÇ€˜Dúÿª Ÿ¡û \ÜÉÅùp¯í[9N¢!k…˜¨¹ÇR†±šY‹ì9. Bøâ}‰ª²þ\Âê[žbTNº !]•›ø„89æž‹ŸWtÓÝRmþVå!õx9“$¶ó*7z±˜{„‘ØZ,mieåÉß»HQÔ#+ZOÎAsïŸÔp—%vGß()P}zCÆe1_SiýT¬ÑÿL!:bÖyÄE&ñ˜L™p¬±äZci×hô{v¨Î¢L›€(à눒çÈ1=¥ÃŒ·9~¡7³ÓÖz&X€iéÛõF3™»g¸ý†àu[õ$‰ˆB€’ÅË@ï‰ +ýl±ˆ£Ó#H¾cÕ˜èOÄÄ?ô¸Þ΂ŽhvDC>Nk=mäTô~BŒäòT– ñŸ›U¡Pÿ G/3¬8c¬(ÅÙqZ~Ö|y™_]£ðßð^VÀ'vÏqš@F .#U¨‡ÿò¯WÁ¢¤[ì­µæ ãâ2ª68–KQª(¨ßÚ(3aT·¾™uêôñ„xÙHí!×uý8ôfØ>E`ŒÌÄ0Á3Ú˜t_çwO#™: ”«á2“9oXÞzÑ4^ƒ6ڠä÷ºþx0fÑ··ÑÆéeæe±D}Ö­Ì–Œñ€êŒT£Y‰¾À:…KŽÉ*ÓP³*[jqZÌBUÐ ü±Éw».=Û~é{[ ì6Ÿ*º>5GŸJtÂRLWŸÈ~£r›uÌÜoÍÉÍŒ(‹:M·åí8‹aO&ÄwØ-—k›2”vÜŸO/ÞÞžœBMÛcߪ¾ÕtYæfjµÖºz}€¥ýÌeŠŠ²Èz\R2±ã~£Å3t«J–£äÃÁõÏg—ñ$M-€[I1¼¥¤™mw[ÀahÎ<‘IºDP¿œpœ£h‹J]?¸ß^*×7ù[­¡XGQ±:KcõH»º“§ï=&Í pCãaϧUHZÕëñ}^»Uöw—8eÃ÷W×£ã7ïн"BFS¿oi¡¸œ 9çhðéäztòvä^CÏãX3aNó•j3lhý[áFX¦.JÁd Ï?**[ÌWÉt·j{›mº{û9LéÒD}»a¥7ÇœIRž™ß™°Á'%úáõæ;¸¤·ÛùZEE1¸šG@×or{¤§›Æ˜Ÿ˜©K‚ji¼þýâñê,}Kăæ¼ãÒÙ ywrþîi[n_ÀËTt]ö7<ø>GMBò°å.ë›u#nö¬Ëê×€¯pϳ·m4Ÿ¡ìÊ¢ûãVͬ˜?Fö¬X¸[‰MoEÜ%}'ºÞn~–mÜø™ Vµ¿ÇUõœfh†=J¹~×YìKšn@îêá¾H¼1 oUxÐZŰÈ{xºa¹A¤/`ZË9T­Ö37ñ;síË«ÁÈåcW?ˆìÍÅðZþ©Ît»Ìþð‡=΃®>BŒW÷ Ò[â× ½ð† ŠQùµÀÿj­@-9÷÷KnEûH÷…>ä'ŽD/ùûë³Sí° 螺›(.áÊ=õÇž‘5<‹ÄChÜèIñèÚGs?h¶–4¤_ñèRe7]}Þ´í¦¼ÿIgs=‹° ù#Ó«q‹”> 4§ªrùWÃrE«Kô¼¯Ÿ¾ê^»n¹XbÊŒU0·nVü—ÚéiEË应"…¯g.€mw•Ôkç¦ÅÜý¤ôÞ¥¯a…Ÿø†Q±^Õ¸ýÖ+J"Øãw>ýðÓk ‘ºÆÇftUrqÆ-p\3Ó¹uaí|Ò1˜ÏÐ_f4¼R“îßEd Ÿ0œ'CeÄ8¢?*É-ëú¨ÍÛ;'¢^Š—þXò]h°¶åÄ+¸ ¥=ftt^9ºøp~][Fï±Ç¢*]×ÿYùíˆežp(aQ”&l§WU–>±;u†S7 l.<¡¨÷øuãþ «µ“®º`´ÃÜO–,Y'÷"l1³¶ Àƒì˜[¬ ð¾¥=¨¦½“VÕ6Š„QAa#›jÕ(›Žy Vt"BuãîÝG÷eõþn¡ž(Ì¢X/¸„»G^sa)o½…Jw©|·à¥C¿ÕíîÉo{B·Â@pñ‘[G&ê5YÌ£àûžè! W€› úu¼ožkRÝÞÒqL`4(Ë.µw¡¯´—+ÛI'Í·vdO‰Aâ=#V0=0`x±„K ?LO’U]"0ˆ"LÜ5ù'A‚;”>C5âK” ecTb"aA¦K£øFrk[-– ½ÝÉ^O»k¢âX"¦^n»u&ÂI‚FÎöõ’±RÝV_½ƒ¬r¯{[(\²ÜHWÔ¿H"íݦ\ÙÀ0䘨²?oÚT8vÛï+Û`˺ô­¢Ø©µu‡,пãÓÓ­'‡(©B¢$ÔȰ³ÙöKPÚKÁz‹RÝOÂhzäéÕ—¦¯Bá[Úùí0×í ‡ CÞwäRçã£ÑÈê]Â:eâ¥ôšÇÀ{–§$?ŠÏ°Ë)©Øn»Ÿ=‹SlÁfÁ…ó×Uø–€S —9s3×`(8{¦plj÷'›˜´‘í¤.Åè†zÙ7ÞVƒ]Æ=vijètpÇÿ+G­\¼§Á /¤Roi#ž¹ÿâQ¹W©ö¸¹¿3­nBagw±F«);{Ì¡2?Å„k‚r VBSìårõ—–+Äb Â_é䃡t !Ó,H"ñ9ª¡ø$Cn34ø@Ôªy.%fÅëW½(Œ¥xd§ºÃƒûݶÏ2DÏwÁ N&gó+¡³èÛ%– {†–åe‡Ëa¶ÕԲ˹r‹OeìN˜o1£Ü-Áªöàdoã»ë ëê8k’9r©íùõUÿüZhJÆvQ}Nn‚TüÃV‹¤å´48sGrÉÇéàz ãÔb&ªf–÷ŸÿÅ †ÊõGÁšû‰ÔŠ›Ýø_3%‰bGoû.E‚­ýpÓw7Sß]+57I&é(bS 綬"Ãhº´UMÀ5¡6 (ΟŽÓ> ÜT4Fˆ !úŽ35· Ïfa—Â>óúœ ÙÕÆ![û x“g¡l¿Ô¥’+ß¡¿~ )©¦ˆÏý¿+7˜Žáòƒ ô(Óª‰ç•*)ar§%]7B|hН )z.§Éd)Ä¿ÑþCJR°¯®K!ãB³ú21,±ó!…‚2ŒnÖ‡ý»‹UÉ‚ØB(ë ›óž**™ÁÍ6<Ö»zä½Â£°ð¢“åA ïo\PyTò c}†«Ò'ç§'çƒ8øú&'ÝjF'—ÃçîÇ>iÜ|Ðɰ^|‡ !Õ§X4)©ÑpÚ”“ÈhBø]áÒ0Žñp殨ý²u„NIå…ý–"°~x;m´c¥O/c/ÿ°Û,¢eéoóÀ-É\¶sbÆ.;ÞôÚñkÓF?ûÛßòÿüÓÁ‹ÿ"”fÿðÇýÃò¿ýíÛ@ œÌÖ†il:(ñ¾ñクZaˆ¦|²^Š×ïeÆÑ­+‘dÜ÷ë»@2F7°k¤†ä¼aÁ£5úa¶¹+n5"U#ÎØ®À”K`°‘nƒ›'ã1©×šÿ›îÈ.Óñ(Ý“7BaMäÍsIÌ•ÿð”­k°¾¨‘«Ãâ<Ÿ£ä~ßÕaª2B Óf´d;cÃÆ­%sIÉÜÒq4­›RlÄZzàsgGÞV ׈e6¹Ú¤X²Ð!Òr‘•ãáqRçÊ^s9½=£à¦Õ÷h W4cWµ›îȺðÇj¡Ñôáü¬ÙËÄÀJ+á±(ˆ,ß…ùÚí”Ë;KÀâRTñób䢂½Éõ{ô5ô¶Â¿XÅŽíµ#RkF–óz}w?š"™V0°†((…òˆ›dY;þ«mÌÄ „M¯R)bŒã¹»Ec%¬£ê̆:ÖýÄí«îMM5ŽÃXÕ«Ü}‹E“ù¯Ä/ž¿üóóßdìWóƒ½|s-QœH¥›v.I’Ú,+âni j 5FrCÅÝ(ª IÖÃÝÖñÝØi’73æ<'ýóqÄ3…ž“‘*˜à„Þ‘€¿±Ô•_ÝŽ'Ø,RñÊ mVÑ¦ŠøQG¨´¡$ ´õ17˜bFeUåý¨Â†SÇ=iQˊתuõ¨ð±o¢1õ"-£¦S[C(¶¬Ó³UØ” BÇsÊ Ëœ7²$’Õ ä¾$,ÏaŸs9ƒ?¶˜4 „Ú¸]?²žÇ¹ ¾Ï\ömYßË me¤Mo¸äGnB¡ê¿† W¾Ϋµ·l1B2ͶQ%ÉÐøƒ£k߉ÜLp$3XAëü.µY‰¹ÍvÒdHâY 9x4Aš¤T VÿÛ ká¤MŽÞ_ŽŠ££6Fms§Ve«iuã¶ \ÓûËçZm²‹ãp. ¼¼ð¤&rÚjî «¢Ó“؆>gOþµl©dýˆ›¡écG”r#Þ—íàióÆw7pWÝepRìªgéÓBFøÌ¥Cn,žèÛPð ø‡sJØé¢áé8"‹¼<ºúVÝ|^ò$8.jþÅß[Ñô ôyi‘â£C˜.MŠH{&²ø«ŒßæÑ=Ö™àéI’ÊÂ0ß·~¸Qã6·ÖtìÅu(.€?ä2ÙsàŽë~•˶,åúÕ}Y …£'ÛîÅ’hÖœ¥ù&rÿî;&n8/ï ÈôcØ û9–äx5­:{V´}•‚x´°mt8,+@¦xyu!ò‚ß\DÆ„›2ÁKç“•bº¸/^ZÊòbÿÅ¡¦, ²ìLÃÁ3&Ňð‡‘{Ñh« ³>`„T(¬$…¶=äp°Ó‘î°”ÚÑVžÛ'©Ï]€ â`”Í…½ÑÍiSÓ¤$«º)föûÐW×@Ô  ¬uùþz„ÚÉ`…§wKf4ÍE“¯“¤§kåž?G2cRôV¨|¸ÎìÚ…¹' M–ä™yãbê\çhµÜIp6)ÇU³¡hߎÜÅ}$sÂH6µ ŠÓ¦Êi˜ûŽÄ¨§¥ÝÎÝÅ^Þ{=¸ÊŠ *SÜ^6†^ÝùõèÓëWV‡õÇ/ëgª®Ùþ ‚å2·ÉÁÑݪiPD¯Pæ#îÃ{K dEŠ©ÝñN"å³›xÌJoj¤Û/ÊÞ[îs³Á™}ë©ø ds³©ŽÅ¹æ^´ƒE$ÿíEDÑçDݰùáŽãÿž·ÃÕ°Ñ‚U|)ZN†qí4‡p Æõø/^w‰%ºää÷…ŠH¶¦£0_ô1´ÜCôâá–¥‡¸¥kĈ“n âãÏŒ@[ëÙ7Í¡¿sÑDl‚œœ^Ÿœ@¸¾ê ø2×c7tÇ*ûÅÌf¼!qf) &éÖNOÖuÂ.=cx¶×ÁeHü¨š¹ô o6À3)± ˜6(ۨЃ”š ¤2ÜfëFñ›¿Ÿ÷Ý.® ·$\ƒÐFòëb „0Ûœ¤ÊŠ¥Ëî@¯ú`í¥Š²¾‹ë'*2{¾4“Ý;-ÄÚêàÒlŒá­ %´¨K&ÜJl"[]ÚöbÇks‰5¤’• in³–À†*&n:Ô±ÔL™ •Õ „ %-µ"ç5²_¥+‡‹©¾nÜ8ŠnhPñ™|í8\7ðDXÿk›\¢NŠ9Ðî–­˜î‚MÔÜ£ø“ÉlÈêÜ”÷Å—ªN#?´µÈOö7« h¡¼cSq—*`t®N~Z¹)ý¿ve‡Û³Ÿhlœ}= &ÞîhèÖrÄïƒáðâj8º8?=ßkË G5ᤵçÐŽÛèô 8XÎéÆå¤žQ$—ðŽ;,%šÇ5ÿLã“;4}xàŒ—·…¿Ûl#o™D™N¦WÊ M±a4øVÝ\7b0-Þ'ø8®ÍWÃׇ‡‡)È-Q4ðÈÂ'Ã~É@b“s½éf¦»ë\ÿ}ð}àoݽâ}ø"eäõËÊj&«Êm0„‰2˜a¦f(Ê´‰Zr©kX ¤… ŒûœØ ŽZ™×ÒQ£ð»¥ð¡Ü–„Î4Eõ¸’[äšÿIùh%98ã–¤“Æ ‘ì3D†¤L?2¥»Žm=¿%Pq’¸ˆº aôèr0{q5:=ysÕGîx u€>æªá>©Ø\>fr¾çì@Ô·,,iGC“­„Xö;ö¬^ÞÞ¾<45‹„Ψ‰8ÌÁÓå _ís;+U'Ý ¾fX¶¾,î6eB3’ÒäÓ;Y»ê©q|zq98}¼ê_ÊÀ0Eà}}Û[™›‘ÞÓk¬•ö:߳Шèö:¶-š~¸eÞd$͇:8(‡“Õäd€0:yD汊ýw±íùx¯§Mÿ–<6jž>á²g¯}K ½»§Rb¢tS(Z;¸öMÉì¬Y'´´›êû/¸\øÆéÐRÕj9†÷ï­þרqUÙ@©˜úo¡BxÈÚàŸöñ/µ6ø”¨IŸÜ¿ žô•ûؼ¿ s á yñáÙc*§äy`*güMµoohhU anRcºZ€Æn€Ôê»0Ïç$2úŸF: ô¯Îž3örk»lI,¤E"–E…-„ù.Låe‹%*ÒZ”x&_¾G½’Ûm"ÄL•ÌZÄ” äæî¸]ˆûgp¶™L)*£Øhùo¾è!}Ä£­¢SöÍW:úK/×OþýÃÉÑ/½›•Îwc¡YeÅܽ¥e=¯ OCÀÑE³6Žö üêøÒ$‹#õ±\m$ïÏëý ©N:tØ:çõ±Uê·ìøOˆY'‘y‰B‡ft³¾W£z º£ÇCAI÷¯ÎUš1÷t¹ªŨdx§YáàS(_‚\Áç 6t¯¶E~Ý1y¥zÃgC‚åœÉ¤UÊÄpx›¢Ì¬$ÿJ‡U9R•„th$`,S¸/½³š2·EôÏéšf<1™±E e›únݤè»o»¤¶eÀ_j“MÍ;ÎußkWî¥ ¼‹ÀP=*Àøýe·ÛÃWHhrn/µ„ã=CNëúózFºk©%„ÞQ¦‹_§,ãS[Ëõ½hOàš®j}ÖÙeQOëüºœ x2 moc¾YMÜý…ÑBš£n÷É# /ËÍ…PqÕ• vØžæ#yz„ÚÊùí ±}LØwÙæ KÇ|®æ"…ֱܾ~•‚:HÞtoôN§ø§í¥rËOž¾Ãƒïx¸ ¯©:-îBãj£M$L¿KC8Ê´SŠ–|°‰Qd[´c¼PL$ëMd㜊“»e7É-ÛÊÂû§U8µŠp“6 žƒ ¡‹õ¶Ð8¿Sú ¦‚'ÎkžÞú&­.ü¤¯èjX‚ÞŽ±5Íx¹“4䪹5Í‹¥–†Ñ|Ñnú(×/eÊ¥#…R‚´Êï-[ðH¡·+6*;G;y´?•ØúÓž,2ˆ¹q,÷Ž®F×§¹³þÕY ûèµ`†±®öšê˜_Ý s{úÅÔôYã…ÚºÐvѸ»g :æ·R}¸ª«5f ]äò‡†:‘פÍS0ÏqzªZóÍ^¾¯5-c·Š`•«L(£®ˆ8žA[ÄfÃôéF’â3®8‚²¼¾¸ì/^8ÄZaÔÛpç}ÐBJ¤)æý²:ˆ¼î”©8_‹µå"T±ñëȰ˜5T±Ÿyk{ÌwùÅÑ´¿=í¿j'²ëhÿ„Û*NŒ-ANž‰äÛ1SÌY3B,|eîvöPýO®»›o¶eÐ)ˆ,U Sͬʷƒ9˜·6ö™-ÿï1ÞÔî†#râ¬Ùe?©—Á Ü 4çb=²´¢}mç9üÔúÌ­‚p#G<²öÿ ‡ü»+dÙ{Ì‹ÎÓ·¿¿ý¯_á’k‹¢Ö +lËAýÎðÌ-4'3,$…²Pñ¥õÂ\€áNËÚ-9“o-kgõDä8µF[šdÂN\¬%·árµÿžç—W—G¡>Ð*1ÎÑ»Îìòô,J¶mÇ­cIŽG­¶£÷Ð?˜… ü l·#"e›ˆ½ìº¢áòêI› ðm÷ðáöMáSó?Ñc·/3¹Ä§xÀ:~:ÞàhtÕÿäŽ?ÞèÉ¡6 úŸ$Ú2Üø'‚©r"’¬›—žPñÕ'Ÿý_šH²VqÙ¿’Â3¨”xÈÁ®’"¬Ç€ èlLߊ\ã/kó‹]¯ï ;îxyØMÝÀºyÄɑ竺±»G´¸¶|ü}ËIZèg±;:Ž­ÇéW ô+¼ÊÁ§£Á%.ß/Ñ8Å¿n~‹Kc$=~²’Pfö‹°ÓªíŸXµ}½øçý6.=2³×Šk¶‘~Òd=[ìîÅ2zý˜^GÒÔ¾,&{ËøØ¯önʺüîJ=çoOÞ ‹Î¢¬ü- Ðm< ·ãª­N‘cÊ™õº‚ÖA\’t»Ð‰Ó™K1¥Ä(Uà)u£¥——4"ówƒëÑÙà _½pÁÿ½{T\CL>´áR×G`¤N¤[¢;@¬)¦²}^)ì6.NëwuÉ2©>¡Ä •°Y‹>«PšESœ7%Š 4—¼Jˆ¦Ê„ôtO`çoÿ½c¯êíºàæbÂêœ?j-½š·:‰èÒù›æÅÆmõÕ^mÈÍMz/¹¹ç—n%·5–JËsKâîÆ¿i..@¼E÷üƒ*õ"`2^°›Ó ÒzÊ¿Ç%”cþﵪ}_ßÊO¹%‰j÷Óä˜lúþ¤ B× >fŠä0ºÉ°Áaà#,J÷‰©à³†Ä¨ïVîQÎî½áúu{oÙÕ=å{½LÎ^ZÍï£æY¹lêõ òÖ¿Vͺ˜R²Okû‚qjÔýRÉŸ‰GB.&ÕÖ1~$Úùz£RƷƲ©ƒ:rP' -ö'õœF…Bû_cH™œï½~š•}05RÑãRE igüañ‹¯©|"TIL 7C½\šÿfXä~ùV£¸¹ßÑ$ääÙ,øvcˆ¸‡{&JÅŠþbË®¹­:åÒM #ó!?f}ÅTD˜]>êòS¥«ã…zdb" ¾[Ÿ,f~NËaM&™øÐë$±v‰˜ˆÙ0žL^O!•(L{©6×H¬mB"³I?mjy™ôÙ Ì‘&­YLçRo6•TÌ-TÆÿ‚]Q½Á%pI;æôÊ• 4©ÓZ–†èÚ¤ÇnÏT¿–g¾,ùÐ9’Ù.WปŒ²ö›4PÔÕCåUT„fÕê†có9s«±¾áí\êÖÛŒTÿPKž—¢…Ïü7jظ£›0Ïô±']s°=ïî38KsB1šÅz©búÚm½¾ú0'ËòñðÃùÅðGÇ˾’ô‡Kך)ÿ,ß;>þ~Ì^ÎÅ\xµ"‰‹ø0ÿÃWK›^î»ûºÝ`ÕZ6|-”é¼Y~ÙÃI2•*ááÍŠ*‚4@4aÈ>G/ùù×çî+MPñ®9¤tŽ7s¸kbÒ]Ôhš/­msظÀåÐ+'+µ`Õà ]‚Y+ËŸ˜¾¾›BBÚ0¼PƒLaý@]P¶®'¥ypµ&X}eêµ#B“7QtM1D˜Ánh†Ÿ¢Z =Ōżú6«æ·Ë"”lÑÝ•™‹NÞÀ©ˆ‘¹ö!ÁU=Å;8¿[ÂnêøîQ6ŠF ¢zÜ ˜ÏùV¯7u£Ëe:4Ñlðõ”m¥×.mR‰°¾&­nl9ùûbZ>îÙÛŠ€&]tŸL‚=âñ¨þ8oœv;ù†pÚnti9G›?ZÌS¼r7$„ÊÅ$èQV^¢Ø «¸ÿåþ‹ƒ—vÜûБ ,o±Ã†h}šÞBb)û«>ZƒÖpLÇ˳WzÁBZòbn´òNÄHëºK:'‰Ýdìþ#b÷—­Øýu¯Às¹2V¯Çš"œ×~©S§4û)^ß}ý@kÜó |µ¡¾gœaÙ•êÜ$Þ ·±pŸk5uöÅ$©K¦É¹ˆY€¾B&M›å²Å§q-W{‚­8}UÝ,Dæõ~½ØËHר3zÕ÷ÑÜËncx¬hø0¥ñBˆI>”ìqÄíDYÓ{º`ð!j£lÜXºìËóû]šìÖ°Á)?){9FøÄ"Å%íYê.bágL°s»‘#k²[°âÉ*rƒöPMÎÔãCñ€7“ q(‚<Èwv3¨Tuýz¹/ŠïÄ9k6›q9b¼à®eÅ|.22Ár§L{RS…;•ç±zb6z51;]qš¸| á‡²«ºP%“\ÒÌÃøíftX`$Mj­9­çÖÈ{Ûž€Þ3nrAÖ¸0Y;gãi …üSµç5M@dÆŸeójÝkXåT ²dsáþ»‡+&só@Xå¹×ò…ùEÆÜ?WõIuƒ™~p~š>}Û#Hà•Á–xqžqHE•1?Áæ: ºyTr \ÒHÙÏ£=F¤äƒÛê¡f5˜WúÎMîe5±¸R0ð`iŽéQ¶eåëòQš©Œ»,DnËy° –>¹«×˜Ío·ÐÚìô^NB˜—5S`ˆ˜SxR^<}Tf1ƽò!Ö·r nÁ§W‘8ÙZ:“ƒO¹œ2r¹ˆ[¶0Äî4ºä{u’- 1³ÖHIûŽÞàx4ûLüȈ‰•˺YÍú #n òO˜ ~V%„Rù®Vf,ÎLÆ N•“¬È…Ð^ÜÕa ³ :Úò⬔ùD¼Ñ…Us4Â^ånÎ!¤í£ð¾,÷88D¡CjFÒÊQ‹vŒ¥7=Æ qV·Pߢ{Ps Wsˆ@¸öKU>°# Á8•0ÃV½½#ßóñNGO lòTâ³äŽÅaÁ7¤ó*IRCp«ÞÁ²LcYY` ç¢ë7ë › 6Ñ/d%p›á&¬6PeÓÞò_Ù–ÿS ·[ôñúàGìú¯ã]ßö j—Uy;b˜­.£¦¸-GÍ´,¦j5I·C¡·Æµ(zߺˆuÙFJèbB†ÆÇ }w1îÙºÝg¹”,÷ÔDÅor‚zkE¯úÏ¥í< k‹m“¼~Š’MTžצmƒçý“OE,ï¼ÈµšW4beÔwü¥Z®Ö"_èbÒ›jÕ²2 á/ã5|1¹—»*„sxëÍâQ¹‰·àоo1ÉÜ/˯JN²‰â«€ø·æ^n„ýâB´Âlq«ÞÝ’Mñ!Í!J¦ˆì Wb”T}±2RO;!ÆXã¦Ú\}õ·ÛØ.ž5¡áîÉò×¢ã g³ùšEgMÄàaaéoÄÚžl´ü ÇP8ÚSB›¿š‹4Qhû3zé®B²‰ÓC^`ø¥[ßJ7>Ëø6Ü2¯©é­0=Ð8Ï? x³Zωgìi- k\-8T|MJ~_¯—MœÛ Nί¯|Q^J 3÷J‘ªÏ€Üj(>1Št[–ߨÆRNÕ¶9)¨Ö·3Ø7Q¯ï†•–îÂÆRãT\Ë*΀ K´Ê]ÄZ‰ÔöÚl…Q{=©V„/y=å£ZA²Qz…O&Ht™îÏr›Â^ö裵Ëp ŠvŒ¡Óý•»3ºœuôW]sÅ9=&ЫˆãÒ&±Š®,ÂnŽÈϽ;Á?b‘ø'w´øD†o(ÇÚOV.DÁg >>ßõ…QÑÎ ÔÆ#6,Ö°ú½$ Íùát P‰02±FTô@h Šdp;BÇ·‘Ò™[äD›"izí¿88”aÐI).†!V‹IEXÏÚHãÐ4S¦[ì¾!17¢6âSãUqCKÔ%P©Veöƒ“·óm‘€¯køMª½²;ªm¼Zˆ‡ÛuY•xË„9(¢$¯%ØfA)Ú{nÌÄ`×|\@ @Ê(±‚’ À7ìUÓ¬•LSÍ÷ÉhŽ:2ƒÑÚŠø´BñhÎú7kÅ|;Dù]ddH‹ÓñyˆË.BTÝzŒÉy)5ºçõõÍM½œÇYcà9vA‰oŠå^‘Ù‡¹Y3Kï~ËÉdHÄ&ºQ€Øáƒss–\ÖM%}¿Ñ^ªyrpUå ›lèñÐó±ŽÑ¦‹¼Z®âò<©L¨áYÙ„Êx|\¡åò±»\ÆZ1­[ëÎâD4­££µâ7ñ{µÿâÅþ¡‘ƒ‰*€©½ü׋S—e#«ÍО-žG€ó¢ìçF¦KMàš›ù”;3­dþBP\š65R#(…ÎX?ýåüέDd «{ôRB§./×·+ó6« تÑ×|œßÒY Ë‘Ž½¸*^eÔ´¢5¨1ÉÑ´øˆ¥(ãpQý”¾šŒö-À€7ÊÝ8EІ=+· ffwÝÝͲþì­ûêyÿtˆ x{kW¹©—$rúX¨Ä jÂØ±Daû‰r2© œÎ×î2×ó‹á«@ De×%w_À t'<{ýÓ/ù®~)ë?ÿð©—¿¿Üëå'oÎr—À_]˳º:] ŸŸ,«¯¯óŸßŠÅRw­‘—d'2(ùŽÝÂÝôƒ X›AÇ£Tp›5›Ö ûq‡ƒO—î© ¤I¨ˆ¾ /“SË"; Y:yLk?¢:¶œoå»çkY[Á‰±#Eç凨ä%ä:Q'" $òL´Ì2ÅÄA?»¸î}6úöXŠz&îÔ ª¾¸åK°Ô%XÊ|ä‘Þ—Y¼òÈU[Õð¨+΀7dê]™•‘× e„¸Û±lH[‰þ•¼ ºµsOYêÞ¹ªÝb(JØÚ6–êé/•±\Ù×Ù±}'-nMÿ Ÿç’ÿàæÃfKÈ—e"µâå‰Ä¥xcT@ÿÆLz/ŸaWV|˜nsvùn¹Œ/BõÔÑ9Æ'*LìòÃÊ*ÖåÌ-Ï S}öL´a  œ ìþ~=ª:¡í5Õ~ºÜ¯f!jŸÙ¯åF'âjzÿè>¨§ËWaH‰º.aÂÁgs7y,F+/çäzˆÈ¡ýüäȳâåR?ýÊI¨Óø¼ÄŠ¢TŠi¢WXÌ¥é#ÛS<:åݺìEÜå|c 5†õ×jZ¡Àÿæ! mðªm(âhæ¼ÉÒë-¨v1³{61“™Já–UjDZrŨ aºXšÏH,Éd‘¢.Q}À-W~W»Çn#G“ªe»õƒkòW÷ȧüYœaȹ/‚Â*Ѻn=Ÿ5ÄÝǹê–1 7ƧN€K°(`©$‡¸xósOê&ÒÎùUAUu%½Œ‰|±¦Ÿná²6]…%1+Ðân„7ãgg¡†¦¢Ð@œ[—‰‰B&‘¹tï»áíxqÞäf¾§Ä¦ÌD!ö¢ØŠü)Ò¦ÜRÖ¿~?¸Ò°ŽêBœók³÷Êu^>ò%Û$½½æÚtóØ6/µ5Ó‚#ájñøŒ„` ÙMáê´ÔŽAÓúÎâo”´JwÊ|Ö,–zœÛò["2€¸ƒrÅa[a V6iÐÀâSÊØ’*õ¢Þ84ÎÙg–'‰}!V¿Ÿiù¯à”ÓÏé+ÛhtìF7ÓÚˆ6²Å ±*›l¥MöÆ<@AûNûê*G¦lî¹qß½uy7O¶m‘Éå/²4”tkI¹22¸&”Ó¦ô>ŠqrÇÉWB&™FF÷åz øù¸çñƒI;6SšÔ½'“CÈXC“•‹VpQÔ¶ªWÅ43bß;ܸȹ„䎈gk·&0~uëÖZ$K‰²ÀÌuùçA›ùÐOé‚?°WН¥®W„Gp½%ö…séŠ2$à{¨Æå_ò Ù¬²M"®UTÆ‘ßa@«¡¥ŸH4"KµN<¸—Ü®Gs+ÀÜäËf%¹ª™/{"A·ÜAkËȪFXÈ=šÝ‹mV1¼X2j‰U¥ä¾Ab).lK©ŽÇ¤`·Ó¤À'?6Þ&Æ%é_äÚèÏ+ë”y·d­¨Ÿf.Ë™T¦ì0ãA:€éOþc`?u-ê°±- DTú¥ÈóG…¼T«°T–EÞÕD‰€ƒbçÈ6ÎLÁ+x´.Ñ嚇[\3ÈÅÊÌÕ]e(9Hõš…Tœø?v÷휇ñ)*’n3ÑwC“TR øóia#æg\^ Þ®Þç½%ÑD} –„Ä4–RN$1ÄßV1·°.îþ!)÷Îá4·)â“oññ2<¦)Ì{¸æŸò_ÏÔ¶HÆ}ˆ½›\¦4Zü³ûÉBÚ?lµ0)ÆÓŽ—Å]=¿uïŒÔèÒ®Ýɇõ|^ÎoJzNbt}_ÏÜÍÿ_-#¶¨µ )ÎÖ ×!&ÒÄý™ç)'såû~D¦ºÃ_ãŽåàT»ª¾šÚ;‚¡)²;I@±ñ¼eÞ^ìЫ pŽ*DOP@™6ºÙ»T‰×qµ¯g¢ÕÑëþ\óý7…[/›V_êªÖ…È-‰…Ò 7P‘¹»Ù*þ¬/+ÿ£ú¥d™ ´}ô~1J¹ýSÞÉ׸"žQ“ÊVé8Ф™´ou2 ’È)þõU«ò‹åê~/ Ï/ûÁý_>9„twˆO×ÜN9Ÿìp Ú)Ñ ÚÐ×½“â¾Ñ&Œ ›ÇÙM=UÙ¾›f̶‰ —\Úµ,“2ì³†Ô @*Ç+‚Ä3ê æ°Å¸:ÁÓØ¶pµ×)ý®–¾Úú~ž¿©\tb´'ÌÇ«3’ßcV_oô´~)~_çï«%B ¢bÐn³téNôðƒžlÑ4Ê€ã¯]Êeq“c/'?uÁÊœø}t8D¦-׃<œm¶“ß’2ŽÖ½øï{.ÊýL½p Æð 0ëXw˜Ïn¿)§?¼<˜¸ÇćJérÊk÷]7͆ûÃ&Qq5z†GË¢ºËÏÆÇ.2+§ŒÕfÊ6/³ÔÊ7båeí’ðãžQÄÜXmeoÖ<„-üRZ{QX¹nXýå/ù»‘€3Š”l)Šòêþ—ƒÅ'-ZbÞÃJÛ½ÿr,oͶÝ"¸gÉþ@½ŒD¢ wnøÔш^£‘%|^<¿1QÔ VåîH®Tc]³BˆIì¤çýGÛyðj§“8þ™»s•ÔÑ}ò{’€WÞ·8UèËÚ°ÿtq¥ÑцŒxÜ¿+„N“V;)WFÜL+äqñÇ`oÒÆ Ú½—Ê"/‰­ðËõ—Ù6d_pÜvAýÚWöu\ö$:Û6_j‡ïÊ‘<{ùAK8áNè[´Ôf¦Åq0Z`‚|XY¤¡còQ<âîÐùtºyÁÐü ƒvêw‹(/Âý×Zÿ‚¶jÂ}I«oƒVzù*ƒÅ¸˜ }vKåB@*±¸-æn´‹áÐÝÝh£ ØUF_Æùãq`ݳzã;‚ÄTþ Qɧw]{téÃWÔ3ØT”"Ô£í ÈSêÑdjܨTÞ@O!GkúÏkw)?ÿ®XŽ«bÿªZÔÓ©_ßES–ê o.®¯/Îdû¡‹æð=Ç¿òÑItÜáú®ª?îå2\߬ùÕŽ»W–ÖòEòEË&óz´Ä®`'{à-ç‰h/»×ñ(|×L¨€Ð6`;.‹ÆXÜ `áÚýôeþX(¥À~·ã _ÚšæP'–“rÿ¸­áŒÁ„ŠN€8D]³ë)K3?aLù s¹Z²2´²z éWIYVµOÞ¿9ý…uw_¯ÿü·í¶.ê‡ÄQxxõ‹iw)qƒi÷‘æq1Ï,øŒŠ§œWË+ÆÂZ‰Ü¢8¦"ÉqS.¿&Çþž×âu+¥ÌYd@:L"v[v±e¿:8h~øóáWi´ºs¦KlåËêÎ=ø¤dˆØ–9J¤ÐC˜¾gÕÃUyëvñ«J;¶o„Ô-i¹B¬˜MÒ6óY±»¥}|lgô«Íý]]·.Ùx,fEþ÷¢è[TÞI­”vÄr²XÎ5,ðˆ›ˆ™¬©n`MÙÿH»øˆBoÍæ{×Doã²,Y°vËîj4VEŒ´»µŠ”ïЬ«ýx§ÜÛ$ :Wâ®ëHè.“WXQ˜lf@ FýëtÈeÚmÜCì?ŒKÚ¥o¥Ät’JGÔÌðÚ2ß›?ª§vùv`ú…† b£©¹¹ KN©ç.V2¡õgÑJ*$º›“¨c|!°]dG_÷ºͰš¹Ó_ÖÍü·Bªûï‹y³/wq^M»måbú‹«ÁèíɬÜ ‘üú;Yâ{ Eä5J åa_¯¤áÞ¥D8.TÇ»@ßåä¬ÿnym|ƒôÌU¥âšB0›HäÉø`i‘ßWw÷™[œ>[Q6°g“™Þoî§nKycm7ûXƒ¿×µ¬TMޏ¯›òžNÄî2äTçWë —U먇»^rC GÑbcùHÐH¯tÛ›ÇMî@¦Ü?ˆ©ù„Ý«ôgºË´ú¹ÞžA^D5Ϥ|…§Ò—E)½x°†Æå° 5^ÙÖ¬˜âŒîõâx¾¹¦ÁR»ó¸¬‹|¶Â´ Ýú¶&¹uà´4-ewª—N [50³²*«:&–¨ÌOÔB£Ÿ¿ðDëe)§€$A‹žŒI,d¨Q¿Ø/°‚ýånO/1±¼¯_kǤ¡µ²ƒ1b†×Þ¼¹¸:O°ÉÀâÔ{_|)S"²wB„-®™!ê$h>'ÒqÞšTfŠíͬ%ÞÅW‡¶÷Õ²v¹aQNÛ@Wî”{g?¼¼ŠC ^û7¦Yšl%$<´ê>ˆ|.E …%wzòfˆ%Sþu|Š+æUi m±»!Ô-—·Í.[:4à!ö[Þ»G³J.ÝzP, Ä×®ämŽxŸ9›Y´ÇÇn­‚ÓôÖYâº||(eæÕè,ó2U'av¡—Ø?BDa“4d©HÊÌ4Ý™(,8ë¬ož¸ûvI‡ìJ#»‘(@ëY‚¹}ŸÇïã P‘ äqnsÓß]œ¨„d0œÈ —·… ©J‚#âÞô‘5ؽ´ÛÛ¨÷"‹-bÀlkÖ0$_$u›®…‘¨‹FUí·‘Òý/ƒÁ¥ÄÌ—×WC¿õKëfúPî§&Æ0­…À$íâQ0€ÜU/t™fÞµ;ÑŒE”î"ŨÕå4v7í+ÎA»zÜŽÇË¢¹?¯~Ð\/Ú©laùG« ѧOê“£:ôO¤†È*éH€ÿ®I0ÞE„4ÆrŒ ¾¬YY,%ÚyúÕQ±‘£aÏ€À‡ˆžë ÿdsLXåÂ3'|¡çgýËŒ2m26¥:åÔ6\ÆkðÈ„”-QX Ï}Ù-Öm´Õqå6»K÷صŽ9D\–D[½ðcÑäTªô‰é;Ë MJ׋t¥úzºróíW÷Ø ñW/Ü:ý4™QÇ.¼Î`Äwt¿bm¢Ò›Å„g°ðBÑv«ÏîM6"—êQãe+ëÐ_”¸Ÿ­6ï¥0ԘݽÜ)õ´-Ä6–Â6ú××W£çnd³+ç-Ù K9‚åqÐ)+®eîEÒ+·1Òj¼w)ÿ륛PŸMÕ…¤•2GÍø¤:zóáíhøÉðš Ã(jPæ n󚈀×6»Ü?|­³;2ßPÔˆ³DCÔ9^x³âÎI5"Nªâ‡—n.Èj‹"Y`?X±íâá_ZGꟿ~µ—ï÷?ä§k mÛSâzX·Ã%„6OâÎ3 ;‹üêÊAæ2¿ÿ+òûaËÖ„41bøó0ÂR"åÍ ‚})Ó>Qo‰¬­7÷3Œe:Óì)훾–eÁ™K_‰‡õ KI†HU³Ú¯+Ó‚%j\îbVnÃ…©2wº Þ›£ê´´ã´¦d4¥Š\\+ò»5” ¥[˜Ll²Æøóæ˜d•¸õi<­onØCœ¯X’…L¹w~žYu·YßÝ•–¼ü\6n¦üì–N `¯ïý‹˜¹ihËѶþ1OV™Éˆj†%}H/àF½D½úPôe÷XÓ\T+/J±ô‰‘½¢¸rldé2?¥Õ[-A“[óÑÆ×SjÀ’¹E®0vk9F\XVš4U¦²ýòàµön C%ËÂdqʵ÷‘ñL<šFºgÑÒ¦+óÖ›p@PIš¡ãu§¸Ñãwh§Ç~½(æoÖóÏ>Öˆ·Í)Ð¥çbQÎ '½©P¤RA,íb»Õ·tíûÑÖ¾ö8ŒÀlÿšiòýWÏÈØ¨ê1Yëc8r{õašâ(ÜòÊ7U•bþç„c7®$æ·åf…ªK91#ûh)b¤-ÛíQ9ÓM@Iº©è¶@©4ë᢫Þò„ŽmÍz&â:¯gg|yðƒý$¹b–S28²ÕùŽlï1îW$UHÖzÞÕàMÓ·žTªJ°@ó¢šO?µ',:¬‚Qùd¥±ó ^M~äR44<«äÔ°&º"óuÂÂÇan£‚ø²h( »—F”á)þ?ASñ–r¬,õd,dãò5e×*“—•ö`¾cš¾;Z<*„+mO{¢¿®®NŽÃüo;6äƒÿŸ –iš­"2f‡Ï ‘4“¦…xæ~@ªÒ‹®_MÆ8!µ,Þ"Ý"¾½ÿS²ç†Øÿ‹ù98}É\‰&õûK˜ËŸ•’çÞEÛVÙ2K\P}ë–xkì6aÕñfHhLK5‘év<ÈÀ ÒQåJ*H*¿èm|áT–h-T©± |mÁð·Ùbt³¾.j>ü|v‰P,N}ô›4n@jæi†A…•î^l¾±Ý©œ–"t¸»ÃüÿúÛ&fÂà f¹ OFÍâóúÆí‹àǵ\a¥Ð–A¹tò»Y ÙPÔE=EvωHɲ7jfVÓx:’1a":*61;h#¸ri&a—ƒ£“·'GlG $‹qT}MWÖ“¬L¥´]`UÀÓ¿¸Xx’N„Z:D†¨!—tT…åðaH/ÇÑÛ«‹3—Î~¤/î}/“”ÜÔǽB‡l’J— ž»EðÔ›¯„2hèœèB¬ïþ%ÅÐ'kãmnQéudQsȽ§å¾M]T›HU¨uìHÁ@å™EK`3Óø\VžÇÅDþyÐÉsWˆrÇõUÿH8”Öÿñ:<#¿1Í󣋫c€æ_/ô..„Š5"ç8ÇRSuíLb×ÛÜM|Њ+rcƒA¹úÏJ-’ [ˆº>öÚN\¾?˜i>Ãgû[ñ¥øz+䯷AQ2jJ#úu÷ž>øFjNO~$fO“YåæÅ„jt^µ“Äm65WpQëæ‹åÌ ûËE‘sÜë=‘àsœz…Lp]”tï´q û[b¬Û]O1pX4£Šdf:¹o]ìàV¿÷%51\0Iú™@“r[˜5>áj(W<}ìeRy%H× ÛX¹êc><Ô¥áîašÿtp*‘6‰3Äu¡UOØPeó• ¢À­f"ëj ü±9m!)^¿jG3/m£sÑÌ+¿Ñi0š¸s¦€ì ¬3sÃKø³2å®÷ãÉ9HS©jÔ óA´t4óùc>œáê“UÄ}Í.ø…g¸…seR™ãÌ@™^Î@˜°„O!Œ„ç›ðÿ<å. "´%7)O…(Ëå|4ÊÅeÖ0 à$S—Š+P H—ÙDê¾"|¸¯½ÐÏŸhè@×ëMfJ# [ R/ 7I»;K=ÌGHâ*ª4±ê!dÏÆ£…”e‡(|úX¨[1~³òL¬P1-Öc¬œM½Zéš_6ß(¾9ÜÝzzºhÑå¬jásŠ~ŒýÑ ŠժɌBD5Uáx¦õ\`q*]£åŒƒ[8# ­[ñ/Ôzœ-Êy#qY}‘o½Šá1¤RËò@[‰•࿸0€ß5¿ÚT’[«ØpZ|)òácSOWîÊ⎭¥"M(°€È«1 kIÌùB’ø\¨âm/Cîá]¾"¡q 6[¹åºã"‰ÁLµ€‡«õlq«"“Чà’áA¢°_(¸&Þç­±>.C81s™Lå#b÷´ØÚһȺÜd«ˆ` µÉ×jI ÕuÕ“po2&íqÖ©)@4n°·¢´ˆ_5T"$’§H–´SH)ÀÆ­F|#¼h—Ø?œ]^ÿ] T£«ÁðÃéõÐ;< I@ˆ[±Yã+ÔÿÕ²cüyj5þOlTGä¿T]àQk†sëÂL˜‰µÏr^±ÿVÏï,6*ò2ës±‰£QOiãE± ¹¶-™Kõ§’!Pr±ß£Ì„FÒS¥Q’-¢ÂµA7«•&j¹E5HuÆÙBSÆ7nxÎ9gž<†èî®×³üünýXvÝÕ%lÖþ8Nnî –'Îó\eV̪YU­}Œh¸ªŽÓò‰gǰ¤ó¤daè±áØåUîùs÷BÒnéúáë@uN–¸¦Äæ‘KÐè–Çáõú„nBf]³jÑŒš»*Òåòn]›Ÿ5QÏÖ‹ x} f7ZÛ˜’ð(òMwïð¯B™$¤Øü´K~‚_ð_» hX¢‡Z¤rYjTÆíô¦\=d½)¤ÌdÑîÕDF„µ½‚RǦøšÐOb°§ú$‡Ï¸°è6¬Š‚¥Hôñ´0ùY׊#𝾱’³t`¥—¬æ®òP­ Y2k’ Ì:d—¸ë±U5fl:z•Qß`q_2T·ËNnÛ0Äw$=Â'ßûK¶Ÿ÷ü¯nîÆM+/ŠÇkÛø*¥g!8ËŒ®æ2™¸ã’báòüÛI‚5¯šØz­•ù ì·fQÏÅÙ @”üÙÚͦ£3¶mǽ¼ûФK¹YwÈÀåÈMf—½Lµ ¤?¾*·q»@e?4€Mq_ÛïAÜk:bØ‚¥6çÍ‘¬·@k_'C¤êä·Hz"v|cîÒ^ðœ%) åÛ]Dë_vx!w0~‘X§‹5°¨÷Òî¿å/^çgoP mê½í8-7ì}J‹ÒÝ·7 bI\ÐT¼uc>Í·•c|¿¾¹Á|~qÿ}p¿=ù4@éücB‘ib¡±Š´³  o‡ˆÑ~"„pbÏ%u¦1)Q=/Ã@}†Bµ7Ìg&šH04õ§ ³9[g|«Ú´¿$*qbKìõö\Q0SrWÛö%Ó=Û°Ú ¤ª€×ˆZ %Þ·léÒïX¯6•­Z­ÓI2_¥«Ž«ŠpWˆyùäÛVVGq``à'+ƒ£z3›Prr5+½Af*‡C¸ÜׯìÅMT¼üð¸Üëy™ikÙÍúÕ´ôd\2¬q×Eʰ¾¾ÈÃKAqM×0cU™^,¦›8‚Vx†Õׂ{gºUýh[Õû/¬LˆÕ÷ìF8”ñžZƒPW4ªröhÔ·]û§i|1Þez·r˜qChd>r•‡´žß )U—êMÚY†ˆÍþr=gõŽÀ*…“frZΌʰ»ˆ€= žzóFø›7]C- b=îo¦Ê<µÜVì°´¡ë6%FqñþkªõÀµ.€cÝØËï ‰[M±Ö2¥$}Óö޼ Mœ‡¶Ø-EåÊÍÌ_.˜i ]¡Úåç³&7¯U÷‹¬½cÊ“²öèTƒù_82Dš{ãú)q*Û h%0¯,ùaÿ…1=¶;ÅüÛßÄQðåÁKÿ.ŸŸ\ñè‡eiž–.˜Éþ%ñ§?½<|Õ‚!ü\ÞÞD·Ž‚\ÕàÀ¯êñçgéžµú‚­"Ñ»åïå]½ü=ÿ¹øŒ‰û¬‰A2‘äœh%S~'‹ÃL•m‰~%KÔòÉ@ µgÅÒçÜÞ–¢q_éâÎ ½þÖoƾ>:sg{ãÖy*¬tõPKHâTKfié"„A$Ö>ÚÕ‰i8‰r`8ZÊË”ø<ꦻe±š­g¡ågbñág¾Zp7Þ÷A›ëÿPÞ´ÄUN%æ D¬Âʪ<™=ùØ›D¥¾‚Š7Û§µ¢VP Rš·gW‹Ò²v‰î&•ÛÐPs?ûô)Þ™4—ä0º7åÆ,:H«>5o+ä‰Ã*°J_dTŸ1ÔMF)¨ 4OkÊ>(´QÈïíúBÜÇÅ4XËR ¥•¤Œ8v$¶`†øà:_hC5º¼f=¨¢ùÞª÷F`oÙEŒi°Éð¬áJí(nTÀÈtr—z5xw2¼\Aá¢zò4œ¾¿IÀ6­]ñ¥´ãµ"êXJkXßGÔªv-¦Ëä,($nù* Ü^&wø"¨ÓˆO™ÑoʯåþF"Cçaz­Ï$ ”Æ·aÐÄyR‰Öéù^FfÄ~÷ºº›š0¥iØ_Ä+É{Dìõ²Ê‡n¡œÕ«ú y—“«“O‘å6vÞ›;•p?ÄÇ?¶…¨I YÞ¸e@––¸Ð#xãEKv¾ƒ!—SV|È3|w’yÙ:tHÓ—“í£H±ëaCKá iceæ$ÜR¾/ZÓ邞<ÒŽÂ§ê” ÖeùüKø\¹[ƒQ#àþ®ôú¾°Øžá™/"ùÈ".ž†5#šw. ÑE¡6xÂÈŒ‚çë!|vnñÂP`%`9yÀŬZòLvÜ`U¥üñçLÜ Tkb4bŠIOœc¤çØ=Ü“ÈG5e10žC'q¨T" QH¥4såœh º‹ÞžŒ~Á/Ö\´²Ý›b¢zâ–yæ\Ü«jÙ3²tçbºÛõíÿÂt!ÍÕ}£RÅÛâFüê§³¨ø¢ef©¬d{¾ÜÔ;^gûøxtÔ?=\‰„ûlAÖö—еº ëÛ^(Û³þEXe^šò;г'Y8»Ä2ùá´uúw\Õ¬jì’²©n!ç õ‡ãÁ›ïÞœ¿Ûé²ñ¬ Ç®K%R½·ôaÌ*6¤"xSKâ4/ï J¾Jq¯-xÁ=»åDzSFÍ›gÊh³u-ۙŭ*ÓHm¯kù»-Ƥûí «—oûIªƒRjKcŒ#Sö³ÂxmM´D(zÀUÌ"NË-ŸK¢VE)r ׯÐ\0Þ6hY¤ÚŠåMqçQÚÖè¡rÌQÄΩ ªpmζÈÅퟙ„‹§x$”¬U½D³îˆà-l°økö6—TW¾eTì±®©6mh=$Ƥ?.¹Ýèç(•Â;ˆåδ¢,paOòá>nTd²6úÀ1~Y걉ëê–æõtªU÷¾ÿŸ³ÞÑÿKÍÑàÓåéÉÑõéßG׿¤zkÖõ…“ð i®B$fÂî*'ð$åø~.4OV¿%g€{+h¹6ùYGõìÓI¨8Á^v"‹Ôxõü¾^X¾Î®È¼6‹ßÖ.ËËvî¾ØÃKt›¦¡S\îï%FµF)G/ß}¹ça}~à€h σk˜d$*{$1äî{ž4†áPкÈÞ«›Âœï÷S+æ‹ÚHáSorê5›5€®È"kö´ƒÌ¤Ü¯çû}wØ­Ç0´†^ëÈMäì”ygkˆ=kBʵnÊD¤T!¸âµQö˜éHªf`ç•Å~óÑȘ=J1\ý#V¶îbÒBOv¸©Y D*Å~Ï êI7^S¬GFn#I‰é Zåüúù§Kå’s-!Ç‹%Ù¼y¢‹!ÌŒe>újß?Åq»L]k‹IÒîq‹u§  .#d)HFW­Á ð÷ƒW.!;9zÁñ*` ÄwnXë‚ák‰Ñ6JÐ(¬³£8šT."ª—-C Ó¤BïS™áí¿=ùôártyqrî²Á^®ÿ1¾?y{þyÖþõd úÈpO”‚ó:Ç_Áø»——+Á§HØ.J@’aЃKê²D£»ñ.¢Ò!¶Aø2óBã/ötÛøI+ô–'FÊuHéTCª¾LEë± ÎRKÑ%µ"S殤/˜Y‹Ä¸æ'K*ÌWŒEP/ž¿»çËU£¨oÝ®ZSJ¢}ÎHNÁê3ÎêØÈ ÐÁÀ‚¾3å¹Sº×õB²‹Ö>µIÎL ø#mã„ÀMâêQèajýÝãàB3Çê–=Èb°gÔMÛôŽY cÖ6 â«-î'K-’ B¡RªAù/pjiVö´0†!ZøÆ”ì¬}[.tcJÆ_÷…;=¥nnˆã¨¨.kûö''SU…!øšôk5ï£"¥ì4ö%ìj=™Ù¼°J†_ÎúŸNÎ>œÞú—#Ú]wõƒÑmDVc¨}r9T§Ó(xSÙñ=1_³Î^òÞÜÇt aÿØeMïª`Ô.r1º]6åÜíIŸ(܃Äñ–?¨8§ãò¤Ûì‰b&¡S¶yÍâ­ä@s_å¿î·÷ÕLÈlnç­§_"H‡Üá±HÖª±£,ôX[Fº¸$Í]æ†ÃAÿêè=û4á‹Ò±Xä~-ø[œÂ0„0!?€²V>Ò\‰2ö;ƒÙ£Ê`kZHd¼bpfeB4¶j…̸!tz<º¼b­p"•’ŒŸïÊ+SI_ènLÓÆ£‡þL‘¹wûµZíF+”6™Áä1è„H,9ö­Â1?úÜ(Ž›¿D‘²}‰Te9wI®|Ï7“l̃Ïf¾òo¯>lƒõ,ÃýHµ*|eáÁ¨°#X¿KÛ¤ob«Hm&DÌÉf»õï±%·Gñ« ¡O­–” ýÔ—áÍ’(ÂŒmX­gXƺ.ððOÔó¸‡\JÀb–Šþ³´""mt£ “YÜÙ¹Òg`²¸¯eÀx!iAHNågZ×b62½†¢Õ¢Æ;YÏ4”m1­ Ž^kˆØ\Ì‹t´T­·œµ¾§Es7îÝ*+M-Ç(÷«W™jI މ {q =¹+2ŠžõTwO¬ÐA$Æ­šŒþbêmÑ"çi¦J¥ÀŽ|Kµ¾lÖR ŠÂ<©¦`*‰‹€ `ë]´ã²“º0Y\\ŸªZ¬^Sh/"˜U5­ŠDG|Ú‚ ºôÀ½ø»¹ Ÿð¿ª5-h kuÏØÚ¥4øÀCp-ñ6Aæp3ý¼?u#šù,Cl­ÄjÇXº¨˜«œ`¼J;âè gÛ oÙ祦b£;2hí:3Àù¸åÍé/ØX£ÄÙ¨hÁ%ÉÛ€å^]¦ -œBM1¿w1|ûâ¹Pq[ö¡z474^P-œ^&øÄØG&äiº¥óLpÝÜG]äÔÌŒ…CM+®²Ê×â¨Ö>?ï)QÇÅ…dží)c=$~²xÍ“Åi¦T‰ aã3 AƒWŒœ××Õ‹ãEµ¶iM䡉urŸ‰Ñ~`"G!ZˆcR-ÿd”n :¨64nÒ-\–_HñiZ†ÇLž­žY!No¶±lãÕdÃ&oý—¦ ë«D‰["‰ maå'ñÈ!é+j½ˆ ×/ÁzñçvlÙ î%6&MÒ°˜H½Qƒo.~¬ä¹%¦]{w} 8åD¨@E@ ¡?“µh°æ;mËä°âîz®¤¨ ç¢5 b¯Âz$D©zƒEoMBšÝ™Y· ˜¬c^•ßQ ßLØô”š¸Gé¶Á³ò®ÿݱOJÉ\´ºÍÔËMu/îJ瀹¯¿$»•”F)ë@²¦NVðv¼GVKx ÏƒQŠ4xÕ8­…¤’N#àE±Úð¸TZºGRVþÅåàªíFðùàã¨uÕÿ»iбúéŽÖñ à>DßDרž–áq—:¯Ç‰ËÔG€—†Å—jªú„gz§nÙç.Ÿ¸rÙü´t·Á Ê‚þ-U$„—8N’)þÀpj¤öTeFî^$Dšî3ÞuÕ±9Íor¯µV°•‡t­>±ÊLÿÕíÛLlÌéi&€£mÒ–WîÃ3—#Yë9â)ȃDš©Ý\Ùœ+h®~\]åQ•¼uöÃˬêÜÀYp;Ѳbx¸Ý¬‹+Øs­?Hõ\ÉõXLA ÷¥ëÅ£åRzTHÂIÜëû‘Ùî­ìÕ{¡¬ÛYÒ%Û Ø£ËMw×#%OШ¦$¹¾ <;5YÖ êùöˆž")4ùê€ûM•,*²ö³¹½›C3Ú’í݈"„pæE”×IJè>nX¹¯ÎTþ@¢†¸Æ¥+…Täl$^BkUŽÑ7ê äžÈÃgÊhÌ‘&‘ <ÃxF·šŽ½èY÷ò7ËG÷XÎÆ¿Tó©û²kwá×n`—BÙ‚D®ƒ¬Ü{À½öæ™=wñ™0[Ó~|VC5笢¾P_T¸YJƒ¾êÏu9÷ŽÏæažLnîMˆåñÁK,•XÅÖp¨H¯;dmÙ”ÿ¯Ý£#&è&¤±‘üh:®qg9I°¥Ïf²aÑ2Æk=33Jb¨ñd>Û‰®Ê£öj \‰gk[Çr¸¶"ì§.xܸ•‘2Ï ¼õeÝÔ·«¸. só3?hJm®Öó”Ðý îäV†ãûY5Ym)Í+¯>l.šóz< ¦Ž‡¯¢yK©IEc—öÒÈÉcÃU…%·)y™õ's¢¿ª'‰{OQº'ÿæKMôºˆ«ÜE1ÙGÏÖdûžÑl‘#t®}ˆhÚ½ y5²ùXãÞÝk–œÄت.À=mx}ªààZža Ÿü½È‡÷…;T•ÉRË{zçoxœå}î.ç¦Eµ¨ÕÏá¶úº±™)¡µMÃíШùC u-)‚@hOè0Kµ,¦n|Nš¶å¼/.\,©9Ø-¢WDcÙF“g‚‰)4˜²w EªêGXšØ1‘G/K÷¾¿ o‚‘Àk ßû/â5C‘ˆ…÷'`îÒ òÆ &Iù3 ÈḕÑXч’••š ᨬ¨–,ŽpøõÅáá!b›H@Ã9èÄÑ*Å ¹ÿÖì¦ò©ù °?.,ÇË€[—å£<÷a‹Ä‰ÖEµhgøax98?ïˆrf¬ÿÒ¡0`ã¾g¦ÿ'ÍS…8DCéòÞ…ô ·_ÙÆsÄm»MÜ QWJs. `k±ì%ýH+ƒø\ñ;ªc”°$PeåZ`÷"qQK¬dõMS.¿xÅ6!¬ÅlVéÔ–3TâÈY±xC0pvIxbª¥¸^‘ȫ. *Ìæ/¢³X„°Ç•3Û¨·™<`˜IÖ÷••M‰5âá—&·¯¢äöu µ½Ö œq´Âpš1•u¹tYaŒ–ö䑞x1Dý"³HöFD@Ñ,_Æ^÷\c8·³Y‘:¸cxí£k{µtQfóÌs½±ZæùåÕ;w鳎{âœçç*Ú^ÊCŠ/TA¼«UÈ:í.]ý2¸v·üÊ òBUÅ5ú3 iÀŸ]Ú3ºä0††pêtL4Œt4)ßH±àø!†Ÿqî0#5F„×'gƒÑ‡szù ŽChÃÊ Ú QU”ˆ¼©¡ø˜··Hܪ¥íE=O¤…*²âWÕ4ÔÜvçTßËÑ®Ž DMvTK"1èÍ‹Tp¥W¶—¼!-sa>žò%š·»àðÎË¥ElÕ­­:b6$KØ*T¯Ô]š\oÚÉðD”2ÒNWœßÔ÷X3¤ì턤Á1½€7p±µ‘  Ö’Dd®»’Aîx‚¿üå/bzôP.c XóàÌ6"^,¹¬,JL“Zj^|RwDÏ„åh ’¶4(µ»Wõ¶¦! Ýz§©×Ëq¹ãïNDÊ yðeK|FÛI¶ w£Â¼¬¾ni¯ï4°wp#@T‰Ë&SwìPÏÅEÂûAªñZ¢Ð T{Z•Ñ(#9mfàn:)s@ØáüÌ´œÙD‰³‡UÈÎì„+Ö׈„ôr›g!ÜPH¢ÚYÍåÝVÊ%fh•µý’µ¼M FÔÔÝ]×BÒ°l:9™W‚¶&Æ™÷¢’ÄH[LÓÔr¢‘øµ&ƒcaËà\j YK+ø”¢@ ——q3òµ¾çÅü1ÿ½\Ö&ßáø¤×›¼.ÚbUïØS§ìPêræ§eµtÁŒË:•$u·dª ê)½ZÀ _èæâéEªÃ—W`u|4Ô­R‘uòÞF°éyó¯^r¿ôeZZãÀ<àþ{]¯T¦@«‡;X°vbû7ïµ¢¶‰!yW€Ž4÷¹ÔNÔèA&©ÇÄZl—#D4‹YiµÔHŸšŒª›-†”iµ.)³ÆåU·\–Âãf $üeeE«h)^2æ^,+êz+ïKCÈq±¨@@?Ú'Ú¨yÿôò}_RÔ ¡;°¬f›V5™ülœ”Ãå*Š”Á±Uc£Þ˜ÙR< ªÜBËß \:2Hà%”´.r/Emzxe¿ËDŸ(þnDBª3¥*Îr™æfxAG‡>È:énš6®NÎퟞþýúäX‚VqŠå-óý¢_ã«f¨«F¯Úrê:¢>cÉ«,h*ðûÊŠ^‚‘£Ü°WD`î¯,gÛüçøþ¿ü>ñHd²az¡«€3豕±¾khŸÙÙéÈÞªE©þ=ÅŒšÿ^ >ã •{>¸IÎ]åbž_ZQ¦„ɘ¨@ªe€7ãb5Óy)ÏL̃KÁ,&†"Ê}DšD\”6€›^d/¢XÖLÖ§äœþ„T€t3Zr'²Û½ÄL^Vø«„òYÕÆ%Hxk¢Jö:’Î~dZ‘í¿ïŸŸÐ<ü¥ƒ>`M1Q€ K [v¢Û–)©Q'/•HÖ6q{kí_OİSÅ‘®¢o²YK‹í84Þ·!_„ê²µúeçvŒ^wÒR¿ˆLþ9ò]l6ú-Êö—(‹ ‡o©¾¨¤>_ñÍ{û΂Êtþ¶äÎ,)ZÞ#£ŒW²V p<ÖÖœUU@‰À±gôñúÌLò¦:ß­XßGIðõ“²”Âõ@ž¢:Œ”vjðMÞ:„8Êyn0*†Þk.cIŸKœ|X° X‹khKÜå»HÄߘåw'BÈÙ øô&H#Ìâr7>=§Ú»£}’öðj”+GißîúÏ“ŸFm7>\¦°ÜÚ%T_(l†½ÙMˆf5þã Ôù%¥g¶2_… ¨ gdĤU(à_ŸÝÅ\6Ų¾sÿ¼ø\/Ü•ÕͳÜÊ­ÇïÀP>™W_óŸ^›c4н´ÎV=Ñ£†ÈB†Œn 6«Ô=¦kÉq"#Q¼+–³ô¤¨{²R‡wŽŠ8+þ&¿·Ÿ,‡(¦¦­\ÎÜ,sÌ*;…~Ä®7fæ/FÒ×ã®jZ>æÇùiqåR¼ò¯y9©2Ãtí·üÈýe:¯>çRP²ú@à̸]WäíþZߕӿšQúÒFfuÙÿwð‚€±ütØöÚø¡¬ÄêþïOZb•R½i(y,­µ~ÆÚ:²¾ÿ#¨0GGË‘ ?8ùá§×Ê®‹Òî!hïÝZµ„ŸX”bKVùëŸó])ÐîuñÚ\Å>8&+|£×œƒÄBMæðb«™°õÆüÎûWï†ÄÞÍp]n…?¹õ¤ò—ãHNqç‚S¸J/ƒe+û$µ9‹¹àè FÞžÚv¢d±Ê˜w¸ø…1Ï%Ò¥nÝš'¡ÛµèH‹L€+.yŽgέÊWè  <ÜÓÏ&Zõ·ä´žÝÐIX’¥èVéh²œnÓyIÀ5›Êž¾¤i¬J|SÃ9ž&4ªÒ‹„÷‹pþï™åñ:fÅï({‹™ín°¬7hZóùP–HÖ‘fáÐ>Þè¢áš¬Oc«NÅq\aB¦nÑsµ(ÛS*ß­Kb—j-ÔSµL¼Ïê’üè<ìœÇ„ŽûAt-#ýÜiDŒÞî^ªVÜæÃBgOÖyJS÷gÌC ºn½¡7ˆÂ:€ý¬?¢]E\Sÿƒóþ—œ] Îç×ýÓ­´#oáŠGꊥÃÚcBâ´ z€}`–؆¸7æ:ÛvðÁ ¢@qWŽšß{Á¼Êó#•:*¼õ&ñêÙ=n›·Ò L«ÌÊ¥\ËÝ%]la^$våç>BCtÏn Å„T¶5núöFû<Öž'âáa.µä“­65X¬Ç¬fÔÐ¥VK+^’ô"Ÿ3騲âã5n0g*úÒÖXŒÚ;F,i[È’ÈSÓ•á±^· µò ؆‘22/,ß%çæ‘qW.q²ì¶Z6+k\( ò>‰Õ¢”š´¯0¼8í»tËt–ÂP ºwÁ…Ì…×n¼½?©0àû¹WZî ×Ï ñ‰»+´i“þ`Ö¢ y“) “:Y2#!è /ôðOŠ{RmÈBé gмN¾äMŠZ-÷@¸xF1Â`êÑ)zzƒ©»Ö–x—zÕªöýàäÝû-úœ©g[&‚q3‹eÍ RPƒ#.‚\ܳ×A·I=~®Ad fŠ<< v<½xÓ?É ´„ Ïðe •žæ·õÛ‹¢ÏGùàãðÕO‡‡ù.vû¢±ó4–‡zGBº}F¨Ù›`ís—}©@ª‡ch£« †žÿ“1¿Á¸ÝPü‘‰ʼ`:\= þ¬-n7_‰±-#ç©ûð·ˆ8dÎÎK+—MŠÉ‘[„øbt³J\D’•s“É7Î™Ë ‡Âï[°C;ª¢ Ì{KCQ.„Ö|T:öb)¼Mß¶ûºØþyÿåK¿ØÏ÷±Âñ»<=,–-G+A—¦ô¸L0]qÇîNmÙb,L±Z‘긎ÍÍZ†Tm“ØU`ÛJL¡±Ý“U1¯Öâ³¶·9i˜Cg/^¼¢’'†À‹lVˆúxSr(Žé„–B {D‡ÆÌùÈ@zsÒDbt«ÈáM*UDyÿz«³J-ªL3G§­~·0]ü…lÔ8Yu µe3ÊàòL÷Y•˜|ñÜQj¬cš¦éA5xpýÕ¾,×Åü‘oܾôeî)ϦðGÁO¦^d.,Aäòëãï.µ]U]Ò³ÇF™j ©Ô&VÕ;”±ég2Šà>8}› E:=½¯]\5•þæÜ†™r&JkPGï#gŒkvÏ=ÿ¥ø­˜›Œžíb:INPj¸-b ñ×€ŒŒ¤sÁÿšÍ¨UÊJª1úú§_‚®Ra \l´-ô"½ŽÕˆz•ò¥‡>Š8 ã¤+^Lñ|ß°9°×R·Œ_Ï…K¶ôõl$ùùpýûús•_ƒÚýXD‡ù¹ø¼¾qY<¦Ðç˜s‚Ü·­2СÙÖ"[yœ0tb‘u¢qá |õk¼—îÅpZ:Õªa»+÷Päk=ìÛ’>Õ2VTÍ.Ö„ š®4*mÄ0"ì÷»4 f{AÃ߃¡ÑÍžKî!ÑWH$ƒÇ=¬ºžnçt·\Ï 'ƒ,´cb$âTð ãBÀœÄô}îE\-¥:œ‡ªYò»ðwŰ²ñ×´'ùO¶æ½ÞavƒÑ¸ùç9ÖÑÎúè°¤¹©tð¥t›Ù—2ÑóVL)°Juó5Ò˜ˆÁªÌ­¦lD+±±ÝÐfnÃäÔ¾Z´ü—żÁÖº4²"åÿyp¿šM{"ô$^àð.ÌYÕÓêBµZeºÇ$ôñç‚ñqßÿ Boª•gÑ¿;JeÃKœàâ‚:«a÷KuäÔéÉðÚ×ËÝ𜺗sƸÛ±Ã2yÒ¥ÆÂñÿ]—ç§AŸà™FÓ& ¼[;©›‘Uоb õ×ä"À“ ß_\]‹r+7`Tìlß30%*Z;çA‡AQù¯Ÿ±þ¸¿ìýÂ-&ØЉ{ÆÊÊÄ„M³–ÛÛ¨žêU Å2(Ûf Õ ™Çü)ö%-FÆ ÀÆ“O à/ƒz[¥è+Oà‡·L±‚§ÕÌ ¹G¯)ûÇV"†)jZÁTÈìqËgÓiÆÃBðI®§‘Y°I/üÜVáóæT_P¶[¨nŽF6©G± 3;öåãu£¶a0+¤;¥NxúÀvÄv' 4~›-F7ëۘϭø…8Ÿ¾,!_çIyg/ö²1Œ¤‚œŽ@ƒ85Q¡(gQ%2¬bZËrºXÅÞK£™qÊ(¹ã™ÉM‰ñåóýI[¨@'mšeFåÎq84£‚ ƒ@a© +Ç ÈecÃTÞ¤ó¶¬Ä³Cü¹èM#Ñn5bqàóNÔôi÷-­hËZqîÖÂ?¦yŒ-Ê'F³³ÈÇ]øÓ†Œàë¹6¢bb†ŸG!ͼï†/oèšGµÍfÈgi ¸½Å‘­ÿƒeîèÊGôÀŒ`<³°‚Ò"ÚÀ3z^ñ®ª­Ü›]”ÄJÆë7É7d*ª.ööäe©vµÇ¦ûª}{Pz6Q_b-jÎD' J~H¦Ç.|u9°pp½ê·MT„£ÓoÝ߸~kÙ!·’»ôú㧤?µ³¾ú¶M’Ð\Q¬¯Ún2]™ÿgqe…B\^?JrIZÒ#%Õ•Ü¢C|öÚÚ XÜ„Â(À„}°ï,¼;)ÒÀ«¾E·Ì×=¼ŠÁ•÷Ï‹ .mªy!ü¼Åc$çÅÆ }Ñ{´©IèRPiš¸­º ,‚\pJí`ߥ‡+ÔYá¦Í-±ƒõN¼Øajò#è…¬²m@•Lðˆ)°f«3j4:±UŽ“‰D35í«bÚŽ M3Öø®Kº"" öÐxB©C½Áëñ†èöõÁ×¶4@žæuæ™`ª§*=Å<^&o.{ŒQ¬Fg ˆæ¾ZÖÔL¬ž ®ÀªR+@F¸c¨d’M´X`¡‚¾ê]±JoÈ?I1·U0Íê>Z6n€Â‹ü›Õ-;Æ0Dl(T[$©m9ÓÎÛú¥âUlN…èÜn%Áóýãbî¶¢ümù–‚yþvviµ¥Þ '?CÁ%IjĵEÝ8]lˉ¯zG‰Ùö2x7T7EBJªZ}‘7™LàìCd¾‘f†²ÌðÕ“RSü­ø*}ÛÇ>Õs7lf"HF]kÌf~Ð0â¦ä[‘xL+—‚Mç²x…Os_dcà è~Éñg uÝììýµµÝn´ôãË“lßa 7éfM–¼”$fŒŸ7Ž~(ОRF|Ðü–0±cÓð7ñ摜U%º¤ZчáÙô¦{§´ý°m†IV+ Hà39×.ûCTÐé[ìlô½H!Óì±U껌š¨^c³•º±tE/õçjÿïŽݯçwÏÆV §PËÿ(u·È_B0‘÷ %ŒèÊÐä I÷›Òk¨,Ål”u°8ò÷&:QÜ}W(O¾›Ý‘©Ö »û|\þ‚§|ëtŨbÅIÚ?;9÷ÑÝ¥VñÚ߯a3”¿+Ðû˜nÎÿ÷lŽ+— ¿ÊƒÆ/Åïù/õo.Å;¢¤Ilß²Â\$}P›)¾ÙzÙYå߈/@Ã]Eá-Ö7(“V¸áͧ¬2³ü_T希}~§”& ží¯Qi֔ݦ\7Ûê´(;êÇ*•­ ËÁ Á0„á¸"a‰hrH®`Ôs-’X?ļ%Ð2 /f{ºX0¸Fs£M5 !ÿ p¥Ç·¯[° ^*åe=e”Å4Ã{_¨µz3‚¯ÎÍÔë–nú/Z÷·(ÕÛ…š,Ÿ“ˆ˜•õb*ªuÃÌý3á÷ŠnÎRAê>¬!Dä.ÜÕœ5è÷—£Ë~KT2Šíƒ®,fÐÊñrÿL+º«*¦Ë¨¿™< Ñä÷Íx»Äj‹a4ÑgjŘNSSiNp,éÒ¨úßa UýðÓëшaõ<™à¨»ÏP20õ¸qº±¿)ç¿aDå§%Š4{~fµ%FTŠÉmæétµà„'¨J“[ßæØÈ>c?\{ãXOóó¢éL 1¦LuÇEsÜåb(À##®ØF¥ˆ>æÖµø– Ò¯™j|÷ÔnbÆ%mC â~¶¤ëª€1­*í±U üÜðÃü_÷¹j™Æ£ž­Ëk·+„øÏHR„ÒÜzã5¿þðæÍÅÕ¹B¼âÂ_]¶ºc' î°Uúüs³í=ð­!ÙèÁX=òT÷g£Kò±PHGŸ>0,¸~3f¿-Öð“˜ûCÔq4E2f~Êlõ¦;£âe@E€ý-ÔRô/Ê,)B$•'²,! K„´…<­º)Õ™¦ Ä}NÇ9ê€ó7%+u˳Ś©îçx¨b¬oV±Ÿ¬â_R°“€2d¢²)¨RцåãòpÊFq*ïqÑkPBä×\|nD·¢t#;Gü±Q4'jD<‚#†½ç«ñÉÉ º¼‚Ú0ÈZw˜£|’U•ºÆV×MäæÖ];u{óÂëÇÜè&üè‚õ¿Œ]º6÷(ØCYž'mŸL€r¼œËûKJ]0QØÒ`pWQ›{67C‚½õg¸Òvúòú¿ZÝ,­sDDíàCHðÀeSXèPA蟔âDùß@öP»û„œ „M¨ˆ!.±7eX¼)Kë &// a)ª4mÿ?\5MŸOºü»Åq-Ú¥‚%Œ-ç”ãÊç .@æ:Š9ÚHä‘"øfI1 Š‹£»ip®ù¬t‡fk)æžHŒ.ü.·R¤1'…»‘z&úé-›ÁýãV›È[ˆdÚ+¸ ï Ï œùµ‡u èvRµžà~ô^ÚÆ™¯úçÇ0éØD›]Õê;Ù]g‰½J—*gOÍ>®«TŸºÅË—´z`|)(Î/ݦ•ŸÕeª^w[dé$¿OBjÖêH[Dz‡Åk¬ßxF‘¤47¡C²_/Øl“Ký=÷Âèߢ06œrw/ëÐ =cæ¾,aË«íR¹RØ7¿*¨zpT4ïÒ¢';¸V ‘wô€~“jæýë Ï_šÏUö„ˆ‹e†ªè<+šÏ@Ýô߈YH›V¿µèš¦úóz4™‚Q«0}¬Á&z6š›øF‘ÏN²®Ôÿ—ßJU«·nÄ‹¥ïŽÂ‡WÁ"êj0x3©5*©‰‘6oÛÏà8ö¨´:¾‚ëVvK5–ˆã¥¯…{ v†È°1I¢EžéF[A…nW8Â{º§I›Ïwù ÷&}©ë’…â¦ZI,²_ÒÉòÙ–‚†QQmnu~.± ú Sw!f¿ÀB8h8黩@ßþd¹Lô¼J4ø´I+»³8{Y-äW÷’_þo¯ýIÜtfx'â¬-ºÜÏôˆw5ý"1QHˆŽÆtkÂâL5ºL°¹¥ÓÝδŠÏÌaý¹™ræºÝ8v‹ƒÏÅAò*=çN.®Ì–ns´¬Å[Gy¶w£ª­&D¡ÚSds=ª/z’œÏnº}ž–'Þû>‚lÁ‘=si }™ÝûÙöVpZ TŸ²…á•—ÇFÚËWx@UX»9@Zû³mêjš{3q¹ñ­L-*cN®[¥*Õ1LuªåéØúÒÐlr‰Ô5“X8T> ~&8:2´Ð8Äâ4Wô°­}f°tý˺jì04@2á£(Ò´Qr0),Q`°ôÆmo’°[ŽH²Ýã“áQÿêxôñâêx¸§QèM9†šÕÔ¬˜øBÒEèëÉöhšÜRpÉóX`*9!n\”’® úÒB@ðpgZ¦”¨]G¥EÆ"M~üvê@ŠçZ6¥vÜ ;¬b5â24;š™­¢Ifa˜Ðð£GB:>Q6ÚEv†uZ0k¡4-là¢Ö’%ëò¾ø‚D—© ‹D+)e¯¢‡›2"]£‡ØÝë‰â$ú“iUâ™Fâ˜Í,z\jkÊ®})aõPë¯ÇI î-Ö©õ)Θ¥lpPûl¨øH"–~¯(F’ÏÉ s—·t‚mEÜxd<Œ­mÇœ] 6_àjÛ*ãÈŽW¾ÈFn´Ðî2Mð£½G3Ô(gýº 'U®x8™y¦a.¢£ M \ö¨@)Ô7MnWûd¯yäì÷„oÊ‹aläw增e4¶}{Ý÷«ZY‹[LdƒP¥/•„£CÒ|nc}tyì99#÷/l虌ÂEð>j› Ý€,Çvû£¨Ùñ•³±Ó )Õä¡åáÈo¹Æ’."k+·vqp¹m9¿¯o{¯Jk¨ÓÚ›²eiƒ5Ùùªnĸ»¢ð|;ò iæ5ÖŸë¨ÉÀ—‡ââ·öâÉ>xˆÏ„ó!“Éj[h$Q `\.¡iâ×4)á{}&åLhçYŠˆn‚þ”ÔÁÇciñûS¸ŸŒ`úU03m /kŠ(µ± kQ5ö²*½ß¦Ì9²CSIج¯êÚn i Ié:f†dÅzJ¿Ú±ŒT9µ Ý*ó@>ï›!òÉŠÒšø6§¾åâÆÇ›[¡gŠÌÏ:¤wLÿ,[Ò2ÚQC—Õ‹l¾¿ä”& é=hGf䲿óë«þùµÈGIÁ2MÍ 26H¸Gú¨S@[ÒgÔdéA›zŠÊÿþI7¥Pºa¾² óŒ÷¤ˆ`äˆá"¼WŒI³×v‚ö=$u̓ÛNrwÜÆC}<ö¦‘B!‹Ïè–©_¡¾± Æ'ÒËPPŽuc ‚ÑãÍ­:.ÎÛK³›ÈLí P –‰è«‹F)\ Aмônê ¼µ\j÷Å=¬éÈqKƧ­PBtþXu‹[“À™ ÒXÛ¹ µdiºbÿh¼è·Á¨W º)‡Y:Ñ(©—#iÞíÇË™B]K¿3›AÒ#Ð$Çó9¤ìø\ ;ãÆœ‰³Aã­Ã)\Òr&àËÅx …ÄAÿL´?—=&§6r­Lò8®©%>‰X—Çà 0Þ`tr§ÔXyØr¡L\‡¡d«~ø¤eœÕG"s0´~8ôôer6I7d­ž‹¤ëíÍÈÄŒ¿Õ (b[f;‰˜WÉ ÇŒ x¯jHÉPp,vm™¹ÎÌFBB¼ÅZ/€ÕI†”j —h[*³XäH–%¬ÖBà ÐGym¡ÕæYdê0ïÙä±?Æ›"7·G¹@Cju“ZjÛÌtK¦ÿšçŒ0i¹!k]ˆ ½Ñ2I\ÇæËÐYpÑË#½`@^­‚–É._Ât=þ¼'…DEO*zUŠ©1 µ½B‹î×!uZÖ îjYÌŽë{Α ,x}N°ŒQÆ"éu ²EfÍÂÞ¥f“ÖLHçLl‚aëÛ;o îÝ 8!X@'ÖÇßî\¸°ºG'):%GÂæ+»½¹B'”ÊM~ãö>äÃì°ç²#kè V±­tÞ]¶…¾I‚iµ&¿»ûPñá#›2K°4ÒÌ3O¥ÙÜÅ¥Dr\"›Ô§%÷è·žK^ ÕºZI•6hÙ%)—ië%ˆð5-pQRoCy”»`¶¡F¤fÁŽâlDn|Ó5ún™VÒ\ÐVV›DT¨›^ES™ɲªÜzmB{q‹›1mRôýÒû¥$U'$Ýœ(6‡o’ ²Z*ûzå‹hU>:ô¯FÇÞÀ=ªHHA†‹Õ’àfÞ£V0VöAk»7ÉF¶ñyYó*¥ÄCû{ñ¿¶’I9mâÙdyÛ ;Ð=Rü¯E´{žŸÄÍöÌ—}$|”ºPmt=/¿‚&&îWÿPD"ÃQK£­G4|$\¢çÌ*p°›ßPæD•“]Ò"ùƒj£/-òz*¡K7)‰’{ 9fúèÁaô„¦iÑÈðÅøT¸˜Šw„‰Sß[£~Œªùô@m=RRcÚ,µ­ìmŸÎaºÀ‰D3D©ÑëüÁ=„\ß-mþdÆaA®‚9/~-w¸ÿrùм¬Ì"ÄhçNýšQ‘ž„OàP“Ý!”cÅéÉ HÃl8ÀÔ¾6UÖ¡b>² ’„ê>kPâ«÷Qùå¾Òž©¢÷äý@,jâ7(ôä]ñ­*Ü¥Ì"6‡VÞ8C†šBIùåVÔ/¼Þ»¬ñ™v­åAµîޥ壴ítgßóC›ùbµ”.’{àþßüxà{9‰Ï¹Ô—ÅkU KV»ÓñÕÇçG—Wƒ·ƒë£÷)W¹x˜ç‹»¹B<ÿÓ 'žëY¤/ª¹dŽT’C]2ø\™Pb°e rU¢Ce?.já¸Âe4óUñÕ ÕT¤^ÃO†žønÚ|Þ‘ñÇ«Uâi™®›.8ü ®8ÄB(cñlÅq¸Ù_Ëðfâî«ä%Ñ\$Ö<ñ}ö ÁÿÏz·¾úν‰¿ª¾s«fßS|IvóØ2?Ä>‹÷^S åÍC¹XÅ<†õœôI }`Z?Cû³J&Aì7êù!pZ¡¬*ûãÁaÔ)¼9°Ê“³þr7>hêÀó;R–G¾\ ¾V«#w‡ªÖ*~J.À$¦^ŒDEÛýyw¦ÀFÄ.Ù†²óŸÄÑ …ùÖë¼<†„^Œë›ü¼øR{áúd>¨Xë*\Èx Œ€”T€ÅÕZ­“O{¡ýÇÈŒÙWÀZØìMMcX 6dh¤CÀëc ÞeIÉ–¦YϬ;„q®Ý‡å瘨£Ã€õ²C—­®…)º3Qð$¾¶H)¾TµŠ½¸§þ6Æ(ž›¾‚Žl¬Ù¾O ¤"a‹´NO—§³ç€{¬OuJãëãžM÷70+Y‹p@—ìíu±öeüX%~ùÕq…ÏEÉD¥çþ‘Ó m•Ö¯ ÝO–Pš‡lÈ©ÄÁ¤l Ñ·×Ë1ú)£G?_´|¢ Ô ÏJ*CÍ=±ÎëÅV7·ùºð¹úRÌ“Цg{=­82&jî›HÂÁ6‘Ë»¼*º’;¸<Îx¢eA-“ÖXŠ7e]¶u7e€’â- AP©x®_ ,Ž÷(£ÄfM×Ç‘bœåݲ~pƒZžõz. †,„÷wø_­~V3xš¹ËÂUp=ôuš\·j+ŽDJlÈBö§“©ÀÅéî8ñªRÓ¢nK)EÚYzàD…QY¦Ã'çn…7º€HÍÔK×T™Î½X #õCOË´Û¹h)9ZÕW¤9¹”͆OQ·KmÀu¤)hÒtU€|p±ËfòÌýêþ“u‡¥}ã¹¹jù§_=¿~Ž :z5&¤!/hÓ+&zúÖÍ|} O¼%. óÀñ"2:UŸxQX+Báý%+ ^ùÃ-,Àx-èõFŠº߯¼2´´>)û{-iw¦ÄSr‡¬+ŸõʬRä•ûX?ªVà>ÈKÞÐj6F¡.I¨eb©œh‘mî ½³ü<ÂX’ÿ²JÔ¢ÐõLŽ©‹Öwq*•"¬ŠÌ`¤@8ò6¯Þ'504Ÿ—ÒîøÛ¥S;-h\_}ÄȘ·.dÌ‚‡gb;uþöä]m÷ñ5Ï^X߬¸ÿÿ†¥-ÊeXœ¬E[À("¨±·²œœ•3ïüÚ;RZ Ý¥iç–PÇ\jžùÙ Ýn€Â/Øñ~ýêì t7šº•’·ËdE³TB>¨iª] u6óïÔœW)ÃË£6I©{õ£a—,ñAè>’“·v¿ûRçWõdépùûþ6ê -¯:„•`qb_¯¨:ÂzYO´‡Q´’¶2iwaö‘5J,léL§.:œslpq‹Ôqtk©ò¤ÙP¡ «‘FXQé'ÌF¬ž"ÚçÉ VÄ0 Níý„8Ë-ú+z°pšQdGµëV˜™‘H–x€+‡JAn‰Š?9)CDS%‹Ë‘‹0m-Ï(<‡b¥•—j•iÉŸ+ŒÅà(T"ÉFaKuÒº¥÷ÕM%y´mK‚­«çûÑz3¥â¶’0K±ÙŸU#U–œ„lØDMÆÌ_ƒ…3Ægó‚4&º¦¬M¹û­*#²O»gpþáôu Ñ1ð„îܶ…zòÆWd‰ù%Ç„(ƒ‰Éˆ(£5E~ñì¼D¨Ã”S'åå‡á{¬K׃ókí5¥â>îV·:|QC+²X[=¶9WøHWcQÓ3ÇL¢åFmTÁƒƒÖ‹ßÐ2›×#ñÀ‰§‹0f þølYf*Eä†ðÏÅ—¢-šßw'M°²ˆ›^@´r)ãJßÀ•k5bCæü¸žLÚÕQ˜û4÷…æÜÿÎ šl©Î‹×ÕŽw 7W©\ŸÉ¥aðÜ—Ó Á*ÎîG­´õ}$[1C¢8¥øRŒŠe‹Rˆò¿ÇƬ³!p­ËùÊêD›tO¢‡¤Ãç]˜¹aë ²Î²Œ‹³uæ8ÜŽD9¤‚"]!µ¯ÑÅoîÁÞ7h ÖÍ3=ôÜ>­1®¨ÍðÜÞª{H¢ä#T¼WQ§T‘M Oz %t¦^ß§eauòú§×¾n×ë¬æõ’UšÖžýׯ2ß¡¬Ô^[±ïh£1 @aO®Eÿ™š±Y/‹Åßõº·+L@A$#bÀy‚6{.±&†Ë!c‘ «®£Öj]Ÿ¬m]®öˆŒš÷B8”b1í‚'_ ·"Þy¼èJgÔ•ý‹èïª3o‹Xªc‡À\ÀJÁ,21vÆžªÆÀ6†ˆ·‘”¯™Ú*Z#ë¤ð>a­«y»{–îZŸ´â}b›–Ò¶ /!f f·Cš±j>)Å‚Ièü}d@Ôzú'¿‘ÛcJDÓo™E'’(ðZÛ¸tyÚ„ŸH×*ÑH˜¯Ëi>,Áœ«3Y#¦ édÉëC#¥ù¨àáôu°ß6J5-”?©ÿmĆVTþê¿òþóŸ÷_îÿp˜ D‚sª¦µ¾Ôøv‘‡‰4/²Ð¼ÀZpUÃYú½»ÐÏml©T»hþüîd4¼øpu40"H°ëRLgO:{Q߯–@×-ue‰ŸÛSå& •Ÿ‘D†=Ai#dúùûÁ‡«“áõÉÑ‹–ÑD5•ysƒJérÆãRË#ÿ’Òµ8õ±Ëœ|áE›»ˆ83åÄ«±t8o§Åç¨DFdl ¢˜¬?wóyþ˜¿sy-Ø•—Õ¸fÀØýõá¸^­ÜÜZXàëâñþÕÙs¥ëE?‹úîm¡æiÙVÁï‰qÆâ—,‰i›R@Q"+šë`·‚›ºòpvÔ²Ý3${”s²`˜ŸåÊÔÆü"!â !y;R´7È‹Šª ¹•Øc<ÈÍÕº‘ mY™Ëû%•`é~>£‘–â(æy UqÉ è41BokÌ›êÚ‘Ü/z•IÝ×?ÓDù§ŒD]ævÖ8ïËõ’o "•ª”¼;íÌe°]jCTS$¬Ð~×h5‹®Ìæ¹­µ<[¨'àm96–-÷žª…á´å´ÝÕ'­”ÍÛÎ~+â=,»ƒ‹.Ø×½öâùƒ.ž‡6ƒ›]Ò ŽHÑ¿W/~”oF¢³ÿ£`òésÊä'¿aìë5X™\ õÌ/Ð ùK1¤ßîþ±˜[ ú¿ ÿ¹ÿkvWýÓ“ÿè_Ÿ\œ÷ä§Œ.ÎGǃ³þù±Úع‰Þc)‚èže_ß …5pHáݰERѽOÃ)Aze¨W ˜e“›2†Z¼ÌÔ˪gn4¡LZw%°þ–hY«µLÊ …·z&G?od”–™‰ùÜÔ_Êöû|iïóOû/H:º&mðƒÜ >…ù¿*Oz:©lÉ^‚vø»ì„ßÒLÕ:MÓ3Q(oÁ ·?u[ë±ûœ¼åôn^ØÝ¼¶­}Ûè|ÁÑyUŠÐ_r>u×sñP'=ç•M7/é¥üdÙ©ä«Ëéa…C¿õ*Yq8ñélÄ‘_eÀ~s£ˆ‰{öÊšI<­¾¸Í`-ýfP~‘c¦ÑΡ¸QXÍZ(OèF‡Z—‚Tý«ò´Ú• v±` §Qßñl¶f~º!"?Ã[·N%‚f…Ž·Fõ‡ÃÁ¦à0ÀÜU‰Ó£ÜÉe­LÑÎï‚™ag,#©p›÷¼ˆèŒQ«Z¹½áž°øÜ»Eùsp?Tý@wxÅ#8?ù$¨© ‘SááJVûyä»ÿ–¿úeÏù«rü8öžD nýü°µÇkÁ"C‰K7™é¾•MH¤ø' Çp·£Õ‹ý¢fìðûÚ²˜àh›T më»2ÊŽÝ]²žËÛ4 7­k* Tî7Øæ|%B³$4%$ȆÖûœ˜ûÔo³Å¾èÂ(A0ð¿Þ ÎW'G#öCÜÊ4Ì|/Ä…)Ø3I#U¤%€}ZT§áЗ2¨ÀlšdDéÍ+|©FÕ7šÈ[ÄÃίۚ ±š`;ty«[YЉίê…ŽüØzÆÖ‹Ã$ÖC§Ê —KÑB‰°8-’‰ö*#5z„¸#­°»±1ÉþþîãɹpøñÑø/ c4¬§‘þ¥lnÐÐtán0ÀŒ€[W.Ÿªò«uírrkUÉÂ-õ6MÁöD¡DáºÃ##ŠÕÖeOTNŒõý;Á@nŠ/jz&L™îÚIqŒ:̸à–ëÚXIír< ,–sú=sƒœ œá{ö¥¸[ ’]Ó 2‘–£ß”hÔìÍ»»Ü¥sQ|Üa¨p•"覘í"†Ê¡&>´„—t:Aä µ"%=•(!+é“p§ W4|Þ–òÍLªÖ+íÙËp{ráñR.Ñ ¯ uz‰\.Ú.—„ð%"Ø$!žS›° ‹ÂEC©|R®ã¸Œ¾~‹¤é÷Oh–£•~'O®˜¥–½ÃžxŠļ1ó¨Õòq´ªGf`!–¢¥1i[Çáï\R•Ò‰šŽÖKÒ𞊦]j8õMG¨€Þr·£Ãæ~ÅRURÿsãÁ Í¡[ýÊ­Ç·£Ùm¥Çhçó5…—ÁÉ+Ô»;?B™~,Vn¢äªÕy"’žçrlª=z;ÓN/V¬ÁO×ïÕÛ[MªäBp¬¸»Ã‰«/¥WOO;YA…"8=&> ‘€—XÇÔD,V" Ãõ]…zš6¸¤½ïºwç÷úàH•ag‰B/Ã.¢•[aCFÎY8‰_|i$’koËßoæ¸J$ruaÉ0Òz¼„·ŸcAr‡€«Ÿ–èý ^Kis0½ýƒ(«yÄúõȘ¤Û^iýªML7ç£tÅ=vŠ9ÂX¶EË0’xºª9ì®$''±š§ÛCî¦)mÎr6iGsý£¢ZæGKX3ÜÁÔùlDzN<ðµI®^öÜÑ¥“¢·wP,p[Ž\gwÅCœeé+ºrç6=­¯«™Ûóóƒü¼|hî‹Ùž@ƒxEïDÝʘ@˜·±ç’æ¸aÕVîYìçÔîY¥Z'HH] ^´â‹–¬º•uâëHR*t´#{’È{>µøO`a#(5njú¤—å| :ØÅ¤”9Rv¾ª¾ˆœ$Ú ”XÉÉî×77’ƒWÅݼni† 5WËñzÖ°ÌÖôZ Rà«æ+ª9¨“éCs‹ñ:ÕKvóK9ÿ æö×ÅZˆR™zð>ÚÈ´Ñc t:*<@×a `”ô0µ$'ý.k¤ùãB"wt7ìgY2F7zd°$\Œ<dzÚ}G%b(Ô¶·h´É ˆF é61[YÒÙ¬»®ªKŸt¾dÂ<”4Jë;qJƒ‘{Q\cŸ¯h=1žrºKýÛ|M¾ ¾p³Ñhx}|4™±S%v÷97¯?ˆý콋Cÿ OG[ñBΆ­ôLDª{÷Wù­©[E-@|”(ú›y³`7Y uãÇ]j¹ŠH³rÕe,“Û…÷²…HvXD¤›‰}þ·C¾ŸnÜ0ïz“}ÓÞ+¸žnH%û0LN>Wa´´lqEC[Bx¦Ii#xnrõiÑrð 2ì¿õ $Éghg 7ª›DvY’ó®+Mö¹¸Ý µ¦2ÿ÷u ÛÔ1‡à1š£(Ô¬— 1_TþW›ÿÌ#}/]pk­ Sž4ÊÔðâ´u2ôÏÓívÓM¼p8JªQ ºÑIË÷¦ÇƾÅ4š/̽‘àkà7Ò¿ ŒnP“ê´GHM&»ù˃Ÿ¾…¤»“,Xq«Ÿ)¬'thw‘âhÿA:$;Ù®[‚~!Þ˽^þG “Þ=íÅ í7êBî tU“ #Dž|NbÕ!¨ mQpÁòµÑ#cÉÂh_ ¾gž&~§ÿb}‚ÿ[ªÛ÷ÿfÉßh¼pÖû¯FNÀ·ñl@ ˆñ*(Êæñ8–S÷.ø„õm‹/í•l¥´þ#íÔznТׯöücÖfÁ_ÕBD¤MQqˆ¹CÈLd•'~ªâA(®zÞ”ý‚ß·o+¿ûSl%çâ¹FÖ3„rn„êjN÷Y˜yYr­þê41õnîÝs±Jž‹MSvƒ:><4p}A* gÌ,ô½›‘nRÄoö£vÔðºoe›Þ˜ªï(lù„¨\È;5kÞ¼Šù#qª¹žÓvǶ1U$^Ï/†¯ªgWC'µsP9!Œ3%&yú”ð±P™ÌÑ›8®ï¤ˆõo– ,OŒxkR‘0ÂÃ÷AGшEÄRæUâ,Y,6ÔÖ€âß"a %Œk¿ÌMÝ0\°ÿJ[C=ß4F‹`ÕZ‘ØíŸ|ÚÛšÝ(’ÛPJ#]»¢Õý-º)Õ‰ÉâÞ‘‰Æ²ŠQ‡2Ûͺ¡ØlB"ÐT½èT&Ëå ©Õ†$m)ShŽyéʇóÙD ɾU-<NaŒé“‚³Ú†R§æ/<}ë•×··LÔ«ž€eÖJ…²,¤"LŒ³i×¶Ùâ/%mŒ,”‡››ågB?°ÂU_¬†©"±âç9\ÏT?BÇý.²¸÷vÑ*…ÐÛ¼%¼2¸BDBŠ?gyç–0&_)ˆtÁÓ¡¯O1¡úín±àÚtëã·¸.õÌK#n´ù‚ÝDß{þµ.Ö«UKFéƒY‘Ÿžê*ãóÚpt=°ºcÄÀÖ"ôn÷ÓO¯£Ÿ¸_\VëY±\Öéx»±–p qR­¨€t2SJÉʱŸÞG$G÷ȳ7K„oÖËU¤aAõs,KKRq€Á Äï©-ÅqÒÅ<2sAàGgŠ!c­H"‡Ø»…âß.´t2ñq¤~Ê_0 œ•ÿóSDo‹åìY‰op‡ô:h-4÷ÿX" =±ûî‘®„›*}—k¥Pûšdã-\©gi»¾}±×»‘¢p· Y¶a *aN°ºöú Df¹@_þ¨DØ\\vÎÉ'vj›Y{Éq4÷HÒpYÀJ¥áÏ(8&’dKê¥ÛLÑ’© LªNï Þ«‰ut3×øáØQ•æ¢ÔÓ¾W°I‰TG}a1£èC\± {ñÙåÕÅ5ô—~=~ÓX0›¦;]±c¸WÙ¸"nuNRH@5Ï?LWËB:ˆ.$-ô~Ü#%cU†_æ5xã)ÖãI”x¬(DNý Ü¥ÛêŒ6¨´÷ÁC˜‰pÚ¤ŒàêK±-Ëÿ×ÝÂM¡Õbqáü–œ%KÜ>€bµ¸]kI¥éhXj6q<ÄΤÜBhxKÚD§ŒŸ6±>.˜ R!t™!EÝËh J´NçSб3Œ‡q“ÂþöMDÖR ‹õ” ëÇj…„3l‰ÑÿÎa}Ä"À }i-IÕŒ×MLë"ìŒåÓõ­Ûb¿n,&8÷¿ð ²>WPQ;—KHÁÔU±ÊÎõ¸^œõ±£¦)ªÜç²íÙP){"¡R´r‰ƒ‹¤=¢ÞfÜÕ Á†ÆzWä‡d›u‡6¸?TŸ*½µÿ¸¯8´Žî £mI‘§K²Ä»jäw‹¼²°FŸ!42Qð„˜çB$1JÁúz¿¡4© &ë$>™óKB¶éÌûQ¶=aqÂQ%¨ñ¾ž–™ªV %Šfç£Á§ÁчëÁèrpuv2ž\œÇnP]ò]B‹Êê âmô`‚<£¬âî÷÷ˆlåïú‰%Û:¡GÐáeãCr«:–…]ÅAë2»h¤êb7á&'®œRŽ׊[¤­mÁ|Äuá¹ËŠ®Ýü_yœu‹á2’%4¼ÓÞ¾ÑâIéí¸¶ŒbxrìJ/ýÖt/ãæï¥‹YÜ,¸zt1Bè° BƒºÁ»Õ¢j=|ÇäÝ6Mž%7ÊÞŒí ²µôg“â~šýð§Ã}·}BÍ^¦÷Æ1™·­‡šçšŠD>à²'®,Â(7³%|eŠIQÝ9+ònu½HÄ+Ñ‹p#öÑ]ýêwx4¸K(%Ÿì­ú]g/ñ’Øp¹ M Iù¥œÖ‹68¿³J&Ç3a‘䀠Ñï7«Gî;ó`jï÷˜¤‚i¡Š‹fÜ(‰‡ð€`OÌÔÈÞ%êäÖ|Ÿ@v¾Âž³ß½¤ãŒgu( [U–×vJªÈZ•Óüê ŒîënVhèJµ¡€Äh,D«WÔfphªn“¨»Wd!Ù†.ÛKÔ ¼fX(_Èé; uQÿÅ´ìé‘´—pÊu#µ«½åÒØÕ„‰Þ綃¶O+݈ÆË¢¹æ|¹ÑäúŽShÓ=çÙ†‘[xȶ@x­[’NUtuˆw¬îÃ"/ëPn‰qË«%¼F+ß©Db-Ö²”ÁY¡Ôa X *ë`¸Ü”î5Íiƒp·hR|ªŠúózîöüub¹ ¹ù˃Ã᩸ÐF§äðú4ê1úÖ|Ð!Ù{bqlÅrÙzVûr™¢¦‚Ò¸ÓÍʰç奃Ýjx_¦Ä¡„|h1Mò"÷Áà³yzfOuáZ-¢½6bÿxàl”’^_{éjœo\ìÄ^Ü8MHq^M; ¶fV RÆo!bB@™V!Yè%ú¯d7¹¯I•<MYôáêË£_ì¿ -ñ•¶‡GµóÖæEÑÅß Ík¼5c¥íß2\%šS`£Nåå˜Ûd©†©¯-ê›>ÿ£It“Å9*ü9ºÖ—Þf{é!ßa…ô…»°Í“Gó&ð;™ôg«¯f’àÞeà_Bøß˜T±ƒXpÓ½.ô—½ž[V”hÂr‘ ¸Ý0\­¦¥-‰,.˜4…§qH8Êk¦J›”fu’h®f+n!L?Ó(˜ÖLÇ„éФ=öL¤¹Ý4º[cAØ¥}•„§—GW{fdðeãîõØÒ¸‘cíFÌ¥œ¼ Ð`,#ÑëØžº?ÕL6õ¥Ž|MŽ/†Ï%qm/üg 4äï]œVÅP…c̦xä©Q;Œ£äSðl£O´¦/ÚÓâÜ@`"ßqËÊׯ_wzgIäÎÎH?ÐiÜ”ÈæsVá,EëµÄ¬›7ÞØ5iWMj¿¸ÿó"72Ï%&Ã7tßi±‡.{/÷jŒne‡8¾½üüâꬪÌêà¬ÇGß?>¦±õ¨=œgfœÜ2÷û§'ïÎÏç×\Àá í2ô ±ÃÞÝÕä²4‰uPx²M+ð/¼¼~á @K J^Ÿ@LDˆÍNuóƒ¨l-i •˜ñ`ܦ $Ý­ƒoŽÛÍ$AöÎ4úMŸE“Ëä‹Cf»sA®È.ˆ/£ìmØ‹#]‰K©¤¢*I¯›=žV+ù}Š:X^½Žaᣊi€z/.³@¬GóHC÷ÒÚÂÑJdk-zoɨ—wÅ\w0ȼ¸Ö‹ÅãNˆŠÔ˜ìðõþ‹Ô¥|éYw .'›*²*‰d`²%ºÿrÉ;;P›ø\ë 9Œ6þéåûþó‹áÛç/¶ö2âʥ˕9 ÞÀ$¥Ðª<²mí¸q½d}ó]鈣‰Žº¬Õo–ëyíÖ˜äØS1Õ6u‹©®È¨SÎ#¢ºÞ¹•$Kz OÔE½vË=x™ )#7W H‚…/"Xë¹w”#Ç„ J_Ýy½_/2Y–yìÆŶºûóbDÇÙ¯g‘ŒcÔ–;í_½DŒ /7tppІTùmÒð¾^g{ÿ¸SùÜ}`‚r3¡ ÕÅS^ŽÃÞ6õÑ ÎV)«gñª§¯FÄ<º%².ƃ/“Ò ‘ù«ž¬>Ÿ.ý*»‹– ŠØ×W){¶¼)9¶ônºÏއqN·â©åAðZÜÅô`+v0ªXŒ—¾Эû™ô;ÄËj£0ªtÚyä«yѲܷ?2zIdÕOh)´Þ‹r³òØÆ€˜º^XG±JŠI¤aU&"[¡g­æ1Å÷Þœ¿3»a¨9$¤5*cÄ*‡ÅG4íJö³–3Y8™(D?÷tüM¾È°,olkçýÖ„㬷èÛ‹¥J ‹mZ5³ìÁÀ°PLL+®ÚLwÌ´¬!R³¸¢×Ì™tª&¡ëˆ„²~˜Gùþ+Û[^†ŠKx6[í£‹c1Վݽ,F‘öuvÙ÷/¿mLæó4r“ÂósÑäˈV]çêÆSøm%i¶¹ýMFárO=ÇÒ @cáˆx¯óá=J1VÞ‘›O^J˶[–’çx/ îzï¬jfx¥H˜Dʹ҉d…Hžq„¨¨Ç"ñÁÙ ò¶¯ÎÒ$ ÊíM/ЏŸäûè%³èE4•@/õ%H ?‚»VüFHZ¨9‹ÀžÑ£§DÕQ y%­Øe/Ê ¬Ž2W%@hvBÞCDH€± ¹Òt4ó~ê¿VKt‘þ}ÀÑ/¢B—Íb‡.¥C]`ÜFuþ›ÇUD T™h‘q»¯v­|œ•ØÖzTÅ^|oÊ ŒH:Gmë¶™jñŒ1ÕZò ´WìO .¢ú¿&×q#Å£dØ…2CQ{˜(Öð¼n%:œ¯´7Rî'“:%©hʄŀÕ2÷UÐÆ¤=¯3eg-Hj¥PcV*÷ªLiÖ`Y(ý´‚ˆV÷ª†·yÒpþOѺŸX–tÿ¢)"ôԇؿ–Z=€STß õTßÉÝ…M >–$èþ-·P¨ºÕܹwÏ‘5¢6…hÆ Êéjs¨x+Ž/Š+”c\!;"±Kë™Õ ä;í(æšøç¨ªkC/^ø³37· ðìÜ. Œ¬²†Õ8ê³ Î~5³•Î(¾YKñ…æàºJWœ_€£Î‡Ëê3ڜ㵒վвƒzxdþ¡—îb*r“²Ý+fsö¥†'‘y_*ŽM` "`š„*vŠÏ½ÐŠ{¦*a¸â¸;nèÆ8™¨Ë¼¢b&~Ñz´{‰(VPå(÷¸Žf=kÒ‡ÒV'ŒýÍYÚT Ç÷. ]ýžt¤[¥bD„ûW纂$ŠÐIݘ̃L¾ܱc‚9§<±«î^ î„!ÐðXMP¿‘ù_Ü™îIuDíîÄÐSw‡u{j¬ìâÂ5—yõφ>Ó’–²ÿ»™¹NîÅÎò0Ïδ?%z:V”OaäìRtÀ*‹§ NW&SÓTê o¨Ü IÄùï{}{5ü«l î΃t¬÷Ý5(’È}t›¬n_<É-‘ãHÍ’B;­ew^œWu1‰-ù¡¤u¥»:ó°[þ¶b‹€ð @þ–¤×¡z”`rb½ìT2Æp ÂêåK݃°‰d±ði¡êE”¢Í41ÛçQ_qâ|•‘ ê¹(øŽè.V)ë‰J)×ÄœnV£R›9FÍ'íìeì@Sæ0µ£Zª¨¦å¿$,q+=tkÆÃ]Ê¢]Õ…lcN"õBqÃTóy®#þv.¯¯Fýããžý÷ðúâjÐËË•ÛÖ/Kh„H9Ìý·¹ðDzâ1—6+ÚüI‚LK(©ê›[ÄÊgñŒÎKõÈ_o¼¤¤ êþ>ªU5°×wXBYàÁØbh-õHÈ×wHŶ: ùë#GzP» Úöx1Ëè±jüVß2#(»G3}±´‰Ô¹ˆÝ `=3\æO0Ö‚+„Á ¶R΢µ|3ƒ3XÒ<“ÀÌÉÎz䨋®”cÕÄãf¨åÐiÐFUEÚŇ*«rùQ™“Œ(â›F’U¥ bOTÊ¡Š÷€%:lHâ'2ˆE0kJrRmz%p<^Uf“xÔ竪v™›Eòj•vY¡HSîã2N'Y”B]®€¬b¦¶%Þ¡@üQòVN&Ã÷ca‹]ƒ#ÙNŸ•Á‰q£‡º: 99qQÖq$NzR}6r"yPP™ÙåFIÚ¹Òbª¶‘"{æI„ìU`õŠc{஘h»O ÍÊ3ö< '%Š}‘Á–Ì#yU‡0º›Š¼Îú2É —²^æœ1«Ñ©1(—ÎI_øÂû ¥9¥:*ÜêÁQ«hÔ’»ŒX(öº¶f]§¡¥9c{w`¸=öŸ6Á›J„’-’u 'ÖLÊ(¸ÓöØ“™>ŽøãO©: ‡ÐB$ Siwsaê.Òé m82áÏ@†Ï •Ž›çµVdÞ°Q{VZ­ÊÊŠU*f¡m“`¦ÄÔFq¸ˆøm"ƒªÉb†cKh^™³.5ÅÜ\ÞEQm©¸.UÒ†˜*´¯56Uá¯sÂtTx2h/à3ï“ò^„ÔI÷M¶ë…†ÈWg†*‰" R;u÷“mö™Of=Œò%)¯(¡×0Aо†/få-îd  ¨+îfÈNµ²×l‡*’N ˦¼œ,’,.9 ;ê „„À4¤‘i`¸ ™Ac=v·ÂµÃzý~d_tÍ´¿šˆ½Ivž#Fe˜LE—S;¦Ý ôôUw&r_Iå¶'ÅÃãlŽwB¡1¢ vÏ+œ¡Û5C‡fXõ9n·ã® ʸ\7o6$°*Cíý]@rT'elÒMÜH¿Z'²+t"Ý\êDÎä6ª„Þ-Sà•¢£Q7 õ¹íZ ï’„ñ< ÞtD9œ6›“¾½x O´ª½“¬ªIß<Äã‘4G9n†lÑ:1„ò'îXåãî2 æôõ±¨hx¾R`¾œíÿ „x'¬EW‰ˆrf&ˆ ¹Y°&¼'ì)ëoÏùê‘mUŧjeˆ‰ÊgQ=¿È]chZ!‘42<"Ïmê•PFVór+CýžbåGdªRö\m@"; Kl°™Î·¡Ã6ÊLÃJ[eë\ø”$Ï*—Ìþ_|Á¬ÃP‰w´a8—‚Ð07«€[Ò e òì)M»íï ®Äñé´µ®Ý†Ý¡p…Ú‘|˜6cµ´LBÆïRIßµ‘*)]“º!ûØ8ÞÜ*VÂÎl{ÕÖñY5¡§)ÇC_åš/:×Ó[èm¤í܇Á 8š.d",Cõ| ´³®ö™N†*P!TØ&˜âæ7ÇñÓv°¿;Ï^’HÒ‹R-*s ߞ͒yîÙÓ—¤ ¢è]ì=Sà«Xyd™/]eCÏ%0kôäéNºì ‘Œ?†e[Õ:¯¶JŠw’#ê´“Êæ>霓ÊAM²Ó/Óž&6…Ú çÆÒeU›Uš4w}ö4‹¤›t°ã…¡¾o]7åy÷KÁÉ>tt¥o]I)½[9wVù!8jaœÚkLÇÞ8 ª§õZ£Óf6 "ëb¬DqäÄþœEÖË;ÊtC6 myÃËÀ¶?!ÆÃÂ[~œÊ"Uø¬GŽû›4hÕöŒ©Ž¿rÊ•6S-FçZÉ=Gt¾Þæèó¾;‰Åä·?çLè=…C”u7" qY7G5y»’öƒåÅÆYl@T{Χÿ>ëÙ.>o kól,òÌR„b©áÊK˜Î¨”pìt`Vu+Æi+¾ ^t»")Ic6erâB¡òJ %—–t@YÈØu2¯Îed-’X‡Îþp>…o¦Až¡µÇâˆÙ›8$³BI(©©¼ ‹ʈ­}ˆe®§VÄI¨Í˜ÐBÇ“ò#¥ËÎæ& ì“9~ä*/†íC¬—,Ð謖„\¢D)œ¡|ι2Ž¡&*‚ëlY´5§tÑÅÜIU¸.¹.Ó±!ïâÂWÌñIÓî=Q¹gô•“´ÞM?î^?zœ·ì§À–Nº“ R<)ïF:âBšFÀ«fL`ó’EP¶›,m„ï‰6¾u›ÁÀ9_B3—Ñ\;ÜTØÜœ6 “¹ ¦Fƒ•|¾˜áM#®ãÙÎï¨ç"§¹‰íC{˜kY„FLO4å“·™2õ±zп –eºÂîL­Ä£¾ÎØdš¶sP7ò³ŠøÜâ)qÏIo<åöšÖ§LW&FÓîPæ7n¶9ô TšP*€Å'Ô"Ö'Ì;qÍ?-cèe›<ÒVVAµÍA‚ù~§¼Ã cÜzH¶6º«ökéºÈgž ‚¢a{¾-·jøÿW–? ©ÔpO9‚h(×¥ˆ•#w¡K$GÅ;iS €Âò²ˆ×µ™cÍ$ÆY”FÏÂa‹ì¼„Íð`QV>9c÷¾ãAWÙŠSçÑŽXv–ïÞé‚ö 3 Cád¶è„Æ]Dg²µÏx1g›YŽA‘ô¢ åÝ(JÝGÎ8í M¼éÈfáØs&bÉÍ%ÇW…|iH6‰1`ÍyUyEPrOè"»©hã8ÄÜ‚‘8h+Ü®s\)z7LæÒ‰þ6øÅˆh· £²éêЕ÷/ˆÅLÙn[ršËwÉÀ]HDF:dăŽAu‘Qü’RC³YÄ™ÉsUâ"çåEFø'¼ÕzÅK!o”dì4[&†¬$Çþßä¬-l µÂ]c*k.Žn˾ÑhTÊ•¤n[\ÊÕéŠÉDv©§×\ÇáðrF>Q3‰ 1&©%¡KÄÛ;8©ðDèߣKÃ~—¿“1Ûw“˜4žA„)"†˜ÒH¨CsB÷)Žq¤hH¦§L’{ŠR¤’Â(.­MR„ðŒ"nD |FY{iÀ0yûy‡¶¯»±T èä˜ uõùàšR[ˆè lÇÎÊTÄLJ9!ÍŒPüµ•*·V@iÓ¤‡–l¦[§¸ì¿ Þ¢q’¦íf¶è¾õ©=BÛ"̘dØ‚çFŽy2ì£[0vavRvØž‰¨^œp–¼¼‚>âyÚ·!ºR,™jü:¤UÐÚ:´Gf›MS#å´NÔ¦°ìòMTŸ%(_K¾ÄÆ«I¶$&ÏŸ:ÚòÝ1Rƒ(ÓCâŽ=‘ÉUæ4²ßÙ„WýÕ_08ŒÆì”oúÅþEƒD¾P¶­¶i8(¾Â6ãvb^ÀyªÄ–ƒ¸hõ&S À‘C>ÓýcAPYâ½XŽ/QMµÃ“rÁNÊY¹ÎpAgѵ0q\«Z Q3ß$ÅðF1<¼žŠÍž)Ì'E1YL†"4™R‘¸´ßoÂ:tqµ˜ÓW…†k0qM\7ìqÂØç`o9+ÂŽÐ𡘥Na¨U"æMfÌtmcŸÐ$W™b¤ç¶´S òhE{Óa€ŠœáRDâ–6«`§`)ù]!Ž9O¦Ðá Oöå|^]Í¢»àE²P©žˆ`O){û—–h”rÒ¥üx1¬$x[›°žŠ ƒé€ÒŒw'áOÈ«¿‰\o²cÏdÇv´¿àUZ6¶ZqN×{‡D›Ïb:å!<)Ó-÷UÊÀ4ùÞRF¢ K‹zAóœ£QËn~ù“Ô¤“zN[OóQ]_4pa’cº«&î<§äA•3¡Xû”-ŒSJÊË*¯v€‡™°™eK0¼‡Äùf‹qÈùiˆï†9# æ&Òá´(nì´‹ÞÆÔRʶPª/9Óˆ·¾äØOwÏø'™•Z>Á˜sAµ.j*G'J/9^ï”Y›‘F1Ñ­¸ ô‘!ŠKÿß“úí›:(Œ~êtƒõVi•h,?0œU–…Fšêˆ¶>Ãß°_Þy:ÑJõÀªÄñkîa Æ­£ÊÄ’áÊçAôS‰aœTUÄý)^¾l×ÿV >=°„›ùê˜GSj¼@è™×JÚÀZäk†ÜñÊY½ž6+ÇõÆ Ê=äM˜âøÂ~7GáØt¨&C¯¹¦‘aÖŽ…,ïûÝéžW+_ÜÜðú_%#è8Ç_ú ðê‚ Ñ]Ʋ »2 ï,†¹€3xð5zDJcXe®X}ûš-‘l}MÌ OУЎ8çqå¥éÊ ]†e"õ¼2âw]4i.Ÿ|ýLnщ-s¥ãÏÍ|—˜;Œ±htÂÈÁì`4¡»y–ó‹©¡±&ÿMJ-–j؈ƒíÒ¶Œj‡·$ÊÎÁõÌoD°QÂQG]nŸ‰»©-öª £lRÒÊI…Ýç•vç¢qÚ¬¾´rs†É|qyÏ&¼vå-#î,Ú 8D/iŽ p„\¾Àú.vúº¼Kw«ÊƧÉÝø2™þ"=¹H!óZÓ., ô‰–™àûT1ù´qããà(e—k[ø‰< Ñb¾W}S0.û W’ þŠqUfìÏ‹b ÒâŬԈ^wŒ:k’àùbòÅ{+Z‡àøn]Ã)™,M]3ûc ÉîlrhÌ¡ˆH³.‰TÛ:ד²È½àšb›ên2ÎØ€“#²¡a0—=ÛIŸ@›9m‡ÊÐSÆ27 tû(•hVÇÙ˜•=¯F‘† ]-Ác&ûQ˜M}L¬ìAì¥Jk¢nª{ª†ˆDÕŽd:•”èmìZìÀ¢]s†o—©6RÆ «D'Þ¡KÙ#QiØLãV²cóûI]½:íš\J›¯´$7Ür °s‹5œkø7œãh>Š®wÑûå+O›TŽ›xfÝ[³L–Ü4RÚ8co|8gÖý2¹VÌ";•vE*ªXNw¢µMãÑV§¨ÿÎ;èäf(aÒþ 6/ýãAǬ.CfŠO9ÞœèžËHî‰"œf~z™Q2Qÿ– ¢Ó*m'eêù²4¤GmyURŸ«FÚpeïç³§6’׋íÀ ~—:£˜ 7¼šÊû?`n,º"îZr–ѦnÔ×ÖeŒ±UF[‰A%쬜þéö7Ïdô0‚ô¼Þ8Ok•—z™oó2çí›  ne h¥ÈÁ+$·+ÊOðrc÷«uòÜìêC«rÕ×T*šnôn8/ìh«Ÿž†|ª•i¨š™ÍÄ›Ma'<"~?]Ù uŽÐ¦±q Ü>„œIržáÆO‰êQí²ŠrŠž"AŠÈ͉r»Õ_héá O[歪ötX¦¡íNÎÙF»lÁq ä,2ÎÖdäˆÅrÈØ1ªOa•%°0 Ô*'iG&œVJ!JcOk6“›!Š©d(3gáí$¾Üä (g«×¶ø¾g„ÿ›FB6ºËTÞG(4íQˆ,_N}=¨ÂÆOŠ›tqìì~–û({òÍ&éL]$rÜP6èCfj:Ë=+òï¥OűGܽޢÉ@EÎc&G9Ž+s#^ùòm« ã©ÝèÓ&‡É©ÛcyŽbґͲe’yøêR‚! ô#côÅJ“ö„B~MŒ0º( ˆàžtñ…¥žÂÜ,Ó‹æíh†ŠéÈU¨¨©<0u€D©:G)~ªœíı“zOséiy§¼s±ÃÚ #•8rúFw•q—"$t%µlR°‡ÒïŸI?ùÉRfšnÈ3@ÓKÍ”Ž>¢c±Ÿ+x3Ò¹‘ÙY]ìV†­íGfˆ iÏGy="Xò½9™W^F¬T©Òl¦|µ@ƒm{„‘Á-ç4%o½!ì‡#Ìf#‚Iëcž0ÎÝÄdH83l¬ Jò/Å@ ÞÌ9]Y.Rɪ†ÂÓ }5F0@Ã-L†ìWÉÚ¸s‘ñ¾$ƒÒåX:³éÛùÈÐDÓ0êwY”¥JÄ=™Éì|ä@›ÊÄ÷3‰  Zm6Ú"[lL9UR)ŽWƒ«„ÄXÞmeOÞ’%Œ4ßš»C ‚t=åxÏt)FÖc:ç¦<Ø[!wLÍPQo˜»’p™íéøÃ´õáå“FÛþweH2CŸs˜$ö¤õ!¦A£ˆŠ˜obéüæjÕŽ&W: jNLxô.šõ†Â*Ëfßh_1䘬…ÕF¯¦[•¦>®èœhxK)f±ÜÚÒŽI5K7Ô†ô‡2JGË¥ŠšD"¹Zyn˜2Q•ɱDHJÒ÷în?ýš¶þ¥,b /½¡ub2ƒæZQY§H!åÝ*îÌ|ר“˜iµ¶GN½%Å#y÷E.³¦•© —/ηŒ¸QšÀÔ9®#MXeðe©æË§ò7~ÍœjpÛ\]ÝePT*™k=íY,RTËH]Ê é©ÖŒÈi)e©^T{*g#…Š`õb/((-!G×Ñaë”JE‚ϱ>%0¹G¸ƒýÎC"{õ™áÖͽ`‚]Ï¢›îx*°sŒ‘%ÃÝ Mg~'Ápý¦ûd#ö5É}+Ý60$ù¢ù]è³ETŠlE_r¯"n† ü¹KYAg(@¶ù¨k&.¤È[xB±î¾ÆÂè‰pœq…9®{w“‰xS¦"!™M€”MñËÑVõíÂæ¬›ˆý£iUÜwC`ÊQŠp)/i'}öMRìŽH‡±KÒî7Î݇ö‡»AO«Peå¯%¹3/N;­úkÃ÷Å2÷ÁË®$ŽîÔñ‚Î PÆ8—Ñpàuøl2Õ€Ø6œXNRTÊÑ’“§Ñêø?𠎈õ$û-R·ÕøÔá+š$¨³aèø,¤C¡hII±…®Ê3&+õ±4äY$Ê–Œ=(1.bˆú"¯|Nú¯1;4½'q h)Oi+¥›-=m}½P쬮 ÍöŠoÔ9íKƒkÔ‹Ü"Ñ·˜œù<§6¹ØðÀŠ%¡nj ¨€'•¤(h˜ÆY"£–Ô8•Ÿ^ЍXtv08ÐH¶GgÝå€X*f`åOìk‚dº ýLNeú*,(Ù»}N·žgçaûÙˆŒ#ª È•}^ÝjurÒ½Q9ES%©1S1 Ù\H%Úù™³oæìº(QRDJ“‚™)é¶tÔbYX&ᜣÜöRÎËÔJ½hd]‡ÃÑ—Á«zçEó¢CC(5Ep¾B¿mxc¹g [™_Ù: £…b¯´™:f©äë2ë:åÕFhy]$fE’¥¾¤P2¢Á(­1.ÊKD ©WÑt‰¢†·{Ç»ï+[-s{óÚ†½_F“É×'«Ü=pÀõ£3žPœK’*@Êësžšï£œ ‚S¼1å<Î(uÖtŽöH%Ð01–6"{qØæ<âZ#2ˆã¾•GY'[çlÚâŸëÃE÷^QT•àçùÀ”sçpŽ 7Y4²o*l‚GÎŬ*Fê êž-du½œûÓ÷gÐ+}]Þ.?Ý‘¤z@ÛðçÙ³§øï“¯v·ÍáÏ—ÏžÀ·'O៧»Ovwþ´½³ýô«í?úßô‡³­þý_ògëq.Àû¿é'Øùæë¯7ñïo‚ {–þZŽâèz¼ÉÂ_)›;º ÏRñD¥({Á|SÚÝÞ~¼ˆnA:—Îñ, [ã±ãÀl38-Ÿ#„ÓyQogÔ¸TNø}Þj~_?®•6oÕÚíÚ1Bj¶‚úÙùi½vŒÝnü\´k°Ò ~h^´‚æ«ýz)[>Ç-‘ó*£‡pC@Á€l¹iC!÷³‡¤ c”±.’Pµ\%Àð´xE{Ô%¢xÀÂu “ê·`»è(2rx¡pŸh ±/áuÝj¨[O BŒŸîÞ"XÉ×ÝI84H„”Ðêš~÷]ðÄDä(¾9`<œïËÃvÐÞÑ5bà6ÒÉœf³¬ï ã+\® ­¶eÌC£}Ú ø‡?Q %9˜ßìÁý$™€êæpwY8£J„³Ö %þ-Òseß,Ìþ¨†"Bn~êõ_`Ukw7ûêÌÕÁÎGµ”‡o ©*‚ü OH%š{¾uñ#{³ ‡ï±‹ÈýøJ aIf2ÍÑmHO¬›hbêPLâ,<"VJ0ð–µØÀª†ä²¼ AÕ¦¸ÇSJ7ØyVBŠPÙ”]P:†;µƒ–ç Þ©¡¡¯Ë+yŸƒo_ Töyð?;’¾Mdö!¶˜žL»À¾Àeý ц· WùNS¯q'P¬²ºïwýd(±µÙ šÃÍLQM°åp[½€ŠDû)4¸ÐìZ-Pmÿ6(Ö·!E-eä¯"Ž;EœâãÁu©}:Ho†Ë¹ñ•ض͕):üSÙC 9…}cÙ«xÔ¾¹|‹Ràò-ù ûŽ<*%Oé**‚¯XÓñ¶œR´e@ï¹þ ôuÂëÊŒ$ÉFVv¾vÒm`l™> =Ášùê «R8åjñt-ÁT} ÌŠ×ÍËzã¸mH£mL\”Mi2¥c4ØéW¿Þî»§µÑ °·«ÑåOºàqO§Pì󂡆BÓ3TAý8üdJª1–„AOícžPWÐȚ1ûÀ‡å°?ÎÁóþ*ùǯú>@bœmUˆücªDôŸåH¶O–b4HÊ#œ*ÍÐ}š4IJ+˜Õ)Öå‚Hå`c5mØ¥Säa7¤ÆO}D@Ÿ²´¡Ÿžb„Ÿúɤ7vÏýâÔƒ'=O§% XO€/8-÷ý½ƒŽ¯ø½Gið˜Ñ‰‹  LW1ßjEŒTNRö.V  T”ÞŠ ä±4•¡À¡aèH]Ì<™cúæöi󉎎Ì&Õ Š8.§4xnG—òÐiž:‘a¾Çëˆ+™Ü©p|t¾8nµCàE¼‘‚žÑ+±ŒÄs^'êtZ¢œ±Lªð"M…+$3ëzÇ•ÖÊ´T‚æÀ!Ùl'JÀÑw'dÀ&Šôº¨7¾o¾¬I&UkµoÈúR²ï‚2ÅBW1•Ÿ+׫%"-Õøi±ò2œqTÔ}¿ÊÓÞºð^ *CŽ$Æ« 0…ÝŽ÷ð¥öºwl ÇÜÍ&ù#CêÜýÕhöî¥F[ÞýsÙƒH‹Ç>•³+&­«ê¢‡œÔÏ,YyšÌäÑ¢*õzÂ…v=ņèpÆF˜ð—<€àÓb4€Dn#JS¤3í½-¯TZØX¼ î~DKxSFÊ,¸³nA“À^5[ÇD`¥¬¾+ª›ø×7ƒiÙ¿W¥VÛûŒE,)‰ˆ[Þ¸¦n1àC&ÞÂÞ;‹$"§Á Ó…Âcø*ŽÇáÕdâiüGTФ,ù~ýíÂ0 £ø²;ÊÜ2>ê|®5ÎÉÚ:yØ©wWZogðq¦å§Bq’óð;ó@·¿æQ_ËYçs,û©á¼ÓzÞªÕÒGÝÇ!/M¤·|(3 ä²ù œÄ1iÍ üdc®…ÔK\2•!GqC׋€ðRñþg4N_¾–‹ž‹£•È]~æL«>äšÍ¥RB÷rÆ&‘Ry*‚äª läeP(²Ãz—£´Å“hcÆ‹ˆ ˜â.ˆÝ@Éd3XyÍ»DïF¥ÏIfoÒ+ `ÅÔXlÅEâØöKä•Ó%g¡å¾'ï[r€Ô÷ðJ-.êóWËK·²˜óBFÛ™•¥ÉW«lè[ïÓs†¨û.9µ·ËÔWÉh²ÕÑÐQ­ }½ZŒŒžÞ»£÷é!ZwðÃÎ<¡ $n…\ðV+µ?êÔ´b«ÌÜï¹ò~¤-WPˉk&œžð£TòÝÄ0ádìÕ|mÞÂèät5Îáÿ2nb”ÎØBóm÷®¼6ãø·ßÅWn"Ë7Ù2¶³/Î¥ðA–I b$çx/ûÝRЃÈ€À9¢0gE<ëÎ0ü¥Ð§t +›t# ”8ŠÍƒcFéî¨X“ÊŸ¸œq¬äLâ ¦™S–o±ŸzE%ÿ¶+umÞÝ)5 ÏU¨fqóÆ™ZÕ€EníP˱8-û¤÷¹,Ám*Lª†‰ˆá‰„”u"¸îÏЬþq¯¤V© ݧ÷4øž®J¡q|Î÷Æg³ìÀz¡û,Ò”™6xÆØ±»xy}ܲW—Qeô¢,è6â@ä˜×&ƒ…°© @‰ÍŒ},ñYÄjÀ;. ™Í8nÑ)®ÄÒ„‰&)F°Ô•ˆ|Œ .Íq°Cô03DϦD!y@2™ ¥£œ¼‰_e¡çˆÐÌÆ“j&S“óZRÉ :nâ/Š#lÇ <¿V‚T:®e¡|e"®íB‚zá;n ÍVøF!mp|Bqúb%KðÑÒÎ&GxïË”óÀŒë%%¡ûKl¶hâˆE™W v-\µ ±íWŽNkJXjøJ§‰¡h­2ÎgÔ%3 ³#Fnç㡘® PÆ-ÑA¹¥/§Èì(\Ó—GG””Ì=Xw€¼H\ Ñ!LHüåeKj¹ÈYÎf.ºÌ©IVNOÅ}>ÀgÌ‘ðAÒgžVí¸ÞBÙNÜ XgçcXo„/`å×ZÅ]p78k¿ª7ª5\IÊ‘)šÍ&ìÛ$–  BÔb¢³IO8»¡Ê°&Bš1ë½¼ >ãv2Ÿ‹žP1q"§C ‚&zß)ý;¶Œù$D: …ØPÖ)á%AÉX@"jƒà>’ý©L˜” "‘yWS™Ô‰GYŠõÇèš¡J€Da,£»ò}9÷gbv©5”T`Œ%p÷;Ñ…ÙIo‹yò\D!ß­¸³üÜH»‘¾yZZÑycN¿X#éÓš¤}4Y“úíëhDIÆÝ Ǩa×:©lkûk"W´ žlbÔ&:㱎/À¦³ê¼aS  ­žæœ³ü²O)™Ú©LâìŒC+dNi`ÎCýÉ×Ïh©èíæi¥U™Sh!rÆ6IÁ¥”1ŽH2Óp_6´’Ÿ#QH¿ÂȬjÃd ›îfÒY’ùl4AþJâ âŸsÎ$eŸX!¬EØ+'ÝrYÌRcu¯+³ˆz@ '1…YL8(FRþ0ag=&±Þ“ËÙ[>ÇÚnBâs ¶˜"ryö}ï¬-hð´Þ¸xmO ë‰1^Nk|  kKJFdf–]n´°‘Ç,#ñUX.äl4~ƒ”üëÏaVŠÞ`H½h„ Ï£ýb.gû¹ÃüÔðØ”rÔq½{’jTò¢6#B¹bÚå8X˜¶Üž{(1ìð¼ŽúÆB^÷£”ß\¦¦ùÜÓéM÷m„öLÖÙîU¥Õ(䟫Ëi+Ð5Ê{ƒê‰íµwS´}¡ €o&ùMG4V†ËÄ9† 9õq€1ÜEÀ*’«tK›ž³-KÈ)ŠO7ÝKÎ>|Îá²ðƒÈk¸ÎýÊ$sܽ‘N±w¯‰ô:K/q—«$í÷Ë''UÎÑÈ´Ñúóu¿y’jÕÚ4É&ß÷r™Å„°Ø{Ö¾8Ù <;$b„~&Evµkÿ¿V‡œ\;½&;ä.9gÓãQÞY%ODmUQ4c²¿ô¡QƒWãä1€“ÙÔ<»œŸ#)é¹7â)y›—Ý2-ˆ AïÜÍcÌ^¢*#‡” (—L@ᜆzÓÓ§²K—¦¡/Å¥–6š'†¨ôRNɲ83Ya·¦h8 /C8ÀNBÆh(ä˶­| åN3¥’½I¥ˆF%0r3LD4[©”p5”BDÏz8ì0ß²7]›©=‚I¹ëÓÜFíÁ{Õ“ž½Ãâi)üiWX[)EôÍ:MëÖÍa9ÿ­ž¨ù­·"2„œÿ*ÒßâÈÛØÊö$ïÉ¥”[«Žvà¾Ó·ã6¿9|¥ˆÝܱ ÿÛíÿÒEÁWFž±«ƒK1—h˜)e9É‚‹iù>b×ûûJP)„2y=ÉèòÈïgCrfµ’“a†q™/ÎH‡Þ‡é;¥ S2öÞ2¢²b")ÂÐ%ÃñpÔ%SOA!E‹‡)♤¨g>S;+þc—Á00ûyÁø5}Íg¥àÇï hÄò¸¼Stˆ‘w–ÒTA?04Wv´ëS¡ioJP’¥S‡·%/×ÞËL«ˆ"lxGQ4ûÿ#¼@;ª7Ûk¤Ù$,&ALëb"Ô‡YZœ¡ÁrPD ÐEÞ—»ÙðnZʺ´6Užz¤ò5“‚aSoÆ„.?øîàôÙÂ¥)lÙ%%JqNº)î ©üW š)^ÊÂt<Öeig£øí’Û`œÞ©ÇÚ2Zì—Å íºLžF©eEv \.Ûê œ¬Óæ [=´õlD¤äB^¢îÏÀŸ8„ðI5øìÏ£ ÍÞ×tÓäˆ8Î’ìyzá$Nů…·áy§Uw6Æ=ε 2²Tù&§e¹F­vLs_o)—ÊëžÞÄ]¤HÕ²©®Æ8¥ u,0t‰¼Úõƒ²•ZýWD% •.9Í]EìH~PcÉÊuaFñuðÀ,œû 6Ã&¸$—×¥£ÜÕê•iS¹¾<1ê SºÏ”Ï~²ÌJЍôÝõ¥r>W¼ Ñ]5^Z+;nËà-©~Œ{-ÉY„ßÇÛ´9äÿSÊ_·ö­ëwì93“«ÑµqŸëÞG*ã$Z²MC“mòÄáÂ[:×»÷%»¦1õybÝ:`ÄTèCÞ³rÊ|“iýŒ¶j¼ËÐ…‘:¹n¢ %ó˜°Ú/#Ê·e†çeä~Ba«y´"w¦øÂ¦Eš¸`ÞØEOZ‹y"ÇqëŒÎ%†%ld,m¨§(@~-™U‹¾³Ì)9$ª(»E"?ùœêÈ<…)B­†%ÎÍÓû:FL²ˆúÿé„G—²â-ùã&„É’N–Ýö–N]gûˆ蕲'"»Õq†ÈNÁv `÷n2 P>t›Ëq{pØÒ.…•Žx?1' ßÜ)PÉu<›÷fØ`Þ©¸¶gŸÌãÃN7Z´“òþ½…»U’ÝÇvëŠ;k°òÙ.VîK6ÏØ[À¹òþc9â‡ò¿ÿ4v÷Þ±t0Õé÷·l Se}ãn½—Í›n¨½Ì&Ö¼ŽGÀ|O2ÀzWñ¢’õœº†w»pLZáÕ+j+túÖÈ1Ðãy õÍ”;jÁ©¨Ö.¦EëKV@Ó­–{¯}±¿N—}×ÙgŒJF‰Ÿ­[^²C”;H¤ˆ±é9?“”måÇ‘_ä¾f)ɸ'“hˆC(Û þ#ïþ³tò.¢Å`ÛS»”÷b˜F‚Ί#æ¹î½O•E\°û§ÿþñÄÿ&LôÿñÿwŸ<{úl×ÿ¿óå“ÿÆÿÿ?ÿÁ¸)DØÿr¬ÿ¦ø?••G˜`y\ Ö–¸±þû S¬ÿÏR–´º¥]¤š©P(ŽÒÙªv—lÁ Ö®›R7§TÐÕšáG)Ì«?œˆò¶®œœ#kïÃçõS¼LRwwTÓ,7ÂJã8<ƒ¦Àêùìèˆ$²X£Ù®µ¾¯ÛH¹…óh|›dì¢Q ÂçËš56=ãeû‡³£z¥Q4¡_õ&sÆšÏùÝ4J<ïÑZÄ3Af£Ýiž[Gq’xŠHÏçÕËã’↣-xÖO‘ÔT8ÔtàëÎuxvª‚öe†ãwHi7ÂN¥uRë„çíóÝ¢ åUw:<ƒuøÎBeAŒý o ÉkçýÀÍÖQݾú0}R´Æô­´tX}‘báûcD¯6Æ%$,qÁâ«Êì.—3eAÝÔ>7”(ð?ÄÌUžðRN4:Êw9†¸ª0òwè_0~ZêÁ{Ä~NGæ4ÒŤƒ˜¤ÌáŒC¨\6œÙÏ0E•†ˆë£WG½rLkE™,“!ße<ŸÇca´,PT¯<{š ´m³šãT 9xTÀêœFZóÃóÞÑ9ß(` ý‹aÄHÅ¡‘*œüB€Œ¦½Yh&Æ•ª(¥i4Ã*ªäŠVÔ”e•L³ è.l6Mg e[ˆ'ª ã ŒmÜ¥%ïü¤‹¥[úkåûŠüSCø¥{Ó•`X½ëkÇWÊh†½J1k2çbƼ séÉ…ŠÍ»IïzOh©LÎ$; —-ë/9¨Yˆç;8 gq/ð~ ÖŽíQȆ]4v¯RŽWk!åCÂÉ9W.,‚¼èRžßèê w"!ãéJåU6,)¨ P²`‰9n܃îì8tÀ…¤ìDH5—ÆÔä”L!]©­rõ~’]7cWÁK<7°åYˆN¼z¾¯œZÒUf©àK 4Åû¨ð¶;›ðrºéŽ8~A&È¥¡äë†Ì5 "œ(yx?ÀfÐkTçú±2¡(Ïaäã,e‘Ežô½X›L'Iˆ±ØÙ»Vz+_4€ŽŽíø8tñþ¡×u|1¡EŃ`äÚÓ‹ÞðEy:.Ž—ŠÕ›ï,&-Å—ÀÞÚú›0Et%WÇw]ÎEÍt WÓ^¶¤øôÞàmÖÙÄÉGIydMˆÑ‘aEáÝÆL Ý„4NèGL§ViЧ”dzñäN~¼4-t×|•¿oQ†…“^¤|÷~3,9í¨ •#ت y¬'§ŸÉ6FÉ>ŸºÐXÝ|s­ ÔGãé\„4_Jïz8ê¯blºíÐ}¤‰si8ÜdÃõˆmÝ%ÝœÈ݇'µD“:æ=2RÅEGwÊ‚Z¦˜Âé–¤Þ)ßÓ‚%¡Ã 1ò¶dÊM¯d¹RÜdzÍÙ~°F´\›Ž¹‰ï‚ÒNðñ´ç[ThJ:ßI4äÝD2§{ô®M9I)@A>Pœ/,BÉ©ÄÂòE]3ÕǕ֫zÃR6ž·š¼DûþøHÉúˆ•¨;EpU ”Æ+—N3 œ½5(ö5Gôð¦I*$:˜ö’ÖŠ‹"¼a5 _À›}'Iú®q½Åª¬ï%Û¢`p®`šæÉžqâú¨¯µY EÐVñîi„w‰v4×1Ø»¨;wò4!I›—°¸é£}4¨qO(&`ºVì÷õ–‘ðc‘}‘¡”òÝá/hFD¥°„¯¢['KfV³@Ñ%¼“œ>™Çè5Ñr‚Ö²Êü-Ž'IPúÝ™¿WÿXt{ ‘¶;Äùõ8(ÃÒ8Œ§x2œËk§M£Ã¦ÊKÁŒò7Ó*m¸¯Â4âB¥˜çÛä.#¶¨`T—3­—%"hŸ§{¢ËÚ`w))LÒsa'e¯á³I  X0Jy3¤ç`ˆ†cé@[zƒÏs§õv§]ÚqóùÃ/¾0¯ðÂËNç¬Õð¬] ¿¯µ¼AŒ ßv¯\í¶´N‡mä-& \ pm}_ýâ‹`w{ûkwåìøÙSÄ¡÷FLM8nÞDÒVngéc¯*ʈŠOeÄViyÒõ#†;¾%'-Œ¡6˜Å@´×pª—í,ptåÄòÊA“͸×[Ì r€½x". "<ÅÓéÊ-‹9»Ú¢@aF$ê‚åÜE{û¼ÒªÒUàQ`åHþ}¼dí™Ç en~ÄÍãéN¡Ú²C·»ÏO›¯\| …î >Wi›A(Gx÷` E/D^FÕº åˆ îŒ<ù Õ»^LÞ–Ó2}ó¸¹'Ó<^F‰]\úpÚ[òm“®ÀªªT<4ša»Ò¨wð^{•3"¦¨{é Æéa°€O()·‚*kÞQ‰Ýü‹/ô×?;O<È3-{¤…)ä58Ç‘f“L¸¥1„¹‘IÓŠá<±–³Áb,i YD–ÙW(cª"5¡èÀ¸Å°±÷"%?ê3*›ªTú¡¾O)%àºòšæ.‰Ìñ¥—,{/½À½W¤?æ°XÖrwUkŠxZJ37NL=<ÝÞ6íÖk*ú7¨bª¶¤_ÚÊè=ìç‹YßføÃÐP7<\Þ3a!(tÚ¼Ïý_‘ª|2ÏöVS9‘ûnå0žšIG›xÔŠã>+HÊvø?}k!ǽí!¦| ¶È¤Ðkcr(‘+&º·Gh Vtq%iG¤šÄ3š÷ÊB錨æ‰ [‹"íÞò,⬷1g]°C¦ÅN¿ñ¤ŠKŠð"1Eá4ÅAxh^ªbÂz&ÌÌ«CyÒä_ù {4Ǧ«‰wÂ8\,ôDL Ÿ<…ÿ;,\ÌÙ!εp8Ù~DQJ2@¡\ÅÞh‡Ëd„€§¾D$RÞ4nÒ2ÈHZÂRÎ0Y¨-6]„%'Yp3åßµˆzF“¦Ks¹M×E÷ÔÛ+‘Zóü{‡+õsr ³7‚b* Ž!ð`Ä”©á%xVyY _4;Z«@6ÓÚã Ÿ< Mxß ÓIo¿»*.=„Œ·_‹««aoH§ˆ@&'3é$‰ÆÂŽpù!ÄŽŒItïzRn7ÞT&«$!ÏÙÒ›Ë]´s–‡ ¥³¦ˆ'.}’5g`bù“V¹ŽòVç¼Æš)EÏ/£Œ#ó-œ»'JýͰþ²œÕÉÙªjñÕ%2ó¿š'Bç“Gp­p¨w»ÿ Dë,7¬"›%1Ó R󴉑®Ä~â‘ÊaмzLIÜžò…²P›LÝa˜+Òé¥Û¬®&dùB·`9ƒZãxñ‘<à¾\` ¸/°@™Ô›L÷½ÑäÖâz ßÛ«ÜJ Rʦðï\IÀá-!¸Û?Éf´_Ã6K¢Œ*Dö V†Š¬;”Çe6ÝNm=õÒŒºj=dà>›sÜ›,×Wš÷ÚYê\Òa¤T®òè#µ>Js&4ìWFi¸1"ÿ¦Hrk•ìÚwjªÊ@xÚ™è°è¢¡í Æ0'ëÞr[§ŠuãÆÜbv1ÛÏŒÑÀ,h½½ _È p8ë1ÕC¨s“ÌRŽô÷Š-£fhþ ýŽê`~—CñÊê‡mŸ·šgXîr¸ÌŒäLNY#t—r æ` &5¡ãa¿?¢ómW¤<á©Ù©ð†—{ö—” €O¸)‹ï#‰3˜`Ä€çÍÖ«J ýÂÊ1 ·Ù õS{tnĦ¨W;¦j…ëM»†Åœ9¼¶>xðm…EÑ1qòBìn«VKu.v­fš1â“úäÉOÄR1…·Ô¾3Ã=§àìät·¹c ®v$ q™_]1OÁ!×Ûç§=| §¸6B8<ˆI½ü¦h÷&Úøs*€’±y6²t aصäæ;ùÄ…¨Ù2—úN0âÂ5…?Dî#1ó {òN:æO”¨[šjr!*x˜Y\”=SÖq‚ß‘ç @FMÙÁï©A"¨tº%‡!nÏtö*\PXݲGžE JnX±Ã4·KÇ sì{,î45¸“`i.Sš):»3P¶ ù•9ÌD1Ϧ*³K'ûï …TÒ*VÐ¥‡rK¤6捻i³º0Þ4lEغƒÔ7"Ü,¡7çbOÊÅû˜\éÜéÊè ÞXS ·$ïJ°˜© +%#Ýú¢í6ÙœD<}Óõ7ŸÓQïiÚS^‘Oîx â!Gu@ˆ¨B”¡“½J¡‰¸™!£¡ã3»Huø mø)ž%Þ4ÚiU ´‹NoÅò‡ê"3щ¡Ã‰² ¯¦ ÊÃI,4ø" E2íö"NVn7ÛAaX¢bg&Nw¹›WŒo…-'–p ›ãYqýÜ¡r&éxƒ*"\$“ùò4!l¬ä‘þÑSð)*üÃÏî›0ë>°‡v«—N£)諳øKd çèÀmYyèy<ïŽVw:u¾ù"%±³ù&ôOå·’öçÈ>_Ô*çáE»rR#I]ójÇ+ú&í†à0@v›CîíEò¶£8„]cf‘$Ptr?É(ûûF®”¡”m£TôpoRû-(QÃp‚¾±Rµ*ã(w…#k ÃâNRU4xy#ÛÍ+•ó X,XÀ#Ï`¹!{G1fkò(q§nRÔÙJ”1SQZ¢‘04iÐ庼†Á¬b64Ú‡ƒøá^Sņ²€èÂzQmomâ_ŽMþ&,ƒz™6<}u0? ì«F Ó„2ÅC‡Ô%K3؆Íør¬ÉfXûµ Úùz°9óÕ{Ò&0š]槃à\ëH‹Ò”]¤ÍÈ,êºÃ±–®¬2ï ßú,Öp«¦›Ðd>ì%v ‹~„Fª|}5¤#»HÏ„,½Ä5*õ˜èmtÅ®£qv&Nù2L`øô˸¤g[ñ„W‹ÑȦ§}« &£¨K+v•õ¦_—·Ð¿|²u%3Äœ…ö¥ó©ë[AîܰwvYÖŽJbè*nÕK;ö½Èy¥œªv L]˜ækH”nu–„ã@žQ Þ'B¥½ReÒêz/63Ã0üZvGkžlLk¢õ!ûŠì\¾ ¶ƒ¿¬ï 'ûn‚Ø“êÙú²Å²l-ÙP¢wÓG5 ³Ù}ß×±Þ½ÒW寔SŠÔcN邯¿£+;ØÃ@HƒÓq¡(2ö,Ýÿ×^€›÷H.ã2„_S1LÝ&èß%ÑâÍX±i¶Áà‘Y\1Ãþ"Óø9¿bš#*m‹ràчy™…Íüjº´à|—Æ`¦l„ç+R@£:š®K;eK{%¦S¦bƒúÂna3Ø~wuµ©p{ŸÝƒýuÇñ[:ƒ1¬¬4 ŒáMrÝT»â½3Ën Ãí’´'²ˆ‰l!|O,Âæá™‘_è yذZcˆ¶ ¹û*nÕx×i‚´lí“–¹"LÍ”»Œ¦&%¤!9€ŒQ݇:sì­ ×eë‰1»‚h-Õœ‹‚Ï]¬MÛ¦&ÏKç²@¦˜q²ì0— ‹¡+Èõ,+•Có¼Ö8j‡N6»G·òz¶5*ÕS˯M–*Ê8D:ø'Z(q0Ö-.’)š¡îQÛÜP £²×6Ìñ)õCIÇSø™r*¼¿ã&GZÑ©oÀÑ’Ò·ÝC‘”vöWòtt)0+§²M8±îlã;4¥IÅ€Á}x^é¼ Ù/Ü#[Ö_t3#Ž’j0?<‘d¬ømFÚmTÉ&$ý¼NžìnÁßÕ=Oâ[:‹|c”I›´s¢pµ&ö aLÏŒ šŠ&7h!¢—LDñ‰VºtÈÒŽ‹‹ëXy€”'ksÞà«-ZË-qNŸËdѤ_ÃFRu1¼ºù†¯4ê¡Ð†x4cú5­Õ6¥SR„¡wW{X`ÿE_Ö»XU–³bGÑd0¿öGy11ÁÅØÁ”¥X”è¼\vòqAy ¤¤­ÓZÃ1l´?ÂEFކ?„U”HUùò WÆIÍåÔ´ÏâÅËê›Ä×_Òy§è¦@É®d]r÷u]ä× Œè[r×ì}\ƒ8í;Ũ¯ò¥šºø*I½ƒ9Téqñ¾0˜áñ–›2"èT_TZ ßίÔKü ÀöÎöOœ¨`qu%,?±|ÃÔ¦Š99™ÖFžD󳸿EØóFwhU`€m~U7 ÒúÒ—Ù1ÓŒï³Óí)”÷•ÈÊŠnQØGXŠÛe;Á/§.{Š ”ÆÏ¥àéOxÎ(^Šå S,¡ÁS>ùÁÉn Ȉz ʶÈKMH62šòJh´àÐ,ˆ`ŸË.ü¤<$¼%µðE´¸¯Rèm|(Zƒ“Z£Öª37^‚dÙ†QÖ¨dð»ùæU«Þ©-©,'u4m£ íp~W™‹ø« Í0Š6Ðáz»Soœ¬ênèõ£‹JS­³Ê馂ݦ8ãÀ–ešÀÀAPo|_9­˘ðpQ+:Bß¾ d.9s÷2¡@dˆšF3¥ijŒÈ±é6ÞFQ'¸Ã©L~ß;¸Ê‰ÒÒLͤ­ê(N¢äVÏ0SR6'­žÜÿêó(.ñ%¼š£O’¥¥¨­E–v¦]3éÛ7…ô5í"ºh+Ê ä#~‹[7¼³ó墢ôéÓIÅ d(‚òYí ªÈ[Ù^<ãTcŲc¢·qyV‘µÉûâÖÿIî2êÏó³ÊyAÞÌÈ\‡N²C/ïpMDÇU$´ÞHáx®¹AjîŠã Ž[,íœ:ާ衉…hÉÅÕ«ð# W´ž,È Û`^Â^FÁ$(Çüök“™u‘²Ž|®¡f-G½¨1¼Éˆ3!Ú£,ϺOŸ:V×tEíÅ0©4æ|4Úº2yëšfO%`¹"…;ŽÖ‘Û ß¼QLKßj^k•ˆ?B»nrJuøR*á±Õ@Aq¢&Vm`ŸÓï'R–4ø>熠 :8ðˆ.fŠû”'Vˆ§ˆ^vJ¬HEé‘B¼”¡’^wâ—ž+…£Uc{‰A¥á,žàÝ ‹øª¦Dh¥«€T½Å²×k‰¯J˜]˜ýsü´RµN@0Ðg2~' øøƒñUh WÚ j“(e¸©7š¨v.5ç€CÑ05ÆÛÍìNúóLúð]”(õÍÌtêœqÓºY2é’ªMƒ=qÔqtð.ö턞&x3¿+yKëƒÞ òXR”ÈÐ)ly¸:—“üN\it'h†ÂyTÔ˜Sùe) ‡=ÐÊ”ïÐl¢6X*áÆ™>¬¤ú7-²-Øo–n6é§hЄýÝ”£b—äw Ã|¿q` ƒÓ/¾P2Ÿ;ï]¯AzÝ’· ByFÆd¦6iNXÃÏš0\a;ˆÞ0èú©Á4:Óó:‰E÷øÚ$óÊ=·Ó)ÍyÏ Œdŵõ[£‘ÜÀ"a[¡mlˆÒjbMu†û.|}Ô|½£«z”b&Û¨‚€[‡®†íZ£LÒ:ȱ°r’t A 7q+ ”×;쌯”1çÕ–¹ÈÅËRô§?ä,@Šó©àw]OEÊ…pÏìlJ•×_Xä«=p˜×mÜ›X®¡lܧÍ&E•¥˜qyãŠFè黨CïÞD!s‰ ²–è— ]ë–÷Žt{„—.Šö¬xøË磨©Xë kÏ+§°Ý9n^tÂçǘ%Äû¹Öjáç]GíÞlïÚôV©6´u¸6Ž[Íú1 ïÄØŽô¢i„ç§•Îófë,¬vœ½£!bÇÍö´Nõ…¯¾ÚS/«¤ö|NìÇɼÇ^ìûŠc@Â/BÒÅGñ ³ìò;Lü~Õ'®pÕ·˜üêïgr£l ´`T§•ï›-Ï7!!x0ênØÎNAªð B ¢£ø]Å:\Œ“¾Õ‹^wJ¡ÖQpªCÆÕ¨;HRѰ”àÿµ ǧ§ZD¼`t µƒiÜQJŒƒ<ˆ³'»åþh”·m˜I™Ã@!q3àˆN‹Ž¤Lƒä10¡øÏWéãî`£%¼@ŒG7Q7€ç1¼ßl1)q¨Õ‹õ H5¸¾x‚ aNãnÿ”Sˆ°ÎÓ­ÖÁ¦ þ¼Ò ‘Á”cGóóYÜ«ˆ|ˆXxÓî’s…ÕLýã§ð˜h²ƒ¤û¸Xxñªq¼œžWÛ–þ÷j±ˆ VÙ$(eæ+’¿³nwãù,Š$VhØ~·?S’«"umf×\½Ÿû‡…€ánè$ÉGÄð“pºH®‘“[8Æ•fç’ í+Ú{YYo :Ƚ›»—½ÁoïÓqýÍ0¬ÒVå¬Ò¸Ùþûã#ŸD©#¨†ÒºØÃJn´æ¥ / AãÕüÏÛNAô¢H…׸—ö´å½—ÆÓ…ÝËêOM,›!Ç¥¡*ÇÇјíÈ»³Å"á¼Íg?*/gHËÂËn_(|Ø$W&Öç䢥¶>©º›ÞµòŸ`Ù\i§ +û›Áç\o3Ø‘nZ=TYàHwí6+:Tà’¬KEÜÃý¶q9UATo7ƒ3¼c8a×ïw#Ln‡x,‡&uS”ChãåÆžõüV=«Q~‹w ÆÕ¬¥[åZg”±Êîr('”Ê“,(âô˜ªdèÍßbŸB%c€£¿y‚FبœÕ‚ü WY!ŸË2å7îf•\.Ì ƒR 5#ÇÄO2’éNîæBÕ‚—#˜ÆEÍÑ­ÐUW$a=T.2,Ñb¹“wDûE÷6XirëÍFÛM~'\´Ï@ˆª3ÇfóŸá¥É1¬Z僼oX;©¥SÁRG¦á<;SöÁ,an¬"ät+êñЂa¡ézEÜ~DUŽó'UjÅÚ§íVÍœ>ïÝPP6ª1ˆzv2ÖbçOs«Óù²uCÆì²T›‚‘Žp’ªvVo€ŒSmYéÈSÙ¸˜tL²Ñ~Ãx.²ütG6hpGC<;Á¤þTÚI}jtì-ƒëh$Z»_(lÝ­}æ$#ªÛûÇb8£Üœ½õ¹ðö¾L\GZÏÙÛ¨_Öµ+"Nž›³gb¼p²@ÙPž†ßr‹ÚÁC::•Hö…¡²Ðˆ2¾s. £fÄ Ä »ÞœÒs£K­ÀN~èN[^+ðí=cæÒñžÑFÇÎcJè¨YL­‘•ÒÐë¸m%0ìÎIÆã¿–5®=:º§‹ üœª¸ŽórYú+‰k³¼erù~e£¢A;Ñ"l¿ë÷`½Ö™­§»Žž.³øN9+í¶ZŽŽ­gš‹8Ö—ÎIÿ\é–íÜçpÚäL{2Ч S§¾žÉOöaV¢®¨¹:ƒ_°úÛ¬h…מ'UôoM£_·Zôª3‚:ùcÍé:j6OõÁˆŽ>pr4é›lkTL›Ž½8k_ UÓK:÷)ÓqûËg¿·ÑlR§?ã øR›I©eBç¿‚Ý¿eË Ñê!¡­5Ï/ùµ¦&ïâ1–^®˜F+VÖ…ñaIróh›¢–µk·²)Êm~½µ”²`Õ‹j­kbÆÅÍRâ§®ÊÛ›ToתÅDWrVöiêbÒU3.Ó{‡)gî¶ú’ÚeÅvráb.{;²KÚ;ƪôÃï½¢D*ß®CÁµuþܽ‰íŒõ;­JµÖv¯7h©Ú©ÎÊéÛÇ£BºÎ¾sðK• ÔLRqêÝñ…Ž´…4ÂU `çæÙɬÁùSýfϨ'óojZ—eü](Þ”½Î°–äíµÃÏ¥/ Oª8 |%€TpTvæïåpaáTLtEùOa: —%PÅLM2tlæ7ˆbJzW­ˆ¼uyH½3*c¯ œZƒ´rTÙ xìz!ßr¦°í1&{C&ßß êÒ¦X¶ÉW´¥o{©³£>û’¾®0zÈn›ÁγÔ¤ºß’ŸÎv*á÷÷b‚r;Fº"“.~s/øó”z'£Òá{ <¦0Å¡ìGħ}OÂ1Ó}ÖDâ°’©^S蛽Te/kóñ3á¥ÑVG—Øyá%`Þ™˜ÝNaVTýÎÍã‚Kêr mÛ0>++±CÕÿXÎë>³TŠR ŒêâÚY­Ñ©œf¡ oÑC 8è¥÷ó Z têg5¡Rôb,ĉsŒYu¹¤k¹83ê||éJÃL޾NúE'¾ ÄDŽî/ŸÖÀäá|‹÷†ÉÝdÞ}§—¡Zw+h¤qsœúa?C¼X:•ž\ © Äð6¸}üÃ;ÏqúµFõwòRu?MûµðG•äɦª¦æN×𑼠Oý^½;lZ2uïÐ3“d{Ø·Èr΋ÉRPíDºny÷¾J”þöÀ=Ã)šÍÎ î¥]ô=LÑk^]q/¡T®ØåϬÀÜöŽ©.Æ ûÛaû7O„Âö9ìfÀ¡¾¯·›-— ½02‰Ò*- Ó"EœvM/b”(·íªg}qenYÈ™Î.g•óûlTTAÇ O¡ib„™Á´^øÊ:{9Ü ½5à¼Èê>Ò*ô‡ ‘ÇÁ¢xÌÎÁOÉ"sᄮѽ—Qâô¥ëñ¦§ŒGå–ÿ.ÍÛçÍ*N|izÞl-ód5 +³|ñ/›.²pˆ¯„Rƒrƒ¥§ë*žé2R(v˜0O]½gïqÙ ÌÌ Wˆ/õV®Êÿ½ …CN!B·ö÷Ahºê:ˆüÕ„º"g¥Z‡$§‚¼¤@‘%u×±Â(Z^}•ÓúINNÊ‚‘Ä+'íT‚‘ ú”ñ–1Š`o6œb _¼_ˆ(»–•gÉrh32-;îšÐ"û~‹n'?²Ë÷Oåت¾®¤ºZ ~}=­5N:/<÷<Ñ; »²åJ8‹ãy"YP¨u¶› ¿×Û.mš)¢8(~*—˜ûY[Öb"ÊC)G¬lðúŽ›(ÛêÍ‹sxaa½^yöÔÉ3ƒ5›€TïoÛþšjßÒÉÈ ì¡:'PæïàAú L ¼5•4/„èÚF¸ç ¯.˜t>zLÇ–B›"çm$2óÁ¢3çyîAÈ@Žtz›Î0`À|(“Ó# \³$—ŠÜöè“@õ²û~ŸÇ´pòA`Š~ ]öÒuí qÕq·4háhX há´3åeU3£Ïz*K+#´Y¶„vó¢å8ù†áIã¢ê0)»I)2ìU&gûàä&Šø”÷J·lbRj+av`'ŸCRž>–M±PË$ÈÉ[…òÞ •‚—ö†s2ÜLæ"0 mPœ–t%ÉÖ€"úˆ,38¸Z¢UzÔ&Š©GßÖ»mŸIŒo²‚‚‘#‰fKåM±‚ØÞ®†é£Î‘eR¯7Q–‘0¶èÙZVkHC¤Ï8کŽ‚}£:_@lQØQ…¼›guŒÌØkg°9¡Û‰i–K¥}qÖvâé™F^s #cr]fp 4 L~Á÷ÇGe3ÿ·su@:ê”dž×AóTÔ6¯ñç9ÍØ†eö¯aEö›=NLÕròê:à ¦¨›lW¯Ì9e‹´F“Þ4GD§)¥PàJG!¿ÇA‰a¤TŽnõo½ý~q稫眗(ü91ƒ ç|°ñ4ÿ>¥Ÿ\cg•×õ³‹³ÃíAp†ùP”™U¿uñŸ)yjú(LÉË‹„=3Ý D¹¢ó ƒÚu9{å½3r #)fi‹?ÞGMÇÅMŠ È ‡j¼eÁÓhŸ<øéÔ?E×ûë©8ê÷‡7D˜s©·èš3ØУ‚Cÿ.¦{âb›üL˜áö ,`ä“‚?¹\ÿlX³NòÅßiê½gÃk÷P´MrÙì7äÔr&ÇÑœ 3Çu{ÄßV¶OµÂ+S[aN›ãež?Í쨻´sÚ*GuäÔ‰”K ÌgÛÜùàcÙH„Ð,nì‹Y–'’1Ë\>¶­óyµe žÂúix äF¿âx^uGuŸa°íá 9BzDÝ ¾»íç°µ£¨j 6ÀSðk­ûdü¶{g¯xáãÁÄFþF£˜Õ7ó(ï 7zv1ÁÂ…â}À/&Ù ˆèÆñeÚ›IÍiÁ'1§âI—a—ÀÎ3”¶¦Âœ{ #mZK³}H£7_z‰Wðu4š’5¡ŽámJ‘Źì$ Ù¶·|˜ÍY½äìØ?T·²:õYêIwÄôc²ìS^w'À‡/G˜ï•£Ä–SÔémÁº5EHηC~‰f€iz5Eòº…#{u¦,ïe4zz¿±gÌ«ü˜(uµ e9DsáÀräo Áv¿ìjc˜6’TÄ©²GJ•lŒ>©ÖúAMè OPX²@mõž=Ý_VÏ”¢Ëý…Œs[Â.€A0 `2§: À¡¶Ñ)a$eÏEcuÖÃnQzFÒ\F’¸2'ÅÆ ñÙ§ŽYU°b^y73¹†µg•8»˜iRæ÷ TÛÈo…k&éÉÒNœé”kžUÊ´x ÅT™fÑ5 ¼gëc¹™(!k8‹ÈÑ%['|ÇnÖ€(‡:ŠjóûZëíÌJû+ò& &Hš É9ºÚ‘q5rhÀÀ R–éÖ óAù8CÊa:ˆæ>:.ÂdP.%íñí¨¼¦#UÉb#Ø‚5Aˆ÷ô¼ˆØïÖ¼ÿШ ²å´Y9–÷ŸêåF(¦×JË:Ðð+˜ÊæEÇëÖŒÏ.:'}Sá`N…Oóž®=˜èßúi¡Ukwš­,§î÷™a ؘÔÜTÐ;Р_fófÛ¦¼èÍÛ¤ïÒ„?ùÛ(¢ e”æUgË¡ð‡ó$Á´ YEŽN½Îɯ•<·×ÃÞµJÍ{ PM˜ø^Ç] ”F,ùl[Û*õ`DAïÛÌ ÚǧBÃP:<ÓÙÌd¥!foÛŽW¡Agb›˜Ä"tT4‚ƒÂ FÿŸÅ|?h+ 4}os`¶1)mÕE>¶rÄ”ì #÷© J ÄÎìlIÑZ>X¥äéâ@–d6¡'m/†¸Ñy4o®ŠÍm.u_e_ dëf­ÊÙ` w¹ºj5Ëk×鍊²DY[™ùÞ“É£;G i™Ë—'Ýã‰Ä§.o† gxe8”SjØ¥áRŒr«dX#±”´ß¥o#Y¦™ñõà%ÛÉ![B „24œËg0ä—Ï}ÎIrÆn£ h¬ù2R²>ºâ!ϯÄ{ˆáß'B<‰ÙG ƒ[?dϱ¬ËL5 Fym¥8ÅO Ú)”5¸å;Z–ŘËLdä)mJ27Ã{IJ%µRgËì$,ŽühH0.™4ây¿)¶a2 !Í´+¨•þ[­eœx(|®J±•,¦$©K¹B…d {×Ãyb÷ÄÞ¦&ce±Î’Xqê^gVÓqÿ@x˜ISÊB®eùIX ö)dø$ΛíúkŠ S,[——âf¥ÎnKh52¹÷½‘í–DUëGNö“·eìv(® ËþocqÃø…‹ ­‡ÙœÛÖ¬¸×Ÿ¹ê ó½^°µ„Ž£W„5X]Ø×àîë¤ééçjÒ÷ïgí*:ãÛ†Cd½˜‰”–¡L„Ú›Íû—˜Õ‘Yd;R®Ë˜Úø3O4ž¥kúÓ•ÊÏÌ@,°â0m:3ù½+JÊQäÍz+–OðN¯5Áyë mƒÁ: ÅÌIø©•”Ð(ÆÂ9—ýø6)'óx‚*"?g¦(x`"qŠ\jw§Ãò5+n#\\BÎ)~’-¼3S€OŠ¢áå˜ÕõEøãZõ´}^«†õ³óf« Q=L` â¹´â“h^Z¿!žúXR<»[?è Žt@¬ @ ³ªŽ`o®÷×PÙª=¯×ƒáÎ3dò˜bMA?dÂZ'fÉ_ '­Îi<8ïί ·x…Î)­Ö¦tVƒß§2SŠN(Jp8ˆâÉ4úZë•)ó,ÀÀ1 ¢MÅðnKË;Ûï¾|¶³»óô«#ÌìYûúéü÷é—µ'›F™ožâÛã¯ñïígø÷ýýM ÿ~RÅ¿¿¦ß;_Éý}EçÚLgõy4vzôtwû«Ê7ßP ÕÊîsêÑîó¯Ìs©eêûÎ6÷ÿþªBSÍ'Ûn$¾UpAË¢[L=^Ž×ZAw:EÜÑìcʰtíN•’ßÃð]X9ª‡ÕW¼ºÂªvX͘Ç–ž­m¿KïˆL$½šgÐöEµJùE ¢ANøÕ&óøVtëÖ_Ö:h-&h(N£ee‡îf­yýtXÅÒN1;o ²ãåPÌjùsÿTm¦?X`7ÐXËà.€û%†6–­Ç{³ ľµ½Á)JKåÃ\DüzN—ÎX½Sþý!Ppñ›03°áÈ5†Å/ªÖ UÏ¡žÒw£é÷óËQé;4‰¬.f°æN™û΀o6œ(aU‰"vW0Y]Œ›yè²ÐÇô…ÖØ\Ö%]J÷êÿ-àÈYGuìS‘QäÃûôyŠ×,›NÖ–´ñN[«]à£æ_’eщ …!¿Ÿì*ª=Õé5É:‡¶CµÃËRG‹«à`IoÄR&%Xz÷öˆrn$„MÝ#”¬Ð°iPè +s˜\@·½dÌ!L $nð³iölÓ g?rº “`•‹ÅÎDke•Äða5 ‹µ‹yZk àY!RÏjê;rçÊqb¬Þ£¿ÕZÍÂçê“ÊüªÞ˜ñ/ÕËrÿ3éâþÒ8j#=ë?éjvÝ瘠@ØšAñT´½à/)àÿ³ÇMÃÄžpŠY¼Cm^œ¼Ð§ÓÚîjüËÔ¶œžÖMa»œçó Õ„Oa u#ZõÅ÷xÄ4Àe(À(Ù-÷;±è¨¡ r<;ùæ)ÔGæôXÜ5Ë`{Å$sÑeLžÇpö=Wü˜<öœšbð½Œa€·N”EóJ^ž©±ÅdHœ…𳬝ê픈¡S“´ ÞvDÀW+âà¦ìòû·½ƒR°sžàU}4©3sV'­‹Ñ 3Ïý Y¹Ü`¼ÒtpN=4 RY+1n :Œ”m{iЕžz#‚…œ7ïF雉A 9=1¦rX?ýöz8öãÚõÈüÀ$ÜÞ4ÜHö«3qh.nó¾ÆÈÇ/ƒ$ãEºÈÌ-zõ“‹23Uw6¢W›ó³»‚ ƒæv«rsgÕ³VÇ_8ƒ7sKàÛ6÷̱l‡ðn:Á^nÅãp<ŽúCÀÍè.¸-’k¾ïNÐÖ*È þºŒ“ÈìÐüãïÂïY›ÒJ {²“¯Ç-Tá3|š‘ÉÜ { ‰LãäÅppmÇï`ɪ͙ÉÏÙ„Cf†ÞF*æJ‚Œ@>)üaí(z‹w¼¤€Û”>ÚÐD³Y<+š¹±-·¢w!L QOпKŒ&ÖÊcjIE2i‰ ÚŠA4•£ ¶O´1—©zWš7Ú•Ùy/’a?âÞùbEøB|Ê(žÃ ¦Ä¤&XŠÄ‹0ƒNêérC³1Sêè+íØœÄI8ܴ4îýB ©dé­SñãP)î@œ¼"tÝu,ôº'>aß]IôÐÕÙØ÷ÅX90ì–ò™AË­îÑ­SÚÿ[å¶³0©s’ eÕvçà4êÞDëÍ”!̨!¶¹E—Š8È0‚©ë œ®u8×¾d½.M¹¼ üŽwxu\¢4 W|¶áz£!RvWkSAÁ-Pš3S¤í‹.H:˜WˆšÆø&ߤ©o„Z†Ï°ì{ƒu¯2S¯}‰ ƒJžÛ÷üørÐ"C]~†—žÞ|f5¯Hæ¿EUÎÎöîÓŸ|Ì…JÝvï(ÔMp!$q ;6!3Ýæb>]Ì1æ»Ð‹ýÛ!µs'úáÑÝ<êį`õUÛªça¥z»6'?:õ-‘LÔf@¨GØ«ËKå?.w¬Ê"A¾øS:{ÿI óÃIÇ ^EäYkÂÂj‹ã“ʰÛòGþÏåÇI^ŒŽÛñ{˜ûA+ÜU¹€ÄD½ fÁJ;jßT®ÄÒàö›ùü.X `¹¢-¸™(•dšÂÕ¦š§¢ÞlÕ+Ê·j,ÊtjP¢S½es¦p+¼³TñûJptçÌÌiÕ¥ÏUi{Ä÷BW$ºšê'E8.$"ì“OQÚn8<ÑÓ˜Äo,"Çà:GšÃãÿ59<e9ÿðT›Fª&cÄ­&³þÕ§õFÍ–››Wv*ÒL «2G½2(aGPº\OW$q䣦NA‰Ëh¬`¡Rª§f±á9ÙÈÐAÚ3Ì`ú¶9dËð™™IWÂXV¦UEúk?:~uRÍk[”ÏŒÂbÊÍ:´7¸…pjÍBµV‹,0t!œE0…®Ȉ#‹Åwã0÷&Å÷ÂP ²æ2Eíôà˜Q±.Ë ûãÛQd0yÒO ¸š|ðãÝ|Sê¤b7ðšuß§YŒÛ!'Âê'F|È.¥ Ú|?¦ò®rV?©,É l™«$^ÍÖQ]›ûËœ·Ï´ÅaX…)l9öR‹ÉÈÆo/e­{N ¼Æ²w,¨j”¹ÚŒ[áÄû`:Ùhgû‡¶·Û0uEÏë¯Ïjb×J¢hœˆ@]Òiß’PÕŘzüדós'Jšv`èöF»ÎÁš å›dÂAPV•ù¥àDõƒÂÍny»ü¤hI­Ð›ïÛ ÊLð\Ý"'¿nâMĸ [@w6ð&Ñ ¨ˆõÍ,ԡϾg';ä,V/ûúš¢K˜uš³Å ÕÀ#ÕÞõ÷ç¢â±î´*èÖƒ—;‘¯¸QZÐ<žQñIJ%8Š®S³!©GEôÿ˜$"媊N8Ç욘#“ÂL°ÖŠÊ‘Ÿ ôÙ鼞ÙÕAjŸ\».éöƒåoþVÀžâ.å§aט…¡Öy–#¹£“Û’>?׊„-Ê.Ç‰äƒ =6iò,BV”—š™"΄+á NîŽRð‘óÀ-´Û›KÃv¹¸»sʪÕvFZbž$¼Í9(&-šÒ\?~³„»›nH>æH®ûî䈟,» 6SüQœžé, 'g:8¿Ûù’®E‹î ] íjtJ//³˜RÝ*,x¾P4Ç>åž¹ò­PðÉ«ƒ+´Á¿¼Œ0ß,Ë[-¼—{å6l°òt'X€)ÉÎÃaX&–~pÿX #cc ò¨{`&÷tÕ4Î\2µû–¬Ó¨TOm<óhu\9™Ï€1bœ›4VÞ‘FV s2Ý•kÄTÚ¼Õ­Pв´N•µ§z†<:çjú²ê½Æ¶BfƳQ» ±f´šÅœÌˆØKHvEù?ºŸùæÖ™Y­‚´§Õ•"Íyò×±'É¢“ªÒçê)â b—Ï9Ø>ÕRö±Ä¬Y”G ©ZhÔZJo2œ\ÅkáZê>nÊMäš§ÚzãyS l›½ÝHwM7n¦VÄ캸ü7轸•`çÝ!/vž`±äé¤c^ŒÉ±s÷¯«Gå„0j¦}ueG‹]à6;žÈÕ™f”P†Z¨5ð¥1í;XB·0ô|g×0rˆ–˜‹{nxœ XE ˜fÙ¥QŰ}]uÙ„÷u³9´€¸A7L!(”•Íëgž¨%lAºþ3yêR1]1öØ|Ùxyàíÿ>I|Rß‹aPÆ Qõ£>ÛÍâþ¢§“¬Ã©…LüØ÷Îã>'ñÄh]MÒEJ_ò[žuÇD’6À0ÁJl@ÕHôLj¶[`z ª=(Ë42+Z(žÊ®û‚ hç‹F³:ذÒ: ÍNˆ…iÑÚÜ!Öö/óµZЇ¦GÆ| D\C–²í :ڤ㶘™+×çÐoøÓ~–ðÈtÍÍ ¿)Õn¼ñ.õÊ X £WØ«j˜§cß|˜S_/ÝúÎëÂÕQ)ÚΫ­åysÉ5+èÂÊQØîŠANIÒD*rÈ¥H‹€Átð’5v:´Í,ÆÁK~äõÉMüV`á}H»(’™æì—ž ø*qRâ» ÔDÔæ|²¦¨CÖ(äaÜÓ9­˜Äd ~OBê¸Å­±»† qI|¤äípz!G2cFÈ 5Ýy‰>nõ…¢éPq °2u«¼WSŠZe=œ­ÄµãGa”Ž3žç£ø]…™OþyC#Оƒ>©æ7ƒ³£°4CÊþàw|l¾´åøÊ(‰ çb…!Á‰Ô¬ŽÒ {lJq.M²‘pÐċ䘹‰¹ 0Y„œÅ"lâŒm£6c QÉÚˆ¡§;{íiÈnœ]<ôÆãaƒ–À^N_ð“vjîî¡UR2ĶD-fIXn}bž0ePEÊÈ´Ïyp(HÝ$ƽ áx ëåjÄ®6¢^©”-¦Âs0c]ÚYO_EK_|‘Ý’¸• ,™¸Õ˜@·3jã~ÁS‰×ôh '©It`6'¼EñÌQ>~l¶u8!jsE´³\E ¿97ŠÅ•})ßd£r*‚ g•×Í£¿ž´*°pjí/vŠÜÌѱœwZ˜ÃQ@CžMB¢q-&ôKÏ……¾¡G—i¡,lHCJvYb ›Aº+­ŽØf#"|ñã¢D„C9KpêÁæã>Løf«˜} ÒÝUiCœþ"¦Œé‡N^ô1š²›Ýçn•nN(<`x¨™Ä‚êƒ54ND–¢1†‚óOÖË(éW(¢Í € ÷‰ŒoBÄ&‘LªE½À8?·èÖ1ŽoDæ½ëÈêG¹Ò)û€ Œ‘âM_ÿüÁq†Ä€ “ž]K›€Šî¡I‰¼]²~Àøã“^Äq )þ¸0Yµ@‰º¢uÞ%%ÇÖÃ0ú8þæ‘JóD]ˆĤ3¿„à‘1 Xî\À+€#pËVLî·¯´—õŠÅÆ–%f\2K'·W§ÜzjYÃ:ZUxõFÝá8¶W•·÷ÑÃêD¤"–UÕP¿¾NÂ6¿H˜³ïaDÆ ÊzZ©Ÿù“ )Rlù T‘ßSDÛ”™æÈ‡ £JèN¶=—'v¬|Áy;qÌ1ÌMÛÀb<Ù,Çd$¹uÏ2fóa<×àŽØGÑ7É฽aÃ8¢!™„Uð× ö© Kê.BŠ7Eù Ýu¨«Z‹Q¿–dƒ6¥ÂZAXÛP>’L¤vt-”|Ø$¸'Ø÷šP¦`³×¨§àèÞœ›‚öc˜×I8¿›‚°2ÙµØ-ÖØ‚ÂÒáÚ]Û‚*.Ýmá1X f›û™ |±×3ô•kàÁHü&ÓlÑ“<¶H|J{‘ÔË*à_ûYÒ)~,cæ*z E·âç\K³ŠaRY4pë`³Ý›ó[ ¾šû DèŠ ä‚Çýîl(ü"¼âà|l°x•Oê°ÄvIêyV¿^ÌæËSmZz5)ÐàÌt~›Ïâ Õ#ŸñDØÆP„³™°–¡£ÂdÀa¨/A$2EOæ g“Òíþ¹)Žp<Ý)PŒñ¥iz~Ú|Åý-f®©Ïœdmú Š„sN×DÉ=ÂdšŠÐƒŠ=<2°Oó8êN,š¡ÓŸ¬ {œð ÍÝsªmÑPwBY¼ª.kžc¶€¾ äƒ²&Ácß{íP`Ü›M`“A»!»ã'g8á Ì2Zf¹gLÀ µÝ]*røÒýŒ(E .¶|èœ~{Žú©»$šŒDP g®OkWLu4À¬5)Ú`L äYÙPÙôl(3ÜEä9‹ßÖcÞ¹fðWŽâÊèÂ>ûû0ß+kCñ))òL` {=åËöª–ʸEHÒžrr3Ã{Ž™rÃ^ÒY{fÑu»Õ]Àà÷d£eb–÷>wâßiór»ÌX³;žÂžÁa]DCB‡e®–â2Fv?ïv‘Á|?7XSnM‚¶/¦×—§”§i³mí’,IxË A1“4Ì’N\ª»•’è`N[Íp½á`gɬ`ìî>äÙ“Aý™»èJñd·²&7s]Š©\ÉÞÔ®ëÜSLS-HŠÀv7ÕÎɇˆ8:VxѸhcÐ_kU`ˆ¸Ä þoE¿Î®ºáêlŸWZUS±`¡>“ã|暸5e†æÏû3pp–ÝrºX8CÉÛÕ¨OwÀ›iq¨0A¦¼¦«Ú(™#Þ'x‹vŠ\И²/1ïÅ(Öd Ã ÈäŸRoaX†Žc‘€‚p•«Y``î¼HË´€X’k`1ž:wÆë\¼bµpÄÔ/LÖݵ¯QQÛ´ÇÂ7)ƒ,G¡ ÞE¿ÃÎçµ@ZÏáÕ® µNØ©ŸÕ æ×Sã¶–6ìÐnùÇáC_a|Bô*8ýÕí£ùêg-†r†¤hjE²vì$Gô ]%Ñ‚%³Ê!·ÄoÉ¡ëž~ü§ò%5spðÔIÿ »ÛA 쟄9±@Ø  ¯Áä$uêÀÖ& ‡ÇõçÏ-4oªDb„ôô6j4ûfxâ”=<ÙÓYy-KÜa/¤ï磄ñ‚²,3–½@8C/æÀÉñïÞhAú\ŽÞÊk¦,”O–Ä?`Ô> >Ô ,+ s­Ò&*B5ѺášÝ~ŸS9 Î… _or’ë)¹W2s»îÃRºÆ¿‚Ç­}L{=È\}: [¦á<Ž~èÔÚ¬Súîú’’[dNpŠ\’õüóà„6ª`*~…˶c´Â[J3îÁ©—ÜEqAçaGšË uËt:ºÃL¸ƒò,lœm*u £‰jš¼JÞäs?ÙKYšSœDs<ðêýåÒñ,.G0G-OèF€ôXI ÁH œ¼Ô)%w“Þõ,žP´ˆÕ÷ǰah•Ñ´k4ä¡{a¥-â«Ì«…¢¼‹6-žÓÂ`—Áð9ÂH-ž%Åò‡ìÐò’Ιm´ßŒ…¾Ií®}Óà·ŒA€*m£½{1šU²;½$Š™ä€XZL5?Ô‘ÕÒî7lÅ¢^HxTÆâÎ{•a‰É™S¥Ý´@C˃‰LôµXy=‰ndæáÕ0šé´DkØ$¥».%fhYx0'Ç =GÙÃ]ïvΰK3,¹”K›¦9g–6/s\€ƒU+~ë•úh/z^Oë$]ò¢š«¼€' ´G‘Z·N)„âÐKÌîˆã1ÍD‚øK>þ¶Ž'‰6o\‡Ø¨!/Yžª.MqG/ £Ó÷$·‚f–ûæý‘t1ãd™L‘ƽˆÿÐ%l´¸v==L/^sX.½C¼÷Â5`|Ô\¡:€ÌB‰>‘ÉÚy»ö\¨ª6é–WÏIVoyñ Õ™›ìaßo~ÒpVÏÑý˜èd1Žf‚™Ú‚“P±•rPæ_ÅE#—„ZÁfÙüøÞrׇI]ØkŒîÕ\h€kç§e3!‰HÀCÂÆ<èB‹w:pI¨ˆlØHr\I饺â>†Iã®EJ›®V,3N@L!èNÕXI|Ç:$Ͱa¾OÔ”ûÂø€Ë/±|X-ú…Fõ}‡À©!Õ0†å ÔUéaxÕœ|0]]Ž!øK°ìIKÂÕ9ëÊøÔtuE ¿îNQv{ÜšyÍÆ…gv[ÄÅë7 ŽCŸùÎDò·ðë½ùèι±£•Äð8¤˜¼oÇý¨¼îŵÇÃA÷+Œ¯®`2‘ã$ˆšðÊ€Xó$àÌÃ(†w)·‘éP*›¼è)Úª~VBLbU0ѽ²YØûå4è'?=zË®»{áŽØý4ajŒ‰àÓƒ ´Ãh,í·ÝD)‡¡3³!LfÃŒ‹59 ½ÒWå]ÃBaÍÕêtlýeëŽ(sý:W!ë—îMWV#†\¥úµ&ªÒãñc*Un¢È-$z7ý÷!'£Gk"ÇÃç.± !À ú£äßÜ™5Ñ zîÇ\=ø jXH«UÚ f!_×2´:ì¬Nê"+Ù!ú¯$SÂþðf˜Ä³Ì[ó¦“K"cI¹Ç€<=È`_©‚«7î¾ ™Œ’U£"Xº% bE‹:—Åèÿª%ÃiÕ³{ ÊGF‰µX^^ ßù#¶¥{uÖeŒe ûÒ¥V.È@tÿXrÖÖËAV\wW e¾ü¾ªÇx ކãáܾóÊ$zº©2f÷ô uÝ+>ìŽ:˜1äG.°r6ã0ŽÅd܆Ä—}FYÓ_h­yÍhÒ3ι”Ùò²Á±¯1Žã±«0â:äë“dqu5ìQÒa\ UÂ}‘Æ!B–Þ¤ð<§È¸FýS&Í@~Jë¡W@™.f³xR¬œ†äºšòÿ”æ¨O]˜ªx7úþ¹Ýiž‡¯š­Óãõ[UFŸs¼]˜—LlÜk|žáeöÒH#gX5­Ž d⪂i $²Ò—^þŸþ£þûº¼]~ºÕ>ë¾(ÖJw<t²møóìÙSü÷ÉW»Ûæ¿øç«g;Ïþ´óäé“gOŸî>ÙÝùÓöÎÎW;; þW!R Fýû¿ä,‰V$#¶&cAlº†t€éFºÉV¯”^þ͇£à¬ u8nfVaå¬_õ-šgÁ‚¹‹2Žâ´;\Æhó6ã‡Y4(ç€×–œ?fó´]Zñ'W­$½Üi½ñ²Ö:HFÃÉ[x8‚ßñxäZ=¿šçg Ð;xöõö³mˆçë8«t^|Mÿ@‡࿽¤7þúëòhxéëYóì¼~Zk-…ËÕOÍVí ÿ~ý¥üµóåSõóÙŽú¹ C@ˆgõ¿Õâ)È äÖ-~]< Fñ%ªÄÄëY?šÎ¯±²~5¢é5È®øfÇSìg»ú¢v¬‹ '¸›`(g—‚dbEjPÏÃZÝ©. ²çÅgäQþÆà]ïQáŒrS6šÀµ«/ÉêTåÊ{h?qÑx Ÿá]ð ¿0èT;˜Ä+çMNRü<®=Çt !ÅãjÿÐ>ª´k@“mÝ"üÃ8-êò”å l¿¬Ÿ‡íÚ‰~O&Ôͳz5¼hT›§§µj]ªíT÷yº[Ÿç[«ÖiýàyO(QuÜö|<©âZ’ý;=åèõf+ŠXZþ”ŸðOˆáårø°§¡ ènYñ9÷ Ï}âô”_〘p©í“jÙh³m¼Ãbå8÷É£ó±b€Ü¢æ/A§)ûlxÌWè'/ xQÌådçô(Ì W¾öµb™ë§À˜7‡·g£C"ÿ2zgv0†ìYµêÖÇ¡é!Ø£ôÁ6Føqpï§Á££•4Ø<úkû€Ïe<éQl‚2Ewé¡%üü6îö®C`nð3NÄò ŸÍøy7b³D¼ÄB—¿„p¼)£1:l#´TMÃOtþ-ôï&á(îöñçå ¸=Ñ©ÞuÔ{›,Æ{~7í‹ïhÖÛ»î½UEß!üÉèWþŽô¨±·‡ë†Zdz8Br°0>S€à4>–8¾Lz‰9ƒÓÙÄ¢€wóY[ôL6\-ÃíÙ™.ã›GÞ)—Î$ì“êACÂcàMw•¯ñáº3rM þêÅ“«áÖDN¢vOÌ|¹}£JØ©V‹Æ[â†E‘ïà«\N“Èž"·ºùžP“’ ö4uyÖdUA€{L‰nõRWÔ¹' UVÁ¿³î–àHåžaSmjÊÞÓdžjÛü «ê•°§V…[Ñ|o6©šó6eS­¯=µÖÜJæ{YÏX{ziº5­²ª±z÷ôRv«Zý WÌ¢*]™’D$ M‚kô:BÆÞª’Ó]^Æ“è/Á‰Øçâ1‰nœ :áä²ÜR ˆÓ3ÙÓœÅí™õAÊ`>{š¹U­ªªbV{Šq¥*ï—B<ʇÍšHÔÒû×îØ]¼²Ò;£Ö»Œjï¬z&çÝ3ø°[×þ"kk^½§ù¶[Õú û«¶š=½ï¤{l|Uõ®°§w·¦õAu7k‚~¤ú)_¶¹´8æqåÔçwÞú¼í9ûšSŸßyë3E}|HôkŠûÅ€õ/Ôÿ(õÏpòG¨F2õ?Ož<ÙÝÝQúŸ§»OPÿ³³óä¿úŸÆŸÏcâƒA4‰f”Âéò.è.æ19î”w¾ä¸-†Žµ@‡,Q-fQ8œLóÃmqÓ»9€ì|óÍÓÒîöÎÓ€|aÚñÕüÍäžc&$ÒÄoõI¯Œ5ÉûÙì™óØæb®FÝÛ}ÙuŒƒfWX㊠1Õww†F~wx%yVkU_ÄÊHÕpÐÏëF­Ýž7[&â:¯´:õêÅi¥œ_´Î›í î°]ë ¦ æNs¦ù˜æíìL |Y6pbƒ ²Acê3DÕ‹z;€ó_­U¯œðû¼Õü¾~\;*mxÜ$,•£vóô¢S;ý!h42‚Úëóô¸v € Óõ³óÓzí¸Ê.Ú5„Wé?4/ZAóU#hÕÛ/¹ÙsM0?º< HºíC¥& „ˆenÌ&Te‡Þ»`º˜McôÈÅo7þ0ä"Ll :‹æ]ÊÓˆi1Fxú™£¤l÷}o‘Øî„.µ‘Õ(†wÔDÊ䈮ÀøÍ6¹ÇH1kv‚3™u%é*g?‚xÛM’j…,ÿ(±f_ʤtOM<B²ÿïlþw6ÿ;›ÿÍÿÎæ<›¹Ü÷瘫ƒà0™õúÃÙa®;ñ¢{0Y„$­ˆœ‰“•¥_ƒ Ô³¾¬Ö¾¯7ö9¸0'„¸êŽ’ˆóRòO®2‘UÂÍvÇ©2Ÿ-–Õ0Å Ôk|¬^´Žë­%°€R}ºâ¿ïi8ºP$<`¼N"›X,J 7=úmÞ‘«}+½G©Kæ¾øK1Ø×¹ƒ¨wùeÀ÷2·žÈ¬&ø|Ó ûùTÖñ<·ˆ^m¤û²$Ó¨Góž¾û|×ÊII^vDÿ¢¤Ûã_×ÝëLb~Nº“ˆz{5ê’ƒGéÏO+'í}9í M-œ§!ÕiUðML>~óæÇ7Á›O~zlf¹LÞ¼1å4õ³È¦·Q6‚¼ÜFçïš^å“­G.üïGü+À¿ É­­Aþg5‘UL,"§ÎÄd4XÜSŒ5.ƒwZæ½ <]ƒ·y³#;åÇmmAËTí½h#ÑŒ(7ï£Göp÷1àŒ s\ð]v Höx,ߜޢóÏp‚‹âý¾=¢5/•u ñ¥Çõ¢;ê:¬=ÝtÀ¨þòØ[ÅÛL—i.Ûômº`Gé2£¥`G>°#léÇ~íxüS1Èíd~ÖT•9YËú#×* .gèA”†×'‚¹ ªµ˜&4§ëÏ-žÕÌÁd_,ð,–U,j o£h:ˆÑé&çíp¦oè7ûL€7Ââwqëð¼R}Y9“ ”Û—(¤r£á¥,Ã?ÓßÑÌ(#ÍrØášUq#<€…úÛßÚ/ä®óEùý£~Û58ÄV:ÍV1Oãû¹á$™£+MrM¡Egå»bPê¥qðìéS³$HJ'­Ê™§°Yª]mÕÏ;¾Bõ]ø‡/j•ãZ‹JÈW؉b¨w’`DOú&$ P½ 9tM£Ù:«àå>U…¢{9ÊìgØ©­¢ÎEíå¼Ázö«ËÅpÔqq"¤ËCzq˜»Ž“¹ùŸs‚¬Œ÷üæõç…òF©þQ¡öºV{Ý)Š{nýŒnwö›7¹OÆÃ~oÿÍ×ɸ›\Û¯®ƒ(UV!ùM:µ) …±?ð’à§p‡ X¯v"Oœç§ÅÜá¹°tdûBø»q\9m6j!V¶ÑÔ¢žTÃæÑ_ù Ð±ýpÐT:ÆÄ£P>þ.FS± Èt³ÜË9UȲҬóêðÕá ÅQûœ/gÝÙÝ^P™õ®‡ó¨7Çœ8ÇVˆ&¨„*­4æò¶{h¥ŒLõÿ)ôÅ „m5âyP½Àõ=‹ì|EÕøóñéiý¨]\ÙÔ×K›zY«3EžwZž‘ø(ü¬µk¬¬·»mÖËÑ. 9$Hb‰¹›Ù?áU•Þ2ùýÛè.t·C@²¸ä²”»+ZUé“¿çKÚADæÈvÓ# ìþgOŽ#ðõvýN.£ÝÝ'²w@¯Æh–ÔxjÔÈV¾Ç´Õóó¨PòF§ö ÊÜýr)ezÙ‹Y¶ ™\'5‘Þ꟨ò—Ѥw}Ÿ ·0iè¼ãLÿÊ^~åö2°ûpϦ³Øn&~½„e¬ ã  M>¸”s•*ï†gOÕ„²®®¸ÕíÑX?¥ƒŒx ÇOÑŽ#I?EŠ^]7Ñ 5˜P‘%R§ ZZàçô·9ç’ÌÊód1èÎ2*¯jyþ?ñe£tž ®‡ËÝŸÜÔ}±¯E²ÄÄŽpZ9®×ǵFµ^k y\c¸˜ƒIë„ÕæÙY³AðdÛÆUuV¯´po÷KŠô¨ûpvÀ“RGG´O&1õÄÁ®-ëˆ P¾6kág}\vJðgc0|ˆg4Ðûêi­ÒŸ×Ok|’"[F<Ç,ùÔëö8~ >`îä7¹@ÏZàSÎJ£¦x™¿çVÀP’>Çös¢#Æ1ÖfTrãW6–¢‚ÝëËþm øÙ´g&¶,Dã¾™v1âMÿ¤þEX§Ù#ÏÁϬ·U“-õtÉïeøß`ãç} "Œ•8S­ÂÑ´ò¸\) ¦Zí÷ûß=2ÞúýwCñHµ ¸©²¥fY-Åì@ÂÅ–j)Â~þ½ü ÉŽJd»ï ÎÓmz9‰)MC“h mæZ¨Øúñ§òÐÿ7oÿþÓÖøóù`&ZEEæ”Õ˜K””—#û¤¶Ò#Ô¤0cByð˜ªÓ)î¯n3°Ú¥qóœNËÁïûù`+(?~³µõi‚?à¿­ý Ù|SÀ·Å­ÿ¾õÓãG6ßìln`ÀE^½,Gµ“z#øÒŒ'?æËyL7–ÏïÕ»Gvññ‡ÿ=z´# È|ñÅDñ}&#ÎQì­Jš£8çm‹º—þRÌUÎÂïÑæY7ðâÛCÞ‰éEúóqíyåâ´cÃÓ^©”­Læú-žíÌ^¡[„ @çGD7`Ë-Í»ƒƒj•߉tS&¤ ûU©„µÈá-oO´ª(/ÍÚf7ŽUõ³ëÚM2ÀÐKš|¬Ûn^´ª5–a‚Ó{AavôÚº`Ø“öò¨Å eÓï_Dqí,€º`mõ¬,½µí¶ð0ü„{Ô4¬ßµ_€r}0l¢µû†¸® [m7ËJ!9­ÈóªÚ¼Ú2`¨½,›sÃRÞPÓÞK»ÊI~"R<ƒ­[÷°î>J )»‘ÖR3ø`ØŸ¸‚}p¥­ìý¯ÖÖÓä¨me›Oýz[lôÞŠ[ óK¿æaÞOu+>Ôµ~mƒæ±Ùuu½²Á¯,]/B¸ŸšVÂùZt|ýÚŸ¨Ei¬‰{^ÙÈÖ¿ñ¬†ÌKÅœõ®§øòH¤­«ÉpɱGÚqdø(.©ª8ù(6X9=ü"ádÕ•L~dxZŽ”ä’Š’ù„çåÈpË ïÍ%ÕÕ®0Ò.›#å⹤¢Ú0FÚo~ª-cIUµ‘@–'û-fV² ª{HÅsÖ­ùÔ­ùåº5Ÿ¹5¿Z·æ×Å\{¨Uma)ì|ãiw¡SØZ«â·âÓ5+~éV|¶fů܊ˆªF­v,# 4ÏÛa¥}&Ù6, ¿þ°mR~“rʃVx¥Uï[p‚ÞÒÄO|­~Ì0¹KP›&dq·ª”Ä­÷ˆŒŒÖŠÈ¿XpÈ›]½¿¼‡óœªÊö9Ê,éˆÖâ*­×ó]J˜õ4†E‰þÔw=ö§¢U~d¿~ýaØ~ýZ£ûõk³š~(—½YëÎØf¨ ÄcÿPGóô!g—F›E…Z ž> K%®ud"læ&ð´KWÞCvº7EqnΡ瓎(ä[˜]¼d¿ılI/+J/ðzK—•ü.=­³tåÍj?{UgöxÙñ8Uσ:ž’5ð~/´¯õ.Ò½,ÓƒÙ4b™O8«9ëB]ZfeÜçεÒlëû½ºç&ZZ ù¯®3ob¥¡Ú¿Áu1tGZºú@ÇIš‚“POZ!î{£äjU&Õ \Y¥…vÓµ»1sGí2™æ@ݱ ÍZëXô6¡1’ ‘FãÿšE NisÙ]ÌܹB‹ÆV OxʯÆCk£Î¡¥,x6âlªZ×XÀÂÅ“¥ê›ø…ˆÓå£ó{ÎÖ½Š?q&×\ßî$k¹Ä[|­ ·àÀÄ[ z ¾M¾B+gƪôOŸ!6¯NI#R¥žýÖ·¹Z >õ °;Ôišê ~pgÅS˜»ï’ë ÒaÖV›M´žH².22ÛÔê™-hl¬˜I`UYw3Ë{u%—R*)ÏüKY*5ÿøÁOa‚÷FÉuç_{¤zŸŒnxËäô«ôº1]RÝ1?ʨCmø¾95Öíšò®Hdð‹Û+_q‚ú`–]»3¶³†÷Èë”)9Ïf_3¡qýŸÓõR½_®2ð,ŒÀ8BAªdœIÓbê×é¾ýSN|n£¾ãB÷ ¡¾¾bö–ü‚¢*rQöB[̓S  ‚Y‘©fI—ézË>4à Ӯ¡N!>]8«Qé՘̆EãÈøìâÏ-¶Y Ÿ&æPm˜²lU¬ªì¹¨žƒ»¬Æƒñ¾¸ž}¹ªæ¡¥uêb8Œ¬]g)Û[„7þ3k+ ü¦ù€¶&¢…Â=N·î“-ä`å{V6†Mtoi·2¨ß*ãå6”5Ø… ÒXYx‘x¿¦x…]êÁY…¥(\†²P º™HóȽˑú¤çLXÚÒ’´m÷’®ï…6©¹ÍÀ~V¸ÊÐk6¶|Å?IÁ5ÐåØr?d¸yérkɳ$††„玙áy˜ú˜62<'C ”¢Þìï6Á?©5 ðä´o<ÒíàléPØÒ™‚€ô¶o"ãFj»kQv]#Ê®eDÙÍ2¢ì²å¡~¤dÁz£zzqLXÎõ£)f ¨íµSvMQ€VÑ”m’ÇÝ»KŒ•#_pÈ„x•®rÀ?+m‘£@W«’a¡ ò_«+E˜*~«+‘ós-¿ñÔßÔCî´“jÛ'ÅßëÂÇi=ÜaPå#Y2 5ÈŒ‘P_i0ƔӳCüÎ[(MüÍ"JnÃ&J.FTcOãú“è /¦ItÏ<8}+fîÃ,Ì)|ð L‚§®jNIÕ´j˜þì™®ª3WÕ Å@  O.å,åþ•VÇV>³ ܈®Êœ§ð¯|E|8‚O–| KPŠñôúµEÓ¯_?,g2Œ/Ôo$l»Ù41ˆÛËQ·w8<‹ÐQc†^¿vçÞx xf¾ØS…äüIB‡áÒã¿ÜÊf ’W½VÃI=½óò"-E÷ÔF mŠð«þMyùvZýÃwS»}Æ­»Vím°šÞ«Î&XÍÞ«©-°J; Ã0ä(Äléô#]?Äkede½£Q€ˆÜª„ééc¿]ÏcÉæµÑv6©úf#4uÁo×õß×cï]´[Ëw•‰•Åu˜]K]@W]1É!:§F¬j\"Ø…-%¾QA+Óíò®nÖ¬²DÝ*ÍÛüºC¬嘬áÕPïYVs‚Ÿ{5½fº!­$Üe†–«ÍÁŽLW˜–øJ¥ŽÌ¾B™Wñ÷ bu­ëÒ)A«®®¼F0Ê.SŽ»Å\M°ù=[c–*åU™¥¼:‘b®U«^´Úõïka§Ò:©IŽåÚK†&ý[Ìç¤O#t÷5^¢#%H‰ñª34ž®çcèprÛÕ…›k ƒZÅk šQƒøyÊ;휦åëiÿÊ_~šxJ§Þ¸XÒÐAÕø`·cÇÛF‡ÊÕY¿ã@Ý †T”¾Á8$;L-lëçÇ•Zó?oÂ\·t`‚Éï“ø÷F³(áñ &Ž@Á9ŠÁw[ýèfk²‚Ýï>7£Èæ„·1ñRøÍ;à]®Ñj>¯'³øê*wVi0¿¥m „øJÙù8‘0 hå¢ó¢Ùj¨ó;«•ÇýJl‰§ã“‹×O¾~FnúíY·gj¶wÍGN8j×èÎÆeXöIb\Ìcôˆ6ßõ(ø±]™2̘…Ø)Ï|Mn†³x2ÆŒ våè6yúõö¶Yøzj>Á¬.Þ9•Æ]ì¬Yj–<Û¶¡$ƒ¡S+‰GÝÙ0±‘Ü/‡]«¯‹yâT$çËÀ~ñì)½ ¬—ƒád€#j ÿ,Êi!çkÐëGIo¦‡2à˜Q™—,ÑÝ £[ùŒî”¢|LzÝ‘Y5ÁQ½ë⿲Ô|áïœ ÄiQnÊé]ÄÉÌ ®’t,õº|[‚%+3е¢£/RõÐq:wkñ™hRU½_ìâœDÕ~G.onMé+8C¿ô*²ëÀtÝ…W£TµùÝ4êÛEeôýò—îM÷Ý•3@º‡èGÒ ÙÕÚáÔj„3#¦BÓB:¼Ž3kbïLO§¹gr|½sŽãd>º£œ¢æŽi?Baz¡n¹qFxŸ•œODYê)䨉`ù ©M¼˜ú`õT~F¨D¾iØt¬ô \+U~Owö t0žw•þFÉ€$$З‘þEà¾ÿÒ_%Œ«OhÁï|‘Ó ¢>‡ù ¦é2„:l‡Ãû°yIû¼Hy§»$Ÿâ’ÄW˜œÉ»”DÓ.ç Âø.“A©‡0,>ì}(ˆb&邲ö`œ}}u{×ʃxÒ‹6U*Ÿþb:ÂL>QR‚:V €£Y0ÄHü'ñü±™ÅG„0ùÇbxuÇyhh.çE†Œ™Ä“h<ßqЖ÷"¦øp1xË6oÙÙ7KíÈRÆãÆÈ¯EÖeˆrÁA]†o+nä8]S`ô*ĈD^/f˜…`ˆÙ ëŒ”Raª¢¾$ ¿—Q¯»H"D\T”7©Ýq$êSè˜`L).áåu8HÐcâ#u&»­ª{‰W&œ¦¡?¼ºŠf”‘ˆƒ“ÿÑ Jaþ¾tÁlÄS—b8†ƒ !Ÿ1U~çüŒ hA*‡”¡ð0üw//þ(ª=?ª OôA†ŒQ†¸öäÎÕh¡J¹ªxêñ¦nCÅ/"^ó;àí£x–„ýÅx|':L`yõ‚Á ~ðñr´€¿fƒ îþw†#’Au:V$“تé¤9Í÷­ù׬ jž6[a§Öö’¯1ܼ‘ ݪ›ä! PwtÛ½K–£ˆè)h:µÖY>ø`@Ç/9>ÏäœË®l׃/'T¶òè‘S”ì[ÀpJ6þ¿·÷ŸìŒ7¤´SÄ/wõKœ2x¹c½Ä)ä—OõËñ@VÿÒ( óŒ%õœtx#_˜é.gìï?ŸüôxO¼Û£'*Å™Üùü ,l1š[øs‰L"ù³Qó‹K£x`ÕÅÏpÐ( ðYÔý,¨½x<¦Ü)טè ó®M0áIЇKE“±Ì1³)" 8ì\°;äIXP0s¶ à*˜ce#kšE%8^ŒÅÀåIöÈÉ—…/-a„q(g^rq^=r§#ÆŒ/n¯‘ÿ ³†Ë‡]“’ÖÓ_ß`éA¾<Ÿ%ùb±ˆD»-Ãzý¦âG!K‡ÚßêoöwYƾ«¡’º¬ÿ S§ìå¶§J$0^½W¿‰ßa;ÔÆÿ[J($UüqÒøéÇfüÓVv?ÿ †ï~øéǨöÓI{Yã™m¼Wë»  J 2°šèmoC_ÌYó¼'|ÓšÛøÃÈšõQD˼” Í(…°°w$ÉPÌFÚû˜†…&K¯Oƒ„¡ÏW‹IRÍ\uçÝQaœ ŒGFFž¾`Ù·˜âÑá^ luyˆ0~&²Ï &LÈ3XDID¿ ¡Ãm‚ß2Q„ù*àïÁüZבþ@´¡•6 ¾¥Bø ]ÁÁŽ5…°‰ˆ^Éç7“7“¼ì·žf^z§™"fk]4òì:‘Ç,Íœâ a<ÕpΡD È^+^Ž^\²T’Åe!¿¬n~3ÈÃØLq?]•˜ú£GÙ¥¼èÄr÷âÞ݆ùPÜ´Ywn28@º`zªLöŒ$¿ÇScŒyò`Fm“‡=1$²(®$ëðR³Qþ^ÿÔË$ï é˜` 3[P:‡~ÐÁdEóá|1GBdÒ#‰ "Ð(ÆÛ ‚Ïá¿­ýë}xÞ:ØìO÷ßÁ&ÁÀb/¢ r4ÓfW°³làö½ÁIÓ’è&š‹Œ5ÎÐÅ»?Ä™ƒ7\Š2šF¨®™Y1+[7I‚|)Ê#6¥ƒ;o¶ë¯ƒÝíí¯9'ê,ÉfžòÍÁéU<{ bæ…Cf_½Ã#.œo_–E‹!ó~Ý®sîUÊ%—O¢yðE”/âDç t}ÎHJ®ÃHlúÞ\G˜´ˆêíï³vö³à8ºê"!RÎ( “Çž Q#¶ØœâIÈïB.Ï'‹R‰$ÜË9ù”Л¥¢ žÜJp®ë—(™*Ì_BüòUçÝVO éO²<½ ÅÛ<&$Ál8c4%¥€çG"íoª"Ç’êÿUÚá±s²¶*†“*ît¾…¥?DÝ@Ô‡£y´á+sሺ ,¢*QJqÒÏÐ^wµIÅæÉ\5Èo¦€ kï¢ÞÂè †­š•>¶öy"x:áôCçž°Öø¾Þj6ÎjìkW˜«)N#ÀKÄîÃÜ[òv†¦Ø3’:(1¦Ì]LT¿ƒ¤7Naf \FmĽ!É"§Í“PØ7´`„Wa~}\wo@†f.ˆ‡°é,"’WfŠP‹ûŸàùÁ ¿,¯MÕë¢QVŸ>>b¨³6Ðú;T‹ÈÅûTˆFþÑa&åQ1c0fЇ„DtãòS1že8_ŠŸ¼ÿ‰ºQÕʰºDŠÊü‰„ÏÏwLÂ1w=ÞåËy ËϾ¤pþLÐGÍÀÙËãz+ÈÊ¥L¹>1Åé,Àa"‚ÝÕrj™Eãøè½0,GåÍ÷­›.”Ýmúa#$¬õ$¸µo¤I;ˆ'f`Nº7:A9GêùÖÆ#Œ lH¥âu<Á­XÔ|ˆuØŽfC ø‹Ý!Ñæ‹¿BàNmä|Ý>t™ìÝÉ$žSú×$G°CM¾'š!‹¾‰G7øŠu”yF;ÚÀ@‹Ç¬áDæVe%é6Q 3~9Yê,º ‘Å#¿MWWÃw%8c%<#˜#¶EAw”ÄÁiJ€¦'ð½Dü®$ª—“ë —aªXöð½Ø÷£¹ B—Ø›é7ê7Õ(¤b“¿˜zMz£Ã “ŠÒ¼²ÖÄŠT?[@Dyzú/@0P&µÆÉ*TÛ9úÙ¾¨wjøB8]”’`ó÷ÚëN­ õ°ú!Çk9„ƒ*¦ÜÀýæ¸Uÿ^äðÚÜLTrÆþÄöwÆ~%-ïà•¶=T «—æå9ò9}YN†„Å÷Çf¢FQæò?ìÛGzÏÈ#°ÙxTGã>^~°`“\§ÌGpQî¨9hï à¢ý}W]Ûè*{ëDò\IÍbºüî^™½ƒS…ï5Wª’9aîK9kê½i÷è¼ö\G°yr·ÅoyÍÉÞáøòyÐÌ~¢?¨œøE¿¦(BtÿØÛèv<îqbùR^FŠS•´g’Î(â&¿}”Õëîd‚Ø)-GEÁÁ¹Lȱ¸ ¤/‹aÝ’\£9^<Ÿ (‘5JÐÆ”! e~ ÚêUùhÞÄÕ^£½ ýf9¶2’—}BäÚ,–d.çŽÖ,#~…¦w㻕~*U>o'ŸNì¯A ï ƒ>Fõx”àè QлÇý`ñÅmðÛû`cC->žveƒ’Ÿ)@2Š¢iðeFYП„®=”²ØT &=3:©Ò4_KDŒàTz3ü5H€/Û?Ooû‚‰$t·5Ãû®dóïo $Ⱦ)n•er ] öf.Ee¶ošG]ñŽÞ J Äåb. n=–)0dVrH!‘SìäK5î§ÊŠBŸ ©ÁäÞw.â(±~Aýˆ×Ö¬ûŠa©T1Â߮ՅítpˆùŸ·øû®•ËÑ¿¼º@RÞ`óFl…»»+1áæ.SŽ95XÏp=í ]ØÍ8Ý`Ÿ[”Èû1A5[F×d]\ÿBJXEf/uÂcX|¢á~ñÞPiU_ÀÕ¶øJyÞ•¿æNþV?Gy›*\¢ôAu´µ& ~N‰…)s<>í¢–^Þ4¯) sìufʸmIEîTV–ÔÑôïoÊ[¿c_ث޷~G‰b0ÖSºÁƒšíñ„Gšœ22Y·¿"ó eâ':g:è þ g vf¢Î¿¢óžrt:<©Šß\PxË ~ë9Ôg»6:`°v¦2Ó¡Šra¨µŽšízçîoú=ôŠÇ‚qAÓ÷¥U“±9¥ð”¹è41ç}¿ù­Jiu¨Ÿø F©—ïñ7¼}õ’^¼zy˜#ï¸Ãjõ0'\;ñ_~:®Ÿ5kò¥xäoj$êáP:<Áw«¦®§+©ü+¤]¼˜3Ÿt9~>DoVzy~N¿54ñû0ÇžP‡ðý–è½1;¦žè‹†&~{z‡NG²ÏHõ‡JûõŠÞʇCôñ¥‚ø/>£m,=ã/xszŠ.9ôŠ»ög:¿¿áíÅÙùQ½A/ùçaFÍfމ7 õF–é¨7xsÒªBè<“hnr,L±ð+Fê¼:Ì=—Pž3µñ±.á§¼Äñ_®¯SvŠŸêÌp~h>ë¯:«ù¡óJ—Q9Íí7F‰<û`Ysä5vxzŒ¿ÔxÅOxW?jý•ßñOz'_ð“œqñß7ùÅyž!—‡9Í‘‚ÙÑPAþB«Òú!$Ý•H½>ÌUê <ýÀç—5”œùÿÆ·úsœ`Ù?ë|g!}ះ¹¡ªq†¿jÇõ?á¯Ãô)_‰ŸôNÐÿ‚7²µ&·Bÿ<{ªÞ<{z˜B<¾?Õ»ðèé§Ùê_õK]®Q93гþŠ“Ü81¿ó]v#„x¥Ë\´NÍï𨿋Ày…e€[´kç•°ú1ßæZ•L)~á_‡¹vþÁßPòwùÞâù˜^áxFB¦güq˜3s~âkóù0wÑxUoËoúé0gŒDÀÚ˜ñ‹õâ0×½LÔ^ŒŸÍgþÊû±üÆOüÅÜÇåwó.eÃÐo D/ìÍCÞåoù–÷>ù[½å=D=È÷¶^À÷~]¨è ÿ¤wñå/òþ<4¿é½~äoF¾1ùÝxÅeþ±ˆçª6= Ö™| ?…ù§ñ–s—ÉÀÿ‚7ˆMz?ÄsØ »‰zËò[oºÐ_àA¾ ±*}òS<Ó_øY|•}Q3Š~9â¥øÉïÐgÊx/á[,gžÁ››¡|C¿sxðY˜%gSýˆßÐ.yÔ§{Hö¨ã2©×‡¹ë˜râ¿ü¤Ñ¤ŸÄ$ù[¼uáX–Ô2áÛ|<?s:¾ÖOø…dr~M?ñL~ʯåÓaŽÓà[þEo/ú­x‚/˜3I6©Ä{th³¾É‡9öÒÁü Þ¼…Â)½âŸ‡¹f Êzq˜›ö¯ÄþoÔDÊ9»è|6I®âÙ8$Ë;*áû5 4!˜‰^‰\l7lÐ~s˜Ó\GrΟLs,~»»uc²¤z:̱M;¾å_ò¦*óÙø:²¾ÔAsúI}‰Mp±†¥iÏzq˜S|ÖX8î;£”ÍmÎlråÜgA}¿ ½Å ®÷fÑÍïvöºƒ¨¨n”O9!t ü7è‚å.™Gc¼íè\GILãKø$×ñb„÷õÁbÚ§ e¼QÁ‹VôÁ/‹dn^æÃ>ê² 9禸Ë\ÞmÚû‹™¼ì—êädUè^Í£™ ªXF ÅÜPÈX_î=Ù{ʯ1’™õe¾@믢@à`tGwItu¥íØa_ɸÆÊUƒ÷äÁ-ÞmÉšäö„v&ÒåEÐÓ _7Y@àC”L6æŠH½)ŠçÁ5Ðâ„ |FT‚nzÐìáh1盫$ŠÆ Þ¢q À¡J3ºCÄ ÑÍ`Ô]ݱQ¦ 1F€hXÛãÜ.È”fKÁ†©•½€¿4T¤”Uì øál( AJû Xóg jãYoÒ”¦ÿB,…°C¼âĘUFA||ã*§«ªê•3­Æ4í"Oê/{×dŒw‰‚EÓjxôùˆý1q1÷‚]o¡ìˆ8ô–°¡aI¶E‹ ô{Ø;ivª/*{@ÙÈðÑ&Ðx¡ö”°¬²!o-6ÏØUE—wž´uºîN#k9´­5ô:U:kUžUF éTz`þ¿‹zõepT­’4‹w¨¢itôc³½«Ϋ­’lfy0wgIº…µTGxúƒ¶Ñ3ôÒ|e¶‚þ˜ƒˆn( j‹žñ¦dŽÖcts⾄…’l ¯Ð÷íZd×”¯!Q0f¤—I4ÿe< çê…p©y‘ëzÔoöô;ëöšm• ³‚Ý¥g(ǯ„kå–°|½EBÏé4]}ãC]l$Nþéi`výioj'KÙO\ž¡ÊhJ+r+y¶}ódërÔ/ƒdB @לuh<žêa³ßÌŠy2©jÕþLcNU$Ì…òËôћΆ7@ä[ãä¦ö/ñ+WV/äÔ€$3á¡—j0²yôq´ÖsØ÷ÑÐ~y;œpÏÓ¯}Eg=\\UÜó€¢XIþÉ9Ž9e™™¬Ij)ŸP4f‘á-&¼UÃbe–“sÜ Ý%¹óeÑçrŠLS²ɼ`i§ÝSðv]MêÓâ=L?ÜÃt½#çq=5ƒ³3[òy Âff9Ì:)¿ùWšÌ»Ókص–—Ò _uªŒHâé€Ð¡šÓ•áûu–dV†þ¿Í¨7MSŽù~zë­É~<_=éo——¹€Ó½PI<½õ=)q¯s|ƒ“â5ß=Ç&Tœ ÉNÍÄñ[ôs:G¦ÈVAWôkWE¿’a_¬ºf\£¶}Ūaó¨o¦µ»ã¾x’®µû¬˜3“Ü˸?tÛ¤>äìPH™~ø“ºÑVf(ÏJfª3—ûÓ–gÕ[Î<+¥í9γ+»¹Ï½‰Ï³ªß#!úŠä¶={⟮J+Ê}é̳5ë}åÔûzÍz.Åîl¯YqgÇŸÕÖCv:+»³Vd‰Õ¨sQ´NµgNµ¯Ö«öµSí›õª!ÞÒøY;©¬FÖZIeÛ¹{§Â]¯…ru,|€³þtª†£s4þ÷ݹðo˜ÑIˆ2h”K§èÉâoÚÅéY—0†hŒú{fjÛ#hÎÔ}£Ñ–Ñ Ä±¾Y C<ûªÛÈ“ëÄ£Öêt7‰-ñ[â¶ÈCpˆâ!ŠiYšÄ¥ÅDøKärþØk(GuŸ= ÑÔäFhƒ`¾åøJwÖ ßkK÷hz=‰æ—I_•Å“Å$NžïsKsïê~d'Óµ3ߊ¹0²ô.-¯éÅš©Ç*º(û,8^-Ž.9#R§s5|ˆëçU½ó‚ü_4ÚçxgkŒ9~Æ/ÍóŽ0Þ-½šn–΃Ò;t‰Æ—£hVBÛèôÚE½¶{Ýb†ƒT±Ï?ƒµ-ʃ½er[¶°÷&÷Y¶|imR‡£êêãGúÔóÙ:2œÛsC@ô@È6?K±âm²l ‰¢Ò3øŸ«ó­6[ÇiÝ®ðQ-Á¬”ËVáeëÏjÊ]~Ã:Æ-œKÇ¡FžÒgUØ_&=–íR_¦³ÉÜÿY/n^içp£Ðj°9Ëm½§a†žÓÂòƲX¯u$Yž<(ÕßUùœúÞ70ïºY¬œÚÒeÁˆ×Ogè…ò!ÝYÆYuid·™ÀÖìYV65/aËsÚ½àÉŽüËÚy¶™u« ûèV ;‰ªû箳ç8»Ûkf ['Á¹K!ë%Ž·aø‰tEfmÙϯWöÓ äžî(}^ÝS†’±;Ü#ßxf?ÖJÀî‡ùQü¦h_ˆZFD³ÚV]Ða鼕.#ÏÒÝrY«zY)o뵊c€ë5‹bðë5‹ÊÀØëV³×­ £i¯Y^FÚ^¯0…à^³°Ͻfi;t÷zUDLï5‹_O×-)c¯UX _³´ ¾fi.¾^Qu|Ýò""ùšÅ9ZùZE9Œùú…Ÿ=]YØ ¾¼°}Uy#fúê¢N<õåÅe õUåÌ ì«ÊÚW5‚·¯(˜Šê¾ª†ŒøžÅä•Ó?:uâ`Lr°MìÙù.r¹rûâùóúëZ{Ïø”ÛA¹ÿïaE¥âL9¾ü%('º‚ÿÖ·×-×—øÕ,J®÷”ý]î“ýœ7øÀžp ‚ÿj­àÄX=¥WEȈV°$ê€7†ûB•÷báMHR„þSlæhJEþ"üº?Q!2|•DÔ Š:úøÑ#x÷XE! 8"ÉFÐëën ;=)…{$æÇB•ñp0!óO¤Úšêר‡µ>Á0qRiÛ"ÂSŠ7¯‡ °kñ'fç WÕ솔aæ¾VåpêÔàr9ùc/#^…«A‘@ìY$0UbNþ¢'à±UDOƒ§ŠäQ¶ai¼g•(LT¨SÝdäùÁÅÄÚU‹º;L3žûg-&ŽÈ¾—Ë-¸=' ˆZMxj6ž×OBÔFÁ‘ÇT¨‘Ú2p€Œˆƒëç2@/á>^.°tña'‹íJX[Ÿ=-®€ßíñ…ÙøéêhQÿ”ÖÜÅœàÛ ¤¢ïCãiézV‹ œóûïÎãju±G^½t©C†Ë쫞ª˜sßì­ìeÕÏêä=׈ÛtneÏîG/Aî“ÂVÈTÃf‘E˜û¬QÍãEïÓFêø¥ëþl/÷IÉ®’º2V0”e×ÞrÜþ8@÷Æ,v–;JëÏ0ãÃ^3)ýŠ1cRf~ż¦Bßg˜}™à ý‘¹%,lê¤7Q½¦* ˜Úe¼  ±üû~`FFÄ'øw+‰éŽ›LN(…†€K Òñ‰á#ìMž£æðf‹}ã{ô~}/x¼çåûœô+†—&Ù¨ÀEÍ£B£Ù:Þ \ÇMt¹Å1b¡ W#Í©§TƒQ9ÄP-û™Ôg#ð"áUÄ`!œpåS;ciFS1G”I—ñ® ï}¬P $.VtýŸÑ/V$Ñéb¸¬YñãgJ L¬6ßD`˜Ñ› ·•|F+yEþ’]¦Ðm2K·«ôpƒ%sòŸÆ&IF•™;g´ï™XÀ"x ¾ |¥%Ž‹R\˜.lƒÍ€À h³—’²nÅ{Þ.)ŸûÁ$»˜†I53§ höì$´†5ñÖñ#ÿ¬¿€HMÎyä‹$L^”—Ðjõ­Ó¾8‹[/§ *#ÈÁ[^AYΜÒä,l+ûhœ1o7V‚HÛô.ïhª¼èêJ8Þ–ÖCÎ’šKZ_Ä;iD¨0rY>¬¬BÒ:µúà-æ¤áÉžÏ@Õ|—¹}Ÿ=KQÚbg/Äì¶ÝE˜3.¡UDžŰ[_¼^Ò}o =‚ׯõ”3Ž‚pi¾¦Q×ë;$V¤,'u*#ˆÚ[^AYoé8¥ÈY$# ú2m€JŽ]’\-Þ¯l-—m/&f>ËÉF|V©LºX¯‚‡Ð³M°h¢Ï~Úñ Ýrc.ÖÇúR¤¯Õÿû¢üC1¾Âï×ß÷1”"‰l•„üb~H¾ÖçÎm­hϳL›W2ø© âVV-7Ó‰Jܽ¸p©CÙÂ}žãv,tLÇé^¯9èz ±ÙäeÙ5m ÷Êý¬mh9Ÿqø£lj+î-é¬ã]¿du¥|PqU)ósƒ(Õ;ÿšÉø¬”£©vÜÅ#7²¥m“qŠËmëAÎtl˜r+£›Î?¢–RèÊh? ik÷i9]{ü¥hË6×òõt •-+“ÆÝZô¶f–#β·zXš ýˆ´Ì·|° ¬@ì’²i{û¶Ñ÷ë¯ñ‡gÇã+MŒžy\O4ê¼®øYÈÉlÓ;|íòñ 8HE @,(W£OêŸ.RídaciÛ^Œø ›7YÖЮ2M¦þg–ñãrÍâÆåãŠ~fáú£úî múÿ 3ŠAr¿t0Åfù.Cª÷VLµ“…±¥m{1"œÅžèˆà Íè–ñÖ”Ì -žö²³²^äX~g‚"oD’åÓftÑzïGÔ’" UÞv³µV_¼3Ü]éØ1dè¤üÎé—~,e}W(J·•…Ÿíû1cû –\D]¡ÊŠ–CXs¼;;Ÿ20¸´”ÆcF\l¦¼(%v×ï§Ó®oÓÃP¢Ç!ÊF¯ÏcÊì»ï{¢WÕØ^Ö¯Lþ¾fJ»¦ àƒàÚj¡Ùu4]ÁO~ä./¥ðšÕ‡,”Þ£_ÙˆD]ýÃa ¥Q‡Šu·oøn ²ÒŸm,™í¤.È;Ë@QVû~¤ØÞ’ƒ ¦ ÛûÒì¦ý%YË i”ùÛϤ«uû´á‹½¶›¬…>1Ôù² …«ÄáŒö—£p>ùQ¨ªyÒÛÆ›rÌ6»§^f`+ã»FTª­L-oßÁL㮌Ÿ3 jËÇQêi|—|ÅöF£¯߯/ûbÀJ_òú*úJ@²û"¿@aÃàÔƒy#ä+g0SÂ/ÕL%a¦†(Ô£‚žb3{ćŠ{ ½fÝéõÇC’¡?]#%‹qòÑÒM?¢ÞøÑpdèǤG~4 Éèךpþ~0"ÜåÇCúåA&Cm~,bîã= Á@?Îì탡€£ Õ~,ìôcÉP© 'yÊÑáæ0°ûÃA{0>ëFUþxx"þìÇ’Ñk?Ž£òãÁ‰Pº ÈÊð£Aʾ ˆ<»ÅâÄc§ë3G~x°d‘üð`É(ùƒÁº‡eñq~€®5íàæz™ù¦¡úã@+;×iÂE¨c'rþ€?tž2ZXß?0ßeë€Õ ”‡¶¶QèC–¸à{€~[·aϸ,zhºUw6Ñk÷²â`>Tß\ÝþC¤ßÀru›S)œ¢VÚÐråv9ÞËÑ««n2‡½Ór«ØU¬¥;?¯´‹ðé²›D"ó=z•Kï2éM¦Ûûü÷ýä÷7å]Ì6~Þ“ÝÁ®6ÏÎë§[⬃KgÇðß9ü÷< 8Øp¹3ƒR/(Qã¾ >ÿ| \|?¾):ÕõÓyœÆ¤ G%<00ÀÉõ6}»!’ÐÁïà ™øî` ã]¶O+í‡k5ÂX;PèÃø :k:Y~ESÔç=ð×è8•™ÄPⰘ¸F(Ãå/9\þòÇÄÏPU&QGWão7~þ/…<(…x0 $ÓKó‡\ªÉ:4<Ïxzp‘Z}`RXJ@©þ:àg={xÙÎä 3ß뱄ÿÀZµúGÈò­\ÿ§>=,ÜEÉ¿1 ˜6¹Àj¯xbe¸Á¾Gs Ê0ïªÕ{p·„ ,t\{ÞÿV.N;a½Q=½8ækkó·'óáÓøI0ôÙ,ÜDX´¸†Oé2 ?ËÈ-š7È™Œâ˜éx@?ßg2ºó¢^köx=Õä-™ÔåúY‚Ÿÿ5 ë)Éÿáô¹Fp Fæÿkˆ¸k¡ËY‹ê™:Fóª©[c2îÁZT×»žø8Ö"¸Œµüü—µü‹XËCÑç1rŒ?(ÈJFV¨wÆc&t°¿2=•ˈî6‹?}ø}¦f[ÐM-þ)Ì š˜o‹·}Üh?êî÷ƒ8ar$C¼?æÿË'ÿ¹+ôßc¬é·èã¨2µÏ*–ú`øõçnô³½•ZÊëVÕv9ÜêÖ–ÌãqÝi[ëKÛ:C»¿…ÄÃð0‰ ›‰­Dîÿ•ÿ?qüKis]žrùËW¹üåŸËW ½Ÿˆã™(âÛWLÙ…)¹s夹ðU»þü_ÆdÍÎYÓG±¦?òΕ{iƒŒ×¯õúõšdÐá÷]Ê@?æZÀ8”CЋyÝ‚o-¼~}ÿÅàë³³L4Û> ‡šþ,&€µì4þK÷¥ˆ ‹ ÉÆQÈh5‡8íükxÄè¡Iâ~JˆM8¨¶øD‚{„Þm+í"fG®²V/Õ™žúƒ¦c:z®{?ή‚2j 9¬_’–¿ÐOç3{÷ðwþíH;×páô{§"ï¾\˜sÃñ>5>ñ"—Fs•"s>ŠH•FÈeyv0h±S|ÃÈü³±áÆÆrœÂ…’q|þ¹Žp,–6…Þif~å¼Q³rùÈ6D–¬T>º+v.Ÿß(]ÑPÇ=Þ±Eàã}ŠI¥ä­‰Î:d¦1r@ízAÉô&ÌÓÔÆÖ›ò“»¥_‘³mM‹"ÛÑ{(v{Ê84˦+’)õ„×?Èk±-¯’'ª7}êlxÙe8 õ- 6&ûÉfùñÖææþtÿš~¿)ÃC²ù÷ÿþä§·K߈Žo>ÙÜ·¡s·`ådóMÙ,²¹O!5& j\Ü?0o&›åÍ ÝæFc¿Á¯ƒÍ¾ÿME¨Þ71i 䯔Ð:~Í„{(#gŠ`‰éÔ! ¼Àš™•1o¤DÂØHvTxÃO[܊ʤêçEc~Âõó©øÝA*ó•Cf~*û]$DB,„X¬ÈHvp˜hÔ vè‹™a')¢ìÒ5éC†¬·b‘Þ÷òM[™e*Ͳ¼,Êæ:Ô»ƒŸSì!ƒ;ˆ¥*W\3ÜŠáˆëÐó?æ÷Åô+d…œØój)=–Údšwœµ!È´ï«òÄÙ…mÔÂkOþ®4µXè n/`®ÌÜf¶mp{±’ÖÉP'˜â‡±UÍJï»ï³ÌÒÈXc¥0#ù gÓ‹Ë¢‹õÙ½A¬°µrŠ©uõûßaa‘œï%‰‘õ©úvÀ²‘$õb-úwJÛãV|XW.†t?þc—DbÖXXÊZ6á¬\L(Ä2±±´þbîžœ…¶ÍÁµéM(^­Z.nq â냯îʵâöá÷Jù‚ýkÅ–¬ª«±”µRªY¹T>”Hþˆ•bâè^›Jz©è—ë®Oßø£ÖŒ z-æÿÐÊÉDÎZ‹' WKvšû.¡£œ?h˹ßZÊ}t®‡IQoÏî6 õ,‡€Õî, X»½ìGÓþš@?ïâEÐëN‚^€ 'óÉit'ý`¶˜ãî[8Åßç×ñb âád€UãÅàþ…6Ï ö§ŒˆƒÞuw2ˆHpÓ- åøJB¹éΆÝKèú)"´à# rŽP% d vŠDé†kÐXÍÉVRôM‚á¾(ø§„Ü»†ŒF0ÐEÂ}S0âK¤óA4‰fÝ9LÑ-®'Ä‹F@qû´[ b¨<»&Ñf0í& ÁêG º¯Æ;¡·b̽xöôYÈ;¬äèàçémÿg‰*˜ZGXwF[ðax¾‰ ùxR ¾ÛêG7[“ð“Ýï>ß1Ñ(÷‘xŠ º ’PÆÓùtçÝAÙY²©êY͵œZ;ûÁòÕâ]e1Œ=[»K?e½9ÞBü %©Ë Öaž•ÇÖ=B$oY•óšÚ•‚ZïëáÕÜ–Ø(;ÍZXiÁÔ=zôXÒOÞ7(CÎ¥p4üú«ì°ŒG> JÒxš¼BŒøa:9Ø/Œ.jÜ1ÞdO<œä#á;¥l9Ìõxiõœµ•«òê¢÷\èžËkY4&®jNœœÉØÄç¢üayX/ªžÁ+.’;¡AÉo0ÝF½\ G}ʘ ¼¹º€sK ©Z} ~‚Ò>ŸÈ3Õçs½¤O#À&ý[& ˆÑÚJ¬÷æ ÛÕæ9^Õ^¥ˆÑÒ+=\óÚ·ÉÏÜ™X•»¢Ã¦›]2 ·FQŽs‘ªŸ{Æk“xŒ·L4úì*õiÔ/äF‹?¾y³õJÙãŸÅ AÁÙ,kHôR“ð}‘,ä,†«YCGDg) ŸJ¤V¯McóI4ýYЊz1ì|ž5@ÐÅôWý`£<Ÿ%t,ÜçC@§ƒQ?ˆ&Éb†vwuóÜòU—Gñ6xfé jçAâ.‘|M/Ó ÅÓ¡#*ql;p Ò6€úôyCÔß(Á”{K²6ÐàpŠ·›Áü6Æ­/¹ŽF£@€tß½‰A°˜Îb8CŒ:ÊyêKi’/ç6BÜS©w¿˜.ÇýRØ·ˆ—S8¼ ´¹Ñ—JW“xÖßÀó ž"lTa""áÏ9BÖ ƒE:‰CÑ») Ëã¶@; Ääuw G´ *ÊÜcê0…¯:pPlll”sªqdÐð6N‹eIoôº4ÿ¨V`iá´õÆ®LÎáyß ðgHwÅZ÷ô`ÚÔ…ÍSÿi^· ªÏ¢d1š¯†dC°†ýÙ¬ ¢_r“i¤UŸ9ÖKÑGª7„bøô:¦“Aõ¨É®ºóîh/‹ãXšŒ¦q’ é@ÇõÉp.w|–ˆÄ~§è>0›ð›|ðÝç»BTöÌSª©N’Xö©JAqƽªa;Ûf‹@Àl6N«Q€‡¥ˆ>3;µ1d…)Ó*Š—‹I¾R¸$‹¹q×d!RèûŽ\~.t\;t|µ:òBWr~ jý#ØN+5o¹#d0‹iQ*Áæ ÷âQùiCðcÕ]ºŒE,¸KwÁY”Fè¬ ©s ³¼Ñèàç Ì¢iÿû£G·Éã=²Fçâ{yƒï(xh±Ô J#n5J#½9¯´ÛùL¤ Zây¥~š "y;œ®Ñ~Y?ÏñŽ»±ÄkîFFÆ ŒŒ @”ñlˆZ«Õle‚ìægØ©gBÇ|?¨{ô‹Zù™)ÙäBɢ׋`ó™8~,C|ºêÂ+“é\Î6Ò€†á èÌüÏ lX‹É7[²ÒkTvþï»ð£Twï.AÄÂäÈ´A@ßxu ,õ—æ¼´I¼(¡gdHz“Rò!j„oº#Ô6Ì!m‹¤;ˆC!&ñTAºÒºÖ ж%=@×N@0à×“GìÂxp“ ïÑ#ƨçÄT‡ó[ì'â9šô§õ3FjÖ2ªøF#¹êoF÷Ÿ‘™tÒ“}SŸÊ{Þ?˜ÕY“ì®°bž ›:,ºATå;ÍNåtWp2VM\Îùý¬ò¸ôöðè-,?˜M²Ë#ÇàòÈ`þh‘]žØõ‡¸ ÝË –À§âŸŠ ñ` |@^­åUå‰QPyZñX~,ûÈÿíñǼn+œWª/+'µ°ÝiÕ'2ù§8•:‚l/Ÿ(ʼn1É<œ磨¸o€Îša½÷­nì{:V.£ó<šÌ“½½`¯Mç×{Án~YÍ¥›'oœªl .Eo£ø²;B9KŒ…Ì¿Ká <O ‰@”ßþ’©·û\aÈ*Kb´¼€MÆ£I¯ÆqÁZåˆ.Ì÷Š~_k5Û5b‡Øé^wîí³x¶¹Äß3Gÿ x.do‘ŽœkØ<ÆãîìŽ&#E] ÊšmdS’±Oì;‚— €å5]¦1.åÔ¢à.µ£hÙbÐcùÄÖÈLÌeutqÒª7[b^M³‡¾?E¨ZãÁÛÂB±dß’ö! 5Á š–s9:_—HVÝ3n [µê‹Zõ%¬a³×Œû2J ñSâH)çbœú7ö×bhdÓ,I•v¿AETþ-•Ä¡+dWqªÏ:/CçתæÈìº5é4!^Àg R|“/~–îþ¢;î@©AÈ6^4À[²NÈIuJ€ûé£=„§ÓúQ«Ò t~yÞjž´*g¤Tù#gb™rEëHL¿‹Àdä8H©7b–QüÙ9»}à\/›´{MŒÑí”ªë ¥é2‹¯1¥9•Ⱦs0:'[êá”CˆY¯ùz©¿l×]ŒÌé,¢3Í“ð¸Uÿ­aJ%:ªLºãˆnWIGR*AË%rçÀã*žÇ¡Ü,ѯ„@ÇãxögÛh^ºƒD Q·êð6©w¥’x­¼Ç4^ #!8LbÏÃVí¸0èiñoAÎK…~ÿŸ™<˜ÑãÉIŒJ½V(’_þ³‘Ä9ˆ4šô³ƒ(Ï…*ýí?Y”IãJ=:¨J¿W˜RŸþ³…‰Ã4žä“ƒ¦Ôk…%ùå?IVÒ.B”ùÆA–÷“B˜ùõ?| :1>x!Ú/Ýå˜ñU/J»À6UæxF/="-ý^¡K}úG”“cÑe¿t‘–ñU£Î.ðŽ@ÊØfKaö;}þ{Ö÷ÿ ÈSéî äÉw^ä¥>:È“ßÿÃ7 ™ºÑP¹‰ÂóÅÝ.–Ñ{†§Ô6R=ù[ Äf}u»²˜BpVÉÿ›fáÔ» <ù¶󵽿À—ÿl$Ù ” SÖ+]þo gÖçÿ#ˆã\Ö6æè]êìiÜÑ÷ÿ#ȳ²lÛ84?e¡Ò[&Q³Ø6bË ‘Œ©GßšãEåúe1 R“üO‚Ó\hëÆ3ð¡¾Ý)¶Œ‰ƒC§•-zat¥ ™øKtšUâþNCZå™}øãç ÝôªI!óðþp†vè`÷ µ•Æ,Ç7Q(Ê¥I[Ÿ"ˆ—t¯4~‹ÞBæ[¼R"›ùd>Cƒ0eò.­íeœÁ­*ÿø÷GÞ¼yüÓÖøóùÖ@x¶Îá@éƒa8S¬Çô änìkïÃÐðÁ¥©ôºá²µºÚHwÜ|ò;´jôsë÷ß÷çy+Ö—±‡³õ»k·Õ 7ÉGtï”Ãã­ÇEÓ3ügå–­Êæ¹ƒŸ|p7¶Þlm}Ú߇>ü®'ZK6·DŒÇMŒ+ÑþâgŸ³ƒFn0#PÚ4#q(üÍËÊá\…ám® a½þ–UWši g’$¶d¸/3,”1¸ŸS\6 o©Ød¶©ÖÕpâ-”æwSè:úáL#¼Týj{š}õ‚Þõ8î‹/f·ï‚ßÞoö}&Zæð”·½@™6"øÇŽl xž¶ÒŒã4Íò)í?tlª_jÞÖèQÊkìýÓ“ÆA¿S3ÓŒF<Å}6êäý¯M lã‡ôƒL›‚[†Ð~Š”PÍ’vLˆ…)‡ï;²ä>>îxìÛÝžE£î|x3ü5*ª/“èVî hà4"ËBf§¶‡5Û0ê¤Û$ ½þZþÏ&,˜4|>p¾©÷oÞäÝ&¥€½?ìÑK´O GÑd0¿f¹Ã|I_Èw/Hã"á[»cfŒÌ°CX5H£hæxaðN~ð Ðúf 2Ý^1›F­eY2¬µR9Ì)Ôw¹˜}}ù%u/ÅÂ6ñ3ÁÈ0ª-õáÓ4€§OŸ¥Ñpò6 v,FØýb¶Fm‡{®W ›¤J‡£v$×~w,A0ÆÃ.µè›%‡á¯Òà×áTQl`G5'Ê]>a—“¿ÕÏá;þÖß„€Í§+•¡lyð«§1Ù÷Ø#7 •wïÕþ4¼ Kþ7úQ*}ó> ¾.\þº»FF÷EÁHŒ:qŠhhžw¨nó£u0ðî×{µýúoØŽŸ•JÑûàݯ¾Ñ¿[§y(ø7£‡ÄÇ^UZzãd/È·S²kÄ ͆— tÀº³Þ5WЭp §§¥+ô'd.!}®FÑ Û»CÉÁ¬;Æ@*\˜|ûüîad”2Ùá§[¯Ï9¼ ÅQÁÞÃ"ÍãA„î¸õVó˜wËÛÆjÊNøpö·5P–\wgk¢ ‹fàm˜äÓŽ‡AþA õÃ@ɚ˫­·Ží%T’Ö„ |Ï}B-Ìþá¼7W7Dm”€éí-³Þ#y­SiÔ:ðœñ`ãpocy‹"ú‘ˆû²˜À™»B²%¹Ùr ¤à{òŽæ`A‹Y终h‚!æÁ`Ñu'óƒ]wç ’" D4º*¡=ƺé—wÒÙ¯;¡AèzÜq\$ràfSÐ>™ÛÒéPÊ«•VõEý{<ÒŠ3âcÁ–‹6ƒú½ ÅÉ•©&áÝ<à± àÃiPf „‘êÑ(££ex§ª#LW~·¬òßdÝÅÄd .WÈ€ Öǽ*ê„–¥€Eu_ìeA«„Šá‰¦Ymé¥[kõHÆ~Ë*CžgÍBúÍH–Ö[0$T·-}JuáÚ1œû½PÊ)œN ~a7%âdXgõ¿ÿø÷= ËÀÁ6·àÈ®Âdè~¤DÕß:g˜P¡´5OßouÇ€÷Ò#ø³¥ßS÷}ŽÍãÆáÈ,W.oÁÿåò6ŽpÀ~pű™|µÙx^?¹hÕB[çU¹¼L©Äöj  QZF-ŽÆ¼Ñû%¢ÿ’ïý›áÊ2†1ó’R¢_ë–[¨ŠI·z 0eª4«sEøq¦Ïv-Õµ¼–¡¾ð››ìÍþ"/C,Åþ#¥…'U¨\Ýi$ªPÇ'O¡~wÞÕ…ðÉ(¤™ˆæ'fp6ùʤ­Ã2 w¤;¶Û„š9k±DFO¿éºtÏŠÙˆ+;­úyqc0¤2T´ k¼Œ¯ŠüPT’ŽÖ¹®SÉ~”Œ@:˜Åãß²³y§u<àPI|q Ñž·F\ÓLýF±‡½=¥Ä×þ¨ä£œvE1Á¼Å odE£€Äš°9§ëFÜ<ÿpøtVOk•FÈVVžï@™2e¦¿Y€i¿Z Þ,¥CöaÆ<¼QJ 3˜¶ñ4UlÉG7ÝñZ…ýE8KßjP²œÿk:}ßjˆ¾:þ’ë×?Ò\*„µ&ÖñæIÛ({ѶcŽáÔû$Áëê[|'QUvzŽ¡˜Ñ‚ô‹ã.H8Ñ? XÉ4ê »£RýYDbG9Ïô-ÃsšQ7é²u¹¹°±O›¯¥\X##‹™1]SæE49îZò1‚€ëŽiõ2"X;)Wì%óGês(ßKÄ.%.£)—"Tפ`cð GØöôkÔ:¢”b*À_¾¼î¡BœÁw3ÜCÅŽ9‹øˆRPîz>†-ÿ6?Ó3}N®bÜq¯b{w‡gñÝÚª yÁÈQøóPÈ+/.ðæï 2s-㟠¢F캢Mº £È|òÁ7Q&˨ÓO¾ziTŽ‘ÄÍù¡g¦«Q÷6êo²ÅÊ ²ž/Z0€ç•ßtôÁÚÒ1ÁŽ%{"43ôc±ß=: ›]!ó¢5:Ű_pF&.„þvtdR+òa¯ŽâžÚx˜šE™’Q&—ùEFHG™ª¼• ~TÞòD)oy<ÏË[Þ˜7å­Œhå-_Üx›„B'vÉð§CUEy+ÓÏSßjÁ©¾ºu¯ š%ÕMC[éÊ«ýå­5¼ƒ5à¬( *;ƒÁï /dyÑ»õS´bÖ÷’®¿Ô…œ¡¬pDw°a:ûh°]ƒ:©à¢’'ØZo¸±ÕÐÈ+.!Ò0%ÁOÊ_~³ù¤üìI¹Šb<ó˜8Iôެû‹«´s˜¢®)¸Ý ¹ƒe1†ÉxP™Uû.ù>èÎ12&BDÍÌe°zQÔúå\¹Ñ¬½ÆP‘{¹?ý÷Ï?óÏ Wúº¼]~º5îÎÞ†³yRî=xÛðçÙ³§øï“¯v·Í··w¶w¿zúÕŸvž<}òìéÓÝ'»;ÚÞÙÙ~ºý§à"·ùú÷ÉŸ­Ç¹àqP§w³áàzì|óõ×›ø÷7Á‹î$)ýµÅÑõx3¨Œ@ž‚Çãh ¼Â®Uè¡Î7;%øë)Zm¾Žfñ;(0n!-A+À3¨8Úr$ÑìW~@íw^ÔÛÁY¥SkÕ+§ü†Cá÷õãÚqPiÃãfðªÞyTŽÚÍÓ‹Níô‡ ÑD“àV¥Ñù!ÎѪµÛµc„Ôlõ³óÓzí[lü\´k°Ò ~h^´‚æ«FЪ·_Ê–Ï£Ùx˜$ÂüÓÌ@ïd§Úzæ'ï8%0æÆºÈÙº“»`º€abêJüx3D5ÊEÝK”¹€i{"Qè,v­h y3ãéÙ§Ýhu÷‡Ww¥÷…™m¬ _".1Pôú%ú¼‰ÀÖìgêŠoÚ(—@ÞviŽU;¤çKÛÿŸ½7moÛº…û5ü°’ؤLRƒDZ,÷¥%Úæ‰$êRœ4õÅHHDL,AZVßþ®aÏØà 8i{¯õ´±`Ïk¯y`‡ÝwOÁ÷„ ÚÊ"‹ümL€Ê¬[ˆ¿ÖÆÛç(¹¦õÁ‹Rik38DQV9ïÍÐÉ·XúA~ «âeõ`ÉŒ]½¬ñ bЪj¥¼Ðë˜ü €•GoäWûóÉ0Aßó êcíT †uÑÕù¸½MÆv«Ør3tôSèý"ža¿¤8Kî™k,ð4Œ&©fuûŸ‰dÉYüy<ž¡e"‹ÑÓ‰dñÙÃfÁn.ì%Iƹän€»v ¦&ã@íô³o&í^ü³$»˜Ì¦!<å,ø{¹Çñ¸¿'*½’¿Ì=.=×/wß¶NíR\ýð i?<øé5ZÒ·&³ ãŒã3=Œš\ªÏ_„(dÂŒF“½’» µà"dæáN¨Ø,€ oþ8¾ú7ãxGÔŒN#tR/Ýî•ìý€!˜™éïŸ?†vû,ì6ϺïöJÇ Eãwã4ì³`{éN #Ft†‚³ 0ޝF˜¾®Mä´CËV0¦!1FŸ;Uëƒ~Ýim×ëÆç•@xÈg²pÒ7o_>ãÌNÚáaóåùëטËùCùÆiæì°äY¢±»\s Ä|Ê^†ñÿT… iAžIòk¬WF§Õ:9iv‚k,œ¡:a޹Ïå×e¬†£0â&$¼lj’q½Ø z†W¿œð~'Áss¿àÁÇÌÔðá~n×’wuä æe€þ-ýW¬ûÃÇ·¥/ qWî™{ˆ[hmÝ’-ç}…~8ñÅüê ô™Þ8ª£ÝÁ…Ϭi®°akoV †º,o¼B篯'ˆŠ¾ž|ý}¼Q-å± M#جoâÚ­`_}m¼ßb9‚¿b<+ÈNLo*Á³`c£bž±*BŸ_縮 <gÉRßa:¾ª˜UÄ.b©Ú²C/W*yn5-©™ÇÓ©w H7Ó)jGîÝ“·ëBO¬ä£`ÎdÅ$¤€@ T—ÀNušÃ.ƒÝé4Þ> ßY €Ò…ÑDø¸Å( Å‚PéuLí^Š‚€Œï°Š5c2vzD.ÿêC‹Ã¿If¯‰p;#ô0 Ça!æ=ó:¨“³›Xw@í1º­ãÝ©L‚ûâWè¬~ˆûºx¾jpfPÇ”1 ‰€ßuî.Aè²$ùI¯8qy7Í!ƒÜY$&-ίGßI«–_5ŽºÍ< XÍcл0 Í|I…ŠðE€I`:1­¿5ƒ'æ ù°¼<n~V!®â4½F–ð2fO¨*î9X*y¸y鸄]¾Ó›]¿Qœ(È0•@AÏ3’à‚bÝ:Ò›_8œ1 €«¿BþÞì$²/<ÆkQ7ß)^¶Æb‰™ó¨uÒ¤ 4…È—™ïÃ{¯¯#®ØHX£O˜aƒÃB½õÛvç°û·àEðtÓØÉ’†jÿöåo/œ/¹3æü|Ý>^¹ÛÇEÝ5ص}VôÑ}Øñ¼¶SÙ3¿ЮP«\ |1ø ÌTŠ?×çî~ÛßxNgí«ðù.ü[ÜãT½×Mfl!ë$`ØéMÝ…_Ïjp¤6Äà‚0ó²îGy(þÙ€ÿÚŽ£i/ìŒ7iiW»m~Ws?¸-ý%8š"¹eíÖ9"è¥zŽ$XÉIÒc b;W¶ÓsM}tp!æ486©f`þÉ‚[gV·ûÔ-²l÷½vf7?Î$¿®Q).>†w¨g-¾=ö ^°H©ޑPê#ÜËbç(Í}i¼lƒØ±q–¦ 5o´iN[,·ŒÊzRá‡ÃÃð°yDvµM+fJ›‚XÉ´hªÝƒ¯ûÏЈS¯/2âXW¤ª¬3úרßl‘ùÅÞ£wW!-Û\ì­Òˆ_Êû+51 âËOf¼^2¦Pâ(+®GW”'õ&âÙËÜ];f4†uÂn¢ìå4ð5\ó½µÑZ³ÏŠ’b5}hYÿHåŽw†Ø,·B½©y•Õ§;Ý—kvÚeKÙVUV‚Í@ÈÜâžTòëµîñ®˜ürW/o,µ*’‘MGCöMoö‚aÚ{bä°_7¤7<±Ö:i‘l‡VÍ0O™ä9<é;¬¢#\ÊsØDôRR½£iùnÆå;˜—ÜId îäpPñ#±ÄD‘ë0T…“X‡™*Ü™:Q´×áÁn?A/rPLÁ ÆE-v’X÷V¯¤‰P€µŠO,ƒ'oˆ\åáO'ãÖ ×ơ똳P{ö÷’Ì-_t ”j¿_ÀézÈ‚ØåO‡±Càȱغ}k狸ü”\«Rl»¬lŽ4­Úlj³›¡ÔŸ³{ÂqÏçæ6UJÖäsWÃBa6~êk©6®HKÏPûa¶÷šäåör#âÿ=Od$ª²¢,¯¥V2ÖïÐ÷/öÕ¶¯¤ ·]?Ĭ[—góæ®œKÛ6…_¹\ këpˆŽº¿…‚]xrp†hîp€>«xN>ƒÑ\ûž.sfÑj¨ ¿_K!%4,?kßy>8¹8Í£®‡äEO+Ü[ÇÆû;n«t­Aöî¼ÛÄFá«v'Ô) „ß{IòØ|W•çaeòMšÑá´*™ÚøÊtPÐ-h=Âã…»‘Åõ:šÔWuPÐxlf;H$V Ñðiù6ûK½? §ç ØÔøö(Q,ÑúlÞ/wgí~¹+;÷‹ÅÂÁ٤ʽ÷[z(ÿ/-ž<ú=,ZÆ/z æü‹ž³š ÄvBøŽ´”Ç0þOo,×ÄëAÒ°f”Œw.¨b°´ÖŒìüY6Å^_ ÔjÀuW€;÷d6sñé4ž`à_Qó wËÖñ£.Qe«Œâ·9gó lŸŽ?‚ÖVòVø¦}t2eÑtɱ¡Xäm0»i(ð¼^ÛÉѺ¼U !¥õø9²ßR…€(K…$G¿`½” V W×z†Â¸ÿHo©CmZÎÞ¦²ñŽI+h™¿ $0;{Á/îRÉ[ƒô.]Š­ÇôGKX2©Æ\+â?[û“ÓUËA‘, |¡ÔCÿtö¸XóP¤}Às•j¾ÿŽZ4(ËוB%„©MX® uÔ JõÔÒ´h.Gn“4’]Ø@áj¤VÁ2p- Öw6N—xÀŸÂ¢úiL|2I‡ÜžP½£½· æÑºÐ,®DÎ/9Ÿœ}mäçÁþ*6ðx\†bH”ÃîÊ|Ò0gœ)^9&‹•î³ÇÔZx“W±kcÎ@µâíVÑÅäwØåí/‡e܇ÎþY |¿`¿<¦Ä<öKÕÚB”yŠOÏæ Ýû]Ä[¯ ƒîõAå¹×¹;³,N^V5éÁã’€{„ZDÊJc|îð $ ÝwxÞ] ž×…h/LÿñPhùìÙ¨!±Ã¶)¸@È+­$Ê­(Èù°•ãǨfŽ áÇ$õ¯êTI]½M§ï#v¼½¶»ÁHøÁ ?ë|,ÿºˆXK.Oƒ‹³ëD é3-’L/*†D°¥Ô %™b¾ÿß RÎìK)îß>žhIDQá’k™ë…åbå”Åòò “É4ýfKÓý!Å œÃX„\j£²Ò³œžRYRÀ—ÃðõÉùAân>¡¼ôä´Óì4ÿ»ü¸Š.›[R‰_ôcjrºgƒïÄæƒÌù°R±öaûF9c }Ëeò‘.uX/go2!E©…T³‰Šð ©öÏ,‡—Óh‡âf—·¥2Y;ÅXíî˽±y^c¢a–"tö(Óƒ¥ÁÕ4½ÆÝÇ=„¤/JˆÇ• º‚3Áð¨6R1¢ì½h.½§ãxÈ^ÿÉø}p?˜uÕO)2Ŭ+¾ž¦èžº’s¬€9¡ŸÍ&ÒF‹™<™ â"‚ 9ýC'ކ"€?’Ú3v«®âÖ©Êaêºâ¼:+f™Íy×M1ZþI/GAï͎λ(Þ¾[ÝŸ¼V ÓitƒÈ^užUA¶è!Œ¯ÖéIR€¥xZ§`5¡£F6ޝ¨ž´T›šC g>ºà =ù¶ÀÁˆ½'½‘ j¿ÄÌÔÆ–LcÍdž‹ k®ÈYÁu¦¦ë â¤(Ê„ç“ìˆu*B_f="¢HîyAy ÷jÈ>Û:jâõÈ A&«¬Ïe¦Ü7÷Ø ¡6/TÏ„I¯Mâ=±éC¸žÊC<Àmc=ç<€³C½èëØ‘IDW£„Ü{p”‡Ôoîv ¾/;¼}¾Oß>çÁM÷t“ˆ9€ -ÞÕc[a.Õ¥J´Ve½ÅZ~±ðq±²ß;'dñœñÛ6ã í>`zЋtYÃòÃ娋 <3 ‚™ NÇ 2“x =FCCX/ôWI¾’S` Äg‘s!™3W'Ô(üP½$(@ÌC±Ž÷`D0MwN¯É;Ì2]±zÒÿ½dkÄ„ æq{/€ T¶WXŽtäŸs'%=1ÜEn¡ïíSS;F¨¹[úÊ4Hí…¤µ¨@¬ÊÖš&T’Šãé3åxáÞØ´Qg&]é7*®rÑlö÷N'fßRôÕP |Ãu4íg6 ›©{ÖNƒ9±ßv •“Ô ì‹Îì– {í=~d¹_˜ð¤-q²oØ yçvôsRÛygOÎk¦þI8 S@9YLÒ”¿’ó\ÕD}C_c®z*ˆÓŠ7~Q+ËÓ€=|X°¸ÛB/FžY?nõ·ÆwsâÝÄ ULÈXpXŸF©åd,R¢Ò AÃT&‚Œ#Êfe*)+ê~QH¢Ð%+£Ëòà¿Øj&udw eÄ=À0.Þ†’1QC,èwCª"B¸D¢*7ÊñyX@à´b_T¯é?õ¶Ó8 8Àö1¿•?T£Ñ<¢×JDâôô¼ûSö¶Ð˜Ó8¡€òÕ¬xd2¼:àɦ D¶¿Rê™y61j˜ò†EÃ0Ž®xÅ}ãÏ3_c£Ì=k†¯[ÝÆË£&P؃Nó¸yrÖ8Z}…r4øƒSÿ Ï­ÛÞ?ÛÒ‚ÀÓC¸8 ‡\]šÓÀPMùgáÂÄ}üŠ–Øâ ‹˜G”LƒdóhêÛЖ'ÜžÈîCúØg ¦bt?9ºt¦¶ºÇ?.wähYÖD<“æÙt6KGÒF;K'ÕÒº½4áân!â;;ë„ç'çÝæ¡De‚ÕƒFTt†¬äÃW vª áŽ*nr8Bɹ[<81E؇µBe ,놊Äœ€R?9ü0)¶uFø{&…wôÏ·IÁ˜‹ Ë]q`Ý;¾Øs‰Êzz+<['…óV2J@òGò`ÜŒ”$¡Ô•–+”/ÙV£öä±JÆ”Á™¦Ó¸^à< ºS^ªG¡Y8L%€ÂƒÄ¢¨>%¤V• }S–á¾1Ñ0 6sŒ2 §¹/¥EŠSÉ%(dMƒ:r a{‘%dÒ.ØÑ<.[oö¦MÒ¸dãüHh¥³’ÚLÆïFÕÀí§ÈddŸï’>4Tᛢ-È¢ðÌÞØ?ÝO¾UAO¦í¤U³]@Š÷λoù=ó¬4·Sù]òµrt¼xŸL_7™­T|%œÆ §/ƒÿ&XxtK°þp7vþMûì¬Ù ÏÞ4N$ºÌ´çxV°þøu§ý¶žŸ.GÁˆçz­Â¾˜Ž x`ˆºŒ¾1¹n>æÏ··hBωâÛÏ ÏÏ,×›åæ~ÒqO ÜËü±ÀnUöŒÀš‚Cà<µWéŒs¹(ñöž¹‘ùMÈÔç±ÊYøÏî’é!Îì`.1Ûf¬€v RAnÆJ×¹˜¯› 5¤3öÆA]ݯzlˆ@%f°@mÔÒ®’Ñ(î'”ªxÂJ3ï&!MY\[Ö˜Ak%kˆÙšãœ6Œôh¨ÐoÈŒú.»Ë9L°@p¹L“D]$õBÿCÖ´a7¨vÃEg¼9¨ sˆÌ%V)g4fé׫£{]È© Nµ€ašÍêœÆÛÜå~LyûY«ÍféPÅUçÙ 5„â(°:kÚèFðk~"±Z7ˆ"ýDŠÐ“fó0|Õúñü4+>7Ŧ"‚ƒÔÀ7ý²ÝWMêÇ™<»ëñðrbÝöVS¥óÓšäï)xhOhá\¬–rꊶÍ„YO©"`3N|s+PyÄ -7rÇÙi4×ç¯Ì vÄTòò†òÛ ƒ‰‰ P¨:‡©èòšRb„¦ö9šÆ­m©¯†Žx¡«ñÅGÈ‚Â%î¡WÚJ] Éiù>YR£8¬è"£t²©¬O—UÉdapÙ´¼±ðÍ8×”¯ÝÇö~Á¸x…hÛ*`”¸/@J¾2ø—&Ån‰Ç”kjQÎÁ$ž („Áç——Åò‘˜£à¯}LÆ 4B¤µ à±8®œgTòV Gœ}1õ¶8ni9œVòxÍ‚¦W¤ôò¸jUa  Ô¾l W2¿ö=`JÂd†§P{Tói§G“X¸<‡!´W›#Ñ9¿ÒÕøRwÙa¸÷^ðÒ¥;ñU/ÛšcÕ„õƹö¨R@Ö[ê0Ô­]tfžð™6“Åx(¬ÌC›uy®£ÊX€–(!óÕ%NÁiœ^c-ªËyŸïg\$³úbN‘d3£R˜ zèË›ó ‰þ\_ëÇ•y»ZJóë«–|ÂFiÊ’ñÎFèÄWüg~ˆ†{¥ÅÚ’‹Lª=0–º©»ÛŸîÆx&¥·n[*1†’vÈ—€EZ'¯ÃîY»Òd£Ûô'¥¤ç¿ :ÎÓVùÑ÷ã6ȧ‚¸Ê²]m0ÈÛ*¿ 5V—S±%…RS©Ðß½hc\c#î 7`íEÎ0èwPðúRÔ±âˆ{þ<œ l²ùÓ/Æcù™‹øÆB¶x66ê6{½È&žÖ^ ç‰C,ÇØšE¼6i’7·V^è­? a(•’Úõ5›ëÜûÊýU– ôC=E ®#NÈ£º– ÖëKPÙ­.úDš[תYÞ”;>»™Ðf(/rg1*«-…@òHd¾(™&˜õLf\ŸŽˆ-3¿ÈJ‘’Rq¼ƒYË&¬")̳ aiÆO×H²&S‡!{D?åä K´ªŒ8¡µp<ðI"Œ+Ì 5Ñø¿jÔ³÷…;Ü6m—"E+’ÿt„¬C”qYPÀèIüÌ3:“kZ´W¤*hæ*žuºŠ9l¸áHTÈsÄc‘ôाj4ŽZk ûKɾÛÀ4SÊǩّ';b­ –«„uÂT¥xëÏù@øæÜPüÔÈI”©U™ cO¨¦mËeâ |Ùþ]-ó‰ÚtRžß—ìÍI¥“´¾÷TÑÊŠ•t$¿PV5KþÛ¬uÉ¡°†ÚIÄZÁm.Ö ý.yɱ„IŒYò.{%¿¼\¤â«ؚʆ¬k1K0jXõC°„0ÿIÕBUØé|>€ÀÁÎ'”óH›½à1§•™¥“`¿É0K¡gÉ…î—%ñK6êf’GSX$d²N*E4äbz"¹NÞ›XAHÂN)ýÑ%6òŽ(Úˆk²‰ '"`TÊ‚ýúëlž.6Ô&³YÐþžlÊIÆHÈcHfÌâ÷­aX4ü«>;A3£‘¼FUA„EôUº7¾ ‹ PO»jТW°\¢ 4ÂùE¨ÁKÇÒZŒ+” òœ¦øut…{8c€b>Xº0‹k’(P(™*r“¯pS%=ID¡Ù¬]…#´©…ÑÕ™…î•>ŒÊ5¦\¤ˆÒ‘Ñÿðƒ§®bè‰DÜ^‹‚ÅÜÿŒL¡"?ÊnƽÁ4§óÌ7º"¥F—ã:2*{ÜÇzcdwôÝȧwSƒùŽpå>vW¸ÇYtëÂÑÀ QÖH1”¹{<¬Äþ´âÁ ‘ï4_·º¨õVaôa³Ñ9úÉàòW@òZ°7òKâ¤ èæ³ç?œ¨ÉÆ F¶JŒèšÙ+¹—–É&k%Ó]šQÆñp½u6 Íå4޹R7×5 .0ð ÁáR€Ñủ–ÒÕ¬¡|=&Pe¶hzœ½T1ÆXW‹2Åñ•¦B6BO‰îÄs{@Wù àè×±öÙØÆ¶qFKØLÝ®ˆDsV°Ì€< Æú œXÐl"ªvK¬.C<œ®äè} Û…»•­[²OâD)úí9ÑíÏø‘W" ‘iEð7DÑéÅ/Üêgüï»zú>”³3å(z†í…ÂM< qáE2+Ó'FÛÛ"È¡ƒÈ1Äf8®[ó¶$_åÎUφ«þ]"fmå…`€çÊ'*Ï/ÝÃMß¡ýÆ[`\¸'XIðþÉ”I°ã¬7M&3K΀9Ä ÷ËÄLèë]áq('œúIáᙨ(tеʈçtÁÎc²/Éê5"xLk.¤1¢§ç›]Xø½; )-V`,Wã(lÁ¿•’«¢C1 ñíBô ã °é8üTÁà<Òk4ôrPq 】‚jÅ–nÌâ´ô£#….æÃЮlñ Qê!ô0KF\oP2"²Åø²NW÷-0ã¢aÔûÅ ¢1‰z¤õGZE8†Fv ¸náà6H¿ˆ …7• JóD_ZjÌ%«(97Å‘¼¶{cÓÅù1Kˆ@dbäÚ)Zía¼«˜Ùô Ô62„"$“ü‘Ê.…§i©ä-µ7‚3ªu\¿M8ð^z5&Š ×fètDm^TIQ™Ì„>CVg‘;ïÑBXñÙ=@E—ó¡P1yÖÌdénK)ú¹êÕžÖ·ë·²I4íÁ¥è Â~<©wÿòé~¶áçÉ“Çøï£ow·ÍñçÑ“íÝ¿ì|W)}]|ñu6©ÖvvŸVá—Ò—À½®K_LãYé *"MV3ühwûñ·éÃt[»à?ÚE›\@„×ø‹YôÅöÇGp§ïš _alÚÛÖÉaûm·ôÅ(ý@b8ưôÅ8.1nwuïJ‘߆†¹ó¼_T‹Öü[Zº§KÌð·å ¢n5 wóJ@o3q’äàÎ%Ré5Â$tÂf÷LDzvùбTq–°&‡V)Ël>™ o öâŽGÈ¥Kÿ|ö–gVÑ“]ÀFuŠK€>(2!eÕë§@eQ8g{AÝ„±ÜºK¾‡kCœwÀç½ûÅHQÌ¢~_ÁT !ê¼EKh6yx‘DYí©ø&Ý©Öè£ïvBá³ã”:Á[-E®£”¿ø‘.ÝÀLð¬ÛΊXþ¢%sç.®Û4¢ÌY™Ù󠃯2†ì†M•õÒ0M'{ÙìcðõÕvõg˜û;l²YFÜlVpݽѦÿÖ¶Súââj^Ì‚¯?öz胖â:¸˜ø [W)¼28wÞ‚GUc‹jûpŒå~< ›UÄ=ÂÏáÂÒ†§¼Uð}GÜßlR¯º‘¸¾Þû«¯hîÈWØÇ…'ÕN¿øúj?ÿ¶äjço5ÁÜþød{Éé-;»e'·ú¹ÁœÔ¹©cËÝæÙ}AG¶è̾ ÃúbÅÃâƒúb¥ƒ"ÌX„s7”1#CƹϪ…k^dð¯¥ÿŠÿC²ÞûÃX£Bþo÷Ñöηþo{çñ£Ïüߟñ#l)éäfJº–ïž>­â¿ ÞDã¬ö_õàeFÕ 1„«Æ#òn1[•{hóÝ’ï¾AyóÇxš~„¦˜üùB$©€pès,‘ÅÓ"ðËîf6{x_ãÙ¬v 7%šödQ£ñMq?äsø¦Õ ŽgÍN«qÀï§ö­ÃæaÐèŸÕàmëìMÐxÙmŸ5~ NÚÁÛF§Ó89û)hþxÚiv»(±níNÐ:>=j5qÄ“Ÿ0q+vØ8 ~jŸwô_î´ºßË‘Oã)KDê>T‘î¨`79‚Qí%TLn˜LSx=¶d¥ßÈt®Õ_~H(d‘¼A¯Oœô„C0 ºùdtPù ½&Â|dÌí7)`¸ª†–£1M¦Ÿd³ir1†…¾H0&ßüĜÉJ¶â4˜ŠÄ;íF]^G+jJl(¼”jˆûî)@àžÄÞn•Öè¸uòúí£]äLÛ«x NÏÂÃæ«ÖI3<í~/¨F‚˜0L=}‚=l©?<"§iÆŠŽ«—ÉU} ’ÝêÔ”0Hómâ!›!:d Ðôlåq¤ž®ÓÏê+o.«6”Î9Œô wÍl‰õ‹6XØšñÞE¼g'g˜ýHvÍÄiŠünœ¼çR¦ïu?¤$$[ Œ‚ºl®‡!»z}@Ê„0þŠ&<1žûsÄ{XŒ‹Kpж M¡ìJlµÓÀ³›l¤…@€A}‰¶O$¦)<Ý`ǨkÅ]˜5„Î-L I”m°a¼~œJ’Ö/lÈ2këh@á|®˜bG5[ðÂÌ,sŒá·Òv—Âþ0LØ!¨'lXìéœMhl_·ók,Ý79 ß4ÉÞ#—Œ‡‰ð?Ϩ¿ÌÇïƒa|‰Š(í¤]wÓð‘yõ¤ÍEtJÒF;¶ê yÎáŒw;l5ovÝ7ŽùH~÷¨°‡Ç+öðMaO¼VbtÞ²VC$c'™ Ìh— `€E=ã íðMã‡f(O%¼ˆ¦ÓaÝÄ'è–#·ÑÙ£}Ú ›ÇçG@ZY¹ }¸ÍËœý ç UBKmƒl€Z’Z|y‰®4Ûß"ìˆ »ÊÕÂÎ<,¾ ³dü~OÄ’[ƒ² ¶êš³¯é0–ôîa4¼ÉÖpj »“ÖYëo͵éEÖx¦4£†W‡š0ùefJÂ$èZ¥ÔíøGFùf)o&Bï¢@óÏí[Lk¢•úÖÎÖ¬<ÈÚ¥;e›Ðïfç‡æ¡ÑýžÈû$ëÓ¦ÉËÈs9&Õ/zéõ »Œú ®n§ö.Ú{¶$’¾ÝPᣚ¾9Š­‚A:å+UÈÕ:­»$|å®Zhu§Ù˜añR ‡43 ²'m±¶$euoêNÂ)·ÊÚ6<ÁöËÿú¾urÈLJ38=ë¼ê4›9ÜG¯hø^ZÞ~W ¶ñv\&22_Øâiß6·ª>¯Êíà7쳞uãæÉë³7ÊÕþñ4ªb‹ö÷˜'íà¨Ñ:†õ´ÎþÜVq’'íÎ1p†ð…˜dnŽ+Ïc©¯*RfòÏæåÊÃFn¯ù#0 á˟Κ]¯§¡tsE%Å0_!›”ò™‘Ó+¾_wéç'í££æÁfóxÑÓvÌ゚~Ò_Õ— [kð. ú=+ Z´„õaNáó½B$Ƙˆð×IHwŠšƒþÐ8Bÿ;Ú ²®ÉœöLmXÍ–¬f‚Q*ø$(ïl¾yyô=þ^ñíHQ;U(w„vm‚ŠŠ¡Góá,™°£„³¾ºÞ T6¥j„ÑÐ>‹z3¶qt ‰ hŸ(ì —¡=À@0sýò “Îrp(”Àcñ¬Æ¨˜œÀéÒ³x\öÇ×°ÞMxvB.Άòà±¾Ü î+æZ”RÕûT¼D²soŽÁ “è*ÎÌâõ QšN´ÎûÄ­¯U¾x8O[þØBã8™M‰äR_Õ žõê«Dl]Œ˜u˜ri_I#¤&s*·<ñ"†@•˜—¹Ä¬„¢fõTÁ¢7HPVyà†Æñh›cm*Ló(½Æ %œ>›†[×ÖËÉv˜‡ýÕ=›‚‹§:V2øM³3ÃmÈ÷Šfæz1T¹û#weæìÒ 7è¸ œãIÓDmÒçÓÞÐYš†Få…ÿ•à3Ã÷ˆj@ç|éilt(n],b( Í[ LFw°qpªÜÉHÞ å  èföW£P@ Šl†:13ÐÀÊÁgfñnc™§£Âóg‡g!0ò>€;kõÂ>¹DÀƒ¦2ãºÕ'ê€7Ÿ‡îÉq ù1Þ‰¥v}ûɇ·íÎa÷oe¹²‡?¨ì&ËǂǰÄQ˜Üµ’Óf'y±”ëUo®Ü wúÞ‘§Ä»eß™(‰l eYÚKˆRÒÅ' Ç ¨c",„í éòE¨BAÕŸF7q ˆ¼˜òa§lUhumiƼ’RЮTœbÚôBH’†DˆÝS™ H…B9Ôæ²FD\?V¾ÙÒßZäëFÖŒ‘mD5 5\Î"¦IYSÉÍB$ìV ;à àEVØš1½ÕU<ާä.,¢~()I¦øC %,>êdëû89’aßT×–#¨4õ%å\E¡ŠŒÙeîUSS¦#i° ÔÑж$«ê•Ò1ƒ‰‹)Üp.™á Ȫ”´€WVöò2K£Q=j™lê…à&˜R!øšÌ2-ЫРŒb‡ ùeÕËùph ¬—:årNrçT_ßÒÛN¡kˆÃ«ž»A¶Â7í#ŠÎø¾¬SÒÉs¶ªä„nÒ³Y5^âI*¾Ù=?îæK3G}‘WÕm´à6pŽËî÷´s¯:íccËÚáR[˜óÍ`”p ⣊?—¢îƒ¢{Mfßøle>ØÙ",ãrÈëð´Ó:9{UÞ86LÖ_ç¦Eûïã•ó‡*Ý=¡€Š‡û¶d¿ìàKžÇit„¿Sq‚X«¡WõC_(d× :íö£æ¡¼Û%™ùnWG4–úü“c›à¡Ç)`ëqÅ•‹v¶IZáÃCÓ˜HQ@z ÅIa¾ÎBÒ²fJn_/õ‡KqÉ—+ñ¿Ã8|ñš˜fù=Ä徆æ54ÇyfÆò¡ó2˜,&0ÜFz޽ŸÆ™LöãË% Ú,æÄ#1ä‰eø{MK“ÂzI†cÁº³Š­ÍSä$WÈkVYIv¥¥]Yâ=jA3´¸Å@->Ä›<‰§äRÓDçíÊY×_ïzå¡«&°>ì:Wµö^Š/2çô|¼´+;‹ò3ÊõO% — 3®¦ÑÅEÎ'ÉZ`^6¹ NËa´‚ü´9MQ~\«²KŽ ˜Iˆm÷¯¢þœöûö3¬£½WZŠ"LÜ\„r"ûîfž¦ygy[ZGíç°ÍLê÷ó},üŒ[®<9±êúIÕFA3Ö+ß ÿb·òŽý‰p‘ßøâ£ºÍ“ AÌžåÙ¹Fº£ŸòŸ˜ÉLó4µ²ÚÆåÙÅÕÎæß TJ ™Œ]Zd¶ð‹Æ ÎQ2YšFf=ì˜|*loÉz{¬ÝX‘Ä WUVeM•_I}9Îþ×±b\ˆ\t‹ùÒ"NtåÌÍ¥ê×fU×cSïÈ¢®Íž®Ãˆ“Ãa£ aV2µaÏ‚‹Èµ.™.­Ò>¨Í;ŽâÒɽ(csAø( G™©ãK©ä—;VLÄ<:r‡ØÁ ΀k™ ”Í àŒ¿‹}:{Ýça«{ÚîRýz7¸W'3 Í©´;‡Á&õÞÓÊžGœÍÜ:<²‹ƒöÉYódz`S–`ršö“löfž‚<Æc×a§Ák/šRá{€1åp/PwzÞ Ín7ü¡Õ>¢=³¡ÐØœ`ó#Uó([Ï*jVj|ô©_cÔ›ÊxGúX•åŠëÆÊŒz*nЭµ£>ŸLÓaz5׿hC‹LDM~â¬lÇ2¨X¸3.ì¤v™Ž’Y–Z“ «×š‰8L8 *«¢ÿ¼˜ìy?»ÀÏ6Ëå÷F³ƒÊÞ*=Sá•§îÉtb*ÙŒ{s> 6ým ¥ÙÚ鈟ßë)hë]5¿oÖ ÎZ,³R0«½·´bM^xå°<Ar7åRŒ¯½|aQݳEí•l¤y+¿qÁ!rØK”Æ»ƒAßRÙFÖqSþ/”VÞH9Am·—–œïžŠhzß‘³‡•´9±ç·mÿ×Ó„ÔA„øo2k›qY8®¬@ÑK˜ 7ñÌõ˜Ãü@¬KSôèJ­Ý0M¹ž t©¡c0ûèÇ3LÌ1fÝY¢²xV帩iÿÔ&âhœïCZ'EByÊ!£ï„œqr±1û°ü‡¨´†X;³j=LÉ3 šI5£Ù9e6B­ ¡#‘퀣ïU^XÚyŠvß}³ur¶…¹^Ösá4صPBŒ1·p÷9g]ÕEÌ3_¥2¡µ–,ŽGYÑ šA¦7ŒÑÏë7š}(ãéuü ^”h;FHí÷ƒãæ1Z~hœ5eM% |`Jq‘üx¼¬ZC¥î] …€£ÿeœ| €Ô[šdº`yeš$ÃZ A)‡È|©²ö Z¾¨Ùàœª|K® ÀÐûðUÛÈ;’˦è$ ñBüÓFˆ_L]‰¶’úùÜ[è†íÄÀ·Æ3‹ƒ(W‡Ð¼ŽËFͱ¥úãæÍƒó³fø¦qrxxó™ñyŸÖÉy3ì6ƒ76;B)͘>ÁÌìØ ib„bÍPL±òRÀÛÓ\¥B—p6‡Ãáq”Œk˜‚»/sÚbþÞ÷¤ ä#•„Ö Q"]‹äíÚ“Cfð¦FðÇÿ˜Ô Ñ{؉ `¬¶ØãUÙcƒ®?5ètð¡Ù šNâKÓ_>Ï<,í*ÜPÉÖ¾?ý…‡‚IkÅÂLcÿÁé)yÒRÊ.ÑÔœ™HeÏ`[ÂØÒ¹˜S‡òêòÂì»bóž¢SQ6‚K†2þ(o: ¾þú2{¶] ¾ÞÞ ±±?ÝÙSu¸ªRY©ìƒúÂ~ 'ìè~<Õ­ï@Ña±%í>{%¦äõ6U%*€UL¯ñ/âæc@m½16†dÉÝsëÌêw@¤Ö1¡Yvíü4s5ä½txòXœ4 ÛtPB—Ú„b(ðA4PŽœ$(®»$)÷ ±PMþMÌÎlH¢é+†«; ’Þ Ø¢,O2ÌšD+íl'•!èîH<ˆAâ Ðò–%!üŠœþd©ñÈÇ¥ ¶†¼&U±(⇈:þ˜ÌÔXJHÊ<])'2òxørý]’ 0.ˆh‡N°8$p-‚‰·n©·T±’;DW, {Ÿ½mtNÊ-[ðoŒ~|"$Q +“›Æ²Âƒ‘@—Ó˜cEHšSQ™8¨×ëÖÌnµÔÒë|Îâ&øœÞ„$t)µ¢,¹á쿎OqE¿Œ&áÅü²"j7øÙáµ±YþÒ‘ø„Ñ“ò^ínªGÔôžÉþfžŸâ $Ê4A;ä,¦¹äŸ†–”Գ兌CL §†î9¨ÜÉ6ƒÙÏgUï¥€Ú ÕÑb¼ƒDÍ>q£a3èw[±¾Ò™j9´ƒhŽN9) §†½ WTÚp”-¦–"‹·h oe*WœEâtlT ‚Ã$롺ըâ\ÅNÌ,¤k® ^jmŒ,Àé ²  ¨À˜š|÷¬Ñ9Ã`ø£CÓ†·ZÕ1ÝIûT÷‘çGȸ:Ö¢û°CTr÷ÈÊB—N_™=Ú®—ˆl1’¨âæ–…§­½5b(l눡OG†ù&íĈ-Œ‰[ê*QÛ± {Ž€&Q̺cFC³µ¬‹R¦oFÙd•I|¹Ð“I”{Ÿ¢¿0ûq!ÕÓÆ( ØJrúq4?)#bš1A¦ÂGÐAÖJNÜ–u‹êÒÚQâ/ákòZï+}âW ]ä‘ëT²ÙS‹DZ&ôÔÅ JÉb/ݼW®ß6,L€#²6ÀW†W9¦skt€e4ÊŽÒ ¥»7[R(ªù‚Ó,K%0çW¼À¼7”ÿX/LÌkvÇãÀ€韮Ažò0SâYt3 Sà`s²a°[|z)£]ô(42 F¤EÝÆÖ¹OÄK4,ÑþnSä­“#Ë\ $ t‹ÓEs¤ÂsŒÐÞÒº¬ÒÊžo¾1EA2‰z#UÜ’ƒhì¢VÚ— lºJb¡Ñ$²8áØ£©#l:å┩!sˆ=¨Ôq°obáˆf æA8ÍR$ä°¢ùÕÕc½÷¤¬l÷9 m°í(2AG@`£)ljæ#.´?§b"˜‘Vlðg£tLIµA¼¡ïg”1¸ÿÄhçXw>L"\BœÉNºNì&Ÿ2/}ÍÉn±Hä nB«Á°zÕb™!D× MÆ,ÅND*&A¤©+#.ãðó×Xú ¨Nܱq5nâþgg+%mvß‹ãæq»óS°8ᬃÅé& HÛ¾óp±»¾ÛW™™¥K„Ä‘WݧÄJ2mážà'pkIæ¤o e‘BV™±©°–‰ Æ“=-m‹hEL-ë¯Áe'òˆ­ê9I€§Ãßî™ÊÝn¹ט£ Ê$»*cÍŠF ù©‘­©îÌŠ€qOu|E&¸ m4„rfä(ås`+ætïCt.  uk²©¸MùaA»ÃæÁQ£Ó ßvƒÆÁN)"_»§G­³°Ó8yݤ,EÝ`g÷)+GEÊÞIzÍl·îj—9Ä`à‘9¬Ì@ÖîîŠ$„ˆÈ®ã›©úBpäÉ´7}àª{¢Òà X™J•Èr¨p0+ò.3(Åýû_¦ÄÈ2&»*û{«å:«¿‰gÜ¥@s?è¶^Ÿ¼¬•Ì—Š‚3ÿ¤€]ªÉŒ‘^àµcý ÓZΤZô!½­_ã§@A¦7JæÒcÀÎÿ–éò„gmNbVÎÝ« ú)Wt8‡îYãu׈¿#Dt [öª¿3Óèp¤ô±Ö߸}|¤…ŽV„.s1Šfßg¶&üsŠíþ=Ñ2¤0eõÒ„,PL›UmwAûçÙ€ó’¤ÁC™ñw»R2ëL$>ßtÞcÃ}ò]H(kºB,œëà7‰@Êúª>䃯,íùþïNfzà.Z»‰ç“íLqISÞ ¹álݻ۟æÜ8y÷_X²3§©rK€×^ì,°ì‰{ÝñÄ·Ò=Ç×2g-Ïe ‹Xÿ+º©éÚŽí“D¼Q1ÚF,ÅͬÔL q̪$gõ00g°·jX%×ÌV%¿¯…:^ÏVÜU’‰ê|’qÊd¶÷ð¡÷Æ Ó<¡àÓ³Nã éu˜U0‰&ø˜ PƒªÚYï2„Ø­Ÿß´ÂH—az…ÅƳKt‹ ¾üzþŒ³eKŸ”=aXÿØj@–(bW7–nîHFÄ’îï¦Âm"ìg¥øYôR* «A™Dõæ¬Ñ Kú´+´Y)a¶RYKâ|4úÒÀíŠÑE­øVÒ! äº;™‡¼IbV¼Ø¹õIÁÜe\¡“•QÂÒ3;³Ú°_®zÇEü—ð¹€æå[íÆ}‚Ûæ½iª–©—€lɉy: D̤ü óÕî¾N™Ùbo!&í×w¨¢buÅ×®¯I´&G a†sN˜ŽÁ޾l7NŸ^îñß‚KëîZ;páÚneõK`U–ÿz‚¹ºFÑDà¸ÿ* ®¬€xÍÓ²AHH<ûÁÿš2A%Xr àÝAàÞ(MØÕå «g!Ûó÷<¡ë)Râ‚û=oˆ»”™ÑIŸ¸HcÃ\‚ôªõãùixÚnœ5;dr$Ç–½*ÈTúÔXˆ—ø Í‘w9í4_5ÏÞÈÄ—z\†…ܘ²«—`ß v â—|€kxË”UtØ­Èö|2Æ'p„ËzS6,aq8Iñ<'g]çªyKÅÂW ©{ïN{Q ˜uŸï»aÒïU$qÜ:!>áÅßèÁüo½1ĦU6 /ôŠŸîï«§ÖàwFÑU²pü§chÑ3 Õ /àeá¬6ñò`óÊ9¤¹î…X|9š'?È¡öV†Yγß<83!—ÀÏ0rT„ºÂC0W ÒI®U¦^ÕAR¥«ˆHž'f»ª5?ûNúb¼Sáêªê©m~¥ä ¾)¢›Î-çÄëæ—`›Î#Ô ç‡…äÖtW? 'Ú6„{m¬Ï·•òð“zXXé®#²6F¹ìúAÁ¦´.¹V¦ WaŠH*C‚.¢_7gÕ·¿1; Œ’Œ3é•ZQ†Ï‚ްJ¾+b÷íƒf?>L¨Ûèïf¾bDïj°®–_¦ÓÙ| üæ=1Ò‘SÖ]e)¥…{ºK Ë¦«&Ô× ¼ŒÍOá ”·9kÈÕå¼Zœ<ñq¿Èã…"Êi^U=ú\Uó¢‡ÄPµN[y·Aîit×%Ô(9éŽ<ÒïÕÏð<¦9Ï£šYÈóüN~g ¯sëñô)îÊúššù„SX$m'îëøÁ4&gÂ1»³ ã¿.Î"ŒM÷Ê®õNA©Gj;êÒj.Kš0)ûØu™eOØ`PD¬³àqiH~ —1 ×·]kÏØHª|]•2®õ"ùhDõËÝÆiAá½æh’L9Nd,£LÏ*”t'A6Ä´]XR$Âòv%§ƒõ2T¤)æÁÂXË­Ÿ>ÁÊá07Š.†7<Ø0¾4ßUŒåDç‰0bX¦¦è&∠öz"tC´Èu%p$e“˸ˆg3rA¦ÒííXˆgH}QœÈ?æÀÔPýL»«KɭЬѵžüÌÑ÷‘Ôõ‰(ôSÞÛ³o±RH0SвIž!V?§±5qS{që<ƱI 2é(54?²õ%²‰Õ}¯^Q$ᑼºõveŠ«HñNÈ“sÈ%·9£k`lœpè§Ì7sº)5¦)bÕqO9,pêKLÛ‡st~†u}¼º^Žn¥ë1Jfw Þü|˜w:L›•,Ť۩²ï‹^ÿYˆ>çÊ!”°„ÌúHxÝ«gu«p:KM…ìy„Ø3hCžmä|íż ï E«éQ—iPÕ©šD|4öé”®¨‰"e8Ï”#ªd-E’}tv![ åÈ]Q¬ÊÌ•I0dikàæ/K·buµŠxýÛ:ŠßT¾;k¨|?…l¡šwMÝ×§Qꮦν-yµ³94y» SÇ‚oÒ;yGsåô~c'æ '‡QT¤_Ïß{ŒÝbáMðKéŠ XK$þõОƒZ¡gÉúPéqéÁ{u‡¸¿/ÿep¼û¯ãšukÇ’/c/ËnW…âÕ`Ø ‚Ï|%âøÿ"¨Ð¸¸`§¼5R¹«ÒµÃ¤çáŒë#]Ü0À“;¿Ñ•E_ñ4äâzÒçÛªÞ>³˜Ç_fõµý©î0«¨7K>Ä‹fÅ_˜“úijZ£«ãè† ¡”ÌŽÇâµ»ÉÈ0€ž'Õ»é Q|z9Ÿ­ÙU*ÓY¼—³]ÅëÏ Àô&ã‚4Rý)çØ1}Ä×Ȉ ŠÝÖÜEhE2Ýø·=üÀ¹œíj/ý£öA¾~GP–AÁVðTÖ9YÒF6)Y‚¶Œ1$h(|ï1YGekéO}‘\Á%æòip5¦xñâ"æPE£ƒhx‰šP"(tî_ 9ØgAvñ-; å.*¢v Õó‰]F;æ¼h\óH”&¿rírR‡ãÌféÔÌô# ‚øùâ]& W1–9ì B•¸[Lž·ú×” ÷¼Ž°Äd:m2ª h„{ZQ6ˆH+c$Å6£#ñƒ,}ÌÅv"‹¬¬’nGHJø53pQu z2—8QZÁ`4ND'LSõ½£á:9?:™x¡Ú®éŽ+Xüy.dBš½¸vËM¢a#ï×iŸŸ¢ÌÐxÝD[¯ÂããÆiÙ6¥ ®£Ô¿y烖Lº²•×Í3ŒË*›-WXÏR$[m³9fFHPÒñ€#•Œsa±ºl&p18p:¸¡V’”{­¹©Þ ðèĨÖyö9Ú 0öÅ<bò>QecùDö@ôK6¯©º*íi})ÔoEqÝò”©j8M3ÃC1Aþîàãw’0z¾ÝCŠÈ€„@jlúúhxæw/£`©º¯Ó¸7Œ’QYl§¨´=‹í &ƒVuõƒ!~D‰À^¦æ·|;%¦áÐN,êÅ&˜Œ»†¶ƒäjP–ŠøEå@õÜûŠÿ “)Úç…êb†ºï¬0ˆT¾–:?-BuœŽé#à`P'› Ì®Hò¸[4‡5+Á0é vÜ(3Á5¿±båcXø .ŠƒÍmi/d<<=Š úx_UiÕKb$põ©8=£¼‚ 1” Ëô}@ê!|‡Ê£Â¨mD.ežØõžèÀP7QWÐs‚`¥{ÁÇ–„¤٦цõË÷'µÚm9JeK±ïdHQÒª¢Ѥô’Ç{æri0.hu¹)envÞ 9^Ê®³c*tgäö»ŠE 4AgUö#TÕPÐZÞ é¢S…M-‚×P×`-y|ÌGÞðÃ6åùNFŸø¢=úû|ŒYE$?Q‘aWƒòÒ~ªà©ßHå†S àÝø#ªœqÍa޶FØUÞùDòâqã,aWLÈ;dpÛbÆgk÷›'ˆ5ŒJû˜Ú†å£d4I3‚UeY‹Â0eîTM@¯¤¬¾ªnÙ8ƒVå‹Íùê„ð·fNí\^”“SÈ_IA‡†Š¿7°-˪³jµHV‘ö§°ŒÕÛø´ºL>ÊÄTýRm¤ãÖ÷ò }úS™!Ll^ÕÛ+-Íp·÷sºÉç®u±ø¥Êe…«Lî+%¼#í±è§êWq•ud“—sÁä!Çw•ŠIüeD2zÊ"N·œ§J<"÷0“õÀ¨-’T©"ÒJ±Z/–c$­é§†Ï—8/×ñ^ º£¤ Y¸~ÛûƒY›<†ƒ³ÀÙþ±Ë¦«a jAYfÔ‹jNe±¢/wN×òЯ¶ô”’DQÎM“IGñbÑÌ|zD>ýZ/#ç×+m»õ†òLDþ\õ‘îÔ+rX½õ¸â~j¶º}îŠxùZ}~·B½™/k­3Þɵöâ§ŠG`ÞhÙ šJÕfÔ—U+‚´1@ÕÏHC)vŠŠŠß dªS@æÃa} G}& ª¨ñSe‡aå 4¡h ˦±´ôtEn«\@Êfc¶$£ö„ä~)¦11«r{ܹQz…ê¯P»fÑ™yÅàk±¤ýÜEYzÝ‹/ÚÖn¡¬J`dŒþ¢à¦ÌAÁ¦ÑÅs\+¹ÑW¹­F¨¨±ûÅ#¬¯²°™MZ;eŒAJ?ÛçbêHWÖìa£¼©6³3ål‘ãTš9ñ.™ó|BÙ¶rX‰oÏ%¦­]M¦é:q©õØÌ±˜*{U ²=ÆG•s8oEæÍdÅ´–&7§’Ï9ÌÔ:uíÖA²YѰˆoHp&ýœœjï¢VOšóœBÞs6]H‹=¯ÆÓ•*&7DAóÜw¥œVg¨¯w >û¡ÙyÙî6-³+õúD‚Œ|Íùz“¾n[(XxX3¡‡éXÚƒsZè±0æèWyeƒ~ª‚û‚¯àݲT„£óá¯ó (Ùƒ÷Šúx^œãwr96}ò£Uwþ+¨gºçáÉ< tí²@¾Ûçm¸ç–FÓSð¯áyáås¦Àr#ì1åP°Y˜]G¸¬ÓÉ’¿wbëuQ„:<šÔË(fUåŸyds|ê Üs¤2\»€YË­·¾>‡uk:=œŠçת¢EHÌ è]O5qK¡;0“¼—Š”“J” ÆRä_Π鉾íZµJ;hã©XQ™Tþ¦´¶Øé0s³Íë2½%|ŠxEÚMÊN_õ{‘]L"  át¡Ñ»Ö˜Ö<÷ú¡¯¯øt’¦I¶}Á¯Íü¶"gßåcüŠ·6™¦¥; ªS¦q?†ÝKf*«cÁÞ9Éé×’D¬mpæ^)ÔÕ¹=ß{wí/àKë±j··‹+!߉éÐ}Ž•Û¥£²YûÙkÎçÕ~`m¥gžêe˜ÅäžY†{…ÕT¾O^VêªX³ÅTª,à{ÎÅ‘‘cÏ*9®§÷À猆*ælßÜÜÕ.oú¾Ï›ÇŠ=µuÿ8nüÂŽ{Õz/£äEñ¿¢ êå|È’ “N“«„Ë»±]ÅDR„ºì<žz\_5¦ãp¶#LƒÀzòt}™j”gn °´^/Ötµ4°j¡’«+µÑÞj£-…YÞ’(Bžçd›¥^ÈX[œÒ<ñàâD³Þ£W0dQÔåðâÉlZµ‚¬˜ÁóÆ*‰pÐÚT±£±&ÑU¦——qó zFÕP®á-¹)jøhØO²ÉP“BñTÌ«Òrô”Yˆ=ß-’£_ ²l¶Ÿa¸xŠ•„€9ìéh«at•Qô·oÃ_šL޹6“m‘Swh|.]”ÍÅàöð/5îkMì’Ï›µÃý!-ÚÂj~â0k‘ˆñëó±-Ïkî*{žU÷5?-ê Û~s–üBošŽZC³\愌\ oS¤%Èy(v§êìŸh¥ÂS ‘e“¨k .*"^r‰¾±$Åô C•3@µ$+ hýZ7ÂÁ’nMÔX¥%×6´Sù'¤PßLê¤<Öb£Md!…¥T*fM¸Rä­Øƒû¢òš¢ò0¸Ž„âý|GÍ)íodZA}í‘}¨ýõ4¾vJ×"†§‚ÝÙòìè«m-P rÍêW€Y ¿š¦¹ÙlÐW8áþéY'Ø0æ.çF¦ d<´Úø`¦ñtªr­œ¤^nÆiAóÇÖ™âWÝŬË`cåã¼½[¹eËMË ÷òD«'¶¼¾Ðª¸î)*¾q$3†¬’{Á^tÀS WuÃR‡M/d•!°K6±ìõ &_I^ uS7º í¼H„ï÷IûLÄ„|Éq!}éWËyDº.ÜVîBH¸”G+‹¹¼.¦-_5Ÿ&˜Tx—”¢àZHùûfó4|‰¯€½ïV$:õ¨Ö$&z4–’&R\ÊÒù´WÌœ”ëtS1¸/ÅYmëÜ•y %lfhëädF6Êš8k’CWwÄVˆ¬$ Â/Jn«©–È$šT(g6Ë}.°Îqª?«8ÊÝ<RäNÀÞñh ¤·í-RÛÔÎÞtšÃ®fŸNÅ$-¨¸ò6&ßcJÄ(ù?#íÞQ!%sP[Ä—ÚÃÈ©_СÔ37ñ¬^è¨ ¿BaÅÃ,QaÒW`‘®lßɧÕü·k’mæqÍø¤$òçƒVö|Ìf/­¶ÉÕ˜Ô1²6Uß™b¶J •VÕô…äÒMˆ c@°£dØG?ÈùE:™%£hXw!¬GoUˆfý£*CQ18ÓuÖ;£¶¬ß'mÙ"Óú©‚+{‚ð^©œÑ”ó=|yþª¤Óöò3á†mb.ëE°³½½­PWI°›œ7ŸÙM¾i½A„ø ­¾{Z·N©í¿9ç,™3ÌÏ¢éÕŽýç.õ@%还_þlÍê HÌ/¯4%®&ç=Õ2OçXÕë_w ï\=°;Æ»:™¶÷µ.ùžv¯–±!K™[Åmó›·¤ \4¥þO°ýñé6ÿ¬Úx—ï.iŒß›FˆÜ¡¼Ø·aªRpnZªÉ “h MØÀ¬ÁKå/0“%¼mÖ@µ½ é,­ð¸V³"îó¾91"Üq¥IðêIà,°fD0LœYƒÄ kÃÈsñ/SzÊæÉºXñ&,§g8泯³ |Õ{öõ\¤|~öõp^ýzøc•ÿ)°%«Þ?=Y_ÇæL›`ëmßÖ^äàô¨j½´áð¨â\­U£+pŠ…ùf1ŠW‚-T‘ÿ=ò(gMqþì¿glA'wÁœŸÈÏ-Ç<…’IíÀ6Û’ž §©m ¥Ò “‚f¤Q’‡¢q‘àá±”‚0Ïr&«¹ €…ë(Žy÷Qº„ª[h–(ÂDTž2±¢|}Ò» 4;ÿ­Iœeà{qÜG ZPà³õÔ•Dk×µ®^ÏÓ£§ÏãË|o2g—Úµ·Æ©˜_û¸im¨å#^)‰j€ EäàQ擈ªIÌõ ú(L]UsX—„´DÄ£–qg¸˜¬#yJû¸eúLþ£(©¡<Áìe'»§cZ—Á=9&gE¦á£v âÔR(¢™T¢€H,$&xÓlœ}ðèi*¦*ë“ Û¨f#Ä/ùØDH÷$Ú1 >RoλMîéåOgMFþ/ij ô²uFåí_wp¾Í +ŒaÆâAø¶Ý9ìâñï˜„ÓÆ ÛZãà yÔì4ÎÚK B߈®Êÿ¨ˆ˜?ý4ø§ç±¸ÔÿPE?áÀÿQùyûÝž÷ãü9ʆÕàÞóôts+½)XÏ<,؈Ýÿë7"È ·s‡á ÝÃO¼÷?ïý§ßûü»wr÷îC>ºãîaÄjÄ{ÏF—ˆ-}øQ"`Dë ÁoËp—  (CT„ÙÏ(;…nöÕ[áÍx•`Îaöe ðv¡|.â[yµƒÖÙñ\”H\#¯qz<ÛQ} ÐªF¦ [U@›Œ¿‹b¯Á}2Õ^ .¨¯ n†Å‘M¬?ˆ‘’ìxƒ|\‘ÛͤyAz²#ù§x‘KŠ–&kDÔëÅdÀ5„W‘!ëC4MpSQáOiÓ®¬9L"Ê—dÙ<άÄЖü‹Å еCõuåßßË Þ4²’.ŒÈ•GÉ_x$±½’ͺ8]Ñ;jë0™Îô<=y¿åÉ-éûæ{-s@ ~‘ö¥SØ„yVWØTlX©è(1¥,âˆð[ºïê–;™óÓ+Ù_ÎU^st¿¼‘ÈÕÚ×ÓÍ·ÄSý‡a·-ë®|¥ÄXÐßÜvüYÚZë:gºÉ«þ!Â,Bï6Òþx±ïfm´{¤jÞÔÉß6‹»½-}z>þ¸3|P3F7Y}Íëæo(µ2>³µ§X´ Ô8?!á 躇”>%“Ôl7( r–UÖª›µ˜Àíþùî3]øL>Ó…5èBþØ1¯FMvÙww вû™¢ü‰ů`z¢ý@Rÿ’Â~¤RÓ${_©‚_‰tàT;xÜÆB¢Ð žH:;KÀlœÝè8Áº¬‘ÿK,õ¥$îñg÷™Ä}&qÿ’8o«ÝÍ»µ{´y7’úxm’úøSÔÏuEŠjÆdåÈ*«,Õ'¶ç¾\ Ò.VŸ†D“²)YökÀîöè*ûÕ S²ŽºñÞ¨î- LÚd¦Ü~C¯»ºó¾¨Vž¯½(œChŸCÊŸÊ>ýÕŸrNpq>›[ºµÈ-¡L‡þÐ>#áØÖŸõæÐENfˆqs^ñÂHäçuò­âTá_ÇÛ/ÿKX)5be:3燨 3 H2æ]DBS¯"^A ÆŽœÎ®“YoP¦q)6_œ.LЬÇ_ÚN4‹®†ØrÜyæ†øJ5ûÀŠ8Á¸9ïyã¬í·¯¨òΡîwŸ•r1®RÍ‘À¢ï6û\Øÿã¥ý ›Šý« ’Û#ôîÙ|2!¿ý >NCL™Ô„ÁƒòØ`£à:š’ý#|Ç͇³g¥¤é¢.ª\£| L@« ŒÀU\WpZz–ýªZÁ_ÊvÔ~õªÛ<“0•ã(°bM ᘠ‹ŒÖ%|/“xH\ÆÖ11õEÙ³¬½à Ú‹_dTÕÿñºA¥¹¬8yßêÛ¢ƒò’ƲÒ‹‹'f upÔh#M:^K eÔ^™„ŠcSTPЦqšÆ½a”Œ0OJ|œçD¤Lò•bON\fE‹þ"ò ¶H Œ `äRFÈò2ÓlýTˆÐÕ'ù LáÒÀüGÈ‘ÈFtÐáø& –´w¦ÊuQ¹´•.ûA¥"PDý›m#X鸆EpÐ3[‰­³ë4Y3ÒRH¤x,ºâ,Yx½ÐŒÇ<ƒ¨C¡ó|¤ç#G#©|c®êMu5ãÚ0ÉÐBÌ•.ç™Æ) R£\ÆXï/þ8«É8Ð(Så©=³úÛîM:3·vãüœÏŸÀè¬ÆÄä‚ÿø‘¥Üˆ&okr"¥;+/±*ö‘#ªT)™Ù_¤ØŽYÔ¶?>ª8Uþl’Q@0Ö"¦ûœC¤·Æ¢LcœÈ±’Æ…ì¢è]çcÝÉ&e$`eÞ[eIYx­—Ýk0ŸïqÊââ”sZ0åLÓ,q†×ÁÓ(c”¢\í‡:œ±üWò,æ)R9€Ôïns«4cVoWÏIâwÇf<ÀÑÂÙûdB*Ý`>62?ãqffaa‘­AÆåA"(…ƒJWl¥´S€ÉÉ`7~)8Ÿ‘CDˆ*¬ÀŽqq«}øÒѤÐ/‡»åÂ%| ƒ+‘«¨ù,ůª÷(Ý?=œ÷cßF³hë¹Ð"æiPl;'Âe5³o4¼”›W’I+Àìš0OQ£ €g2ŠÞÃÒ'T*:™¤ÓÁà‰qÏá—Z$>ûÿÄŽ¿@ˆÊ0ÞK6a²êÚ<—ßÕÄcõ=Ìc<ÜPz€óy+ë!a1žjü;©Çñu0„‰Q6¡ @P’Å”÷–CæG€„ÿž§3hãšÆVøZš3V+QÎ&0’ ú¤’YÌõæY„I‰Z¯ºûÁÆÆ_‡¥î&~ø°“D‘5T`;’aŸþ†+ÿë aÎñ,ù_ÑKÞa˜ÍW t’ 5âüI3¼-˜u|…ß`[UCša軞aE´~zØE-¾5ÊRÙGظ×3¡#E3g™ó/Fÿ1–ýœ¡H|ÔøÛOUò#P­ é`XÌ6ªÛᬸÌ2>Øÿ « á+†£1K³ÁoÁÖÏ÷¶ÞmV€¢DY:ăŸ°Õ‘tÈéÓ3­A¡’œµ_ƒ¯Ôx{”'¡ôÅ—¸Á æIPÚAzÛ“;~Áàœ•¾ 9ýÏ|Œ÷¤–ýNì‹ 8¡íífåð±B_W×üpoÿ=øéõÛÖIþC ^×Ü“ü2ÿ |ë/â,êIgФd¸’ènU¿Ú­Ò7«úi•{Æ>hz[ü7íúÿôFý`kë ˆ{ƒTìU°{Ž1 µ8xmmü½\ßü{žn~µõ÷­ÿ#{ã5ØÝÝ\Á½µ‘èl…V£ó ÕWgµÅÜøzYc!Ìè¡gô÷­ºY½aزÁÞø÷ýÞ1ÂbËL¥ï © “‹i„¥W´AVýþ°Õ)Ù­%Ú »ñÕÎFÉ4è,ÄH8cS%?ÛÿJ€§2dª7ºá¯²$NçOCà2úHýÔŽZ/Ogož‰¹EÅÊ‹¦pAÄŸp®Ñ´7¨Ñ>ã.Ì'Ìõ Kvs±jhÆ7ó™—}ªÝ›õ ±}ÿ¿ñ×{J¬ð€&4$×|s-aè?­šÚɤ¦ü«l þåݼ„Ý„Ž¶°—z8¬Ã¿æ®ÊùÜÄ™Êu›” ‰¸d\ujÖ8kޱNÿð-µ‰V@}Žã’»—4ÂmÁž7P«½Ûà¸oÌz³@çZpE¢éU½Ž\x£ÿ fËr£þ1kRçÉÌ„ÙZÀrIÙ|„<{Ñ„¼v€=Kì#8ÑÙï?s^€LCÚ×1,1Žfönƒ}×W€äáÄZJÈFsOq0"±Lʪëé|¬ ¬Øµh”x`>ôÿzdŸ/x¼ü…Ù $>߬§èˆQÿ9m¿ûùâ廟ù¯w¹{ðÈî†|…† ðäÿÛj¯RòÔËAr9“0ÅÐ4cõnãåÝHºÖªXKõ (šgÔ2ÆQcpç»=ýsçËZëví *,&·Á芰­¯cZF{œÕðvÕNŽŠ's¤&Ã_æ‡;ÃÝêϸîl…G¢{r!tË÷o‡‚ºÃ=Ù§Öðä–>G¼\"åì7…ÐtõŠúñatEˆZîáûB¢ç¯d[%Åtè+ì…¾"”ô…·šèÜÌÞŸ[Å ´v'¿÷›u¸¤xëèŸÞÇüç?òeì¼{øÐz;îùÖÎ&E=sÿ“ ÷zJÿ@п@íø_ñwûåÑ¿éÅ/ )Í û…Ye[FIÐ'þBÑ ­§`ó1ÆQÕð/ëKɲÄãÏÆ|M/€Vì µ!4]2s«òeÐ¥ Ѩã™ôÁ¨Ê’ð‡¨#ÜÛAÖd m36’­ÁÊ>Lxõ_íúÄX›¦?b0JªýBa*À«Ð¾'5_äЛh®T–~$°á'~Cx¯dÉn©’7õ3š†>µ/YIˆø@¨hƒkØú,fE)ûQÐ1‘‚’¼»eOv’§^€ñÅÓ1œàç1W¾A0#¥ÌŽªÕD\´ø=ÜuG¹‹1b½¡8Q½X:B ÓŒ«˜2Z"7»$H5'uñ`ƒ/nn ˆ3T-DãП1!ôà .R¬À¬Q~ vä…DKé¥è;8Iϵ,cX/õ€þG ýž8R><È~û?õÍŸÿþ÷­w¿ý¶À_?Gµ_µ¿½{Foý½Þûj«ž¢>Õ]ԥ؀Þ{CaÔtzƒ"ÌI: ŠÌxûŸÕkïR³GõNcY OœÃ\$'í("ZÒò¸=sÚc©…‹S‡=jÀÞTƒ ™§œP´¨·"q3ô$ëi‡ð“ªò%á¾ÆG&“‚ÕÂX\eÈ8¼^ÂUÂ"õæ¥æî‘êæ7¹ØßÂß®üO½_bÓÙtïG°$üÜáFðb«Ø£ÿÄî‹û;Ö’b(_¥aO€¤ÓeúRV¡|öÊTÍ› ƒÀ~Nƒ÷Ép¨ {ó¸$JÞ­—ð¿ÁÆt„OÈÙ<Ø´¨{°ì|ƒgÝ™Ex©z‰ 0ô>P€’%|‹]Qkâ±Ü¬}ëæ>¯ä‹åHÔ=þ“?¸½ø%׫ñÊ׳ùZõŽw†×¬O ÄÔ „«=JÑÁñ™}í<¥}€g¦kL áa6¨%ctˆ$|ðŒÒgƢ᳠õûµª¼\O“Y\áéÐY2ŠQÌQE(ýW(ý³`Ã6òmØ1û_}ýì¦öõöîÿÓ¯ÃÞ8_Ò¯¿¬ÀÇçgÎÛx܇çÂhˆïšðà³§ÀŸ`ÿŸpѳ0CWÿët ¸¥÷ MãOž<öÛÿwv¿ýöѶ²ÿ?ÚÝùËöΣxýÙþÿ'üp Ã4ß#Óücd팧éGx7&že+$lÀ¾Ä8t@æPÈðõð{è&È@ðp:EÙ:<Å^Å ídÁ›˜¤¨5f° gPƒÿ|‡½¼‰¯‡ñlV;EAgÚãñ0Pðëh|C]t¯ÎÞ´ºÁqã¬Ùi5Žø$´Z‡Íàх?«dD/»í£ó³æÑOÁI[ÙÒ±Þe§Ùí6±§v'hŸµš‡¸˜“Ÿ0 vØ8 ~jŸw‚öÛ“ Óê~/G>EËTF–4` Š0ÉÎŒýX‘E!ñsrc³±-É!^3‡3D«3¾üôEi7òäHÉžHÙÉ!—Ä{R('ôŠõèy Ë-¹IòÛçðØ0fÓTDßüĜ«ØÙŠÓ`7ï4oK]¿Š]©q1fÛv_ËÍÜwOÁ÷ÄUbJ_J[øÆdš|¾QcA6“ÖvAÌŽk–w0Cæ¨înh¾å¤¸VX]£Ÿ…Þ.ºð¼ÑÁz‰íÎËVWæMörÚ=Ý­¨Ý“ÆÁezëy>ÃAôëƒæÃì&ÛBZ‹uìƒ(I6Ž@òÏGXí‹7!ãWêÃP<·ZˆýJúák.!¥b/Q"! ®þ|‚!e¢û+zÚC¨6òrañTŒeÖTP³ÃºUê7jªV„Õ©/άO­½s4Gêÿ|Üø1Äí áµ8¶w8cO ô¯-øË*Û`Ô>mž¼ì†ç¬ó“ëOè°¨(³ô±v[„à6L?Ç¢VÑ`@?‹G€‰Óil?ާÓqj?€‚ƒ"Gã”8ýr…²x .JYÁj£¾iüÐ ‡)¬#êQ83Cå¾ ·…p“f©âƒûƒÓÓƒ7̓ï)“ôt ó¶fÇÒ{ [½6!´5¾ÚS…Kd‰6柷:Íðù(ÏѵVºF‡óf Ë¢K{ãè$Á¢" c$W£({Û#’“Ñ6q†çumá0…çp÷¼ §z¨k…°Â_ÿ5§°Xlͳ LŒ@YîâzÃèYØfúK‹É‹‘›/Ï_KxÔåOº­×nâ `xZ®ÂbðÃ@¼z¸S™&ŒVáIA£PaÂãÎôèI¿Ö£éŠðtˆÆ÷FäƒÈ4Ž`K=qÑ NEÏàB:+*¤¡‚¸àqϰT `±(WhVè£ÂwÎyà ìã\%´R î‹æv¬¯powZ—`Ÿ¾ó……ù¨àßsZüöð¡ö§àT½ŒñËr´jT*¾zz]ÂrMÏ‚¯ûX9¾öGtZ€"C7„¾š!Ô]¦” ×9C!³Øœ|¹v2ˆÔˆ ÖžI6ÈÿƒH†²W'æö(“™oº{÷ÞÛUnŽɬÆú"ªÆ¥.—w%×Àê‚å—¸p'¨ƒ0ɨ» %Š `¦…{B_ûû/D9x¢Ï¬Šeö•RÈúªºd!I(6Õí#itþÆœEœ¸@|Ë÷ä"¾LIŒE§ZÝKŽ2˜Z¡<¹~ò²®¨2!Èmh‰¦Éð¦RÏo¯#©´»¯v´¨a”ž +”u$Ëe|‚qh ²šßo¹Þ™ñÒ›™¤¸éÄÍ*÷Ç—ÂØµü{šCqï-y¯k:$vUžy>Eè}} Åç.Ÿ‰šüÉuIJâDeÈAb›#/ɽhîîoÄÕ¹§ˆä:ÌtƸTvë ؾü <éxNÈcWPAkI„Uø·_è멈0:-$rÑÎ_°’lȽ–G† 9åÜú€æ…ÆEÆÇ?˜äàEÛ‰1öð%£B6èÐ`À:¥!Ižsù”³ Ëê½÷0* TYŠUÆï;[Ëi‰ `}szþ£Xs€,JÍØŸœ4ÏP&*èà¼Û$~éÊ @UÅez»Ù:©Êê¬%P­ƒ‡Á7.·ZÐ&ßDò¯²iqÃNÏš:šñÃó“nó,(×v**"Ù–LB“;B€oc¾8T‘éú-œl fˆÛ0%`9®_ÕuqÞôR-°RµJ FÀ‚¤ €Ï9T4µ|ÏÄIÚ‚1  T™]*521—Þ} ¸†Ñ0ù•t–&žÔ|¤ÞQ~ßÚ¹=Ï—p%BAPr_ÕF¶A‰l´æ2ö¿2{*éSÓFÑA¥f òÓ„¿•†&FEÏô÷j/ÙYlø*¿T°pD‘ÄÅYÌ={ƒ¿º<3áuÉØžEo.Ë™ƒEÿêkð̽0{nÙR”ë<=j´ÆÎIJ4H­Â2X,Ôþ*l„Ç ¸;%½ƆUfò¦u‡š&€uÙÓ@ç‹Kdq'ÔS *­ù|{(tžuˆ€ÈrPdÃF’dH 蘄òB:­ûXû\-Óù˜“h‘‘ÒXx ÿÝ“O(e*2ô÷Q`SÙ¨ÝnøôÅÐRôù‚í¨£~_[u€nñGF…Zq–Õ€ÛS9ÏuuN²¥"¨2™kd2e‰»ˆù»à!U ¥¬Tõ %M«%£lsé|²®ÌÃJ'ÎgÕŸF7²F-ŠûˆÛ¢¨>ÕÁÅÙ60ÆÝÔôz;—h =!®Ð«eyrïS¥uÏO€š®÷Œ'ˆY9í+.ºdBIgÿ)t¿),¤6¼Hÿî Ï{”vñ˜ Êg¸…0{ƒÉ¶hñûm:}MÑ{?Ø€0BÜ·øE¸³èX‡$ãK¡›à»únÝ#~oc\ƒ•€X‹ÉFê1rÇö>Hp´ù¶VãÉc‹×zsž6lQáÉÓï+ò¢¢Y&$¼‡ÈJf!—b(™¸6{’/’»ƒ’ê0‰?H_¶V±Ä† H&rÁ ‹ÏŸ<–83‹ÉL ˆ+ L£Q¼rá üÇNª•‡{&å”Hêÿ2§´(¼s¬`Ô×L*,dc 6÷Œ4®/Ý&Ü€öq Mݰy|~Ô8C›$§ÿa<ñ`üLæC "%Sgº)¹2  q¥dŒ¡5}g÷L2ÁNö"”€"€‹¨OžYhšr4GqÊMà&ºÂY]¦¨ãC µe7ãÞð}½ij¤aî±—NÑÓK¤ûJ§NW”ë'™LS¬k˜2°ÀÂNnl${)»ñ“©3«/%W¥–ý!¤¹•'• ¼ ÿ­x>”µ´šXF ù àÙŠ¨þL£`.Á_C³Á¢Þ\¾*ÇÜâN×^¡øxõ5¹V9¹…ë’ÔJT¢"H—êì3r¤˜7YnuGÚûŽ],û”Lw à>ˆ†—vR_ŠËœ’HsœbŽh29s.C”Š8‡¥Lilw¡5q hg"unƒv…m[t&øy¢Y¤Õº¤ÏÐRVDèí½âgó1•µ¯r¥œ±L¶Å]ÀælFgÝÈr¥í;S/F}¹¸¥’L*FY8ñ¹•¥+É´e$Ì ¨z”ü*Ö— ¹H£.Ù+—Ëh&ý €Y‹ûÊøfð©Dõ !óärF6Ëbl&NY£M†V7ùR…‚ég±g"ÖaóÇ2´{'ŒH"×çyÊ„ Ѥùßç£ò¤ö"AƒN_YtpxŠYœÌ,ŠœZøÖ½ÅþUä+ÍñòG­“¦f‚è¶qêW`ôÊz©£˜å)³VЂDòù”ntª‚q—TµŒý’QȤЕ‰•H2ÙÜ$žH=—ñ¬GõŒo/b¦*fWž¶IFÎÉ”#ºDm¹¥¸&ÏÒL¤®Ž®†äy‹öqÕ¤8œÆô0î•Á¿¥û/²Æ’±r®9+C%Mæc© Äl7Ç)q©tŠ‘§*Ó3IYQ‘uœ.;J’!Éê^Zãy³ëŨÖvçÌÈ0½Ò^|H¾žÃ‡ðªà56P©?ùÇí«z?g0®p¦Hbg`AûE\“IMz·ë)lA‚¬$§!J¼3“©Ë£Œôœԕñ‰­Ó婨 SŒÏï³g¯e$ã9ï5Þ2ebƱþýw¥~Üßvg1F1ËOiÁ_èäñYtiˆµÙ¬ãü_þ,wªjyû²¬zïÑKh>¢X"…¬!ò=NB„E‘%W³–6êžkéµÓ]¾mtNÊƶý]{ ¸ûig]o/oKÅ¥ ×#á0Œ“¸Í™2K Õ=‘޼YÕ,“˜ë Hä TO¢söBûÚZö;éÙWÔ´¯¡kÿÚö%úvCçX:O[ÅFÅ+¯/‘mèÑx–åez)Q'™Gе„IÒ*¯XEW¢ˆYו§_ŠÙ§dF€š>žY| u±Ghlî/Ä/U›Ñc" ÛˆÒÍ-w„·.ÆHÀ¹éªƒ¶ßL.gÁš¹‹|v9qÙÊÚy%1%`2NuŠf†‹òke‘?kžeöiFû±XÖµÊD(ŽfSõtq1¦h©¨¨sšv˜&¨–ø€j ô¡«Û]D½^B!~hþëg³¹QŠb-%B’ ´ C z|péŒJ ¸ik±ZÃ5ûÜDNÎuCG§q†âÜ $á±^ë“§ZËvpšdÁ®Õ¤Ÿ¥{pN©7e|s2íÍGèsÐÃÜÞ¸ €qðBE-EþúÕ=œƒ‰@ Däqõc#ˆTáË0®?›•Åûþ}GeêH=H€s·heÎÏâFq~Ê <ç=ƒ¥ ¿otÚç'š7Ëm'þS2‘DPú‘ˆ 9L3ÒÁHÍ$¦¤ʼnéèd2 ¨{AFšËq³³•gÇþ¥ûŠè?ÊŒëÔO·«¦…7ÕR\eL9cEL¨åÉ#íÍ*UvørºBXÈÑ{Î iD1¥ˆîßK²ŸÌê‹EK¯Öh,=›âÓ1¹KƒuëÆ¢NæýQú^— )œRwµ»‘…Åê VxÅßòâ‡å¹¾Œ×Ó>¼t ä^K?¡: ÅÅ8ÄÚzRæWÞã†ÿ¿òÏßfÿ|»…ã©/Ä62!R{è=o“ÿ…j š]Õ:G2FôæÂÿ—|~AŒÌ¤‹ÿÕ}Õ%¤Ê@6f)ÓUËY½Èƒ›ºj¶NÎ:Z`'c¶ ’X+ô”#ùªQ/ê ¡•Í”°-Ô©‰¥{¶\xÞ;Û­œ¢¸ÒVû¤kˆWñìC4œÇ¾1ñ°µd&O,E †r‡ë¶ÍfÊÇ%8KUqؤ¼éB"` Ûöò ÿ¿·Öp·­³àÑöö¶ù¦Ó<ëüÂ6;?4Ž‚ <Ö‘*ö´‚f°Á|œq=FN„ {Ñk=ùc.7î‚©7«ƒÁ*)_U Xî1]]£¾Ì ¢šUìâÊê9Ž{C ‹`KcQ/œ­²%N:Âøzx'&ݤçhÊ«’=zžµOãöëð´ݾ*otØYòë¾YC™Œbøˆëa,Ýæ÷G³žº‹‘‚š>·¨ËÙGHé+ïhB[*|“/ã&àïÄÕüõ­dÛQÎ:ï냇ƲÍFf‘zBN¥ ·Žˆã*#M2¼ ´ÉRVf2Änhƨk,ïv¬®™ñ&wwÌCC LxƒµËF+ÊMùã<û-OÛÝÖáAØmŸwšÁ‹}Œt´ýÝ‘­¡¶JXh0Õx0Ë,` àA}öö·—#áWc~§²IØÂþ”±ô¼)Æ„û·†ˆYж‘[©1Ì=±"rŒ³~hÌÉÅñ†™Ó¡³{‰¼ª9¯­ÚKû\Q>ïÌ¥ ëTdÎ5tGë–JÖRÂÙÎ_¦£ØÕJ °†ÚDøÏæ¦HZDYøYÁÆ’0ºÑø†KÌ‹ÚÉ(ÊV¹æúgûÇL¤üÇèù‚©‰|£ÐæÆpÓiD^TÄtÃ{6Ø¡Uv³ºNèô77­°@ ŸX?ÆSC & ·¨Ð‚q¸ }Fò7~KÓùd&»è¯\áð}Ì.µŽò»5ö€Ñ+G"²M[Ì=NT†NNËÓŸ}ß:: Û'aãä°Ón1CÞühÌ \ñ—Í×­‘”Žò|‘Îs•' Ú×fdä€Jޙ䃋QúCdk2´ZâÕ5?Œ æV9M±_^RÑ8–8ÀLBÊÅnâ.Â3^uIÓ6„üà¹[½ˆ[‰žôcÏ&ÛDAÜ|5;Aì8»îOݳæqØ:,yƒÿ×^¼‡î?é[|R£Õm —ÙòŒ'îÝ/O·Uáü™ Ë(œÂ cOVTù4ùàc¾–YWˆWö¥€0_lü}ˆ>^öêƒ aÕ»r"Æ{¦˜þ?ãÄ’ÊšóŸ½yê’…BÁ$‡¨Ý ™:H—pCi­‰Û,àùABÂìƒEÔ¤YÆtŸ=k7ãÖ1èúÃv¤ÎæÜ’>.ô¦;¶‚]e•1 ›¯å7ÛÖçuã>ª¼ l’üßýÙÆk\Ý;ø›†0e‹G@õwÅø\ÝáÅŠ«E7– Ú‡ígÁyæ iô!ƒë&³*7žssUæ"¶‰W‹ë¶án’ài}›¥pÞßü9<8 )(!½©öéUÌcŽ+Ì*~,¹˜oëêIgŸë†Lƒbp§ÜàæQˆõ- çßÔª\©5m‡±öžÆ”ÿÛ>åˆë}a¡ƒSåÚ ì}^“•å¥Bú™Gß%†Ü!ά:êöQ|fîEo%#%eÞnrþÀUÙ÷.A¶ò„Þ µoÄÎÒh!Uw"žÏH(Kpô<ÑpðÏø&×M™îVñ†´}pXFGåPU¸@Òä™ w·˜È†ò0Ì»;»u¿jØs6ÓŠ­\q÷¸ìxLتo ?ô/œû"ªŒ¡w#0cJ>KIßxŽvî›xIÒHõ Cª™š£X´˜—IÀ«LE¤rÏFìÛ̹8(Y†ò£â =Ë;èÂLЭû¢KØÙ,M«ÊGÕu¬uØô%Ü«Uô4¿úgDU¬â–Þ•œAó»œ-¥_–%•EôºCTôd2€8¸xe— vü,ç’f·sðF¢y¡hÆ­ÔÈOj™ÐÕDVYfIÑÜ ñØ~VòêaWpùÏŠœ5÷¨Ÿ-ÒO /tÉU¤jµÇoÄ.äOççø„)‡ß(Ã=Eð\13ŽêÆòÌ@•ƒÔ»g³~ -9𳦶vCIÛìTaÑÅÊFÅGíl^Bibò]ÂU\|l*¸˜Ÿ´ÖÙÉ?ŽWц7‹Œñðe\ z•mp⨓L¥Ê“=Þy/ØURwd*'ÿð}¢RyžZC¶=1äþ+œŸÄÏ@ éÄlæ8É]Ÿ.$uÖ4{¥¯ü[÷©ážlcšìËòj×yAR>(¬ÝèýN°[ ²A.3€•>ÙÂ42þõfCÎÊÉ8Y{™\ê¸ èŠý¦8üA8EuµcâlA\àøÁ‚ôS¹u'JÂH¨,4T/+$QÚH@”& Ì9y1•q؉âì¬?ª=Ÿ°q7\j(›r« ÛeÙ"^…»ÀQ й—»Ï½_d,{úFª” ­ N ¢¾pkÌâÞ,Ì‚ÍÜC9奾ÿžÎx†â<ì o†2:ÞUíó”HH‹ aˆô¦ËƒÏçÖQðžÂIªP L¦.0½B=Þ¶ZMãšñ­x­îß;>}íDx%ï`Ó‰Zîqlbš±#´“§¢_¶“¾cZÂzøp¬ÌJõäž’©àø¼285 u-n…kԬýIí…8m™ÀpÏ0…¹ ógˆº\†ÉÊÂøšÀo;2z±ƒdœVNf·À¼¯&öVºº+t1–OP‡[šŸ³Uæe„k>*hâ ª,žØÄ«´gy1yËA„ w^Ÿ$n˜¬½¯ÝœQ 5L]¸0ݹ ß 1º[.«*V„=Ç3O¬ Fô«âW= }Â?õƒ$Tt${Ÿ°ó,:Ñþ®6hêAÆI7P40˜háOÚôT©&ÅóÝ.ÏvaÁ_ûônKùßH‘c]vLß"°˜˜p¶XŸ<À]%{(1}¨ ÀV„áª|µ4XÝÝš ‰Äðö"ÍÒÑâÉ ªºuò:d&#®Íûãíýaù :XÁÃ)öƒŸ¿žT¿žT­zÖ(ƒGÎÊ?‘øÊßI¡AZåÈÀ{ „š<¿ð,È&¬—Šg÷678Î2 ”=ÚÌ—ÏepÅ0-9wU>×ߘ Æ_Dym€bpZØ`Ïö›•ZN\D8Ýr/¤v@e#Fþ« 6ºQà“›\M±®t?½›ŸßZÉi­­ Å]ÎÊÌ-Uó÷Ð8;A‡ÎÃ×öÛnx~jLÊàLâ‰5â¿ œì¯ak2Tè€JçO _é8kN„R¯[{‚Ü ²qtG±®`¨iš¢7©sÈøÝK?IJ–ú• Èt®en£Ê‚ü¬!ÉŒ1–{EDƒrq €™®¼ÓäûÜxªš¿5+Ù²·ª¨M°IÜrz)FÞ[¸yBêVÂ9|щ x'œQˆ5ÅYZ¸#φè{p†ç[„@]îïÏEüQ¿Ï9H.cÇ™ïÐ]Ò½S@D±uÕHÁ‹Àr‰ –`FÑô=¯Û ³Œ\%¦ ?Êî¡îšX&-oÅðaøYÀ[®Þ‰ïzóH5)ê ¢”HÐsù*w?ónD°?4;/Ûݦå±wJ¹‡ÐcOeHFDÏ*$Kn$úº§8N”¢Qc2–ªf†íô^é­Á*ÇÚ|ŒY·dÛ†Îb&ÖMs`ÁJï„™Èǽ*ƒ ¡GîM0¥ºNJn¯ŠùFÒ‹\bŽŠ ‰1©:†“J ?ê’~&KTG¶vßVLZd ±UFýõf’‘‘v_jI :¬Ê!R§.¡f(: ÞÛñ:ˤœ”:ס™ž0ïF,• BÅ SöKzc)X|–á®ÆÇr÷ÉæÃ™+/üÿl¹ùÞ2lž÷v¨yqےϱ—´û5¤ÔÞÜ2šÛòpáviû{/~öNËñðÏÂ'sRFµER'0ƒD;ü(7!50Óˆj„²hhÎ ”“³l°~øÐ'Òçõ ÅL@^lÑ‚N¤0àA×݉²W¥à™@ñ5ò;é Ÿ h3þ×ñÑ]Á®èÀ€­ˆÇyܸ֜E&ß4gʲ&µÈÎR0)¢RÀE⬘}ºOÏ*«LK7^0/‡e5’«eQ6ËBÌjþËu,KSªÈ5zÔÎ|³ÍE ]hžœIˆ¸Â+ç]q!Ð~{»L5&dx™µCd6V1m节'”±à(Õî*Ôz OBœÍjÀ[Ö0\›”9€˜{È'÷w…NÀ™‚À¨Ü#Œ¼Jfz¦Å ¤‹ƒ †FÆA‘ÍV¤y^Ø•Îk*}´§Š 8•¸µ¾ +¦•o–õzRŮнËܼâÁd™&3÷³RAJš“t&çÊ!ÊÑøfD†€àT¸­üµ(«qk5'dÆšÛ¶^«ß¡?è™wÉJc¡½g'•iƒì ŽŸ)Àè ¦‘œ0æcÌ<ѯ¦ *غœOA†Î믓úÈ xÚXºÏÐcž÷Az '@m b±…[GN.δ5Â6h0•$îŸ6:߇¯qÒ8a C ºNõ¦Âï‚òù΢ mÅJxo4†¯ÃÓf'ä6ÔdûüH´RólX·ŽÜJÛ¼ž9)_úôõ(.Ð>—L*À¸¯p^-ØÉYŠ Ùùll ÊåíÆ6¯çÄB&CxìT¬c±¢ìi«÷…Ùm)¬¶Òý:Ĩ>äû€»|À©(ÄQo ³gPÒ~ÄØ:ñÌgu »B‡§¾^ÉkúP{^pJ޼¢¶4WÒ/y‡\òŽÉe÷ÈÐæ0¤§Ž ·“À³õv‡«"ݵ­ƒC“Š?,ï6ïïVÛQ>O2G©©°ýx êÅþ¢ã÷Ôò·YamÅHçÙœºTÎÜLíøußL߈+©×ë T‹…+ôlˆF6~&ŽØºÉ™ŒÄ€…N7¸Œ#ÌøjiüœÀ½mË/æáCE¾ÈcÚ­›h‚,GÂ}•AäÙLT07lƒ¾C=[ÿô¬coÓÆJ›¹þšÊ$ymà"Ìé—„Ì¢‚‚6.ŠMÌyžh¢T>•xoQ=P+¢‡ÕáŠî˜¾dn­ðMûè0d/¦ÊÞâè9G?WL•uÝU<ƒ_Œ÷¶9O© e6$R€:Ry~x#I ë$1Gy‡£®OùwTˆ‰J(ƒH¹ I)á:æàåºÎs‚.7×vK4|‰2alÍ.ÁIâ$îfßô×EiJ–”ä1¡dÆÉ$6fNW•žyχ¾^"Ö¼‹½ëmmºíIfÍ Žìo9–æ|ÆE@í«2ðÐ:ÐpŽ E¢\áÌe¤Dð†‘¸B!2ËŸÎZ‰ w[XF׬= oŠÙ0Õ¯vYíOiéü9iEª»†ßCåy£r•<Ü©Tìx–6êÍŒ ßÚ‘Y'î;±À»}‰"Iè ¼nÞ®@Í:<=H>/g™u9SMÄ»˜¹–Ò,Æ _$¥ E“Á,DC×Mˆ8!L@Êø(õ…¥¢¨9ñÇ'y/©%oŽ‚<<'Ô)HsàË âäq†‘åe 2Ñ89.öîF²DæR‰YÁ„zFOÄŠ^_wäG¶0‡™^j¥hí·D$æöQo˜¶—jmÛ±Ú†…ÞÂaøñé“ðÉã0¬Øò'°@ìÐÒi¾î–U©¹€³„AFÙ( á_é€,‰Æÿ¯§7àÖø~²Þ÷;»k~ÿhÍï¯ùý7+~?J?_ ‚d5øz{Ãj¡žû£ -IÙÜývÎð/Ú§?­ÓAÕ3—åÍM× O«zI¬¶w8—(›_=~Zõì¹ÊK·ÍñêÀ'âÿ(p×÷xMp³d½ïûÉgpü]à¸ÂÖ¡GËW;Oªx<“5 1šŽþ(@üçôqmú´:ÝÙ®†¬§·k€Át»ž!Lîÿ(ù"éÑÈøÿ/·?ö¶ùgÅyƒl ìþ<Ý~·ñÿD˜Ãõâÿ¿|¼ê.á«VE{ì¬ÈöO§ÕØ>l§,ÖQ¤²¦¼ÊUa»K1Uİ.“Kßdä=HÓ÷NyDæ0éDKoÍP殊!ª­zÎ'{»[q™ŸÔ;VCë$ŒþU‡ÜÎŽ“ËÃE¬ßU{ëõ¯æ¨Â9Ê)MÒŒa¦%µïuWeY £ßgÇ“\,½£¬C=‚LŒˆÞì‘aw$ç0næ3*š&\©^äd$€‘Y< Ê×2¯ˆùrßË£B ê¹é9_H‹B«®#],OªïÑìçvŸS5UÅšºš/w “ ‹Jê¢øtE„!®¢d\• œ½«ëþ¤ñ«Á¦©­,¼-Ÿæ¾ÜÞýÞ(KÌr§½ü/ªÌ ÂŽ²w™€m¤”6¥jÒYz£®³¤œje^þ­Ùi—×#¥»‘…¥h†·äïbìŠk…W~KÐ’MŒ°N‡Prä2 _ÍAÏâX§cÍ©°‹eÄ‹/é2 iKÿKHÚ@`m«pQ”Qž®PÌÆX=2ô©ÐHÑN"aØ„ø#{|ší9#éA÷ƒS¡#;>?kþ¶°šBã *\ [#µNP+‚­ð<·¼©œ™¹ä0¾Ï8y*¼:+©Šº´ð C&W¥ Þ4V.S›Hn%£=i˜šî2êÅá?æñô¦Lú`L¥3 6õ;ÊžV &Ê P•CÑ_Ò±WʧyË™ÄÌdd¥¾.IÕÑ©"ÛTñöBø¯@ö’jç~ᡚÞÑ:ú³€d ¨‚\›Xð[•èÀûVëV½] y¶¨|W±¦”çbO†*Ðd~1„M{ Brq‡èÚ…\YÛ£åü%CJû@’ 6Õ×ÒäK‹žI PƒÃ«©Ã«m×w;ÜÇ«vCü­w@<¨û®VÙË¿®ï~伈ã´Žé¼Í×úöŸïûÄx+¸8>‹=¬¾¢Ï4ÅÏ}ƒH|_ÞÐb«§é`YÆM£¦}cçãUîìm1vÉóFpâ–»`ˆüéñB[“~÷|Á6¤Óð‘Â{Ö¨+5QÔÓ{šµû¥}”Òõ¥ôÐÒéátDÙ\$‡.¨<œ|¡Ç)éÔ°‹zƒ"ìÊ*VŸF8ua9˜™³ó4Éè`Ñ«•2|ªˆOÜ@) ?U|ÃÝ¢ c|Q+F2¬ǰ^C>†Ág„+y¼¼V‹rð’*¬sVlÍõž(-Œ8[\EÃñ$]á†D¬)Ã!œ²H«„CøG^ aƈ,JËbœ€Õª à“¹ÀŸxœà<ûàºà/ó÷*[Á¼Ø|Uð`Y¼MÞûÛã¼ì÷ù^ÕÛ{Í}_…m\ßÇÛ³ªwì±±Ô«y`ß ß®žìž |«„NŠò •‰%Xz>—f’‡ b̧¤ –±K;:*ë’öÑÒi—îìèñ}CF ïüf3ú¼Ú–.ï憋·t2àJ€-÷ì•x‡ýMìÔkÞ8žù¤Oº`ª% =i®ÑUÃIÏ[‚€úU»4/fb•ä,°éYÓñ‚®Èç ýÝ€é“âm&‚ËuÔVv „ºh Úç[ãÔOYC[à|sw÷³ÈŽí¼B­5|u<ùÃ/hý¾À£ˆÊ9¯P¾×¿*q?SüA"wº†ìù[(á ~ض¢”i]>À*q¢3žb()µæ §Ÿµ0%ýÞ /ªBß_Êrö»]…ö‹¥²*’™¿X! ï೫Œò5‚ÖL¥ƒYþ• ¹JÞ~oYo¹'FfmNîÖ'Ùië ­ñ÷-“*°oFfÑH¥17ò€¨ìÑä‘Kô¼bì&-¥Sñ–[”—Èjœ´ÎÂÓî›Fád» ž¬ìÊ`^[ÑmÈ%Ëz½Y=‹B–æöÍ÷έv>Üö¬“v]Àî6°šŸeù-àoZ'¯ÚÎmÃ}°—@4¨¯Ÿê^æ2Ãʵ«ïÖÝ©ÑòÓq7<{s¸e 4 Ð$²K×q_Q k¹*_£”13e<“µÚ™ïCy Ö #g®ŸEZ¡{‘ÔštǪ&O=ЉÒž«˜¤F–«è|¯’äØ Ú¨¢0Zj…ë¶gʹ¤'Ó˜‚#¹j¦UpÕÈõhù0«É:WyÉኋŽ;nà¥|…æ•·NhQöƒÿÕWÂ]¼o¿œrB{ÅË3€å.K4¤g™¸Ô^¾:µA9þˆ…].=ØTG¶ºwÞ[ôVL|Ù•_p· kéªôãâ xÅì\,{2‘±t½>Eß *‰É¡àÁÓ|" ½G»4Ïš'?Pb8.&ȱ»a®¾”yš…ßfÆ©l?@ê¾Iß>Äx@|ø÷í•|Þ¾CÎ+OÓ’Yrãñ‡˜qÊbÿ!š&df( d†íœ®)—¢ÃÊm[˜8ÐÓÌN±é‰©²¹\Ó4í–KÌÑ© J¹Âkuh·¥ƒ†‘ÚdîÑ$7êþóáHz”<Ä„ŒF’ù“aÒK0ñ||Áö:f)JÇ"hã…¤Ä!s<Õ­ìë¢TôKw¹æ•2“šßÈ'}j~6:oUfIõ=ÚU¡›¿¬øsÕ«=­o×o `}ñ4«÷þòÉÐÙîÉ“Çøï£ow·Íñ×o?úËΣǞ<~¼ûhwç/Û;ÛOvÿ%øËÒp*Tÿþ‡ü`•ÁÍà ܰßËÎwOŸVñ¿ßo¢qVû¯zð2À7†Ñ8€?ãÀ‰ÝªÜ«`!Ëüç1²:?ÆÓô#|0¤Sqa ƒ!;×d¨©Ø¯{»y‚=t¸ŸÀ༞F“AÒËŠ;À>ÎÞ´ºÁqã¬Ùi5Žøý´Óþ¡â]ÐèŸÕàmëì ‰nûèü¬yôàŒQí4NÎ~ š?žÁí6±§v'hŸµš‡8âÉOXé;lœ?µÏ;AûíIÐiu¿—#ŸbYŠ,ñ¨¨…É_‘{E¢ˆ’byÉ §^^°-Š+X§e2‡}Êâj`TÇ”gXÒI@Ò‹9F ÐcDõ~Pø£,’“$ÎêÎ<`ÔQ DZûú—û äb>‹ù‹º¢÷0/1ç*v¶â4Xljwºš8uy¨q`Qm®Ïîºïž‚î D©éeuºÉ4ù\ç Xüµ>Ø@ý'~Œý>UsykÝ è¹îûjô$@¶báî9ï ô6ÖÓà 鯢€ö<»ò â@‡µ¾!f T¬¯õ0) •N]w'ö‰è­‡.dK¬5ŸMR6Q¢cv9º ùN‹Ø‘¿’êº]¤¿`–n1 ãžm]⫾Ì4üÔyQ~èŒ- .ÛŒ‡Õô'IúzLÐÖ˜Å%Þb1—ùxˆ×œ%$SI: Ew™äÎu8ñ ãCSz3µX{…õ 9¡DìSßÖ‹hƒ‹áûŠcLÉHIâÍ×G˜Zù¨Õ=c÷ >º=ÄCÐ G­ÅsŠå 6½¸*ÊQdé|Ú‹+¢|È]zRFPŽ ‰à¿ÝoÂãVW8tË €½À{z†òH«¾jw€Êb¢òÆ!Àx»ž´ŽÊôYÅ<ðží †ÍrB<¯@†sï£+Šz§Ÿ wæ7/¾?=ë”Å ã¦bœ“m“Umåoµ›£—ô&ÛEånIÀq†ûîF~á²t_¬xu9¸J¨âP4i`Q. Ãh ×D°SçfU{ )µ/ˆgè•ß~õ*ĹwšMž©Õè·ßÐÛFÍ÷ï9@Ï%zxà÷µ0ìWo ŒÃÃð¬m@~Ó;f¿€ã½RýQè‰–Ø f¢“_–²»ò÷ºS‚é4HV¦0­Â3o”€0¥2˜ ã®ÝËo¬[õÈ4½òÌ‹))•Á4½ˆ‘ÏÒ”S».²ˆ§úÄ^Ž$¹ ÛÏ ¹Ô×—äÀ9éÍÆˆ„§ñxá€KI0^þjV2‡€½å L=nkœ„SËÖt³7Ç󃳥/YcPg0{a€F©lé'+ dqò¤¼x NFâ•=»ü2B1 EÀœB‡Bý›q4JzäÁ"øqÃ÷0ÀÂÄš–Î… ç%€®d­"gwrGÌšð}T©òhob§"¸#b„ª_¼$÷1ÔBâ@§ñfÄûMŒfz!1ÑÁ>ª+6CwUÔ‹ÄSN{gêŠLóä~iCË"~àâfg²”ª<–Ü[­¨a8KÃ+¬³Noèz:¡üü4| ÓùGç”y Ûzoϼ,¹ÍÅüíØÄÆä ¹UÙ‹üöy”£çc SŠ>û˜Å[ìæÅüòc°bù8_ hÁõŒìrÔ·%kº¼#@PŽ['oZ'`Âåq'fn¨±‰Hãðó°õ*<>nœZ™s2“uŠ€¯9n—Í>&È·ôûøPBÈÞ‚Û¯ ÚÑþõSµ_Ä1"*F’}Tö¨ <÷ôĵÛÜ6æN²–;v¹—b%¹95{Ñ­£©–EÀ¥¢öIx(Ùݰ[5”“ KH.Š3ÌE4Cf–UüY?‹Ã¾<µ‡¾ß® m«B÷JëâFLa…Å à¬y¢Ëxvc®~Mˆ¼ 4"PPµœ}¹•.PpʹöœÀ@€bÍ,•+I æãÙÁc„.¼ùÙÊNr:xÄwQ¤¡(Èw?‹Á\ݧ¢{ä‚Ôš(„Øüe5éX D_6à̄ۺYBœÓläÉ辇Æ8Tlù•Í÷+™[Å-°®¥Rˆœã« ‚%¨ž‹aõ–JX¥Õ rÀïVÉI[›Sr/ƒ5´y'ôùS/S^– F>'_¨>¬QöLM“µn1”Âß,ÌQ`Ã^΃U«›¤?ÔQë¤ÉQÔ)î„Ø_ãÄ~h)‘÷ÉžŠO¨ÊÀÑ=“u'Ê\©Îýt7‹´áAãàM3|Ó:%SÎ3‘‘Ž ž`¦ð-[.Š.“|{3ºH‡¬ñæÐPbe…‡fEA*‡‰º ¥À$3¥‰Í¿Eµ‡ÔÔÊR'9§1*¡-±ë”ª´Ç‰öEÍÅ8!mÙÖ®†ùYÅŽ2Ö½¹4^ÆÓ©òåk3ಒ^‚l¬À˸ŸFÚ>‹Q­­³²-*fS~®¢}ÓËÅç´Oóa9¢ŽÎ„›rü1€qÍ­¬’Òp1%CH$ôÁB/RÓ‘DOŠBV-Ó¿uÁð „@fu”@Ñù@äg]KVhCÆa>ã•Q¢% ЮjÉÒ½D®ŒÝËöÙYû6У)á‰Ít”ðSïÓ‰ïéf  "Úo& ÑÁtU"zše²†+·­òÆå…ø°L5¸d.¸ïž¶•[¡L±XÆéçãª(Få}|Cø6©Hüe¤ ”¥(D(@M’ñ{Ç¿L«ÔÅ-Ò³$ïÜy8ÚwË­W&ëÕi‡¤é'¸Û"4[1[ÒU½bËõ†k_ÐéÂk9U[¨¦í;É©µ{¸I.u:ý¾Èjz¤‹ë(\Љ@H„®î{mH{¢KC3>1š L²;¶6ßb²Z݈$ ˆ‰>°[ze(ØzN e(ŒÖ«¿Å*£¬G[”W)áÛ~,^‹Ô0Gõ+'&,´¬)eNŽ3˜¸ÃL½‰ŒyÈ6ÅJ¦êžæ‘±è;hŒŽž`.imeBd+l­uÛúAâ#r±´<íO¥uj¦›@·Û6’6 "Ï¡,u OMë,¶d°„Ÿ»§‘8cê`PQ˜FÆ+~L³ŠÆÍu墮ÇâgÆ4œw›áñù .ÃÇì±ÃÎÃ(Q˜}Y±Ù R…ä«^8Nó™É ù<Øê.È2,J^GSº)I™™IJòZüÕÚu#óˆÜlnìl¶J™‘ýJÒýŒð<ë[øgb.ƒ?Ií ‚‰>—¿•Ì~Ýè²RÄ3µëž%4¨xmŽƒÖzá/p™oÛÃð¸ñ#ȲüF“lCª/åc܈ÈÊzhs¾˜<Ü×QÑøq÷P¶òåú@+§ê9²d¬ÁÜ@ôZ\a­JÌ e µÞ v‡‡­W¯°Ç*\Ãb¦@ß©¸¾ôÿ_çǧU¿Ï‚¤â?9úhrH5o¿ Œ¾x5áºüªo"á÷Ês&KÞÉA$YV)ìlªGð³þÖôüWfáüþ Ûñpí£µNl»b³ØÉ$¦Ë±ÐÓZeKG€îì&Ï Šfdÿ±@›ÝèEèö€ìX@4èϧ2½¼ÊÉŒ{sú­ׯê¨ÄðHüΊut¢%+õ;Xä‘D¸JÔ?½¥…ÉdD—ãJîŒè2ô†(7…¸˜%…SsŸËã$ŒÒë_¼ <ýZÇ,i±Èešä÷l÷ÝNþfò*8Ð(¿­HýBé=ö|•ÅPµÌ@üò®âSS'–5mµv8GTv K4©ð½¼ç%rU0<Ý›_–u%Û*|¿L È«{osO~É v·,·IÞ"õ »ñ|Š:Ѳ™Ïa¸•Ü_%öx³u™ÔAì!ØûzÂðRG‘}`LîŒq¦È·…Û< öãt¼P$/`™ÄIPR¾á”¡Ó|ÝêžA{ç*^f]½çk‹¼—D±Ž-¶ÜÊÆ%ª,•¢%-zÙB*t‘äE"âê|²°='C§0XE I!VÑ|ËKð©“àWKN¢^ø¡D/ºù/vê:)è‹î,†ƒúzõrsša.3<¤„ѼájEg"ë2¸•œ ¯M…vj°ßkc-c¯=(ëÈʃ„Š–ÈÇÌC?ù@üÍt Ê~]ŠÐn=æ‡_l'ÑBر¤–m%°HüRà:Z€k,ñ«M§ˆwt]éÕqwq>&ïcí ]e7q,/ZáÑwá© ³e¡<¾[ )‹³ø·@QwÂLËjCVCN/\ä¤T$6vÒÓ©™)’WÁT/<äw-E* BžûW«ýâEFwÅm9BŸwF,Äkã¯?waÏy:˜Æªù·ŽÿQñ_ÀÞL£­?,4êÛo¿)ˆÿâp)ÿõx÷ Æí~³ý—à›Ïñ_öù7FÉUÔî~Ú(À%ñßn?ùƉÿÛyÿ|Žÿû~úÝ?HöäÔ°Dlr‰U-¤+(…ëð k]&CÁMGdPWQa‡•fa?žÔ{¥ÒïŸ×V‰¬d+ãÖëFxØ|egYQoº/ ^¸yYÔ‹Æ1VŒX«¦ß>Ïfý$­^XÏ(f˜Š’(æD=O»/}Ÿv=ÇÊË@úDX}ë\\aøúäü Ù†'ç†ú´-üOOÕö’ï'Ót–8/úiæ<‡'ø*Æî;`$Þ_ÄãÞ`‹b æ|¯çŸ_ìÃ'_Xñ«dÌáŽ'ýø©@ýÓ@¢ráEü(JÆ!WÀñ,ÁNSŠ)ÜÄä&†7Œx¾YéÞd/¡mí^«³({¯StâK?ƽøßËàõ|:^b¢ïÓè*Ξw«ß<ù¶úÍ·ÍT8TíÅdbwõY/%aÝTxJ‰vã+„*ËÌŠ—èç*—‘Ï!ÿÓI‡bÉÐÏÏï õ–Ñÿ¾ñÍçVÎA4þŸYp)qÉ‘„l4ªbÔhn'Mfÿ“©" ì’„!‚³*àÇL¦-K¨‹Z¨íAÁîio d±2ÂøæÑÓËKÀßÎxä—¶ÐÛóÇ6܉z”Ì«­ÎÖ¼Ú°™G–ÓáZÈã̳ Éà%øì(ßàŸâ/ª>ÓcP}¾4µþlÜÊ…|š¦³,LÆãxZ–”QnÇ ™}sm*Ævør§še‹fˆ4i‹·‹4êÖês¤³oIŒ-¢ ƒ®$«wÓ!Y“Ÿ¡¿0:|ãk¸FÈò1͇uŽ(¹q2WëU{jò 9F¸u|6¶¾jtÏGGíƒ[œ7ñ,I³ßßõKŽMe,Ñþ®¼ÙÀ^ ÛxÅüd·Rɳ:¾ïY[.;ôöÓÊúëÑ÷½î‰rÄ÷/XwH¼å,ÅëOaï_±0=aþSñ…D´=²÷,ASÂC›³&À5êQ*x}•| 6ä"Bÿæ(›ÕàKJOHñ—ª*¹ZÕÙ Î0aï=)Þà W½šHj¿§ðp|àú2êO$;ÄöÈÁ0{œ ¹/ÙóŠÈÊ»…©j0ÞÌH“Hd¦öý/ñ,ÝzpÁçó,‹ÇÕ`w{{û1ÂdBæ¤f8 Ùþ+<íº0%^ /,6AGÜ?¦OÞPÿt¸ÕÌbSWè ØD4ÜŽÒJ_KìqÜ<Þ/¯ÔMõ³Êÿ–E:\Þd»tÜU=hc^4‘úR»Ú`N ™×Hš¯(`ûñ%³†y¼ '?ýF¿5Ú;Þ…ëð-Ð)úñ^ð[ ð}®ƒÒòfº^$QÔr"áÙƒ)99*ìq ††“â ‰ §íu1mûäè'µô²Ý>ÒÝ÷ÓñŒzÝrƒDà.ú¦ü˜ç¦[°ÅlÞëíoWñŸÝýí=z6ÇöÓùpˆqRIœéG#+­õÉ$’Єàõ7Þ7õõ|ºmü¾cþn¾øÆúÊùKµ›ÝÍþÆV‡c«Ç±ÝåX÷)·Îó7)¿2œœ&0gXªQáAåjEBŽuh΃f™ôŸëÝ¥«ô´ò½ø_ºeãJéXpúZãX™¿ÿ>·#n|ÝNzg‰¨—1¡ùÆDÊÓØÀAîxÛ]Š]Ì a¤ª€C}RÙs'¹Úô¸ü3 æòÜ €ÿkå¢h¥¯¤Ê.ïŸ1ø‚In˜!Eú)9,óm¡Ú¥äJH»ÈtH9êâ¥Q¯²r’œ¡ÊM&QÞ¡éwÒ3‰¯eú×O¥û²‡“Q¢¢ §J gø šGYá¡FXyº8…D#ǵÀ”€8ëq² ,µb*Ì3-H£Åâìwy†zŵ2>Å8„ >\u©yX=1ŠVÑ®Éìo !žÇ žy gÞk¹ý T vøŸÝÚwâïíÚcñë7Ûµùû @pø›žkVëÑè×oøügg­+Y¸L`ãp‰óÉ¿b•Dª„Ýù¿üÇ7â™ú×Zë—ŽâŠ=$3ßÛ'&$/Ñ®„°gñU©§Ú f›ÜŽæ@+®*>U8íŸ; œDÅR¥Ü–0ä, ¦àXIŸ#Lχ—¢±ÅÆÈ;Å’åj|6Š>2£Dy ‡×ÑʬœH…®Ãé’úân*òBY%OŸÀ«xL¡’΢æœ4÷WšÑEru%gºCVP‘$s«$$¤!tœÍ˜ù-V—¯LòcNî9fø—ŽÞRA*P½ÂÚ"> Ü|j|W‚£)¹Ý‰‡Ø[t¨ZQöð’ûýTäã(ÆlMÜÛXV†ââÃ×Ñx&‰Šæ#.æ3d}¯ã`4ÏfTf{ŒZÎa2›a6?­m®Û»Ê;¾¿_ö0ïd Åm{Á'êÓ}þ >«Økq/<ß+Ú[¼ŠR»FФL4+E¥Rµ&le—à¾ÏÅž=Æû“·ç~€SÚ_z–9bm¡LàšÂªl',[*Ú¨Ýs<Ð&Yćû¶Hz‹º—‚Ï‘²ä¾Ï¯ØkšÀظc![€ ψ²QÅX¡SeAÊ:Å«DŽõàQã¤Òi–|ˆ‡7ˆ;0kk:ì‹b ¿p`㽚ÊS· öKU쵊d¢¸±«8Ê5G7 «¸GA‰á]Tó±³5­¬Iªrµi.ZÙ3OUÎ&±ÝûE ¼5aºz! 5ãØsA†V‹^+¹0×:÷Á® TÞÑsf!–cQòÛþvgù·/v‰Á/ÏwÄ;+Œðbg[¶ûF´ûf¥vߨv;²áÎj-ï½ë*¸¼ºäÔâÃX÷,Ö8Š»œÄâ®ç°æ1,8…È‘ìVÆ}«<ß—7Žæ2cÿÀ±žÓM~ATuû¯ß=ÿ¶ð¯JÅÏAì Ÿª… ªðòáŽßà§rÿ ÒQ#n}­ååš®'<£L{5ë¥9&éU¯>Ð\"ÕI„_f±¡`–m¡Ö?ßü‹‡ƒzx4²—±Õ8žÍ0Ÿ%æ’c5f8L—5ËÈ/Ön”ô1x*͉[µÚ6q³ ,˜*¯˜¤¯ˆ“1¨$ÒÔˆ³—›É´ ý¶K<^,ºX70¼ê-ÜØs©¸¡’ËéT!Ѻ*§ë3bzCi ·¿¨ÍíbÄ w~ÙVÚœô±¬5ÁÇý±Ò´1{OÆÄ¾­ut¬m¯0‡Û›YL5)•Û"ì¿ìø Ì­¯¬BïVqJêZ#·¬åz SHnwa"}&¯Ò™¡Ox ¸åx`¿£«ˆØß~î·xÖ«WI¸$KÏ•\,y–#N‰6ñMëõú’üç‚ÈU±$¢¡Þ yâËK¸Ò€§(Ç/€V?å˜ï$«Âï1ê6†}àÙÑŽ‰‰ÔQh¸JÓ¾Hy±lä7é5šª$PÊŒ‰=£d­œ”ì$}3‘-îD?–.&ñhòÜë®ÞCò=â\ ðˆÑŠ'&Xœµ[áùÉAûè¨y@uê—Ž‚Ó‹Šf)¦ÆtÆ[ŒÃVÀ~+r#‹0Ãíjw˜F+Â|¿ƒºØÒÑîs[<Ú][.ˆî& y³« ³âö®*AÜI¢ðéÎWšû2(]ˆ±­s­¼(f«<Ôíˆò+«QäŘxÅ#0†Ý]‹IÉmÓíBÖWpò€äÎ Ç™Y 4‡,zî[JP²ùx¯.ç2WñS!¦+?ŒÿÈÌúûþ™ð|³¿Î%û÷#8ëÝAÈßIïu»ªEÎ2ø,ž Ó4•Û“Ú~©*ÿy0ãxâŸþÓò?LzS®‚‡1šŸ* Äâü;;w;ùÁŸŸó?ü+ê?ÿžJΟ 1ÿßYˆyqr Ê AÕC:BxË‚íŒÈ¤ t°ÏÚ^¬¼²©n=J/±}/MÖDØ‹xv WCÊ*1»AWƶdvzŽÑˆÞ;i;âétœr6 ™bãø§ð¸ñºuì|{d==l¾<ͯïIÙ•h(nÍZ’*n\øÃÔ'³):¦OzC¬¶)3CP˜3c†3Šta~Pquû®â»ãˆ£•¹¶+2ó¿¨ä4s³/ÈžPÎM…ç`¦ ÖÛsˆ•Xþü=¢0žªaøªuÔ Ãê}ÕObœ0ü—m½¹Bwizv桘‰d:ÌÝ㙵{nÆWbäÀ‚By^›˜´š¬G¤È7.Z†³„9{TëX/iòæ<>}W"¼¨MøjâTìšÀ¿å͸b*€ŠXïD§ßV Û¢¢òõÊlØŽ=q”=³Sx…e BDÜòöÏì¿°Â  9Š‹'J×®_øR?V†èÖ蔤ҙüT6ñ=£²äÄüc˜Œöt¥Ì…G»™téàôôàMóàû ü˜NP&(ID‘4¦F)HR¨jÙ©n4@ln6vï„'çƒW †OÓ÷ñ¸®Ñbt-ämšŸ¨%2Š)Ój¥,;´æŠQ0Xç¨äö2;$Lú°³dd£‰¯ï•}ß«R<l§.ìV<Ü©5½ýúÕ@¬'u H8 [Ys:Õ#*˜rÆ#‰:÷Q°oá»ò¦1u„÷ ¡ýµª›ú3SOî«ÉߪZ)”-r¢«}šùÊÊ”%DC¼ŽY'ž0ŠA4 Y.Ħ. ¼oJ &üC#æ(†z*®ïÊwW·”JòÆ8—)î Ã0Äb·DÊ“=ó±>|ËÓ3?0NBM8LßG7æGÆžœbOUó$¤Ïc†jp®¾†nwì{Îà•ÂØ>ÝHÌ/áé~ÒÌgýôz¬>ão À•&^U½|É)V­@I-­§µž[s­êmŵÙ†÷Kóóù }¾Ê7²îP~tsŒî2ñ;»Ý[´-‚MÈíæ—íA-n0ÿêm•Eÿ«yUùŸ°eFñR™8N"ëe¨0NYâ±Å¢nR¹l6ÿ+UÅR;þŒþ„ß*UúͺAŒ}åU§_à“.ܸ‰•—N( „äiÚ™UC]ÊÁ=ÂÇLð ¨;üј^•7jãôª·Q œÂUÿ˜'Tµø[]õfXþ¨ë³`'°£lÌm,‹í­ø»bv6cÃî«J•m3Í¢UÀ÷½iŒ‰c¢¡³">{[ˆØ ¢ëËùiPlº¾]bŒ~8$)}4R‡€ëõºÓ~ËIÍ{õÃ!ˆ¶ÑtV¶«¨{F½³…É_MÓòÍ“v÷§n~žbñ1ù$˜k*/I™|»H$ϳA8ßuõw ÐÐßú £|ð0+d0ÑPH¤4D¤Áî¨ê×%µB7DTý(Ë©ÈòÓ/»²!eæÿÖÿbÍÓ$×{“ÉŸ•ÿw{çÛGýïî£Ïúß?)ÿï—ZÇõh·7SJVóY6ëÛÏ.íb_ûaô~<Ÿ%ÃÌ~ m‡É…û «6‘.Mä]Ü8Ø$DB¬ô¨ ‹fšT‰!ÎÎèSÑÖø2 "ü/ã§³ôB#ÖÕæÏÊ•ºú²L_\op¿ÕI›rY±¨A=A¤ï–À¶œr ·èo4åmÊ Ej8‰fƒ„Ûð×xš†¸¯j‘[[ÀSøv:zÏ‚þT¤j :¯²àRØó.³úA: K»|ËF¦„Æ8…!ÊAó›HByö †:‰F€Aáµjh5Á7Ñé0Å#à¿Ã£ÖY9øþ€z­½gòSlV®$TH|PR!^X/€×ìê »R ¢,V ëv$ Oðåüòéóï£r¦/¨ç§z§u´[ØóÄy=…‰ý ¶ó)Ì ·ÕšÙÓzc2®]$X©§o䱃mëÏ@ xOYbtŽy†3ÍR séÁjt¼V)¦„p°úqÏèu{wkz}"z…¢7ï!Õ Ž§0£ÖôIÆÑPnƒÌ§Q>7([M×ÚŠÄ’Æ.]Ü€Ÿ§ È ¬Mûl§ öþU|1ã^ì|SEsî“`÷Ù7ß“Qp*|¥5=.=O{±CºÙ•Å~v”^Ã㉠íW¥ú_jåûËóÖÑ¡þjÃC7Œ¿}æFX%šr´›ÐvB³1“ûŒz³`hd^¦¬îñU2&‡xp5L/`ï³ :9Ðvxýü£*ãbºq¶’6¾Ù+x}Óëâ×ÿufg§vß¶//3òw 6T‘<M¨›êÏ7ÓB/@¼ÜÆ×ñì“Â’ØgÊQøc·$•û6R-ûyúpPæµ–˜’A[Ÿ¸h®óÒåÍMþ¼žÛùÓ‰±d_¬†-‹©p»½¢¼(å£c˜ìÁ|:©´ñM5䯨•=sץȧ€ Ìpé|ØGy/ÁÇ/óÑ$ ˜'+Õ29×vr&8QÂõK]pù¬y|Úî4:?¡k_»ó*j)8Žm.Š ¸X  D.˜ks¶4…W|Ày&ûà+ú’Ê”ù"ä8Ï-êKŸ°·5Õc¤/M·èˆsÒcÎtV’ îï6ÄyÈLÐJO€ 7ç;†oTþϦâ+õÅI| Om³1bØ\2qx;dµlm¤ê¾itš‡À=¾¤3$ÄT1Ñjdoäq~–ŒÒaã|lüiw›Ó©*¾xK.೫¸H|ÃEÆÉÐ+1[à…óö[Á§°/ü—“ZÇwö¨´¬Ëòò[Ãi›õ>L+…eúЛ#øöM¢.¶Ù…ç~ë…ò°¾­k㆛ ÛŽ'âFÛN-F9cOhn5êú ôän‚g²¾Ûâ˜ÛÒÚ ½…u‚IƒŒé­ß™ìJà}>¡å*®‘;É晨Ûá #ÎÂÃ=§e^·ËhhËáÞ"I‹ó$T-d#²S£@ý@Ga¬õ-$ö,Ôì™AYݦÔ#fU3úÚ{ÚݨÿË<›ér2¢ê¢ª¼:¦|ì¬Ha;¦d‘ü}IÐX#"L*ié=w§mÃ÷92pãŠÄ˜”ùW…XÀÈ·šŒ±âã`&{æBÑ´„ ž»h̶¶ : †/>4Ï;¿!Φ„ (mÉJ„€P9ÀÜrPG0¿T ϪzS·Ï>tÉøCúžn¶Ú«©y¯ ÁýÛM0$¤™¿¹FaŠuo*±Y³®*÷uŽ÷ÍG}–Ó™%èGØë­e5V`|hÝà#Ü2«î‰Â‘ζ<ÜÇê®< d ‹ˆÐòÂAp˜dè*hèÔÌØhˤÙÓEìЗwØ=*ÿ L/âˆYæ˜Á®†øgÚ@Ã? ‚¯‡"‡ký7í§gã(Gß›ì 3/î¿l IÂá8uŠDäª,˜™(Á„‡Cr0H't‡/#.úQÁ+챚ã¾*ô/±„ô™±rRé'±šcÿ‰"–Q.O1PŸ£Q>­ýo”}è…ý‹«Oª^¬ÿÝýöÉã]×þ·³ûÍgýÿµÃ?v··1ˆDIpšçp‰ˆXT¹D9¥úަWAÞýRüªá¨ ‰È ÃA©(Ë¥—³k´åS C–¥½„dª~Ú›“ëgHn$ãLê]ÑbÄU ¦ˆ£a)e)äKåM ¢UÁ3²²¥LôŽï‡É(ƒP’P l)"f¤JÓ­Š@ø7¦åMæÃ$TH6ña/c+X̦—‡87Ž‘r£œbU†ƒLpkgb¯(0âz òªå$8§KŒ*DN?{G£¢3Lð| ´5½ÆöR@œLdKT}µ(̃§A11úŒÅ«l€¼ðE¬cF¬å¢ƒ^(‰þüøŒñ,ÁJXG̈ öÙ›fÐm¿:{ Œ´AáAÔ>?ÓAAíWýó}ëä°*#„‚v:áAÕ urptŽÅ˃—Ðò¤}µŽ[gÐíY›†µš]ìî¸Ù9x6^¶ŽZg?!ãñªuv‚ý¾jw‚FpÚ蜵Îàô¼sÚî6a ‡ÐñIëäUÆi7OÎê0.†/5€?`ÊŽŽp0¬…{kèà,ƒƒöéOÖë7gÁ›öÑa¾lÂì0[K;8j´Ž«Áaã¸ñºI­ÚЮ?ä9oß4ñ!ŽÙ€ÿœµÚ'¸˜ƒöÉYþ¬ÂZ;gªñÛV·Y V·åU§}ŒËÄ…6mêZž4¹ ʲÎ>Á¿1æJv6GÐÔ‰s”õ’䥓‡ãÃ')Q´~Ø=hv*¤ýñé“ðÉcJɼÆð& èCëÚžF˜–Öú1šl±†y¦’¾·0WlMÖEÔ,ÛÛT ÷ÛÖÉ£Ýð¨Ù8 á¬Elœè8ÏË`GFÊÊœœt~h4 ³ÜÃ~z±Ýc2®FQ0¡½Œ®HÕàiÅø6EWñ`HEoíoÓIE7Ç…°åarl,kCøk£¢¾A6i„bÏÆÕ Ü©ôò²¢ÕȰS¤³Àÿì™ûG ¸C,Ɖ¯”v;„Õ?y¬¥ÝnÀ¿a¡>7—‚üœ ýˆûsš….æ!Ü `@»7#!siÕ‹ýQ&¿t!Aªü¦^H^š ú\tÈ©úmÄU¸Cfšë• ÑÛ¥épìK3ê‡oÛàÝž0ê£A 7ñ·vÓŸÜßþ·ûÓqûô,bX*XцQL VàS f¶3çmô¬&{ÍU6ñëÜ´ó“§<×në ìÞî7%²(,ÝŠ¼«QÇl íÎ’`i¬'°\jõ‹=qnøùÉKü÷<žÞ4?=Ó}ؤ‚DêVÔpÕྞ{Á‰ €þ®¢êj’%™-ôú9ŒªŠöú& ZS¤…1-J_qñ¦…!©=N—M¼Ø- ¯¦û™2ü¾O&UAÜ.éÍÏïTt×(úÈ_ó*BÁ¨É˜Ížñ û’Z\‚t/ÅÏoþx†B×L”¿¢&þûj]áâËð•ɱ@§Ü›ø¸,Æl.º©8Dc[ž=ægqZ‹lbâËdüx¾œòä’8=âe(=„-`ÑY³†XÓ{”~P«j^À6Ç}kdÖ-ëX0Þ@­I]£Üêªtnèg¹–热çY æ rœ}º+Œ-No3Ð7ànyûÕS<¥ÏZ Ÿ|ÄÃf:b™³àC šß¿êÿÈæBêC¬‚íàvYfñ´Žwèô ~Œ2ý죃Úÿàœí¿1dn=û †ƒØÊqØÇƒ7…Ýzôô‰löqâ†bk/šÉÄó5¡œ¬;Ó‚¯E÷fß™¯oþmÕ¾ù7Oߢvö®w~ÄÊ wÙ·Îch¹ÆÆ½J¦ž 4ŽNß4î4>µ\>¾c”Y2ÓÓƒ;Mæ´ý¶Ù9=Xc;Z‘oüVãÉã»A14\côî¬Õ:-:Ž;NA´½Hx#ð9œþ|ü~Œˆ§ç“á_£ö0þ~®±Ô^à•¬qŠo£áû²±ÐjàCûz5~œ©é‚¿ó’bÕf$øKCD¿gËè0òû=#T ¿A¤­?Á¿j5o³@Øz7>|'Óˆ¸¢XÑIyEsÅ[ŒW†l=0/+Vá#õ©ÆÎ¤„–‰›ú;öVL®3Å}±©¿áéP¾9: Û‡ç@)¹ ºA"ÃÜtPÖ+LvĘ2Å߸ìžÅhJs½o ¥Î޹áÖK©‚(2í ¦ÆDë-T¸ñ®=øûß £[À¡žÉÔ‚ˆXÃù†ÉŠj>›Ž1.Ä:LÕ¥peû™$Z°óNž x ½ ã±¹f€ÝZ›{^¬,@4ôo.S.¹ºà¾Ú¥‘çms¶…À¯zpgæÊAì;£#»…cøòb~Îi ÒÝŸŽ_ö‚/ˆ]GýüŽÝ¾œ_^ÆÓŸ…¬è4@{8ª7à¯wÒåU3Ÿ7£‹t¸ÒÕÍÔ§vŠ¥Œ$¼‰º]@-/u.ã¾ëÎ%´àK³E°iü%? Côã#±ä<Å Èómð\(Yæux^Göe—ñò†ÒKqßøÃãè#Γ®œõP:» Õ VQlúЏ&¸/W¶p×ïóˆ…(ÇF~” ãåjt àn>î㳟w¶w¿“opYçãø‡©÷b UeÝIU¶Tªñ·‡ =sxÒ»á÷ÍŸPžè¿™/Ín7ìž6Z¯ZÍN·bº£Ø+áädÅàœa¦0mš)ïZñ,WïÞØ ‚us–å©úz°Q¯F¾Öu\ùên"`AöájÅ{ñd”›?4OQÓ6lœŸ5CE;rZÝxve³&òkÉMjýŠÊ?Ê+ÂA…8þŽø§ûü±dÁXUîbªÖü–l*Q€g]в/Q\uÆ0ñ®®„Âå`&×}Àúµpü?hÖB– N4c‹ÕÊɳ¬€y a fso?-fîÓ”3ƒîÆÉoí Ä?êGê‰Ûñ,D;N”Æ*û=©g?k¶ŸQ8Ûð&öFXõŠ€m̺®K²G$ãày“¶Š$Θ‰i|•d³x*ó{w8Z‡Íúš‰bÕ¸ ‡j^ÆBÜu‡‹¸Ö5ücq™ߨööÒªæ|WP®õ1I]Bteâ3¸tf+Lƒ?¿ ÆÍ#@Ðk3aƒùÛ=ûe<î«W"xiOkHqc±ÿàû ð<÷Jy8Þíkºì~éɘë©2æã aç´Õ¸çÎ31.g1Âjj d/°L´p~ÞÙ}úNpÀ×™rÀEïÛò×ý ô¸Q ¨|¸ÙÉÞ’»­8›.½ÒzÛä­žÉ>ňŠ0î\Ý™nD3\iÁ\íãì'5Aibç—DKXŒþÀY¸cHFÖÝ2jó‡îÙ©ßÜ3Ó8(ú¨1YŒà˜˜0zcü’3Åô€Î.Ço”(þêë¡×ÒJr¼‰©c‹¯’øÑñøÐãìùÛ ÔI­5æ´»–¨P~U¦å#=ÆQž=ç81Ð.ǘ¹‘bÔt/xø0‘€§²¦òúÿñ/¬ÿ±né|O°‡.à3ÀÁëi4$½lžb¯âéÕ< Þ ÷7ÆF¬ÜÁ.œA þóöò&¾ƳYí@4í‡ñ‡x˜NК1ïø†ºX¹ëï ë§AëC4Ž£¤Wû}ò¹ÊÿµPDSÊz”Ë‘v`dlÌ™¤7•Ž»{˜=³4*ÐEñ´0·ë ÝîƒV`Ðt ‚Ú{‘›ÇæÀÊžê‚3³Âb¦Ü |5•ÿtK³ú½­$™<“Ù’p2X/fŸâµ .o·Uγu3IzÑPLÇú]ÖE=¨H`ƒz¶šº WÖ~Ô.Çi£µjÑ0‰(¤6Ц½Áþ˜bµ·mµK€ Ü ÚU<¦ Ì[8 \áÛˆŠ¯=ƒí= q~þ1(㯜;+o*Ï‚shZ»Œ¥‚=à 1-l‚‡4fä–åg¸N2Š›e1•R¾—+aHúí^Í#l¾R…ÉúÀÅı‹M Xñ‰JTMgõ^¥®ÏPƬ„ao2œgøö~œ0:°¢É”ñ­‚ &¾¼Lz´µè*®ûtJ)J¶Àš¥‘Hc4°Ç €0m+&X³º2+m´NNšôW;kX/š?²`ßEH‚Ÿ8† ^¥œ@¤^Ž2¨^ßBf÷ iS½·á¼«!´r_ôPSÍGYîÍUï—p4ìåžà1‰„ûË™`UŽÜ ¸ÿá(šäžc~Þ G ¬@¦0“Ryà4€MèyG F:÷´qå]€L„‘1þêm1òÀ?zžOß{†ÓY~ߦqo%£ÜsÀL}9§«$ËO&ÍÂ~œßdqëÐEzªe P§€#'ñ(fÖ² Hgp—4”QÞiõ#À˜Æ6`àÕ°Ÿßø›qˆaò ûÀ¨ÄcÏîôÞùk´Q8œúd>Á`ÍÜ{¹´Ü XÆ£]î2±ÍªêéÙ›N³qÂUíœáOG퓦Y^Ëš_$†Ö×¶#‚1Ä7"+Î4fC"š2ÈGÑm€òTÄ·üj[1òAÎj*uÑú„‰’1ÌÒŽ}4 x¤XÎÕ3™ËhPÍ¢Œ)•p€+Ï"»R(|994¶õ¤Ší4[æÁY×Bž§î[*Bkn:&Oë—[ÉeÏôÆch0Ã1­iƒ„Á disŸ…ÔL.¼þ9ëÂÿ­ù°ìV(±÷Ÿ$ÿïîäó¿óí·Ÿåÿ…ü¿óÝÓ§˜2öéwËòù~®úYf^(3˺ o?4ÃöÉ«Öëð ¥jr rr­MAòÕD‰Á£dA6 ù8.àP‘ŠŽì$,Ó Dç(€±˜†}0Î4£-Å·*¦vž&Ù{"p cÝ9NØŠ§á å"¸bN'.0cÉm°Ö PéN}èÌ¢¡:rI•ŸT赜3ü¨*WN¥L®LBÊç5TϘzi%ͳ™¾E'Êv­DUút³H;–òŠ­½Æâ-Ÿ9„ÿäú/[Ÿœ4~ûí7EôŸÈ¥¤ÿwŸ`þÿowvÿ|ó™þÿ«ÎŸ3¤K!íwZÂÿmïn»õß¿ÙÞÞùÌÿý)ü߆ºã™Û:È…["±R3À˜´®7/¿¦àžj> ag½kÊÔÇ ´w÷B%Ÿþ÷Ó;ÿþR`Ëï¿›ÿïñãíÏ÷ÿÿªû ôùöÿÇÜ”µBÍ€TRÍÅ;aƒeõÿvž¸þß>Þþ¬ÿù÷½ÿX„_Îj·)äÒíÙHBæx/7U «Í÷e™íÎ|×$G~ó%{Jsa9Ä4vÝ0¬‰‡•0cTªyÜ%›™“(Ëœû¹*vœYPÔº©È­ÌyÆü(„ø«¯:o¿ú곕¢·Ÿñ Ãß~·xŠÎçKæç(ç§óÛc™ñ~_“°*{c½Ågtÿ†ÿ£¡Ì¶>1j\OþßÝyôYþÿמ?ÞcbÿÿpûðÿÛýôdû3ÿÿ§Ù  ÓfäÞPeÉ¥"ññÌ(ž‡-ò5!E™ÂÂ…%*d†b¼½Ïäàßùþ õßÿ]ýßão?ûÿÙ÷_œöŸˆ„Nðó-ü7¼ÿT 8”’Üyÿw?ÊÝÿo¶?×þ3↑ÿ¬N¼dÔ7Â'ó©¨ÃAYLñÚëBÐ}#ž‚åÙêUwžl}÷(—|>éSéÓ·˜D4/©d‚óí$Ð\Z$QfÕYvÛ' ù™bÜëŒ µƒ¿y„69­¶Ü¢6`_´Ö—b2¦‰;ѽÖQ£Gù»¿t~­ë7Žö ˆ°5½IÐÇd,n½Î!öÎF#¢¼6Q¸¼)=¢ô2𴘀a0áɉf2Ó~é¸Ö‚ݼ¼ÿkLþO&AÜó“Ùhœ<ñ•uqò¥Pã\üÿü™Ëÿá£oøÿ+üܽÓ9®µëÒg«²AFaˆcc´mD^8ªH¸á!£ =IáîŒ=žM“ðÔ™ˆÏ‰ÖUlB4¢\Ö^BКWaï)¨gXc¸ Ù„pkg6ju¯C‘Z’̆a"O²Ç4»áÚ‡ë\ª%f`œP-¼ †ˆôà>¸SIÂsïÎ ]oH´îø˜55øúqxžød•)VÅkÞcjz_È.½]°JmîLƒ;W[€Wîz®¿pÒyƒÒæ½ÖÛNáÎpüñ΃dR~0Þ(܉Ãé pg4ž¬!Qcnº…q!óé¶ÙÚæ;w9A2)Ü4JÏ×^À«-x3Á z“µ…;½A|çÁy‹¿;ß(ŸsœQe\-¯m\=Û(Ce(p8¦öp[¥ŸÏep].ܹƒÕ“±0ŒƒI; ˜*æCE¼oJÓ;ÊÞC%¥’It} ‘ì<Šar-rùW0žÀô’)Œ ù&ñj¬‰] _«¥ ¼7œÀÀ·`¢ÕÂÓóÙ¬Œí£CøÄ{ŽJÞùxŠP ‹}Çóx¶[æ­½ô^ ÿ ¸ÆÑLKr<–y¼I«e¥cB2©”=]¡ðÿþ‰—þ.Ôøüižü·útkË”ÿn¡ÿ÷“'ßì¾ÊϽ»Þúi4ZO. ÷Ðz÷%ï ZË¢}³w^y‡X6$¬3t½>:‘ÆÐHís¸…@Â-ðrîðµêÆÚæ‹JukÇ»çtëêA™Œ×ÙM=©Ÿx˜áY§ºÛÇHg'ìœRŠ-¨…nh0€Ë8šÂpÈ=<FåÞ.ˆcx T÷÷úûŸQ<®Ì`.S´¸­ô‚WDè?«àº†7Þ-”¹P&!Üñ®Ç3BQè+£Ì­£©LèǦÙhæ;eaöŠ ã¡Êx‡+óšÜRÞ1¥n€Ò¢£¤Èˆ·6ƒòf¿ã…QºbY½Í2£Ã(¥Ó-FõF3t¾³EÑÌ™ê õe¶Ä‹ñDÚM£”Sý±ÓSZ€²*#ZÓK£û•=X?n)Nh(s@ÓákX hÀɵ‡Ã_”k)ö‡…úsÖRù´öÑž}ДÝâÒë…ÑG¢DȆáábÒu#ŒÜõ ¸šgh'ÎY€¾¿˜N'Ûëë———•óѬ2ŽÏ×EöÇdý ¦FžÝ¨V‡n”{±LÔ˜?†2Þd°Ãhc®apªÐŠP» “ ÔþÒ&"=ìô u{ãÎÔ“þÒ~^m6c©2Aý0PÎm º„&ºP…&AObÝ™ØÊ ‰ì9-4¼”‹W(Àœˆq¿Ï[ ǘAPsI†½‹±W}õpÓ[éöèþ†·¶†Yíé=Æ@8ܺ^)pÒ`¯Z8‹ òI¾_õ8IéÚZ”¬ Ã\†ø›Õý÷<Ê 3ÆcˆYc8þxL²òêÕŒ%º6|˜bO{Fx¢!±Œ°€ P¯ŽÆ³ó‹JAæ2ö8uÒÎ'žäv[ëQ¤íB”­HÖùq,é˱²÷Œv|¹‡ä":›š\üµÆÿBú5àßî“Vvå׬è»E›}ªÇíÖëvíÐ{Wk¿>ÁT–ø´PhÏFÞ£ÌwÊÂ7¸Âžâýô?¢ß¬ÚH'C¯? °¤²¡Ó+É[Ad<Æ©A‡"gÝ6Í£,6]%DÉÉ,j—#[‚ë‹…?ba‰=¤V'€ŠäVt­B‡}?aiåÈ>ƒYH½=ò÷…¦lÐ'á6Â_†OàªíÀdBì £˜E »z×A¯'2 Â+¿[}ƹlÖŸÄp“ÙÙYtÊ¡Á ¿   Ë È#À4k°ø÷ùï?"yOt>SÈOÜ‚géÊ‚ñCaµ;Èêtv[‰ Aý}ß×ä”þS ±W• Í÷0¡í#€ý éWÌ¿ñ'’ÇêÃÈD ÷-bÁ+"&¬‰A”rû^5šblqc°g²xt¿úH\ˆ+n¹e±ŠÂ+²×0 zˆÈñdàJžGxÛ ”†gbÈ‚Dtª¡ªh¼4ƒ›håþ®ìÀ·—0¨÷¾œõzÀ£ãÕ¥ÑG°3Œá¡ELÆ&ð^!`šè+̯…KÂÍxÒЪ ݘòõ¡è°%véz¤Vÿùq݃ë"¤²ƒC¸€"b¡‹ñX }À¢”ÊSµÑ”Ä=øFDSf<¼‰„…ê^"#±ÉtH±¦ |D®f϶0Ó+\Z N`SzI Œ`Ù/*…Rß™B÷ÀUÂ@<òàB¶F·$ ¹Ýžbqøû,ŠC¾,‡Ñ(Άš~Rוؘg[êÂ&ç/W`5Ná~¸–øl¥@IW¬:ÕÍçªÒ=”ÓúÁ–H|X‘­)ü8bÒŽÅèØ&Y„Ù•90£¶°7£üÛH©1TÀª½ÆH)³IEÞ”0º+kü“öÁKƒvÁgD¼c™oñ{…ãôÂ19+£pº^$áKjÙmKÒAò=ôÈÃöæ ‹>ãÒÆ³&ðï_I#=FèNÇÛ@AÿHBJ¢ʘœ‡Û+Vßßw‡½.ûze—l¢Û\2ÖÀ![g: ¿ ŸÐÚÃÂ!´ã> £áª_®[lêÕÂ’Ã'ë©BrÕ‹¶ã“­þ%/ª¿ôõõi‹I—à­k¬/³šŸµ~˯ !š›B‘¶/h~÷¼#ÄûÔD­Þ’š€ÇÓ3’Åú¾(÷ò_ÜëýêŠ÷—‡¨ófëÿïæõu8ðÆû;}{ô/¼Î8\¯÷èAò+`éÚØŠû€ àúåxžD½‡(ˆO^®utJ— ?sx8 wpŒ`?}åÄæU†O>gp< {lceŒ³X¯ÆÂ‰áÇ%váÒmÝçöà§=’}h¬Ç.Ðqx:‹ `‘*ÚËIôþê_Hìâ’Þ£Êõ#6µ_IO8ŸËSs¢“;•À Hä¼K¼ÆÒ˜™†ºîÞp³¯þ…÷ûg pëáï@E‚¼Vm ®ÿ€Ì›Š$GܱK꓇@Šñ$G½ëïW3ÚØ ‘ŠÐ4Œéü¶ûòF kù­‘‘»#æ'ùÊÏØš)¬1ïN9uZQTHq˜ŽF*°Qpv†a–× àJ‘0ÌY0ÈZ:£Y‹Ò…A`š¸¥×cÊÜû)–d2‹£ñ,Q‹CrÑ9Q§2‚Þ(4›‹êì†f ‹/€ç=‡‹’ФW¬5.{{'e¯Ùnþ\¸ÆÀaDÀ&ѽy-§h7åΗÈho úJ¥Žãmp#<)~…rÃX*ã`¿1GF~÷lÓ¦“úVTA‘&e^¡ú0ŽÔaCÂMäL™™°iˆ!¹pU‚SìŸä ÄÔ"OH8‰0 ö)Vzsq2=Pž,ÚÇI~ð‚)I´qU1ö#r3Ø*nŽÝí- ƒ´hTËA©+É\™toe!­hxk°:U àÖßÖÚGÍ£×ÛÞú#u˜?Xz³|Ëk³•GÞ«‡›È÷#Ø%˜Jxñô™Ò¯^áÑSa"‹º|æ…+!6°Œì³õ–/C!!èψ¨u9ëR¥ Ch퀤_ƒ8B‰g²G>ƒmJ_²v1ð¡Ú%\£˜›ø.Çi4 ×`Ìà ª ô·5²ëÜöVlЊ]ˆ%/PêÁöõÚƒÍ!þêWà×§$}üc< ¡ðI·î¼TÏ…Ž ß5àÁ7›ÒÛêu¬È¿E5škÿƒ ïªÏSñ¿¡ø7ýïW²ÿü÷ÆÿʈüÍ|÷¹ñÃ3#Ëhßß‚‘ýo F–á¦,ÌaÍh±³+ Çæ3‚­HGÝf»FºÇ˜y‚pÁ~ø¨³ÒMO½—dN»#REÌ)F–¶;FNœYPS`“?ðò|Àd‘(ÄQàå$üHúb²YÀ$´ÆÌÑù1ékQ²%Hwj °Q«*’=Àx†lŒP*NQ­ÿ[ÐCá9•3ÆÑ@ôBéšßa&Ü݃ZýGÿ ÙéúµƒƒVÝ+n®¾Ù=ø±Óüg£”ÏyÄç((§P§A¦÷ )#" Ät€^ÇXÌž¨Ìl sÝõÕ,g”PÌ{õÒ“#¨dGB×S89jþŸ“ÅYí¼iìy[›VH4XÌIqô$4l=ñB\T¢Òa©£˜cÑ©5v‚`¿9ymö²ùôYºdA1;²Êº3,†¨ ¡cX)ûDS"š¼Hå6)pÌï£ö!¡´fëÈ{avÒD3¾ée\ABC‡ACFüÇj*^ÒPŸRã=F·b:øœð‘ûâït¼bÑYïµÔF—¼uwŠ9Týãt]+úñëú?üÎÉñq«Ý…ds>ß”  #}‡ Šã'ÜÜœwzÌÉ6óOoC¦×œ÷ëv±¥…L'‡™ôYð’ql2›B$û£9 Õ…W˜„ PcÊæ4%´æ<éYŒ¢„dÜ‹Èè„°õòMÉS݇ÄÎq,2CŸ’S¦åš eXA–7õx½YÌæÍ ––ÝU4mÅR¸‘þ)f[\´•0 ‘jV”Q,e 4GˆDœU9[9E8;0’ŠJoÐæìDˆÜ%"±jW]›£œnèÎ0âe¼JÅ<4ty‡dI°ópÙP÷þ0¸ò©7ŽŠÞçM £0¯P2]ŠM§¦”Š€âHòhGe•–²¢7€òPêYq²…h–ÚóáÙ”Ó<Š!XtÄ MÛr*²±fgG…°¨©Öîó§÷=5ÇIå†yÏ0!›^¸XÉW”mmmdf–æf¿ted„ë@³e.öêeþJ—äZ2’ªnÈDb‡pîc÷&gpkÄc zðŽ¥ÄlPúWäý"S.ð ÂòÏ>Æ÷¹Ñ"/4}öY¤vgd¾ÀuL#_1xJQißÉi/u §«6Œ0×…švɸÖíK`éŒqé[c\×Ññ›½vñ⢗<ü$>®½Bü:‰Ã%ãæšSQqIÇÆE‚ôðäèhÑ{”vŽhv|xrÜØU‹vìG÷X•ŽOu¡dÉ{ 0[’ñeç4Æ~bžò<»«Ç ‘¦wW¸œZþ^c÷äõëæÑë’÷×_Ò­¨N,r§Ä‰F:,ÓŽ5N#cC2ÎB¤­N°>=3W‰Ê,"Ñ1^†À•¤j |á©ÃI¦ãi0 RfR÷Ù(‰Î)ÍÈŽt-t’Ú‡ßHy(òm÷ý…>ê°–øþìh—Ejù‚‘•EDïw¼ Lm·_R½µWŒþ‘ Üš±…ÒÍ=°·K¬Ýò;âìGöRË A´³«~QR£<+®ì+ù`æiÌf=ÌJÛ¿ŽVæ'šŒÊ^QÍ ŒKö…½WÛvyA™ŸxçÍmÖÐclµzkŒõ×郉œ÷ ,³J™C-r„êÒEj˜ÜãätM ß•øÔÏ¡ÅýÑ$¼¼âéV¼í%°zÕ­ © ù!dµ´ìÏÊh<]1N‰<[¶Ý±ÎÄMÁYà ¤´k±¶é]wkÊMDÀ€õr."+ÑzdµT°–5Œãy#Æðnp^kouïÞ•˜ø4Ì›Jî¤hÐ%Iƒä©CX ÊÊ5%˜ISO™2'—f˜¨D>7ˆò{X«â¡+?D“HJº³ ‹(Sc ÙAšOƒòÇgE:Y—$´2)Êès1£ ¼+¬oÒ&BÈÆúHüê¥'&%‘z”ØâÝZ•v‘ùqÓ“Xº^;8À¿ýÙp‚h±‹§³V +ˆ„öÌ=“º-9€_"Ö r›ËÂbT.<ØÉ™lÐø©‚η»à|ÈÜÑc/³ÈÄ@¨HN‡H$cæ³ñhÏP„=;͞Šä=®¦gަ½Î`MTÄíÂX€ÖÅîájÙžFî:a¶äÅ+¢¯{ ±­®®vD®%Jô€¤^&ˆ Ô%!B$ʯ¿Ð¢f&rwèMg@!RïÎve¬ý¯S-S&Q6’'WW|Ñré°¯g¸óqù )€’ðV°Iª–V2¦kN:ëɆ ÜP¸·àd›MdmhjÉ~îÒZ¡ªlJ•ôïÞ]Hoz6td 톘>¡ Hw?c°BÄc,Kk¥ÓŸ.9h³ãòâ)dŸA œãÆ“þs1´ªä®B„’²_ `áT%îþÃïüÓï¶ü݃VýÇŽÓBN‘·<ç‘ü›Å¾ ™b³ë°E4¶Ì%|X…1´3B‹± si= kæàû%p¹8mòi’}nJ’¤/£CDƒÙ2_6õ›|ŠŽ 4;ñù(jÚ¬l“o4û²Imd2@.ZÄé—5UDrI+KïNA„(FÎa­ý£¿ÛìúǶÿº];:9hlá tí½Be@ÓéhZŸ%;½ôjí× 3^¯î§qTÛ=hø{ÍNý Ö<4º€•Á´£8öäþ~_ðûQB¹6)­mF‡ojÕØÎÂÖ(£çlàÔ§LNÈÆe4J‹q‚¬É^ @þ’ ?Œ‚£uKe8„CìÎ=Ö[ºë¸Kº“~-ŽÑÕ&ö.‚¸„O3*ðÀS¥éqFq>S/ùlÉ÷|ƒgmCÈ–Tãxñ"Ç!ëP¹RI´üxÞŒeç à¯àk5£ÑG\NôGÇSò†¢Ï é-*s¤lêmH1`¢©Rs4'¸CX¨õÐÓª'º|õÒÛ\]ÝÚ´šê²òƒŠ°ßn= Œ¼QØ “$ˆ¯+óG5çЙ7‡±„bTò6~l­X-÷Î!,ÀUÄr‹NëÇÇþÛV{¯óO¤ž=)˜˜EôPd2؋ュÍÒº³¯JPä«â}É{õ ˳Ä™ Ñ¿ìžÆˆ«‹zŠÁ0p‹ÍÛh…‰Zœ—Þëò1†)ƒj5{¨\~¶s'ƒ‹²¦[¡&“1~…ë<¿¼$Ú?AuFëȯ¿iÔÌœS±X=V——Uð‡ØëšWE=±ü ëÇ]—ܾçÁ…­¼–³°sî- „ |¡uÍl@¬/%R¢xGîLÉg6~>nԻŻ"h;ºh_eS¥2ß±«Aê¤äo:@Pt¢Že¤ì- øpQlšÊÀ9™o³o´Œ‚C2§1‰ ‚aÇ‘k§ê _ÞS½?4;—È¥X© `(ä¾—Ê:µá´¬;M„˜Xö:F~âÛì}‹Å*«˜P0VºMÉvœù àMD¢ìоʀ*§(†<ïù£±©-+¢’Çâ ÑžŠ%Q€-Ï+FdBP .²Dù#„ƒQì¦"QÊ“bj—T`TƒiQ1ÿeºQUA0™ÇÓ ?dVAl­ZˆMkÒ¨ixïÏBúà£À!%„ÃA¼§FÎ.»dž9…ûi²ª]_*ÿŒ—½‰ÝóÄî ·Ë‚¾YƒÁep_bîРOxOñnöƳ‘ Ò5˜i½¸©¢à™¾r,1Â̲k™Ì˜Ö°ÌmU>²J ìn¾,HëQM¾*c±Ç2õ`”¹Pã9»²£9ª¼CbjÙsŠÓâñѦz’ÕAä¾–YµT¹ «£Í'²Oœ>n|Ʋ$Æy’-&êÄRÉ•ÿ2*¨$ì ù°Vüõ(¨ßE½!ã\18RÆS fØŽÏíàˆ­R}Øuç_à}.ÉÄ&Z(/db=A‹ÀÒ|øÐË¿‰+°#{O.ÛØ£¢Ð~ÖÉÖ’O}ŠÕI¡ F«Ñ™-'œdÉ Åe81T½YâmC⊠äøI8~äE/Ò–œ£<ÑgÌ&C²É3‚µ)g&@rMlâ¥|waÎÌÕÍs˜Z¿Ï‡3Ã&×:’Ïã[ífJ"QfYÞz ‡“Ûˆª8‹¬ëé­éÏ ¡eÏ9‡ž¾üòE¹ $´VIˆœv–‚‰p³›"É1ÎÀQú{mìQÊÒs‰ÛÈžaI0*°¯ÙÂ*⡲ºv²:è8ïü_8ÍbqÑÖF‘ÄúQ#u÷×_Þ] DÅÛ´3”,fa@Štš¯v™JÌæ±µ,ÛëÆC¯µ²”+ ~£ˆ°IÞШv2ˆk=`EʤG+f|ûÑÞ³8˜O£¸ò©¢9ÔA¶¨vùñ}¶æ{Ç%Pò)H½дá`1.­± Ã?õMí­¼*øUÙ(¢¡W=r Ág1=¸›ÀvüÈ©¿S&_âÜ’*?Òæg‚#•¦ùÎ[ï™)FS†SÒM þô0ÙÅx€ˆÃ­¿C8õË)ÃBÌ ý;Æ :E[pŒ¸G!ƒ§ãYï‚ÂÑÈ€¿xÈwˆReñ“a×Žî žÔÄT¼[Ó=8‰yy>0“”¡hd\dMœlâÌËf‡"†Ó°léG úIöËöÕí˜zþû€»Ž&¬dè'M €ôvÅDÐ}„{¶“Î`Ì¢5 ‚©V°È„­cåSõD|ÿ†,á£x£¸®èôDÑ¥ûRó3¸–įщ·~¶(Z MUjsÁ%ïU!ߎE±Å4Ø4•|/ó䡹KeJ&-¼ãZæ9'Ü´Á̳ÃJ!:n·ºz×ÿioW"I†v©Ò@( _žŸãØ+›G-D2À¿×ª‘5.á9¦Ù`,H@öÄZ`âhˆ‰nL™¹ÜRAƦ è)'×ØÂˆ½é=W¸±€ÔbŠ´äz1rØÍã…+8ÕNÃû3ñ#ǃÕMÍ(&/‡Üüñû-1hö$DS. ýDÌ·À3×2Ev:@È|ëª Üvl‰;+‹ð~2-'¥p ì {ˆ^Ê1›]Hõf/Bî hKË9¤.¼ìØM†â&Àeg,µ*¶H^Q.’’²}ù.Æ|>—Ñ º(×ÇSm*ß{%‚›ºÄ-&ò5†ëûl0¾„1º¼(ªÇSáØy‰ÁûfäÆ3)à`@pd¹¦|(͉8râ@œÂq3N}5Á.Eª€*ME>ñ|Ï*‹2éãx)¥ E¼ 3G•L]“Cöfí±é!#1’‰ ?ÌTǼÈh >h‘ˆ¿‚ô¥¿¤´«@¦á4:¯dé°,»)Ëæ9;ýLHÚÌ}zPþO«‰UÐ8w„áÇj1R6O0à ;'Pz¥N]¶1 Ë ôµªˆs†šqd^Ñ9è²þyª|Ù[v,·¹â³ W Kœô¾8Û•c¶äR»‹³pr_`…æ™ÜX»ž¿SiåÌKï¿æ¯ð Ï£Ù<ÏX€ïL=„I‹À渨OܾÛ1»ÕŸ©†s¼,R–SaY„÷üñDÆ2ñ ™ Eß:Î[ Kl/MÀ”C>rû´"áè¦ÁîXXûø ž«uK€Ã²D¿& ê7•P•ïMÃ,&WXô(²v „-aä-Lú“)Í¥ÑÀÕŠ¶b(œÕ‘Ë7è]WûèˆõXDݯCC@ä&~ ”ƒ(¦&øøÈq2K~­So£Ly…ÌÃè-šr…<ÝÆy8õÏ¢0zºäËŒËËõš¶òúUÃΠu³fÃû› ünÈÆ ù¡Ñî|Ña.1ì>çše‹&í{!UÙÉ|ªÜÊ¡óQáÊ$"Á—––º”3‰ýæÏ‡m%çÒq´ˆŸ\{§AðØebžPüÁxbÅ•7 "üE$ìÃþ¶×ø&Ñ&á›òe¡·ß(Ù.ÁbR†-†±pk¦ãƒSVš²mìf)–^ `˜†ÄP 28{eƒŠO’0æèû#.‹ªÏ³Ñ×»–‚¦äÓ™ãøËzW,ßß ¡Âû†lŒÉ|Ĉ.áhsR‡ƒAë"J€ÁQpÛÌŒqÈ¡Ê †G×,ñd4-îGWˆ/.%¢†ÀU2s%)AƒÞT%\AqzâÊáGe ‡µóQÜÆñGçB’c‘%Ç.J¥:Âí2¢EœE”W-Iyƒ°êàØ~c‘…¸àYÐrg~(0]¡Ç¾Œ1kŠÖw3¶K ¼Lñ¡7Ë~GV·§¡î«ŠÄ.¾¡œ=R,Y`G·I`n׊ù£ˆƒpc¡Œq< IN‚ ÅÄER„µ-ýqHLá0˜ÂINªØFh3"±'|¹ ®+¥B†Ú6TèKó‘¸#Ϙ‹Ô©Öȶ’aÅ9Ö“îû6è ]ÈŒ)G€'Î̸æ™FdiSäŒ4Qi3U„qŽA`]ià ݥõVti’M£yØ'žQÔ@†Ž¬…´‰Æ  4ŒÎr @sµe#×fÍ’ï¸}ò3kQR ,2æóW—J®X&}/*©Å,W¾ý™Ý]#Bswæñ£Ej´,z …ž„fHÓ>š^Q>£”–Ü W×˹Výü&ëØâs@•ŒPÅ*sêþÔjîùãƒf×o7˜Uô6å-U“ñ¯Š¬©ñ`8Ø+°üUøY(¾ ÷’§Ê<0Ó‹Œ‹¡ÕÊEa kHõð¼¸ø”6¦Â½RZhιQ½ J‡¹!‡™Y4 ´Œ‰Fhlú ž‰$$‘IÉ ó6eèyûDCGft¿ Òä ‰@ñx=›«Kù"$HãJÛæÒ8QùåXêÐú‘ÝH°–°- ˆ²_¤OáµÝT&=MòWç•AÀ,û%Ûëª ÊhJ{«sŠTTN“<+ì—nƒÃoÉi,æ.f"˲ýâtbJdÉ' †Þhr¾BzîÓ‰<ˆV{(ÛpÚ¤G©f3ÚuU»šÖcY´ˆÂ7×»=M7.îi<$®-yŠRü‘á`%NðrÎåÍ)Ô#K˜â˜4N24?£÷;;¿škÌ”± ”ivGsœ:ól$òªò¨äðMÜ„&Tä£t:Ñ¡ѬÊÖIû–Ó‰äšy¦ 9:N6ÓÑl3yÞœµ3@ù프@ÚŒG•l~J:#‘¢¼x–0ùH2Ì$ž­ÃÑ™nÊkŠçäñY4ºÖÖ`K‡×O³¹ºB¥7…]sª,˜Ä6|Ç@Ê$Ñ^Yb…ŒCªšq¡§(êä¯cÖ |oÀb&2xøÐèî•AyåïfDS³bÁ§ ‡y1PòÀ/šäfAÔ4À z£4ñN` G{wÜm£P+!;g¢ØWöÂgjϘ˜­ìCAž³Ó‰;K¸‹p©ÏQ©¤uÂéDÀ‰s½fŽÌmÇ?Ta(´càÇ9U³3ß¾ZŠÒ…סZnåÆkÙ › )/®[·²m/‚S_èòøäº/òz•³»E8Ñ8!ºE‹å[Z„첸TÊE$\,"ÿX˜ ¢ G¶²f€ÓN.þ¥wr,¢Dë¯\,)DIWêŸçµ·g`úé‚ •| ŽÇà ³YÃLë°B^@(‰¬Ò“²#8Ëœ£ ‹•I¡)ÆIÞ™TFH0J|„ÚAiYÍ>¡—”x/Õˆet÷2×i‰ýȳÿ3÷8¤¬ÓèfX`ìÿÙfkf|ˆe÷EtÒòTÐÁÔ¥Ã3'hj)qXöÜë½ì2gI–”¤ ÿŒå˜‡kÉnrI~ôÏD;Ì‹®d=jäJ› ëybr!xÊVbW–£Å²C‘Ýrã­Í¹¥wàz>lvóÑ4œxã’\[HíÈŸœŽ²Î¬ÉñŒ,}Y4ºž’‰&G °ä³ ’ˆQ!òú<_N/*y†ÀÏ€dŽýÕËL±‰ôBÊ>¿lTÓ'!9f5À’9Žû~%oÑVŠh|Qq”W¨Yÿ¸Ýìæ­PÈçܪ¿NÑm€ÂRrç$Y|ý@rÒÉÉIS 8Ô¤Ð.zóšºúgÞµ”O°[¬œÐj0o¦# èvKË5t±\±<#¡|r$ |Í´ÕÙɯȊ |—¬•gu:Ê]åÓˆŒ´R‘…Zââñãyt%Å&2Œ9_y„÷ÅšófnÇ$/wæwÎv LZ#¸YJ$Ê™Q–ùA§·míPÏZ™ŸÊIè†û!&pư¤½ÉfæÌŸÝ6Ú-+)Á¼±ÞÜzioò@;L¦Ú攢hRFügÂY@,›6nÙ,ÖË…€$Ä‹•a£lØr‹`zéæð„7Ÿ)$+z¹ü¼—Ū/ÁÞ†)üL†ð™Aá7¹­}…Ù%GU—%Ëœg\=«Ìæ(QÐ'“¤8#RÔrÆñ †!§r®/ò¯ô¢!…M+Ÿq*Á–ã"að­@dcqCc›²›B!}¬´õQAq¼}aoŒ–rÈQèxˆ‰¦à®¼9ÐZ1WÂì󛪤gÉFÌȆø˜˜SsŠxº¼ïfx\4FWÙ4¬qe!vâ›m¤: úÚœ?ŒS85ŒVÏÑÒzØkv(Nqó¨Þn6Žºµƒ‚}0!íÇ(ÆXáÐ\<½¦¥RçdÚ41_§ÒH™–Û!)(©9æF‘J{èJÚYê± ´\ŸÄpImîF·`(´bÇ›3àø·´{äãR¢e^¢vYš¸§Òaj’| &6áy¢ß‚´~ÔÊìhœ::dÙCãµ±Ã'œBÓ$Ð@»sÜzlhã€maˆÑä§ 5 „ÓÅtQâ pžæ¦­®§¢±ÀˆâÍ ×;Ž” ÷ 0’Mr æ?dîKµÐ²3ao6>†2$yrÛ«ÒØªû.šC §T(zWÜ;ÌŠëI¸³d¸ÃP.+Ó˜Xšãªš"«´É…ÑùÅé8NÌh²"æÓ¦x¥68ˆC34èiȦ¼2}p*ÚΓít³†Lsöu]ÕÄ‘ûA„Ár£@(}»ëÏЉŒˆ‹BïÛw}ʪ•õ–F¡Ún vieÏ4I ¯†–D ц Œ ùÕ:5Jèâñ)…ÜV‘!ØðMFT<1Ùl’=âE0`¸ôu2í¹’ :b˜k¢rÂN…Yzd*M)'9y­£s’¶¢Ò #Ï6»5ó;ïd\9¿jì‡Ðþ­n *H/EFB–°?’™ÖZ›œ¢# SNa\SÈ7;¾øü4//~­ýº @£š7å–fWÙâÃÄ]&Fâ“2¿),…Bæ(“šþ,KW,Ý=ç„AYãO ÿÖ±R€{X*LŠ-mLOqã¦wõ”·º4…ƒ¥äÄIYÆEþîñó]ão²¶ f,eņÞL?¨Ì˜‹Ù‘H2ƒ.\\Ùµ¸©]ÎÊ®L’Ôm(#á’æ½vK·D(Ù\Xjß\†:[6 8p1 ¼ØWÚ[¹9U¡nœ"ݰÙ#GÆÔq$´&oÔDÄ…HLBˆ@F¯Œ¡w›Múdâ` Ë^æ2¢JÑT*¼ÞgXçOå½ö#3îÿ›Âüoû9ï­½¨lTž¬×Ûk¨‹?‹áîc~ž={‚·žon˜ñgs ÞU·žÀŸ'›[›ÕÿبV«›ÏþÃûµb2êïÿŸ{€‡ö³ æ§xj¦…{…BŸŸl{ç½Ê¸P€3=˜õC¯RYÎç,:‡?ÃáxT~(°Ô‹Eº€…‰á´WÁ¦êÇÇûµ×ÀL÷‹ÀМì5Jð±Þ:Úo¾öåë’÷káÎÚ@¡ÔòÛ£ÚaÃSßß´:ݽƱßh· ÷êTáÎK~m4Å œ÷k{NÖ£tÎq£Þ¬Ôå@ïÜóöÑû<¾)2x&ÃGI¡PëÈåLIXzNð°Ö9ĦåÐÆÄ {m½â­|F¯3ÞÊ—¸G»×Í#ï¸Vÿ±öº±FSÞoÖáA»‹ût¢()5|@âràM€Ë,Þß~„® ct¾„™ì5Û/.`ŸMzÉLGLè ¬B"gø8Œ|7N€yŸàwÌOøÈ]"b!öD…O¬hM¦ðQúeÁÇQxé‹f¨‰ƒu'›œ£žâ…æå¨ú×#0úøñôÜðáÙhð‡ø¨ ö´î4½žôÅ{¤h{½ªèžŽz§]©fÜÓ3îñŒ{bUàkл ¹÷ä"ôô"ôÔ"ðC,$¡§¡§¡§¡—¹½ŒEèéEè©EèéEèyª ^„ž^„ž^„žZ„^¡ÐyÓ88xé­ŸF£õä"…Að÷6Aæî?JzÆ…;÷‹Ä¥ öÖÆT9«VAÞ6V[«×¡f*Y‡ºd–úo?éûÞ}Ÿ½/@à«Üÿ›pío8÷ÿÖÆÆ“o÷ÿ×øYb¿Éu_L½b¯ämÂø×à×S´T}^ÂétíP÷¡èpÂI:PäG•Èo?Œ?²t¼úß4;Þa­Ûhà ~Ú;n·~jî5ö¼Z¾–½·ÍÛiœt¿xG-4¯j׎º¿xŸÛN§±‡-µÚ^óðø ÙØÃ~Af¬u½_Z'm¯õöÈk7;?ÊžÃxˆ9~ÇPÅU0‡s íI’Ht"¥«}r-‚ÂÄcx=ĺì~íMf1p½a™»ñGtc¡Ù)Fç~)˜;(áŒCÌF$¥ÃV#ÍjŠÆ}ÔXLe䇱ŠÐ ïtFBº>çN’afĘ˲¤Xj<-ïtÌnjò2H°)Õ¹ìY×g.N·ÝSÐÀ-±Ì¶pO’+“8úÌÝ:p²ø±r±BqêU& ô=­íù­zí@øPÒïðˆ[ŽcXñ °HƒÆ¤¥·æ¥«k×ràÝD+"ž]ÖÀ2Qü>™öÑiåâ•=päd1Y\ó Ñö»”cÓ÷¹5’”u»ôÜ߯u€j NÝ·Í£­ÍŒú@`z¬"7UÊj‹æÏ?„×>Åã“€ï;7)¦ˆõ£5ð†: ›…þ‘DD£E³¢ãËQüŠÒHJh¶ ¬P ÙMº½ßK¥¬ÄW¤™þÝxµ*ªâЧÎú¨ÌLl»ÆXa4%IŒç `$ˆcŒž8@¿Ó¬ P¨ü8 ˜ðK¢1h+0n!"‡’Ðȃ¬8äUŠCîu›G¿d}Ò¡ìIaÛs6x½·7Æ(æ-U+{Ϲ~ZÜf$òeY6&3%Fa‰9*žÑÖâ"@&3ÏFýJ†&woLúe<Þ˜4ƒc•™±ÔW±Hîéà/¦+F{jÙY•ŒÍ^7dC B@(2B'^UqC+g Bðuý~çäø¸ÕîbdÌÆ{ià‚[mÿ@šA¸ú[{Ã6ò7,»6ävUß—Œca$X97dŽ ÂŠk|ÏaE] gY2/ M¤xp³‰T¹]ŠçkÌ>ËÏf»Bc“û5+΄žï‡ ã8™—£v}•cÇá9Z ÇþðZÞR:*‰†Ñ€i —SRbÓUb1F85›ÂέûÇF–‚BZË–ÅlzxìËÁ ¦(Bžc¶½\W>Mëg#¯1:B «žÒðícÉRÓ%ÆðCN÷·¡ÊÑw ×L<)bm¸f±j 㮥ÙЍ–Œ£b3ˆ+8M•8Òxªƒ(FæÍ SÌ',®ð@OúÊî[ݾ¬ƒATaܼ€Öùô1eŽÅÚëeÁ„%ÊW€”µÕ0”/Ã)Id­_i'³„˜< È'A^>IÒSžvXµvëä3 ŸËŒ÷¢‹CI˜@5T¦SdTPVíÌ1.Êû¨„ý»h¦ ˜v¯ÙƬn²ÿ9­± üâeœ7 ò b<ôRoñ~ Öê¶ÎRÛž ÉÀ¢HQ–J¦­ãAë5 L;‡ Æç(¥MÏŠ+Â~0˜•½ý’Îñ`R <¡ªw äú&kË&ŒnW2¥,"à-UOD¥,¶ÓÁôîe^€˜#QÊ¡%¸ÖHÖ‹,rï·µdz=M2 eÝè À&ö€µPGI†G½×"€gîl6ê"hj”$œîCú ðFÄÂGÅ-ƒ2Rš\^DÀIʦ0}€’§à~RÊ “‰$âÊÇ)º¬(z_âå(Q)ÓTS­M¡Ùa šR8í¡ƒ…+®0ÃfU1Az?½˜%ÌÛBÏÀû Ç!íáyaÐ?Œï£Ét‹á=JŒµBÖZ¤-ÃÁ9#…„—¥L°¹gŽÐÆìªaE „é‰]OÆ(®„J^ŒInåÅ ó/“.¬³WDvèàˆÀŠ…CN(G¹g«¦(YltÓÖãm$×£ÞE<QX1^]|7ˆB¸ o)VÇjŠöMA )¾öŠ 3ÓƒAÓW0lȆJeŠ!¦âÎÈe=Á(ª‰ y$1 MkrOŸ±VB"ÌÝ™i*1/ƒôna­‘È¿—•\`0znNP¬/F*i"ÍÖÉ.= ’ì¿”¡¾5Ü£â³"DÒ"¹9‡Œ:ƒf`µxBâü(wƒÈî8À0Eè1{©Cž¢£¥£Ÿ 2Ä/6§Á(š ˨K!П¡@5%ƒdLòhÀêTWòÒ ñ.>eH97`%ú4:@%ì¶…v™˜^d|I±v'认’ϼF'WQÇɵŽYɈmŽ8s±°? gÊ ª¤Sª©“‘bœ9§©àÙ,é bV”{q `öüÐܳlJ"B’±\»µ9ÇyYæ¹¾ïlÞd©ËW4GRò±Ï@_£Bv@bæÆ ÍìÛ.…¦©³¬¾9>q}.褘¦®Ëaª– ³lK?YÅX„>*ŒÒDžg9(꡸FQ`s)äÒÚ+‹-½ ù'{» )'&@”ÉÜRÙ{r+JmÁþÍiìÏZËg3J zÄqÆÅ¹Žê«Š›Wçw¿s“áZ Ç¿&"··Ø[%°Â§+Ã(¦>¶½RÉô ”M¡Dù&j!Ê wÕdv:Åû+†›5žFa’Õ”PõSæÓ‘æ…˜œ,‰˜ë#¨XþQ§©7!£8ô H†yXÆOÁt<ÄÇ:køÉnŠ.t±â‡V€ŽÅƒ~‹àFà*¶·u¯-säƒnÈÒ ¶TÄZ©@&:"NÎK×>EçM¦2BMFS b^Ýf‚5RJweËRH&ݳ5Ý:¯© 'AÖƒÃèÑ ÅDTk/@£`q`ÉŸ7ÉlŠBàsøžÊgNðm(rœ‰<Ä#Òˆ Y§$ il8j Û+^þÁ™%Âo½äû$`J8,½°OÂè1m¦±dÎZY²f‡#àઠ‚Kä_fS@q“9“A÷k’Lã¿©Í1Yñtp5˜À‹ÅY˜”žâ„ÙPTn†/3w\††Ð8 #=Aq¸úã! )\-͘¬H„A‹à6¥HÅÏðKtT©NVI6m>Õ É.Õ<³ ÆERõY‰™°½ ÏJ6„vuÉ‚ÁÒú M>™'ŠÖRäðAûŽ)ygÚôáLjAMÐÓ¼Mœzá¡Èþ\âK^ebq(ÉŽâ¡.’û½€S‚# ìþ1ê£S¾˜¢Ú^¥@­Dœ“q-¡-Ë­³AâÃQH+8ðìï;–BÔ´YV%ö‰ 1˜þÁ8è[lß&ì?EGš¡hnFôéˆg`<±ëL¨2ý®­8€x@›î"h¦û O¦Þjéádí•«µsô­¬]ûÝ{•i™ÄjOŒ„û“w$‡ Ôiü:ëeè›—Ÿˆ«"´È£ÅS™7=S·xc›Z™0K¶0ß꜈#‹£]㣠èhâq¼DŽNΪ,OYÞȧ ßT¤ßþêRúàÏÒ«ªå\lvš…Záìö3` Ï“òFªL”¬7ZÕ» «S(ð¿Çþ?„õ\ÿÛLãŸ?šçÿGæòÒþÿÉæ³ÿبnl>{þÞÓoöÿ_{ÿ§([õñóóþXìÿ ÿ9þ›Ožóÿø:þŸ¦I|4F‹ø<+y©±{òZÑé')süs2»7¿û§AïÜô¤¢#¦€ÍGè¢`EzQOW¯v²Ÿ_ïn0ïx<}WÝx¿“n¸ø¥H7%ß_é2"ÆâQãmÑyIwWzuŸï5ŽZ‡^õ™jËb[˜þʯ™¥È”K—É@iºA&c ˆÏK=oïm«½‡0†Ö2\êà“ˆy¢Rûnˆ®a·0uË9Ňé hæ,±†×beŠŠâY º‚­º££k«R츑Úl'$ 1ªï³v/BШðÀÜ™Ô7w5¿Ÿ5vÿʈ‡îž¤3¬‰©¤A“Ógmžâà ÔRréΈÛaHö¡ x˜[€+“4 ÌÛ«#}Ê5vt=ØJ–+]JŠÐeýݽ}vk¡È^ä«¶í=HÐ(ØX¯l³@DFb§%Ç’…¤›™yöD zÅ/2nëožÆ=ÓÁƒ{õhï A[)ñ©ÝFfH:8uÚZv‘÷vCo/Ÿ_µ½ôî¡jËY$lÏ–}Ú~÷—Y(v˜ §A2mЂÝbÓëƒq¾!G=Þë{–® íéóÑ’>;Ž8.Kj„÷¢º¥dˆVÁ/äW묚çôléýŽ jó÷:Œ°%¯J3#²šâGk ›äa Š?`!ŠôZHò“RÍR·š§%u4ôÉ`lîáØXt¨ÛˆœÃíÙ°Ü ¨.P:HPvž;9ÀñÛNƒ€Œ‡±²½ V÷ä)úweÛÊ÷A_ñ'EøÌ€eÏ-“>4 ãò"2%zd{–+oÈ ûɇ3I„Ӧ⠳YÛÿ Fß~–ÖÿÃoSŠÒû¿]þ·ñtãiÕ•ÿ=}²ùMþ÷ï‹ÿX}î5?#ï0ˆúÁðË·¸ŽÿÿÆuÄ$ìÑ(¢TNøZ¢9/!=5DÀªY¹ë±Áݽ·ä‹vC=ÌIÆÙM8Ý®f…¢dìò"$¯1éÛ"† .µ$êaÀ¤g‰D´æ)¸L ¦È›3ź¦ùæîIó Û<Ö%ﯿ̷‚†.™>Å–Ì' «—’Vkab·æ³{A1Äâ*¬|ÒL<É$ÌjTM²+3ÌÕ3Àu¶â݃î‰2÷ýƒæQ(î£1"°Öªê1"6-"èBS¢EHuK:Ÿ«U”DêɈò±ÖØzK.’è× ™QS×ÃÆ«ÏÓ±L=ßU# üå=òÒá•Z~·Ãüƒ%™ð‰]ÀZÍ6Ú†ÈE¯5Î*£ÅâÃ?(È7R?hÔÚzËêFר Ϩ=,ãz¿çxƒ¥Wa4žø˜Ê¬ Ú”OŠ¥ùë§¶¨1õ²ø°G€íX¦=ÚT=ý Ú)C#ß©ùëîzÜþw ÚÇÑ8ûl Ù|_|xÅ£ÞÊ Èá‚£ESP޹%ª¥¬î­"ÐÙ{²©Ç°T¢RqíɧÒ{út‰šU5×ÍE„¡›ãAô2˜ø€qà I/æ]}fa`õ Í*cTWófš×1·¹5·Í'jVv—Õ´‡€CÁôL—!ú¼uÇ€SÅA>{–;çg –ÀßYkxg=æ•È\?îÅd×ÜPs.Î.HÉC:$¾Ë=f´K=~c•þ7ð@¹R ÿ4õ.¾ Ø"ûÍçnþŸ­Íçßì?þü_õ[èÿo,¢` i›™ £ çÓNäSY9ôHIÆujŠw*ýΨÑɃ3ŠùBï‘}]‡=D*·Å«óÌø;ÅÚG¾pO„)ò³3#†’h§×“ŒÈChÃ2'7y×|Õ1(¯ßýå¸Qöœ±iL82¼/piÝMX¨¤à{#v1|+–T˜J®\,éå†×ÿM˜IÒ©JÌgæ<–îpa”³ÄqQW?„á„‚ í˜úÚh·W)]G~Ĉ’ÒÃ#ÄìÖê?ªr2«’°Ÿ€G2â|lex@¯’/Éj Ÿòô‹ª«ü.­½Š˜B”LOf íXT/sKKiÊ„*Fû½Á˜jœá¨ÈcrgÀJЇzyydǪü(¼¤¹ 3ƒ ©¯‹Áoáw(¢wṜ¡¢PZÛ––j¥½iäV8C,Whd ©€,íÆëfn¿yÄœ;&Nkµ÷í"íPöÜ—þ1IjÇi$;Á^íiW³¦mì®±o}3‘áÚ£V¥|ÛX€8p%ƹùéÛã4'z¥•rkU+$µÜÖ Eû|_¥»šQmoYM룈ÓEÔôUáÕ5וeñ ZøF•ìˆU?êzÅ'«@–ò¯’zÿc£qL¯Y¸µ)Þ«“K¢+:¾«tZ0Ï»­÷ò¨®¨ÀÓ Fêæ -xëˆTrâÍhl—§ã¬x<ü¨¨W&îhøÑI!?Ò˜ÊüÇbà3ñ1.vúô3¢ âx'ÓNEMÁ¸G…;±‰ ÑNðÙÇwÕ÷°ókká`²Rròº¤`$u6VN’à×@²¤.îþxF‘_pã*;Fœ~¶æF±4ª¶y†"^½i.Þ}C†.³ºw›‡â´YÊŠÓOÃvȾ¼ g† ¸âPXÀÔÎÙ×—Ü´wÿšD¯G–!‰ã®³Ìºèyï;÷'Nò°C/ý½æþ>”€uk–V«áÚ–»Dés ë@˜ÓX4Ìuîägz°¹‘F¬nVžœáŸsúE¸GßCôé}&±¡ûX/2p”ÔÀ˜áÿu]Ä„kÓÜhဒ<ë Ô,©ß•£õšð⛯êבÿ]~“/â :_þ·µñìù¦#ÿ{ò|ã[þï§üï…wRüÜZÅ;ÁEÁà›|ïÿkEva>â/)t±ÄTš²žEª$‘Øx4­Qpd\N„7ÆlâñxJÂ4NÇ–±:àvenîÈ%ƒ“,/s4ýß¿7üä>Iéq¤e|•`®ê […)‘·Hšá?˜rŸóRt/2\ —½lÄÅæ&R(IzQ„­”Z™]óØ™q¶ÈͯªŸQ‹ÂùËue& %Ò;rE¹±Ê£¼vÜôÛÍŸÌÅ1‹Ïæ"QO¾ß› f þáO›¼•ú ÙÎKÂÔl Óh9,kOwr¼ÁI­Ò°ån/°¥‚¸: ø¢ÎqëØ'—ðMÃþð¤ è—åOù¶ñÖÕVhqÅëvë­Ð~œãJÂ1ªÉŽ‘Ò‘!ÑÀA˜‰³ c;}©Ø]ešÓ»`ãXhĽ²Œ¿>G,sSeƒ^O2¹¢ (Ò ut.Eé,«Ó)ºL1_w‹[ 2wYT±å­Ò·Ç’\sWK0ॺ]÷¶œ PØTAØV3ø—³Lç8CÇšybŽóÛ@S ýúa‰b:SëŽ$ÃBà?µ_D0ê‘/#´ •FV…UŒÌŠ$ûõï]é24"ï ÆFße Ì÷¦;£€Ìì… !!¼ý¨L P¾c‚ŽLæ‹ËÏ*eË ut”9M„œ”Lå:¾ætu7R5¦M(:+±z9,ëQ\å|GIÃÛŒ‰š}x9\{Å‹u' kÁJ®jmC:HYþ•|G_wħ ½ÐÂåS±±ñõß4%Ùòò³2Ý—QÂ#>7vO:¿‘‰]›ÙíßK…vÓòc¿–¶¼ÅXY Tf£¿ieEÃ_ \«›ºa4㥠ԧÑTë…Ñ‹HÂê5¾0œ¯ðÌíèVåZ¡¡gÖB9gžhü]FDué‹«gQœLEŒ7Fòøö˜·Ÿħ·c'ˆ`ùq¡5^*ˆ0×½Ä Æã‚F°b?r¼µrŒ£»¼'IE+äK Œyî±+ÂP´§øM¢º÷XÎBC¸@F°&Vñyböì\èÅ·—ôgí"uy¢Äú¾R‚:ªï=«CÁB~>6ÒOÿÔ¨øÇ- Üí¢ªU2ƒ]„CÔ|‰ŽËž½(Žú Cƒ\»Ï Wøp VöŒ;]ÎGk¤Î±H&càcFäIOEžù!'ßA¡nŸv7‘**›^ª SÒËHý˜MQeOãY±9nOQWãÁµÓL0oàd¦½bþó>gT¯ÌÏ»`,e‘5jîÕr–=õÎ~žÞF9yáÂêé qƒJ`§“ë/Ñi^—;¦þ!Dééìôt|ZÿpNß©d™R–GG»–ãštSúFÒ¶Íßkvêµæ¡/°nJY·OîÔ˜5Oü˺Œ°«Î’`½ÈpÍÕúx®¦/«„ØëŸ²§ËÄ ÛáfXÉG/£žcy¡ˆìÇÖ^ÜÆþë™ô­­æ¨ä€èñjÆðàöñþÊá7wÄŒ„1‰\:ÕÊcqÆDŠ¢£˜’a?³`É¡Ãôûf¦>•bb¬±@ª¶Ýˆy;e,ƒz,¿Ðør¯\1«ùx÷Ms¯¡°®¨áôEY?Ô%QÈ Lk •(“6”iÁ–`<®½f»ûK‘Ú({VÑ܃–wȈ2äIs˜<\5¬’:\jßs—ÓaÒ#ýXS"Tƒà^Hbl6Ѥ”~MOô‘0\5¯<1:á·ˆEæœ)qÁÚ¤¬HƒyØÌ4X‹Dò'‹Y8B ƒ]¿žÕZ•D½ÿR{”3L9)vQôQæÐeû*‹^0@ºùÚfê”YZzíT@.“£d Db‘Ô:—¢3ÉD5p—Ñâaݦy'Ãàú-·¹W<#ô^A…H_Es¯¡”3MU F„µJ”ACQ 99WíÜ™r{Ÿ1Snà Í”a M²‚RÐ\+–7!!Ó¹Z£Îp"·™&ðþzéžÌ‡Y˜Ëp(®áa‘0Xiç`Pöò¬r|Æ}ª£ýeRÒSµ™ô瓾$Ÿ¢Æ›uef±(fC¡º{I#+¤,@5&Ìäg,”À‡Þržu§2 k¯÷Ü{ÕŠj’º“D-4ïqDge—Ñ-»ò¶ùô_¦Ø-ïfÌ#’˜ÚÒÒå°”eL’a½™gˆARÖRy‚TИbÌàD MFë[Îʪ£Î¤¹ûÞKK´iñ‹$bÑNv °ÅÏÂ-{Ëå8¬]WÇÞJγ,*¹‘’§â$ˆbÿ¢—„èl¡´˜µ&&é}ݬ³2³úŒr rNbÄŒáUb7¨apõJD‡‰>è1 2Œ£‡ÏÈC£ ¿‘Ö4øô.«ìNêS©ÄeS¿ïœ“L 7…H¤d6”"9ÑS€u\1ZÛý¥Ûè¬8ƒäU#Ü•š–;P óÐÓépÂI{3ú⊄'Ö¿ %ؘSÀ³k\åp'^Ø>Jì¥,ëÅ::¦ÇecšÈR%-¼ÁÞ+0:â´Îü„èz±ò‚£¥´jecË.ü”t#b; ¥ç/6QÝ]ü€ýj‘ï¶‘ÅW}|Õw_Ø^þ’)´ÕpqAõY§wœ©,{v#@á Ü Ö–wN¨:'ÊëÅÓ¦úötÒ2Ä ÝÅ«ãH°RäÈ!%å6ö.c”Ë!Šy0Áì±"Ò§$/&¬ožK©àø&ˆÉcבGMç1\@TB/ýŽU·¿°n?·®, ÈÏs&_—Å…B]θ$¤FLJzœs`,ŠúH³²¿÷ã%:!1yé‚~S¸ä–URQn­³DWý`8)l¸ƒã¿:©¦Ÿ'ï¤QÉ{kÀ gÀ×R¦Z’X·Žâ4š&Ê.[{ ¦Hï^½ò¶Ð`[@@¸t0£2°·W¦íÊÞSX-Åw™ngôykÛã§ïÓ>eâùKñA-¯CçšÎ]ôùɧ5ÞÏm\ydM6DeÈnlŒ(R]\Du-ïÜú‰ÖhJÎ-dWÏ*¬—‰ÊmÌ+Óç2ºScÒàm™='Ó—Ô¶O@pÏKþ”«ÙÑåc²`GIÏÎ"ºkAt_i°/T€¨¯!mK4Ž¥©ARDÓabàŒzh@n-ÂÀ Ħ{=:í§½Ý‚‘£tŒfÁÀÿØ?%EÐeا藖éšvÉšã%r_Çá9Ì=ä‹¿%“AÐ )y¹eqwÔ‚VëíÆaã¨[;((­¥åŠF½˜ê"¸ËWÈ´%xCk'™ÝB §zTt)u·Žâ2 æB4‚ßÒʸ€Þ_°L”Ϧã4Ž^wß,PPÞƒ O!kW×ËüI¯Õu¹grS”ÖÇtßEsxå””v~ÇU™tXh Fûd‹GY‰E·š”l•dœ]K@u8ø|‡ÕtRÙsT&¹paÔã<Æ63Ò5›ÃÙæ…ŽŸâVFZUÒ¥ÍE:šo~l'zí?yÎfçϤÇלâÂ)=û.K.`\Ù"hpš‡¬Á’¡TzÍ<Òœm6óØÆ ? Á#=eÉ/}Fa¢ÜÎFåeQÒ:™²û”zI=•=æ6fˆ±Ë™ïxp Fƒ©'2;þ›2õeÄM*Áð‹»ÆÌ‰ÿ³ù|Ëõÿ©>{ö-ÿÛWù¹Gò ¹ôÜ»…GvûÉþ<÷¾œ;Ͻ/èÍsï‹9óÜûD_¨X‡0•AtJqXýƒ½Úޯ׀ã»Â¬)Ü ®“ûÅÑçÄÎéyÏ"|§¯¦ã‰:‹ý>ÜãëT¢2ãîûÅÆÏÝvÍ'jö ¹‹Tñs¹÷óö†EPªT`& ìu»vh”(ð¿€Rot„Ï.c¤JO¾åéà õJ¸ð$a•{ŒùÍÞŒ¯Qj¯qÜ8ÚkÕ›ÔaÞtÙ yºh>²LA~HÍ _ÏJ]({jºëaÔïcvùëRý15~½eõO©Au¯ Ô§TçfŽQ£Ø¢þ/fç g/Ëä‡TçøBö­ -êÈ"²Å[Ô½Y®`~I Ã| #±Ê.Ü;cbádávØE Î÷ôÖØïqœuÔ®b…µ½N·ÖmÖÛ­V·gk3UTÏc‚q1‡ƒZÌÄiº øÆ«è(õfS¾krÐ…ÆÛµ6žs<¡ŸÒRv%œÎœUDÅÞœª0¬¬ÍžSaOmÀh¼F~ft¯­Å“n‡õјÜ6ç´°,ÒËYŠO›ðæ­g¬k̹yý,¹Ppw4Žj» ¿ó¦Ö2&ŒÏY)!‚–l'6}d)Ùö¢Ãª Ô§ômˆo$ÖÐŲQ†—¼ÙQ`çŽË.Zp¾gÞØV KÚ!‰ ¤Î/”X÷‹‰Ýowéà6Ÿ9·Ô½nÌŒ¸Øe.j»dÁþšžsÝæÝíÔø´‘¢º|¹‘Ê’ûkÎHåk5NUþ¶ãTYgX²p´Yå YÓˆ$•~8»Þmg€²Ñ$DqX_KÉî‚YäÕ)ä½HÍ&£ L(·ú’“Ò§º~|pÒÁαîM& Ï3”)ÈÙ'^Tz=짆)ýúñ1žP]KŽît,;N ¼þóÏ‚èFPªáO¬ ÷î!MdP Fg÷îyÍëZÆg‚¾â –Ï#ü]æÎ+òWÒx2ÏàBõëa3ýp‚éšF½kŸø©`*™@hØýYÄtú&qf¼ø 1ÍIk: •¼x[ Ö·Ô¶[oRíÒ Y¯¬â¹XÆT(äôRs¡’ûkþlD(k·ü"2;3ÎRÃ3+2ŸæÖŽ»“S{ù­È¨–¿%*YI{6R™õ˜Wö¦pY¥÷>_ëÇÑÇ0.m*ÇoZG¿l³ú}M”Y3ÊrßlãPpÁK…;•uWTÒLwñÿÖÖó'ßðÿ×øù¤Ü*8[* œùÌ Ž…Ž1-ñÖö¸ÙFþÞ«R·Â²qÿ(~Xñ®‘ÀQ¹‰;­ƒZ»ÙQ ¥PÁ(åû# ý?†~o…£©ï—(œj½ócóXÔÿ±ñ ÉJ"ž`óçÃÆ¶‡þy¬§¦«®ˆÎ.LøŽÈ{4¾¤ "e3Æa@d,&-åÑ'•ReNñšÅ8Œ/a0€zõYà×lÔ$¥§Pù Í®Ê^ýúü2²šÂûz/ˆ/£91ü] Ø½Œé»Áý²ŠdÞæ*™…l¤±¦äf÷²¢¤Aµ„îG;f¼Egïyud•ñ¨'}Ãð#Fê÷ù­£zƒ( ïfGCôæÔMÕÜQkÄÆ¨0EÚ‹«Ä"²E l’IØ‹Îàâ†fóì줹¹ë “í¶÷NŽ‹+7ã2úRú+%ëf¦Ä%ʦÜò|™¦ü*š5h,êT$À÷>°Ë媗œÊ¸5žšîv&lR©Œ‡×¢Yhë”­»´u­r­A +¨–ìH““„MA’ÙdÏ14©p5AˆÙÔŽ’é¥2‘ôÚqlK8ÒÙ`ªå{óaPLøCÄY~›ïØ?²á¾è‰U vÈÅ wB…+”ŒÔáw·áï5ºµú›Æží¶‘²Ôëòúi $Ž­cìN§˜¹üŒ0þH噋̛”2 ,{b ª†e¡íVF3T^e´’ܦ¶©ñÎI½ÞètJÒŒx6Ê‚ &¡5tJÿVÃØ÷¶À |6ÈÊ£ñQiÒát à-f:@³áÔ3 >„ämfâ-Ï«ÐâC<§Î(¸™{éè®nÔÔ­ „ÐÑlxŠÑéXafj+1ƒ.䊾*ËcØï¦Ñë­ʰ5ñ*—§eµ–ýh¾Ùlôø±-ÎL<ÉH—fYù`F´Ó ÷a2% ¥ø=´ån·Ú]‘ÏËàûìw"ë–êîüû•PÆ)fƒº^IFž™ú<Ã^yŒ‘ݧ«"-vêùµhN?ǾÞU7(á7§]Áb8¾èó ñV°Ä Pêq„U¼ÓÙÔ äûŠ”W õ˜¦ÇðlžH®t…n¡Â Œã%‚îˆFph‘~:ó*§IRš›\/sðþè5þbª„攪žÿŽ"ßéÕÞá´xÓp¤Bˆ’È}fìgª#rËþð>£ç\WU…R”'ÅœÈÛ¶L?ª"Ѐ“p¹+ŽÙFY>©•ÍT3"×]4õõ2Šœu4¤3×k2›à«A$ûìÞÙlÄ»ÎÒCóO‚¦§1ÿbøöêšRÒ1šWà(d>º)O Ï µ ÍBXªÜˆÀ3;{©Ò%˜›VÊ‹î$Vò7#hŒíHÜüòkÍ£|ŽÁ]ü¯¥)³Cëäjz•}ž É ¬­Uº‚TÛ”:]ÀM7 òÕ“M7z„×’´‘43] uÚo¬NûÍûÞ{´-­n#‚TÆOå ©ìd„70ý¼4PÔ™´Ó¸ið›«é“{_bg!#T7s“Œ¯¦Žt~ J 37µ`zÛô “¦Í¯ŸZM3%GæÊåìM:„ï™gì,‡ÛkgEOy¤L|2¤»c`1kÕt&ô,uÞ7Rù…ý§öüûZöÿ›ÏŸoºöŸ›[O¾åÿþJú¿/øS°óˆW¿ûî :ü ”ì•WÇ“qˆ¬ÏµÁÀ£’˜D: ãa¿R(|!õâòqˆ ŸªW”JÅÂç*?W£XÅÏP'Luâ'ê¿(fIpn+¿)a#µ6>[‹€÷# J\Ì ™’{/æ/Bb ‡*m)½úãÇŠ^2zz­×êôº€þËW$㘌M¥•í)oÅóÂPN©€c(]0›Âb&ÈkA‰‚¸ýÇ1€T –º7ÑwX$7càŒ9àW7Ê8×Ëc4¡26(œ…—Þ0ͦ<) µîÐþ\èOÓÒÎ$Ó¾{Ò<سô°{­#$ÆëþÛæÑ^ëm3Ù¼[naâ=WAÁÑF¥‡O ÁZ·Õ6YÏ‘–pgh ,iƬ¨ã)A°´¶¨æSÝC p S¼aŒG3©({hÕ6F •í[ËãÍW~Frs+‰¹¼œ8L´cBЊI“ÀT*¢Ù°³‰zÍÈrR˜Ø Ç=A™Å`|ÎÞíš'ÜãI%nG~c$Íм]–xËJi/¹†#5ôLNUd|®اÆé`¬PÎÑLxf4…ùWÒìåb¡œü÷èÚM…ùQíOÓA³ÞÕ !¬ÂªcŽÿNjÍý_а¯ë%¨ûl<&³ì7Kyfm¬šŸ†Ü =+¹çd"÷ ÉH7Ž’†Ï÷÷› ß÷VŒôã+Þ=pÒMdGl’¡œ=+ç7YzU|xcÉÿH 78,X³ËZè¢Øb0KðŸ÷ê%™%mlX Ûúñ1Åú-¹'ÈlNéÍ¥ªi^YT³'Ók>íÄ÷°®^Íûs2;…·¥j³6B3s¾"¤`ÁŠÈ"æ¥;©Y°Q‹Ï½Ò¶ÅGïÏr2ÍrfRJ½ÃʸÀލÅÓ\TÿU+ªÙT…vb»ÛO§ó^©,ßÀD=w¦Þm¦¹ËÃÿ çSþ͘ ãn1g^}`Þ)Ǭœ–iy²'^rû°f#ªæKxcWÆÒò5­>ØÝÞ6ªl‰KXb¿ë·›¯ßt‹A|îÊhPâÇòd™Ç©î­ ÌTYçÂøÃëØz[¯á Èæ3¦²^z±ùPg'#÷ËÉ4."’tζؓ¬´‡Tz']–Ð?ÅúFR¸8X¢Œ=…ñùFZ=Ð|Œ†=šMn pL‹ŠÊDÌJhÎÓÈ$ØgZ4…›<Ô๾NþWÜÐõ‰×¿CèwHÒ’u`DƳî0A3&„[m,‰Eït<½-ÌÐ=‹h›èÌ¥ëAëÑù£¤{ã Òyð .1$2‚˜Ò¥BÝÉ„D3²5!™­°–VÜÞõ‡0Qxrz•i~ ð™þÒ÷³iq>ˆ7\¹•ó^Éô‡ S@½ŠmžM1‡N…ÚR¹*x<ÕD^ZC³»£[úîKïaÏ–M‰Òxw²^PŸö”—Á¬í‡Iu‹{-£‡K Ý”žup˜¦ÝC›oø  ëp îCUmÝ :¼œC¨íåÒ£Ù8' ëuìÿdR¤o«œ’?’ŠÚlioÕC›VOªÃü^L¿ß[}U4³b.ÀJM­½"*X=ã.—9‘_ì1·‚K m{ihÛˇ¶Æbºê¶ÔP+(ó<½öö5À4Š @῜rë>åœÊõh¤×£‘¿ûj=iþlÑ´¢÷È3Ô}ŠÔ'@åÓh½×볟³>ûzÅ:ü×~Æ2¹…n°ûÄî/²vS›P^6çˆ?ÚÀÝðÂÐÞŸ³—ûl(ƒ÷ånîëíÜ7·s_î§Lð»%ç³( %N™(,"è¬ÿÒ'Þ›ìÏÝUï˜uYS¶¹u…‡1´aMC„Iò„Æž¿×8htÅIšÍùc1CPß? ÏP:¬õ"FöÅ+̱ç“X .Ï¢Á' ÂwÂÉ™àîUœ‚ˆ>Ž?ÐpЬºˆ‰0³»Î0§Óíz×oMhw£MUþFÄÙ(¦\,ûsÿ°yôúíÖ&ÎÈpËè˜ÀÃK4Ü&µÛþ¥$ >jÇMú޲ÃC´ñÞ4:ݴöE ±v”WÉzƒÖ.ø4ÏÏöà¸Óm{½aŸmsÐÂeØï\Œ/19RÁ3’ÙsÞÓô R)ÌÁÇwÞ–÷^ùmdÈ¡¹4'Õ¢‚Їb.©|ÜäÓ;ì³qµi3 †PÝáÁ868Ãæ‚ÆÆ6XÚ4Ý ï8ˆ“P蕆CÀkk$ÊRuÏ;ÖÐ aŠÚ$|<cªiaë‚T‡ÙšJJj ̳cÄZ €Œ¼NÐjf<&ªb óép›~L­šaÁÇ  R.hÍNQpTJ7EzÐ…¿Ï¢ÁùëéxÛlH9y-pÞASáÅ„Õô~À=Ç eoÅûuŠÑ1Ì|unvo(lSÞVë”#×xé4¤ÉcÚÑ`y§ýºñhÛ¶7Š»V…à?8.ºÎô‘Í«æö†­`”žü ÍÀªmê2"§éjññcêKÌ/gb/yb€"Ô×ÛMÌ\C»Õ¢XQ±Àó˜YêÛ™½¶¹ŒÓ}X«·:9‘šJF©ƒÿŽÌ&W¤ÊrÀ«º±r³ƒyôZ¯?I¹x| 9{î¢êA¹Âе¶#Ÿ 0θ_Z7¿á‘ßQj-5<…ÂÊ&êzO—à=•ÀpA4½jig^`Áfögä†*Ö,ñ3,ìw¨ À²Ò.N|h"MËÆÏ›“¼pnúB çÙšj’/-PY5¢8){#k9ZMrbõŠƒn+Íæ÷ðôU±TBcç¸|4–ßá£SÙ‡1ÃíïÏÎüIpÎiŒÍ2Ö¨õÕ«É)ŠKJël Ì[MµF /]~Œ9‘ÙìjIŽn{[Õ ÷_jã¨êæw·XC¼$pÐsh´fS¼ÓX4|×6ž#-ÖVÊÒ/''=vUö®Tñ+¦+ÒàG§›¶ˆDÿ»‘X™R½õS£Ýõ÷jÝÚþAëmV8â»®ú/±ï-ï,b—1¦€ ¦;*gCT‹T7VÍeÀqU7,&M± Ó-üAâ³}Û™ºÇÎ4ˆI£†$]Ÿ¸E! É90½`+àj ñn’@Â'Š=‰Ú*VS’Зá#´Ê!ƒI4ÃCÜ¢ÍYFF4É”L4Pñ„ÍÛðQZmQ}²±SØöª‡ò‰n'æ\Øœ5èŠÉJ2.AòVycÃ{¿“zwšñε6­RœÐÈ%3Ù—ÓnÆ•ò)x á¦׀è2Ä`€ë£÷¥Rœj»vµÓ¬jÁÚ+a˜â9Ëb0L¡Ñéøé°Üm[$Ô8lµ1^:{ Ó[­-Çu¨u‚Ñú!üÚ¦åDÿ0f¾’œ1RI7¡á$QýlÚ„ÑÑioŒÎýxjzͱ}"ª²gIº¡^0KˆB¡Ô#à½$¼¾Žr³R% J$¼ \ðѤo>„ aîÔÚˆåOÔâÓ”:IŸrþ–³4'SG]™Aƒm5’}ó×…‚Ú˜þ^úѾztSXšÇ@Ÿ#—ÎW²W¯¸ù"Æ+fá]zXE &“0ˆé¾!¹A2ëõˆó®uìY>ab³nå«ãøÔq­"Ì;½š~ü[Õg®ÿÇó'ßâ¿}•Ÿ{”3ø³¼62x† t¢AÔŒû:&Q/¹Eý¤ ãóYâ½A;ú8Y¾̰¶¹<+4ò&¼L6];"<ž©Ž¨{tÛÖ¿+ö·„ØGBlXÖÐ"pCQ4–fë¨S\Û£xq]ïà $RfOP€MbNy$$ДÎ$†Ý}4²¬Ö+…F ¢l^d&ÝÁ”`Çv·Ùè l'¤F’q”þ¨‹zµ£×'µ× ¯þóÏ%tãçFý¤‹àŠœ‹íÕE¥B·ÖƘQÍ£}•ÞV¼DN‰BqkMÒEªm¯Þ:Ä[|Mw'³nyF¶ä¼þTÙìÕkÙ§|îUfc2W,¯WU6»WõZö*¤{ÕyÃ<™ü(¯S£hv·FÙ±~”îÚÌMæÙ¡ó†`UÉ„UDÃ|˜ˆÊ…晹¹óÆ Kg@¿—½«'¥onÄÿ½ý_ƒþ«>ÝÜxâÆÿ©>ÿÿçßÿ·'âÿÞžvú;#õÁßb«Á*Lp—k¡iC•Á® ,V FâwËl‡=)ò”Qn%ºÔ8$4ÄA’Ø<É4QަÐ7I~rž7Âïü¸¸y.©i/Zγ}wüÞˆÁ»¤mFTcÛ›V¢k3 ±Œ#‹ÒowÈqÕ¬ˆ!|ªª Äcøç‰d#†{ª½c¶„™ãȇÀu<”±šò¼á ·ªUÓ%ÏãU†´‹$~+–D´DÕKɈ†L«ÃÛò– -_É”«äÙŒë5ÄãÙÔrzJ)Sž”Ùž“ÒG2í"¹V5íïÈ®#†¿‹PË ›¯õÊÒpŽ8\’2Æ'kk®ïÁª ½DŽ:=[½È'‰¬)AÇ3–¤Ž/)S¦˜™„ö(+`â÷{S1leî­öúr¼FRÁsª’3jPtU…™)Oÿ°Þ?ÕÂ÷*ö•FsX™Q—îõU¼PÝ4ÎXTªz߯åVæÝ(êÑáò`१ÏxSÈ›ÆÈ'CÊw½*F„+e:Ë®U:Û’Bv~o0&ñçY"³Ù‹[V‘æ#t¥@¨’he|!rŸà=Tõ£]K*Ê4a›Rå"“FZ«•½‡g¦ŽR%¥Ã°~‚‰E†™E¶· ïÄ„ÂÂÚƒ³l9HÖDn‘SRLƒ®D$!¶sz= óˆšQì'°`øwª£ŠçÚLÌçQï]õÙ{½S¤¬NfCœš€Û,¶¿÷coЀáÛÏ_¨$µƒ]9®5Ûþaíu³îïþ|ÙŠ0ÁŽ E» â(Ãõ†“âdíµT6ZUÁÄäË'Çá©wLI+œ½P@ƚŀœR:)«ÔããǵW0û{?.åêpõÑjRˆOAúÕ]î •uª=É)ÚOí«¢rK`²Ï_lê0Í¢AýþñKŸÁ/ë<ÈÒýŒÒýTi=´‰~E¼â³4!¢h‹­õÑ0 š*ì'‘„:Ve@¾8œf'òÖËgÚ•Še’à¼0üòŸQxYÔǾlyò­P¤™·Ãêï‡\“M¤'oýZ·uجç4T2ReI+hhúËXË1 ‡æÖ^kƒèJ±\Æ ÏºìÀyŒdÑ\]C¹WÐ3¢“,l’:s™yceNGU„<¹^!g%< LŠZ?xÖCû÷½ê㫾ûÊgu%Qv2ãMF;O¯‹ÊË£¥ì@xêwn6ëÒÃþïÛâþ›(jÏ&-L¢—º0=±èkã2QÞíÑÞíQß²èÏl]°J¼M› ÀEæq§ÁµX…ú±Ae'ÄI%AôRiŸ™œåœ:³Eù«©P8Ç­c¿Óügƒ¬gÈI~E¡~D¹Ã“.fã¬u½â&KðÖeÉ’ˆÇ(,ìµ6dÇʬÝz ÌÝaÚÓÅ×ѤM$^E†@À%º«JÐ2èw uãÉ;9÷;ÖE5¶|•XÀµÒCHGE?ôp—ð û2øÀËãjk¦_SüÁ{ Hc«d6ÛCoÊmþ»µ2 ÃYMß§ üø9‚}p1Ã7„:¨ŠŽž|NGý%:Ú´;ШËž¤–ò}yAâÇìZ¥åbTíäåäœiÍëÍâî2³#3S„&ë,9¹.ÞÉ·ï-ÎTõÅþ'œÏ…D³ä¨ÖC+_R,Yäw¶7É'û“(Ë¥hš&?–ð7ùB'_,µR:›â‡’ˆ§±…ªWÜÉlèIÆÈzgM&å'`ÍÀ0@q¥RÝDïU¶h¾lÊcäAÝ…¢„}Ζ‚9ŽH%tDnö$È>†Z!¥TÁ޲DÕ”âæsW€³ÂêéÖ”)_Ì—œð³ï2flfê0r2š.‚ºæÄ ï¥i®o¡¥ÿ{é ƒ¯ÿyãÉÖ“”ýßÖÖÓoú߯Ÿÿ%¥õDÃhšÌÉ)UHÍ×Gèõö¶Ö> -È­eÕp3õÑnZ2Ü›þîŠÊGQäè·¤‘H[ ˜&4$× •õ‘Ô}Þiwy ÕÔDrs^ hbôâ±Ôr£)šDÂÆŒŸ®*4“Ó˜ÏÈczXû¹yxrè¿iԘβ*§Þ"Cá­ÂïÍ'âݱ™£Ëg6²îmnHQW = .ÑCbÀ `DºéàtOàeC óBéŸËÈ>2§ðýCE.5Õ½¦¯õ#¹¾É8Ë›5iF2šhsØVÓ+˜zVSÑTäç›`&ÖÞ¨¥ëÊmw!½ÚÕˆ€„ךW@˜Ò¬ ¦Rón…1€Û4– ™àê̦vÒE¢í5{ø\EC`°…¾›¦¥¤xϰ$˜j ;ÀĘl·Él EÊäØû¢wåÓ!Ñ™<º†Ž€í·#šæ¤h*;- 7Ü¥ ßµ8ü}F’¸{0Ö•š£' frj›%3tnĶ€¤zLŠ c^¤ !KK ºÑ ažx£ðzAÓýUá¢UÁœuŒ9^sè>ßçˆÀeÊžtJ:‘G„5 "žýÀ)sËÈžè!k¿ÖÔOgçç”ѰwÖÛ0+ÅWN®#2M´LÉ3R #ð±ÆhŸÎéʘÞ1L9;‰ëü<}ˆ”ÈH1,ÎA.t꣊ii楢‰fÄ ý÷$ò!ÈãQá Ä`<#YžúvópE£½Û¢µ®a@"Ê6›x¢ˆ~Iqø¹:Usä3*A¦h_ŽtvÞ QDÛCygâÅ^­5%7#ç.éžÌ:"ö˜š¡›ÆÑOä½*ÞëF¥n+\œy^$aEŠ¢¼å¦˜ÊÁ“*®%v:Ž&s÷¥_q%{#VÔec©RÕˆÂvj ™ßÁR W­L(Nú \„»Ù¶®gÀžö¥<½X‡g~÷¢wBN5–ùZ¾ÑW&‹¦„ºÎ¼Òó—{ƒ!“MÇêXÛÁ˜xÍ4ÐIm)b)¼TßÀq%D~÷¦hÔŒë¯ÓYL$¯ƒày¹'À¸¬ã¯Ñt½wÜFÅÐ xêâs!%5µ¶æ• M^‚Œ§DU¨í´ê?Âl Œå7ðúè\'ÅRV…“£¬*WÑTÔ°"ñšØJßq †ÀØ^ù”œ0ö‘˜œ,Šû‡À÷ÿ,hØñΜÑÛ bKŇªÑù³°«ÎFéÊî„˦gUoÃXáDùÀiÍÖO«—Ì8-u=  :l $zï%ó~Ã9UmÈTϬؘۅ*£/DÃ)ÒV1±åYéyÙä”~A"ã·½¹Ö_b^è \Y°Ä¥Ïiz#µNymd+åôTk¯#FƒK?:¯å˜0‚oâ‡Wao†:ÕPL65¢T}{k\EÙëúAsi–Âá¯)#KaÆ&²¥)8éGDX´Úß_}VÊIéþüåYÕ›GXýÅòµ­Êõv+#5ž#XÈóžL÷ŠV Ã`Ú»pq™ê8#pÝV€Ù…rŒsÊâ=%ƒÙã‘ëåeÑè~a1¢¶&$>ɘEjP¢ŒD8°Ùt<„=UŠ€Fùx$"T&vŽT„/ßpɼ?¾§Å|Õš?Û)6y-8´_͸Ä.f€Jh·š{N­¢Ëâeœ”B @JލuÜå¥UúGßY¥2™uÝ5_ÆñGÓõ7Ã*ÓûSÄÿõ GWLj¸:âI÷¤6ÚûÈÐvN˜d5NjƱv #ZÀÈÊþ$Œ) 0f†še ]j1=]óZ°(¼ºb¾)Ò`'³íd#yXŒÍÙÉB.;f‡ëµãl×Nö„]Ä…4^ K`ÄIËÅÄ]øT» ÍÖÃÐ' †=Y­…Ù0BS‡Dš7Í8×”9%BGEœ]"Üj-Ÿä¶ÒRÅ? â8¢Ln('oùSqt’*–x“Þ eµ::íÆHF÷~ŸEÑZ T~™oE ÈcÀih@eVƒ>º¬É *ôŒeØÂ<À¥¤¦‹ Ç7ÖßqJJºÁÒêÊV9KCæ\Ø;)áÄÙ¾a•Ù6 ÈoÌÝý1`Z„eêÔÄyˆ<¹Âˆ;Á¶P¦X…̆ C«¯bÆ¢”Åæpz‰²„ªp`],>oEr§ÂÍEÎYÐXÕû9êWÑGíñãLn†0[$ôt™¡FkBŽ“=àM(˜z†I–޼Œ¨®£D‚P¶s=ê]Ä㑼·ªdû~ºÑž(ˆ¯g/© ¤Kæõ4–hÙÅ–*ÀMŠ‘oóÞ˘YF§Dx5ã=ŸÅ!}Ç|8“ Gz0„&`\ñàÀdûáÎ’U’¼ÓÚCíóÞo>¶Pö†¦qÈ:½¥e³½ ®TD|3F›@©uLJ; ŠÅœÔ›¯kþ~ 0š^X?½C¸iüÜm`na·ñº‰öŸÒÇ;Fçå£"Àœ2ä‡Q©q´WujTMÛ¹àŸÙ”vHPä Ï’á¨5ÌJ92sâ@5Íaðd@™RqpÍòô¢Œ±qZÆ)ÁÞ‹=™NÔ½ ¨é¥Žh“jjö•wj ¿¤ÛæÏôU“•cS…çX²Ü^ò®²²W¤F Ã4­íʧƒ¹’f+˜h’$ÏZ%šoÐ*¬¬;FÑ@ׄ/^ÑêmÃlæÅíÁ¯µWz²f‘~V‘¾Y$J|èG•´£Çd²¡4ĉÛ›u%"¢*°ïSxCvP”H¬Dm*Ó]¼Û2„o¾™ÐÒ–ö̦Ÿú‹o ÍÃJ^‚(‹H5yœiþü’÷Ì»*ó¢x×*}µ¯ìªù¡â ¯}"81 ‚|XJõ ª|ŸbÞfÂb oE@£ií´ßBöfÙãÚì´ õ1†n:Nt®/ÓåºHp9ÁD—ô)6F³Æ¹ãMì|ålâúN÷æ>å”G„È RT‰5Oe,C¬v?„£t€‰t¤ ç–7ïBÓ?{UN¸T,V·0âTu“‚o±o¹@Z{Wggg:­´öqf®Z46R!Ãå*ªõzèý×ót®´Ø:°ÐÈ•òwÎÊ\ö0^{¥În`5/´Ç•ã£åµ¡/2LT†AüÁŒVm½®ÿCi£ìÂÀòçÊz6F1;jׄðc˜ŒÞ~$hœRÅ5ß 0•™( ý(v WòH«µÄø#õ6@÷~§Ñ%^_tr|}ÑøŸŠõú³áðzÇb±(¯´¼;£1r0Ä¥ÉÄ]D†Ê˜^©NˆÑö|~Y¥ o©`1| ·Acî!2{]-Ér9ä ÃÅŒ–PbÑDáÓìårg²9'<ÍPûTÐ1A›;²ôïü ˜ Áþ^ÇßmvkÇó¼M‡Á$Ài˜ølºÊãÇ#¤ú£ˆ°¼!iÎÒëÕ85IùÀ0ŠÎk‹œ4—o¦Ž>ÂGûò¹Ò”ªx!C+‹ðª×ÊŒîJ&k‡VÒFcBª%V/Ÿ“N›PÎ~»uèïÖ:"IÍW’£ÐO‡BBt>DóÌ‹3§yYëÌ‘ éŒ#j;>é¼).X,‰á‹W6ùRön·…©M’-CÛÝÆeÔ§¿eðÁß9xN$¢±;â0˜šK±q>EA"iÒi!¡Ä sÔxëP…/I®|ÍûÒÔµŽ:"Pr5ûšjÖ „Š©3¤œõ£¢Ã!”™¤–6…îs H}\i±´^]—PT‘ã2n¡O\vS›·âΜҥX^ Ü5$ä)èò-9ò2°–Z“£zëà Q¾Ü¢dˆ¸óf-±ã©kÓ¹9i³ÀÐ!ÌäZH)tÆ’9 ¤ô4šîYå¥T_K¢Á‰äâ£%—˜YÍw¿ôŠ‹8¦‡pË ýÂFá¶\âÞÃívëF¶Ól.IJ•&BÜ—æË["3ªô‰-¥¥ËAüð´-« õ¶„œ2’#Mb_•«æZ¤_”tÁ$`Äå$'‘J /³¨©XŒQ&νÈb\• —ÂÞY£’ƒâYV„*49ôÑÏ¡q(^[ŒÆãI53WÄœâs¥RNÜBc¼WŒñ9 œz9’։ÆÏ&æJ¡ëÑ+|–^lkîR™w{¯`tŽ2÷Ž]PxìÙ¤TÊ hbšÛCž—¿*¬^$d(t8:Œº&„ä6Ÿµ‘XàïÜÌ¢š‹ú`ݽ¼¡ØLY>kÌzщïŽEšf;/ªá2>tÌE(Ø ‘—”C2 æ^F‹cWD;ç³×c¼ˆó±Hý8O¼Çklß½ëjç#ÙɽF2š½m’cÿQ1ž(.+O)gnâ¨`¹RvÎö|Gêûh§ºQíYÒh<,ø[§Û–‚ùducÎ|3S ´ ÐÚª?ë‘v¼7ŽQËEóòÖl-…’ç-"n'p½ö~â <ì4T(KK¼h, szSž‹%Æ‘#5L±j4è¯%·ÜĪ’W°(T¿¾ÇJƒÉ(pY©dÁJ€- 9Ÿ¼Ó+'QN[‰û:› Òÿr›ŠÓk“·ÁóÇw›½ÎP•fosÆÚçŒ7„Á“v/„Og³í_¸ÍÖ5°ãìÄ„ÿ°Q÷‚ʽ8•9j蹦fe,>è—VÊ^&Œ :q%ˆæËõËž›=™•hÂ8iî0íÍ»±V·M§c½€¼m(ôHæ.#–ÂŒ°`Ø'\F¿ïf£áöƒÉû·Z×Vf³ÊðC?§Êçï^zàr³ ™ë†ãG¡3 Qiçß ™[õ%acÔ¼i4ºf ¡n+—&)®“¢•¢*» Œ=‰]®—Ó9v›G¿øíÚÏ6| ³mÿ§ÚÁIÃ{’aM[¸º‘ïh;¨¸Û¦?Žçí¡¸Þó|`]û§WB¶¾ôm/UÔ²“£“Nc¯dÆ¥n[fðgn*©õ©¢Õ¸^%™.ÿÒCÀ°y+ð—!l˜WÁÖî™ Ý8"ôÞ9é7€ç…•ÇŒ}µ{ÊC%³0~ùŽ)Rf¸{‘¼%ÏtùáÝ1n…Þî·àcpu¦üThÏ´säÀøšMÊÌð_$#œ° %ìMY¥46€2žŒØèÚgTXÞxú\ÛȽÝïÉ®._* ùSèÓf’;%[ÐÌngÏ?™ï¾»¨¥£Zý UµÕÙ¯úÖÁ6\}ýŠ•OfÉÓs÷‹S ‹ÙžDxNZNmjMv¿²—.ÎS¦“B—÷E¶‹Ð’~€¯®ÙÆÃˆ¥E$€°+ “öKVø ôàHˆœº—Íí',Ƨ"b@˜ðö3Í9†+¸6ž8óAÑÛ0Ì›Î'lµ×ÿBÛ—5Àœ9ñÒxK¸k8‡Ÿ#iã/-}¢)`ö-N³pá¸ç-tÝ\ÉÉ{RÌ!êëžÙ½Ú»ÐO.XÕU',ǰU.«~Ònv¡ °¹{Òmt€ÈbôÇæ3óõ{8RÔ¦¡Auï¡^ig󆲥xà¢w¹ Tt‹P"Ò1#Q\Ø0üÓ16Yq›Bȸ L_¼~¥¬t·Cðs†Éù%ÃéALI½´¤)ŽómMá&ïËkÔ‹e¯yD9êÆokÍ®ßÚýF3ØXvè°ÿ7ÏOivjæ7<Gaõ¤Íî8ö ‚ Únåpäëýe˜£ã~#õ ÁLIñ O4´I´®&•½KU¹´ÂdÆ2eµ+è X+ú†ØŒ|>#ÎPŠ5R“k«0Ù䑾n5ÚM¸+Û>ÜèuŒË,YU8<ØUÎtDÛ¤W†ë¬3åM‘gF-å̉×[/´Xúm×Ö{ň4Ë‹ gR-1Ξ-t³ßn4xÈÌývãkT ¨Ñ@^oÓ8‡pöƒÛ+šÎ;BGWÉd-¨ Â[,ÀD#^mG9ð>å¸)¥½¬Ö*AP&MÞ´„nÔµ,*)—ë¹FK’Kk‡ĨyWàA!mFÉóƒ"á"Qd€ó³0&G1̦œ½p0àØ{FØäË S˜b Œ®Ùˆ¸ „«fîCÿÛ9?' NÍ/=óKßüš_VÏÊÞê9ü»0Ò»a/”ÈQ£i0GÖÀ``p;á£u> (F &iz[Ùd<o!Ìñ9¹óy6‹éÙ ùÀj‰ï¬ªbŽ\öã°Vo™4¬éK|rÔüÙ?hþذ¼“ŽZpB»À/w?wKCÁ gÉ@˜ÌÒ‘ñª›/~äY'hŠ 6­h:D@ØnóµÈ%%£‹˜–þºQŒ&í y)a¡"ÆNïè¥e7§bÝÜðN¯am²{}žÕ©r£6\ ÚÝÆaÇÊÛhTo°÷Å)H¼gOÔL³zzšÕrF£ðÕ»,ƒ‡ÒœØòšcòãÔY+ÃQÄy¾ÙsÛÌêÑtZãûÖ®úþdÒ{öDÆh³[ÑRëõõZ³¤Œd$ÿä;yžbÒWñô©ä{ÆChP<Å{+Cb e`»,(snGI_…ùMe¦+ŠÂ#3‘Áèµ­#…æî?äoc¬­¬ ØTCÜn˜™@š^šÍ)D1ÇÉ@@@ÏrªfÝ‘gù&2–gæ|‹—3ï±÷´¬¶­ú¼t{+°óìuxZÝʙ΂í>Ïi×]0ÀÖ/(IJKvþE–ì–ìùwß‹öâí"{Ѫ›Osft±`9€FÆÔ|·X‹å×Ck¤ Ÿæ,ÕÚ5|‡k¥4âU¥¦¥S¢Çj*=ÔRKyäÅ;|ö^wp£‘2…ðAŸ§ Á@¨kÑi$£ñeEÇÆRÚ„…#p¦f ]’â@j)%‚ŒCŠ„|Æ6#<¢|‰›Üµªâ_ÓÁƒYé4¾‘ãèÌ0ÐE„Ç Õ‘qLyµ>Ÿ"5…o.1‚^†cEO›š‰'æw ÷³ ËÓF„´g•g×>Ÿ–«e}Ýèç‚®…·O¾ËI¿öÔ]«ü†å犺OKÖr~™q=Óãºg0Á™á "&%\qBwIP4r×m”Rq="ï nmŒ€`W¼¤‰_Œ‚‹!®áI181Q&ÞºQ—Áu"CHSî‚g'0.û“ïþÎ9NB÷b&Ñ÷QÔ‚³ \áÀ@IÙn <iTäL+³.x!O„ÁØÚÌý¬'ÄQ`n2¯u›’ÇÕøüÇ2KP™ˆä²¹É%òMÂ0=*L`¢â)FR3–§FÚ¦R%7¦,Sa.8 àR†obc•˜š}¢œÈ‹®ÈÚ cA¾õªK¿OIFi_`)Ll‰Õ¸ä@€S¦£ÞHD{ÛÞ ë.¸Å]dÃæÍ/ë¸J´Ø‰ƒô†pÑIŠ*ó±ÞÚm°ÞZÖ3 W`Teçš:ôËžE;-œ½{úß—zwþh~ûâ ÝçW®}ñÝ‹2Øÿ& ÝH*õ¹&©”ˆf{«‚üQb“ÕÒÃS]>ëuO¿¶ôztɤô¦R¢€gïF ‰0öOEÜçõl¶] 7a×Éäé7¤¨ˆR3ˆ¨d,ŽX¼Ò‡?Á£Q’ˆF’q&ñ$*—€0âÆúQL&!®S:ÎCÅZ %ºãNÍbÌOËR0äåš­ ­zЦ™÷6oo¼éh‡3#É8±fŒWaß}ÑÇ0“¾”ɇTxŽ›¢äC²)B [–ºñ¥Æòµ¨h:B9žOüT‚²t ³B ‘*År7ZCFÖâ´RФ0„oc4z2Ÿr/4ƒ2%‹Îê<~Œ/t·0µêŽÂá9ÍëÏGcü!«óh8 û<–ŒnVÌ$Ó8î°ö³/ËìÁRHZâqµ´úÍ­…jü®-€ÑZ[ù4 à„ø"×0Üst15ôŸ7;:+T;h½†ëc¿ãµºþQ£±×ØS"´Ì»Kí¢i ¡³¬fI@ìÝìa¦Uìðîx ÇŠSEtß4~ôën‚V…þõ(bÀOL¿gù¨®:ÓÃçÎÃ@SÄ ‹Í‡ÈéÌŠ¹DPÍ1Èw$±½P~Âl:’L8¾„gÓ2–ÂHéâJZ’‰Í@šÔÜÀ^@zeP0:$ã,WEu×™§­ÙI­x¦úFØÕÒQxy<ë@ÆEž‹,·E‚d±ÊîÀv¬8ænÚê‘ «…-óÆ¼ ´?)?yÄG©„aá nü?„e©VbY˜³Çd–Æñ.Ž’P}NSBbrä½zémš[Ãxu8Q(9k#6*Èi¨¡îÌm€fa›Èezæ`›k¯¸Å2Ï}í/ܵ­òefɵš]b½ªß)Å&ÎD&k¹Ø ṯÒÂ+&éaØ»A4úàÒÀ:€ibAÏQ$Œ)wÀáê(?“×ã€â˜{Žg˜M ã!¢"ˆ[DêŠÇ»êžÁm.ž·§f0‘…íì6m¾4?*¢¥-™?ŒüЦ&È´¯›.ô£zT >weM”hëN…hF‹¼Š±¤yu“‹=´°aºo8V+jíàdZ˜ÎU§\lŒ:ZõŒB5§ÌðçªíÝK^Ž/âêVʆ4õ½–{ÍNíø¸Qk7á><€ûØöuÔ/>,æöU&S`Ó”¥KÆÜ¥~8q%ÀóûŠ„†3AM˜ Ün5Ä,‡°šé%´,œK!ßu}QÝ’PøwNêõF§³x!r†Š¿Êø«ôIë ±Üâäzç+¬^ÆÏC9Æ/µdº½Ï€œÙ("‹Æ_.åóZûoßËìRÊû­“£½/¶GÞæ'Íÿ[vžiz%—%³D-§xè°ijšó'iOPMŒÚ™ ¶öTÌM³ÁVµ4g„ 4·êd’¤zÕú*£Ût$=aDb@ÖÓ –¶NáÆ±«²gw‘¯?AHsíÈÂÊ5YÈ!vãpL1“¥ ÿ;ËH¢:?GT“/íH3(\t̲GF{8ÐhDbf nã ˜úÌ„©Ü{‹öz™RÂx…Hâ㌵5+•ÕYd¬¯ÝMäÄ!ø,pt ÂÔ|¶Ìaå}v N!&M N‡þÅì<|·µ¹á­{:æ3™90ž1AâÛÚ¤qQ´tú)ö÷{ÆÁÑ¡‘ŠäˆÓâ@Ü—¿r‘¹eJÞ«WÞ „Ç `·ÑÈ ¯E oð‡1ÆÑljýØJªÀvÑp;nþOfßBä†ïÒØMGõ#烄þå±ðót¸W£4‚±ßlæ¾ñÉaH¼Æ]z~†ÿŸyº¤HäSulº¶$5ú!ôµ_LQvRX*¹užäÖA0Å*%7°éU*°i^âš…ØAÊ€ 7·Ê0¸Rú2¹Ūøå%VÄ úN£©9&?ùÌ|_­r3ógvÁï\6ǸIvƒ¾Y«„ñDU'ù©y¸·ˆHŒËýné@ îs)‰èWóv mfUÞ4*oæUÞÔ•Çd±²‘m.¶g)C~71úÍ¿°o2/mtKMßÚÎ¥X}>gÕºšü–:@ÌMű‰¢[_xófj¡l®C7¹Ù,U rÖpE’®ù‰Y³·ûÚ³×î`Žp#—PP¤MQ¦ÅÄi±V¡Ð ´s:}9TÀÒX¶á:Õ¬v™À2ØbUù¯Rq¥©nŽnTƒîØd'å>Ó É=ÐÁù`| }/ ਔ½ßðÑïïFãI $zPúˆ§Å Ì¶Ît€wŠP ËÀkà|à¥P •$"Üá‰-ÀŠ®½Äÿýˆ½F ¿áóß¾à—Nª¨à÷wÑ{äŠ~÷ÛûÅ¡®1fOm2 0è °ç'@aèRŽûHnÖR&®#fUg¸-‡ñE0I¨¯Yr– fM43xª ÚƒëÌ&r£¢Ý(¥yü  ¬*҃˽_IvðøqqUd½SÏ¡Yá¿F /Òèè°yIJÃ{G>ò6í0TñläGŽ(ÖpY˜H ÆÐeñjÇy°ú‡ûϨtpT·°y¶Lé°êú R4FŸ Qz”þ4†;é—ʱÎx­„lsßøš(¿c:¥Íßoµå&Øœè¸s¸—xgÉŽ#E:®oXn•¶S£´-—ãeÜti;!e@ô>Α ×g1…ZžºÂoW·ÇÙ^×çE×¶%ᦶ̖¯gÀÃrt+b²ª–/_ióS*méJä¸'ƒ)²ªøœ±Ö Xj'6}vA}‚Ò¾Bf,¹qÚ¨>åFªÏr¶PTÑúècBe¶(6ú-!«rº±x²¹PMä»-B ªÄ{0˜ÍËjÖRæàn¿óŒ 2×ÀÉ.ñù+’j0Óêà³7ôJâZCjP€s&‹Ù‹‚¨¯ííaæ”êÏñ*&Të" &YZd$’`(]<'#D,¶‡¶ùÖròÃgÀi÷á²xˆÒþš_~š, b¾&ï÷%ÇÈôõgR ¾ñkÕÛ*ÚÏH¿nÁÉïs^î5¬—& ^Í{ñ£î¥5òDÝDóGÒT‰?pЭ¡Áð9êÇRþ£š=º“ð9«2p\X(e´jò¨? ÃP¨Òu4ÉH+‚Ð@=Œ¦L&ƒ($œ„TFI4ŒÀ_$a8¤™M†Þù˜ ¤FL …ÓÝÎÞ:®Å‚üöVS‹Á%Çyà©yŸÇѸéíζHO×”\Cž\G_˜]VæåÊÚRik>HUÿ\`»*‹ˆÇ‘á@n©b™¸y¾(PÐ<ù¹!•t:wn?¬:®í¦[§TZg]8¤ˆ¾ÅˆÂ'î¤m‰j u),–-‰¯’Ûù¾š'æµn>´F¡„ˆÍV[æFìHX3lÐÚgh—b"‰Bì (H6geØÉ,<ß Òû¸ÂmXbÝ¢åÈ}I»âšÅy»s™}‰+QŠ+”3£ ÆÙc2ê$h áÈÄœX<£Œòý‰ËÁφ¡èO>ï pŸÕʆùð¿Ç8n¬5%FrÃ4¸ ¼Óhê 1LWκhÄË8ö*h")#œ“™Î®³ä­çiˆ‡ÌfÝ2NÇÒÚy™þ3ÌOó»Ö »E„dÕÜ-÷‡8áï›ß|}„º§Öþ¾\{ÝÈè)]Õ­³éÔ1œÖn–}fzôÔêÃ`¶ÜtÊ:ö+P†‡ñѤ## Õæ2ñ’ŽfE =4ÒuÐ¥!Ŧ¸Ø’™Ý¥-H+)j†ÔæÝ.ïÔM Oç~-˜)´Æ«l•2Š}kûë¶-AkCGÀ¶„sÃY25Uh%¦r/1ÚËÈçèfÿA¿ [&·“ÿZ"‡ù¥nÓÈRÒzj$˜R ÓI¢RÈ ÿ2‰PËo‹®¿¼ÉÈÆH½TLP‹~mŽÆúÎt˜$Ôï'; ³’õIÉíh0>Wí1ñ ÇÑž&ܳÛ¶‡P`ð8²÷P(4P̳p:o)w ÀŽÕÇ'OìîÛæ~ãçf·±W£ ºô->ëtkÝ“Ž~¾À@®ž1 ²Ç•¡æÕƒ+bÉesKÛR¤Y4`Ð"dÀÅ’ÛÕA½9×fì˜7ÉUAÛoŽkm¸þ˜VÅ8 ªGÃ<±°àϨZ’y}•k ;¨ëGH G÷kœ’bi^$¦ŒÜzYÓ™›k)Eùä6êö~«S7ur‘·Ʋ\EöˆnÒWµL–’‘ÔRÏÖw°]¿Û}sÂŒ€?Pi4j  Œ} iM|爓º‡1zH‘”áÓž!K‹8Nþ):L ëÊÙydÊPr¯nPmy›ÙMѱ¦¢V¸×Ý  ‹G­ó0ç¢æôo«°7›Š4ìëœaF™t•kœy”S@&o$ÂÊ+ÂÈ‚Ñ5ç`U[ eBÔ—åi¦³ÞaÌ/TåiSTGèTÕöI&KßdDÕÖ>¢ãÓßÇT"l) —·²Î0uÓal(ƒa:‹_[EæNÀ¤Zä¼—Ÿ€ÐTÿB-â èoªõ戄Èz²¬ är’p’†p4†1FjÛ°àL›ÏœÈäÌ3w$l'”=’LûÇ®Fe†´‡V\Õå 3C´óͶ[Ì‚ _&ËŽ‘K„¾ÕÌ,ùü²­ì™¦iÛGaèxtr¸Ûhûm }åŸ?–½SŒ8]òŠðóÝ‹âF<öÖå×LO~TÑ–0[VZ°œ9Àƒ+QâËÍp~|Ù{ÿ#]³ýÖ‘¿×8¬é@zè—Jú—›¦Ü™ÔQÁ2z„õsŒ¿-û›ÛBKÑgä6ò–ÜÍs œJÀPëÎ&Àt´Ú,¸ ¼ó0ZÀ•_D½ :Ó¤&‡“(æpëÆUôÑdó(¢êz0¾ÄÉ£HSðk¹–Ô¼pĤÎ æb4Á¦èâþ6hŠÙ ˆ1“Éì4Ï™ëÄ¡ðFb4‡š†#vŽ?aäŠi1Æ–PÞ‰\¾Ð=ZezÖxNIOŽÆ³ó ¯wÝh}ø­´Ê˜n»z?{¢cÌhØxÂ~è pLÅ]ró…]Rƒ˜ö°|¿›Âÿ}‰Ž«Ï6òz6Hnq¦(TFfC¨²53à`…Ní§á. ÕÖtMÛu·v2D+F}Ôj¦®8³Ç/í&½£ýví°Ñdód'C¾r/õÍâKUúž½½v£Óñ;µ£fc9ؼ©ï÷Áè=f¯®=¦MÀæ“u9ow©YÁ§{-,1e5Q”œETY*kÀI§áÖŽm“•¥¶’³§åb|ãmÙCïÐêÆ¦ü“¥SyħÁ¹R–`ls™å–ÌW0Õ`¨$è!n‰ôUœxÎqFÉùi¨ótT¼[þ(Q; Aèi1,ý9¦S$ÑS+±dJ—ù,åU•#)[t9-uAQ¨ïŒ êñË99C/öqüAד¼Ó^’v¯'GÍÃãÒ3ºAÛ¾ÓÓ)áUˆq+ðæs…ñÙbìy)ƒ6v®ƒ1ε˜0ÿÎçÕPËð‰£Y¥ã ¸dÂ6*RñƒNùš`t1¼ghñåigŽS婸ó³ ÀÍæ2fHä­çu!R×¥†š¡q·™)³‘Tíœ$¨;,òØ=è¯ëúp³dN͉’TN§‰(Ù s²Ò2,LÊ€=™Fo¨È •— _m4ÀafíVd´¹%IøŒèPÀôe Í9­½pˆÒ+>&ãˆÇvÈ6BvGô*½˥ŭð}ºÂúf޵ w*A¥Ê)T»^Ó*U-ÓèøƒÙ`Þ=iåÄÈtDvã±GÙ94¤±Gìg…Lwb$s—dúŸŠùî¨Ùy~¨cÑ*¿S9ØÖR{¼fLδ…ÞÀQE9› XÀŒ6ïaæDFC †d²%qÅJ–_¹ I°h$…ã;TÉöóæp¯€Ì›s~þDQfÉ$ê!—wwáåèÔï 0LóÀl£ìΦ[?:mf»',ÄBr¥Îõ[€…}„¥Ykn®™jb‚¸±"{™÷cä¢áv>Ö˜ZŠ«èéû#šçß•öíBü=Å&} 1}½p‘ÑÃdȧ×F”P1Ýòh ¿DÇܦ?Cú&çZcöž„m ºÈï†Ùö•Ò¢¬ÉJ*²D©$ÃÁ­.¦àÏæsâ˜ÝüÔž·µõÔxc‘à™¢ž¦²ØI\Í1‡ÉIr­M/“yñ£Œ)ó÷Kº{6 PNý•ÉÐYk‹ìíÂüKr'Úc’¶2Ó +Ž¢÷𽓅xV<ò1Ã!“4µìÉ6ékZÏâìû­&^šÛ”±&sB>¦ VŸOWpÌG…¨gRÍŽ¨õ_oµcÿ¤S{ÝHc&ä˜Ã© â D²‰W¤ Ó1 MIâ%=IïrÀlÆŠ½5—i–÷ícza¡hÍþ­!‹çä{Æ<¡Ÿ¥O²“x~N!*dÁâCú£¢ë2GYråFi딜ö`{i‹šÍº‘­& ¤øÁ´¸VM»Ô¹eª–P#×áÜN_1¼Ö©½qKíÝ‹¦´e°«gtj¢QIJ3¯‹Ó2òØ#¡”bèç=4.–æªãŒ¦ÑÏ‘ï0 {ØžD3¸Ð )F¢¨w+fiçóŒ¢ÌŠ3Jx‡t AIÝ[I÷&ͤè4WSB$“@­x°á0Dòa\PF›7v¨{‘'“4pzï>v/RÔ‚a4ê Î¦`¨â1 ÏƒC8‘{áÙ`ʵ ‡ôtª jr^Ö&“ÁfÞD÷Â8x®ÕÓbii-ÞšËZÆXÒé…:f?Åct²4”Qã0¸Â×ÿB;Ÿ¡ùéÁÊQŸIÐ ½âÓêæû`rZ3ꅩǺ bΩ'U “ó²òð™±;ÅÓ{YO”­-!h #jorýø˜¼&ÐËE…)ÿ-ø\õ*+xñ¨éT! JøÐ‰ù¡-Kc¯˜\Knh¡‡øÐˆ„~fËNë +ÐôÉÑ^£íÃCÝ::¬5üƒãn§ÛöŽßÂ=¯—Ñ*aôqÝ‘NÃxI†ë›¯ïf¦{ –ŠEWøë»›G¯ßB{~)-*†™•¼_ ’„0¬·ä GÝö/% §vܤïÞÛhtÈ®ø¦yÔéÖ x Õ@vD¤\Ñ”®9‰ÃËÖrÖµ7ì/[“#ù¸áš`ÛL7¯nã°cÞ÷§É¤rñJï+Ó”'àëøø Y'i ]ûÆËþ^» 4è’5ZGÖAcN‘ßìL¡¬¾W|öd•ærÄÓp˜¬cdh$Á•ñ P";²!ˆ”q6‚áâ¢ëáéxàÍ ™`­÷) €üñx¨[6KP²”Gúdîà–_®?FýüÕˆ¥…ô…(¿ btax}Rp..ûhý…ñœ²ãæAÂVlú|ñ@ÐóÖ`A¢67|Œ’ñ¼ l *üž_9ßTaæE9pNãhÞðFc¿?˜ûbÑ$¡ÞùáG ùe¦K# ƒâŒr“à€‹u I"U­’ ¼wæ ”­íѦäÔ:2érã‰bèü"ä1°ÅNn“Ï(´§0¶ÏàdÙc‘ÜâX$·8É- 8Y ÁÉòœ,ÁÉN–‚àä6œ, ÁTn<ôÏæÌo9¸M–„Ûd1Ü&KÀmNðxŸd\ggt2³+3åÁÐT`´yE“i<êÏ&yE¢QÞ0çVÄÈßW*œRvÌXí¦¸Ì(ò!Ê;Gø6ÿl÷a0w[Ã+"ù’{~I¼8ý‹œÉjÚ“b¬†´a¹€§Š_‰Õ¹ ^ôLJ0keÇÍ&œ(|Q6L¦¡Ò*•OæÑ¿V§ŠîÍ€Ù즥*‰Øƒ×Í£<a6œäòðŽÖvŽ?ÏRG6ã*Y²¬.ôûK³n Ñ´:ŽÐZ3s¦X³v´×n5÷üƒÖkKœhWÍ‚KYw>d¡ÙôYþ1j7öšmËÈHRGh±GŠ ‹›v š~¢)q¹Ùº­ÆSWß½<‡«©¹--j(ZÖ Ú|i€0ž¿ß”¦"wå,Žévãÿœ@iÿm½³wrœ½e—½Ä¢ ²ð˜*sÏ[à2$`F+..£ÑÖ&#i¤‹9ö¤ï(8?s+‘ÖÚÍñyÏXW*›¤ÞS¦ñ>Ecº‡~Xž„@¯4aðS™¼UŒ–R¢€9-8þ•Ò\Á”rÀ%ÖÏïÅä+ã_ìÞ¼=Ú£g@6öÕà Ýèœt=­j*lÌäV‘Š_\Žúeï¤yÔõf‡¨W‹Ö‡ÞåqÃ\v@ey²G½Lê“ Ü+bûRŽßCç·‡þ›æn£}Të6¶ "ñ^} ûV¹²‡ËËj%Y0%û°Óû(ðVHŽ€Ãt/ŒŒ¦Ë>D+$ª¯Ø6QÊÙEj@[;œÂJر†_?hu ÊÀ°cÆó˜#Þƒ-Ç×oéE7d^—{püÚ­_d§ÇãdúfÑô0LЊˈ‰cÔÐ fƒé¶>+°7{áw‰a±Š  bï徦¼ÑÐ >³ÀŸgºðëµN‡y$ ¥Ð¥Px×òòÑwxE6\ëç½!ðçˆíüŠŒØœOÅ7»í“ΛR±Þ:hµQ‹sø±s ´àãjª^·ñssð|ò²­à5Gé];¯½arNþKäÑTW§S|¨f&llBXðŒ³ s®ÓAæ¶WEsfY§ßÈg¢Rý­«ÌºÅò­¾æ®Ù‚%.©%0g& èí©wÂi…E ‡q‹ñ¥8 º²×yëwÞ´Þ<žP€ŠT!®/]÷Bu*’É›2n”lpÝ8%è b–¿%Ô˜¥^QÎ-=gàüo²uY`|Ër$/ÙWœcWÜ`ïä Îä¦|÷% `ß{ž®‰›ŽXæbÇ0—g4$3úôw8kØmí> KØièñ™äž®ŠYB1E4¨·Ð’ܤ«³hë!ׯŒ÷µŸ»¼ê–¡¥šÆ,‘ŠG“öƘW»˜aã'ý²ãþåVÒ’9ÉX¸ûœ©[TÝŸ)µóÞ`€ËE¡Pã€L’iR+7Í5Ÿ÷ÉÆ…¦ ²Ç¦².©Çð n¬ ,‹±ŽßcÉÃ{4hZ¸L¡tÆsŒ|ökH ˆ?†UµDšFõ—pE¬—l$SŽM{T·E¤\n¢ä?Hð H¦ ôU3LA]+vušØ;—Þeûd…6õ¥ÎX´ì=TGÍ™†hk‰)p'_bØ7ÆÄò¯CêöYÝÛËZöšGûi ýò¶Öìú­Ý Ó´QJ5\¢MÞuîE¥Á)à ç¹.pò½åývA9÷æo‚É,ÌÝŠ ‘Àïëí‚År™ ÀhÂes>}òv§ùÙ¾YDÓ{,ã’féÂkx:{ *1Ë^(ì×Ìàà„Ÿ=¡ &µÝ¦³&MÄr(q‹¦·!ä¬0…Ì»,qÝ…\G“¢Z,Šú>73Þ¼v2¿f«zrÎ2ê…¦[­‹N ð½Y÷šÚðWöÍB{ç á6è]`÷V|«¬q£h®á*ÐZ®Ý\±ûm8jÑÔ^ë¨ë{Üi°/ÊB»Á#Äì1Lj.wlK”pßi®™;@?—5QO˜lÕ=À°Fã 9K ÑË2ž ê‚)Òá|i£<ò˜f—\ØË€;UEõ§ (/±ŒÌ Jhn±yÒ-&u·³§_ÿjfN›'öÛšÙC^­ãƑٗul3W (uìxåÊ”ÀH8[ò§ÚZbIóÂËÌ÷òùw¸¬8šHWíìˆtŸÓ²˜¼&ö[mDEíZ»ÙèÜÊý%ÃÉå›ËßáãrŸ‘Æg:Œ,òÍVÀ³a5‘?ýb5$U†“„—2Â=ˆV1p.\Ù¶ËXN(¯ëp8ò7£3ªÊlˆçÙ•Ž"ŸÑÊÂ[Âk!º*><àWÖÌá~ ¯ó¤AJrÅp™Ò°<Š9_Ôã$ƒËš–˜Òôâq¼câ ñØ"Œ,Ÿ¹â¯h 4œ ‰iq×ß²¿1ÇH’¯[L÷KÎòSXCæ¨\&ýƺ*û¬%´ÊÎ"‰‰åƒV›ÂÉèY¢"aW/:¶Í—3íê‚ßà™¥’%[#‹ãð'˜™0_n1‚ï͘çEûe"ýð Æ™_J¼—6kÜ;@R©i4ÃÐKé˜ÁN‚Í÷먲<ÈlJmTƒrš-¾Á€À²MÌR5·E4Z~ˆæëÃZçǹ-ÂòJŸ3ÈyùÑ,5RXç/£§?[P†ó­åB bA3úé|È+•Ê0UÚÉÏ#ß'q’Š¥]ÌHJ¦Ó.ë £´¼Ið¼¦×|ûùûsÞ[{QÙ¨=zgL–í¶ýÃW½çiΦ¡ï¡iÊ^ ¢é5|_RÆ•±øŠ‘Ìï›ÕÖ1bE”8Ìo5BÂU¤ïpž®^íd?¿L¾ƒ­à9O¿Æ“ÿ®ºJó?½ ´È›WÒý¡ S%t6àMlHê øk·ZÝÜc›dá$ñ©ÆI8‡î÷MaŶ$îj¥z—Õ‡ð% žÍY//Ö9—/H™|¢’e&-{ø¾j¿ÇXdéeIe«¶/«n~cÍ€¤wzqæJ¹`vò*\/¨{k¯¾1è/V„!´\b¦$še¥“çýéfÔ;¬Ô 1‹E¤$KÕ¼¬y6\s¼&À8‡:=Jj•YVvÞ=CüVXB°æRjžÎ‡5¨,µü]ç@b_æ„­º'”Y™´m¿ K|ÖÃbñ7ï! rÓÞžÀÞ6}*³æ7rìßMÿÉù”×µ÷I£9ô_õIšþÛØ|öþû*ôŸ¢Ë¾§`aHÏ|„l€ùL‘o*B°º¤³¡ðÌŽ†Ÿ.¡«72yQÔÎA¡…UN/KZ_3drÁ U¦ÈW`iÏã`ˆ,FZ;”bMx2eÛTCè^HË iN¶Lauu¢izPÒÖ«¿ãeŸòïw4~3Uˆ$Hv ÛRÆ317Xÿ0ŽËÞŠr&u.ýaðdŠhª+ȳ«ªlNè _ Q8É/{€ò½œ1FÞ”¯¿´Fgo£¹ƒ ㆛ôƒ®H$L`0‰ ¹Íods•Pwm)¨RŸÓ„Äãzð ÿã)ù²È ü¿ùtËÁÿôçþÿ ?¯ÓÖ3‚Ç„â3P¹@vdû¬‘Ѭu•£q#z…—*%&þ¥@ꈤ•l!eëãe¸Tbsmo¿ lÆA£öce¾ÙPÁ&»©‰£0DÉFt&ÌMÖКk`¤ÀëƒIî~ÅËÚ‰5>ll³üDÜ9Q(¨ÊÖL©Tg)íÔ„­×e3ú7ï’Ç‘eSHBcZ”ŽÄ³ªjn”;²Úr÷Ý—Ûrþ—c篎ÿ…†àË^‹ä¿ÏŸmºôÿ³§Ï¿áÿ¯Dÿ“„ôldã¿1£ºcéèïÃÞX n…í¬)öUÏdñ™¡AiÑÔ)Ì»´‘ñ±îHñ&B›Ẻ§Š±—à‘# ¿áÂSÖšñšBqKyŒL½Üê4Ú?5ë ³SöØJ¸S3‚÷ ÅSeMFf ÷«líÊ.˜0`ÀP©ƒãŸZÍ=YJ8….¸—owÕxYøÜ{ìý=·e}lÛb äs͉Pái´ Y•ùê%°¥@UÙ<ͱN÷r¼míœØÙC7Œ×MÛugÂûvš6oOùÞÚÒ>Óž]Œý¿'æˆ=st¡½Î=7ðëq:‘MŽ=B.ûú)ß#ÙH0åÁ6ÐÈñœçh `j$ºó~;Ëïm'ÇŒãLç’L±À|OÔ’ l¦Ò¹ Áß±lN%¬©r×^TÊòÉ›:>ˆ/w<^ã¥Ó»d&(ý÷çÿûbᅩVôŸ¸ç)oýß@=ú4›þ^ÿÙsMÿô_uëù7ýÿ×áÿïzë§Ñh=¹P«±É,jý ¼½—Æ#tê÷’ëÞz£`Vè€ÔÇ“ëÓGzÕï¾Û\Ûܨ>ñöÑõ«3>›^qèíö#ÌTF' J¡€q>“i0œ¼|„åתյ'ð^ &ZÚY"šÙñ®Ç3JF‡}t !;fõ FýuÌè5†r  $6cr.™†ñrkà—×G'ÞkŒ¢9ž¢žwõÂQR#|’ iöé5´ò&²ã…ÆF•w¨·%»핽q mƒ);öÆŠ‹c½fÇ/YQNÛ[ë ¢µ5|1ž„œ¸™EƒšdÌ’ðl6 óÐÊÛf÷Më¤ëÕŽ~äØn׎º¿ìÐ]=žM=´•d—4t´Aç— ŽƒÑô†•mTÔvklbã÷ö›Ý£F§ãí·Ú^ SŽu›õ“ƒZÛ;>i]\Á˜3¡\Yh#gm)ߦGE#³hðœíÑò)J,<¸L-Þ3h# Ù³ð$ÒK¸ƒH¨š²—Àø¾¿˜N'Ûëë———•óѬ2ŽÏ×ÜD²þŠSC(Þl€†{!íÅÙ˜;†2ö;Œ¥Ê©‚b« žâdµÁ´‹€ia1€ú  .£Ý™‚¡RáüQ¼Î zíÕfÓ1–*Ó1Àœ’»p p ›ÀÉÔc¡IРN±îLìF³W^èH ö•²¡Ö!Â<5^ÐïGøVamF >ŸµDhTžC3 w®lœ›âÊëãƒ[+%ÞˆàŒ$‰.…q˜h„³?†vÇÓ hl‡hs\:LáI~–›è*¥v¡pc€±Iå¹úE ŒópJC£—(Ê— s ŽÙA¶¡–€—óhZI‚Áh\(À‡—áéú“—òªŒ¦;ÁËÓÁøÔŸ `T;g/ÍKtçâô% ¤áÈ2 Ñ× ã …”Eï{®°&ý§è @³P†/ÿö.ÆÞÊýï/½ÖÖBïQR®¬®—ËþU(P®É—+¿NðöwÃ{×:Æh ï …Öl:™ñäm C .wJ õ_ÿu>ÂÍŽg°8°†…Ö$åQU– µvQöÖÖ.ÂÁij”3¼”ø]`+šÁòS,(p¾*á¦p¨«aìõÄ5aÕÿˆõå–ýÉGœÔ¬Th‡˜¤Ðâ9'XZf±W Ñ"®%¯¹^ñ¾ºµJ°.‹À´Rø”‹QÊ›/X6«¤Ç§Q$ºûÀùP&tj1½4Ô?j$vß!öŽ?Öû4+ƒÛúr¥Ð¯J<Ò¸=ÁÇ!{k¢ÔÆ;ℌ)ÍûÎk£ˆÑ¼Ï[;Ÿ;ãõÇ‹ï~š!RÕ˜¿Ä×Uü4õ”8j_V 1ÜogG4"Aê}LÕ/Óµ¶±Ó êñ"U“NÜŠ[Í+Q™{^ýIùÆ÷„}5l•l#¹ˆÎ¦;úOUöJwîy'ˆ¦}Ì)ŽÆ—pn+²’]z55¢!œûhô1D}Ùóýê}œÈŠ÷êáfÁ`0¼ªlÇhÆh?L‚^¡?†í* vDlÖ]bñˆ¬NÑ|ˆTL —X½r‡…³ˆ¾8˜xøÁ#ĦW}ŠpRggÄÝ“æÁ®¢D`f2¾ú ]ñŽÆSAáÀ» ¯VºBE5´MˆlhM«û™²êÁ)‚ýëÓ*Oá$úïO™I….ïDÚ½r„"D$e¬#éP<•§áC7A3ßäÀí=$<Ç*Dä¯^ÿ€’(uñY0@èõž÷o«IëÁuÙû—¹xxˆ®ûÞ¿Þ´:]¿^TñÞ†œ©]XõÆ0šåÔC<¶~ˆypÔí±ËÎW?ŠIÜj¸§a2§býCE~À}P( €©×Cwÿt ú/ñþ®àþ"gûò×û?ìxÅxè­y¿Þ‡nxI7_­÷Ãë£Ù`°ãÅCèšßš/È:—å×û²½D¢OjTœÖê ƒÞ@4·åŸÝÃã½fûå:T¸GÞŸ¸(/ÿUœ¡+Š·ñü9gøÃ[ëÜs…õÞùÏô³R2ûù–¦S³6Bä„hI=éË';Þ÷×_Ô—* ôú^ëKÃt7÷﯉—äNìŒ g‹–ÌF­úk÷ïϯˆËMGúmUm @€û!ìaÒBš¾‚:ßF‡F€£AE:5öúPi8ƒó †'’˜ÉÃ-èφÃë—8¶uúˆ;/öúåÊ}zTéyâÃX~ˆÃøë[à Ŧ[ëä¨vˆ[ëošG D 4‡µ¡sæÿú˳KÎFFãË‘¨ßn4j£~œW_–´ëw~ét‡ºzâT×õEI»úOvØ]ÿc^÷²¤¬ÏÇhåþŸfë7˜À¼pfWŒÿÖWK `š?1À0 ÄÎ3 Ò²O¢Þï|Ù ß"¥ˆ¢ —Náb‚[ÐÄE÷‘”¾sÐÜ­¿J½P¸‘ãÝw!¯pî6ïûï×­}ãCÓJ wøiíî˜Ñ’|ÿ¤Ž ÷÷4ëáÀ ”•?Ñ÷ûQ8Å7º¤|Be“Ðé¡Nº#£þ×}›ÖihLcìœçq¤ÒÿŶ ž>8±çÀïÝçRCÛ@Ã#ŽDRt>". PÙó|¸}§ÀûƒLq˜ß%Vq7X€ïͶ³ã껀Oý@@ ÃQ•ÛGáÎðöê6õŠ£Ó¤_ò¦MišHÑOñ’x–`‚Á_(K“ÛÑÞ8ÆúÄ^Nu:›À%°í­®­®Â)´ÎVËÆ÷`<›®–±žQ¦7>;[%NP?\†iå b@DT¢j4\cýĈÔÐ8Ø7;Yõ.iôIHš4Ùðž7&u ˜!’Ò€ìðÐÞ)pˆø84ª‚Ç.[v¢Aâ‘%è ªÈsEÉx-îofè4§CxLëNÀ!V¿?Œ@…Ò¨¨71œ±Dp:àû¼äˆ•€„‰O˜RÀ ŽÒ•°0+S¬@¯pì{ÓÁËþ‹DÍÅeeÔ0?ˆ{+…;˜ù5`F+­'ˆ¯ï‹zÖYøËû•/ËõYÏ-G·¸Mé_ˆ2›zdX¥Vƒxž"ÈÑ _Ò×5Ñ^t²ÐªU&U"¹Ø ºHr1È,rjÉ(ñÔnäé L2’95«¡‰;x‡žäàt;3bÄ„zH¢ {{œŽ<Øu@PÀÍbhqkŸÍ»V–_÷Õ¿¢­Ïþ>{ñá¯Q²µùá/X¢Õ¿€ÐÞ_ƒ+À¹È©!Úo߇Aù> Én]³ èÎY×~—õà!w˜so¡8ƒíϦx#8­ÈéÿÕ¨·ö÷‡i|RÂ*xxŠõ”*ª±6«Ûø^V Þiþüƒ(7N^r œ.]!öcÀoð‰¶;à‹Y/µ×Ø'’5⓽ð4‚Ià--€ „ïægg!zÁ#+˜Ññ¶_ÌàæABŽÊaJ[rÿ‰j{3¾Ä0‰t³?¦ëKcÝa<š\ a QÙKÆdbqaS01mŸ™å€ï, jp^–0–L¯,2DÚc Ew.¼Y×ÑÎÓ§5‹òòV}䮨|ËòV÷ÂûKI^×ß­ùï+«ë¿VÖñ:¶VŸÿÕOüî/Ç5ô(Û¯Õ»'íF{íÇFû¨q°Ö:n´kÝæÑkq·nó ´Às£PmKÌå¢Ù_V†‹S¥ìnÜö‘0@A,•àÒþû³vÿÏqrsÿO1óÀϦHku{7‚>7yêF¬®(”u.^Y§u±V1G­Ryw¥ÝAæizbñ(Dù凡6à -GøáÃX#«]Ý$–]¢ÉÎxõ—m3Á …½LzÛ‡Qì´;£Ozª¹a/1Ât;¹ã[¦Á`0¹¶[ýªh’Ùt« ÜÕ'• <”ÿ¤©4K‹Q¬û—\~ðýÉJû[7êP®>­¬~ROnR»Öë™Mtר«#Åö{Ù I&IŒç•nÍÓ˜œàc GX¦¼^%â®Ïž=,Q…ýYO©²€©} ÷CS«{; B'Yæ§\K“ìR&Ñe—„‡‡_óƒx<;¿ %ÒfUB—8@ YHÊ46G$ µ½ Àµƒã75_"sýä¬i ?ŽŠü¿¤Œàíö~-VV-IQø8®¬Þ_ÿµº>AÞFFSlv‘¯4~zâ7«Ïž”Vô¾JŽ{…:[Q”¯<½M…ƒzMtðl¿X²ê¤:¯“ðãS»F器S›[éYN­ãz~µI/HÕ{¾d½çV=êmsþ¼ìžžqO› æõÌé§ò¢¾+êÕçÖ{áÖ«ˆz»·«WÿYÔÛ»U½ïj¢Ú:|ûnþ¿³êÒºlÍ_K{UžW¾uæöó\ô£•w<ªŒ4Ñ…ÖuöµÍ •û)UNÐnÁn~Á³(6ØTª‹:?»uÐP@U ¯€‰DäC Å:*r@U«•M$Wo>­Ù,ef•¼òµqr–M¸™Jóõÿûîø§îÏï4€ÇÓØ{TÛ­ï5ö_¿iþãǃãÖñÿiwº'?½ýù—>ò§½~xv~ýöa0'¿ÇÉtöñòêú¼ÂGFãdy¤™8 ÏPVž¸)²çN&³8ÏÐÒv´WΘÅ݈­+|?’Êä>ð¬%{ämˆ{S)@ä ZÃmÿnfÎÔ”øG])hbIp@éx!}ý(ñš# £+x¿ 2‰ ˜”&ã’¨ç·:ÍŸÚ>å{å"bY4sI1¨Gç¡-Úô8tî˜Û³}\¼K˜o P:I&„0­jΠ+9Ù ~;I0¼DIÄô‰ÂÜÆ<·Ÿnlo•¬ª¸ó—Ñh4ݪ<µ+׆Ñy°º}rÔüÙgŽ×ÿiˆ MÈ ç©‰«ëäã—øyW Þc3ïZã÷ï:Éû¥È kŒ“T[‡Ã÷ãxrq«¶†X#ÝV«³¾õ݆ÙB´õ|c-:-²E€[ëõŸÍ: ´Auþø8‡é>žlldÑÔK/ʘ’v³S_Ý®VÞmT7ßCÕ¿ða%½èÊxªv0®@UÖ¸ÈÊ1®R[ãd[4½J¶:ÛN£rõ¸´ÝL§½ùÃFuûMsíäçõÃãc¬ ¨ Ó~±ÓµË&/&“ Z©®]D"-‚¿³«ádb·+¸nW«¢ÑÃf'ý½sxìïÕ×äc:¸Á‡0üÏË °×[•ËIpvZ Î*ÃhàA 4ä~Å«}KÄ&J»@hèÉ£æA£¢õC+ÿ*®³öƒ5(¶¤ÕEÁtª” bkyðkò/†­‚Gd!ÁJ%ÌEÀ¡Ð¬¶û°ðW rÜæ?ÆÎQÛkw~x†£¾¢SúLƒ) „Ö¢Þ`mtõ,§Ÿr<ß›«ÛÏq­Õ«(‰ù\òLÂ*‘·6ù—¢2©»’—êú¹6÷¸Ãê/[ NÑÕvg6²á0u¤ñØPn.–0üßÊûUÁ¿óMf£'oD_ÀÛl;kt ¾H«fxOýÉx®æ÷ µ>»çèÅ3à[k³x'?«ÎáñU8ržk´÷â^½-@!܃=7Ѽ3³±cçäˆ%+ØñŠÖx±Õ•©éBã¤[Æ–w"ų'(ùbפ"eõÚ¬Fƒúf”Ù“@䈾püì‰ïsøµª7ˆ>„¤’ÆbýÉ—ãøCB}‘²A+a<ñÎsuÈw_zRÊâGÞ{S[:VZôG‰Í÷ƒaÿÙ“G;|XšÈðf—VH<{ÄJ°G%äøwŠõzë¸Ûy¹@Z+‹“´Öj×Ðæò¨Ó;sõâ”_á·ˆ I1HÊR73_ò¤<“˜ÜûA ®ÊlÄ1[Œ0¿ÞepM¥¤m}ô‰k©ÅgÀÑ¿ âþÿcîÙûÚÆ•ý›~ Ÿ”³ßÚy‡4»]6<Ú²§¡ù`é¥4˜Ä€·yxíÂiùîwf$Ù’-'a˹÷žGÛÈšÑHI£y)vÂwçNŠî†È$¬NäެÀœÀžÄ>,>pß!2 »tYŸ™HHªvÖB®<ÇÀHJž\¼ë’¾Îúzßí» ý¹¡ù½[Õil„Õ:©”ùÝñ1ÈàÆSg˜%ŠiãšmÕG” ÂeÕ.Ùë÷yMßgãI¸´ãV¡§ëuÅLŸ$dF˜ïOPÏN8¬Hå);cï$¡ô—Qp§ýÂh2$W(ÆOƒõÚ«Ò«Êæc^=ûárABj—D¡ 7'Ç#µÁJ:8ÓBΆpI]"‹Ÿ¶ÎSFrçÌWÆQ.–‹ÍÝŒ ˜§rµÿûCÏi‹i˜nÇ¿µ h¾ŒÇ}Ò24OÚ.q8/ÀÎOÂwn„ü²†:Æ_~1È!-òG‹Dç¾?„c þ¯Iaˆh}LL¦“é„ì2fDxž €%jp‚›þ+þZüûîü‚b´Ùå=®Êªa…MC€ý¬€ýL`ÌiMò36n'!>ëâ‡ò£¤ÆÍþÎf¢2?uÈqìt|Ö c#GüA0ÅÌ?CÔ3P,4PºØäwlJ5¿¦¥%BzT]Šþ.¨þMô €U+ÊëWÒ—eí¢Y¡Yþ7‘ذ0OßÚã rL\„Cqì/øÓOI¿ •(D,%ØEf9`ÉÏçEëõ…ùyÐþvÉñ0G¾¹Tš䢒»yKõyÌÏÆ£¼ Hñx¡µ¯¸o4;¸µ[g=u£Ûڈ׳¨`äÌ3Рô\iv>4¬ àt (Á!jõÞƒ0M«\¢•ƒcØ:–Ѹj„¦‡*«eXP–ؘp’ìžNΚ[òÖÛ £Ž ûóÙ|KCÛWU…‰ÆU£ÿæPp«9ª,€Jœ­SÏûxØÜÌæ‘~sïÌÓ„¼mpèj…· Ïèœ+®<øFÙ~·ûñèFWÇ•뉪p‹õR±h\àÊÍ®Q‚/ÖÕÆ9‚´ŽÞí÷v[GŸz‡ÇûGo[»û˜û}r‡×s†žû%–Áα5IYäàÆB¤é5%ÇÐÔ¾ê‡zÒtPÕàÕõìV’úÛv£a6÷&Cn+œÇqöDl§G…웎ñŽàw8u €á€XWe¯³=†‘âýÍý: &°LèCñ |>ÕP=Pº¦Z¡’þh"’ts juÍ쀈廸1Ò™«BçARþ¡3¼ñ,ÄŸ•7IMÄ6ÿO³up¶Ý>¯Öê[0¼È7èu°';_ C Ã°v1ö,R VWr=cÒ_é¯HMÈ#ç×Ky¸aâ: ¾\bXûÀEßâ&£x£óñý£|æ éàY•EDåœ#XS+t}ñúdU¬õq†ì`êÚ|c|ÇÉEÅ tÒzÛ”:ZŽòa Lü]/ ?ºÂE—V\ÜÒ¦Îb»S`«¤þý.6à¦Ð«Û2]Í«: ¦^ݹK!ÛõÑ'œü½S-¤œiDlæ©ÍöogÀ‚ü²¶þäAPr†fÔ5Zîsü±«±+à7 f=1f{³By»XlîØí®Ò®˜æ” 8 ç•꜓Ð6tµY²SÊ#?}fßúpòG“Dz ®r®ÔŒ ØúVÁßw¬Ñ{zPœÀJ†û¼¸#Ì1ú ®XuO­VJÛ†Âï;l2•rä‹&uOª/Uþš¨Š}‰¨M¶¹«‹ýÆR8ydad¶~¯ïÏz" Çeªzw—v%¾HÖ ‚…ôð \= 戲úqW‡B žJ =.ó×Ê•ÍhrÌC¤ˆŽxsËï´z¨)*õŠH#RÒ”bJy3kI ejeM¢[A7 Dl e»8fÞƒø¹^M¾?çóéÏ9¶Ú_Ä·F©h—‰á Á:Âì7,†…›Ÿ¿qLÌö”KðA¦(ÃÃ](Π<Ãs{öhu?žíî«bNô …\ ·møÀ¥žXq†üû*J¡ *mrÒ(=½üïÈo©ª8(B÷£1AP§cÒLÞ{ É26 –ÉhæU¶k(…onòØòŸõ¥@i1°\sù˜(ã¸0Y‘hf(Ah—Û%ŽSfÕ*ådµq¢X-Y-Që1þA RÒ´þ#«¤leX€5šL- ©¡<«#˜2Qf¸H¤¥ádÆ ±8%±˜”ÿoXt¼BN®Œ4ÒÚ”œˆ¹:D,Q\¡ñv (N2ê ' ðð»õgs“â#áÃãÃDÄ+ÏßÂÓžaÆަR¦êä.kR@  ŒŸiQ <1fAG‰Éžä}‡r©ÄápãÉÈ…íÇ›À¶®¦Gè÷ [IŸ)ê½ù55¥’]®dàÉ¢ÿÚk±Á^ˆ1†/ÒeñÈHî.ôÝXÝëFøÜP„$ƒW4WéãAQU)Ÿ³œp[ ⱄ :š+ý3 DL{ Yf«•b­h2GÐæbo°Å–íÁ‚ÇÊ‹µè\ù†íÿ ·ÿ5ÚªÐÄÏ¢ýGø°}¾2®Ü¾3ã›óA޼^{·Þø—áÁdìNfáðAh^¹ÂrÌX1õÄ€uÀqð²HaÛŸ˜¸…ƒn›´|Ëb?mJñÌS¡$0Ð1µÉ­B_š8¾Ñ>µÂ¦8àÞ»ee_ÕaHiOÄPNÐP^JƒîXÂ5·ôHÒ FS)"GÌ®)Ä^M˜¨3jÆGÐêv'­†LDk+Ù‡2HÒÜŠ¶âë”tÏjlŸo½¾?¤ü´5·6*#TÁŠZ0óõö¶Ùlwö ž02›pý+Êe<#ßMÞío}ìŽ|DGŸ÷$*Óôc^'Ñ4$4š¦S¤F•”«‹‚„Û1wø¹Pò-ŽM€–J£¯)‹ÃÂúie—N0}³ùÁ›’‡ÆíÞ·†øQ…Û-™ÍÝÉøÎ3CŒhŸ~Æ¥X%v(Yì{z’wËËQ•£ÁÃ\!! {¼†ë¦3t‚žÓï3±ˆA$¥5\’ì‹ú!9»•êrZ°NܯJ5»c•Æ Ø ¶F6¶HS([@ØQë“ùÉjwšÊŒ?Œ|«8À2žÆr¬r}¶éŒ_/Øg…¼ûyËúï #³À)QkŸ_¬É "VÛü¼ÁÞDz>¶B­‡Bv4Y!;–¬  Y¡oÇ]µ[Ó×Åg·ãʾŠ\„¢Ê-Œ¾þPÝÓ’ÚFxWzŽP´×îÇnaä+@€y|§ÐïÿÝ&ÞVŠçÅÒE"¬Œ­†·[Q$Šô¨x{ò;\'OÈ93~<Qà…ã6Bëÿ Zu Lz Áh½Y!ÈÒîÑÜ)Eîÿ£u=ûÓ›†3+.úã_€2™ˆ¢VLlÕVÇöÿÇ<[«ê2¿æ¿1ptøït÷ ø›¼ˆ¢h7›­°ïŽŸýÑ•‹ÊüÂ’X&¿{º·Ä›‰6¥¦T/í(ÈRD:™RÆ*èÐÿ9™Pd‰Ã KSñ-Q÷1Îg„‘0‘[;‹A‰hB×i k…¼2˜W&ÞPÓ(pqã?Š?íVïÁ ÿé݇K&¿ÿpsï¥âKÛ‡ïþ¨W—À޼ñÍ}½ª^´RNÂ2X "[ª«ü¯JY8¨D;3¿¹‡F€s,Ô½ÍióÉŒB×’ít–õË×tŠÇmËIRï·E\Bþ>q<µ& " bdq(´N½>ð/ÚyÝñÌ»Œi÷ÛõêqS¯ØÂAKZ¤€y9Îò¼R­]ÀÖ%ÂÁ_×hóJ7´ÅèÙ9‘h9äk‚Au5ö<çã ƒñQù@H‡w6úO†ëLAH Y¸ÙÐëÃÅŸŒ³~àZe»‡DM®ÖñOÇÆ ,p;òGOðÇôÆ‘ü ÆKËÉò]e–ÚShW·$P6ürabbé6)_³Áq¯„8מ2p}mlüG Íæ»Ã“ÈwR¼¤Á&œ7z©Äõ«s«[ý:>ѵþ Š>.#ëUj¨*Ä1ëbP‘ˆ8É$ Ô¥‹LrËl•žn4NzúåüKá‚^ºàâÝ¿@’:w¬_ä/Ÿpè‰ЈHmãΗ?IÆvÐy¸‘rá®$Ÿ°ÌuZJ8²Þ•«àSӾĕ~¤%ÊÂ%7ÂÂâ…¯xá ê£)SG!,|vç9œxÚ¦_Œz *BDðüþi ÍÕ ‚ùý‘ŸP§¾™U§Î+uv[XKS‰’Iµ¶–ÖÚ?­g%ÕÙÊ"ª¾Wj˜›•’D5¹ús0Ã\ñ–xwÎÔµ0ÉzÛð7¶Œ8åp`‡»$¥oXßF“x‘+â Ê'œ»Ïpa¡»€‘íh¸ÊÌýxÞÑ-,è»WÏľ˜CÁ”a7‰-T­£vo¿µs°bOlENáƒ+6É'u R^ªTuv»½Ó·ÕòŠ&iâÀiŸïÕ¨r+/í¾:ìíuÂî&OÒ]€òî³Lx¹09s/\†æ®R~L×ÁÝóôìÖ;7“ñó £f9&8`!qžë”UÊÁ31À6Äg„áuò¾„ÉÿM3,{xš¥BdÿNR˜ùÁ&3ÅSÌÛ‡^O Åj¡¦Œ½XjÞhc+^ӿ޾ÍM›;é6w2ÚŒZĩش¿Ÿ¹ÐåE¾ynýü~¤,#s´ FvB*×ó‡l7äL‚©­„±(Ás“ ôu>›òFô"à3ñ°ï 7JÕv-„ÇÎÉLOVB_»ò¹ÿÇÊhSH”/“ÉWá`P„ ùŒ‚¨wþEn³™W¥¿ôgøÎ è†u]’a§µeòœJ¬§%]Hv­†\í›ñ+.dpÏ®›Vyù~_7¾üV·âûýL +Â׫CwÒír1žXVÃé¬faù­–¯t_„÷5ƒÏ²ÐÂÛçBä'Åa*y®“vêaάgAuç¬27¿ ל< Aó©;ó%¤½O‡g:oVŦ?Œª]dy°D¬˜ðFÂ'Hëò,ñôÁKÃu‚¡¿³Ë?¹!Š 3Ÿ½ Éß½ÃE—ë¶(_åŸYpÔßm9 -tÿš¹ã©.p–ú#¥¤kw0€ºt2öæôö#K‰:¹¾o'R¯aD{ôbÛ-½Mø’ï‚ó4F!eK2Â)>æ!À-Û6uüÀpF”5ÌŸ„ÞÔ»ãyŘ¾‰•6|„=·‚ îW œÞç¡|3Ó å¡¶éuÃ`IJŒÑ+…Øi»<»‡6Y2gÊ M†ÏEòí²n„!x£õ^)”£“êà5¦÷ôh O CK1ã_ž¿1´ß>£±VW¡ôXaüÆê2á0ί£t–-w4×Ðuvܵ*”$³{ü±³<ûtâk° ¦—å´\žZ”ªjp„CŠøZvÃõt7”‡1ºp”mÉLÈË*˜ºó"]^…r%£'-ŒhÁC¥eáÿ„ÍÜ[nn…ƒI8øóÆ× É¬Á‚:î}Ûˆ# ¯ÉØÛî¬3¬<œ€04TCa/ûšŒ”\rå‡%ÉB’$:Õ(Á¬£B$/÷|0jMŠÀ‰7œ?pÃÙ²ç¯ð˜1nL´­á®`J¨ºeÆ” ŸgB Ï}i³¤W¹8O¦YmÔÍMæ·¢êÄ<ø0¹D_³–¬i~7wÝ¡à[鉺u^—Ëp‹—š:V4Ë ó ûŽ œ_~_ÑórÈì‰Õ°Ð¿²q¨¢)—8-λa›§Ü½®@ÊS†ËE3ò{üBSUçIÁ¥êèÚP ¿Óü±¼Ü’ÖÜ6ßµy|GiMá5Š8ˉ„4d€çCÙ‚?ò .z­'°¶*BÃ<8X cý $`ò¤Ù ¹?Q§sùº¯h„áÒ[c>¸×pfã¡È‡–½¦bÚ¦¸X–tï÷wŽxÑ+ï÷ó‘ôÁ+Aiëè…0a‹ŠBÅóþÐy0BçÚÅ·b0œèÝP˜+;~… ³V¢³¸ÈƒIOæ¶OºÇ˜µ-ŠÞ¡‡Ò[Ɖ3I ŒIÆš9:rf%¢W¨È»òÝÞN”fõ%ÆqØÄhˆ œŽÑ&ah‘úÈN˜/³Î´ËY®¬Š&ÿ,æÊª¤îݤCTL”^£^$é»Ã&ÒÓÅY†É&¨2 lñaÔ⋈ÀßjdúCX˜9÷txºäÐSr4Ú}’°æÍœzá4pdJh°_­Á€K”Ñ7þ|\ÈÞD6XTΉÝôè2Ì> Z2!‹ökŒt9á™I$—ZåÌæîñÁüf/L]è]ÀU¹8 ·X*2ŸÔàFô>¬™Ú(5;&jpÔJ#%’w!†6´²]lîYˆ£fWQÀϹ²);b»Îs¥œž×èì&0väNði½!©Îò,žœ'%)Ì¢Hr‚ØÞ&ž*BGŠpžWX oKWøÊÔ•ÔÒ*K /4jjA÷_­j¢d¯[V Þ¿KlÕŠ%©!èýÇ.Xù¼4˜÷ßùõ¸÷ÂxðJ¶tÜž1.LƒýÉS^ÑqÚ+´_ƘàˆS¼½tMå¨c¦¨x2ðœ³Æý€ßi*ëßU’ sQ ,<›áçÌ‚¦jËš’'?ž{S3ÉÈaÏÙñ ‡»G<-Ë~ß9ju£i‚íJö#žÿÓiþ_è§MõªùS”§°1Õæ£Þå2X»Yy2W¹â\¬d9û&“•jt/Ç]D ˜¡Š_–{B‹Œ§¥x 6JüÖÙM_¢X¾m'>¥.Ü)%ó TtÛç;ûÝHA•Êà9pµçq" hŽ+XWÎxŠˆ,M«±v‚°{ð$$€'|ÑLŸ}óI½ßí'ScgÈß2E’œNï•FÓBIgÿðøà¤ÍvZžF nâPٸ܅»VÐq¦·ÆûvÇ€»8¨Åžþ*K±3jG?މee6ߟ1yé-f‰~çÎp`¼wï]h÷ÿú ­n#'øêNm¸Vüj ÏEölp*í±¸ê+wzÏß¡Ø8…jr¿mÃü9J„wñšzzñ¿*‰¡ëŒ¯ ï}›C"Y¶,_/ÀH×úÓHÝÄqvœÙÐ~Ý¿ip¦y‚ã¿K?ÌóDÔÉ1HaÄíÐl¶ 'giƒ—¾y1vïC³y¸ÿG׊ß)VÜdü`aI˜x[åÅÜüLÁ/Âó¨‡c|êŠè—#S~ˆEŽ5°ÛÊØíKi>b ñ£Oß¿ɯœ?º/rOÍ(úmF¯¯KaÔÉ’ið›Èà¬ô+—KäÁ;ÖÐ5JE#ñ8ÏÓ_õYÓ<éó?ä=isI–þ̯ȕ{l¡ÃÝmay¶#Ðò15•H5‚*ºªÌÌú¿ï;2«²„<ѱ»K„-Èãåý®|ù;ýø‘˜>9­Ù׫ìˆícÆe7c'¾|Ù«jà*¹)f\£\W©ù®l[]0ãª*ñ¨ûèŠcRKñ\´(è£ü&gkbŠf3Ħ€³ÉCÖ›ª Ë]ÞMS!ÏaBe§Ž§aGìÁ/ª9­ÇA†UDí,,¨0©®0uUMw(ºPäû‹°.DËÛdýÔ"-Ò½ùˆ“®¼°1¼x™8äpÅ”XAÅi [»¹úÓáHØŽ®ŸøåPT®Š^…þFT0ÈÖè2Ž.IÜTjÜ-<è:žéšæÎ(ÎUÑ‘âõ.pÂj¼–c âP‹»ðŽÄ‹üýø…侜büÂcôÉù뛿îÂ,;ÐF©ÚËÈ( ÜR9ÑE#ŒmÃËaLèí7ïÛ®¡âÈÐ5xV¥ U3Ì»ÃÚOÃ^v+?Y&Êö¤_‹`ÇÈeÍ ïov0î‚4÷¬Pþ¬Ñãý ƒ'Â>ùÞ8òW IÜ'qA¿Õ<ßÛüufzÎÇGÈÓ­”d; 1£ºr [ʸ3>Ø/|7^L 3÷˜µ]#ºZØÞ›X*ÙÓ7A{úxÎ`<sÈ‹èF} ý4ìƒÑ&Ôc¯º ù\Ųƒ1 äÇ7N ÈlÃ/¾q5DH,*Ó3^¥nŒÎűq. î‹©‰Í~&"r é1oÌšÿ\á´dç vиv˜{ê¬5,|xØÈUëº_©$=™Ù-ÇÐ µvÔPHæc?—„'NÌ´4|´÷Âe:ôåc¿vXêõvPßî… ö·W1§$_­7o¯âFÙ¨¬ÝÉúð÷úKZ@•.þ[ïÄcºn{¿Ø<É’Æ¡ÒóÅæÞ唟.Ç…o´¶k™vùemi³×$ºñý2FèQºŒÔ¥è=í–BŸt!Q'SÆ|[»ú¥Ëá(}ÊR‚oÒs‹ÌŸÂ»Í»%¼½ÆBÅ“ü·´Çƒú>ZÞ´8»›Á2U[£Ý¦Ev­ª$ØO—ìMðIJšŽ‰‰‹,Í€›y÷âH¼}‹†ô?5NQk©LÖ8¦£âËg•JÄ2…³À]"^`è·¥|¶ 3ôSä.WÚËU•,ç6ðó„€9óo<ŒIou3xVlü5]Àªøu=ŠFj;÷.Î;±[P¢„‘־퇶ô¡eà;¸¬ŸÉ­a6ß±«~rp¹LÚm­NnܨÚ÷¶çÙ·õo]÷ƒL|Óƒ?®Î´3C7jÚgÓ…?µ »^s~fº9lÞNÏ.º­N _þn Ãõ4\⨭ñØpš€9åŸÄéÚ‹¨ÞƘ†ªX‘‰L)á‡êÎýÅÂÀ¹†|›=NzhRäpÉá,ZPÜ*»¹ÄT–``}ðj¿å®ÕVl1ù'5ªwÈø²—¿ˆâÙݳƒK:Ò)™m/î9°« µ vQP2'TÄÛHl²—J¥Ø*äLÄ8kYI_$ý—0ݶýM× Ì:ÁÓê„fðiuîÍ:÷;ê”r®;¨v.5ƒ–Ó¶Tø¡Zfj¦F OèñCúƒõtVq#”;]ã‘xÝ¥lÌT³Z&«¨AÊÊu1ÎÚÖ˜Ž–QИÊ*ªÉî¾ iqÍ\VvBÓÎòo´R´Ã(ó&W,ŒŠO.¥ÌýŒüرt‰Pøa©„ObPä¾·‘vx I¨:eÛqj·ø`æåCàF²6lL ¡x‰§«FÇ«’_dsнøø½ÜK—àC Eþpº©ý¡q´ÄÿœL!@?P‚ªvákéÙïò¹™Õ~­7ê'ÎÆ³ÔgÏ~ïAŸ>Á¿Ç¿5Ì¿Æáë“×Ç'ÏOŽ>99:>:|Ö8÷&¢u>ö¯'ÝþW1ŠÏ­Ñ¨5˜|Ý/W£îxÜí ¤áHô.¯ú½n[|×€>`k"¾¯Gbøy€-?ê–¯d°tCb €@“JèüM`{JäEù˜ÞÕ†M @CöëRH3`Vk˜§˜M½™e°§þ=¾6‰P“E|Y #›Bk  º¨äJ÷Z%Vp£80‡Ÿ¥ k‚öyîtÉ„Y¤|è—ês=±Uå8›ó’xôòÁTÜ*øØÑa‘?=‹wC”’H—{Ê1ÂÁÍ̯õÛ= Ý¼ðJqE鏸Jc8áJΠÕ÷„,A{vGܪۉ åŒlªQšH€Êì%TY¸ÓÀÆ÷2"߬VÒBÝó);ð·ŽOJUìÁokwv‡Ž÷ilxÕ}àK.øë âø³õRÒÖà.DÁšïº¡±Ï0gäcÇ€ CPjBµêt}£Þ, G†îMÌd;¨ÂõùÒ™Û3|€C¢=ìtÎeë«8u[Eo Þ_O®G]œ%E ÇPœ\hD¹‰Æ¡X…!â“`6ÝæŸúä‹…Œ˜{d NvG„¯‰øD |Oéo¹ãdëK+î,f Øç´khÁp.lÜÆ‹/mås~g呺i¹Ž Á9aëb QÍÄ Q7£üxûÌ_ýÀ Çdt'–ŠÂ7÷¶f^¯ŽÐt[Y@%Þÿ?÷ÇGÖçv7]Ó²Úmtë€ô<( Ŷ½z«çÒ°ƒÅù¤*lÒÿÏÜ`¶^Øœ.åFJŒÒ«;Ú ° krëÙÇ‘HaÀêQ:BCi`tÆ“ážN÷=°D«Ó^u%óµ8¾R Ò£€ŒÁPÕ(=çsUl¢7ê¶'y€<­~ÇúªâfV¿åŒ1DD§ÆhU}`¬Ч ¶ÄÙS'tV)Õ$Џ»‘L>29® .Ø7y•Þóá¾wƒ0‚áéôA&»´Wå íÜ:üF쎻ÐcZhy:.Ç›Õ ’^(ª‡~ŽMAµ%¢ÂÔq2^†zŒ]Ý€}ùø20â;@Æs¼1ºÇ®ÖÑš7§–ž«ÅÂF¡}J!/Ìí@‡ [ä³ /W Dð€äPV*¾†ž-a\ º ",¦%Z1£t¸Rz¨´’’/¨üp+Il‹ÎxHs‰qßAŽÕè7œHKÈÔíC»nl ÕKi{¨ªV0^í q ˜€¬½µrYúKz’!7ÖS Þ÷¾\vOÉv]Ò;)Ê'?W3÷PãIkÒkã|ßÚ¡âÒϬÀ÷£Ðš¯½YQºôi2 +ëãÔùŠ–Šm«?luzƒi¯ cÂFù4ÄN|zöiÅÓçõª=ªdÐf§5‚’ÔØZÝþûL"ã¥N¿Y´z_Ò¥;®3)Øòu: .A‹{ŸJg —˜LfÅÓÙê_]´ÌÕeôz^),û~ÔíbœN³´…“`Yé q~o€½7&}Ðj÷+»!ÄÅ»“§´OV«÷ñ:3×£N!h<Äv9 <µƒ~þõc¥°¹öÕUû¢ÛþˆD#GˆÈÐH‰™[ø§Ú*^ë‘9Ì1ZÌ#'XÁÁ¡#T¸”‹ \–šO¤—@¾OFYØHÙõ˜´æƒ¤ëPêñF…¦Dš@ËÅœ šéÎb>ór©ü óÑ\BRÕÂåÁã ŸåXò[2ì’…ß¹Òeö†Õ÷þÜh a©…ýÑ«eGŒî –AJ‡õÞ‰£Fãõá›Ìfj}êþ·z b˜e]]tF³?Ep5©C %Q½‰´R1¶c #ÁÜќ߻æ†ÎŸÀø3„­Ÿì¡M%¨cùtzþ+éˆ(OÿÍdò‡@¦[ƒÎhØëT¨aœIµ`äíÏÙXÐFr%›B=;æ÷UÈ6¯ç ¹pë1—A ºß¸W-Ï Õ1b€ ÚÍmÆÓ@¹ cûÆ'I-¿à³gŽC· ’ê½YÐ@B¯íi$áÛ°x{b.)ªR•J/‘Œ£yUj,z’(„$ŽZGô> »ÉPÏúZMàΞ÷†(;«Óš´˜;²Î¯?¨…‡ö>ûÁ ‘°+è$8;äôÎaN ëe›}¨ªI=©qbnïdâŽ(ÝÉr³¸—±Iƒá#™PÔ79³x‘LqÄ ”.“%â6Þº$‹‰›C”Cw颴˜³{i11¬'s`,f ð]6‡|t`^M.“læ6õ(Ò‰ª%JÔ{£¯²‰š)It†ƒ‰Å ªGû£u "Ó5Kï)«u…¾…V’A¨€EÙ‰G`9izg¨„'˜\uV`½"8l¼ªMî”–ö€çò žRD/—D”¦ÊU{r,\'8D0s,Ù·_½(5Ç:hÅ’s\/Ú«*<é’Aþ3ÆLk£VQ`A¦Ô1hÆ9ø@æÅ¢Çè…åN’ži*ÊoÑ£@,¿×¾7Ó]ÕKôQsJyv€’|’Ëû5 î*eüUiÀEæºp¨ 57'`z÷ ¶Õ¶Î»zƒ"@ê7X;˜xb¯½'TŽF>É¢å?+Ü,§þ"½I>!¯9ô€Ù3²8WŸTg»ƒN†“è6¦«hõr3Šž+uÐ,ðI5E2ÎASDFÀîi&÷ØO |„е ‡™Ïÿbþ™‚Aú5YV˜³˜ Ž:19ggâøHç',@+£V¥‚_a¡Ÿ?§«qUŽ–îñ:?ŸdëÄ8Ig–ìÐu£Ûš'ûßénRÝD8‘í~k<¦ÎÇ¿°ðƒ¾ÿÏ÷U-`W AÒdP‘„Ö‹d-Üï Pw\A[‚ôÉ, }©?W‰Ï_³”9ð[ çY,ºYÛÔ@„dJBᯤ™}Gá%–äó0Å XyéŒ("‹øFqÐÆkÕ0HBAR6ƒ2X¨j+E¢Ò¥‰×õcöœàĺ‚yï˜Ï_†ã×ÇÖø¢<Îm)Û(#=3a#0:ê1x7D&n*É¢DF&ºPë2I+'%-’‚‡©# ¯/Ce ÌZœÉlm”ºWA>ôÞ^¬ce06 ÈÌÜEGúw`‰ã ‰•„F2 ìHßÈ0õ]¯êâÉ”;/‹ü²¡gæŠAè˜^íë¦Æ›%ªz”¾®Q£I– õç¯s¹ ¶C9Þ-û•òƒ8gô£l®Š=½2{¸ïLß4]ÛÿErfrXRÈ¥ÜÀ‘µ‡Ÿº£ 1yïûÃÏå,”Š9p˜éx›(:‡2K C÷xæTrI 4ÈÖͦÌm%ÍCˆÈ¾I ¤ –M:ÊeãlUÊñØ*•¦(C\‚UícÁ÷ >ƒh4!x²ôÒq'¨ü™è 7 â@¶HŸ³8؉lj…Û\{uÇ^$¾±5¨ ý\÷ûE ñû ´Ï œÚ» §” å4è­\Ia-–µwŠùc©E)uHsó=—¢"Yún¬7o‚T°Ú÷’¡LˆiÞ>iµt%Îѧ›¾YÉ+Òw_ª(,¹[YžBÕL¬ˆ90–õó”ŽÕ鎓Qm2÷”‘OHĈéêYÉÕ$û¨ËÍ^Æd†™Ò-ÆiJ±±MÙ'”~î=Ìër­ÉJÔÐųºäË™˜¿b^‚Žõƒîˆ9yøÈ4 ‡s³aÅŠBEyñìú&â'äGËt¶^â4ïü}17µyÄctoÝ6$J¿RéÆéZ{x# ›†âó¢£F¥.¡Ð~J<n³ÿ–1bW WTçÒÒ›ÒTG*år™›¨”%àÝWBÖÞIku ý¨¸Ÿ»EÕSý­”“vÌò„B]â>àÏ[Q†Who½„ÄW¯ª")9doY‚[Yô2 ‹½È²ùjBê˜Ó –øg&,ƒœOÐæ û&/ÄÈ[€POð@õ¼Pí{!LPv…ô¶ ”Q×3®çÉ€ijU|ŃZ‚ óª˜Œ®»•,,Ö+è¢ü»«d7"ÉÅœ>Ty vü©lÕ ÿ-h'uE ¹3ÈÎfâ&<@Æœ¯tê|æE‹tR­»ô\€ËÖÕØ:¿~ÏÂkùøhÿ°qtÂh~Œ÷‡¶'ì `+’ i¯ÆÃ0M7já&•áö;Eu?yv½ÑÚ³# <40²hr±ÊÀ”íw±°ŠEÿßBìZ,¯Žœ92òKøëϰsÊìEEgãŸ[²½˜ÙÈø3¨)½Æs4K+da4TøIؘóu€ZdHW±¥¦2Ó+8 ¡ï‘ëÕ9ŽÌesž:ÃîmС öžŒ’HnßVÈû+PnÄ÷Ç?ÀÜΕ’ÕˆVa{Ö-,Ÿ…$:Ô ž^P±z%Àî?¤)_¼–?·$[„LÉW"¶‹qŠIB%_­™¯Ä#‡ª‡Šš<Ü’’Wg¼^‚€Íš õÉ×À ݩ᳜ƒú‹*V;üký–n®aß¼-(d›<æ«W*[£:dGãAœagS˜prk<a£¼£ ïïBÜÌ”n®†s–šÈ Bo 0w[+î+£&•ËÌé°Ç«„8 Àe3! ²¡~’Q«¹±ÂòG'éíÓ&)³HDy”²$Ç©fÁÖ$é-¤Äû›S@ÊVä–O×s{`dXV9A$•¬¢·€‡85fU_ZÚêÞ,OhϺµ«øHÜÆW‚ð#[Umôd–zÖÅ…íaûcYó<Ù ¥K!±÷ƒM+{ꇪ ›f~3)û—F2£\ÒèZ®°×\©ª÷jgÍéZQƒ%f¸Ù4we2ëPue¡ŒoSV™UñB-Á Xø—®ZzŠ|¡Ö§*¦Î7Ɉp¸U#i™3Ãø`ylô/¸óÏġ—Yþñ 1ý´šÕÓK)ÊŠ^.‘4Å8¿P[cÜjq öÊ¿¸‘IZè]êƒÊm ìÙÌ_“QÙœhÜèŒôPù<ªÓy¦Ž'¬¤Ìî¦~ùËÜìÇè Éõ»âJE*dA°„ž«&yÛDŠÂîÑyõ½ø™ÛŸ§†¼–’"K¹&Y¥goè)’DdleHz &  3¨Fô4ÚAZÏhC )TCCN }º²·Ø@Ö AMÈy,0cØ«øÖ›‰1˜¶ÿUäaK¯äKò Üñþ›Ü®C~‡¾°raKü’­ Ù¶CGÚAò^ÝàÎÙ—ÕMl9(H~0YDdòóJÜ\ÍrC‹g‰·H9A³ %kœï²ƒ\Mú"DŸ\„?¼Ñù´ ¹òÉÀ“6¸­Ê•!3O»ê0+—äPl1€æ€Úv:¸Óntyõô^¡-!¢gr^¬íŒ‰íµ#65\¸Ó•ÚbvøøîÔÆÌ€4+êøt|9¿sGé7¬ïèU+6c'¹‹vÙ”>¶5Pwm;hžz’öûÉ:àË¥yR%·ƒº'f>Ô†µK6¨ $ñüÎZ²–Š€ÌȈ馾 Ôýý"eÍEGÅÑ\¾‚v+t”î½|–ÓVÿdñ‰&Œ %Rñj>:W½A»Ý!#ƒë/Ú¹Ó·GUu­O·›’î:à4Dr+¨P’9€2¼y²ìQ 6øl ç¼Å†3Hr ÈôÚVÕì±å-g00a±‚•FÆV±„¼˜²îì ¦ FFïô 'ñ’½LÃùg.'ÈÆ6&æÍ`~ÀžOÊ)8/R(1Bu½”Qaý‰ô eL]5ãV*P&˜ä8¦¬ÿ–'«¼™ÀÜÐÙnrP”Ô:i¬–›Çí'â¾ ULÛHr…”¨ãky²çb@ë°€4ºE÷J:âÙHsƦt´“M̲°n¶VbÙ$'2&¢£ÛÌÏŸbéQE™çÑ‹öÂÖî';$'Ðå•‹ÿÊ$<2üæÓÆû½xa2ƒ/îBÌ5>2 _¹F®|ñlå8Ü]](¾ŽÚzLJOD«[ÛÛrÆþï­ô¶™Ä©/ýÀŒ"–ï!½,zÕ^ₛ˜‘r¤S ijî½ô?fàÛ8V/Ç k½B³7Ê)”±Ê²\„Ö4< äÛiu¥ˆU •>³Qs” e ß3yáf‘Êý_»¤ÒªTpð&º‘ÊÛa¹ÒLnÓµdÌ:Ýzë|(mï½á»È<…R$:«ï¹'üÊVßóoÓÍP M¦°"²ïPÄ>×r5µ¡\ÜËðô¿Ù{׆6ŽdaøùêùA"DÄqˆ’ƒ8l¸À‰sŒW¤f-id`m¿¿ý­[ßfFB`'ñfíÝ ™žîê[uuuu]pDÍXÀÃY’t3µÅ}mÉ‚0¼Ñ;ÝíÝã­u¾ÉpµÇ¶žìŸlµö6vö[,kbҀŽz¾8__þžxž6âT›žGC²(½%Ö*îtºw—9-]Í5URÞ™N¦Ï½Ñy±îî_쳇òzÈš¡3_[8±ç@+×]Å7qbäZAgXc /-dùÏXà\°a’´™wM¹Kǽq*ºLÂIE§¢£­¢[E«zÚÃí!£¦ ‰x¤u+pïˆ/D¬‹Û‹f#ÇVÁ™Œ5‹’sUÔá%xĬ>¥yý/©?XsTprT\¾¹Ê·ûxìedÝ0ºìËêjeZ-}b£óžQÓ~PÈ¡=ÑM´[×ËG›l÷n¿Hu‹õws÷Fq‹f­bµ¶`˜œÞ¸q(Øk¨g¹-0mýLîö?3hé@E{¨%)PÅžÊl{çœ{/o§™³§õæá!Y±ÿv÷ÑÃÀl¬Ñ=ì8½l!{Á™u*B’Y'Ÿ (~õ'jÉà•‡¸÷f¯×è6¥;ŠÑ36Z îî<ÙßÛÚ?A‡½K|ìȃÑQŽi×Á¹Ð6ÓŒtpUaš¢gB`²`Ú—ŒrÜ/>ÿèèÓtCCÞyð#uË·êS¤çßfû±ž¿Ö;âÐpðÑuœ’ž5fâ^4’™lÚú-eŠ(d.Ÿ¡w9€ï‚5Ë“®á”ÓSCW)Ø·¬tš|½dN­48…œHÑI±ÞíX _¸k¡µ2Jl‡äék Xm3î³ ŸjöŽ,¢G¸QáM‚Öñ!¨¿Â³(òD^’p(êëuÞ©åù»À¿˜³Öq‹$\¬°†ÝʺѸf%ì…–+ô*(ް°0øËZ4¿éÑœõøÜ¬7~+¨—£›+¯ÿñþRz½McYŸiá „Ø‰ß8Sì†ð"DQ„ë³ãßÑ0Q VË.T:üÈsã4c²`@¥V|Hö¯»}=´…‹~'*æ”+ÓpÄeq—Ã~:n·#Ô;£ŠÈš+3W!] X­3ëý+7 ¹»£VVÚloOHÃÂOz)(­FÃkò¼úHÉlÆ{såz10ÛÛÐp8¯Ë;¼T!·é$yëÙáVódÁ«A8'w«˜ Ù¦K¶WSå¬â„l9s·Û—k •—w. Þlé¡ÉNðyÉ’úÂQÑ37Ž1wnF³FfY~Ñã ¾ü2ö,j ã`·œ˜·¦TÁ‡‰9_dIeáç34juJ«VïѬÕ|»V'6ìc&ãFX… Rú‹´a»B$K@,€@í·¶Ÿî7]6—cLKT· { ½"—p(uxPºŠ‡ó3g0U°¯¶¤OJiž; W®‚¢ü-h”©«hM~4½Î”]/:j¹ÈsY×ÎXníoæFò/ðGÀØæ{‡Âìhw=>C¡ ­€ñÍU(p'ñh’_ÆË–¼åˆj‹øs9ц«„°(êuÒ…ñéFÀÎ|aF?(P”³Sóƒ“âé¤.CkãèÉêBé×! ÌÖq,a<,RíÒšú| j5ø Ìá‚Ü•:KÉMbÞÊݳ{3) 'tÅ%ÚÆYÖ ùJOtï(­ˆ“ ŽÓG>þk·‹î (MždDÆâœï·`¤P3â`µ€šq\EÙÕS{¸“é^ä6@s¦ã3ÔRѱ xMßÑEn„·¸-Ò¯ÖM˜µÚÁÜ-è°:&a„?† ˆLŒ C—-’â gh¹Ãû*³]`jU–Mßžueζš:8ãÖîvM7pEÎÂÍ&Ƕ诉2Ö¯¿}´¤P¸A_PÏ÷2DçcDió’KÒ—Kªfœ«kgîлaüZ{“sœÁÔÉ÷{Æ­Y…ò…mB±Žz…§Ã*SWÃdÄ®â;ªê0 cÀ¸ÇøsÁ:8–8i%›>š¤P´˜š‹÷{Ô¢_R¤FBe8ù±“—IþÜïbéé;k¸Í”ïHÔxé#w\¢T¤£"ÇÝx$QïVjk×Öí )"hÇ"‚qZ±@R!eu%ë> ÊaÚ/§OØðoR±íÖ¯™2"ã°šq†æº˜ð½RÎMvÿè(Y¸j<<ÿé2V`:q•dõ tPZ`›­VF¿@;}Ñš½D=±ø^¢&úˆšî!êÍTgPy_PÓÝëX§5֭΂ʹÕQúP¡Š–€£.FîŠ6wÈ!#úctハ½‡xÃ`ø2”uEæû›R$ó>áò¦ØMîo¾Ùág.Jf¹kÇ@Ú– ê„£Y·G#á8ÑÉ«Àîá2Ð-Vj«¯TÉ9Ò¦‹6À“=\<*Võ]_jñ´òÒcÇáÔAU Ò º.”«C’(qz¥VdM!ºæì-åêÓ¼9ÞU\wEâÉÉ~†¦³·Î×<_PΠŒc«Ùõ2¯d§ÛÖ*;Á,&”á ,2å–A­ñiÿ…>¤²÷mL·pçþ,K:œÛ· §î­û]ì Èè³i:6›wzû÷a=#Œz_·Htþ]#ÍyfÈ9ma‹°tÕ™Ç׬ZGv÷øäré¿ÜåRÞãR‚ÍE)9k rájMOðkêù_cçJ•¬w"´9O}gD3{-Ò,ºMûIÝZAš(o‹»_?š)ž+Y“Zxü ‡©=c·¹î‡%AbËBú¥xuG‘¹ð\‡Ö@Æ$\뤃P‡3¦­¸}°6Dƒ°-«âbØ­+…’ ¾^$= OaœðtiõT“!pHá”Ð6°ì˜5ð؉>̇bÁí¥ðå÷µr4Ï‘k¨®8îRÎÆçÏ¿Z~á©k†hÛ3≃D»LÖ§,[ßVúo¦*Ä™’W!Ö„n'ÃNêXãéZÓ ’”F)˜¬…â]’“RV‡nOHçB—ϋĄ°óz:Gâ’óþâ¹w‰{±—ÀZ„Úü´µqØräÌN–{ÚÜëžÛ[/ˆ£X {ñoÇjÙ|ó¾ÔôfrŽ~’É.OgÚ ¡—çèNeI_(ÁseI•åëŸw;(º¢mà" â΂Ýp¦B(ÖC÷?åÓå²ÎBèA.c©ŠƒÖÑæÁþ®õ[Ô6cPÆ«ŽZ¼`é1iö±òù²,T—CvVý‚¡§ËäÂb!øÀÝá·Uç¹)Á³¾7¢Ø–Õè… CéRnJ}Œ#„ÓUMF·¯\t›Û§P´Égf‰_u 2 ŒtÊY©³i¯ômÝåëûŽw)õƒß‡f¡öÉ÷aÔèûöÖIó§ƒC~Ù?8in4ÚÚ¬TD{í"~…<àD¯aëŸR=Ú"3”_à˜Ç ?xÍ™Xñ2Ñ¥¬Qƒê½A<1pUìêϮ9’nGí ãë"µqÇHõ€XÒ¾“`†wpPBL˜¶F¾ËsâƒòylŠøÔñ"©ƒ"~UCCò £}{-9oÌߥ—è%iá³ÏŠDUÖçÔ+ íé§tÃÕ‹j°§þôxÆf•È3Xȧ 壳Œh¢ñi¦ròhZš%•ÑÄ4·|–¹ÉË_rµ™ÄQ9:¦™>!é_2Xg9~´ÝbÅ4KÉÝ ÓvƒtÆýhVÓ˜CDHí¸Ë*ÜÍ>SLÉtÓ‹•vML9æË ÏÕ¾žíšÇqA#ç>¥øÒ‚ÌÀÀ–åã0éhØo÷ú¤ºµ»½·ñdI=¬Þöã}žtj„òV»:âàãrUÄâ”-µªrE’\»Ä:”MìÄ™Â(aR¼–ÛèZ±oœ6õT>W‚Lzrö¯uÏMunÛÚ9:jÿŸZY2«Pl ßs›ýÅú̶ÑÐÇŸIËÜ¢/TâÇ ÛÏ´ ŠäÝ׈43"ƒïí¿2ŽÏŒŠ5lOÿ"=)€ þÖäâŠîð¿È'†èBM¡æY¡L’™“Jê/Ìšx,^BîW¥3Bl–ø¡Pëzˆƒ9 44ò³CÁ”1G¥86ž>j°»÷ð†ø µ¼²²R™ äíÐà}ï Ñ4 =¨TêË/_LÒ‰ž$*¾eG-*ö.(òqhå?D'\ œ,¾":›‘XÙ†¬)—"­_”GÁ±hu"`£âÁ(.Fö)j1Þö+6ÅOE½U™a÷wƒá% )Ô.CðâÆÂÓžò:c2"z…¦Õïj“vA2¡#t8ï#.l~SËQ8´·­Ì9bä¾÷rã¼üí["¿_çïݧ¶- iëÜ6s€îÝ­}·öàÁµ!.øLwä“þýƒã­£_vš[nøFØ;ÉU*ñ ŽÝøŒ\kkþÑ0ĽïíĘ/ÒâX΢Öâ/³¯)ÇÝ ¾ø2Hì¥o˜ÊÓæ‰LÒ(B£œÚ-LMƃ/Ú3[ìÁ-»­¹<á0G;šsu“xô|‡ŸRÏ‘-"N×ýÏx¥À.([Ýdò·K+þGìcx iwÑÁBsßÏ­ÒÞv,ÄÓ.³2¿ðÚâ¿_ÆÙ³,šWƱ¦á†åäÉ J9ÓªJp‹PÜi¦Ý9™¸;™1õ©œm-ò½×£`¶ù´.bÈÞñ@#FÉÀ¶w<¹-0Màc†Éu+Å€ë_’ôÿÏz¡KoR¼¯¯u®6Øa'°O†a¾ žXtΊIŽz11É?X¾;ÛtßC¸wRžä‚ç‘åvÝÂy÷¢ÏÜ37¸~ËÞMÖ(œ8F[MëÆd¢ 2m™fA  ;øx®}$ç‚©R»ïcrbéÊŒäÝòÓïo#ã³5ñ0W>¢ø$iÕš×évÓìøÎªûgoˆ2Chv>š%Ô.hý²stòtc÷Ÿný(C²;ãÝ…‘–ÊÞÖÞÁÑo­ÇÇ;8øÛG{PÙÁ>¹W·1êÐÆœeҥǀ+²«výycvé§C˜plIu5Æ °c7Á®Um»‚“(Òo׌èî׉zÕO$漉ÖäÊ&•“vAï`7TƒÃŹ\á1lW-¹ søCáÚO&æP»ïÎyʑˮÞìÅý¸7îm ݘ¢nð8Z¢¥™ i¾ç³vàmѶ‚ðº¸/˜ûj%¦_â!¹ÿï8Þ, øíÝõUd<”?&pŠÈèf34Ì &ìÀçÃ(Z‡•øš¼*»~>´ó$í®]rИdD$fžœAʱV „˜†/ÕíÌUÎúÕ¸½`u¥â±«ï|mO_÷^]êQJžŒßg oð $ r\ý5ЇoúdRK•i™¢áÃ1B ˆÝ¤|³é`®Cw‘¹=À²]5ˆÐ6öövN > u¸ñd«µõl«ùôd‹®è2¡[†­cRA*Ô<8ümÖ‚w®ÉÔP)ìöþDyR>“ÍîÎSs/ÿ ± k‰S¾öD¢HØæsŸ«êžEµB.¼@wÍcÈE”:7S»é°i¨ÉgæHúf’쌸Æ9÷UŠ%¢²=f¶Åé2SM眭}’ªm^Æ10'fK2ñÚGÛ€/Ös"Ò_`¶£’©ó]0[Ç= =a>ÏdÏÅGÍ4ç”ò6vÚ𬎷W¿eˆ:_å†^|Éö“~•ï䳃uŒÏjù©:eäªödaMSë!ņj4É´’Zø<­”–ä³è”M€Â hß›u«~Tîâ¦Ï/Ôš*ùՃܼK› ‡½0ë0ÏC¶¸ÿ{×ôX¬›ÉU¦0¶HŰ8ŸQYpf"³• ßì·ÐÑ´}Fm ùš8Â7 ð§è¦Dp¯ûa<*?æÍçmÓkÝ^lôÏíQ¢V™ E+¼Š¶~gµyv[¿l=>8ÞrÜÝ䘪Õê•…‡Ó¾;Ó™ŒœKílžâ¶ùùÊ£n‡DH™nÀ«G62PšèLû&FN@Bês–ɰxÄØÇ<µ›u]ŒòN%áè½cROKŸ§§¥Â–A–Œ±´E³Ypó™nX¬qЀnß%]ÁËó÷FBgÈÞÎ;+ÑÔY¸ W£Ä†È­FN‡Eew˜Ù<ÎÈÊ´Å*Háʼ}u¬Péhn…jªjüz7É)AÅ ^A ¥Ï”ÓîZw#³0’Uùk¥2%j Ã O\{ÅëOÀ*· ²KVŽ—ë¯Ä)““é“pFÙxB]r˜§qíÄÏ—Wñú*¦éÐD¡ï…uÛEвúfEäH,@›} záàöšdÈk3¤/­¯'Ì^‰ÉÀòHLŽÌ7“r$«|Õ_„óð„¤Æt þéa{Áõš>=ÑäA^N}Y4J“¡É½^uR¡küçϼ3L}O§ûAŽ4âCV!ýNtÍnóÐÜh؉ÑgÞ I9€Þã w)A Ò(Ân‚+8‘øþn{†˜zBÑZb—Ý–£)³¨ß©]Ç~اwa,ŠÚ¥E%ï,.¢Ñõ£ë ÀÙÏ䈜L“ø(‘ UÄØÇrh“(8¨F*÷Î4bÐ3ÈÁªáCØ´É s —>—È!®µ B¿¢§Àòkt®ˆ‰¥&GÎdÛµL6VÈ£‹(bna0‚aN|„’,ºººŒHY™Á‰ÿŠYÞ^1*CuE®jÅ’(‘>ÌMê‘‘(ÛŸ4ÔÖÎþ/9«i9a¡¨!A‡(ô /Û™éjõ´ºÓKp'x-u?‚9·z>Ô±çž/°/ézw¦Û_a·1ß§#T6ã}ÃÛ6ô"«þ 3LBKót„0>ç-ŒR¦¹ ûn$e–¿½ž²ÁfL¶1iÕh}avJçVæ€ù±Û§ šÄ÷›¡õ'¦¶¤skK ˜É-éÜÒ’at^#ÍT¾;·Ï-ú<ñ(bø½–Sßجlæ!74S E¥\aŽ}<`ç—_®g˜ì’c-åÄE·±ó̺ÂákBOiñ&­ÃÙ!«ÊˆnŒ4Ëð>—мv;ñÙø–!ì†ß®|·êû£ôU÷(Ô_ϹnéHȶ>ÝÓŒs ÁñäÚŸ›F¼X÷½Ìd²/rF49¢ÑZ0s¡¬Iu yŒßéNx·õdëïÜ—¤ö%åBñ|hDý¬i[~3‚Ýwkÿ`okoš¶´> êVä <§ŠýÍ-6Ôêú Qàß9ÝïÄŽŸ3Sj‹hÿ1¸Ða b'®þPŠë»€™²Üne¤\¨¸Æ“áÅí‡vmôã“ïP3D½Í–šÎíg¸þ‚ÞàHÁxýX0ê†ø`¶/1[öìå"7xÞ] G!°”(‡KH67Ž~…B@±å€¿F$|$hµÔ%Z} µ%8E‚FÕ¯jÕE»íZ›yÎrp¬*]AüàÒ©°úÕ¤Þ¹év˜‚'ƒ‰EEï;ûƒÙ§£R}qNûc£±`?@â³îW-L1wµ &$0×`÷Ø ‡Wqß­‰J6G/Ò!ƒ Q- §•ÊZá,r2‹ÄfÇOD ƒwt+éBxކ ã ê_‘2â<5ÙÁ˜z·¤•šžJŒôíãmÓdC-ò=u£ŽÕ3¢o”$Ý”¢#œ‡CG¶ïÂ/µ\Ï’®%ׄÇÇÇ¿¡6ÄÁ¾Ó@i˜ª’ïð*.#íøÊŽÓá^cÿýßIîÝdÑØÔÔÎ;–S-ŽÅ‚ìË•¬{·k<£®þsåkgÚmDCíûìwîè.SSôÝUôÝ:ØÞÙÝj™ÈS–ªW+_1VÁ@êD lÁ¬¶Ðñ•G0!ÇÞFó§ÖO[›À¦.¢“&ñ«â»ŸŠ—T[':ƒ#°qø{>1,TŠãê´Ù,ݵ˜Z…!£ CgKÌ…˜ìC©u¾š¿ÊÀ¾.hÉÃî ßY©"é““Õ3Tâ CàŒ.)bôeÒåè`(øIÚ¯j>¾µr;€§·îmœ 0ñâÎ¥w"ž "üx|æÌÏ¿ÖM0¿LpG ívXF6ãŽ×zð^áê6›»­ÝƒæÏ¤²¿Eg«»Úñ•V]–H¶’¢ ´‚+È#¬ 1¡Ï’ÙM÷ãäÂÀÄ1d»9x*WLY RŸðáùò‹Šçq>pûáü‚Ãýí¶°ú¥<[®ò£é|tq™¶–€«d?"¨©¯Õ$–¢œM¯ÿ b‚‰!ža,m*ùÁ” hÑu†¹Ö ^ÌÜÇ),$7šŒ¬¨I«ÈGäÂ9„^˜ð‚SNÅ‹í´\<®˜öT\«…ˆ•—ƒdM¥pXšóŸSôÊÏÕÏ m5ùü¨°gZïêó´Ht5iâr}á7”RÓÅ^¦·Kªàžx²$…aº:~#¡™ìx>džîÛ9}'7Çš70|yÈŽÈNdÖä;³b¼Ý»¢êú»µ<Ûp—.Av‡ ø<À¿tpVæU2F'õýñyØ:ƒ—xÂÊ!‡¬'"cÌŸ¡ ;lÆ­ µ ÂD<_yôÂÈc2.¬8‡Ñlç×Ê’‚Ö/Ùé­XSIéç/òa5ÎXæY¸Öy©éГķЉ)”âŽËR¯Ã¤_e +\‘¥ 4³tŸ¥ªÜ±¿Ãúü0Ë”¥ ¶>~³\'¶¡Õ¹ãè;;Ü?àÔ';ûO*9*­í¿¼­[´‹ßãôÇqJõ½™¥?‰_º÷ dù"Ç:éo͸åÃpsÓ(É”í½Dq?Øöþ¾{ûdŠ1‘w­d-½è—Ï,TDïåŽ÷É}M7På^þiCþÈ6d³vþÀ-Yo¾“¶ØIËjòR ¦Ó³I ,·OϾÈþê­ú¾Žs]ÇMï'äo®FG:}c·ù)œà¸í£mP?Ñh.pó17¾õy‹G&æÄtÔ|E$R›E…>eW–”¤¢!Êw‘•@9y?áÜ6o@>¸ú;Â÷cÈ€À‘²"ã2JHŸO‡Y"eÖ8}Åú÷`\ˆWAXµ­µhþ\Ejïéñ‰ôÙŽÃã­íƒ£-üLÜÖ`ë$H.Ëd['å0N¹°L(x†ÚÆVáávd¨b…âÐÑÆCªo¢æEðSFÆ{±ëæYôá`í;õôkÜÍ¿„ÂA±î0¨3Ù—°«…ò`ÇaŽXöܾ!¨¶´i­’‘`¯Ý‘z- ±â5–wˆ°§äÙ FJÕd£$Œýuö hÙ ºŽ@Â."«‰’b¨UhÞ±~£Æs8. b+nM˵±;Ø…ÅŠ:p†aqÉpý•JNK„rR}BÓ?d• ²2Õ;ñ1½Ù|ôœ8~¢<ð³ÛIo ¦FD×íh02†#è7søšÄ4‘ºÔHë7Òu$<§¸hÒüƒŸkþM…– $||ˆ¸‹ ¤áFèd0ì·o8ôp*Îm|êÃAß Áð·ÝÍÖãýÍÖ60B¿‰!³ï ãW\„©ñÒÑIŒ šÕþ¨=Bùp±ðÙ˜¸X·«Z_‰1ehÌŒ+}áõam%|ïCÞëñÞI}4*"Dê,îwRÏé5ºc銑/çø"ÑzP Ï#t2醀³@bsuèøÏ íT¾nOÍ®èÀ_ÿ}´ØÀû¼3r´Ñ ÿ‘à‘ëíê'bÉä!JŒ¤¸ÿZv ÚL7»4â['[û¿,”ìŒnœ´v7žî7*e½{ 0iX·ÃMr€†”„|&fÏ]ùÙídØÆ­ cø1¸õp)RŸ³aeyA‹‡e^øX´EÍ ˜¾ˆm‰õ@{щCà,F^<1² ™ÎB îüÏçŒÙ³yXŠJ%ëÔ~æ†dT¢Þ¹üçÜl>œîYùÙˆ:mór˜Œ/.3‡^˜ϼ™1$gÆüÓÆÎÏO+®~ {ˆ¬ó.É> ï¯ÆÇãIúEÖ¢Ðñ«U@»äU9!ìDÉËxß³e–—ÔœÈ ÔãÖÁÏ•‚hÉÖí2;¤õéqU9¤*M¶ªpõ¨²ZN4r¿¥ëŒèaóˆ½IÊ€–ânÒZ;»µË’›>º¤ô“Ë&FYñ>õzôioÓßkä†ù×ÐÇôé½hpÌډѯY´ÜøÖ.}ݦоd|/éO¢Ñ.ìšö³>¬yåŽe«YT¿Û»‹cÜŽ€~'½:¢ìˆ[bßÖ‚<ìïìÒÞª?¨.êéb™C ‘—lHÎÎ%ú©>ÒSä7P%é&±ÿK[qÎK4{»ˆG©q~Š{Œ «3¼NAT+ö^‘Ura¯ÕèËÔ¬ºq¬AUáÔLôW G¾òȺñFçp®Ä¢è¨Bš¸/yÿÙ¬ÃR»#-u€àŒëÁ·aù§üëJÏÔz.³!Êú»ó¹›®«ßMAüò;}I9†X6®¼þh‚K1’zmcJëd¶£PßãŸ}ÛÂFcRÞ¤k”w!'¿W€ª§[o¹  6?~!AДpðE”ÚMÈŸõý‡iÚk…¦ë6ÌêÔÝÈs\‘[ >œ£Äûúvt”W˜gÎÒÞiÓÑ€ÌANÁ–9Š9T5LËÚy¹Eþ‚×ͨ ÓÀYhW Àw+Uøó5JbŸEÃäZ5“á 1ËvŽ6”=5€ZÆ#„ñÂ8Žáì û“a8¸ŒÛéÌ ¾«®./¯ ˆŸ¢«n4Ua!†C8ëÌÊ"€•oÕÎkô±Æ…Wqœü´s¬ö6€¬ílì*x><:øegskSmÃëÉJáør|°ûôdk÷7µ ~Ý8:ÚØ?ùMm=;<Ú:>ÞÚ ŽÔÎÞáîÎÖ&öhÿ7ô™ŽÐ6NÔoOÔÁ¯ûêhçøçZƒ§)Ùʦ eÕЩ‹aØ—¨$ƈ²ƒãÍExEeêߨÁf+áô_ÆÒ¸ð ¯Ü€ßŠÛ‹T€ ‡tüO${2Àøên 0ÐJDžãòQ y’îQpÑ0>"ÎAâLü-’Ö.36€E†¡|c‰©ï*LSƒ•4t¬L’·ÍŒ2Ê u|63±$Ïç 6'ª P\ Î)BI.À®’qL²ÿ´šŽn€s=ÇèÁÝ/tPŽÖFó[jOhGãÉá.ìfm X°DÂæ Ï‹[8œŠIǙ一š0ží‘2’cª†aðÒàâ20ÑI?·“¦]OºôbQ#µ"„…Á±ïÐBºqwľR;‘ăi£§/ºùMŽHP+ç­›A/^bÑéEoŸQ#¦lT™déZt’¶ÞrÂ<=ùéà蘠ÉäÖ/ÚµKîÛ›Þ2÷´oxL І‹-ˆQ0I<†È̵øXTÑ P—HTÍv-âv‚mL6Ö¦a-Ék;ûÀíìî’WÖµà)¹ö{º¿ølIíÆýñõZ°Ñ¥K¤Q 8¸¢°F ¯sÞTÖEy-a„#U=Úó*"½íLP{Ä®œJ5ÃÂ` _V†)Dã Cv¡ÿAf…,ݶ€0.j ÈÈÂoÐ +g¨iÜ駱MçNN†Þ€!ùEóàhS·4‘¹.ÄñÃ*Ãþ¨ÖÆ^¿¢GLGiˆˆ¢á94½öÀဉç$üBÁ‚ò,FÆœŽÐüS×*¼n4‘ ù‚sÑ´QÖd‘®¿›xÚ²ö—_–hEAþ Zú4™mŒ[I±+ÍX”` /~ÅÙ øî&A¬A·ãç,v -#*!|ÝpŠœ-Ÿl¯¿šý]È›·ï¦z‰²u,bE¤¦=Ôw¨€bcÚ% ÐÉo‡;plDæk-ØÑÂ=ÜkJF5 ¸1š‡såR¯ ,,‰wWÜÐñøQ4èbˆ¹–Š„Cl®&‰TývwšL:L:¹€*É «3×pÎi7aƒûXERDç€t¤È²ksS[kãä`o§I” éÝ@È7°MC:è&0úœB\Ð!ËÀû4‡Õ†pÚù ”ß#nÁ½]Ç­ÙGJj×9éPœÓõ´9Ã1\´MVLóxµÄA³" -Þ|gÿÉñt.!N,% ±O-(ºI4†TèŽ/±X/ u!V”<¡¨Îž‚ÝþSº"2-äÆ?È‚3Wˆ°iC3Ÿ¦‘^xDT‰nE–wÁq¤+{nÛw [G÷xm“"\;#¨VcÒb «ÛèâiøÅ8$Æ>2ÁPûÐ¥DâµÕ.jš'Dèa׫fÙ\ m¤ôÖ·P©d«åñ¢±ÒÍÑÅ sÂtg s±ª3$¤iÒëíZ Ì÷xÈ,`@g#Y<ë2ê}ÀÓ )J>ÆZiI9•à˜šüÂ@[_[vãsŠˆP þ#ä?†´ÿ1¢‘o¾ùºPþ³úÕÃGß8òŸ‡««(ÿùæ›OòŸ?åßÜgª~÷ëée0§žŒ‘WÏNˆÙLYªhÁvæ\‰óÁÆ Ù†`È^LG8.« ÍܯÖ}GP/ÚŠp²C# Šîgi¹~9 ÒµzýÅø¬²ÔdÔ¾LåÓ?ç_ÙÔ8/·ýÞ¹€)HèsN×J¯g`(PŸ¹˜ <ã!#ÇþCÐ!â´;cÀ'¶%„L”Vн SkX ¯˜ žÁ0ãAéß)&̺ø7¬‹Çv]Ì;k¤¤N"ƒr—ž½¤¨êÖ­Ò}xYR ø¦_KNñB„Õ“è€(ÛôVß~éÓ'Òƒð+>WŸ§ïUí9iÊU‹_Êz‰èázÇí³:fGBÿ×uú«‡Ûã|.™VØúÎ’ÎM£ÁN¥rKó+ó´Zh {mÌæÅ FE¯6¬½!ÎJ å=;=]¨-žžV²€"‰Ü˜_11‘VÌcT`Mè"¿$Í\¬tMɯKò¬æËl¾Ú"g0M{¹nŒ.€˜˜çIàKê­u”n •àZÒãô3;¦°ªm3Y’Ig@8@Ïr A« Ä9kÒMb\ ½Bû¾]†°7nœ ©ÜáÆjd{ˆBÑÈ`‘Ÿ‡vŸLôr¹ŽÊëj›’æñïºâæ­åv6\Ô|ì@X»„·oeŠ2Í*¯—é‚vƒ9µ³} •Ë 7»¤Fáq(èE$ž‡ÑUS;N#:…èã](õ¿ã„HYœvî{$*‚ [ÁÉ=¦,A¡+^\ØQ)ÕW…êÁ[Ø9W­ã5ø×ÝŸÕBÓfx¼ƒÖj…ɨ(‹ e ÆÍ Øíü Ý¿ò#–Ã[o0ºa6´V ±QR¥Ò PzU%¯.I"DKµ›$¯ô=œK89-ûè'ŽU'’!mн­óFÀ«t™×(mÍÏOOë/UEÙ\ðØ"%¦á먅훇?늞üyä¹´•#`ú §i€@™d7.Aœ?6XvÎ9†&G}~YgÒ 4("úƒ’¨¥äjôùB¯NÜ¡sþ9颎‡ó5*Çô¨6Ì3f_E<çÃ1ùc~ ØÎ6ö7ˤ2'QìiDy†ô…—+ÛÑSå¬àëyÓÜ®Ý ÈÌ® ]â3÷–œR¦„&&î×5ö»¦C8Q/ùúÇîð tëŒÄ|çD·[%õëDʧW„*=E,wNE:FT'1±Vi‰êAÉtXB÷ÉŸ#:W[VOQØ”ƒ<†U'0œBqŸÕÚ2sÕªôö­4•Qšƒª±t<»Q%ÑðcÁÅitÂ$² ”*/,”Y‰ Ô b£$È ƒüÔ×µÕÚ ×™¡»ø8ž­ý_þ··±³KÃm 4G×§óoæ¹QdœX5ä‹+"õ`x—< “ûTHp½Ì˜w- ô><^i”çaë:<^m” ‡‡ò—ð=Ûß=Vý1Р~Ï©»ÍÖÆîn£©Ùk~v7öŸ<Ýx²å|„ÑÜÄÎÕi/¿Ni#g 4 ŜŚ“êš[‰•‰Ûy¤•O8}IÆ}tBŒBç$,i{ÌdœÒ%r5ºŽÚc>*é\sø±kØ([!êFõ[p’…̼I^‘„¶ë•Ø<ØßÞyÒ:þikw—¿;Œ˜_¾ÑOÌÒÿ ‘Ys¨iÉWjdóÖ&weȯkåzºc£½‰º8íGc8×éS/o , À’©aØiÜ×åRš…WÄ¿KtO)"1ШM<]}À¢kÖµ+ºÆg ÒQÕ׺z­o-†,Öï™NÔ½*+ÿM°G盂?î“í©JÛ†w¤êõâõ"ppð÷µìSp`MÕ×ײMe’%õÚKÕy4³)à*håa&ìÚ9Œ×F‡Uxщ™ö[þûñ÷Ý~‚‘7XLŽ*'$"¦ ™™³0Æ“.Îgxꂬê¯^bsʵÀ¡íËk¢Œóhp_$çFú %Ïû-"/«_­ÙSÞûh±]…}1'b„(±@]-¤ã3¹|âU¥ÿ½É®‰u™ÅÌ‚xçîv~û2ÞIlZVbÓ(9’˜ÓÒi^súWcNqî±9ÿsú2Ôr£,3ÉeN 3§@2Sâ©ÑÎQ%Æ'Ñ‹]¨,rίTÖçï阮?8ƒWdÙfB$GºŸÏ´b3AŠ-³x°\(¶Ž<Ê/gÚ;ée¾¢LW˜Ÿ‡×a-ßf<M*¬óT¨ªwgZÜ|¹F¸žÖ7Ÿß”‘ÀÌWxc¶ÅkŠgs ­b–’ƽ\µ:âÊœ€òõ"ºw"Ö™nCÒC´Ò|’†€¤`ÙòAüu]9üab:† ö,@EzÇs`?i­4JëÞ×y÷m~wgkÿ`JŽ’ +lœJ‰À­cõÖ±êÕA¼c™:}Z‚aqÚR¦7àÔ S’ù¾ê}ÿâ }ªÂl,<™M}©VN_ž–ÔtegR̉m1žã 5Æ ©DW¶š?üiÒØ?Mèkzv:?“þΚÏÉMò”: ¶Ãzb±‡åÓÒ³SGì)@õD?“÷’:= LLÛLAÔN,ZÉ.ÔÓù…µ‚¥*ȼê¯ZrN ”ÞJŠ$¯´Ad‰ížs¥šâä¾õ“€ÃëÏg³ iÌ'˜VØEYÜ §Â„HB‘×nÀÉŠù2e 車LòûIKL#Ö#‚5€þª£äU  ßÂ<›ˆOÙ|“ðõ:p=” Yš`eHGÄ=EЩa‰4"B ’óUøÖ &E±íXÄ h¤FùöFº$ Ê^2øè%×€•,ÁÆ…îÁf?}GŽy,ùا&jЭa£¡Ëª6Lbì¤&Qfj”³#ܵU$àR«ˆôð¬eFNBp!I^0¯™ñÈL€°äÞèSš7ôšõŸ±çšfx>ƒŽúyŒ¬L^Êgͼo;Ú󱀉©›Ç7žútšÿtšÿHNóæÒXÉ‹÷=S<÷«e7I¬õatèB¹IÖ—1biò¢.|));è¸#¢n_M¯Vò¶çר¥£Ž°Í¯f£¬ GqNïÃ%¼‰Vî}3™T“´˜ôÏI‹¸Tæ,RãÁÅ0do@æa c|À:D±ÀjnGý‡ÝxÄ×ìU­Àÿ?ýq-^`ÝfœI™Gn™p¨Ög´:¦(ÍæÐvÆÖJ Æ#­ŽŠˆIeE¼M*Û}m·À&98{B›’¡ñÛ—™>FÖÝ…ãߥA˜«;‰Xõ#¹ÜÔ7ü!Õo\|­Š–Õ;-XfªoÃì5‚ÑàeuW<0Ò8‹ ö­[ÎÉø€ÔŠ0¤BÐÜÝiìµ¶Žš[ õähë°upˆæ(Ç@äÑ^/K0I‹ÈS>:¦¡ØÖNϦiq99Lsõ¿l¹ÌHYþF™lµÀ-·À·oøX8¿b$kó+ë/ òÒ{Ã)˜ºÓˆýÖS…öÈOƒ ¦¶ /¡ùqä9ó’ÙŒ›#æXiŸHYæW‚w*_¹maËä¦@Úæ0Ô„g^7ïk)ƒ*Á:PË%DæI°¢ÉÛ¢ëQÍ•sJû0Ë—ÂÃû€& {ÇÛìÞ+àZ[ƒl“ñZ„µ-N±ÖÌu«»Žp‘ßXMýe+!jd{ps‹Yv¥ª|ñJ<~]>Ò~'Œ3k§1xô"¼ÁíMª@†Oë1@JÚpœ[¬¿ï)nøM ÝÓ27äwlÉKŸýãj*;—Òz¹nŽøårý4Ô\Ù²PÜÞ8¬«ÛÌRy^r—u³Ò’—‡ÛV¡;¼Ó¢ä™M^Såg¨ òüŸõ§•zð¿Åúâ|Y¾U§Àçæ Ôë§Ì5=Ç4§úXsÙ^ÓHL§È[ÓvT¹þO§¹§õS§Áð<_Ã\y Õ¯Ôùùwüy‡¨0âÆ×gÎ>#àÊm Ó:ä¨Õ×Õïå—2syœunîåîÞæ³ÞÔ"w‰0ÛÉwöì’Y²ºi;ZW¶Y”y­š„.'K4pȲh¸mÁÂB3»©ôõ«3’&ªåièð™ZÀRfd+%#›Îß=f‹šö¢.0F°ËÀ»O'7Y_ÎK.É0è&*£ N ^2‘‹Å#M_Œª)ÿð"á+ŒWv^‡ð邬U‘¥aúŽÆr=9 i_iî'ìal«“ŸÃ>ÆÒ½&W° B#€ƒãŠøë¤f¦KÊ1á¡6³},pëagHî@* D§YõÃø5ÅRó,ÚRÒÉùß´£P[.ñ«ëæf_®ái]Y(Âby®7þ Ö©ˆlë_6NçQ¿â]Ù6M+ùçW¤ °]ÊŸa‹¡ÀUAŸ7ŽžÔjµÂÙF¸¬dØS”·áXa-cÏ` @¤bÖi †ØtZÔYP¼›œÉnåyêý‰ÏœXÅY! ‹HË-^±jjõÆ)ò¸Æ`P‘m&lÙ • 5é¹;[ÅÈÙ¦†ÊhîDÍòR4;ʈ¦"œ! ZS~W+/s†0‡¤ibŽGm©ç|7 vž´¶7_L¦1E“{ÀG…ÒK”·ÑÆ8¿üÒèQ%’Þ€íÖÔι’êp€¹JTb"]öf°Ä¦Ar!Z@(œÉ8ƒB¾‡ÁÉ¡$övø¼áqxãK¬pÐï”Õ²¡†T‹Añ>3NQ×TÆØ¤ÑX/‹LT²­¸Z¹ó3šµ|ßçó\-ÍUzç\ÓÍS#û>ŸIÈ‘óŠÖ\¸rÕóÎLÂü*èçê#U®´ŸqÕà³­¦‹.õÇ® BÅùŽÓ…ÙŽ¼Œ&Ðûkéc.Úð¬`‘Ú"°µ#ÕägË¢z¥Õ¢!sÿ8Ë‚ÒDôS  æKV/éÚ½œôUT¢ë%O9@²5ôƒS¿ùæ·AsˆwXéTmxèe}‚â@ M‚/¿NÕú‹­™¦ÙR·k%Ô\ôXÒ:%ш×O,SWÉð¡ËÌå;ð–\›ÇWÂLûÏÆOÖïÀ"ÖïÁ$"B[[a!q`Gj^†Ã°µ£°²MT4¶ÐóM‡…rxÖ®äâ2þ׫n¯Ÿ ~¦£ñë«ë›—%ëîÖÉÉÖÑq£¼ñ¸¹¹µýä§ü¼»·pø¿GÇ'OùõÙoÿg² Ôy¯’yŽdíÄñê_^Yýêá×¾ùö; $ìöÇ= b×Á…HXíÞbÏkBìÞF_Fç³®ºY;eV35wÀúv—$áÞ·U盽K.]3‰(‚{./Ø €Êúô9§wq1ìF‘Úª©½ö^x Óº°òÝWèPéÛï*,ÈØôø‡ëšRkÕJÀ[틚þ€}7>ŸÁ­ãq¶¬¾·]ÏuÌ›p틪ö*8RÜdy=“ß5/uߤ&É QyÞ™òr ŽZ§}XQhuP©Ÿ®ž®œ®:Uº`ª§}hRÍô¿Æõó,´/{IG}y­7ùXÒÊôo&oþYÇ+îk«ÃƒãgJ.á`ÇYw7V¥Á9Ü9ç[Ž[êO‘X/AÆò0íNÊ¢D‚úÞdCö4œÕ±U'Áì”G=4§Zwê(Ö•\ƒÌÇ“’ò”4»N'յ鶈îB ¯Ð¾$b¤æŸ/¿X"Ýe’ßùMRBfWÀÈöRCŽjô†±ž I]õÃÉkº…qè‘¥'©m³×ù9• r † ñåÀ’‘Ï1msŠ^ÁÉœD½°ý BßH¡È¸‚ý®¡K“2‰á„™Š…a—“U7L÷—šÏз/j´š RlhíËï‰Ø¼ÔJ×¢ˆF÷>ÕþbÅØRŽòõÍi»Œyð§½XÑ`ÊÊëëæä•œ}Ãà¢]xFQgh;Àö\ßTX»S`ÚfA±^×ó*½üö[Rô²ƒÂÕV^ª”½Ü’ ?·zµÁ5[:Z®öËú’)€cTõœliççå/Mõ#î­é\G'£èK³.üPw‹ ³‘ÍI,±Iîî/F ÔóxÅoµÛWÕÔm´îRQ~ÞŠú-Øö¨\Yôžs$‹BNyt•¨‹dÓ•®I¦•Š:諽ã߀û?K€n¼äº©Rö!nc¢MÁ;´š”_­¨Í<9K.`›Šì–…¶Ì°Ž úY!k­Q’À8´[º¦ÆËS)4›sWûÿàDCµò;žEÐÑsA€:Q¨CKüÉ‘J9TÁínìùˆhÐ;9Z@éÉÙ¿DckwçñÁãÃf‰.Òž‰~] N;b‚²{Û»O ùtãGlú¦ˆG7Æ·¸8Ѫ‡ÍŸ7žlµ0Z£|Ñ.›”“£|¢Ü¡7ÊäŸÂ¦Ÿíì?Á¼*óåñS¼F=8‚íq¦»n[òéÑn£\p8Æýø÷qDãÓ(]´ÿÕêuÛµ6Ztm‡(‹§hFB}9Ì [£“U¢_J“ªpè¹h”Nƒ9D uâ£Ìq| rØ {Nëä·Ã­ãÖOnÀÀ»:úK)?‡UÈCyU¾"_¾ÐñÉfSÂh{%FÀÊï%B‚”K‡fášO6Q¨Þb0RoA›i¹ÅÖ)·×4Ç7—ÙÛÚ;8ú-Sûmòjs›‚³5iب Ù±¦“Fzgÿ¤`~âþhêôœlB¹l5(5¡ÀÓý(㤄2¶PBv ×bï~-íä (`¬QØZ€ä¢è¡×jm=ÛÚzvÒ¢À“€ÎÃÝYîzÙ옃“nì¶Ø1-ø@ ö·¶6ÅwYëàð¸µq¼'%оP‘§Ç4 [°òw[P±“‡KNÉ@„Nz“È›厃­ýÇ»0?mAcºŸF%ió yìg¢Êr ( OøãH&?²ýJrlÝì´¶#§g’@Ù›?m5>~º§«µïÙÀA…) ˜Šë&6³w7¥¥ºó8÷ÂPâ„ÿ Úg–½ŸÊkj¯å6·µ¹µ½ñð>>8Þ9ùÍKÄ—_¨Ñã>¬qzÂß=X6ô (ŠÎ[d“|ÒBZlüús ö~FÚx¨9Ó^}Ø:<:Z´Лvî G¢U;ûÛÁÆÓ“fè‘áž‚&m[áý‚æoOØ}t:l›z)0•iDª=1¯º5BÆ’T?½†:ê·ö`,2÷˜~%=c|ÈŸ*fáÉÃ/˜‰ž,áŒCÆœŸy· Yÿì‹< 0hû8@YY< èLÑSŒ›i0Héoç:¯cü¹õºø‹±Ÿ(9iãEug×ïôÑ<Pd=é-½ ‡QǾޤxÞ 8á(Ô¿±Cš3ʉaÇàW~ÄAT ƒ¦¨@¡z>áÐiNN;.OŸ?dNÙÃFöDâY‚Œe >Ë–Ýâ#U™RÐ;+|—'pj:9…RýQkˆ1¥tF~!µ•a ueu²vý×¾Áað¡PäóFƒN.Q[›Œ´©%ë†?†ñu+Mh$éý¢?†m—ŸaªpZta˜TomaÈY¦]LË+ê w»QÚ?ÌäiV´ØÑ®_Žœ)ù·¿ÑŒ³cnHÔNäI0Ÿ9?Nâ*­)g6q¥jÇøb8¿}ÀL›ôll†ð_áëæ°oNÓúC8J0„â"g¨˜¨¿ #ÖÑ’zf¦ KÝ0î™ÁÆËIÛ©?LM8f±žù^80Ïã¾óf"™qè.Û€ Ñ‚Ì`"¾¥ãž©âŠ/ãÍРԺ…G>å{]¿€‰1 HÚ2 € 2&ÉÀ€½’Ò¥ØÙ¯}±Ò¢lÇÉ8•ÈK£Òå‘4ÜÈümŒY½¹ù{1æÆ½ÝnõE q;Äôè‹gÄÇFÙë9(1R•ˆE?VwÏn¯e}ÒG­Ë¨;h˜71Õi `’‹>*1YÈ¥¦`×Z¶:÷ê°×A¢ÂJX) vØé ßùpdÔœÇKhg;<`¡†/Ó2¢}àcƒ~Òb±t¡qcîGàfÒ”¸(-ŸçÒ|ŠÝH—®á“½übm°é¢à)€;KRH¸6vm#øqÍQ2V ³ª’fnæ$RJú»Ñ9šD×@Óˆ.§DSÔ8q¼®íÜQ©Ÿ' Š~(ŠXÔd Qôs$7):ºvSöQìnKsˆ7Zpt…ŽäÃöˆ­xÎjâ›æ þ ij§™Ý¥—KèË´»¤¢Q»ÆÊOèÒy@W=ò FAþ€0¨óÕ@Âä„L#ú„m&¤ÇpŒ.ýÃa'­UdÏm”çß8=xG¾Ôô¾œû˜ÒW»ç2ȧ²»ác&7­²f ð‹“ñ]ÙaÜR0å “á~šVö9÷+LeÙa]ÜO’Zöùq[h>2/”mkÝ££<—xWÖ,T.?¦—5£E_ .”`ÌKbîÌOJ³)ÌÏÍAÙr}¹vð—²°‡¹ÏÌ2RtUG ‰þ×`»â¶09l'LòÔš§Æ"C–róf M[)æeöžôƒüfÚgÙÝHLѵfží£y2Ͳ€ ÚF»l•î ±Ø¤Wï\¯9 γ}4OúA~ùÇï«Ýꥫ¶ÒÉ ™wxÍ´ÎËà¾8ÏöÑ<é=Œ;’Å*£¿íy3WˆsÔ8‡“ƒ*Ê?ÛG´tN*½ù,ºP¼7÷E÷FçËwÅ!Ÿ¦Xñ»ÿê½™9çÙ>æ{¥ë±=Ó›îb¶-¹”l‚ƒ:ÍÏâ½¹/îéÚ ÆIbIAýf:…¼”Єù:C˜¯«‹ºŒ¦Î¢AqQÀæœ ¿†M|+ÍVÞÝ´xsj’ÚÅÉïóV¿¬ù·Ó%å)VX ϶'îsâb‹*[Sn™î¶PŸªádÈ ‡«[ç´“/‰Ëiý94õE½U¿1…‘OðþÀ>ƒ’œå¼6•`33†p¼Mæ3\6y¾àc§w>ÓÓRð@ŠÊKª, 0vxì:×ÚF?1(E¬ãSæQ?ÉofépfY5Ìß-:`Üûlž ¾sæT'ŽŽsgÍ“~ßL¹”4ùÃEžûâ<ÛGódÚÊåòm•àSœ_¿ÜaQJÔAm¼ø´,?îe)“õG¬ÊÓÔ‚c‰Ä;dì²Çó^-|7;‘IòÞÜçÙ>zåõƒüú+Ím/7§U²Š\iÁb¶å¹g5‰™Lþ«÷æ¾d ÙOæI¯n·…ùy¸ŽóÛ_þ©ÈJ=@ßËÑ(Z§@eÕ*J›03¯F/ì&PF0ÜùÅŸK3ÈVrFá3xˆé}¸h 8ÏöQž.‡‹ÀDnõ:r!¦Dûlåé2-‚˜^¢¾´î*úP!çA~}ü±NÝHùñÍ“ž4[´`ÎDPÀErÏöÑ<éùÍ´R HE±èB÷ÞÜçÙ>:¨y92HùÞXé ™ôê½¹/¦2~·æI?øýv*â®;bžÅLS² ™wÿÕé?§¸Ÿgû¨É©°hœHx$e²ÏöÑ<é‡l·¹¨î3K¤]°Þ›ûâ<ÛGÛx.œo9 £(öÑ<ù”lÜF‘e-:ÜçY7E2¶DÄ“ºLá«÷澘‰åwûhžrýИ¾hùèb¦ Ù„Ì»ÿê৸ŸggDt5£¢‚\¬ðÍ}qž3Ý5E¥·FÒ¸èƒÎ¼û¯Þ›é€):¡ýZ¾kËNLÉ&Ø¡4iþ«÷æ¾8Ï#aàŒ†C/æZ–OrgÞ¤f³eÞýWïÍ_Óü³H˜ fÍ“~_þñÇEÊò€ˆ˜yÑê¾8ÏöÑ<éÝ)Ÿoyÿœ¹û;·IÆ£êùÀánÎΡ²ŸTÅ\ ¾¹/γ™5z5OøÐçÙÛ7‡›‚<æNš˜yw«ä$ïÍ}qží£y2í³W‚N½*3=%›`šiÓüWïÍ}qž} æI?È/ÿø(é7–1Ó¿ôYÌwª -Ÿä,U›šÍ–y÷_½·,8ç£}4OúA¯¿ùùe✵²æI?È/ÿø£é—¼SPþÅy¶æI?èL<ÂÈE³ßìéI¹3²NbæÝÍöÚ½7½waúu[¢3Ínz>k.%›`Gλ±Ÿ<‚|}ï™””KÉ53ïþkñJ}þŠZÁbAËŠ FÓóYs)Ù„ìJ“GÐ(;Tٌǖù”m¡÷yâ—iÅ&¤O.R˜:){AZqÖ\ŠŸ “2Yü×b¼ðµH2øámfs§Žü”ÂÓ‹N,8­Ø„B“‹˜”½ s6+&æ²e²« £ÑS°HEdÍ“~ß̬s)™eVxXtà¹/γ}4O¦í\® ­©iŸ÷¤ä7Ó¾Ôi^ê4(ólÍ“iPZÜžß1ßïã8bFÒÒòË?zFY¥ŠÒ²æI?pD ËáåRçþ?ÿlÍ“~_˜RO/ õtŠÞÜçÙAÚôÌfÒ#™NÔðõ‚¸Ø-I¶&'5›y÷_sÜçÙ>š'·¨üfÔo½Œ«¯ý´XÐÏ¢DwTô|Ö\J6¡’ŸÅ{s_œgˆù`&ÙïOÁ\Çz^œ‡Ìèá³ØöË{4õajA-C#-Ê>š'ý ¿™6 i¨=.:ðÜçÙ>š'ÓÒᱎU˜ã^½7÷ÅνÛGó¤ä7ÓS[ŸôÖ*ð-fZ”Mȼû¯.¦PŠûÙy¶æÉŒ™­9?n¬ŒL%²æI?È/ÿøýwuše8IZ“qží£yÒº.ü‚^¼ÆÜ¢OKóÏöÑ<1h­†ël ¢Ò¬3fží£y‡_ü»­½¦Òew‹ïp·Lþ3n–Åþc¼Y&×{¯LõÞ·ÊÙ†Ý)kùÅ(z»#Ra™ÿ-¢OH…õáñÊ {«×S/Á¯!ñµK*¯õE ØI¯Þ›ûbv·k{{IæI?ø޵™íÆÖ,{Çä„Ì»ÿêl¸×îÍå5ß]šgû¨÷(ÇŒ#¿\¯«Æ¦CÊMz÷_ÆpŠûâ<ÛGó¤²g+Ö#gÍM³Ë¥d¼ñâ4?‹÷æ¾8ÏöѦmB~4Ù{½G*ÜU šäkêô¥%{åchAʲ¨F”Å•É0¢ëÜaŒk˜¢p=‹ KO£þktF=‰œšÍ¹ñ©¡9\© \†¡z¾\ýî…ìyþ™OWUåZêU¨‡ˆ+*—T!ݰ9ÜHÓ|Tq+C§ÉÉöγ½­5‰ƒCè—¼f'€:z‹úª¶\+vÞ«~Ý8ÚßÙ²FQP &RO_õ’%Ãdj7½Þ~d§Š·£™v£)уIj1èeM¹Õè@uóo Ôè!Ó;5ÿ&¯ø"ŠØ]üä"'Mùè¦Û˜âj•ðéXXb±n)[ÛõôþL2f#Š#悯†Õuˆ›¡làFu™SÑàqi§©*Dîhì…«0„»¨ÙÏOOëóDª\Ãg$ÐÖRKPŸj§@Ã(‹dÔGÎÛ-rN 7œŽ@·èßÏè|®ŠóÀÒ’c gUú Žü+pDa¶y¤¾ÿ¾µÑÜ:Ø`-jeë UÚ.‚ ;á`Ä ëß(Ø£;)Å·bŸÅµ xŠ –vY=ç0£/Ðúó_6ŽF _ƒBñă“~Ï Ù¬¢ÚEmI5›ð9ÛR•%ÙÔiSî€À@­)uEÐa ¡†˜Ø‰xk¦qÄ&Öó2°Åçã® :ØdÉEÇë {]Ѭ"zMy¡óÝ )CDŒÇµ,i¼ðþuâ¨Ê ³ ô™ƒxÅ#9 i{!2ÿÉÒ-‘V´u-˜÷AX›$¯^tæ‚°©r D'>fŒj¬C¾§úË’s÷–ï…þâîÜþT_Òê$KVC U‰²‰ìkÁÌlY#pj:㸠°b•Ï+Œã¯)¤ÏÅÒ·óëo.eMûùäJ÷£¤xöÒƒïÚø—IzÉÓ¹6ýçHªD#Ô´Z¨éæÎ‘.tîs¬ÔfüüܺÞ÷ô% Ä‹ (ô6G8À(·mÁÑÊ4Í„<¶/㔸U¨Yü¸I3±n.èÇv÷þ=ŸÏùõ¦QõÌ ·Lý…5Ô»u{ÅœFà±ñ_´£âúL*³C#S©`±®%`ªßzò&´¤ ?¡›vn¤~KÆäõDHLš@Ò<" H0¨Ç/‚X–Hnˆb’²D;#ÁÂxéö ì1?ìm•’lCŽ3rŒO'ŒaÒ]"A«K‰ˆ¶aÞÃÅŒé "-žŠ2¢µä %þÃk('DªžËáxñŒ§…%™ÔÃFÀb©àX9@D½¯¸°‘Xõ §Ft£hV,¸üXøà¦Ì:O=:88âzpØ@ЇG–Ф=6O½¢äË™àìØŠŒµ:¥vqkÅ@ÄL(3¿h´4¥ ðY†$i”öKòpºÅÑØ…`½¶ƒõA‘n¶M3tâ¡![ïëxZ!QyÍB•Ûi…Ò‚2jN*#<ªáYOu¡P:éMÒ³}Èl–lâAbTù•Pä„\x8QÊ?~º'ÑjåÃŒÐ2êââæÜ'ɉNIúáÇLŒ).€P{’Ö>~º³»©Ä1™ð¸¨ÍA€ržçcངubkñŸŽO¤g$ ­²0”ñì KZA'l.@£BÏ &ƒ‘0`ç“­“É ØÜBr?Ghf΋®¹ìù*s½å~3Ú"Ìü¾U–;®pP¬’ÇÃã~ª;k%¾ )éhS†cÛ6;óÁ×gxÏ®WÁIﺽ[.í £Îzz£÷momœ<=Úò9P­×¡?.¿E`no ùÒè“ Z6ùyFù…ÊÁyÉ(û|á–aþ½Jnƒ‘ â Tkø12'¼0îw’5ñqùKc¥TñzâÙÂrÉk¼õU\%_Å“9I.ÀGg®'Æ©q,2&9.ÀÇ)Àðà8ŠQð‚LÜ]E‡Œ‡††ns­åªñ¡<¹™Ù!«-¤xе…)@žÎGŽ»UŒ-ê…áüתØ%}o²É­ïóÆáÏOŽ_ˆ:ʼn.;¢CÍôUˆÑÊ–fô‚ÒYLC¯ÑUK2¥;@© õ¹à|-zÔÄ¿4îò¯”âÆg\§ rå¼Ç+¥½LsGRÅ¥tô m»LÈQ"¥" {6·kxUôZmŽÃ’ˆ=ÁtºîÇøŽÃˆe>S†/´GÃq[V´F«Åà|h}i%q¶°ïzTó üywñÎXxä¡Ù´U9¨'Ñà1ÝRç2P`Aø,f„Íè¿ÒŸ–^t«êî÷h=“ú"ªÛ“Æ«EIÔØr]N%–†£¡fa­;}æAU¡}Xö_nŽnH÷{YäX^G¡}ñ€ˆðËÕ¬ãa éò0A–$Ó›ïõùFz”i¹éŸŽk‹½›Ô¶é™½b+ŠæBböä²èÙÀ>M‰zgÀƒdІªIÎáMðŸâ’TA¦eDzEá‚rËaXÕ±h °”FSÝ”‰Ö ‘êFܶ(éNùž+ÔÑ "šz1f…,Ê 3m——IŒ÷Õ=˜!Œ(ãê†0ó†Ö &Ön¹©ïlýD<ܹ%Ñu]ŸQ‘BÔj€í¤v|?SPåjZ>Œznþº1ÿ£',.ÐÄ1`W‡Ã‡ #‰±C!›–4ã _P£_k_°ž)î±Â+S)Öâvâ=¡Â“Ñ>æ|¤¸¼†jkN¸Ó½d²½}+˜ñFeÞ² ÁZÙÌ*Ã9€ÖÕ; Ë«2ÉŠj¬fë¯V‘Îi_D¬Ò<0Ű¯P­›ªµÑ8ƒŒ|õŒ(wUÌ`Þþó´FJúoß’¢åœÚP¥Z­DÃaD KD¿Ì‚-Û\óòJ§Þúó’mÀÛz­ööb¤æ>! –YàR©rÇ!a;˜¢¯EµÔ­‰‹Ò:v¢}èfmˆú¡þ–M÷ûÌñí p¾W¸‘rÁ2<‹»ñèf-È4Ão—0•Ó#T &ìW^@9eÊšÆ8£)ïÚQ¨ÍŽ€Î¦»ìdEÝq±ëðM<w´á›lýÒtdÖ‹Å¿“ÚáºØ€™EõÀ.K” k-Ë–Ü6:~ÙéƒTwéb“Ë/˜i [Dø¤ ˆ’Kq×­qŒz'†‡lŒE²W Ôh cvswîê)×m.àý]…iÅ×uÖϳòŽYCû´T |¶D!ví‡/¾†,P^¿`Eü`u1qV¿¡m©r3:íxZôØSþ§Zü²ìåR.ð1…¹YV¤mJõ^{3ƒŸ2-ƒuP@ñŠçtþGà‹-‘)I=Ô› y–q€€*¡Á޵èÂ1’`³-<€ûüÀ̤ٶѿw–_N‹pŒM­ñ(Ú@«×em©“§åçaìªç\…é÷CŒ¼ÿY«êåÜ’£,Á[ÅJ@C'Ö±þšXWÎrÒÚ—kï€t¡±ŠùbÌwR aÌc7oj‚wª†8¤åúú®ÄåC“—L >˜Oæ¯%0€ŸHÌ}HŒ¿’³ü o¥/–´Pö÷f[ÊŸLRL7:šHe°q;CúD_þpÆ"—WKi>ãÔ@›Ûzª×ÅÊuýŤjNmFd‰ç¸ÃúÎáZØ!E©CkwààÜUrµ^?p4Ö*îaš`±BÞá“+À_ÐMjŃðÛ–i`’T0v4œøÔ^< ÖÿA¹1ɸX{!TŠ.Ö9lz‡Û:BLòJ³£Š]¢šµ1t£²½j«)”­uÄîï,:'}%²žaOÆxga:Ó ¡ƒÝãßöÔÄ~ýÉÌ&Ž» ÐÅ^‹ï2 §úikcsëHý²q¤vö›»O7·ŽoaBoáO¡Ç©Ù!:Û1·4ÿ:3ˆ1årÌ$­¡ÙœiYŠ›i`{Cãæ ›¶ÛÉå¡Ý» vûÙ’ÞÌJÆŒ¶:ÊíæWyÁê²­¾*e2 ]/fz„â$TC4BSë¯OÎï#‡n¸€h˜:.®Éˆ¦Öè<­]ªª1Lv(»Š ¾¨ÐâÂf¯¡—¢`þa0§çêûùÕ´tZW$·(IçKN;eÓú ï±Kºi&±Ÿg½Í# š¶ñ›¶£ÃÙ}‡QŠ–æ_±Ó u‡ÉbØ5Yk©?Y¼§Hò#–ö½×"÷–qîæäRƒÁmlåêìåäIAÅÌ:*:BeÙÿýއEüÄË1/÷ƒ­+žÀØ v·®ÂaŸØ»{ò{*&—J¡Pj0ÈÒ44›™¦Üû¤¨6HÉ,PÄ¡¹FÊ‹À!,’Íqß';ض?ìü½ˆô!CLþ¸ƒ˜Ør­ž?ÿ”‰}z£þfC]øSGzýîÔËú ;9:`9dïuÂýê{S@:· D ?êcУü)ë|Üoë³ÕöÓý&Of:PåÎNTšONw9ÿíùtèyßC$o’Î 4\4¡þ@?i@QÈ^B"cßÓ57þAu¢v7DOÐ-ÄwôB]‡½A7ZR?VŸ>S++qa‰ œó^”œ£+OjÅ\Ç´ÁÔÞš_ °yb¥..&F(¡¼-˜¯ñ™ê…(ž¢½ù2 Q.Z¢DW¸rG Ù¶/± ü˸}IÇtƒnÜ1ahcH#¨x¡²®Ý¤`öÃatõ9íGåB¶šÂ7˜¾Vëød³Ùj¡Î€(^.¡™H›µ6œ¢"'ˆ^GdÔ ¤ÑèÙ°óPÀ'ÈæŒÁ æœO¦að àžœqáÈ(hõLô¼õ¤Ù´¾ÃÌ8Ñô“EkÈæBC Ô÷¤1:‹Ú!êH£ &6uí…£6‹®„-"0è! «ÄÈj³‹'Bl²5ÒŽdmÕ$zÂÁ «ñB…1ë XÝ[•š%ÝSg±§'ÐÔiZ“,š›”™5²øÚÁ–qŒñý¢uɉ­Îp(ºWáMJû# ¬ùãߎÑYj~[¨¶Gã1•·ØÈ“l¿/ÉQß(ŽŒ*<à‹¶—ë£h±Ë~Kã”|þ¢Ÿ)ÓwU‚ë°"P+'“ØÂ…dâU¤z‘™}˜¤M͘DÊôÈ )…ÿIÚòzðn‚¤ƒØà?EÌqh‹ƒŒ úo*ÿ@ä)¸2¿]îñH>œÊ?É>>É>>Ùàe±ôã>·éÿ5ò»šóôe¦ûòzcîVüéÎüÓùßP'çÓ­ù§[óVœãÐ߉÷潤‹¼ûÜ›/©‹ø5ù,R¸Ã“ÕÏ9η á_§“X=¡nJ;Ót‰ÂmwêzHþ0~xºàçã—?ý§0¡|sj'ÕÎf:Æ|§÷Çàî'btXAlS†ÏÍæ âÇ¡vùüõ!E!±‘!²_90Ä{)"Ükš3í(šò‚,4ÒAvâápFýÑ=gK·£é“®s}è9ŸiÂáø8}²åxT<×ú£?ÕE³ØÉ•Š§Ì­“COíqò#l¸jñ,´³{Ìþc`li3¸±–‡¹6áÚœ#1b(F¬µ~²&1Éfî¨1·›_]Ã$8üŒnÐ’ø`´_\ÓùÏòC’1å{OØ«ëïÞ£S+ê9¥[90F<Ó3uafHºÁt|‚IÁ¹Y|¯™¢@Ñaò\ÄŒ­¿ Äû3“Œ‰«ŽÒµ£ßÇqŒg‹gjïá½_ãÓˆOÆÑó*5S{oñþ㛲9uZ:”Ù| ³ÙäÙ|©¦Ì&«gâ»ü\Š NcçîÇó‹ª uC1eÔL.9n±_½¥V°ª*âš¡„Þ܈࿺µ‚Ö¢™ÿ _sÉrZÄ+ý%|ùûK7'+ˆÊAŒX®$ÔJ7¹°Q‡È†û\ ÑÁsJœ:" âgÜæ=Ó: ¿ºD­Óá¸ßç X1_¢k¿¸ã†Å:w,ÄÑ'4ÀG;‚ÇZìŒ(d #Þ¸h+\6[_’FÈu‹;0†;ý×Úm®ö"„#D…;0.Òüÿš_¤€_ÿàŒ œVuL¦ã§èTÍ[P²À»ä¯—3' qtâE÷‘ õrÁ¼¼} “FQû?ˆ­¶•ß_ò½GõK&ó[ö‰0î¿ê'W}Sfè–ÎV&uˤ³•yí–y}K™€"WœÅýºPé\ê-`ܼì{Š ¸©>üWÐ,@œ¼~ÊÃ1ÿòÍÒÝ ˜ÕW.¼Ì§"°Åð_G×õ‹h”Þ¤1ÃÀË}ºmØt# T¾}úSA‹§AÇT)?ù4i'·/I»Ñë¨[4~òi¶ñc„ˆÑ-FTÐ>ýiBóc(@Ô( _G­íãÆ<üYWô„ÄZÇ[‡G'G€/Õþ¨è+ǦÌ -fgAzÚ2®¥è±‘€Ö”Ψ‡ä€|‡Á„þ‹¯-ÏzÄ¢ÕD¡¶#-ð{A„Ì–W?GÑÈ6ºó5aÜ\‹QGÃx€±¼è]˜ƒÞÅ1 Pæ”ßÝì¸÷ŒY¸L«Ì\¡(¹_ÆÝ‚±c$‡ae¬‚a P18E@(¾þ}œŒX['^¤nìØô2‚¹ïE£°Šª/!œ ‡TnÂý]±‡>öʆή9¦섃h¨:ãA7†QŽªF ]Â†Ž½#y¨ÙðZXs#Ÿ´\¶Bi½q:j½‚án¡T¾AüŽíHn·VÔ*c–¤CiB ¹@’£>¤jg±Î|¼•ÙÁÛ¸jŸþ¸s#Ÿ‡‹6æ¶"_ý¿R`9Êæ?éùåÑJg™Í·vbÍ£yÒ•ŒÃ4Åþ´¼èÄA‡þeŒARɲ¯åzùTþ•Ëõ‹ÒK HXVg¬dd)q¥"—V&?yÀP–¥ºrI]5M›ZxÅ+,Eô%â|€~†cápé’©A€ù{’ ËÌîX0ô.†˜ËºQ5íK éA;€µ]l.ø!û ¡‰´‡dÎbß0P1&‰ÿcþì¾\S‡iŒhçF­s[4‹N‹y<¡¤×ô'žÙ¢äö”ë´Ú!°M·o×fâ­Ÿ½ü”òhà¿‚ +¥EgÞTiQù äÁ«r.‚ß*æÊON(å0x(w··cOòøHM›ýyS€¹u}tÈ}‚ÓkA‰•É%VÖIîH|éRq8&©i±Æ£rg‰¼¤÷Ç…>®R$”ˆádî™ Âàu0-ÿÍ—†¬wÔ'4›Ðò+‰§IÄ=•°ªC œH5`b<Ïv“ä•ÓUÕœ=È¢Nfèo%Zb…úƒ`Š€Ò_FÚ1V;ßÀ+¿É›)&šìk\Üõö£+Ü—`Ã`ÅPrõøxS=¬-£³ÍZ@eÊ8ZžNl„è•|¦;G6 Xk]“Ñe,ë‘J¸%{îÂeÿ&ÐNÔ‚ OQ %Ðlwß—Nò‰eä½Î¡Úèy‚Û% K0v깺Æ™»D8û±»ôTM#¯t)X°ûšÄ2~¹øG+BÜaã¹Këÿ<]xVÿ½Qý¿Ö yX®~×z±xZiÔ1žø3¾\×»£>Ûã==œí¹/xM!…ÔÜo:tïwß™­ÇÉ8t2BV f çÝ%V™KV ÜÈõHÝ*±º¤Õõwšz8›â”¶`ü×TØ»|ùúºýøxãø§ÖÆÑ“_à3=<=jnU´dƒÀ5¼"4XÞgMmä=ÛÀ"b§”‹î\b_. 2ËøÖ-wü³®L—ESmJœ*3ë‚v°!g þ!Þ~)ábÖÿó°²…Õ·‡­°Û÷^jdÓNIO)Œ÷i¥~zºÒ`ˆ«l`É»i_¦-¥ú?g©¦áÂ2£'#•¢óÊ]è„&4ìVJQ@*ò¡Ê)<Å)Ø‹¿žó‰Ë5·`5JÑ|°"–Êpˆärˆî<úsYzY´2²À†4gKÒþ>²P);w‡6G;N»¢ïúò69²ŒövL¡H<³2Íd)°òÚ¹˜<nhe˜Åsñ ; >è 0ô`Æqϼ‹uqf RçRy¦±—‘u¯¢‹NÎcì_x´Ìø¡f¬  W%õYC-;þOsd˜Üü9»rJÅùÙ¨Ão`F­ûèè2,ÖD¥aÕÌÍö¢n g¬ÚûïEÓ7~šŸ_¤ÆûÇx¤ËæZ”Õ²>ßJ?ø„«V¾R+_ËÆÍŒ’ÉÒ(Û¾5gž™@¯”a`>Ø–ZwöØT'ÅJž°N ÀÁ±©3Y›[°ëµ)T^Õ‚)cóëìÐu÷ƒZÄ»/çšIi{Ï¥¿¥¬"ÔùÁd¤;ÚîK¢š´Pbî¾–Œ$gv0'ÀPø$å>À~Ù::Þ9Øw€IÊ}€Ÿ§ãÀâ„û€züôÉÑÖáÁщͤÝàÓ£]¼•\!ÚnÄ'ºP¦—4Â?lµÄñÐ4“LŸY•^(‰ª1® I!"J¡âFá&(€>ç$cüà¡MöTæ3,†´ÆËaѲ\iììoyI«œäíS̓ýí'­ã“-×m?kwâ)ˆdr¡BI¥“€KZÎ.»fº;À¬J ž•Ù7»Ó¶ZÝͬ…@uÞYœ|E¹*jh¬Un|R—®çÙµ7ÞkÓÛL¿žâòÔnfr®šœÑ¨íå³ÊF.Ø\<ûYjÈÊVû‹¡°R‡^¶]})“°Zb!£CÁ|£H 8@™` z(­€F²”)jTÀ‡ÙOÎ.<ó!JÂÔñªÔ™ ‹ÏL3|$Z¾ x© ÌUË}9 Ìõ›ÙûDZõk8G§/Å›xymR?&fF…Ù)àÛüª$:îh™’`,žI}Ž£àYéC™uc-èDp–ì¦%«[§¾f#?@4Úr-ùÀ)&Š–™à96æ‘ï,L/Õš¯’Á(Æ‹ãr™( °š73f£•%¼W¸ŠÄþ¶“°Ð!Õ”ÚüÇ“ÃCõÆÝdFxsäj]@Ê€Õ&#¯Ó|‹ºçúuÄe‚ïU3a hDe"k¿Ù“QQ¨†Z¦ëö`^øòÍ—#*O0a›]¯%î4 ÓKð8üलSx‰‰@Üœ¨þµcc¡Oîeð*­#ENQ’^EÙ¸C4fIßóP%À&³èÓ¿­qTº2:á K«SI·ƒf¬ŽÇ÷¨ÿºCEåßµ8(©ÎÛ®lÞi(ŸÓŠ€R2`Mîâ¬æ”'Í]š·ÍÑ(†É•àŽª2B½˜tA•eRA¨@8U:SÖS£ùš¦n8îßB߬V@£ 7;ÓkZ–²„¢¤Óé>#}ÿnÞhÆŽU /•¹¥b^@†x%N4ÒÄðÁœêÄçhiÔo³ˆ÷ê¶’¬iƱ‹á0€P| NòÀBn]5^Ro¯•SßKÊ"Ue²H*dñ"Px%Øò¦±ï5{—¨Átö/(`5ÆuÍŽûÚì38#0œÅÅS<à˾;ôI¬‡€¸è'tÐN·&µ,µóŽý°5Hï=Ùñ©3ÙÁ úfî>IÁzÑi;¼û$bRŸf(F ½C;ÚãáÃD(è:¥·³‹þ<¶‡ä ñî»`;´—O,©qY¤’Cþñ,? d6 i€Þ è__ÝëYˈ5™á?Ë­³ð®¿¤æ‹îT­ôØ¿äå µÁ,åx€~Eðâ¸U¹ä ½)ÚŒ‡aû¦f¨;ÜäªEl´Dûɬo3ÐÁqâî•:+²á“ õäsDDŽ]vKËî ‘›Ÿ=¡ãÀÓ—¨–J1†HbYÆëé:d8}9ì¹üe™­#éʃ5z' d3'(_‹”xÉœ%ºåC×´C¤ƒÅÖD Ö åyŒ+9¯#ƒ–@¿5Uµ _9D¦ÉUh²LEѬUÊ%EöØyPó:”jæ<…;Õµªpë¢?nê§ô—Àøšß?¢£ »¨ŸêÐyÁwᦳqÅ0ƒ„í®¦—îùÌ©P2êdÉßJ/Ù­dsàÀè²hÂxEÍœµTqmæŠÓËQ’t߯R†abžg+vh“ç @ŠÛº³+M (T©Ñ%e;¹„Ú¦zuªgú´dŸaÊ3¯”’[‰©# À¸cvWCWSã¾6˜‰8Àû¸/A‰£Îš7#Á’Ʀ&õŒõ::ÃðªÏñrEåШ # )©Bž z##ÒFI£!í­F+í™2qÜj–sŒ°¥±Dã5&÷¨Ùr™¤è.«+Ž®Ìmþ¸?Nǰ׹JŒf§iaì¿&—Ãæ¹s,û:e(@M Ë1 [L¼€ £kNŸg†7Åó›)ÐÊš¸ý¢ØG‰¹mL-p56÷*G˜5ÞNF^¬à–pñðvµ„Èö¡_·)ö1¹¼YS:ÆÝ¥Œ÷³–Ñqj[äV­1ï¼ÎaÐI&Ñ0_÷e ¿œ2ŒŠ/g€Y<3T^F‡b‚\£â„¾ÁëzœÁ™Ú6š×L‹^ãÉTäȇ#œâu/;#Ý•"c#÷›` ‡®¿ ¼X]¬ËîÕö,îS \00OúxŤY,W,fa<¶n=t×”×¥/WËJ,®½Fée|>b(Àý±"/¯.'°¥­r–uÅ9Ñl®õÎÐÖwD·hC@C±Ù¨¾Ddœ2Y­èùE¤ûx¹;Ÿ– .-TOפÎÐQôîm'd(u$Þ‹¨6¤L¡—2:ÁÆ>®«zµ~Q~ ‡ ®û 4ᘑ^d³N"˜ï~Ô‘!gñºiR…–ÞèÏ·/I[ÇKfûŽ ÒB(\ŒÈH¼ÇzDè–£þ”[4Iï±pÁZt‡Ÿg]‰”——–¬Czþs—!U9uJ»u½åýÃ.A8^D³.Â|æIËs¾÷Bd0“—"÷0Ã[‹òýöÕèVtßõèÂø#V$ß°&íÇܪ”Y{u©¬LømÖÕ)¹yÝÉèÉ •·?wJ¥SW©Écש-¦WªI™¶VY眰EîïØŸ’ØÑ ´}HÖYÝ=K“Õ2“ ÚxT£ gœ[3Uñ¿QÁËj¿ø ˆ˜P‘Ч8^¿rìvó:†ýåÄ-l.AV @õ ü/]º†ÿ1`bcþ[ù»jÜËÒþIS_´«þ§¢ È‡ÊØÄK¡³´£Át’(%ËèdøJ‰Ý# gõB¡ß.„°-ÏÓ«Ô…¢A¸6Y0Úè[’Ìá†Ø‚ã_ޤãöY¶èhóeáXn\\ÃdÛú¢§â -€¿"÷À*í†À†WIšÈ‘„£¨Æ ÏVë¸V‡Ý¿VÇ¿õçíæ‹:jÇ!ñ£•Ž/– ˜7óÉO¶KK5»$]¥_ô¬ÞÁ1–)3Ÿ©zÉ¡ªž8È–ñ88Þ^¡{Šãæ:؂ʯ‘rKwÖö®0°Ë{µWÈ_•¥åq[Ù ¤—N0é?JmÕª¹—ñÍšGyθ‹›ô±a}=ÇC1 G‚Šù~ðŠ9±ÜþØ{…¤&1>¿mTªí)M,½\u^Ö]¸%3ô*ïùx8'XSŠi1ˆc¶¼¦ÿv*µÜÆ¥ô©c@w¼R–®y•¸y¸]1k·wʼfiH-7@öúŸj÷ªi>#+OsÒµ{ZT›Ò½b­Âx»üçú¢M|þÍëpX….½Cvm‡œ!ö_¥®¸ª‹ãT§2büîšÅjŽÃµžm컑IƒãíIz§˜|ÙãæÑÎá‰W”“n-¹¹q²á•÷z€{ôðaù>¢hí$žïô\Õ( .ö§I¦o-ëñ›†÷Óð(…÷ Ï`/n^½| šÝóF9(3[GZb÷tZ:;?ýâ´Œêk˜õ…0MYù†4|rÛËë $¶ÌOJ§T}ªNÜR½½Í²-V ë¦Ê@õʬ$‚ÎÄ*±²`QœE<ðZ-”r•ñ,§}V¡*ã^ £Õ]YP:J¡õ؈´DGf ñ8~ÓC¥±uöF¹T ºá ´ vÔqÆUjNêªtÞ¸,6c!º0îP8NšËN™‹”]÷]Áœ£J O7dB#~‰ûNШA1˜ÅD ì[ö“WVt°7XRT/ 0%—× [ñ¿0RÏÔKàŒ«»#«æ(¯x…€Û²6E/_—~~7²Ò3Gkf£wô‰˜+§¾ª“ô–íÕ„úïÏT‚­Öh.Æ)æw*ß évaç\õ£˜È E8Ä]ŠÎ˜WbSjM‘|â9þ’ÔeB|¾d.p YRÚz“.0¢Ú‹!¡ £ TE±¬­ä" 6]Q]+±å‚àX–[€¨a{j£V´É½ñe ‡’N4$ e$«h¹Yà<].¦ÚÈWQ["ÏEØ„ªGØÔjÀØà%ÜFgE¬…Ó¼ŠåÏÕÛ·úÁ‹¡ýŽkÁqy`ôûsêcKD³Ö88V‘¿änØ[„f '¶?V]7e_è5-`È ¢£+G¦ÃFm)Þ:‘¬AÍÝa|6ÖŸÓ϶ö¢ñÓó‡òµÜeâyž›¼;ßÇ•/¡>’b^À4ZK˜À9ûߥ±Ú8S:¢?dé©Û#j8ëò–ý( ^"ö¶–ß02²#RE­AÜi =¤CaY(Z?)gСø ¨Ô‚ž]UQ¤kåÂÿŒ._3ahBƒÂû0"b#ì\mù×aRúÅ?¿È”üb}Òå™0’!`Ù˜üáÎG">²*!ãÎZ¶9|7ssNç¿ÈÚžMn º™O´fôm@®cŒ¿V îÎÐ3“I;È2!Þ—2‘)R[E¬êF·‡®º@råu …:N'=:îøyn\Šá‘q­¸m.K0Õܶë¾`9ù ÞÉVÓRpo54ú ;U°óÍpup«’MQ¡É*6{?o¥‘U²!²ŠM&K=Œêéùª¥¼?YÕª<6ôÃJ÷Så°’¾ÙU9P’iÜÍ=Ð óåmWüU­Ñìº|æï2wg£I¡¿Óñ(î¦Uf?ÏmßQ¦¿?¬­,VLä°,^4¦5Ø”’Ëx / ÑÌÅ»•µN&üf~;ªV·Ã3<ìa“ĉ—îŒÈÅWî² ìŠ7pÅýq·îRïÄ­»7F–ÊÁœ”Þãê]ÓŸì>à¤óÕ{V1+¼z¥zø§à?¦ ÓÏêà^§s)û‘ñÓ¿þüøh€RÈ?Czƒ¿~â—'óËV›5ï73˜<ëw_º„™e+iði[e:Áì¶óþ 'óoö6~Þª¢0òî©–“*3hœL.ì-a1|s2SÀ,xð.AV‹±/ëƒ:Pž´þüŸNtz‹ìxœ`¢Îl#EÜé³ Wk¶FÙhî47va¿‘§j‰ˆ·£†ò.Dý¸°[¥®)ï»Ò;hÝÆÓ“TÀDòXD|á™"ŸèÇ E°±Ó*þikcsëHàðËHôž b};ûÛ²ËâcA!¬C*–ÈHaÈY„jæDõ*r˜J4׊»€¨5J¾E d¢mÕ0ÔJí»Ú5©'GDè„ÆÊPn[‡O@ÈhÛï,á:GSäï/G£ÁZ½Þ1óE\K†=8¢úå¨×­ëqª¯.¯¬V—¿©÷Ò‹eø·RÃÏ?¼•‡„øÃz]9R…l¸e\Biu ׳%íÐfõ¥ ŒìY—#tžlªÎƒnWHÙ6"íqÒÅ, ëðâ².ù ŽPgM8_…7©Ìߨ;Ù8¢š'NËoVö÷T4-Ñ^¬¿©-WhÒ°V] ƒóô’ŽAçl˜.Q)®h¢'dôsðèPÕ0 óoà· E«’2ÔÒM’‰t0L´¢ÈáVú2餎˔IÉL¨1—.Y¹¡z7ô¶…{¸r²ôǘˆÎµjℌ©Ël^?¨gN;€L)Í£‹ð”ioøÙœ×¯ÌþV1ˆìœÏXa( oýdDh£™Ž.pÛÝqGß@pÈ è å!/{¤ÜcÎYæ=¡ÿ¤ H“Þƒ%ƒì V@Fx #‡Ž±_Gz­L×N1€S€ùvXËëÒüF³¹uxÒ‚Ýsëhçà¨u´gÍæáÆ[É'¶¦à>+/¡¡°väm#8/‰‘9úè$æ0eyñÎ4¹vO™‘Z‘)Ë/ξӸÍ×^‰À·äèéc;GÄQ%£¸mŒ“ˆÔheÐ"ìù§°J¡õq¬¼‹E„‰»%d¦•£¯ ¤¥Tu@„°™Dz¸|º7¯®®Ì¾ž&ç£+Ž &°ë?@Svm %ÖÎ4&wS®¾×Ä?1FŽ ¨yz¶€ô$æºP¡tò<zzxñ £ªuÒK?åò‡”<¹a~`ÃáMmÂéú+f^0m8ÑÜuš¬8Xí²¼ð›…¢Æd¥ ­!=Žq¥·¼Y$2÷€šñÔ…'Ê ²7db–O¿ÙÌ-Ì<³.Sn]==ÞjímììŸÀ[G­½ƒÍ-cvÈj-ÊÅ¢“{]·€Ë‰J&äÑãh¤#ù2ÒÌ×I¯ Ò·7vá(9g!…ñû¤²2 ô±1_T\8¾Í­Càå|øqå¶ï€ÛE5»>d[öND昑7Še˜Deyu÷Û@k[W0Ç^d#'Û`ù(‰œÄŽ„1«"­æÜûz‹ °wIý -Ö°ÁHŸdç‡÷Nt_Ÿ=éè¦K_W¦ah)â-—Ñ·–÷Ö,Ɇ8c£4W¢wŠ4Ò SãtäYk(ö»öBˆjµ@;{ãše^´Qk̦øôãCKÃN'FÚv5ƒA”ex™+##DMõ•LïÜ·t=›E˜‚S3§2ÏtýãvW~%U:­”Ómèe`ýMÌ©ýäŠz6ÄE½w‚ÕØzÈÚvÎáY˜Ó¨éA*éQ*Ûa2zF³w¯&÷[ù]¯Ù¾+·û¥Ó’Ä’vFz8ÁÜAË=„ÊjŽ úŸ7íÝ.nšÉ·;@,0xB¿}SE½ÞÚ¦í2¶@K˜y§)(»îÙ+•®§deË%Ǻ:ÙyòccHb‰DÓ@V}±3O]ˆÍ Q†ß2¹2¹_ ¼Ù<ø-·e8™x£pó1RüãÇü6Híö±@8™¾S³ùÔšÍBm§f³Aß>é:MÖu¢1*B·Fí Z8ï58˜8÷wßj;2[ 'ýuöEYdáA«n#÷¤IÐþ`öDȃ\'ß'Rq›Ž×GEì)hkp :Ü×p¨€n¸þt“!¬Ö·Âyúd+Td+¤Q…ðõ2¤ÀRbYgÕ€fÉ÷P£f´:¿+Ï÷X¾Oß'2~;Ç÷‰áûÃUܹsiÉTâp?ZðiéOYúJ[µ†ä06Š~òßC!ä´EÜP%ãíÐßùr(®ÖˆÛÐÖ®ë¶Ìt}D'ëÌÚt'sƒBêF܆P%¬0ªx£Ë%ãñKGþì““òC¾È}Ó3‡º) }äÜçÌ¡ÜmÙc~E_¦ ;3ñ´Üɺ„†1ZC¤ª‹·TB"§‚d؈$ã øA¤¢9IŸèZüL*Ó•‹NºëÀ~4›x H—TR@­ÓI KºÖàP÷2¿l³Súfå˲*¿›ÿk‰ø_$ p{1g™1¥lwk° ág`;} ïkQYêÓô‰ýÌ-øb¤ûÄ‚þ±,¨òû`Í,e8¦Q¢Œ(²˜æüWšl’W~ìòÊÀü÷ -=#o[mÆÒû“hó‹6Å¿‘ñA†ýÍì“LÚ´QaXKWòÚ¤>NÌLíÏstUޛΆVa2„:ð§/E/²›\”‰¼¶{'…q7õCptÃaò©!rĤ\ÍZ¦¬í,ßTc-¸Ï>â´XÔ•yXØ5þ¼UpupÛâ˜Ëë§úZUQÕßå]è"NÎþðF+ÁI½ó Ô\b=¨ÒÂÂ<ç.iï¶%önû’N1L0e >7N%»ØÀ{ßì'B4mo¾—NK§S‡lÞɺC>Ò_€À½Šº ~§ô³¢V­@(Þ+ÙÆ°1ÿ£»³:QŠ £CHÈÃÊrxà?ÄÌbÔlZǬ¡¢r‡ŒnŒÀeù÷²T¹mY1ªÝn¢tD!ø5Ó—‘ñQƒ††{®·$#ѧí$Mx'DV·L úªÆ¤Ïé…h¿õEŒ`ãd¯zÔƒ îÔ£U @O‘n#ÞpÄ ¨*x§MqÑD³Eš´2‰²‰™<‚Þ6A…5Љkãßöà¶`u† èêüdxãZ5õ•eŒÝG5aNt ­F‡ÑÚj1DŽáÃ~ŠÅ"¡‡}áC4¦¬-ŽzžH¨U¸xGcRLH€>¬bT{½íK’9Ö,ŠÙÅ|-NVŒj‰™çD¾¹Q­aÈ5><ÿ§z±X¯—_êàÖbëULœ©5¬B&‘'Íbõµæ!ó¶pøÍLÚ¼‹¬û;ì1(M+9ÂBŸÐš‡£‰‡.ßÙ×QßbW»n'ççô4ê¤ôÛ¡¿ƒÎG¤Â‡³3ù¹ ß^8 _Ø9¸”Ηðß³éˆP£"¢©M#*/¦u%ëÚV"“''I#³”Þ³¿y÷:‡42d(ùB SÚ™Ê"þUWk+_IL1þ‘#…hºö=/ûI™ìó ó§Xö¹d?.±?·«8+(vtƒªîT~ëÙÖÖ³…ÌËl£‰škŠÌ¡9Úyí|‰9˜Ÿ.%4±cЍ-ñ.“á¨Úއíq<C<\\†¾©qŸEGI`¥6qÂŽ¡6ù/T÷\"þå«4x Ëôyxö‚¨M£ê‰>•¶~´»Ç’:„ 7àìŠvlÀ”cÉv4D’î {˯裉Am+È9.dP®ú°²Ü,Ú¯}ð€‘tݰt³5^F׃¡;êkªLqâONkµÅÓ PlŒ’È}Åú<ì!§ Ö#!3ÃD#F<ç=®É™ÅbL/¼á8AEM‚xIÕ¸A¾¬z?°1¾–$.•È3ˆvX¡mˆÎ*b ôÌ jXz ¡‘e*Æ}Cà à»Iò Z3ŸnÖÜ+ްó:ìÐ 79§ºµý­„SËNN—M°$ºpnpjHÜáNEàÜ+ž“Þr¹HÍ÷K{>ìI;ÃèN0ÄZº”bMQh›ÿgý­ª— U©Qwÿ/>#~ó*9<„¿NÏ.Ôô>çÃûŠ:nq´u?:“Î’š9Ì•Dý›*®œ‚ÇÞKÄt&/GÒéšÕ”eá-§©:œÄÔ»Êú–Nƒ˜='Ìœ-îkMÅD‹¹wS·YP•É Š‹x¹¿%÷òn;çê ø,õÒ=l”é¤f’ÊCç¥Øì—ÕÂUÔí{vìÑkœ¹ ð;mòiàƒ):ÜKæš7Wq‰BÚÈ™ïm0ÆHZ-ĵ¨†¶ÎÙtÖ‡^!ˆ]òêqE6„d÷?§^{åÛU|˜²Ç&‘}켘r™¤{°3"nwÎ]E·¡î”So[@œ1zY!åXSN®¸Ë±fqeÝgk#·‡®ˆ©˜®Þop¡‚Û÷#{zλ´d‰?™ýÁÙ7øû‡VÍi#ÊïÓQ'Nj—?dÄWÛ;»[jñˆË9,[H,Ù àãQiI•®J@/‘oóÌ.œWpas´g|#¥™…ayA—W«1a4g9³¹uéŒ1µƒ?ÈPã9o8îC¯1ÐiŒ6;EßgnyôX@’-òŽ]¦þ}DW ­ /ð­PxU\°0ÎAq0ßwê§]÷“LÝ m¹V/¤*e™¿Ùxcþd&çsW‘ÁyŽ$mn@§¬ž³Ï"Ç9 Gël²|ácÚ.Ñ#‹9јlZÓÎdz‘ö&ãR/ßpú²ZÅûS`¢î±}•ÕûºEÍMBfT ¾OÛ+'œŠÜíâO9ûµEÖ?óéÈ-4Ió\¿‡?ó?ë6+3=‰óxö¯¢óž åßõVö/;õM:ù3r׳Ñú_p8²Ç!}âÅPx‚#PítABn4žâÃÏßM8õ,åÒ™ìaꃜ¡jóîüä4÷s í€œpž²‰l<þ‡snâHýmæùûûóð6öºñ±¢ÅÙ™ùI&í¾e7˜‹ÏûðYµZЋf«e,\.áLH0@âó)»ª4¶‹™ªê¾Á7§ƒY#®'÷Ì'v=¦Qtùú(^g'alѰ7æ3ïƒØ>¨ žÏ”ñýîgÈØå–QMñ:?C÷ÏãHú<„ %ý"õ- K¨H\!hœ”b5¯Ã†GP¯å GjáõÒ¯€/¨ð Æ¿ ØŠdǹZx]qHsŠíñ?8ÞVk˪‰q ~Wí6 ÿIc’[Í.ê4U7öwðx‡@Ú48çã~[;g%£›*åBéN_¬$…‡­òéõO?•ÕetM} Û¨KSˆW§£”Ô§O.£T»KE¯ßÉ+VØ¥ãÝôGã~8Šº7Kt犚r„" #8êG‡nªÊ×eŽáààUÜç» vI"T?)j§Ã*GèÕÀH ê?º€Íñ0NÆ)T]Z^.Ö€Š` (ölmE#<-±(‚ˆR8†7ÐÔG¨Æ„×yË´ Z‡¬¨|5ŒáäÊ eí|›¢æ]B^ú@9¬BbþàÅ3öbe’ž?ÄõÎõ>g€ªÑPËêGµ¢ÖTuð±`çñœ¿Q[7vžÑ0N;OfŒ±p݇±¶‡‰ÀtBë¢!áÌ YUŒ0’£BÑ„3ÍXÛ ×œ1jûu·ýÈ´ý9~ +Øth·ñ˜—öZ‡K€;cT¿¼¦5Ì {E½Á ‹çÎVÖßÙÏ«îg)Î90yÆCTŒI©¨Y¨KŠéÊÂbåvrB5e¡ /Ú뀂—×ëFJß$ªtÿ–Ô2Ýâóóå ÅRÞçûf"#&’1¤lpWý½ö/º¯»  ì°58 !Ì#¯‹ÓàAuصêF¨ª›­ŸŸ>k<=jn• ñY[[ÏN¶ö1ÀÏq«Ub½Om]' ± PuI ùîÅâö%pîÈ—iŸØŽy 9¾Ö5êÊù6g®§Å”J:F‡à9µÑl57š?mµ~ÙØ‘naU$6¼æýä ~}Žkuòš~Þ'ä#X|ýºgm㾉H’­-óÉÖ&΂ÅÜ]ŒÀýÚR4”S]É¡[FÐŒa Œ?[?¹€7<;ÀZ†µ4dæ/Ãúú€‡‡²B(ª DÃ*ðê=…wgl”ÄÌ(ꑉÀDÏz-dìÈÕƸ¦g‰!…l7Cm°Sœ¿Q:_%ƒ–„­kö’›Í ñÌ;öŒ{e^ünþ­·å}ö·Å]/ý%ûÄý±ümxyªgÊf6¹Ð¤Í ¸)G©m8 ÞÓ ÉØð%—®èH¾W6ŽûÓ…¥¼tv–”£¬Á¦w`ŒñDW·Åñ€  vŸÆÚ˜¤wiV(±Û ×FÞÝ8Ü&ëˆs¨]­'.FypŒæ`,髟«OŸQÛ.Úm‰H‹ûR¾)¡x½1¦UÞ„ã\Õl’åê$ TªJñgàÆýí«ÍRM¨êÐ9ãÀ(A*G]Ï$Ωf2@q3ÅüåQÕ•&î ^Ù¸7±§ò7n¾ü aº!ÆÀ±a}±Eí?ŸÙf´;ù†ý‰sº1FÍäë~>¸èÈV”Üh #,Mç1‘•wÊA5G¨1÷ÃÁ ·%ê¢Y( J3úÿƒ8Ÿ“áøÑÃrŠ5lÂÐ9-)˜bS´§q€!Á Jt~Ž HÎe» ß,‚Ax¡Næ5ÓGánÇCrh»ËÔ>DOû+ä¡#Þ¤0BÀІ5šºÖ9àçK2CÆÈ¤ç52Gè^¢æIµOÊ's‹§ ÏÃê¿7ªÿ·\ýîÅâi¥2_?]©Êê{UÓaN^j/ U#¹¦aWB¯‹OIh˜*ÙÀ7¨n¥ªîôÔ}ªdàÈMtrX¥FBH1ÉÈ6Óuëlï8è¢ G³¦-¿‡AÝ\ò8]Ëå Œnü*bIa8P] Ðã"&EÒEbÒNºã^_}»¬¨šÓ 9( Wžù0Ð_ñ)K›ã«]ÆíK‰]y®C@áF/î#­óIm¨ øÂ,ôˆD¹L*qx" ì„KJl0¾y/¼@–u§~ó¥@OblFÌÈSW’³´=ú9u£8àæ%¬Ú(ŸµZæ %œŽ¶IÀÜéˆÙFc¹Ö6>ª4—¯¾RÕ×ê‘™K„iÎ Â4JGåù¸\»ÄPL…@9n;…¨õªö"†brIY®ë|]©ñÊ9N`î¡«+˪~÷ëéeÍkœìxX¬—óQVá«ÍÉààéoéÕéבÃÄý䄿r½‘R|%ôrµÍöVåjR6‘˜SÜ•åÚ§Ô ÓË^:êeÃa;°½xäÔQÅÖáxÜ?&ªùå—ŽMci?Il]%€.¡ê.m‡ÀÊ•—tØ_±Bæ «•Úè¦ÉcßNu†6 À:†‘fLd28›Š`!ŽÒ†7lóoXûªš¼3™zqœRÖ0šóR®ä8®²„…1¨ T׈bÆÛ!†m"H†|ñ¨Jq'̘ɀ$™HeÆ(̆î‚!ÆÝ‰7'Û’s2 'ÇáÅðmø8íñ%ÎËÙ íkU.ªËÞ”»]…pþLÂÍѲ®qóñrgý>†&G݃T5Ôµ=…=ÈtŠÛíqÓx#6ýí¥¯Ûߨ·üÛKoR~ŽÓqØ…ƒ‡|Á™yq|­ t1L^áZ`,Ä]<$dC|&,H¸7r«Fp´¢ûMÄ‘„ézŒ§›ÇµK–Î}cÈþ}A^{5¡'níéCk*Û¸¾³C2äl0ôqo€75f5&OÄâ,g±¥‰ žN2þÈ`þ¤3 ƒåF¼À¤¿€Úœ4ô:±Ù%Êc#C§Ô¨7(ütßLáù㟶vw-¡Ù<2zËÐsWòƒ‰¦—q=§ëþ,IÏ6Ø Ë‡rœ•)ÅÝ£¸¹;t£eúA³…<‘°Ó0†:$8+D&}ãD„Õ Rr=MŒ(9Œæ8åèÀ/-a ÓTˆ’ÅŽ»Mr¼_é·ÂØQØA#ĺøæõFÇ–6 h¤xWêFÐaŒ´t°*\ ær£fJþЉýVT÷—¨{ßÔ–iGù¦¶Âq‹CZ†x=¼f *̺†·ì†[Ñ]\ãzÉa·6ªòº±žp⇼DÚ Ò ´äÁZômmyzÍ„Cz |è þúÉSôŸô4J½Sz\Á~«ƒÉHp¿ôˆ%YÇôœöçz¦Ç:ouMŸEøQ‹) ʇ£YÿÍþì?]2°¦y´×«Or~¢T·ú´×#öQ:µÏ)“܆÷ök_@¸¼/¾g{„MvmÙ2¾íqj^}òo_èß^ã#”ñp¯þ ï®Dú“Ï÷O>ßÿ3|¾hspgÜÛ Ü1Ñ$!el¿LÍÛ“ghM¡Eù-P'4猿µj²ÑLÆQúÏÒL~öì“jò'ÕäOªÉÿªÉSû'ÝäOºÉŸt“?é&ÒMþ¤›üI7ù“nò'ÝäOºÉŸt“?é&ßQ7yúãTNžápó¾ÚÉS«˜¤ž|k!ÖO~öl’‚òTJCù–VNQQ†’E:ʤ]àããs¤¹£ÐÄŽÑÇ„AB©(¡Á†Ã¨ÏIð‡*&::þšÔvø„Ñ‚½ îp`‡Ózéåüéé‹ÓJýôêe¬ûqQÖq'Hæ­: •W¯áœDâ–at ñ°ÈµÖ¯Û…YâÑXêDÝðùÓ¬B)è ð«i;`îKœS1J‰LOÝ:˦ÇÐ"„ØÒeœ6Ùóuý{ï†AUÐ j‚®’Ó²CQ>-—ñTM¯“k _'q­€Åïà¨qÑMÎÎ8t‹B#0(ƒ±Oa7Æm?è'-Ìáôrû¶HUl5:h”Oÿœe®nÿý¹å3繇ý2¹Â 1¶ˆ`ýÙyQvOj|_Î@íVޤy,²aG‰æ¹…s´ÝLaºjVüÙËQ¢ô·ÚWh g¶ì—HµŸA*{bu1·I®Té¥[ñO³S°ì¨“kçêóô±Øißì(s‰ø|jâ!ÅÀÓn÷ h—)ŽD¾ð‘KÀ¼-…gww†7|’AÛÆ2šT|ÿ}k÷ko¡áÃüJà¼â.ôÎ4.±L›Ñ×EÓ"‘¢a$ïô)ž{àÏÀ:ů¦ò!VÕ‡±À!©”.•0|K(ö<­ÅÊÝm¨¹dvﲩ6´¥Ý» ÀÂJ$Ý`r÷`ö²À%É‹?âÿ»Ÿ;‡ÌT ÏÌ>>‚ã}›b éO3@˜hMŽ.[Ç[›÷»1³ÿЄÜÜ7Òzxû¿úÙmÿê ^̨³âVõ#pu*çøDôŒ­ïwí»ØqÙ¦²v0’Á%$Àîá˜~÷ÝïŽTªÏ@oœ*×uÀ².ï:†ØóŠ¡Ç½ENŒÎ0†Ho¨CY[Œrª°{áG˜Fv»8ÚØßØÛªîîŸ ô¿ÎU†öÁ‚CwÌ$ÝÏ•†Ì­«†çDëò|Yè…Î7,/<Ò&‰¤±h§ìdä¨wQ—nçè^1¦  4cðÄ/ëÖ"gˆLÍÖžpét±%éTá¯ÇF¦deÖ€™‚2j,ûkvyeõ«‡_?úæÛïÔ%ƒÃqŠoçÖ¬Ÿ.Ü­¼L™7¨7à±î½V~ªÊVÃW¬Àö»o&eºÉgÈ¢s“  ¢¸_ó“„›bàot8ÜX?=ƒ? JVÕH­¤õ>«×KïÏ5‘@‘X¾ÉK)Ô _ùrd®è®iS¹¦'G[‡@ÑÁäYLý˜xƒL–ú8Ö¯ñŠùÃñ 4%ø÷r8”€u yš‰wÀœ÷g°tŽ{àÊgdt‡½²ˆõ7ä °w·r2˜gŸ/Óc–jN½pÔ¾¬TË#¾‚æüg,ŠÐ®`)þMx »Ž>,sáo·qD0óìÅ­${&΃&”ö§Â{ð²›Ì|èïÌ}Xlò¾ß›_ˆp¨ná(ÏÔ=ë½6}js¨Þ*TUÝRå…ðíY¥œ%@g«n”tQZZV ã¡ÓV1O±õßÉTD˜ŸØú@ ÅÖìÅÖû±[…<ÅÖ˜Š­ yßòÙŠ­¿7_±5c!c¹çÿNÄÖŸÃB#YÑúû›p[±u7>"úC žVÞ–Ä…«øVz/†bë6ŽbËg)¶ò<ÅÖû1ç30ç·2ÛïÏT”óÅvÙrÛ:eÆbÛc,¶§1ÛÅŒÅö'cqþ‹íÄXlÏÎXl¿c±]ÈXl߉±ØÎÐümŸ±Øþ{3Û312&<[®bûÏá*Š1¬hñýM¸Ší?Š«Ø¾Wqþ‡r<­¼'}@®bû6®bÛç*¶ó\Ŷæ*2R~œ ÊãüÓ„V»®VQ³§zÑWaQô̽¬ù7˜}9¶º×ìÛa#0,ÉÆ¼“uËÃ|5ˆä =ÃÉä:Äu“Ùít ûS£Û1íAþð‰J÷ 2¡¹q•´tªX´ŠÅPžº…jW8|µ»nðX-¤Íç¡Óù2?³Ç i+ ZÀÀÕÅjJ^‰ðõ¤…ÜìÑ0¤0 Pn8ŒÃ‹HüÞ.‰­äx3’*‚ £|Ðн\ ÇŸùAåº/¾†nXÐQåÓ啯Ë/µ>Ó]`H!1¯áŽY&Fz³A‹V…giÒ"š±Y{~zZêÏ?®ñ£¶gFȦDÝQ£\þÏú üo±~Z;­ÕˆŽ7Ã~ÒÛa7þ7;=@È%ø½nÇ!ÂÔÑH3áN€¡Å›Ãrú9ªd~^ÿü¢üRÊð~ž-`XàÒ¼i_©À x€™Z5 ©³”~nA@Í%]±Õ rˆä.ßzîn64×à©TÒh³CÌÕ9 KºÄ+t¨±ña8ŒÐ&†Öa Õ¼y–ÑrQ@ËScá.PÓ½ ³JdÔ%ê‹t—!»kZìol ¢›]ÙN™{sñV ²’ÝÛ¢q&oyÞ5¸‹б:SÅ6£W9ǦšÓr¿»ù®w€M›q|žN9÷˜#‡{ò1Ç *á ||åb%aÝìÇ´éÜdª;‹ëíä¯Öe±gh¯¼jdKYBA[zzˆ"jÒ ‰ªè-3ý*wÔ0¤Ý5˜Í!cÉ@"ÊÁÚ‡’Õ.iÏ÷Ñþ\@±Q)3+ªúÚšs=&n‰¾òIèJ,Ó¡\Ý"…qÌ1 ëšñÏg!¯×% ùB õ÷VSY_XÌx*Bû’2éñ>ÞÞ,Ãú~ 7èϲËÎ2´{Pe à:©„±·´vPX#¨š™ÄÝÍ[ãv‰N²ìèºËz ü0Qî¸;·›WmÙÝüÃ#Bå¶€é,1 ÎT% »5Y+èFæašQ± f ›Z./¯’iC/îÂlÞ‹æÍM\À ýã,®^nSš[²¼Ø'¬¯â•eÐÙvFbZhùBþ;ŶÐç­{1r0sØZ˜ƒfÀݨóÙÞW•êññfí[÷Ž«hˆlÄ™8û!¯!ˆý^å–ír6 ñ ÉÁþÞB¸¿çf:×Á_2¬'æ9Å|ŒžŽ³â2Æ*Œ¶QÃBŽ^UÆ3âÊïeÜçáè EØÆ IãZµ?-}ØC#ò5„¢ ¢µŒa»*=.i›rÌ£8A“´¸FÚKL6éqNè±v9E>tÀÞñopÚf A÷Ÿî.©½¸ÿäW?B2)&¢è*ê F7Á>z¶òèô@޹ˆDga§E>¬ª,ùZø “ËVމR>Ðüž¶êcÂZ]FÄŒ¨í÷2Qí‹n¦ß;Ò{*H+£€öÂÄ,e²®*Äø6&¾å%-ǧ\ãYoÙ–a¤ƒaL®xPâïNÕ\9skù¢bh@•Þ%#™§=Ê‘–í– IKúÙ¯‡æMѽÜhxƒÈ@îÑP ÊŽØ?Eì'´OÝæñÔ);žÝ¼9ÿ,yù¶–%ì°¾ î+œó MÚ5íW/ˆæŸý\†þâ¨{Ÿ,Ÿ²wŒ[9t#U¼³-‘,šÝ}{ ‹µìÖ°ùtïðñξÙh¶íé½Â·KkT ™âϵÃJ¾5l®O'@¶£õ±‡k×-Ï·>˜Žw'‡s2„ÐIÿSC¸›zo ã^¸0Ff–õ÷éØq¸öG«ÛÓì"o)9I|×ïµLžûíJy8ž¸XüÅ'7I/2¾(ê¹ö3›‰°Êæ¹ ¾žkÍ %}Z¢©†¥/eÜ6V‚\à÷¡Ó~rû{êôô´T!“ Z ³—²­r‡ îßHvâ´ÅƒÎv Î=]³—ÿІý°[[ô¦¦œ)eש/ûÌMúÞ±f÷ŒÜÓ׎Z|!‚[×IB6 áú{ïöÑ9&¹š!¸“Û[l»û-ÞÄ»ýVê¨ÿ`: –©à{ìÇ@œ³"Iï¹ó.Éö!MÍnùÏfOžcÙ 9 ¯ãÞ¸§ºQÿbt)®ê­ëJí3½'­œü-„sV0“¨hz“¢b«Ýë´Æ}]òĤKA'ÈXcãqs30º?®°Ýw’´ó¯‹ÁÀ¨”ôÕæ?ž.‰ßfD4:9u“+5ÂÊèF…î ¬ÕˆÝ%°è{÷ ŸµÔ Îĵœñ[]·£ˆäë«ËËËêìÝš/Õgãós}kõ¤Î˜ÜŒ¢g8ëÁý»n¡×U¹¦†x†„'3²/ñXûÈÿãZ#‘¼äYm@ˆËã3ñ…]8+•ÕÕo¿]ÐÕŸI:O9†ñÅåHëÏÀïElÆôi ºÇüi<ì¸#33¥¹×l.D™†÷×´qÄ1EnÅ1-a‘äæèNŸª®à%€zuŽÒƒ‰LéxueÝé]ûæâ*î£pž/ à¡]´Û.ý÷¿»®ïm¹ýE,JªUòq±!å‹ßQø*Ò=æAýšœ`8h… ¦2bt"(ÀàËû£8ìvot·M†i´„¨×޵Áø‡þWñö#~þöGâQ˜â"^’Â7ÉX"¡h%†Òù0ùwÔ/‘xL"_r7<º$ãÊ…‚ሃsè¨Ôaº5cãLg%òBˆƒçÍNçê×^Ut7vúÀ……€/ÀT—Sv…<÷Gk&†ŒÓ€"@L´—3í뾉O}ã}W ºáŽÈ½tM}»òݪZHújÿ¤¾úsýÙaeÚÀÜ.&ôȉ›õ½xÿ„'œ®8*¹ÖÅèF—ãìB£zQOÌZ_Ø‹/Â$u«ÜÀ¤ƒc™ˆÎ«ôÒE9Â*8 Œ‡€fݦÏEvm†–Ú7¦ îØ:3„í¹K{Ïb@× \ p(k¦3 /€ŸéÞàËù0ŠÎÒ>ö£‘<%ƒ¨?|E Íw†$`üþêÛGÀ*/™ @wãWˆÝçã!Ò‘Œj×µª§â&mºÊZÙ½tóãù°|5 5‰µ"­ž BÇ+â»Ö)3¡ãu®Ì£¯¿þêÑ û#at8ôI‚` À(¥¾Rÿ^ît:èA/<`Wû·¾ÜšÐNôUª™ÉÌGuZW_Þ»ð¢úꥃ5D«ãk3ÿ¿Fü 1°ð°í®>Z]yøðõ2vÚ Âè]9ýQ z_™¶¯}÷èÑò·N ’tÕÁ¾È]Kîz²qp\¿uEx€Ï àÍaMý„¡£¶^½Š°ê°¥)EµâÊ4Š8†¢CÔ:ÛÛHA(Jž â‹ñ02œBÄ[¤^ü."BÝŠ`T‹·=Œ’‚í§KøáÝXï¹q›€ñ†ìVŸ¢@¹‹*Ýìß–vd4w;‹`{Ó”e›ÄÑäz¦IßÅÊ©<Æ£¯¾}èÓ)\ºÔsom±°$“CUGö¬=a=D¥WøJ¿p÷WTEÕ}U[}ýõâT$[^}¸¼ìºI¡JmÚÉׯÑ$=¬­Ž¯4ö½bÐxIÖ$GOZ{ÏT=µ)RA½}^ëÔÓѸyž`󷦨4 =¢#„.¡¥Ji½¶øüzQ¯—g$H_­~óèÛÜPM¢— Ð5è˜î*ªñ«iý*„S2žxÍm ì© 'Εx¶ØLƒ3|O2èŒíœÚC.ÂaýBÜÇG°˜Îâ äàÏ¢s´¿¢8yx[.Ä%(T<²º½¡ZùYœ$[fß_é(šE‘žÔ7ê[×ù¨{Òš·ÏÎcÞn€‹4æßÐouþMó`{çI‹_%jÓ»w¦Ù;çÞY!7âä°¹£•ITÆkp 1v¤0¯Ì¬ÒpP™3*)ƒÄ¢YyvÏ5Ÿ¶‘gÍdg} ŠõKʰ'@cjžUÆnï³—Qÿµö³Z84žµâKÀׯ£,ùq..„xÈÇ%yààúÊ7Œä1^Q­ÔWÕÞcgÆ=åNe¬‘3F»Æ—ï3ÅÈ—bOV?CΛÑNó‘ãQªïÉpç¨Í°d¼ñ(©5Uª-–ظ6ȵӆ`bö&¾èÇç1LØH³ç!ÆÜ3N7j–fÝÛ¨ïàNš¢‡þ°‡ÖŒ¤K¼SŒjma×=õb`vôäØj@±Ö1òÂlbP)ç)œ/ŽøÚ{Ѥ՗9*̦“(išš¾ÇE×ò\(|,Èõžâ·~”—¹õ#WÐæcq3ä"µºš‡Rïç¥wô¾÷K£Ô{mßö%’×Â;Žë‚ZØÛØÙm§û’i™ze@÷ó€‡Ðxüˆÿ•½õ÷З0¢h*RD–"™²½$ÊÂÑí f5I\:JZ˜‹”DSï'/lé©*Îu-7Òšì8¹¯h‹„ã½™]£¸™ rÆ/½çT,…ù®¾Z5…­eT¥…m•»Ã梓¡SûM8] ÙW‹ýøúî•A¡ 5™#3À¹>ý‰£ÌðîÃ.þ'oq2CLûìÛ¶C÷ó) ä;¸Àºê–`¹QÄõÔ=“Ü¥»†¸ 1Μ/xï ¼,  ûhQ6¾ÈûãÈÊÙÛ—èíƒÀ,¸)d”,Þ Î ^&ÃN܇7®¶Ç¿sp¥W= Mþ {[C¦ÐXwáx¨ìÜ/®ë}PÙ4•sÙÞ•I×pwSÛ£Ptænz†%émºŠ·•Ÿ„¬ÝN‹s·Ðèà}TE|HruX~ÅÜ„©Èg¢þ¹í(Ì) ÀIA,/¡³‚’*»Gv‡Ê…Sò²— jJ"àAÚ(Ã4x@1T0kpèd˜“´ì¬?sï[p}7€¥‘½Æs­ÿ?Ë9ö`/¶AÚ÷—Î’[<À[áAOšM…·w7žÃ úÐéÆgjþª‹¡¡&t8#?º× ùÝðù癌1¦ë&gÍ ¡RÒk¾®òX™îòÁã ÞÛÐZH…úÊò­as}ÒQž¬£lGk>~4Úʺ©óùæÓ±ãî{‚AÌ6à¤ÿÁúÈYÛ‰|§³ff|ô ÜBÞƒà|œôņf1ÖøŸ-ñ‰îÜfaFî£#6™%5©åÁ,s_ÓˆID(÷õ%Eö¦nßÞÁL'-¼O6E6JYŒ.¢ë/ü’®ƒW*ˆr1šëãµöHÙ éwR­;ïϹֈ"×™Š6µô‚ê¤Hºç¤ñy‰f©Ye”w¡>.†§î£ZÌ0”[R¸‚÷²è“¦¨|4gø!$ÛE޼H:ýKT“¹§¿ÂÛXRU‚‰ªùsz_?Xýî…㔨#u|לE¢y‡"i'~þðë[krçmkw[=_†æÑŸÅêp‘Ï÷v_?V éeˆÚÌ,zÛ¹fJ¼JyâÒ¤[4T~ Ahu·0§]¢õôàÕQݼ–Š{¦@äâ~I ¯_­­;‹;|©ÌÊ&ܳ։Aä2‘ëgƒ^ûH¡«EŽÆ=\o)mswwrO³ “KºÀ—Åp'#R ——:»r‘ö€D¯53)X«5Áû@“´úoÁ øý'öŸõ]¯€IBmxRÓ¦{Gž²l'å%‚6î£z2Îàš—Ø‹ûuØ JŽ(°CKÞB«fÓ× ,í®«É7Àlî2 †c™S?³Ç•˜<Ö£‘E¶½é·™ àÀ£r% è3€jwi=‹øÕ Š«ñWß>Z¨-RF°|€À¬)L¬üøvUÃa¯z…Š¿øݬ>zX™ÖMÍ$¨êyY›TÑR1r¾9£N>jê8ŠD`X îÕCim‘õ·rÝ„•'/œL_°V©zxÒ¤ssGÒç¨_[µìŠ\¡ÕJ×j¡kYt´»¥ªÆË¬þTlßæÐóö`¬o6âE@ÍŠQ…Ù—=Äì ÂF¤hL€'õØÑ’ B®(:}/NQ×*¶í’}€¸Æ;KXQoÆýQÜe4FünDtyœQ8ºu¶a” o¥5o7i¨¶»7•züü+ ÿЩòөʈHÑ ¼@õÞ dï.{5gfØÛ&e´{+wP!g/¨-¾,4Ñ5‹{6ä0+å2Œ_ïˆU—ƒñõÊrmuñŠ^V·ôºqâðÑCOqôö9KíîLÞ²VíkEy»4¯ÓªÚÙxôp=q6_=䨵¯V]Xýr0?H‹Ÿ«ª“RY@>£òã‚z¾»¬FåG¿¼±T~|¾ÅÕáFõhç¸É|Êi~fïÜ \]n=z(½ëNÐà½G·¤Yn«*…Ëd–VæZ'èŽh(f´B…Öî4 ¤êl˜¼¦ˆügT_Õ®—ˆ­zruy£ÞžÖBb8Þ¶q_ÝBüÉ;YKo›Ø@tþåÂ) ¬ÌkêC¤Ž¤ÿ ‡–t”V-VÌJØÝÔÇ_­¾],Á_Uªà@ј4¾ZEœÍ’>gégòìµ*=ÄïzŸ=´ œä>ÚÄU©;îÈÎNÄp§‡æEg‘ºÀ¹ªR×`† ÐáW‹¸û “|A»Ÿ”Ëtš6$œ½V1#ú ›Ø}çYÐúKý«ñ‡ç~R<ï_ßqڵ͔£³JÆÍøËqáeéÀ€ü¼½7LÇ2ƒIzþYÕ¥çå÷ë;î°sçCµ^Çw,åØÄ°Eg3îÇ×W°Qà32cO÷wž»™Em6s·ê»›¯ªKüÇë¨ßA+2OFÉút§Íï~Rµç”Q¿ˆ‹èÙ¶ïb¦pñ¥Ý ûía匠6VŠ~GýQeÊYË,þò{q7S†HÉ¡›Ö?L³J³5ËiGéV>Å—ÒèÇQvº{Là}BK4œßm‰hCÈ™ %²ûj#Õ1A'iRVVs&'49¶ú .pJè'Ž3‘‰nª ˆò¢*‘뤗 œAßrhj[ÓTARÙv݈G‹'Û^æáÆÙãv³³mo_<¹ü)Þù×?^ýÜÝííõ÷“ƒÁáïÿ;œ+×)´Æøl‰OtçVW®zä>:b“YR“ZÌ‚0÷öä:å¾þéêJ¦îŒ{V=ŸÔ•&»huQÊâ‘«®äÓ“ ÑϨ+™™€®ËÉb >€¾Â’vŽ"tcœM‘Óð;¨-Íe¢ ?:­C¶Öù0éa‹_á˽Ͳnƒêè"åµGf²ñ˜S£«„BCGr+£ªG¬S¹NÔÆíƒÞPdV$0÷ÆípžÁÒ¡îìáÎV¯Ýúr‚ªV¡ÖŽbújŒ cñùM=´G¾Ó”É#¦_7Øç W 6VÜÃCÓ$,÷Ö‚Ùìž…íWEB­€"YÖ´Ù§ÀV;ÇÊÔ:Ë4S„Ò$\˜\Í$§S ИÖôÛ€8ôaZM@2n ;x3AÂá§Ð(ÅœêÆÑ`O7Ž yÒ£}ûÄ}Næ>iŒ>ö(ÐÈy¯ÍÁÄé¿;áBÉ&NúS`•·Å8É¢ùgR éÍq“BS4¨)§]½v8ß'*sÛW×Ç©$Cbtbp NÜ÷@[@tÜz@üLŒE‚¹üs.Né§#îÄ#®Æ*B%{}YÁ—pøN[dÞhÇï‚à}#òPýÏöÎ丅ºšt ‡­/`ßçäi¡pdŽ…iíRUÕ÷ß·6š[Ûê‡\Žú"y"´Ùk>“tÒqæ“9s=RÅøÑ0éÜÌùlÃiøpwº#è’!6&õ¯»ç.Àô‘L7ï6 so‚ò1Ò§ûì ?™–¸ƒíçþDWn;ñ˨}dÄÄ[>ÅmnG‘ûý‹‰LæÛŸ~-5û§{™¾O!F ÷i¬qï®]Šá‘ñ̽µŒ<,`.±öDZ•ðJÕ‚¯dPÙÆp´±¿»óøì ¨p;àO “çÓ&0y0c5?šA:Ÿk{0-î¾h¤ÉP,›ü×ñ˜E8?ÒS(-¼âÜŸÀ|”ôÄ‚ÆiN¡-Þgò¢3·1›zÜ>6ââ/¤ ÍfÀ”ûrœˆNöãŸÎsêª}¦SOã'®³ëtñÈ ËwzäçíÎS?,g)¤yÏ9µ¢aƒSŠçò€ÕÜE*évªéè†#Zâ¶–˜E‡O-yÓ>‘½[yÈ«Ø2À0Ä}€ÕíJ¡öe/é¨Gê6ã¸ïe ¦oÑÖe6f¦³°%¥ù¢äÿïT*RÕ‘:§ùâv–rz€÷; ¦ An”ž›4â@Á¨xž´»IûUË…ñžÔ[#¤Õsœ’·Ÿäý[OÿG.Ó XÓÄ‹"·4(„ÏcŒ¿Lñ¤šµÝw7æßàOµ4ßlbP ‚Òè‡;åÎY „‘ˆï_ ="@z` ] OÝlâ˜ÌÏèàȺê4ŠzÔ$¯s¸Ij/ZÊŸq,éðJ¥7½³¤Ëàά|lA?ä ê$ª~¯v¦È©sqÞ÷÷;%g°óf¬Øx çtgXÓ‘£¡eØmq[ƒxp¯Ûdò‚¥ì, û&¦vG˜ _‘›D ` ³w]á Ÿ{ädð9À¸ÁîEܧ] ×5¥~½¤Ki‰í¥tHoÎñãgŸ©õÊ žåѾ·»aŠÊÍi{Ÿá°Á qgõt¢‹dozøÔ(?ÜÜÜzrt|ò¢Œ ŽÐ}àG™ÜH)éfªÛíˆ<&ÇÂQ£¨áM‚:GòéÂóÖFõÿÂê¿_è²µ>­”™Â£òµ BUÖFÛ¸–DD.pH‹Þk÷É ñ·2“J¸-Š‘ãŸìŸüªË_j¿,š £W"c0ŒÎŠ\öϤϺe@Ÿ/y—/…#.†ØçE9þ×Éâº\p²mÙnœR›ÅŽQ&é¤,³¸eÈŽf¦’ øíýã“§/¼€]D,¯"ô5ɼ †ï÷–xí!…Œ1Dî<ÆÎõQW”쳫¿XÝúEAþEÊDoo– gýˆ¦Ý6Åš‰3yè÷Zä\è;á(´+%g}Ö•\žäŒ’gj”p!ÿP0ë?wTmQ.Ô`©Ì×OWêƒr)àp‡Ê©6ãͬjØöú©¸aM¯Çi@wÖ·¨µ»­Ë$yÕ(Ö‹ç¥a_µZ˜—çB§Ûep î!Æh[—¦!¼îÓWZ:]9…ãùE^¬¨åwK9¨öÎ`0Ä« ¾Ý,_È)å'´@Ç R›EXaRܘƷÏdnpó£SÜYâ‹`/Ñs¨BòçJ$Ý ?EkÌL˜±o¢­ Ð…ÜJŽq‘­E-Dé †ÛÒ² ú¢†¤¼Ô‰ Æ+™îÍ@Ç™ä[ï"êcXy f9L`Ô!’ Ǻ®fpÞŽÓÀàÆI²A׫*„WNÞyYÀúw± ¬‡’wI—÷ÁQ‘÷°Ó³e:µ«<…’3Ûg;ãNGÖ¤ÕÐþ© bÖ¾8ýâtEúžÃ@ÄMyø´ˆÃ‚(á Lmö‘ùÿÙûÒ†6ޤáÏÒ¯è”ÂÒ0ö&’Å€žÅàHâ]Ë#i³–4ŠF2¿ý­£»§çÔŽ,yž5£™î꫺ªººBr•>Ij|–‰Ê%á\Í5ãI2ôŸ(1Ø=9|ŠÊ(’Gè.(ëYÑÂØGÛE#7˜qXtAž%Ëœ“÷(_7Þ¯V×ËÀÞÆ#q-ʘc³|Žø8[U›tiúyå³g£ZS”‰pТbÆìQ€vU’ãêŒÒR†rܨ{@-KXM‹ôfD#C¤’ST,õUÕ’5‰R' üêèc…ͬùº;ê±o¬±åWn4ÖüÏâycWWÊ®>tŒÂ6Õ;óðpJeù·=ÊÈ© ð(œqƺÅÁ Êq5©mÐá…%€=]HòcÁè¯ ^lK;½Àç˜Ã˜¨+5›]8+´1J¹"Ð$^??ýЍ†Ù=‘²zóêý£{ÿhÇ2°':è—ôë¿c=Y}‘aÜ \>6Ë¿[B½h”ÄÃ[ºtýÍîñÓ§âôßÏŸг'‡ûõ÷0ÊeÊ'~ S®ÔsaÉðÇ+ïµYù”ªlÑöÊæ¦jöÊòЃƒ*LU¥þž*š½z½½é‚X95HÖʦ¨¿†=o¼ ]­ƒjÃÚlX„·LZÁx´ ^­¿®®WbpÎn†¹þ~8".dÁþ¼ªªêU¹¿Ëˆœ•,È[C³‚À.ÿíS}Ÿ8 ÐJãCýý¨µÙŒX} ~>ÚÛ*Ô7xÇ/à¨õæÃëFee¹’¨÷Þë.Ódªy¬ˆx‰îvÃÚkX;ò©ÞXnTlê~9Ã/aac’j½ñáCcTÇY¦×Np`-xµöúSýÍ«þøZML·Š/韭x_¨8ÙÃbþ“SAžXzŽN­†WøfûAY¬dl¾¬]Ëí•Wñº±œà ~Àÿ­픘$–˜—ê%Iê¤ÀKÅ)›4ï3žÐ {å:‹‹Á¤ÙûõNYÒKVùPî—íy«¡B"“=#±À÷Mz–ðŸYîJ‘mãHØ×¢…üáY Ú—<4„‡¾´‡½I€ÿ+JÁÌÚµÄûâ’;³HRf ¡tp«HT½AÒJ<µ’ùáýÇ´¶>ª=йòÞhf»ì”·"°*[l•¿¼ZÙúXT£`>²ˆÙ6j»Y÷”f·~ýC ·#|îC€$`*ÿ$saŽ1À£ì¶^ãA_>[d>àdžf¡Ýø òÑÚD‰º’6‘wö]¼ÜàÛàRûQ“y–Î P‚¼2ð~›xÝJ-‚øI¿i‡ XXcõÌo°9Õ›3åÚ@¹ëÃ×úIB"(}t¡Ð@_÷ï9ÊGÒE‚ó«çcŸ£xb`~Âü FW9ðjÙÜñ¥rØ÷âAy )up»æWbò¤iQ ¡B0çGˆ– ZîøÊu)û Jèv£*£Aàß&Ÿ¤íK–lfÀ®>@„t‰æ¯G×Ňá›æî¿ŸÁ[ŒDû!V®ùëî>vhoçlG …R¼Û;<Ä|)‚ÁµÌ_Ó"¿‡Dk•|B†î(ÊìŸm‡£Y zò.ˆåȶjDû{r 3äPA„? ÜIǯI¹‹‡#;)`÷A´kîžYí™…cJ·ÙÄÞSìg™6¦ã˼=m9 FÙ yÔìÌ7ƒd¤©mnÖW†¢Èý¬|GSø‚"…¬Õ§ uÍá¡PEˆØdS¥ç°Êâ{s'2êÖÞ?$ñ°\LÁÖtå vÎpˆt@!©qJ m…\ÃØDl4ia„œyb¾+Xïψ¿ÊtÔò¤Žj0ææ‹“ãg';Ï›ÐÅ—xrÇÔ±nGŽ>xõZlßÓ-½õOYôŸ‘³¹øX5'œRZ·ÐeXsNs8ɼY†W#*…âÇ­¢Æm”œÙf¾ Žl}Äc™/‚ÔiîHħ'ûûð¡ùëñÉ¿vNŽA8/Ê3#/·3lÌ)H!Ãå ­’ôœ¾[¡¼“+ %ù?öZñŒÃI­± 0ŒL¯ª`Ü7Þaiè&î 蛜<9Ý.á¿i_Õ'ÿÅT>¶,­®AK4eþ…¢FÍßDµ 0MN"•—ÜpJ2Ä6üôÅ$µÒ&'dy±Cʈm«‰-¥-1µ¥ô*X,n§ð ¤ë¤œ02™m)† £)h—>®Ÿ]D€xåˆS 7¸ž˜"â)XIÑ+„øƒ¤o“œ;—©Kô+'Ø ë*'àÈ1‡?X”—FÆÙHíŽ>xíq+•s(åØ&³Ly|5Q]©Äááš²¢ŠÍ1ÛÙÕ°£«…ˆÙeî4ê&§jùæœyp§3ÓÅ ÍxEã&QáÛ[™–ùoã€ù6-à sÌÒ¸ì&¬¼×»V„Bi9tþ,ÿ³\$)Œ®;U8±0à´ŒG]~õÏ×è=_NJÈYPC'Òüÿ3……¥ùþ4×Y*b©¡VTÞ¨Z åÉš,K&9”òМã÷X¤)‹<¾úçþÖX(ûvÉ,»¥PÃ|‰šš>Ð+©¯7‹!)[Z.âÖ%s¤øV~¶»9ïÐÎ)AE4ZzdƺR€n&Š[[ÔHMžLrMÌ.YR3„ÀKðÐümâÝ&)Ë8ê·7ð?”ËミßÌ3ÚzÌ.1þñ±ôΗ¶·£ZCÿ(¬3ÃyTJg œVà÷& ¦cVLÛ #$ˆGÜsy˱@·ß‡¹Yø]O+Àøy‹ðDöñWgš¸Y4ÓNf¥ ÝÜÛ[Ì@œ°¯+V×ÖnK¹¢ ?½øùeóÌ6ŸïíÙ/ôŽ¢b”86^ìñ†.&·]ª¶IFààœ¢·FFÁéh°D–‚e9¹e`ëÐ%ïb2r­ÿ-܈ð™órš¬0:ÑëÝyP©°ÂÉ^=„8Døýá^­×ù(j}·×}¸Þ úȤ@XPX9bŒË( E×ÃÒœ6«ÂãÃN’C#{WÃ1û•1ŠûþxC•ŠõšöOÎ&*ÂpØ‹µÎV{¿•þè­äö'½m@½Einˆ^ %øû‘ð&$¹!êDJÞD)îBx~ú$»5b{iå0¥X/Vì6Ý›(`΄Ûú¢„e­){åúÛÇM=ÞvG®«R:Poy}úWîhØÖ;êM‚‡ß­†/ä/ÌRù!:£ö¶û„8òdž)êÁÎ4Z\ôÐùîùÖ±Lxã‰4\¸Â¤àhöîáo§§Ä6Ý̈Í^Ür0i_ ‡ê°‹PÇÇÎ3¦JÙ­0XÁG‚7Ð랃¾`´­‚˜HpÞymW@§²¥äÈ>å!Á0^³»&ã±ãåmøNÍĽ¸—¹ÝütŠ•Ë¥î _ÔÆ·м¦÷*t¡ ÅeÍ…PÔ¦(ÌØ¿‚ì Ô—òe!¥Ñ‡ëMnÚ,pƒ|ðK/N}4‹ 1z+7üã 8¯E»œÚxo8lS)+È, R! U¹ž^»‰å¢‘ÍÖp“ʵy.ÒØÌ­QƒËψÙÒfy–…‚å„iN«=KÝxÕL$c©Vfé@þJM?\Ñé*âH»$Žât÷˜|_OÝò‰GUeí(j-h—¬j u'½^­ë¡ÁÌÖ¤âôØçòtç—ý¸LÂÐ…Yó\SkýªR¡ Q7` 7[9;½r–жÝnR©&ZLGË f»M¡j†Ãíri÷Å ÿФ”‹!Ào»¢ÖjÂt©T« ªŠLQÖóSLjR@•÷2`’}“†¬Í‘`C«Ð:Ñ·ÒŒö †–'ŸÏ´¸ò)ËGʬHüèg¾Ÿ'"wƒ9lrÒSÄ ñÇ„[(¿#Ë¡ýN”‘7í¦ÆâoÛÅ#žd$ ÿ&N dã‹v[¬ÛßÚ«Uá^´±f¯¢þrà[ØB¹“!Š´D*Œ"uÝ3Â#‘5Ãü!ï{Ù6S¶ Åó²"¡Û Ea@&]ØŒrd^lx?‚4 ¼T®³>.ÖÌ•WÿåÉ1a)ãºBI³B %ƒTpú|Ì[cQÀx×íõ5tcUØ„ÆÖIqÁ‡C Í?³©_Ÿâɽsà|§=;•„îÈ/ÊV‹á6\Â"‘JF¡êR…d"c(E{¼âIèÖm#ˆŸÑzº‚ K“*6Ýút©ŠtLЭIzóY‚ÎöÇwp¶?þÊ‚C>ß9:xºzÖ¼£Ûx©á!#%¶ã5îDfˆŒÏ\ Ž~5á"£}-e¢8 òÌ/îÄp*&è$¾~¹pµ9Ûe[ïh·§°ÅèÕWGžR&âÎBØN'UiË^ûžlM‹k›Å¯‰V¥î¶ügǧEãÝæÓ°Œ2xôÛX¢Apck~ 75n âűÍ4M#G©Ü$'7¶R@%¢úãè=ÒëÞØKÝû)B$ÍV>~]‚$tµ”ì~1;'uÒJ~ÿ…EÊ8öõRªNÎ$X.Fp¾Nú™†»/3hMtâã5îéÎLB&ÎÜWGlb[*«çÅYæVâf J|ý2"'¶"târÞ‹Ùb§B§‡¢§¦%1‚?% ‘‹Dâ`48^ØË}¿3é¹:Ü6æ‹Ë§ËÙ³|Úœ!LÆÔ kÞÆ©-{µE¤t¤„‡gÍç?ž`éŸ÷Õö,,‰'7* $†*»òz= bIT:6>˜ø·?!f©è9ÂhÝ×£À`À%Ç*k ;xçü¦ sÝÇ:‚µþ æö‡ã!Ýä(Ê­À䥨’âùt0J¨õ¡›žê‡JG¼Š¢ªÛœªvÔÅéÚ®s¿VTº9J îû2O´ µ¶…y{BÏ»¶* S·»+ðßX¨§šŸlC4ŠµÎ ˆ^Õ~íUc“6 3âÍ ¿ ÄÌMÄu4Ìò cò—~Ä <èâT¤“{f¸ œw©ç_p%+Ò…59J(åmÅ8¤NLúÌãq=¥¢Å¼˜rs mfÜ›xCrŽÍ®‘Cƒ2Ñ´¾ ÷JèÛ1ŽéÊ ¼®‘$™´)Ž9sĪp¯)ö*H(˜dë›ø«*&..Pž5îx ¦éÜŒ«û;œm+ìsö¦$*½búÐ0ÎNšÇ2u¬„™oášÒÕ ÐŒ’œfãdÚ½ÆdazSÊR7¹ž ‹l÷:ÍÔº·¡ÝY0CÎù8÷d€4ùÉyIn³²Š**”Š© ’ŠÔ6«f}K÷úZƒfN]".aÞ$¶…½fæ Þ*°_Ö82v`^ñ[oCø§í61Óð<{/½VΆ +Ür—…€Â­…¸m2{Àm¡² ³xu:MN§Œi—Ò¢œ« š;1ÎÅkm3¤šQ­m&³£šŠ h´¹s\laŽQ9ÒД²)ÐOvŽžDkD@¦0áL›d$ æÜ®Î8·¦„¤ ›Í W½j׳Çp· Óå­¨´5£Ücì—4¡'#¢çá0d=ˆL‘$Öd'ÚfVø¿´ÝÅ‘'ÂäÎ9}4"Æ„,—ޤ¦lnV6¢ÚÓ?¿-¡ G”M]£eT®ÒYcR¬Ù¯V×Ö_W ü€M§×󯚓pPÐåÒU¯¦m¼ê}ÄŒOÐå ¬b**ˆ+3Aš;n¢f3:mÌQ;k+ÌR@â‘}-|€r Qy4 ToÅÚªýˆ’Vp B3ŠÐwØóoè8vFþZe0Ð0dÖ«ãSJ^àù’ØÜõ·ùèp7âàÂêQ°ËÛbÏ”Çâެ=8¯‚ÿc$réûç;»Ç§/›{û/ÿý|ÿè¬y¶sòlÿ¬ÕW?VÃðìø»ºòíã•O·+ø•üý껵×o|žÕ”ç8@$ÿídHSŽ-v¼ªÚ³@œsEüô3ã“Þè_éÙÒΑ`¦ªKÆa¨\ŠËEƒz¤·’)û¤6ÅE±`°]¦ÙKK|rDaô­@¢pÒk² µà±O„”ÚÌ'é]‡Ä6¸ß§Ž}“#é„.ÜŠÎËui+9Òk»¦ Q“˜Ìn3}PªŠÙ© ŠKœ°?\¸2±$žµ~Ù99Øyr¸/H¿$jÓÿƒRº–ðµŒß J˜‘ $?MÚM¸CgD‡{jÔï ˜]·=ö1̾LºG}£hÑ|ÎŒ¤”:WW—^û› Æ#TY,‰Kç6ã §ì;ãMxe휼ڄ^oZðSܨøÍb½eús‡pRâDj\gSš ª]ÒÀ@©æÅëÍÍWðwgó5þ› ôA}1­{A[Mÿ‡Õw¨úÎl½ŠMWu¡åž#Ãw#.¦â‘N¦Itüº´®˜íu%òxe3|Åá¶×¶–LE e ÊrP߬‹úEù\4J¥µ†‡s½¹’ ‹hI@+›ÙIP5¡ÙP«^/Ë_IØ9#“U6í•$€Œ±®Ì9eIDàœùWŽÔ¿pJd—d Üo#¿ ÜÙMωœ^/r†æ$$“A€÷Ú}uèž'*w!¼±£×wP&䵎|£yüØN\ËGJÄ/¤áãb'w–éöü ’÷ß&>´‚4É‚FBÙF˜ˆtâèk],àÑx'ö-õ jã‘£RsÕá žÝêø(³×ÉÓyz›þ[™^^^‡_PÝ$ 7ßãÙGæÎÂHt*90’>¥ÔÁ\¨m¾h·Éì@Ýuà_ࡇêK…td¶K™T8L8ìÞRš˜%ñbäváÍ÷=¯ïûòœ‘ï pGcüËÑlžžíí6›ÈĤÁu‹Îev>C­ £LÑj*´_OFþ[w° [Æëaº9rzÞ ƒ„hQBñ7%wDgé%5’¼pÿª2þ äÀ¸œŽrÞ]1Òù}þ€PÏlŒÉÁV2w 4ïu`Z8ÝÙ‚èIn7.àdÏ3£æ\“6’I³7HŸO=ÿ/pmÖø°±¿€ñQb°Y$SŠEV€ì- [’Ž”yN°ÊUCk¾8Ùqr¼Û>‰ù!OnI릥˧ 9yó,9hbÎ".dúŠ›KuzþÐ`©bXõÊ<\‡O=õ>ü/í.St¦ •™í¨ø-ÑŽ`d¡L¢]¢À_ïôÝÞ…£¾‹IÔÁ;…Ú0“Xáçæ0“NágBUn §t ²ÈJª|@„€ÚhlçnëqŒÐ%ƒûZ0Ç,‘Bö}”àJ+ð‡z¤w€‰Y3P"‡˜t`\ó@Â`ÞrI –lÊ’3³ÒíÈ‹ )ƒÈDŠd“šX±¿.Á‰Oّئ1Qj:£ö%`Ûú-àUW¥˜nœ¿ ùyðvà_ ½CMŒ"rñ’‚JanÑXO]7¢†(·­ø\ÜÂq+Þ:ýiÿð°"JËcؤV:Þ¨R—EËÅüÿŒXGÍS2%Ňm«7µÀŠ•Ž˜ž¾ÿÏéOÍ_öONŽ˜~†Ë?áœ/ŽŽ›ÏŸ4O~rzF;{±ëTö³˜rƒÊ…²|Sùëb´U·6Li ÖÃ˘bÿ-F6J¾×ÓÔáz^Ì®lÓ§ÐJâùimïø4¼±"ºf`²vj¹¸¥Ø”©Th“€’º9½o·ð²K[í¬~¤™—݉|dš®#;É”@ª”âýÆø6ºt¨CA‚ 5 ÂM€À$ÄÚ_/WVVįrjS«…ð¬£ÄçIÀþ l0UxnP%±QU‘w&m¨)ãI‘D¥@ãC©kä¶ý‹÷;°e„qvéJ)í¦#úpöC#Jïe­DW Z™NÚh–BgŽÖÖíº2Æ)Å´‚óŠ º@”9y’•q|¼t*“2LÀZ†ÈÂvP‚¦nàé ºáŒ:dºãwÙ\Ê.hÅìAnâç*:åý•ÃÚŠ‘K¢‡!òàÛ<´7Á~Ââ9@›` ëx õ FkrQ“]û'0wÛ]u(Ú äû®F ¶Ö¯¤Þ-…€DwA”Þ’M¦m˜È®¹â-Bf¬5&SG¾|樽æ¹îw-rGñœE|QÆ=Ÿ¾gËb¶í‘7‹j¤ã¯í°³$Na´]öÕáà9Ì€T³QvCã™@•Ië¿HRjÉ:‰êZg#Jü—n%ÉeÓ×whfêõ‡=í»Éžp´4ô^ ƒI?z§mSÈcÔE6uØ4„¶òáSÎ8p|i@.‡üd$ååÕÊÖÇrx‰qÐÅXD»"t‘Ez:tÛ^×ÃK*Šê°kY3öÿÔHö1µ6EyWèwB+O€¤ í½zD€¬cû(Uþ4*‡‘óîPtCä¦ ã)`ÄvŽ L®»(˜<PP»y㱺£Äx¹\Äe0 ´(n¹t+ 3ŠA6‰4ôlçÙ/;'Ë!èW¯+œùèøEاæÞþÓŸÏTßpsªËA½åc™!†b#%1/«Œ¥×qi—’Ö6żjå³ËJñ¡0\S¸¸E®&¦ë‰ŠSSªw¶DýXyPï”E4x"†™Òã4†²},x^,<7½SæX©óG…eo3$ÖzÏ2 ÚÈSq öêÎ/û;gbÿù »7ñÍ™ŠÚ »Ä´!° ¦àˆÆ’Šw}DxD3ö®©Ç¥›¡ö¥3¸pÓQüFh%÷`*~¶èûŒó}@YJ¼Û±X3jY÷EúBšy½ÞŸ.Æ;ño‡'Kííͼe’CÕM†ƒwí¶4—˜ÚBYÔ^j*Së7–Ÿe¸»9à$+3ë]ä0‹‡RÝ- å²ZÀMŒÆcŸøZ¡sμsBÊ<GF5›a¥ÛX|ä–v`S6v26Ÿh%ýZäRµN+iå̲D‡ßä†áâABjÂMÑäEM@'¼‹ U Ül€¡ ˜$•6ay­G ´k ©Ë<_aA&¼ôG dy½L£ëÓå32BàYzdåNX~XQ&spú°ÂôOC™¶ýï†×ƪh9í·téRzÄÐÍqÀôýq¯çRÁ`Å2]9‹Ë›! @…ÂhPë¸.Á¥?éuøÔÒöGˆªw#;uNЇw‚] lŒ÷Îsž\€g;˜¹Öý—G® »C"ņ$¦@ÞmÓæIþØx¿Z]k|›/ű@l*—ÍJâÕñzEÍsÖ·Úf¥¿'*•RJm–ϱ;sr1 œ$ L "ÕmïJXË2¾Z±èùaðuÈÐÃY1y£$IµÝ(ý´¶¤èÐÉ䃊ùÂo•0xX ¯%y§FÔ4¼Îš Q"¼aD™…ý­ØPÈØ"^WDŽöé αÀù<•¾YŽ˜}!ž¤òl3ÆÊiª|R²D +Ê×#ìüz(a¤òýè¿Ö‹Ôßb ×ѧ±ãuÍÈ×Ãh‰âŠÑ€å’Q£™ÏâüoLzº…aGnãöSë°}fz´×üÊÆüLåÛ1·H× C×m*Ieo›€zÕÛNÊ;C¯òV:®Í4T©òOz3e W^Nÿ,A—¥“T¹˜ÀšÌQµÕ)[p ] >Zýâ`׎©V=Gܨöpb$ª Z9Øâ:´EÏèíÕݘF)uB˵.ô­Z¹²mmß»pü@È3t44Ù;Û•˜ÓOà²B­tœz×î ÀãÓ a¯“cŠTš¡s"Œ©ÜüíÛx£O^>ßß$£P´˜D=¦‹BÂãoW×WeT'8Ë’e`ªz1OæSB²X®õ [_"´gŽ0Ô, Á¤¨·ƒ `ŽýáäøA÷¡ü»!ÿ>20„Åáá^ªÉ NîjÿÕl&ä µo.0J:< ¯®3húÓv/ô„ن͑Š" û,†‘‘¯¡kB¶8v{=mŒî‘›T‘&êyœRmÒT\¦˜½,nIƒ.RšjÀq …ãŠmlêñeŒFƒaÐ$?ÆsLHscT;’¢™Ì%{ "7½0vçr­Öñò_q&c¿æ‘¡pÅЫç"ÆÞÞáasÿå‹ã“³rr“š„ '¹’C/0 ·¢…<ü‘QîaÁt¸þ\´ ƒkT´ƒ˜€¦Qºì.û¨ÉÖö—¬Y{þSsïߘ4ƒÂòL¡]ÀbØ‹%NÁ.ïíd:Úþ„Åló\aÉÙ°x³sT9¾@ü¢\vV·7Šu·ÖÔ¾<Þ¨µ‰_숟^Ô~~ÉMâäàLJëø1! Ù‚ó‘7ÈJ)À[yuáµiLÅN£%ÏO:`õHÎä D¥œì)Üàr8tVo ¶-‰ÿ1!˜•ŠŒ&µÏEBo„Õ»~õkÂ)=à×â¡}M[²Öˆu¨| Å…;p1ä¹\Cb ¶!»N‡¼ FnÏocÉ8Ÿ@®2š ÐÒ5A悎tþ{1Ýú?Œ¨âò^±÷²<@bÖ…¾ T ]' î ãcІÄ›‚F{o›ä=]‡27HnJª§L¼LXšjŸ± ßU5¬•ÁØÇ-¿òÛÀDáÿwô’¯(Ñ…a÷Áƒjèª@—–dZ¬¼|å!eìûÕP_æÆó=èèLúC{º¸¢ Ç7=Ìλ•ç/tG Ûpº˜¸m#;K|í_(ã­Â_qùIOIe.J#²™ê4®…Sz8¤Ž“Žƒ$’O{#ïüY·×³%!ö¥LUN»¿OëgÔ0 c,–¡îK‡’2GÆÆÕ?,`TÏ÷¥ÿ™–HIjè™î*ˆÄÞ”·«ªM;[7åï)‚þ/ƒ³1@vñÖÄœZë`“âmàÛÀ)³E9 ÿÜ8Ûß è†EIí 5YXøy🌹Ñ$Pª;åÙ—1ÓŒOì¨]oZ“A‡îÓwœ"µÒ:9œÎHz˜Ä9lÞÙqÎ%Z¦ÖþÏ•ØzM¯Ë5hµ™.+ásìÛ•VÐY©] &øã–~ª@½ƒc ŽTBµ„‡70{„×ß>n>ÞP¹oø°'9Ì2ÇÖ¹ùÚ© NH–$ü/–„§«¤t *•+d ‚µ¡4Þ Ðœ?ÛÝ5ä^G×VµDê´É{ˆ:€ú ŠH«UW0\{˜†ñ‚ëÞb`‡Î¥{£9Ä·öšÆ“îwì–$sº”B»4÷*d°­Â4~UÈcT³HagÆŒfKâ©ÓyÀFž¸x×´Yy9g,ä®*?ïÂ…ý^0¾ /ºÿø‡|ønU=<’éMÜgpž^h.›6—¿ñž Ê1æI„úœìÝ~a “x·)ývNöÆ+§“ACì· jWÒùÞ¯¨ß ñj­ö×vʇoíW«µ‡2« 6ÎC:­ Ög2¯ÛÔÉÅ—xš‘Ìs¨ûL‚h!eè òˆŸ&ÆRų̀ý?y®îëÌ®9}»â‘ýÝçî ã›ë€-IJq­wŸ¾^Q´/cZ"@ò)à,Ej6!k0%»Mãìñ§Î’¶*ηîUà§è3þeœf¦JýQîÕÇ b-’íãÓ§õµ4²½ˆ0;ê—p‹P"ïçXâ™Yò{Éí%¯&ùŸø=åÈn&É?DéÕÈCxhÎ6¦,i„®ÍªT˜{c®gÿÚë“+R𯇳#ÝçØ³·V£–#zÔò"—Õf_{&ïú Pœf©í?´×ù=ŒûC)á3»k¤ð;þÞ°Š·u¶2zZJ¶=ŸÄ2°ÙDY펥ª\ÈÓ[:To+Ïjü ÞYÚÝ:eHVªd“ð´LktŠ3åpg&ÕN:†'I·´Áùœ„;J!£ôq%yKbgHÁ ð’â7kõz˜3S߈$˜ßšdgq^ô,Mr‘d‹2ì‚DÔ”?Tœ‘wç¨ç·Z›K&¾ß!W1{5c‰W˜·Dj3¾™Cì•UoHÁïÐMµ‘(Ð’§r^Õ4(³ÑJ(}w$€IÊC£HX\´¢h¾ê+ °ÈO.àOnsúËpYõl]•^7çýþ4—š»?ˆ™¨“{‹üL²,Tƺ_ät¶è,6aù§°ääÆÞ¤ÆâEô‰,Þr²ä<'3¤©œµ}Ù÷;bòàJØ”|6yNãù}v€W¢F4ºÞÄZ.ôw£?º¡>zÅ- ê¨6æÚc·ÏÑL(»É`ìQ¨‹¢Ž"׉TDLÂ.D€­à[in¾WÝÅwÑ"’|Ûv áÿœ‡Q˜é™¤YŽ…„{þ}Ï¿ïù÷=ÿ¾çß÷üûžÿ)ù÷¥3ê*ÕpcŽ §ÿ€×ÛypÔÞƒr”ýΚ=¿mª–”U‚ŠOÇ; èÉ„ÂÄ…uT¢4 ×7:þð¢âÅ;ÿ `&ù8PRÌMQ¢æTŒBSÇ8GàÞ äÃŽ‘êÜp#kõÆ>Æa «æƒúû#ܼq‹¶=?6†ýËZ&‘Ë(³Hî_wNŽŽžm ÜYEeS&q°LL½Lwµÿ–) -F N7™qÛ»+Ðë[¥…¨BômälÚ#åGã›™6x±\‡®¼Ò3°(ôrép¯ŠÊq÷èÜ”‡‹ƒf>èöMÑrAPÄ‹r‘lNlªÚ‘øð=Ææh²×]SzÝ1–ªhí~'Ø6~CY(§_‡¡u0gIí1Cˆøjs.?©Î”Né²%ÙzçfàôåUƒÌ^©¿Éžq«åÒÑs Ð^  p¦ï܇—ôÈå/(‹‘¬ÑzCWóþF¹ÔíQ¯ã#Zã!Ž‘±Þo ”¢•%ýAy¿‰A/úažnýždêË¦Ó üÞdìÆ¾BÇ¡@t˜ñ:¿iäcßL‚æa ^p •ôbæPÞ]H€PÞ¸9Âï’já} àCSÆ/‡”¼ >¼0é…+.Æó*)\@‹Xø«ì\9ÐÆ— Xtš¸q£3puéC[º®ùi‰F;ª+:1³ åƒÅX¨C§íÖäÄÁÖP.¤ìT³Â˜¾b‚먘È\” ÑœEãHÝ™Ãþ¥xÀŒ¢¬©+aÓ²^Ñ4ý†zW#g8d.\ËeNÖX)1¡ó®èOަHŒŠNW2”'÷ctòk ±Ï.²@F­ö{¥c¯”¹1eŽ3€R²ÅV›ÒE.a@ô+ôáuºÁ’B‡AyàƒZ ›‰í2¥ñÛ9l?}zºqnŸî7?¨·Í§¯ö^7¡?ÅHPšÔZäO­ŸØ¥¾U@FÌÂi³ø·dXe.;­ ª@·ãّᮨª0"ÞHg%Ãhl¬ƒKß-ªœ”²%hÆÔóÚ? ØßSŠŒ»ŠLÈ\žãÓËTpPAy¬KhÜko\æÐíPïF› Å#¸+<ãŽó 0’‡ÓÑÈ+¨9 Q´kÌÅcypá€BwÏûï:4¡¨õæU IÑýXLõ‘ýõ˸r7=Äu +œCÌ߇bÚ—ùf¶\ LÒ.ûz÷|øcTy}gáWÊu hÎTœ"š´'#˜{\'&}©–¸â“•õŸ{ýÖïŽÅ/™Õ@'¢)&ðrío)ÑÕdÖN™KNËkI2ª¡[ô`¡õÿ⦼ô‡n]w þ½úpC‘‚äÛïÄò¶œJ1Þ’:ªQèæ‹n¿èßæGÞÅJ²‚ìZ$è,kñ¦|ؽã…”a¨ê*¹ªÄ|£¡C-4¸ù´·õÀÁ °ÊŒ7Ít™âX“÷¶GV^£ÍN×isR?Ìi,ÓMÂæ’=oê2<†øu§1ȤáLFÀºk0Ø¡@9NLäÈ4pfèØ5G Ýëyãr·L9lñŸü+Ü•U$ø]ê‹àVB‹Ž-4TUI¨¥y[·×¾³­@³Àžp³CkyšF â.@I†t‹ç|0çxB–…Ê›ðpOÔÞ‘7!; ±ÒeèbC<aìõ‚F¥¡zCÖE9…^­Sp¢ÜR2€‘*SáT!YËM‰Ï%ÒÆýº¤7Lv½¤i~u2D“1t#2,ŠÄ8Ü«Ò.ÝÝBÓƒï†,áö‡€$´ÿð QeâHÜ`‘Ä‘ù8³G”0K1ÌF„Õqe~Á©`¡Òd„Km‚2ÆЋÉx,7`_BbEŠõ‡ñf9G¦긬Qs1ö ô†i¢y(8Ükžü|ÔÄD?2Y–xJqH€ðTâïe#±hŠäNujü¹&?—ub궇¡åÜu¼ŽªV#I°¦r†º0ƒNOÓtBþÚ¥Û*wÚå»)ÃI-R±œ’îFÒý I³D«^Žu r¼(ë2‰æâ‰¤säYÍgÔi®é K\˜Ñ^ÑüÈ~—‡Ò>×—ßT* ñÎ2!)[Œ¶ïÈâ+•ì6p/…»¶øêšt1&¢° >ü¹¶jÓî‡åk“@ª)ß÷øu-ƒ¿ìïÚ«özCLožüôû¡°m;d€¬Í å9ðß*¾µ×S€©Þ³-.¾ÒCЄi¦¹ cc!Mp'%"gŸÍsÃ@ÅcÃ#öVñb·rÖ/‡NÝȈpiÁ¡þ–*± 3%x [­†±I'CÎ.„¿˜ÙUÙF^ž7ŠÌ;2P6òPÚ#áWòÀ¹ói¼:»Óˆ8iUç©øx’ ìã•5‘Ej¯R!)¦‹„”R'x-æ20&‘òOf’å˜u{}/ËœUº6ƒ±×½áDJH8uL$ãÊÔ¢+ÕŬ <¬Cst«Ôî<3Ш¼÷‹¦ê‘1»ì0ùR†»áø6¢âD>rzC…ŒT,„:¬&Ç ¸J>§-F"k>U-§6cêÊ3EÖuðä¹(±©½Jî¬{×’GÛgì|’wG*Ã8fǦaïðžwÎú‡ONvNþÝ<ØkP}îú¿ìŸœ‰Rßù¯?ZÂÉþ/ bä¾ó†ÍeçDÀÿšÊþ×ké5ýT:Ù9°jøâÓr»F þBx¢öp½]Ðñ¢v‘)5”ÖË08ØðÎ6@HòØ´ ,ÏíuÓ„‡BªÕT·Xÿ~à/Å· ºå£üþ¿£Ööðb¶Ãtp`ARÒQ÷áI§-éfTŽºH£w®¬ëLŒa¯"½ÀÌôx‡.&wçÀg*sGÛS†4JmšQ‹€tÈH”‰'UÁÙ’”ƒáj[Õ€zŒÓç.NeÑ$F°wx¨ã=σ³‰¹Ð­š¡:&b4 eT±L-|"æiº=Üw©0GY³Q.×ß¼z²»÷ìäôõ+ñºŽtøÛX&«‰F¥ÞX{;g;õ­ þ†>5›ƒ~³© Àz Öß ¤<¼Ú98ûUÃC3Ïc©"_5_?HÕFš¯ž²B’^^¢6úÕNí?NíwyáM³Óë}H¼C&ìyÌ'+F|ììCÈí8)nÊ(5/…;r`êv.ÜƼ:ìj­•±‹Hãõ[Þæ:8“m£µňÖ@NÕ÷7¬§µ­é5gkó@ˆ°¾l…O0Ë'çÉäØŒ§(›Rù;Lª4ØÛŠçüsÆÂÍ—DF@²WÄ&ÆãKýMcy Ó­® …Gìc€_e$nTI˜¬­Ö‡fÅߨ$$Š|ç–ˆ{>ˆö0^*c}pʘ?¦÷ƒ2Õ‘}LÊ©Øö'Þö³UîzŸôsÿ2ë~YÔœ—EƒªvÉ5q±å0bϺîÏ< (Gš‘Å—#÷z̃·;l™œ–#åî¥÷<ÐoJ’õ„âàèàìàèôlçhw_œíŸ<;xq¸/ŽŽNÚ9Ùß›€ÞdÓŠ»ýk¼ÓÓ"cÝjb´Ùƒ7>sG}«Þ™¡eĸÿ`¼ÛÚÚ£1=dï•é(9­ß°‡†æ.sN\÷/ÎÙìyz,Ä ^*Œ‚¢Y×ÚoIî¦ÞŽÂ2~!ïYëX[Å’èBn¹†E¬ YX©Þl¬Õ/`Þ>±–'Î{ÍÚv”5 žF,ʰœ÷ÐG”êlg–væ’¿s3?¤šD>D9’ßs´óÕ¹N-ûa¸ŸœöÛMJ̦¥¨J#=6ùfSp¼[WÙ!àÌê¨Ìp˜KIL‘z¯!¯·Qe6ÄÿñÿåÕëµUþO´n40y×R¡ËU•æ¢# oHkÖóÚcݘ¤Ò3“š´ïöýQ J“>'>êˆîȹ@ÅþVú68j« x³Ks0ôÚoêêøýð¤¹þè±ø—÷}ÞÅ»Ž¥åŽ¯ðê{õú‘6¸zýøéÓ]þ9&aA£B<÷ßao&CŽäbL‰Ó |uÙƒŽEнE‹2z±§K8Cå•>›¬¸d m¡ V=¬yìýÉÎÑÞñóZ©ôQ|#6V¿{,êb]4VÄúãõµ ñ@¬=ÜX_ûÇ?Ö¿]=KJ©¼2¬àÛÍVR¢ÍI§;ëÈEkuê©Ññ&·ñÏ3EŠŒ`Ôo Û:LøxØ-\‘ôßïx®Ag§"x5üm¶Ãœ¾¶-¤ÆK®…•èNFCâ·µUXŠåKQŽ’€èޏ½ü7üŒ7‚y3“ÝÓÖûs)ìDúiØMãèTgU #¾u:™åWcN™¿0BñÇ0ðvb^ª) wMºR€ÿ¢w¸ÛÙ…¬[Š\2žsÆùÁ;´J0Õ8 «ëÖñyÈxbnXô½AäÄÃÒc#öª*K#»%º“A› TñZ$Y¾a3Þ'ïA ŒwéÓÊ&3FØ.¤ÎTeþÝjjûk"EíùÀï;2uãöW)›F»×?*…%™ D8¼mÃIà5OI h×J!ôã`ãQägŽ iÖ {ïuÍ(ý´âéàSÀÆaqd}F›Døý<Q°#[^íy3L³Š¤/2þ£øúOOÄ#û¡¡¥IÀÆÈúøÂuïU{÷µ x®ž)Ú9ýÀTKfÀsÝ|¹ã:=&µ×½.È #TRGó[ÿmp9–À,ê't*ä$túkn±tûuiÁÚ/ÍÈ]"p$ø<“ý–˜mk¿³øáÃ×5‹ T|VŽ„‚ç̈]ŸW‘—$)χU,~!Ý*ß^Õ§÷tÜ$-ËvÄJ(‹S¥_v?y/ø2f3Ou°?EnJÓúˆ5Dê:kêµ­z®B$˜;…§®Þ¦XÙ·æ«ÿy×ßÊy®í‘7Ó×ìÎ%M к0CЕYJòŽÑµ‘¶l“´H°‘«)y˜´¢«² H2nf¬PÔ\¸ã¦2tÃÎ%'y†kÛvn£¿B┉Âz¶]°’Wjá⛪0ÿv*|–ô÷Òíw“·šìøV™eŸh‹˜Œ0åâj–«˜;Æ«a•A³Ñlî>m6ñˆ‡œu_Ôô5ªúôCÒ#‰€OhRÈälê¼è±±‘oäVéî4(9,$ýòón£Ý›ÔdP‘vLjb2¤},'ƒ:¡¿‹]{?yº'Öö·©¶3sZ ¢¿6Y·¿…C¾´‰7lì$±T†!ÇÈð”Ç¡rÒ’]MÜÚ`Ìjqø«+&£ —Œ Ǿ˜ /FN‡zH`”-aÔdò;$ö#”ÏÈë`gÀ©aÀa ¯If†$45$1PÅSˆX š‰#^ Ž€ ÷@•ÎÌd(íÖ…0wh,u¿“f¿¨ÖY#Ò3E˜¹$Y#Ò}BtV¡ivÝðûü®Ì½EO ëµØÆŽ<ÀV@d€ÿØþnÍ^µ*w9¶Ïn|º{ü…wjØõ¯n¿èô$ÅIÌQ¸íÉÈ£×¢xTeÖKïâ’|Ùʯ^¨iœ6:cx££¼•É\޽[P¸M™Yî›áXÊ@öÎУ„?† Gwî5ôŒ½©Rh/Ä“ fÓ |†0r›x0ܰ“êê ]³nÆ—äsåÁéÕ¼ñÂæ´¥yWôk!—˜Âg¶3ÉzE(]A‘¹„ (EÇ9Ò¥Èu˜¾n4ÃÉÈ­ÝëqDÒÓ7ÅùŸ"Çq/~ÞßN»‰Md¹gš8ÓŒúáÄ#騺QÍK, Fþþžvƒ>³W2¥|ý@8õµËG1ä ~—Y³¼²N1OaÓØ¿¨’ëEæàº•ͱaW–Š%ˆèóX€D^­ýÍÄòŸ=Z[µŸèßÖóÍÓ“ýTG„ÔCŒ]·ÉîØræÔâÊLÍ2ŽÊ0ù‡OˆO©ˆb¡9ù^FŠãŠz]ƒ5Ôíé&yq]zž‡1Ô~™îµr$CrOTkÈÿþ(~«êáà{ä©Ìæm¿×ëÀ"ãd/‰I#ïúÕ†iÃñ7Ku7#6Ì_^5ò‹rlØ…dí »s*<(ôÅ•‹êèò\:ïȃ¬ãcL fþ´èZ€~‘°4Á‘ðˆóŠ!~5¥Òø £P¾ßtãÑR²zf·wöuÇM7èWYSÝ’c0(«kÊR µk»ä‘€~}Ý°ç †¢_ ŠY]Ù}‚ñ«‡±1üž‚O®gÚoݪ= ?pe1F9šL¯¯\ç­ÌGF@éyo]éøÈJ±x ”¦\wZôLËNžÅN ¬_-îâ%’qìG›*‹·î ›Ä8ÓOUÙ§YOÉ>&oÈ:|¬Jôu 7 ,¬«d(eÑ…aMPègÌ@„@$¦{蛞&«öÂ"€zn‘G=7®n$†±fH™nµ'ËL_ çê-Y›¿§8ŠËË’XÛ°Iά ^Ë„/öâ/žÄ_üjU(òâr0iã~xX]«®UÈÉÓÆ¯ÜŒY^Áé pK ‹ðÁ É£ß>âÿ™ÎµIš£EA‰w©r½5Âù‰ºŽõ'èòä5™'¾h¬‘Õþ¹¨½Ø^ôþ¨yŒ¾ø%þâ?É™^Ké¹3¾–³k3¯ŠÔÙ”Âcmîª`)@íèÐäÓ/A~ñçúN«âv Æ7=ýÙF¢XkÆä†‹ŽgWì]5P)pgkZ-;¤³Ý¤<ÊJÜ–Æ¡ˆÊÓTÝ+W¨ó?«vȵ„FÂ4>t”J"µ Qã´ë@Ö-²åÄùdŠSMŸZ F¿‰•,ø^øû·lgÿ |û—Šl«*`®6~UĪ«ß`8ÁC;YýGŸRÝøZ7~Ky@ÊlÔ†dᾪN.—#Û¯ÄÛJ=ïÀ¨1Ù”ÆfXfëÔVðn´Q]QkpÛ¶r&1.j£(´a¿Zøúƒ~²WðùÕ# <;=ºéÆ^î¼e—Še’ž®y[¡¸.Éòtq/?¢yH²@%rù•Ntì• ûÛðoùÍ‹6šFydŠoƒRÆ>0›gqE„ìz› ’Ù0«õXöã%R{QNn@ါ ’!ø1%á¥1ï?€QÖ <$Eé‡ìŒ«åEX‚v’y2<®ª=Û &“"éu±R®Æ‚g+Cð„/Ÿ~—.úB!±z¨,ˆhÏBÉÆlO‰»Æ,ö:¨cÕ`h60òXÏÅpu¸$*„1ó)ËÏúpø5SŽ¢˜fÁ…ãÊÈéˤ´,Ês$ÎŽw)êLŽ–p:@`ûp&ò€©ÔÆ~VDÃÙ}ù’æ±¾ËÓ‰›åâÁƒ:C˜‚·I«ÌŒ†ô€äË;Ö@d+\hïšjÈQV¹qZ¢–wÁm«E´‹©Z¦òìú xPÇ”"‰àåÍœÃP3ÒÄØƒ†n±[¦-Ÿq‡FÂeUUÌ“ñÈéx(;½*ÅÑf¹ÛUÞaDSñR©xEj„Ír2ð–)²ó!—Ê¡ jRΙHºó¢cÆÔ„9çè¨ur‚8¯®­+êŒ6‡ â Ãs¸´šBZÀ¡GýÎÊiŒ’ÁgVŠÉJgh4¨ãgÑÓ4géHˆaëQÝ2@°5—!²ÈFc$ëÕpÕè­*rnÒäZW WXÕD‹@,¥T’ñÏê$ÛÒï½# l’.ÆHPšl‡träb¿ÝŽî+~Þ4õ¹aY¿-–§E` @G^¨tQ › d„•È É`„:üÌH³Îûž¢r†§J©“ŘŒ.ÇÄŠ+b ¼a·˜'tó$eÇ NaVÇÌBnÐÖ$w(H÷¡¸9yɧ²^ŽU2~ ‹HÇ3yL@šq”«1ÁÕíϳ†T$¢ÔÝ"ÂÐè`Nm2"­t\ŽG(u¤^õí¨1çV»²ÏäÏëÆ¨ê™óe~B²¥¿ 9ø¨V'[2œí<åG’Üþ»ûàAUüÂv3â‘ýH+ÒãÁN •\Oܱ'jy#Š à@ü–ï1‰=£ pPU³Ø ÛÊ‘)ÛÅf|]Ë´Šj'Î"1` +Ì»šDÖ½&?‰5ˆ•J.„}q±&ß %@¡P $pQn!@}Ã38­à £ã"¦i(D”ƒ6úK-79ç_‹ÊÀ–€sîÀÅpÁfa3x/] Ϩ1WË$Oy IÖKê‚wˆT†±7Y‡§÷±ïÐÉ—•ëË$—Vª¤Œl¹À¬8äIÍ IlR ›ØQgÒvCO>(#ØM™‡ö“KbÏ…™ìS\ÛKQQi¾S¸$— v`¡À‹†´k'¬l1b"ΧL)„³(ÛxŸ>†W=Æ—íR¢°Šod'2¾6KL¤²yÂàûîûï›;»h6ñC"EP}…"7‡Å‘­Ô‹EŠèÆ –+Å÷¸iP¹ãÉh V·Š‹ ³F¤î Ùnâq‚×’ê-ÝkŽÄjŽ,p;ÛjÙê&!>eÁ¢^Å”'â=nìú›UùD„~¢‰Šæ"VJõÆZ]}âÃG ùcYçi2ß>ïLÐ÷§”Ä®‘\ Jw8 cËRr Ö9ŨåDÄHñx£Ö‚]͇"©ø’!%‰!©«Û#ªî`bý4/ sFñXÇ È#üÿ¨rQ©HŠ™îp’Î?”ÖxJÊÝÛ ¶> Fuøµ‰ÿÈ8¬LÎówX³ý©-YiSJU›efnòµUÌ5™'¹zžËÈ«^¹9‰—×ÙçzÖÈhSˆ ÚeQÍ·…7ÛÅIÛ»¹SxÎ}0Õ›¸’W”M¡."ÎL—^¦Nù‰PsYa¶ìN£ùàÏÀGbe™ÖßæJX \ ³×Vy®•)˜¿ÈÚXå4[ƒÔ9VõsçÕÒòÔ­˜V!•]îÕ=£ºgT>FU¸5‹bMÉ,B»HJíU®~òº"×®FpdB©=‹Äër²Ð úC­;)ÖP[ÈÚuÌŒF—¸ŒØÞR ?‡däš8Û1<æ.I3ÃBfnNHôÌ+Ö‰¨›Ši}4zdžM-s“3Oµ•~)]˜á4vq–‰¡Œ9ͧÒóíœä”(+dÂ{#§Û¥±ô³yÞÖÙ¬5 ª éô™šÒ2fy Qñî$¤Åô|ð õy\ ŠqlË0°‚o¨k  ÐUñºÑ¨|Ã]h4Ö¾¹°ÎËñÛ)f;AÇðL&༾‡¹FQ í_‘ŽÆPe†âEI‡ÜèRÂsgÚÕÂ^O¾µÊo$"¦aSežpyò%S}%$Ê¥Œéfz”0¡K‰â6téÎ^%iíž)Ùo» MÇôEºÝ¼""LŸX® `öÝ~ mê`ƒÚþ4ݧg'/Ííç§åø‘béoÊyo9·f¦[ï›ËQSž ²«da–@DQǕħ‡ëž`¶R$+)>–3ŽÛë§àªÚ5 ¯ÿÂKðJ…V ÞpäbÔÖ!ŽÍìZ `ýó_ÄL„#R$…ÛÌÔØ4FSàÞœ¿8p>?à|Ðñ^m< M¤3o;tÄ€Åc¥ß.cZ~Î4¶ɘ·ÌèëfÔu fJôõÔ˜ òS/íØ5ó¨ÆÉÕåYBóg_Þâöÿ,³%ÆÆ¤ëÀËIL-c#ŠRrjN"rý ¾ÀivÏ Y•1|¦Y9ðuíDtÞ‚N®§®¹Q~lj „ p§@óžµßÚ©®C3(àâôRRºµ„õªÖž¿€m¸i•Ð鲆Êìõpf¬OºÛå¿\ˆo òmÅ•Šð&3X¶µ•L%m*@ý­ìhƒˆ±àá"fwý¦^#UBgd“çòûddE‘ÝžÙœ,\† ËÍ Hfý3g2p´‹¢aÑ´ñ40’M˜äA˜”-tîU™}Ãs"FU6-©ªS ;d´lä¬È̈[•íòx4Á³ÓŒAd ÉôªG?c¨é縊M)ùøäCò%Y-|‰UÊë í×c5# ðïŒ)`Ž÷È"” בVœê!H›Ò^HŽ®}Ù÷;pzÙ\îuø:K‘Ñé%Ö ÉݶþyüóÙ‹ŸÏþE–qÓ@/Yðìøø°™VšYX®éyO>¢€Æî‡{ÿå~Å "ñ5Z7ŽF8ÉâñΖ’ïR*FúÒŒ9(uŽÜäsý󣃧û§€é0 †[—5µF;}ºðÍJ!œQ0¢¦Ê2x5$Qã·hÛ6µÝÍ´âd4í^{c±_ij;!låXzÊ%±Ã2Ê2Uóèd¿ˆPõ¹Ž_ Æ5‚’Ú[Ñ$ì¢Ök—êʈtñÓzN«õ ¦’êì|åŠ4‡Ó©@{ò@„g$Ý?o”ñ¡2„Ž–DsV­Ø”dÿà,á_eø;+È;stœ‘<1Œ.aàwnséÖ#MóOëg­_zîLýMi0Uƒ‡ÚÆ2GDGɽ‘Ý1Ù½¡„avAHÿzç^…à ²×"13”÷î&çî8wd!M‰Åºͧ4©¿˜\çIy&j—ñ˜Š³EY( Ñ”È(ÀNG®ûät£³†Ê]0 8Û*Gj?x0¯Ú¾R¢ï>x@I€-cð , ãôt‚Þàaêa寑 ø¶Ü ®çµA0TÍHxú“ä´Ù{©b ¼M¼Aà‘BmÙQ9ZÙ@M…Ç㞊ë2ÖÈáD Vouaø­ £Ï[¶ù#ÙeëPWCšeO²–qáÐ7Kâçò ÉÀ»8ã Þ€¤¤×æHc€2ògç<\-éÔ›ª»©9ÆšTöÎç w.Èíq„bc€zY}QÁGéY¡å  ×9˜Ðäf–”ea(øì‰¥/ƒ+—ÃÉõw‰Ø!i]SïQ$‰ËJöqÕ{ТkÅ”x(·ÉXô‰:k]§×·¤s®×¢Chÿ]^;å¼8£9cEüo Ùm†eîÏ0(}M˜oL%×'ÅNT›9H˜¼®ûxC© àÒgL^D`ÄŸ0q‰ jŠé…d4&yÜc목$cÆTKæ¦X[MÛÊ#6F5Õîj¦a0Õ—±p\Ù{c.⑊¾GC!$]ç Üf>3¸Wڔ̅t…<|+¤¡Z!׸0ué ia>ü,ä f2+&"ßÚBÈ—¼í/\‡Î fI n"g%çÀ<éEÉÉG¦4“¿Èާ’C7Î߇[¶Û=˜ˆ{‘ui}ö%i}¾5`CÇã„Ô‰›bmÍ^ )ñ“]Ç(¦AÇnÜ1ƒXþéÅwëÖV×ÄŽU×ìõUåÚ]Æç'øù¥ýðÑÚ?ÕðßÇö³T’&ྲྀ¿G¿‘ Ùw7Kïá/zzüš´|ÿ¸Éžåä~Û¥[´°g íõMSþüò¶m³ÿ–øX4œ¢Ñåš­ÅÒaI!/‰¾©Bd¨Åô°-:ÊËÙ¨&ø•j#¤>M$^xù™bN1SÜwNOà;R¯ÿ` WÂ{‰ Åäܼˆh”ÑX† Øü•"˜±Õ¶ ðÛc¼íÑðw&oIœ‚@ïÜP4C,-®Ø<(Fh«Ñ/ìpôŠdIì )?6œDÙà›É|âĸÁvϿБʇC[߯!¨;6Ë!Uƒäª-Wmˆ¦¼¡ ](:esº‹Íkd.²%êoÄÊ,iÓœþõbxuÔñºÝL³Úz2”¿y™•†h†Žbcæ­÷´Z\‡ÿ•foª?+&¢–LT&ï™w3‡CÙ¥ô¾D·³V§£\LW¨'Êó7;å½-÷ÑSÿ9Å?vʈ³¹/#æ2Ö!óK‹v’wBŽ©"ç”°3…NÌàæ—<ç=åÒÈZD"wä]S¨{| H÷ÔþùCCß9‡ÆàN#Ÿ‡^ Z‰MWNI¿ÏZàŽU†Và”Y“aÈosä^xšœ'³~SM°\Ø—±ûpÖk®ôf‘jn ú¤bÂLyc­Ý¤wþèm5b(ë“‘»jB)„ 8 |¢töY{Ú»QÁp¸JqÎw³èwÁ7¦-î^€3GÞnxSí .&ÎÞL(„‰¡;ªa`x5ìO:OÎ/;]]ºÔYlT’lÝi·Ýá8HÌUŽhµ¸,É q¹+»˜ô•.`Ò%,#JGJï¯z»¾Ÿ…‹š+“3Û]x‰bXKlpS)cLí *ætUL>mV‰ÌD$ÕÔR@p?£ó¢þ/]˜¸…,‘6˜ y"«(áf!]¦H­3[®º¿ ¥ w‹¤ˆ¹©4ÿšš+jêLÄ“sÍ:Ñ 0GŸúLæ’I|é±DpÆäV©V2åÁ,jé©?fUf{`4Þ¸IŒNN|@%.qðÊt z™ºpIlXªLÃÊͬ…°s¶#žÿ|xvðâp_þ´s²¿73ép4½¸Û¿F¨Æ©Œ­[Í=ôïxã3wÔ·êZF ýš~×þÓéaq+‡éýö0œŒŸž‰Ç(\ÎMt±âÃì³kå­ ¸`} ¿‚¢]äÖ~Kz©…ô> Ëø…f’kk iL¢ÍX¹†E.t6åêh6Öê0oŸ8d2'r¤öŸeM[þ§Q'X Î{ èc]ÏœYÚ™Ñô?Nê»gSˆfG÷åC)c2‘¢IUÔX)çûé±f…jDžOŸ«”‰ú<³ôµ¨¾–ƒ±ì(ƒÃßG+8Ä:o€0–ÓáÀ>xQëEF¤Ä/¾?æTˆQÿ¿â;ˆü+Ùd4»_·¶ ïK<¼‹;Oá³çäüDɺÂú&߯ÀJ^Y’Ç" æNAßméáÖ¥ŠVí’‚{YFÑ„cwî¤Ã¢{«ZtºçO`vbif^)†ÝíäSØÕÛ2%Êzââ¶Éî£}}Z é`uŒÚ|<ïÝäîµ ¢{`a¢šMNb¯¥´ µßñÖVëcò"çÄÅ\žÙ´ÀÓåãÅß ‘¥n¾Øx/3n’à¯ð4CÕæê,¼Ök[õÈføÄP-z›beK|ÜŠ~OßSþ<ºžŠr&,û8ƒÈ/av÷Š¥t·xd¯ZlJ W³œ¢Ò ¥^†‡Óš¾,}Ð_ˆÊ@>ûT|±ô\6“3Ààysó G龡­q8ìòØ×n:]M·Ê‡{Í“ŸšhƒY^ 퇟ÝC<£Ù·laâõ”¯<‘¼_íðýêÀmçÜè/¸š9W±æJ aÔ1KÐýlÔ`"㊎:¹¢8ŽøãÑñÐü|tðR¿øyà]ÿ ¬øè'ÿÚ~µ¶úz…cb]_ák*ØöÚëï@·Bë¯óÄ/«HhËygO½zÓV7IogŸ‹Ü¦zggÆ8h‰xñÐÍ‹7;ÅîëÙgгÏ9–Td}d¢›|~ôî±}ôÈ»›öwçèèøŒ “¥¾µW®è{—cxÉ %íOCÒy0_à¥dP̵Ð#F—b/Sd~V$«,‡öDäPŸX©Ðk_RœÒ€™Çø:8µ¦•}'…n•”¯wÃiq¯ÜòÈ5"®rf‘ü8´](n_\ªæÉÂ^ðHbÆÖÒIëHÇw†ßrÞÝÔ.aܰKð^έ=׎OUºr9Îäs7´aZ¦¡êÌw3¥ÉÍ7çˆñš{ºõ¿B·&cãäõ'ˆŽ£ûšbä#ÅÄ0²>IÂ1.ã?~ ?¤ ±a¯rŠ‹JAÕÄ”­EÉÈá#,aª1'­ :n-`ê®&!iÙn~!CvÓñËøú÷¿£'g“‚þ©èf0£EÃ7lÛt+Æþ[*b Q¤ç•/÷Zû¾C@†ó#”£I¶®KidÓÂy¿þpé³)õ“ ! ÌÍp’q:Lß3ÓÃD±U êT-ElÌåçÅ7a*$X)*Ü[†9D. ÇÉãƒc qbJSÃýÈŽY Ñv5÷‘+O»Ü{†Ý5}h´’Ëð"™ 4×:%ŸÕ`äØícršйtȶM¬Óí¢óÔµ‘+ãg§§Ý΢’!ÀO!6B@‡ÈRZxhSƒÀ|ó²èâ¾GÑ•á ešÁãh:,?£4ZÌÏ•ª¡_l!á¥-WsŠ£6)ßÃÿ‘«6iX žÓ†•1« ëË`õGÁ͡˷üZÁûü¯P…4 ¶K?œ²~Ò°•Jº²%Û¡½¾†2è¥s17²oû2};ÄW@â¿‘·l§¸ág%Ùðµíú÷^QÊvuó”R>%³2m×Þqã!“¯ôÝ)5¹+ݶe‡“ƒ‚åGG¦ô°•io3Ó‹ÉŒA á†IÓÖ?4þ¾&Êì¹aÑö? #£—JE¥Eý¡˜‡³&OÊÞëÒ‘8LO“STúãÊd1©+š·Þ¡ª==ú©Î£Tä6Žoéì5Õñ-«(Ëœ3NNõQLJ8ðŠ%³¯ô¿E˜™ùtH -œöØyÁØk9 ,¿b„isÎZ·k2ºq…²ƒ^Á‰p'Øú;o³^­žÔËj™òJ–#anS›ÓIWd²¢~h[dsØtÛ.¶˯vjÿqj¿¿ÞlT>4Ö>\ÄšOÔ¨¨ëB²y*†h×ä›(dóõ>ÙéÔøc H3^΀hSÈE¯kÍ1Ö-J=ëÄyшRo–Ç¾ÒØ’‚Ü’ dÂùZ`'£WF ¬-‹e L%Ã"­GW…Êå[â%ÊvyåaäË„î,Ñ àëjbÙ³]@–M«"jZæY’­I­º;#~sàú@Ðê"Eµ '¼ÔúèÖ[GÇ;‘¼ëP‰C[°|ƒIG”OÐn¯‹Á¾A䦨¢¶J@š²~2ìJÊÇ0æJPߪ‹úEù¼¨É‹œù…a”P©Ñ<ݱs²sv|‚-XF ë–Äñ[Œ…«(#qòBWÕJpb3ŠbpB!dó±;¤›G¼"öÆ O(PÓYÏÒÞÃä¸P3À¶Íˆ>î›icã¯Tö Þ­l×i”v_¼¹ vå_íßÎÛƒ(~Pã tcf³åœ»Ð>©Öº¬r“èÜúÊ:&Ï .^ k‹ÒÈ`4¦Y¡çpì ]ª.éÇ#Ô(¦ìY‡°g¯ááÈý£¸Wîˆ"Ãòù±üVúö´xƒZõ-a!i²êvø¤^®$ e½¯ +D·ÈÜ'° ±G7u‡B²§ô ‹±ëÆWY1Þ…¨Æ"A8ÏCúG‘Ûóì^$‰{n/R;N:…F±p]´B Úc§o÷ ¨–äåâ“ýgGâý 9‡ñOé©þ¡1°¶>Š÷ÜÆ_€·”ê¥B–«[r…—á%*•Žžn züÅO|ªÕ*„#o•è#faëLýÓ¶T1³à6~1?…­?x 4G9ÉdX뇄^šõÍá£ãvøU˜Ç#2l·V3ŠÍ¿øïÇ¢nÛ bÈ ü=r{Åï_Cç#EOØá5¬Bä@õ J,3EÚùõ_*mÞBùÅ0_ן=Lê쉕ATf¹»YïøAXUÇÕ”…Ñ¡ØØóI1ó1–FÑ |¨§H=çjˆ”sï×O_œë€'Y ,t¹Õ¾·òÍÑð§…g y§CèÉfä±Vj21§±å#¼,qf üb"¹½™ ¢ïЮ&¸ŒþÀC&Â3µ¿ÆO™Wz'ï&¶'ƒ·À’EiäÜß ]8Õ‘PŠX®·­0& z[E5QÞ”©²Š|ª²ì­¥ÕêjL€ÝTjèâŠDqãO0S4iDµö/ðªlc` v#ܼ°3¶Û‚³°Øs»¡9³LÍtç࿆;Þ5Û8D¦‹b"À‘wvI~0©óëÎd¤’°Ðô¨å]€ð×udpùœ)Ç3#Þ‰dƒ>éÂ$êd¶ƒÚÿ蒱⼽ڨ}÷únç.ŽVt…YËhv™ËøBOqh ¢Þl´‡“=óü=R³ˆƒÇ2Æ|KÇó:ßâ_ùŽ'¶Î{M•x•ÖÛM¸$~EÁ…ÀɧuÝþî‘}]…™îõ`¦×Õ%7ŒÇ\^Ÿ\Ð’OB@¢ß!Æ@‹aÔxAf¤F ÈÓˆ7XQÝDS¤KW”—þ&ì2Uô‚Èý:¹p.Ëÿê^|¬3%Pû¨¤/Û媺gÇî€Öyº†í ˆ|Mjk âÛó‡”ð78C8”)T+NðKŸR¶?´WíbŽ©-à0^dᲓ1ŸmÓŒè=+ËKðÜl>;úyㄈu e¾¬_¿^GYF¾x~pt|‚å¶Åwÿ¨á—C óÅ̇×-£j1%–þA$¢’lÆ,ú“wUÉ«ÍÈýÚ‰âf<àEJöž0×R}%8m5Ûèø,€a<G3*³¥(%@Á˜1“ ÁŠDòÜ(à.?lC[üzbç8Ä$ЇØÚB:Qá IQzéÖJz"ʲAFÉ2hÀ ?ï7TºE*EÝ™´/u'lŒ·Ê6$Ñ1¨!Ѿ£aV4ØÆî€È*Æ|U–H0Äûh±nÓt#ü ªò\ÇNÏŠ‡wn°o„b(¼.*1`k+ÐQ»Žò9ƒ1Or¨iQúš0ÊÂk‹^àW•) ’ äø¡³8rºßÆ %“1v9àÀ·:t­ÇÁk­ÑX­ŒTì‘Ý>œÕAœŒ|z½*žlk5œÝlEéܵ¼mh5%g>뛩ýlôÓüи…eê¨{ÓÂ4Ù0ûBýÆ~ ¢t@lSVJ{¦Š …0äkÌZÉR}“ñ-%ŒP¬®âbJdˆnÁ*0µ^OòÍDË_yÀªå‡ë8o7*Ü i©^µÇlG…w^'3c5åù§ ‰2@…xÂè¸Àì‰ØkÕGùÊuÞ–Å[÷vr'œ;c 1¬ò´yx¼³w|tøoFúªì=@¶ÇFý Û„ ßri‘]Ü]*“b—Â’¢‚v æïsÇ2J¨¯#N]ç+f\þ©qXµ¦u ^Ü+€’ÑÒ¸¸P¢öC½Š'"³Àï&ãwµ„ÏÐ/å­¯i)°,yá_¹˜›-_ô “v³Âå°È¤Ä2Eá|ã‹ìÔ>¶Å‹‘ß‚'TsÉÖBž®Dj_9RÃüòõµX€Ë0ðã«€ýE›³ 8ñÎ2O¿ýK%\_]äÃ;B(2KÜKñyÐ*a€ kÚ+ñ¢EbFz¥g˜[ÚÏ3Ÿ^#rêb¬yODÆ<"¯ª®àáÔti ;p>"™«Üx«¡Rg÷.e>óµ(ŽN/P‘Xê+F˦¥!¢²{Lä¬çÝlä«ÿ潂Waoê¯W•F´ôMcíÊb¿Ev´º‹õôá@©àN ì_]6ܾìœZÓÚs×Á½ë^Ã|·\9q×Èßr%æçbQtõ§ÝP¥ì9SUNÍïÕÆ£Ïq1¹ƒø{c~Îh^(–q’0í8þݬ-´$ïu8”chÚ…DÎ}*Uݨ¾\[  >mäµøEÚ¥k>õ2­Hí¥hzD‡(œjF”IW¢3˜Ÿk«.Ÿ<¦×Ëê7ê2©þñRvÐFUÀ$`¥dQjQ}…QõR#Ý ëHÙ"/î‰µí› ´Lê ¯Û‡W×k÷86CñŽSç&Ñ5åfM3%rI„|GGmÄ]˜N)\¥"¿{‡‡dñÆbë^KËŒe•ºm×ÿPm±ŠéröbñoŸën6Jøâ\ŠéôHø=/þ´cX#Qk¥µYÃÇFIƒÂŸÞßÁ4¤ÀAD7„ˆ–LZä:‡dÃÜ–.¨ì}ðZKaŠÛ·” j¨Þ©¢ZVL ‰²¤í”ÖeßïçÁuVÃ. »_’%>‡9ìÌo6~ÄÒr9{¤P¼A‚¨ˆ£ôã–¾b*³$?Ðëe- ®BþÐ’Ò,Q_z=ù¢ZˆøMjú‘(û.Pn¿Ð÷h—^ ÓMŽ(C‰² ‡Ñ—h—úÌáÕÕÞ@·8Œéï¢Åæʵ~sQ/ŸËR’†–¸Pì•ýº^CÓÎwDBè—AŽKYŸÂŒï@cœ¡gEܸŞ•çÞàٯᤘŠBš9Ay¹Û 8ÒI"a×ð§±\ë©«•Fʦ-Úðê–k–~ˆ«Uõ0`^ ¼ká -{«íž&ÉGίˆžŸþ²«H³9ßl”ôÙÖa*# ™6v_NÇÍÊ*Ó84ë$?¯l—žžÊ×ð´]ÞÒN¼laª­K1òŒ¤#ad¬R2ÀéKâ˜øÞñ©Î!†wbë«Ù/¯P9ó­ýPã›ßj[ÝYæDmiÊÖŸÆA¼Kû w×w……Ýþ†Bu.“õ#!þI«óͧÀ“f׋ntݺžˆ[Ì }ÑŠ.w¹þ}Êã´§-”¶ËË*a™ÛéCþc?þ-prj¿ïÔþóºÑ¨l~õ;Cð÷7ÀwÊçÑý“¤ÚaÏ1Ô "D¿Ê~èêæ›–Ó~)Éáηäx«€Õx©—¾4eÿ[õrê¾'!z¾ÿ60‚Q¼uRzŠÊVo×_œ?;Ùù´¶É/Ù¦=Z¡ g4®É?Ô¦4{¢qcŽÚ8š¼5ŠÙ½/Ö·<0\M²½ BÅåTaìrtc Ùª¦¼õª]û}Ð }y2sÈ.‰²~é£üPÝŠ:âW¿iÕ p$öô:Ó&1(±éÛMR{GmLYm;¤¼áDÙ1è Û6ŒLé`ŠH¹]ðÂNB?p`‹e×¾°…õBZ0“ºÛÂ[sKí«’ÀàþxqûãÅŸBdÏ‘ŽàWB>R²‘Œ’€²‘¸¡Âw4UjY\" •Z¼œI¢3©ôîaÌW9ï˺¶ŒcäŠÐA)ªÛå½PÞz1éûã]:ÃÀïÜÐlejÜ:7½ŽW:0Ù ugR’‘¶*m:çRÅ¡D5YYØ®½§h» íJ™£‹Û¥>-ÛÂFãLæwP%§cz†ùóZç$/~B›Q/VŽ–c}e±Ý¹iþþhkí?…¦tšÒg°;r]™Ê­3r.üA·Ç›Øý~ ¢v] ‡HÇŸŒmA÷2u6‹$cÍžK¦Ëh!ÀêBöªøã ¼ ÷5b eQÛ°n¯]óâ‹«û­ÿ²bÈ-úÝöy²Ü¹iRžª ‘Ã|µþ¢ ‡Ðp0†orø}ZS<Û#ˆ&¡ÖJºšÖ?šåb¨è0´Ñ—1ZìB:¹ôÛø–1D5ì»sÚ×Ô^ÆÌ”'Ö”‘‚Crëʈ~.OMÊŠÉ÷™|X ßÍ0ÓI$ÑÖ:ú±ÄS/aÑ “;,™x·a¯Ùk±"ðfz¿%*Lë6›–aÀ û±À í(húsgÓcÜä]:ÞÛÉa™Ò‰4”mb@_—tÿŒ\&.iLAŽ\  åûãú¥ßwë|£Ç2½å—ñ‚ãa)á h퇓ëïpàÃÚª~Z“Œï±+;bB…€Ã>ê}¦ô&¼›ë!NL0ÊYËðÎÞÑ9胪H0‚}v\J3À@?1MR 9O[çì’lÉY_VO'žS÷*ùÀÉ8¾;x`PÖg«1O9‰|θ_T" †Ð¢î§?¿l¢û]óùñÞ~Ô‡>çšYÝ^ &¤¨ô›þÖŠAMÙC1°Å˜ÊeÆþ<ÞHëÏãy; ]¥†Hòåpè¬d!lï–Û›aò¯Ôᔂ~ :p:ý Jý¯¢ô x1tÖW› 1ÚíÀ|i§`Eæ1ñ%#Xö9Öc׋ždäþ6ñF2Ö%;eÄýiÖ4ªœùéEíç—(rb…‘VDÐó¯à´7aDN¸2 ‡BM>=zT¬çOjùfŠè¤‰K¨Lí:ú_M0[ø%»ô¨‰ÎØï£'IïÒ8õ¹‰mn@ɽ¸#ïúÕÃ/å©ý§Êâʺž5ñо–DkbùÅ~•ïsöŸVf2“š&ÎåÊ]t€b¥ãÃc|€ 4ö‡R‰“zr7Šˆxøþ`Ü«$²ëpð:Š É!muäê¡ ø‡ÄX‘M7#zÍ¿ÖB&Kd!kÊ2ê•.8u»²Í˜E Àð0Ë 4B³ûœ íýrF…’Á•7n_’ø-÷3j×?¬Xð¯°>¬Ôúx^o}oˆoŸÂ2tñŽá»¾sáµ·®×ZÞX¡]mÀÐQðN~ˆ¼H6ïÂFŽè@¶?t#70\ÕÄã–1þ•BàðCÃ~¼aŽ¡’?à†ü¯õ1:ÜÎcµJé½úqî“a¶ R’0EôGDRU¯§ZaæÁ´¦Q6Ìö`0LíKŠf‡DCü^£,£º‘ÂÛ~·k‰¾¬Ð7ÜüË„¿°`ڭͶ-+ :#ßë$"FÉÁÛ#þNª\ ô¬zºuG ï?+œ‡•ÅM}oɤ­Ü‡ß `Û¤ÓÁè””9ÌP§Ýv‡ì:LO1DÞÈ¥ DyZì€Ï¡áºo¤Š2–6Y_H¯a#B^¥°pµ„ü›%«=ŠÚÎJhVŸD6z‘'–>õ#½˜¾Ÿ‘æ°j|ËÆ|¯ƒ¡ÐP÷í Þ)Ô€…âèT6Vùþ½—Ýnoá^ÌeäžOrC,‡F&c”×{’ú‡HøÏ1ÔÕÞ& ‘@8ë9ð ·>¬R0“½—Œ»±­"a†_xжåTµa°%?Ô) ÝUo»a¥Åo€ÐØ(T`mŒÇ­‚|”2wNò¤øÂ )9Í¥¨‰ï¿oîìî??$"Ã×W0Ú¦QÜÞ\§3O±ï 5]¥ø ™îÈOF Sø±È1|0@êšíæ°œ4–ŒelSåÄréøÉÿíýüüZ\¨žpG\èK%bÛ;vä‚x!×Ý^‘si%¬Œþô…C×õðÿG}tÅk#‰ŒÄËN‰ /8æ^²³ÉûXN#„‰Jì$„0°ƒâpOÙ$¥©ãú³ñ˜%qСÓ?²%EP†b•«Xb+š»ÀÀxlµ$Í:0< »—±,Q—þå‹¢®¡JlŒãÂËd| p|'@=Ýq„‰%¥íŽÐ¹Eá«ë^¡ãÊ;Çë±  ÌÂAÕÊ!m<µ—¢öNáî›z4 ìÅS·ãœðb[ŽQI7ªE™éj óTɈQz˜b©á õ¢``hæŠ ª…GЋ jQZ7 ˜ü3qD†ûúê U™XÆë.`Õ½Ic¨0Ðl(ƒh¹)ÙÔ·ë! CÅ Ú#n2r¶Ï)jý,êâ½Ì²pªûeò­`[D¥¾ Ì=oUE£´^©l‰à-œ,¶Ñ3î#€À°žÃWiAÜ(­ê2–¿,¾÷0jy´d¯Ôë[õ7¯ âõÊåUÛâS½³Ô_mV ¯Ñ\ž·_½Ù~½R‚¢ü ……üdÕáOýM©Þ)èñH”ƒ²€ÿ;Ÿ¦yŒÅÇ,fÉÔ<Ò—²¨áRà¤#R“†SéNpÅ:^@Á„¦Ìé ¦v{þV¡×«ÛIÖWáƒø6êèçXyÀ·S)ØÉPr­‘ÿÈ`½6f Õ/Fd6õäþÔX jù×(!JAÐlAÊY˜œ£ØñÖ’aa(tÇ·«ÕäÈÌ\d…̆½¹}ŸÌQ”3 ŒŽå``užX„|²ûÂù·S¤à°-…JîEÎÊ-/Ô¹ÉÔ©Ù¶ÙL ]§>¥š×~VÓ†9侈äÜŠOâ‘;~rºtdž³f%œI}5ô§ÑjgŒ ­{Ý&Šî›n{xœ¢¸W<þÊ¢®ÎX¹õ,ád¬ÀQlõß)æyðòÌÐnqµy½{˜=ƒìáÑZšïX3ò.²)à —´YË¢Eß…u>#}<7o¾“ëª)Mеí×ÏHI¥£w³9ü`]…Hóm»c‡hÊhqZ_'¶Mrš ‡œ 8©@ë~¡":~&¨ (”H±‰Êça„t‡ãŸüýï:PD䫌ßm—–ÙC¯_¸h$ÅÕ:®U¸ô ,º.¶'ÐjKÔJËËßÊ•Þ/½ûX©pe[4eUYmPzwÛÚ©Hƃ@?×(íæ1´w¢¥ã¥, }ákóü?õþàùMñ”˜Ñùcf×yýʧx•߉Où¢åìO¾ kJÎŒgx¦ÄÝR˜òt)™)üÝ%ù¼ýÓ_VÎ)Ôäß4ñ9¤KèkÞî{£ÞgíhQ‡6Ä-67®Þ¨#cÏd])û½^ý3ˆiSŽKÀ:tèîQ,iC5ž ]›r,g\kÃZT”Þ6²¥º/#&!Š»ãö‚±v¦NsÜŠÃHIœ*ã¸IÂcŠPI“IóüÕåÈø ¶€a»Á¹³•N0ð*3Diœîb¦›7²ÍÇÎzèLTfô0éû°@ý¦–Ow`™i@™L¢œ"ÐI>QNq=Ñx¸òü! ‘Œê0_˜Æñ;CÏ™c–Ùù4Â^L‹“0[¢v°ãÞmûíuýüè’¡“þ´€ÏÇp&þùèà¥NᾂùÜ“´íaþö§àl3Òâœí“‡ð'cm†P%ÔÖÑ:‚)ÀãÊy R4þTn„„Ok…Áé>­!w»ÒçäìÅSÇFêûÚØ]¸cÎ!Ä –¿â `1´*Üþ‘ø>«uêdœ&gýÏK¤ÏÍ9vêÏŸ¿: -‘³:ù™ò#%PzÃD ?”’0¨¨"¨Óìú£æˆÒQl[äRŠL(Š•Ÿ9t)û#ftjî¿Üßm¾8ÙzðRì?qp¸Â)æPÆ>Ý 4¾ÁN({› âôÊ} {™f&Ì,M'‰\FãiÞi ¨KxHѸÑ^brNæ”Ñ%¥–ºQW6­2h¼áó¹ô0Ùv‘,“‘Û$oË€ðžÒ›"%Ì¥HJÞXÆÁ?xrJ±O‹ôhaÅd=µŠwaç ïµWìà†R¿’¿+†#acìS›M:ãO:^-ÆÚRF`oeÔŽáQ×éŶÅõ ¦¢‰öG(K UÁ}Á“œBŽnzùé§4ÎW´JéÍB¨1`cÞ<Ü8œÔ†Æé\Ï^<ňe2§¡7.“y¾´?Wé0安iâ”!­ ž à™Æ¿wz,§9énr¨ò¶!ùQa:# C\H0y9ãz›\áè÷)+¬Ê©³}WPÑîL!ñ‰òùT¾£‡óY }çžÒÏGéõ2fÒúH‰;¥ö!Nd|£ÄŸ—æwŒœCö£Åò(gnÒAþ;Æœç/ÅhLâ%ße®yXÓíÈÖ½Xz/–Þ‹¥I±ô.HBðnª /žGðûç' ØÊ=iø3Ò‰ƒYàÏJŒ1äˆX©l)¸0‘@(·%^â<‰òÓ<ªÂýçë"rsH…QâŽ< vöG—ø3xÔ ¦xÌbùž°ä4Š!×.ëÀC— YÿDÍ@£7®a ºø%Iüš$ê:ý¦}çôµ† “ï6ø¹FFÙ}ñBÆÈPO¡‡Žºhâéºt1*5@ë¶ÍK2·Ñ•-][Ôö~Úùe¿¹wøt÷¨‰ö ùáY®zÛiWØË&5ÞŠ{WeMeýc„[1Û é!šVJ,œ¢o Þ]\]ºdÞá(;ºéTó=F^១v’ $T†‹q€BÒ®“´MgÛÊØ¬§¤ÂÆ][§'ïß¶W·ø÷ÀoN¤-Ûkê šÊwë\ ïî&a€†Päˆ9?$( 2ó&È%\!W¦TÙ®9VÁ.¬¡‘ ŒÖÄ˰Ü÷„Ðö劒ŸÐ‹ÍÇOŠœœî5Ÿ?Ù9,. 4µÁ~@§öùm¡)B´„sµ÷ºéµ#ETíô¢«T„º¬z,öW M~£­+ÌŠ‡;ÿùwóø¤ytü+Ê29:N40ElžAé°|¶rÒR($‡¡Îû®öœ1æ»°%àðâ„§9Á/ÉÑååÜ©ráèõì… r€DÊ…@"}‘½Ë‡/iÂ2:• -^2 -»ÞªQ…;ñC?&±wp­ûÎ ¼ìêñÍö¥×é¸t¿öbU3f\b0×Ea VÝa“„hüÞ É¬¡æ¦ßò{ Q¤Å%9˜ÈLÏŽ~Þm6‘Y,//ëŸÛÛâa…^ÊWÏŽ`¼Mñ~¨ ódXø|…â”èüꊮ3Æ,ד±Ûl./‡ã[¶¤ù›U©€„¥¦"Rù½¹6Ö‰¬¢$©å4!Hø\A*dQíV«ææû_%æ4¨!i[’ß/#Tf¾ïÃô~ËÌ#¬ZÔMè½2MÔTu+-}ÞûbÁ€¸,b3‡Rä­bˆŠd¶3œ`\¢Ndp˜bá£,˜Õéµ{>ã!máÂã—¦x’"”w¹+$ôJ¢N]ÿG¼Ÿù0r~bÅ +ƒ7H>A¹¬aY ù­ËD}ÂXfô~+žó£Á(§0üFéGœ3]Ù’ÿ _ËðG¡+qÀ\(*1GÒQ‚Þ²]W…·ÈuxKT°³¸º54Ç …½ë’~ú:\ǰ¦’~»ªÜ¨Â !bÌZE¢ú Óœv¯Ë¥D8¶YÔÙAè`Ë#Œîvò®G¨qáYe…Åìù‰FçŠÔl f:•G#N›Å#îãó ¼‰ÒlñÔPÉn#·2(ŒÿƱ—:·”dç€7ƒl+GúED\eWv/éÞKº÷’{/éÞKº÷’îŸYÒU}~7¯f®Ü«*ÞøBûüR°lkº0l$INæ÷¢¿¡r9¢kž›™u·áABsžTnSO`> üJšAJ•}2Ûé`¦¦å$LëZÀlÙý‰ù9ÝÒ¾Æ*4ÕvÑG“.ýkñ³ÁRcÓx«²¡át0Bü<ºÁž¼  ~µ_8J–Š8haˆ\o¥EeÕ¡ KædÀÈìX |^Õ:nkraED*gVœ XL°æ¹@V{Ð'¾ëä+š)MQnuQCÏ w4fYÓx±Í3FÝ–-”í|‰ ßïja4ët×—ˆ HÊDs&†­Ž¤éÓz:÷‰uÆ9‰‰sƒøqèüÆ$hñ¤DwßHæŽFqÂñɯ0˨òÄKë@&Aj'´Ä-—¯»2]`—všf´d¸œ>KõÈ._`Kqÿ‡J+ ´5‹“?ô±F óÌÇÔº±É0¯ƒ“£‚qàÓ;Žbçàe5%_ß #2ÆK4ž  Q¤ÀC§íVuoŒSæ`âÄ"ŽÈÿâ`×N§ŽwýP¢%êihvÝ`bæd£gFI ºÀ{ P2X1ã秆¬2«‘ 5UM+éÀ0ánæ!¼ÚP™Ã.a]éÖ+“ëF{Æ“g•CãÀ&Gᨖð&¼)3;+Çd-µÂ|U¡Lõ£þom …%µŒhwÑ£C?ôÛ| ɋ֨¼mTW¦V•ó&d…PÜ0¥Õ8o@à à_¹RR7ò™´R¾œ—Ç(¶Å_ïrÇ6Ì\û;V7¶¿—Äsç-ì¼ †ô¨jd$ä2m®ŠG7ì·½0ÔhdÙdñYOý_yÖùÈÁŠËí6>´‡CØv í mR¦÷¬ÀÆo»á´´+5ÜÚx$¡….PU²Zâz~šR”ÖŸ'`’͇†¬µêƒÉ¶4u‰¾-wwIdçCÌn1Th„Ôk÷åK¢sËјò5{Å2}»xð@ßÄ9¾¨½3$W’nÏEEyq‡õ4PTú(z¤æ~84fÿåËÜxù’Wàå˹׫f,BÚ­–áú:º A¯@dz»0…Ñ;ùè×î¦ÿȪ™~ZùWFr Ãz“®qøûbwÊáq‚YG~›øÐª¶ˆ”+Îai8$Œ{=¶.Õ ¨É”e<‰±¢¶o ‹ã؇ÌB;*Þ!tY¸é¿Ý¦¾F}»rF2ÂB¨å2Ò¨b‡ÃŽ£Ñ¦#ØnŒÙ×ø’ Iû*ÅÉE»M™€ÕµN<¥“£ú2~GèÓeÌ“”ôçLâàhâûž×÷Æ}ùŽþ{'ÀƒþòÐvóôl5¬^ 4¶UÎGŒª˜"à¼?¨Ž¹°°gîÑ)Ul%w!f¹/Ϫ¢ÝÆ ø”NYk˜Ç—#J$ï¨n¼ÎºÆiYð¾á¿˜GO•…uÄ:½Œk¶µ°ÓÀ+è–£-])ËçG¹Û\máʳÇK}1¤gF_ñèOz†•ò¹P Ä1;Ÿ´hÔA›VgŠIkZä %´ÙTi£ºÈC‡ÐádL!œ@Ê›¸¦kš«—4Oå¥ûW•1!ÎÀ¥Ù `6Ž`Û ÐÜ]…HA[aÆeŽ÷+³luÜ1HGz &ˆÆ-‰žævÓèN÷|sjÎf0i#ùÂQ{ƒôÕ+ð×È‹©ˆP©`£$a³Ø¹ÎÛEÖ ƒñw [’tù]qN°ÊUƒÃ¨h/NŽw›O÷O÷aË´{®3à-S‚©…0ÝÔ“›ÅšörL™±i¤Æ‘aó¤‡# ¡Œ” ÝÛ’Æ“à#„z™(5ÂN°®V2˜¸x¾&žtO¾ïÉ÷=ù¾'ßÿ+ä;tØš™¢Šo"ákœÔ«Ny3éVB² ¯o± p!ùö·ô£°â§¼»eúܰ䞴õÆ7Œ¬ÅS×°LFížQ&i½ž9€ XÞ2œæ!}G6õ—>tËõÄH”€f—cdž<Ç*ylñæä[4UŸMŽÐÜÆ AU*¥…mN’5²K ~+r°Á¦t™‘6,ºš _á C¦Zºe:K6Yÿ§je¹ßpÕXØHU)þÚi~MZâßã11cPåçÀ&ìŒýQì³ ¼˜€ àH_͘‚É(š @$ŸzÙ÷;“žkL—|‘˜FÄš&ê¡;.Þƒ²a6ýòȚâÇRümqäRÔ9½¢%ã…úV7^Ñ"#®.}è«j#6Ͻb“´Ù¬íS l;ELU<µ] Ñrýj€úqÌ`*œGíS¨yÌ å”šó:) ØqÛ—r¾èaafò9†¢7àP›=™Æ”A‘Ù¼VÕ¹!Î?ê“ñʵG÷’´(ZØ“—§(i8LºŠ·¬:¬³Xîyoݨ ·Rä”öd4vß»‘fgœ¾}JeçPEnN¡25¬" 5%ó?£IÚdˆ2JëÃ0eÈñ>åmÃX¦ eclWÙQ Ú.&b1¦QS3ä. ¾a»ùM€§™¾VÒcQJù ÿGÑo¾Ø ‘„ÄØB^×Ãc ©âvíâájßãŸ0ÿ]ëcjmÜx­Å÷ @ÒRæ½zD€ôÀ@w(-8ô•'5ô'¤Di| “Þέ©;Bwåå2*¶ž{‚zËÇψ$Úɵ!<¢ÀÕt õ'cÊ,—â+\ M…²0ÄJ‘¤ÉŒM¹¸ÅF‘$ô”DºL‰Ÿ·DýXy€ 0…Æ"á¸baÆ`¶Ï•`¯Šž1Kša<5ÿТ¸™?.v2^|Pè~–!Õ¢&a¸Æó! o?¾ï D1^(ae±¥>î¡k¯ñâÖe|~|ùÒøjäÙ6“ŠEˆí"X¶—’?‹±«é7@úâS, ½²¦3 i¨‘z¦U'Šþ (¸ãde•ë#µ#ÜM ¯YHÖ.ÍNvãzðÔpxßðÞh ¯y‘ x¬Yí,¼ƒÔ«'V<îš!üÉ–^QÜ­v»©³H–T¡¢ñv»/×dU$,0Í”ª ‘ý«‹J7ä¸ÎÓÜÃaͽn»C2Œ¤0ßÚuƒÜq¤ÂYâl鬔iʈ¬Ø’Ò¢+/½ ^¾Œ^í'ümbibÊÜ?ù¾7Aš FÄVrj·@â‚aN†:À?½ñ4Œ™ÔnDR«áöªæÖzâW ü BñÈØ€•¶qZ 5–RÙ«[›Y‚°ÐÜÝF< ó5¡`­„± ›*7׆º@uÝp쿆Uk„}04îĽb/¼‘\ÒòíüÈ-ѱ ÿÐb†M>Vj+5ÿ¬b—âHz®ÃÝFî¶3±éBE4©ÂJzíKX{X‘€HõLÝù2Ò“3ÂÖà:·n¹±ºö¨|±c›ÆyÄ ƒ&«*sà1mÜ­Bî8QGF}ÕhÔ_c´ë7ùQe_ñ¡°7Þ.×_½©¿Æÿ­Ôvî—5æï: ߢ_™÷;[/!d•°X†“5†ÂÙR-ÕAK±Øà›ü÷Mý›‹ò¹rÇ»D¡6^!´,-éþÁºŠè ý^–b­*²M+ø&-[ªa}½`ÒòÃ=²@.Á˜ ä,K¡ ˆ‘Þ˜IUÞ¡C@—ãÓÂù‰è$@Tz¶»kGÖYΖ‰ ˆºÐK #ï\ •“h'˜®7‚žöHdÇä ÙÜÓ¡g›i”Œ]ŸšDl±íŠdpj€%.Ùž· ð„Ç­™ FÂg¸d5¼GâLÙ”œbµBBA,bŒ"¹ù­‚. ·\ W¹#€a"wijV­&s~U5$ÌòvGã}ôù©ƒâs¥Ãt¯öÎÖÕŸ >œ¿z´¹íbo0g[ˆ|¥v…Ä[0Û´.<·¢¢…FBtzø^Ó¡óЖp "])“0ÿäé^öw!bŽdn;\4¾(hŸ]A+ ¦ÕˆšýI¢–ÀšHR½ˆ‡{˜…e7\†‘P‰,dR舼DdŽÎ>/Åä‰ "\š{`þÛUœçØ ¿ZˆhÌdü cJ°€ø¬ ciSqºþd@„˜SòFîŠ ™~ãœóS,C7*á†É·ùή—åâm¤£yK™˜®Z«©»—û$¶,o6ÄÆŒý•¾³ÒŽ”:™`Æ÷Hμ[8j03<´b%h"'îä‘V{˜¤ÔëêsiÏ$Ù’Ä 5Ì£Þ ûô Èky}c‹rT6KÅ$:a£Í*#´G®3Vp=ü†EQ¨¶c†–S2Æ Æùœ†Rmi(o*DMZÚÖ ”w0gh (oÇÊ[Ž€ÌÄá¤ÚJ`Y³ˆ>Õ±ö®tÕ«±Å7>–äcÍ7LÎ;Å/ ¾\ñíï5y7T#¥<‰Þ…£ÑÃÉ¿³)lÊɇÐÂäà’mäÝ"QÝ©É"FÃ$®š Ív‡{U²ÇØÝ…óR¾ÁÜþp|cxùò¥8@­;¦Ê¢²ÒÀEƒ‰%ÆC{÷q»[k__3=9P™o @„ž8¾½ Ô—£w`+ŒÇ0‹-øW¸¶X~þN qÔŒqûMÙ¾F€¹‹N›2°¹$¼VY#°PÀz³«bÃtï7 -F£vhIjcìg|—›³UäF1§yI¼8>9{¾¿‰ÑC*éÀá«(vÝø“f2»ýr@Û€.öð¢Îia—µl·Œ¹‰¨©1#*.â»x°1­~69à Ò¿eä#7|èx~ɵwSyöâÝ‘œE¦=²#ºJ´9ƒÎéSZÌÉ-áè–íçÆ]:ˆƒÇUSÖ§x9ä)m¾·nÅ$Íü•TéG é=¾NÉ—Ÿ&G£N§8Ï™ã#9E¢ ÛåÚÊF‰ß¶:ºá"Y<&»­HÏÏhƺRˆ9§è.Þ§3Hb.Hý3ê;½Œƒ—"ßôt9){­5Sª=<ªHF1PA¼©æ Ê¾êæØ¡Ãyª(F6çAv¯Ýö„Îò”R-Eq›’ê/ Óf¬¡ Ô.›×úlOû–B*1‹Iã™È "èbÇŠ»N¦/ÓnFj[è>‰giÁÞ‰ËìòhÿR‘­WLìæÀ¯Šød$áO¹ršÔÿ™pÐ_2Žñ{KpاOrÊhëh¦ÉÃPý_.G¶_‰·žÛØÂƒ§æiôSšŸoð™ý‰¶Î^¬j ï¬õY¦>N“‘lدÖ¾þ Ÿì|~õˆégAùRõ:Ún^™úñ…€ 9,¤Þ¯ÐNW€rh.¶.#Õna/ú·‚¾P(˜¤æÕ¸››Á5Yÿ‚šÔ_Iÿæ]ËÓã6Á¤œ¾´™%CàUSû]N3kZª!,ƒ0ãe ©D ÓŠ¢¡[a‡\Í?`ÚI2è Lû¬s¬âÑXÚn³ök¯J‹eÉE÷øïV$‚” “ÁZÓøô»lže q€"›váš3"BÚ­ädäHtÇ\%‡H8ÔcLÄ ¨Þä†-Ék}2Ä“7B!6’s›#­Xgåm‹5–gÇ»téöü+ Ž@óûp®ö€ÖÆ~;z†V¦u)íâæºxð ~Ñnc7úÈ 휡ØÃqM/¼k¥øÇ±V¹´š-ï‚ÛWëmsŽ0夲ðk5©q®kjÁTSÖòfØdªù¨ "M<»Ä4'Ýj„©ÐÜq hÃÈÀhPAÉ2G|öÑE˜l£^”ã,±Ð‘R’D'XþöÔãs5Èø·`=ÔĘ"J†5qv¸]qXÒØ´Ñ-;Õî"‡M¬®­+>¶!^KREºf2gay—(“O;ýN¢ì<ò–“7€ ƒ5¥¸%Zä;´×ƒ¡®“ü­ÌSY >@¥ÊÅNש"çÅBìºÎ¬L¾ëígÇÝxuÆ"à÷Þ^7I¹hÄr!W IøÈž“ &C䛸‡äóXy¿/š† ¦i·p ïÊ™8 t<3Z‡¡QHeµ¶þ¬@&SfEÇ=Ç BÉýèvJ }QÔ¸=º‚ç„°s̾™\åêèLcvͧ¦(]k‡ZÓZ˜Nm°ŒÖ›E.óLÁWñ)þU.¦ÄÕA–0a•ŒeRB?+˾pžŽd‚qw@V¸ y2éhýÚxät<Ô?8=†=zT…,'Ï®8}eÐ$‰øIˆáÔ‘vÖ#”«ÆR ÇŠ•[»Ï,§O‡1<¤ºÑ¹3?"Õ_ÕDdœPÙÙ:€3_¦žäi ¿x vç‚BTÅ/òºì‘ýˆ& Ò£Cz<Ø©áQÿ‰;vÄCqâö\‡÷âÐ' ADÀˆ>³‰¬w}´-•—@.®EQm7c†±>+ÇÂoFEÖ90*9D#nJ¡ÖóÍÓ“ýrT¦K,Y¢drÝbëÙK¦7ý®¥D@IJyÅ1F†~ÀÂŽ*)f :,m˽ðØéñÕ€CŒâZŠåf…t2J;sìÒ|£,ïe#›o ä4àÿÜ–¡ëÍô*":¥ÖRž¨9~D¸(ۥ㶠¬™7ngŸtvš@øi"X/»L²{¥ l”]+è ¡`’ÜÊ÷ñAÅ&þXÖ6ñÉÝ>ïLúCQû)ÍYq=é|P‚î²í@ld¯¨ŒÈRL<Þ¨áÕ¦ FÚPy]IŒTétí¸qZz_“öñ™£y îNdϽóüww5èú$ahžMüG&vc¶’¿÷¨vÑd@3ÝÕ·dõM)An–™ Ë×– .×’¯çäíÌYé)sƒä]ßU¯\Š(Dʉë¾óˆqWš¯«ÚŠä~@ôY¥…vÅ9üòÌé9÷ÁTÛl6bÆeQ6EÖ, m9l¦¥8j "8 ‘Lo_ ðmà#©“ «¬e²dqb É*ϵle€“Y8«œft’ºª~î¤[©râm˜¡‚@<1 ÷,ðžÞ³À¿ ,Ü÷+ÌqÉÓHU¸ý¤s€|šT‡ˆ|~¡Kë¢3ZâÊMŽ'LgþŽkøZÈ“k†›¾˜É3îb;Àl[2úœ4#K¨–ÄþµÔ¹©ƒ­4÷NHäÐߦ'Q7Y³õÖè[L½½C+ö²E*vçófŒèŽÜÙî|*=ÿ×ÞÁIN‰rˆ|hdàt»4Â>0NO¹Ýc|~V_U…¤ZÙ€ZjÔ[‡Veè|>ß9:xº ˆ³h…‰H»q0vØl¾Y©”) HÔTi©†û–Þ¢Õ¨ÜL+Ιy®½±X‹¯ ¾ÙQ²m Jâ¸xð ±s2…Þ9™¢2äÛˆQû³Ù|¡WÊùŽ„–ç Ò®-óä€Ô­ÆÆ­G…?Ü 2CT¡y¥×d§ ·†b¬¨½”D»†ø‹ÃÁî跥𖑜¬ñx)WHq;Ú©*„*ÉUÈzéuU99‚á[¬¿òøŽ!±ñ>JʶmOQ~þ饞¸°-òL•NH’ýÍ:Dªúä‡Ù¤J-I”΄öõc{¨mI;S²~É/ûÚhÎ&“¥‰]:ÃÀïÜ}¦Ë©œXÝ9Fíq¨ÙäÆXÖÉ;¾C?$47nâ­”É so4Î9&óà99× «am‘=;6…û±aÑ÷±bÚÂÒÛð1öŠÖ-ìQUVÞ"/¦­˜.0Y½7f´ÌÜa”UÐÌ—ŠLŽC!“a©›±Å<¥†C¯|8ð°R fõ”Ù;Í\âé%0üa$ê^|i“uÌ•Íò0Ìm1•m±ˆ ½›¦‘nÈû’²oò¿´©zW7»XÉÙ4W…©7ÔVn”0†™=¶€ä”&Hãü ØdìõØ:$Šû=­¯µ|é¹3õ9¥ÑL='jiËÁ‡7šðœØH1"ÖPÇ.Å^múéëx+È^“ÔÙAÎ{‡t÷ =ut±Kò¿…ƒ»»ü6œ±ì\¶æ.öôÖÞ7yïœ1ÎÜØ ƒ·ªÁá$€o¶ŽhAL1!ݺ¤NÔ·Oþ238ýØøEEÓK†} “—PÙíëxdœãЖí}4Û‘,©M9q°U)q‹Ò{žŽoÔÕø(ŽÎŽNÏvŽv÷ÅÙþÉsõÃJ‘}µòÊí~¢ÀFÜÂÞþéîÉÁ‹³ƒã#”!d©†e¥‰¿Y0vÎvÄóŸÏ^î‹£ã£ÓŸvNö÷æ¡EöéÜþ5¬( KûˆºÕ„xó`àÏÜQߪwfjÑú?¨K¯ý§=ÓÃ<¦¹qãô¾{h¡ÆwEyÅË!R$­]îq#£õ®U&t@ ë“銧 é3òÚoÉcª©«ˆÂ3~!—^ÞÅgŸ”¶ce¤ñÄ\ª7kõ ˜Eª–vðü "õÿäxlª«ŸšêjÆfV Ì{ çcîΔfæÑu‡Ô¿s1¹žý Öm?x ¢RÌw›~lŽ©€/.Û×!øg#׈Ÿ¼^ãCíªtŸ«ùÏ6²ŒkfL<Ù :ëv$²6w3#WÙ#PbŽ®ãðú„­>[. ]t `ÙÛÞ`ÿðéL¡Ÿ¢]©¹½®Ñ™|E ÔutFÎ…?èön¢1« À“Ó=ñ=ÚÑ:´*¾•‘ )†*%åY#2˜%ÁG|ÊÄ“1D3BØ¿KÇ{;É]B{k;ˆ™C4=N®¿3z8Ý&ùA+5rf¾K÷æ^§û „·ˆ‰…hýà•'¼¼5ÀpÄÕb¡P(DÔ2¤v`úm¤•êùmGE’“þõlø<+%ÛÝÝ}-R-wo%¨‹“h2Ožg0-2A¬ÑjË5WÇ^â×™Ì ¡'‘£Å 3\bºlÏòÓeм~”¯œzQ"ëÃä©+ÊAò?s_ïg&—ùl½ CZÞN†,Ü…ðX˜&5rUî–rbánÄÂH†…4‘°ð9dÁ¯\ÌV'å…9ä„,YH²ÈJ±0E¨L•kÝ»…ŒRž4J9Ÿ­œ)ó~2šÐgÌGkãC inèÐuB›ýg )1t3$oo€™®_=”a—3äÀB¾ðW˜5KM5”Ág’€ Kâ'§ýv“BãsWÅCûšC#;´‡WÓqçµÜ¶ƒúPÒ´G?Æ·E8œë£šT #+Bó(Œ©Œ^Ø‚ŒÛ(í»X^…ƒ ÿ'Z7Gn„ ñ²‘K‚!Rõ.|¤–ÀUÆ*›(o]”Òôݾ?"8P0˜ô‰Û!S9˜ê·ÝƒŸùÂyç{bb4hÀì·puü~á¬?z,þå=©9=ïã o¹ã+¼X½~¤Æ€m­^?~út—މõ!¼à€&Ÿû”Cj2d¾f ßég“a×0áŽZ£·Ëë 6†˜¢7åLŠaÀÓø048¬žêŒDéýÉÎÑÞñóZ©ôQ|#6V¿{,êb]4VÄúãõµ ñ@¬=ÜX_ûÇ?Ö¿]=7Üë2¯EQ±ØdÂJÚrfûŸ Ä5%WT5·ñ;Ÿ!M7<Øpð>Ï~ÍežhNŸ ›Év‚EL¸€­}&­jbåßó0Æ•¶ !cʘPR \’¼(z§Qfi2ì ùËȽ¹¶tli¿©‹f>/9;*h;†‡UVI¶#g}l¹:“?Q,œ/gdUe˜n “'{|z=89x)“Uó,(ÏVOËéi r%ëSôWâ†@~¨=’á‰I£\µµ9˯Ñ#æmlmA4¯ýzR­MXkÖ“†Ì½.å&öÍJœþ€|p³â Õ6Ñ@˜˜ˆßÈefÁÇB<ä×_tŽâV’‘ú›y·˜+?Ý*)߬W‹Þö·7n¤œ;OÂäiôÛ¼<Æôø~Dœ@½ƒg'áÿ2iø¿&(v€ì°~©ˆ#ƒ¶-–ÿµsP‰ZèJ€<ä¶HŒd&‹øÑ^¥6•‡g h¯Î稑 {lË|K,ÃQžzZzQûù%‡Úq÷SNÕcŸBÍH9šJ-D‰/ ÅuÇ2Ë`RHÑ£úœÜC 3)#¸{»`@µåÊjí»ÚœÚïï?¾nTê˜Mv°œ½ù¤ÝRÐp#™1zê’l¯aÛ+u{O윿òö1ÎÉâRvi /ô/sëd Mÿ+S“•Ƴ³§ð^Ïö§Õ³‚åèØj˜P§¥ƒö› âÞh`èÊáÓ+|š¹™ãûÅÏø‹æ ½[aù [ñ¥JÌÀ½¢óTqVBËfÑd´=l#Wv靿¤¨Åè…ç!3¤;–{ßÚ|dwZþ;Rk T΀édl¹ ‚®EuΡ×é$¨#ÓÃ*ÆlƒÍ<ÿ°×°„ÞÀΨçQ.BŽ@Ðéð>”°p“nïÞP2Õ7ÎÖ/´ÎÍÌ\–JŠðÛšáÂDKŸŸ;t¡pùswd‘4Ñ…‚yùD ( ÌÁ̈÷ÄÿÆýaÓƒ}¶«/(]rX¾,jžÚÃel³`ê2§,^Ù*)@¿øÖñ‘fZ¨»iôv‹ÎQž!èL] Ÿ3 hä ?¼€3†~ºh‡ kÁÝ‘,VGþd¡ÂI2R„Ú¯Öj^Û”‹Àë7š¢ 9å)ª{0sÛgR½aÃOñÈ›G]à¹T6ñ™zSS Õ¯ÕBý l>Tž+¢Äh1£œ‰Ôw™çz[ôToÄ9?Vðkìä´bû0F6iãèpýôŹ¥½éül–ù˜6! ͳKü›9 ";XmZÕÙç#¥‘“£Ãƒ'‘ð3'À/4WÓ¹MdkÆXOF’zê©ÍÌ<É·çÃS²ܯÄg^‰…x^ô²s¥bˆ" oç®\çmV<Í©wGŸ_ œ%ùÆׯ;X ¶E›UÊHÑ\þ‘’Æç †±@ô‹,Q'y¿ß¾6ü®Pêü6ë¥×„Ò_öpÚWÌŒÏJ0š ”½Áöá^óäç£&šqΖ©Q"óé7‹÷Úº¿€¶Ncô˸¸n.„W†©/: >ª£—ߨ+½zå6–>Â?%Tk¯Õ¿.+»—%Ý÷—Û‰¨ª®)Ú.à?´.®{!1;xò\¼"*ömÕsýãSsç𲸷)V¶ÄÇ­ùaÜÑ*à[9»µ  ´eœr³mö$¶n†\!4(Hè%åÜ=úÍP/œN ±ª–¼!íÄ#û;õ2+1LíwLUž"Õ>Ë}rù FóÙÿØ£¹$€ÂL÷íµ“(Q™_èŒKL±§‹¡µß )ôÇ?V -DF#R+rÚ#7цl}@¶ Jåžòg‘µ`È{Xøv^!œ+<±åÊD¸:SK&ÌGÙèþm/ƒôuÐu†ñ”ÚæY¶Swa=•i?•{åtíŒr®›Ò\:"q•ÈÍàÚ¢ñf¶6NÚ‡€ûß~ûv1°™Þ„&ôwsd8ˆÃîÈ•ªðâZ$gàŽÑx'âùHü¸ÙÜ?|Úl¢Ü†¨°/jZbUŸ~HK¨‘Ä$ ¹û„6*†9·"éÛÓ`1W=hq{–ØÅ'©n˜1oÀÂ4wCÊ„±$~õGo‘?ÁÄò˜³CÚ|Èjkö#‘¢Û—@,b&ÅYè´øjZ©lÖzí¶¨õðð´¹i•ÍÅ^Œ}º¹øm`†ŽI†à0ƒŒÁAHÆiypÚº9XTƒéPŒöϨ 4 ™ïú£¾=uÏ=»ßdé›ìÙý®úü»êÙgÚP” qfeÏIš¢')lf”³ $bÏ`í+9k†<å½Q¹6©ÛšKïÜï6V&WëtÖ…އîà磃—úÅÏïúWXÓÀØÖ^Û¯ÖV_ã· ¼¾Â×T°í?´×ß=²W¡ÐúÆk}ÊÎ'hDUF¹8k"ªYÂû›®Xe무¹g~uÐÏ$ÑX˜z£Oó!(›@3ìÛ ö¦k›‰tñ·h±#wXŠŸ}¶± |¦&ÜPû ›(*Ÿ½Ãh¡²:w7ů èï!7E`>@˜sáÊ}ïâr /àºUÂ÷Ê•áf3–Âk½v•&\¶.ç ÎàF93 ¥;54R"Ž@œÞ•sÐñB_­¨(½}×â¿xüpZ@I1¢¤RQ#€BãPWÚþ!{7p<<À;e ܇š:›«F‹;‘bì^ú“‹KÕ(Þ=¢G<²ñª£øÐ¡ßã›É@\ºÎ»›Ú% Û¥ŽÀ+9…@ÿg ÙYee1 ï”c!|ãaJnú¤š’7U¿_Þ„"ÙÁ§7Ê­PrˆVafýðg¡Y_ŽjåêÎâaÔ±9.•­RKúíºT{:pY.£+í öóQÞ/L{ _8áE] ÛŸ]Ý~dªÙüÁéØÖ~~‰ïîÕ¿ÌEÄ»ë+ôöóß5}¾¢ùƒÞ‹’4¥9-<õÝÍÒ{ø‹÷!¿V:<8Ú?:þ¸ û-ÑuPË„ g°¿?* _ÃQZ2C)ÇJýýïn¿Ùšxô‘;MÕžíø³—/éÐXú}¸Ç–à<µóËþΙØþâìødS½e/ÀFAw†0β„¼^ªI»>2/d«}§=òáð$Ãе!^¸ JOú`Ö¥ûðÿèçvåÁÆècð´¸Ò]d2€£W nü‰x;ð¯„{í CWàèä†2Bj›“=-‰=Ã̆¬„zNÛ•9d9Ô ^‡!òàv‹4‡ÍbôàJsUŒUåK*-!ibkÔääVM'¸XÄSüÆ9Ïi“E÷÷ß7ÏšûÇO‹íž£êûÅ÷Åá¤ÕóÚ¸*ð[,c  ˆ°Š¸1yï⊔.B8[Å[E¨XlöÆÄño¤’šÛòÀY$Âd™…ªÀ—–‹+ QëöÆ>ü…¬féƒjоZ¸'¨(œó†£œÂô=,ÂWµµµaorá rª&ÊÞ…^fã=ˆNO*6¬oņ•±ι\¥†eÁ<ÒFb™à_+xüÆ/ð m²'ÁvéGø9ã¶o”~„…*éÊ–l‡vsøZ.¦Î™¸$^8£€uëZ¹!•ˆÃòLßõ•ÕÓÑ" ƒÐ鸥‘]§”ÑÂíi…þ[× üƒY*GTŒSCUŽÔF**«w…ĦÎw"lŽ&¾W¯„h¼%  Ɇ•&Ü*e(H,²g-†,þJX“©Wí4µú·R} íjîI(†Î¼aÕÞVO>ZòÈâ Ü£vâÄU„Ieш%>¼®=¢{±ÁUåÇùQëý±óÛ¥!<áý˜7˜èŒ¨©Ñíî_Uà7òaöau\¿\x$X”ܾ|ZfJ8è"zRѤ%rÊùŒ"0¶N"+HTšíAW”k‡eQ.ËÑÐ0j‡ð°]Šf6‘1`q2`ž$`žÌ ³—³—€Ù›¦)±„9“³´Ñô¶Ùòv©‡B&-ÞÔ¶Í–cI2÷QˆTá¾à»pÀIÜ,ØqHÛ:qh:¢hb{ ‚K>¦ãvQ¬Ñ—zø%–ÞyhÓŠØt‚¯\a§H~çö‘ëtn¢õUm¬@ÂUÏc­hÀ¶³¡`¡ŒneVXmAà<†½ÃËe½’zPQã²!·ŽUzŸ÷ý£"I|ö‘ªG:ñªUëY¼F¬¢‚¦K %qQ„ª²8B^flaÜ"qI ž¡ÇÛ­ž.N—‰Ar`Q`ˆ'æ|EÄ–pvôÜD¾ÃL˜¿##7LøDÛ¯ÍWlBCà­-DыΈªâðìX±0Y\-y¨1mSLú(áIClçBìüØ}ˆÉ0¬í£RYJ¯1Öš žDÙaÆUòŠžÁçØÆ)‡ÎÏ¿Óã4=&’F6)ÅÆV6Y ¦ˆ/oveö%EzNE³xo’oE6¶i‹"]Œœ¾UÄ%Ç»,xd QQÉâBz±ràñÉ^A€ËHŒíéÎH[Õ’Ò;˜¸¹‰e“Ó̲¶=2å»Rôܱ Û9AGØ=G^†¡Øgv~uˆ Ád‰õåF´g–g8o B¨;.KÍíx„ÿZXHð÷ÎNΤ ˜8Y¥#D1FŽŠ"<ÈcŒˆ::ÉW,rõ·/rô§T*31K¶©ñºóƒ¸r!JW\1 ˜éïü ˜üßÄß.Êòçñ·¿•Ï Óòÿ#寏‰¸ÙÔí]õxl‰hX‘þ…½Såq–÷уu¼^×k[bd€,Tº*®zUáŽÛ¸ìS2Ægõ±\ûµW-§1úT®ñyó•Ø ¤:ôÂèKbðvçà¥@7î¡»Š¨®bÐu꫊ƮiÜU}$PS¡b‰ƒ(.ÅT,ä÷÷‰êpŒ¬e®I™²™–cšG§ï]8†)wVÂñ¡历íxÐïÀ%žˆ©åMË<>Ý6ìø´dó3vÐÐ öû6Þ°ÔÐ)/,¼­‡ãÎX<þvu}•¿PÁ•ÈYÅë˜<§ÓQG¤r­OPÊtöE0(gHß±€aržÇn‰b!Uc{Þ[kcµlÏ:ܶ¨ â=?\µ>ßuá;8º¹5g#e–RÔÊ-VVfû3ÒþÁÃÀÚí9ÑTnô…%ÊÄéEÒ©ÓF…߀*ǧè›é &Á¼B8훋+oÀéÆ|xõþ¶Ý ²œÈgÄ ¼Àô•ƒçÉ„/’ÎÚÀuÅô´šAò.€ÃÔïžìYi’‰ˆnŽè@Åe<#ËÓ kõõýÖp¯dcÛØã|ÃÇ¢ó $…€ó#µBû_>˜àH˜ßëI¹é¹Ør­ÖñŒÕSs&c¿æõ±•-§oཽÃÃæþKäðåb†µ…ò[GE}. !'"ID h„:ÎH.ãèÒ~ç&9¤Y•¶¥*šV8$ðœSîT³äóŸš{ÿÆàí$8Ì@Í~­MËÑþ®tþ{aä'X{ÿ÷ìÅ ¾žPд!¯}"q,õgZËÑÆ.ïídúfù ‹ÙÂã1Oæ±a2ã^£µQUÞK‘ÌÎêŒÉN#ýIˆlaš™l—0¸Ö…áÔ9¿µ´NîÀ¡}®Œº„DÔ6 È|»W®N“›:…£É€rÏFûÅ–3Ï_è>i¹¨Ã±Žn[qÇÌ©¯ý åa@)|g|jA¨M]ǵÐ;œ…§‘?>\Ç!YÈ”¶¹´¬”¼5aʤu-†œr-yvx*ú0Å=yÇÐ¥ëSoÐ##x{ ?62›ë­›ºããÜ5o§S+ d…­Â9üG/Q1(Kj9[RÃFúî”± CuUÃû æ\:K@ÙIhÏ&µè$0±þVæzŒË£Z& yïՆ̣!曆zÄG¦ {ÓÄS-î…1•rË·ÀGk­ƒM "V‡Ýׯ“šŒ' ƒ/I »ôá …ƒL½r.´¯Û—¿åkß|'„%·Hg;Ï~Ù9YÎè^Ï»•m £K5‘6#)Dm"šÍ¾ãÉ'ºô/j×F¢´{||ØÜ;8¡±ÁÿŽG-Û¥ç¿<ßׯwwñÏnâ=Ý”y׸ܾ¶Û±”Ù—Žá'¥Î™Å˜Â]H0…»^ ³ áP;D33µ¨{ÿèÿbt\\Îî¿’w¨ÃDGíDR­ mȰz‘sÉÛox…žÂ—'§{BfTD¶ñVǵUý´–7/¡ Æ”ãgaêù…1GšµFÂF(Ìß2HLþ>øOjeçè~J:2“}}àÄd¡óƒÿ˜L2™‡dŽÑfRÍE )?»•æß~§Œüà×óSñ‹Ld”«åoˆAóŠÁ,ñÊÁó"²H61nÙ³s±Ge ÎÕ0è¹b¬*ìË®]m蘀cÏ8óf1Îo4¸Ÿ ™6…t艨µ€$»@8ó¦$!!…Œ%{„C]˜ð‘Èîõ·›7rðA0Ð>›4ö-V+•¶Î¦ÇJ¤®L¦¬¬ê{üy5b𓱇Ád9#À®ê;Ô¼X[ Ãë´Ûîp,-uû ÏÝÍ@»·hq,Š­1fvŠh_ºmòœÆÃW)´ÆRLYûscW‰æ@XóÔ¶m[hw ÛñFÔ~—>¨›E×é.«dĦaï /·h»SaˆÊH(àvæü¡ÍÆ>$ÙM%=JòËÒ„d.|^íbq©g\„h°/wÚã 0mtÔ„cCˆ MVË¡1ÈüȄ˫±Aw$…©g9èµ¼ÙŽŠß=Úi°ÒÉi7ýÉ5×ÛÏiЦÃ<“ᲇÚgÍñ¦ÄJq[)2áˆøÇM'äÆã^Sè%öÚMÚ‘‚5›øÐBÓ4Q¹1@{”¢º¶D.²˜åmîz¤{_^«Ž==´Ya’w lá5=È÷#²¼^Ñþ@¸X3ZUhëia ±ü°"¤ò¤k»¨’u¹L• OLøàöºáÍ´„*P2 K—Ò£å^`ÎŽAªêô@(8XTA‚œ+.o†€œg‚ZÇÕ‘7¸¶†›sQßBËIŽ0r»î(tÄ;Ïxjp¯:èED+É.Ñp¶µ£ë¨SD„ãÓ&h ,J†g›6OòÇÆûÕêZã£Øü{)Ž bйlV¯Þˆ×+jž¶$hf¥¿'*•RJm–ϱÀršïϦ$ ‘j ‹¶y%¬e_-8êëÕwG£ŠÜ6¦Ûåx4 I%Pªí,÷¤)ËîµgúUÐ)cÀ/÷kÄs#²/¡ÈÐÄ¿a—Ú½*lè:²øïw·SÔ.2"pnЙs¡ŒØÅAV| &OiþZòˆ©´ ¡N¬ziZ>þ¡kgÊõ7¥z§,Œ ¾–FÙÆ÷-Q#V`Áè¿Ö‹ƒƒ¿ál™Ÿ1Ñ_Çëv…ÙR´D"%Wx¤ŸBJo”) Û)ð¿hÜ«à¯ï–£ë¦gæë‘Ä}ŠqcËéUyaù4“œ«ûu —Ú"3[%cïL‰2¤¥4©ïõ§˜ðÌ,ƒ£Ð­,es$™€%Cˆ¹ê¥Èt|JbWDø8îÕq‡˜b#…+†Ç¡†U¼¥¨cö¸”l>9g&`³ 9²Úgs⥨C&ô2Òà¶ 9X$ßgå]ªâ¦ ÍJ•…È!qª Dd]yR0’K1i¼ÎÏIõ]‘$ô2äèç$óQz¥¦£(\;Cô®¦K"r  Qåê]Ø=_Û:%Yåšd~qÎ!ã¥æò ‘d‹²ì‚,bF<Ô|"´hÓtlnq^SìÆÀê’‰÷wȇâ=›‰¥Uš%j«°™ÃLCJIãçŠÒA •™Wr‘sxt𙢿B™”B黥  $œ1ì⥷~î¿íxáW’†;‘Ÿ\ÀŸÜæ8™~ž„ °uUzÝœÿû£aþÑðþTg¢NîÉ.^ð3î²Pë~‘£Þ¢§¹Ø„åé’“{“v´‹ÑÇ»xËÉ’óóLeºí˾ß“WÂVÑ@b‡>žãgñÈÔxsÌQ²U¤†ê§ç5É/¢Žºk®­¢’‹ˆmQE“¨u")t!lߎú’ë÷ª»ø.ZD’pŽ#þŸód+g{&AÂ(ËòÃ=K¿gé÷,ýž¥ß³ô{–~ÏÒÿ",½ˆgIãcïÓc!Rra©½eɯ‚ã;ø@Œ-#¬š´¢ÀhW#Of/ú2q1äYX' |Ժѱ½¾bg!Ì,Kª½)êØœŠá‚ãƒËéc|#sÏHÃé„-S À9Œ¬ªó'íK£j>¨¿?Â͇±hÛócf!ˆÑOrÚbf”1èËÌÝøuçäèàèÙ¦Àð³å¤‹r™ÄÄ21ù2Ý6Ôþ[} âö:pºn¢ÛÜÞ]^ßâ`¢!¢o#¿`S$)SßämÉ¢·rŒÃýS2‘J{¹t¸W %è¸ïqÎÆ¸ ØÈ¶A¯ÑH8`3€ðÑs# °™&§æµšCoèj6Ú(—ƒº½"êu|¤ä°;<~²sØ<~úôt½0Ÿî7?¨·Í§¯ö^7í¬Ÿb@føºJ |= >èWù¤A±ÜÑ œhR­Ú®%ÅUµ¶+£°wܾƒ†fHC‚Aûjù•™eÐYvÐW`~õ0ƒj¥§Z!Ù›x~àúbŒ,7P®\ç­4äc²S€¾±æå‰— Å…{{dô6Ágaýjé¾^¢˜O!D°Á²xëÞÐù½ÈHLÓ™ž÷Ùƒó©‡Ĥ¨ Èe¡ƒ¾.¤"nˆ2¬”L[]â£ìs>êK猟ˉo8‚el‚xÖ¬Ú ‹`š³'N@âЃ3„”aÜiY©¤yÞ~¨=^dn çê-aÿ{•——%±.¶ªžYd ዽø‹'ñ¿Z®—ƒI+ðÃÃêZN}ÈÚmüÊ͘5ॽX69.š%>ÒÅKôÛGü?s{Ö&é[3rk“95±dÚ8SF°&"OË¯Þ íwýá;Ép‡âR¨?©6Á×étˆç&"ŽF£«êˆt»»ÕìûVÏ•£LZEÅS[( ±RþT6"®„ÑÍP G¾Îžh £ûîÃ:yýˆ¢B¸¿Mâ¸(§… ö »l ÃZFå¬1«ÎÎ#óÎbØ&¿Æq‘Q$«Pà ]:dÖaƨ…º6J‘øY…ü:ºÙÁ' jõ:U)ÂìS›TVcZü0]áþH6ÃÑa:,å}*-¦¿žÒ ‹ê× ¥ ø1“©0,ËÉÚzü«¼Vü7’ãT wø,³¹§_Ž9Ÿ+«½lׂ9šâêo×Þq'túgõ óÃŽAй ¦e¬{èWÇmÛ²ãÉÁ9lZ~¨íRVÖ(Š’•QŠâ,ˆ+qZ·Þø¡犆:X48Ð*üij.•Š^·ø‡b$ÎZ›%ŸÈ\8atñ)Å9L´Œå’¹n¥<\ƒH¥[ÜQ€¨»Óûf³äTÕo^qÜ&‡EO“*ÁÑé |›ÿcV2õ™6ßùÁic(š`ìµót[ù£Ú+Ç¿‰„# kÛEIGøW~•XÎeÚ) —# ˆ4•ÛvàSòý™_ÒG#ïá¼à2úw2Â32Ι?UÐê )Ó¼mO˜ÏgP” ³›ã›!¦¸E•-ŽG¾miV¯}´Š £PdäNÏŒL²0üÇ„«Èèe‡#Ø&׺QÔNœ~“8 ®K”Еò .G hª„Þc¼/¨š™äÇÆ•/¥6¬A%U`q®XŽÂÒs»c’½(¢øèb‚žLAÑlAw®˜â êx×Ià‹LãaK^ c[ e×ùug2R‘o˜T¨å] /ƒUE!Rp¦\’HƒÙÜ0ÉHIÚËCõ6<éÂ$ UÊvðH]òÃ'˜³#A£ê!Ép~''#ÖÉ*õ–#-‰anÿë„1áÔw‡cNšx›ÛQ‚Ræm_Œè?ïlîâhEw‘µ¤7)XÆW2S£ Jk / -ÈÆ®s.Ïë|‹k|åƒgl÷š°Ô';'ÿ¦fÔEÖíRlåɧuÝþî‘}]…™îõ`¦×U:P¾;u‚#æ’ÑŒ„€ÌŽJßåJ{Î9bTÀ€ÛfÜÕ÷,Å•—à¹Ù|vôón³ §ºV_Ö/¶·á Ýå‹çGÇ'Xn[|÷ û¿3²Ë6_,Á|xÝ2Êo8'ø¾¨iu2–N*“ ›E3]Dš¾ =Þ«VÁ,‰ŸéªÂКSJZ)ˆ¾ÛoúVeÔE`X'½Í0åK„.ˆÚ5TãuL‚+Í×­€¸ü° m¾и¥1‰,r[1)‹´êt4¥—1sU^ðªŠ"#ÉØãÊÅFeÇîà]«ê„œh7: &Öwc`Ô! ØÛØYE+#èÝ$C¼Æë¶à•²~…‘YH%ÒQ·$?c_ÌQMÀ@…ì[ÌU6tGÎÀ­­x@Gí:J0Æ×Ožbžft]š0rÁ²ÅN/ð«*}/æbrü˜®"ð9×GÒtÛ“1v9`Sm,##áÕZ£±Z)uqšr¬àLȽÝRÕj8»µðÞf;x7Ú ÐjJÎ|ä©ýlôÓüÐP‡1uÔ½ií<ß‡áØ¿ê4öwé¦)4d“IÑåJ{¦ÊŽÀÌטµ†¥ú†¨Nd(Œ«ã_r‰cdˆnÁ*A•|3ÑòÆW^°jùẠÍnÆÑ¡º9<'Œfs‹”ž‡iNºR kÜöe€ ñ$„ÑqÙ±×7ŒÑ ½pîŒAÊLBºÊÓæáñÎÞñÑá¿=@è«ò½9’Guئ§²JùFš0v),Ù!:!h·\¹2ë€ÂiËœÎH³3Åœ0 ¬ZTaò9Î,iP@Éh9‰\_)W%B‰Úô2ódÚð»Éø]-á3ô«)÷¶¦¦À²Œ1Ý0©Ìb¾èמ€ä5@][·àÖW"“Ë…óåµ )ŠÕ>¶Å‹‘ß‚'ÉÖBž®DjSCÈX¬E-¢&ÝI·}w‚×°¶Ê‚á Òÿ‘cÔ¤T@*ànôèRÆ ™ dÈçÊÃ<—Ãðë]y¯Q@Íê2³Œò„Û†’úU-Æ÷8?à‘MÇ'ã8î¸Âïéa]$¹þZ§ª*†qÀf‚˜»]kmo†^Ûá€Ø ƒ ô¶‡dÔ¸ô©Å\†_ì/ÞœeÀ‰w–yúí_*á üê"Ü2˜0@ÙYâ^JÄÂ_Ž(y@…µÑp(¹&.3Ò+=»œ—6±ÀóÌ'F»Žœº8|ؼ'"3n?ðªê Îcuišu¥Ï ¥fçnYÁVš&ÿÔÛ¯X âÉT  ¥RÁ(ÁÐ †ßªˆ{Õi{Ë£(ÐÎQˆ¼y‰ÐUS]Áª BQ±¤‹$¦êö³T#ägœ6ó~W‰q¨%QTß!™#à„¢:« NS•ˆ=0jlSž õcSÁ;=zÿ)šî#X¨Á1ë~*)ð²ç¨a‡oTOO—iãXÉ5JAgf(ù)ÌP7¦B²Óákz‹*#|­ÍÞBÙ˜¯˜º¬ŒD„¾—"k+J~´ø sÛ¢Ù=¦£Ë™¶Š•ÞJQ…pT@ªVF}¶+¶ Í9ó6“öÈ~Š?e»»¨ú9¨ÔRßi›‘%üA'MR££Á\»1»ÓÓ{4u«ñNãR"Dw~±ðÆÉ”M64ÕHÅ~'J3–Ûpk’Béð¨‰)Â…I:Š~%o«¦N[îNê(R§7¹±«c;~ê&wä_`ï}ȲaI×Іw#E3W\Z^šHޏ%qJ–ÿ7±{}uõaf8¤¼¶G§ ­´”GpS„DƒJJC¤2e’›“–ê«l.€™ÞaÃ÷àñ0À«ÜÍ0À]µ¢vÏ.~1‰”f9Ì`—×Û»6¤#Kb—Og¥÷òËǦ. tÎG$sbýöþ½¯#K‡÷¿ç½ŠŠ ÂH2¶ãÉÀd[@,‚ØYã´©KjZ20±¿¯ý9·ª®ê‹°“ìüv¼;¡Õ]uê~êÜ&{A­†Ì¢­w©0ÏwNiÔ'ÆVp¯¬[-[ö”IÝ(šSF‹xÎÎËŽÒ7¿Ô×hùÕ@˯³èê7g›ßã60˜.6ò‡¥0 ¯*Ãù5e“ã»J˜#·fy[-]Ï.9jmò‘KPñæ§\zÕ»"îêߥ¡Ê9s¶¨œšûá›'ßýŠ GñœåoF[¡XÁIÚ)Ÿ­âß­F|Žf<ƒ>G•Ñ;;Gñ”QHh5aŽ’ª5!?¼ÞÜL~ W ™×€S{ÅjÒ¶©ã•?@É‹óâlgàÞ§ÚºËÇOéõšþ²L_Ä?‘UªÊ¶ù( ˜Å,”,‰dÅXE/5N°I²¶HîâXvmŽ¡l6÷£³›¡x?ºŽi½,]sŸdàÙ횣Y3—Ùáe¬pÑRÏx7@îÆÆÐv‚~÷ö÷ÉŒŸÉ–½®®ñ.«6êõÆyHb»4‰Uʧ»°o䘷óÎtól_¼ûšŠñûnµû²“I~­G˜¶ÎÔ>ž­Pø3ÜfÌ™„tˆh=dH®wði˜Û2µ³!~@/A@ìÕ]ëwº¨¡³D¢”4¤É7†Ž”þƒ›¢V¸Wìþª”dûjügío° ø#w‰l†œBéÙšVÿÙê_M©°R*¢üÀ`P´(¸ ó€–”f‰ú2ü?™ îE½iMj>KT¬ ”ã—~îrîRØÄ¤ÉQ(QQ|vy1€är.ì4®Ï†d· ÿíÆ/”Víö²Qy'¥‡;¨oêoµÆeå]rw8BQÙT®ØƒpôâU2[ºG—QÍã¾>§—N'-?RÓÁOkŽÇ×wNqþ¹k¦Çן9ÑùÔZú*ÁhàÆŠÛPDhä¾a¼VÔ¡?E½ÎA÷§]OíùN,æ“u¸{ÓL[Ç„5ÊÉ9áMVM‚ãçI’I²¨ /âÕö󮼆§Ê¶ÉÃöÔÓÂU 6ôá jÂ*«8+}È>ܼ{$,*²|2³ß kœP¢ò}ý±¢ìöÑ0I²º>ˆ–_å´ÿ,à4Õhìª2vû›{¼†ž;H÷ÿVç›ÿ‡åwl1±´ZôI™ÖÍDŒ‚Ò܉ÀDH¨ !¢ö ûs—ÇY¿k¡ÞéàE%Êöqúxÿ>6>&äßê ˜¿ö¯fíÞžU·>ªÆÙÙfòý¸,*ïÜó“EµIÏ1Éní7I™àbû †þpJZ‰¬µjUX—šÒÍý^]uMjEï“™$/GDÏý ÕF¯qtÜyqÜü›[ü²^¿{Z¡ mèZMþPceÜÜfo,QG3olôÞ}›·4ž)Š\€×m5›'ã†j\–ßxXvÂ:åhø¿À&ÏÊí7½Ú¿va»m5*Å$W0© æl€[)mVeúêÓÌ´ê>&3>yY¿û¤.tH,L¼sb¶½”ò µqÇ*ƒãl`߃lÀ-´Pð8f„é´ýXŽ jÙ Î^WkAý²®ÊG̽°ŒºŒªî²>%åjÎ}ùžà ñÿtöê~eè#M‰ÒFêz‚RÚÉTËý)¢DbhÈË…(:CZ§k‚^bvw⣫ê¤n i„‰bã dù,d$.–0«ïOD,0¹òÇqÔ¿¥Ù*“õoýrZRÀ@·®]H²E"¦¼é\Jf•†âŠŸŠv—;]{?爨,‘HåÄú*pÑ3˜ôU¿åP@´wPŽŽ,-=Ãü…ç#†ª¸b'娯kiIýûGÿ[&ï’1â ¤¦¦‹„~?‡KÝx ϧͦuEj[!’mä KaTȳtÎ2eÂÊû£0¢z䳘©ÈºeL^»áÅ…Ë©ÿƒ‰‹â0ïvÞe˽³-¸se2Ì7£Ñ± “TÖ Š—ããl4Z[5ÕŒ¸Ï.—êD @êí²GºŸþ7{’ <©#c'zØ_rÌy_s{™ÒÒËRÞu2röŒâ‘¶Y_ä~¦&¥âc²xÇs&/`È»ÅúddÚz„n#éÆô˳¤(â×¾{ë”̼{R߬o¦ŠÀ›»û-[á®n³%fOzRª0\Þêÿ|±é±gW~ø~ö‡\…t…Ø¥zƒÈï“ò¿é-“¦îØs)€ó(š6®¢aÐ`Óô–y%ëûþkâ p'ÐÚg7Æs€›ÍÓ¦\|/Èf\›íÒVˆuë[Æç®³—–xôQ6À=A‰{Ép—­ñ•‰*±©Dv’Št:ûÒ.¾—òìÐ-Ë ‹B3†»sNI1ÍktÃw#Ï;Ï*¹[`†4õ`£©t6Ò µOÆr3Þç^Ô$ °1hÀöòèôµ‡ÞnÞAg¯å$½š§Õʶ; ¹ÔoþÛr jÎJMÇ‚Z°?OŸäõçé“e; €vУ«ñØ_/Ú°ƒÏܰƒ6,lƗѵ‰Q°uZ º/¡ÔÿÕ-½À¾ûzzcôz±ý²\ºcWJà2a‹òwÄ=–}‰õE°œbN?øÏY8‘?ì‘ôo³¦®Xååf†Çj}ÖU<ˆ®Û›ñFÎx CÀ-,¾ûî» Åú¬¼éP„z_¡ÆÐÌ2y^^±žxåO£!:n nÑÿKƒÓŸ=lsÊíb¦ððæÍã?Ê1úß‚*K‹ÙÚþê«/´m$h‰ ˆñJœC·àöZ~­— ™-Q´Ys–Ѭ¼»àÔuìÊï,zÌ\ oõÀÆæ«>|ÂAÌÑÜ6ißO(_‡ÓÞ‘ßjwFíñ£ëeø¯*\¯ ‘~tÃ1¾µ~ª²%£Hw ß ý˰·óøQí<œêmW1ô‘ ÀÉçE¶ x—4rH|i~˜Fž>APpáê&ž>9·À¿²À¡B~ØOŸØc¨Îð(€=Sú0±¹1﫬þj€~Zš3,¦AV¦r8”ª~}§Ñã<˜å»0&×°.L㺉 û„C¢A#Ê¡¸‘ü¯{ÑÅE½Døe¾áéàŸX&ù…óô4GضTõ'QØÏ^ˆ”õ>üD¹ÔN÷0ñ¢vìÜ›«p™«,mYû™·“˜¦­p´ ,H2m LO ÍaGù½^0fOÝç©¢?3ÅL ÌsÎþîLZžò@ª(qÉnBœt­àû*ç ×KÈ¿™²Ú£…èÔWµ 陵" ÇÇa§íÌòc¼h§¬'æˆ]¸F#´¶o™.ó†§y¢(Æs‰ñ.@Eè- Û÷ý:êjpâhŒâh,Öïà¿ÿ¡ß>ߨ¼6ZÊ®|>ÚMv:42›"Í>èå?FäÏ{£Kíxǧ‡ÔŠ+9þ礆Z@È\˜-—¿ðíÈT•Œ-nY>4.¢h£)æ¥7æxŠg@<ž•¾2‰J1Þ IÀ;÷•Ë%;•l?¸ˆëWª¦þò¯¹Ûê<·ò»êh˜uÌÝd¯Ã=Ý þ§4Ä MkÕÒ¯¸`xO‚él2R·KŸJ ƒ}¤‹‘×»¹ñ¦°ßIY–(oek ¤Z[í<ûûÞéÁZNd3úV=8»“ˆ Ùõu™ÕrÆZˆàß½„ˆñ.BüÿÉýàzˆ0€9‘09[SNgsS¤—Z‰¶†µO8µöüã²zç¸þÝnœÕî“,€‚¹ôH"F!4®áþxq¬C±us×ÀÀxlδ"æ›…}»˜²ØPWÑ5’’Ü5Mq\¨ZÖ‘`—7c” >ˆÃ;¬H’^0¡Üd„¦Wè5òÁì'ñ‡©Z%Á’‡ªöZÕ>è½ûK£‚Ñ‘€l§êyÐ&~¢æ–1jšðé“ ‚†QY†Fº¼’pMf˜>EA©¡þ#jQ$.4WÅ«êÒËÊTÎo ;Gâˆ,ßt”Aë0µF ´FG<®jƒ¼à¶rôæ@©Ó^#d œ1'5Ý+ç…áoü"€UCý*ñ’×b²á½X#Ç6¶Mxê›Ø>óå u¶ú¨ZÝVñ{à3vÐ-í“DÒÿ_UMü‡¦ ­¨¿¤{èZ­Ô×ýÍWêíúÕuÏãS£¿7Þlm|õÍîàyçÍ/;o×W y†ÂJ>•ðGò~}TÓ‰ªœ* þïÝ]rH7â"Ùë +³Æ¿$ŽäiŠ–'75É;µ$W¬Æ$ÌÈÍ"NÙ$~¨°8‚ÛÁ{a F‰ËiÐÏÖ×±{J:Û‡\ö[WÈ<‰ãv>‰Þ’R£7seâûƼ‘Ùd“ûScÒê<ºAzQÈB»¡¸ Ã}!ÇGKb²PÜ.W«ÉÔxdM̆½šC@}Öí^óh|¶FÃr0°ÏG*v(Ùoáü×shâ¤-…&OGÁ‰Ïêgª×`s“É’çiëyyqãô§\3ÙßÔÐa qhSˆÙI< ¦Ïº{€wêÀyV“™Lò“ÿ»È¸ F†Ö…ƒ GEÚ§Ïe%ë8ŠŸþ/ yº<ÛòÙ³„“±„ áú?G9Æzðòÿ˜ÙÝý…èéí=èÃìYh™l1æ²f^cÀT¶EËbH©ò»ñã;[ž]Wƒirl·è¼þ†˜ô¾xôËŽ(~¤ý÷ó|Ô¾°72Þ¹nãQ’±”ON’Õ­ô•§ø}º;¦8n@Åfâ¿K£Àp ;|äÛoM”ç ?쬮±?†Y¿dÑˆŠ«õU½VåÒ£¤tâ‚Ø›A«çª¶º¶ö=l¹Õ_W>|ªV¹r]yRUªV?¼KíÜM•c@_= *”§Q£yLìÖÝíð¬õ¢}˜+™#˾ÃÕþžJô{øqÜ׋ƒç7ÇãaA'Ž…]8–uê¾Ã¥û‹8tß×›¹ïéb2gÆ 1Ý „"5®)Mâ¢4ÇŽæÁ1£¡EEêíI1U÷ÇI¸Åƒiïžnîœæ´M‡•-CU¦÷&9D%MæmüCÓÓßúÿºÿ Ž€eÉñ!Ús¢râQX] DâÝ."RR·|z˜XÖ%Ñ^Ct-Š« ú› #XÀ~w–ÏwgYh@…—D%‡ “{¢’ãˆböáúÁm@C•ô¹î(èY{ü‹mÏ…†Õçãˆúý¤8‹eé01ÿpÊÈž(îEëÌówȬ í¯¡|îO|zØ~½®OúúìúQíEðýöoq³-ˆ‹ç=„?y×UJ##¸x@e^v³ªŸL„¹µ¯rüïöpMn÷éøBi¾ø©y¼f¦!5˜Žj2ù37„»?ööíe‘˜y:ý[Gè ±XE`þÜvzû™ø5u×çÑÚm<©l…¼úf1œE².ÚØ"³ChƒP¢Öp·‡A?äT^€~¥]ݪ“òÈÝN¯¨IÌV6àÕ5j&SL7L`R»3¯³‘±Œ¹_²ß ú¢  §§ÕgFnë¢ò9§7ÁN§f»;dE=÷1‡&ïSÁà!¢dfÀJÌö<ÛÂÉèJŠ™Cíê®%;+d&ê×(èqÌç1·_p¢œ“.jç/BµbáZ®8†:¹)\&ƒ¸–‰6L÷ã„¿ésÑãßuÉmlo1+8G°Ä±°°Ëƒ^SˆLê²9vü±f>®ÑBl¨ò(Âÿ–«f4)0Ÿ¶Üâ’ÑîžN\N\·†Mj(EÞêo>ü Oñi0£h‹j&Áª#:õôDàÑšJ‘tOg“ž&kLÐ빋7 ÇqmzóøÏµõøL’Ÿ½fI: {üB=,»ÛŪeúXz±ëéÛª.xw—¶- )ây“¼šrb;åËðCûR/è„Rˆ…pàá¯åNÂ…0s̪[~[¼´9®²²­]ðrg ^íNáûå˸ŸH. 9u#g?³ ŽUøîW /ÃÏe<ÎÆŽÉ«Ã輊³ˆGÒPëæUªZ:ð n9‰˜-—»“4F’.¬rzõ¥¢C^›ƒž àÈ—íí£Pe§DŠxŸœNì¹C‡¯„<–sëã™Â—ÙK ¿ ¸ZK@ãŒ;`ä“´¸ü†¡r&Ĺ/‹®Ê„*Á<Î+‘Ÿ˜ŽM@ºEé+8³0FA*{®Îr‚AAE¬A(ØÕñ¨Óm¿N„'õ9R¤nýXУ„U‘ŸI9ü•ާ_&|¶DØÕà¬Û$] È³úÇ•_&)]û½®.Q3ðFÎÇuoüÞ @|!¥„å"D?ã ýh KR‚¼ûT%{…æ\¿Þq«u×ÒáI¶¸n$»QsIa§|Î.&çLÍœÍ3Ì’¼! #²WÍãÃöá‹-uVnÝŒa/œâÌ´Û'€Ý1] $ó-ÊGtüÀúY9‹ç¨‰Ï€öhûS.]§îÍîÊùóbŒ~÷nm oî ëQ dQ$•ìÊ÷§°;l¸@ŠD$y.ÑcÙôH±@º\ú±8à}ÇD1‹¯(>!&~O¢iDñ߯Ô)¢ñ þAï*ãŽT O)ÒÉô„T 0Њ$@žÂLKú ‘¦(»¾œQþ¤ék–ÝR˜<&2&vÒ7Œú­Ê»e}+Q眥]«n§âHÿ2¥K2?(Éü}B¢C‡v,,‰´äoW„·YþöûÚ¨h0´Ò¼âúä1UwsgucTZ‡âHÎQY"¤Ì»H­¨Ú÷G±¤ªyyÔ8}­67å*×RDT>uéb8vYp6’͹့ëu;§Ç»-µùç?÷ðé~ÑeW0—€/'Ó²%ÑÇÒbS”\¡’MÊ›ð­‘è+ç†Of½y°‘æYÕÌBæöNÎoD%Ë7â€qˆ›ß´Ãl f¶…©µ$äÅlª‚Œ†‚טîJÝZ†+˱ÝVÁÌ[Q'>s»+¡ Õ’ß­Èy‰ >À][ºÄ[n;s“¥.ï$•ÖÐÊ!«ãÚq‚…Q§+0)Üð¾Xö|,(–4ŒÏšÛü&]"!µF¹$¤ÓÛ´<—œ~Õ>`wOù ¸M5‡T£^¨5cUˆf_2†‹ÒÆEõ»&½üã‹N£pYÉ<ò‹j"só™He}™•߬fY ŸÜ`W­›5+pבc„º#г‹ÇšTºš•uŽŽByaÜe 4òîñÖ½—‚(iľÎmçÉ(œ5+Nëß´O¸ÑåÒe·ó‚jÃ\ó¿ZdU`k’Oz.RIJ˜«}YQí!Ðæ²PÞ~g·¹ï5÷á¯ö…ÂúéŻߩËhuÏø(ö¤ëS:Š|©zû°ÛÞka—òç]šÊ9ã9ðZG'?{/Z'­ÃŸ¼ãV÷tÿ¤`9q?`ηÇß?½ïŽÐB%óYÚD>Q*Åä£Ñö®ϧ 2‹¬º4Ÿ˜YfßogüÛŠ>,¤®§L%Ø=±»ðÛ"™¢;ï{â—ß]ËËÀ~ûÅÅñÃ=2,”ªþ¶hõþî=¸Â7%aüú½+ŠTñ…Ê|aâ ™?Ü` Ldúf•­1ö{ïýËÀXÐE{X—mVŠ=YχjÀ ¯ÞH‰‰rË…( {ŠACB2EãæzÐÊË“ãÓÖŽõûys¿ÛÚ©¬T´Ä)ˆïÓe™aÏ6 -Ò^0M¥Û<*lô(§Õ£ùͺä›rÈ"¨½×<šØKw!õ:Ó‘¼jÜÜšéN9U¦OL¤§»ä¾Íô(§w(¯ël<õH/cd3S2ÅÿŽúþ b i–^³Iê÷”ÀáˆÒÀÉ{Í0\e€®Pçl¤ç4SïÕKiϲ²ö Q±…]” ¾e§CNfˆzùàñk›»¤Î¡â\ŠŠ?$€ž·÷[E| Ý&’“-\´ŽD/9ž^÷¤y|‚ÿ=Ükîw[éÓž-Ptú @9Ø oüÔbºk¹¢:³éx6E;uíO0£, ¿–×qhÓŽ¬¥líG}-ÖsÜY7eÜ—k½am0®dï²?&:ø¢v=ïš# gDïɧåeí9ö¹Šïûé©ÞØßeí’ý˜)cíMšWdxcÖÓ˜™'ïËŒ¿ìn}„÷Û°ºzjÏ&›S€²Ð9´ñ¦ÿüæÛ˜ÖC¡2 Hþ`ºý…w±Yî>6ÿ—îäüe·÷©]BVõÕQkøöîNþÖNªd6·©Y¼%d{'[Ñô*oø«!Ø;g÷õë»KKÖ3ÝO}3èÝ¡¸†Îø-ötbt3Øõ¼F’GÄöëKìoCÓÀì­í¼ÿ»zùÍk÷ ³oÓu¥óU‰H͇Z.½ˆûÖ¡×WˆØåhœ×{_»˜øÃ víhéÉ5ä¸èƒ` nuÐt ”¡­<Møˆ½Îá‰wÔ<Ùý±È–ôõþ®!a`cµ;B^4 o{vzšŒ[%FC†çˆ©/£h\G'pkT@ƪ]³¤õ„üË©ÈzM”nаjv¼Wí“—ÞîÑ‘wzØ==:ꟴö %XX C ÎÅ”àТ÷$Ⱦ?}Ò‡ sÓ0ü[G‹¬f«Gl_œH¼€è³7­éÜïΔºŠ;C9Ëyºœ¶Ãbèpƒì› V±…5’|ún‰òk©&mEZgŒŒÝ4ÐþŒþ¹‰[5†}Œ¦Žf~¿0éÃ8Hô¯l'š/Úï³õ_ú2ÊKÜ“€¶Ø»êÚºsµ‚'oÍþÀd< *y, õg%…dɂˑ¦›p¢–£ƒSÔOngr© ‚’ƽGú㺠¦&æjm¶‹iÌtÆËQV§T)¸ññÞ¨–ôš²ùq±„}å6ü®aœë}Ö2']"mÃ7ç~:ì  e®' ¦òo¥Œ‹CàÁ‘ÇÛÈ_õ'3Ð`ì1˜B¤øãÛáy4¨ÖµE>UînÝR?ÒÛwΔ¤*¹ó’þX09“¥9¦Ù2Y/›?¡öÊkŸ´Ž›'-ïèåÞ±ÚÔ§'‹íÛ3B¶õê Onû¸ýZ=UW>9œ÷æŠî<~DFy˜È³ù¬oÀ®©ÄjƱ&:Ÿ>8XȾý1/Ò-¹u×µg|Ö8W.Yµ“76¥âT×@‰KÃhðL”N]µ§5îÂÈ×éÌ9æè?«¡—ëߢw1)YüÑíµKþØŠ1¢6Ú †œD•­ ê%WŸˆÁ´U†cx?‚½?@ë%¶ íî ÝÝÂó,MaÇpáßмæú?–¥KY–ÊúÚ”Zß¿ 5©Ù ù&¤ÉçW»Q3‚9Æ¢N™b Q«Øf¡ŽÎ›¯±5ê®|…ÅU’ š¶2Æ3ÁÖq}lŒâ~EÛ¥\AøªS.ÍñüÔiïÿýLØçm–·ÉV†&§ž{Ï"šÂÈÑ,VW@Nlɽ!ùµ7„«v 컄‡£‹¨~e®I)¬¿xø×Kg‹óÄâ'çêÌ©º(eñb×;hw»íç°}ø¼ã½, 0`è,×ÞßSÏ1@’Ðèðù®¤ø qAô‰”†ˆ@zƒ>EÀu½ìíÔ^ 6jìY³×Ÿ w·Á?‰Á‰¨N}àÃÛ“æ1J^k·w•ód¦à¶rÚM>”eæü~ðH¼ƒäœRÚ}ýšÝ¼ŒƒUA³u£¨êD¿† ˳°E:%´–(>pµWµZùÔÐéW­bZ#¦{ [Ÿާ>ˆÊ)-UIÍñ–ÍøDïíŸvñæ€&o2‡3U˜fºü¢…e:8ÏäÝõK›€Þ_A™ÈǽÌ)Z@ð­” @ÿº§G»;åw(rU5ÊâXÃD#5JÝc`Ô};ä»rÆ |!¬2 éøuŸŒrÆ>p黎‚!¹W›¼rFEbfMqóIŸM, {öÐFª üÆéA¡a#§º-éH)Âh² Ã4¥bR•VJ÷ß8§ƒMe .° ë:Û¨Ðo^jÍušç2 {Ìsñm5ÞYýõ¨¹ûcóE«&wÞ'Ëá×TÔ‡“ƒH^èeA?`÷ã(ÒßÌéM0ûQôÀ"Qmèäë@]FS ‰9w(é®%Fº¨r|×­¥¦Ñĸrè páE¼³Ú~ÞÝVðz¢T^·uÔ~µs¼¡ Ðùî= Í IøÕ´–¾2³ÿzêPÜxÒ'ò+• ÒWf÷M M•œÝãr¾²“8êÆW~Ö%Þ-«¬äšYžlv£ ¦ æÌWvD'Gc’ßQÜQ6ͯã¾BëoÀ:;…§àÓÝ—’±!N™çm…Ö¹soBÞÔG~Œbêaž‡ƒpz»söû¨ añ0€°ãT~Þå–' OZ¾§„=séŠ 2ôË›„T•ÿÝ’ä¤ûw?Ëùæ”ù" ð¹Òæys¦ÅâæÚìðŸÚÝö³ö~ûägïe{o¯uòdþŠiºÑsر %E î»·È:g<ùëÜ‚f¿jṯÓôšÅBOjv”¸~pOª™µ|€©@“såÂPœ³‰5 ô΢wƒ1~+çJûØÕâ†.z‡ê¼—_|ÖÝk4±'F#À ­Uëªk“H&Ÿ7Êc%+ö¢þ©_ªm"/»/Ìð¯ß?ML)Õß|ÿç·:áÑqÎÓÞ3JNïOHò‹æ¢HZ<ªOâÀGõ?“×$ZMÓë͇ÔÒ £èºZÏã<»ýæq»ûè;O7à=;}á=o¿níûxô{½æD˜Kˆ rIJû[ê½S¦¯óð­¯ Sjê#{fbg˜7Vx z÷ô‰À#y9¯ñâVkñl”Ìÿã»kçMééa§ûÝc¯û²yÜ¢ Å)³[]¢Ë¡OCM×À×LüM‚ËØ GÙX8UM4’"?À¹(L:EåKë˜äKÃÂÜ3¯ˆt9sì¬÷„x²’ S$aÓòDD4žaÀÿy²"EqÁ…„FNí¢`mÔ +М.P)K-Ô~R|ÛÈO,݉9™[¥{ZhéAhmŒì˜s`îŒ=®Ud ‚ ÃJY}¥®›u T]ŒVþ­£àZ“¨úEaË3øp"v†N¸N´ûèd©q_Mû°fÚ.¯&?ÀžÈømºü¢ÊÅpl1Ì——ÁX7ßzõË·ÄÌ÷Fm95›ûû^ûð¤uÜî{GzÌ µT,s¹ìý£¦i‚¹‚(èIÁ…¥/V7FãM9§HYœ™æº=¼Øý»'–`ùÈ¿XÔZ<«~Žö  ŽF€¨§Wþè’Ôà€Þ?#†qŽ¡Ç#;ªvŽ/.Ò@ÐçÖaóÙ~ ºÝ=jî‰'i8DP_>(hN8ÖÜùÊo»0l@VY¤"Xv:”h±0¼œLñ¿#¸>îbQOŠ..´kevf.ìO®ú«`FN»­nûú­´_6÷»EJ/øwzøª}¸Çúš9§³F.AwMvZâ\r…í¹^H;|ÍXûì>|P—Ù7KÊÔ‚ž­Yb<8<Ù Uoã/Æú|hävrÖðÇVëÈ{ÖÜýÑ;:9.P½‚±w¬7žNнÔ÷ž½ð^îwä¡d7Ëd‚ª„ˆ^c^8ƒæ-îì‹ãæÑËⓗà=Ó.^»ÓÃõ}QÕûÙåàìL'pŸ¬mf£ëptWL¸Ü:ó¬t¸„gêý†Æ:ÜÔ v–3ØIV´ÐfÇ-òÍvÒ›#ßz'SêßÕˆ'=9¶$durÜÜmã*ØÜÉͨOÞ}T¯ÖE±K¨ŸÅ‰CÌàÉ¢}¤C9Áhç,tùÜ &Ý:ÚÎÉ"±nHÎfÄKáw©ßOÝßPÜûâ—ÄgLìp³QQí"†Sq G„Ó–šÒE¡ÍK¶à g– |üä;žfŒô²þ¦4W‡¯òX „âr<¯Síó–ôûŒ‘KnE6uɯ›éšKã”3\:Éô,õ:Ó±¼jܯܚYã¸þÀï÷'jr¤Ð œ9L˜Z­—îkCŒ ï´ÆB©üž0ÿ+¾Çkã>Á÷¿aâÆ¼8<5Q%á’;¬¿ô½Qýê‡Ôýû+íͽ‡Æ} ÿûu ‰*k­\ÞPßâ·*ÞÅ_BŨìYûþ)¹ÚÂûd}4ÝÊÉöè|sîÊ›Ôç»xDñ#hî¡û@¾# 0œÀ¿ýc8†ÁŠâËGYú$RkÓ«Y¬š»ÞîËœ”秇»]XSôc÷>¦Ù;N‚)ç†?h÷'Û\ú”ÙçÐ]xïÏ`Á¶“ίM7ÔÃêçœ_Z–+xòËÊ6 tÛ/º­“¿åîÅ߆ ÎOS`ãøæOaØ9T¬ŽÕd6ÂjïÅék4†c¯hDº‹šFÇ·q£II©ó-¤ñ‹Uà†Ò926ðVçñƒƒKtó9£6À—œÔ¡ΆªíyøWãýÚ^øøû§ª6DûàOL­ó(åçè‚rMSGûl1ã_Gðš¬ØÈ²ž¸„Îq¨™I?mcyù§Š9MӤ͕þÃÿà×`›û­Í™+>Ãâž]|a9Z¦f‘”;SðnY÷ß›?5½çíÃæ~ûš'¹ ¹“À4k³Q/ ‚ޔܠç΃ÄÜtj,<y•‹f#]6„—g£Ö¡÷ ø£%·&øápþžÒ¥ÞLºBÑyÒßïF*¢±ÁÄfûÍöAîðÔ ¨4<æßgÁÜŠÌ æ×½#ùÜjì‚=ö©¤$^xìJEÙæì2wÍ}tšñv;‡ÏÛ/òw™ã&‘¶Èø4Ma· 'àÇ…4ÈÝ‘ÜÝü«~.†žJæEûðE±ÿW±î œL8yô] °¤è2Z°¤VѪ:… uÜìv[Çxaw—Ä”œ{î8±ÄÂÃÃÂÛv~p;ËíüÓ4œîî •Y¼7T|[œ4HWÜ}ÙÙßKw*‰OèT¼³éœäyš¶‚ÒÔ“ùï7«éþ"Q‘rò¿¤m}2£}j®Ÿ»cdXý5ýÊð«I²rk¥¬µÿ”¦Ë—šBéóü»s¾ÕtηùW ö¤ðâ7¡[¯èЦŠ}ºSµ_vŽáÒùù°‰ôå~§¹Wˆ³æP–—a< &5?ÔØõ¢Ö÷§þ]4&Wó°šxlxXm j³BÑVX`ªPÏŽ1­Ž[/ÚÝ“Ö1\íCŒmu·×ÿ…˜ó3ô’È®{zÀ1¤QFêãÃ>ABJ%f#AçÓ­ èùôÜ7€OZó&ëIëOÚTy¾hÜäã)R&‘à$ì·ŸoÚ·^e:.Î=ÈԸ㮻æ%š»÷¸Ì‹o+þë¡zN†yû+«­-j}ÌîÎW­ããα—r<*Ï1[QFoñÎQ—{1 n½pè3¹:HÒC6:¢¡g@0¦ÔŸr°çNW½V›ëß=˜—e%Õ©Uç7‡€LÀÂ#0ì‘—ï‘lšýøkÑù?$Uürñý‡:žUg £±¼êÛææÍ²MŒWI¨I v@­)PæWʨ1ø0Q€«;ÏþnN“û6s r*ñ™Ê«wÇ]ö¢wíч%hõèÃv;}ÈJ3QÆj”ãëç;J&•Ži¥±mÆhDsùàAíIýûú“ëà7Ȳ Ï\Úû–=:7¨! /"àP•€).üù—ÅçŒ#g)8 7!yèL‚‹`ŒzœÓg¯ ÷ÀÍÑ/ƒzZ\«S%{NÓýâµqŸFÎLù½:‡a(¸LF³áyÀÆ2‡ïD!ÒZôjÕU‰µÎÙÚæÙÇGgŸ}|rö1>ûxáÇÓ³êÙ_ËÊ;;x«£Å¹ËAšO}F½;è,±8 …·Ó1ÿ­oErÎn7#Áw…òSÁ•}$uRèëcœ>öÚ"—=}R=‘·E}±+9½qêécß$®êŒcøQ3ÿðÓ^„Þìq v9³$J3gYK’;ýU©g·&í²Mq¬ ]`æz¡‹UPóH®‘¶h0ÛÝÔ ³]î§)6½±ºaLøçêŽçÔ\.~®FY‘o®65cMA^%ŒYOzýp’„«±ßáÆî-ÁÔ*w?7¨åÒ [‰Pj 8Ù%ËjÁÕæ.PÜÖIÕz™.°dÕ{å-ùd6ú]”ä’0ÿ ý&tW¾^¥ø$¨›é\W—ÃhTGçÛósú“£ ?+©ùf-ç?ÌêÌÙb0WsžŽOZˆji7cÄ‘óS^Žâk<‡±Ì,Ôä£ZÆ0Òí bR ýn¥‚î/TrƒÌ†¡‡@cLuÄó8]X÷y8‰§Œ18š¤Û’/äZ-hdè3§óÜÖKú2µ¸dÙ}†Óü¹?¿€ƒ¬U~{dÖïhínVsKª¼D Ú%X§*c’`¥@\ÞÁ­œ1D˜7ÅZ¿~a/°:Ö”ŸÓ²Y¸ñ‚7Û²0“e.^cû(ÊùªC­Ûç…1‡‡è „3–ÄKxgu…F õE®ÝlH_}„oy•o†S§/ÎÞ˜7c©c'Á»”ú9š‰ £E£dŒ,TV4ÊøÊ+uÍ&À†ÄÓ`¸Óq 3GžÅôdä×C#]™œ­û–,`½@±‚;Âxõ£>›GG⣅aGÈfÚA=³´„U`E·*†9‰d_!+‡È}6b ·,+ØìÔïÓÂU&dï a‘WÉ¡lJ‹a°%b4AzóÈÒå/E=“é«Ñ~Ÿ ¢¦”ØhtŽºžöŸ±:œ¨*îqE‚ì%= r{±©ž/ÞvIÈ\¡ª œfø¥Ÿ¡£?jµ|ÿñiÌ“£ýÞŒ3§i›ˆÍà–²Yk#µ*Pkm¡‰d8èCÝj¶®ÒezN‰J)wåˬ;â˜.AžÜƒR.¥Õٮ웽`AEúK^ЇÍ}ìƒÕ#[¤\P$WÄ<\"rž 1›=pÎðVs gìï[À‘[í`® =À¼o™‘à!ÃÈçPÇþdöf˜{¤ÙQãIhxñ˜¼œƒál@Âd’v ¢Þû)EŒÎdây0ˆ®ñæ:÷Q $É/üÞTS#F²X?9s Îáz€ £PjÒg‘å×Z<çŸÇ(KÃG„Á½Â;l-¸éc$,&%+àQóx·Z/Í]6ûæ®\^7sÎÓfԟ㧉kAáj`h@½pw0ò…õrB§}Q^Ô!ŠR¦ÞÐX¥‡ÛÔ§µoo66¿€…÷ç^‹¼Ðd-á<è~'Ç;à3®Í…9Û/hçý¥¶¥B%~#2`Yz ÈÈZL-,³Än]ÜÿŠM<aäÀ`äJÛãm}Ò…¯ÿÚá'L{ÝFóàÖ1îqöÜÁú$¯õ½cY÷ˆXûö_U°»ßjë&ÙÓ¹?™„Á„]páM xÆù‚ÇêƒM®½Ñß{úêQ! „ìnØ×•tˆ@þ/<Ÿ¿Í9KÓ‚üÖÀ¤æ`†gM -¬{¸upºß<É …öääÌäòÎáY>÷Ø“yÄ$à³yí‰u$f”^ùýþ}NÿRPs#_D ƒ÷t¼ãÖŸ¶ÑOµ‹zºå0„9ð4:ñ0¾÷’2hF0hú¾ñèÿâɳÿe3Òÿ–®ÿF>U(Ã]î|eÆyÞßoí{Íãüƒn Y ´P39AŽî°9Z 1“Ć›J`ï|*ÈeŸ­n§µÏp‡ Õ"¥ÚFµœ«[æ‚\XÅlÕ)²Ò³ŠÜmyü²y¸·ßòžwò–?Ü }žuíaÇûLø°ÞC4óÌ)iã9ØV~x1‘h3ƒ¦#GÇ Cÿ¸arÇûSZnbÂ\¦È6%¼ô ZLhŲε%9DeÍJƒvÞ¢ë‘dZ¿#œ´=»nGkò;u¸÷£êGs¢ãIô£¼¸íÕsmåÙU1Ÿ 7Äüj`‡rbŽ89xÜ4ÊPˆ2О°Ð ìMc qÐÉÜQFÌ‘Úã|`™(dw!£¹±?æn˜¹ñÆprÃÃÍaÅV¥d@~ø~†?άʘ!hsSÁ„húÙ —ªµnÂk¬'áZå—æ•~ÆúQ¢¤Î±ÐLdlßPŸCÎ$Š5(Ö¨ûFøïyœ÷¯k—½ú¸WvêaîXe·ª~©ŒIlÑñ;EH’æL›¢Ãæƒ-¦å*¾Š¯‚Á@ŽI8Ù U‰%à^Çd'e’!Ò§£/ vkTLšƒ[mà &-çÁô:´iƒàc­{ä÷2ÞDkå^¬ÄmÔĨF$­æTˆD‘ƒÑ° ãsb ÏÚh{¢Ä*26#ºf ²‚zmØ‚!26è †Ó‰zUÔ>ôцe -BaîC-gеÑàê- ðÙHaQžšyžè ‚Š· À)qrâZm°°LÆõ&Nª;·øŽõ€Áè Þ¨Bé¤Çj ¹\è ÌZ0­*€•„i8  ]ã™^QÚ„ª×~Cæiª®ë6¾ãǯ¢2Mwàš¿F(péÍ0‹qU`Œ–¸†éƒ-s=›ZÕ³1 cÆð‡õz@Îà@3À ûÍ(q¢m„0bÄíOPAÈ»7[ˆ¹7áîˆ&ä•Êìàâ"ìa¸J›mJ2_‰m¬i Ÿ¦€Q`·âO½æ´‡ñ´„"mQ¶ NŠvï„iá‡Á톨c¼ˆp¬Wáå•:)Bvj'Hjˆk=»z³@¡+k’Ö^`õwk´²~øvSÛÖжµ7~í_ÍÚÿxoåáaíÏÞÛõ³êN}½q¶ÙWޙఔ…€vÎVW¼®Ž?a{+kœò„¨óÑà“Á‚VÁ‰UŠâ¾Y&¸ª ÄÓ¢WÇ7GÕ׋tg ¡¥ =Úþ”ÜLV¼ÚÂz0óíç]ø/Í f¹L>;ÿÒk¿ø >Ó3;îWyÎÜŽS…&Ëù¼Í'XÿNw0/s2Ї¬­a/&vòÝ€ŠÇ­¢*ÛÊ}—·Ê¦ìYðTª$DÏ?gÑ”Ldd×#²G›ÞÇ[Pp†$6ý40âÙy< §3FpÀ—Æê þ±’ùìlCNß|“/šr‘Vúª7* V®T—Û˜¬œ‡Ü›2š ßÒ~L¿;ƒcEëøÐ8;ÛÜ@*q’¦ÌÌIzü<¼dܰ ’4v@‘uºí×4ýˆæ)™“Ô Ê_éëŽÝ-³î²Ä1 ¼R•~ TVÒ©Æ/ÉÑ8G¿‡{oÈIW[Ö3#_v_༼ùõÓ[˜êjCÓüg›6ã£>~Tß64TÓ@B€éÅê;g>I-¨P*‰Î*²FýÈÜò*ý&ò§¬‚%I3F»Vó]ÛÚgܸŸ\» òÜìoœ60ÙîµX‡ÍÆ}Ÿ®6î­Ó@>®š_ã© |¦{ý5 -ÜÙ%à1_åŽù+-È’tÊ”r’ž1ºH 9HåZHÿu Nœµá–¢hðôÕUõí·I©ô7w6*¤óvt<_YˆZ8 úc´ðÒµ¨c6ÂÛž.…Wr)¼°l^ Qú ”ôöO€è¿!³¢ÃÎa æRñ+Š-)T½Ç¯€ÖØ0&èûMìØd)èÉ׺i½t[ïw*«¿òÓ§J©´×zÞÝ©í‘âŠÇ½—Äz ÂsÉJ ÏSóëtG§§xô[Iµóìï’Þ6a ©ý-l/d`Éò`ج«c&±Iw{ä3gá˜VOñ$ød¯oA@Cî0ó°tÐÙêéY½QolÃc=ZmÈÃù?à±"ñyvÞ¹Q3Cí¦@¿VùõéQ]M(YâÑìµ1ƒ" PGܶ?›F¸?ìlÖ7&% ¬1xSè»ÄdŠ%2W 厽)‹;(Š+ÌÁ0 ô#YUVg«¿šÖ>ÑX`,f9¯öt^ýr ¢ g;—nѾ“Z¥Òþ‰ózj>ÜËHøË`DÉÛûй^<h˜n¸ƒ„ý™£X NZðïÄað‡^<À؈ã°ïÜ+ê%Êx®ý 2 1šÙs2 hµ÷ôõ~í‡H¹Y`ì,™%ƒ°––÷sŒ£úŽq”3ÖëVëõI2è‘ÇïŒàÕz•¸¦‹³ 5Sà dΟ¿¢·ð ü‡;{-ªtœ÷9…Ú'«·)HX¼>Ù™|VNÕ>+³éhŒnqÿ4ž¡E!3¹ÃÀ17Æö°<1ëáèCô> ¡ƒn`p›µPt‡Ø<ØkåŒ?-7ªó»×°úÁxw70n‘ååÔýC÷úõÝ£ƒ2÷Þë×ìâ5» ,_³û9 ØìþîC BþÐôÇå†$µ~÷¡ÍËÑýsôGf¯yüª}èÍSªÌr#s+ÿîヶ?š?<·Èr£sêþQ[Ãy`““æá^s˜¹[3[ú^[5æ÷¿¸»Þ«öÉKÌ\ïJž!qŠÍÞåE¥—¼Þ Àüþ£ÿ©ÓÞ£^_0d§È’ã´ëþîƒÛ=Ú?íâÿò–|^nP¦Þï> ¼ï9ttN´÷%èh§öï>Äœhñ™æÅ_x€nåß}|yA3Ì ‡¸ðSµÿcç Ê;7\ÐâÇN×ûÝ” :”Q:üÐÂCJ*þîcÊÆ}É +'ÌÂ#sêþa‡LGÚ(<`&æÆÒ‡ jþQò‚v Ìß±ìиîrÈæ¸]åºyXKÂ|@¿û9he_誵ð¨s üAì|Æ‚³€³ÏÚr.ÉäÛ~‡±–¶è¶cE †J<íîÔŽqЧ2ªLÈœÄÈ ;É’k-³¹% ãüaÉËT±ôJ^¨U§Ñ%R£ô&+­R ô\sŠ£V J9C#‹3·(YÒwÑ’þ#ÙNXå7K+_«ÕîËÖþ~iE½0‚üó[Åí£]Îñl”X,±yuŠ5F½ÙdÂùºXÌOžXmWǤ‰fÓñŒ¬5û3‰¸etÚdÌI9d컨DHÆI²¦ƒè’ãaˆ€xŠæOTMb,à"ÅžXt9ïbèËh*¯J4ä³dëàïÏħRpCi{y^xî$¬lffÏæL­¿)ù§VVðÓÁ“øJµÑÑÞä.¨Ë§¢Z0-Ïà   ý³h6V´ËÒÞisú²³¹­¤ÿú•Z¡é=ø±«â«Tøëÿé¾ô~jcbd14´°&Ž¥P¼Zd€Z_S [O÷÷wöv¶Hýv4 jOêt42]üpŸ,Éú*ÂéT¬dWÝ|P^ý[ùÓ{û„íÄ(àì9ŒŸ@NêJíqpÙ”°ÉFðÓ ôQ»T±²SÁ¿2Ô˜Fã)Z\¿Øï<óº§Ïº'IXŸ8`#/U‹ª¶â(1ÔY'{êõ*[ð+.«è¥Q¦›¯&-5[œ¢yÏN¥TÑ;‹^”pšÂÍ‚¯ü‰1zÓ%œy?FÛOí1û'՘œÆy8jŒ±ÆE½$xb‡Lq~‡Ó¢FQwý]º‚©HÛ‡#ƒ¼Gk@2ÕÉ5ÑªÒ .Â3‚èårâq?É´CÆpz…:C¸[¦â»ô^B[À4£áæ¿â«º{m’ ™œ‹U댔Ų +×_¿£¨ú7˜;àN|­–=e_¨¼ˆˆJòÞ%_Fô‰Ü܆/Ô7ñg5‹ÎFyÍ⣘4v<¯ß­ÑnœõÎtU"ÿ×mº§‡ûc}¶u»º½ó¨»S!S¼ äòê&›Ò•+NècºlÅ6DÉ go‚“³YV@5¼Ö†hiÀV±tñ'—;«›Û®âäÒµ¿,K7Ñ’F·…ܶ¤Ìvé+„ù.]®¾ÎL×Þ9ˆæ¹kø¶ ËmüOe[=§W«øßmÅÝÛÊÜlx¨9{Ÿak)?Ê¥ºUÙÆ¹û¤Ý¢ÚÏ»ðßWç6%›Ï 5õÏÉæf\SÀPŠ€Šq}Ã8 rÙG#ó~0ð¿g¡²0f+ö ÑePø’bh(MÅM¢!‘±¶fÛ j¯Í!•¶Ö¾P@ÂxÔáWÍý1|2ZQ¡ÛÙ Ñ-Æn ÙÅÉ‹%¾]æèF`®s î $=b=èU0OoÙ¶¼^-ÁË âË_é Ê1ˆ ©+ŠnéOð†ß¢÷Úlœ+Ä>×¶$F{ôÄ’'ÐfŠ œ‘d½…ÙºØ)ñ)}Èg”®æ7gg·ëªª’RðØ:½¤œÁØ¿UøÏ¶¢'wÙÔ*ö qL_KdÜM…-ð*¹L¸QVü¸Ã6+\bbJ4VêBºƒæ¾?ªû½¶<δèÒ´½úaŸ{á0?ñ1Ñãç°†·S4`¯´ª}»{·spÐ<Ü«˜p$!˜hFy…(,íyÀ1Ã쥪;¡ÓôHÈøÌ¾€Ì Ø«X[&µL_D_·8o÷–NÔH£äOÛâÂÁvb#ŒP fS±þÇYd‚N¨ öô¦`¥S2ÿNèÌÁŤ˜N«O{•'FïÁ\¿¬£Û ÂÚãúCuúª}ˆäK¶ó38uꎘyTÈTµ*Á*㡚Ç8MªF·ªÜ .ÉQŒ¸ÙÅHG-f-UÖÖ*œÞ ÔK"£ =Â&}¤§¾«?ªo>©ëÍ,vöDñ´Rø¿ƒf{Ÿþ#;œíäÙu ˜¦U®Fg é"¤ŠÔš6¢§2UeÆ”‹pÂXv‹MàŽº›;•U¸ºŽºv*?ÐÓÊx€‘îwÕh8hÔCûîý]8ììjòš—ö›‡/N›/ZÖyC¾©{8¸zIúË?çô‘ þ¶! RPvõ†¹|µßyá=ß{[ÊçåòþAÑóÉåw¬‡‚¸­>|g695PNüaêèR%Íážä&ñtÒ&$ÏÈþ\®q¤9p2ð¤N.¿aBa#Æfpu¼G¼hìs$nitšx¼È·cMŽ~éu­ 6SC^õtÚYƒD”ÎȨߩZðOõP°žÛtBÄ>I‘Œ,PÙ±…+åÕÇåOÉ7„Üú÷jêEÉu*œ+´‘EX}„xcõ‰&„²â§à£DhvÚ£.}RÎ.²vÆ‘©á©.ÞDè`…‡ç¯¸žz]4·ƒ\¬^ ¬,‹(XÝ´:“”²¶9v½¸+ð®%;E85g› E‚èÅWeàåÇê!‡D%î™] ¦ÀÉ™}ƒ¤XäA`fÐÀê¦FÜNçñMÒm>´?5³F“}Ön•)¦»À/¤ÚAh3ñ ÚÜþT"±ýÞ±*™¦Åè€ÂÿöO[…+ˆá¾¹,9Qc„˜*ª£-–ñ£ÄÕJ3jBˆÃpaçÕ‰ÿOªßÿàçKŽË·/‰^®5Œp­ü!LDø/ ®? _N¢kX>ä²a“@‡o xà›>MoÇ!ЊêŸ3¿¢¿ž€7Ò¢H­ùáì¹ š,&Baæ·ÌèEWr³ì<Ú6×Ü pÏl>ÊãhY…p*Îü¯¡ѯ‰çÝêæƒ³U<“ŸsÛùÐMoSê ÜN6P 0ææñ‹z½ž»Ú¸å‚ œÉ¡¢²Ãç [™ñ}.¡ÙD,ÞXçÇòþ ]€pÈ9à¥wž=ÖnÄpø0f Ë=¹#G;Õ@öa8‹É¥R»q*Ÿb`«ÕµµjU‚±Ž'öjÑœÁw@ÿàPlG-¸44QÖDó vØ*çÕ¼Õ)¨#ìóêߟ@…xŸl¾Ë,Âà ¡T˾¹r¶æŸU+97~Içå×ÜÈCø·‰U€Í^ƒ5†j$ÚxýPH7-VÂ;økô.‰ŒÓh.øZM5rIݺS’=Y¤ÒpÔ2ºØŽ~°Ú7ßÜ>'òþcxg5m¸e£@ Ì „ùk5­¿$-Ó-Éž öÐÊÈùó¼*óMÒ+šñú¶5ÞâÿÖϪõÕŠ:Ã_©×ºÐë³µFã¬ZðÞ×íýiZÃÛ[Zß>tèkü+í6|-7~E7)t¸Cß^~þ'þù„ÿiüòëÀÿ°/‹–­ÂçP¢ÞØVÿ¬¼£ tšûäCÎOc@»WÀ÷¦@íû£K$ŠÙ›qÌx0‰w*þy.Ë«ðïÃQ4þç$žÎ>\ßÜþ«"E÷[''­ãîN¥ùlw¯õüÅËößÜ?8ìý÷q÷äô§W¯þST ®:¬:p¤h?¼ §ÐþÃÍGŸ|÷ôOßÿY!GK bßÁ•J¥ÖîËŽ·»£èï¡ü=îþ–Þˆÿ•jãÃ*Q¹¹=ëUÞq‘õ0û¦òUe{û«ùÉ.혈D1==¡È«ßÜV•’ÎT˜–rø୾ÿžX-XfûµzZß|§~PŽ þ³›/‰ho»DÝ–Vj£Šæä-‡µÕUùSnýˆ,m"¼îë×pöÌ!µ!à‡†]UŽkº 3‚Žä•ãPÃlûü ^¾ÈŠFªÛÖCÊ+Ï”>P};ªW‘Ø3èCtά̄EÓëH]FSX®xK §Ù©ƒîÏ@žGpw¼ã¶©QG…n5|™¼A]]ê?ªª½¿¿8:RAÞü‰º¢øè˜ECvÅۯºYdÏÕõI‚ ùõÍèÕÀÚ#înÈxÄIòNÑÇw½±ª+\©h¦Òk`°õ×ÖÒáÎ0bH3‰Ÿ$ä¼K/Ä`”’¯§!ÃŽHP¿ûÑq»ÌÝÅ©]élîÉpÎ>Lˆ0Ú®Þ8M!«ÏêêDçãš"Rµ‘)†tº7ì(è¡ter«Yi€™ƒ’åè/ò@RÔX˜HR¾†|4Ç܈ûVgP@òA:ݼ3´Ex¦×W85[& DAHqVáŽü“ny—QåfÙùÒøókŸ~T:¨•Š&AC±G“ŠÚ »Y®¬JéŠî–IC§)ŽÕ„2à»?™‹H^ó-^_Ç{îÿƺ¹”S´€[ ,5¿Ä<wÓ VßmÚÁê.I‡£!„‚ÀwÑVñ/GnðÊe÷¬%ytR.yÇÉæ.óebï‰O‰+}ê8d XÀ+V'‰è_×$ˆ4€ÌmÖÆî:bh.¼S1EMG ¢»XoÀg8£#üå°²|$" }À™~ÞÞoÍæœ`CÐm,Hб‘uŸxIaÀ%&ò ¾È,¸»(Gß´l¼nè·#-Iª"4 n{³S‘â¬ï·ÊìäT#ó‡€)%x¦sõµ%C„aD|Ôþɺ W*žzêýt‚¹ûvÊ´;èÜÜ~³îÒ“ß¹å7Ûñ7o~qãt|ã}sY)/Û£ÆîN|•ê̓oÆãym–p2ÔS`‡Š¬v LP‡EZQàÕSE,jg ”SL”Œh51Cî„«½«aÔWnÒÍáaë¹fKs,vµ¥Sª L¾/Ð>K”:˜êáH¤!eŒ&° ³ :¦ šH£Ü›Î(Š«9ΑtÏEWÓ^=%† QV%Åý d‚8–Wl‚ñÕ)lBt¹S.%×PdMúl•vÙ«7õ}ýaý‰X#a±Ò¥m÷âðT5gÓ) Ÿþã›>D=_„s޳>beL1eþ혅 WI‰—­ælu»„¼JÊ`Ìúz•”ý]×*¡_¡Ôdõo¥R„‘­0#Ý۰3¾”GU÷Ê£±ùÏw¥rlÌÄir"çÁÆ^/—Ê@4 °ô&SuçáÅt[¥ƒð­®~' ™3/Í…-Er Ë~ÑŸ·¿Ÿ‡FèFžÃ=4„&PºV/Í+X.¥:UÎÁ”™cÐY‡eO+ÛC’1ÝNù¬töŽ7}…ã{Œ¦!ñ4ËÅÏ’*ѲïăŠç«D&ÓM ˆêõ¢ ‡¸‹æX‡*uÊئ-.ù%ƒ-²uñ8è…!ŠžcuÒ$©(lE”»Ù·‚‘ÖK¥SÓîî7£“vçð-ò‹o :>à9¬]mR½ cáÅÙ¾Š, ñí‹-I•¥ÂÒ:#“)­_pFW'v"ÏŽX@Ä.4JO%Á­¶ª©öÿ‰íÿs¢íE­Æ&¬yq—E¹ÌÉgWð0†)­õYÊêIO‚+âFè#6}Õ‘1¬3†Ú 4~<ǸŒºãdˆÂâëч1ÙN!ØÄto¶NZGiýmÞ8¬¥åíãL+!m¢¢4\>4Ÿ™á0ìÒn¦Ñx«´jät9»I)y‘.§oRP¿)•Žù$Ë8<¹šNÇñV£qN¯fçu(Ø? ý°qÞ¿¾ì5Â8†Ûî‡z‚ –ÆjŒ¸#;åTtcíù“ËXs‹òP5€7ˆoÎÎÊå³wg«oÈ9~‹©„ËS`—³\ª.Ƥ»µdà³±ùà 5ÿŠÝì®æf‡æÏVí!À œïñ-’©µ]¸Än>RÏ1B}7º˜^#òxŽö*rÔÚ£^É·‡¢îF2ëÆR—m4ŠÀ•.)-Ïl4À@÷0Šq0¡ü~L‹ö ch6Ôè9Z¢ Öš,¼¸Å˜¦eŠñ4¾îïTVù¡RâœPð‚*¥ö!¬êþ>¼‘§JéàGtˆ;‚WòT)5_ý?á¿•’±ó>ÃßÄZáWÿúýg\l¼§…W4ÂGõ úl°NìúL¼BFä·¤ŒÖ¥çQ>ïl•X°Áôë šø=d³*&6Yt[«­ïüUb¨%Ú‰妿Ûu jjL.ÓKdÖ_‹“!œž‡•¥/¥r~ÿFQM$¿ô ðgt˜ Tê,Ù¿“ÙˆlÝmǾiýluü&A ®ð÷JâÚ`Ö3 TÔß™¥9´ÁùŽ#ð²3#‰lÉëI´WÛq£Þ¨5.áï/Àµ6VV†Ó„ÇÕ†ZYil·oðöë|Öy’Âc¶¸mŠT?¦74Šr`ô6½÷rc<|Ì’V3R¥•Rœv[ò£Œ•ýÙ é~¨ò£\ÒŽ /j§¯ÉÕ ± Er»5Íë #–ìŸ a£šÝÁîcë\ÒáÓåzaê=ŠíQ¨l$ºÝ7™k§Je_BÁ`àßzZÄœÍy])‘Û³a˜*ïVÑÊy××j·µï Û)ØÍ–ßiX“àC˜ LXšd›Až(ìYÀœ÷K¢D9°èý‚°ÆaÏÃL-ýj¹Þ`=ObÚfûd].ÐVï xA8†(ò²ÀZ°AY ý^°.V±ªâŸk¦š ÷ÂÐPæì‘»®)y¹”TýeÚ2G‹¶L)3°Þ.' a©>DÙ,< (aï£ÖÞ‚õ^ÇÎ!ÆŸ Ö|qÜ:²jâÏEwnªjk‰ºÏSuŸ/Qwßž¢ýEgèðÀªux°h[‡^×n ~.Œùo¼Þ°ï!ç }óvA8&‚µ%‰j½ v¥T}6B¥ ÖLŰ>©¯_-¡{ôèpß…@¯‡p¸ÿ¨{äB W‹Cè}ð¦‘Gh9k\^Ne¡O£h0ºS`Aè“€ÒÉ^ üK ¤õv98Ðpœ…ƒo„ƒaÒOìÅ7 ÖïãAx{Ä•À};½Šì¹Êû¼ dšØ¡ Ô‡;ÿî‡å¡¡…>8ü² ¼?GYêÐú¸(n=ÿ)¤ŒJ/¬}Ð|ÑÞõ0DXÀ¼[|\hÝâi$TŒ'¡Òë]EïÛâØ†å}¾/äëÁ<À׃ûÂÍHð J,µ·\À"f6X¦Ä¢§ µ&xÚ¨*y¹ðn;l?ouO¼Íê¼_”òíþ|pzÒvH_yµ°< µ×>qdøbQ¹@ûÈ–ÚáÏEy§Ôè;KŒšÊ>}’®ýôÉ¢û$- 1¾‚YÄÐmƒ%®S`Y蜥Ó%@³„Ž®‚I8õ&Ø  ó~aúdôÞCé’H€JÅý´ðYÆ@–žÜ’̽:¸0ïûr·³TÊ’1™¯ ÃEÏg]˜Î—…W¨^êË¢ÚþI@«‘°ýzQHQ<Íe¿_FVŸÇöß‹ç7)˜# ähâñø,ÈÅ…–â«ò/©/ËÀˮد?—ö¦·ŽìÏ~½¨Îi6ÊAdÖÛ…¹|”xL˜ÔÁ Z“°K(=Ê…œ)µ8¿EB²ÔŽ´_/ HæçÀK}\t¢¼îYoÆ0¬Ðó”6Êý¾Ž(ÐJÜSÛ1WÓqo-‚‹¯ÒଷËÁA¯ç,|»ìmަ‘—ºM³Ý1·,êä"<:éíSPdaŽQ[œ"§ìõ‡q,.v¿–X¢ëéÃ4¿½œÂKSai}UêËr’‰þ ;–&ÎûûÀò(p@#ßj¡c¶Ì|:úq!m˜bËõëEwxÊ’ŒLÃ:‰%Gì‘*²8d°HKR4˜õa |XÎý²Tï²ÝZ²?9‰?c2ç9¿ÈÂ6hÞîë׎¾XÞž'&õey»ž|xúË=5ö) yŸ—]¢ýzq-w ˆ¼ùBz«ðEІþê®Ö¤ÈýõXw5À%>OŸuWI©ÏÓkeÛ)*õzƒT#EE¾˜þ ÕÞb>SnsN±ÏÓ'¤šSêsô EH%]æsõ sÐa¦Ü—Ð3ÜÕ^ºì}výœÝ¾޾#ƒ$ ÊÜ_ï‘OH¤KÜOÿ‘ùz?=Hf-ï ×V|¤€¦?ÝG/’™þv/ýH höãý¤Y…Ï|ýLJ‰—Sì^²”ìú¥>ÞO¦’³†÷„Ë’”ÜnÞ£‹?s¥rPå¼b ¶TÚ?AËöUüSÁbg¿ªmãù¤Á½Öóæéþ %©jª‹Ùˆö" c „Ù‘0)°8{¹›§¥“¼b}ïó¹ß{Ï.üä•sj ßþ_þâíŸPØxôä?[Ý,Y¿+¥OØLPL7HñPcÎÿ%É¿$<ùÃ×§^à|‘÷&’¿Ïåï>~;<À§C¯ ´»?’ß\ð”瀯]*÷ڇÛ”¼$x*v$‚Ícú;øÀcÖ?ÇŒ¾6ð—Ýfàawÿ£ëè%çA:)Ìù¬½ æa/€;À8æñË”µÔ¾¦šm /3–즠mBÎ/çJ­òŠŒÃ^ÞëëAÞ[–I˜æ3B쬱†Ž­/î1Ú¥íŠö·¸eÛG¸ã;RDL\iSSøU$­À]˜/_°¶ˆ#À G†›/‡Â‘DÙw…ìJÎ7Ã^PïrÞ¤}¼ì5.68À°´Êü3¥ÆŒì"¹jYj×(á—­CAÉcÑí ŸÜ‹_¸Wž)b}‹ @R¶Ñ3¹»XKÞØâãv}Q1²æïþ¢/‰P³øÈ×yòµâ]›cZšåî^yS$ÈÛÅò~.ã=o7›Ñeèì®–·YzsÎv’ÏYZ,»­œ¢©2ñœf4%bÒ8Pd³³w|ðÓ1øT.ó‹3´ÿ¡çòÙ;úì2{‡¯¡Ô[ )(ôAvUÜábe.jÀ— dx²ÒMÏ_Rp’úÔ/µ²¢d8ÑpÜýxž: â©®­£ÀJ˜µ»»¨»Äí¸µ)pÌZQ{|§F­(ŽÄS›CäXê)Á4i›ëµk–!lI%m¬ó@ª¤#¢Íû–ª›j!G‚ o-ùcòË-’ÃóV5ÜœìÕôïÔ¨s§Â²3A]`‚A»¿Øn"û9ÇÌ!AÀšÍY‰œ×Éø]S¯1YlÙ]÷M¶hŒ"µ$ qÞý¯Eµ@ÌÆÁÂ’É÷,.±+çDÆú߆m¬ f+ˆY…3O’ Üç4Ú#N8¡þ_I2Ç`j‡`µ3pF3L^ ã@×I4»¼2i\)B7t=ºPgПž?b ½–äÙæ¿¿þO÷¥÷Së¸ÛîRbf+m.ü„–ÕaÇ{±ßyæuOŸuO8Q çªßý³$WV剓m ,x-OüúøÞðˆ{WVé/ÌþS·¸¼ú+?}âY¥hM«¿âŸOôÂÐ÷«ý³Ö–¢_IÁ]¶»+€€Çî üóYqðKnˆ\“S2c§‚;RÂ÷LÄG;LqN êoYÈ’†Dý»*WSaEa4©8£™*zK–¸àdÕt²‡ŠIÿ` ›ê€]1(ÌBµuYSùÀ ¼¤6E€Mªr@XSÌT<ï_×.{õqI9k¼œê|±áJZôT¼Î$h8â0z±)hzá*eò²ÄÔÏeõ]j™1†>´]4ŒsiݧvjUŠP(Á¯ñì¼!½´BÑo`–v©`ô)Í{‹À¨®(Ís4  ˆÚAô¸Æ|³¯Óü ÂP¾˜g7ñÔŠÔíÇqx9®©ó€ÓÐSŽ`LX&ܤóð_þdè,†ÝÙ¨ÓUOê›õÇu‡Ô‰jjpŒ$ëþÕ^NFCj‡Ð@gåÝ€úr @ès“Ž·Ÿ£·F³—2ñø;"~ø+jåGHâOâôB¥Á( F½ ·=¬²Î…@ÁØL-ePÇäÇ·fâméß$ðc̨qéãÆÀ쀔Pž  _˜?»Ï9pÇP4T,Ä1ä?èèÍ1_épLiãÓ G®¸U¸0á~Ƹe^FÑ{C;U_23ÎÊA!¬/)kΊ:Œ¦²áL§}}Jô=êà ½ãD9´ÛÌ]‡POÆy zƒÀp cQ~l•‡CÇ„ŽçÁ…Ý…÷”ƒs.žc|dÞ¶AŸÒ$®ÂÐ*õÒªÄäþÈ ¯†ãD×øbšñ Æ-6içÿ ¯·pWp©­„C·É¯&bŸCÁŠ“Oé 'É»mõ £†rÖq x©¢šF­$曵©©ÍÇjó»Ò§$¡¯Öb `T±ß©ý„oh!ë%3²wk³¡¿Wÿô'ìÀð=nFênn‡×ôÏM¾üŽs'¹Õp¥OÊž±º¤[¬a\ ½Î¼N·„iθnµôéî¼lùçvGÝÁ§%Y*\’ö³1§¡Ä 1Í…s/À”Q$fÚ 1n1ë%û€d…se¨—$\ô…n枥¼ïê 7 „¾z+.¥å\XšÆâðÍ“NûHäéþTÎn~WywFªw{ fCûñO˜4uFݪ}÷ÎÉŸ0 þ9#²VÁîïMpÏà˜ù~„Tã‘3óp¨Ük;vC]G3@=pî`=¦·Êç7bÁí²‰¸öÑ‚O] ã!§ÅÔú†dØåº")ôM}1ˆèÊÙÙäŒ}rhÿú=M&žP•g­íC8l¬é(ûg“ó²úTQ±ãò&Û7iyÕ†F™¯}:Žɧs+¶Ý$ö$É náQjçÄÀÒ­ŠúAŸó2›u¨€¹ó qi¢4㞟ê|·X‹šPÉe>wI¬ebe³±3¨Ô×ß~½ú-~Î'6*v5„š­V`ËPR×Ì ¤•ÆC8ÄÛÇ%3ÇŽšó0ëò»¢>^NÀ.=Uùö­®²SùækïëUÑ”ñƒãNùts\ó¢ÿêd¥u¥Ž3žÏ¯¯ jçN/žPœa3¹g«× @é©Kúú§'–äy¦N³§Ìʈ«3_R*ÝUk:ܬ¹÷–eW/@Ùôåkó¤¼äåתÌx‰FµsíÊtß#ëWà,;©£|2Vx¶“S"ó_)]•âÆ/î›2% úö{ùíN£4.]â‡7¿|ývýëF£´+0(!‹ âF%c¹² ß§Š~”¶Fy¶V?ûuóÉ÷gŸÎªuL ¿‰e0Zÿ&|}Ì<¦"ú¶q‰­þÒàÖWáÕ>aó£Ò97¶ug%©ÖR +[Ü«ù=z48‚>ç^<ºO/¸€>3»šPL '¹\~Û@¬uˆåg#¨ø ªdv@ÎÂg¶& Zzûðþ˜¿‹’=¤èJ^{NéVU× c¨õ7ðê-FÌó–ÿÀõ"ŒLᜠ·u0èÇHãát ?n(z¹¡Ê+£$ˆpLÑÕÀô;øßËéÕ|³ù¶ª»·GÛ*TÑ áǃUIÌŒ=Ýaðo·ú•~³ø ¥;ãÑ@g­„*]z//e\ÔÛ‰ dsÁVU¹,uàÁ)€M?Ð}x kÉý4}¢ºUøî ûÁƒð­.ŸÌ§#ú” #lÓ´„y|óÍŽ=A“Yû{çI€ “t-|g7°[TB,ü Ü€þV² «à~>H á%—eM#@÷€&øyDÀî[~IiM>ÎÁñ°Î@ÒJR"f͆~ï fgrë"{Ma¬¨Ÿ(Áпnm:!™*S§ÈÊÑÍkêMR÷ÅY]cI[¹C#v#öðoüão øþI¨YDn g™¾"SW®—7Hm2†EöûÂ^¢|bk‚?{Ñ€²3bÎV”Yèä@²’6‘·-eèÀëFÈ{ pÖ8¹+pÁÐ{h9ë‘P¨TsŠ–0¿çWŒ«%Ê=&R´n€ư>;@}_©·ëÔzÚ¡ÿ*D„ Hñëþ¡÷«ü¼uf¦p Þ\ò+=‘敞Lýâ—­u‚¸µŽ÷Õ ÝÜ¥ÙÆëàEI/Ý|;º?Xþ‘Ë÷8°YWŠ’»9*-bü žJ@܇«Ò²Á®J kÒžæÆ@Ö#dž‘ÛI!ä­Ót2ñG1ÉÁ°}¨ׯP´á¦Ã»R’ü½³€V6fcè÷)ë(Á¡×úQzx/9cÙ`±áËp:›œÏt<‰ÆÁD§#Æ&I¾ÏÌd=ñ>ú³^¼.ÙºÞC“HîjjÇdÔ nÂØô†GF©–?FQÓ•%Ó&ià€Æ·<1¯IwœýiB^7ÆEèjîƒMGsx¬Wþmèf½O¾0ጙ~Elšì‘ µ'i¦üÉħ¤Ý”PE/1\„œ´Wˆáûà:„<Â院\Oj Ã0˜R6c”½ÞÖ•:Ò8™î¦ä @Œ‚kB1Šà4¡DÑ@4é{“`çNH¾Ï™Òß¾q3”¯'ĸE:~ëØ€Á€ö†› qüo,¨s…þËÇ*¦;/J}$€/«1‘~.‹ ÔÙ·&].WΪgkko~Y«¾]¯žUKRêÅÆÔÝ¡|ö¨|VÚÓ¿ÔÙãrc\Ì`Uy„U ¿e¯XYH\ŸD |§Ëö2ôšþŽîX3¦N ,ýqס7Ÿí03Ó›Ï0Y};ç¾ ¯!xTó)¦ ù•³R¹q¹›±›?S‹ò>¢˜+â~ò)Y}¹—J%2sÁ²R[Ï•«/V[/Ó$xkW¥uÃåç šgê_¦T÷ð†ö[ož¿Üß}K9E)´|Ý&LŽfA¢¶êcÑ,œ·ë[ëU*¿µ¿xsk_ª¥±2+¤á)G 0ßÖª2‚ÚV-y½n^Ký-ù 4§Ýcùó嵟wwVá?ð ·$Uãž y¿j•·2.Â[²ý œÅü2=2 ûÔ¯8šMzX<é°IîIšáh<›Æœ-Yé‚qb$ûٿЖJñ\\ì$Lú°MYŒÈ`Eík]'žrJs{NâEí3¶:™=u™5¸_˜5ÑÏaZÈ´¸ö€¬² Ìo.$ú±ó@íuºµxz‹8Ai=0F«Ñ˜VTï¶€9úJŽÅÒþæ#¼LϾy5Zt)wö+x€ÙÖ†úö[=gÎ{©ˆ»D·eoÓM£î¤…*iX.šLmBq‘³_¼º©¾'™{/ÒI{/æåëÝÞ¶A¦²Z{I'ë½<½Lá3¶º¹{R’I ÈqHä¢óΠìŠFý‰½F › Ô7Ve*°x!1ífðrQh£5ppÒ™¹þ§¿%µà_c=a•z!œ7±£ ×lh,&iˆ;•¤Éu*ïpݬÉ\OôNyóËPò?nÇ·äyC}¼¬”¾zWIèõоhÝð¢EÏ×;ê¦fñkÙ>™ÂÐíÕÔG}5ýêä$Å©ÛZýÕGÛÏQ0Šj²‹>m%¦I0qi¦v~Á§Ûl@ìOúa0›NÓþ+`Ó¸\zW>ñK†–7´h pÚÈl˜H ³âd7§Fˆ5VÖ$3õ·ˆò×Ï>òŸ³u¥e¬„ƒ>™É´ÙG =k꣮'*D²çüöã[¢Õ€¯à©ÐÍVs §AÚŽnvms¤­Úu} Ь+Ša4K‚Pü7W*æÉÂXX"“|ÛIl¬E8á©2 ©Õ”µQѼ݌'êµõ~KU^#Ûõæ—Æ[`½ô€ÿ[o¬¯VÔÙGèúW95 àÙ ØEæ‚8«Ò׺­Ò6%û{%³¬_¬.Ÿ5άNÃójãWÂÉÀ¢‘`‘žÿ‰>á¨2Vâþ××.¾ àê] I±]òŸ•wL šŒ¿(°Ý–Bf%Þ˜W—®^,VGnv )Ž{°^•àų YJN46ÕPw½SwÞê覸‘Èø×…ÐHÝ4’¾Dcȳ:^¦o?~¤!  g¹^/3Ϭkֲꀮ‹¤,ݽlƒRÁj·ñælvýc£^ÿx è¹!=HNe ,Ñr¹ºä”zÈýš×J#9ŽøDÇmŸÏc§(Õ_÷õ·ô{wÜ¥šO”v]û“>²k@,…ç!p±·[¥T7Ü~Ige³¬jíÎlE–þDH:2£)ÂÞuMkŠq²ù å]Þ èbzÈVQOmēݒGêJS“‚ˆ¶ÒíK×Ý™ÙÎëÿ-ê‡Ì€^Ydˆ0™ ZÍ™ËÜžÜ5;nÝù“Ô°:iï «”[1Õ•"¾â9žî:¦OHïLö!p³ûû\Cèdw¡¦Ú1¥õlÚßòFï”O¸«ƒ÷ÚÇÞÑΪ<˜ÞÈï9½á–ܶ“×¶†•´}CxcÐŒö{Ÿœ©D×@Æfþ9z"ôý©)¨`i6\¸d˜JæÇÏÛ¯Z[ZÔ{ü &YGØG³²àZÝ>Ylú¨þô!+%¸ÖÞÙV©·qŒvJBÔè;•RÃ*Ä;¼Vþ‰‚¿¿á'TÕ5Æø#ê™çpt™ƒ¨‡îbú'šþÒs… {Ú”E–~ÆF v'Îʆ¬¦£LN7ëVÏx13ã¹ b¼¢LG×?®ë~â£î&>'½Ä_ÒIºÜ¦£_5Û‡/¶ÒÝ…H[¥_ŽÐ·A­fõ…HXÞ_ò£íOwH£æ £rv²0ñ·fz¿]•§o/åÏ5¼§ýZÏû·«ò¤?$‹ðíªyÖeM¾]åyÞE¿ZûÄ_ß^V JLô–‡ÂjtŠñNphEí¨wõ º.Y}öZ¬\ÕÃðòŠäpdÚïÃ5fÒ¾X°&øZ\¢¡²ìíDá¨×9 þºüRÈñ f™ô#µ|iUwäþ"Ç­)Ð7~í_ÍÚÿxoõÃÃÚŸß®ÿ­ñõy)þø·ó·«Fèã6Œ·+f_ôû6ïêÿ6STpoª¸¼5ÅÅF€ ñ³ù”\{ü9ùí4fI~;PÒÅÜw¦¨;BýËä±ßd̵ߚâr-r)ùa>ʽÅå\Í9Å¥²–÷môK»é¬œ0‚ùbl4 Ðb³¬ÙÎú5^i÷f[K%GÍîöjÂÛà_qcG³DŸ^i¤Ü>Iç¡dùݶ%"çÚâŽÕ¸Hú½µ¾ƒ5Çžß¿r[¸ï“h¿}@8Á5Ùˆnð*ÐîžêìÕU ê‰27sy a ²|€Vl Ï&í¤ÀÂwÔÒ3¼ã`>Ùº2%I±i\ê ш"vqÖ Å·)´\B³ZŸx×¢'LJˆäsÂßÝiÓ6÷<0ºõ2C“³VFÞ."PÔÊ®dëY)ɉô ýr(RæìÛC•,ºûÆD¬•¸[~¶dKKPûá…³9mýP`̸”¤4Ù91ìËÞ•?º,>……µÄÔ2ùLï(ymoªd(Ö@ÏJ_}Þä‘ÔÖtä÷ØK­z-Ýcè/lûh8F¦?™ˆJ̪u¹þŠõ’ç=r¹cM/¾Š§þp dËl4E{?è¾åZ9pŒ©ã§,Ož´ƒ÷£ºaØfY®ù–èš÷ tS5òº9Eæ‚XD › àÿ“Ý­cí*½ú%qµÞÚ­.«‚› 7s´5&Bƺ£ á-Kw¾O]Ù‘íF=×—Ró`¯u䟶ø^*“+è¯tŸuxžš³i„gOq° ؼԕÄé›DÅ€|6È«Ñ1pÚËy…Ä“ŒJŒ4k%ÇÿVÅþE@f&äöÍÚÙK€ Ž8ѦT ¿`—ÈiWÝ1• ³ÊÕUܤ­‡±¶p`Ø‚.m€¢¦^ôôÀ™’ùÁs1TGÕêl̦9ØM:ôÑ…QƳrxa|Ò†Fý[ PÙµUGsi’‡aqqVÉùq*>þˆÖ†È¯K£ÕÖÆT‘|åûË÷™óQ'¾õØêcáüêÚõpT¡õ”êdç#Š^ q|hŒ¡4Coü²R_¿´Õã¾,u}}ãõñK¼i¨O¯çTpíŒýÉ4G©8¼È\?øjá›')œwé¸_‹*.rÕP?ÿ¿ª6tHOmpå*ñ[vK·G÷`ï½öñ†‚;Ê“*@_Æd,õ ‚0ñv$zO·W¥.glÂaÇ_ø•ÚQ dªÿ»‡ûŸpÒ\ˆX0g$V÷ Öû; [%óÁÓ`3À9RZèõ­zð¨ÂÍ(â[¢­|ÈÛ!¸¥ëKZî ¶Ä© «k<æªØP…Â¥hÁò ë}ˆ;FÌ{í͠˜U†òÁb´ ¬?d‡( °q)D˜FP¸ w.;‰[7¬‘#ª)bòrÑveÂ]+ãÏ ÝÞ¿ØÓªVÍ„áéÒM¢!wòýTaKãdj „G:¹ºÎL_ÑRZöC…ì5»¶ŽBB7„yzˆµ‰²ì¹‡5V ‹ïlh¾ÙD®ÍÄ’wYKÌ5•XÚNâÿãFbÁFzÐdQá)k-!šcc'w'h‹; n°¢ú³áð¶B.Œ9åˆQ“?šx¶D]¬å>;¾ƒY*ÆYݱ@#Ñç¼gEAÎäâ`§‹K6Yý••}⯹¥¼z| ÎÊ«Rä s—2Gqa2eÊÚnJBpc¸mõÃv•¯Õ*…3+­XÖ}&/i`€˜aG­éðkU¥#®A½}^uílj’¹Ч¦Þ­á:áÀ©Ìø¨ªî‘¢“³ùÏw~ç°sÒÚ%>h–ݱ'ª}ø„çH¼ÆÓ-C¦¨!ªÇì¨v4‰>  ;“d¨«ê+‰ÚX3–ñlL«Ñ3 $& »'á(`ô‹h;0ßô_áå{ +7ÔæŸÿü”üà¢ñí„TXkÀ›=z¸ùD=ŸÀìFÓkÜÏѧ€Bm¨ö¨gÜq X0–‚Û(¬µMy9fÓø–½YGQ‰ý$´Ña€]£Ÿ×hz»Ítøäß æAëx÷eóð¤ù¬½ß>ùyŠçí“ÃV·«žwŽUS5OÚ»§ûÍcutz|Ôé¶hº^žšeÌvñ6šQ$XÕÍ ÏQz[NJY«¨^ û,¼"ŠYõ“a¬™(„ÏÛk Žf烰Íõ‚†vnßÄWD7s´±ÂÙÜú^IæeØùЄ´" 7`ØäÌ;ÅžOäÄWÑ—M¡é€© «‚1ð)Z”˜Z7½`Ìñð£;z¾GÖ´$ÛøŒ"˜¡7ååÄâ‚È64÷)s mtqÍ­•Ø ‰Gok}á'À“yiØ} ÎÓäS  m\>AdEæOu·x"R› T_››_Ec ´K­!¿˜±0ÏOûäeçôD5FÆ1lÆŸ· ¥J‘æ€z Q¾ ûz•ï³}á~¤§Væm3’ Ž¿Lýpó†ÉKbø€ª B6ÁCx÷öÅhaäÁ*²òÁá9Uh²§sƒŽø_®¦ÓñV£q}}]¿ÍêÑä²1`qã‡:Åì;у96Sÿò2è¤êóÍ%h‹ÙLj’@ë%ÿ ”BÍx§‚ÁZ+Œ¯ ZÖañhFt`\7ìíp6âÐj[êlõW¸7º?w½ýö³ãæñÏjüwÊÿKyVVV»>Š`ÏâüöŠ´U“€ÕRè Ì»¯>|B— @þZ"¯!“Å}Õù)'Á‡Ðþªs#,…añ iÅÈ™B"õsCDþ¬*Ǽ”Ú¤¤‚sAQ"‡,(N fp(y¹ÓÐux ´^ÂèëìÜ£Ÿòû€èmˆÆÄ:øä4B±}öÇWž¼2½°_’?>A" «!:™£dL²£ Í•ÐåoSƒ¾Õ(U¨®fûu]ò[˜€Æ “³c¯+Ã"®köw¾Œîlú$1ê%‰ÌŠé<ˆŠA|>bêR£\è¦4¿Æƒ— cSe|Ð'LZ’ÔoÊR“ë\=•~„`¸¯44"t-üá5âÃvHžKvÿË%"ý9Š5·uÞ^ÈúÁä•ÞϦCk©åLŽ1¥ÓÙ2„«®cRžÜÖGmès X„1žOåˆ0TiýGS"áÒ¬EApÖ6«†æF¯s ýê¥×Ї²‰Ð¼ œíëF£Ìý# ™ÓAŠ}´c`fê>Ⱥ·Ž[,- &uÎëkŠ@å)aq‰Z` ?7…Ÿ'…Ÿu÷jxк5m<á0‰Ç¡ÞáU:<°Ï&p!«)(¬™°Ûï¡Û˜†ªàƒÁ,Z€îÜ„ÃÙPß0å , âÁ ·íÁGÄsæépÞ" Ø&U­¢É¤•«õ"˜›)Yjò#Ök‘Ê‚÷u±jpPUþ‹õÑv '2•Æè œN¹Žéè‘LOXy:›ŒØû–cOèHxœ1'•Ö zL]ˆ«pu˜ÌÜ£+Ї²|4…Û‹Ï oV¨{F‡‹"Ðú°Ç§‘G‡´¬0§;’@7ý¾0ÁD<ß»Bó4 ,!ÿ°Î{Ùº’y…ï#[<Æí%)ˆ¨® rQ‡7ÚÅ8"tp~f³¹ êBw6Š•FŒoôPIu;âxb˜")«œnpö´»úÁ¥=Ï®Ò™ÖÆ~8ɼ“cíÎYpJß³ŒT1U–D† ¨A?èßÙ?+Ür]µ*Ú¶ÐoI ûzÉN)gµa¿&XÂånHÌ4ٓ˨¢è Ÿ­Ô³Éézæ­îÚrJd¤sˆ-'h9—ûž&.‹‚®äÒO¼[ãà3NŽ)«Ésê¾1,€¯ÎÃrvxꨲKÏš!ûµ3Ç"ÄHtED˳Ö$·ðÉ:®8)¤mà¿òT08EAcd ÆrÅÊÃx\"|’ÈÐ] ·ôAóE{×Û=vÆ<%5‹§lx×¢8"À":$üñW+o/ ùIpüQx’5’_¸iý¨¸ó†¦ GÌ("ÏÈ¥I°v_í½j?ç÷úÎ㾑8º§:]üµÎÈÔƒü°A³Ñ¤â#‚/È)Äà'gf úxK¨e¤¶æ>§ aÊBærà! úý†Ìò‚#så÷®jÞlaNÇÌ_GÏ[1¤§OÊt@µù°þ¤®3(&pŸ>!&ʺr³Œœl<â„ø¯%8Ñbl½zLì—•«Qh2ó[šDùé+ŸÍ©nDÜ'[î2ð Q¨©˜¼|_Ô^Þ é©S(¢=Mè€q ¡ÌŠˆÓõ)½ž`(‹‰‰ÛÈ!8Q¬QW¦Lž¢X°>'C#õªø3'O3¬4…f‚”õÝÁò\Ìeë£i]©)`¾Ñ\DÖ8FÒhÿ*±ž+-êBé ’_xøkgÕþ•³C[âÔpô=þz ^ëTï;«Ö©šNšx”¬Y?) ®¦¼“ûEǜ̂¤úþ¤_C/-kóµƒUþj5 cÆžôÐn.óQBý©Èv 4] ¼,u'G'_)Ö žs¦©ô¹Ô¦ÏÉ`‰ìÝÅà¬s€Ör°#‰]ø„a0G§R4J‡PQ$}C<ƒt{ԇ̓VNêPÝ×Ôëä$ãdÚ— ”ÝÐæöèÎ1Ml|¨óìm¥$eD9rL†aL›—ŒEõ¬'MEðK”hF0›â”ÚÉý’ÃûKr”TKYL”Ë9e¸¦"ø†Uº£…n+ŸÓÊpƒœ!ÈvÆkzƒ: -k(˜ºWP æw‰u‰eëUyCŠØ{Êá­cº^LüK ×Â^:’’Uh¡ì*ºÕí̳vsd`ë ‹“’:ÈBdfÖ60¹Kñƒè'²ïdÞ#¬Îbù³\ Z/Ì´¨)ÎÜ„žÉHæÇ²9Ú«¤¹y©Yø9„= r4\d.ÒŸ‘XÇ&ã'ºÕîV~åu §˜½ˆýp­#ÄLFÁW/ñKOÞõ ¿Î© Ed"q$ ›R`è]>,Ö}!Cر¿tQ˜å5béÒv-bGBz' k§X6ý¢ä|1o5î,®9Ëi-Øû¬ÑØß³dU"Þâ<ž$ :Ô±2,Seë·üÓþVˆw¸Cù2¨tÚP3vû¥(2€´Ÿù—$ê"ìY’‘ëèBL™ÄdùŽÖj땜É=X·,ÚµeAÄ¢>º¸P’;Z]ãÇæ)¥TFiÍÎM;M‘œaåÊ‘=qm©£±™‘`%_t~CcÞc²ºc? ð÷f4bÞeÏI½t=Èw=È b> —üÕÔ©Í)3ªäÁ.îdröPÿf†‡ÃÙ`ê‚hn‘R­GüV-ÒÚ´¿–ì”ÚCžI·¯7FüÚ çNô]ªl&¬a“8ihåm~;ý0f3»¶0Ùš¦7¤§ )©K¶n[}îÑö”9•zizn™Ü•ãþ :nªd× 3’ •ÿ1· ¤ÞÕ½-ëÊ œpÏõ¢dç¬NÈÿæíÃÝ‹ÆbóL{ŸU™ÔóS¨;¨Ãùb€ÏA_E,iaÒã vs¾:áæYQ¶Y¢l€áÔn-¹´âÜÌÊùIsÊE˜<ÓVƒ;Ø;'Y³SÈz?·UsU1œÃXèC6J™NZ™¡©yëwNŽh»Hªƒ ꄵ¢í‡W ôV»6ñ3šyVLY¿µºÉ²Ë3؈—v[Ò~ÎMO5ò0… œ÷Ám62ì‘1D¶ºärÀfÞ&0£„?C™G#eW…Ä4W‡˜‰I,M޳Ŭ­©ïæXH(yþœÂ…_óÌ R®MÈ€‹‘͹¯-b‚$1m=Ó¸±šÉmÜ|Õ @`"Ê·˜ùÆÇؽöqJ#×}¦m„‚›ijšÌ¬b ôq¡9¶6 µϯÕEF{›Ã/~¿¾è¬4ÖMÖXþ,”±¬cô–7Â:KF€ÆÏÙ%N¤ºý“‚©3Wè#)Q(˃°´±Q@õ3SâéÆ2sc¾OELÚÇqÓ^)šœ4^`†áh{ûVgäMq'º/u#ó«ŸšÇ;Ø™/ДX-ÿ}^Ÿ ôÓ6r®Y}a§LqñvÂè0”cÃ1뀱މ…=CT/IzCû|š–­˜wÖ nÊú!¤2Pˆ±#¯$ÃÔ=ÚèD®d…Ô(nSÄ<±óÓFAZCxnóÄdZ§]©¬Ãb‘©Ds£ÀGŒ6PFï¾É[«”h©P5¯’kÿ6Ö„Ÿ”Ú7ïužŸ$õé6 •)¿m}æ=uZßr”ÊçÊy87^Úbž=fÞÓmŠ,Ç51#Í8ï2MÐ"ðI6u£™|1Cw€¥Þ9$‹Ii ‚>ŒF‚°¦WÖ,cŲ%Æòy¬ °¤{Ö‹9± ÌƺY–¦€Úo–ÐòŠÑ‘«Ùͪu…5´@1p¸vÉü”œjû‹…Gê…ÞtZBIº_#âëpÃÓ•dæNõÂâ,!@Ž]– õ‘…wr$C¶†ã„¢b 4FB]’¸ rèÅ!²V§ rºEI-ÆÂ„˜]`½¢Íqß »º©çTˆARFÂD8ÙŒ´k”Ãy‰…í8›ìž;Å–¼0ÿ£¶£oîe¬èÅ­ËöôªÈ»JÊ×˱Æ~z¸{Òîváöl·öÈqC ž·°0Šw<ôX°JØ nØvóÙ~‹Ì¤¡Píî¨eÔµÂØ¨EL +ëlyd×éYĦÕƒK²Ç™à§¾õ“E ÐtGa笴(líK‰Ç>ðÖg+Mô6+Ãíûf þóv«\ZÑ1ÌÙ<˜¾áõü¶lÜ]`ïÐf'fL ál@ Áá|Y0PêˆÀ½ÝÚz›[oñ¿¹@êÑ]ÝcH= ] Rõæb½JÍ×u% =-ˆ5âRî>Z«–~M¢ºß¬>ÒaOnLzîg+yEqAV7wÎÊïVÑh_AÅŠìÈ1 GC¡ã2Ä«›gå4œ›­õ<@XXÍ–´¾U é, Šý¬ëP«Ñ¨è€!ØsF&U¶êëYc]_rʲ(†Ê'«ïúƒ[ôzžö AÇ«÷ᘢeŒ, ÈÖL ö&À·Ô´²—ö!ÙäôØóðÞ§ÐQëåòv:©JòÝôTÅðÿž8ùÝëùp&øgU™ŒŠÜÛz=SÄüë7¿~/?ªgµuç7ü¢øTÙ|"âÀ¬Tzìs;²$e=¼²^šrü ,÷7ßl«ø›_,g‘Ú7ß”ßɺè;áN\n]<™â]“é‡7e¿ðrVà+L1U0Ö IV)° PU€Â‡q;癑€«Y¾p˜³«’©ˆ£_,ûkk¿ìÝÎþ~k÷ÄC~»«‚чpHEª/Š »’Z@|Rá²Íçì‚ü@ãaô>Hw"ô¯wÐ3ÛŸòÍv¾a~¦yÝ÷˜ UOd* D‰9Pøì领ñG¦HO: dì0’Jœpbö†ùQ{qt¤.ƒ)»S3Íq¡*±yÂ0¼·»ÇýçtÒöŸ×(@ûQÀÑ 1Z$ÖDSXJ Ck©¬n¦d:°Nœl*;¸Õž 1C@ôOÀu‚2ê›L=÷E Ì 0»Ã¡t®¯n‰;nƒvÌbƒP£¿JäÊê?1&ÏRÙÝi:ÆÝÇjM‡öÓß´×;{þ?¸_á12$„©%q(ƹ¬˜•ú#ž‰ÞÌ•zpc – ê£2K“k'Ír ·Ôîë×K++=©ôù K‚4Gi©[úòŠK y)奮´¤ÓÅo«Ä4ƒú­™©•ÿÊ̹ù" M ý·Vjêv~Åfq[¬r³p%¿¬‚³°™ßAÉ™žúßCÑiÆû»);Ó-þá Ï»n唞m Åç­ÿvÊOjzahzw~¦Tƒû¡Ù¦¿Œ2Ô…û¿W!š³’¿¯RTwà‹bô÷íÏ¿±rtþDýŽ Òùù㔤Eýú·S”¦ò{*KÓèé÷P˜­ÛTšz/üe§¦ó¿­ò4·™ÏQ fHŸßZ‰zGƒŸ¡H5sóÅ”©)^ø7P¨ÚòTª&úU¬R7P®r¹¬‚Õ®ï*Y=Gö¿EѪ{•V¶¦¥w‰ö?¢½“ÌØúMŽ’»iÕI0¦vÔCk¦ó~P…eÐE%‰¼ê¤.K%‡â`6âÕûaHˆI•2ˆ.74Y;–!Nåü60ä“âxå J£E⢘¬WÌ4€ N‘ϘÎF°G·$ït%Ô!FêÛP&®(Va}.ªߣcùÁ¬8©Á70Ƚ۱kÌ…NúM¡yÊ(8ó6ö@H Ñ oQ¶Óì@©“ºœ'0 ‡§Üú&~éT€ýìaZS¦¢Xxš™ÄÀûS £IZZ»¯M‚*»àN¶°9IÖ_ÑZDC¢Æ0¥™Nø5¶ì0qž'é­‰ ÈÔA¢ )¯ËÆ‚J`ÎG­Á rÖà agKÞpZîæ‰Qa"°bDñÓ²"8œ›«¨¥“ɾWµ¥a§éþ.  ¯8Xmjk«Pœ¢ÏÂ…ÏÛðÉúNã4ƵD|ûí Ò(¾`œq㯉ª+¼dáôí¨M±4 ×DaÐÔ'狎/1vª}QñæžÌ$´‹âq˜îZ)~Hå (ŠZ©ú â.àM°â®*¾)^R Ký<¦¬§0Û¤¥ìð‹“óñ¹¯ÕPº {¦ÆÂÙÅA¢[Nç)q® Ž»ÞhæH;K²i É-?8½]0íî$ø@ª6É_J©<Ì:êÂåTT°M.“TNôeêÆ\¶š*Š×oÒ°`ú!Ñ/[ó¢>:Óäþt~‰âÊze='æI?È_þSMuœªp:Q0[ÙYOõ.ý"õ~fúè±XÏÉ£yrAí‹Ýɯd2äÝt IºüÑì»äÑ<éù›ž;¹´(]Ìþ°ž“Gó”‚ÄÀÏéGó¤ä/ÿIwSj»p¥áìë9y4Oú!gÆ Îkªœ©—·ïu~›N Ïé£H[Ž•FåLþU*Ëò;•µ€ÐÔ ßkùA•UE WÊŽý‰XPp¢{f¨ÄÀ)YŒ–1¢Ì‰Ä%N‚ °¶z„ÂÜ)n,]AR”Þ̬Ä*ÿušúìÙI’pç Æ²™j5[¢Ìsq„Z@سtÝZY S7°… ÚÓ0 ›Ó±ésæ¿èv@^ œÊµ?A6h¸ N"¨ç%‰‰(¢ðËɧZMòIñED—­¨‹/–rqŸæÌ&žÑhLÙ(Æ×ýwÉEÃÂiµ¥V¥£h“$ó|#àq¢o¶œô’J`oCd5@qè[4À±'/‰Ž>:YÁ3€›(ñS ŽbXØäkâ›°»€P_Ãt( ·˜k,†M¿³³cšg~\I%µFÓ¡aTË©‡wfzøœ)-]Ï|zZ²’K”ugóòJX™wê%Î|n*àÁ¬WeÅ<ŽÀ³£rÒ%ïÔUNVä<—„]Ô鿉dã•øã/gu²ûø‘²d UC¹^/sr5¼Ú“°WÉœ hÙÁ™îe” V»7¿`³ëõúÇËmx!=0¨* –ñV¹\]rJ8ÉZÞ×¼V v3)Ãs20S]ØW¥T"gýÞw‰Ùidt®1†®ŽÂÂéíV)Õ¼œ×²YäDð\Àfaƒ,GWËD╺Á—L?˜ßIòêÜÐÅÜ<×z`<=´eðþþë–Þ|øô¿6?yüôÉ“Gmþ¾{ô§ÿRÿõïôï!ÿ3ÿMþ9ÙËzUÌiöçÚ#XÔ7Ã6{éO9i°üEÑD³¤¡;]ª~‡õÿ¬^׃`:­½Žäúp²ƒhLNh;ên7Ô~ý(öaó{Õþàc¼Ö°ïâ÷!‰»O^¶»ê yÒ:n7÷<w~jïµöT³ ?7ØÝ¥ù¬ÛÙ?=iíÿ¬;&õ”j½>:nu1ÉŠê«öÁÑ~»µWW” ê´ÛBxÍõsçôXu^ªãv÷GÎ eEZ”{æç³U&X¡$ks? Ó‚ÙÆÆ³É8ÂLaø óѱ“Ž¢÷`í^ ­'P!ÎIóÐl€†œÎêªt(Õš¨Bû,a+dŒJ„DßöI±'=FÕ‚|´ò-‰I¯}Ô•™VˆT’T«ÆˆA÷Ì 3 àÛû£fæ#å†ÏmétÖr²Cç ò¡IUÛ˜F“ùID÷æ®×>lŸ¬]ö6£m`Ž­x«Ñ¸ˆ³ó:°‹ðÃÐçýëË^æˆÿ*ÁúI"À’­6D¡Ì£-õæaíÏo¼©¿M=”°9­y9ÞÝkC»ÿð†ƒ^½Wµ¾4w;~~3|ò–¿4;‡íÝæ¾wÒ<~Ñ:Áw°+[ÿ½ö¨þt³Zz±ëu[':qd©y@ãòš§'ƒæ­µ7¨ï/G0“ñ˜Õž{5Ñ¿¿µ;ð²ÕÜ@kodaÏׯ°Ôô¯}xÿk{½ ‹Q®éÜŽÉè—ô©Zºpð^xè\áux øóõkó©Ù5¯Û‡Ý“æþ~iÿ„×è–̱ ;ôΣNiž1oeÑí2¹¤etèÊZ8(°Ð3-2IûL@T´ë•>Œ¦p£¶/(ù:m1v\c­ã_ƒ3 o¢O«ÇŽt”IaèQIá*î{c纑dͳC‡&|‘ˆ:µ1 PdœLÁI¨bL–/{^|GvÊäN¿¡7úc¥\s¬ˆ„Sܽ±D‚§bIã3ËãÌøîêè0w´"szäÈ˃BÔè4W[­K^™p£¨¶«]˜¤‰±•ƒ•…ñ—=öð"î _ŒkD΄b] (íp&ZÒ“±&Y¾ ™?Û2dÞV}}Ê[jGmÁtl)‹‹²&qõWóã“ÓÝrÉð£"RDÇȲícz5ûëµõÚÕxv\’yoº€=ØBšq‹VÄéƒþ—î‹tåA«Û?¿ôãaâ|+I¦ó·N:{-É G% óÊixŠÍ¶&A]—äÁ¶ÅŒ¸ÜâåóRÏuúER¦ãWœO2!ë5 yaª:wûõAkK„:²ùù(¢D]Ð&gwPn^X`­aWNbPöƒIÔî•ÌâX¦(üž™‹«» ðÇšù¸F ±¡Ê£ÿ[®šÑ¤À|Úrˆ[HFW¸{:q9ñþÜ>~4©!½Õß|øAžãÓ2`FÑÕ43 (늬ßSGé Ê_•˜–¦³¶ä-Þ0ǵéÍã?×Ö?â3=ÎFä½]³¼Å {üB=Lùˆ¯;žúâ W†NcUw®þ^å;½…qé+LjÚÅàBg"_·s<ÿèŽÊ©c<0Ãë Ø7 Ôk½>9n¾­Ò­w­ óµé¦ ˆ7P _€>¢DA‡/ÖÞ$ûˆ íœü|Ôz»¡ÞG†ñù5Y>"]{¼­¾E@'/á¦íj?-`³ <Þ]¸_¶v¤8ƒ !¿Û£dL0¼»û–çPÃz·º»«jÔ£¾Ý™?°²•¸ñˉ`K5cIÎm8ÞÁŠ W˜¤a"Ûæ!ÑêJ˜Ù ¨ÕðÆ­^„)¢Òµµ H–Ýÿ’T΀¡1ÀKG¦4˜ú!½xU·jë®^‡£Ç¬÷Yµ²ŒBæ(üÓ}Øz,o«*»ÐÏb0µ¡?yK•·4•â¦åÁ™6r‘ï˜w‹üö'eN&ëeÀpƶGv l)žL3åf>g~„ÿŒÐŒ€N²W HYèÖ=lúSZb¡ÿÉä´Ž;@ŒIê®6׎Uf÷ßSîÛjÞ•dÝêm©à”Õ(ËH Œz2ÍÝ¢iÎÖ°çÚøêÚÅÈ%ª'aá9õ©ÿ[Ì1·éQ›ä1Õû”ÕªçLt)Eb©7'½ÿì5(Äs8¿=$„oy6ï\«†µÎ(¤‚¬¥‡æ x¡¿D½)šEÔðJišDg³ÂöZÏ!Y{—ÃaÇ“•ª»Ûþãg@Æ›é^½Ù›ßŸ:t w~zãÁ,Æÿéy)º LA¼tâ8¼|„Œ¢áÒö<ðaŸRþŒ6„éº1kJ0àpöâ]p¡Ï›§ÐnèS¼{â€ÿí]Á]öÒ;ií7O`&0‹ìþ~kصã±{L–“± {lŸg$½³Að4zûd<Xg7µ´Y˜‹œ³L;È)ìvŽÚûÀRžìw‹[™q–g}×´xrAJÓ&-L]ϲ\<­Ä·c¢ç85k°ô °‘ßݤfšj:Aî¦Ïü“Í–™høUûðñ#ïÈ´ŸÅ9½Ð§.<”&ÁÃØj„ÆÞåDW˜ôh<Þo„=ଥ§À;êtÛ¯CïvNw‰Ž¡¤ÆøÖÔ¥ÉË Âê¼zÓõÃÅ Áí++§»¦Öƒé³î^ÕôñÀL¦jµ¡Fx@³“ yÓ¤'ìôÅ»cà¶Oö`“îÛ¸_'g¶Gì¼´MƒSáÁÙ‚)dž´É‘*^%»CÛ»½– M}OG!‰´Ö^UyÇ(Õ …F`9X7»»í¶ZkV1eŒõ‹]ew@¢ÆÈ³#Þs‡˜ìvkNÂ.8^¾×%Ý P†¦‰nÛGÚùf¼°²Ä‡#ÔU¨÷Áíu4é³k¸ÐèåU~(—R/ÔªMP—I¼äµQÙ‘M•K%Þ;0Äö³îgRò§ÆˆÆ±L®X_#£çÐ/H˜âËì…‹_tÚ%œa'­d¦,b H°†A& 'äÐEd@B'KÌ&¼i‰ ƨPÒ-J_9Ð ¨däO§ÍÉü £‘ÈVbI^%K#Á©ÏE ½í‡7È(Òã¨?‰Â¾þÙ»½Ô¡õý‰ýkâ_»=¸Åg8$VÏcãÊßÏÌñìfsSÿ 'ܲ]û½®^»ͤ<é*ë,,_#¿7HS«uô‚°Æú1ްþ±Åg$$C‚ñó¾¾Πux‚šÄi›¹´Í›cq]Ô¢/ã2Ë«c¡c]%»‡Wó(s§|Îö^-$5“(eÙ}LEPJ‘ž¨/\+›„6/D0^·!JŒf¹š+ø€Ä¹¢¨sMvý†Þþ”ÄeC9G½\È×òÆFõŽ ,»ªšß’¿’6W¹¢ÚäL›•F¨Ùh€†ÌéEºß˵uÏøö 3™+Àsf¸}Ømïµ°?9"'äJYNÂ,âÞ`pPkÓµÏ*J4ü. Ñ2 .)ϸˆg¬ž`‹tÆñägïEë¤uø“¸»ùDì›WHµ^Ó`ôH= ¿ôôðtŸÙã£À›ÞêÎàfë_Înÿô®í¦Y)ž#}_µÏœÖd!Ÿ­1 F†eaWi>ù°ÌÖ¾ß~ù,²Ù´ºÛ*A¹‰^¸µ"vÑûÀ|ñX´‰!K«¿Ó„áx à/ƒ¨îß¹~Ѓû•fȫŸ!û×F1F»LOýòýnÐD6®–2â{YOQõ)-: 3uXSr‚ÖsÀ˜z!F R¢hU.ôª£ß5ºL÷áÆêîµ1Àss_>v7”\ú¼{Qr‘©pTT*Ðòejì5LóÒõ\ºDÉ]Ÿ©Í^º²ƒï’ºI˜Žx6ê‘ÀǰšSCúLýQßÀÀð[ö¾¶$ ÕÄ>šôF,xÇuö'Ñl„ì=úܳPÞi¦ÞÓ×Mã8ªQš*Ä¿…ýƒ‹å­ãi;Ž®ƒÉ¸—¥ñäƒÇ¯mÒ€õê9¤Ç"„ÇŠêÊ6ïÎF»»é0éz޵þ3x¬£Vmôe‘(¦K×èÁ™Ó!9›—0žà|ÆöÓhz‘ê«æ!bo¶çíýÖÛÜË–$3pXòBÇI( +P¤B¶„‰Æî?¯Üc$ŽOð¿‡{ÍýÎa+ÓÙÀEËŽ{ù K©%rWhEu8¼ê‘´W,nºŒµÀµDøÊîÔ^h,ACÌ•áZëÉEíE…†NŽÖššµ7o7Þàvƈ 02ý5Õ ]œózQ³¹¢ß !ªŒÝs•* “…í¾"y³@Ù}W¦N,5eã ïØàОýJŒ¢š+Ñî˜0&Õo0*'R©χ3evf.͇ûͦ®ŽU_µöàúoïîO®.o¦7Q=$Ջ碜š2ܹ«¼ðW°gl÷õë»KK™²ÖÎ:K‰”êÍ€íi³“¿^ Í¥ò¼›Á®çÁ E.%ð€Á….Jdµ£±ÀÑ+༣ÉOͱ] Qc;¯%¦M͇)v8Î/âpë°#bâö¹÷¾v1ñ‡AíÚ¼ç¸@l›MÎáÆ=Rç“è}@·´UrÐ¥ÜÇ{Ãï¨yÜE}Ys÷GšêM7€¦¢^±ÙA«.zQÑ~¯¨×û»À†t>ŒÁÁe™Ñ@‚o”„}óã8žã9ºŒ¢1¡wÃa7‹‘Âý¢v­Xã)Üú¦Ù=ðÐ(ßÛ=:òN»§GGã“ÖžlÁ7ųY¯éº’½{7~Õö”%'ÙVZk^“"Ú¢iYÔ{'mì{Óšnà­¸ŒÃaƒ¯õôW6·¢Ä&ø ù¤˜Ì&BÍÐwKüP»H5dË8:c$D¦6xöx+Ýê8¦dq¿â÷áN¼)I™K Ä’¾$™ùB°të hëâ/¸¦,Ô§åT9\Öduñ½•7@9óB àØ|¤™;°4ò„ý»PïM'ˆÉEê9íésk9,SJmu3Uk³ÝAxÞÓQÄ,£ZÔG½lºÁ!n|D-ì@úL³ö&FÝ“óhc›Ã à8Ÿòƒzs â«3:qB]¬ítŸõ)ê<بˆb¼ñUÂá™1`%æ/€QãuË*íjÝífwíMª2ÂOÿ ÝGÚÇí×ê)e£Á˜Êƒ¥:‘MÞ!ªóŸµcLxR‰$‹>}‚1× 1ÇíµöÜ%ËÙø2$%èSÎüC6ð#,Äw…†QÃKH¿®ÚHÎWèÇË_ÉÛ€l# i>F÷M_Ø¿E›n’9ø£Ûkÿ–¬à%Œ?$ü# Àë%WrœèZQàØç:½þ`C’¤ÕxŽøFÕýAÙåO ¸/2Œç’,ÍëÇWÏ¡Ý ÷ã(Ú.͡Λ?uÚ{t{@o6$¢ €OeÕ=)ÈD³X,ebkW±OÌÚ ü†žÞõ«¢í¼ÉA»Û…ûÀk½ní¶Ÿw¼—™cÀ‘Æ’CÀ„÷þE<×Vav„\ÞŸd‰ØÙ§8Fé úd£¿ìíÔ^ 6jl¾ qéó… 9u«–ÏhÞI«{ⱸ¡$6ò°w¨t}à'Å“b{Ò¦hÚ2v»Q '–Øa‡|ÂP<:î î.,Àµ¼ù”’±5ûL­À­ƒþ£m˜\|¨>ôÕå :‡wÜ<àv·•?Õw"6Ï1.G÷‹×Kìåµv;°ÿcÕÆ‚Hº¬¡ë‘T÷¸úNšO°E™…•D4—W)àV2Àò˜‹]©í¡Co»Û~ÖÞoŸüì½lïíµÑõxîlÌìB1©R-åaŒÂŽ[ºQA9§5:p j¶ã[?È=ël‰ŸW<å[-a1(²³èa×ÿNƒˆ¿Âd5+ÁQ$œrµUŽÉ|–;PçYw¯ÑÄÆ ǰ֪uÕuÛkÃ×ðܵ¤ `Ä:á_¿š(Õß¼ùþÏoßjìÑq¶ÁÞ3Š5íOˆ³ Ô:áH=ªOìУúŸ‰ÄBâ‹^o>| H<7Š®«õ´²ºÛÙo·»¾ó4pïÙé ¨9úäxo ÔJÜSI°ï8…Úêiâ¾Öµ‡¢øbK³°÷F?=iyG­c"ÛÑS]Ô~Ä#J…ÖŸPÌÉI*C¦U”›¬É‘‰Ãщ3 °G>ZwPã`Bá¡0¦%ú}OT{Âqü¸—d2’¶AÓ;«L_=þæá[̰aH#S‰ c4kÞXv±ôîé×r7y9¯ñâVkñl”ì”Ç‹ÕNÖ {zØé~÷X®Lb×òœu JMr¾QX}W ër©Öb”fÞŽ<4è®÷ªöN±»»ÄXCŸæ(]_SÈ}oŽ<’×:UýrZ ?gÿY|˜ÿ¤Ýj)K.ëo儿‘OUç ÒyÌÁÙ Ä #ÐüV¬%„tºûÀ­ö%ºh’ð’Âß3I_wXq¨æ6ä|ØáøãsgìÀ¢’0‹Ü@Ím΂xÓ.ûˆ"¶MÞî¼ìtOKÓÁ‰{Þ$£¡áâöB2ïu ߺRÏ0a-ÊÏÑ6’âæ‡SŒ ›“SÅÁÚ ß׉p7Lê^77EPÁð(Fï³Ù%AÑò¥p@¡Ò}XˆÁ€ 2M~ 4Ô4½f¦üEOs›è‘‘Ïÿ£úw‘“a9ñ2tZ-R  ç¦x SreEGs2•g‰`XÐQÊ8½€x‡WÜ»‹°‚·`88×È^ãE¡oï¶*Pq]#‚Übá'÷®vBâÕöI}ó±ÿhC¦rF“Ì 9Ùê, „4€ÐèÃeÊtÇ›@Gš¨uÌtN$Æ}G{áÙB¼îM€©`t;ÄÔ*I[õBNBwvt è¬ZytªYÒb=9$¤ç0o˜>R¨1ýŠ.±jßÔB?aí?m•ÅùÑ^Ò¶k+q¼£o,›Ó‹²Xp1Þ/vÿî‰5-ØÓb¹T›šv*–sø˜È.ÏÉ¥pø1¦ð¹ìQï1Á"i/ӽгùaœŽÈA“cò‹çåE"f9íµ÷ÄXŒ„ä"é¨/!™ÀÜ6ç °\ÛwGC ëí|Âw*FiP=žÅÈ’ÊH²RØl8sL8K™8†Ò5d2Áqê9г„$I^ŽüA\Oímx= Ž?Þåï¶íGHަWâÕÝm¿8>9hŠ-´Ô°»•Œ¹É$‡Aú<6èIuZÖ÷:t×á´Û¢–=øïas¿›»Ï©¯b*&ýÕäîâm/xð^›NМï¡EÛ¥¦4”qí}Ùü©,o{ÿ¤}è=kîþxrÜÜm¸Âãi&c:Aœ— <œø¸¥½˜1ö^7H'UhûáTìbßпÚÛ휢'd)ž¨·Ùð< ìŒZHô2G{è \Œ}ŽN¦Ãh¢“¨:Ý×s…ÎÊØ‰ÓÃWíÃ=Vh¤lJ™_¸÷t­¤ÓXލfÕÉ]c¦”ôsÓ^‚¼™g¨¸ÃAÔÜí•Ø…wYR$^¡(ül=;}ÁÚâ8àñò´à½Þ„{׉'õÇVëˆîèä¸{šˆ‰A“!s‡¢Ÿ—™[­Ûdñ>Æ÷ÆÓI¾#ÁÞ³Þ˽ã®GösçcÍ“†tDJëÖ&øÎ{ ·’§ÛÉ }S {š‰ ‰—p„d³N^Çž%Ú$ð*Á(²ì%nRÖןR¹ÅÈoIEX–#¤O‡+H"cS-s#Š„@$0y¨?uóФÎÚ†úÞ)•(âg£ëpÔßH碫+¹Ø¹uÔjUÛð®Þ¥}ʲPr‘lqœD6I&ÊPlßÈ·©™ghÃMݰ \H±.Z(kƒû·)ƒ‰þÀï÷'j’Ñ gªõ\ÛL®P-!Ãäñ$ŸïQÂQ®”VÑz/OÅ…[m–V4ÞÿKpÑÕ¯~ÀqþJ3¼7ððö¤+”ç| mDªÜ±µryC}‹ßªÛ¥OXKÙÝF =ÌG®Î%%µ³ª9T‹õ>CªX˜ŽïÞ~soï8£”Ç[aÛ¢Jt @§ÄÁôCdEká‹,gmz5‹•k7…\§˜Kr# Ðêç,Ü~ûðǵ7Éò0HZ—¾€æàƒw>ƒ‰ÛN_Îí!Çìz“•pä½~?/ h·nëäïG3dú¬©-Ztçd4 CàâX‡›hÿ{/N_cV’0ö-ïèÅ·q£éÁM„€ ±jà&ÑÊ­“Ý—Í-–Ar¾(ê‚?ºea*+2ånFp„/9i2†»Dmö]Õö<ü«Xm/|üýSU¢åwpI‰½:R6š.(WKšØ|g‹Sï;F²t˜¥®½„ÎiQLZAkœ§Š9M'ÁÅ–@Œ Ü—R%/lØ?ü~ ެ‰=}§X Sã®°j6E‹••S9_|€å<»Ü\!›¿7jzðØÜoÿOó„KwZ»ÁNÍ58L,mÂnÜ9éJ(ŒYf:¸¾rê[ÑÉ &Gü¯Zaí eân§GKÒF +o]¤ó:;>Ý ¡qïn©¿tWž·Zv?P4·xÃv´¨ILj+i;µÔ6Ïc5…5]‰ 2£Ö¡÷ ×å1†iøáðN¬¡ :ÁW%†§ Dk¤° ..ÂòUq²àeËXB·2sЏãQî7Ûwa«sù}‘™I‘óéV,W™âþfC€RžHɽ{R±ËÚó,꬀Ð/'ž\ûAm>|¨žU‘cðœI„:‚iAèOª'~rC2½ûhc*Ù æË'rú…‰íÞ˜}g›€$qæ)—æªøu2õT`b ÅtÜY6(F¥>R>Ú,aÍ€GLÜÌ@•c<’ǽ€-ÛÁ†¥ÝàˆagÀàÍNcx6¶bz0©dŽØe¯†Êý YQÜuÆœÂö!3“S#Ä0"m•4®‚³3”{¸ˆ¦év[Ljeî>Êv6ý§i)¥cØþÂ8Ã2 X¦ˆfÁÍHI+¬x›˜•‚zD Zn8ÖAží”VöÌJ g#«sEKÄ¥v‹‰*Âc ! ÍNÉ `8žÞ²#‘Þë8Mù&1k¢°ÜRO«f§‡Í#Ò u_vö÷œÁ˜ëJ îè\"_çí¸c¥—˜ó\‘/6ƒáWs ç¶Ås~ 'hCÓ$ i-Ýt4É›8ìeu^·Rc§ ½cô² ¬Ç°œ¤Ô &W¬tgæÈ”»ÐÕôš¢h=[ó¿¤ÉåÌŽxšK‡òß§“ÖÞÚ›t ”€¬þš~ûÉÆ=‡FßAï¶7`ÿ²k?DáfR4c¹™f#ÎY€wØ”j²Žä§|ž~Ámú¹5q9°éNŽ[“H±wÆEO•/B ìK¶_š^ë\%*©|œƒq£þÞª¾?õ‰˜‰ p¿Tð¤gŸ2·¤5Íí‡_yïçÃ&rµûæ^îuùF²•‹6U"]s}8¼õ ¾¡ÌðK)ÿ¹s1ØÕ"~™ciÕÐ.M2?Õ°ÖKYX³hQÑYÌV(áå &ƒ5ÓK¢4 H·ça{âVáaÍìR¥ojòñ?n½hwO0?W³}ˆ¾þ'°{Í“f¾%õ‚-ˆtF<Æw]à¦`ñ%I ]пbD³‰ÝA@öëÀ§ÂMyŽ—?Í? ñìx4ÛÞº4î6G Gòù"ÿš°õÏÑ…LHbËmv¤Ëê‹ÕŒ.‹‘ç_ÂŒ×ÓA˜²ò+ ‹»§SJ§4×?ɦ’@Öo‹8r+wk´æ/„¦1Ï83»‹Ík>Oëtpþ”W3ž8@ïµ7¬7)î§œ¡ù®É¿ç®ýÌ¥( ¹)‰Ww»–-±lx®@©»ì”?Î{ÔP$ûÅú’ÝV¯h7x)¯¤ò‹­塟¸wŽúZAÜzáÐg7 y¨GÂÓî!ÁØL_rPóøúwæ…MujÕùÍáa°ðØÜ—Lj¦KI†&XVnÁ¾Ì˜ÑP˜ñDÐ>Ï@)¯R>ŠÒQ`Èœ\›·Ÿ¡Á:b¢™š_@UJóIxÔâ…˜rÀc6¹î •O^cnøTÃëJ CÅÒœLÇßÃ(òô†zÖ@9æ˜ÊQ £û~˃+¥óìï9`Ó½Èo©ž3pôᮆeH'-†odq@)Zò¿¼ÃôjøÛèC–†Ì„ݨipå|ÆÄõÑa—Œ#[¡_>xP{Rÿ¾þ¤Á dÎãsÊ‹Øõ¿"‚‡Ñ†"ph;ƒÂ$Ö’µ¡,Ntá.½à†Ý&ÁE0 F’Ør¯Û)c®ŒzZ¡¦S¥k@G¹»¸pÏa£g·ßë¡ mbGÚ¼‹âɾ“|Ó¢OÓ¹ÆÌ5V뜭mž}|töññÙÇ'gã³~<=«žýµÑ¸¤¼c¦“ŽV¸-)‡Nz±Å¨Ì‘CÁ"oK+QS¨$ì‘,>P‘Ò¤'Ê£Alg·›¾´°Q¹å³÷U*u¨[Sö‘¹ëVT“µF1&ÔµLœá×¹/PdaP:x#RØ‹Ipá¿*ËšŠâ6» P'”‰x6ê»Þ=oLýÔ[xŒÉùÆ)ûñÍÇQô‘îîHé¼-"Oçw:Á¤k;±…-”q®,=Áä¡=úŽ"åÑ&’•\¤k:jJ-ÏX( §¿;ÔI˜óÀä‡À1½ ¡Õyñ@¶ºnë%² æY²8¼ŒUGÞ éI¹;``®­‡"_mxƚѼJ("žô€´LbDØïpl±Rïøôв)2MÆ[ï•ß&»\Ï—¢UÈ­GWÎ})¡ªŒWJ P-ŽÏ—ÏT¸ÉéB2Ù°ýQ|‹ëĽU¦E-c€µö…8PÍÐ&¯¼1%)"/ ñà˜ê:”I¬û<œÄÓ 1!#p·œ‡)ä¸ê†L~¥zI""¥f”óפPÞöÔœ?¿€¬Ï•ßÚ§)“î+âxAªß¦¾á8j<ŒšÐ4´ÇYØ1fž¨ì;GÝDûHd@sêz¼oI›#¦º©Ìl™DÁr✌â³é–ñ=qãàçŽF%‘ð± úèG9¯˜uût¿Õ]{“ô›¢ ˜ÊºRñ\ÑÒPÐI@sJÖ9¦@¤’2KÂݘéí4D@Ë É êï†W²1XšÓ{![ï×îb{Röü\oš…ç÷Ú“Sé&ÈE@r´)6¹”éÀ‹6Ž`”aT,8ýRrXo`îÔ”ÐdH9Ö9ˆ|SAü}õ5RcåUÆÆ §N^6ìU+¿u’ØÊ¥ðZœ„DWêçhF—™ USY!Š‚rnõ[`¹Lp(T SŒEØ0,69õ(Ö/Ï óe#‹Œ˜c#å#2dF…p€±u°#dÝl ÖõõóƒÛ  C¶' hÈþшÞÏaí_RL=Y³f'kXù†«Ý™bâ-½Ïç!I=ý‹–âžñî|ÊæM:S®Ë[×­3AIž dµé5Œ}ªNîܶ™`r-O¦eã¶¹„Jq¯ º»¹©Ö^ìîVsè´DípW†HwéÇàÉÐDv›ÆÍ’@hó©x)]g#†;`1 f³¬ÅÁÔÚõKÏn2™³ºwbì+8K=žÞ“.|ý×?a–—6šA·ŽQòÀ^#XŸ8Ñæ9„¿=¢qÖ¾ýWìî·šÇú‡‰Q}îO&a0Y«"ø@ƒÂ…„g%yòèñ£Íÿz¸ùðOÚü/õo5‘2ó÷ßä_£¡~ c¼¬w<Àˆ˜CTÉ0h=Ü$ëÅbPRïõ’8 e½mzåÿ ëóÖ^CVò¿~ïóÿôáæÓôùºùÝÎÿïrþ×Kj]íFãÛ ‹Ûüó÷ßoàÿ¬^ú£¸ö÷ºzWà Õø#?÷€8Än­µ^êüykþùÒ㯃It%&ãHœŒ·ʣʵðõ\8®=‚[Á¼ ®ÁtZ;¹“>åCðG·õ"Xîäe»«š¯²¹¯àùè¸óS{¯µ§š]ø¹¡ÐðI5Ÿu;û§'­ýŸÕaG½jcåŸUëõÑq«Ûmí!¤Î±jí·[{ØûßÑ6OÔÏÓcÕyu¨ŽÛÝuËGÁ„´ÖÌÊ çC&wÄæ l¶ŽÆ9ã[I^Ï<0Öeë‘[5žÁ”ÅÁ†ÒÌDß²#ì‰` /K÷‘§¨”ôÁíÆÕŠúá…ð»ÈO—L„ÆÓIx>›\"D©¤"”>o °»Á–)¾|c5ƒiòÚ§ cÚA?\¾Aú‰‚a÷Ìf`H8 FɺqÆ“ðƒ? `ÁÇúU¹Tj¬«c‰dÀùÍ¡Kb ÏãXgû•˜icö]Â. ü[¨;£¬øc1oÛèJ`H1^îƒ?ûáô–õ-48’òaé! oÊ!^Í £6ÔÁdÖâê¼µ~AєĨÂ釘]‡ixXà&ƘóITUœj\ `Qvz~‹Ð`y)fA?IŽ{\†¸`(TáŒt1JÀ㪫%þa·Ð«ô¨­ÈFž1˜G?×Ýäj×pZ½©t¶Z’àM»û¤± —Ö6ÇeÃ,KW…à<Q0Yh\öôP×üD}k¶ŽMïæÉí°È_ý°£~jî·÷¼ÎóçÝÖ‰×ýŸªú5aŸuŽOÖÊÏ|8“K2+å0ùm–¥»ŸL+_CQZÛ‹ßðß·I+E%ÔŽ:9>mm'Åà°]ǹ…Õ7´·£‹µëhÒ¯ºu?᤭„˜Z%£Þ³ö †ÆÐd‡§û-([§Ùdzž%b’™8jÃluÌî—Ï›û€\1`¶f“ ¾Üä^q›Ðöäá0V&¢G ÐÑ A™=ç……Ž}ÌÖ0ö`á&·z£èFPÀ+dÔM´ÒÛî»ÂùƨÖK¶9®¼éíêÙÏ'­®wÒÑÞ];h¾î<û;½¯V“í¨‡ÛôP¦÷.ð8í Êž®k¸ØÎÞ“þĵt_«¡¶W8ªP½†~¤û­C†l"*Y­&}1à¨yi”Ö79Ì(‡ÿÂ;:nž<Ï*UʰÅ(敳½ôú~3Kæa ~ΫžÊY9¶RUר°ÞéIÆ §6Ka(™sgF±Gk´Ð´¼æê/9KøòÙþÝöÿÀp¡ìu‘ {CŸð8nnÓ~>ŒFÿ:J›ñãÕ4›rò›É{”¸Ó•äO¯ê¼o“ýDq^~ûަöKUù&9Ûn¿ôúg7ëNr,òöê§§uÆyÉÃKú"r‘½¸AâiÈš/Bí¦ïávÉœ"ØäžPîé;VÏÍcÈsÂü¥.ƒmõàAX-ÂÔ¡hzö?­ãÎZºÂ†>`ézg¦{c#õtWònêKžàOÿaáÿïòÿÆóËKæóÿ›€ÝOñÿ››zøþÿàÿ…TƒÿdÂÃí{MCš:µ{ÉÔ©uªdFôˆ2åQhþÑ‘P$ü&_?e6¦¦g ÆFÅÖÇz,Àè^YÃ\„CëÓÚ•dÊgFW²ùèí*ì×xZÆ0X~(.ûMÕì@Ãd³&>ú^è<8h^‚)éQôžÃÖi1äzƒ…\ð‹ç—°§GÞn" 0ŸdnsŠ>hž¦Â dTø•q4_¦]©Ù¸÷Ï>í‹Ôü£;=Zõƒ½¶YãîœØŽÊñD]õ'x,ñÏŽz¹w¼v%+âÀ?·d*«öƒÈðð!2H½»2Õœ¼Ë(ºHN—œŽ‹~;ØÜyŽ7{û¸ÂÝ1hè  Xèñ#7ÑK;‹C2 ‡l ¬¬OžäàIa] Q{Ó ®€õö(ÑøÅZ¹ Þ7ã*ÞØ×p{^¢$…-¡ñdT|þ‰ÆÃHÅ:¸^^’=cv½+žPÖ¦sÆ9L¨>˜|ÆÚ]´¾’cQyFßë{‡íý5Ü4«´IÒ²¯sU3x ¾'#²¶ÔyF"›,Ýõ¦’ÝŠù%¯Î=R5ð8»˜TCB²${ëò6{RﱯS›,%¿Î›mõñãrÛ.ëà}k_ ö¢ËÞEåYïi DbÃP2xG¯ Ýk rµÙ5myQjyµ}¢íMxQ_$Ä|®( ö¨pœ¿PÌKß3x‹`õgÃ!EÍ““cïôx’=Ác¹ª$Ó×>Ü´gk?À®‰ÿ=×·Úf•®Vë·}Åé¾2’eh–XK.)Ó&È%c†z‹—_c¡„n)ž')àǃ[o‘˜LZ¶gmCŽØÃbIo¹¸o³r][.ÖâÈ¿HÐï\ApZLZµ 7‹VÏëÓMën»„aþvÉÿ×´¤Ž‹Sm¬¿ér»ƒ–z†ê±î×_Ã,U-¥žp“]ì¤Ãá0èc†TÌtKVÞÕ\Îm]HtwG2Þ±7¤¹óS ‘0ç t?žNaè¤æOˆ Ù>6eó†Q0a”íI*'ìãˆrYˆ‘ßõˆÃ8¬¥0|uCíèL‹^ëõnëˆ2CèÔô/vwµ1è '+0Æ:îB×ÙI¶(Ô »!l˜(Œ3lbZÐîdP×øÝïaü GLQ×8Ïk8Õ¾~b’(ÓªhìBiR,ÅÍ•Y$œa\Ö(Èã…3ÇÚ¬ZÏ3û²•¦Üõ<'%/É Þ²µÙ« `ò¦:^;¡ã$zL‹ÎÆž3(G¤n ×(rÇl‚~¬êðèd?|ÁrÊÔpƳø G§làr[âysW8ÖSkö$UÝ^Áf:‘Ó¿røÿ¾’xç¶Ó޵z%in`­©'(ž’œ†a|ç©à…Õ ð±Î g¯O Q!‘Y%¨›ÆÎ.HzEÝ QÌâ㱦H¯nCŽ2[çL#L¥Ai O= ÏÓ fl?{À| (S§¸)Ó,‚¾öoiÚW¸M§F…“Õš-9ãEkv,`ˆ#q¿uÅÍð„ОþjAÿ‹@­_ý`½Œ+¤WxäÚr$I§ˆÒzÑP´)õ {Ò<>a¹Õº¶ÆTµE8¬´¨å§0ÈÜ ŠZÏ7¤1rÉ2i{mªjÑövò‰{¬w¬áè=’kA µSÊaðd(Ó‘öP— kßÒ— õ­ijCaW±“¨Å|E«ØÜÝHö̯åÜKÐÒ4h¹¼QP™ñš&©œµG(m’W´Kdûx´€øßýæ~çP(KŒ.9…1j™¡oÆŽÁl×`p±Vu:<$).†¿ž¡l&™wäÂ14Åtv~MF&et¬áx ¯pŠ[<ã˜Ê‰Xs:GwNe4^Ó:=äfålKTŽu³Á!x@pï]£XŒyèp*úÇn˜@ùVòM±„£÷€ƒ †OPp@M“[‚a”1 ÁRyÛ+IjN=! nï{3á†ÿ»Æœ<²³âß‘ÿ{üè៞›ÿ{øýø¿ÿð÷¶kSs &¾bøý~«yèÁíèÀàoá r>b{ÆîÆ ­ÓmÿÔÞmYôÒÛÑuL—Øeá=—A6~&¹4²P4+Ü49ŠéöSvFzŠQ24†`õírqršò¡P%Ù^ P&ÿ‚2óL÷é#Œ^&«$B9'ÕcݚΓbԈߣy’dbrB¦œ[תêöâ%…Ö’‘ó“ìRCЦNÀF&s§½Ît€“ HoeïP¥Þàš[-úžÒcïY8bîIOÞ‚3¯ÌáÁöˆ€‚¤$Ù‘Í3£Ð–,LĘ’›G´’ƒ4"!2ì!-€« ¯¬4µ•»…ÑT q«NRšc ©c¹ÅéYÊÎbÌŠD­Áüp€äª–§Åcܘ:÷»x%J–¦p¤9æÐÔCEš=+YH.šd€œœ–s“þ&ÚWeɧY΀@{ä>aÄÔ˜q<ŒôT‚íÇîµï'šËùxƒº×$_Òw}æôFÇÀãSÂ+5IkÔ]Ý áÉe¬‘#û|\û·)èÓþ¢ÝÃÁ°Ù0<>±ã…áÆŒ:FÁµAe ½˜yhËô}CõË:â0–ì»AiãÄh"‡„¬+Dð¬ñ…,œ>‹7PÓ‚É9Ût ÓocO–w¢ŽÊ:dpÉ\ b‡Ñ4a˜&Å[á™üà¯Aw0 x ûj ë)eƒÕuôDElt)QFù,ZûÏkdžƒC/ü°þÓ0ЬWÌÏP¦·èOCà³Ý Lz£G¤A\E7,oˆ—NìZ¢ê<`¤8ê#µ‰[qŠ¢|j8¼ Î| _®ÜÚ_Q Ô®ôu¤+Ò*D<°ôÝ óˆ7ÙÁ´†ƒ¥ÀÉHYYáÒá3‡yLQüp)«bæ7vŽ2¯zƒ_.†Ýu«‹Q‹]06BŠxÎ8)ZPDx¹¸–μ!â𝽄ŸzÖKµI‹dê{´wß¼¥ûnssNõº Ã|æuÒÒéÒ:"¥QYêôéSòжÆšRœPZâ¡ÄºËˆ·Hî¨EýK¤’sò›»è~#9FšÆÐˆòÑ "äX’@…ú™h”å &ªu²¨î”C†aoôIÊg¤ßgqŽ»'H_mw«¾p¨’¨ÑE.ÑOâ©õ¤û‰› ßºa©}Ýi~O2ï± zºß9|‘èYÖå8M†>ŸªË^|_bGõ‹)€ò &KÅ¬Ñ ´“µ Ø·åM·ó\¥`J­Hý„<0B äó÷_5îz§û'mÞš(ïË%B) ¦‘'FëL³÷Bèéò&&k~ø8äNl®PÀ{Ñí6v.ÂÆºÃcµó ™Ù9:%t†¢ÈåúÜíåЃh—[e‰èv/0 *CçÜÑo g4Ò (MPt=Z~‘Ýõ.ˆS”?yÚ~Ù¢¤s1£ùhÓ»ÙáÙÈ$N/³LS¦x®$=j>'t\â`øuÞæH´Z &*¤­aƒX Ô,Ëïó[‡p´lYlJvRb!‡$'ò—*µÙ8í€K¦·£;ÙUD”³×‡ë€$A>Lèâ5K¯˜¸L!"ea—eçQe]‰öÛíµ¶FÖçh õ<¸³ªx.µ®™%lÞq0VG§â×Ôø 7‹¥L¦`ýlç¿]šãÇ{J–Ù}C%#â¨çòò… àRôã³Ò†˜fLô-B_Ot¹†#öÅ ût·.‚ÂÙ ’¡6.¹ƒA?®/ â”3Ú $³ÝÜ“¢µ£„UÜ)¶a ¦;çp:S}›ÑÔ,Ô‹!FD«:{ù%³1DÎ ›7Ùa|'‰–nW’ÆcÔ íŒiw¸ÐÒœiDs0ðÑ­ßýs+ «3©ËáMN]îYÀÀV7Ó¹ù¥_‰ìƒ2³é ½Ä.\H¼5ÄAD:¦_‹Z¨ß·ØÂ;AÐÞóÕeˆ”™\£¨vèaJÉÅzAÛz¾†jG܉ö^ q9óI©fw?À¼*ì: ßÃ;A ¿ „¥³¸_ì ŠäëU ⓚ· ‹ ˜tÌ íxúÌ(ã!˜+S¤¥úiöÐÝ^Œº{‡ •{‘ˆµkž´’@ÕÔÞŒo¡à%Y 2­ƒƒ‘ëIˆY6)Œ· ÷¤AáP™Í±¶àÛïE0ÝeÒ‰·x»¿†öm¡˜§M?ÊÈ¥–ÝVeäíÎbd*ÖZuC1à ý›;–€‚ÖùÓnë{3]«VëË’;['‚i_¿6­*‰d_¯¡iµöCØ·‰þ.CØž ksA[ßb<¸Ä.k;QÒ‘Lcuô5þ¡bõ;wëCµ³óƒbgq\l'^åüª_ó@,c1Œè&U¹Ãhg*ÖdÃpD~ίÂál¨Ö®¢)&N¨"ƒ51rðÂÖ1ãÛ¶‚Eiù ô`0uxu<:íæÓ'–Ü9TÅd¨œ æm»ð#¼ÛÎ.ƒpØç|ßxñxÛtíP?€¸ëw—&.¬QžEÍGiø##Ú˜¤áú Ú$XbâöQ o8¬í½£.=6Í–÷#6h½]”¼È/Kº;qÍbd`(Èb tN=cFܬhmvÛ¾m‰è}ÙžèÚçAs™—Û‹´„C1j‰2ïΘíÖÊ,m\tV®€€Kv¸äÖ!»ÎaO—ÚAè䉾Ŕð²çù=”‘~$<ÆK€2Syà“È ÷PÞ¾.e"tþÿÙûó†6®,ž­·ðüS‘‰%I,v–† ÙfÂ6ÇNG)¤Ô*µJ2¦c_ûs¶»Ö-I`§§{~“™Æ UÝõÜsÏú9XT©qG*ƒoÚÏP!9óȸ@Ò[hÉIt¥C&I–~+0ÏÅ‘}ˆaÊ3pÄ&\$k¦"ø-ØEdÇJ»ÓCÒrQ¶ø’_'×Xx·*Ú(š*S”“à´­Öšá%§åÌøvÄ\F2лìË$#I¦ž_ëØÖ½ÝÄ—Ù¦Mì ò8ëš{ºw¸×~ÞÚÖÜ9žª»=£8Ð$—ì6µÛ:ÝÞÁ¦ÖƒMQà’ÁÅ"1Ã4»´šúùðèåaGnß*þlüÀ“Fàõm͉|èßf‡0pÐí¦ØÜ\aZ˜øtš‰ºî'åwÄfrÕòE…áL–fá„1¡{t‚)p«ÁEfé÷›9 ._#Ñ¡›úI­`¿òN½cø z­[ƒ4×c R÷€²†œ ³ %®“f|æœHêÕLù©)4@œ±]Äþ>Aj ¹†Lù?ïªÖá+&l]YGTK²CwŽe|¸án&l©V 9M Zá=æ¨RX¼šÞª{;ž U_SbGOO8·i@g€Ìb™>ØòHb;_ áÆžL‡DP7Øro&×lƒ"»­1û«Hè $“!¶¢¬çÚ…d”f0Â@…9Ð®Š·ÃWˆJ5¶ÄUÝuTb_E\÷{(ñ D/t­# ç‘‘¿ad¢bwÌ ŒÑÊ[k;LñåÉö1Õ3ì ÐÃŒØy­j(ˆÆÆwg‘ê׸þ(+ÎÞrýsE°üu` 7Ä ­xöŽ,†¶M;©Ûêµt„"Ä2ÝÅâ&ÿ9ÃAMág°m¬›÷K+WSÕ`-¹xš¦Zk~Uê´ÚõÒâz»Ñq¡QºÇ¸‹š[cÑÁGSsÑjœ Óu†é¨s1 }”/Ä>l"¸³ÍC‰¢8›A2I¢$Ðöã^ý2g.T›Ÿ_kÈTÁ -† œùø£™›¶Båá¨\T85Ú=Æ“eÅã¨P—±PMãáP—1Mï餀0Çñms¦^Ž@+êP!ã5{:±N+Eg2JNÚ}i^)‰„¼£r´› Z䤸nÙ(ä˜ýzmÝ\Ø/’¦°¸i<œd÷Œ¡ÕMY@¤6÷ ³=ÊYeúoš .Záxõh­FXéNct.U=%kö¡6VɈ âŒpIÆu ¤ŠñdàañÌ1hˆRÑ·*@¥¦üå;ÚæÃÓèIs•ïpõ¢IÔóM&pdŒ)Äz~[Qnê˜]l¹) Eß iíš"<;Kõ½ß>s^1cº½Ô(LDÐ6† åûË×ä7a<¹Œ|¹¦L¾Ó=Æf5E Ã(ýÙöJ,;b›»Y8s€wn¬)Š óYÞ¬ƒ¹âWª¡ëK‚tú Eâñḩ"ôfÆ¡#=.¯Ã =usx÷êïpÁQÑﺋ¹Úýä†C¨ÔçƒIZ‰I§p¹^‚>éŽy—Qñ‚Ói´Â %9€Þá¤Ù1IU².²Z »ñý^ íOÔZ¥À’ ·qˆw¦{Ý*ôŽØ'‰‚ë>h@Jax×ç|?.ú[—«1-we¥Ç5ÉPŒ‰ûQ–q/)FGçŽÇœy d®îOº@L°¥ZëVƾ«'=g ·Ö4>Ї %€ô9ù–ò“câû>Ì{·i°ïÙxƒ­šÓ…/^H!‹âUÛ$»ñƒß·.…+HuQÙB&2§‚úO'²è†2“ÓÒÔŒüDÔaRÂ9Ž E˜ÉƒZª®T¹ ´_{Ês«€}ª~V͸Ÿ½¥mª¡(¦üjuëzIµ g©ë’)áà¿ÉdýÅjz¡JŠÚ0Òüâ¶“Žƒ“$ßF•²€ÐcA(ÁŠÑÒÔV˜nt/js“m–‹Ûÿlt§{Ć1|€Èd>E:C¿! U2¢ó¬bò’ÝA(>¨@ñ*ºÐ^4ÃéÊí·ý»ÿ BbC¨±€rý&ôGÂþãábd"E><Íàý…3üê+wþ’݆Å×^Dßï.WMËÇæJ ¿/þ›Å, êLÍ]k¸ùÖ¬èšèQx—>æ ™­»PKX·BaÝØ ë<’ü»ªÊ ØA=™¾¯³W¢XøÛ”‹·)mwgŸ®V¬ŸpÚ’Ë—ïÚMÇ z§#E/íF”NG Ý0"Tv$»û‘6P8²,™yúûüð/d¦?òcêMÀ à¥yGŠ‘+à5Ѭc€œº¡žøŒ«XŽÍ?cÝ}©4¸ØÐ€Ä=ªP°¾Žn‰2ÇUuæ°k·˜ðBZP?ÀB¿’÷‹wÖ½Û4cß§Iµo.ǣݣhOE“#¡°œp`U⢥šÚýÞѺ–ÖÈ’C†øËîO³;Ūώø—îhL^ЈÂV¸ègƱÛN:[• ÐUZS¹lu7¢ÏáàäB#_¾<¦ÀEŠÂâ‰5*úVxr<öIµóЈÑG ‘ùÅ¡ú\.Ù‰’ÒUaò¼B,!OäÂ'çã0áöÕ-¥‘¯£Ÿþ y? x¡ý$t¾K:B°ãTCûøô­Gk:ãHÞ‘Ø]æ9«¾Šš¯yTgßÄ·DQ9øˆ ¥ºÿe{¿:²µ&ý{>ó’k˜ÂM.’µú¼s¼}²ÙLµ0ú¸$‰³ éöfd!:–ïvª[þ¥uÒ~Þ9Øþ¯£“š‡¹à¤r9Á‹¾Úåðî "6¨*òƒyɉ»¡s¤àlòÇ—^!Aº/½†*§ç:åÒCJ¥p1íb"‹ð±ÐÓ²3ÝÌ2/¸Ù8G?ëqSþE¬LÙF‡§_êÃhœ$†m1¦Ìb:8s: ×,ºW„é®ÊÑú(^5ׄ,»tª¤…`àÖ:êOfÂÕp³AÇ‘=æ,¢Æfé,9êUÌ›wIäðPþÅÍtÙU²À0¥äs;–zâñlÇíÎ Í”“u¢q>¿GÈ¢"6ÀÇ_ÄU²GªØde•]«qaˆq.ÞP™—q÷V#H™„’æâ£ äóq CqìØÓPÜLuxÆŸ²š ÄMṑ$WÁçô.IÉVã>¿Öĉ• ðIBNGºçAOS8Ì} ³¹ž)eè¦&¹zÿf0ôGÊÇgòЏ´¹ÕM¢o2T E¨”YæH†èpLÈ™ßÈ t¥Æ†³°¡‰k³¼Ò;ç§,ͰcJ‰óˆ_‘ºïhÇt'¬”´8Rs›4?êãÉÏoÙåâs‰.÷í9¬–OPvÆõ‚ÄñžqF"J@ ãË2=Ú9>Ùë•)mOŸâ<…Þ§›Fí×þuØ…vv |zWVaSØ‚+#ŒÁN’ø7ã2Njݨ0«Î•Îf|zÒjUG>Ë*°¤Ðnì)²–ÉH9¸zvdCf«;^›hð%c|2F?Yµ»åÈQ¦Ê«Ú°+!dp7 u¹ýýÖ>ÁSh××"Õ‰J6r'ÝXYß"æxɬÇH™ ‘¯i\!‹(òD“`^­ÙÆ/ÏÄ—Ïìª.’dèó7Œ~ÂB]Ôu‰ uòOå2ñŠQh¨1;%ïú,'CT)Pã@åò…nLy â’Œ Ô]¦\¼idCca\Ü2i¿jDœPìªi´0Û‹ç½ñ9ÇY¸¶4˜™-)¢J‚¡¹èBRØeNÑíDgPãsüëxØ-Eβ½S˜*6ð7w™¯Ë„ƒ_h®ý‚‚HMî÷ÌE·pܪª½šT3+²`^ìg~omEÿOµ·É•u¨Þ¥Ÿ“Õ1‰|lz3ÃMÔãfAžŸ»‚…«è(.Q±êR´!:ÆwÓ’xÛ¦ Ô[)òlE2<«8«(»$Z•;H Ss¬™h´šÆÊvQS)ƒÜ©p+…S+B [:Í8Ša*¡=ø«ˆ2ž­<Æý¦D6tZc, ›óQ8¦(qb@$U·]ŒÊ*t8UZäuLHl‹†ÊÀqWtÜÂk¾ólÇÐÀÌìóŒ¬L'î ú“É ‘»6·'˾õjïTz/…I²=H’!àÜ^‡…ožü¨Ã;í£«L“¿Í"´ìZ›kv·fÂf·êt¸W”»Fy1´¯¼—¤…9<nm k1iÜwñ®Î‹ãð‚­=€Q ³Wfas}Dž›»±uÞ&·5<›¸¦ cÓ[÷Š´óò£ K Ñ@ÝÚ5O Ì dúÎ/¾J—i€ªýMùx§³Ê¶í‚TVVñÈio†´EpÑò^ÄöYó^ñ6c–˜fŶÛ"K/ÇÈGÆì»œƒI·&š1‰«"R"ºÔáÃú´:]“áå„!Óú×Éý½ÊâH饕ü.烫 ãíÜø¬¢XÀ|« ÐÞuUYâ˃.zQÑt#„ ¾õ,à"ï»5~7…ÍgoAü{–áwf)YüÍá—^·Rá`”ÀûèV³y’a| g-†ÃÓÓSÝÌ¥‹zPØ9Ñ#†ÎÆ•!šMß7á€é4ª6~®6›¡H.lÝT¨)"bϤƒÎœ¡VìƒÖÃá0b8o= „>»Öªþ—ô†¼kù¯¸B‡,^xPÀ‚ý›sTïÓ¦èĬašŽÖªºDl×_¢Úb˨BÜÌ$?ªÓÆ£G/4Ž9Å\ ad:ëÐé >aŠçÄ ÑÞzõÕl+uŒ †EEh*råxt„ZŽšƒ›GÆ2jYÕ9x¶cZµ*¾­¤vAxVp]à2ŸcáJsB2‰G.ä´m±[¶eÕÐòa5ïÄx1¼#Šb\}Ùܪ H§AJm„û2§YŒåŽ„íç&~ŽD`‰$ÇÝìjŒæ^e£ ¼,S;qŠUHúˆev¨\)¥Í¨Z¬R'Çܲµ¦…çìðE˾÷…‡Æfέõ‰DÔ›&ˆlÅÐcö³Úæ7-çB|ÑX"a¾¹Ö+"áR¨ˆíätµJ—/^ «>/7#›ÐÅõîwtÑÇÑ$îèôz9Ýšé‘ø´³»}ºýtÿ襳\މÄê~ÓBú“lÀ’.˜Ž¨6²W DD3Ývou¸øÆ*XçÀ­g….xRÃ(lÒkzÆ3’\¡l Á0¢²É‹Á4Ã"npUÙDl«ˆB_1åwžÏÕt<É—­óW*tÇÜþŽ•]7#>'YåP­—ù×ZÁËŠiqFï’ŸKÇw‘€OçGcG[ÕOÉí÷/1(Ëä«IÎ2:ÔN|¾Cê³~ãNÙÏŸ'ÿ™2 …Ú[ÿýb{¿jÂ>ÂxØÂXÁwÌ‹žU0MU!uaÁ i¿)/!:”m’¢?KZôâN>¸‚ ?VøëÀz—N(æè2$TЍ*6•¶ð£?ɪªSÜ1œï+ÅS‘hƒ¬Ô²sPTçrŠºZ04Jsh÷•Íœ AG.“£\•\ŒäÍ&0Ô/0*åW8Òå\t,&u‹~.Sàèˆ4ןøˆg4 ƒ³ ÿ~ïWeØŒ¾úêêÝx þÃOÀLá£9¦B|åᥜ™‘#åæà)‘MÕš¢””íC©ÑÚyztò³NE]À/N:EAŽ,¢ò´é<úþbª&—zô6¡,d}ÿÃð.Ј$ñãÜÕK Œ\€ç¹ÞÅüößñt®]ø)rP0BdN›ex&÷(Ž—Çkcê±ÀÓø¥Žáâ¨ÿ÷"_ëäÖ¥¼öÝH;OÒ3ü£xKJó®•G¢ëIJ¯¬»T TE뺹3ýž«ÐöÜûoäÆ':ˆ±Ž³5Z<ÄE»ÞFá ßóæÄÄí»'íìUt[Køpà&[ží¦×” :˜µfá=tu¾ ¼o]/Z=òv5'l|tÖÒëQËæDyÍùQééËó¯‚\›¿dîãc`Råë¤ÌÖn¿0L(àÚµ@R¾Å<#0%¶„8™á¹qÏF_![Îf)AûÒÖ÷8`•ホîŽAÙEEAÇÿL Hø-×ÈeÎ3øŸE{ÌC=êH6<Í‚°Ãt_´[íÓ£ƒNû¸µ³÷toÇÑüŸËÞ¹½¼ÁÚ*õJK6@½NéÂXÐ!y$¸ FT@“™p>¡×äF9Òƨüõ†6AÆ&57&+[q:Ÿ‡Í̘þaß}ÝŠ¢à€ÇüθïËÆ0ÆÎUЫù{dq)+Er²¼ÎhœPeFÛ»áÁ ÍuáDbûSÒ5ײ¡iÆ ¡ÐWCœq#0Ÿ: QO;è´ÕÙ /q³üJ}ê $gmö |‘·hDŸcŒÎ•^4J×z%¯êCBé3bÈø-Üë5K îøS”àÓ‹ d¯}ë"Óܬ˜i´ …›Ò~òôq9œ},nÀf£!©À¹ %ÁÂä€Pëî\Ôð1Lçż^ÖÀ†£¥.N€f£ƒ è ¿€ÊPq…ò*×`=Uâ ¢¿%õÌn fLlÎ`•’Õ·¤¤±0à‹• ¡³Xt¢…S ï9µÐ¶¡Y[žI¤Òü1Ò‘ qnoÖY^´3"¿{ôeÉ8Œ§’¤º'|b%Þ’ç~ ÄèFÄS¾4j«†ƒ:élB5$«Û9ƒºÊ§c"Q_ª,f…íÅP¨a|™ÊîcF&jÙnS$`ÚJ=%2Q•a~´'Ñ•šZÝ;6DZºÁ’Ö8ÈqÿŠžf´Tâ7ÅÀ'„c÷ u%‚4<~Ñ~ŽÂU§ýëUfÐÂf_²9ÜŠ„ʤþ‹b~¾f®*²’AñêO÷ÛA.{ÏEè9Ý`š!>‡Ë3BgNŠÏíµÓ,J;ȸ3ÞphÍ7õ†°c]ÉäkÍ ¥§ =Æ×`Q˜|’!ÊL…MU²F¡ìŒŒBĺ¿\dÁû\ÿ„vÆ“ÊÊÁ4ÉlÄÛ°g¬J;޳«fAS-zÁ´+6(¾üúBÅH”Å8 <£éôòвi©ý ªZOxT1Å!B¯îŠ‘HSlIJÞ÷';iÏ©SÀ‹Ù oq§dÒ’FDÓšx|”U5Û1¡>Dé¹}ºÔ½½sº÷K«æ‰Aùã0êˈÂ^uÒq9/y4×–[Þ.*NŒŠ’ø­ñc¢ ·\+9/Ï]NAðŽÈ §€pé©$áÈ7 SsW|V'œ»Ø 7?59/Õ° 6ãoÉÝ\øÌȸ¼Þ‰uÎV!¥¢’áb:%u:$Ü ,‡ +rñ<{º’â6'Üï\GBç“׺B§¼¬IÎ l×uë² OS{Œ$ê¶n‘g¸aÑàÜãokÖZ2øBV…gÄÉo…ÐUj%¨»k­¯ûTgIë»ÀûmýÒ:TµÓ~Úúánk·åÖpàÁªÎjs-=;3B¦JVˆP­P®~×ëg”LZ\'¹!,ŸFJÛ¦ž›ˆ),ÕöTZ’J)Ð0Ý­ M#hÁÄ/Ô˜/™¢ao¹n-©L*¢Û-&’ÓŽÄ–¢^¸€~/‰ õv’4Ö^¹e‡OwpæÌ®çb#=E&è¥ U»/èÿ¦ÁáÊ×S;:Éy¯2¬ã¬P‰vD—÷ìtJ=rpœŠ|ìwϨ_)°^yW­³nô´W½ÿf“±-W7i)'3B$>Ï"ú‰‘“Ú—vÆzæÕïObÀ3dŸâ[‡ìö^;ë¾Xìâ/ͳYku? FÁÁ÷ä(«„œY¢;åìZùÔ € 2Õ;Õ™q †u†¢­ù‘\›%Ÿæ•Üïñ ™ïÌsQ\?›?I0ÔñNª‘%¶Úo[JŒ«L[:‹'µÏRHôç©%/g+&¹Óiƒ?ýË1·ÐF†­þ¤Í^t» Œ;æëyô°E|Fš˜Á»?»¢àñl“K`L¤µ%Ñ/ µOãÁO1Æmá0Ôò&Å|ª‚« Žª`:†'¿ì•±KYsU©Lªf‘Ç,‰±¶¹B;AYlܧLE Ç¢,lOøæIôsÿ'òsÑ;›ªzÃѳäb›Äâ$ Ð#ÔàC¬Û©x8´a]HëR*X²+ÈH CºÆ Ý\bOb¸)ŸÕÖIæiÇãK*Ü.QнÈ?nà *ÌKÇd7dœÐЪªv½Iì%Èãóþ¥®ßƃ¯5g¦`ðEÓM€8ãÁFgªWV³P¾„Ž¢–<=ɼÁ‡±hsô(úüÉêû§ð_-‡mÓŸ=Ž^:œtþޤdUÐ$Z´£·%[Å®›'¸R*ƒDq\ëq*ÈÉchþ.u÷  qcs";UüŒ{½1‡ò®nª¯ZG'¿v~Únï¡xñôèä`gÍo ºìfIFs®w‘iUˆ¸JbåúN¢rV¦¬`X­s&*SñDÁjÕ~3iJ‹Xºpnü7š1U±È(ŽH7' ”¼²8°:¥¼.EbK VH½x×bâ9áeurV‘6€-ZüÇy:™¤×›‹ÈS^6öV©;Ë&’*0 GzwêªV†þDqcoË3T¡a’x`&™U·Ðü Øì6¿¹™ï_Þk ®ý=b^g(31)›÷šBùpH·Ÿµ:xQ¼<Ù;m9—ªÅï<{± —®UÝEF]ók*ާ‰Ê–a®9ÐpFIöÆj‘qþhÜGŸ¥•X)4BÀøî])IN ²Éoìœ'&{Ô!¥ ÊQ¥^î¶S‹lTÎØ½÷ø»oj%‹óÓÑÑ>\°/Ó›ožl² Í8+¯7Îû6Í?‚Kû›'?ê+Dx²[B6Sq|lam¿§Øêt g'ÿ/8ÑeÞ’t«Aeƒ;k¹ò°V33sd£(“€nÆð€ï%®‚E{ V¦Gf´Xó3Ü' D÷À„QìŠðÉë& ÈX1hq:ôCi"*ëC‹TkVèíÎÑáiëÕ©‚ÉAJ1m9q«òJ§õj§uŒ×Ÿø7u0²ªÞWðE”¾_ýn•þ›ÿÖIë¿_´Ú§ôÖ“ÕÅß:¥aôêÕ÷ß¹oi•]‰ürXì­õhÊš=¥°ó-ÝL?kDô'øïÉÑþ\’ýP<Ã;¼Ûn=;…£}×l«ûNËÇþ"GTžšÃö`¡ÒcÍs@úï[úœ_¶1<§þK¾&²Pìê˺#`'OÇhÍÏ…(´RÕW‹£Š,=]"Ák\à9Ç``Œ…»êüˆJz˜±Ô³tT‰ÒÑKj ˆ«^å6¿h?_«Â¸jšÓ¦ÃD$pµ[øµÿÒzu¼V¯×¢ª4±«-¿®×r?áÇëãÇõñyI5QW Òwµ0 àÁsS­^¿ÞÊàçïë­Þ{Ý@« Çïõ@Zç#ÇÖ¾5ÈxŒÊ…(fB÷6¬)öѬÏaË‹5S-df‹]=0+ûPžü²·ÓRlny¥–‡ŒÝß…¾àHýe W´4æ€c´ ìýMúçV‘{ÜÚòV º:5Ùvrù4[ ºç‘N(?Ü{ÈâÖ?GY&¤<ÿ.l4F CÀ c¥ÿ)ÅOù#~?1©5sM2ôE(®­®~iÂrX¢ÒÜ 33@VSR½´ –;G²*Zˆ²—¥ƒ)©Èºš=i£ïÑÍíJTF¾vԮݭ°·úÕDriüÐÆÅØÇµØôóH¨Úgã¡â‘±Vt “Ñ—£¨Ù„Ÿˆ‰Zlñ` * õÀHF… Ê–+]X·äˆX˜IÁA쀬Þ:9nª:n5÷†·Òçf¯‘+TzÚ¬Þeâ•‘±80i!üLnÐ÷eÉá,=o'‹e?´ªI†]Òƒ-Í¥Âñp=Œb?mÍΘs7ЦJ5½V62æ{§µnÅWß}Ó‘ѹOâ÷õ¸Ozð¿ó÷µM¹OÎA:ÉúòÁZõ¤g¼,òêwðÄ_àk«øcM…/ÖÖñƒÇøã þøZ¿ô c:yƒÝ>9x¼îuµ~²V?Y¯Ÿ<®Õå£'õ“¯ë'ßÔO¾Õ}W‡Qá hLV k8²™CiG²}²óÜ_·W«õWkõWëõWz,¯žÔ_}]õMý•Ë«ïê¯þâÃkÞò½‚Uz‹ô Öè,‘ze Xûþï®ýE¼m¬cðÖúc¿­uhc:_‡—×¥û5øø;oöÇwŸûùûû6"š·ëD#@"ZîJ™M$k_†v°wÜvǶ7œlOêðó—Uú¹†?·Wõ˜ð/þl~>ÆŸ§«ÞzâgôÔ)=uÊO=±[9ýš>û†~~‹?ÛVÚÔJ›ZiS+m§•6µÒ¦VÚÔÊéw±ü¿ù™fô3·øÝÌÕÂ'B[y|¼ã.׳Ñ/ü|L?ŸÐϯ±ø¸þþúì[úùýü‹7Bøö®ÑÏuúiæ‰}MŸ}C?¿¥ŸßZù ~³Nm­S[ëëv+ëé³'ô“Z\ÿ&ßÊ:µ¿þý¤¯j:ÿÖf®Ž#ÄöŸoçh©ì” Å8T"”S·(&°¿B?u‹b*Ê©kŠy:Ê·²Mï»ÔíÐ=½¿Í£øŽ~þ%D÷2žÍ74¹¹}‘‡I3ÆxœŽ£íq÷ªF©­›ÒC;Ǩ^¿¶#$0º 1Ø)IÕsC¨âšüªFâÓîµ±rå?Rí k—Ú ­&&1EnŽw ñ¢Y@èadCö@ÒÀLÆ1ºãAf;ù¨_»ciß^HÆX³. Çlïîžtö÷öNÝb.n>·¸’C0[²Zžé¸Ë[G%K>ú±4Ó›—qòKñÔÕŒ~N’‘?u^þéð:íQ}VK}_ÔüäÍÖuýó¦˜p+mï¾mÒFt )=hu avLã)ÂŒžIôvˆ: ¼Û¿ž^ËiÐ'åB•ásbCÉJ¥ÀNƒ Ç !AI.¯•»â*/ÞìP_çàõÂÊm¦“nliu~ÍÕµ¨œ‡<þÃÖÌéÕ‚Tªt¯f›*š/U&Õ oâÛL×'Äl5eÈoú*1¡àz»¢ùÌÞ¶À’x«üãŒ6àíÂý©ñ¬ùîPY®ÝTåªQôl¢8»„\à(i@ân=Ì‚Üõ(J†[ñ†[¬ ä(Ç3˜RÑ‚äôrk®mÆ>½O‡oŒÐýFá%ªîŽ=d±Þ\ìãŸÃÍJ~q½Ð毹sA.6ܶå÷-Ü{®uÇ pƒâ· Ï…ây‹Í©fRnfÌÆáJÅÃv¥‹¡Ç3Ÿ Ã…'Iilõý—ï9[zúr„¼~ÒøU¡mŒ¢ÕÕˆNJÙÃPZÓ¶±Üˆg4v/ ©üx«v1Uì&Ð|Î_À{\YÑå̪ì¬uU4ÖDRÁ=©C‹æWôU§ÃI:Å`„­qÄß8ĆDQë68ŽÌö ã[¤ÞvÑ]ž¿d|¥£DWõW Ÿq™P~J-ÏckNÚS[žW¾5 ,Œa‚ɱöw,ÒHŽ˜°}K˜ì>½Iå‡ÏDâUºÄ? •«i¼W| ‰]ù3ÍbD »Vf²Ž\Èl*ÓÒ 'ú¸ç¦jÆ85~Ñü0s4F—c´ð“Âq§sÁônÿÙ=#mŒ&`Å¡Éé(U‰4h 6ÀÎÑáÓ½g4us:TžgÒG(de’NâgZÉן?ïé®¶wÈì¹O¨¾íAnu\vþJ‰ìxŽÜ*«ÿ¾úJ-ó¦õ–3g­öW[p¡I}FHøÄð0+íÅ" ל×ä!kËîMŸ Ìÿôûy?ÿk7HG´‡çcó÷ÓQ»ÕÙ?z†%ËOŸ2“‡3þeÏ1e_fTßPMy–_;X~þǹŽðrÄH-éPA·háaÌøÿeБÊe§üí­^tË^:ùÖ;4·]S 'm€ßÑ)Ö²s4{æff/7­ ~7qÊ‚³Ø~EµNÚv<ˆõq´öÃä„A3fV'½¶_hDko6U²@Ír˜½éèrHÖÅ!8B]Í@\»W´!4ÈóÐ(çÍÌU‡ï/0ôý8gØ©^¥´÷Ô´qga”^¿*šuµ‘ î=”8‹QÂ^P¯¶ÝÃ)ëdÊ*±D‡;y&aÁúžƒx”)UøKÂá»x½¦Ð÷ºö°ÈkÂ¥Vž4²,/RJ»X¾ê3VøK¤éwó¬:FT_á+ü*4q#íY2ñ¬×nWýË+e´¦9ÜѰœ¢.©Fû{!Á*ÂhD˲Hüu3?~‡†¹¨÷`z,éû?Wê‰hÿ†Æ6U~Ê=«ÍÜÊ`¥ ·us¹8³#¦ Ê)™°2å7‹£›x<äD«xb‰Õz8UõÌ"Ô‡ÂRJBcÇH$À~‚TþÄrCržî…_~*qݼBöh’·án†6h²Éu®“ësàU¾,qBv¼>sÔU$Ö?œ‰åêoªƒ¿Šðùýð&Ó¦"Oú30Í\œ<úŸ„æ+BŸg#- ò Ù“ƒ//ØÍ¢÷7ÙÈ¿£`A$§ø^i†Š½|t#ìQ6Ú²{V94Î`|7¸ÜZ O9rE™Ís/äV;¿5þÒ}‘+Ø›Cí›çvçaÎr·ÛûoE°ßÑ-¤s¡©ÓMLš¤ïdÙÙ*ŠÙ~Û©|Y•fMßœ¬Sàòܦö6gyû4a,) $ †ˆ–G’´R (rØkê\ɤ6¨g^¥xx WLmQøâ09yÄÄqÜÓa”" ´»Â‹òÀM\ñ¯é—Zq&b­!‘Ò÷ßßóÝ8…î? p¢!¾úÈ\F@Ct¢ç:Â]!Ó„ñŠW ‘ß}v"¤%H´êl9e°à¥õ©ÚKI²ÀAtìþFôí–©8OÈÕvΗ"Óëâ6ói°„ÐI ›Ö§¸.FÖÏòX†¡ÎóÌ“êo¯pƒ÷ÐÂÇÕ®è©öÀ® HOÐjG ¶™ë`¢­ÇÉy8{jJ$>´Ë;y ây› îš|QÏï *ô´é@åMW*_yLW^ jAÛ9}Â-¦^óô•/ß+Âef¹!7¢³¹G|k‘Aou=sy/iœÍÕšQDW0{ª¥uO¹žN’÷J\£?,YíàÅië•+¬•Š5-^ÍVj,UF,G+|üº> ÒìŠØ jõP¾J°hn=l5Ò-QƪVœ¬DÖÙ*”*§x™€NÓïÊ€U:;Z šúâäÓEtˆÇI-o³}ÄX³„…¨S¶8L$§cån¡¶Q¡ÒÞyq¸÷ß/Z®j¯ŠWmã~ÁfÕJ‹‰/"øÀåm³t¦DšÊ#CyP2O 6¯å„?×"–ÛÅw`.’I÷ª¢-‚£®QékG‚Cg¢shÀö¦¹¹BìÈÉÎmnþ<ä5ç0›Û,\ØéðžKË/ךÖfå(q4b–žFÁÑÅ:Cƒ~¦ã]‡‹7ÎÒa¶‘;Ìkµ%žèœœÞñ­”_<' ,Ù+“÷ñ5éèCkµ ›mšZ¯EÇh㱇á8Íý"'Ã.Eσö éšÜ›€¢çRâºñ*ÈqÎïàVlÀŒ1|«DQYrÌØa9JÏÿOƒâd7¥½KøLƒgÐjuNµê5çY…½ZŸ6»ü$Š!†Ž­U¦®ñÅhG7Q@8óXÊ–uëéWï~’r—B~Yf—e“»5d@øÁ]B., ^4þ€Ï#8ƒ9+¹s. ‚óq÷º 'Ù¤°ØîëWgóŽðžÉ=g²Úʵù)4®íKÿ†nÈ=—lÖ–+KÛçÚoöl0´OÈ?aÉM’k¡¤’Óm¼ÀA.qåýð3Ñ*³Zx(ƪÚ˜·©›MïHá_›é)#)£›G›3T©IÅ‘E2–¸¿eŒGæ¯j쎦ÀŽëˆ§“´AQȦۜ#`6dˆxøÑݽ­Ïkùÿ,î÷*¨¹§·ÖÖyq…=©.ªCí$uÈ.ÙÇÅ(í»yïÝ"‘)æÁ*™¯vÈÔC[X¥¼Ôg&“1æuÕÎt£º°”‰t@Àþ‚»´@ÙÑ–ó¬M–ê»´ F?D嬺½ò²Æ Å[½ŒÁÖøÐ–:® ¢arEè¸X©=9e\ߨ¶¡yYç–gæÎ†Éoç<¹ìKÒ)&µ ›¢ZG^ðeñB{UÀ{qÛY„]¨•œI”cˆ”It~«tüz7<ì3zTœ%¬æ.ip?‹«®Huf©)?`›"Bݱªƒ{TF킽©Ï[núñdw5߸PöÚâX¹Vë²sÉÅýðÞ¤YòœVRÔY ºvà`ÚÀ^O@9"6´±ñ3MçÞÁP”ža Ýþä–¬²Ÿ@òuŸˆç¶ãÙýëBÄO<‡€¿Y2´\µW¶ÖXûœ„ý§S#W´Fí7Gz¶.ÓìS”¼0ÖÉí(©ŽŽM™ê¢Pê>þ± ù˪ ̰x®KDê7'‰Š ñ(Ž»IVÃíá¥tý*F‹´Úù!ê{ú£ù²Ñ0ËdOȹð7Þ„ôž7A0¹sÐÙöà•6žš¥^n¿nIÓ!õb†ÅüOôc„b3ÿÉ®‹­‚QüOù"dG°£I@å|]Õ9ï7Ç9x^ðÂx­rcÐ;ÀV›0“^½˜54µoK™"<õ a1ßÃô_¿CS ¯-i‚¸^ò¾ŸMš 7µÝf“q4ÚÚ¹ÙÖûî&ÃëšIJÃ}(ôeLà&;âžþ‰‚çÔJ~WÙ|Åâþ‰0ݸ$Bkú(@‘u *H› Ú‰¶“¸ù ×ÃÝ~Š(yÐGT©~p+ù k‚Ñ\Ba@û°A‘¬±äÉ‘­Ü"59´ O{®a- Mî*Î:Šæí¥re›—ðÄÓtÜ{‘í¼š7Ðì"2Ñi‹´Á—Û{§§Û{û­Ý`%Þ@“8¡‹:ròó¬tÏÃÖþ,‹áçq.-~DH®Uë@;ïf`ˆ<Ä…%ú1ídÂöŒœ€KB††€@½5×qµ7 9 V 0 ¹ž"Hrt|ÔÞ{å:‰´UxÅ3¥Ö@)ÄÜÒþ»D¹@-Çô${‰<ªŒ‰^%ÛW5³—Ô¨.0ÈÄøXÆê*!!è!ÎÇ@)`:FºKa[òú¥Ã(än·¢Ñ˜$Ö&÷P4éÅv7·1‰^&OœÊgc ½|8hÑ2€"0f2Æ,ånÿÿ:«ù/ló d—xÂú §‘ŽÂ O¿8žJ +‚·=.3Hݼàk³¼N³˜®m_„ÝÞÙþÏ;Ä ¤E âŽÅíÅös6ãúèú+øúY¥ëk^C‘09uØÈ¢gŸ’B÷‘èÛʃáeL,Ž¡©­þ&}I…uºjr¿Ñð«ržLÖÚ|”?ûFVCõÌã‹2Obá}3ÿÎ>€EÇoaAççnÓúÿâ?‡4ð´Êô¤!¡Ð•Íg!¹¸èwûɰKà EÒ„ON_XäýèÓN´zµ‡ô“D‘‡V4ö Çè ü;N¿O8ÔT ™b•¸žÑ™^`úŒe­;½šf\ÊAAJPðÇpÃuL,ôæ ›…Ùâh–CÉY ( ×±±˜žœvNŽ^œî¶Ø›¶)OPÚ0z§¯àA…ËŽ/3¢Ž\þò,ÁOÛ;?Mv?²ÇÑp¶°ƒ—³óú]à•–‹]Â@j:YF1Nôð‹'ˆÖª5›h¹†m¨qhú…ÏËâ”4Wá’Šë[•=×6uŽ=ru޵Ї”»zIH#ÏvšSñ.€ÖB«ï¿¼×®Ðf³IVÁ*%öÍг]P«8/º3Àd}ËôËsÈ %7yßWîò¡„cÚÄhdJZ€~¦<1·Œ}7€Ù×%ú ˜AXÆ šº%ƒ5ckaügÆùp°|L •‚ q´Ã€Ðüçm0ÆliS ™0:g‡/v:ƒºcÃ"!R ôGÛTæòžœðh"Ê…yë4 æyÿáô亪 áX«iÕ6ĬÐp;‹þ.ƒ¢NHå f(æü®Çþ}„‹ t´Æéh0)FM_Œ(MžŒ:Ò-–ãÃXÌFÁ8ÌAZªÒ{&ÕÕTÄ1©â]õˆÏ…@‹f†á¸n ¹Úþq»µóâdïô×ÎöééÉÞO/N[íh0â÷¶'“qÿ¹ň¦°wCDGWç4êÝPÉ6c}F·A†8‘A07g½NË:#a&\ÞñòÂa¥Rž³šàÔT÷zf‡È‹ÖzuÜÚ9­ª€¨ŽuÆêQ³ððK;U­ó:¯ñ¢ÍÐßûl9‰.Tí7“&´#®dJNp‰hä½rb?J‹Jü*8¤nÂR¤˜ÏÌ«/ÍR5xG,qu€®¦ä±zéz& XƒÂëGî4¤eXŽÂ ˼ÛÍøït7ÞçS®Ç.HÏù3ÿ–ÔÛ#hC§yF-Àƒ˜¨4-Eš> ‹Ç9ÇÍe6ÿn÷¦c"*º"9¸ ½{õÒ.FËÝæã-y‡²hý\ôG—ŒWYË¿P¦1Œ3aœöÖö³í½CX“!†·‘¦h¥µwøËö>.Xºjoò ËGëœ1e.¨$})ùK5 uj¿)¼ºõÈdH0—`àâ¬p/•GÍMä ì`Ž:É\á!/>TÃúFÍ9›¹×•\!äïxMRE‘\!¯×¬XÅb©Â‘+9É…G·¼_ô•R[T adÆÉ_\ò(=ò)?x]+³º¦ê•ÐSƒö€œkw±2D‘Ó”´à!“­UÉ$]ˆ¨a~g ƒÕ*VŸ=wNZ°÷pK–Œ½ÉØk²äb:ÀS#±×Qû ¡‡1Š’¿æÌElowß¶Æ…bÍa@곇»@uÇh¡ƒ©!ÁhŸž€âûþ  ˆåž“Ç,4e7S.p%_v›WMuƒNÉ(³Bã²¼³+ÏÂe)ÅÉ 5ŒâÑhÐïÚöbÄ6e¤Li«ú|ïŽ.Ì·Y¿ºCF"•S43룫½!ý°+ÁÅÖÇãäû¥·,ƒÑÎuof´©«r aûnàS6L£ Òñ­Ó’Z㘊ì‹­E~sÑ2³§-¬´ë…9ë—›+“µ’ødã½dMÂì™Ï‘ø ½ª µ5ßBfŒò7y?ÔÞðyK¢°=%7g.s,“!Ÿ˜Ík9Ç6=Ø@µ£áÌ1ï4SÇ™cÝpŽ~#kå è®`õ‹±î¡Y8&6´‰wº VÅ(?ZŽp„¢þÈul ֢ݽêš9¨)߯PœÚâ@èÙE% †(îcÕrð½Îø»F-ç­ûÓ7ƒ.œÁR¼ûVòŠbà3[Êr„¢5Ÿ–R؈í_Êݸ_ø¹*”ýåÙ—{)Ç ÂÊVgŸÄE}`níÐÎÕ}¼Ð6«å]ÒÉDY¤N«ž4,£&mý¼nž ›ídH>…ÌŽã°ë4°<˜¨àù ß€j©šÃ¨X’í‹tåç<î*¥ÔªSôefç›6Ö§îŽ#;ï°ÃÊ).g§ZúY–¢ƒª!(½ÚN­ôËa<2¥l¢/B}caH­ÓË>»Ìª×·.Ú8V]âãd„>nôw^P@Lfœü}šdŸhW$F2¢! {[³¢ŒU(’v¶OsÈŠÄ ßÄhƒ·÷ÜAw`=âbªV@ŸÌ:kô0©¤ôl-—>¡•ÚáËM)ð›3R•ü›ä²³ÜéñµàfÜ„ñLT9Òü!j¬Í%¤‡üÓ䢿+vïñwßèríUÖ—éÍ7O(÷IçÂéࣃ£Ý˜Fù3HéD8io:P9!§­W0Ž·Éx˜ ¯7{ƒAÙÍÆ÷ì}º}r|r´.†ÜÜ1¬»XéázTÞã³{7&xá`Gu¡º\ýéè´s @ˆa ­Gø1¨bðR­j¨^š®ÖîÀÊ¢Õìpµª61E·:s‘-2äò1_î…KâÑÝ+ç0R‰™l0èÆXr$E^Ì„4ж,4wM¤¦Ö¹Baô‚Ãa¬÷éªo¿ØÙiµÛµM¤œpWU”Z‚*Ò8) ÐZë´uø ]R¿ ìD(É ŽëÄkä‹|©‚ÜŠâIÚ÷^ðèH=‹Éë˜Ê§þþÁ.y°;MÓ載öeê¨njWv£ Ã.K¹ º(ã¿§1v–W•ðñrœct3“µ©Sײ›áÞ¯Tf9›@µÛ$¶Ü âŸÒ,axIÞ¤.Rmf]ëFiF3ÍVfVt£›æš½›CZæ£ W:¶jÚYlÕL¯|§˜ˆÈwMá#8¥|^“yúÆGœŠÉnB­ºç´lÉ«½LZFw4õ›@jµ^Ó“ëtGƒi†ÿó«`ëBü/z¤ŽX¬<ÆšÓYn¾+„8#¤ÕLRÐCc@?ï S¶±déu‚`ÏQ{÷笙÷)Üa°¥;IÍÖÌôGázû ·ŠzÝOäÅä?ïiܵ¯¾r·]çâU5i<Ú2dÒ@˜-'ªÙ>´îIÀæý4¤8òRo5ë²]vEuuœVºëƒXC°ä‰ù‡›$×™ú‚;#¾«Ö¼tjä ¤älò¬Ü§6gT⠳湬¡¾@B0/®,†·ªWÙB-yA=ÕtCIqä¦\À.'ä=0hâh èR©³sDn'Hq;ù9'¼fà¬8!¹» Yîb™cT ‡í«¿W‰ý¥Ÿ„œ;geÖ(Ýtóz„J ÑÉÅEnp‡å=W†h‡3kå„`a^â2Ih¹€º±æg^p«xH@Ÿ†ÔbðUî ÑRÍâB®,¯8œÁú´±ß]æ~C7@G3ÇýO—b-.aXð6xíu·¾ò†$ò£ÿT02ŒS˜dªNødL ÞÝ1—Dâ í§CDÌBÖfßÿõPJ™};3X§/Z 6iy?gÃ}"4UfÍòãÎJ9ÅŸàtnúèÏŠß) Ũ³~Í«RÁtfÈ*NÌÁù{Óy(ŽÃÝráóÐÙìày•“¤‘X18Ì£G2`t\.Ý¢W\óêQÖoü ¤\[CÙÚ*¬‡e]'öÛÚ;¨Ã?s¯¾+fú~Úµp‡Háy¡…9iF¢]¦ˆ÷Àbš³@ûom¯–p(ˆAp,}7#Ýáå|tTÅÑBv ¯3žÏŸÄ«sv¦f²E|@ŸþkصÃñƒšžÄ¢ª6î’5Ró¬mfúÒj¤ðµœýœ²v¡ d&/í÷$v°ØÒj>KxÎ}¢¬tpláÖJ»Ýé8SXÍÖ}ÑÏ,·®*¸€è7x* ‡þ°Â££ÄOáyg.(ŠÓ‡)‹RLÎd|Kjij7ecnI :¦ã \Fï†`5A—#Ì€Äòí+V\R"»_ aÓ”-=3^€Z{µØ ÇRúUº35¬F èŒð&‘ª€C©ÓJS L=êMÉ{ê²(­á\'¬ÔhÐ>ãk8V¥km[KÃÑâü7 iA‡p‰="ðncð‘¡`ˆxèÀõ{Ftn3y‰•¢[‘ºÀøq£¾(8v ^Üâ›æßÙúþÞtSè‘û2„V™L-§¤ôš’xˆ*ã4»ªj†Ñ¡à%ŽbQ'øZ…^é«Es8=8g¹ð¢Ÿ¢#ÄæZÈÐÍåF’‚z^ûTÞt¯ ñOæUw¹ðœK®º‘DЛ‘/¸(½Œq¯.Œ¿½Õ€öa_ÑVd¨Â\zÿ#F?%Ys¨Öþùzþr²Y© 4vÙí z Ç«2$̦_^[Æmlïw@:Ú©… ¥@|¦Â¬ý®uLß&·dßzt4~˜ .2àG ªg©¬QõQU?Lζ™Ö£(/t ŽØ˜fàgyQ˜H­øÞšÀ¦Fx.á^!ó‹)=ΩìI.&Å+H`æ|ãÓýK·¥ÆŒ“ëô]ÒQKj'9¨ÏÐd©GD×óŠ· þZÚæ)¯ŒýᑦH»&^Âdú„K4aÉØP#)SÙ´/ÛvŠeg9†ZÏomÊB×~ØZ¢jhâÇWéM¡û²‰©’½Œµ4K‹(µê…kèú #ÈÍü.©;®Â¯„Rs‚kf¹~òóáKزþ+´°8ŽOàp&xIIPw5àŸímD/UÍ4~ž}ixPÈ‚ArROK´Ã" j¶‘\ùÁtùƒRÎBÔ$eqɨ‰^ܪk+žÌˆ8¾5)Y‚ùþ }FÿE ÑEöÓ‡ÉÀÎqg¢V!»{í£_Z'¿Ö,<¦+ŒuÃÉàžu]7´€O ¸%É528)Xg© 0«ëÉ 's<j%VȘÈ0ÝÄ•íÉ®ÖEÝ[‹ù½4ºžv¯TÓ}¸ñúIÆŠ¦ŽŠ©˜Ñ²MSðýФu Úgv¥ÜMŠÂÃÃË9›l“^õ” ²A#Ä*k-ò²*×£_`džxJ0Ĩ‡ ¶ .jˆ(…¡ó#§5_78E8¨ÛK›5;wO˜ýÞa{o·…©}ª‡Ö{bælݼ %Iò‘aÙ††0g äîa¦  Gþµ"j)öؤÔÉVJ*sÔöééIçÅá‹vk·½  u.M2ƒÏKÎÏŽÑBë6c¸kqaFîKtáÔi–èòP½~ÖM ÏÏ"–ùÄäëØhqßiÅìäÂ(;M³†S8<@dË›NÒkÊËSvc·)‡ÏVûE«R¿0“1öÓša’x÷ms5Œ®âoíb Ü%0ºÄ®r=;]‰–’’«–ìívSÖB0З‰U-PL£s ÷¡b%Í=›|Áø. . 8 ”¥2.äz‡ÎáøW™P,~J h\åPUgßðâ|ÐPrmðk‰äüìêuù 6/Uмã¥3®Î[h¶±±9¿LIqt ´°óaµ¡× Zí¶^?îÑáÇ.‡rxŸ3ÀEa6%Y!4qØ~/#ç JÕc.ÚDSQÚ±Òüœ°8ØVRÉ…3ÙñFßÂt'oÇ™~ȨD¯ùˆ\§|®ˆñì&)ÌŽÊuŒßé Î3s¼çgÇ%ùö‡Ð@?âʤ͛&ÞÕ*ü½×GÉS™Þ¬,«ºÅlÅIh›œ„¢ϲœCØ(ÁÀÁ»JG‰¤)M‡CÁ0gN’÷%Õ¢>ozü8Y½ ¯ÊamÏN¹›ëFB-‚:Þþ*,6©è~»~¿·rÆàC „2âÔÄòjÙmI#¹‚2²í#P `úªfhrg¾î¿iN®›Àà‚®ÕÜØÁ™Âó£@S…aåN*eáj‡üIÚ×÷ÑÊ«ü¢@¦¦ès+Zd4 %dÔx´•vE×2a`tÓ$h¦¶›<ä·Jݶ¬Ú͹–wJW ¬rÕžM¼9ëÕD䵤"vnÄXº,ö,‡ÈÏ*Ò;—XêF¨ìÒ‡‹XUæ;•ìäø‚{Ǥ‘F²Þ`Îãa"‘p“iÇè9ÉRˆAuKn6m%ôô3·kÝܦ;c—àd+ÌÔÓ;­Y °r¯Õ6-¡|˜…C#7j1ós,anT²·Ãô{ucÏñ6 %L ªÖÐóôSñëJ î³Ý Ió†fQ¾)§ø›jQHÒH/î¹jò¬H‚-¥8¡£Ÿ©gè‘îrí¾ëû»¨©%?F_Öˆ¬žvÁwX]i:ᆠн­ä+ÏT0ʸø.!ê‚–~~qÜ9øUˆÊxBÔÁt ¶žiט}qD²Á…i·´­ ¥ì´Š‘ÌêPULSozKjqrPúd|K›‚¼7 ÈYŒÖ+½)Ú`¨ú©V§Ù¨Ï÷?ÕÏåMNš?ƒÀ£¦lÉëAÍ¿ r« °{fn´óŠ=6˜|,­âY£è—¯¾BRÊ¢Üb݆•Q¬9H설ž¼G-µ @”™9šŒ‰,Ñý{Ùý›E£Æº“ð§fyñ{ø1|›ql.v7uŽ9ïÓ!7 _áðýµºì½ÂåçÓ1Ú5†ïÒ–¨™¤Ó.Ù—3[¿ØzƒF5¼'ë£"»$ôÇn›wöMç(Â*¦É‡‚D Ù£K”2ÕH„$¿Ô¯PÀ)Å7µÿê‰Iôôˆº°7,­¢Š4ÚŒð«ZAP‚ëרøâçã—‡eƒ¬Žj!u*˜p‡pJ‘Ã×8ëžœ¦‹’" i¦Z¬é C¯Hƒ#ã ÊŰðCzF·ª¹yiDO(e9§ 7±ÁL9³……J9nžÆP 9wM{Ò–òÇ4zñ$}q µi5¤›RTEMu&ƒ,PÆ"'“ç‰éîõ©D5ƒ°J9TÏ®xOmQûc(‰yè΋öéÑAÑa÷žîíÔòvãc+{)<’¬G4—ýf.‘:ÞŸ|¹HÃäó,™iC3ÔÀ7Ø@»²ˆcÏÆñèªßÍîðþwøþÓd| :¨M½dœ-Þÿ:,c}umyžÜÀ…5iƒ2{ðèõ(Þ¶…ëqú|¯€ž|²·½ÁïÇ'G¿ìí¶v£í6ü‰0‡§Ï£íŸÚGû/N[û¿F‡GˆÛq²}xúkÔzu|Òf¸ D{Çû{­]ìïðW”x±½íÓè×£'\ÑÉ^ûgé÷8_÷³L › Ø¸Çà +xX)@F·ìU¤1ñ5¼Êecn£ÑtŒÕO@܇ïÞõ{‰õ§TghÒïÊ­ º}Ì0Cºõ¡Ñ~’5ÝQ@Ÿ×ik8±-°Ç’0–œGï©ó}òHö DF\‡¶ÇWÆò¤Ç›8ƒ–t/ Š;˜ö”ŸÅ4ÝÕdÀ Ѳ–pe‡ êRÊö4žÅïÁŸ5žEå_úllO¦½~}‡Tôu¡<ÃŒ`¸s0"†ÿ¢? —'Ûap©dÔ&ˆÁ™ †Ðs©Ý:­îlÿÜêì·žmïüÚaSæÒèî~×Ƭ .À0"&ý°­7¿k>±£bJ% ÂÿÂü‘Ë.è@{‡;û/v[ÕS¸áoîãăp=ü÷ ¸v«¿´NÚp'CsßÀCÛ»h&F¼¨«åFîŸv¨âH ¯—ÝïP~ÞÞØEŒ-r´ïtŽè×6|ïµ^A§ ÍµNöÚØeù´º}|¼/5¶à¯òÒ<Уö«ÎöÉÎó½S˜ôÝþXŽÚ§8l8p岕 ¨×/÷JTº›ýÇß}³ùþ»o:ß<)GHŠ íÂŽþ„©Ø@g M8ñœÄÝ訽*GONvdt­Ã]`­ÄÿʰK÷÷~ÚÙjo'zˆA¥‡¸†ðáÉöɯÕx’^÷»t”©¾Zé!·žnŸ<Ãד£cŠZmûQói´stp¼‡ÀhûÛÏd%I×xã‡Þ©ûg;z·;|é`‹rjÁ/ýsÓãJ6F’Á¥lŸì°¢ÜìFRb~ƒOºW烷ð+œ|üî:î^Â<‚_ÓŒq@“:cºÀ¢bdÍôÂ_OÏÿ$¾v>†;È&ð+• êÿ#±ÚÀ é±w~Ù¹p§2²ÞíŒÞðëävÔ“¯·¼{Õ}ë ßxß„éáì`µ@«9:Fê®2†ö¡–qûÊÀ©kH–î—†ÜàlìvŽ·w~Þ~ÖªžÊ«ê4™Ç€Áã*#óøÔ`#RÔ­D^!eq›wCÛµô‡ôÕ±¾ýèžl zÀ>Fæ¦Eh䣢]nÞ‚Ø0qåíÉ£NÔ|HÉd1Ü2”ìg̃1¥+€^­æštTTÚXnt¤ÃBM:šô¯ÅâlT›œÉS>–?Ñl(ÈÄʵa„ÃáP³4->„åP õôèÅá®òÉñB`:[ûí–~Boò±íU 9‹<–‡ÇŸ÷Àë´ôЛbŠÊê÷/ªÄnŃWÇuéøù1Â8Õ,u’;ÏÚ§šâðNû×öië@ù¹ŽN>6ê{þê#\7”7Ñ/q6ï@¾BÆ~2ˆ™gõôhÿèeë: ¶?Fø³VÒkB½oÁ×ô-2û‡*5~7™h½ì$Ü 2ß´È9ÑÖ C¡§Ø ø¹žjO+ÏÁ²ò±rχµVNÄ5q/ÏÝz"!b̼kšCòúÆÌ*ß×)З AñF®OõÓ*-Špµ£ærþ?î¿o.߇½qÚïé¿»”¦«ÿìÅcûÏæ2Röyfž¿Šûo§ú¯Ë¡ùýj4}¿¶¦ÿì­^›ËƒþpjþÆÝù#™Ø=¤£dèü]èß³tûYs¹– b‚…ˆÚ@mµuxŠÒq9ÿ²aXί=ùžœP‡@ûOœÓ…ÏýµÃ¨Ë ¿µ_쟶»µ´èq÷© ´ÑžêwÙý›’Õ£²_°rdæi=;`žíüW§ýâøøèä4H49kÀìæZ‡ìB|Ñ>†9ÊŒrwcQÛ9õîolæð´xgzÞ2a,>ZpÌÙ)buam›Â’.ânâ/Ÿjƒ"ž%ÆTíoïÈü¼Ñ_ ÿß4ïýoñ»¸ã ÑÙhüÚ™?îÜû…ø¯í_¶Ñ»½¿÷×íS¶L:c 4å VLi˜Œ;^~ÂKã6Öô¡ '@ h‚ì¼8Ü9µC¾ká6s'«ÓKΧ—î讀ö“qÜ…ÛÏ7•©7 ‡¹ûÓ³ÎóÝ“6ò5¼nµŽ;ˆ‚½ŠIãïÜðýø›'xÇ+9ªÿõwß8ãþý>÷gÇi`& DCzv²}ü¼<óáöö/-.+±sôâðtë»ráÙÅe»D—bÊ6ÍO¹Ésè]~€ÇKÔzT¡|邚•Oä1°Š¡­Ÿ {„ßýlG¥ég>™xMiËŠ ¦­œÛpã¹EÈð’u'£°2”ãÊ‹5œÙmiœÜ·)L04í V /¢Fò©Óä –í=\ôøÁÛx»îîÁmÔy ôâ3ˆÜÖxT€Ð]QùE–ˆ— (’c‘‚£ãÈý’ôUxïýV¦CjçD2‰ãK êuÔÆp´73lø¡I›ù,’Û)œ.Îõà`û8’__ðŒY/´¦4· ½Nù öv#OE_Z1Ë­¡@ë‹Ä¥‘G¨YDNã4˜ Fá ‡¶÷ ‹÷±(à>:ç,ðéÞ3ÿŒ¸ ä/Ï8Ë’1Ñ«&í'i(PÅH?Å&íðmjššyóë°ªrž›ÛM„Ý^V¾¦&^1<™oú_Úü\#³F À/ÞjZ˜lz!§ A‹ï“tš 0Ë6‰1ûžPh¢óþ$wÏè÷ýFøÏÑIT$yk“…z·_´Éâ¤JQÀ‘-À°®ÌK­”ó|`5tÃaiY='.[³*ÙŽf£Š\vè>ј1ô·K.£€ëY¿b>+0V„L¢´³§˜]7ô°¿wø³ñ>V Ê‚~ˆrÆ®'4¢»LA^ùä)ÌSÑÅÚÏ·ábvÆ„dÇ¥îK¼Ýí€Bxµ›Ž1ðeÜ[ÁçYáúï÷pSXîjý=€Zt¶ÒKÔ êoLAa9.¼Ô¥DÀ µC‰Î~ýsPCT@ Ôݼ‡z}\T>²Â´Aí?)÷ø¯UZ—Zé?þï¿?ã?ÿitø?%4²8þsmõñêºÿ Oü_üç?ã¿•åR´œ  \[»GìdDM}¦àIhiñèIîùÞá“Ñò狟tÇñ‰”Ñòg‹ Ä¢z÷ ¡¤µ¥´,~%*Æ×±(þÚ¼*ëržµÐ~ 5X±âÎýá&x-l…Apé™êæ»Wcæ­ôŠêŒÓpE¸Ì)‚Öãö¨`š“hæš«jX E×uw­0µ’F¢9OíÒuT-žÈ)bS›”ÀHÔ¿$±8üþQ£/10Z}¿ŽD„%3ïÉ5‰û÷çjƒôšy«µȽôüo\«6Â:0à.„•Y¦4Ùh¹XèåUõÄ£‚åð›d‘´•úb:$U_ŒP}A»R|‰ö—Œ!'Tþ›“Šû«‘êxâ:|¢ÀW¨$Ât蘌ƒ +4ªcÓË!§ b*vŒGþ&!A}qwbïó NNS”l#1“ J `™ëé`Ò ÜèIT)%PÙB0oÈŸ 7QGEP_0½‹ˆ©«—dýq,é Y£ã*Çþ¨xu´/]OÊLƒR=AgåLOË ï7…HÊuFº ]d€Kç•kIx‡a¤>ã÷¡…'˜iDZb;è;#j!h9ÖŠâ­T«‘CÁ€¤ Á½Ó¨#z:ÝAJAŒËÝB¬ÁŠ¿ZS”¾0fõ£èÿqjyÁÁØ `d|Á÷:°Po­'ª0ôÆT\¸jÄè«h­áWÝ^Äl•j ΞJžCF ó• '`Æj•«.Ò“|IÛf( ]*Bƒ•€ÚÞ,Æ-– 4ûXo.@›™™_CÙ®¢{µix—£·§‚õ-RGܲqÓßS7WQ ÌŸ“‘AÝËp*¦ýì ,B“©ÚqÈÔ©‹¸¦“€œ«O|/½fÂ’J=ž¾À­Ý$ º ËÖžb5•^\`:0Ù’úÆ7“ñ¯ ¹bGp!fLÚD€;ñ ˜-ÎEÀÁQj3 ,¶˜+„g«†¸‚:Áíaá²”wI8_~÷xQÔ",“§:íéÌõø­Æ¨!a¦‡Ðb¡jw™ÈÌã»Ø"¤W58ª… i$h_AŒŠä†þ2…ÐðD-ß©5šbÛýÖá³Óç\aDêŒø Úç38s¾—8÷Z=,s8½š“^̱ úCGwã|Í-ÝøOÕ&Ÿ)—ÂÜ*®hÖ§:ruå-Î÷X6ôè§ÿúyïp·[ÌãC¼¾;Û'ÏÈX‚PMךÅU1û¨3¾YÍÃÀÄœ ì6{?ß4Ó·ÞܹJìæœwB3¶^²ªÔ»«…ÚQ\Úì¨Bdß–WBÂ¥¹ðu&Ñ`b ð›#á.§£Bì<ºŸµ£ÜCîYA™¡ogÈÊ[¦ŸóÉÕ]ï*>Õ6¼zÚioŸv¶ww«°6‘Ãmç/Un† ªò5éH _Æá÷–ÍheŽ æèAɧ#é9\­†WsÓ–i §¯°ˆîG;ÁÙS0çç7ÿß Úÿtñ5³«?Ç4öÍ“°ýomíÛÕo¿5ùßOðóµÕo¾ý?ûß?'ÿû‹hå¼?\É®JF»GúÿZ»{§QƒQ/1ÍUg¶J©†æ •¹mÄÓ÷Šnàö¡Ç|ÎÑ·ˆ–F–NÇǺ¾ºö¤±ºÖX}Ü\]Ü¡Aÿ|‚UT«Ï_¨?jÑzóIóLE–(pîžQÇÄÓÞ  ¨‘דñ;´‹aóËqÚ(Á$«qý žü£ù6uúûKøè?1&î7¯û“fÒ›þP§´õ’›L¾ÃÉì˜Lþuôüvz1¹AÃÛSÄð‰¹šîÞ°Û¤ü'–òIÈäÁMD+f…–×àBL é$—hÆJ«2‡Gм‹VÀÛM.Ë÷&C¹«­àž‡§Û?ííïþж‚§{§‡­v“Y£m„þ<ÝÛy±¿}¿89>j·š8)\Þ}YëüoÓ)á#cˆˆ6K"øÿ°·B©OhÂD¸Ž YHõ™d|)õÛÆ»OÏý.t×M†YBð“ìŠp+¡|¡h57#Ø"D+{JZÖUÒÚG *(B0ì1%"Î-Zo)A½Ù¤Ìïí ±÷F–¼Gh61ÌÎv‘spe¬5щßv]„X’#Nn£@ÔÔ°‰Œa¶@ÿ"(O³ ujmaʲi׋ -HÞ¹ ÆN Oª 6z¬2š`="^¯x¢FÅëà€™“Ö™TP¥T±$R/¦*‰ÇjïôùÑ‹S2Æ+›ý¦FI$"¥8Bïi†ÁË÷!Ý(jËéñã,Â$ÆùycJŒûƒŒ§ü+,ŽØÖ¿›ô;fÀ\Ò…6b,1¢ŒäÆeÀ¦98™u:Þß_M&£••›››&ò•t|¹2à6²•àbòþ³“íƒ-aq%É1ÖK¢þs¾:\.1úë"¦Cù¸„,¶AÿEñ0z‘ÁcMùÃ|?™£JsEñ×Fã*Œ*´RøOi*I 0±¬;î&Ú -tÓëk´9iÞî»ð?=( ^Œ÷{"Ã-âÉUæŽvf[x|)÷˜r¦‚bµ<ݪîq/‰)Z-½£ ˜í Â5È´åE£Ú pxÆF{0WvjX“+ŒBAfŒ‹uŽQ]“q<Ò˜– :JlûæJŠ"Ü#Í&r~pÐ,Eï#eŒá«n‚i¯#¤ÑâDŠcBùö‹Ó# UÚ*#D9®Cù£þ=üæÌÂs6IV¾ÍÚk)\‰Yz¯ænìÊÚ¼a‰‘ÿқƎþ@/\Ôpæq¥3)uÀWŸª_¾ý¹gU 4–JfŒ //Þ^‚”:]cmXõX_ ÈÂЀMÌOÓp³ÄÿÊS[xy£Ì±¾Ú\ûv3ú<Ý)Y¼„)Dèÿ<þ;¦ ß„MnxZ0ý]Q…/^ ³ÿ¥ýO/¬êˆò$/Fà§ÿ ĈS‹þ›Éï/G|Š‘"hàw#f ÐØbÄBB„ ‹ý¿£- ÓûsĈRÄ=…ˆ?[†¸“ÚÐ A³ÿ˜ã%ϧ—Ns–ñ‚˵{EH Ñ%PÎJ#Í;I -Ì•ŽAwˆž<:§é§K‡E¸%õ…ÕŸ»]Œ(ž¤r(ÍŠô°x”2]Á YÔ3EÍè÷¤{•Få¥ÕrôƒîZ» ¸Ž?F•ìÃëßVÞ,/}øPùÝÒ8±u8MTY¡‰=>`ª¥ dÙU $¾ëÓ!Úíõ¨PFÜB=ñL ¦qÂË¡…$\¢º_éBalÕ~&¾èâ›U–¾b ÝEÏÆ“É ay/R`?¥XÄWE’fT?ïŸxì½”!Rn¹îÔ­¢áŒô S¥ÖQ¢’M*Üä‹Ri÷ÅöþÎv»µµ¶‰‘ÿHs꣈YÅÁÏmq 8gÛaÿøkûyG¤Ù¯`a?–©»š\O‘©Âãµè‡•^òne8…¬ÿðZŸ ôò›§à4:îìnáh HOšëŠ)Ó…ñ× ½ÜlÞÍF¸Z‚5²ôÇÚWå¥ÿ,¹‚Z@?:œ0[MIv™òAˆvû™ÄFã&'1bEaú/ì,Lã2ªè+[ü·R"Dp¸4àží<Û?ú ƒÛ§%©ŽA®Òß«(%6R¸þÍœGF¹ Ö¿\‹øˆþŒ6a¡³¸[ºè#Aî·£áFÒ`¶`ÁXrèkµªú¾¸/=9"H Ìqn©ó ëŒ94Ù¿³ø"ÑãFÂgp°­ýíÃgôãh'ÑþesÁ?;§¿Óߘ¶}J¿J u»ÔKqï`@QYÑÎk+:+Ÿ-ý±Ä­1œ•y·-»5Nª#Ïl-ÉoÖê»ÒƒH¢z >ñæwVÖm-QãgòÉfD¿YOŸ•¥{EL ;ò†õ-¾qÑ/—ÐéMRÞîñöéóf =D0eþ3GâxìH†ÖGqïi[4™ Ø=iaX¥l´U‰*¥á`«Rª”àÁ­òR6z°4”ù:FYw=q¹ßÁ-ë?6Æ`Œì6›$ê¦GSAe³Qg8èS¥'éø }Œá ãWv s¢ONä±…»ª÷Ï}†Ni?Ûª =qT6£§ôÑþö*jt£àò°§ÆjaãN-|ø ã fK8Èx¤fkG¡÷¹ò¥RYAX¾²ˆnDle(¸:Éû¤;p*:ˆ'ûˆ*~ iÈà%ã£B4ŒLè¶¾8–ë'ßAU9º˜ _À®Ûå¿ßÓߥfx¨ˆ£ïð’Ðèžµ;û{íS¾úâp'zËø¦4WK÷§ÒNn.¿TKÉr”Ja£¡ds’@ö‘• ¹4H”q‚U™"¢¨J©. Š—5Z­D×E/àòÞ|Åh#%èô™]ÝSTxJU¶$œDB¦Y6%Y‰4ˆ"Ïh"…¶Q²KQ$’é÷~dÒ¤B²„-ÑÒ3Ò2~­J õ)Æk2†oáM¬±ÉZ0˜;Z+  dDzߨìL÷ Žn—ꌗümÕ$oá'D°µ´¦>äqàk[KëêC>j©'ÒÄtÝ1†B;(6ð=äÆ ShòÌk$"¼…q+;ÛuÉŠJ-rL4hjÖMµ!@>Ϊ-уCÔŠ}€Ì¦$yH °8´7±5çm$qœØnÂêô‹¡°4 HSÊZ†]Ô°ˆª]Êp4µ®Öâ3 z×±¢ä¢äªó¤Y2{è FÊHzVj·²•xþ+çóþÃ3a=}Üǵh=z=‰¾Ž¾‰¾ÕìÄízÉù¤<÷ƒ’&iјo˶–š4.Ê_þò÷è$œx>ÉÍ9¼4ñͪ©×á2»5}'í'rpŒhumýñ“¯¿ùö»¿XÝ gâBÇr2KŠ·p§zÐùÝ´0¹©ªãï"ûÓÈïZ…ì£ lý‡_æ¸ìEd/_ô½õŠ5@<{Îê`¥8RÿÂjvšÉɲÎËz¥ågÌÿÆè˜ßMíP‘ÝÕ·0ôˉ7¼»} íhìÃÒ¾itë¬fö'dª{›$£K()C»v·~›' Ð-S Ý$Mè1« »_Rc[[]®®ÿ¶¶Z#a'CÅ¥?Ä3Í%€¯¹,JËÃtzyeKk«Qcஈº6ÜËa|íì²M3… Ζ$,Ù—¼ÊH&—ð£}ê|úT>Ý?촷ʃaÔÈä!ðúàçݽøä-jÓòÑ/ð÷;3’“ƒ­2­üÝ~ÞÚßßÂÚ„©Ò¡¿UøqVX‚!˜‹é€Öl؇ݞds&åŒq™·*Ù‡í)¢o0?F}õ[sy?'óô0=Ï&ý‰xA•„ –öÒhœžc:Ûß§)Þæ3!t­lgW˜=KµH’IlŒ/R9 1Œ)êƒÊÙ3ˆlr/†7°Aìœ"@ÂAÒgŽó¬ú”ü³³7gµgggk.yÌHHh°Åü\q"YÑûæLŒ“ н†I«C={½¬@/åß©“ìdårÆÂ ±ÌÒg”‡F®qr™¼çÉD_ô'èÜò0¶:òY‡ÞÅɾ~Ó|ýLvùlå ÌöчYã¶gõÍèæñº¸%qYÐý <…¼Žü)‡ðÖi×(V‡ŽwŒóºÿ“¬°â¬ÞeâÛAã cB‹Æ˜#‚%_M‹¾éX¤qK{ÿ-ÃÏ—›@“êø¿9ž$ÊY…Jê!Ç!X­Léû"ba Sp#ºAEj°ë¯%‰G@w?‡¨«K{½h8½>G¦|Q×eÔ‹bh§²†ý~¸×:¯>|“ {ÂÙ™ÒƒuÊÔ0dêS’q•[Å>‰ÞD“›ÿ„-ÁK]§Ýóø !œäÝ»@> ¿I‘[äÓÒ€¤ÃóŽqTÐ-ö¢In¯ól«rvVá_×ñwý×þKÒƒâ1|¸T±ÏŽÞÞ­ò:üÈÄo¯<:;+­\ÒG¿ñgëKºyêÑ }'NžysvVË? §Ðúð<³¾âΆ++—å.*|òÙ =öÅWÀ?•£Ÿ-:*àãÒ{Ý.„ŠR*d {À}¼pÖÅŸ`Ùª€$#¢Âwô(î&*u¿ï¤ýµs7«RÄ™ (©œ$ó7e|I±‚å´9jоã±SÅŽ8 ƒ(jAf©{f/€r‘#0OŸ¼j”䡳‘˜ëMLN㬋Ñ-öp•?ž<÷4)D.‚)eYE¥ÚFf[÷h”è®›ôQœ¡œBŒëšð[GèéI5ÛLÈë›^`DÇñ`Q—”ÝÎPy €¼¬Õoªø *ï ?ð&¦@Ž˜’¶Tˆ(†˜è—(cžçÍrDˆlƒˆKH(xÓQ&ÙH•a—ñq¶`¿@i°•MÎMQFÃc]Ç’aˆÙ½:(¯ÝŒá"±#;Ìb%‡MD¢CÇ’’éTPfªÃuŸ^3@‚AN­W{§ö‹¬¡'ýùt{oÿÅIkkÿ<ØkšçÖ7QIXú1ÚŠà׾đB«’‘šèè³ë~F7&!‚pñ•¦tõóÞñÖ·ß>Ð-}ûm°¥˜Lª#üÕ $ ülŠ  ìUdZh½%—œ\Ïû'q^|tEô„[uÈÅxÐ眚ì•%ƶì^÷*‘déëTbô©Ñ~ë…7;uI`½h–°í7ó¡Kθ±:t*ø'Ò]mU(€@ › «ípû õzõÍÇhi™Ìén»o0•5"K¦¥?ôïòHžhz§o6p~ºµ&]ÇLä¾´§„|gld·_¢&øpšÑ ¼@Í]{Ö38õa:lü#§*öO™úÕ^R+pê‰oPa¹cˆXoJ»ˆ”_µuÍIÎA üp"ÑV”`M7&|K‘+Öx¶–l‚&ß¾1ù+ð‚#II…õ)v* `ïdïUôMóëft¤ÿxòUt( æ-¬ßùÔò p0-åd¿Kß"»B‹ØUY_]®»Îá+LxøqçÕñ³  §t(¸7bdLÑZTA®Æ7‘Dd"õ¦™¤£Z’ÕÒj]Éá±K‹uNÇWr¤ŠWÏ4K¨þ¢l¹µ´*‘Ö£V=HªÆïK¨¢ñªWËÑt3À'¶JRþÝþ' Jjñy–Òm¥Z ûøŸ"ˆ©Áºvú½>!zùÃëíÆ_ãÆ?Þl€Zc—Ú2%ùœø:Fç T´ªòïÞ[Ýž¼¢ü¬£›žõ /–|¿²¤–…àÑÈ8àR^á’qîx† š[%Ï­çÖ¾=ã¶ÂrÃñŒ0–Û0׎‰iÓ“þðÁ,ÇÝfONÍ™\{G""Ï•àNmAL½ÒÁEÒež¥l¤ÖšWÊõˆÜš¥:2A\)_&²´x„¥p©Øw/a .G×8Ó@‰…ZƒõaÔƒÐ'u-’>ìôÆ·xY¢ð“‰õ7\_ç iÈ'xý_rèFŽm…FZ›TÄûHX;Ú²‚ªÛÇÊBÚ·3‰‘&i ÇÈ<HH<¾œÇÞB’+ðC’Ö(YCÃo†–Òƒ‰È·®Ø–\-³U¸ŠÛHÍÐgœŽ{"pTpžª„«Ê*”æ„ܼ¢>ÇT"z|£BÐË i…¨VÉVO¾ˆ' Z#~êXBp±Òµ’ñp$5Mâ¿è5‚]›iQ@ˆ^†¬vGG$Hþж‚ÑRhªîÀdP˜¡‹"&áØ;ÆÓ£<Ѓ¹]÷'”ÚÉaçÁ†jg2ᢒ_u§û‹‘S‚uÕO³”[ì-É<ƒT@ãX ‚—‚ãE/1¶:kœA¼ÌœB#HMVµñA«ß¥p¯±E5&­FV ¥ ÑV‘|ÊõyA‰ ÉûÍ5 'SǃO:Z.Íñfdo”Í&:PšƒKñBÄC€5±àÑÄ4p¨ ±ºÖjBBr³´‹-#ƒ©(o¹bFhÊM*(Ž]勎Ðì&TpÁ¾¨Ž/Æy#ðÊncæHƒþ9WÛe›ŽÈö¾Ž%"š£dÒ Àù+@^çÉ­–˜‰cQ*àk“†il£ÐšfÝÂ⩨ùp´6'>Ø!Ú|Dq¸¸U"…—s2ภRâYá;–ó5á_Dç <Ás.Y÷ sT©ÑýI³è„z¨÷¢/L\™QJV4Í$Z³£f€íœ¶NˆðSyû°½×¡Ûa›=eÂéLF\–´cŒ •bä©^¤bŽÂ†Í_èöK/ $úsÓH¨äì¤yEü}J¦R¯öœVFáìz&˜mÞÞL¶Êk*XÎ8ÃÖ@™+/yOæý_úâǧ"¶Gšê'¸!0†­ÊÿïõêuÅþI?^»®lò'¶ J~ú­ûð8¡g›‡/AÂÒgë^»Àèó'ô,|Ò½ùÉoô“‰ŠøãÙ™„Æñ4›è /g«ÄˆgÀÙÒkþ;Ù?³Ëñª6ï„c9 b^øÝþÚmŽI®=µxæ™ßÝôB.É£Å=d× †zÐm˜çf f_`´P %Ü;穹í¬Ûáwž›ÛÒ“ðê!‰8Ímèë`CDYÎc¦¡®cVZˆ¡mz*åú~ª”@I°›/e‡ît6Ê%”’¦X¼u¯§lîÓjûd]€ óÕ¾!ºmD&7ÆqŒnN‘8%3è¯×LrÖ­%SHÅó‘l{¢FO’ÃÚáÁeΑÍ(ÅRÀˆ´ON7j§ibÃcŸÙ>ÿí¿(Œ\Ç»H= Aëâ|HÞ3„-—„TcsÍ¥á` kNÄÖ7.'ཅ%¢Ôs½Ê—}8;7™` ,›ZšAÎÍR„ο¥ùrb¶ <”Iâž'›(È€ üìJ7sžà`ÑÞ†#n \?m{ M'‹§ãåZäs,´}²*íÑñVù6A‡«ÿý+¸ŽŽÛö׬×}µ%Ú õ†b&ã´7€CšÄã&G”²AÀ¤‰~½¶þ¦¹}€‡Wù§2 pD¯>`ö Ž÷áÆúooÔ‘ Ò•ð\L¨Àáæ^£OwØÅNb*‰HL¦*Sɘ‰hs@Þ£¾pñaêýŒ·7Kèd°‹Èd±IÀ¼F?¼‘ N,¸;¦rtFc§L443VÞoÅ›Ñû¯¶ÊÑ9îÅ®Äð;íùûrÅIÙ2oç Æ]Ò©3ð5@IĤwà ÁþÛy|´(u*váqFÈ®ÿ±ÙTéVûÄZÑU¾pƹYKk_m-­—1r¤¢ÕbуBàðê1êGñ™~&~†X¶ò’ûæ DY|,˜ëµ¦†Ãù9êˆË|.#2üè¿É!Îìˆà°y0Š/qt[«"Ð|]eA±EäVi¦ÍöUŸüÜ~¨ñÏX zš¬Àû:²2´"ΞEgKgUœº³ŸÂx§Dh§ÃþßÜCs£àKÓdÑ‹¥®ý¨ö«TïÆ²  =Èâ£C7ø}è£EO1„ˆUfåÈMCÙ0ù"Ò¡iðgòUC“ÊÔÝÊd›0”¸¤ÚšßNTf;»E„ü ¥¾Ñ,ª €òT•¤ ñÖ‘«@, =W‹2H¸²k¾}T•LBÅj’Yd¯B¡ Hô‚Ñnlâïa«"ææ¥ÊÒZå÷ŠŠì¤½‘B¤8¸ƒ*gÕæY­ò{ɺØÔ“K~»úsÝ-C;úã²{Õ9Ü xëÌJ¾0¹ŠPáC>"W1ƒ™§U"—©ü´e¥cƒYø–RRBþ’¢g×ó,U« |ÿ«Õæ]MZè˜y3éNƒ ŒÖ`Û°ç¾…#\ZŽ:ÒgFwoM‘Å’Âå+ÊRœViozÚÚ#ʱäü?ŒñaÁbJöd# PD¸ƒ£ nBïkñ¥ ÒœYQ‚&``†˜a3ü9½¸è¿ÇÐ%D‚¹NañëÎ2%Œm :à©”Œ)íy¿—(DmUÄ[n2âËNB¸ôÛ½Jß&,S‡™µ¹#ÊnA¦xÏEç|«Z²­¥?Ö>\^ùˆG·ÓÛªðÁ\³ΖWÔ ç‘õî—+Ë—Öí¯å(*xú±'kòñ¬”V26âNFû¾Öмsjš¡ÚoÏò™™xèWKvHÊ|x¶ ðš„ì,67 ¼eîpÔ+t~¬ó­P!+¯YŸ—+%Øt}ð¤ >?ÛÇXô8:<:ÜÝ;霴Ž÷·wZ­ÃÓ»å NÒõˆ¡õ(SW9Y±…²6="îõTǯE\C¨¹™ÓžaÓ^ ÕãÌ•è…W‚¼#;ú\Ë⯑*âèî^ìm~DnnáÊ!¶æ ’häÁè«^rQ= ÷ ¸ÞËûá>Ä‘:Õ»?TšÞ!¢×Ôblè¡UÞ™Naónë§ÀæI&VÝí'Ãî-‘Ð[1’Kñx€7TFc"¤€*Vr™b0]+Úû¼,ÅjÔc-šÕŽ+cQƒIô7äjV`&'²;¶Ù…rs€…Ø69”kQ¢<¬ÖïqxóöÒ¦ÿ¥?˜ú?RÎáN{’vÔÊ ÀZ$âÓ&ÔŽ¶§BYuRº ð(v`ðê<î­±”sÚjãZàüމYÄl·®C9YDf§rl ö•RÁHu!{‹—õiÏx`Ô>=Ù;|–Ÿ­\Ãsžíƒ¹'Ž•ßoÊ¿P — e a(1_>ÑÕí °]DéÓ!ÛýÊùŠ.xBo~M +Ý.;m¾ÿ¸ôÇû/I÷„ùTbñüw®…_ùffZQr*¿%Çá"Î3z˜MùáÚǼñ䎭(ÃÉÚÓÊÍ岟L zé:~mà›y ¥þuF‘®ÀÛ È²™´ìD´²±ãt44’Û–’$Ä«z%a* §Û‡[®Y_0¾‘®Wèܧî{k1ÍÊKVh¢ÚI6r̉NCêVRO‰Šû Ö³Ò¨”,¬ž|Ÿ¶±¤±\ L¦¹xË1ƒ˜A½¤ôvò£!GB¦¬×† µeÁx©v‰°ñÇjÇZ3ú”³~€;¨K¢ò —¨¹Â;ð’xÖŠ’z¨¢ º›PΧµ`à€ìÄ›0ÀrÆ» hµ‘!Öm_eŸ|¡¿\¢i pÌc°ù5ÏZŸæŸpªx™Ã¤n@ÕÇð4‚°'‘@¦X£‘âš<µØ·Ö+ ’rËéÍ´Å¡òS¿}ô×°ô·ÃGû~Àô2ܨ×?m·I ™‰¨î†ØJK3¤Ï%)³KÇ’±iî’7g•‰Ñ.õŽÑBžE”Vd@Ðq!5 .³ݤÿ.Ö#5`•ý¡ ,œOì5õf;ëfÂgo®ñÓƒc ÆÊäzôqe鵆V>º·ÓFTpù(Â8á:X±wù¨pZ2Þª>ñfh¦Ep1BÈ÷ žø§eci©¤MÊ%‹mòd)¢V˜áÈbÅìÉܘ¢³"›äšÿ]^Uħ»z%ÿ9åw?TÒ\HÜ^>Jò©d>á€(<˜ðgè´N'òê“íÃÝ£í:Á\ų´˜jp1þà÷«a]Ü¢w¿3½Ž³·[¿Ó?F©¦?£ÕÕo¿ 2™Œ÷øR¨iâfoÈMRSÀ˜¿¿@éõ9±t¨¿B\@†0ïô ÎŒÐSè VLk†-”±Ìmh{ê}dí§)1ZÚ+ŒáË’k†ßV ®‰Ô]t¥æ~?±ƒÐñ`¢#ý·¬8ƒÂÆŒä^.×,~Ô¢ |B þ†ÑÎŒ«¸Ô½é5ÝÃFîcºi*•¨²R‰Ê”@VvŸ ÏvÉmAaò¸5K9ש$-bfˆŸIâ„Æ¨ôâl„‘%T;Er8ì ®nu(eé Þ}m|`ë!=+ªïq 3Ž©n÷ÞÅ î_’H†ëŽØx·487ú<¹ŠßõÓéX-ÞÊÊʲ½è/†SL;ȆÙÈöAª‹sæŠr«sËá5uó&(LÄã>FèPâeò®nFÇGí½WèÇJƈ‚©V¡²²R±Ú‘[QÅE;·—7ý!ÉŸ‹#à)÷²…VÌÛŽv@,\iüDa¬7$ÑPߨ~IçÌ•sÁ¨£Í™DäPüJ`]œeپÊ:/ž$p™"X ¿”DÎéÀQY: +ÅÇ0…*œeÇâöùœQÈ$ÈñÓ‹ "s†“„Hxy‰Ùt¸Î±Øh:XÎ8va̼شÇÈ*Hsg”bïëŠ ¦.¿ƒšG•€†ÉœÔÄ×7g!ÔmZøˆVÑάH{Òýr¼¾¬?÷8¸ùÂðlQ;ϲ„Äî]L~ôD¸g‹G“èH¼‰â¬ kè(Mº˜³ÐµmET¡ Q#˜Œ¡+mðùGÁħ›+>0ƒëš£¢ñà"Oœ³–4>uGEÐÊüŸF:"CèŽ@ææšk ,s^UÊÇ¢?q ^³—À¶~Ù·(ÝQJìIô…j¤´zÔ¿¢£-øæ-+–¨Ùt›;¦*(\lrÈ›”ˆÑ3m‹(B›ÝôIB…D̤¦Åè(»žË²;•m}È­ˆDýôóƒ¶ã‚c‰Ê+svª™äÖ6 ÊàÆ¸SC_LÈý0sa±Ó! ·s»¥y7ØŒýp•Ž ¥–Ïõé/àV"þMÙ#¢‡qË×”îöVì|ÑÉ™x ]VFÝeÛX×I'y\ňDã“ô-Ó¦ò d iµAÉw¡ò2 ãqà†Y”,\p‰!>Ö¹ú“Tš¸±0BPºe«Ö†½Äc¹ðÙ(Ú>ÙA­w·} ÿ,ìd»‘œ–rÁ´–XÁGVºB¯õÖ,Æ3Û»ê±P©àêïNýs²(Ì Ëâv׋Û=G°˜Ùí*’¡”-©ŸrMÐjñø ovÂË#ÁðåP‚1$ÏYýRñz¹œNúÄš'˜„NÊ€ÏܼfXƾe=hßÎo1–åà` À!¯„?£Ð•g´]Fu¯Ìa ¤”éŒ2írõ6VŸIãG@9c%!ŽÚôÔfi†‰dÏáå3‹ß×ÊŒÎÌ>”óŽå`.måIJàU§¤²\[Ž•WÙ©(¸§X3^ïLÙu1E•fEUL²îÏfÁ$æó Ñš¸j ìÐ}÷¨oƒJ̧¨ X^rñò݈´ÄÌ4ÊU2éw)1™¡wáMUá[25÷$ËS#Žñ®ddMchŽÇî×¢â”:·ì × â4£¡L†5Nh øR¿ ÙéÛðÚ§Òs”&rDcõ¶d8É*üÕ[èÙ2ÙìÁn>ho…80úúÒÃM»@>qåõÙÙÙïX¦QÒ¤š ê9_ný.€ÛDÜ®äóF,ˆÜòï…· ß* "ÏPC'sö¢¨3ú Çgf¿•É7o©¼P–ɼf‹Z5^-Ta?fïÈÃh×¢wŠ®¶ ÂqF“À·ö ¾µqk‚Ö Îº .m§5Æ%[ ±¦õÀº—lXB=ñ GXøú|Îa¤o“ ÎdŒþ´=T̺”¢Ligpq‹æ6S>¸mÚdûúìÿ=<ûíìÑÙòYõ¬vöÇÙdzg›gߟýpöãYå,:{ðfùÃ2üϵ¸ÀÒ[„x–Û²³òRۈߞ£`äÒ\ú¾#Y;Ôü‰´l“p€¥Z©ŽY'ù'|« %õðv˜Qp§®”M®à­aà¥ö| øðÐ 9qŽE*Iì–†x¢C§ì‰´)1 ^Î}©¯ ›qZd&½^iHIs‡y|Öá3ö&‡xÇLÖðéŒáláÞLAšyËr+¤'»Þ žëT™ñø¤…‰(íOñŸE£唰W^Ç}&ȼÁáд;dD3WH¬lRQO¿‰kôÙRÜ“ !„ŸÌåXê„YC5u”™( “P.~ÿ‘ñLª¦ã[ݪößa.ôVõQ≎÷f¸|¬Ö¼WܱYñqãQ±{¿n®7מ˜°Ñš$_}¹ôëGC‘ȶÏÓÉUÄK÷«çP#Ð]&Ö8Ã%á’ ©ñ¬ŒBtû†”?/ïµàË?‚Ÿ?D–ôñîï}‰–¸@ðõBKɼhݰ¡¦Ê…Îu¯çc'f3ûò·¥µ/¿,ËX”`iýl >ùÝF0ø¤F½Eèt¿1á‹%õƒÝè5&:tZ¯Žß,Æ …ÈŒ•ãëÆÓDrÚ¥¦4Ëy†uòpèÆôð _à„DÞ€^§ÀáÃ8F²tóñW£e¼ ÷£Îuc: ÄLtVLŠësì ÙÐÐz£²Qù8ƒŠËõºg㨸ž‚¥YŒ´l9 $6µ\]‹”qYì.¸ª£~ûžYP…†âããG´€Å-U9»E]Û¤?ÔŒË>úÚÇÉHyô;Rοq¬;×Xy‡ÒO›¢të>™©ÅùdjsÝHØ&–94èP!»žfS ´7Ÿ±p–L’ÁùÄi^Îâ‹D^.ÿó(w2C…§h;#ñ—*oHA#ßââH!/nRØ"WóÎX¡Ôò%Ó•’C"*ifd ![©ÎAÈÛl7þºÚøK‡L0ã„ê‚H8J¥SiFO§ctÛ¡+ã=O.)‡‚VzýKLlˆñaÆX£Xã¿ItÓŒka]à5Œè ‚É-¿þ QƒËG¹©†ô,j˜­üvV¥ÖÎj+³µ•Š|üú7«Ý•ÎÊeE…"È­µw&g'*Âõdñ™Ö¾ÅüÁ°Uª1ô“Ä&+ª>ŸíVO=zdy‚)Õ0o«Ì¡p/˜>{* |^ªh¾÷Ï“6ªEe sREÕpw¶O[ÏŽN~]l >u ¢—üÜÓCºtàEÓÄe#»«áÕ5X¥e¦êBTšU7ÆOéI Ì—@˜ Cð 3! v?¾ä,ÓŒÈdÝi>ç‰ê&¯NãøÂ0‚r´x¨l£o!³Ân;MÆClÞ÷î›=o9å$¯tâe"¨sÎvgx¹uñGg5Cã\²AïM(FÉÒ1Ýè—ÖÉþXŸ™°\Áç£Æ/µ±—ÉëâÙ¹ˆ*¤ÒKÞõ©Ò.i¶¸-ªzDŽûY:$Œ©û£ªHÆŠ4ÅÐý,Zk~}?›«RwK}þ¤ù$¦¯ž4Fc± <á±,U7á[BrrεѴ♨Qa.6Mºro g«(¨x®æ*…±¤é®ÑxÔD°zœ/‡ýõhû1 ó¦Üê3$tÝh˜X„EˆW.¾]?éÈ:¼,!€«Â}¸»Uxl˾eݧäh÷!â]„{»ñ6Z«¯ ñßõú:ýû¸þ˜þ}RBÿ~]ÿšþý¦þ ýûmý[ú÷»úwôï_ê"E©4kàñIë—hçÅÉÉ ¤]IBá¯|z7_#)A—%¥]émîäS±×CÕ6D´í#zË)@ˆö`î!y‡¿–yszü·rÄ9‰%À§Ë%»…Ùòå÷¸[ÑûßÝ]4[#’ÄÚß—ù¢£GÏÞË,¨I¥(ªCÖ`H’Ñ7"<¾(FnDÕ¸×k\a= ƒ4P¸—O°ÒI®†ëQ áô_ oÛˆÊk«+Ü‹æÖ—·/WׯñG¯ ?žobôúéNÙm‚~ýG:Dì ù¶5ìÁ ¾ˆ¤|ª*ºëS'B)'¬áᥞ›%wë«kO«kÕo›«¥s*¦§ëÑh0½¼dˆ]ŸÄ¸fXklÚ6]â©}9îO&\)÷r~iF¿ÄÓË«”$è‹j$í¤£ÛqÿòjUwjôi~|=Ũ¤vz1¹AJ}Šñ51WàÚvµ³ïJ _’7±Æ2 Å\‡Õ….T’ýXäëÃ#®12Ær»Ée£@£7Z';Ï·O·ÚÛß;ý™ÖÓ½ÓÃV»==:u9Þ>9ÝÛy±¿}¿89>j·š\‰þ7t0`€}Ü™ó)§ãÁá\.€urZL[ ÷¡ˆ”©´Ôg‡/¢g|5DÇÑö 3bÄ#üvAÀñ…âå”zîŠR«.¤=¬‚%O¹xÙXv½ÆèePo'næ§…“+,†¨î;=O]y(^î>?zqmþ½Ü>9øuSgÐî`K ’Tm—}¹Ïža)DªyÍXÚ Úˆ  €¦ü+l¦\: ‡¥'ú¨åÇDxów ÓÏ©Bpê„ ¨Ú¤NdýýÕd2ÚXY¹¹¹i^§Ít|¹2à6²•h0ÇJ7Ý o à”tÑ ÇÅp2ƒØy çñ?¥‘¦~¯«+#ˆ—ƒsoƒÛSB 2(H|®¸Å)òV—yd$KIk£ÉÐ-*žYƨ’S*°ø6I,K¡Ú;õó(‚ËVâú¦)W{y*•I9“Ù¥O| …°¢ö¥{~¡¸&þÕÔÁ/+²2IWðNY6‹Ÿù6˜ÒS.c]k®p`µ:&Œ÷¡2m &ß›^_ß*W§ó…žÉ¼Òk-b`Sœ’}„² pwRguØV¢«q›B±ê˜3YðA+¾¢©&M© ¹>G4bǰʕPÈ9OÄ¥ãsôáÄ„ø‹6Ìe¦Ôûb}nÍpl_Q&" a…Hä…ý¢¶CűÈU QCÁ•ÓeO5"=U1£Àf‰n«bªu¾>:>Ý;:|œ«Ý_!·Àµ±‹pŒ0ó“ íùÌíÇ=Ù2L2Kad¢œ~:ô½/ÙDAš·.±§Î™Cj],žÉL4ÆbYg ŸSÑÉ´ Å;xy…¹á+—uxEçÛRÆ('ŽÙü'’ežÊñçˤMY¯á³7Ôü;l^õÎ`¯üÖàæÖ «1sPòr¤­Z„ƪUx[ªh1ô7PWWØíœú_ÌhKpI t¶V¿_&EÌ@nRñ6MâÓXqÖ»’' ¡…vÒÁßÍÞ”^ºFµ>q‚ZTÐ4R¾QÿG•ší Žú9®ã¨Ñ{黸°Bã½ç‰èLýËqÂf(vAX…'3Z‹çö2Ñ:R½y‚è䇃L§YbK.ÀVùí‡gl%RLGKúÖ^6¡ÛÂ6'Ž&}m.V r~ù(ƒ¬®; Q¤Ô]ú`¤f<!2¾›‰×a< U"F@_"Û#ìX Ä«*šXZWˆ$#¾ )Ý_×-dÕO´>’°Y:ÉX…»3;T¾ÙMºƒXÕrÔ¯0ãÅžh r× hˆW‡ãõzÔ—õ²F±àéQÌŽ–˜>õtç‚ t`Ê–]Õ!ßÓ󣣟;øç‚aH'ç•MüYR¥/Ý–¢ÚþDÅ|ciý0ZÝé²F<ºÏ“!Óh{QYÍ¢Ìeh¸jz*Ë¥¾T ¤'5Û…‹á-Î"6{Lj‡vy$Äן&åfÀnOнI '}ì09T ëu«¶3 1wý“öÉA1»¢EDu6ìú ˜ÞË­»Ô …f8³kž˜iéj'å3ªwŸêñìCTYZ¯|ø€eì™O‡²,fÞ¯·Ož½YZæ  ©ÅÝ bCÒ˜/kŠXO•Ô~,“ô´à¨—ÈkH3/Áƒ žJ)´±àûùz¾ˆ•.•æ 3¥”ÞºˆˆÃÖ©Ti†yÃøöd|+޵.¡ƒ„¥5²‰0F",AoeÿɇDé‚zé ‹NIç û¦rK<èMÛÏ%àzÌó]O½b%90Aªç*h•¨H)’ÔØúJ裢Bù`ÂúLVÞGã T™ ,aŨ±M{jpâ‡)ý!}t“ËrÆ÷Íò¦r]X·ÊaLÞ‘Ú}7ç(œnó1,ÈMï*…÷¿ÜúÚbƒz6H몈¸/ÆÐÐX&¬0VVÆH<Xj,NjÖ9¦"D$ë®¶WÛÛbyJ´µ!—Cç *”l}-±ÒÓ¡BÚëYí@Ÿ•ï±Ã¤×Q]vðÿ kX© ÔzÏ17á…+Ú˾ç\Š¢ë[m ‚1}þ‡)Ü`Ù‡æÓ‡QëýD¥>ëâ`¬®êÚúiW‡YrElõX#C¹>ÓH9VÎ*•‰ø–´*ËïWìÑÍ&Qý˜7ûEõ!3=4"C#-¦×<P¯:OS¾¿Ë²‹Ë‘ó2Èz€bþ5ú´}Œ|Ê,€êvÆI„õ¾2Ú!ª 0•‘†ÉÏ“ªõÃ'D·ÃÅ´ÝXTZ7åÌp 0PDýç4½(»‡úr­Kµ*‡ÀD¬¢Ö&•ŽåÄ)5¢éC#«Q¬"ÿ¹µwÀC7û¸-áüTÝ]W´I^à ¯õ c‚”tÌZèÐ;¸©ÌKá—²WÅþ/g¦ö¡ãþðâ&Õ¥~ShBTŸ‡¿¬ÞþŠYs÷f!s¦@"Ù®MÒk7B7°þ›î–{_ç}†óKH»üœ,}R4M|·S¼dÑ‚iF½yVXœ"êJÎä¬:ßë)b×÷§*Yÿ]Ò, s´¦øVXs9× ÷×tZaD¢=*À×xndŽÜ›Ä7²œ4Ž]ósHt’Û‚²µHÏEiAÀ}.”¼®ŒºÕSë\w½#Th«ÙS‹Q‰ZÃPýÏÓ*Ð2%ÖœŽÒ?Zöp³•àÜ´\¯˜˜þ®ßC#·z­2ëŠ×ÕÕôí¦KN?³mΕçÊFuÏ•AÀ’¤À-ü•纳¾Êµž£©\Nÿ^¡ï(éÃ(3ÎÚäzòÇâuVðµ!"´< ]@Ÿ|0ɇ£1èÞÍoƒsB}ÜÖ{}[Háú¤Ú‡ !SµàµÕP»*É¡g¹5HȰÂî|á®–]­Wš,#÷éå•­!— òŸØÕ»M©åa›Ðº/ð•Œ} é(åªbøŒv”kØŠö‘ÄqÂñš$õÄ;FTž#*E&&$3*²`¥‡¢Òcñ¡d!2¿w3BNEq‡iÆFhë¶Ù¢è3ý©Á¹U èr3üg¢à¼(>‹Œ]β˜áFœkdÏõø9“h`œ~J®gsÉ“Ù*iÜJeGư“Œ+ÞP®ªò• É:ù/2 9p-G¸Îr^½™Êå–˜¤×Ë„ô¬tŒq âe€q¸±^1ν°F\"qWÇ£ÂÎêÑ”‡i†®ƒNŽôðI¥ì˜qòŸÄQï@7T}…K—yÆáô¸F­Ì×ùW{€a— þc’mXYÉ¥¬[‰Ó¢¯D®#ïCã=ÊÕšx¶* ÷¾RࢳÒÈ÷gÒ¬'„Éq˜å‚w--ù­ñ Sí8ü`ÿeþ¨•æ©8Æ÷Hå-=I¡H)yð 4k0z$/‹† 6l ¶K ××}Òp)…]í|çã8ÙÿÍÄÇðØþ°T¤>if©X‡{hAS9pñ}g p¡!ŠK™ÑT¨rz.6_¡êî~ád€iÏšHþ ¬Ø=»Fº¹[ßC»¦Lþ?;A×Q¹ë¨Èýg.‰3Jßô}ÏA׿m]?+Ͷ?ØU­ý´’ «”ɇió„™Ã"¬Kw5GðÙ°ûÕa5=„`?uöã‡ÆUÍ^%¶w:-¡Æîù€_0þW<Á(Œ7ÍDÉÎ@q±v®µ-V•"‚Éû’%ý‡ÄÇ\¼9ÅNc´¿F“âÅUÙªÐW³ôo]¬¸$˜a&ï2Fð¥ÎÂHèv“Dh£ Ê{Î..kƒÙûffåÉ$ oלã/¿ÜZþXøÐ˜z¸¼õÑ^Óòû"ÍbK’Š8¨L0¹v0¯„+†žk›<"±Ø²JñÁ`ü L)R1çÓþˆ¨Y iJ÷Z)îüž«;WÞc5¸-¬Wù}æjÝw™T>w®A 4Œ­³jƲTQ¥£‡¹·ýnDþöó£“Ó£ãÓpM¼£îJýþqw${zåyûÄË8ä <öëC«¸Yó_àx™U[œŒœu óóãg=†‹I‡q†rùñÏ?/Ÿ6Wš„O­ Ôð™q)÷^s&…ë— ‘ÓÅïcLÑÍœå3æ‹lé¹§¬ñÁ?;"ú°ôÇñö³ÖI£y?r²NgI#n'¡{§yÚÓÓqŸ&9Bßü2N ±šõo¡iÞ¶ò›I]ùÃÒåßoŽ6M±¥W¥ÎïDß3ô%uyú2«3)ž I•q~bhé”õoqúPo,„xR‘9pa'ǹì.Y³êNmå‹óèÒ”ˆß (pýÀYså {1­ß³gCØ‚èƒ]E$rÞ7ö– «•ßœ|Ý•úŠY¼ýátân³|‚…ÌÝ¡Ta.gµ×Ñjã/õÆ›å×ü„ût­ñ—7tvVûp¶­Û/ŽCõ‡7g<á&¬ùäèËRh~üß yR€sâãšTªˆ¾ åÀA*n>i~S1GŠ|‘…0®œ§|mÉÍ$G–êÁ3¦[_Ÿ;†³U)–ÒcX]¼NµÅpòyk0Hzl¤ŽL^öaÓ¨~<–Œ×Åä‡;#€Rs%#@Z±ó¦ú¼jLÝ¡¢„*.°ôÞ|8ý¯68ÿ¸Aíbe·\ áfÛ¼=µN® !2‹mêTóÂì@ä`88]™M`Јq~æB¤`‚ñÌò“p’²9ÙÊfô\28Ü »‰UK4rxU$  7s²Úd"Gf&G¯Žv[ ±˜Þ! 9—|äÙü.å½{¦rÉ-íÚ9ñ†ud/˜O<Äh}UÝúO¡r»)YÌx<DrKIóÖ4>I¾¡ó8ëw½9åscxv¶p©Mcˆ^–ޤ-ó| ŠqÐKð÷iÓɇÞ‡—”’k^Q¹OÞtK8Ê8aa¢AàãAÏœJ0vo%!¼oÏ@eÝÜngfÖƒ~}_nn?³÷g[°é’_FðNAæ¶Tí§ïZCàü3 .+Héž“Ø=#3ý>Iè:3\ýÛ@òwòÃëdiD8& „…cm¿Ï˜!þ'Ø(K%"k_˜rJbf [cCûÀºƒ$:IýD–tòLZ&ê~=kIǺ8 jÌsyÇŒ°‹¬Wd‚(=ÿ´¢šàì4Óc'ª’hìT誔;ˆqÈMbe=-é‚jÃ>ÜùÎ`0ðRãˆ@‹[Z &wÒäAS²NþÖFTKíðG ¸·N(¥Ó[ Md¾µÞT/N‡n—²¦?Oª‘$ö>”Ô]ÑÆÃ{+<„p¡øúÂﱘ¶Ê%“ÊÀứ^ªX̰¢Š8Çççc†»¤7*ü%á+cÀÐÔzB–cb›%ÊòÏ©±NŒÒl{á”\ä v©DÃæÎV8‹GÀ[ü •í=\ªÃq¡÷Þ´«`ÞJ‚®àž›Á˜Óp•f“øálàÃJúª„ëmà k?oíï{ga¬XÚ?ÝÙñ¿Œ.ñe¶A_>Ýß~Ö¶ÉǼ‹oïFÕËáôGxàjìÀ¯AO;é…KêçÍ‚Äï’s´Þ&ê­ß«KÛ/N¶nÙÑ-¶!ûƒ†r´ÚÀKÃkcçèðéü6J'VìÔ÷ðKCƪÒ~h–¬À† g„,!H6…ó·"Ï#4›B~#Âc»¶h C ]&|Þ/²© Òõ4:úé¿Z;§Yî•ÌfäĶž—sUšƒ´ÂP®ïhˆ0z^Àš0í‰Ù¤<gûßÊVÎÎàý³¥•æ>ð~²RJ×ò…|„ßÒ•Ò½ª“Ð4-S^¾à´]3Kb*w¬} ß|Tƒ°r±á¡ÖÂ1^ªò%EËÚ¿§ÅÙßû Ö³qtÒh½8ÙiÑ÷³LÑR¾\öÂÝlHJŒ­ÒìV¢*()iZ0[¥6Oˆ­ám‘³Ž¥öÕgõ³¥^9d‡ãZ·,Ëç– Ó8ÿ¦¶ÑÀ_DYh£ß1=Ç2Ð(CkÙjS<˜ z Î[·ÆZðȨ0P›¨.×’È$)Н`¼íÖú± µ¥p‹õsz“9E… –yÜrºê!5 #ìÿÍÜ*´V¦Z2G ²r±ššü4hð3—Ê á¤<˜™ƒÀ3×]|ÁÇUuÌÀÎp7Q•ç"1ý’Œ±<¥Éóèh£)aD Œr"é :î;€`™n¹j€b~ÂvSÄ´ÐߤvEÞ–5Btfe5ÓÑ´ñ0zæÖ8`ƒ’Ð3¦±ø|¢â§¡ì²rž}Ì|±Í)…·;·íjŸÄ•‘b¿H4š~Ór Ðû¾ht¶ÿ@7ÄÊ+J6/£Š&àâa;f°3ÊõaID´âu+æTsI9ÚÁÖêÎðvœ­?©d:# cøF‘ðl¸(Í×ñø-K…3‹¢ —cÍ «Õ<;iÃ3+Y¶™UdIöë?áÔG #ƒ!kŠ:&¼±œ#eø c‚äü»º;tmMM¬Þ%ð;½Ê5—¬ éÏzà†oõ/‡é˜á`8†D{yª³JÍ”Π[]¶3èf‡¯ É Îù¹ ™¿Y6½~ô×§R´KéqX© JX-•rZY—7%…äd8’º `ù`§Ð.††òŒF_àõ@#0:׃yù—ÖI{ïèÐyGyXW¬Â¸ÿ˜÷$¹ Ölj¾ÿ¾³Úi=-ií|/v÷3ž””²Ñ±(ZfTëKÄnÆøMtâ1ôµw¸wЦËhWd2VËÜ´›°mlj²Vu©ÌW6‘|5¼“ÜXn`vcˆ¨ÍQ|c¨ˆZ‡ˆÿ—Ê´åìîÿüŠé³ë,Ýg_8uV¢Ü‘ªÛMËú.¸¨¦Q÷@~ÒªÔnF•›å‚knj¡[AÊ{íƒíÓçJdÞ©$á»Ã$H®Ã˜Sv”v–ZnJÞ5W vå» ÐÈ:7­Ÿ/^/«¿7HGÉpËüÍÕ½§ÈÕýˆìºú/åíêô¦£z»¼§É‹%ŸÑ‡p c.´D¿È˘à¥óÞÉùyÅÈàceH¾HÓ:#ž³Ìg²” fÙ¯ÈÝñâø_ÍNÂÞtr‘ÉÈþ?;Ç-e'ÖÝü/ÿC?ñüïCwn/â8™ÝøJ>ð¿üýÄð¿ɼ~”·ev?ìIù@ÿÐOüÿûp1¯}ñÁÌn^ø_þ‡~âøß‡þ¼n”Çdv?hSÿ?àæî3ùof·§=5Ôoêù—ÿ¡Ÿøþ÷a:¯_ãþ™³÷–Êpì€j8aæ ͳ¼B e±<¯yv¡–vy8‹g¦ï0ÌDA_[Ðb¦ØÏÍb„ûœ‘Þ¥òÏT„!? Æ)g˜…€óFi–Qذ0ÐÐcŒ $¶‰k6<Ç=A!8´âýF¿ ‹³¶m¾^œÈîæGòeáä*‹Ð}Žïòïœ1ð]Sæx&þë«%ó{éã,äY¹þèsÁ³–¿½6¼•å¬fÙ”1Í{’8a-q1‹QzØyâÖ ¼x ƒjîc•H}SñÞÀ1Ô>7ú…%h2.ÀȰJa¨ 2Ôp ŽN蜅¾ »ÜÄꦔ›Lñmº@Â4ã­9kËIÑpèX%q<öÊ<7ã]…C왈œt«9¹Ô‘‘EM&ÖÌGgïÑ<؇ˆ w;|ÃTÃkâï$úÍ>¶t¸r‰+0Fåù+ù¹k¼Žê€%köÀòÀ]òÀô>/¼ÉÿZ˜Ä—µèÏá‡y7ƒ.0‰™@<¾Ù¾ü¹îNeñãéÀ§üy;÷àa´m@ÆRB³ü]ÄÙ†…ÃðàÁlô…úB!üŸ‰¿Yï-š»‚o°í’#ß½áó8ŽÉòNѰæ6}éÁ1(óíjÔàÉvl¶b‚HÞÊôP© ƒ6ÐäÔZ„)²[@ÞÒ@Ù*m@W#=ŒÚé‹I¯›ò_€"QKð:ÆOéÈ¥îe>à(¹&üõ#üµµöÍ“¯×MU„ƒª‘ËnW7ÿ£?Ä+ Þ¿¨‘~oëë¿|ûÝwÊÖ½½¼é—£Ñò5ìÜ ý6ºy¼N¿th‘~ËdìôG ÿÖ,„ö¾Pù‰!…ÿÐx>QEú¶ÐÉTá\Dk?TÊÅtÀ±Ò^g¸ªºWýwˆîk>NØ[TG|O\>:‚„ vÈN–1N6ˆD³*˜Š+ ô'T˜‹Qã!EÚ0öaO¹©4¶%94Tø€TÇAr1¡Ä3”û(<›æ‘tIS.q=uST• a Ϊ Ʌɇ©„ŒI’;W-Âd\8à‘pÒ9Ü}qä‡C¾À¾¸µ’õ'’?»¹fÎo;§€á) ãây&tŽe[©î˜~ç'™xM© ­fÕçÒ¯åÈYP¶Ðµ©+_ÅãV{L³+B¶í¡x 1Ç_ãÅ›ŒdVh˜ín’‘ßJ‘m_sYyÜÊÑ‘%b-Áê94&5‹õÔŸîí·t™k2æVšƒ¸bçOpô­DÝJ¹ßðjÜq-¨tqáj¨k™“ï „}ôÈ L¢'ç/œøhƺæg:ÄòÞ) ‹L‡bðQjˆ=cÉÊ£@L’0àš®ŒIËá°\DT?•‚§p„ë\]³T2¡i†RïRÄ®VuPo`Ã]’ÿ@’×ðãþe»  "•’RM˜m\\!ØØë$Æ@”:…ô@³ª òÓB†É%˜õF7äe>§$aбnußbà\:~K nìϪFU‹:Л£ÉAVkk˜:ʆ!ù{¬ÿF}ýý£Õè{üHÅP‘'ƒë „~´­G£'¥½”;yÚ<‚E·5ÂþՉΞ™3z‡ô,Ò‡t9ªé‘ƒà(/H¶´hû€tÝ4ÚÕï}CnØa™NL¦4V¶Éyr3F=hÜáý[ˆ¤åSõúŸpÂóãœwØ“Îd ï¢Èq[õý'zݻɻÓJYIeÿÜÕrÆëÆÈ»u8Gb+ä’_nÂV0â¬÷ñQ/QDßGKZôÁ€Åµ¥âfrAŒ3H–ÄiÙŠm*ŘIV#9BkÁ5ßA0¤ç0LP­%ËE#¬#1ÆÔ:j‰{À(_ÌO`±‰—û) UNúr–/~Ú–Û]çˆ:ËðÿM ™!Fôu¥7L¡¢¤Võ¢[C;kFàÊójüá fÁG+RüDw*ß„³+i3¸wçxþŸŽâ#¡¹ §Ò|˜ÉÊ^©\ÑkI•6 ô˜ÒÂ%¤¢–(¾ÐÝíjŸ;GÛ‡»í&‹ð¨¡vvvq°´Î-‰ÉÓ‘I“ÁçõØŠ·Pk!f.2‡%äkÕÞù¢”w¡­yþEF€›„aQù©ð¤h(Zó4²‘ݹ5€³òüsVv”t)´|Ið-ñÊK¬76>†5ôû6¢ÉvF¸þ i´.Å£MÊ.…ú@ƒ˜³ ."w·âMÂJÉÄ<€ÆS¶Á­ýÍ*FÃ}· Ï*NØøy:¹âOpSðbŸ$Òl˜Dë7ÓÀ/©úôˆa°ÔWô¹œ Éz®>®Õi`®– «ëµ/¢h{¥u]ÕËIRw– E0©zR©¼SƒÔ+Ë8»¬uq¬‘ñìl¹ö ÉGI_"ð“æŠõ™òŒí¶2»ÍÆ) ðxûô9•& °¶p rܺ-$8ü–cAôä7@llSµVÁ‹E SÝ :Pf`ç2åï±}šW`Æc¼6[bðô™üV}yV£/ˆ>òÑR¡—´‰T­¹^Z[ÉÑòRºA¦PbµÎœÊ{B ¾Üm" -°+™.íŽCV_¤h=» Ej?.o”­ÏËáÕuáu^sV34¢-Ø“y«(ÝaÙZLdGš¦š çö ŽÐ†ô‡pÛ Û0_R]\ª_âÑtÔ|Š—/™x0Þ?~×ñxÞ ø ¡&nâ üÝ+ÐôàèÇœÒB>Ö²¾"HGQEsÄ ŒØU×T^·Ÿ)¸j8/p<(–¨QŸ”æÍ`¯ï,Ê’kÈ 4Ù±Äö.¨A1Æ×Qå²Û¥Úö%oa ™‘cÖkïd–·ù*Ã1=ïì°Ù³§Ð?IhÉÒÎ]oì2-ü´y{_ª«­gŠ˜ÀÉûQŒH$[¿ø' 1ÜÙùÝïÖÃòÈïNÚÚ®ªŸñðm¦vGm d¹'+QöÈ`k«Rn ²©›R‰L:Gdg'J†ïúãtHfg-Rp=8å§ ÐuÐÄ”¡¼ŒÊx5”Ío45Só­÷љ݆LÞ<«ÖÝ4è­`ä?kcU'×Ë&fO*†G!ëHÞÊ)ÅÂg7ÆcGGy™n„ËQ±Oí7’@vÍ cƒAÓø¿È¸ð¢.—X™ÒìÔ¯ùÙ{ÿXò²—lƒŸÉ›“ó%–»ìD©ÊÊÜT–þQÁ\Û9Ù‚üØûôX—â'Ö|Ptþ´‹+Âr58)¹‚$Oùf”°ÉØW×É$ÖP´YSµ°È9~ ñƒENñƒ»bc**Ã!¦rT>ýÄ<øÓŒYÿÓ97Åx€ÿ'™y“l‰Œ¾'iß¹«­ižf_. ¬ð 0…–x¬Ì9†zÁ ºÃõÍîHÖŽ%ƒR¬íqb0gÜVªõ»üË0ªßáå ØÉ³b£PÔšAz™N3vç–›ƒ¸L_Õê%¾â„_s+ý sñ b!¥ŒqÔeî³âaj¡D _(Aï®IûÒ¶pVYZ?«ø)òÖºVšrhß%1ŸÛ狼ÇE]É#¹Î–¬v;Ђ²á–þ°ããiôý÷è‹{-ÙŸGðΕ€16ïúŸ2KÁ6ÜÔ¤ìÁ­Òòž·ö['ÑÓ‡;‚ÙŽÞ§ ئ¹“îCç8]g’vn¯#ðL)WDFW~¡3Lgž[¡kf€aàÄŸ‰[÷‡×ïÆ¨ý=Ó–Räyò$…ɱ|«ý5º2ÈòƒãDŽ–½%3Ï&96RËåAO–˜íYMŠ~cÙo{”˜E³´ÙþÃh:ƒ[“ôÍÒÒf’H®¯Á,xs¬ÓÖÌ{ä­6ü†öe-ÐÉEØÙÅí.|܃|'ßW9Y»03™ ™²ðzæáTߊÅÇZ„Gbî/ÜoTÞ¼Ã*å=ä×˨wx6cö‡d1æ[F–Gl`ÎÝx)þðxLe…%¹CVL ­öû§_Ÿ1?SÀ!:r#8ñìV×jŸ&‘b‡|”‡“!»Âã‡ÝDnX]Ǧ‘ƒö¯mW¤Þ1,¾úØî¿hF{C6káh Ú¬KÐ.K2 #êb|'θ?t–Kmiµ?‘£?ð†SªŠ0ehÂHɄՅ±«ýtš± ÏÛ2<»"‹Ò|ùåš5•ÇÞ ¨ 5„‡]d‹ ²>j'Ò3Šƒ"¹[‹ÁdÔÕ–Ê„,²,ú1©$=šà(hW`:üQ‘×Ծฃ¶Øˆ(læäÙ½º®ä±H&ñÍ[ zÝ @¾i²ˆê2Æ.—ëi‘!lý^¥fVVºc‰š¾]²uˆJ¶ò:z³¼´²R™£R¸;R0ŽüѭǺ!,þþX÷`/éójlm—¡ÿ!»¶c†`ö‡jYè\åXÁ$Ñ_÷'‘¯¾2"ªÕýá¸*ftQæ¡8L›æ L¨BÑZÍÛbkn³¹ <ëeW½\Ëñ9B;“ŒŒÈD ÒÅgÛ¢Æ\;¢Çñ×¹Òºåˆj¶–ÓÄûXËBc$=»†ÉÝ*HGâFO%åÁÒīŦ#¥ÑCžVˆ³ðz>=9:è Ch·Ž£Ó#ý«þ\}èÑ’ùJ±ÿ»Ó’4~Wr z1rйàðÁ~7R©$]…4‰É™çÉ ½ñ ÎZ ù÷Ä#¸Çw!8ÊEC¢•|z{ügÑ›T£Q½Nfy¬b±lìe² H¢ë•žHex~œ¾KzeŒÕJ¦†ÉoM÷^¥*’_PÕuW Ltd é‹É¨ƒšz¶UÎ>,­}XZÿ £0pnxáÏÖ¢. l;¡–‡Œ9E'®à4Âe9œÐU ÆGìðNGôÓöÎÏøïIëx?::Ùë÷€3ß³Âa‘™g¬‹’л°äøºòÕêĒΗbáÓ2ŒÐQ Œ>xn8Œå ‡±,­©âáU]*úÎ ªò›]WÍÚêdh…(rZE›—Ÿâ}]2Â%?´\4–gæ]2è„x—¾ý¯²äpG”\àš­ jAfáÖmÅ\ã—ž@ÎK¡R °›nš#aëʘ™§¾h3g‰sÆ$2¦’îj38Žü‚Tœ_M ·hÇ~Ä™¹‚Õü¢ýí¿þʶлM[>¥Çf¡0mw©&q©ãkë9Ê0£$cҚᣪŽ-SÖÒ¤W£Qc,²ýþ$~ <‚8©YH3ÙbvP_Z¯ë¸âzyÉ0†„×5†@Ñ„ ‚„«kÍFi)n®ˆDì^òüÂnª@@"¤"ìÑ-í° œ-&É|vÔrhX,b ã[DÇÓTY%G@u<˜…úÛ(y›&Ö]Sy&1­ø”xÎl>‘õ¥^TWR2´¢˜Òž!ô…–l®v8[Ä.¶2ÏVDÝ(ä`ó‹(›%%[¨Dœ_TH³å”°€FIæ©…IB¬YaMÿþèŽâ³n!¿8ÒÓX7•gë†#f£2<]¶í\d¯ÚD8LXµ™fÊ+l[f¤ÊK—ÀgRÂïªõÆ5ð÷?q×Õ,bTý÷ o:™ó[þ÷iÁóÆg%n’ÂÕiÙKÔÌÊÝX£ôŸ|Ì~ž{œõbÉŸµõf…æ\’,4wïïwÌØöö[Ç4v?e½þ±s}^§A'[ž/FŽÙ÷ŸÀùyg3EiAñBZPÎ)e™`3Ï ê9ÎÀÑK-ù÷ÊBâýŒ ~æ{E¹º})Îw*,D4Iݧ‘ÜØ³‚^¶ûñ 9:ÓKú¯B¥ÎþÜUߨÚ~üã½µìB› =š‚}j"6P²­Mb¯Þ±öµө8ϼðW©õQ‚d$qSTU-ñ(.Œ®©Kz­‚wëEÕsòõæ­ÄÚˆŒÈ….ŽÏÁ`FôÎyROJâ¸ugé•!‡¸=$‹ÝŒ˜S<’|…«û+ò l¢h(:®a#`J²› À”:§À o9\–…´ïsÄìëK]á ¿^#6¦dbM-Òì —†A ±¯arSØK†‘µ”€q“Òƒ¦ @äeÉv„™ƒcŽô½þ¤ã:…©–¹§èa.q”±§A/iy”ö‡Ð[Ùä£åàaqé54-ÈZ°:¥¯ôT•f^DLó:Í’ßøV©xÔ ø üWr’‡•.œ§;ÉöGÉü:7Ò<Ѧºê’*9Ö²À¹ÞÝO4¾9ü)ß}ñ}&œ(@Å–¹°§›^\ÄJ“{¾‰•Ʊq¯Í08‡­4ôU±•ÆÝž͜պ›Æ[ÂÙR؉u— Pªd77 ”—KåF´xÚR è##Ü\‰¯@&¾i¤9:tÍiñ•æf…:®l6+›*}Ø3Ñ‘TM.‘w0³óYî0À6àÿÂÚ&­Ëäz´¶5#¯}žŽn±¨·;Ú±¢B?4ÌiÓ*Ä[4Œà79Éužoª¼± --o”©SYÌ™®»™†2žÆ C™{*?¿,0€Ï|ŠÐ…;sU6þ,R út-cYcTL-¿ÿ;“Ü+ßEV:—âîj “€ÿîþÖÀÿk(tvœüçã¨AÐÿÎ4>Ëéì_Ј4ü'Y"CcûßIÏw,£“aÌw7ŒN‚oršEóÿ|Šß¸“QduµÅ$gƒ+™[™³“ëÝÅ”»š\ÿI¾4@"?îÒlY¿õ¥…¼Ä_ÿ’õïs=Í?ÓEEÿß9Ø9Cµà^rÑQWFóeØKo²hwèž®hðèŸ x¸vÙ¶ŠõráÁÎnëiç¿Rq•×OJ^ÅGK?ü ÿ‡—–cÕ{ý z³ŒÁêæÓ•ßΪ›Íå³ÚòÒJ¯â>~Vm½:>:9mŸ}Øßûédûä׳ÚY‘`Àˆ¤_ú»üª|Ýt¤á!‚²ÈÒáÄz ª)_b’Uþ‹…&Ÿ \ ?ʦU•Ì­KÝ`I>š6@çcdã.~½µÄul°å(ÜÄÀ=ÞâÎÅVþµkgÉ[LŒÙt„ÆðŒ*PÞ&™÷!¾¹3˜'ø"—¨ˆÖ!PØÀˤšo?é`Á)ä+ðJ’êæŠ©F ®â0E5D©‘$²Š¹ÆHÞ=¸H€·¶¦FƲ¦ô“Ž ‘-l»ôÀõSé Ÿ‚}€¾ˆJø Õ¿ý.ÇãÜîv“Ñ„¬ç²‡ `‘ ô\ w©‘¼‘¹Ciƒ¸S)™s›N±.ˆBÏ©4Ò ôÀÉQ:ì&„·£'ÀÄ̤†V¶(ú5.Ô¿Ç{­ZA6¤ÚMÄqRpUù3¸Îà~‡¶`ù1L~"ºHÆÐ—ý’$|RÓÐ@Ò ÑÏì>°¬ &½îï0 ¿ôJ¡GÕœÅ!:ƒóB*É{ÎS»L)­™÷QÙ&¬2Q&Õ?±ºQ)X S%X¸ú„±Ó!éS^ú9:Î8 mÿcŸ[kR]ÊZ ¹ nýå”ñvcdÀÅÓË&Îðe·¾l–Ó2âã7b¶W‹Jõµ nìQ¤­nŽ·N½XhiØœÁKsArÀŸIÖ ôYî}B‘ÌFš(ÛC.˜>g´ÇLU×óùFÓ'Gޝ9]戌—_³Y—Α:å[ ÎTÚ¨E;ç ôždÁÆøMgöòmœºˆŸ1‹i^äád ºlÙT.Únu•À¹&øLFÛØ7C+Ľs—Ô¬¨JŽê«¢T|EÀßN8nŽM’PCŒ ÝŠ«š”Ý€]æ•wiXÝ_–VÊ!ÀæºZ Mºn‡@=Y¥¿ÈYg] ¨è®ïp}w…Û¥ÑÅåÄOTÕ+PL@˜„+­Âa2V9›£æ'Rz롊Û&œ9“ëÙH™ Så`לŒV‡¾¤Ö¦ "—.ðº»ó´Ý¿¸ÎÒ7‹s¹÷bDy†ÏåߌÿÍ®­§º_}EŸv»ôO¿Ï °”ý6ñ¿ïß[o½¾xúæõê_ÞüHß!ià¿‹ßq——)ýƒƒÄ³÷ÜÄTþ9”òžpdõž©ä!{gè‘@·½á¥¤ª,BºžšN6#Ó8~£rJ|êË“²ˆ&L‘¥K’¬áW¤?ŸºÍ¨=Ð\ÇÔ‘ÿè ›m3  PD `©ó°ìX\RúÁºv2Y)f‰”¢+Ù=pAëHˆÉ{"ÔÔÔ ö0è%¯”¤Ã ™C˜6’Fæ>o¤&ýNn¬Áj¥EÅÚ\jåD¸Wšë`6ܫڌIø“™·?œlåõ›ÿ÷ð·å?>n~ÿÃå þ߃èQµöá÷¥×o*vŒwÈE•£²¾óêÌAÁ_Œ+bBˆùotÊsëaÐ(Ë+XƒÁZÎÿÆ ž…\ô=´,qÁºE|F¼&K%—­»"%Iü¹sJµèB7N@],+N¾Ë„¨…`i4ªŒæè¬ygØÆ1™³PèÝ¢EƒóË?yƒ–þа~²¢óæÌ—L¥Õ£¡vM¢«BàIåqÊ„ŠHJHf€ÈøP™°¬ÉíHTXS]µ“fŠ·˜B¦ºŽ©*cšrÙR.fªx§>j‚(`öŠÂhqAÕ[&+12’÷ .;•–  ×Éä*í•=HéØeÁÇå[xãJ\j@)aŒÌ±YáxÐ$³®@#" kûj-ûwÁ“JjdºW¼öé~o×AXívRw~µŠ‡F££i¹÷'ÇV²/k.¯|ùåf”}yÖ|ý[óÍòÒ—_V~o"!‚¦nÙ´û–¥]Ój?ô)ÒêT)ñIDfª~—Õœ·rû)áôa.ŸOb0HLRIæBí€ö•Žü’„$~E Ó¨š@×ñÛDdÀá[’˜âwi+º 2,#ÁRØÞ ¡#kî®ë.ƒA*u0tàºñ8ò¬ už–_Æ} ÞÞú åÓ ÌçA6@CÓºE'_ÆŒL}æ šizh rXÈ㬴¼¼µNNŽNêÖh_„+Ë­m”~GLX󌃧Râôòaj‹J9n$%CѪ4¾•‚w¼‰\*¯dJ4Yø±l^WÀ²]…NeOq©?QY>%àëc÷d9gªÒèŠåÍ;“TŒ+¶\Dðj 3ªc)”`ÝDFxCfSÐA“^Ó¯áNv¹¯“«-0Y"Š£RåƒA2`VšEU"ÍÆßj:sÄø Š®`‰êN¬ZÐÕà zàÓÜÒÉA´dî,$W\7or2o¢êmN®BsLã›vfû#›ÝµÛæd@ ™Ýâf p…Êù­}]*Ó>í™ÌΑs¬¾Eé£3d>Çöûw·¥p)Þ’U¬YIÑlX `l/}‰‡F}Y5ï…M ,TjC!ÂÚ¿O¡cH¢dü¡>BG -g½ÎU¿—¤Ó¬“]aeó­€bâ\Y_8w·â?"fm¹’[´¤Ö.¢WP2Q´IWÎ,€pƒ¼dê*Ÿß^9W5š oA¨¤‚`–YögA¦uZÔ$®‹è˜}ã’ëÜŒSkD»!Êx»“äV0$]8 ™zLD¬dÒg–)¹b•ê6C#½aƒãO1t`iÆJ…™Áý•Z£–z±;fÁ‹åœ±Ä…D^Ú(i»ÜÿÝ<ÿ‚7f5ÿ…ú¹îIÖ¼E:I˜ºL#LV§ÖöKÓ»ô®”lûc¦È}Z½²tÆi·_bª\aûG…ì:[K?nF ^MôB%° Û”Xáà©"pª2ÏEœMìýoz3WüÝvÎè¹ùžÅŠ_޳⊶rh]@£4ëcßáË µÒ¹ø9Ði»„Âʯýlør¸/“_R.5÷θû]£…'^!Ýk›rù‡Q[vË0 QåÖ`5ÈÛ¨×WBA€,‚.ytP^ðb‰ÌÅr/1ìÿn“ÿ»MþÇo“Oº)îzQ|Ö{b‘‚,Å•kŒO«ì[Iå#úÕ,ã‹á UÕÂFøÃgr‹ªäù¼Ñáe™Ô§Ïà²ÁBøš¤žúGšEí;;­vcƒh=Èr+‹AãP<Ç‚h»`>\h鵯–j­˜¯©IJDv%ùÑëg@Ö·=BUZ1ÍWŒyø²\zl UÝGK¹lB>¤N¿Ë­!¤ëû Ô{æîŸ¢@@\]èÖ»~1;]§Yr"J°mý‰qrtI<4cazV*¿Àþ6¸~*_c¶ô›f³5dè¤w#ض×' ëk*BÛl–J’‰£ÉÌTøÊÖ8õøÜÊ‹¶m¢ [qÐTÕúáö@+M»}ªD–PÚ µ«NnGâ-¯¬œ÷‡+ãëJ ÃWÕ(>Y‚„¢*ð»+Œ¨4.*51³1¶r þ89€î…Š_‹¿®ØL:Vc~>hC¯=ÖíŽX{ŠæÓs0Iäã¾&Y2¸À.å9Il†•C;ÉÄ\+Ýg'å ìC× ©YO´^œì´h]K;*îÎ¥à Üªhï:ß—Dþ1Åhd^j6ÖjÆ#[²sáèèÅéñ‹Ó­Z_Ä—/’SAÇzߵ•”yT_‘A± Ïðõt0é²ùxÈì0*‰€™!…h±S)õ¸o¥œÓÐíeÞ'ƒùOÆ«¤îJ3­¨¨€>ÁyÒˆ%ÞKj[•´³Ôj(µ…÷…›yÙ­?Ýß~fšÁ%‰è#>¸ƒ[ɳÖ+ äáR%xò±"({ ,s{zöâq¯âTÓì‚Óâ Eˆ€Î‰®~ËæD…ªN±ß¦aQ5³éy6éO¦õꎢvòqT¬$ÈX m½ä¹ïù™:<4H+ÁÃ*UÙïÉxåmUZ>zðoˆån«”^bxbÔØ8®Ÿ¦ˆrC¬xÕ'œÐÞk‘Gê|Fê®¶®ØI ÑØƒ²ûÏéÜ~ \†šŽ+X7¥RB-cŽY¹K4f¾âR7’TæÌFáJËp³1m—Ø{0½6Ô.b(àmÀ‘ĪkxeÌ):ö¡¤–½‰›!°4Lë ™[GJ6¿'`ÿ<3–éí¶ »º'¹ñËÑëý½Ÿv÷N˜Îv$y†,kÀÞqŽfñÍÐ¥^ÏÜ‚` k! JigÁ—OM•ãL•×T$#ëÁðƲÔÈç“1EJÆýwÀ#.¡(zÊáh4 ?7àTT1Î>éFÑߦ¤› Ñ1¢oœÈOµøÁE–e¸ç*ËÛÑÞaût{ߺƒ˜å;Í9;K佦*gkd ›3kÌIÌEã=OJ6K+% T°¿JwTq؆‹°" Q58| ×$ndpË\{ k³ÿ¾DŸ;~Õ@BÁ ³ÿF:ÇÛê’¸4G×—=GÕ€ÔÔ2—qá FzÃØÇ†"_XUº›jï6°…˜Ë1©MR²cL$¯W ’^«÷¤ |ÍáÏ5ìã§Ö]éÒ‚Vø ¶£ã”qÂÈ«ø]IŠ¡R:Í ÍîÚݺW¹Á×Ù1r­ž >+"±s%}Ù° í9Ì¡'g43ˆ ~se ¤àäɽ[Xj#ê öoЋhÍh( ó"^iq¤>—Û˜Å(Í2$ |÷­Aãè§½C"ÚHÇ i˜'¼po Ó«’àu›M’댑€JQà?³­ªZ0W–‚+*9o"“cÂ5ÉùÛ/I |º'EÅ U^êÁ½M¯àÉÐMqKòšjŒè²/Ò}×CUº>Ot˜“¼5Hc¸Û:ò96–¼G#UCí¦Í å[½Ib þ*ì!Kï”®×ÀãÕÇ5«=õ~û×Qòÿ‰(Îo°dLº³¼ÊàÇ8/Óˆ×|c 7Éûè¤õ¬õê>]ž:£¬s }¹õYÍU‰T¢å#kh²À& nýg/ßXåƒZ·Eð_|›Ž3$V3JkPÏ2{~¡ÈD4­‹¸âŒháêÔxšío(ªßÐkI SúYjÀp%y è.‰¡èI½¤;ˆ9gb R[CIã½@˜*4`"Ìé– íOµ¢‚­{Jm£èW Và6ãÅDCȯö¬¬"hÅìö²õÞ`@o'U*¥¸Y¤$ÌdãÈ0:j¯¬GÕ!Ììâ‚ìC©¿xÔN²š(¡]L hPÿs‰–‹c³uÎV¬Bô GšÊ/Ÿ´ö[Ûí–ÍëºoÑF¥Àj˜“Œ—2¾G¼Ð"v¶-2W›ÇI;Ô6%ýåðOug§V*!z"³ mø4Â/a9€rj*5––)a½‡ú´t+ è´rsñ&Ñ\…µ‚†ñ”ø‡Ô£[iâ ¶Y²Þ˜I½uéML¨cë iy÷¶äÉ’$cóqB§T#%?o®ìgŠÕKtü½î¨JÖj¦ê«¡.7bsh­¤ní:qJM£Ò–á‹!)ûɰkW¤‡ „³ Ö„GÍ,ôŠä§Qb1½Å8އü.4MåžËcøÕ¬îqîÔ¿Ä›1°GÕ6àY ʉöí°¶a:¨Ai2¹§¥ß_ÀYanºÿã¡«Bÿor[ù(¢¢ô9|Ë5×)e']ô‡ïâAÎö(‘ "2ïT´÷¬â´èfBaÜtÉ O=…£P14Ñh`¶ò§cG8‰âsŒtd^î;BxÒ)š’Ê;d«À§È+kíO( 9b%µñá¡ÃCÁÚC©£\”·tCû'ñë,¨öCÚE"/õ7LÑ3ª>N‰Å+£v„’˜­LÇê@ˆmÏœrêYéöœ8ó*] ìa f¶^_ÊV~ãó¸"Ðx#ZUþ©#&2˜?nS±²¦Ü×+¿½$Óx‚ŠðJ}å·úcåÒƒç¥=/¥sé½zs&1­èˆðz˜‡Ž×]sùàh·¥¿Õ+×\¦uV}ý[ôfù¬®ì&œÈ Ö³5j|c¥¢¸Ù3þc c¬ µ|9¬ õÅ ¬ c%tn|cŒ%Æ'žîëžÃðò®©ö®éVbéÑ)VÏ¡3P¼­2ðƒ·þö…µrkn«MJ~çë^É÷ >n1ͽ¿è—] Ê»x0Ç0)]*uEeçÚšŽÇ¥§h™µW§f¶i´*‘ÌñØÕ"Öc×—vD8Ì ;ò¼PÖ!äý ޽üÒé]÷‡P(sàôí±üDØ);}ñ¼Ù¯=N4D¾F¡¶Pĸ‡ <îÏ­m(iÈà»…x7œù‚aC6Þ.æÿWìávòü¢êqŒÈÈMÞøÞ¹.â×S•’ÊÁæ·ÂÓeúÖB8T]Ä#íµ1J¡=èOÑ+•_åÃíZÎÖAOª/[µŠ÷‘õÖÆúå¶ÇÅêGI iU&$C%j3;äB2/ä¦Î>0]Žt«š0DîßGÛ8¥h±óÁ:áôçI fJ²º@“VÏÖ³ÑuÞ§×câ_%@cZà÷Wóû¸âæ^w¦(Ñn¼8° OIÑ7<¹˜>Î"&Jñýš¦~qFO¹Yl(h6©Z’Â…þ\ª²š¦Z®2Ÿë7è]´°ÏÚ*E]¡›Œ>Ôòšh#ưˆüÀT…Ð/ÓÍÄìL.H} vª [ÜG–k˜INoɯ]†ÐJ5% ZÓÔü:ëÃíËaE>ë~àÚø,Ê^›‡F`½‚›¸¿ÔÇÿÞ*/±%…t#AÏË¥<1Pu»~™#ËÐt?oã²k-~”ìàq‰îÓ˜‹? J É^ßF¢­‹m¿že¡8)¢E®)²Áùm©F‘ÎËLòÇE°É(¦qzUuÊ©úRo6a¤q C•Ëý¥Ðë¡L¥iãÊf¦}þ›¾„²`Ä£¡êWªFÙÒ²ÓH¢Ýe’Ð ÃW©OpïÚ#§Êú#Ó7¿7 .õÐç¾ÍûÂoÛ¸¢¦oübGÜB˜y&ôãÖœÚ-Š64»¼a×½‚eªbyOæFû²rF SJÍÒ¤PMvóc:ÖϦ B„*eÖ³yËi°ð»Éz:í®zÍlÔDĽÈ:-ø²¿ŒÕ ½jîÛtÚ½“€ *H¶:XPùPoÔ%¦Ï5†ä´€ú”=-%ŽC|æl4€"ÙfóÅ7üÏ?½|o~ßxñ ñ§—õÊ=­xõDÍ¡tª{«µzÒ Rø~p€«ÿ‰–û!H*eÛÔCí›e…k]»ÛWb'~“9Áç¿d­âñ‘´q„[˜#[I‰"ÑJÍm9ÙJ_Ì7$ÁDŠÏf%œ$»¢)4@½,º[o”Ñ…I­@i£6&YMׯëÉptVó¡Ê•Ó÷Ëg.â0ô’Lì2#ö])ñqiú“£çÐ_¼hª™±FR®lh…‡›lk¬Õ’­ííþ¹è# ?šíàépbX¿}Ø7,$÷ƒh¢vÊsà… 3EÆj‡¼ê_Lsª·M·–cï³|;à#%öM‡&¾ ç2áyX­åâ‰Ï‡6vyHoÿÌ›®ªÅ™vñÀ+n6ºÄ¿qÇø¢Õj%ë/»ã.½ëŽw¶\Å®û‚¶G .Ø >îê½òêÇñÃé#k%ç0(vË¦Š©7HE³Ë&?!ŒôŽ7h„r”'d¦ >1þB|_ËËáˆñ·Š3 ÀƒÍØÍ‰}Š*DØ¥œp Û°óŒ™mÌ.¡D²íÕ¤óÎL7.j$ÙTì|sàl&ª¡éàz ߯%é#ø1%pŠÙ"¯ST†_ã¶¢Þ0^ÿà‡ô– $F-p‘´5Hí¦x |I ë;"š¾ûúMôÞQt.ÔcÕ‡Y1‹/Çt#ð>ãŸn,£orV2°‘™ÑŠ€Ï£xçÅd`!HR‚åƒÉð7nìÛåy{â²LO¬ÊÌZÁÝÑÜÕÉÂȆJrËnëf;Ím•Ùf,géLÀ³kË :¾ñœL6T¨œsnã+ÿ„Opâ‹f‰Q¤0ú§ØoŠT™ÿŒR@w^‡lüF© jpãnZ.RÂzÔ8Í”‹€žN‘vco2geƒðH&Âi%š´ªZy¢ªÃ³×OQ†×Ä껹xß "F›Î>íéÇpçÉ7Æ2úÝ[,J†tüÁyÆ~+ß3Çš¿)^AÛEXÕΧâp׎ue긎ØËÝØ,M(ð2QõÀ±ýºK”@¢Y§7»¾¾eƒs¶í°y @^¹»þršlˆ'LÄC;ï˜Lï<„/c™ ½Z‰Æí»¿uÿ|¹ÅOjyÌ|×…K:‹Z)ß\¾ÂØüV\+è-9¨hàÒ#uȰ® |ã¤êÈk»"ÜØ]ŒÍP\¤™¥”Jå8¾ÃÚ¯.fÓÙD•òLr˜ø fÚš“Eëì2ç͹no¨/LßNÕQAB_YBeN¯ã“`;ºÙ¼ï9ýoô§ < êBW9AÄÃg;™„Ú¨¶âÓ{ÒišQëbì­¿ê,;GÈ  ,¢›23Œ¢¶ì ‹<•°mzàõZYµÆI™O÷ I8]®®~FÊÓA3|#ÃÔ‡šÐ>—GM§kþ¸SÏrU£›ãÕÇi æø¤å<õ,ž¬ÏÉûëî›]Lö0"Ùd†¹ÂÙ}–Q (S¥ó„ºÍÕÚdÅSc©Yú÷ÖP—})sЪ|ùeùUI-?0Øq5$´å(óL‚òËlšaøFBBÒ·còœçÚˆ-H·úùzW â&ô—‘—!ÒB .éĵÃyå8Ž_Í¢ŠFt=™ Éî´;e/–š0Æ„Ž?FˆR÷9zòF´GÍÞ;E_!™‹õfµGɪlåÁm]3„M^Ó RÉJÅ`‚Ðl6Âl‚V‡Iz‹ñœÖ/•9VgmXseÖe^–:úgKg•³W2DMÎ¥Elh–±ó¸2£áÑÝî¸b!²‹}Áˆ Ê%=è™MæFæ£([áY3[0ØöÆfŸ}ù}ðï¿ÌG„ÝÅýº’Éþó|U%":Qp;NÅó¬ÀüçdM«…‹Ê’j«*íÂ|µìo¬Gþyz1²—Vx*V]r¸N­ú-Sý[ÎOÚa½ëIÇ•x"Þ•„®Rfp7(—Ìhü\KøÞØáœÀV75Þi•gB%ßyRÇsàºÄÝc»ŽqÜ]ˆ˜ìÇ®ÌòmÃÈ®›n›åBTGº¨ÒPTñS‘Ì•ä¦BY™› ES ¬XK?+•‘:ÕìÔ´æ»ú€¯*½¬ìL³² éöG6­¿{»Bkú&zŠN&9¯swe´Tt¼y—ƒhUþ"Ç<ði•äè!ø8غ/8lS‚ÿ1ñpýYS+QÙ`˜42JÌ;ÉŸ1XÙ`8Vö óòj*÷´¢M8›q{%9ÛIrʦ-6CÀ7 n¢L(®3i\ÔµνÓÀ¿ªF¨‰É5Î.uQzͦýák=b‰Ii.}ÍÀ¦þÎ^Q“³«Ýž•è0)^R9Æ4rEái Ø_݆ù0#ÊhØŽâc%gnB]ð fÖ´Tà#™_D·v|) ÛçD¡²³¥½Y7os‡ “ÚȦ·~lµÉk¬-Zˆužç”…Z‚zÍ‹æ(äœì…Æü­Þµ°†í¾3:ßjžƒ…ŵÎ-59˜V«¾&i\õú<Ö5_<ë`;I.JSeFÖÙ\ ãÇ6”o`Ì5z¼ ú¯S/`G’•áE¯îôâB‡-È2Љq +œÒœj .tD¸¸ ì/³)Ðàcýª;j<ž“¾Ú˜‡µc؈°$}Ë,šÃý‘‘LÃКå¦×˜¶ã¾SÀ‘™‰EAGøGJì,Œ9vÙ Ë϶ÿ‰ø„»óªã¶õ„R;Ó>? L9s”›Ä_Éš¸Ãò¯ÌÇai;¿‰ÊބՓ®DÜA¬§*Nˆ.ÚÈ.)Úç·Ò^€‚ækC4A7¯›‡kGT¹›@¹ý¢/Êï½ÌM¸S&£ê ±í‘ðæâ®èŸLN¾DᤒW¾·èð„O¤¨¤lÈÍer¼¬¾ ¾jÝ“­€ö…éLÑépâE(^üJ¢¢s®Æœ<Ö„ -O²ñÐѰe;²»æo.F*“ˆó\LÄžS»I ƒ*Wc¹V¬ýYGàOLq8ÄJT ¨¸d²Œ…æ^Pn M–$¾Á9âWÂú×#]A¢TÛ¯5Íô=c}ÿeU“]Ðm]¥ýevüéÝ)Œùj¼sVšà›0+AP¶y1+ÑÊnx§"t˜MÀs|Í“-·o §’bT§hwP¾Q“¹´aÊŠçc¦«ïþlS­ZéÞ¿^Âc*ü·ß{çDòO|5©ÏöŠ~C€p›¥Än2è§U;`çÌÊosG§ŠÀ&ëlRùR! ZV­ªL—ÀSìâ¯s†âõY6!­‰Ê²„¨±"Œu‹  =¼3¼½éÜ*Ûà2Âu‡‰[\«+_Q³Z<Ó–/q «µå2\÷ 3zíêȤ¤”ò¹Nb÷ »$å½Vç° ž„—ãx㜃¯¶³ Â\Ñ¡¥šMh ZQ±)—È'’m'àñó‡!kí¤Uw×VáÄÂÅEÉ>¼„Æ)¯Ù˜$ 82]§”æ\óz¾º‰Ž¥óý Ó(—_&Ñh’púù@aºÑhò®¼È'Ë¥ßwdÜX`JTo‹òlNw›û®[*©8cp?šˆ¼“’Ïr ÍïÏÓèżè†9“qÞãÍ1ð\§×çlëÄÝíAŒ±ÿ|ÐX5æúXÀÃ䫬©#÷‘ÙíPÑ;3ÎÞù‚®†ÞeøHîav•]ã½ôÔÅ,hQÐV5t“*ˆÝw"»uçDh‘HøŠm‚}Î^(Mú—¨uÀÔ;ýn{\°?JžäJ‚µàÜY…åmêÃi“SªCÄ"^s3 Žõö§0ðáú¶íòmæ¡éõNeSRÿw*ï6ˆ?þ`ž“ñÑÞ­^}—9{ñ÷N㟻¿a¤Ì—mbɤ îçNd'ö4);?6@ByAítp1'*ûèi@+.£sÅxê``cKìmo*ï¼éùïæ… câð‚ÔM=u¦UæOE[€ÌyLKøšŽùå»ß¼ô2x9>üÍ.{=õ³.:›²†O± ÝÜ`2áÀ5 9šÍG7ˆ7'Íáu)BdÑ´ÂWÞÑ¿NÍOgì ô¬3É=#–:<Ì(4‹š)¤J.˜p†]ªM1@ ², 2Ô/ùhVƒO5¤`ôªY^ˆ7¶ÇQmŽt29{¥Ê>m¤ Ó´ÕõÅxy-¶ˆ›· ˜é”» §S®¯=ÿ«2ü*»À'=M «â°ósòÝwð9ZnÛèâ¼Û1}ÛÌgìÞ‘óUf’uÿÉÉþ³¤ñ&)'«aCµJÙìgcœUƒ6(½ª¼3?UíEà"FФ¹Gåå#zžµõY»—¶Â)]¥&7í™ä+A‰ß1oxþ««áðPrÁŒÓá7賬PÀ0[Õõ¿»'¾²Þ«Òãlýï͵¤µÚDÝBºŒ«I¹ú­?‹ÁxÌl†á»ræü‰Ý¨’ZK À&íÿüìøäì¾á[œ™¢\®Æªbé\‡ñ@-npÅA²^q´1uÜü]ZVWÝ*áå¼l¾Xû{åe«¶ÞÂ?ë—fîדuý¹ÿ«–«É·±þÏí>”.‡;œOÉÅÂzÉ·Ÿ|` öÁ°ò6ÁJ|ýu@wl¢pá o&#—ÑÕd¥4½›î|±˜&ßT7ªI_ÓÛ9z2;È‚,·÷TSGë†tc#Gç ›ô®¾[­˜ð`A¹6ê&ÈŠiiø^œ€$•§»1PÙÑtH…ÚRSX»bkçí ¦1mtžv<„¯ú‘æ­„ƒKÆÁëp”—;K)A)bJÖÉ«›’°waµÏSBVe N‚QÍÒÌmÆí/õõ•±¯…Ýc¤  ~å¶èü&#Ÿ³Ù´’_<:­ Ìd¡5„gm8JxLMŽTb4èwû˜lÅx¹Yξõ·äwM¿Á û ãšá©j£mA,³øÖ*NASùqù– ÀÖ»殑v ºNÊý_½•Ä+2Á ˆs||ê™ýYƺc0žÉmÅt‘­öˆ7PaÜù‰sïv‘–aß½ëxìV¹Ën•“ÍïÖ{é›õ!ÂMÅyî÷Á~Ò|ýäRØ{–aÂÃëöú£d};[ÇÛëp‹‡L{`÷Ä% m?õé뒻殳ý?n~Lë7£¾l §åN“òy¦ä·fœ% VDDÀèd uâ5ÞAT°÷Ž"&éõxzký­‡‹°IÐÎV¨X^ÒüQRªF¹JOüBoÿŒ“Šl6ìÿ:ë_Ü*"=ssMéqÅt„µ}ï0*Ø^ÒxÚOÖ˜ÜÍ©†cYUy¥Ö²ªÆøCÞnËõž‰ey™JÑ`¤æç7<…ÆôÝB9«#)k<Æm§*]QqÐîMáêYûˆ*bÔigÓɬ;¥d;¬ DÀñd‚,àqŠk^G¶]ú€Jaú6vw[µàŽÒ-S‚_ÈjÃ&©íóŸó9^_¼Üf%£3Õ™of—›‰S þ“"Á즫ø;[Þæô9Y“¹ÛI–ê=N ^«Û2Çï8Håþ}þµ ïTǶ·õæÚº9ó«¤ÁMVÝúu á_µÊµšiUÖúµÊ SKZ_}µ½în§ƒ%vþÒ³È4ÿCÙô,Yñ3ìˆd§ô.y× Œ—­rÝþÁ‡úgÝ4 ~ïûƒ£ƒ³ï½ï|ew~ÑQAnÉ“…IŽ«î‹'lmÑk3F/ªO]—XBF¿ËGœ^~ä÷Tñ°üŒ>ð¬ôa»d (úÜ™Pª[Ê÷ Âç5%½¤)B“ ¬&[œ^=>Ù߇ퟎOþ²{rüüè‘u&_ü%?t:WkDã&ð3¬%õ×®Zõ%®•À |á2?°=Ð8O¢èwm’¥R}ïAlf ‹z èÀZÙdtUÈסÌQ™Ü²®Óû9‘J{áM¶«›i>Ÿ]j¦fv3›ö–Ò±#š%¢l 0í¢äsN#ñ^$`OÂÖ}v°§aYIòÃŒüÿM…âžÁöꊬM–áCí3ÎŒH{"} 53C׎o67›ßÐíÖÇú·ìG¬o67ˆõZk¬5.àÙyÖÛl®½w~}Ø|àýž.ð‘ªø ¢Ó‹v¿ñ(¿!ù›½ÏÞ.ÝZ9<Ôuñ T? «Ï÷Óã*í.¡üí°ªñï’ÊáÙ&ƒ=U¡‡Ž·‚É¡û)¢Ø]è¿Ïö ð0¼Ï`œbªyQÓAhÚ>òs²“]o‡?£ÈRèp¨èÙÞ^Åÿx£‹¨`Zü9MQ%:‰ž'G­„síaª@uë3ÑšÎ!ŠJs yêü|VöyOì€Í>ãsÑïšì½„iÐ|4PßS´WГœDî-%êcýtó\RP‘í^Çé³öØà…‡ªÜ¦ýþË…ßJ*v¾T¤úáç?¾ù|_µòÉ'Žø·O®Mfðœç3÷ùó÷Ø73Ú3¾¢§@6»@Íx ñ¡¬–cŽÃ޳"!©Ëåï)r³D—ŽŽ8L‘†¸×ï¡Ë eÏÀð;­ë3#F;3ùºÙý¢Óà™Ê«bLKã†i5StÓÁ› Š[ï‘P±¹|Är&vö¿4¹N>n#M±³§8l¹A2Ó¾ÎPJfãÆîÉ“’§Áö0%.cnáŸédDÁ­³,Y=;y×ðk÷°&X>9zŽnú³iIÀ¬¯©o&'Ü Ô¢&‡£¡×êãÝÃShÖä£Îh‡Å­ÓwêŒiö6{t}ez=†)?zš+øpâ£ùU⪰V¬š¬¶¯ÒN¯-{j¿¼ß~Ñ齬½=l÷‘ÞÕ*ä(êzCöµYäëìs®ñ0yzú›,­ÛÍßleíG>ËÂòº¶ž¶ž¢­ºýhÿtïäàÙÙñɼUóúá.ÛLá'h*ÝS)ÊÉ…‘ > }OhªP¬Zº‡é°SJ}=‘cÊåh„Å'æ];‡y_c·?âàÍÚázýØÉ$?yGÒáagØs˜Œ&=ö¨¯¦iÕCø-ÝcQôfjFRF…WaÐ…þm‰‘öÙ¸?µ.°uÆNé!.9mŸo¾NÎ3¤è¦>r¹ù‰î§ãdËud^aÇ&è—F³×8L*®‚¹3¯8û¯u&-…lɶtY€7GÂ>f<–×D|s*¿ýÏo´!)È>Ðt5ºŸ¡V» Ìn¬E”……7ª§Ó4I/'ðÓ¸3%u¡:Ÿš€8Œº‚‡ †·÷~ÜßûKûéî“Luwöãñ#ÏOû¾rüÃ=zþ”|G`–,ê\uãÁ¯U߬aÿ±£Ùeà•duœö×ý‡ÿùÍjsÆ5z6I·|XûóûqÚèL®7F†¿Àô4¾ùÄû‰ˆ×÷ð($Œòƒ*­ã÷ÓSÄÆÃÎ)×lLuŒÎyÏÊúâ{K•V”£æµ^ã’%60î» FÊðJw¥`+n£¯x]€lÁ’ŒGðWÝÖ§÷6±{1O»Qßxðà]iee=9H0…:=ÍÞƒÌÎÃz/Æòï¯ð¯Ø¤>`´r,q†{r¨ÇvY¸QØÎË~_þ̯LJ¡œï•ðÉ(P¶ñÖà½{-&ÃsÊ–‚ôQ1dѰlK• £§Ù,…“á‘høéiKÓb´’gû­ä6òÀ ì.èœyk~—ß”C ‰1½Á€ÄsÞìÌ@™gƒÎoCC“í…àÄvÀ‘€².P z t²lÔí“ÜnˆŽò>Û€ŸÄûà`øfôšÃpWUÓ¦ê.Eç{x”(5(úÓ"»ò}R;HÄÚr͈wǼ™Š^>s›v¦çìøø0i4úˆ DƒC œ'D^-\*¹ƒóN#¦ažîïµvŸîcî ü7£¥DÑG0e©$¬T'ÑʸƒÔñ؇—Pg¼ìò»‹—ú¢å_zÚ¤žzc€.K±fýø+ßà'?ÿ±.@n0/¥{ 颽æ2ñ©U+Å“1ä Ïr¿{5Êrp?ÀòEi––_ªèÎk²{¥ù.­·±\VL{QcT`–òRQõre³¹©Ù.¶þ÷½Ðv…¡k½j¹âu§\ÝZg$ßgapÝ™ 0Ý™z¹€ 1–(L˜šWiYÑÎÑ·žîžüÿ]—c…ö[˜IWC)ä†)òCFjí£¡¢Áhx©‰Ä¿~˜Ø Îu$ÖÒéÎà¦s›¡=9ÂBâ\(ë[/V’—k.¿2N_ô_¶ÞÕ7ZëÜ™õ¿ Íè^ü}ëåÚ–¼M4$o ™­ð#ZÑé¸ä¥Å€Jm²óc‘†š­w_?l}XÿB?üݱ&)FIζÆ-qùœÜ'ßNfZ¯º»¸ƒªYåÿÁÔEFƒ‘é(† ’!3b‰[ã4“XJš Æžpˆ¶¼üQ£eýÇçòï–óì­Ù8­áúúe˜§uz¥“oÊù^ÏÕÐì ½Ñ”å¡äI³1lmÓÆ‹V3iM_®UœúÏpeutMô/kN±£ñ·¡è€:±Úp¸€Î!´ NLÝ ºNÑ”¯Dn ëœD±ÆãÉvJèz2ñ„Q®r<]ZÒlrÞœDï€5Ìd/Mµv3ù1Mú̶… Œ¯ÑÈkj˜Ä(“ú2 ÞC(i¤Ð½žÝJ*õií¤Ú¬&«ò°Ž6)äÀ«¨:„g{¿ a Ñ ¡{X¯ 7kîÅàChGãÌEƒÉžiâÁÛ‡65É qkVÛ‡­ø{CÃ$º¤(^Ò‘2iר { ÜN'$¦ÅÉŒ%Ž/܉åÓZg! eNKÙ,ù¾†o5×{ÛxZñß_«Ë³¢æùÝ™8U-q}yÃÈBV?„xׇjÍŸg“8…ÍÿB~Ñ®Môú…ÔœüéH¿÷U±«Àä}> º<›RU^«*©d=Ÿ+L{ݼÎÖ„÷{tõ·«™Ò«ZôÉ’ªÉõœÉiw†m%¯heÄŒRQ‘B¸ (Í ׿²áæyq^*ªÈ†¯± ƒŒã(å{ÚÄ\ó”$XPf¶›ø®¤.Šx¡‡Î¤ƒ¡=ÁŸeïØMW)ƒ6l‹Uþ©Ó'ÿL<禊è™1Aì¨l€ÊªÍHjèX ¡[òÈ ½{’¼MZåV~|­rÑ’5;•?o#3ã§éP¶KT?m²ÃùË}Ë!:¡aï)?JØwdùÉ£Tþi̺¡GjÍýôV4+’g’ÔR"òÓ0èwÉ¿C¯Ô­$˜ÞõH·3Rî|èÍ ç}:ËILÒ\¹yˆÜFp:ÐL".…Ø[¼£¿¿ÅÃc~éœ;oÝÏIYòʰp0Š,X iN9ä¹"OH¥•â,JÚSœ-¿æù«ñMïUy]_—£YiÃð-,¯uäóâÁ¤L{fz¢ §+<§[ÎØmöLY½´g×ÏøOUL‹èBe\|áÖ¦Á©™¥p’û eŸKŸ©–Zc{;˜æÚj„sy2þë9Y¢òÃØ)ÇÆf‡äÎ,l³;×m!âéú5f²ËâpÎŽXž¨6½ÎDPÌü@Á}(X‘=RPVBsd÷¯Þˆ]áo9q P2–@¢‚þ(ùyr~Ü|ä„ÐK´ß³Îž9N™£í“óª;›xmåbɼÊNM,d[.„¶õ TàðàÙqÒ@l÷|ãaÀY$v»Cæ—xá,}•s>÷¾é9Õ„½Ñ=^×`‚:`=¶@æ~•kb'BP‰LÁy^ÃŒô¯N:Þˆ‚ÛdÎs¤tAÁm'ý€¿…gC¸C•Êz¬' ·²"«‚ÛÑûLÒ¸Ë;4-QŽï$:`½êrWf’_ï£ï”Ý€üO®Í¹w‘¿p^Ìû=3_wnIq“VIx?‡‘ ¬qùòª'—£éÀÓiJ"Î5ºÛmÕ¼M‰ ¡½Â|O‰ŽV-Ïp:ðP·Öš£¤Á’lcdÌS'O©/mp¢ám^å>¼“{’íäv³ ¹ö{ìng¯…p$’ÁiÍôY˜/ƒÄÙÛ‚Lf6´ÛDÙk0‹.žvTœNa“4&¦_âÀæì*¥ÒåÀÇ­—„%"ÛÏæF’ùJ¡h¥ÜÖŠ¸X{–L/Œnù؇+Wì/pþhÁÌ}dv—øP.ÚxÁ"è”1¦T¥@§¯{ÝŸ¶¦úfWŽ^²Þ8Xè”5f…öF˜¦yÙ8ÏfÅ`æûq(æºpw,®<Âʃ ÂsG¼%¤]£/Dý ²ò¿ºN¤è„#ý°ÖÉf’›\6ª“ g¤áòb`ÃÑ>’JÒÓþõAâ6Ī”ÁÌÉûÓÉî³gû'mv—iÿ°x|ôä´}pÔFcÆÁ T6!ò¤Å›v^ã.’*HgUI´M°ÁB3CþG¨.̲ٵ›®ÖdW»á”ì¶2%T¯~Vâ\@‚xëä²MX©EnîµZ 5‡W7ýÑDåw¯¬³’{ŽŽ(Ì4†£Íɪ%~!ïþvúc[ô>Æ-B‰Xe\>ÌÅV+ˆnM[~A—¶½§(Uó½äoÙUò°ù–,%_ÿþFAE0ŽñÎY¡(žcW¾o•?ÔQ®ì^Q„†7œ²罜eK<Òú§é%å1ܯÀТ”Ýôßm\&U¯ÕêNU~D Œî©äè¸ýäðø‡öéóNÏJ¢ !¡«õjÉRcTs¹þÖ+dÖȇ„G.Á.5ÛÛ|A]ôK?9:ýqçíøòëm1-$ü F„ïl2ûæëң织{»§û;¦”>’rOÿrŠ+GìÇgç?'¯aVqFŸŸü,~%Ö.0úNª…‰ è")0ËÞ£g»g? ü «³!ŽŸæ7[ T °å[!{«\Òs™ßô'£áµ‡ZÒÓ$§CÃÑÃS„WGÓìK\¨hŽä¦ÎÄ€CþÅìB“F…" ¾>ØØ‚»Ì\8¸9祠€ƒtÝéNFú;n—0gF5Ì QÕÍs/ù /Lö‚Ç™X(âI¨u°®à͸-¦áln–L:¸6V¬t§C±‘u:¾ˆÎ‡ ·cÅ­²¨~ÅïX±ÿ â!àæ~Á[Ù±‰û&Üñâºiæ G²%ª'!$>xp!לÑ“îWtzzéÛoÛ‡gøÕöþñãR«²Qr~Gsv‹Fã¦!µÊ¬‚‡.þ5…-òB¿+F4gD†Ù!€Ÿ²Öj§f’(0Óäš‚ä^©'«ç5¾|Ȫ܉߯âR *¯ó ´®ùƒÌÍ´ny©uæ$Á;ñœ®V½Q$…áj·F÷$Ù›ÝI¹ÑLe¨¾J¹%ÿ® Ä^φ’ˆ¼zߨ ŽÇFIÀíÅù³¦—+.(6A½œÞŒÔʆçF¶êic±¿PÌ®Ç žŽ¦4„·k/ÅTâxî0µ.l*Œw§ù¤6ÕS˜"©o´ŒvÊ=žª }­š%•Ì3Ö]Ck‚ªß&Æ5sÏÛÔåÞØ6ð­úÎè™1¤˜é@wìÀQ*%F¹LÙd¨J)Qõ'_xXéE«¬J;;Kµ$ìÆjmÙ³ÆfÃóö£Ö+¡­òÏô§ƒ­@uô÷Ÿ×îËuÊÍPùòËjë•iVh 7ÄúkRš~4s}{üÑ}ãT6nÇ È4ò÷ÖíÏ[eSŽT|ßFšEGØ4}z>„+qt9ìÿ“Ðg¡”ìâ-dxU€CH6¾ûjÓÿÂFÔ{RåBqïxÎõE—ëë´×§Í¾Uòt„v‹˜màÑn"Œ-7«Â–ü¼ÕªíoåÇÝŽHcyžšm·e“ò y§òáË<æa#?&âR"ÂȾc80ýó>ðr·Êa“€8©•$)¯aÏÛƒežµ€ý±ç £Ìy2k7&†é T{óÂnnøåVBà7Ù4Á‡[¯€íš$a=´7Ðn¤%¦9ÛCƒ±¡=Ô×*ÊÔ@Ø.‡ —L&ƒ¶Ðcǯ\Ê«öUW!!Eî =™¦VþD©iû CÝ%Ž`&¹C?ágLL?jÒaïÏÁ‡-Ú‰± hÚq̘^ÿTdÂÕßÃî (g: ^|Àk¡dœ²KFõ¯›‹õßt"Ö—˜…Ð×['ÁŒ ®8“kž? ÂOk~·…4~9ÃpþÝÎ8c±pá1Á|ópMd†/¦ãŒƒv¬o‚ ŸÁ £ª צ哬—£¡iÍüÁT²$×75Ñ»{­Õò®!S7¡T‰5}rõŠyk-vÒ@âF' TÅnßã'ËNEÜuÄfÄ4ŸÖ¸M*bwU (Ž¿>ÈE™dεnŽù!h‚xÜ.×5Yg†²%ëbdíSŠ|ަ>‡K`¨å&»øáPÞ¶*R]ø“·¦*&¨–›Ò1âú$¼–ò _«ÿé ÂL}cuµv³¤"Ó«A–4½HÿÐÕ-rï’õõ1÷-à. á:Æ$.I„–wK..HœŸÙ:¨E´šXüáT´™Ý«Îð2u‡âÊŽo[šÉHÅÅ·¶—atöΖ6;ø’Ù¼—‚ø)˜µõ*»»Ý-!?¯G˺ñ7Ž;wò|2¿Šöƒ‹×ÓruÏ3NÕZŽªu vÝ”Õò®2—Ù(ô«íõHʧ˜r–#»Â˜ár,ÒZ‹;§è t‹š‘Óq‹™%<Ÿ:’ra³ÓSh}³ì’ðˆ5ƒÝaÏïø¦g¦º¤QïœÔ‡¡–â¾Xd¿ M²‡T}^‹“ [ÏI‹Ã5_ü]v!ÝH¶AÛófÀÀóc€@ —l„H:甸Ä%lŒÙ‘à+î[·ô Á_dZ\ZÀ|2å>fmð2\:ÙÔì-ä}n•ªÃˆT+@ü(„K„çMæ¤U.•‚ÂElÄ{‰Ï|çªÞ´˜ïpž7›Þ«À¹Wqã×Ö«í¤¥\ˆ#Ê9ýBdÑȧ¶“25¾¶«Ui8¥ü„@0ÖžÇ;¾xOÿgÈ/:É¡åÕþ°ã d6z]6ùI÷ÙƒÖ 3úö›ÎDæŽU¨v‘£Û¶8æ ›ô{è0²'´—HÍk8x‡Ûödñ4hf¥ y€Áû—$þÀy„jsû‘VÅ«4Ä2\,Ο”©LÈé“ú4ãƒÑ°ÁƲG¾Ë ]  lÇðA¤ ¶±ï‡ôø49ùjô¢ývY‚°×–3XßÚFz}Ý0ÒbZ :˜;‘!;tWƒ ŠÍXxå!c §Ãs¤Ð ÝeÛÊÙ®¨eˆª™ ˜{T`Ð7„°÷š¥¼0/yŽ«úRµá3TÝïM#gŽ8?‰§¨êqùL{Íh§)ûŸ¨f2HöEÕœ\™Ã(1PÇmÈÜ/0 }Dr ½k”цilgô«ÀÇl'á”O·Z޽źÚ@ÍŽ.n.hZ]èèâ{¹v_?؆0J°§…d@1¿gDE¾0wsîÀŸÇ¹ƒSÛ/íÝÁv¼;œÑÝÝÃ#I–wñX[/ᬯ¨âÛoËð{ÙÀ‹>=ÝCW ›ý­½wrÖ>Ýß{~²ß>:n?Úv²¿·{¶›V Iïõ‡iž|‹âî¨yõÿ#kèYøSˆÇB…ìCX d!ƒ§Ò¾d¨3áb†/e±;CmVÐS5- †®…&2žpX×°j£nn\@íüg,K'Ó°š2ýg]tõ3wÑNAc·Ù:FåàÓ˼çeÚƒý4„[n÷èôÀ(8³\nELù䧇›4g:ðу½³6V…çhjcRŒá›dÕñ®m;³ê'2t"Þ(·€J,ºû½vë¶}ü¶ù´ûèQ®?õÄÿ Ê9]„ùñ{Imƒ àd’l6)—§“Þ/áŽЏTFjX9TÐÒv #ŒüTçŒ>Úòƒó¶žá6þ`w¯ >¦ìsþ»7ð¢Í?Ø2uº|öÅiûàçç§'I~Øÿy/·€î¶ø×u·xWIwÿºôëlÿè¯öáããgûGíŸ~HÊ7çå‚u·¾ áj»k†ìuûéîÏ^ºL|Ïœ—^óðßîEk¹¯s™8µÐƃͯÝ ñáš»ï-"9yæ—„¶$íioÓº;ÜÛÀÔ⣃˜æg»'»gÇÎö'Õõª}E³ã¼ÛªÆ“ØF’»>=}t|ävm?ú¯'ÏžñCdwí‹ãÓÍÜŽÀú?ìKÝFDÈöé/§gûO‹6’¨ü Û›x‰ÄÆÙÞŽ´Uµ´OëûCö_%Õíjx%Å'›š‘VNÛÞ; ‰p'Ðßp x¯j¼»Ì„tÞÍ m±UZY-h•’G_µ710¤à£f|‘y²Ýñ_ú#ôß9CÌMo0Æå…a8£ˆµk†¡»(º¯Êá™l·88Ú=ùÅa¾ô‘s.õÞÿùéîááñÞ*2udÈl•ž Uâ-3.ð„Þ®%YÿŸéè‚Þ×p-´%D_Eæ4­¡‡ï;:?Ž+ÏÞ%N®¿n'ôoLÅvòÊ~3Ñ*2îÑÅ û?<"Š}ÅÉÇÛÍÁäM²“ll ‹¿~°m†î^Þj¤0‡¤,œxC8j]au!÷-pE½Ù˜0/ˆj•¥ßÌÎL{J³¸-œ‡Öñf簌󂓨«aÓÆm´.ß+)}6…áoh‘²U qÏ+‹4íÂåöQQ»XVÊu¯RtIœ_ÐŒæûŸ±2TðÀgœ 8”ÖÌ&´Pìé·ŠÊÆ:/'¡¼xï®§u¼Wv(8{ù®Q¿|™j+^Y€ÑT­þ –å$P¹Â&K„ŸdŒN÷ ù晩„j˜ –æÐ¯JJâÉç>ïôz<âé¨ ÌÆ=æp Ûyޏ¸'Au‚¥¸CuþmmÌY~ÛÙ¸s3Ô±†^ îN@Ѧ¬â½ +¯IÌw$NüÉ„I1ÿmòµŸsÔ£Þ0HOÿmò‡š%Ž©dܶßô³>eÏÖG`ŸqŠm·;S8Ìç¨ûj¯®æK€Üä4G(ÒŒ;e ƒ†·L SÆy…å*ûäñÝø¾ùëî Áºí䔦î¤ý^ŠX?Y°bg¢o¯ŽMl«+Z4ÄÃçûPnÇ6M*¤ð¶ÕI¸y]ýÄÂÖÝF$7N.“dD ¿xоB}ÑÀañsk‹¿‡{À)÷LP¬Ëô`î$.0àΙ”³Ý“'û »°:®­=LŽúŽoì«Ñ8½¢ÍÔM8=‰«²Ê~ÙÝõK8ü¼šÌðL‡gê­püŒðŸì?>øÙì$õ]Ý5ƒ©:Aˆ3ždmÚ)j5zc!±d õá?…M$eÇõºo@Gl[ ÄòÐò%tDKVñÞ‚;¡«úò|)îg|e°ïà?Ñ´‰¥Å—°»mJLÆ(“cŸ²ÉÁh“©Dñ[M'-’ ]ðgß´];3Aû20¤›$—J|Ô§ŸfSM†¯\uX@ñŒ¬Õ°U-Ôv]ëÖ•ç¬Ñ„¡On>;ó FydFùq$8}®Ð"A°h%Çè T–°›>l~„ Ç{||K*ê!:ô¨ŽÙDFŒ´[ê÷#uá t\ÂÓÐÂ0é¨k¾¸H1?3ƒÂ­­›‘uw˜Üs}âå“>\Ó´¢Iÿþ}É;WÊ¥™£YêÃÇüm RÉÊ;WCI›î&ƒ‘ 1PkåñÂbë 8µòlˆYÆÄÝ7ƒr Édw¸èªV7êFÚªm™_ rç‰ÁJ’czøë5ª)õ0A+æM€;»í˜/"9©ËGÃi8K´[@ej6vÀýÄ´9Ô‰àk¸Sg¨‘Fâ¸Z@ü‹Ô¸µà¨“EbhõFð™&ˆC–tÎqÑÐõÕk‡%j Qð§d©ªcyÄëE½êÆ•Ô#7;p¯h$ÅT¯h1l&Çšp¡.¶YrÝ¿¼äVÆæôa>üv Ö­„²qì œ9qW5IM'21\)—%tAÃ?zÄg2AèÍ€©æ«ƒAЖ¤ž§#PD±;sÕ¿œMÒ}‡{í·DfDS®Ùé6à€LmNö¦[|mÝ߯"µY©Ö®—>ãð“À¥Ã‘tÂT¾ÌlŒÊ—Yµ\Ø1m7º‘ë‰lõš=z`7›Œª½Õ‰"Ê÷âþ}!`/áx2î·ø¡TPã€X†4ü•>«‰G ”!ßä’EF« ƒñQ–{JÔ‘É4ÚŽ…Ñ1Ãrm;nð[òC«x±×ãîÿemÖõwš¨»´ã^¤¦1÷!_‚.óSž¸ŸGÚç—窕nʤL9$ðR%\/³»-²eu°ä‚Œåªx ‰J'!ÌêT瀎‡; ž‡×óê‡‚ŠŸ±ß „tßíX'©¤WÌõ.2,a«¢ÜT¬qjÝQSÅ Õ£_1<–úÊTóÛe|ç4ÍŠ’2Š eêF°UϼêubùÌ4t·p¶B>9èÈ©Ãýºm4èâW‰2QNÌ"ÝÁN(R ÍÛh|á"bXnÝœVî0§‘ZÁT:%¸=¯·KMÜ2'7¿ž%È2‘.}ã³íu)¦³wÍÌ<Œ/=™¡N¶ýA:,8É}ÍV"¥Êâ#S®¡tÿU§N‘¢ ÔùaÕv§^|Ʊ0&³q Û–X/GfA/&Ø´f"Z—¼cÌrì"Ë@´)ß鉇çô¦ß•û3XN³7í÷ €ÚGÇg"P]y»œ¿œCœ@¥¹ÁÍ¥;Ž ?‡7Y_œÕ2ómwï*`×ÈápF_O¼£²1‡(ç¦Yw…Tk2GcY¬[F/pë®%cæ¨ÄN´:†/àÔ]Mü©C«i­†>ˆödžVÖ°Fu½ª¬Þ‡ÂæÜé¹cƒ,§¤²_äWHi hyx%oÇÐPfL ne„ZƒÈ૘Ý`Ê+º ÖØÀâZþéé_’ìŠ+À£çd ˆ8P7“P+¸ê«?kÄÌò”‡j›„Ù‚Ýã¸: J ÿP ¶«Ž&¹¦­ø_¯©3³®Ø(Sº®Ø,&:c›™ÊYPB=i=¿2S9ÛI¨Â¯C¬-{‰Ø ÄÙ·ÞÍa¬Xn ¦ÔFíò€Õ.ªKËk^îÒ=_ö^z!ECÝöGËõE×…è.c%Gõ‘Åcœ~5ç;@ŠIëdèòœv §Ó&(Obum±J^P'EŇšÊZÂàè´ŸµÚ=8«'>õðLd¢+]3d¤ns'ilø“ާ¯Ó°d{uB :5ZytY>ÃãÏM£%¬LG« «Uέ™?&³|ȇ‘ ºJ·µš‘£EqEjP¥ò ‡*¥£‹¬&/e@½…pÄ™Úϱ¶¨ƒæD i%  w×™P¨³*éWÐèjä/Ŭü¤’æ÷x¬ò@ߤ({ðú~1^J–¼N¯1š.}{” vg™‰€ n@èo¥Ò<ßê™T œ?žÌjžÍ˜„©“ÚÄÆáÚ¯$‰>Ú’ÛüƒïAQšç·À*ûÀÉaÛwï˜ãHE›ÿôuœ R©³×,nõ1]*Ô#ÿ2Ò‚ ‰ÆÉîgÁøªC ³þ%~;P£ªÈ¼¡“~Þx‰‡®ºUåÕ¡¦ïï$›Ö_D($vÖ˜…š5þÿV"‰Ÿ Ýœ’Užeœ6pŠÌóÍ K¸YÐÌÂÒ̺Sv‹Ì¦w¸,ÂÔÌqÏËóÖ§ÁJÍ8VØÐt—£Éý îÓj¬µ$up•åé¯2 ™ß‘+1·zp½'¯OøMFßÂ÷êƒXó¿A3h¢>ì‡?¨9i‘[ M£c´y°ý)Ó|ï·Õ9“ªW‡ Šýc¥¨3ÕfVs3 ³_+ Úȧó4e8[:¤’ÄÛ€¸QÌk`wbr³Þt@6¥Q—Â+l->Ò¬5ª©±ÊW¬úHÃpH}¤Ê$ôŽ~„‹A_ÄÑ–33Ùd7×° äj)*³-à[mB›Ñ½áí Üƒ6æîÚVá“l£ç3´zÑ<‰?2)ªÒÒ Ç(ÂKÚ|Á ,DÙáS0mb\zS^nSêDÔì!V]—*Fi‹®9O«­U³Š†›¦cW#Æq¹ÿ:­Ï½æté€Òtý5 ëïLòx3…®To]ç¬%,J„µ2ZÙdÞªpu‘ÏÜòö4rõNoûÍüýá {+KŒaeÉ8+å b¥`+–_3kp"‡$ÜÆÃ“ŒÝ«(’¥ñÚ=}@êW( …+k_eJåøæ!0Ì µ­‘°$ù¾9¼à;—*“¿·#¨„Qðb˜‘‘+ #J süÎøš8ŸûÕð½rÜå°+v>¶û+¶´e“_q®VVd“Nï«k¿âzBU™!i„šD¾T ÅF2®9(Ùà¶ GøÄ_ÙûUœ Vœñsstͬ¬pZc”·ˆd_SÒMÐÂïÀBÀ\¯È†ú‡Z£º…P³¶6pÈÒ Ë/[dn‰Zü<ºV,­¨Í„§Jax"ï¼ã&= TªZÝWêԉĬ+é51àN›TÛ4‘ÿæ yóR5M“‡íÀWœnÔ‡hjiu|’¥[b`Ÿ2¬±T iÙ-ÎRTn¥€ÄjNÃmÝ"ˆLÅžRnÛm…@çÌJQ>ð]w’¢Çç¾ë€¥òªóA¥Wb‚åÈg9 „÷¢ÃÞ<s–;óÀ·i¹}RtÞæc…ò¥¼î¿tb¨Nþb4º£X¿§ ÛØ p”×ø2'±Äà\VÁSÙ;¼¬áxµ÷ÂôІÜÙVëL×n¥;« ­fŠÖÈÄ9¼ º µùœb*gƒPÊ0` É·e|•i +ßßäóÄKTшtýÂë;˜š CFÜ[÷)‘ÿg†Aœo:“^&€˜°|/È„˜o¹î'ñénÈw­Õâ»$· «_D4ãš2}ãFÃp‰«Äwݵ3'Ìe8Wú4¤S\~Žà¶Ãáx ñýôN|âû1õêtQJÀÇ8'Viv‰¿æ³ %/ô<°lgtÏÏ9ȲCr†2 l» ç¼Ð5åAî”Í,öP‘{H‘ÿxã®$•\/ó fBø{Kû–‹ùaÕ3½°ÁéËÄú¢—¿ÓÊN{ÛyEç({üKŹEçÇ• ¿ÝÁÚþDâwïÓsd”¥_9ïH6 §Çh6r0qðj[5È¥OŽqbes§)ŽÐ¿(ÓÍ¡-ûC!et-¹ÐïeÓìr`¾Ì¶ðÿÀ^Sõ„û}0”>ÈFt—Ê ÈõÔ¼“O¼É}ƒúŒåÝfÝYu̦hIt†è8 0N›P´÷, f{ª´¥(¶ “˜2Ѩ/3cžÞy³ÿÌ›±:%- ±å'Ä|°ÃœTþ;Mö²“%uÆíèõæÅ}Wó¶×§„¾ù›‹¸gåÇfjËtjÿ烳öã݃Ãç'ûþŒ”ïží–óã7ÛaÌCˆ” ï<Ë5@X-¯bÉZy^[ÑÀ<·±ÕŒxx ­–W©|­ ­ÛûŸï»ÄòHïåÜLë„K `з­uøo±þNŒªÈ¤:÷fþB¨¸r“w7ÛŒÝ;ä.S§û‡û"vo¦é §²Ê>†â»œ¦Æÿ‰‹•H•ƒ£ÇÇÉ›íäM³w95ÙÁðbt GC—xå] þ$J¥ý·«_½q_a“ÏÄÄ|ÐCÚh?;Ü={||ò”á…ÚGgæþ'&²{Ý#ÏrdQeäMø·Ì3wÇ!íôÐ]—â4oEó˜"áÜ1 ³n’(a5©ŠO3L,™Ö÷(yî3ö ƒ¥I’ŸRöa¤|e~kð½a7Eɇ›aÍËS¼:Yâä_ÄYüåjkZe·Xø»\MVÑã W¼úm•ºUý®ZCew§Dœ«sI‹ÖHN)Y¥ëœ ¬¡î‡úæa¬ë>~•ÂÚ8Z?0¥Îbžh[P¹h6›v*Ïç†ä‰@!žr“{ò|˜fÝÎÃSÝBÔ¶÷«; |!u¨?á„_éÅLq*}©ŸRÚ«'YnÈ:šÖ!âzJ8žr餛óÆêp"c3Ó$S®õau6׆÷7lŠMrݰ­t¼vÐvt-lÐpÙJ«CUõ`bzÆw‰ÉDÕjñƒ–ûDŸáCô P 1LÒÚÆ“~°{ØÞûq÷ä4)·Ê­VÒzð`þÛ„ÿÂ_Àÿ¾ÿþØz°ñþƒ÷ð~ÞoÀû x¿ï7àý&¼ß„÷›ð~ÞoÂûMx¿ ï7áýCxÿÞ?„÷áýCxÿÞ?„÷ÿXÎõowo_{÷/î™Æ—æ@¬¸Š7?Zž.,,㸟ôÕscÒÔÁjµø¼ºI¶jŠ?'b }ã G!àô¬«Ö~ã"n@xÃ…NÓÆ‡S¿b¡ï¹ˆ÷g3!v=‡Òaº :¼s¾z@¸?çÝ,¡Š{n—†_RޏŔVt$PÖeèqS—­›IãóÉkm«;µÐ¥DÎN)ÈÑ;s2[·æhTW\nõÁà‰ñ¸¡„•–l‹7Š~Âþ ´mþªó|¼Mnž Lè·à}†ÓàŽFL\óþýmã~‘1[Màkކ8Ý$#Ÿ ßû€ûTúj¬È´Re\¨éÚý¯W÷{׿ Œ6œšN11¿Ç+F‘¹cŽv xsÕPm>*blʯÏÖ`m|ÿ~Bö›­û(x[ïì+@_ûG’Ÿ‹ä(7Á?†º’hGaY<ÏyÞýÝVÐŒ=7"Çß'T8 0Þ@t%ò¶5üÕ§=áÊûÆ7¿¬ñ×ÒND{Û!ô;Ö×ÏQJðò!êiïÊb®$Rˆ¶–\à f¡urÙàZè½NŒ&/Âô™¥lýï­ÕfëÝÿÔúЪÁ͵Vm½µÑ*µ6×KWð¾µúx—ø´ÕÚX¿„Gøq¸ÎïþÞ¾„*͵uÔÝÏà^ʽQ®CŸ¶×Ç¥ËÒ£jáˆxü†sk&»¶ß [Þî#vù”%Ýd÷ä ¦~Ìèv€ßUƒ aÔRÙæ>ˆ½]\ŽšxFäoƒ R*j[»Á”1ˆ–µ)‰8]JÐçoÄÖÀ„o<øõ•É^ÄßZÃI-´†Á'xѹ©†>˜ágð|%›öÚó><ý⠛ߢ–œýxpš€Ä•œ>?Jöö’ÝÇgû'I}°‡*^b!Ø¿$û??Û=z´ÿè‹/(-ý›t‚ž¸ô$¹t.1ä™x˜ÎÝLîaL.x“,³\BÇ4¡D3Ù¥ýÊ ’I (%„½ÁbM²÷óÏwŸœ œ½?º“_Î̦…Æ™{¸s™”×Þ¯µ’´º|Ö‹?½¤¿Z ¼€‚Òß(Ð}ûök*ï=à"ásÕ&q?gYjúº3ù9^ç•…³IkÙ¦@ô¦LŽ}:^œŒ œÝS!|ÞÛ\ŸúËøæáæÚ¼ÄŸ”EŽ—¶jƈ|E½£4*¸üŠœ¢™º4scŠrŸ` F˜™N4¥SÆ\Má? c% ‹‚pü¶Ò ŽQó¢óÒ“_Ü”$¼ÇõÇŒŽúv:é˜&p7SÑ”°Ÿ4˜¼?|3âœMS”€gÚ( “//.­y÷øàç§û[ CSÓÙPQOM¦ëñd3tÙ ’Œ£ÃÎ'x L[ &ÃÓHG몃QYêDÌ1ãÀP£hA†5mƒGýé5• &äÁÜéÀÃ?†!G7u'mžHÓHc8jØ¯Ž†^sZixº‘´ô]˜\Ln‘NpÑìpp¨Ê’n³®ú•]ôÓ^Ý‹‘$Ša·uÂùϳ7–4É5 šØw*ÃÑPð¼(¶¨-td§,o’Ê÷,‡Æ« Ÿì P_z5)wǯà<ÓbG2(<¼Ÿ»)? zíÜÃ^:ÆàüŽÊS­Æ)zÚ½Ûaçºß žÊ†Ü‰(2ÅZdËårÞhºIðfR|J$¾žåjÔØ€`×´*^» Ø€ÙxL•ð‘%&Ñ´ŸÝþæEºïŸŸ={~ö}9,2`aY³Esßf&ƒ¾-üN·lx¸FW,¨6$¼È{ˆPõŠÜÄð)j,›d’yŒ„o{«lW¢(݆ͻ®ZdNyŠšžïËùÒ±‰Š+ð…¿’Ì¿$€©n:(þ5#Ì3/÷-ãÓb·³”ª`ªO`º›¢Úì¦5Âz8¢K…¹³»ZY6ØF0™Ñú¼›%AΚø«¢BØfÐ »HÔoz]1ߢìAR7¨hèªáй°Y ¦ýÛŒ~-7ô¹ãv·-'Llr=ö ›)õÊ/ÙM¾*äL¾ÃÉàópèz 5­-“Af²‡ËíPByÚ¾ö­ÿ¥ º¶3)tJ|õU¬DÐŽW¡9"Ò¢-y¾.ô–Çg2„ç”árBOÑk%Éfç6úÛ¸Î(;ÕÔù€2Ô¬¿ò:ü‡Í½¥ÃåQÆÏ™3ÑÁ áÜ#g6ÜcÄ£¸="ÐpáV2•Û¤jÎjV°Në%bŸES]Ì“>µŒÞ·ŒZâ·Wx¥9ƒ7EåЯø(ïò@Ì—ìŸVhÂöçn Js*QÕJ—Õô?h¯NyŽw护ÿ`øãþÞ_T,'hcABuR B\Ñ)m&Iã8Ë:×`¦‹ÙaEŸ {J+;èHy;Hí_™ÍççÐΠíýnòì`Ïk3@P!kŽh™³ìy9 ~£ùÝ]|`?r‡4‹w¹ÿÐÐa/¡¡×ÕÜð•NCÐqoI#¯˜’ykM“ôVÖieÅìm#ÛÙ.8T¼yÑBÇž—M)OÓRnæ`Qb–xû6qÄç0ìÌ]gFÙKs<ï%Çè[¨ipâó5ßIz“ÛÆd6”SV  0y“·?–§ÇÒç"Šœ$si²ÔŒ6Gz»Ei©¦Ú6¥µÂ}-¹ä¹»ë*¨áÞì¢ü(œ·ä è ëv¿P=õ'Rý¬¸‚G¾ubÝÈÁtŸÏ­ÒYPFk>·g4ôÄí9 û…<¬ÑÛ[Ñ!ªÊ_ØèèkœÑ„õõŵ?ã­`¼®¸rÔѸ˜R͘Äÿ¢ÕZ‰&ß»¿uÿ|¹ÅOjh™_rï5€ÃÕ Èg7mG9&ý)•›žPDD‘ˆK”­ôÄB§ƒÔUÂÙÉZ…O¨çPãm/ùÂÛøÄÛùß0:ÓøŠeWÅ=âI#¹x 5%§'3&W/lâm·Ë¸\;®]N…ÈrR.VÌ|r¾ú*ÞnDqe æÇ ½¨ýÏìÞçà›ÁÝáÖY4·l8>ø¢‡¦£K”n•(STŸgµ¾&XÌj¡¤?Ç ç®–5 ±Gªè(j/#Ò^rä.sôÒ)f¬m.1½¹.3Ï‘JH&ìÌmïè‘N뉃6'nÁ";Ãî(ÃäCº˜M1™Pi%r7‡ W9ö…¬’iBÀ Îy¤L6½èUÀë!šìb²‡þù&|Ò]FGfî´uø·‚¢,ìiQè ËB!¿¸µ¢5X¹×mkô9õ뼚êÜò>|ÒP6ÀÛ¨¾2Ѳó‘—Ì.8;9¿’´c§W˜1 ¤é@ÚkXqáW>ÌÜŸç´c?‡c‹øç@·E³)ºÑÒŠ^žîSîîœÝìjD©¢yPPkÎnq”‹ñŠ÷(ÔQÅN~šKžTÔ²¤q¸{ôdk­?œžm­Q´QãðèxkÍ4ƒ‰ý`’Ð]-U›dtwææb6à@«(±!b”‡:ŒCd§^Ò_k[kÆaíËnwݪ…‡£uÔ ÷'ý·È†Ù_–°ŠU–%ôZÎl£“ˆeeÜtÒ³°Ó8,'Õª‘\¤–•¹¤?pPàmUvÅÑŽ‚¯±¸û¼it²tò&Õ’ d?DoNôFÌz“(Ђ:²>ÓüùÇi*Zx²Sl`ñ˜þÂb<å@ô Dsב›Æ‘y¶´âSyeψ©ûUeïÇcÝWâ˜^ÍÖÖ¡[•µu(µV}e¦m+ÈάÖâòÖß²ÂÒÖV-pÄ*IJF§XÂ-•ýéZôm;žù]°å–ë‰-_Ž.‹Éç`­æ^°ƒ®½TͯcwmÎXx‡µ>OG™»ØòøªÓ=SùîÇÌ‚4p~'“ûƒ3€&{x ¯qÔ‹xµ“%Ù¬{U›c}–ívÇ/|!6y@Ú ? KJÇ|1ISç×Þ¤s9^ nÍTõ°_Ú®>Ñ]®ÄúÔMz³”ób_Q£ˆOñ`åo~T''@ð²QÏô‚MÀÍ66_š¾œH)˜¼éœeèKರù§ìï°R9 ¾!D\Ö³Ï_ɬ;zØÜ|óí+üþ‡7ߨÛC! |ÜÛíîôvœ~ÔäÀ>yóussvcö3>1ßÇÄ370xýýøüèàg§G¬Lb:™f¼Š2WÝѯ¿v‚ÁøÑ“•ò3ÛÉ»CŸ™X_¬ÕžDÎtx¤?u»Fw+|™/: A@á­1æÓÊÛÕ ‚Ç`˜ ø-W@åÔlO|9ýRT{¡¤øüŠU÷$Ó.kB» 릃cç^Rþ9ø¿s‹±&À«ìÝ¿oÚè1cÀ*8=ÃË¡Hþmt_#_&xn#=Ñaäïbë B%%ùÚû²¸“Gá&œ$m;Ôtðžj¾oô…;yßhÈO5žóŠžî¥˜ýåX}Z£,+Z èⵇ÷×üÓûÆ_ô‡qðjðO 4ÿ»É ½o˜÷¸Á¯Çïú/þ÷Ö<Ä¿~Í®Ç;k¿ÿ”ÏZ‘°H œølÃ܆,›8‡_¸©¡ß6Ç$ï!ï(hc8j\t@d–ðœVøÕF(¬g«|6Óø5…L' æ”UàªÓ}qWÉ$©¿JÞI"ûõœÜt\WQ© ñÒ¬*h×Öˆ±!9;‡*,rTµ*=ãž^uÆNƪþåp„ßÅ6iÊùJfN€IáŒWÕVʵÂÉWÆ A—†[à ÆB[>-^Ïs\""`ŸUq­_\Å<)ªRc-D翤3ê0*íÛÊ š¶v0ª#¿«Å_ žh¡·sKEÔÕÆIÕUX-@¨"øŒòÿŽ£üqº²#=Q9‘ú‚pX|ËuË•¡?ÞŒ—þ=ÛÙ‹¯†`ÚÌŒTþ¨ÙGüÜç˜ ‰òîÁÏESí° Aå+×Å‚ÐÀX2]$ ,[PžÃ΂^DZñ7Ù¬ª¾ ÔÀ …§DKÿÔ­GI<÷ˆ˜G Ë[!Ç„þ;x|ºÀ_;uhyÄ!÷¸u*„`®¡púð}Eë8@ ñ°‘¨aŠø™ù± ’s+³‡ßÓÜ\%áDΓ;yüï™÷›Á§MýÝê‡ìè¿há~vÌõK‰$?:ç_‹ ïíÅÕáHÎl\g—mNÖ<Ê.’n×°âø\·X< k¥0+?ð{Écšy ñ˜¿Óž *Ã\² ¢ï()O8ô¨ñ–íç7_סSýqF ây5¤´,ß|jÂR7lð铳el# s±fx9ì_3äŽ& Úx‹2íšÌÞrúÛµ¹™ óÜ´ ÜôhÍ€™ÓÈÏ"ùu-Qj`JÈI^«üð4RÿÇ0}ñõ^Òo³.Ìøš'Î7xrÄK€|²·gÛx¼NlŒ÷‡ž ºÐ&Ê¶š¹¬ž€ „)KG¶©1tb 7w£ÑÅÔ­ýÞ¸€UAƹ±†wþHØñÎ\À׺¯ãMÉαFøÊð(1 ª~OþsÁ("X6 ÑàIÖsó©)ìaùg£Ét€\ÀG(©‘í®bÈØ×¶Õ†¸m]8fñ©¶Žq¥.ñ¯‹ÁtDÿÞ\Æú X¨öÆx0»Â#À' r‰@ƒßuÿŸ¿Ù´œ?A·éÞGüt2Ìð¹ìbLŠˆo¾~oÏã{ïh½×CòÞž‘÷¸çßã–;ª®½7êÙ…ïÍ&|ßÃÿ/ßÛ½ðÞÙ ï×ÞÅÇø ;‹N‹Çðâþ£yz¯Óô>2Kïóûæ½™Ë } ôÚX »‰•-TáÌi8TY !×€>p®¿9ãUe.ˆ¾¨É}•¾‹2 ÙJªÍµÖ*¼iÕª¯T½k·Ï½äøt}Sô–{ûö­ƒ®B¯,Y‘ $öšò8Ê•` •9bŸâú6þ&~ êüvF͉ås®ë¼#gnnÕ$3b`^ØE‚qO%œ`|€©*;d™aì;{Zbçõý˸èÃF‹’øýÏ´ý/¯5Ñ©›eN/^À„4¸Ë¦žÚü·•ÁH˜äõqá]KvyÞꥼ;z‰—=Û¥ZŒ ¸kn°ƒx‡Ïï²E ã»"E âEæzM,Œð’8˜;ÅÌ)˜Q0oÜnúÝ`èàÏñºC˜ñçŒòZ*¾Kã’|«5ò‰á\9ïB?ˆA6Á]c¹î³¾0škQÔv$¨Ã ÛvÆDtE0%¢¡%& ÉúѬ‘ .5`AT×§ìêåâºtä…]á,,9óI¡]NÐoÛe÷Ÿõ‡»SxW¸C|Wl2s=ºó áöa¹è.šÖXxê´x5^Dc!^QZZãU¸IãE—=Šw_ŠyŽ•KFxYK‚r†*lOs‚Ç!Y»ùN ˆcRÌ2¨ÁBPßÕuÎ=‡v€~f|™ð ·ß!)R|Ùs±Î-6Ç©Ô µpáIæ]l›˜ß%q™ôʽ+–îX–æ²Ë4¿•"×ñ8×nO­,4­òó!BÁ =Pûä|„þ¿¡(Ô‰ˆQxÕc3¬­ëÀ _¥Ó~—˜fË×Г?9~Óh~ºÞТp ÁÛFÄà…yc瀔eÓþt¤+±°BN(‚ÄärôŸÏ±Â0AÈÉ#àŽ;Ê;‹Æ¯R€Ïe€uZ.dÓ›«t2ލZ‘H!õáVG„JŠB–ÓìÐÑü—$w·ñ¤ø">-%.a«¸†Iر¼Êcé©EŽL <-˜â=LkÓáîãÔ "P¥—T@Þ>sûYEDV”«Žøü1þ™C_½r®„-×Mm;ùÍŸš_[Ú†åó'õžjt¼´tR`³©_×] zá!¶^µØ™ãÓüŠ­rÒzŸ´È¹¹UÍÖ·Ö“õËVµÅ€¥N"»|«%gSó‡o³vîÓ0ÈücwKxU{ƒ‚ÊÞ ­. ýÉ}Úø„¹W,מµ÷ŽLoôDvoÛÞóèˆÌ2[Ü;Ãáò§Ä£ß¤Õ‰ÅµDOL×$j‘äÝ£ KL‘Ú#^õƲըWP‡=Öh§¢(ÑU\ÔŒC¿õ0)‡BèP@Þä;eVOŒÀDã+‹ÃHŸaŒ+*ÊU¬ôäm™Š”T„Í9Ø|QØÓ‡€wU!«<—Ë ¶ÁŽBí‘z£¯¯°¥f¬öÓ>‚YÓ_]³Þ$vþÅ"±ûs•aŸ¹Çùy³7OâV²oìµBgÓ8Й¤Âíf!W[×rHi)'˜Ñš(Ù§;šÓs%˜ªÁ‰øå­Ó8DžÀM)—'SzCºàþT²L r°›bJ_ÆÂ3RãRè:u݈]÷L0?]аK‘)7”=‚! ³)ûC´²5 ÈšÃ.úo±{œÖyœN·Æ˜5½»«]|+®øe5¾3©8O»–r_Zt‡©akÃ-Z§ý3g ù«úŘ9ôO?MŒMìÎT<`Þ:îK ‰´/gšaaÀ¼4Z|-×oβäËGûÏ€‰>ý’æØ¥¯Å ;]öèÌÛNpa$79°ß ÒZ»Ìª´á“ÀŒwÙ9ªu/9 ŸxR»ž¯äuÞzYåÕhÄɬX:{îÁõqž–È%j‚*ÃÎO_—˜ºˆ¦ŽŽŽë_Q Õ‰3BÒIt„ù#âX')/I»¼›þágTª@¤^q“¹ˆ>n0ŠÓÌÕYx¸¹_òD7xc –ƒËÚV_Å´ù…^3ºwW–7V–¦ 6°E0¾{D•»¡W,^1[¿øïŠˆ#²ýñ|á Èhéšø":Ø|†‹j#9¤YÖź ³•®†^Ì ë°Kàhàbñ ׇÝÚ°K½þ÷Hž›§Óå?ˆIŠX?‰i¹DGç> 6ÜÝ;p‡ÏÈ\’§¡|†‡æ£6¥0Ñ<C˜û fbã ¤ <`³ck0‚‚úi°Ì"‚ÂŽý A'àBUì·BWÆE6Iß`p)m]}˜ß– âéÑB²¢pfd³\QÿE)™jûæR¥¤®—7`²+W8ÍõâhªÀ[MfCt¿Ìð`UÜ&Ùǰ®M9i|z#²2ºÒ>eÄ£3{‹Š5´Ä´üKv)°§ë•›÷«7¤]¼`Ž¿Ô8\ÏDç¬M9‡&W²ŒP&A‹iX>õ² &¼âÔ sb[äMÊIo;•ýÌKëîü\ Ê”î´%ý„ù'QRB$&é¼éôè•­˜ÀÞ‹¨€‰—áÿM…t íäRÏ •Zw;C/u}®xNàKÝ ædÜåÍCç«å>§Ïx*" ÛNþeÙÇ‹«é)ýe±üöÐöÏ»‰ÈGA£Ê²4½VhœÜ™»¹;sw'H°1gi>ÿʸd6Ó“:½'tÍÅßøŸÎ'.šÁÿ3ÌááZÍN­pEu€ËLÍ)¾Œx”GùÈrЇyN±Pö.‚1Ë9å³%î QJ)J…6Mz³ëëÛxÅmI;ˆE½ê‚TÏ¡OåhÝr²o6’Öjs­UÃäE¼îìîfÜp¤n $ƒÍïÖ{é›õál0P”Á¿"P%'óJ*ûONöŸA«‘¾”“ïSÝãúÝ Û²Œ0Ýþ¸íÚŒk³’/Oy…"±SÒ|+í^¡°%`‰kkkÉOL·ÌÎ#7t/«ñé\"• »LÙo%HÕíÊ(ëê.ûk-¾2E4™Ó×3Ê9nR¶“¨í‚um™„9l[9`¸ ò.ìŒ;çýAzkò–“}LÇÑ™MG×u”„ ”‚Ëoaè-y-ZÝ|3I~€y; ³'מ€ÂJ |á7&“¯B¬xÁI‹uəޕ{Œž†$¶CAØšß–ãæÉæ] né0£LbJìø }h'"K®­vÐOÃ6i†RûèüÓ ò–rõ´Ñôg¨þh–C]N’» âH~¾Œ&ü‹ÿeÌS_Àfka®#ºì|ϨÏqAYÿëb›b.˜Ç7œ˜p\I xrâAŠb¦Âx ö@tH¤j«‘ÏÓwÌà͇´nÛˆÆ;å”<»Îjðû û¹¾Å;6O 4fZ†\¶~[E¹ ÈùÖ^Ë¥Ò kS-¬»*y9š°Ò -tÈURÅŠU\µÙÓ®ö,©Ê'«å»F{±¹XϽ•^„}Hãe §(ÐÎQ ¢‰Lj…ßqŒî;dýúôƒ§[õ«qõÀNiÅDD¹AÖ;ˆîC¼q€ü ày_ëý¾Aøj?ê‹à ¦aÒÇ{Úi«N8ÖDÉ¡(vƒeÒKÆ!òÞ’%P˜¦×ã »YÑê:±´‰¥hÙ Œ'õ²EÛYmTÆ­Q†ðWÏG;>eAy5ÒXXéu§g­ÕO*/\om¸][¿dÄi‚ñ(ú*)Ç‹ûd-8Êš/÷È,zñGËžJuí.Š©ÂFËqÃð„––ÂÑ¥›a’.Ôl‹ÐÁŽÔ:òгëÐÏ^~o¯™âs|Âî–b‡Z«–c álà}\mhŒ¤9 ïeþ±£;/¯°Ðuÿò }Çä‡Çí¤w7t]åtæ„~R":•WQLzÓ †×‘ÃŽ’¬î%Ë.M 3E}!â³E5fR²n(  â½p—f=B"é ¤l¤v˜Q¯×t­BfÎL&û%ØçùÇŽ=€eæâ~‹Ñ×ÂQ¸SuÕ™ôºÀ³´j•ÆHŒ$Wj™ôy¨šÅ%ç…V›¡m‘ŒHÞ[1@ ÇCAÏæœÅfÔHA?üן¹?Œi˪všûÐNIÛ« ’{•V€nªÒÊ<¯Î%¯b‹Û0G˘?UÞì¹¼Þ1Öè#¹€®;·N–¸¾]“ž“èˆ.IqýÓìücà¯iôÏöUêXsØì’ÿ¨f5›‡ŒnGÊ›ˆyBM4æ á#l3ª²GöÙB>œÂ%~†<F Õ“tHöâ2 ÓŠäZ4 4ýkâœÏvr]Éô3¶Õ‘âëÕ9ˆžY6|ò-C>G“©dÀ©1«áz¸Ò±8¿ÅȨ©š²‚Q[dH­xÊߦmå'¼ ¸²¨/ð‰jF©”ª’¿Å€ÃI¤'/a<›Œ14TUlìºJ綦+}¶í0wf§W>Ô̹á-é‹T•RÀ#í[Šèä@'{'<£ÈóŠ­"§y§å¤–%1˼N=öMWë½Lý¼¨Í3ô—4“°ŸMýð ¨>ÙRy¸M(°<ã œ§¸ „g/mpk¸L±¼ój®êÒn¬ž‚ æ69Gþ«Vû—OKÎBä&GÉX`\_ì¤gÌ"Õ±*œòQÙ.x¢Ur¢÷‹™k–”mdUPËkEÜe z²åàŸ~”24ǧ©ˆ—ôœL>Ò0ù>”+Œ{ÉQj¯Ãb"J0 ¶ê^V?Þ9Ã~\EÇ¡$°[|4YïHÂË îoZúÓäÿkµažìvŽ©°Œ‹âQ ðéÆÓ»±‚ƒjàŒß©Ž»Pgíœê@Í]¬ôÜn E©~ô˜Ïe6ž«Öç´[ 0¬R‚´nž’#ç÷â»æÞÉ3W‰6Þž¸i…y“IÎë­¹v_[9±Š6›NÓEsc XO_÷Ç*šànŒóêb’©Ð ÊØ…ámF”¶jŽÀKµñËOzHã(pS•“©wvè×\ØBnêÂLó¸wfÄåíCbÎiþ /S¤‰Ü˜rMÆx¹Aùt¤® ¡¡LR˜ŠÚ‹Â% LkÄû•Ñ´£>¼Îá~· B7ÞrE„‰è@žÐñSz ;’¢p£Kè÷Mç….Ï8C? ÎI|¨’C`Á¬©¥´LžKàv"DÏhZÁªåÊcºëð[èÓãðŠ ºOÌs_÷x·Bú›Ï>O9?9Ùºb4ú#š0²Ê‚¨l3±6' 9à†‡=Ú‹ºáùˆN®ñ'‹AqÚ¢ùþ„oÞêž‹IbΗ–=¶IpGÐ¥¡°gê¥MÞÐutX®N}&JòWñ2¢gnAÓ¢¯rF TË=¢ éçÌ”Ám³XKhkËÀæž/ˆ¡w’%Ö0Ú(7ò3š½8®‹T‘`áPõ|/¬¥…(ôÜY'ØÜµÙÚ¦òGËsŒ D«¨».{¼/öÃÝ\äÈŸ¾M»3ò½9ñ“Ù”^Êòì÷§G |D÷«óÕ.Ä´B¡ H‘³7¡Î7/ûý›ù7SÌÀ”rR ^YâÜF­|;};În¯#¹î…;뢉ÌüHR™f#N@ÌH"&¤É»Få-Ç3áèûÌV¶Ü;¨I¯^I´’ W’7¼[~¥=‹OL 0ª›4¹a$Gþª>N'¬&½zèò爀Õ<òØvä¥R_0™.å$8ãWÀû˜ÙV ñÌj° Ð+uÒ'(˜Ùd‚þ& ØÚ—)Ešýc¤ÞÛTÆÂ:`äÍìâ¢ÿv§Q¡b…aVŒ†ÌƒoyclEh©Î’.jN˜" °ƒZ ¶ i@1y›RôdšeP«¸{,ôˆà2e­0Ç1"©*à&ב–M08º{Áýëq#®£jvJA2¥µˆ\¼C‘“@rÖtóµCN¦àÎøØÊÒ§aEÙ*ˆ°€>Gc\Ù±»ñ÷‘é&Û["ÈðV•–«e¯¾ZS^ „RϯQ9©¦oûÓ¤òçj>£Np„ŽË™‘mÏ•Âe£Ïoýd¹e†3ŸÐEÆ%úö”ú]X@VfäÍ%~¼&a¿{°äá?p,´“FRæ²ô¹"U,„J'Ì[³þ|9Æ«ÓC¤%ÑôìØgÔ!¿í2Ínò=ˬ q3¾0]†CW·éëë´×ÇÝñÞMåT Íq"Q˜f˜G±°ØÏl£P–¬¢œÒXkdÝÑÃææ›?44_<ØüšœÍd8ʺšiáÛìÍ×k³›Í…¥þp ñ󣃟‰:ëCL· ¼dúGøÖÆËæ‹äî¦!´XnEn°ÈÜO°ÀAQÙ}}CZXäYÅg•=jjÃ׌Xìáf*{ÂNZ'©B¦º3ôуâÌbý¬Ï²Éúy¸N±–C¸lz½dÓ‰úMÞC镤ÂAÂ[É‹¿oÁèÏgUN¾‹GbŽ+s|‘rⳤÑvøëŽLF]œÂ}> + ½÷±s¤+?ñGwÙ§ÇÇx‚hQÒTÛ9SS-©E༞C±[ò ÄÅ™H?%\x…]%‚Ä´b°†rlI|\E Y£§…0òøAÑÙve–µLç Òñ˜ G™lyK^ì¶çO­ø'BzcP±wÿ¼žD³Xp£þ7‹¦Ùv¨ÚpTÔË”´V”A/$]Vˆ mxAɶ:£Î¥váTä>›[gjY¢4{gp… F#z/ú“Ìq;îRZ ñ”fŸëL75D<‰OËÈ`ÜeÛµ» ²ê Lýç_»ùÜLìÜ[m ¿AË*옊B8eÑÖ»or“õ»nJåà”ô¥³Õf£¬é<ÜM¢uB01/Óg^᱘Aþ,ü19áS§5Ù‰)”í ½œA„¤[ 5aN¨ñŒºËr§ûDrTâ¥8ì‡ê…·ŠiJ¯מ¿áÑÊ;Ó`ämKs‚=4_yV¸‘òÚ» ĺÿÇsìF/KÏvw‘/ ­ð™ƒ¥ƒ‹ªxéí¹ñU~R‘Âð»Î~­'—³4C`ö*0³(&;î}…›ã™%&5àH}þÃç>>’÷($;‘-“»i?î¶Š8Ü™+¢‡#vWÄ›Y Êã÷º±,Èrp.÷’SöæïdÙìZ€6PÌ]$UÄÀªqb¡q¸'Š`S#£i þ.ìtNdià ÄhÈ⦉ˆðò&»<Ùó4þtñ³!­s9U<¾£§©¶À3÷UÙø‰h6–þlX/ú]GÌqˆp·ÆQDà±êŒñE¡7Fè:¤iÊp]¬` M†ÆP7‰ZÈε°©:ABT‘€jÑÿšÑÆG«G53cgÆÕE"@·ïÖ—d#mE}È55wY‡ ׬é{Û7C n¶ŒÂ¶x,rS(jX ½L Ë´ÝÏ‹^æ·úéf~{Ÿ†aÖ,Ç™;Qzù€ý(ö´“Q³S^hÚîF×e¿¯Ø¤Xʦø·XÊùfÍÆTM² › |t0Âí–9C´ÿÆœ· æ Ò0M3í+Šê;N(-0ñÓ5V2/£u¹™“XHOw9ƒ”ËåÛãþØÑˆ®ÎvàÇÑ ¦•ªóŠÞЀh‘iTý ;O022áOGjŒ’.ùÐph4‘h0“]±.ñ)Õá5á@a” æKÄ@•ŠÓŸ÷›3ÁÿÙ ¶‹Íט$§#é´¬,•‰~p–¥à´Ô?ú<õìÉÑóä.3XvNèׯvç§êQ ¦-‹ÕJ5&§r¿8@îy2»Ã5ï´Žµ Æ3R9¯) ÁÏ— {`#Šú¡ÉÇM (‘>»ë>}ûsÉCÙ)â.|SqîúöåÅg륑sÙõ¯03ç…åœqæ½{÷e7NxO]UÖÂK4¦™7 ‡<' ¢ÍãÇ\Œløf'áõ‚ñs 3¨¬8<ïŠBAÙF*žäã‚Â(”Äû³\8J’ÿs§¸“^ÿèG Ñš“ ŠÝ4Ÿ)ØbNô åC‰Ž·0"c‰ow ÓXpÎt— “òéÝ®0ÁŽ/¥ÓócxB?æewh’8z¾‚(Ùsb$àw1Q0ï¹»,&Å–>äzÑgÒ½ÌIô2ÀE·©Öd.€ }ÄôD³"ϺÅn‰ ·f£OÃmÔ}‚M8ÆÎéšñ²éúïr8²QL1€ë˜©Sl÷<~¨‹Õ9•ùTqk4æ+‚¶¢‘"þâßý·Œß]Yom¬«Ú—`ö†fÍ=ww¨ÑI#ÍRdû‹dFš„EÏ©…+‘ªaÎÓbAy[æ­-“ßfÀÊñÙññ!ùHyØ}›×Iõtfõè$ÙÙI6kÉ;–+Ûè¾óáCõUŒÄ‡"Eä“~šîØŸ9ýüæk¯§ŸØUÇ´??!àÍ Ñ»EÎ|3àרÀ¶ÌE[ À0½—kM¥›É=fr ¨”±A[˜à4šNtfÅ'rRðñœ#Rú^ˆ'(¨½ ñsMã†n;mô36S‡ùjÒ3q!h#tâÊÍP>g”«n6Y ÌÅíóWl+QqÚ><¥5R”{ã 9„ÆAùþ rZÂL“-4—H7;°ŒÞ7¯óœƒóUEFôŸóšˆh%U\õçN¹žV [ü…ÅŠ5É`Í9)$ÏTçòÇb90ѲšŒ›ór8 W°øn¦Yå´æÅMÓœŸî6ÎËõôþ}òŽ… \K…¥•¬Ì#Âs^ ÑŽ+yAï9g"Rb4ùŒžÝ| Ëîöü¦3¡,ðÞ Jæª`„^RÆÀ4ÁSš&|›°ÞÌØ{°(©' ã9«zIï#€¶Ê­ e?u½N‡âä}ÏŒÁŽ]‘s:—×¿Çæ†áÀ@˜µÛä"½!}â_YT¯19‹wÓ­E@óúbö©‚ò0÷ÈR!:›°“†[¤¹g`cVï“ÎU “ÔÅÀ"M}í{(­¤oQÝŸÚé%οc•á#ÇØŒ+xÍÄdJ2~ÃiúüÖÇ©Rú]—¼ @2X54ˆÐÌxW× NõÇ.R֨ˑ]Š«‚Ø7‰Êœ¤ f˜${Ð~g¸wN’Ôš_ ·(Õèì°9Òœ½ã jÙ_Ó>…y‹íì8Xg?·5“Õ±·ýEµæ™›Ðf•›±“0b2+Q÷üÙ%< üB"õæzÐ!š=¾u,®Ä… n:·Ÿ<Ö¬óZ@/œÚé`6éìÝÌ'Ô™O$°MÒ-\§ÐDotnÀ7TÄφ™g’pL'ýîëÌ@„8`ë² ñÓ Þq4ս̕Ù?0[ŸèÒŒ *)oŽÎ 2y9%M!ØÆR‡”O抋¾ï´»Kö¸LÓÊÁ/‰¦7Ô<õ¡¶¿M8eË “ë}ó # âëîÐ@8t‡áµ…ÑVZ±%Ülxkù ’¡©pOžÎ†ÉÞ^bÒ"ý®˜g[%Ç‚°÷óÏtÃO;— É rÊ;#~ZmF{”¹šUØù³·ž ‘оªÀ7M6¿ûjXVÄjúï¯|•ìt­•ìÁÌÜã^Þ¿Ÿü¡ù§RN™Á_Ýv3}wÎÍðr¶)âô¸,†àkù¸Øî.†™›jÒÐ<${ðÈùm2VKîþêipi½wæ·l4:›yF]ézak{{åpF+a1Uàzsº·‡:8˜ø¡öq&#o>Ø Ø!Ü£t¼%÷¨ŽfGcV/ÇI(zÙ´CˆyBJu-’NÙë뇋³’[©/Îæ#ês’rX’ïÙwi+À'sIK¿ìˆ~ް”7AI¥R ˜¤ÚRži 3@P,MòÏ%g‘—ð²-²³jûІ°ãC™–\Ú—O8‰OGƒ%Œ¢ˆR#Ø‚—ÃK°è³tpa&=̲ÊâfaªÕrŽ< š²=Èk-8/=Ö’«+üØ Jœ%¯(&?öE{\8| ô´c;§è£Â/ÐË9£Éµövns'wi xÛ‹QQKâ]ÓÀ2ëæ·áìú<Üå#’"ªpüüú.-r0­x¡dÁ¯š 3þ5.Û²‹?ŠNk7PL§ 4%rt $¨GJnJ͸Ÿ¿ã’ij)OßGçÿÐ8Y#Ñû—œsÂ\]Ê  I”®‹j*nRèI×G»O÷s»éžé’@ —”÷87‡£¶ÛÖ[ݽÂaíäÒNßN)´ýj?Q-ò[ªpÖÈwq ´bÎöʵ¸kÜ"!«úY4Ðç†@ˆI°ÐöÜï*jˆl”^¢J~UÍ^ׄƒw {${Žj-ŸÉh¯˜$»–)4׉3£Ó™$s'T‘æM©ÕâMªÉƲlŸ´­¢n¡ª)JýIØéyUó]1£–Yå¶ÛÓÛq*Zº{ lÏš'\±ËáléÍ \ʼnÃyÿ†~ÑAiÔÈ[áýÅ$Mϳ^®‘÷Tñý(»x/PLïáöKk®Ãc)¹ ™Ü·¿ã$ˆê‘'; ¯DžF—À”ä«ÙEv m¨]î9|ÿëðí{BM¨vûXиóaìÏ÷#¸Z8ül:ÏÞþKçÀy7˜¶±cíþ°;I‘X“ª.Å߆#êµé7Û85êÂCO±âäaÆmšvºW*–5|ØßCèŽÉa¦G ·çƒ÷/6zÉ¿xàÿý½ø!ýUs²1`s’{ÏONö΀i”ÏA‘´FÃaz 4ï %}¹sRŽ3¤U¦[Ƨ…G¹(ÊÁtñÐ Uù]Ç~²ÿ׃Ӄã#¼và_2z$†¿ëÀwŸìØ᳿óp ~»œ4.ñGÙw¡¼“ï*|í’¢Œ&lìs¯%ìðÈs*§ÊÙÏŸa’s¯3èÎ0åÇ d¾œKÿ<ÅÛdÇ\ñáeD)>VVñƒ8Ä{…-’&ÎI‡­}0 @æn3_¯'))w“‡—vÄÃaÞ_ÂýN3NŽíxñ¯‰µš÷þ¹—<¢¡%ÀÎk âÇ÷@qúÐÛbŒ3ž!¶uA‡î'D‰‰ª·çßo];÷et`ô8¸¶Nú2z푳£ü\\ʯ¬S Ÿ*úŽÿ‘ü ›·v Ì;­Éw#nåÌ<{{ùÀ…açf;â¨ï à7«ü—#qóû÷Np±ñˆI‡ª¹'CÚõσy쟯%àk¿ý¤O"ÿ“¼O|Ö,ˆÊ˱Iù<€… “¿ÆÊéæ`ŽB ѹÌ{â Áî ÑXî˜w®Ñ<·´tvÙ@»Õ*ai^3³V/Úçˆ}Êš§×Qf\E:"òᶤDÊÙÍo4ïx us…Ñ´"@&G>(T¶® îÜÖ &‹i¸|¼wv듯X#|\îMAµ%¦…¾»e_{A7÷’Øy“Äj‚±¬'\“ùñ]Aq;©6«MwÛQ$¿Õs»œD±š#áÝI¶ûŽ!H‰ŸïÄ;$&÷5gÉ }žý+=¾ÛÖuFü/ع[¼Y›‚=J¦& ü®Î£¨3Í&!ëÕ Õ–ñ*o™9P6K"÷n S-ëŽ>ªšî?ú–m†°¤Ï3ÔVW“IG’otè¨Ö“¬êCµÎÝP.è¡ä8° [øÿ£ãÓä?›Io¦ÙšË†Eg¡aéuÞ‘} ðë`Å í «@WMÕ»yªå¼¤? Ô…@%*àà‚gŸöê¢CŸ“À·“ˆ6¶$ö³Jã¼f×ÞÃ*h̹"IBÜ.9)™ˆç.?€IÇ^  ¼¸7#œ‚_g˜EãÒúî²_½+1Œ”\$‘&`îu/vÅ|6ûöAóAL÷ð"d‹”Áylˆ+a¹l‡³§å &ƒŒIÿì-ÛÈÓ]ÞàéˊƘw Í™Žé¤.ý£wÚÁzQwíjùÝvçJeLVa–œTñxÕºApd ™ awõ‡n;‹dUZ>ºi›’”((RƒâD¼IÛŽrø ޵ßXr=§[ø"»Hs€£gSìcÜ qB0ð6›tÖCß;4 VÕ~ù2e ¿QÃv½ï¤àŽàGeBî8 -ºRI›éÊp<â]Z9i4êþ€™"n¯³Ä˜»Ëî[¥Xž±¤BM¤ÂðkÙ5_Bâ8E% Š~Þ MÜs±¾Í‰Ã‹“Íok2z4EâYǦ`1¤ð=‚Ôë˜îøóÔ@Ú÷Ø“Ÿ_ÜÏöÔœ ³Ë¢køš‘®ÇÎ Œ lk˜ãœÔ8d뤼 Ú± ¡i¢%È÷ðóeW4Æž¯nhst|OÞ'Eɵâwz4< ž³¦ÕífUª« –Åøc™1€íS4r#-ªê@j“.ášÈ[›¨kÅyñ~t6žRrh,çfËøIóeÀ^Ëî-¨õ‹ ê›6gñ¨¼;yúa’´ÜÂwæõyZ@Í­íZT¿X`e÷¼¢ØM^s­ÕlÒ<›t†¹;5#9?pu4åg8 Ð [vC±‘ölcà³Í£C ,¯·ô#•õÞ6²Ù›#*vt¸yúìUd6÷ýëþõ¢$?¤˜4b7܈6)Ì® ˆMŠN÷’¨Ë¯I¡•0ÌívàêªÝξ”HÔ/“//˯LSôgš°¡ NÕÆaQeÏ»Õmă@[¢11"gö­ï a2|`P‰Ë1o%«%ÅoŠTàÙ®›Lëé†É™µÃÏ•– àÃxáàçä°i ¶M㤫îÂlÌOBM@tÇäC.…(†öà–d]òX1îð+y´˜ˆ’ë¯(Áñ˜O9²$bsÒ7/ìÕ:÷´;´ë m½¤grhqjù®äN^rmÍqw#V‚E±…+&ÌÄñžw7¸?æ{Å“à ÕzfnÙžÛvá˜ý4w²½lìK ÖÍÞ¾h¼wðªòÎ~˜Ê6Ÿº±±Öp²7Âo6sü2¾y¸©?cú&ùñ<eü³Íî¯:ý׳µšEkD›‹& d–¬ÓÎÈ5„‘ ƒ`–¬v2Š_«}á vÐìäª3ÎF½[ý Kž˜Ÿdó¥ùÚ‰”JöL“è×Áv¼SFu4áæy˜K¶¹¬¨^{4L§çYÏŽ”9rI†ÇZê&ÏÁê®N³Œ zMmûkü6í5Ã6ñHb£2HQÞ›1O:—£áÅàÖý(É8ÀÏf½”¿)Âõ,ÓÀK|ºŽµ'¹/jZ“þ¥;úÛoìö0â6 <ìÚí.*rmaÖ™æ&¦q“Éè/š1F7™gìÇÄ΄>ˆédšñxdùTÏJ7‚Øó€Wç4[v=}]€‰¾î ¨(­¯àÞ²qK÷&œ™aÚÌB…Î?qìÃÜ“$Ôî§”+N*r¹eµ´"YRÓSž÷Oa~X°l²Ïx]Üv°Ù8(Ó3ù âñå±üæØ”å…ù]ÌÎòXô_ÀET¯iÿ †ÙÂß§(@©ò[ZÖÅ`D칩¼ÆúúZ!Èd'³±®xc¬öñŸËëñj¢bBº¿éÛ@î¤ÏˆÛ7ýnŠÐiâþÙ 7°š«Ê„±$$j³7Áâõ0ü‰ä|7DÓ÷ž&ê©NÖ5W,·ê/¨º¶±ës[6k:`¯) Ÿü$ýét€A÷ý78 ŸRy)ÃæpÕ'E±Ò¼ô-|Â÷aqVCÿÕR>Ê.&_á?_“îP—R¼öpE)1{Ouphª£Î;r<ƒÿ ]G‚3b"ãLjÅA Ämgª-6åš3äØÁþÉ25§ñÒ¥¬d . ¬úböú—„àÞŸŠ“Š ž[p ³˜‚tÄ9b3J HØïüQùTãû2L×µ\Žk¼½5ùþ,øî™MUU°.n”¾ÍËÓ»…ã(¿ò¥ÑãKô½Ém{2"_Y9yŠŒÍN]³Ë·ø4ùÎy–|ûíþñcR½Á¹†A¬Ö’wèX:› “Ûɇ’¼Ÿ×¶fû><ÛÛ£¿î>9M#SÂýdÅ€ŸX #h³\¹ó ~6Å_Y¼º¾ßä컀tŠíÂ)€0" Γ)ÐXºLS'^S`Kf–Kú 4žNdŽ©°AcùnÙq¡÷ý¤?‘“+wK(jÐhÚ×)ìÌ,^˨ùugj¿™mÍp|€Õï«ôíx‚ŸÙåd+)7×¼öʯȈ÷ —7oþ ¬tÁ!Øä!ï |Â|ËÁ´0‹jÐévÓñ”ðܰ“~³ì´ûyQ¾?;Ì÷Çà| ïxH¦‹ø-æÛÓôìÄ¥ãI¯ß#@D°Q„vÝ~Sd˜PI@¾UBc•EñÐ.‰w¦†ö'—éT1·•ÛGÜV¸¶mÌÒ‘â}56Ìêúï%û¤à\”ž²+œùCæ–ë0Å”½sžuoÄÊ(bQ’õA Bá–2¾ˆcžâÕ6µèöH0ÉÅ×G±ÿ½éèüKcåwFß%gÅ—ÅJžýþÚ½õÎÓï¥(¸Cà 7tÜ`Óò;SóO£çKRô8Mÿ,T}©Yu({m÷¨ûg¦ï¿…ÿ hüçËækñÓè<õHg¬eb§#ÄÞ§ó8KÐz£ÓìžØÎ1»&¿c¾rm6¹kó!-»@dW< Á‡&‘ó-”K~RÔkÎ¥ÛÚþ&ÞϪSm‰ÅQ\]§ak&) ÎŽ #%ƹãê¦Åè3 þ`¾„Û°-<xãt(&ó§Åi[Ús ¨âœÀ’T:¦šôÏ|³²FK *èÇe¿Ëú›ÁòpC¶’ÄÖd£âŽ’©hØ3¬ÊFÂx«åW ÕÔiûHÚ1¬&§Œ 5 ¬´àzÕ:ƹ =¦zºóÝ·ðÞÃ;ÏŒF¯¾âetÎòÛNx[”ƒ³ei¦—wº½¶œÇ„*! ï¼â@8 ïø-ˆ1­`E~[¯\Bâ6fõg|¼BÝL{8Ây§Q²óëΫì X¨¤1vâ‡,#Ú+ÙmÖÎ?¼Š"rFØ¥°CÞ],½ÉœÞÈ›ñhŠJžŽøº¼ÀÞéã0|Ñl¼\K6­Ù^ŒJИs—t«JÝѦKm´õ„úMzèß÷’Ç#rÉFL‡QÓf·$|½18D(wÛfÙý¶Ÿ:¥¼>4k^n=z6ºFG‰›%fŽA“y·dôKoôß-m½D´¯K³°çÄ1ðÍ÷Eɽ9÷a˜Üî^r†Ù,Èa¹3¼äØ=ŒÓ-_ŒF^pL#0Éy‡ÓËNR@(Z.…y] `“ÔÞå¶¾S6BνÏp¸ó[¦A´Ùç‰ wl2 &~wšÓꥠWz8Óýc²è –ŠoÓ©iÅ$öÞ±søeHqú¾œ­ÃëOÚ±©îlôUq}w–ÅM¥‰¡ \*ˆ9s*¹œÜÞ.Y)>(—2pž›ãIÀdñzÚu"¤W}rDHÅzZkÚd Nni'°O3÷˜P>%lΓ?¥ƒ3±ÿp+"íh¸ˆ‡‹#b){ßcð 0AåfÀƒ2讀ˆÏKKÂFa„é+6M#æè$8WTEö@«rø¨…«~3ØÉå ʉ‘8VšýGyíX:þøÞTæ¥bU¬~{b²‰òOA˜nI“ ²ƒì€Þ¥RKtÒ¯S5;žøyI=MhÐC¢Ç¤™¹•Ä'wäät_ܼ¢èùs˜C•_8›®ò/7Óò)Wƒw‚uÐÅqvm!D%Vê5mDCñ0s=).j æ4ÇæL«ñ»/ÚhEØ©dñ'Ë…![DV‚GiÍÙ1­ràæf6:RE± Y)ØÝ^ îlˆÅÛpŒƒí'ñÃãtr²«wr.˜=’¦Ï«³û®wÜÁžÏ:gÓþt&{Fç §ÛÆBºRóÍÒÊÒG&ùê+ù~ai_ìÓ“’)%‹Ž¥1óW¬lu‰…+áÃ`Ù9ô:E¾5¥( N#¢p¶dÏO£lu¬n ¯f?Þ*ûªP³Ûé*S½VÅ}ZÝN85Sâ ÐΓBL'†ï%­nOüdêžJæÀ€˜›g¡RDκJÒÍ£ŠÓˆ·Fæ¹³2æ•Ì…ùæÃ{ç̈÷Üâ-?ÑÅDËV‡ ‹`ÄVŒjó.I—æ¤À+ßËVá0ù*°O¬ ÝÐgጕ7œ%~E]ESIŠ~…å=ïFbîÉ®þp]™D2Õ‚«mçS¸4Á A¯3"Ä@FI9¦]Ãך0W ‘i¯g²ú0rÙ-G†ö» ãCÖ³~—‘Å\X©%pir@4Üfùg[6÷ÏIW²°bdøëãgU HíÃN#¼–3Ía°Mwi«0ÙÌ Jr²*¯ÆÎ¼òájè€p1‚˪€1m_pÕô’yuÅKP Æ‹¨å¨rálý3÷2@¯I*‚|5kMÜf†JbÖ3á9®BF/½hÇffýµ„!aèc4×Ññ™ yî$M¨MæËfò”ò‚ ê#"‘9)‘ÙŠ,¤ä²®ôŠN‡·×™vìÂé\º™ÂÓëD01𬳅i¿„aÍØ4˜$CM'“´÷£)2ÊTžõ/ jŽ28s õx‚7¶—¤œs_Û¯X]]×Í8¶J’h§n°³“Á]3Ø)Õ†½“ÈÙEÁZî%Ükâðß’IÔ§çè·ËÞ`ÿÍùŽ9ý¿¢?õû$öê® ¥›‡›Pâ¿EÜ™"@ãló8là^èð1¼Íq [eën6‚R¦ å‡ð»Hð“•4M|^ð©áÈʧ7x®z™]¦0 ·f߀¯—%EÝuç-NU›Yß*=AÆ MÛ|rInpDn†‡œTÓ·}àîþ ›l%{ÝG»Š¼‹Žk€÷E±ÜÊ¢½“ÝZ‚QKϧhБ r[cp+_ <ƒ>—@WÍWªííÄá3ÍáµöÇÝv^ŸÌÇr#ªä*Ú~]õ¶]ŸütÓ¥rôv<¦`¤žàǶ¼j}þ:ãîdç¾èhÔq*ìyYÜß’ï¼9ˆÅÛE§ßYwBÝî/Ü\¤Gà€p®E ³*æ#s6ò›|q˜û»™›lf^@–uzd=v°K9œEœüf“|î‚ÎmQg~ 'BDJ;“ÁmñŽnúÈK{åI zÎ# áv”Ðð0ú±“ (Ez\áõHT{MNŠ¡ÊÃJ­’>‡Ûs2S‘-Iëîu4µd—¸ê"Æ[Ïóy¸“Þù?œ•«…Ÿxú×h…|ËÕˆ5íóH赘er’Ãæy,þV¤HÙ˜@¢óÍÇ5쪕«¾ÃéÍ'Ç›Žøjû†«ª>3ü5Ê ßK³ù±'ü »1Ó³‘ü‚6[#™ƒ(ïæ2\dÞê\&vÏvõÃeî(ô‹˜/iÝ8A£QY¡ #„oºàvªYU‰J¦^©l ǵǑÒWŒñj’[:ëYhq4jkVCôbl&»ƒŒ¼?t*’¬Û!XäÙ8 ÙBraÝh$Û•v‡fœ”TÉ?FýáêFÍ ûÝ”¼ØKe†‰®¦3Doewˆ-ë$Ø@F¾£AøH➪ë/’úKœåõ/zÛY£Z«/’Vý%þXÏÞÿ½µQyßÚhm¾¯W“oCŽúü¥X^^ÐÐ]„o ‹‡}±hóÀ #ÇGžaNë¸e²6†Bû‹ã6ÔÒèb »ÆF·ºkqÌK]'N¿b9ïfÈ—ˆ1#:uCêt,"Q‘›«0j)³ £˜öX[MuEè~Y›¯Þ ,Iƒª Uìåå@ê›tdgTå%‚ÍÔS¨×ñ£ã-qÕà e×ýŠ ”¤¤£Ú42Ò´Ô.áNò»hBÜ‘0²F­¯0jQÁÞ‹n•¹[ Jóü«@èbÂ•à ¼³çÞæwš¢Ö÷pŸqêÛıà<ÚÏL y»<߬imÆÅ&^z¬9¾ÀHXmÙÎ:ip :o¢kç³¢…[å˜îUUc–¨È e·C¾9³±j²fÃÐ×ã–MÛl ¬~¾¿ˆ·Xíöâ‡Ó@z‰wª\þðœžKfôÍÞÛZ•ÚcŽß çÑÈK™ª‰/ô†d¹Ç[ø!é>Š(Ï\þNê3Ï6#ËÈÀ+¨riÅ*èÁb¥Lþ}à­XÔbaSÚ†›ybù*X~„‘~¿"Ñõˆ7æŽr9¦”Zq•/æ‹æmL £ï(H¨Et·Ül ‹äN ¨R¡“a/“q?í¦( $褎ëËò'2’ƒ©¤iQ4f[uβ-Ôƒ›Èº“þn51+kø,ËŒôÕr¤©Ysq¨›'Ü‘×ÕÉ ~Í"("Ö\˜{´à®A§ÁߨTlĽÍP.¡ y£pÑöÔqú‹ƒÓS ŽÈÐ,›]§n¸:“NÈ`•µì!¿ª (œ‹²:)èƒ&¡×¤â–³Žv–dFq†‘¶ÉNßv™‘DK‚=§=ð4Ü.7eÕÕÿüTžy¨LÎQLÝ–$‹ôm<› +¯2a½Õhhǯ³tF!m"† û(z!¯E~§p>š*<3 !.x4ìvœß¡qIý½%'ð„~{½³QÊQIw^)8Ìkâ‚Ñ\—ÃY{àû^/Ô†¯ù0ÆÌ FŸ'§œKºš<ãÿ\=8zöü,Y­ZùÉêócª>Õy*”¨ÆÏƒo+Vú¡Áû²ãA=„{>,²PÁYØ3·€Nr±&5§Xþ¨Å¶€Fy}ô²‹=w™…,ÍÑÜbå­p‰Qø6¶º< aÔKÝÿySA\ž ôxÚ ˜}á}ÃÛr¿çûÌIFÚ —»°o̳X§x³Et£ù×*g¬F“ì‚ÍÖ¨¼Ö¬TFÿc»ø;×UÄ2é[xñ b¹2/wczP²Æ½C4°Þìs6â:¶È·ñÀsiï©·›bšðR‚›ûIÄÄfy>?w¤oE–ËïW¶„ÍgP/‰·âtÑqu¹A;ÑÈ·u×<¡¬aÀó;RM«ˆ§]•MYl#i¤¿B_ûXbüE†¿¥Ý¯fWÉï1F†f4ËÜ/t蜽æx¯0Û S0P²ì8×o~kù0cìažÍÎ3ŒðN‹6 ÛÝ'Þ&ѪKì:‡ÏÙvqŠìÝ&¶Qÿ*YbOG¶qܰè"ÍGbÊæ4,€¸ª¼ó¹¨™*?ïAüò»£ïÌݽgîà?“õŸÇoáE¹C¼1pŽã ñ©ˆß´]?ÃÖZ¸c"^>KOß2J®Ê=Æ[/àu:NšÀø©ß ·Ÿ0Š÷á¬Eæè•wˆl±çKv¼%] ØÊÎÅBG(Ú^¿ÎúÀ޳_¢ÒVL  âøhÒf…¸9X§¡²?ÊÖðÕÖ‰õº‰ªeÅ‹B:1˜¶Q¹ºSùs‰|N`¥F“´P?Ì3ÖwY¢yªaèÈjÒí…Ž®š˜“©l¢²£ó=óß²µÞj„Ë”â“+'5¾ap·’ŽXÆLE‘GÃ]\ ˆÖÿbwV¶ Eþ^ +³œ³ègõ~(<Ÿæá]kÞÍwu°,÷§º;ä‰ç'¹<òîgq{à¶>“ëƒr÷ŸîþÀ-}q”.rƒˆ2¿¯+Ä<¦íîîwà«Ä%¢x >£[„¥iÌnD¸3ÿ^3– .Ð,9R”ëH˜Ó{ºuæ-£[ÿ­î<÷’}f#Üh_U6ŒEO#Ö£§¸®5òhç(p_mLÚ‡Ûa !–±Ä~F[ì| «/´D ¨yè˜ÏgF]`õ.´|Î÷RÔsï9ÛÅ…Nˆî°Ý&]xÅD¦¨³®HVÐï´¬çû odOÀCcæåÓ^Ü öÞ¤Øuú¿¬cÉRn% œJœìÂ+ïQ²Ô1æ8ÍùÓ=¡ƒ™Úqe8(å# ˜Šäd’œBˆÊ«^ç\yýÊSŸ4O%„÷nCÒpÄHóWcçªû˜ñ¶'þÞAxÃd¦ãN7mz{ÝíœÙð‚Fõ¢•´*/CD*;láí~GÿuöG¸·óEÉ„4`Ò^ÐÁ“((à& ª¿OÞ _nÅ+Ž‘¯•µfÝ= ¥—ó|>±%ð…Ïuºìöz¡ã^³f+‘7gU ®‰®ÑNð*Φ9ÑãÎZQ=È[áÚs€Øpílx¬­dÄöbÏØ€>5²é­±gÔ8(x4ؤ%€EÖ[ŠáYYïm'ð+üF?†#Ð^%œmí­1×atøW±Bñáó$Ü€W3â}|Ò'WZ˜jT@öFl/ ®¶4GÔÆ¾ÄO§ì1{—`±‰{ްÕážYfÅß}®þ˜­t±?„¢ý^âߪ8)ÀòÑ@)N*pÉè|‘؈ûtrZL™€Z$f,WÁÞ$e’‰ ®Ú¹£¶ÒÜÊ÷ „àÂ*^àCáÌ~(ŰÏQ¾¶—^tИ[|íɉÈs £"äÝ…rÅ@ñÍ Óe¹€ßÁÁh5Àœ‰l~a Vî°õÃ}4oƒ,Þak…Ó«¢®u­ÂVàqjaö£*Ð&Œ®ºú” š ëÅ®ÙÏÁ:kzÞÏÇ;çZ¬ˆ†QU¨¤×¨ÿ2z>‰SmÁ®›ßAó~‘¤ei7èßáYûàèàlõ×x ò¯ä2î5“]d)±wÌ–Ï5ž_WVØŸ%Ò,“¤ Ÿ¤(P8µÛ=y²Ö€†|0Žð®õ×µ˜YM×IÕèeÄ‹mœ÷‡½vgÚÆsPŽU3+±°žXˈޟ ”û£vßàª?n+ÞéÁ¾ü7 vnñþ'c]ú_ž(»´…Wi9‘;3Q†ˆÑ–ßú ¨$®‘]@õT»Kæ9 %)•4¯Cr+Ÿ¸Xs"­«Æ[Âàä–“D~,÷5,଀äúPÒÞÒæ@rƒUÊU @rô¼¸z÷ÏU1¶ˆŠŒË¿äá±íÞv¦ÄC¹N‚ññÝÓúŽxÖ9 o.Bï<8êÐâ¼$(µÇ|.\jEOþdhjq9@ÏúHTêbPæ ˜y)Xê4a•šC¸—@£.F¢^æ€ÍC ¶H$‡E Åß R(þ2¾y¸©?2ùÑÅ!ÛÓŸx¯ôeÇi*[[G•ËÚ:”]cMõc D„_¹Øï-3Ú-ieËŽvk«–x¥ußG'Ã+™˜öÊþe²¨vxó;bË-×[¾¼ìü8áwB×g—î%`‹!ÂéÌ(2x2÷Ôv? ïH²O êÿ&ãÿ&ãÿr2n6áGÒóxý"Âþÿ/‚áð€bøá1a8¸¯ÂÎ¥vxÒf”æ¬ã'̱àçd‡ Ñ›V$®ß^‰Á‹¥ÀÏC¶¾Y¦¹¥¦¦ö©vo@PѪí”ïŸ?9Ù}ú}™!)-;ŽN†DˆÆqˆ M¢m.â;OÆôÇ^Á9 ä›  Z¸~õ'iogkžF‹¹d\ˆ³y¸ÙM×jÆFz/yÔÏ(4I›å@!¬DZS)Áv³ºXn’îd”erq‘gx{Ó¹mš†ó½ä9Ô÷Ö¨ï°_Â{Ùî-ctYþK¶Ý 5ûÚ<ý¾'Ðóó,Yø¢N˜“›DЕ\}1'¡_UÊŠSgï–ìU¶èßñð±®êûãçgÏžŸ}ÿeÕ(ú«¬™â(M…MøR#™«~h˜Ð˜óŸ›‘RbAø KŠ©áè¦É¶"R”ϲ¥<Š®Û)9!ZœŒŒ>ƒy¥ó'o!`‚Wmç•ñm#5 [õ˜ü¢éÔ·gÇLJm§H!$DUóåEÉ„ßÇON1ƬӋ5À3Ò‚3Cù® ò©†^Ï3^’WßRøvVgáæóùZòÙ_LÿÂýfji-×^˜Å¥åh¼të…·±×é9]Ì]i‘>.ףܘ÷Û“>c³!Óà<[ÈÎùG*– h™ôD69Ñ¢ÔDsi8¤;8?7Q«KNSVRÌ ãêgW¤Ý;Ð[ª;°Èܬ—èpÔòì°|?‰ã€ñz1få^2Øjô`Á%q‡›Ìû„£Vq‰ÿ2wXÞÿÏ~>wÿ‡Â{É!úL°ßÒ_⑬û2wSòïKiy÷š@ngGÅzåcôeú¾}̬ÕY w/yÜ!ž—Š™”ìN‚æ´Çv¹wõ{¶²{@sÔ8Ì8ifÍXüÉi3ŸNzÐíO°Cšµß•óMYÿ[Éæ-}…j½Ù‹¸óRöÒðO\ÂPËOŽ7¾pvò 5ƒéÉñž ç8z¢[ôÏ@¶¢EU´-ÏM¦°úpTûW®m®;@A1 ö³Ï©ÿ¥˜·ó’ôU¡@>Èx=$23‰(ô¾¶]Zà‚Í‹?¾LÎ[OÄ_ŠDǤö(.¦Ò±é(­|V²]4ãKÉïDÇã&I &d梣Xämíÿa žiâÍ«–c䫲«þxLÑ»1¦Õ;&Só C„'–rë¤x& =í\\L§€å ¶?š°Ù*/g*¶1Ú­G±‚üI'dÊ`СæCKßa½ûÀ5~hyjïàL—ßÖ¢Ó0˜¶gCä=ñiè§›Y~ÛN>ÐÿÙ0‘Ô;(ئ é`©–ÕÔ›wsûûrü›YÊäch¿6ç;•H]Ù¿KtÁÄ‹­„c„Ú«ñMïU®b­œ+mÈbð «fÌ`Gp'½kZ~9(ä  üÌŒR{¨q†½œ±/r-IA‚€¢gke$]ÐMøp“ïyl„ùS>q„°—œÃ-‚.{èŸvÕ!'´N‚>™À ]\ôßj>rÛÄB£‹ ‚Š0i½màªä±êýC纇Z ßÊ=Þ¤n$ A8¾~“\túƒ,¹YqçÓ·ÓtˆŽ¡Y΂k5ˆ5 ZM1?*Ös£çô^¨µí<Çé€lògD…=ót›NÈþ„ZÆÀã< qR†ÿ7½~µŽå€9Å$U®û ·TWµ£Ù¤›š`×YʹSé£Í®_5¬ä”4óN—¹ÿ-û» DÀ/0ây·]çÇ»‡ÏOöËÉF²™lüÁK­pÝŸ¶µô¡Mºè”î·kâ³Ïœ;Ë‘ðࡺw*@äx¾xAõš¨kºYûS‹!ÃEÙ!./âuÐ{‰Ôå ­kÔæèGZg¶?5íL0 Êö§ž\£éó<µ9>è¾&RÛ¹‘ ~c¸@J6RÒá›þd4Ä4™ÍxªEZW9<ÛÛ£¿î>9M#;q¹)Ô:§g'ÏÂý`f„z1‡@çžO/8Ìå–³œƒ©”osyæûüoѾ),ímyg£-ª0wÃÍŸÆ{HÑÓ-ŽÉ“qµ¦(£Ô¬Qá{lv¯€ì7Ch»ò[6;ØÂ[Ze‹Mf—¦Ñ€sÚ›]òµï–ƒ\j6:Ý¥ ™gR8*ç©T‚eàÇw:Ý~Ývi“ûoݧ/ɇ%"&|™ê^rš¦N¢Š1…c†ñZàLG˜ÍÖäÄ1@¿ƒžºòì6ê);òv%WÃáÁÑlB3~  1¤IER +g§×c·Î ˆ.ÿ1J»ÉÓÄAðÞg¼¯x £Éx©ÆÑ8…Æ–„r4Ša iÐfá W!/4žBá‰ùè+P47‘!DejOÐÚæ.ä²D<ä‚hHù®ß”3Èùáy~T±TÂÙ<RdpâLdèdtÝFçaM>²ÐZkL5„TØVÉ¡Oÿ÷‘x–^Iµï=;>=ø9é¥í´Ðà 3dLÂ! `x9[g‰ç%7£~Ï›ÎR4‰O”Á”ˆ:¬|MÆZ 3wò]ƒ4=M'7 bå¥ÍËf32Ù¯`}‚2[ ÓƒŽ.@@É/!f p&¥“„±§ýI:½åš©Mr„ã²&«ÝÙÃþõÆHs©+a7«.>»,JìßåÔ‹€þæ¼lÑc#Þl{fgCÍg8¾SɳœEg~Âçó$# ˰ÇMÝû@ʪÙk;¡žuk/ZÉúKúÐ9U_3QT7W¨ýÛ’ÔÂ’§,›MR„›À}ö9…Â"øbBý&ýSgq=L!0èŒÑ4¿ôA-ÓŠLMC¿d×±®ó1{EGÆŸ4>xY¢tó ¾oyU×¥¤PO}Û†mÇÕÜ|Ý.Xz¨‚ `Ão• £ÇÑWÑø3‡d”6+X+ªH „Óþsß Š.¦é%F®œÌÍ©^Z¡*\v^ö‹Î» 뺴¤XG®(ž`Ý‚6}b^¯üÅÌ0}Û§¼œD3ÆÄòIe.N¤’j…dÊT@~½Ã_˜ge‰äÝB~‹ÑGá_í|clA¥²ÇÚ&‘ šß³âyÏR›7ë#’¬Á“qg2ÍŠÆd¬ Ñâ“ݣÃv*ü/>–'[aFª0[ÕRÁ½ä€‚¯&”é1"i»éÐA¢‡á~04yWþ¼ìõApïüœQ,‹|™È‰\™—E¦0ƒŒÍs—kÎKcéßü,0IRœÎ"GCÃ$.žöaQF¦²[1_}’%¤^÷«ÅDÆ€vÉ|‡z³Ëtjw±É¼àÜÄœ%ÐŒ0éÞQè.o•#ºY›Oñ[¦.ˆïaSÌIñ 9Îûº% Æ›?ÇÈ#øÆ:fx*,øß­¢ÑÙÅl‹1“"ƒúùP†Ý0‡k.Ac8…UgØ%¥ÚDÚZsÐQañŠG9d§þÅøÎc?Ý*ævØ»C?Úriƒ–5_.o¼ü}M—o¸ü8³¥eL–ŸÝ`_±&ñ…ñyVÎÓ÷aÈ—†ˤZ£ú2Kˆ§™îˆå½¢:z÷=Ç÷£òâ-“¾¯•ãýxciè¢hÀfÓÑ5Á¦èòÆ}brÖVçüë!gckGm­s̬ú¥Xpˆ†#ìZˆª½5E‹#á¤H[c0½K”D)?Õ`Af,WHï[œavúA’Àóžèž…~0Il!Dä†@~2>ú·‚÷°ÁB ¹Ùcrˆx²c"Þé] PîcÔäjðÛh»ĬÉh4õj+:=Çà’Í]bÖÿ.9IAe½µ±>® ß4)| zPc~Η<2fUzRU‡ÃNâ£uɽSbþòóœØ»ÁT;´uçƒt¤[6P;!Œ6±˜¶‡hÝvgGÆJ{Ä™¾¨i{©>6+±6&œNžD;yòÛwòdùNæÁ4" ãcqø1—Váž J¾1{ÚÊw§d™9cü*¶¢ËDçk™Ãu÷³O?âŒ|ä±9?–?‘å´Í,³†².[ÓY3UâïÄVM_.¹pŠ]7îdš3ÙK#u§gœ¥³Þ¨¡Â9ꨩbú&¢C‘Iaˆ;Œ»Éœ"÷§5Õ߯ ˜l­àÒé . }Ç|^,ŠíJuªëD‚nEèùÿ…ý¦+x·-ßFf«T¼¦}yË%w§+/Z­õ—è]ôb·ñ·NãŸ/·øI $p6áµ.> –°¼^| ’9g§sž•×Ãò{ŒÎ]ðøç,#³ký„ù1{ÇÁvGºB¦ÓtrÊLú™u7ÃdõYtÏœZ#Ǫ£!í‘>Ÿéäd]}™Xð2À¨aÜN:Éu=B¿¨ºÕighã1dyÂÓäÙ>7£¦6(X«Hpd%>^ä+B$r$ oœùš€9‡;=fëŒ~Òì¨,%L:=’+ÐTsð¿÷ê²ÝêVö¨KƒzÅì;1€ˆb}mÐéc¬G}8ª¯5{ð=ã“Çqãùw5«ê;@ lƒ‡tõrFc¦ 3šó^=±! =F˜¤ÍhOŃQ=ž0pèËlºÊ’”­†w„ÎY¾¦Ü@ëÎt:Ppc¿H ~‡Š@á ^¥³I?ù³é4ßlââ…MYÕ¢hÃB±1:$åVé^â†24#¶ž0ÜRP쉱»žß&#HV1Õ\åÙîÞ_vŸì×’Ê_÷ONŽJ÷ Æ3B9M'GÇg˜4ã/úœ—ï (q@ŽÂô›f}J2‚%»æ )±‹¤5Y J;#®>¬5K2!ÕŠLM+‘Ç¡ ‡Lsòyˆf;tCÛß«ÞבÐ÷h–\[µâüFµ1Z/0œ!€xý_ŽÈÃÚ盥þV¼sÛ¦X©‰ÀªW /þR¾c¯èpÃ ÑæÂÈ’ÙClBA ÊÍþTuz=º€9ºI;¯™}<½é÷x¸ZÂrípRõ!7ÿWÉ9€PºH²ôê1ÚÉ’¸GìTä‡RçŽüU¤éXñáù'l‘Ì4èg>4d.ÔÿÏ%óhÇÒ'¬}ÊfØG»†6‚^Џ{úƒþôÖóöàDoH˜°e.±Ö‹hš3lø±r̼7×é–ÆŸJü§Ÿ™“jɼ£‡z›Ó|="Žw4¹u–VO$ºÿ©‹«Ú* ÛZ H't¶0õœº¨î¡N¸:!¡Ñ_­PÍÖ*ûAX=y}u$µ&œ*bü6<¢&§£ŽI,G3ò3Í>jüp²{òK¯z5æ° AXʱ¬ƒlƵ÷ÕÂ,V.¦@˜+(¯Ðâýæå Ê{t¸~ é"å“Q³ùœLUêø=¨>}·q¿\ù¾ü¡„jIØWö½ÑÏáeÙl6K±W«µÒ;ê-ÐŒóÙ%ZOxOžR&è{™2kMšØkX„nê@ŽøH%uy‡¥1ŒÛ4`„…ç”%ÿ@wsD÷I§Žån! ˆ%5ðÁÞ˜Ì>–yH…ÑæåVý±žÂÔ„‹ÿ”Œ‡,L˜€<§Xxl÷[ã—æqsP˜}ô–uÝl¬wA`)åþ½RfË„ª’÷rÞ2ÅèU:'åÛÑŒÝö9ðSŸaWd’ÄÎ3¹fü63ägÀè*9íK`º*‰ ³AöðÙ¬&#–;LÖˆjòñs½.åGºo}Ÿ#ýS¯1¸XàØÒìŽ÷ÏÚÒôënlëuÊ©p‘×Äù¢|¨N@í:"r4I˜ië gܳ`2ºÀ* ã¹çÔgŠ—ÈÃ,ÍE,3¨\„×wÂ%Aˆý MœR(8½y‹Æù5ŠŽXÈT¼†àuú·“¡/!P0è§–¼ZXÒúYK9ž‘-³9 ËÞ Ë¸$gáX† ÅÍR·fEά…lñÊØù™\‹ÌMœ°GTºñTiÀù޲¬ŽváUFãàçà Rêiè{Nt $y.zãH¼¨”ŠÑùhæXÔœ7±·Ãí5iÞšêï1”L{¯V€rm¨Ñˆ?ëa‚ø^ØÒ^9ô~Ï5â.YARw½ln:5ßUÒë²ã0I@Ö,fÚ£@‡Áu¸6·÷ÜÞi¹Ð/ñ!ì”=˜?]ζ2¶’y0ô†âÔ"yp½ÁæžøÌc¸´¥c^öà"/¯Š†YëÁÐÌ)æÍÏÔî¬ì’Æ*Ñé\µ;t|ÅËÌ.¾@“T¿ÏhôÄc]Ço³09i+c™4¿‰Él¥¬³¹# ÐÄÛÎ1 ͳD¾ˆ4`œ‚M0£*|ò²"W6‘R8Qq3±jã_l0ÅeK“ùFÞæ2pæuÍ©âdå~Jú¸í«¯ëoPbÙ>Õ#wÅkÖçuÎ=œÈ62³#¾M˜-â¼0R˜œå¼ ¢ƒ6ã„;›ÓÖ=é,é)ú X¿ÏS¼çà4™L¢ŠHø¶6ŠÛAPt~œaúŠ,‘ iÎI>H™oaè|{âln)Ú2Aaä¶³:éxy1¢ÞRåQT<Ït9ÈK‡:ÌÙ‚êå¼›ä2½’ó ›$¸8ÒTØ¡lÚ'J.QÈ´KÙF•)’Ѥ‰(3#$cì!<ûš¢Ž?g­n¶Ga*uö2ÌKî6¶p€þe¦ªë)HD_ò1wYFÆîœ9½Œ3éÏv†9ÑñÏ•\–ã%¾ m4»åHRû•ägΡíHÒxn¹:K"Hï­›ô#ÁYP«fz×÷DŸE¾?ä]¡)ľŠÜkdO“ ƒGöôØ}Wr {O5iφ‚E€–h‘Ç‚t”1EÒ¡jdŠÉ~U¸øZÇ[Ö•;Qï‚"ü»•Â5„¿•–ñ“§ÇöË8Û8’±6¥ŠuA®Íí'Y¤GŒ‚9u¥_Õ²: ¦M3\Z|ì¾-%‘Àj{~ÚUû~¶û$ƒs]!Âo/½è£G@6ë^g©EÉ%˜õ§3êyéž³ËSø|—Öë>*Ƭ¸ oŸ€d64áihî»—t¯FýnÊ×#V©ÀDRG4Y ¡-yÖK”m·›Z;#ª¸°S B©A±‰éiOáJ÷l¢™NöZÒÄÑGGƒù@¼¿‹Þ†_“ØBnáZ#Î[gC˜ :t§¸¦S:ßd÷àçºiÔdo¼§M¡‘bšFµ‡ ó¨p Є(s3¼/îQnFƉ€çÚ]µŸjZE^Dj°1"ßIX“þål"habå“yjȧ§KÙ%®b]²£éLÓuéºQ“¸´^£ %FãZ²¡Flþuj—aûE©{÷î%?ì?98J~@¼+ܳÉÞñÑãƒ'[AKñ tßu{îiwÿèÑ2­.ß Jø½WsBÿñ"¬q çp´½M3ø :ŸnÓÕñjÙ¾ò·Ñ^5êuø«jr·J÷ˆÂle@îªÑ'>-ÐÖ&<Úö¶JÿÁ.»ÿl>h~½Ný^ÿßâÏøóÇ?þÿ}øÇÍî¿úç?6~ý𛯿Þüzó›ÿx°ñ`sóëÿHþðÿ‹þè@ôßÿ%‚õϾyðæáú¿|ý76üáßëÿ/[ Z—ÝæõõøóMÍ7ß|]´þ7ÿðЬÿÃÍ XÿÍo6`ýÿãßëÿ›ÿáÔ¢‚Š«Þ J%~zö˳}õAÆÇÏÉoÞnÐ(ÿ³?n>‚ýǽÍd}½Ø„YnÓýŸŸŸœ=?z|rü·ý£Òþ³ã½ÝÃÃãŸ>Ú=Û-­¯ïþ´ûËiû‡ç‡Ú»§íÝ“§ðt8Âè'¯3ñ€[_Ï&ÝÞù%ü€F'Yñ%öâÁ¨ðâðàè/û'ÇÏÎŽ’½Ÿ’Æug,‚ŸbPLýr¨ƒ)•övŸíþppxpöKòl<äÓËë)) ¥o€}}Ü=ýúXHúå't%q^ÒïæíéÍ>úòòE}šN°X–¥SLj~ÇâûÎ Xö§»{'Ç ÌUûàèlÿäàø¤ýì˜~<•wGÇíýŸ÷÷žŸí·ŸíŸ<=8%7!~÷üt¿ýôéî3ùõÉ^{÷ìøéÁ^ûùÑÞñááþÞÙî‡ûöí£ã£³ö ð<§ðöÓ݃£öéÙîT U²åå—ÿÚýënûñÁÑîáÁßvÏì—OyúÃÁ®þ¶„ßi?:8Ý;Ü=À…5M=Ùû¯öéóg¸=J%èïÉÁÑÞáóG²×šÍüØýÁ¬—.xÝOúo:S;Oþ?µ%[éxÔ}¸iÚYð¾•M{q$¦Óãç'{û䑸_Ô7ú˜âîÕùàu³{5êFžŸ€‹dÓÈ+ØàíëA¬RïvH‰w#¯Z8öj8ø§4¸¾î¿¼Arî^Ë3:‡Qvbe#!Dœuô²éw†Ñ©O'íîU7ö½IÚtúב7ÓÛqO&¼´¾Vº×¿éMÏ£¿n¶Qû2ÿ£ýž?yBÏaÿp|tøKé^:ìõ/JkëPy( J”hjY­¡þ¨ úôŽ@œ/ñ‘ÿ¦õÝÉô‚P]ü1ðY>Æ€ýÁMç6#ÿ( Ƀkæ~ÁmÞ6¬Ôç]nÛ¼¢†é™yr‘MÞxO:o^ƒ é•é¿îŽ&ÆPúÿùø¿óA¯Ù^|NÖhÿ÷`ó›!ÿ·ù‡ó¿Ë :ä­šl%²ê¥äQÊÚTZn±®‹ÌⲚI¨©õ=5™­P£FIÈJ@7FƒÔz;FÔêÙɵŸîž=>>yzZR…UgrýæüòéÓg÷OKFù÷ñÿmÏ¿e%~“£Qxþ7¾î;<ÿôèßçÿw:ÿkÉÞh|ËéÚ6þôŸÿYÇ¿ÿ”üØfÿj&?ŒÒ«ëz²;è øõQz | _kµ[ƒ:ÚhÀ_ß GûÏédô LÆ#£Þ 8'\–Fú¼Ešù›ù6sÚô»@`žL:ã«~7[®•½Z2é“Ç“4MNGÓäg£Ã3õ¥ž Ñ]u-9ûñà4yº‹RÖîa??;9þëÁ£ýGÉî)üZO~:9`÷‡ÓãC¶É+ùi÷äd÷dDpOöOO÷aKÇ'ÉÁÓg‡û°G¿ † îž%¿Ï—ÿt”œœþûŠåŸa|T–I>´®Àp/'á” þh6À`2›âÅúŽuÉ|2ÞkÓ›¥õÄXˆžáhJò%}‚ñGC†–fÏ qŸ2uxý€¯^zhòbHªgEBïû>z0œcºU*Ñ'lÎAUIŸëØØ’ݨS»yg=Õ©É›í-óò9'­ç„ ‘.9·„‚Ëåž”OÊ"®ƒÀ3&¹âªŒ¯/†Èdƒ r´'ÇÞKLÕtÞtÞ^t¡F²¾†s€†1¨b’¹À< ›ýA“ò^™¾¥ÏnÇtåá'qNºiá " ןãIviŒjìÓdO˜ujJ–^šâ•˹$¯}ƒü¿ÄŠ ,ýife i .î.È °ZY3ùØ?Ј,)Î9á®®™àÉj“˜†ý­­¢<4ÅÉsFˆÎ?mxíÔ¶a)Ø™ü¸{úãÃUTìÔ3˜Ûú`tÙÆjÆ;IVáÏÍhÒ«Q¹Q<¬%OrOW&÷“UÓüqZI¾‚ Üt#Ù¨Õ¼.lrì×~%ü™äÛoÆë‰ù±T‚32ëRn†+a§·YDbŸ¬ž\õ{½tØ~Þ²Û@Q•5»ÞN·K¶M³hÓæ}âp„ws›€E€¾mÞNÄÞ›ôméÕçMÛ§Ò¢Õ‡Å|ÜO= —AK=p}MwwøŸÃQ¬¾­%«…ƒX«­bÆwÚ¬R šÉÒ©4UOn½åÔÍ›‘Zj|ç´“ì˜/秸¶z[«Ù¥±“{tÛò3qA(†A‹OA†š!»‹À‡¦çÐg}"#_C•Šìƒþ%ÐÅ6uDwÔ¶íö6ï哨>ÙßaðÜ~ ºš=?<¬ãý>llÐ#ù>yÀ‡:yx|ô¤}²ÿø(æYûhÿ^zÉüž ¼žÈ§ñ[Ü:«.tâ“|çí}1Ò¤õù¨í_ë¦Yë%š8bÐ;h„? ¹«äyÉ&(òÐfŠŽn’_géŒûá2txÈ"s¹ø”A;Î)ƒCö±‡ÉÞ‘|#àe€­_ ·™~ð &Íøí¢š4Œžnw}h¿ \[Ç9 ð‚‡ÅÇÄ™·ƒ!0Ó4~¿Iãñë 5¿¸M>…‡éÕd4»¼r.bsìÉs#<¾Ð»8ÒÛA ÖðÜ’z(2¡so w¶Ð èÒ¡¸ò*žñO‰Q· zßlñ°ç4îî2 0´~¦oÎÉÅ¿ñ઎r÷¸ýãî_÷ÛÙt4I¹cÏÇ=Äæòömg:ºîw‰géYàŽ¶ûÃ7£×©a§&â®H½…¦Þ£KZføP]ÌÊøáus9VåžîîÓý3åôö†ý´z1 ¯ eîŒ/v áÑùÊ›’¦;<` °P ÛƒãD~ ó?*7Uq“x̤5¤8_œýx²¿ûè”øK4è<;`î ~F›þ;žÁ‘4³Ù懚ñ)ð«‚¼rr¦<ÓWÞ…ÑÄ=VK¾Lp׎.¸L²³“<¨mÕ¶ƒ(ª<õ¢{¤ íÁ²=£úÏžŸþØF£Ùé/OW#µ±'|çD‹÷rţŜñn£G ±è0ËW”ñÂÞ«S NïOût f$s Øw°DÖ^NF7(X½C”5!ÚÑüݹºÚONŽ‚©Ò>ÅøôàÈnÑ‚ÉÞ³gôàÇÿ‚Íu |4šQ)z£áHI·çö{M'8}qèƒgXR¯§S;0Þ§t{'Á°17—/4µf’¿…RµE0 ÉÁí~9©Š>»f€¡s·±M`@cw’¢#BgÀËxF^÷Ç‚‡1žö¯…yªã…NCò5M¼^qŒ.ôø8aî‘Á'{dJ$×Ð1Gu¥óØ5Lßáí‘ïv ©ÖW_%_À;g5‘"`øáª<ÚÛ?\Ú€sØMä%n×4øèÑÁ)ÙW¥ [¨¦nþ|ÂW`áô]æ>:L'xCÐЕ·Ñ'ÜT<Ù?=;>™ß8Ì›£b’œ,½1O³Ôl‚«m:âΑ{ì“oU+’;>¨öðË~÷]²Y«9Ù·Õ‰;$fsÏ•ÖjQ¢ã!×`ƒÚOÑÿ~r„qüøqûÙî“ýÕBbGŠà®ÌA_S X)&ðQè€Ì5N™3.ä$ÌV‘ ¿"Vñ‡c8Ùåƒ!%Þìöé #Ìâµ/ÇËa\Ë5››û… ͺSoÓš}0¡«}X€ÛIÖ×äÿ¾íß—ˆ{^{Ñ©mqJ“Õ1†Áx£aI ¶×d¬LOpŸìÿuÖL?B‹ÕþÓ}8à¸IfS¶ÓZå ܱ²kÚ{ø‚Ä0ü×nG ‡ÔHDÄÜ™Ù}ÿ>ñËéíöwwÅÛª¹4Ìg­çñÖµ¯üæP(Zï¯â_®‡/¤Û5ÖDò èudsÓiÛŸ˜ÆwfZ¾EŠ,ÇË<$ ·KB¹+;M«üj¾w|ôˆx g'ð½Ç«å'“ô&ù2“ËŽé—3íbkX®'î>'e$lè˜ ™Á¯¬Ã¶Ci 1ß”Ã<·Ýir ^~m^P“/·-„×—%Ò‰W—4—ò¤^æZŒ ;ÄNþxðhß\uD Ã;?ÚŒ|}{ôÏó#÷`ù÷=ùÖ>vx°G‡8vùó¡w¸¯˜¥TÌq­ú\S®v­žãàÄðwíL@Ë£Ñ5±µ ý0äÑóÏÚ÷p°wë½áýÖ¸ÕÚÂΛöÛê£ãöÓý§Ç'¿lÉcQü™VÙ¨ŠY›·Ævùß0çz:ãЧÍfÓ2ßþ`¡•“´Û`Là4•3Á±‹VÈÃDH²šžQáÎ燾¶G÷©'±Œ³‰7I ~&éèMœ|ò1ü=â'C»/ï9T™ôd~xÒþñÑÉ)júJ¡ÁHfC2ÞËVæÝÄò¶Ùþ«µÐ¸ƒ÷/T^Ö¬&ÛÒý¾OЗ" QÒp§éˆÕ¼è p-× Ë-Ô‹÷J-ÂðÒÐ¥¥x­dÇão¢íýûAÓî¥JfÎû|’äc>5²ó+(Ûżö«Çs×K«±õXKb¦„ƒÄ#Ü-ÐWÉêî!ˆÏȲ56àhàIDVê‹£ã#dÏÚ»'OX·¿Èù™ÏÃ/e97w 9qß®À ëê8°;ÏQ¹7(³0 f'ï¨=öã“ýýö£Ã6ÌËÉ/†øx{V²!+g«)h@°>põàχ:-Í”–€ÝR†Æ6~˜b(tJê. tO›¸?‡ß‡2³áÇ >#ÝUz),6ž¤oøRÀÉ:K¨J Ùf’&Bµ ©6~Õ2h¸$ˆ€þÅéuÇ0ÖIçÓ«’Qmñýk?ý±Ü뿈q%Ž„ Dñ•·"¹žÅ¸ûi÷à+²Ža»‹(y8²íRD5¸ Ÿ«4 ¯&ém=?³s: C ¾W*«ÜF†_…“ç–ò-ØÃàí†.e5o ¯¤y´ ®ZòªÞ>ªPX}Àº¬£ÑôªÏ‰K{£¦9\î%lwÿrä-v›Doww×.“+ kœÎ{܆1ìŽ./ic·Ž v4CëêÙñ“'‡û“¶:IΆhð5~X‡£„{9ïÐ ñ”â^ cžõ³+L’zƒÈ_‚˜Òô­!¼Æ°¨#˜"è˜á…„2¨å“àÂå=ºtðPNðõÛB#=‡‚,ÔyOº ú!ܾ©e£ûÉVèL&±÷•w^©Î­Úí,.ÙíŒ;]ħÒ%‘oöOŒa•¼r²ÌÖTŸ‡D&[ë'þèØ ˜ =;9>z²åj?ü)ÔÕ¾ÿ¥3m Ƶø+vòÜ‘¼uâ§ýÝ¿,Ùè…«÷M‰ÚŠñòS‡Lê“'Ÿê¼—k¡-óƒ‰*²`ÛÚõúáoû'ÇD‘ãC|ésø«EG¿aNaÍZõœã`¯ëbâá]>8ãqÖ²V îú°½ŒÌPàÃÁþ÷6À¸ ŠA…N£8RrË‘€KrórS-šÛ²4­ö+±å¡¡›ÊÀ׺¯ÛéõÆæ¬§»'i?>9~Ú¦Ÿ`öžü E®‰ ÉÈp Ƨ„úùï·£}Û~®£ëx—>À´îc·îÒª.b³K -EÅ¢”[Ï’oMÕ«÷ìøÑñVòc¿—æªXLqtOò¢3Ø?ONY~/}ÂeàRøÈEÐ o}ž†À6Þ¡ù:º]Â3…Èã©%ú¸9 K,6xC6£÷V#όƕöVówܼVkÔ4·žò3"“° 8!ÜW£TO~xôÓ“=vNCx^ÇÒž}GF“fà]þ!¾®Ÿ¸%}Fn5ÏÚ] í2E¹ýÀôåUÉï²ÝnÏ¢¥Õ§åºéïžX§·—ë°Z"ò½ž£äÖ?8$[ùÀt˜Í&©×3¡â<Ä¿ £‘×{áÝ÷è®ô gP-ÒtÒ4×3‡A~¸I—™z ˜7fkEøõU¡¯}Š¿Î¼ÎE/ù%u–#øf]…k÷™kÊ,b(î;æNw Mó°”s[ÑJqþž|©`à•³T›ÁD}›|üxÛyñŠí$›Û‰WšÌذ÷FoÒÉâŒz¥üÊ8ŒÌÄüoܦóó¶aè–]¯ï’u’;•ý{ÇÏ~ÉÕ¨Û¯†}.j|!m¦5$EŒM”€ûÚSi©å^NËi®×[uÜkˆ™ÈÚ–íñùŒ AK»–œÂ›ÂÞ¨™„$Ò¼ÿKnÇ›‹Ðg?ˆù(¾16j¾!Zz·C‡œDŽ )X[_¬-ÜÃÞT&&]ÀV¢¶Éù²(1·9-jnoÜ/”'·K 6¬šù|kgôŸ``$–pf Us¢mÂÐŒ€lu|ÖušéÜtúS+–Q¬Ú|9ÍÄZñ VQÍaÓ"­­|6Ü ‘m'aNO˜»±3f•ÊÅ£rYµXW½P¢x§·uÙ8ÄúíwÙãÔ>”–ˆH]à5‰q™1ËmÄkHÍoo‚Íwï#M®ƒÏcr¥4·lwK¹Õ}ÁÄÚiü¿b‡ü®vˆÚ̾ÐÈŽ£×Ðx‹)»Rñj†•µ7fGj+#!îr~0 O’WÀ6ÆŠ x¯~‚|‡¶…ß‚9 f?h{"8‘-aÆçlã@Ù¦+°Üóë{žêò‹š¿úÅîp;a‡íöᛌMz¤0çþ ‚FÌñîû,ºl z4@Ĥ©¡Cu Puª.Wè¸1ÿúl’Éݼ- |,>” ½9egäègømCÂçn‹bŸC[&<´¦Ïþ<ú«š¢‡syªøµººÜu'bñl0]Ž›2'=ÊQ¹¡qæÖô@i¢ÃÞš¶-Ÿ[Ù¹ûsy¥ùà\O“ž¹LL܉1 PE©¬ -Ëâl†µ.Þ‰%kÁF(Ø ³î²–Ú9¡çŽ[áΛ!tÙ¿Ó†,Úùø‡Ü¦ ®>YŠ­÷™ÿ…Œ½j7$]fš»I'Ä‹ŽFSà# 92&{¸ FŸ‹ò@gذ[Áõaø ƒùõ9p‚³ á%Øœ†°ÀžŒÕÍ7sOGc^(²c©]ד¬Žkõ|ÑåD_¯묜f„{Q¨BfÜ&c„Ɔ©¹åPAÒ™Nñ`EJa…Ú(ÝѤéãULm~>Æ0äÍJi…ir$‘àsê‡çz ìÃhpS”+k„™°2 ÉçÚw…É/QŸà¾\,±NW½ ýWøÏެˆ# Ñ4À zðy›m;Qª¿º¿dÝÞû×ý©û”BðsŠ-¾ï¶˜ý1ýÜkŽ?K‹NÛg»ONkbA‚_÷žœýè°tö›Ò6Wox¨3Q–ȯêõò~²oÁò·¿Rì±`Xüš|«pÎ$¿&÷wC]>”æçvm•ñ?j¿:qÒ8 „@-Ž‘xO0Ä’~u;º÷*öÍñÑ~ûÇýÝg«pМ±Z>dÍFîšÓ>Ì;뜤âì¤ýüèùéþ#èʇÿ©d¬Ä ¨-êt¯H+?.2ô#ÒjŽ£s Å³¤n»…Ñdì š¾Ålöý)fGK³)uèy' :uq‘’”À9O1¥Ñ™c³ Ç~Ágn:·ÅŠ£´@aASœµþV0[eœ8]Dd"ˆ¥@˜PñÀGŒ(óN5©LS*G ì?Âi~mš?ÿ‘;dÎ}c¨û‰LB•8ŽR; ˆÊiš&—Ýæ§ÖD8ÛAæÃµ‚X†˜-p+t®SlŒ‰ pmÒ¾¹îÓ,¿ŽÆýh4ñ»áÌØîðÖÌ);¼ø[áVš¯Þ`Ùsèû¬Cp½ì›‚›6Mʹ†½&ìÞ ÄSÆ€W› aò"~[¯¹ÜzݪE(cžÊªÜ—×SLJÊw{ŸØÔÚÈ6¶6ºKsØ‚×ãÀ?†ÃÇ"èÅh(@¬*² #ë˜Dw±\Å&"FœBhMaíUUxÓ™ iS‰Àú) qj1DÀFGí8@®úGÿ˜{Œ©XÿŸûn=ùÊëçR!ÿùÁÿñþ°öñþwˆðÏϳ˨ТëR±É ú&Mùn.<£o"¯³½mWoÎŽ&emi«ŽÅŸ[AÖSG’ÿ@Ñ€=i,Iä·„nùn:Z)ô=´}´ñÂg´d †üàõüPk•]¿mg»w¯…¾‡2™qöRýã÷!ëw mrF"ê9\[hÂb‰f‹”ÒÝ"Ø3áaì:fˆ')©cm‚U”=Ž—ç8ú&AҤܦã:A#×Ön¯ÆŸØ1~ á 9±^ôÕ¿Öˆ˜«~ÏÔºnûÝ}DjŒi¨È™´aaŠcà¿Ø¼Ù£„¨yû mó#G… ;ÅíM4ÊÍEç•ïÖs­ák¾æ5üJ0œ¤‚q‚»:î­p˜A[ÂϨ—]' ;°Ô—WyeT›fÓþ5ª³‰G¡mEˆ .a€b ej&Ñ&†)Æÿt&·w€Œ¼çG;~!)±W…¼ÕLNºAǵ¼Ç•åo×ÔýDè]åp“:·ñ"Îî· NÝÞ¼*–+Ù¾¤`ÇÄö¥˜%úÃ, Ðsý“Eì#q›dt°1?&zˆ/ºZ /8ìÞ*IbN„pDÍ®É]˽…‡Ïã³Ä–FÏ]|v8ÿÈ…ÇÏ3Ù@Íø²D –ý¬ ‡É†¯:Ëã…sÁÆ€:KbcÄÑ1"s¶+£0Ø–î÷ÜZÛ«¿ˆ(Ýu:Ö×tðý¬hüM#[¦Nù ”¼ˆ™Ô]‚¬}ÍÕ­¯ßΓ´ŠÙJÏŒíŽ>r'„×òŸ{qo\çUþÈ_;ýè“ý3ÜšÌ¾Ñ #î³t –ˆÒÍhXjt&h,E+ÀÞ ƒƒ…€ ™Ì†óñÛŽÑÈjsÑú—sа”õˆ»rl'¾ÆÞ>¸¼Ó´ßi‹ì¯ r–KéÚЬu‚oÜê£¶Ï _i;Y¡Hï;ˆ-òÄ•†üF~Oe -«TÕǰR„fÞ\¿5Å UÌf„ãFHLýCÖz‰[õlz»Ê”°ß~[ŠµÏ­úÎnåæ4 W³µ¼Ô‘G{-lL}ňãÞ‚Ÿ戣õ¨yµ`íùÓw‰\øHáu8óºuYbóždIõµíŸJ$„Më.×:µÍ’¤Y/‰Šòí` íš²è–ñQw–6*Ûðt=)ãv_‘«îx®#’¬sky–OðÁ¼ú^%ßfÊ 1ÇDùEÕ5 +|þ ÿù©,gµ ¢ …(*ò\wv·^%ã4röÒò˜-kÍ?ÿieæo™“±L‚‘‡)Æ!iÅ•Ðr癚ӯüQ´i}—U_ÉÖ>cDȦèìR>žÝÍ;È9Ë/å+(³Õ‘©ù³Öb¸æhü _Ö¥R|†æë¹-ÌYé%I¹rÊ¢“åIæü*×ÃûõQ>³…Û^Ó ýߎž2kñX­Ì´ÓpÀ|+R˜<#ѱ,T}Q&¶è[L´«¬6Kð»jz$ƒ™·CÕVP©ƒ´²:Ö1)‰~RNå6oøå£¼`©­èþ­aYJ²|,1%­´R¿e<Ëj/Í©ãZ½:ìœÅ÷2c–t…<ä‘n6ÏŒO"Å=æfSžýáuµíq¾ö»Iù»°Ï¾­ÌH”n†J=ÁÎJõe’Ö‚.Gd±å¶Ü/é^%q]¶ÿ$BYeÄn‘U‡§Kd•Ä««lTó„úÛêúL¸š½Ye‰ooç ûrÆ„ÞÎII¢ø–Fù€¢SºhWP¯gD]ÜkjV’yºüz »0ÝX\t²À®2þ•Ý"‰U¦æFÖ½HÈëjƒ…Í•™ó•„½,ÛGµµöG0Å=µ ?y ­¼çñb• QùžUdþn1‹«&Ï«šöå‹5 \Ê[x76ࣩGB‹ýðfå =âÉ:›xfØ,S3˜˜'¡VÞ†7uO+ŒŒx:k!cvMÀ’דU޾ߠÐÚâ Ý"hÔÊgC Q~MÕÌOº²Z~³Œ¥¨ŒÆT¯Ç‹ÝŽùwC¯OZ©w\­ë#p9Gµ&ïYØò«X®ÿãö)»ºV™a:þY»z³¬>]ÈÑ­Ç×ÚµóS¦î&g$µú‚ò]¸B%RÜ',µA_Kv)e t &0àYí®‚EÕ-¹•,É*þFãCÖÑ„—vºB^Ó]5ÊS­]¶¸òI:=:ˆyfº‘[¡],‹ÑÓÐLoÖtF·^;ýÝã'•-ÍøÅ‰íùÃ1:­ÕÅCºâ%XˆsÝ<ƒ}ØÀtAìß„<ò(7b‹Få&À_§›1Àò—Ÿ"¬|¥îíe†KÊ"—pÁ`Cj|1 q‰nG¤k†?êÖ¾?t~êê<}&Mýª»øþSnœø…îÀ•ØŸÈq´2´5&2Nî`xi¬Ë\oôÝIºE’ä;“œÔLÐQƆ‘hÎ/?ŠÇÌÏŸ¸£Ä~ç2`n.ö‚­^$ €‰mÏ7iËRwhKe|ÄSÚ3¼¢›yL+8Iƒ­¾zT_i¶£ àEDˆXóEBªÀÑDv,ÂBÙäùÍGGŸþÒÅ€f[Yè¨}rè²7A /PÏ`±[HnàÓ8³Ý€ü\Ç*ï©& FÅ5 E1¡`ޏ5\ŸØÑòn¿¶8w¥ò̶ֶúf=ïK¬ÑöÂ+¸õÛ ô×ñ½·ÊC™v)êÛo ›è]áÙB$£KNx ¤mÙ¶F¸QÃlzpa·ê°å†×hØ6±ì1UBT~HhÇXZ£YH®ò ´Å‡¾”ÕÖ íÒ.ÍÑß{œ¿¢œe–,"rš›‘äðpS# #§qÉR ^ÖJ?uœ8ìwN€Ø½FÁPÁú}á/…'h1)´cò-8 k ¿Ó²Êý·¡/ÈØ–’ˆôâÕÀîÑþÉtŸ}?8å F~¯…I+û—+î”™hE+_…Ê=d“ù*ŸC=¡ÃâÖ-0j%SôežÐU¹Óifž0z< zp¯›à­fI+UN¥ŒÈªbõd hCßÓ†Ï àG½±tg ‚SšÆÍ̳Ãø–ÓTO`x s6õ&½þ|eâêÝîùðeöÆóAÏ< <éüØåO¯{ó7 ¥`ËõiDîæï†Ó1Tõì<Ó÷Á0p[R›MXakþjµ”oô¯µ u¾¼¥ùШÿÑÖYÙ€E€»Ÿë4˜u ,w¥KÓ,‘Džüí…/WóVfï% ÕÔfÉÙÆKÀÊÐÙÈÇ% kp T)FGœœtév„wKANa[ÏtçÒ…•\•ãJTRæÌ´•¬Rž¶ˆƒFŒïËW¬É;˜õhÔ.¾{9±ý4ŒùTU×±%Ϩû÷ëìÇ2Ýcö·g½ÃáIçgV9áÉÙP V^ƒiª¥ÉàGÎÏ3ØL½rÿŒG?ŸtŸòŒ§¡O›à´Kê:síÈš/Rš™­Jë«Rµ„ú¦ÝáxlãõJ k°D'j^8ÈMÒ²Vzë*Š»¾‹*GD‘ׄ’k”÷凟!)eéÆrÂÑ£4ãx½WÚZǼ¬œ½c÷âbA cÃy6îè‘h:.–)Bú¸>Ðcžç3q6·j#G2‚?s1¬L‰-¸–g <#ü$ßä2ÖócŽ´è†«¤Ò¬ Tvø¥®^ ƒ¡ãÎaì30¹;°‘:,«¾]©5’ûGÅ…cb ºA‘e•%g1¼iÞ¢²ôV³˜ÙÃsBûR?ª«B4ŸÅ EóÀ5f%‡iÂ1bwa9¢†ÕVÁ@ö£97P ÊÇêež fþ„£+YcàÖ¹ûE°‰/!yˆ›Á†’Gý,ΗÙ:Ò§d5W”­Î+o™ÖÑ+-Ëy¯ÛÝã~·~³µlXõ›†Tݡв¡Ó8J¦/†¦0k˳µÐiKf½’ô&Aã ¯ôªòµ¿0y)yek£DªÝ° û,B®vpÌëâ-D€våV¹62š×0´Ùëå/Þ[[£\õìÜùFté7T%4ô«â·éd,ÝÖ8ÐE=JMÊû4}ÏÖ™¹&Ï´Ò+çÏùsôùã)#ûש˜4]:ÊrRr ›Ù—5§ëóf©x±¹ržrŠuŒ‚§g†²süåÏ¿ÿ‡ÿ¦ãæ“Övëá@Oä._wÿè:¶áoÿ!þî=ÞÝÖáog÷ÑÞþ_vöîí?|¸»·»ó—ííGÿÅú¯Hî̶úý/ùûÊ:±/aÛ÷ùŽä[„œëÄ:`˜±$YÌxã8LÂIªüAµ€ÈŽqD,0 >¹åAsbiød½{nÇÓäûß6ž“RpŒpOè›*p@³ŸZãhñ¢sr¸ÿpÈžËqˆí›ý‡[üÑÛ{²Ÿûöd ÊoÉ¡ }oôbGd-<Ÿ‚SبïZ%ÈÛñ¡ãŽS•¤Gg1F^ˆ]p±pJ|+¨ # ­8«!“\}Z.d—8 ë—¨³.QÒJQX«V£¯é±_þOð§cZ<®Õ¾·íEóиàSRHjD±œo1†ØW4çùÍCqF"kçxH% ñ¼ÓƒÇî1Y}ê |¹Nx|ôRÖðúàðø˜†r'¼àÁdx1·€ôÕ(0õëƒðl=z÷ô^34Ä!/+†?ðý‡-Ç÷³Ê`¥À;UÉpUN3Ÿ–‹úF탌CjÆ‹K7\o³ ÆX<>H£Õ›ó§×bg|è0àÁÑéA¯‹áx;ÇOOϬ‘3zºÃï†ÖéCÔ= “¹‘6 r„îÕÙáüâ“Ù:E¹å õÏ»G¯Ž°¬Ž(XRVíýdШeHõªsq<€AGI 8`¯¶œˆ"ÝÓÎËcŠ4~pÜ9:a ê ÎNކ§g€)ÌÂ_^ü0ì_œŸŸõ`¥ ‚Bœ »?w.Ýáy·wrÔïsúE¿;<¹€¥yŽg2'êò'(´Æcyžpå¹×Ì_À&¾˜L¼Öözl…òÓÁ·ßîno?¢0‹àY/êQ®\ò˜p¸*Ôhefu®‡Ú.ÞÁ‘3´àT­Z«ñêÕÑÏÝþSíÑjX m‹"ø[Ý¡ÝC<ðà0|ŸµŽ“OI¼Oð  ø³·ËÆ”I¸ˆÇn– ˆ“e'ÔŒ&´³Q´:v}/k&cúbØ`Aæ~‹ ²ñ©Uëœ û=@¿£®B[5óA |ô=¾8ìR†{õ,7`ÊÙËú/¬¹—Œ©·Ôô¡àX(…Žsè)ƨ~Þ\¦Žg#ÿ’^æöx6t܈^ÂD=’Uxœ2Ù)ù3Þç6çùÐ?IéEjèƒa¨ÊœÑt8÷¹E¤¦/ó¬¥Î2 ‹*zI—‘£2¡]Äx6fP@+`rÅãû zvoÒØþuž\YM ιü¡ª³VƒÇ§y¿–{ƒFÞ±ó«ãÒ3&R]ðR«µ¨ÄÓÚ@ºÇ¸tÇŠÈ=]-gI€¸¶ø Xî#šDmVµbÍãfp€§N‚hãþlаk³‡v0ñ¼×=è ºÖ½ÍÖØzð*„_ìàƒkçáÎö6ÿî>¦ßÇÛ;€‡âàj§V‚^7½t)­£‰Î ݤ˜£KcË Ã/X1ÉÀe“PaòN”¤q0Ž–¼à¯•¥¥ÇÇ•À¡_¹™Ã\7À¦ò×Zb?}@ËoåhIPãU«Ý«ã*j0Ûÿ+!6Çàbï FãWÀ7|lÍʾÌXÙ =]ÌTkâMË!à‘ZRþ)¢§CS ´À‹ Ô˜aožöÔÇq{l'DN»OyoWyjÙÒÀ‚FnÌï‘y0ù-XßC}1ÇÚnÞ¤=yS-¾¬Š¬îÚW_íI–ó–TEäê…$m!¢DôR”qcz}q„ÇäªmGñ‡Ù:5¹†•ÁΫä•Â)Š~H¸EŽ;„"­Q¥$ÙMj_Œ¯R<òÔCq•0&gƒ§¥+à™µÓh3¨‹Ÿ5|À×a"– æÓÆsØBf¥]v“Ò.ׇ ˆÓRg‘Vll5'ayÇKëÂýÒ°1ƒMWªx”ܪiD\´ÿ%ã$=ü·‰âxV°U>mn~ÖB ì×÷ŸcË­©ã¸k\ýr¯}*÷]dú2êƒ)&ù«ÕÔ¶ ÿ=ÕÖ±(ë#Œ–ÅtK/W“ëWžî³rà#)ìð°‘Éjhñ–%]ø˜UV¸¹M!)^,öÆJŸµ%Ì%< ŸGÀІhù޵?J-pÑV6ÂÎø2‚l'“ us­šÎ,<ÍòàØ¯¯? {òdToÙœ¬ÂšÁVÂNœÚ±us5ù`ZÜš~š»yÙ×·˜JoÒ0²‰‚#Úf†¿øÉGlxTH©cœØÌÓÂÍ<5ØÔ¸¼MÁ 2püEù±^§,½ðî÷0ë~í¿Hÿ/Yèñ¿F5^©ÿßÙyôøQAÿ¿¿³ó§þÿßñ÷`³fm–-c4²v¾{òd ÿýÎzcIó‡–õ2tgó-«ãƒð ¯‡.»Ä,U‡]wç»ïvšðÏ# ¯ð³‡7¸“Fa,ïåvðb$f';17¾BF½ Ìc„Ð÷|[ë5š(yãä.¾kîno?´Þ¸×¾›¦Ís!ñÚâ!úÔ#ІqÎ#;XnYÇ­ó<`X¡ücoÜ'é5Ú‰¿ # 厂1”Ábƒ7G}뤃J”αÏç½³ŸŽðòS§¯[ÖÛ£Á«ó²v|1èÿb}}Ûéõ:§ƒ_Щ8ðm}ô»°iõ¬£“óã£î!võôë¢ßE€õËÙEÏ:{{jõŽúx’j>wcÐ)Ø ì3x·r„ñCñ’'ÙÖ‘•š—ãn(xUø<Dzl€º´¢LPân¡ðÊs„®¤²+¶E!Ö–îô`Doø,\gTÏMZ¹v`ôŒÐñ&^ƒ,B‘ñeWÎiì©Ë9<´Þ£¢Í[5r—¼V3¶Ø I|“7BE•×6a§ª‡ ïiGt4ƒT‚=V“ΰC…FÈ€BÖQÔq¶‘åœôßÂÆÙE{‘ý¹ÇAØš}/NÝ3@ϱûÁ?eF=oÎ@š”ñ¸µ)Ê0_ØÃP£éj¶¼9 Ëwؤ§|‡m¶”§ÒˆXWÒñ•%ºbŠÆU /O½Ô›£¯†‘ì85ÜŠÓ.´½û¥B „x,÷†Æ€y!Ã–Ä ÙMLGsDÕ=-î ¶Äq4†Êvœ,‚ :êõçðèôÕªâ°UlIvsØ3c ÓÅX¶E oà뮼Ì1 èny"HÈÕ†tU“Ïpâ9+(1 ´N½Ÿ( t©Ô¿¶—Ù… aÓ.P¬úNc‹o5Ë›ÂÈ aÝcÔA |»]_ˆ:ÖdÍÊ¡( ì§Ê2ïP´î2ÅÊöK\ƒ:†dÀ<¤Š‡X±ðþe–_œ0 ÉšKÞJª‡3k³i!OÈú?ùÀÆGäq9’vIhd÷æåñçƒ$¢õ‘|àxfu÷Ï"œçãÉË_Ý>ÔÓýyÐëð[f-(¦ÂÝ‚µÉö5ðbS8&¬µÞt` £žÈú_áÁ¬ú›o ,õ ¿£Ú†ƒ32þîדæÎo©{zXç k~Íú€Ç&VÕÃáú²Ëë3Ûуõß ;ôë4†­t,ñ¬ä6ÊNÑÉ n2¶—ÙžL¶ÐAÙUŒé¨^Y¾%.™Êî<“+ˆ®MZA슉ºzìá-/´XÆ áS JÜ…6¹!Œ)É/Œ SQO~7­í½G;v>º@ÄÜÝ{ø¨a}ƒ­† \ï#]¸r㉗—+¼”°dȲK\3.ŽÜ5s”¾’&™XÝÙI½¡ X ±á¦¶É8 ¥Ðþ# jMµä{“R·*†Ã× ® ‡Æ] `X:Àn¨‹/Ú§7ç?yzG??2RÎú¯vºM©ê@Öú‚Ý©ÊÃC†9ë²°q48™®~Š¶ÈÆDUœ²xˆÒ Ðw¢Žv&jóE5`ä|cÏ’YÐñ†K:kÄ4íp°=©}éâ1 šHÓPÚ–uÓâ²µí/ŽDt{𥙌ÇoÙ#`|Ó%¶]ŸšP‚ÇÌüK§n9`W0xv—u’ìKø¡Vå#A«r޵é°pt– ôy@É7 yÖð—:´‘kÆ:C0ôâ…¤ûÀëúDˆZëo+Ò¤8Áæ+ ¢±«ð$o‰-{Ñq%Âdê”'» Ä«Í<ÿV./ϸâ’;ø‚ê0"¼Ü¶4.±E]GÚ g…r×¹Ý e„o\Ö‹íF‚G7‚e€Ì¸ù0ªæ`ò¶?NÅ £Z6†åc_M`‹ ?Ó|âðÒÔÙ">ñÑø”Ø€ìŒÉw¡``m"ê #[é7Ãɯ>GŸæçB‚²q@¯)!Þƒÿ^ÕùYL/“­¬:43ºݦ½Ò!â?@IG;Èi&‹ñ˜Z±˜,jkëÝ¢W ñlÔ!Ž#vã¢9OôˆxBãbjMm­^ˆèbÜØM†äTCsµ0uS…˜ÌêqôR¦·"Þ6ÁVíî³%à¨q˰—‡5sÈÏ-é[áŸb2#óM8nÕöIv$whçÓM˜µýeB—éB_‘úÒ›e¶´d„äÆÂJdÏLGH'  Ð2!Fkk»¸Á¡rî²TÝ®‚kHw¾G@b²Pl«TgoÂÓÈ[Z9Ú*˜oœš,P"[÷Ï;ÂÕç(Z埧դyÚÅš ƒ<ï(Òk”¾zh€XÐ;;/¯ú´!Ì—Æ2*OVOÍ@±ÈÅ)êöº§ÝCušðúõê˜'›Î7î"ÞÁÓŠñË &Þ 9-Ñv‡ùr°—ÏIè-Á 4X0IlkÝ]+:•ÅgûäA*uÅ®3"É,[\˜à¾Ðb¼ÉWª$»QO.ËA…âß¿ÈÑ¡….ß^‡£!Ž@þ¶¬ç,òµä® ŽKI(wm`¨ ߯ג‚7iZN¹a,z¿5ׯ „Å0‹£H[mò¡ÈUœm•Ùl{¥yÁ3·¤ÎÎB„4ýN—ók²ò†jô·*ÜR8S7*õ&Þ¹õvÁP5óßËšø¦Û9frQHÏåÕx[1¼‹ŠõÖ*×¹âN49»°'œŽ±våoC=¸¸ó۱ǻEص˜Pë{vÁ=Û¦¹;›—è¼´mž#målÊ %™iêÔö@òÌø½.fêø©CÙ|aÈÍ¥y¾Õ«ÊXÏò5‘UþcHrC=9Xô00¡m-™ÏLM |7ý×#òKW_óN`ÜÖ´¥äeT<´mêõ Ñœ±-#$ä°‡'x)«Š”¤²Ct\Óº3ÇjÜÿ/Üö“§¹ÐU!W‘T¢‹žûšºKÁÜ‚+O-ö÷¯GnèN…C^1:\Í;ï·Ö,a_'fD }.ŸSÙAcJ+½ÓëPš/,>Teá=”Óa=[¹ÜÕú5—¤P£,õÝ–&Á©X›Ò³/ƒ—U4Ì 5%!f3ÈúJ2 ÈgùnÀàäR”ÞÌÔ¶€e`3£0±6‚Vg—c{Ž7?YcCn8zýJ“™×*!D M(àéÙâ…œMëb ËSF¤Í $0!,~[Fïë¹±›Wg…ËŽÜš²Ü‹rJÚ²¾A¸ðÃí2‚)çNÒù²"ÀŒXl¤ºeÛr¶"‰$¡‡><Öü5ØÐ|LC`GAJÏ£5Kn~­ZOCý “: §ÖTz‚s!5îzÍ(ôKkùµÃñÞÉvTų$Ç´d­ñ¬^l?’ñ"ÃòÔô² ×O 1N!E*,8>Îw¤´’îëÛêðp%M‘ÇTÓšu˜¢ÐŠJ¤í’ˆ6w©Ïd£VÔ'7tßÑð‚Fõ¿9¼—›<ÞPì*±¥ä¶(Ít–0Ï-ءٸ<çIçÖu¬Ó¯ÒýÈq'6³#AÝêözg½§ÖÅ)‡ï†…Ú?»èt¿„¿Ûô£ê‘ ZFñùšaéDõUˆTŶ¦v<²§ºCqÒÉà5“œè Zš ôz;{»¾âö6ï9æ^'vJÑeîkÖÿ[7Î,ü„œ‰_ƒMø;˜…I&ÃBÍðÐM’n³¸¶×è¤Nµlªìm®Ÿ‚‚à?Lá˜'L!€¨q†“E0nätæð H(ñiƨ¨ ŸZ¥·ä@¦™mø+M_.wq‡d¸6¸ø$PžøôÎúýnˆ§·u„ðàòWMÎqÏx¿Õ„>xÁ£Sævê¼2Q(^„Õz×È;»ÛTÊììpþþHfbK9Ó…§AvÙ‹~÷ðÚKd’Sᘈm>¶ˆñ¡»Áb.½éñ‰°Æ¯‰#âÜ1ø1Šq‰#="1 V>÷—uvqöòËo¾1gCEž”,¼w¥ç´üyå‰E¦E3ÔŠ_ÝâäªZ ]4{» ²,àÓä@y~xVšÉ#Â#æÎŒpž7Þ)­’Ϫ>Oàs‰Îì[«Ì²'3-˜ƒx×G‹².p0§‡ÝÃáÅyfw€QF 6²fsèrl<;„fK¥œo?<’äc‹ÉÂÌ¡ÓÓL‰ýmG[š'nÄT–uŽúö:ºß )XBƒO=ES€^‘ÇB';žPÒg?-æüJÏÖ¸`÷ýÑ­înµµ< (dÛŒàqáI_®e¬OZ©/h#jÛ Žùë¤þµ¿ºe *Uÿ:yúµÓ¨pkC41ç+úh%[Fø_1‚Y€™÷üR»¯fƒEe×ièm¦4-SR¢sxH»âðàMçèI{l+¡Pмjr Ùsí7=mÑòv˺Rû¨ 7ñæÎ̉[¦¯— »¯—Þ»¨˜Yýp4rcÝj-×äžòŒ”ˆ¿Ä¢¾rkGû=ZæãŠÄ[{‹afÉ[UMÇCðJä%h„ÙY äþÖ0Ÿúža˜ANq ”›éoÌò*(íÇRø«Í©Ö®fRR" Ô½< ån¬k…•Yõ¨ê׃^Ý*ª¡’R›cø›jÆg6ööJ…9Yã·ïÃõíÆ:_‰‰’$ãØÙ]F.zÅ+IKÞt~näÇ£ÓÃ>îNÿØþÈ‹ËXm) ÀÔqÏFÏ'9—µt0/m1ÖƒML¤ÑUw0<{3<>:íž^œÐp6`Æ¡e¼Ùd_+iÖWš3>ä˜è³üZ¿iX7}vrÒ½*Ís3çsfd £«[ £ œ¼“ÛÉ5ëÉJ7¥é³­Ùbn³c7Ò+ðP’ ii,È2Zn¥ ·Ç¦/™5ÓfŸ°q×ܽ¦xBRtÝd&ØÜPxUFfÉ85¡k*e=ln• !ÿUïê9aRç «Ú£F®b}Æ(VÔ¸Au¾øÚáÝçÅöÍ×þÍÿ;ƒ]ùgT¶5ƒy?ïc ‹åBÞûXËóD,‘›%ë#Ï#Ý“T›õDÜâÒØ°È#ÈNyÓTgoQ\ðAU†ˆ¤ZšÄÀ›8 ûd¦¦šK•ò})[£12«­øö:jJæv2ÃKWiÞVH)è<ãÓ RöVTK㫳¢ód*-u׳Ñåù7Ûš3Ì­d™ÿ¥\¬ÖÃ[ WYV6»Ö¿Ñ—ž~…LÅ…ò8>ͤn…áÜøZ>ÅJbן‹.|¿EáVZ|÷ u¥ÔŒ¦N3³7[VÉdæèD½L÷c5u%Oc]*¾ª[’À Bþõ…§ª0# ë¹:ÿ±þjmÔårŸ7¬§µ2ªny·Mìëý_·ï#ŒîÉùà 该 nû+TQìQÙVR íyZÆ`U‘vÆ1GX§H4”Â8ñ!å³*‚qXå"3ò%.¯ä÷£%`0.ãÙÝ·’ >eÊä,þTõØW+NdŒNêñAT§sG¾Z9{y×›%•d]¿ ¾žó+E§ F "sÕ®üLê§rúz(†wŠÅçLe&NODŠ‘æ¥ñ@ZŒOJTÕ,J…ÁŸn„[¥¦ãr¥5× ³+žæ’ƒ“LãK4s‘;v¸?­pvÈðQÝÆÄÞ‰nϼ=IÁ[ásQe:±<ð©×\ôN±xϺ§¾©.m:þdc L™[£üˆŒ„‰"kpm ¨ú>¾‰Ëø¤ ž#Þ¸$Å>ôùBCS¦›¸Ú5ÚGR[—¡Ù©OüØr|o˜öÜ-‹{C-@Ö¹¼ZÈl2¤­sá. ± ^ôÂÄY”™ ÉC4ª±¬ ‹C ùˆïÅ+§åCŒý祱”®¾YçµÊ®§ÈBŠð윰ÛÝ¢](¯v5Y_û˜²Z™]}Z©Nͤò-ó€A3c‡e‡Âíe½a‘½´ŒšC—iÙ*8±¶‘/4=ž*‹ëlìg•0f y2Êþ}‘¹³ ÛL"Œœ­ƒòmüºX·Žö'A¾ªÕËå.áQ÷µ ·®ÿ?ltWÖ´±ÞÜuôo3e24óÆEjÈ+¨ùX|sÀV×Bÿ4”4ë¹ëHfC÷NêN Ù ]QG,D@1–Æ"ÁK)§xÏšnµˆt?çA sî!O €bV{±÷\躒—ó†3&SÛë,šãÜtà­ZÖ KŸÏF£•( ˜·<"¬Gmµí\5ŠˆÊnE”’ÛrâÒDµ¸üú ›5mZÑê‡ÃçmV(3ó"ŒKÁÖ§¾]0>(·î1›¼Ò¾çc™•\d®¸^ÓZ§^mõ#‹g¦?Ê’zC vuWŒYA¡?±ÒÀÿ«1ðÞ þDÙÿÊf²áyL VËPýb4 a\nç.² o†4%ªxŸr¡D²`êfUߊy,ŠžD9jRÿ¬®Ð¥£#®MÔ^×aªC£¢ßyñÐõßÓC˜Dïßu4!ýñ°Ó{½SßXUõS¼«‰šd˜È§Ö×üFœ5|Y“_clQåÊ(eÇ‹ÓefŸªwïwÙçMñ4ê^2g uGE]†0T,R ÿ=3ÿ®kÙ»^·‹#€t^.£ÞÁ/¹nÝI”ŒâEx?‘­þWÊ \Ã#z°*¤8–I;‹¨ž»`ðG*(úÄDDP³…/$îâÁ¾)ðг=²³ñ]û²Q~QE4KŽ\`Ñ'ð“‹@¨Ë²{'9ûdÚïýÛéûnP§cyኂ|›¾PÚ£ ´+’>n8—Î:¤Y÷KמÂö½z’¹üÙI÷¤Â:>k0°Ìgç¿`K·¨‰[r‹“¦Â4Ÿ‚Á‚Úñ­»`‚˜Ó@¾ï+ÈɧáÐ&ƒ&‘_fñ)p3ÿž/|S‹8qs{Í©„20÷ÿîùÌš/B9'Ø ²ïàM¬ð©lÖ3r¯û?G½îðíAÿðâ\÷äwãК}O—ò0zÐ8ÁQo§wåˆC…ЫJw |†:*ß§Ór"’ó'A˶.š.×-tAžˆvHÃtÙ*‰ *á. »*¡Lƒ§Š;UË<7å&X˜öOÖ•ÇZ4}ú#v×;ï¬f >A61¬Ð†Ø~l´ëÕ0Õ¦wk« W¨ «æ®zQݪ6ü¿c2>I…øéóUX\¥qê„ûÙ@Ì+Úˆa±óEDq¢wp.î?ü IÇÞnîœ(_ÈÚ¾q\Û¹î¤ü`©PÒ>ˆ)Û7ÝW/»0î] "t‹ARÔ’ë4ï„M™ùº™¼Ì[«ööQêúIø}’Toöº Àð ìׯí²,™ñf_¥'¤//ŽŽG§t‡ÿ Û0 åœÏRp‘Ó‹ŸeHËFî£ð[›}®EÁÞn£¡]t¹@ºó¹v¥7kb”F“]¦†Â93.Øo‡ÂI¹ô¢Þw]áLpNA<’Óq.[«ì¸¥úd<6\Hc²Ÿ“sZܰt!WZJ)ßñ¹Ó³Jù–l¥Ä-`<£žµw¾ÔOÿWã®cÚ1è#†(&/~ÇG/{0]ݾ1ƒ³Ã³§VEdG‡C&ÊaÜlqÐ,œiùÞ(bsùÜïßÿSíéŠc»ÚÈkÃX¢Ò±c¨áÿ:²®„¹Ë)䆠`÷hp-¥Ž öxº‘‹y[Íñr¾IŠ.Ösˆ™RÀ¿ÌÙ»YìóýÊ …™½‰áÇO«[»mú)ςꋵU óSöbƒ÷,@²\$þÒpc^ÿk#3I+Ý]Pë"{Ù0ÍÖÅ"#O^LœpVž4¿†¡o©§ªÒ•7_Z)ýjEk×müÇZñ‰(ôAgøu¼Å¢·šz'+¦’.¹kK…\ÿ.š¤Eר‹«‘]l-kÐ$é— kÀ `´}{I£ÝP•™w 7Dc´µ›Úì®: 8쩽Sø8+^.Bt7ùÈO¹ê½ª€Ý©ž¿¸‘S™ç;Z‚ÅD$¼2¢¡µ%ór 2`ã(S!äÌ›ah¦Êé.³<ë¹Áγ´è¼ß˜våy­²ËJªˆ¡Ž™rºÁn%-Ó¤ Å#Z%¼e/ˆ|“‹Õ8‚é,s”®V .Úœ÷?\K îÿi ô ï¢;tàBç/LmäÍ òÊð‰.èêë k`IGmËŠ_Ò¶jý´¢¡lçípù2H‰<Ý‹žpWì/[Õ¾2hxa)‰²’]Õ&¸œ0¼xaâÛ s¦kEó|S+,ÌoóRB|ÕTWQÖÜÆlêªÄã§–ñÇR!b³Ì0“O‡äÈëÎ1nÑdbFîÔ3Vü(g/¿öI•¹oDãÒ'|$­a,u® JQΧ‘¡Éù·z t.»$¾nWXU3ór*ÿ~~­ y<ú$vW;õ%»]îFDÚ4Ó l¶Ýjß-Ýs³Ž”^øÔ5)k``áúgù•Ô*¨«•–åÀ+îtVVaj€n­é«u™•7Loéð'5JgZ 7MU…´ŠÙ º‡‘~ƒ9ÞYŒ»t*eFà /¦^wP/`ïS¨VlóèlDID¢ …ƒj‰Œ ¥A»ï 3~˜Ç·‚¡å¬y*o0H¥BT¹Ò]£L#@þV¸”:ÅÈtØèŸG¨ðD¦ç¨½ÿ«|{ªi”ÓVÃ?ˆrûI–Ò&Œ‡ÂMó'XJºpiÞ$¯¾G^¾ݾl+/“ßi[ç.yE o[`_ÝAȸõ.ùÊQZ³)¦HRz“<_M΀!Óä—1 Õ·?k!Œ½œJa;So4”àÆ‰o]fÜù2(™ÃÏ\ •™ù-“Á ÆäËVX óåQÈ<·oŒ¡£² “™”—¨™ë;\i´…¥w“•ZáD( í8†Jd *£º\ Ô"q' _œÃÒ¥xxôÃðÒ²䜇7.Õ>ª0—Ÿ‡ý“NÿM÷0s£%Z»Û’ÝÌ{­cüNË­ûˆ¼ÊŒü”gw£¶Ÿ.%ÛŽ#3ÈèOüV¼Œlx猖ÌÝȼ—¼:úù¤ûÔ:Ô@~ú3_2äñZa€RÐaã´¾êýÀΊGã.tÖÑçÆH’?Ëo¿Õs<ÓE^ž€ 2àé§/]7¢éœx1à¶°¹“‹Œ=pÔ_$âž®†À]˧H…²ï£îèG³ù 9Ƭo†j «¼ñä/Üi7­ e¼õ®—<3Ùº‹Ó‚É£~Wp„ëUêé¾^(LМ¾'O+ŒõzEsòšcÆóþW Áâyè©KS¤åÜ[…\Ù'×wuѶH±ËUšÂóµáJaËÊ7P·ÖTé™?eY—£ºÏIÄ1ás_¢š§1õP;CsECL]Ã`zuì(jE>¹ßE÷áC±ÞÉ =,-4Gú œaÂÛAºæQ¤.BFÍFþ¥µ9I—²Îb>_æM"%§’)èg* ËJ­}yé05§RhL¸ùÞ\¬¼É;:€Ë–q…ì~-‹gÎôsºAñQ‡ Ó¯.`7•nê£$¸S<‹I{†Óˆí¦Ùã9Ó£]pox‰°ym”]ÒçNeÞj8ï·/,Ôþ _ †g¯^õÉGïÐïoͳì2bÐ ¢Ïë! )I[VCøx*pe:¯¸ãL´úxÅ<\Ñ÷¼¢’ÿcÆñHS¬‹K²6]œ3bc$m^@2”¤á·kœÏ¢ß1Òþh)½I‡'±rµä¨:ÜR^¥ËÓtùßíîu@Öê 瓸O62SÙFÞç£Úkgšœ]«á@¦Ò¶¿jJIEpÓ!wž/Kò÷ Üt(é…Ð=QlW>ýGçn6B/»'5^Ž}ãp0·”•CNlCƒ¡‘S¬¦=Áélã;’I¥îÒ”$\9ʱ‹®¯(Æ#Maá Qíºã¡ÍsúªsÜçI5%ûFZ¬tqjp[”gifszfDé«ÕÄN„Œn‰)®]Cʾ%ÆþpêeH¤²a >+¹3ˆWφn½"zGùNnó•MÊì«4µpîB-²|¹Féýíp’ÏÙ¸ƒužÔlô¥Þ?S•׿ºæRg8™.ËÐÌS"ð4ÂÁiÉ7IøÊSÐÉÛº6HÜf\Üx¾gÇKœ¨«ƒú¤!q¼ÌŽ‘„·fåö[º•^Ì(‰¦÷O±ƒ…q…æâ>…*)$­ÙœzÁU&Z˜UÁªZ­Æ>…/ÌZ6t@·!“óF£ž9*FÑèÄtTf©T¹á>kÍ,Õ\^âš}((‹á&#ëYÚ؞Í#B-]Úž½:¶X*«^º¾ÿ§ÎRÙ4Ø5¨!.êZ8þH8çßAU©Aårr8¨χîÉ ãAC^ºÄçK̃WµÆòÃ/ Œ €›a5,qz%ç\yUíÈqœ295ž9·¡•‚‚aԠѬSÍÄÊ-¾ÀãŠn]´5ýgdíøòE5†¯¸ xHKK‹$<=Íð™þóM_kÅm@ÐxVí7ã¡û¤àš‚ûZ f ¤áÆáÁA²Ô,ÖÉ5eòÝ4~8Š%y³U™¡bUê•mëæ:ämM+¹žœRS»ÃžQº÷­ @n·Ÿ²&*¡éËdõÒµ´¥aìÿjŠžÝjáT™)«†ko]Øfò °p[ÖŒb¤©Y€YÈíx´ò–™%³½CÊëhG³Hä›Ö]Ne7VàYz£Òƒ&.Y¬±™ÚÒm6¹ãw´•ï"‡k›þÿMF˜ÕóØ)·¬;Ò´]cè°àØ1L¬Æ9É$ ÒìÏÝy/³iZÕÀJò·Åqu¬î•àäÖE›–V È h{®0Ü.׸HZìÆa‚Ø×Z£óy´ã$Rÿ,ÕP8ôŸ"ªÿ×Ó‘|K?‘ üWP–EËX›—?‰Ë§ þcôEkÃÿý$¦ØØÏ¥2ÿ—áô&qýÉŸ„æOBó©„FC£ÿ¡ÑÚð?¡)6ö¿ŒÐhGÅó‡O¿h»¯Åþh ‡K†gJ‰ÿq]ƒ|£Æbàʪª ãé²êÿRø›Ž›OZÛ­‡:ƒ7g½þ_þÛð·¿ÿ÷ïnë¿øøèñþö_vöîí?|¸»·»ó—ííÝÝ¿XùoúãÎl«ßÿ’?R·¢ÝÞ6L1‚*éí1º7‚I‘¢Ñhl´àÓDq§9F:Œ[µ®£M€‘Ûö“ÐB$†7´µt‘ï‰[…^`Þú8DU±ï>Ãs ÛóXÔ5öü ¥”2x„ÖÖÆÔƒN7ZµÚ‡å†Zç6ÐkÏÅñøçè zsb{Ž$—d|sÔœõ~±šxêÉí¼rㄚHq=ðÈVöĺv)hí•ë‡Fê€nXF¨…¬±›¸v<žÕ`çfcŠdá,ÝŠâlâê”¶xÛ·úc¶ÕWhÇ2¦a€½yÄÆ_Âùç@YŠñÐkÅ–`p“ëØ Ð`rnÇ*î—V CGçìóó(¥œä2:fSy˜àDÆ®€±eySÙü¡e½ ÝÙ| ÏÂ8À~\´¶¨_GmL—ØÆ·v‚NõSôUÝCûís]ä–p÷x‹‡è€NWðVÍ|Dèì¸-ëg7o¬óNï`Ëê¿>b³™7çÖ±=ÂN½ ¯1p;Rèi@^²ƒ´f®r€JËÔç¶ãb¿æêä>9>£#|U,ëó¥eG!`<Úm¢]•˜{ ¡oãi­Öqì¹uâNíñë¹ /í9¾´Æáü{øÀðw|žb_.‚KëùþmO’Vº˜·÷{ùñ<Œ>·¢0jûÞ¢•àçK/¶­= gÖóÚ±ëÌìTTâÃÚ³NÃ+@ÛøÒ ð¥ Ý™»I+ñ( A[Ïúm'ñj+ S̨‚Í ‡ö8ï4×-×Y`>÷2q—˜Ï¾ ¯8#>µ§@| ÌM˜¤8´^ÂJð°Y2¥5”\î«k»xž 3„nâ¨}c#YF€]xéúcÀáËÆ¯žÜ´—q+pS=Ókû ˜ÚLÅs¾^ÎùÆ?p•ôÞ‚ûО/Õôð‡›‡ NÕóÈž´1®/´,ý™íŒù­çò©óS›êÔ³¹Ö™ï]ÙPgˆ¿¹éto€"ÛxoÕõB-ó’–uÞ,ç‹Dö8HÛƒŽ¶¬ƒ8 /qÚ¦ãö"MZöܱgªŸ8·o’‚Ƕ¸f(&Q‹Ž]À2&›…)m_¥@˜ ‹öÛ"ÙïÛ :>¦1ßáȧoüž¦Æˆc¢xî/£H<2½·\ÇóQzŒ;€Š®ÛZÌGc‰˜ïPaêúi„¿mׄ¹ñ¥ë»K3P^Ì?íÅ8qŒ¯c{)Ú|ݼlÛÁs´ì,Ó˜Ìå–Ÿø ÛP( ï[3J(ôìÚ:ÿè>V8_ÒSÛ¾jNLˆçn 0Hôk·£Ù2ñ { sú)^µ¡1OÄcYûúÐW6¯à›ú¾´Ž=ú´lõ›¹×@¼…Kë-¼ÃRÃä°…£ðF…Íln½$tšý9‰<ç´¥QRÛ €¢µ&1æOg!Ð×1RáçSüɵ5 ÑÞÈó ¬{@Ô8­ubÏz³HÓE€…à­%ßÚ³EÚš yƒ•-ÄÞÂÿ€]¡÷¶7n%^\B†d†“÷’Ç€^Z#xiW~ËŽçËÖÜó1[bÇ œ£d棱9ä…”6;‘b0Ü,ÏX ºHÕI)ú„¿„v ©|>ãùÈq'ô¤c„T>Œ§”kLGß³áßç#zk§—!RÞ¶ê%Ô×iÁ&“0¹z>‚®GÞÔwaØâÖ"Éš†Wœñ LÓ·fØ)€½Ûס?Áq⺠ŒÒ¥i€` €E¤$ò`.0Ìx‚}ãê`W ƒ°9¾JZ7Þ›Îtƒ÷X ´Ù¶žË„'´íù(v“^º1 h×ñ¡j† ï€ÉüÞž…) Îúãbæ'2ß%¾´Óf@~Wåò\«ÛóWf´c§¢¥ ÉÀÇÐîòžÚÀ²[7È^ˆ\€C°n)Ï(lDß ?´•{ ôñè°[: AZÛOÅ>*sˆÕ@ñŸf‚ 8£4ºÈ9é‚E5á[û=ÌB+„Äi†œH1€e)f†·6ý{íŽÄÐ2oá.ÈIÏóшŸ€ÐÇ0¹±£Ãy¹`:5ÑCºÜO+mìƒ3uuÐÏ`ØØö戾ãöÐü²åÃr€þ0⬯wعžß `Ý—­1æ¼Ç@apfSÚn0…!–è,9ìɈë4>×!ð¹Ë‘=3Öå{¢9 ¼´QR‘xN_Oˆ„m˜€m愤 êNVÚ˜ÍöÖH‚Z"¨"ÑÖ Œê%Ì™„4¸D(>þ¶Ç°ÌS`±`:š#†a‚7Í“lÿÊÃÙ_Ò®2¦÷6È<¶ I,ÕŽÃ&È™/¦6ÐÈÍÛ“îb äq‘ju48.@(ñ|Œ©£và¥K­Î òB+³^A»xÉ´·§.pÚ-úHwIæ<•ƒ“Â\´ÇK˜Ï$”3šcé©ã³ÓF!-¾ ½X‚Á0,SÎÔžyÓ™¿p®a‹œµ˜$ÆW®\\äÄMaP&PdÎOÀX#û"×*åJ~a!¦ŒeZë½HÓ':+q ¢Q[nì°-¡gÌlI§ÒkL|é I`Ú¯‘ÜÃÆb§²H8™€lgO&PJ¶"Œfn+¦4ßk\5ÆÅ¥­ðq©‘hú|ì@\`9ÒÌYÐDƒ;ÄÕrbÏ<Ø·1ˆ‡ôhô*¶½)àç¡ ÔÈþeìNé‚Y 0¼´œmÏêÛ)lâ üëØ^Û §-ÛÇ ¿•†³ðr=zaÖ÷Iׯiç§va)c¾WÈN`pÍçñ• HsEÛ§ ^˜«¿ð‘Ë…ùIÄSÛlÞ²D«{-âÁhÔ܆–/<Éê@®@ÑT_†ñ(êpw{{§½´gaˆè|ÀÌ1m€}Øå܉‚LÛ¡ ®7Mi¿Å‡¶L‰Rb»ý(¶žûÐR5Uàðƒ);Q–AJ¶_Âck¼œ^#c†Sœ59[”÷8¼ÂÐc-H€ð%“ß<Çê,IsZ6>÷„KÓNåç—qxø.²1£¤m#  •(¾.@zŸŽ-ñœÖH¼·g‘ª²ÁÚF~ĉwÇøÃ=Ö?Ãp#MrümÛWÀPÜèß_ÇÔ)þ8°ƒ´¼Ñ\ÿ~솭vŸª6ΆÄRšy›þõ‘Ö³€Ä ØëQ$œÃž½H/A÷Qû*ôƒeküAf?÷Æ—°üácµã±²W:ÅÈ…<ýhÛsÀԤ푉ŽL+`Èk{órŒ‹XS|o9â›;±ÄE½ÆK Ç. 5®vŸX °Ow_»°Ÿâµ9b{fÁµ“phs—ίXC.êv‘<n »Ãë”Ú /€<šŒ¼Pf‹‘Àu,R®Ô^ûöbú' }Á˜Ò;,zoû¯–öëøƒ; ã ‹\^z(‹ÐC¶p_/’çØö÷€›ŠG ÔM;+­YÎ^#:]¸š=Ô³ÚØM§h; —ÇáM ˜Ècà"fïqËAœÒ0ã=·—ð|Ƨímós€‡'î ˜ç3á; zçvcžuÄ@’(C|%ô¡úœ°¹ øÉzLúeÒýY§žÏ¬Ü,jÛ7Rzƒ’ˆ6'ö%¬ Úá8 “™¹*.ŸÁÌõ|…Rñ„%L¶ÈåÁ*cäˆ.íyˆ\Ñ,Çö˜ŽÈÕá7(â†0o2ó€`]£RèÒ…ÉYö3ÜuB#ß/áe˜B¦%ý¶žùö¹Š4Y\.F¶ä²Þ,F8€À€³@Éø½%ÞÛPÑ”–ûêvûÀf…¸_‹c‘¸PJÓ‡€1-DýŽPì-€îc#"ñÔŽâpÒÊô0˜«ï"{o=b+&½E ö §õã̾º$râ /é¹mû ÒA–€T5³!ïŸ.°*˜8»t ¼S+H.A¤ÔafœÊô¡?Øv„8Áj÷ð6Â!SÛʰ2,V`Áúv' }Aƒ áÈ:…ÝÔÆòðÒ ð¥Íϱ;G¾: n1²~pQpIËn12d¸l¼º{€.|~?n¿gaWûHtl /(Kí1»É„Ð{ؤñf¶2°Þ¢ø‡6ÐÑZÙ.Ó«E+ð)"Ú{Û§Î^oÛ’Ö“ñ©‹šŒçïçãŸÚ§nú²(‡kiýÈÊŸ÷öòŸÚso ˜©t‹?€˜Ñ|iG)ZÀj$áDè8?xéÂOˆÊÙ÷.*O(x!N5z…¥ÿþÊ…-7úÅ>-æBÅúŒîŒ1,Û÷ þ¶AN`# hÌÄ’UÔ³dÑN@BÉI2Ï ÎNßKÐ9$Â/Q–ý€Â7 lØlLÄMEð?¸ ,q¶RÇ"XêÌh äÎù€)~"Šxü@!{ò>$ju&hú2•íÆ\½0éNñ=ÌJÜ^Lq9â}R Üv¯ù z¨>˜-‚)¼àAOý÷Ov?2FÔ›c ÑzsØAø­}=rçIèóy––Û!(ärÌoÌFýÚ¡Õ¹c;A¾î=¼äׯ,ÀX}<{ ˜¿Æ|ð€ ¦H¸7ƉÓfûCÈT«9°Á8üdˆ*Û LaïzŸÂ¦‰…Ï(_^÷7¢ß6ðNHý˜¦P†>MXæÅ'lQëe†Ò1Ï+fì‚@‰¤Ú¬É#¥žl P7Ž—×®M§{!’Oœ(L-W´÷‰¾†a,ئPUàÊ:aÿµºãYÊ-¡,v‚â}ºÜs¨ Åh(“žá½Hj“Rå÷…䲂D6‘à§²–Ã$ú”½žÇKäaßGøÛ@ ó%2Á~¤!}$žÞÏw ”ƒ\ Oiqñòî¬ =žJ4_ŽPv§±g“…„ ðá=¤·¦”Sr›ûaq rÚKà“ˆÝY¼¿ôõ&üh{Ö„@–Ëo€üh û=ï¿—ôÐŽã–罜kL[*äYX°ã­Øç—ðÒÆóc:㥂³˜ÁVmvˆâ£G¿­K‘ ®-VØ;vJÚ†/‰±cüèïØÀ^ Ó•Ú‹60ú!ÈÃã–×Z4ÓðrÊ2òœá걑ûOè·=¶ÔOZ3?Ì ?º¨ÄK¬~Úsä!2…ç¸×P«{}Y”q8Ã[àÃ]/×mÇÃë¼´È@´Ä&¿…±Š]ÒëuÛkÞ$]r{ß»©‡",œ«ÍaOoÍÕ{½kÌ·w[A¹aŸ€%’1`j¡RñØF-5’i!'Öß®=äãƒQLÞ¯pª·}»IN òc°H­Á•ë¤T-¼¥Wmoc 8U“õtÀÂÚ?; ÛΤ凇5?Jm縗¸;Ù(@5ú$«L£ RSïÀ”I…Ä%¼´ñn3Íàz ›0·ð³õÊÆM $J$°¯y)ì(\÷1ž+DYÇ%©ÀÎÛ@KP5ÇZèIÆc%gØ”|74M=$9?¹ðú(äàë¿Ù€`Ñ ~ÏKSdìbú…‘Ma´|´•^Wf^Õü¬|Ü:||k} ·Œ)?^ÀNÔÓ{cáã›I’Ž#¸aöOép£ô!¡= \þÄÆ ‘(©z#¦ó9p×ôÔˆ‰>ÁÐ¥Ó"ŸúCRÙ](BŸ¡ÝòRô‹¢} äv€ŠM~Àƒ”‘2nvÔ±ÕƒÝÚãÁbâW”Ü@ÆÂúbÛà¥éEÀ‰D!  n”8@ŽùmHš¥ÓÍ F³^¶cÜÜðøÎŸì„Æ^nÚŽÜÐÚ€o@CÝÔzå“ô4Ç[Ú—mÀC/×<±>/ñŒ'd>â§öꪔŽ2ñ¹’hô›QB)WhÌ­¹ÄCN©´LÖÈ_òã[×#Ñkúm/FÞï*c dˆî\ô3úmt¨"Û¡E0xóKz€ÉT½ÇÏ@EÞ”¢M™HhƒP6 %òEJ­Î×?ž·óƒ¡¸Á3 ¯0=&ü¶#?m"å™»ræ!—8N¶K$´è\oŸÈx‡ã'´äs{ò¡ùÆRd^ÄÞ/„™†­( ¤â”Ö§´Ç¨÷Uœg`±Ánõ §(KÍçâÑ@y¨&Ilëì¾B–ðpz² Â~‚9®¨8}.cZ]”¡B¢y2Ë¡Û QË LÓrÎiFe"Û«ð‡0¼­ê Jó«ÐÉÏIßN"/PªGNZ>`»RlÎо¿ nFÀß ˜f™âZñähl€­vN @lB5›@±Sï1²á´SJÛ‘)²¶K×z/q¼seGžjš Êò:¦‹èrg7;_åOƯíÅt†Jòù|<% ò3e3BÙHYâ¤}í¡ê¦]BA÷¨oè”1„Î{ÛÙþ~‚L´ÕlÔ€ã‹É¤¦’H;C1E§v¸\\¢ãÚÆ“k{pRS;ÁÍü”¸E S˜n<¶èäõëq°lÅ¢]§® {« qK ð½œMFDs'>EDD4‰§êµA †Œ}g, Ê1ÍôZòÁ§ž7r­_©LÙ4À×ö$ñÞóŒœz—j0s9Íó€Ú©H¹B{f’"…à¥5‚}_u¼> G µ7Þ%`ž‡d‹ÚIlËñBó,Àd»Czk!?€æ,j€#`xgl¯ôÒó±éˆ¬6€r?€„EGç6ÐBXÙÀ&„¸GF T´q<·c{j<ÍÊà÷'Tñ‰ÏÈá6gŠ»ìˆˆ‹ºhÇ(#3´P†ÇÓ—þ °d¬4d2×a¸D&ÁÁŸ5¦ÓVÆ!r`ÚÂæ2<¶ÑX¦{­¾¡Å™øXÜ`( ,!jøùçÆeËÁwלÄ9šô…)“VToøE~Š磊^Jžð'ʸþ’õh$dœq›ÒJ®%"Š,¡ÏrИð°2poØ–NËö&\$´•Ño¾`MÐÊ.šã/`ª´6öB´1RÛ¢c`Â<<ÖIõl}בT˜à J;E š9º-ð¥"š³¾% Í9}ûÃRGc´EÆÖ~?Fi‡~£6’øE„äáƒÈÑWçØøÚ’¯‚w .Ð%M8¸àG£º™ç{Ÿ>Bx#[…13}@èŸ't LY*ÍEf×úŸ…‹ÁÆÖóßÅSÙt×›¥ÄBaF¬ödš°1Ã…áç¶çº®¬Õ+?ÁòºŒ®ÚÒJª’ÃîaÜ>zaT;,‡¨·tPËuÞ¢‡¶®~‰uïÙŽ‹‡j>ÚÓF€+îå®>^=<]‰­3" 0×ÕF=½”E(Ôb’®ÛÓñ¸¥Øä, Ïê-BèÊ'qÌmÈ$ÍÛzxYÈ:€…ï{€ôÚ¯m<ú‚– õ 0us28àù?é“Ùs{áX/ajpªbzmèU4A&—Î bžo,ôR± ˺?+OSB þóˆS.ùÁÁ×Tß&"ãKÛ] „%!3øh¥Œpq„'ønv/œÓÁ1bÛsziÑK[q†—„SnŒKJ…s²ö¶Æ!Ô9™{ã›Ù¼9ÊD¼õ `™Ú˜7Ň6ì3W³œ=:·Î@ˆñ7qΉ«ë{x$ý: >GlZ¼œOw¾3*Å '‹˜.ã9=†Ž@|®@&ÈL•1 q.ü…míBèt«oÏt¦LÒÁsT=àÓC£R‘‰…L4K(¡•Š„LíC”@È$nàEè©–énÜ¡Ø%ðK_ bÊœ)=µ§q’ 0W‰Û)QäDGË”v1DûàbtÏh'KÑ´©9v¯–˜ÁµÛø¯¢/¤™Â“&¿£: Ø›‡¿ï¡‘ãë"ÿÀg|¡‡^õça¼GÊE9Z¿‚pÊlÓê/a¯IDŸ<ÅÅÒ[*¹=k:Íé|ÄB qÀ õˆ÷Jè%68GhÉHζ‰çµ[d/Sõn<, €C› Jj{h’œJ¬¿ø€<å[Ú$6PJ{Æms»©,–úèwxé4Æãwë9¾·Ô{{<"®£™-øÉ„Ué⡵/C²•£©Ø—@sÏàÚ¦ò­—a7ZÖ¥ø©}ƒOöeî4Y@;_z\`GôÛ¾òdŽEzµt€‹ý›ç/ ŠHh}À}0.[0ÉÛBÏSNˆùÝÈ:Þ!–b1!cµY‚ ºï Bêë`´ ±^-È.1MÚ ¢£?¾–4ÉÀ5Ðó‘08½lO½)¶žölñýØ£3¯óÚ¦”6ô)mAš2ã£2'¶‡ù­Eo¨Ij^¢,àëµãZãS]ÂY’}.ê•^ƒ@íœDfà¡]0t-€ßZô¦4‘oLÉŠ!}?j¸Ô”¯ð¸Ï¥uÚYé:¡L? Û ²B Vg¸L=^úÀô -›£<˜Òo{¼D©M@ çh €7x|ÅÍ”´ÅœÚJµTà~`@4Â_…nLŠNÈŽ ­‰HPÊ Z!¡Õ €ž>‡½4læ—ztú$ÖǖتÃ\öhK* 'Ð~ɳllíbnNKdF@~m£ªÂA; ñ™ŒôÃkûê˜2ßÅWëܶ~±¼Øa=G[v]Ývá³AHŒ 4IâccyÞº€~huÃï-ñ³©».ÐÔQ¼Åˆôå‹<Ñ„×ø8Œ#`ÊÛhÃ÷“G·çŽ®b§á‡ùCúÉKma³DZt5ç'£"ßv@¨‹­²¿îv_‡×vû=P”¹8KnfQ–›¢6òš^Ûü3¢D†&ò]຺Cƒë>·gQ3Á+]0Ò¢ï­G‚Í´b¯Ûì&‹1Ú— µá[/¸Nå •Út‡6~åAŽCĽ¦ß6þš›¦ëgOˆ 7^ëÕÃZ—öìðr ¿ÓKÛFC—©oK~ôÔçzÌà9ôk,WütöeŒ¢-¿´Gð"(ÁMà 0:`™¿OÝMeQPÉÂ;ÅóEjƒ$å¶€×[ù Z ôÂÅõ| -غoÚ¨D…¶ço(Šõ‘Iý`£Q‡}­ÿ ´Gg·n/(gÀFcýŸ[@Âööpë¿Áæ‰ÄÕ¹¨Z‚Ÿ:´ÊûßÓñpÁ„ŽÿÝ÷¿·=ÜÛËßÿÞßÞÿóþ÷¿ãïÁfÍÚ´ÂhÉ¡>nX;ß}÷/§ò­× Y@ùùB0Z›Y”3±ØÌÞuZ Þõ­“ΠÛ;ê[ð|Þ;ûéè°{huúðºe½=¼±:/ûgǃîñ/Öé™õ¶ÓëuN¿XÝŸÏ{Ý~¿{ˆÎzÖÑÉùñQ÷k<ýźèw`g`ýrvѳÎÞžZ½£þ²æs7ê¼ÊŽ·{¡õÓØR6†îÉ[Þ ‚Ë[´Ñz–¸["ŠQôp…ÏûZa dšÝåÇ®¸^ŽQya¢$¢F>%lþQ5¾Žoܶ桳ð¹Õ¸H¿ý¶5“Í¥{û¹ìá„îC£ ™í[hl@¾­ `!6èâò†ãú @o°S|ôŒÂÁ`È4®¦Ü%‹ÙVQT<å‘Ì\Å×x 0rk*]g-Ró^z¦Vâªw̓@í—p!oû»ùú¨/ hÔÔtÜev ³LFàý¾p“÷/§ÓÍ—ÝØ8 ·T á¥IW¡é;^Š0ît=~£)Um´ðü´‰ ãÖªýa.<¦£—ñ7ŸºÃƒ³ÓWG¯‡oj_Y^0öÑjcؽ ÕSó±þòâèX‹Ë”¥È¬Ù stzp<|{tzxö¶Õ¨Z¦c¬!K@Žó{ëÁ»‘í iþñZ¾;vódF˜G±wÌjUƒC0ŠqW5'/Tj¨°Dð‹êšžÉ@½_ª~Ÿô†?a‚o¾ÑR‡‡'ÃaCé¹Å0v»ƒ®€~z6€Ä.æ†õkMÄÕ®(ù¸˜Œ‰òúôâ`Ôº×ýŸúÃ-kWƒ­cl)Š/õÜÚÝÞÙÙÞ;6&m8F]4”ãpgƒ]Z'䑈œE°«Ê©C;ìžcFúÈÓU7§  ¦|EIŒš5Rò¤Þ¹6uµ`±HÏ@øÓ(”EÏ%GeìÒ‰ý™ÁøæÄ‹ ÔÒ𤸠M¤„åyð¦{ðcCï»6fï~[oÔî k4ßè€>˹öšQ˜µñç¡TŽÃX_JòZûËÿ Jþc·e7­»ü÷hw÷áÂü÷hçOùï?!ÿí|÷äÉþû]Þç’韧TjÜi~‚èX³úžïñ¼!¶£Þ/YÀ.Œ>¹Œr¯ ¤Ís{|‰gxá<©ï¿U†]`äÏXe…/,›h­Ogõv`\žÈâRjÀÖ“ã²ñ°‹*—sxоC»D›ï"U³?-[|S‚ƒ¼¶ ÙT=ž=-².Á+D`HB>Ï„’(ö®@„Ee>’L¥K,ûö@¡eS -Â$^÷Ò>! ¦N¸7¨L×Âäá½`'¯g¨DÆ<¾w‰€9&/÷ѬÅ.®ä¿ŽÜ‘5}:C3w=„!ÄÖ°g€f^&qÑ:'uEL/2ƒý3°VHžô¤(m…A-ŽªC¡ûHDv€{㎯YD=.Ä^ÁcŒr‹Èš ’çGö9°Ö^Øš}o$ÑMH“"îI$σ.q7$ÀÂëÞîð¸Û9vN1[çTçÆK>[;Š W’ÚéY¿ÛûéˆËÚÑÜ-¼N¨I‚ËWßÜ8¸±‚ŸÇPEáœæÒ¥óÌ¥uå%J±lçÊS§éÊŽ=.r”“t-b,â;‡¥¢ðmè+ág´r´HT„¹è›•Û„:…“f(F@BÜ sIÕÇÝÁ!­¸ÅHJ8Bʼno/CtÃ¥ÇsÖq:Jã×€ˆe„žç Œö»€™˜çÖŸ‹Ø¥eìÕ…¥…F¡¯Ö]^lM9d;Ú×1‚±&­OÝ”–ý¨Ó9Ì:ÃÎ[3¬ðL,ªpËZˆâŠ!?³°ƒÄcùÂBç̺gãMþ‚aÂl!ˆ‡ÅèjzX oˆ Õ=ÌÞêáV†TãaÂñÂôøqägö±ê*ÿpL/å;¹F»Ó:¦h]§¸ÖçƒríOÍÔÓ³t¡*:¼FœePx-œÈ³7$¯B* F§ˆÙlš²~¨´¢äƽØV¡w|º´\ù*>2šéÐN@¨$T¬\—}ZÓö œEÄzqº¨î4}t•§ˆŽ?‚<)íƒ,v¤5_ÇÍú÷…—ª}Ml7 ؤ‘—Ò¨–¦³î¶¦-¨(œ{À£y¬kMl ¹¶V+úN+žÉó /ß!„|¾7ä9V+ÂÂ(œJEŒlÞo)‹óWé}YzN.,íÌÙ²ÙÙš=Ë-uÃa;G<ä$)Ã~x¦|¯ ǵBÚx¬µ@ë¢:w¥°¥P䌽úZ/!‹à2ËÈ@Fl àõ,F$ô«ñŒÓÃË€1«õ;§ý#Q*P +Å'…YŒ$Ý‚L°|e¼ZÚË^ÃRí’à­ âJ4R±Äõ#°áéôm†Tóåñ@ê2X²[$QdØJR)ÇÂŒ—åáñµ^Pœê5‚aóxQ x/EnHxC€on/vÂѬU|nÇMÆÙVJíHÞɧßZáårx0¢9Z??h‘µ›;ùÿàëI§ÿ£éx¿|ìò ×£Gšæ¦}ûBì}ÍV†5'¾z„‘•ÈàBÌH á1p»Ðs½åAQ \ާl1w=Âcøm °K«Ù½Aÿ}tì“¶Ê@!Q RfÔ¤ŸÄƒ‘xÓ`‹¹d;Õª.€"ZVlFƒ#”!ÅK˜n\l³Dºµ®Y6@ÂdŒW°À;¶HôÐõPjd¡û/x\æR Skfû“æ"rèŽÃyÖ‘œÎ€GÄ8*´Âñx“wêØ£XÔ€. Ú—o;¥SuAGq‹€Â!7KÄ\0¿Ìª¹Àa…õÆxUES•ˆANBÿŠ7-;.4£> ÀãÄÙÂ.#o 4A _Røv¼Ø$*ÅF!†æ&ĉa›‹­"ÍÈÔ;ïIšuÆ ´…°…‹,E‰,IqÛ›$5Aá¬î± Îc<I\>ñ®tTÁ#R”"¨ï¬ðô0Ô'"Ï­Žœ]¼}ÐjTq_th¡3<³!4R¸3Ö¼€]DßÐ+E\É&mhÜ‹…€ &†­õAÎZ€™¬ÍÆ7Œ-‹‹´»&\’噂=˱,42þýÃà¢އÀÿH=ìj¤ÿðCÝhŒ¥ïj{¨ø.‰:ýš¹.N‹°?æXGõ*çã_ †çÝÞv Z.¸§˜­^pE­|awz¯»Ã£ÓŸ†ý¿ic“i½WTõº×}¸[Q^ßÄ·§ l?\ÛKì#˜¯¾ùF±¹½ëœþí<ìþü¶{§¤±š{ÚQ?wÔ#÷µ a0¡–™¢oy·lÊíÝXO]Ö×Àr¦¸><8K‹6f‚PN$–¨ ôµ•O—íêûÇgçÈNYÏQ¹ˆ´ÀIÏ úþ{èh#‡š)G°!ß§õÜ0"»ˆµá \u9ÒšBpåH°ˆí…èYK†®ÑˆH¶À€*™; p@°'ý­Û;«Ë¨=QXHdGšØs-|,ksgf@’G̾^3-CdŠÁ¨}µ,[§pÔÔ:‰2ÏJ‚Ÿ›²84á(`ÉÆ™[³…,ï›äÆ_J¾œg£•4µ f¨> >cô׌ñø2!Tâa$Ls¼/Å­Âø¿<8;ÿc»p³·,ÂíÏâÁ …‚Zòç¼½îáQžP%˜gzêc¯Ë_uý]þ£¶öó™9V†˜‹t†óá˜~‹1FôœmE>SàB}“³6²>|ÌðH’ ”MûFW)†N–7y¹×¨ùÜTZˆ|°:Sм²rد•ò2xX)¨ ¥\qx ŸV¦ IŠl²æ¼ÆsDT_ ÃN›ïÀÑ0²†˜‚wÛ¿™1 K3í¬“I_ oÏz‡´@šŸQtW-* ?*:‚\0c£ƒÌpžú˜è‚˜@Ë7õ? %4¶BdoÜélâ6B\ €w G"È' ë7D¨ÉêŽ?¸MẫElç8¦º0“tHâl²º æ$»Õ’Çb…í©ÞMZŸzz“Ó™kSäAKÊ‘´`§y\ d?Rû/Ù9#ò©NëóC0ªÛBŸ³¦x"{îìϽ‰|. “Â$M¶93ç[j¢Íš7$ñ¼ÓèÝã!JÞT–U.–©ôÈÛ0GEz‘£…§J¯ÈBpò33ÛguS¹D§Êè)›m%4õ(@_!j 0l1.Hí§e±z mޏIlÝÞ*Ìí¥ÂöuîàŽÌ¹ë´JÛ%êZÔ¤8ð¬sVkk± ãKMÇúL¥FÌ`¯еº¢ƒŠêl #<0 Ã5‡]©«õ‚9 ¡’ •A1Ü&“œýTÞ“6Sj±›œ›'‘탻%ÌL4®í°Q[ªÀ‚´í‰9U24]ƒ™qœ@˜˜+t7”O‚òàѤ‹l9ù€„•f†­‹PÇ:<á(ƒÎB-l¡ŠÝ‰âp* m*Œí[F8³À®`³xڥ䃱±£¸T¨Å±+šIÑþ¼Ô«#ˆc%B#$êÒu#È y¯ƒÌ¤„Ç 7±U>Î…Vp/ÝJ„©l〃±…NÐéz j2"ß ¼dÆç-õ·JEN|ƒÔJK{–ä°Í‰D}–¾Õì'Rvk.NšÑg € JÈð6°5 ñh¬¿C i1¡”-”4e¶­9ðô+l‹+­ P‚¤’¸7iÜGK¬<2•@k¥‰¡aðHݯÂ1Lì‰Ë£Œ0·,>—+C®(!T7išÕy…Šk0.L l¡‰"C:úŒcKT™P”KW£‹¸p(”³ÃT£vºœ…[¸¦~A†©n®ÇZ-a@¶HDû2ñûÌG?­õ¶õ…ÈSÆ·¤ñà3 Ù<Œôcyã¾E¦”~лÁ4áRCò”´¬âá<Èø%ÙÑøqÁ¦t*û4‚ÈÜ|irDjW¶êÐÖÆ%|ý¦ž‰ÏЦ°Íú³:ƒLæ÷G¤§§‹:ð ÿ«¡‰êi2`h™¡S_irHu~ ¬¥Æ`º‰0?¾TÚräöÎÏž’^ʋӥÐWDeGBëâ%h±*Du´½ÓÀ¡™J¸ \S"ö®¶ÀÍ»Šlwll™(ï|i¨PðvÑGlùðÊ1tðad*˜Kt*9åÄ6ŽqmYƒÞE·Ñ0öiœJìb=Œ&K·© ˆ²™$-z‡G}<÷Àë{½îI÷tÐ9Α]7µ¼dˆöhÿ&Űüƒœ”!ú¾Š3aMÏ‚üÁª¾ójÐíAczƒ_°«N¶L]Ä3SF]­„º†a ŒÔdß‘®¡R‹ú©ÿ¼šˆ0,kÌ8œºáH´`¡ÅKë%º%ÀôÃÐBïJÉ ¦ÈËÛ1Ù>‘=‚bþÄ´{Rf„…'¥x`b@NÑ'pùt=>ðn2´1Ñ[¯Àƒ-W÷ç£Qð£læ+âàز )¨‰µñ--0föÔÕ-®m”È :[Ö¢Ä*Éï6UP@\:—xÄH†.lhÂVžê´2•˜]æìºFQÖsݺ+Chƒj•i–UÑõ:†flB>Í/6ÝŠiåVÙ&wB;)EçÙíÀ|ø[8rÓr ѪaF­å"à} iqœ:NÇà Ôb­J±µ@yÐ,ðÈ/_Þ²²p{«™i]Ñ!Ùm§þM‰ Ü(“’³Q+«ýûlÇ+HRÀ ’á¸R-ƒüͶ<–0Eä ÑŒ4‹D¬‘û¤ªñZ²$y+F’çu@Æÿ([U‚¢‹èS‰‡ ¸á"ñ—­ŠuR g¯lHÊp×¼os0qÓñŒNÇAr.Œ;™³]G½YÒžF£\÷Q¢`*)]Vöc9–y’lÀ†8£õÒš¿ý–Uý!ú@¿Sκ,g™ ˆVŸÐ³¬ªï£± ‹öÆ’A‘$O0*H_¶ˆl­mÇ­È'nL[Öö–õMn8s­#ã… [¾ÊáÖm´cMêa²Fÿ.„dt\Ýÿ»âM³¹.ÞˆÉgƼdñ’z“%ñ."G½ñ,7ù³˜a¿sz4@n¦j5­ÕFS…U9!íAqQ–Ë–J±9ë®Ï®«Bo†JilÂÔÝ l4žDOËU:·ªa+éEañêœY¡&© Ê÷$›®&åu 5 ¯H^€µÄÒ4-Œ4 È e#oAd ¤­;3kŸ1}·Sü|‰)W iÞégsÖ%ëO$Ÿºª«V4)Y¡Š-Ø åuÉç“¢‰OžÞV«àÔ±*c¦ Gºú¹A(M‹ÿ&ŒÜÉ—êÃÝÝÂolk¶@­Zµ½~¬ÂÎ)8ÄKy7ŠÝ‰wCîoØÕ’¦¢%ånLêGôZnTÎË$´û¨·›  1n·¨ëÐV ÖÀw ĘH•†>$x+Ýh3|׿rïtܧ†$Œ¢2•ZaÈsïüéo†ƒ Úÿ_ ž-b‰Ç2.´1HMÍQ©Ã?Ä*¼°‚û<ß4ÙÆß™Ú$Ê©/òà¾Íl³6²`>ë÷/²CëÜjÍÖj}V®ÅÉ+qðnËšz‘âÓ]ÈXž€•â£2x×Ñb›ë89Hýºšù Ix&nL"dLa×–!+áðÎJ¤…R“ÝKÖz$nšÝ³¨ó…c€KGΔÕÌ¿¦©þjm"~+ _€¯ÇûWñýUÔ8—M2õTTVŸ]Í½Ö Ö](4‹–c<4&ç3¾ÃÖZ±O”©Ä…ÞÐTŒóBÒ‡7J”ß ºÏ7^‹hh®¡ê9eƒó$jƒÏÞ7¬+7NØ)"Àµ¹¡£_uX‹ûqæiËc)%Äø#h$£ ÃÎá!Íœò[ó¨HïŽy˜ñõêÅ,Ù¡SÙá]f†µe}cœ5”Ø +w >E'G¨Ç…¥& #0œÌ’¿Õyù0ÉŽ2ï2.´Ø›r.è¥ì>°01r¯‡’é÷v'Øå8‰ÌC-cþpUP¼1bŒ`£p³Ýž0>ÏZõ×lç~ZÔU#O,\–¨lÔjíPÀ¸|ÃL´vC0BÐØ"Ï¡Š ¼%, ›°<4> ¨z2E±ÓŒlˆ» b™É¶š >cDéã™àuRaF,F‡éˆŽ^Ï~$Ê„†3 ×'à MöÄv¢.¿Ò-–RûY ×Åì%\-˜.õþ˜ú¯¹áto[Fsl’7 DMúLÒ~„±Vb)E½üpî‹dˆ]É0b癸ÁŒÇž6ïoÀ¶D#½¼=EÀ4¢*ï¨rsé|¿ž¯ä‰ÑºòÚtRdµn¯wÖÃSa ”2NºƒnM=)³SÎgšËAÁÖ‘@*FÙ(5ºbñRλ<¦\«aèе{zvñúÍð¤{rÖû¥²a§g!ß0õy["–pÜíqP :‹¨.<-/y™M$é’(ù§²Ø_™4v#‡PÕ{1ÆZ2÷bQ#»ÝáÏ ã¿ ôg5í¢Í31ÆI6„9/D™®ïÂ7w0•š ”ŒÁ6òVßrÖ/l`‘l‚‚â ‘—)Z6æç8 |Á/Ù"Ð[r—¹«•¦ë¥cO[·™Ç¢ò±tm Ò˜÷x` ̸p&ƒn‚& K¶±ø÷¢â8œpÓyëpCîoÅ.‰Ð8~Qüc®Ù‹p“· Ë1%8lbRÜ !{ð^ð>Æý_·ï—ÍÔWÊÇP¯û?G½îðíAÿðâÜpS†C¬­t8w=NpÀâĶ|²©ùÒæJfÓ­ràÌÕ¤’G-Ú´¹&Ì@cmmJÂ) ‹G’“¦*–‰ÚùËf­bÞÊgn-w1Å)™[¦DìÊËëfqNh¼+݉^&éb4 ã /¦•sí+Ý€³ó’ œîV,R“}qzÑïªí´‹^¨i³®좣2UÔbghÒè U›d0Î6£‚3^Yò©äªZŠ€½eéUýÎUmõo6Pyðû³\jU6f¿Ó0þåÏ¿½ÿ_e YŒþ%®q?zTîÿwg{w7‹ÿòžÑÑõîã?ýÿþ;þ¾úÒz0ò‚É (îáÀ‚=ö¢!ÏáGÀ áÕÔâ;™-¢ÏºÛàïv›»Û;­Wx Ö')†p²^!ÓN0¶ðn[«VûIjÏ£÷1sg·¹½w/I‘0CîKñÁ$Ì3k.„u¡æzo€Îº‹Bnj½T\‚g{sв›¯O/¬×¨’²}ë|1ò½±uì1Ö+J˦$3r0°@UGžIP’3Þ“Uxè`ÔG^¢ga±]zõí4+ ƒ(»-œùbϳª{1™“W4?Šà¿' Ÿ ú%>»§aéø™ò2êb¸Aº”1|t¢{÷ƒYs(|Òíñ=t^ ~Auð«£Ái·ß·^õ¬«€l}qÜéYç½ó³>ª<ú®+G`TŒíDÞrðŠ‚ŸpŸµ@/t[ cŠxW.‰wšÀP=gÃö1–ðœ á3d=‚/e`ȵYšFO<¸¾¾–oø "yð=7†´ìÂmzÌu#ykeuÈÌ0:™È2UXŒh%\µØj‚…áù]„z¡ìØXt¼¼,RžÊ`;Eb®-Z¨Ä—ì#ž#º ”¥ÛDª-Ô ZT)–]ˆa½X"œ.Úˆ@¢òòUWƒGA†ðv¾Â(D™‡h^k‰8Ex `n¹-mÝÔ7^Ÿ_ím4€.@Ùs¾Å +¬ˆ#‚â,<çjŠ$O•gϤY¡‚’‚‚¹âjˆ) ûÝX2Ê¥ËÈEšÖ_D‘Ïz~ÂáÙ:Ÿç%ž.Pµ%&âþPµ[xšO易 Ì- |ta šÂÈÅÔ0÷†V5à1]ïÝAhgHa®=.†dmÙ Ñ(n ÃÃ…Žð’ÅxŒ÷hkb¡!Ýœº©¸>‘â´çEÖáctn*ÍÔK[‰}…¡Ggjõ@âµ;zð×è…à á™ýb䇣aäV?›¼Èx‰g³Ñ ôR ïtu#QdªßÆ»dˆ@znŸº .v<àpÇá4 Ùƒ Xâàü‚/¢-“Ôó{÷=@¦„V†ÍžGæ® # š<Ü›@‘7©&¹ÑàÐwñ"ЍšÌHÜ$B—%#ƒ+vñÎ YãÓÕLšmG°Vq”ï€ñ=áM£kw`Ьô©PmŶ5rIŠììž‹]Vß ·eïÈ»xŽª´xø]k¢§¢‰F¤èb)ДH *ú· û¹¦Þˆ3$ ÐÀ™Ãø#ÀëC\Œ ³ÓÈü7¾Jƈ]_À¬ ¿œw›'Ó‹WƒÁE¯Ûkrð£Ó×Ãþ/ýA÷i y-LÐ17j±a–ùâï5÷‚µIäu5Ø»½ÓîqtÖ¤_Ç!_Ipdz¶è6w^W³'0Žs÷Åß)ëÆ½í 럢pÓµî'[­Í[[÷ÿ^«Ñ¥Ð¿Ö.ðá©uoÛzwFÑ©~CŒmž¼ÂÞB;¤ì«gèuúµÚÁ*b…)¡)g9EDˆsñ]XîS8,è4ÎØ‹Ú ^Z¿þý¬žÜû[¥"µvnÐ&jÇ êdçs\ô;_ã Døï}e5§©µm=êTÞ­ï혛rh¸ðOñº‰O©¥Nú«Aß`´‡={&€ÈÙ‡rW…râc±¡-V:£g…’´°6òÅ,¾) {wF‚ÙFn-aª$ŒdæMÒg"š,l5¾øÊº@ž#uðÚ6îÞÑösÝšKåÞ,´hË[ì÷²æ{;÷°#*'6va°]ÚÞT€¾—¨"ˆÛñ$)ÐånIli_kµßÛ1ªPdÔZï&ö¸æ„€ 5žò¯hÊ·zOÄ™¹bk¸#Ö÷ßìÖ²ž ¸AÝ4Jã©!]ï–Å“ªòÔd¶d8‹kyVK[ã%ÚOZœœ£PƒØ|ÖÇ…#Izߪ56pÛ~ã²/ 21-² Óv4÷"Â÷fÂQ{è٠ư Óc4~´·Ë¦ÿ†(^à¢ù¢i§\àñÞö6=ìÉÇõS›k1æ»Ï/Ћw»{“À †súäø—<ààFI»¦—p­v„]¥'?å%ŠåaaãʆãXÀ¸N¨9Üô½}Ù¼ñ0óRÄx&(ïvv÷¨M ðF¶•Rb‡`…s੹oSüæ.¶‰‡H=Ùœ°IåvB?l㺦3rë‰/S’ìhN-¥ÜsØ&a"9¬Zë`_oÚe°ÁŽc/yÚÆq8òí.a,ø×\¾°‘йù 5/2ks\Êo‰GÍ{P?õòÒßkwL?^0 1ÊÉmU@éEÚo×q"«ººÁÕ”¬( ¤!^$µ©u"áÖ2±32Ë@ŠB3oq£*Á—kwWkÿ¾üÏ®ö €rDŒ¤£Oö› Á¿Ñ©Yí‘m¯µ{õè3á=ÌÁ{ø™ðFëÝÃæw¿ÉÅÃÄ(/rŠß+†ñ™õ^eõ~eÒ…`öQ•£¬¥Ò‰zjqPUŒÎõ™srµÿ¨u37s»Ÿoá\¼Oë\¶w[ŸÕ`ÉnJšÉljM²i›b C­öÏk¾¿tçñÙ|H02<2??2>šßä§(½¹sËÄ–©5ODgƒÝhåªRÙðÉé„0J²öÍQý@„?HßmËõc¶v¾ÿä¶d`mÌ̤lrèr¼CÖ"²ìïÆäeI—JL1‚“ÍCžä+«§Ø"Ší92í¥:¦sˆJ¡àb”Ž|€Ì½OHÓ0rÇÄÃP :?‘§B¨8£/v?ÚÆ½÷Ñ“mÜ0ÿiÙ»ß]Š';ÏöZêi8rÅØ‘±ýºH…žü–½>ÚÏž÷ß=Î>EcûÑ»ýÇ¿i@ÆÆç¸$þ‘a?—AM=>êàñ­˜aßÈPŸŒv,óµ˜%~¼siåôlú8)½ÙûÎÊÕ§`g{—KÁÓž\JóðÆ“™Šß$‚éãçÀIhÄé—Ö=Iºx´=âÏ®ü%Œç'QuxŽ  ¤Xk¨Êy‚ºš˜ºŠ?CrùFN´ƒ­Å_²è=ý#@F!°w®oñD§ž©¥âM®·hÛs¦éD½ñõŒž$õˆýÇØªXÐÄ„V:?¢ —ÌPÚ|ø?î>üÍΞ¨Ûø¼GÔž £H?#þà»(ñ²çúª"ê þ¨¤ˆwúå¯ü4ʯäã“ýù軩zÄØˆ°«'òÃÕwÙÓ({¼’™üÚ³[šz¼ÇÀï#õðH<ì‹ß'8oi,éûb„Š9¯W°uXüãÊßù°+•rµ'Êy‰·TÿÚUˆtóWÜÍx‡*¿!Uàr‡ÒR7HlÎõHý‡'ÛEÎËdŽ”~y7ìd±w¾õQEÖG…¬ûå9÷ó} ôÿÄ€Aøî·bš¬¦ÙQv7Z6ð;˧]•¢ž’]¹à Øh\40W'ºÃ@!»„YÍO f±Án’ïÿ&^÷þ*ªÝ£=~þˆ Òíÿ×ûhŽ.¥.bžì”0Ê©9Fµ/Ä´)³[élAÛ÷M2¶}·Xr冸fj§î§w–+rG¥U¹£|[Ev¿<»ŸÏþ*2‘¯þ{4¾oÅ6Ÿ£¯­¿‹œ÷1“ä¾ë;|â~¢Î/€sÇÃ8òé³G^,QßmÛOÐ6¬ +•xQʳ¨)xòÄÞ&/¸'ûÃ}Tlä5Ϲ‹Æ˜Gê+ëLøéœð9¡ò¦ËÔ"¨f³ ÿÃQ"!ì((³2øõï÷v~½ÿTHÁ»Qù¯÷…'Z!è8ÖüL:ö3¸Ž$”ƒ@vinfÒ‹zf©¥¹iH0ê+ üM“bô„Gûú Fa Ú^Ì$„’` RˆÑó™i@R6¥,£ŠÂÂÙ´X<¡.Ñ“¯ž(' /›ªÌỦ(»ÈD”^(å• '&ÈäËäL·;ÞÛ¦ïïÆïÓß¾ãg؈TF”x8Qè/è9¶—Á?.Ø–¹Q¢T†øÁW \ÿ&ñäËdo…Ê3y¼Íõ¢hıhˆGü{“áIJ”J²’J!ˆS•Ȥ^ATÒŸQlRïÙX ÑI¾âz¤\(>ñÃwòA+…B'þ®0 RòÙ—3ãk3ƒâ”|FŠ2 ,¥|…à,Yñ$ýÛ‚öË”½ýìñ¯»òQ­Þ78ùÉn-Šdü€œ?¡¼¥Ê(ÉŒ¿i‚Z–%JÄGËÔ£ÀXÍÔ£ÖÏô7±ü¤ˆf~b©LË Å´\6Íô\,ª™™ˆ¥×2 ßÌ$W&²å?£”fda±­m/Ÿm¯,Û£í\6ß Ù¾Ëg+4/•Gˆq… q.K\ši?—i¿I›4!Ò2˜U±XWÌ´ŸËTVHsf.ïŠÙPžËedOÏjŽeÉ@¢t§¾³¨§>Ï=EÑ€cÚÔ;ùF‚•Â]öœmZ(Çq: tÙ“X=BÌS¹—9=â ÉO<ííª¥NÒŸzÙo3{ñ2ÚF" •&!ŸÞ‹^³/&õT1–û²(šo¢³JBTEYF”¯(RÆö~HöåBˆÕ'3J"|A©Pc&dDùLR¢xQÙ ¸h@W¯(2ŠGÑ=–UÉHîäBDÔŸGúËUöÒcöò£ …H#áêI–ùê;ýy¤¿øW<ƒÉÍ_%’*Õ‹'wy2åÓ#íñ‘zÜWOÙ–‹ñj"¡P Ÿ¥*ßQ°¤â$afO;Ùc’=îjW{ †­¦Ÿ%SùF²©|¹›3³Ëüˆ¢*?Á“mÅJtåo$¼ªÞ, ý¤(K9>`Çw`bóêü-fmÑUì³éxŒ­¨öŽRr¾vi¯+s¬Í0vÊI*Ä2±VÍ圪­d@¶Ö}l¿‚ÃYš»÷d”8ÅÖzð!'³A>ÑÚ=ÒÀ=f}%þ )²©iÚ©ÑX<$öú‚&LwKÏm¶‚‚^2zŒY&fÞ¤D Diž;¢Ñ Ç“%Föx‘” ôÜ|ØNÜ5 ÒÅæI¥ ÙÑæBµË‡ù¡Ã*de‹Å‰Á™T‘”T€ô»·½ÿ¤êl ¿Ë2sèfEç…lmNŒ ›¹bU¡Œ™eknVf'zæiXfxÅöV²#=€gÏJduÿø›Ãer¥ÊxS:©ÂßfÕI_n¾0/">9ark1¬UÓ š2˜›µ@`ÃJd¦S=ô¹¤Ã¢XéB,–Ô&5.ë'-]šQêbœõoqS ?ò%Î@.‘dûv0.Qí0'"€E1g ' úöøÒbISÍ$û¾\Á²Y§¢wÁ¿"pÍÈ„-ùo4/ ñöY©Â¼ëŠà-¸RÍygpûUÐö?Øw% ÉðJT´Y“5v§ãñm:BNÌ( ‘‘Ys\¢šï´ªËB»%…vo+´WVjïöbËŠ=¼µØ“²bO*‹±QÛû²±¿jìI7SRël Åæ‘*HÊ}ü)CJ7gÏõ'ª,™.‚J‹9Tf/á"ñD\—›ÆöÍ$)­™s¡ÝŸB”Ï W5ËÝ”eº©ì˜cÓ1=þTn9øQfWF³X(gA ÜÏܾ?,%Í=‘QdEJ($)[à³VÆîé&¼ÂC #9‹aÇÒ9ã<Œ] cw]» ?ÅMyOR ³ÖfþóýŠ*küãÊ –j‡ *¡b¤åg½ò'eÛê3³ÜX÷dADü’r_ß!mQ9ï§QÉÁ÷H/0O€¿ œ²Tt³K³Š¿eè#dÞÑ—üÎ(Ln´Ò›¢ô&å©­¸ÞIw4ƒjv0ã…)£,„JÚb ÖÝÒ¿BÅvѸú»çðSÅp^Y0ÙyBXrÖï²ÅH˜¸êÓ+ºŒÎ&“$”ë² ˜“›]€Y2S¨Ã5ùkØó½Ê†r槤ù,ÙIQ æEÎm–m-&†yDöÙÞö£m²ÑVÖ¸fIViïHíRk]R‹Ïæ%hÍ ó\Ùy¢—»]a½‚7¼pÉG•5>ZU#ÙƒW¬ZþX‚γˆÔ©1‹ôlÕ3å3ñ—JÌ¢J&XÁÙ¿*#¥&Ȧm´¢ »:¸‡›Ÿ î¡í3ai ’Ðÿ¬Žòí=ÕUØkFÅ.„/’káGY¨y•C‡?k©ÿ0£,Ï\9þ||¨¾‘ݶ¨2¦ ë,ãZˆzŠeÑܧĄ̊l_a-ÿjYmÞ39ë Âù|±–†H×A¨’•Üçh8hcå›Z».}”¹íi°˜óôÞvÅ4â?Åa»±_¦Þažj‘º—%eÌK[ùºÔ)ô U¼`z}›âRûcF½X)kfpþ"›Yh쮣ÐP™³ÂÞ$¶çnå–ž]ÖE6‹·àmóÄ;ÈßO¸ëðÎØÞf³šú•¡Ó*ú€Ï5l'€Ÿ.§²YÄÁ­¢sqˆ?R{N&ªTÍÊd:©ÂËMgW…om ÜƒyÚÔf–Ñ­¸ ydö«dåŽKÙ¯dîÀ—œdÊ’³ÙƒŒ²Ì8^ºLüzm‚¯%Û(_G‡ÑZk·áÜYQ¼4䯥+óê¡ßŒÝ‘ë—PDq“ŠOOÔÓwe} üÃ{¾ª)×ÙU$|ÙÙ®(¶½·½² ]ÅÓôµjffl1¾z\R5$BÆq‘æŠÛÄóM¾W\ÑWüV¾WKrÓ27l›w µ…ÛwÙÜ-îìÅL{e[|0ÛÛ®œC\ßd<{÷ðÑoå垬*ø´ün¿ …Ñø /ïI|¢¬ÑZ¯g”•¡·Ô°\òÄù¦sÚß3ÓXÎ, G%Šr´¡ËÔj¢Ã&»ó’¼ê›Ìœ¸Õ™Õ7•9^‘963‡Ñ£m6' £ýíqs…Š#¼ôÊD´kÁåa±‰ ­”(xÉ!·Ÿ„ÉÃ2,(íPFQˆ4R|©†tR•+6ðJ]T˜T‡±”MIMhM>M „>V¦aP¡ÿÒ1å"”Æåõ­`Y¹XÕT~¿œ*vmD7À¢(æÙã½UÊg ,„„å÷ù‡Î|:Žà‡áæ*ŽAƒä¡q†xÞÍ==}oMX%Œº÷¸$Š<¢ŸKñÃV;<l/„ÃQ:ü>}øaܸr®n_šñ 5«íkó<®LŒ®þâ™ßöþèªK­8h2î °„ÌD±ý‘m”Q^MÉñe³hHð¦@4?Þ6†doYÒfse%+F’ŠÜ¹7IÕù†·åš„G™%Êt ±CÆHø³Žö"ΤF|¼ýPI/@’òÅèxþïTi}ƒ©RZ¹øSz¸‰–½Ùp%{ß‘ÝßÞw¥§8”næ¾ÙoªòßèìÝïvË^iø—ŒvÊ»© ÎMô#‹óÕ%ò÷̾H·²p$ð¹`q¸^Õè»J“ézŠYæV˜‘cQÞ}p2«<¨KfÊz É…µ‰Òe9 „'3w¾ŽÉÿ‡7OBé©„ã“Y ž“Xòx½Cñ]Ub—Õ´ˆóíLw«¥NC¸IÒØNË,H‰ç_Kêv%Û[ãýÊ2DÇ w%_É"Ø­”Wࣖ ¨Ê-9©ÝhÙ³g{¸n±‡Y±½ªÚ.WÔµWU×劚–ÖÄ2DuUK«*-¥×U~tS(fžÐ`Ïpá§RéoLÕ--“0‰éçîWØN¼Àx­U"+}UBñnA•©Y²œÏÝ4^ÞJ{ò† é^™2]\Õ¬¬.-3…KW˜Âѵ…;Þ@Vþ4%Œ›½ïÊé1]2‰_ªÎ^ØR˜*“«›K¿Ìä*E¾)ñÑ{»UÒ¶Rh²zÿ¤*"¹Á¹ŽÕP¶‘’Ï¿½*«óåBѾ¹¼|õd‡U­c|*Q\Bª¦¹Ôn…_Ù7%g®xeÄ)St^•Y§˜¹¯ÔvwE›ÿ¼ºÿ—-ÈÉÞöNs²xï¥‰Ä ±Ukþªö-ñVi~K¹êé©*x½ÿ¨ìòÄþ£æµS2Ê×Oðêuµ Jx@,SÔÝ”ž£¬:_»!×>|e§„%æ«<3hÜòÚõ}Ã;_èá›ÿè êŽç*¸wré°ËfÛçr^b뇅ª Ý">ºXîCñj€7Wå¶W”Û®,‡SU¢ÌÂ;‚šb1›PÍe2¹AåËDÒתî·ýÀk¾Ï„/jK8Ð÷0&@棟 „F`Ö@l¡#r¬Ÿl ߘo¢çë0ZÀ.Øb[Á”úø6•1gÜ߯“e“[%–yù]¼J®G%,2â¬4îÌà]•ÙEfĈdJ$ülx”’û7 ewµÆ>Ì&»Í=ìà ¢ïQ¡3‰´bÉIÐxÙ³|»ÙÑZA—ªn¿kµŽÏžÌSᔇîi–Iÿ ”È ÖÚÎunç‘ÈaA‰8ù1À½%:á•Ù²C4éVlõÌ;Ûª=?æKÀw<„‹®é:þ¸ O·Üá9äbQe ©¤Ò mÊQeÜ:É"g‡|C‘"Üø±k;˦<Ç1®JGÉÿÿ!Ò;£¤\FLI£tŸ†ÿéj›MÇ›‚Äëßy³åZ›`­dÛRðùÙk{"ó&ìÛÝïãàR:4§Açܰ6u€hôÍÕì`ONé×_¶ð|.²HdÜÔ°ÏlÈ@ôѸ@å};øÎÌ+.¡nªgG¼1‘òè.™åÌá$I~ˆÃ\{Ȇ¾]Ý{)žHràÑë!ì^Œëü*‚Üãg‰üE"çˆâ”'ù†gÒdO _;ç!q* bù(Sõâ#0bÊ“ã*³ÂøzN!³{yª:d¼ |ÑŸ±/¢[ì9Wa˜Ü(·ülƒ#q#ñ \ˆ>£Jh<zVfÏúÎâª'ò~̈Î’ó¤$8@‡ò7$ØØP/uÅ».Ç)À;&3s#®üËg/±3â7¼“™Ë½œ^‹† =c¬… />8(¦Üç†NÈ~›êyÿ¡h½Ǥ™‹ž¢ȇMiš1SšfˆcÄn¢+&3®lsäJ¢â\Š^°qŸY’|vËœj$ĉg6 ‚XFŽËn®ñ´ì%¾„É¥—Êø z$ÇF™ûäˆE\èãG¨îF%ò¾¦—æÆ?Lþ•Ùþ\®Z&ÃÕË»ÈÏ[M ² ü…ÈŒ±`Ô…ˆìxIq§s› :²ÛÁÍ>ÿ<樌ѳLüen .—¢3Û»d„‰l@ a‰(Š8ba¤^œ²+qt¬1w9^™»jã»eÛãÝüwáA½Šå¤¶K“ö+Veé¤á=Ò+ìàš2ÔPCKXÍ>@†ŠR:[ÃÑ-øúAÜoD 2I’hÈëüêɓ؜á¯] ò ‘™Ñb*ˆ4±?üé;sщI3Ë«y-8€©'b±Ì/ňæs¼ÎqóËÆ@¬ ÈðOªG 3&SÃPËT#ïê**95æ-݇RÉŽîæKï¯Qz_–ÞÓJ :${ǯÏNå@Ë·,ƒf‡“<ÎØXzËJM€Ÿpµrô®}Ö?)Ö8u/UzfÊËÇeì±—9ÿÏœr4Ñe§€_Õˆ-}™]ç™!óo“«nœJ:Ÿ&û®Ǽçí’੯ɮ•¿gµ›}̺ÏŠ?Ýį„‹ƒÄPXJd‚µhåÒÓ-˜€™þ‰M6Ö¼>¼†°’FÙDe§M`©Rqa$³‰[}édèK+{å%–UeDYŠñ6¦Ø$543±ŽFÖ(ÕL 2WòåF^¦{­nv<Õ,¿‚Ñ”w0šæŒÜE f³E?+ÍWóЕèEa?1ï’›çd^¯‘|¡ùU* ÆZ1Æ$ähÌoÞ·D„½ÌÇ,|4i•£Íýäq‚¼†bGH˜ð&ë+s0¤Ù-ºèbÜ/DزRÁð€…1ÆI¼…Ö.\-Ò® 3xåÂ6[ãE»Aê/18d”X賋*á£P8¸^¬Å¼…ôˆ¢,sØk{¹UPd[a"C—9 Š„@‘xOÃT†s§â÷cŒÌëqÚ4^fÜņÌvƒ%èzÕ˜ Ü6"¸*†÷¦X ÃQ‰ù@ïh£“Z‹OmtÌ_/’á‘õj@\Ç ?vQ_Ô²ôÀÔ e^a4vŠJŸxS ®â]CC9ºÚí5à!ÕA^“î¼À½Âx»:AÞa˜ÒV­R‘—°çÒFÑ„&Z”%oÂ^Æ¢Ý$ãí´v•פù&_i”Ø$Ó×Ä{ÙV¤œ{i>õ¤O œ]•p£[l“ò9[ü$=ô•€“ûÊ?í—)ÐÓ‘;aoÑ®µ‰Ú Ð&^¶Ä)DÃ8}þ"ÅCC†!ü÷Éשּׁy¨y¾ÿdS¸­RÔŽ¤\ý * zðµhmë„I£ÌˆƒàSܶ’yš»QÙ@S´?³PþcI)ºjP6Λh€Ž±fi¤Gjœù$ƒÆi Ð?¨ãR+úll™¯ÉÍ’qÙií¨ZGjkeœÐ&³Û*À¾¨OÞh®FIm~›|¸¥66Á~«¯×®b”ƒßÍ\\¼ü×ðÒ«ø2‹E ›úEyÑA"‰tȼ) n¢µ¿ §y›ºo™Mí’e K·‰a¥®ß§§ O§ZãD$Ã2–†ÝÙÎŒ™ÄEùE\¢1‹ÀVPÕm,}T_5K?Å4kzWRK.К¨ä©ÆàÐ¥¿Œw¹JŒTù ØdÛîÒTg[E–zSx})û’LÕü¢.7KgCÓ2¶pSÅ…,ޝô*.Ì4¤oqñªè&Êž™É–ñ&H³¥èd­‘ÝŸ×Æ›.ß–q…%“x¢‰WÁÑ®w=ððŽÛÞ4ñYÐoY#`T ƒTâ`²C"ÙyãK*â‡ScMkYjÌ#½'¯Õ'gÚ)¢y-ð ©2%EÆ í·”@Ê !ÉšyødVå@µü?IIoäâSt•käæÁ×Mõ´öÆwòH¡¾³âoEåˆ'û®ŒdU¦bg„—3•ƒŽŒÎTÿNgÆwy_eáƒ#O`ÔAùL߸jØ2A¿*‡Œø—M2âSy¤ÀX£ü(Aj’l¯¤JÚùÑ’gØÙ¼Ì“[§%Ó!óóS€w7I/ƒ#îØg}. µ²û55yko$Äj{pa>Øø»~&\R5‡(u!I9¦˜ò(.¡Þ#y I.IO­ºí8ÍY^Z÷¯c´®žx¾K ‰u]7Aˆ@ê â‚zÃãô©µA¾‚1åÅý 3Çá`–¯Ÿ.›_oïÎñ'— :9¨hkùóïß÷77Ÿ+ýðÀlø~3™ýáus¾ýøÑ#üÝ{¼»­ÿâãÃG»{ÙÙ{¸·ÿðáîCxÞÞÙÙ~´÷ë¿j ¹3Ûê÷¿äï«/Œ¼àA2ƒÕ'PÀjª'5ÓØ©<Ç^”n¡˜â©CQ«q¢PO¾ØÝÞÙkîì6wµv÷žY_YƒƒZMȘaìM1R*Ú`ìõŸwvz¬úÜK,RÏÀ ‰‡­dÖØžË¯í €»¾k#-ô±oÕoÆX#Å€4JýRûJF˘ìSiò½1p•n«öd:PŸê kç»ïZ?Cb„1^”¤<çn<‡M‹!'¤‘--£ u- OŒÉ`rfƒlAEhª‡çOP ¡6¦f8RÑ $œÐ ûcO’pìÙñÕ Ç TÞ°² ‡=±êȶmôE R…ÊqºÃ¸àWùQ9£DÇÞ¡ 5æØ_8ØùÙ÷`&¸/ Oµ`eO´Ü²æ¡ãMð×¥ÎE‹‘ï%³- vq'$&˜HcJ\éƒh j¤†­JIÙBÁ»†8FÐ1TTóõ Å臘0YÄTëR)'„¡£Z)Þ)Š\c¶>ÙÀíN(Ii¥á°ÉÐbÁC£–)›bñ)™ár¹bäÿ˜­õ*Æ6 “ý#ñ¢i Všï-ãÙàM×ꟽ¼íôºÖQß:ïýttØ=´6:}xߨ²Þ Þœ] ,ÈÑëœ~±Î^YpøÇ£ÓÃ-«ûóy¯Ûï[g=vtr~|Ô…Ô£Óƒã‹Ã£Ó×ÖK(yz6°ŽNŽvpFU `GÝ>‚;éöÞÀkçåÑñÑàT)¾:œ"ÜWg=«cwzƒ£ƒ‹ãNÏ:¿èŸõ»Ð„C|ztúªõtOº§´>…D«û¼Yý7ãc¬ ÀÁÚ9;ퟔ‹ëešÓyyÜeèЗƒãÎÑÉ–uØ9鼯&õ¬3(×£lÜ$ëí›.%¸Î©Õ9bëò ¯[йÞ@~{ÔïnYÞQÇáUï *Àq„gËvš8  ÇÙœȆïýnÖ¢Ãnçàõ€ž™g³KÖh°hÙp3y"Tbüa-1…\ø “]µ†á嬅 o¶”5õÒÖÇl?ªWZ,@CY ÈiûPUÉ\D šDÒ§‰jK&D±‡Z§cKCu H½‚ÒÄbíÉ–6‰k[̩ψ+ýWHå‚©›(õ,’'²OTˆÄØbuž ±èq•”ÂHôˆè[ï$5ŠÝ‰Ç0!ª3z¾ÅÇ 8R÷çö¥{ßòæÔ„#^ørsÇ.ë­mn°½>)ok”ÇCר:g³jš,2ƒÅ"bêL8HFê¡ÅœRì¿ì*¸rDÑ6-9²H²°FøÌ‘?j©=zqÿ‹ûµÀq¿v¿vôªÿbú©÷·Ì¾›Z‡gG ¯±×ÈÙo°n?IõÁhNè¥/îýCæo~¤”¡{ãŽ!ŸŸ6ñå#B>_¤„[£$ô^óøpÌ>€ÙBå<Ÿ%ÌÜ9æ†äØ‚®ÏžáŽ®¹Á•r),€H¶¤ãÙ4F'S¨öàÍëÞ95‡R?ÂGØ=ÔÇ“³CñRñ#5êãÙÛSñRáã\= çP¥ŠDH›_:^,’O~<<êÑJ…WòËOœ|õ±ÏEZï„ÒâùÇîevÐ;bð” C…‰w3$/Ø 7ñYçx«[ ¤0aú äÅøŒçÎ  |º§†…Ç€¾Î¯è·šˆo÷¸©Vs²Á-¤¬µ$¿¨9I ÿxñ˜zã‡nqÃ0ò:}1±ñ´ÍK†)2'ie`× ãå èV˜½¬Õ‰ y7~­]àÃSëÞ¶õîì©åo­VËz×üfõ{¯Ž€”öø[C§Mq!«ÈÕÇg˜‹îê_*ò6Ó,‹^°*»£²q¾ÚÓœX(w2Ï¢Z KG4¶%sî"§ÿíÅŽÈŒ‹XÖM%d‹T™‡)!"/®Ñ€Zí,\Y°4›3×蘣ȷ—¼h)+E™¼%óÊ~•W&xÁ$Ô²CþæØÒþêÞ4ûøå@ÿ"iÝÅ• ŒPU\¬õH·-ðm/äè™¹óÆ‚ ôÐ?¡…ã¬ý‰ŽK¬A¾ëqmGÃ|¤»Ä§b÷šSëuïìâœËßS"·Lh ¡ŒThn}èZªX"e…0#• qËîeeA)+ƒ©L¢wîžZ÷ù2”WÇO5º^`b äè0cÁìD&B`![º«õsÛ5 *ëhhŒ=Ç<Ç+€„lŠÐZŠªZŠ„Z‚bZL#-E-¦Pž Ÿ¥] 6 »PåŒ[ͽ¯ÐvËÚ~ûäfﲿ„ºãÆ›åg™r'®úì4,I¢Œô)“„qCÃ{»59ŽÉÌ›¤ª­­†EÚ®{D¯6žÑ±îýUåš7ˆ&¿¸·«Àpë‰R‹ðßæ}ë>mà&¼!a/¦§û›üñþ_Åï»û›š>Í¢%ÛO,ÛH`O¹ª mŒìd U ¨½+ïkˆ£#6† ­«G'iXjÈpZ}N³¦—ï¶m/•Iî&Ú0¢y0Ÿ n1ã¡CVw”cL÷Mî#æÜ'ºÅì( æ „ñJÒ§B7gƒƒÏ¾øµþkãËߪ­2ûz#7hTtÌ 2d´VáÓ6P]¯Q‚ZÍ×¥ja¼TŸ7%Òþ8±c"„B†[}fÀTï¸.O‰j¥ÚFé–(qý!X÷½¶¼¤ãΣtù”¯ç0› é*Ý`T¡¤\Á ÌÜ$ ˆæ÷Úäš¶2å¡4˜ý·Q£/2ás©KeY—ªˆ5G«-Rîï¸æýCÙ2ÐäJ/@Ã1¶²i/Çc# +ö#abâ}MDn:÷•/ñƒ1ˆÄÕ103;Ši )YXiÂl_Ç`,JÕoÝ-ï•>Sh±õÏrÂÆ½RZ»a½°x?ÑFù\Jfƒ'¿?µŽäç2J ¡ÅI(ï±Ü‹ûu¦ñ±›6$½‡çû%íÈÚ€—;»ß=ƒöp‘ ªKû¸·­Ü5?>Ü1Jîå¾î_Õh:Q °˜ÛÉ%Þð¶¹óŠÜ@§æQ"ôaˆgÂnLVÀr$Œo€’^ápŸØ€û@Ð~_ÀØ%ÖV°àí‚ÎüèÎ`ºݪ•ñK@¦`«™Ó}[¼§ðµ^y›û» ©Õ0"{bMm‚ø«}ØÝUÛF ùMr$ÆTIÆÄ ËZ ñÙ0¾~!ç…Úâ×û_[»ÛÛ÷ÅA|¬¬wo" &õûÖãÇ­¦èæ×ºl¶î7î[÷¬¿ËnüKºµø6¾®l&5+kJÆ n#9Lâq(ýçÑMžj¦X{“^¢žh%üdM(ìöE"ˆš ,$_Pk‚+šÞ¹¤ ðeCË5D³ÕEòâÞ_kbäþ½µ="gØ%b[aG¸3b×q-i§^YˆØ'¬ GRr°øš2_HÍmê’š£Ž¡¤±Kœ‚¿Œl ‚jªó),DQg#ÛHAhå)à1(o(NEPEL«¢ˆXºbþñ’t!¬ö‚ »•ΰ”mWEb+fZ€–su4)ð>ñ w)¶[ÊöGDÞg0ب„DS‘l|pA—•3š¹Ä‰a¡1V"•ÙGùuÅfŲ¹+ö"­+e}~Eç‘?1H~ð÷¬?: à©ÿ»QJ.†íZŽŽ ‡Daì´,\¾¾JWX¶g¿!*‡a=±–sˆŒ¬Ðê,€}lkãÆäDÓ•fŒØýû M’<àÝŒ®SÎ]Çú%dŸq•Q†Ý÷?VPeKœdKƒ5RŒïˆó*v]TÎKÖé>‚Qiç»ï7w¶›»O²¢bG Ÿ¿çDTIÞ[÷x/6DÕ•Û¡Ð-¼ÛÝÛüÿÛ°Ä2m§Mšµ¬Öæö»íÝßð? ¿­ü³Y>ÛGeUúnÊz~ÞòD?¾µvw­_¼nƒü•öAø÷á6dTi»Û«K`#¿‘ùïFO7ËÆbk6¯óâ½6Ão‘Ýi:JKÇjîµ&CªƒÀZåC¨çu\Ѥ­ØJSwOkO–õ¶NfÒ75ç´gg}з}#§J•dÿôó^t&>–`á&:Òy„H†ó_‚Àœõ~溭f„Ò¬°o¯o¬‘O±;µcÇGöVÏïz90äð) V\i$xÔ¹¥ßX{ÛÛ ¢-ZŒo°o±üÇàäüð¨×| Ñ´ã^¯szxvÒ¼wÏ̼ô}ä¥ïýõ™ϱ›÷ÊgC=_þýǽz,|_çóAú1¬‹öëX›tý‘Ú»c‘‰ùl‚q¤›M½! +«šòÍŽÙ §Š·À>”ºþQh“Ó™;¾$Þˆg<›-Áëñ”5ç­òòoΛ?[;;­Ý=âzd¿õH¢Î\aϤ¨i…q9 b1›(Y‡@3D­È¦#m¹’š'·´`?¯h—ıýÖN±)òèX!Ü54µz 4?úÎP ØßýÄjúN†!/+ÂKO/h®@íÏù+ü5ÿ£Pºðz¼½m }±T³¬Ô£GU¥ 3‘ˆòïH<Ë0Ï:2|reV˜ÃZâLÿQ^¿> Ã5ÇÒ’L˜^y/3e¸³QVúcíÖ$º§“ѧ¹ Š'SÇ4ÕÃTÜ›¤œQSháÐÌ‹ßàŸ™§bcq^pAóÈw•=WÒ*mÈYi=€ š:íª­èC i¹TWp nY|75˜îºÉUÒÀ{ÊÐà6 h2 Lìižžf,m-ããs‡ûMì9Þxᇋ„Œ¹JúAË¿0ž£ÄFoKÁÓ6(lñäé¶å,È|ƶb{ìf*±–%Q´~“ 22Ef6¨s§+Ÿx§A’+%R› §‰w¹Â–ì“ÒIæ(ÇXÁhïâݼ¸ÿà¾6_ïšBòÖ2´ŒxR ¿dé:â]É=øG¼ãëM}Ûœt¹¢‰ºWËóíDƒtÁ˪¸!nòB&àX8RÜkÆÊÿÐ×ûψj({ÁÂÕ îÔ=þ½ç91¤0üµÈˆe-©X´(¨kèþ¬¸ëÖ¥æeÅÆgÌo`géd'ÇR’¤‹xJ¼ùÔ#³ˆk¡§f¡¾U–M²Qä !´”v Šw³Í_ï†ý.&ãïBVÈû€µ¿Š¿û÷L7þ^ØŠ4(¢x.‹q„gL¡¬Fâþ=ä¾N‘5§=šµ=PX($3xzYG—>wjnãñê…µñ«†I¿ê¨¤šÕ€é¬•ͶÀ¬’Ù.àñÌÝÔIhÿmBÎ?4.TGSÅÔzK¥)­ËGÙU³$ó›%9­²äƽ’Þ¨ 5˜/˜ÊFK¯˜Í­ÌŠ9M(~³êõáÔä!í¶°…“§; û9aôã­ö<ÊÊ@¥ï"&µîÝÖxÛ7¾Åsú"êàvŽzßµºÃ? 7«è2s¢¼(Ä*F©ÿD32zjT”~Øž-¨e¿¤I5ÕÇ?uì–Šj¨E¡}ÊMÕ$ƒ².”/p[AÎI`£•‰E3ÃçŸlðÉÖJuá9$°r¾Ê´Œ‚,kadpÁnálÐø†®SÏBºC «í•'øõÚ°©_$5"›é+Rè–õ~Aî/¥—TqÃÅ ½pªìÌ7$­ÐGëºÛZC(Ÿ¼ÜVV§Za™¶FÍë­7 D6—̓-aƒ:âs Ä}DK R^ÊjxüÊ6F Y•øži„¤ÑÜÐw^üýø`Ø9>~q`¡°âøÇbåSÁþ»V.p¯«ÊÑ$V•c&+—ð³uÚË›óôÞîÓ{ŸÞ{ôôÞ~1#ª¶ #Ö¿"ã·z’fú‹TPvCû|OÓÊ^g(SLhûaŽäÑ(1µ´C/¥èf 5\@S×<‰¢–icŠ$Ýb®‹™û-¼¯÷”oÑùž‚ßOe>tWKkßl1.ß4qý %@èZŽàØcKªd'YDdåלÈÎýCc"NAjˆYDDñ…DÅ úˆ¼øŽ0šO“?£EºO—ÃЙð"xªŽŽ @ŽÉá/ß .E·P§‰]×`H:òº¸^'µƒOÄÐCÅ"YOkPŠ÷sŒŠ{ÈHn‰‰GãÚ¨`ŸbXÄ>„kÀF ›C°hÙS KúFO`ò5Žêy6èK…9&“$°‹L§µ<9œÊòÿ£µýR/šþQR]±Ô3ëé3CUñ1ß„ìœ &÷1›(V2"s›òæ„lº°#ít¦?«/#²:ZÞiÉæm~ÅÖô*'žÆGÕ ­3Òší_t'Ù¼™¸Öµäüó&—“?@S!óÅà ô沸éøßyYÝÿÒ6Ìñekü/¹»¿ÿ°âþïîîãGÙý߽ݺÿ»³óçýßÇ߃͚µ©ß{Ó½×&]~-­ŸÝ8¼ 1lqÒî°ƒ¶‘|?T0çÈÀ¤Á›£¾uÒt{Gcãj#Ýlä‹VçeÿìøbÐ=þ/ª;ŽâZc÷!áu=¾Ùˆ5žþB7ò`g`ýrvѳÎÞžZ½£þ²æU÷rÅ5V‹¬[#±‡Š«ÍX–l&ñšîº‰›YæÁ-ããù*Ÿü]qÏ/ ´K ­\;Ðݘeï-ä/ïºff³Smúî%ê.1[³|‡Ö–·USéèŽ@âõi¥êá3<¾ÅªNK˯Äb‡•ù­(ö®ìÔ}0£¹_¶fµãЀd/l•RˆÆá"E‡|dÃ(nô¢%ÍXZÒÀvïÆÂhÇæþºÐeÜúCâûÉtÕ²ìúÍEÛVh3ðsÞX´®?è Ž¬«„Ã×ÃàÒ_v~Ägq_b˜À67 Gï‡Ðþ buÊ5nYâé÷FŒÎ˳Þ`Øé½Þ­oY˜Yæ97¶òÇO­¯ùfþQhºøI”7¶°ÆßÏjk5ª¸®·yS«OklÃÍ•mNA^ÜÒßg8Oâxðƒû;«Üúµ–¢JQ[Óä=@M$ÒÌ]²èÖ²ÊÿD$ù8HãkvÎP®Î_…÷ƹ½DD™Ù±c€ Z¨óÓe„øËnA¡‰^.È·"yOÂu‘,Ä1¤BǵV«Õ°îòÇ úȦº] \¤Õf>–ãšÈ¹vÔ*ÖüÐlbÃØzbP±.&EçL8.GÚ)©b¤.¸Â2‚.9 ºæO«K°ÞÂ0xwb3]šcḣÅtJc¤¡ïÆ6–à‰Çã ':çGr% Œ¶4Lø«V›Zl@¡¹Ölä_Z›3Ö Ïœžá_~EÖ$Å8ÐòSÀÉ×x`‘|x¦,Üê_ÂÒ=àŠò’¡xxÝnYƒÞE·ÑÀar½!*š^Xo{õ:‚kDâBã/¬í†&xàÇ»zóòøÇþßT!´nȧþn®Qã³j~g{ˆFî\u¶ ÉäÓ²¨Ëò˜º#ÔŠÜGs4I!ÊÍ=ÇaE¥mùhì&ö–%o ¨é DAå#¶eÝñO€ÂA:ê_õ`kG‡ÃÎáaoxÖžÓ¸6ô®Ïp `èÎ=èžÕ´x2ÈMÕ¬‘%óMµ»Ô&*Ù»‡”»>Û¢ÆÑDEÙœ6BŽ:¡hcf}ËešßB7u¼Øb}ÿBô‹ƒœ$°"÷ÅÀ -×s9@Ÿ?Éh}I“±¹ðí{`å~>{ùÃË_Ý~V.Ŭ×ÙÔÉjå°P¾o­lªGAïJ¡ÜÖ¤½QùXØC4*™$núÌLŒè­@«Ã£þù1µNž‹Rø*²}k¡†‹_f˜ù;`QÉg'¹ÖÛ 1@¤fòƒÆÐl©ä@ä· ÞyݯiEöT¸L©!¼gO£Ê+–kU-Øü”F°Í­˜RE…Þiä¹Û =ˆh€Üza{ ìéì[:õBÉ[HÀ’ŠLŒ’„‹,Ä>û;æÍ0ÛOBtã¬ôkfq6 ð•%?ùŽ´>ö•/ç²%Œ•­@}^måâ'¶˜¨W±Šu9‡[r6 Sƒóq-¶6QÀ!_K“áŠÎóÉ]½À9ïç\ZÞd£ߌsNY‘?^ÅßÖ¤†hRÃÊ îУ—ì ¤4vW›Ø9±SaÁ–-\±’lŒJ]胃Á(vûfó" ¸lâÆ÷2†Àø 9ME“Ö- :t%K D‚êb¿ œ93¿vű"õcÍ4zJ'QÐõÝ+?Ï2SÝ£0Mù±äÅ4ÕRëø#7K72ÓñüNøþ38Ò²Ud{Õ9î‹|‡¿Ôa°ËKÄúU؉ơï“Ùڀڙݩܰ4.XñæA‘DÏ12ÐUãUxéV#ëúš¶Ì—€ÐYÓM%Ë:±—$™n¸HPëÃJ­<(/`-œ,V—·­°c*“ÉæS)’P=GLJ±U‹]”;äëa, ¡-:ئÜf_|Öžo#I W¸˜Î$Ïà‡×ìeÓq°å‘nÌc(³–šŒ–ío[u ÂÁ@Óé. _1)»×Lgxa•æaì;<ÖmìÏß ž£–_:°,:ÇG¯OÑ×"l;E1ôÎìÅWŠ€H U²I›L‡Áx î ×+Ò*À”_¬©Î2ex%´ž°šWˆ}<ÒL&ÙY=[78!LÅxÖÊK¾9(#†Í«ZïL~I´~j‚Œ’"¼Q£Q|½Q*QL^›ôÆÃ8 ÓªjD£»8bÚªXöÃ8ÃQÚ_>U8÷•YL- Õ9íœ Ï:È% %©úvÒ{tº·Û(Üè³ ¹ºFɃ_^‹¢ZâùA/(Ý©—À²:ËÀžC}oÛxǺÞxV¼êT>6…öic¥w\£ûwÇÀ¨TaŸC4bë7Çfã3 u¦CÉGÅå®wpvxöTÒ9Q—Fc +渱 \:½Òò‚Õ2•ê)]§Å¿Ôe„âøjøMùMpÔ“ÇÖ†æ&^šnØƳ:—#ªqØ:¯û’{Ed•ÎYŽ»§¯ož–ŽžN!›š2xªg¥®.óØ´ªú—Gƒ“Îù]«a½=ëaÿΆ$,Ô Bë7*A€à£3œpÓü[ûC›@]Ù±ž#G ù¶OSë‰GÆ]«fm¾ƒùŒæyïì |,ùŒÏ„Eô3Ç{™~ÒA½§än¡UÔ[@½‚=£\»¬·è4*@­Ñ£.H\/€]wŽ`H4×Ò¬ðø¾d[(.®MšHkS YBñªVÑÿÑ–Q…)%uy¢…œØ0«•7©ºgk·1R[—knÊ®ÈåSÏjíì·{­mŽŠAÁ6ìˆïëûèšÑòÃ` ‰,©}ù…ÌÕIÚdŒ¥ ßq÷ P‡`[‰ 0Ђ«ÅîᡜTkbT¼."µû‹à¬o=lA–™Ä$Ê&FÚ·dç™,Ä¡:Eºe„bî Z#j6k"Òh.™«}ÑJÜ©õÅFêÞ¤ð6õÑÿŤ¤ÎËîq–ù•‹¢ Ò, 6d>ËÈ-’elÔn)ÿ´V^îií‹ÔþbûfÖì—V0|u|Ñ3ùêðìm¿öÅ<¼úâë$Úú:Ü®}‹Ú¯}„Q­´Ùhws}PqàÆf«ŠŸŸêðw¿ø€g-ITûÂvJo>O{ð L5ŸÔ¾ûñ_Ow0û»éöÖtç7ø´-Š„;[Íí›ýí-( NB‚G¡uEä¼AM!°¾ÄËlªãÅ ¾€.ŸZâûOaB·,˜®Ø&,ÉÊ_“n¦Ä£µh´TóÃ0‚î%)´ ù:ñ”ج#*õޏáãy ߃ŽîÔ¾M_`a„µ‘âT›Øü&ûº§Oó…õytß mÁ‰<_4Äá.ä칤‚‚QimYYöÚØþ{ ãúà_G?®ŠÿÄä2‹ÿ´ô{ûÑÿXþ¤ÿÿæùÇ•äÁ~þwvwöÿœÿÿÔü;îðÚ þ¸‹ ·ÜÿØ´ý8Çÿí>ú3þÛôþÇŸW?þ¼úA gu·Ã:é[o½À ¯étLš9äëȵަ—„7ðõçSGòK YeY ·ª‚Œ¸ó% ,‹fê¨,£$AJ ,²vOñ•wåfV‘xÍT\îS臕kQ—èN‰…¡•o"7F£+n€˜û99¦£í¼d8|yÖ;îœ ‡ÆéÆpȇ…ä“£Ó×o÷v1ÏQŒ¯§ƒ|âÁ §dFô><îvN‡Ðá t¢èï– º?ê‡Ý èñ›·§‡êÈá:pž + O–²uîºç[›‰Ô×°väÄM0ìÇËð¦SDz[V²emºs,ÂÔÊê:pÚÅ«:âïäåðè€bÙõ€la4¸bâÙBµrÈëG=wœŠjðÄEœ©’ {Ü9?êžz¿ ’Ÿà ]ýÍÑiÐ9=èZ³#á2fËÒÏc÷J}¨hßñyГ"†x„*%XŸs§? ¯Å€œô_g¾%“)5öà¸ÓïÓ™UàŒ};IèÛÎÁA÷X ygœ¸Á‚(ɨCiÞ|âÌ/²®=Ó¼:Õ{âÀ™²Zõodù2 Eg6ÌR”¸aœuêvø’ð‘jÆ#úyäÅxOË_n‰Ý—V­…«6sV' ¨žƒnà‹8gØ}½ç/ ûL`1"{ìÖ7õ¼†A*¾ýöY®Ôf2™~°;”ú(® ½ÃÁp³ªÏS6K¯”K"eÊ$8úl‰¹ØÂâ+ Æ *ôŠ5OÊrÄ¢’aª/>Ó`ùôH-l赞Cj6¡³Þá0 Ñ5 ©ââúÊS.ÊNae㺹lo¡ÊÉ2‡ÿY†”¸Ya}äÔy/´/Kf«²V±ËöÑFu©·ýáÙO]àœÎÏ»‡Là€ÈBêA‡BömÑ!/·‚ sÅ©+uúíøýÃî«ÎÅñ€zJ9òðè­O.|í9¾o査 “?ZÚ§¡tZ»^~ÑK":àèbU9R#ž@2 ¢é{Á©¥‹Á˜ÙÅ2é£ò ˜—Qœã>3b' g0 Œ“ºU¶¥X¢˜X-@øSdÉ*Ál7Œ=Ú›Ô­/ ê$ÈükÕ-n7dËB0VÃj¼êXª´Q¥N²=X°éxVžAoí|8«äh]ŸÛ k§ì'MóIœXò Ò8ô‰Øc<ÅÃxxLG7qG¾\&|ʼni…=òKc*’ðbKÞ[óÝ@²¹â³:}ùѬè¤s||;óàìäè eÈÖ[\F`@žvæ(m„ı¡ì1&së10–g=ÇVÀ÷ßjˆ‡p¼d ýõëõ Ä>4Þy¿å¯pð`ß·îgvº%† z^„Oš]¯~Lù õ×íûƧ~B|ÛülØsج˜Cý–5N§¶Ë'lììíï|‹‰åÿßD1ÁÐÔ훇Ûkã…CŸ†(@ÑæK{Á³ì7)‚bdÜS‡hh‰´89ôŠÉ2ˆ¿C±›`ìOš›qªìyémãÒÙ Y²ÕÏN_7ŒlêN‡ùÒü|kUç'gÓJôPɬÉy‘µ3ë:<û·5ÃÈH؛堜œtN вYײõº+²Z‰¹ÖWj¢Ö œCÏöélª5¬r“©¢=ÜÇ5š|ÖïU¯S¥ Iø…!ê5]å l>îuûÀäe¨"¥ö:c°¼`×Å’UH"p„-“­õ«W,‡5稵}ê±ò…(ÅØGg‚Ð0×ÎQ)-„™ä,æs6CC–ü¤;èX)#&®E/{rx”/¬ºèi)¶ôº9#™Îö O眇›ÞÝo~_PE0C:FË(@ñƒºps2û.Þ‡Úg¼eåý_úƒîÉðÕÑÏÝÃ᫳ÓAÎd²`·8qS°‚ðM:7óô\$2®Ö†-h˜™'#ú¸ÿÌ[é¼så@â[&ù¬BHyßðÛ·üÖ½ý>°ýc×v¼`šoïM±Òr{¾Ñ&Þl™Ð—Öµ -¦ßM[ZHêôÍKW ¬El&&ØQ}C‘¬­7.¢EŠ*5¾ÿÚRÖÐʺßt9xyvQZ9ª7˜Ç¶ÕP°r ¾<ûy•BÍÒÏŸõyFXSŒäþJέtŠeÞ™]c’ ]?€mº ÜMYªªoâŒáÒ]&O­ÿ}Y§}ÍúßWuÚôàé¼¾ˆàç´î„×Aã×`£ÔEà„ジ7t /oáù^úô‘3ˆ€tãå’ …o½wÁo«à Âr p?Å‹©®UO\;iÇ“±|;&Ù~Ìñãg3Ï‚8³¯‚€ 6y»îYº³_ €ça’âX)%YŽ áaœìí' Þ ñJ\}ÍÚˆý}Zà_¢k±suÖ(Jÿ?â¡>—ãÍk`¨YyLưŠŠ-«0È/Kñ¢ˆ±äqƒn @yîoHòÐKÑ µâ1Í[£âîUX±}-qèç^¹C¡4ÀäºW.[f /yDu ¬¼Œ¦1+=WY]Ú*¹,®æ[î|ä:h!ƒä2©¼!¦«tÑuˆ¦Úe5êïV5õÃ¥§†uߺ¿u—›PçH°<šÔ¢•M’JÍ9õä-Ò‹<ÿü§%¤Êk†Ù‘ƉÏÝy/¿Dòj\ïUùɤ¤×=´z¯_Öw=ÚÚÞÚnÔÊà÷ÝôååI踴ÏÎ;ÿS±õaN3BZ"í2áw¾³ž°ÉÇ=¼QÂÈqàþ)Žnª:uAw;T•ZhDžôw 3·O>Õ¸Å'•S´¢B¼U(Ê" ¬ÉåÞ¡‘Œè¢…õ[qÑœ´A¯sŠWT€ßXsæ3ªÑTbø¿s‚Db` Gê&—E±©Õ|B7pnÝ;Ku´;›vN·vèN˜·@5šV‰Ô)Õ˜”¨¤Rcõ€$à?ËÞÄ‘:©zÑߨ_IÍJt_ªËeq¤;ϲ±“øÚñ…!ƒ6Š’ñÇj岨 Ð…„[`}êª^íµÊ7KDzS–×êôÛ-6;ÔÍÉjI§Çµ~°8[òHæ™î·BqôèXÅ&5¿L1¬*_ˆ¢²ø-q1º‡8'"sÆö æö{v¢| Gqƒ9_Çñ›U`:pMoêCø ^eH'²lYÒ9ŒãW2Þ–K6ÂàA_xnj Є#ë€,kÐ>É\ã5":F›…Eà±/‡‘ z”j®&¾¥6]Øds+Ü/‡Ë.(Y¨0ÂÚA|I昘ø—ÿÖ¿öÿ³ýÿöþ^!þlêþ´ÿÿÓþÿOûÿÿ¼ý¿ÅFáxWQ˜‚s•Ê¢\sÒ¥€«‹º›keìgƒ7Ýi‰ nßìlog_ M%~ÝÕ¿jêI.û¾fŸ3dêã?ß@–ɤA½8éž^<µ»dò/ H5b¿óSW§òu³ßZo{Gƒn£PÕF9­sä³Q/ t†•v‹¤¦­¼À^£f”ÀfŸ£@½ }оµò=ÃÜ"‹scÛ»ÈÅyÄK+Ç3‹ŸYQŒ3 æº],XÞÓ\GKšYÒ·ãî«ÁÊB˜¡X¬wôúÍ`U1ÊP,÷²K_öKÆCšùWŽG÷ÿcïÝ›8’½áóïúS & daB²³¯±èÄ·#Él6;g,ì ҌΌ„ídy>û[—¾OÏH&lvŸóÀfÁžéékuuUuÕ¯=]¤u®ë"ß”>œœÖ7€Z×h/ÊX ³nPÌã±­V¸ÒÿL×ù ô,ÜVFÉ4N ^€A‚ÃÃ)"c!Y|4ÄR¶Ê™OPæjÉQù<¦„ƒ£z;0?ÆË7XO³ó@‹¾ äeŠò”ã²Ü½öÐMÞŒ”GóÔ4³1V’|mÕkF½¥†d#xúP‘UN'ƒ<µ‡|ȰíÐk0$ª@íu,<‘ƒä>œm\õ­½ìITÕ‹'p”ãÁŽkÙ^ª ±ÞgÝb‡¯Y½½©ï7(¢8M‹iÚ òì Z;›aÞ`2ÉÀø|Es4š·Úº=ãÒ í µt®ã!J˜|€¼¸UÂÙÕ‘°¤Ê%ÑC J‚ÌÑ Êûå+TžVªJ A ï5UC–«q[¾ Â_¬¦‘“>‚Æ3Ä&%ÐS‰Éú!Ö*èÓ"OIšL¦kºõ’ C,$ÿúΜ^ÞÂÉWˆ`yßeìž*¶|kéäIÐ „ƒ‚‰rÊÿ|;p3QUC‚°*½ûìËg@Û8(&‘çmÚ¶Û¨¬má@0Mβ!ˆ¶îý|ù³šþ?âOŸ `Iü?(þ›.þÓÖãÍ/úÿ¿Pÿü%ÿã#€ÎÿØãÔ¦ f4/‚".…“Ïžó¾‡n=Ì1ݘûp”dåg“䜢؉’G>Ä9"å‚01›Äs‘@ˆCÊà ßóqÐïSB" L$*OË8¾"(stì,ä·â³ ·/ÚÁ¦zÙ¸·j9:yHð8û”C™ïâ #m_Ã$Yï5§­2lP„7+q~ Æ„'9†ç#8òZÁú«½îaçàYðuñ·t½%ºÙÜÁæè̇^ew½1ØwƒEvÓ½3(,¹ý$ÉÞ~»$Çóáeù1^dÃŒ{_ @v]~C’ó8?(¤~–·)†g$"ƒP8N9 f¨x ×1"yíBwFú1^ûIèÆ­ÇM1±ëçÑH|`©u#m 5<ž>y°GÕÃ-7 (q/ØjV"~±Ýûç÷í¡ó¦ ‘×N-ùZG·bÌTÇðԎncXßFUÍ[ ŠŒÖ$ àɤ[®Ò¦ê‰®ëYP±P¢DÍĸ’#B9 ô7/Iá¼–®(úÎëÑùz)€J}u£FÚ fâ:OÕ6ŒæëÖµAC×Hô®st:øQÌ*®8 _W×2 ñ•îöÃþ ×=~ݸnªz€½äsfs»(;\dA>`ÖO†Ó4ÀXq´öŒã,˾‰»Äuéñ œ“¶Ø9iëiÉ3©b&>ú¦i}höK¹þ\S¶¶¿S›Î踘_ªñþSîȪdcßàÅÖÝØjIÆÑâ.Ÿ„¯Ž[Cpw°¹RT¡L7c J3 èµhŽì¹µßûzÏßlPhÌZÙ}Ñ$…Û6lÞIJ²’MÚÊZc6F>ï$ˆ\:´Si6BÄh.汈wz#^„³ÃÈ ®Ç­à“Èoì)ã²zk ËFݦ¸ùý›4p ²º]¡:em ÿøž´‚ïþýÆGŸkˆb‹âæú7èùð–CTìé<š sDãúÿmöô¿x×ZÃ#X¥6(H@±Ç¤šECÓÉ꬙EV٬ɔ —B’+­¸ê& h‰í®&†8È#„B}”‰Ã ¢2[ÔàçóÔ ”ê4Á$DâZF~‰‰Ô´ q¬×Ur¡* '3éÉÞpÎkKÚ¨[……#mØ.•J`õš9WñXR„Tª2¸ZR3v¤†çp¿ÉWþˆÊŒH®bžX¿±¤UB9ÖÒê]íñúêx勉ÅZõ¼˜oµçÓÙzÀy3aÓÂL㻇°dcºÎÉçÑy2Iæ72AY϶ªg›êáuOYè‹!|xq™üò~2M³ÙÿäÅ|ñáêúæ×Í­íÇO¾yúíw^ß±Åêõß>š­àªˆ”Šxq<[¿lE-üûÿÞáÊ”Õ7­›fKÞ¬üjI[7ø?—a#{¸jýêðõ^@U'ðUžiîR’t77—‰ºêÊç£Ý½ÊÄ¥ð_K<‹Š»«ì¡SêȯâI“ì`à?/Ìêê¶½U™#²*‚5lb*?o]WèÖú”ªîÎ³ŠÆ¦oœÍà¼eʇϯðë]ók|ï°9ÕþlŽé‹ÎÉ+{íá¥ç»ñp’q£ü ¿p¾º-÷1?·Î:(£*9#„<´ÿQ·×Å––§‡}áQ‚{ä+"õë¯úüį$w®¦•òv ïV¢3S€MýÍæƒÇOn·‚ÇO›Hÿ\­+ Põâ¶7ÙÖù 3x®ú¹ŽcÉŸ¹søkiÃIôëMëXi"^ñD¤\HÇã8/OÅ% d„û¾Ou<þÖa.—¹èe°Uõ9RdØÁÏ¿«ü¼¼Ksñ½IÌÝý\Û–]Y®k“u!뺩àtOn§Óûvë¶w·:Ë·nå" Ãÿ|}z†k:™S÷ÝQçY@Ï)3@Dxƒ˜ðò†qõÈ”OfÑíäñdQ\âN¶ ;íëÄqï¸þ§òŽíò„¹„¿½„sl×pŽíÇõíÇõçbpœ"ëøTÆaÈþáSþ¦jÚn9•M.]Ȭٜí;‹Û©Cb RÌ×+:Ç2^ítpc¤¤mµÖÿqU¿qz3¯aKüõ&~­¥¾¥õl¯TÏõº&¾ã“Aøêäìø éUeº×ÔýÂ[cUMJ¸IëŸ$v’Ô ›Q¤µ¡KÚ¯˜ç×5Ï–b9uåMÛð«PªÌižáÅ!]ÃáE#ïFªG)2¨ÿÁ‡ C±yOm\ÒvªŠýê)öz?¼ɆeL.exÅlÁ!d'¿ÂÖ(ç=£Q"/bdÒð¤f,DL´fN‡®D£‹8²›.N)µ’r֖⦘ÇӢРÚI[´:nhe°ºñVÈü/ÈßÚN¨ÆKà·œè»Ié}O ôƒ™Ò•åsÆâÝj¶@^)&ßò)]™½Ýëw_? x@%±"X×qÞ½£ß.þ¶­lÛ­ˆ˜ª«<š…DUD±3o!Z¬J^…“”ç(¿(v”'É"ÉÞÀ2-Q‰º8€rD]²1Ù~ B%pH6Œ'"dL6euZNkwÁ˜•~ÿe»ãVð‰c°Áà…<â@¾£Õjb¼[c§¬”›F:¦ÛPÛ’T.ÛíÍ6è娇S„Ó]ÓBõ÷Ã:½¦k:a°øðí~§©E¢ÐljÏò Ð+ Ýj÷;:°P÷+ôO{ÝãÁ« O åþðò”ªØÓI’+?Qí’Ò]ýç ãQ\\ãj#‡X§Ò•œ™ÁŽŽc~°ýÓö榀ƒäüM°ä"¨‘OFŒ£nÐMù‚­F´Ÿ¢í{\5ìί¿mo¿žà•ùãöÖ“­oþü £Óh_[q@‰%¨–ïá@W À ¬Xí¾Š.²lìV4á5å='oyx0¾âëËôëá×Åz‹ :ðï=ØL÷¯ïÛ_¹k[›+v»~´Ñ9k ²ÖÚ[Ç{±|ÀOLõÅ0M­ïÔ]ÂÞîqÍ\n¼øzck{³ýíwùò±7OVš¹Ç¶Âclǰh¼»Í° ÙXþÞ´ºSPwÖ– I[BòuSj?f’tn_Ž\µ]jª¶B¥NÉíëtuU©ÓKJªø2*úÆíX{ÏÑ)™ ËôÅO~þiü3Ö6]cM ±>kÅMýŽQÄ>ÚàlÏóVP[ØW¡8(§Q’ZF^&‰Á›îñ÷á¾ZQútÉ|Æ‚‚=Ëv’†º, µi5L+%„s.»EX4ÉÂ™Žƒgç˜"˜//ж€_ÓyÌÓlkyÇtÑ0 ;¸ùH´jÞX»Ë±Þ?Ûßït:ºÃÿåã'à•â?_î¯åþ¿Oðãÿ»õôÛ§_ü¿øÿ~ñÿý7J¶GN­˜²7A/Û)^¥ŽI±P–Ò ~!s‚¡¯,hédg ÚŸQX%NÈH¬ ÎѬËП³”ž@eðw¦Ÿ÷•'íN‡KLK jõW8f²Ýd‹€í Ø*&Ä!ÓãÓEš\7U]Jä9ŠÞ£U æS”‘§f#»«gÆšç9“O[WÔæ†ö‘üŠ R0I¾±“ÅN½;Wøl|  1ÜQQ‘á}4f×ãë¼^‡Áåż©çb`d‘)¼ûèlÿ Lê:aÍcUM. §óË©js`ŒÖ •cB§l»’twËè1JèËj@?¹2‘=gqžÍæ ôDº‘{\»ËžÝÒ -Ä×AkX™° wS~’á©G{û DŸôߨiªÁáüf‹|hcLÜûÙRÀ­–®Iyeœ,p2Xj¬2_œô‘mÁ$o=mWñ}4~¡Ý øÕU$J´=òˆ¶/¦Á‹¡dDy´ñkWzšŠ<õCiì¦9DôP§ó'ªsª*çª3ò•óÕ/cñØÈ=w7žÝS+ÝT az©³´È&´ØˆgÀ„Oq )“‰êF Âh4ÝÐwh¾ü<ÍÒ‰ïi<¼Ì€Š‡°AQîmì‡Ç'ý7'èž"ké“!AÚŸì¿ìuö¾¯ü$Çp _–›F£á%žè³Åõ4øÑ-‚ФX)6˜Ð­gÜØªl‰J£Í(½YYšŒ¤ 8Ì&ðæÏ¾¾Á CDGà¨Cþ©j.&ù<‹³ 67œàU¸`ÑôFÍ„,¢ (çkÆ}ÜþÆ}NHeßm*›APDBi>‡£š4XX1‰ãó°»·è+¶Í]uØ–™Qq¹“³Axò vØÑIïGäà¿INäùS²N[°{¤6Õ|M\ùqM‘2Ð&ãn&‰C‹.¦çxJd:Ú|ÍfxJb$-ªC0œ,ÀØã¼-Bj(ÎÑ•Áy Çì$.VA«2Y2{dZ v-†sèUE³^<v{ÅnøýC'Å說P4‹?$ÙJ|„ßÌ Æ²c šŽBéJТi ñFi /:r‹ìtïM‚9âot÷Ø~Žî 2ÌÝê˜QÞìÙKEÇp¢wJá¸ì‡‚‚Š¡Ûåzš]­c—pT—\/ JüíŠ]!©G"YÈŽ}Á´»KÅ6^Ø=Vf1»âã2̈O%&qÝ6—QF~Œ?s· &¸¬-¨­àk‡$ƒÊjð~éVÐlþÍMz5±ÕÆdgO'5HìC¨-šƒzÉnQsšßª*Ðgfù‚' .\^Åí½ öNÃ~÷¯àñ&‚åÔLÀ§&r„Îè*`#dRW–vxlléßOŽ;ÁF°Mߤq< µÌI“K;#ú mªœ‚ʨC¨hƒJŠÚ‹B«½·{®z-’ÁáÕbï+ 5°`yf³"è#÷@¤ÂñD³#y© ~)‚A‚Ýhy(dƒ²¿°Ib˜Ñëƒ,¯a‹Úìýî'ÒÞØ0î çb´ò-oª(Ý pq>H9i`—‹ q%¬y2F^NŠ,ˆÆãx8Ç+ݪ–‚k$õLZ΢hë6ÈäZöˆõ-!Ý JJ5&O:Þûö÷£Öû§–Š™ñm¨˜«òÜlsCÈ Å; Qº¶F¥FºÃêk!­/_ïcF¤°?8éuH’>èö?6îA /ä7-ª×ÈSè%uXã[êµLœ¶7É£™¨âF-•Š’uR,}b––0¯áÂHŽ;o¥Ó´éU°&â,uÑ…E]M[ä1Â5ÝE±kqÁ¦Ao¢UÙ=¹È:]Wé=3%ˆnúè³jÍDe溉Zš;kå.Šï¬UQêG¨$òÜ)†'a{†ˆ3¿°©ŠSg-°ÔÑ/  K¼y!èð7{Á&4BaÒ¨œÎ£÷qŠÊæ¦h®íîqÕ·ÂñÓÁåJ¨Ž ÚK.ÚÖ7{¤·7N(Ï£v/‘â¸t˜A|–ÑY Uœ)üö‹%áÁì,e8kFNØ“®Ù]eö‘àñØÄC'ÏÉd]/¦ÿù/6k#j1šJ ~ÁzwœÓBÝl^ærOз­àþßÒûM›ÅQù]SÛØ’ñ¨ Ç»Ê:d\^ùðá/0)žó¬©¸Æ/ÔrxR‰gŠJ |÷ÊÁXà/Êna¢&c”x ¹Sþö9MàC¤‡‡?ÀÀF±¦’ÆXœ l¬a>رÒÒŒò72è'LvñQÜSÉÛÀHv¹§ù›|?ó2JU§+¡ëéÁüÚ6×qÀù‹f¹.u–‘ü¯aØ_pöòåIïsE¿î4TÿôNA•áN9ã­Ð$*øl]”×VÏ>k.²a½£x `Ê¢0·mïj=C>%ÇËÅÕj§TÐFmlÄyž }ä“<›å ŠáÈ.Ñ~~+ÃÀ ò©HéjÀÑ o¶Âô\’PƒëŽÇ*YŸì¢°îàµKŒX4‘)%ÎæÚY<ÓZRPh¿DÆ¡“Ç6ÌïH?,ÕtN É^ø/sù¸Ê$q‘gEaxõ‹[8e(èì|qñÌÔ9:qW pc %ð O’ι…¶;—}ŽwAñâ °ØxEP:§ðÐJ~F[]éÔ"“g‚¯w ëåŽ|¾iVTå«“^€Q¤E 7'À'J¨¶ßŽ%ÁÌÉ;ôæhÑ–ÞiùwÑä¨ »¶»pUÆ=eZvŠ{ŽÂ QXãCÜO…áû*­Ê¶mn¿LS ~®©®+´ ¼˜¡K\ƒÁPâeðsÁêaê“êÒ²dP>®É‰ÐF&kÏÅ]×Eò!N½²o`ó_…nI}fbjM-¼Žk³ü"‡°:lm(Q0}+dý‡4âz”¼¹Œ©ql„œÄN•d»0íQ¢{1Q´&;ÃáOZžL82ØGè˲(fTHŸ¬Pê̦PÎÂ’ü#Ñp„RÏq÷Mä©fÈXåIÂ,ÊíS|äOxw=W*b0ËJ×씆¦ýXó-[ÎWf¶‡ÌÈš† ó•Ô€s™¬P¥äU0ϱx$.O¾9C¦ãš•0Û$V%r© [`³©Ù½Þ}‚·†LY·/‰ÆeZxÝ£V –(&‚’×VŠé[-«+¶år— pú–_$¥#F-|ý:•xwÅb•³.»1¸ÅbÕƒ7tÁ(KcW§ù¨ç°<}n,ÒÂÚž‰­©ökŽÍÇÊ?{ŽŽ0‹I”'ó¾V9£¬.Ê  ÆÇî/ø N#zÝ G‡°ë4æ>ƒÐª±»Z¬ EXJ…sJµŒ˜b°ÆÛ„UœMFÒR92S=«—l¨ÖøÌd§´ç@çñÁõ“¢àÖ7(ÿÐI‡¿4=_mï˜ EŒR5W6vËÓî|ˆÝ|Ðu®üuÉWÜ”¶Ú«Æ“ú¨M57òÓ¿W|“¤¦ýŽÑØÉrÆï¨j-•Ó¥LØÿ†Ý ÞP^Ëœ‚òݸ„¾nÝèÛñk¾¿q/Æ(å•‘¸yÓºnZÜY˜øä¸$°Ø' h‰­Ââªzžš×µbûˆ(„8yp7¿iß^Å'×¾LMå]eZ ì5ºÃì£iœ!¢°97D®ši3þÈNŽh°)Ûš%qƒÎ¡Åbm$J&(ýÉ îbr(ä+wE×Ú ~£Xb®K›)ÆÔ¢{ ¼±B'HÁ³d5‰¾RD¡YT ¬6¶æ—Mod²­ÌÌ­% úš‚9V ­¸ Æ™qËǃ¾\SGŸÈÉMšÁÒªlùÐ3"éðÀmzÌŠ-³I÷V,+9X•}”ºn]Ó<|hU\¶=Ê—Bú¥\;ÖÉ·%Ӣ礤hñ ñ¼™ÌÇë‘%øÀ9»›¼Ä04e¡7¿=´ðö—²4VÀƒf­÷”]]ÿ¦à›B9cwPñiA‰"} ã=…Ò.€S ¢{ô¥Ì@øËÙÃómÌ^”ä»9dÿSt€""ZÆA+Cw‰K”Þ°!“/5Ì4-enôojÜÿÛææ·÷‰gÆy^vþ”;‘» }ðÔàêªá˜žö:¯ºïøš[=¹ª¬|Ã×Ý9%%Ú—úrÇvJþš3à2É5ƒú“ÚD&¼­^¦;ƒ«¼‰jk~…¬w;øû¡cêu ð+r¸\•”’¯>[‘¥â®©1ñíyz[¢½:,`…Ñ-7þÀ·ECÕ{Ã87s¥BÝßïu:Ç0[Y>JR¨au³žd~¥¬ ¥¤ƒâ²v¯-’ Þ(ž«í'¹é§œ+&ᩜq8äSÎÃ'œµ™6¢¢È† YtÉ=[çXÀ,$ûÒ *Jm‰/å. Ð‹`û›§@©èÁMÙ…#¥¬ŸÝÄV“nßl½U7ƒÊÔÑ È&G›7Øëïw»Fwø¢pQ°M7N¨Pd÷Ê- ‡]œÏÉc]ìFÈã†ljlÙUq.¶ÇXôVÌa²Ú·#;‰F0t´Mù#‰båMĪN~ãèDK†³åp )°-5ÛŒÍí½áº C]ˆ¡“s•Ìo.·ð¿ö1€5_²rß–·Ž!r8ô¢´Þ¶Þ5bPÊ\5÷œž°E” ȪÔÚ´ªvq÷›¾S'XÔ‹ùî(îVõÔ.ÏúñŽÏúZ%°˜¿é±ÙYRÒ Ù¯I@ .UæXÍ×äõå•XG$ÙtmFÇ¥Úï¯ü«µvc/M #CQ›«ç¼®¢!Û¦OyˆIbñQ»¹ÌKi؃"á•1ç¨7„»"ž®é9gºCy#)FÉE2G3½mx²+¶j¶IÊéÁÆzóþNy;ëXŸÜ1”Úš·6ƒö³‡5­•P2ìáMºÍ쬭08w¼&g§¨ÄÓ”Õ­fuØL²á7|\[iê*¿3ìWâhÐ\Ø53šß–¬œïì o®]‹2ë¶VÍö·âvÙU389}VrCcͯ|rXΑ+T~æÔMg°¶lú˜ «YœXOåVówÉ 8±;¡|%š;ËÒOšî—}ÿdïVL¶ËÓ+k÷œ†u«„às0ˆÁ›Þ™íÍäÖ9,wÓ4i8¾Tg6ªOú6À¼RÖ’Uô¿Õ²ì[¥ ûžÉ“ÝÌO½”'Ö¦ŒòÜ‘’Nh½.À­“ˆÂR½›+JDëm žu÷ŠIÙøÐ·Fâ*̱f´ËÍëWçÀÝ>¼­Ã)¬ÐÕ$£QTA þæýNÅ@­¿Eød¢!V¢ÝµrèQµÒáÆèŒl±-}y=ŠÇÑb2_i™1™cHö±Ýåļ㯃B¦k+ÑöH“¨=$PÞzŽ^'»«uºUÈN÷°éSd–n&Kà®â_Z…ÑJœî•Úg$œ%Gç§qÄ2™-=´\ñÚäÜM×:UÖÊ* ”âÒbyºÌŠ$œÂp"±Þ ì-Q‡yÅ Qb-æ&°O³±®ä¹Ä{Qa-×Nu–Ã…üÒG5­õ¶žøÆ±)lbǰ¤dx|‹ÂÚ‡Œ²(yè×é n<õíºÍöÌe–NÓ›-i PØîg½“¬ãÆ*Üs ñã<¾G—©ñ"GÞ3ª.vv«,'gõµ•n«wM—|Ÿaܯih$üHdع?À/L#ð¬æäç‹ñΚ Ÿçñ;à!â`Žy2'×êõ¿ÍÓó C0놓{q™]é›>ÅG¡g8ÓÒ„xzçÁe*,%ô´C¬ÙL"L×j\¥Ö“dÌøgDxRÛ‘†$»]‹^y†yT1«ñ@ÿÂáþ´ù³1#¥¯öùöø}|S< þþ’Ž–fð÷W :,à§ÓÆbÿ7FÙUÚ´7A¹é(ƒjÎ(¯7‰ ó,xŽýyò¼z[ûý-’ù³¿ÐËžav†{?¥?/i}Í  §E?$%85?Sk?»TeÏŒ’hÝõÍ 8PøºA 1¾á[ ÏW÷¸÷fß+º~v{möÙÛåÃøÞ'ù¥Ù|çÕÀ×åò"(ûÊ(K&t_OÙÔzï%èúÛüeßøìe¿ú›W÷²œ?9蘳¿ùzR#ôi`DBõÒÈ›x2[Bžû"üOT÷¦sxºr<Ñß×ã{´ÁaýŒâÄUìöm‚ ‰½Ôç<›94'÷ßÞþ~ç°Ó±µ×7öáúß{æÚЪxá%™u¬WÑ⺟JÖ+bÝ»(?|ÂBvka[ÁÝÞàûβÌ˽ýïMrÑp þ·È|<ý1òßÖ·—ä¿ÍÇ_ä¿¡ü÷úõ ô«dÙÖtÐ ÷@â|cà?ùžÁq†¶žªοŸZ˜TÈâ±À]àØ*€ì^lë;Ò¿¿´ #‚§FWvCêÃö·ªÀ_¬/ûôâ;£†7V”°[ºÀ™U€.ú Àc]à­Uðâ‰ÑÄ= :ƒ­ïtž=t¾Á(tC«\øb{Sðš±™ïø?Á©FÓk¬áÿÛÛ›[.þ÷öö·_øÿñçî]ÆX ½Àu0Gò‡h1Ï0˜®[¼›Ž3±ô oÕ=SÎ"39LÎçY6‘ ‡h׿ Pí5l Sü2äX!<£ 1E‘3ø4CäÄ8Å* àå9áOâuó»{1“ !0Zö‡£E.¡‰Gñ‡x’ÍÐ4tÔ¶¨ªÙ^;쾤™:½°{üê$Ø ¾y¶ùìÉÚÚ$9ð¾·×ëvúè hƒL"zM‰¢'Qeöà˯ól®Ï(É› ÌÅK›…^î½îcþ1E NëW ·+Í`#Í6›®3ÌJöOOe-_5öŽÔïM«_}8*÷;XèoƈØåçŰh}ofy:÷¿ÁŒ íáÚÚ ÓЄȬ_5:ï@4׆—ñð}ÿëÞÞ‘UfMþ`ôË9å[¨_<<¨œWµw‘,Ùù#Pæ § E¦¶„°#à#ôÈÇ•ˆ(bj’ÇÑè-Å 'PšÝ$ÅjäÝçð&„âPp.iB/•MrœÖZ2-jïåa'ì¿ÙëØâôúa 9ˆ[˜°Þ^xÐí°´3ß:CÕ!£W¾FcÒ°ömý·9¬ôìý…@ƒÜ;èôúvWÅK>7.+^PôšïeèT œ¥LGF|:z”¤‹ÉdÇ~t Òuœ;A¶ž_*÷¡Ue*ÜŸ¨Œ•ùW#baä›ZØ·Ýé9ƒ9JìP>DŒUDšsFšñ8&ƒ\‹ºŽÄ†ÉDw‚MŽ\¿JŠºS#ƒˆËÈÃh΂¿Žƒío¾QÍá4ÖX”·ðŽêÃß Ç©Á¦‹¯ƒwœO„‹•øF|òÑ^WÉÂ>Ï’ „ûRí•«-êŸÜAcãûû ¶"OÚñî5{(ý¾ÁUŒ¢¢Çؽ©ôÌz÷‘µv¼ë"YêŽo\ÂËÈ”Ëgù‘}DqmÔ‹g&Ÿ‚s{o¾9è[ÆãWÇôè‰~Ò?{ÙôèéS°±ONçRËQPÌâ!z¶J \öš ™ KFU”¹J¯ ¨Ôñ„ä’÷iv•rÂôñ„"‘îñ¸ OUþR{v‹ìrÎwË¿xVêªQvúo+ÇF«Ñ=]Î…x(‰Õ+ã2ûbNVÿ ˆ!áa÷¨;B–‰c±Í­†/ >aÉ$¥,"OÙ¬¬Pi@Ó˳ˆ;Ÿ·±%lä;×”³B¸»’V#}új‚Æá mŠIÇ­Ò:,¨Q=¯ $Oâ)Â$Œ¡$,‘—ÒR„ðx¶˜õ XWX`nèòu)6R|tÜ=$ÙÏþN‡„;DvÝ,!/é.îšë[ê¥êÊOÉϳéC•yȰ 7_ÕrGÖ"î,%G|Y¡BjŒ°Ä;í1zOfOaà÷,.sMTo1k3ÀJ&D¶êz|=#œRøTtbMøcÓ—«»Á’Mè‡!¨¼y›î3ærMGT2HQ<†ý>ÜZ¡,1³°˜ILf&O¬Êó§$.W1u² ®_$¸8rJÚh¦;½|/Û´¦¸ù ·Ii"©Sb"M/gn38üd|à%uItªnPåš})7¤›f%¡;m} ­‹à­[rÈ 6&˜…knÐɵv»wð ô­MÈÁ¤’)R©æ nZFÄÖÃ%Yÿ×¢¶.y­y„„nsAxTÝ4-ÄàÁ,ÅÛ릓~¾Šbã˜Å…k 2Wö6ØåbiP;´‡*eóR—¶Ä È®ŠÜ(E„52ü\‰Ë:hÀNÈ]«,ª,‡ÝãÁvI˜ÆÓáìFTÕÂuCÜjÚ•0Üj_×àS[yÓ(ŒÌðÜŽøŠp`([ÿçÙŠyÓ¢BÌçOØüϨ`f_`Ó ƒ¨Þöhð:ŠË;^dÐM‹IØÅè¥æôýðyæ#*d¨}ñÑ2"|;Rÿ£?&Ò°xÌ kÅ!¸(ìR=Š}×.ߦÍdÓò#›~€›z`·ˆ³íØú t_ö¶Yz­€_æxd;TÐÂQœ_ÄÁ £šrc¾ðºíÃ[¸ãtìJËûÇò±'¤XõM²‹ š_*ï_ ¸ÙZSZÉŠ­®Z犈f ‚MòÕAAXÌS× 8¨aÒÂõQê[¦•¬ÄõR„¶2ƒõE¬5ùØlCT_µóµ¿ì#èŽ*^Å€¬Q.åCøçF|9 Ã`XÂ=›Í?×D[cÿÇ׈mìK/Ç¿ Æx™6¿Ìùn 3H’¯bæWY0Kkø™KýP)U'z ?­¥sYžׄUW²_ÇÀý|\Q°øhe–'2‚cÜŽ8 Œj¤Íšº %H vÖ©ý*ÈŒJYÕfà×/¤qÈ0U• ÉÙb8 Ç.+ΡkÜò¦­½éa2/“4òÄÐé×Ô¢¥]žŠ¢•·é£{³^(x½³,å‰ÔLîÉ/Åæ77/| j3ô #¸ñÛ69Q=ΈÈkHDä’µ™áá<šDé02†X™e2Æ2¹Dë¶Ø¯„}úw™\oˆñ%1ÿVrýME™éþÆÁŒÓfk/,á‰óìFá­jE©Vl.pcpÒŠ¨yº1ÊWKi«ñEI7„­Oöõ‰x¡»´VŰQ¹¿}á)_xÊçà)‹S‰§zKj˜Zùj°å¹4­ 3D¤ ²ôÿͦ“O¨Rt´ôòw&qÔ©óÅø'£¢‡x+Wixª23QM”qòz $-˪äQø‡ÚöJ‰\.0k Š6žô Í´A…çÝ¡À:Á¸,/³6TØ–yµž^–TPƒ¡¶˜«$üÌÏ Ce+zUa¤üT.Ä—g;æÕo5ÃyÓ”Æ||ÂË È#ż¯Ê8,?°¶‡MH«N°eåûñv¢l†=A0ç𣀹‚g£cµV}L/ÐQ±Bn²—þ›gÛ—•x/oÊ®›¦UЈy- ¥r¾‚" ‡äAcðxF7ÊÐéªï»fnHVâ›F%I•»ð`C¤µ†ïeÓr”03"4äþnP/Dߛ͟„¾W©Ÿ?óœëÞ;—éDï+®Rê6Ý:Ø#Mâlg9ô ñî#4Ü—Ü TÇ–/ò£Ë™oU€ò±C[ކ7¢=Øê¶[D - u'9ËŠùŒCe’9'Äl GÄãRn}Ä4tMÔz×›Ž˜Xú:¼JÚ)ÐH)Ðö_oÚ¸1ù(º*à4¥|`¡—ÑuséÕ©LIaLPˆ8Œ‹HðI¹¤iu70¯ƒ2ß;wÎ/vÕ;ŸiHÚ­’Ö›NÍ¥Ô$èÙñ-HŒŽáj5½¹ ’‡¤‰-í¥.àtÒs™²BÙW"ñ÷ë7÷"é8æ€UŒ$SJêy}€w€™ÝJ×J62ðÎZ âïŽïzK}ªl1‚\6”‡‘½äUàé&:±9 +šÂ+À«'ÖêxíÅ÷9ç®{1ä' ‡ØçB£ï· k¹Š o‘§Ä¸˜‘»`¥©pŒ“&F³wùãJÎ;«eÿœß|7{œUøñ¶Ÿp»|$×ø-wª¨Ä§T,÷Íô*±ëÁãAÒ®9AY’²u‘[‘‰O¹Í÷ÀZÇÒ)iÕÛÛUGïk6ou÷UaEû,Ä  oE?”¸ªN'™@ƒ=ìõ?ÓM¦¨ OrÈìy¿’ü‚’^2…Êö<Ǧ×PkÔøE,Øšsl|~¸òϵ’~„ò³‡mÓaÕ¥þ*Âß§Ê~>;âgýlS—€Û_.›k[— )®\g ù‹ÄkŒÑ|ö ·@qßÂÇûaæZK0l¨èÇàØ¾$B%.Ñq‰¬¹]SThc2GXðÖ‰Uh¾ñ ^½$E½._›¸4˜CGú‹í:S‘i¾óLO­dzâ>ÍÀ‚ñ±ÜE"Ânãgó Ôþô¨á·,8O.Ö[÷xÛÈ.¾:®P¯ÆÛÍÆ¬Ué êc‘GùÁÌ·ÁÉ>ð`¼Õ„÷Nµ²QŸ§Ê¬>1œ3ÁÿÈÕRÊëråÈ#BÖh;îNbB¯ÕX€Ì‘pW8Œ+–Ü—ÒÁ"j»Jr ;K­š w5ݬhä“]ÁW?½Ëç®u接/¶s…¶Â‘«÷ËÒó¶~n+æ·j9Ý{²§-tH<®€Ía-× “­Ö0Éòš^«uÔÌ©´ž×tÓ¥Ÿ?Y»ÿQ¼νÄ^hOBM%E=˜Õ_ƒV0wµ»ÛD3\‘Çât¤\û£^Ìäb—\Fý¡ö¦RŽ"¿àœw%“IzKùíïÞ–îV z´a@Ùò4ºšgCEÝI}…$wõ²Oà›ÿZ¾)[üÅÏD¹Üæ]ŸÂ7«Åô¥Ž"žµ¾Vé¼+MR8!ãX¡Á0ï8pÄy*YØÁ‹¡äΰ2}„^/nžÑ/Ã(ÕÐ%dn$!éÓÞ ÞÇñL¢àQ¡>ÁŠ,G9VÑub:аWÏ(˜çqL÷7ñõ,Ka, ‚ìæ0ÖVp¦¼Ë n½½„±Gè9ŒVü”Â6 ‘î;8†ƒ³©­Þܘ~½P;Ö$oƒ IuW‰ÕR tÖ<›å˜=€AŹŠúNEfq¬‰1XˆˆÕ6uy6†b^2¨*4§[|éjÇc „1K è†1 Ôƒ¦ÂÐÁJl…˜kY@Êf„îÿÏÚ½¢‡ç1V&§Ÿº¸Ý&Œ%^ 1vÑ$«ìã¶x…^=—°¨ìa"!á#¡ /Ñ!^R™7RhYƽá;¬Ýð‡lÌû¼¢V; ¨³£Ü¶D=Ó$%–ú“ö) ~Ö¥(Ñ¡42œsVoîit-n/dÇ­æÄoní5A@jŽ0¦¨qrÞHn5ûêš*<„i3)ÄÎ2‰e…*lz‚•%ÂÇý^g¯"Ò’*’t„øOí¥p:¸'8³m%m3²ÝËåp‡ÊTaâÌŸþ´‰Æ#˜p•¯·ð5Vÿl;é·Ù×M­V92·/ÐEeEÝ®(!O”{Nåš4·â| ìÏN»ÃMt•à¸]ª†f&e}ðQI b•ÙÕ©ô†3;’Ê·èHp‡ ¢aÓøÅ1åžâvœÕó†”WO´ÞC;Ñ3N«1?/TsžôèB°FñƒÄhZ×Î1##›ÄÑX2:“qsܽÅÕðÔŒ#rqÜP0Z•ïåé³O­ã?Š(¿Y5t_x´LàìCzÍî4Ö©GìÍÜÒÅNp a¹0ìŸ@¨'pÇêò |6á…!Á¬]ïèª}—Ê ä,„À:9=“Ò ÈLTåÌ üª]Œ™P㇦»HöW$÷áæl±à„ ^iÁ"YPÄ1“¹Û´ðÜLFO£²©•½kä,oÀ¡ @x ¢ŒþvªB‚§³ùͧ⺉ªÝɱï¹Ù¿áÉÍŽ|ç"‚™’³û«±Q\ý…[$;W$ -`‹èÑ/h’üFÉxŒÐÚ¤$ß©Hµ]!ãÜ~;$Òœa ½w‹hPž%€˜åŠh"ñ¸a¸§Ú\AɰþVýÿbR©œw¡{r|Ðvé\áƒ4Ï@ScYòšõ¡óÁKyÈ •N>àwÆ^/'HøK„GÍæJ÷ƒ#¥ qœ3É©3Zµ ºàaýíÛm^}t Êù¼l”©Và§“(\hˆZ¤{bJ»6#êMs®°~ï^Ðh¸ÑWM+ºÆ'ßÿãdGx®¸Uñó¿ÌÓl͹¾³Vƾ 0 v¼;+},L¶¿šS‡Ç4¦ÏÏ‘m&[m-°EÌd‡õ’k(éÇkŸh÷öÄ%Þ1Õƒ¦G]eåé¿’ò ‡«Çê›|ž g–-#‹1›•2ÛÁšt‡l æ*OÙÓ<ù€b~¢{"l9£8ƒÂ¾Œ@k`y!ñž©/‘ZÐÐůɵä-Á,šs@ø"'<ù s T=B`OB /&C@§âxzñ3[“.‚‰nÉš ªžÈ‹Ë5CÍûƒM“²€ß[AÖ¾j¯Îå˜úb'yÎaDÁLÒžÚåô&Æý-2zÏbÚå3PÄÛøñOê'Ší—ÛŽHyž™¹ÀáKÌá)’ ±mÐê±&1¹ö{LbÀeJ•aˆìÜÿÓ« ¤'Š£ |r2Q  4?âÏ8Ó[’êVæÁÖé|vIµÖ0L—cšO+øë“g]ÆÓÕÌ.œr¢kœ½ËìÊÅ®öx¬Y»`×XârœzäÚnìúJøýËVëµ:b•NWôÏß=ý£µsŒùX"Rb䎗̘Æ"#aš`=|¿D”j§QÅ4ŽÏ[ªw˜ª2!sÉÄØõXJ«á|ºé»‚EÅM{Ö¤Ô{zÒ»Ç?ìvœ 1ü<c2p›#´fäÊ¥ø(¥áº|p²>N_eP˜qDß‘M‡¢I2jÀr¨ ‘f,Y‚úúŒl+PTE^Ébæ¿UìWÔ´ª†K1X±èòΜG#ªTvB\ýiÎEÕè`7;ªÇº¿3™<ˆ\åmå¹ßãCß8¼R8½<Ë©í·aùDÑP5g[imo½„صêÕ³OÑ•V±âøté-‘¼îpßGp乨6AÔÖ´ìÖ‘ëÇ›B"16±‘~€+.ëõ«ÜS½õWÆ&·]zöëÏH´¡t}^<ÂŽOžËÏì3Oòáa4¼ääLØ¥˜Šr ¾íG”ÌõdCoä _ž½ û-Ç`pH³ô>;Ç`ùnY–,ÇÛZÀÔ‘þ± YBôU©»3W6ID '€xùÉ% 8¨àçŸyB… ná#/÷´tªÙ’fÅÉXêkEq>ÌxÜÏŒ² ¬Ž±;›äi6“f÷áû`‘Γ ^[¼m¾Ê|¨ÝZ¿±«*¢iÌs†¢v¨¥dVÅ aLRv…ÁŒyÌÂÆ˜éÚ%ó¦^Ka¿²ãÁ¦Ç¡·-6%¨;æ¦þicË~]Â<53ý™lÎê÷t"¡Â<†´åÂŪkëílYõš•Î6¼ômeAd™"¶f[ñ{gØ«¹|gV,ÇXjðÅ®ç”×z’F_ÆIJ×oÖ~`þóo 6S£ýnÕ}¡‘ÛÞ-±Le†µVkeül­ÖçÛZ»ÌÖúb7½P•i=E!Ê.›¢ôÝ<ãÀ$ß ’JÏI&3•ƒ:ÝÀ¢cdïwü@Ö‰ñ“+ÞZ‡ÎÏK0?\…efahQ!þ–vH¼p›ƒ(m|QTYù}®BÞžù;SÁ¯¼Ó‡4kóg†ªú'iª¢Ô«&2‹I+žžºëˆÛù(2ˆjI´»y/’‰íê¬Õ‡åµÈ{!—»FÓŽ6j,Ý­'%7i©î3Îè5z˜ûÖë7wÖ|›µ®’Ôó–/É4ÿWäÿä,¿\þÏ'?þ¦”ÿóÛÍ/ù?¿äÿü’ÿóß"ÿ§r`I1µó:¥2Ã\>ì~’‘)LâöÛi1r:·3prªÍ›€h&²ÈäE_GXVf˜¤¡À:­ÑN> Ï£"x†Ò%‰FWHS園´6ÉézL‰Pu§ºáØF t˜‡[ø¥e¨%]Ä&Èz EŠ£lø¾íó'†Oß2~m¤ÿIôë %7—†Óò{3£I#ãõ¾Â²SteBùŽÓ§Ïk|©µ¯Èü)쬫¦Å£”–Ò®B7ÑMíJÅ-S7(Y\œ\%’¦w)êæÙ4¶”çf;nCÊé(z!3è£|-ƒóムeDã9;€Š4«\½ô“™Ò~9»Y †Ceó,Ï&ðÃÓï¾çMfÝ)‹‹mƒÝÄ}óx{ã<_'#‹~; ÚÆðøÀyt>1r¡ÂGéý99ßN‘u©í<º€‘ä ¡Ñã=kfg¯¤ –ùC)&?|Ûë:ëÖM3@°àÝ qÓ,êuöðmãú3¨Œw´ÇñR¿Àyœ+>„!v éÓXndÇyÒŸ‰µæÍØït¾ûeâècâèàwEV»|çø TžÛª¼ÆË³Wý¿Û›O¾Sˆe ¥#Q²UCl`_ç ö¤»BÉz‡|4Sdž „©%ćmCþ²¬³•9e?gJÙ^FY`©÷úøl?„s¼×ù¯ÆãVð¤é0Ö½Á žÃi~„a4ç`6a¸H¿0 ¸îRJ™êoaæÉk”(H,t9 ‘Î?D1£R0 Ì· k;êâîȳt1il)$pqéSv±mxûÈÒ•¨ƒœÄsÓ€çUy=-‹ZÄrþ¤l5=©™R QRĺiívÛÌöä@ÎÞ¢p’PôÑE±S >€·¤T6¸ÖÔ€_tãè]év‚GC„Ê Œ¨Š tvÊàÄjU$~l¥Æƒj€(FW\ÌAQ¦£—y³‰ù;&õÐÄGq]”L&òÖG™è!°î!ǰ.(ѮʠßpŸzQÞ!t;û°PWé}ƒž@W›?Ñcƒ´tYxöð¡1@Ú ôâ…¨ÒñFqb:«ŒjV¼š bL™¬øƒ§Éx=®=`w±å+ueu«-LãF¯×Ô¤?˜#Íß)£÷P Ó)Èš}è’k0¶ÖÍÄR ˆkuŸkÆÞÅtóŠã&-C â®`Ë=2³c ]ÔX§0 b¢dBëèú¾·mÿº-66†â(4Œ(¶ ô=n @'Ò—ˆOÒ,ÝÀü_ÍÖ é¹M,"h¤ˇ|#õ’WÝX:ŒGm•aG>aRQTOäloZÎ6pƒ]P»¢U±[ZÁ½±kܪì}nò eš¼V÷­êÑ =ZžGÆ¡5γªì©7«>³_½¥¢7Þ¢>4‰Ôd¡‚G\³X+Yªz~#Ÿ—ã'—³Û²HYÃäDjYÝUž>nÄ9ÏIF¬ÌDÝ_x [Kc)#l"6ñ§±½ç Ûû÷à{^ùöß’òFy¸xÞ9ïu—T¹â ÐDp_5Eá ŒíûÇð\™PþŸÅ{ëê¯àÁUŸ|,G8nÉFp}èऔ^ Íge@z'‘ò*p¤)è;WØC±‘:!³ÁtoIÚ1Ý–å7@õyµ²n%‘('Dò3œÜkv›×ž€:‹v¯›n&íåóqä‰Q!iî¬-9¼ÑaD9äüeÝÓ]çìAÚf1_Õ¤õª{ؾç þ¹:&·G¼½1)“WŽ‚+µ`ÝüÊ&£Ûtc õ¢Ôküj±dÍ¥Ü&£5k-ÿh°=y›¯3°m™¶:k&¹‡‹sv_œõÒíR†â‘Û8_ibçx£1ß‘Ÿ©üß0ɲ÷e–åjx™—l ølEz‘ŸK«žþݳ`ÊZOæ,îi  ‘Ÿäs)ûŒÑ`rÿ.ý”Þvý””£»k2÷ÏÑë’a3ù<€/pk˜1)säAq“”åÈP´2ΔzLÿçØ‘ Ø©Ý¦ó!v¸léù–fEZôFmËÙmÔæ‘ªt¡ÃŠ­.íwreZþk÷F¾½Ní®â£z|2_œT:ÿ#†­Áå¸óîÉÍž$Á8É1hxÈšÊ/p‘‹]‘ÁÖØ¹œ\tª3uiQPV*P.n¦³9:¼ØÅ,Ã;ÿÉEc¼œÊtQ x¬(¦îòã8à”0fs¼¤gdõa6¡Ý[wx_™:Í(Éãá|rÓÒwú)ÆÅO&Ú"A÷Ï„?Å~,‰nð`8EÒjû£Öi€CÎ=(‰Ï£‹X¹mÈ‹nÌjuL’ù|·r¯˜ãÂ{eÓïÎï\Ž¢^“±è yá&,%ú<Õ ÒAU&zðôMSKQcN‘¶™ _Öæ^߱׫¾Õ±Ä¶ ð•Æ—L$EÈÖüÍлœDƒ¶ï‹]Õµ[U.ð!A¯%#\•<¥½’À_$ÞˆpÈÝ,zÏ”—L°OuŸ_F³ÙRÈ%ï@¦Qñ¾³“8i@š¡}½PT\˜Ö+¬mq Bf–T/ÑßúuJ™è¡ ¹ G’ÖЛ&voáP`aÝ?“FÁ€.Üê?þÁ4+èðyI•r9Ÿ"ZNœNžòÍ‹ŠžÚûŠÔÝ®8&Eë_o%÷Ÿ(ãùóÝà»ûÙ?àãë±ÀÇûÊ)ÊÿQÊ¥-î§Ä€ø¼öUp]QA½QÍkÚú¨‡®ˆY†´"j²zhÏÙ¹÷hè¤GÐÀ|ÆÓBÃéµúÇ?Ö¼¶ž”/Åt» E«¯ª EEË(û¡Ÿ4+ƒ šTm-1ÁâHŒŽ!ºh ÿi®|ÌÿqkkEqÄÃp@,ˆz’Bgve Ô'ï:*Z¾ªLe¨3- óUñ%]¤bqɶå\<”ÉØœc'дaÌ®dÇ¥ûüCuTl÷á¨Hu5+o»†ÒÈ妭°7.·Ð’ª Å¯Ù{5“@4âòya ë”Á|<-:SÕ@¹^£K¹ˆ¯ È ôMO(Ÿv4bu‚-æì@åÉäÆF ÓGèËZÖÆG28ðZB=ËZ?D“…£¾pU¤É¡æ—ÇPvJ.á­Yøú²´>Ð诗ч8Ø.W5J ¥‰Ï>쪂£!耔Ÿ³2Úb½ 4ÇqÇï( œ%ÓQ±ØfUð‡b)›7<ìö­zµÝmQ̯ĀȶÍpïXÆÐe"ï*Ü#¨e2:¾ðÓE SLV„ŠU+8ÊD¬Cl­QWé±ÛK«dÁÅ"¢øÃ7Ò†ÊüˆMz Âìª8D¡%(rBHyä&ÇÁÀÙ&‘€åUÑ<©M€%?<×tPWÎÖ‡'¯Ãý½ý7°ÿ×`ë‰á…-6¶@>³Ê5íÏ»ÇTðÏÆcñH+ž4ëm×°_ ٠ޟć†>€û ß$_Ëwh͹îqƈo ñ"Bwíä‘ìLg@ âBìTtG®“1¸öÙ8”à𖉕@Þš+>xHݨTûÚ§w%Aê@žE¨”¢š‡rAl€=Ù1¥µ©1n¼ Éä jjvuUÜ`¦ªZ§™ú¸ƒ~æ¹Íó5X59 Õ€~Ýó¬fåöMšÍŸ};w8!K‡ñ¨i†Š^˜W‰Cv-F“)ü(ˆôŽM¥‰ Š·OצÂf2 ¥Ó‹Q[NžÁ:ŃušrðÆdC°âÇ·Òd£èøJÛ_Õå6¶MŠ¢à_”òCZ,™RL¡ 6Lª„zšÆIRfŸ¦G”Õ“gB¹,ñ² K2‡IšæŸ§®gñ‚ª^7Ë‘nÂô>—{…¹ã=XL§Bßdxþ¡Œ5ĈvÙê ïó.«‚ºå áÊœL’ù÷SÔDpQAÛH;"ØÆn¹ü)™XXƒæ~˜¡)} ó®ùÍ$¨ßdù„°¦‹É<Ù`e)®Ð±ŒOUwÌÜn'b c“ìš[ôß„Ë`ËõÄUg÷ædÅÓú%ž“ .oA»NˆÚy¼^á«èŠFé¿.qEùrê«¥ôT›;ÍéãiS£½ÎënÐé…¯ºÇ{‡Ý¿vzL§-ÏÖ¦ë­M#ck,Û¤8”Z¨JƒÀWí»’’t|3¿¼@ ð­™Õlqƒº?!ëØsûýŠë|›5þX1WkoV=#Z­ÙûëáàM¯ÓsrxÊîöw¶6·Ÿ=ß;sÿ&Mr½çÎø«.\Ãõ¸¹ŠgÈŠË!‡/ðNŸ€ÿ4ËÓù‰ÿôø›Í§[eü§í/øO_ðŸ¾à?ý;à?á^ âÜ-p[é©)‹•ëLC×Èàmè[œÃèÉ×.G—9´^wçÔ‡|òöŽûÝ@‚%ñÛñ"'ÔG”§>t)æ¬ ¾Ù4¸£è:™.¦Fæçó^Lâú,ÇF0S0óÄ ‹Y<öc¨¸Ûcö8ÿÙáÀꇿéÍ éšý½ vFpt‹*®’‘È'5]¸í¡/rÓ( ~«ÁbòÀ:ÝÍ©ÎdÁ:ý £Èj¾VàMUE>J7…ͦ•¸;’ÃcÉUÊÕÉ'×pJh‚þÓ¨sŸÒާb§"Îp™ïPaÚZByQoB˜Ÿw‚-ýà‡=?^‚Rµ±îó™W$'ÌTÎÆ*k¼0‘ ã™V’ÆÂÖ!?‚™ÏòöíïðûÙ @ »ñÒa˜à„yU¢± cñ_·ëªêëääX‰Àeq†ŒWií¥Y’ >héÅAgö¢`wõsσ4>hž bè—hôË¢˜“r:žD,nCP{IU aËóœ«C•›êhÜŸÜÇß?¼ß4*$ïx(mVµAŸÞ¿¼¿¤áeÄ`n-„ßÎ1\ñCˆ4ª±¥ ¢‰Nƒv°zÖ•P~LZŽþ µ?râF."'ÃL¢©97µTbÑ .ë]]… ß$Ù¨üÜWžƒã‹,GÆöž“YÖé‘ µ]Úä\Š`•Œï>$ÇÆ¯…_#ƒ/9_aØ‘@›hí°¥³<ö­¥fÝL1N÷Àø6Wêù–Õs~¶íyöØóì‰çÙ7žgO=Ͼõ<ûÎóìÏŸ¾†žIpJ†°)”JW kâ™üCg¨šÿ/ß?«µzYÓÂÆçi"ð ì¡çÙ]§+ŸØÜFiDxâ~®ùy:žxžežg ϳkϳwžgcϳØó¬ãyváyöÚólèy¶ïyVxžõ=Ïfžg©çYî¬ØE†–¦,ÍéÚϳµeØ<=1ÖgÝ–ˆO±µgú¦ÔË2äæ5.3!!¥†xÁcäGZFX™/}ôß:”küè•=–¢r *.k%£FüçëÓÓ0lâ]Œ~Š‘nûƒm^ðnÎÔE* y5 LŸ¤Õ4>l·7Û›–ôz?ü¡|Úë^ñ=)üUüJ¹ž§ˆ{† 5 ­‘ŠXït×ìïQªìôš¹¬¿í?ÞßîwšÒC(´º;B·|ÆQ†¿MÒýw4ðu5è“¡bxùÃ)U±‡ÈÍ þëÿ@·¦1¡m´`«¸QZ˜`T8½š º–{d ‚*çÅD¾u£*LðjˆXKÔÓ9b¤Ÿ—‘‚þO¶-æa .À­€ ¦‡®š­>Nâ)ú¾ º½›:ýºŒí‚dUJ·e @U”dowÛM”!ˆîx:Ö¬ [±[«uÍà ÁeüØW•e¸èBÁBŠßñ DÄ ©–ÏFUBË žDŽðÖ#K¹)éÝy(k“œ¶QþÚZÑ{îžä=Ò WýH¾S*&^HûÖ£!®,Þ’$–iYõ‡kIÝ&a’„3–«qýj¬‰tA®Öy·zlõ‡5›{ähó(ä‚gS ÍúOèo…UÏ‹æÙ Ö€^,YX~߀¸ŠÚˆêû_\fùï]QÇ?a•o¼Bà2ÉÑ%xŽè£PºhÄ«ÒhD†Ée4/ä/m‡hR$s‰µf|”ÑŽ$2³"!£Ý¢f²uó%²µƒü‘‡­ÐÍ;,9¢/9Çè«XÎ&¾¯ß+ª–ç™—+º3Q à yy9-×UÂcµ?øšÓëîÌÃs£r*P?‡{¥ïkÃ¥oíîtƒ¡Mü¿êÉ@lîU¥/oùÏ4ž‚”ÖàïZ¨Ï·üý¨]#þü'2Rs‰ƒyË6ˆ ãL‰¢Ä°ëšX‰:uËY©ß_uDWýÆ….¾úöVbžÃæiq@¹$#Ãß—-ëµDPˆ6;ß‚ÖIÁK>[2-õ«á1×™EþóI‰_Üs@ð–ß¿fl÷h©"ïÃg^”ÿ’%óš“Vøö£ïá¬0sI {ô[Blw™©£B¢7rµøÞ+!Ñ^¨SÜø$òit¢ÚåWÕŒÛ3.@& KSÊþééþ›Îþ÷ÍŠùƒÞ¡OVÃê0Öìx+· 8¡¨ ª~UàÓ[ |O!%u¸ã1tÕ¤¢²¿è½ÃòMy%)gø æPTK›Ÿ2Ž¢*z̪V’iÂ[ ”þyÂïç|KâXÓ$cz³¤ñ;³}¡*°ªª–U¡‡»®·OuÓꣻÒêUÿ¯u,”Ö*ÅD-4éþ[Käy%ï!‚Ó ÂÞRéG¹ýp6º ‰€lùÆl¸Ïšµìý¹± ¿­täkx’ß¡\ò|{º_15Þ§«Yfª®Ž|%’¥%²¥%KK\/-ñni‰:Ù±d5z¾‚ÕH²ÜRTûH{ƒ¬ùƒGŸÔž/÷iâJıš è»9[­ï+É+õo¼´ñÒ¥%.––xý ³0Êç“ø÷ÍÂRÙ¾…犼žJ=|\ŹÞò•˜Éù?Áî ²…Oijïü¤`V- a8×ç³ü‚VĉZÇ*ƒ¬–}\C,Fõ1/kïLK'Üßêì’ÙÔ„ù ([²»uÖH $+¯=¿Ef‚ºûŠewõŒgçïáY{.S@-åê»…òù ŠçÇO<ƒæŒyˆË aN—·å>!ïƒJ¨J_§V¾4C%ò›Ï8ÿ [¨+©*à3ñ}ËHm6ØûÒËi#«?C«•ÇIÓÊ•¸‰;ìkqjÒrØY=»ªN»(jÓáøŸ6 ujL2'©e„?‡ŒFƒ<þÀ‰ã 9¸ŠrJˆþúŸ8÷VŸ#³ ]Ž©ä\Å ³öaÉ´ù<V›­µOãï‘IΟqñÿõËYÌA^𝲦¾)ø÷ZÈ%cù2ý¿3þ{že“âÑ?-4úÛo¿©ˆÿæpiÿýdûélnmn?ýæ?‚o¾ÄÿÑ럌Ãi4¼ü#ãÿ7·¾}üm)þÿÉÖ—øÿ?&þ?ØÏ@Ã(8 B‹Ý0ˆPpš¢)þ<*8Ð)+ñáIŸcæ.†2V ˆªHS8…>DóøÑÅÏýçxbXOÀªñp‘ÂÑ8Q¬˜†ÃÙdQàÿµÃgç]gÿ‡p¯÷ú‡p@JÒƒÂ'TeíØFÏ…e2¦‘~˜5КžÍ3 ŽƒÞ`,tœðUC_ðsÁpR|ÊùCøN%"¯UÃßq4Ä<°¼T ¹?@χÒ8õ~ù`náKÐTŸ4ùžï¬ˆ.b3WeÔ>ÚÛ~<í0ðá§­Ÿ›vÈͦõ ê6'}ú¢)sŠÇôýöÏôØÄM-‰¯D;ÛU픢Wÿú2¯¼ ?|ö7•qLfë†%£ˆuôÎúƒÎLBM?þ“ašSܤ f>–ú׌â7ëû¶ŸÞŸË€M®ÑL>ó÷–ß_´1B" ¬àEç¡ãb6®´€ŠEpiUÍ.ÔÚR•áoX“¥¹«)ÉÙ¶V“ÖÊü?Íæ!%øùl‡Àþ¿ýÞÙüÿñæÖÓ/üÿ_Êÿ9v˜O±ÅIÀ  ÚX0…pŽÐ ð_'„oÑ[%EM“94"•ÌkëYÕÐÄi€A¾ø`. w10|ãW :D€“úæß{$)\ß‘¤N$a‡5Ð5/S!bç%!Ë™8·<Îjl¢ˆõÒá9—¤’éèܹÕÙ"-;å‘âëƒn³ îT Qû_ŒÓhj¢ñŠkÜôó `Èk–³Š8ĘiâçÀ}<~KqV>ËfpÄ©2ËÕçÛÕÇùvSIÉœ¿ÏnB“#òúItégÏ©}»Cõÿ^ýŸa:åŸQ\rþǾsþo?ùö‹þ÷¯Ä»-ô[¹†§XC?™$ ¯óhv™ ‹ÛTðVð*…­ÞÄ0v‹lÃllonmb-oâ«I<ŸoœFÃ÷èZxˆ'ÙŒÈ}LÓ™ÞP_píþŸÂµ["zeC-8‘ÓÈIwíëþ×û!,hxx¾ííêÃQž¸o'­+Øþ8šà¬»w›n¹sæŸØÿö—,¹E]#˜åáeU]ErA©W®ŽôªnãEè„¥Š»Êu@L]Ø»ÃîñÙ;‚Ý;èÛÞoNú#}Ð;é4MïjèöºFö»ƒ½ÞÛî±~[UÇžS…êᛳÞõÊ(, 6•“Ët‚ON;ÇD ÆL*r˜Œ&Áºá`a;Uèbb&+¦Ðè¶ö² ºU®kåª^õ:«ªÏ7À»†'D¨’ÞÝσoèmú*,u_:ó²þ!ë qá@®Î£‹,}5¹Ñ*ÉÒ©µ»Y5;Çwž=U“|îη§Ê7§g•´{ÒµU³¨µM•[‚sjN™º U}˜Pûú‰V /œnÁç3XN©5Ä£U¬fñü_ÕÆ07½ržúñ5½lþžÁÕŸºTÌD|:x /ûƒ½A¹ÏË5shæ²XŒÇÉuPÐàdrAª[8®’ôñv ×è<Êo,‚+uüõþv³{Ul‡·-â³=Ó}ÚÅ—’êÚ)‘%+8yù,˜¢ååÎQ„Íib³VLÚÙ‚P{÷ø»§u´ <©Š ju8þ·_x;ú_Ï™ÎÂÏ ^¯ÿmm}»åâoo}Ñÿþ¥úßÖüï/z’Ò“ð’à2¾G0eºe6DÃù‚. ŠèCŒ´pÃBjÐBœ/Æm Ú`ç-jò"N ÛuåïCø¶ÝÍá_eùûv ¯ö…_øÖ7p0ã,ÊîPºÒ+Äœ-æÁ56™§ |ßÀ Jq¼=mªžÒøÑ«jã„°¼cµóý0KaÁ€ÐA^êœÄ#u”“aqIèߪ _<0:`·/_8EIQ¾Ã€ïA¤"‹>Ó-/”„“9_€ 2›'Sô{„zâÊE^Ö+øï‚¬®žN-¾e1×Ę®ãÙn©ašlÎ%AŽYð¾JbÎjÏß(n7^úË€'}‚ ~Ýœî½îô»í4úªÆî]Äó¦ì…†çç72°AÎG4Ì 0$_,ø2 f¸¥r% 3˜ýá˜,GrR2W”.q¤»Çû‡áˆmÝÃÎÑë^éùQ·¿_zØéõNz}c²b[Ù,ÌAHÓ6zvxrüZ:d+È)T˲â¿q~Ó¿)ºé8küWÿ‡ç'Ä jö¯kµÁ%Áƒ¦t­9©Y¾Ñ8> ©çÖÕ‰k°w:#rÙ:‰ò*vƒ'›~ê©Ãë®¦Ž·cÌiôì¨Ï‡©~ѳýŽõL«&ŽFð¬hvöŽÑNÁ&†™çu°¥Ì4š5¬äÝýŽi€ýb”]´œìZ^PÝÿ±?è…ÝãW'AqS$0_"OT<‡ù›ÇSZÏ{âuÅ!?h®N¡ö>ÔŽ¯ÕåÑšÈÃ…µF×{QH™E¨užcÞTÌ–Šá@ãÐä(,f†É,!ëÅ´À‘ßëüWã •Y™)$ Qq˜'i8†³:¦TqQЭÖ]­(©¬†Ôb19g…BõÀhgÎ@g;jîErí4®ú S=IRJñ Û“joB~Œ†Ã–Úx1y¦?ÂdÛé0ƒ·Ê«…Ål â÷q<“²¾W¶< Yáöƒka*;¢[q 0«éwÀ_ç†Çà º;li^Ï®ÙÂ\Ô¦#±tƒ]¦*Traè<¶H#k{ ‚æŒ-¢$8óüFi Ó,ÙÑê&[pæ P]Òm4ýÕIý—[—Âè4šcJtó#òÚ~å`Õâà±â‚—è‰É“Uþ€t‡„”ÂÚ }ÓNíc×d°„›‡•-/ Šž´¸-þ ‚yš^ïSB¥ ?‹ñøYP&ë¿ÍßžôúE_ÍÉ¢eì[xê9 ;½½ã³ÃNøòÇA§O—ì]®Ñ¨«\M©gŒÛ'_Ý»'+ÞØíõ¾8Lüü†_ïÚVhõ:™—¥ò%ªn¾¹µî <íô“—ÿé¶™ÿ‚ Ÿa‡T}-ïÖ€“Å$nû¯P2gSpxx²¿w&ˆSÅ@î3`%fJÜ8Å´a£šªO÷zPaçfÕ©õ4Ê‘3MÔV¨ªN3ž‹Æµís´©CȤ i§Û¹þ=NIŽý)¦ˆ-ÚÅåÿ³½íúÿnóÅÿ÷ùs÷Σó$}T\®áÅIçåÙëÝ­µøóòòÉÚW‚í÷¶‚ÑÕûàþoDÞÁúæõãxwø·õõ¯6×áï;þþ·ùÝ»§ûwïî> ~C–ûÕ¶ôYäo¾Ú^ÿK²þñã}¬kt|…•⡱^<úûŸþôâÑ‹Gë_B ÿ÷?çP&ÅgNýºÂýÏö7Û¿qã¿à¿/ûÿ_qÿ³õçï¾káßÞDi±ñŸíàe_NA ™Di¿€–_n¾Ü-ó®«5½3á½É†ýctM¾.£j§l­¨k^žOÞ‹¯¤Ý\bRòÕPÏyò:èÆ†*TÃùó@P%q”ê:_ ßÇóR’ºúM["þ[ ø†ëŽtí-Ô¹ÌT§¸hìð1¥ÎPë}rA+Ò`l$ÄæCŠkA¡/_©aðÝÙÐXÓ(š´RS¼kB /¡”“~ ûPO"~Œâú0ÚØÓ!÷ £ÿ ;1 f¤)O¢Ï"7©˜Á>ÇÂkµœ ß·4‚x3vq)¯íH['€™ƒUw‰¾Rw…´"׬?v‰"%Í“9Föl K€Fˆ‹B§¡ „)L*_Óüˆ·@çÓl¯ ñ&)Œ‡ñHlvâ@ñÿ,’Ü v!ìÃ^ÆQ0˜ŒôÍçiFÊ ÎÖag-€J™@ɼŠ5ƒÆb¢<^mÌœ2nåù¾D#¤;Ôà ¬ßLT}Ûä‘ì­Äæbn6‰yƒa‰âõÕ:ÆøT´2åñ&EÆP ‘ ¦d‚™'Ç ˜)×?Ç©J\fÉt®ŸÞy Ö {XÈÏ1&~F°l 4ÎÛ¤j¨SfßëFZ*l•†²ól3!‹iR®ž•Óɸ€¡2ìyJÀÇå!m£¯ìñq§§š4wÙ,"îGÝã7Ýã} ôzóòð{¼€¨m¾Ë(<¸Ûy%“®Näøè:Nâ(‡&<=h‰T’e„qqcÂË8š…À¹pÛ³y—º0ÿŠ(¼¡ ßÿ4ä=* ˜J¼9è5ð]sãÅå9UŠ/„5¾‹ó<´í¸7¾žQâÙ,o£™GLpãë¢Y6c[—ŸØT˵ï@3tyGýð}Í}Ý N=tj þ¬Ÿš&ÃõÀ©×í‡gÇû'‡‡ýÅ6°†&~·H•#w‚Ï1÷ôý:ÙÜóÑüÆb¯æ´7Õ”3®^Íâ쨛uBÞ _âeÂa·?€n;tÀŸ+ÚŒG˜ù‚‰bÖË*2Ÿ® ѧòƒ8°‹r};ZG)*¿Ùš3H+dX)y‰°÷¸eR_ñùü5Þ%ú"¹íÇζáÌôõ“@(µ js)\r²ÏñœV[Úd×ý7E´s_ußužáyâÂý9ÜB°Á‹5ÃáµDEo’yñ÷÷Ãý7{Ýã&É×*µ;¥76Ž\’F·*r®Íò I Å<›Íê²—Yõï_³õŠ)_–p†ÎJ¯ÎSŒ{²Fˆ®»'íÃ@îËó åƒ#9$!%Éò¸µÆ½QyvQªáDr|ìë´ÃáeH2XC¸†8’³Fµ¤PYá­Ó‚A}ĨÁpÑ1d•é(Ña7%çòa‚^œ¶ôÊsEŸæ-Gç]wа®?Í“Ô홞8³ˆ¯MöñøXM–ÃåoCé|2QÄJaÖª—ŠÜìòÞ( mWœºw/0^yd(=NG û,”öûë3¨FWæ%ëu͉s;ªY‘nÊÓYA6FÁËäºQ–McE8/ÿÚé4øY«f¯yªÍf7ºVènKÈÕ£¸˜«ê÷ONlÐK|¼¤áìBÕTIÛLö;¤öÏFu S!ŽÃÈV!è]„¥ô”‰…QŠ ©ª(bî¸+c٠нçÕõÒnõhÄÖκ^ê—ø²Ë>v¼_ÛÁ¡-={jöqªmë§¶[²EˆåÁVî„Ò(—ž=åÊ—ðRª|ÆWIžº?tz/O0ðôäu(ð®KÇߺVZ@Eá-0oâ rN•mÂ+Ä”¥ŽªÚ,°rˆwÊüΧ–:"UÒX;wü£åýùhöÊÓÒóౡð®Ð3«üjm¼ŽöÞ¹ºõ*My>Û1Eæ£è}L¾äqT$ì,#Œ\±tL¾\\Äl¶+¤CY«®Ìm7ÈðŠþ"“xZ°ù7ÍÒEšPZECÚ@aí’ N@lè=޾ ±ô•&ð{~õCò†žÂá@_¡›ÑýHÐ]MÍœÚpÅÛÁ§ÿµù%ŸEºŒ›Þ‚‰ãËeŽ­ N"3Y”]$ìVPw4›¹§-7+ÆRøFô÷Ž» %Êö,\‘ÏÅÂrzáËyò°/Ô ÕQ|Ýcv ø©‚¾êkÌK+ ¶ŠLܾ.D`ðR1úãGdÛ'[¶¦;²WËXsmÑèz“/ó,M~¥‹(Ž=ÉRô{Ê£+!ûrFäa5¥{ ¢w]4Ç£L7ˆÔX€3O¦q½õÖ„ú[>›¸ Ÿ<›Æ×Ê[Õ=ét”iYrv­ìrÌê†"ÅfðÎØlJ{‚¶m>7Ðåv%Ã5W±7Â8œI¬ŒÉ¼, Ñb&¬Hg ìâU‰ ©²'•ömÕ•‚ר¤©í¶õ¨I6Ôái6º ­Ãl<†•*~š÷© çåÆVógɨ*Z3àë§o᛽þá´93íPh°DË›P.ªh Ì`˜"°Á»fØsy"µWãºê}ÜÊlE¯|¥uÖ@Ø8‚u®c݂ڿ[BBX¾u–ôLš½YnBÆ'¼Ð4œ c.JKž©:@GúÂdâ{Ô¤>œp8ž›Ö¥výñóQDì‰ !r>FQŒ¯7äqâܶ÷¦à‹Æß½'Ìj¬-±iaëƒÏ¦ëZª¾ Mû¸AS¦cªíåw[Jvû³£I¯4»ì]N¢_ÏâÙ„w娙R¢Ì{ÂB¿&Ëxô—€îËŒ<DL ݇r„6 ÜæšùçFüc#oQºZqhÂCWȱÕ†$ö”»·Š=W7ðB†{‹ˆœøxƺ¨™˜\Ћ)zRæÂ:— éB1`«dv³MšXøËõQ‚f™–Šó§ÛøïÓìª@—†Å\ì3ŒtBï1Æeø(ðM±‹Bgï tÃ*p)¬سµå'ÁeÓÐÅãç”Ex㜨GM˜ÞÆ­5'1Ñ'z;É0¯Ë‡[JإĠ`FÉRpþÚÐY‘‘36ºÝ1÷¦ÇÈö|ÏNÔ nýgb3kNj$ÿ~«øØE_$ÆŠÖ 'Û²î™Lw(Ã7Еƪp§.5 ç¶¼p­”?ê3ð<ÃÑøòaòÐÎsd&àI¤×½ý’`G±¬M7kXÍckv¤í ßÓL+Õ—Þ†AC) 2Iám-–ž1´ùäFC»À™>à©«h/“l³ì}Áuÿä¶Wð%€/y$>[ÅAˆÕß"i™õ1œF³-ÉxlÎuip•WD†ÿÑÞ»¤$ZÐúŽˆ$ºÄ´îôÕ»\bÎ)MAË8ÛÚï¡ù¦è¥$¾U)Xlz!óA5 ª·ÉÔ³!ÉÍ6s÷UMÅbR•}ÌäÖܨ3ÌÊ€U<§Õç+Õ¤Êb·”9‘öJ±/Ön`ÓE3†0®ã§äçöeÁ‰qv**¢U“‹<4¸®¯*šsÕxTw—/Ò+·åÛÕ\‹aû’kæõÿF£!bᶸz8ÿãü¿Ñç{»”ÿã›Ç_ü¿ÿø¶ÈŠhæ,O.¼äšF)Ëé¹Hz¯"­r(ÐÃI9™ $¿€SÔåËÀºh¯Ý…w§y2ÅpÜ9úŸÎ‹gðèbØŽ@,¢O ô±+€ÓàíðáCx ÊHìÃ$ÄŽÑÉZ1J_-d9þ¥,ëÃÍUL: €ÐaEÑá¦UìBñ®)'Ë’VÂÔî›áƒ]o)¨@Ôþsàød¤YÒž4Ú ÎÁÜH_Zè²èq–«ª†îP±%Ùãál½¦¦pN(WZ=¡:>o¨öšþÊàÕ£Q¬ç~l;ˆG öUe{ᯭí½ì†¯÷^ï—ògiº?a¹Ã`<‰.¤?q¢˜‡OŸÐ±ùôÉš9YyÜBßœ>:{äl¤·[ð÷Ó'ðwöx›ÃÑ_wuOûØ%W?TCûª!lò(y<äà_ñÈyÔ†²=ÜSýA³4âI¨aûû»07víÉÈì<âCý¯ ¦ÎÑ»–r(†5[¿×±ªwïv/`qíÊŽãxdJ°ëSØ¥HEëòZ‡v-’IZ4þݨÀêô<`åÖ/Â1j—ï|."u[¤€n„·€³.öúˆÎô߈޷ÿ]ëÜÀJˆï£yG#üì ¡ƒnž\O[:ˆÍýDI7’Ž‚®eK¬. vãé_¡¯Ð¥Œlòä` `¨(5a¨ (ŸËHz˜ŠÃƒÝÉñ8{1;ñ£y?ÂIHv¿«BzzQdÎ3±ÓÓýž ©v½`ˆ±ÁBA%c²ºã]YNå(„[Û Úk?œî Þìºð£&vë4Âx‹,`ïÏ0›ÂÜÔ^Û; û½ýð ÛÛUŸ<N§‹éàÚöÃλAowñÛ˜q‡ÄóW'½ð4é—§nAÐ’ƒ ‚,J°å£Ú;•?žã/_5ìyiê'4ƒ´"ïQ'c0”/4gx²´ˆÓ‹‹ÚYÈʨû ~±nçàwO¼ò]·ÙYO2l”¸/íða<#ˆ´YSóªE¯ö:°<0±Ð26³‹·ôa°1ž%Ãeƒ…Íð¾Ñ”cµÀ±üÃ~³w|« “û=Ö ÎûûtBÒ4Ñû‚B…) ¾*îêÄÉ (ÂÌ)3 M–:ú]‘ãXVÒÆ+¹÷ ô ik[$ó@]âDb8l¹ƒÜ9Pb®q‚òDÇÔãRȈñIž¥S€ìMã’ãǧÜ+”´q@gŽ]4s€E¥‹Ùm¯ñlÁNßßo®éúv%…mâ)2º#EËSâ oáœÈq–Æ87D7-•h=Sü °äy0fÄ?Ùããa’.®ÛØX_†¢(‚5ß$èÉ «Ã‰Ä¸thPZz}©„ñ@™QŠ/ÂŽc±b4«°‡Ô(>ÂÝpÔiòÁ|+<Š‹ažÌæû]w­2Ñ[Á)~Æ B¤CéD iØ‚wàSV°5=¥{½]¨nm­·w|Ø}¹‹6$˜V1ÑÖq½Î¯Öyk¬GyPàѽvòò?¡FÚUm¼JN¢dÚ&¯Œ!*áð#L¾£`£x?f…øACæüˆ| Ä[Ì… ^`Áó_`ËbIÛcã“_ã6y˜…¢•ÑùE8`CTÕTv‰ÄËb1ÅZþ» :ãÉ<›…ä‹-º2Šò«$µŸÏof#ÑÞ) /‡4 ­_Â⦀9†‡°òpRõwÕâ õâ yq†b‡z‘†r‘†z‘†Ö"ñ ,(i¨i¨‰?R 5Äý"sÇÅš årqa½dÃÒ’ }K6ô,W¥–l¨—l¨–l¨–l¨—lh,W¢—lè,ÙÐY²¡o¹†z¹àÌ¡ŒÄ¼ ¤¬à_çÅëR¿_ÏóÈü}–§sù;é` âȹÒÏðGü ÞîKÚ—ê×x¿ü@öôûp–íK»ò†é6HÏ.ÝFáùp:òWËá2“°‡›9ÃÍœáÝò,·ÂšVÇ/†Æ°`½0™àÈy”¤7áxâŒ^©Ö(mñ^ŽòÂÿ†Ã{­Êô[•)Ô÷!í“R7}/¶û,JOF°?i×ò÷åTF“Ý6ðe;D’FUf8t{O½½¦ûãî`xÌ$] =ÆûâÂ@5ÿ}ˆ®ÇžJpŸAv °C=”œÃ¿j/ë'qô³‚°Ý¦Ô´ÜÆy̺K ̶T“@Èç¸çs—“ù»îánžÑ nÛ½D,]e¦X®ÊïDeÑÓ'!¢Ž¨WHõ sFQÕù0T'EŸŠóÃ4žŸ#ýN.iV<1ŸÕPŒ°)¸b½ž€üÜ=ìô 5ñ‘µéË“Ã^”_ÆÕß0ãC¬£Í”Ör¦Åׄ¤G~ïJ’zûz¤v€@ÍiwmílÐ=„N‹møUƒ_4sê§z«g$’H‹ö¥”( yøä$a䦂ì5 „¥à@€ ÐzIú-9 Èxð (NShfÉǦJÐtÏz}œì 7³&Ì$R^’ƒ:ˆRŠGkB©Îã)váÛ¢`_Á—2+J¬d­ÑŽ·¨L±âqƒ>"-i¨( 5^ôßtMA\”ö½Û $žÏZÿ´³ßÝ;TzúŠJzIÿE‹Ø„Âù)-ƒÒ°?û’'XKF8ÑG†œ4:QF£I‚Ã6$~áA5¿ŠGѱrd{¾‹ýè*ºi³ºXãÂŽlü|Ã,)$ ,âæhÛíúŒŒš!®íÅ_ƒžLÉðYPšGÆûáÚŸHñÒª¸²à«ÿoÙ‡¬+UM8à~6•+˜ÀÂ%Ìì­õ¯ž¯£ú:C5ªmöR‹¬õ½UåúŸØk£‚µÃÎÞ÷®Z ë«îñƒ"ÿ²°1{±Á³]Œ6`²É¾/~Æ“¥­­¯žaÇŽö¾ï@UãÀ¹~ºöîºjo=À(͘óµ?M?fýdÙ^³[µ~58«‰´Ü†ƒ+Ú0i¼Æà¡ÍßöO?ZS »¯ºÇýš¿ö{å‹à«ßN{WÝwÑpW.F]I!º°ØÄæG{ÇI_†o¦0]~Ãÿ?Æ7×ÖfÃüYpºßÛóR%ÌXI ø·µÄ"Kõȃ[3ôÞ¯|Þ™«gõŠÅé¨òýÚÚW ”¥›|CÒ6ª¾R£Ò?ò‰ûÍcÜKþƒÑ/ÙÖ–óR[Fο²Š¼B[Ö!5ÉÞ¥JPÕW`[[FCÍ7L Zãæ¯NIùÂ?Kfœ ¯­†‚²q«ú;6ƒeËkˆÂÞ^+-¤¾Ÿ˜¸¶¦m.Êôñ¬¦%´¯­™ôk~b<‡3iúï)øÖñÿ@ú @·üð(];*óþÊŠ>b¯˜ WÕ‡'pÕ@î.cC}Õ Éöl>Åí8ÊÒyåáÖÚŸÚRé‚c{¯·ˆ¼cpl/èiiA8£zÍ _̋˭›Ÿ=ýîû`ï¨ûz¯®£×¾ñayýJ@ÕuâtËî}ê×lTlòçå勇—YðBÉ/|OܽHŠ” a‘Ç;l86ì`#ª“N¹b¤¢àJ•aØÖè¶÷™Ô8xrYuóÎú>^u}ßb}uVZÙÇ«¯l©æòª<ö­éêß­¶š4×kkâH·¶¶6Aø¹1‹Þ#ƒöú»wb‹KCvÓW9³üEIÂ~þ²BgjÎ09@-~»Œ¢Ô s1ßœ†§{¦D ÄÈÌamdêëÚ®«N°»Éd4ÿÝ6¬Cÿ]ZÔR¯xq뺠‹®Þ§kÊÇã™^äC(‰2ð3ºÑ¯-lqÙ” ¯ýéÿ# \?]Ó,EÚÞà$ ˆ¹òÞh¾¦;^C•‹,÷È“U¹Å“•¹…ì×JœâɪœÂ©µ¼ÛŸ”¹Äªß¬È!`±Ö|bª¾ðíý³ã“þ7Ãþ›½^ç³YÚç½q«@ ]à-RøÆ¹Ý¯vjà¾@, èžÊÞm¼Æ–Œj¾¡Í¹ö§Ij•g%©ÈÖÈ 1»Œô_­Ü]ô„Àìcï w¢š jFôÉ8“!õÍ.höߦcIž\WL$O ÙEÃíGtW}¾¤·ºœÙYºÁ½Mo'øAMwÉßÇšOý…÷îQÈìÞKº¥gk ߦ:7Ú´;ðí3ÏFÈ\;)ÑUCžs€¿[sL^s•V›²2ï´~†Näø*<Úû¾{üš”âßߥ%&$ÿ i&_==>KÒ'vjMúT¹ÇU¼¾m¶ìëót[毦h˜«òÐ1Þ`ÞŽpGqÍ€–uH”pÑ^DÒ54¶…ÿ“úUOû§'o;½Óý`¯ûGtÌ×òÁ^ïm÷øŸ×¸%?þî)èÉÇÌ*TÏ: ‚ÿ!5áß ŸÊ‚?;i:ø?x­éȽ–N¥Lëzæ­.ˆù³šù)µ¦žÏ.~ж<-,]öŸ§Õ˜¿+.ïrr,¥˜,j“!a˜ºˆ/T Þ€Cýàë ÃŒ1lBk•S((âçyö>Fÿà×C%ÆÈ”}ióñÞŠv‡,RÕöšÑŸšm|]q+m ¢žÉó5TÓŽ¸¸}V%Æ»ká«—ÙxnÜDüɪ•.&Ñ4Ko¦Nm¯ r‚†9„e9‡yœßð­I6Áàê×ûÊë¸Ù¦»ÿg?DW-ƒÃgÈÑ–´DÕ×B&ªC°ÏЭNì,0È !naÑ{ì^]0”`wÀYEËAuDÄ%^`6» AÚ£o{mïe㚃ÿž]þ{Íá_Q—GòâñoÌð{ø¹güœy­ªgcr1¤ "8mÉÑB¼H«i^ݳy» šµjqÛæ:ÖÖú?…ì¹É^¤»¯÷×ÖdÒÄÍ:ˆMŠp–$ÀHöã”íK¯’7°rrÄÃ8Û1³…ø‚_õÕõ"˜Og;Th8ߊ~'A¼¶¶€NýszD½¹}¾`ú|þ6—ÿÑù_¿ÝüvÓÁÿÙüö›/ù_¿äý’ÿõoþWĦ¿#!èûÇá`¯÷º3Oz/»}‚§÷¼<íŸn7ŠŸóQ’µ/_¨|s$j&LŠ¿†áëã³ý0dˆ`ùÕ=Ù_ X¢[¯.Ä£<¾E¸W©›€úG{û'} H? Þvzß÷ðé`ï³¥ŒÂ×>ÁñÉñ'‡{ …vÂ×§½pÿäìx{hM¡óÍfÃP¦m+ @+õFp1Ë‹Ÿ¼•ý¼£J{[7z·Þô‡|#Ô¿-ë7ÌåcÙ?=ÝÓÙÿžÑF ú"ž÷dñ†õ1 _ Z ˜kBË*¤èçùZ~øª¡ÏM8Äé!n=náû8Õ˜˜ ‘…¬Ù:ñ$_“`Íb©«“§‹âò(êŽ2Ø£Ù{±C&Æé\"AâkÈ÷ÄÉ—.*¤wq²ÿ‰ÕÐÓä œÊ¢Mä‘ü,P£×›R„ ÊŠ›´¼K†Z,ÎÛ8íwŸ´Š™–wH"¤ñ`bÜYl3Ƶ7¶í t`»Õ(f<˜_ŠÜ7»üã[–²¼úúiââ3U¿OfAôMи˜dçѤh¶°w ê„Äo fÿ­€:UÏÝÕÝr5F·\Ñ“[–ÿæ–åŸÞ²ü·«• yÝ“k±þbNsÌGÍûN&_TÏx„ ž#úüà&Û%™{ä´üs·¡Ž±TeòJÅKÇR ÈÀ½Ä Á£Á@dŢǘӄš¼}Žï¨‰ö'&ÕQ¹8µæÌS.JÐQÌ’¡’+®‹‡w’Ä (oEÂ#åÅB$Ê›v,r[@3“«æ;àÍr!Ó1 <&^‹r8îî`‘ \KÏ\ š´$Ê3n±ßyGóvqÍD4]Ó{vLúûû˜Ðê`´Î@n;Ýz’×î.HÈy³÷C'<=ë¿ {×}[ò@¼¯½þ‘~m$÷q¾ã³lÓ¡ €µ6õI’Ä&ṵ̂p|2ûû{°ÈZû×YúœÄü„ó¨R/!Kó÷ˆ¤S₽c \$í©=@«=^¤”‡O.¤8Ù$¶]‚¶%N:U8Ÿ‡p±‹yû>[“Ùš1Ú}²h`²V°\\ÉcÚ@)تJ'Z{CòSsT­2¹Ü¢0Eoˆ‘ž«üô´SÈ”› YȯK˜‹UE›pllµ‚Ñ&m€Ñ‘÷310ÅT™e”Ì­kjj¬ƒàð?ÀAïm^?i}]ÌÖ›;F;2=ád“D u7u+î Ìûk ®&VFÏ‘ƒ‡ë^·àê­Oú§O>ýÓo>ýÓ§·úV¢\`IÌÆÌóßNX`¶7úô¹}úÜŽ>}nGŸ>·£§Ÿþé·+|ê~ ÂDå^˜-æb‰(7ÙßâÍQ!éÄøåïÈ g/¥© €¾£L5ÜÛnZC©*ö¸IZ›†æút¯¿ï&ÀØRG Ùà%fY £Ï¢Í`ãû_ây2 ŽÚA#z²+ÅT»ÃÕ}yb÷Å–«?ûfµ‘>mz÷MÍ.©¨é`µ©=x¼Z±'«[m”OW+ö­9ÕJB-‘Ø­Nm²“¬I«ò0¼éîÛ¶mmàN‰&µŽŠjn9Yžîá%I÷¥u:?©;o­—d¥ßœú+´äeºqÛ©Çh´m­ ûöqíÛ'¥·;¿Om¬nkTÛÏQm?GOjß~SûöiíÛoKo+4º­Çµ=©n>Ú”è ÑÂDGÉÈT묶››Â4Þ–ÞJ'×X]ßÔ–¶uÍ»£Úê’! ¼z@v[žü¢¤y°¼lŽ„ÉÔT¨Lå5lû- ±r@»¾aþ¹løžaât>²B(Ž ÆþƤ¡ gH©ªJŠb¿'_¬8€½z—i#¾³Â´ vv¿ï†¹²hS’q¶=‹C÷ø$|ÝìŸ:ï.eçKƒÁaz/XÃð¤¾Ã¤Ðˆwí½#é·LÅ´µùt&¤Tlk3|úà‘䵺O7Å£Å0ƒ}=çžÚtn”+•Qô#\D…ôÂz‚Søêô,ì¼Û?Úë¾<{íÖ;ŽÓVŽ]žš°gšèwÒb‘‹« ¡•kS YîHA'µ&Þ µFRj;–ÆèMÈš4± æ‘”0‚½ÒF”_´‚áüzî˜O¸*| ªèQdåš ä4†”V¡ÇSÑ\Ò6Ó¿ï =PÄUöÞpïà WÎeŒÛ*ä’¦yàÄd‚ƃqÚl¦ÅŸi¯È´MÅ;úÒ–úßb¬[šÌ4D`ß°Á<›°Q‚v=%‰%| O£!ÃÄÛÚîoöb2Ð(åUòÆd*LAÂÄØ®1À諾â)óŸ‡W;k–bVq3gH¶i–ͶDµ{¢’Z* A¦É å^…_ëãb>¼ ¾Þ\žë»Óuàª:Sm7}úî‹W9Ä% ǰšü¨áªVîß5+/œMÈ/œdŒv¡Æ=b¾Ás7cãÛ½ÞqcÝ &”,âѳu—Ý­ÃzQâ‹4³Ž 4²çIŒÖkÌ5’ÚíößÒõV°éª‘ævÖŽ-tr"Êo‚è"JLp ©Ó¾h·v®Üûäd èÏâ|‘ÎáãíóÈFž´’šÙ2»oÞã½íÏÛØywÚÙ461ó¥»­àÕÞa¿Ó4©ÍÃmdƒwØÔüXͳ`cËYW” *7pÉNFŠdhK4«+°58µó¦×Ã"ß)§üÄk€+tùÌ9OCìp2\ ~¿½Ûï÷Ú®¥£¢·Åœšs¶=k:ê „eäîÿ§ñªƒ2NZçt<€2ü£òo4Ä<ÀÇÖ§Mþvg•OFfÕ {ºü±l¸âEtR¦Ùã8E\ Á" æÁÚêØÞË“ÞÚúFìêõ:î‚]¨¦7}f¬x '%‰”xÁ+@„™¯’Ês”y“™b¦÷È£­ƒùÉLYSä¾H É$" ºUGÔ›ÈgW…X"‹©¾*³XŠ…íUä‹ êÏz,á4k7\_b»Š74ó×N.€–ð-áMöê·ò*‘Ôøò¬{8è‡gÇo¥]­u¢9C“j±¸¸ˆEºÏ — Ô4 ÞÄKnZœ<ë*"Xï:± à×(5œM ¸žUUéÝ?ù¢ˆw+&|™ÃR,Rl%1ÎZë„ÆmP{'äï*Æä'£8“m´ ëÚÓ(.0YU<ÁT¸oNÛÎ7oãûÂ#‚´2ФèhÅù%-Ÿp¡Ý)¡k:˜à·@Ê;™£:UµÝ¾¡ýùbìxà ÷ @¿NVÿ yÏ.ÁÚÈ$™êÃQøæ)‘z6nW³œGIùÑH¥ aJ¦3aÞ¯ö’)E< =ÚÜò~;¸ˆòóˆ²ïS­‰÷®Ø¨Š<ˆdvÞDeç…¡•RÊÒ—ìl´VæÔ¦¹¶ûèñ¶ÅüèÙ~Çzv6è?qÌ­ÆÛ“¾]Ãþ»ðìõ$ ÷A©íU×AÁŽÖ7·ý'ßmnZÏzƒÎQß<)Øœ&¢/Ê-Í+²Š²¡]ØÕFeÇCÄwôUˆ‹‚­WlÂ)ÚÁÞã6HÛÉ<Â]ÿ¬ÿÃã–ìQ“88a¨ßðANÂu‘DÑöT!zÔ ]Ñ0TØÔ5 ¾Zò‰wªØ§iû¯3»0)ŸœUˆkK­§˜sq>§l1"ÏxT€JO'” n2˜¶+ÊKst±ˆhòµÎ?“þ¦ˆ»»-..Q•B[j0ø%9ÇN’ù“jiØ5 ‘Û¤˜ª"8>ò‚Mæðc¶•žfEr-Gn»‘" xË÷µóüFÈÆSØå1~N·g“èC–Ó%ÌÌv‘t•Î…÷%åsY+]EƒÄs*ÛxAJL¨n¤­›×9ÆÂ‹›WùPôÀyZ /c÷ʵΣ8ÏÓÌy¶Ha¿Èo?5JF+#}GÛw…;…Er¯Q"zî‹›Y\xßà¥SéÅx˜Î'V•ï†ÛxºndÙX/-'_‡ÆàJÛ¸œím=š­¦õÛ¦È[jÂGSN'LeÞ¾êu:/û¾>ò4ÝC1%Úú¸J³ ÈZÕ¬€­l–‹\ê­îŽÝ˜¼Dß“ù t»àæ¹™M½Ò¤ItéŸÂØOøJʈ`Ž;…3ãš#¤ÿo8Es¢ âðÎÕw¤{v1¥w§·c:YÐ}Á~¸§l“}÷Í6ì 9xŒ=/a]*¸5OÇ{ö Véës=Z§'×òõÙ»Çß=­\‹ÑæÔ2gžçópŠïØhOCÒç£4XPY¼~töŽ;§†ŠE蛇Æì~ÉU=K…›Hª,ómËäBŠû›&ˆƒ]´M÷¹ŒCT€cí®‚dt"9QØï¾F“:±û;è5š5Lá«`ïx¿sèù~ˆêïÄú\|Í6 ñ}ç]wàù:¾NæÆ·öË_2J¸g?„2¼´pö_m…æq£,Y²”[~ïøõaç <Þ;êôCeÜ2™¼UþtpEÉ9 Cbâbžål}‚¹h''ì”Þùâé :i+3Xb{­‚0,-^©(ÎQPLI©ÏŠQPMS°t=ËÝ£%5»'ר:±ê×¹T+.µQ§XyוÈ`)¸‡áÛÞÞ©9dü=|uv¼ß7¡¾+Ði»wÇfèÉ¡QUTDÞƒë÷ö4ÕïóàÁ*ž7ZÆ ÷áïA'Ü8PcŽædÍ^©.¶~5PvæPĈ5ÒHZÇvjFÔaŒA~SÿSŠñ™0ÈÖòíSP®Pp”f#A;"èe“\ñœ¦ÂøY´dÒT5©Ö5ÉZÃJÔjL¹f$Sµæzã§äöÕ} ç£Õœá eòÁ!J šœÍHø HjRzóúØ~gQ84`‘¸²ŒsÙsа̘T„Ù¼`,.tèR vÐ ïsDÌVɧª› [it#>G3jA÷ž-4®Ž2ñ„L±¨ˆ(¼’o•R²ª%”¯<–Á]Ô-ìj{ÉÝTõªûî¨ó,8ÝŠ»Â¨Öìâˆ#F'nàÑ`9È)©A'³ÍðÂé–làó2É  wUÛ_9™yz_ÍÝ´ïØÒ]7Mbã<ùwøÚ­îK-v AÜá©Vk8Žï¦»zÈ-­Åvù¥¯üQïÝYÚ(s[«ÙšÖdéj¶]»¦笥|âŸþ^yiM”¯fÅöRXÎEÕÙ^)Þ´õýÝÞi—¶N‰çšÇE0_ÊþV=+¢¥5©s"@Çqç¨`ÿoéQǘŽÒÀL”-ø¸E…%:ÉòÂ?‚ ã©\fWå“ß®r:è/²‰[íŒC6IÍQõèž+x—}EîjöYº±¶ú|ÈÄ;³ôÅ2bB«êgn¶PY«(:_²Fï XâÎn“•Ó+ŠÏW˜PnÚ‚'¨äô¢o•\GaÜYÐ7ôðC4±{mœ¶˜Crü7ŠÏà+ R{€€ ƒî>¾;ϲ 9ÜÝL rëJ(ùò(Øe‡\òNÅåh°Kêø•èãMBÎ=/¼›ÐOÏÓJS,ÔŽ¡fôÀ®16I²*è’z·£Oµr©Ñ$›Åic}’œKƒ;¦ [oñ÷‡{ýQI¦¡ªÃtiZZ±]-. Þ!zò:´©åõõ- ÇÓ}ôã@Ïl)Ð ­[š ÖS)£Ã™W ·­¥lk4Uj¨žµ‚u»¦õfÝjáèjz¶kúÛŠ!;Ö$tV£kºëC¿4TL᪢ 'ðzÆèï²1µ5×WSÊmu¡Z$w&ÕÐ~﬊ªVY`’ÍžHéÿ÷vë‘°•RºÓ¶VVk½®}®k½Îhc©•»KþJ%Xµµ[€j[¿½Y¦BRw:+uƒß?XS™¤üŒ~Ð;ë¨óXÈäxMR§û?õ1âDpxjiQ%M`œKÁñöÒ Ê‡HS™›ª:Àç̦’óµRDg^MM&°ÒþC쮦¨½Ã·{?öã³ÃA—ЇÔeq*¢_`8ÏèºGW&{ ŽE!š¤Àœ†£²µ³Vƒx¼˜žc¸Ö]@Š/²\\bKOÍËèCì à)U ñ{ŠòTžÁSvÛœ‹¬¢ ·\dÙhyUÁÅëB='½ Úíö2°(¦xAè‡'û°P¼¿¦¢ßÐ'3¾Æ˜µA½ }k6ÏÇyÌÞÃ_úe’óB{3ÆüTj>ø–‚Ü vr¤Ãý® ¤ó˜ á@þ1û.â{ʪÒ,ŸFo£èé~È&H¯Z àŒ<_§ñ4ËÑç!Jª`;\ÅAáæì„2µOnVu¶—ú˜ZKÙîÄ&Æ[ÌIˆÝ ©»Ž¨eÀ@‡òzMH\.î£X©ÁÞËÃNØÿëNðða¢å*=ãØ .ÿSòóN°‰‘V³_Í‚AJvœÜ½O¢‹£`ëößt¬X.ÿÈ&E-7î5f/æ“qÑ4°äß×J—dú’V¡uí#þ¼€LƒÍÀÍlP3´Þ4Œ7•¡ É<4Iй ±µ‡D4Ôõ‰ºd®ÀQ4Òé"þFFE%ˆ-ª*œOü[–gy!o¿˜¿kAo³¨¢Ãj€U‹i‡zPGÙ?ëNŽBJÁùª»ßtâ¸ÔHÂ÷ñ c³š*zBYdó÷…ýI)z«¤ Z¤å€V”9ÉO÷zð¬síõ¾7ÔZDJÀG^ß¼Ø3[Oõ¥¡8Ó8v„h*‹ÙOfñ`ëgX»ß6?îÈÆ1jLÌZŸ×}]áwà8¦8.OÊסtûäþcS·N¸ïè]¥û@$ VufÍq•8¿!ae».)®{XƲÛÜÓ8³“‚[äÖÒ5Ä ÝÀÇAÝ-&VœCu[N  R£opÉϨáèF,[„”²äV…LA”¸Ä•ÇTÃ8UXd0ØM JšÞp‘4“!9ÝWBŠ&ã–qéâ&®ŽLúŒp,èã†}`Ù¤®."þ9¤è¦ë†«(Oñä¤Õú %Z4[kVËH„ƒ²‚˜U{ËßO0 eOÜ›¥2¹½(T]8ß“"¯±ïSßöœÈzÛɉø™Ùh4‰í^p䛵÷sÃ9ßUÅ2jG“ϰýïn3{b¼‹x26;±&îGx”ºLw÷yèK ¡èìé[¸É€D»ÛjWFC%å*PzfT!$/ ÿÞØÀÛÑ ÅŽ ×Cá8r“~"Y˜ä਋݅‚J«á`Ñw|ƒÎ^²šÓqÀŠzÈÍûHoØèìŒY‚é°$]a‘Ëx2€Ùä”H8¶D ˆélN"ß@HÜÉ”B¥±Œ g/–—G—‚29ˬŠ5¸=±U±×ûì"G³Yç² ÈÝJ¸þ¶ ™û…Q‡{™ÎQ‚nP‘lX4&Å_x¿À« r¡‹ÍªPNf@#Ôö‡(Opû¡ÂÒ—_¢S1æýËuÔ•YU~±@¿]ʦ R3ê.Q~³zhª¨Š˜¯flÏÍõüÇ?Lž÷Â|õ0Ø6ÅÆ¿I‡—y–‚®(zŒ…G¨ž[Aܾh+¨W£ªr¨¥p=ø4,(ÃÛdغÅ%ÙÎAçåÙkÉ Ö”ü3É.0%B:7Öû¸‡‘“â…äŒ1f¿§¬†~=Y Ú„—ƒ6,¯Ç¦±—~ߎcrÈ0$ù8FyŽÉù©È¯$‹4¯" ÷‡Æ' » ¬„C3Ë –ª”¹Å©Ê‹º)ÃK”yrÚ+°G,Z<çd\rKEçñ\ ŸÈe£á»Uá¹XžMÏ Š9jWôÊÈØáÝÍlê¨ÝÓ²‚—û'§?6îY¶ù{K¢ˆß›N£wÛy¤,¾„áo]#뎠p=|£— &ó 0ˆ{øc³éÞ騄JuMÀBø€t®³8NÁÞ¾m‰ð5j×e4o¢¯öÎ!ãÏíýø²ö@‘×drSNJ–R¤€Îí ŠÝšg@ghô{†.Ð8a·mJ;QÆJ‡Þ’DÝ|ò4l Ä(G$×¶ŸÂ°ù»ðGÃ@„ói ê2–“yO~Ø,YO|3hVá,ŸlRVRØ(-<} j‹_ƒ £ bä–Yó‰hÈÊlCTiP…gPv»M]¨‚:êÆö±¼³ˆªèEáÖ¯xx¢•q6"£"°˜]GZa§ Æ,åÙÌ"0Ì™¨ò ¸]œZÚõ ç>'h`KÃ_î|Š¹Ô¥ÜUv«×geÄÑ™*`\YX‹{û‡äN\pä…šðx‘ï#Ø?åСϾÁY>Ùpfb´£X ¶…Œ¨^™x.AT¡Y°ˆ 4Ša®CÑ´Sgé:JS%Ⱥu ®ð%JU°Ç©+÷X+Ö1\ó} ›oah¨£„ÈÔrîá× D„íëuª0<íuG§ƒ^°NÀuô¶iY´Ëâ¹ ŒbmÌÌ\žÝˆódÇ1¢íø÷åÊýflÌjy‰)csú³˜!…¥TÉ"ȶ–c{—»ƒôI´®ÖäZ½ßØ–}ulVG~8zè½ Ðñʵ¥þ|Æ—­@:â #R³LHG&w ¨œÅ™i©–NìθDƒÌ–˜Â¢ƒåŽö05TÌZ ãrå>xïÞ0Ý’oËà)4~&Ù¢p0u,fºdËö;¬[m×a®¸isÑß=Ù%éqÅ]‰0À àšp‰ &Þ“¨{xò;s¬åsÑd¬kÚÛ¾äÀ~/Ckp=ú¾Í¸(s®×ô%……ª.DÝZª¶©ú–µ^tD”#„IÑ[_TÊÆ<7ožššëøk1®»xa?*‹Šk9²HC]©¾n¦ËV&$?¯ïm/0õ²Ì/K—˜…í—°1¿ô_`Î/7^,½¿  iŠmc f±¼uCëG}l^àX³,Cd»såãq+ ­NV„ˆßWx“aL`gC ù½WëØ³u’tÖQÇYëP:žˆ“EŠbè#©– úžZb'}ÂêBNž¨ª·oa9Õž¬z§ñ•¼ÓöFÛv‰V6‹»ÇwdÔt*`cƒÈOŸ#s†B’B ‡£Z[mÉZ»¯q¿¨Õ¯gÄ å¬ú¥6wËÞ—~Þý•¹ê÷]ñS´{·~Gz¬ý×ÙÞaC–L€~ eww9]Y ³É$!l—hnvéëÑÏ4ËΕŸu»çÐr†Bþh¥eÐÞh†ü(fážMÖjN=K©olíþHï]{æ ÷‚2ó–xú=+¦Û±­Öä"®ÚO›?ûÝ\Lf5ΆwO?ðxÒ¡8èôŽ÷ð\Åó¥!,M¾*š ¥œô œc VÛÆfÓ¾ð¦/¼[†¿L?bôÿ|ß…ƒìä8 ½wÒ=X³†ß1 NHŸƒª5OFÒ]„.22µ³?ìÝMÏÔÞ0;„ú¦>fÓh8 /†æý©ñ•]L‹ú‹†ïÎD“î1V8…H%ú¹hUšq žá•©÷½Eâr/èNŽ’|~#Š‹jÄz©g‰ÝÄè&¥9>Ý!Vóü¤0ù<³ùÆ@‚-%„;HY0Ñp–cÒ[qCJgE»écï|j¢£·8-GÜ'¶…“ÁVŒõ'„ݸ‚Ïx>Ì–Ñ© *7éí.ñh ¬cNt¥Û´?ª¾¾SGG«,Ù5-z¬'ûâr1eW©MÍK¶†LÄZyTféBš³¢ó‹Ò9$ætfîšm&ß!3"w0þK\ÀýÜe®ºÿTŸ»Õ ŽHï5r*¶6"m–ú[®ÜÀ¦ŽÌ¶iM_"+¬Q,…Ë{`Èû~´‚ÙÆ 4•1€Œáâ>6ÏÄ&jÌT—™WtÇšO\FxÂ,ÆàiŒÉ Ø’…¥ß›xîÙèô 9u$1Á‰Å)3’šÏŽsïPÔ¥l̪BÜàІp+(™Ä«dF’_øïä{Õo’Ÿ# Ú=’\Q:„boÚKØÞ:†f#ŽÉ„Pë`’ßù#˜ÑÊ»’rþÿÀ¼û‡í0K(ï®O8(ÈýŸxNðVï±ÞDE‰+Š: 1_\$b€©<íx“qÈ9$Üç»\SK¬×ú–(x³¦C’ô29ÇËw·ŠÅl W|²×³½¹„£ö²'Å„x>`¦¯b» aF`Ìê!©‡xý¬™Ê’^˜0­#ˆóbV'æT2 ?§ùYp “˜Zw^{8‚5gJÊÜgç1vµ#Þî5ƒá³„¥æ£Éÿ³s†Xm¶­y¬XçªÆÖC‚ýéd‘ªÉT‘/äS O‡ˆ¸×@xLPP¦xïÉ Å{ša8×ÈæSîp2M­z[å¢Vº¹Ò`ÝÉj;;X.¼pæÌrï ɳ°A‰Ïq{Œí×ÝZxå¯F¹Ê¨x€ÏKª¬ Ø]Èë¹ë¥ éôj•5|Qviu._pø—ºí¹´Ué…¡Q9ØjCÐA͸UŒb¼îDÖ-rÈî¢V/‰€É¶]é’ùð¡=~L‹hLσÆÖ¦²§@y“³ B§ª÷{a`þX½ùÖº7í¹[´l¢¹{þUúX ƒ0bŒÊÙG]c¼!7Ú®¾ÆN ‹ db¦ö“6‚$‹.F˜'‘ýð»6Á›äÊ“v°Hòú$ :‚G³'guEº‚³cóC1a|û½ÀiüKƒ&‘B|\?]úy¹°N|¢yŒ¨°"ìÆF…ØG }ù‘`2!¶¡[›Ý”´…š:sâ?ë$c¥uS;•• Ðq “C…£B J0aÐ[‘0”‰&ìÔ¢ rˆ*G8­À*+‰Ä„ʳSΨœGU^P¥hï± £úÕA³¸&Yñ->”­Zc(ósœëܳ¸z­–,,ù¢«U”|©›ý›Tê±.Ö[vˆÚ ÌuäÐt zqÝ2²gIíI²¨KôTO áïéà‘ĸ?5oÖZÄnÃ$ìèw²»f'mÊó Õ$Ecž·Õ£\3·×ÇJ×qfÓ§"fiÐPÄù™eáÑŠ’Š0›úhA©E“y:Þ äI\˜‘.JYî¼"󞑾¥Ï4Vø[ ˜Ÿ®²¿ÕÙðFÒÝò¦æ*”[/¹]Gäۋʺ±FåÚmÍ¿Z·¾³Ôz Î Å1ɹ>_ÌÃi|û£‹WÇŒ'ÛÑæÚ¼·î—´=ÆÐ[–­Ä‘’ Û‘?Иî!ÍHc7ȸÚ(ƒÕ¯PÓuå ìb¾½q‘"±ëS”mLFvÈ ifÞDÎ »Ñ掕·Þ.$¿Ió“¤Ó.þ ÕÎÙº¨‚³Ê!Œ, Ÿ+bžKT“€”®4šþ*?g5´¹š-ÁJ ã4x X•Ñ„'X°ÊŸÙdõ-_UåuÒ¹åDº$ÊÜq"IÑS^ÖRãBekpØwsQ€fˆ{çÃ(¿16—Ž&7aQ^$r÷؈ T`luÁPªï£¨|Ÿv^ƒÍo¼ë :ä×FdT8óÊ AÉe˜„I¿“ú˜Îšm !:‡ÀÆsi-·”ZÁ=K°½ÜcˆEçqðVÞ´vK2ó'’E7×+RȺ)«•àäR°îdE܇ºµ‚ÅZ‡ªIFÑÄEñ…< ˜”BÞ”ÀˆA¼ ¨å÷”€'5(©°úaa_Uç‚k°A –Å-°¹æ‚S| 6Ä|-Þª(Ä!|µ×ׂðuo4;òu"†H§4š(FòUEÒ«míŠð4iaª¢4ÙD„À3¼1 ¯Æf†GEÐh?cKPþ^ï×ôJÞ’æBbõ! ¡‹ƒÌ!ó5yÓuÀSD$-ÔŠ‘W \ã ªeBSÂÍ<.hoŽÈbç&w¼ùæÑ°¢pyhhǦ &ä³v9É£íß_önùÇ?ô[Gm–öŠï–Ó{R¹Ql½ ¡ÖilÜXjƒƒ£%˜˜”8¡$ /ÂÃîËÞ^¯ÛéW NñÒ›aÈauY¤ÍZ—ã2Y¿§úVNß Ù¨#~¨ÇÂñ³Ôxö ù9x!s¼fÚ¨cÖŽéÂΰ®p*Ú=wv¶šÛóº~TôĤKœñK¢²R…®Ã·"Kà’X0fá YèDÓsÖpÑëÞÉÛ~xvZÚ;<î™´%@%Ú@Wš=cþ¬/ª¦¯b5®³Ù¹L8çðƪÞºƒ»·îa ƒX¼âßó&W„ŒÀýIÊéç&QŽ9¿År"+’ /0ìsPvć3yÚYYAËÚ¨t”cÑùºD àÙNB)íF¿DtOè&xM¦Óx”Do5ûD²ë ³Õ’ÛÐ:Ì·ð̧ `Õzœáy<É®“£Ž/çn:9¶òUÜüwâyÜ«µ:æcó5î’¦Y|ç_Ïxj6dÝ ½ƒmÉ´jØ6oÛYe3jOJs7â^“{/<‘â•Ö4R› |D0öDèY{( HúêåÙ+Š žlþù©ókÄTÐ#3þ¨;Øa¨ð-6*‘¿04ÇFÖ¿F/âòêrÅKý²a¯”SèÍéÙ;e~PƒˆŒDÙh*Qº˜†mÞ70Wa<©K=eCåïuß…¥M»È›½î÷gUß÷O“ökëxsÖ;°¾{sjƒ°X/d,(ñ¨ÃîqG^£/Ç®(€N4b61e]–Ža?œ-ž§/Ö±¾G8NiY[ù+`±ð|1þÉbW?kÃîXÿÈì²…¡°nÒÞ ”ÁøäºÝõVpö`:~4<ÆÇvˆ!*äqâzº ߨTj«˜x¦!áüÓD-¬sxè tLñÙÆ¸¥†Ú²Y³hc |Ü7ŰԱ²e…‡’.›Èܸ…@Ÿb̰"Ádv´A Ðv½Ä–Q˽)­Ó[4£«:e'Î0Ƽð[IÑ…Ìvq‹+ïÑ3µlmnz¢~u0Æàý¿¥÷q¿éÇ·øÅðþšu†%¶¹ÄÌýò1?_Üo:¸¤0} Eͳ¤qO< žü쀈Â/dX„W"…êÅ\" ”Q)Í*¬†€xÂQÃiý¯ ÛM€­Ìˆ#/¦û³E!ƒÃ(ZÆÈËΦôoÿÂ3üQïaŽÙ3¤_õÀ¨¡Ñ Œ£XþA3¸§ëÑ×å¯Ãþ}8G^„§GüïàÇÓNË}³ÖëuŽá^¿{rlðÑòsðJ CçÁÆQ)šôŸ¡¯b!T (˜ éBuÿôÌ0Àéô0ÚÉh‡f¡‚)<Eñf%Ü*n…ÐrËt¸·"Žirþ…ïÃ7o[oÞ†Ç0#-6.H‡]˜U N¼Â¯)½n*Ô @Éyó‘ø¥Vp/ÇLD÷ Ž#×L[o+=—´Z°RöE›nsíŒÏ–ü슕[dPÝÄ#-¦Êœ*–À@²AÕž"Ô¸›§x¯wôxÛr»* >ly,ðNàˆ¢|ªŽˆâ2»âs"ÍÒbÇ3TމL“ÔÕ¤õ©4Påæßƒ!á6éFG:ì1$ô èèSx¼È‡älè÷9¦¨ C'=æ†ÄŒ²”7×jJyõt°ÚrÅÖS¿0á• (Ãpü!þùˆ†#$Ú©+l9aƒáAIM8¬y«s°VBP¡ˆü éèf)üSíˆeÍŸë› Á û_ßÜx>®C<ƒ’Ñ |êHsÙ3¾ÈSÙF@Äœc°ÝN£"Ft¤z§7«!#£Œ6ˆTE8vlƒ—â6 áͶåJ‰óñ<Ø&Œ¹x›?£†ó¾õTH üD‚¦›‰±zI¢cÿ-Ò\O ÍHRdc ŸìˆÛ¥:…èW!óé 4áqÿ6ªºWÛ!}6Ú#ÆoÞg(b…ÍJ—üó\!«†fûç&É tÌá}ЇÒÃÂP“ œAR#Ò̸ò/““ ÐkŸ`b¹¢€!Þ*˜¾¤Û€I¼ÈÑ'Ê`ìæC/.%œ¨ôŸ¡õm4Óëvöú>GY>òß#$G{iÌ‚î tXЃòE,"®€x)ñrš ´èqMS”f®c9Þ2C'ä8v /qyë„-–\w jU›@aÜŸŽQå\£Fz1 5xqCÞܘ!=m\‡À»ŸãÒ‹oÕÍ´ñ˜ƒxÄF”ˆši:^ThIšÙrtÞ£Y4œ3]c‘N’÷ˆ"Ñ c€û×㵡ébÂÕ\µ‘’ ïPàz4 ÞOžæÃœ½!&bwhò@èkI ë.œ<9HÂÞÒ†ß!‚ÃØŠE.ru@Éb{Ç­°‹ãýð/r…;AÌHYKm“°Ç÷%®5ét5_£6s«ñ¯ùî>Ì- eL‰ž“’A¯JÃ×û çZ™ºšÐP¸G]H™5»Fá$™Ï'±ŽÝZ±Nu‘bt Óà•{e{A+TÃ!ðºð¡KÜWnñ:æ´ÂË“\<áLQjÛµ•îM ·?áUq‘ / ℈ö>–ñ¤¶áÃO>T °`)j‘"¨i.’Ê¢ªhŽ"û6êL7ÂPqvÜ}Gñ¤˜¼sJ½@Ùú†ë@ ËÿÍ`$ÈR·"²Þ` ª ê°Ê\ÊÀW±!Ìâ+ªúŸEÇæÅÄ8vysÁ8^²ƒ1k8¸ÅÎé†ë2›³Ÿk4go:£WØ}JÀCq(2u¶Šî³&’ÆÎò2O¨ Ì7_ì›I#ˆ¯c œ€[ ªí}tòËð ‡<¤¡w‰À3X§;0`£±ÖÐI}°lóãèœ]C€£V!Öˆƒߦ;9²a¥˜Ï‘â=NØÕoD3'ÌLù hš™`«<‚™ó›îÀ4i ý#8.Ý%XΩ¤òâ?¹÷æñ$þ€øØÁBe˜™‡6¾ 5௰Åpí²Kn9˜Ï6 J®L°ÿ8yî4KŒmóÙg“”°ŽÑ牀óa(óEJ7¤-¤rÞ"c¦\êNU]Iµ…zÞV|>«-KŽÎfâúœª(5úëÑæ…c-áˆurˆØüí ÐR®¢°Ó‹Œ´4%™'?&7À´<í ä5pŠ«2P'0ëà ŽÎêT´Ù¶“¤´ýš^tïWfbÀNàÉÈ·n2M²ÌBû%‹¶vR2ö”uYÜ\s² )€o~GÄ •L¢dÚ¨BD¨- oeç3uÆ›HÃÛY’bÚUQ+Æet·¶½ßƒFLÁÉÂÏ/"möžäXµOæSŸÂd¨‡eCÎvÈ9Ü!Þ]aš+'Ù¨µ4Åf*Îþष”„­0kÚ™9³þûO˜^êÉ¿×ìâL! <`F± ‘‡©‘(‰H¦T“x<·s®Õ†S,õ#AZ ²±“UÀEæ7¸j”²•¥¤Q‡™#;FF c”È/«à•*žYÚ¤©êŽÎBi"à–€1?‰jEÇ;ÈJ—-..-’5f’=“Î?ä͆$¸gŠqŒæR'óŸºIÆÊ„ªŽƒß:17%p¦él.¦””eRô0oÐÄÎÉ•ŒÚ¤ëôÊÚ$Ò`gŒš„70Ò—Ï—Ú¨JÉ"znxÊðwžY#9‚ÝÐ ¢y©W¸OðN7ewœôƒwD.ŽŠÊØâ¶ ÔxÄ[mº² F< š%ò¶goç”î A:Ä=æÕ]ÁH G<Cö¥éj¯˜f†€œj/úïûCDE¢aäÕèjzÁHó22}‘ªaíPO.‰|‘ Ç ãÙ³I\Ý)Ëp3³*ê„Ém2¤?;/Ïú?¶¤¤ š%sŠ8E"@c±Ó+©4 —¡"K•ÕŒŒÉÂu=×óÍl„U• âkwðJ ¶&œNÌùeóSÉÏV`ŽîóÂ~© #‘·Ly~*8ÆB4‰¶Œ0¼¥j/&K©"x0œu‰P®L ¡¿ôdžXH7LoÙbNn¸ZZY5—’? »:C¹¼¿Ðµš¤±*è¢Î‘2ûcöd‚-)ú ÑDÚ/dP¹!ûág…:ê hS ÏïÈMœx#ÇÔ0[Á@©ºlG¡{5oFIì›oåéÆak$ :uˬBñm™€X_zÓ²ŽátÈA•qŠ—úˆÜƒ·0ðo£Ô ʆåÖ»Ôx{ÏiغEtõŠåˆ!z ò%ªÅ°V¹0Ž*§…B·£$Í;]èOŠ_µËLxtŒFažes™ÒoùܶXK,¥S×XΩM´¯4n6r.•×õ“0t³É.ÐSkœ«þµŠ%Qù"ŒEn»ãë–~_¥?ÿ”¨vûÍùžÃ€ä½9‚M~g"<2‰YðàhOõQ_§ZØ“–‹Àbñ\Å[èMª±WvJ¥$”ŠƒÏb,Ð8Cž²V½%œ&ÂFrtÿQ.Kš^)Òš9Šû1I*ìödd7žO÷Px‚ÀÂtã(>œœÄûëšL•S½ôd$¸6«ïc'«\S¢ÑˆÃLEI®l þT7}alvÆï $o­r¹õÓ(ǘ†@½¯ì?§Lìæ)n¡¿ø{Ô¨™IÆì„l‡c¼¹¦TUžõÜ6=ÔG‹h²1ÄË8Ëá3Vf••î]g®°|D."Q«œ @ º)}^•-ú(W$ǵRð¥sù‰“ ЩȨ’(¶œçKвý‰u)cÔÈ^‹˜gYüþ"02÷ºî ¼¨ƒ, Γ rÁN ÛÎðÑ6žÏÜe.“îúÌ?g5¾N¦‹©•;¨Á8€¡«çÂJèAݶQ!J(¾¯¥íø‘HpÁ€±©y1÷²/탅!8Ëh)™ˆ“NØ_dæTø%N?4šíÀu«Ö)pºàÌ¥5£ÜN Y¿½î+Ì1ûÝ¿ÇI2MÜÉÊên/@ÅN”Õo˜AÖî[ógŸ:ö(ld‹—Ü­Ü´KÒÿfdå,Ä¥‹„vÙ«lÜW¯ÜA”vÄzŸí’VR´V€l“qÊW0ܦ_Ûè5z¦G“öeb»%!€DœÐeÚΨ0rÈ MD6èu³ãÃîQwÐ9ct%UޝÒN¥µ-ÓgѲ”´¬ˆUÄ{“°5Vy'Ûõr«µ¾À“;oµPØa+}1ö­À3D=hYåq@Ž™¡ˆ>Ĉ͋|O YŒb¥k %Šwtï ½éw8ÁµåÆAÞò –ŸŒûØÜYÊÄéú"|&¸d½÷î4ÐNeC‚ЮUášS§~.™uê¿«¶ì|晀Â8`5×Â¥¨ÏÝ/ Ü-‚ûòvô`ý¡{nJß¡£CÛmÌivÕ®‰,ÓDÙǼ<"B…KÒÑ@=klZ~Þî —0¤¸Npä üå_dE—>J*ãÇë ]t$aqÂM¾BïVL6¾˜a˜!í`¸ Ṳ̂˘*ÛÁf„à›cf(Ðz6N› ÷¥øF|oh‰†o‡pۣ瑙A ÀÙ?xcf2v£¹Œ"8[%ÉëïcóÕ‚èŠà+];KÙåÃÐõ …eôËŒ($Ëˈ*`nï9ùKí£´ùØ’§ˆóv1QŸ&Ê„r£>$%œ!:ȪJ aªŒx ¤Ãjþ9Á:¡Ã+ÕŒ´#ÜrT­²ª(=¢K‰4™-&Œþ'°B ™ã"ÊÏ£ Íð2Žfm7mŒº¥~`ÞSû¦A?Óp~3‹JoÔ®aÞ-¢¶^<ÑE}$mÑèPðVŸwþYÐý¿s;UaÊ'~¤œ™16[<äw4Ž€¾H'ârQßêIVAnñ 'ˆ±W‘²‘"ÎÎÙ>B 4Û¦Š$N Ij\8¸·¿úÜ•§¡Ä}’DóÒN`bÅ&>Ô›“F$ Þì«j% Ï·~ãvQ¯2R`ÔN–'˜ÆCbšYþBÜ2Ý$ÀËól>‡}ºjלÏTÏ\4ÚrGõÖBµµes"ï Ñsî—‹ØAÄ—díÌV Ò¤²Ï“qÚ(Ÿ!üý\§&Üû„rsPBˆµKF*ÎJ[3 .DŒÑ…Laïv`/_é,fA_QkBØÎ´îl9ÕRÅ_É-øÌ¯ÞvüòƒalUÀà¹ZÐÜv®ÝNwÇB”êéÒ5J8kh„†ÞÉ¢¸Œ ê¯å»Ä-ibÊñx”Å”pûr‘—Ã=]æôIOr•+KéªD@q¢»Œ|gáÃ(á~Žú¯qxÄ©(ßåjåtºæey©t¹Of§,š.Íš*èY.ˆ£UŒßžé z^" ×­ùï•’—ê[¾-ëzž¯­Ä7€g8áÝ 2Ôhw¶Ø*~»U:Ų•ýL5ädãU™=ñ&aµ¬‹2ã"ž˜Ù@ÿ¾4£_9.ƒï¬n½ÔÕ±¬áj'I¡ŒÕ^ZÞ¸§S<-Q—ßìý ]Â1nا·mTÉ`ÄÔ³Ÿš 1;QbFc1KF(½ê ²áYL”Dfô¬’–²$GGàE¥|‚Xí’?²3ïFóÂÔg»ËŽ@izc£ÎµÕ©R8ˆ¸5y³W[Y¼J×–fÅÿØUDb'<]PT.nq™¢/t’S>CPNSšp>qˆÍ1zû³}ùöþçÈö¥ƒ† ­(¼Ô¾åDÌ3[9A‡±¼]¢l”d‡”‹êÜè:Zª"†Ñ<kUz®ºœ¯î«D…¾åD$‡2“­eªì,¥Yj û´œ¬$3¦qiÚ¨9`¢¼gµ4ÄJœsZ]sâ#•vHqŸ¥7•Ç ×çÊ,a{-’j„7‰˜ÔZb_ hñ|%á)³'€"¤äà²&{ŒAÂÛνÔÉ„4A!yÞIT„ÍºŽ¬…›ö–² r Ad™›«èfù­¬¼ 36`o`ú“K–­ƒQ~!9Âí·öíèÛ g·3· e› š76q(L¦ø“KÙ·cA«mþú-àtíöÛAäÝTÇ}ÿ8„%}Ý„'½—]Çì¨_žöO·›Ën;1û|ÓH},]#x^À.üMlÈ>ŠAê½,³ðž½2w”ƒ°¾®$<›ìæ–â&UBÆø $ië±u îÕ<} þqíVËnx 8Ç=öö)o¥ðÖ¤=]\]+<½q4¦R8 (BŽü¶ƒ~6‰rDàÃPöUÚT[XN;Âkq«&"Y#ÕÏEEáx­<³Ùÿ¨@Ë?Ñh»)N'y±@GD8 ]Õ%ÍÜ F‘€0#wô+íÃ_àš3š™2sèZƯeÚ; Ÿ¤/èel¸š¸¶Œbi°1‚ŽF:ºV@8±2[L©ª †öÎ]†üÁñÊ0ŒämÂ%CL6F\Âe%¬U43ªŠ ‘±àáКI€Jú‚¶‹H+\%ÊBÔwÀ顼èb‘Û˲éTó9^ˆ*>w׌EøÅþÞ«N)1«r\«vÚ¬à}uõ»ìhW”{‘„+Ó('WÜ$3qù©oÓ#‚¸›Žc.48éä'Hx¥ŽéNp܃Àcè÷ößÜ.³rŽÀvUœWš]¡ÂáçºèŽÇZøða5µõ>1´òÙ# ËX£@^~3xÜgžÕÄ ÿ˜/ȹ®ûòlÐa «Lç¸èM¡ÖºÚ×ç¼Þ_~¾/u@[BÆx, ˆN–V&c'óO‰Ï‚õ˜ä\Gi:µü&QYÅÙ&3ÇÜ롲2}ô]Ç”é‰Pix65ùˆÅöÚ4Ò%® $Z®vZ‹Å¨¥Ì::Íö0ËGæ•®IN«9µwiå·bd|{Pœë[¦´.µîÂL¸ç/¦ñ”jößÏy<'ììk£¸7Ööe42]Tø¼lö±Cl—Ü?–:õ•F¤¯ôôjx›§ú¸¥k’f:ÐÌLº¿yxÍÚRP]2epVe!’"¶Hß§ÙUêÂId„E]ØY[oW,𮡟­Ñû¦ܨÎcBY#¯Uá™ÇÚW¬#G(Ð q‹¯Y„„Î~~Ñ¿!óŒ¸÷Än-Rz‡Š‘øºò€FBÒ·Y%|tÿÓ„/ï˜Õ}Jæð_…‰ áH´º«c€vè{}å[•š HR‚¹q<Âüº¼¤ÿrÎs5·œy~nA@FÖÞ.Ä@æ>–©‘Í ¡( FÂVÁ˜`ˆ#Þ^¼`L«]ôšiÚ7µ»µÜ¯8T;U·»®‘@Ú—‘} ‡“Ü‚¡“«ÔHà ‹xòHËÄôâÚ¨};!ún9T¶úƹ&œÊu/(‡«–ÁÆ=÷nNÊŠ*Š’ADšìÉ„KJ à; ´çÝ~Ú2çÚðê,uí[MjóöAè™ |.³ŒË 'BžÐþxIÌ,G@oa¿s|×{‡]Â×,ËjcUõiÇJyÉëߎ¹·üå!]ëp7(€ßô.9›nq>‰Ašço¢ËgSéLZi¢kÏ«ÀòÒù÷ܤ¿­ôåÁ®*_€8w.‡“²q]¬Ž6ð‹œñþ¤–*jW÷Èü+¥¬ ú‘ã4œ}ÇVV¶€Ñ¿ $-¼V`Û ÈrTM=â^FtÑ~­&ÃÒUÃÇÓŸ@Þ-ÐZ%·Öí®CÔJ)Ø×DQÃúN%è¦FoˆVø yÌLX¢ö0hH•ÙH@Ó‘™rβ¥7´¸Ÿ‹æÜ‹QzΨõ+xX:„蔳„¼!WyVïá¸ù`vÄæE<‡Ðj-ßÞ[æq[IË<30CŸúívŽ–«0I_lQ<‘jÞÚÇ;·[ë[5áÚåÄÄQiHê/õÏ kÕ+E\joßkðÍ›ÍÅÑ#¼†ç'¼oIÚ«1Cƒ)²Ö÷>¬èšîš¶æõ{\MLÇã{|T<§Mi[í—@Vlôâ\l,YM¯sÐí!XëÕšjÇÑå$历÷ˆÇ¦³–r…H½ùlìÒ¹“&Vcßh“K1iEj\Cô5ÑØÑe‘Îï:Jç†G‹6媠OCq!„7D t6PRÂP–?Î>Äùôçf»NBÃ'ßiù³(}Ñ ¸ºÒ#*FxU5z |+9›¶§­é êÖ’@«»§ßI~Y–Á÷tl³þÎÙâ¯Ïçb¶üÊžÁLÌ«¬ÚÄUyö7 ûð÷ ƒ°7 Ch°O ‚€ÿVVR/ÈY§f•ûþÎ 2ûjiŽÉü7wjÎ\ÿ éxÒò(2B¢†Œ9˜r&2é».HÊÞÂ㨥¼ÝQ(ü‰À[6îm=ª˜Ì¾ÉW0 ˜Ê’=£¦³91Öáãå}ºhAA£¡[%{3‘ˆD§íÎ`æŒ*>å3q'¬}Uà£*fšœ'"÷S #V»ª–HÈtz æ‰ÝÚPIÒÍ[ZŸñÏñIjõú”˜Øß> ÿíH îǨFÔB§"‘Ø pà©7ªg ìiý@ðÈ,›†ã´ÑlVOI³i§hIçøä¨sd¡¿L {YX ˜˜~3[wñ8~³ì“INETd ©ÈvE&O2E(]%%ËT-Koº¼( äÚ5pë,/%4@‘ÚÕÜ´AgèöùÎ.¡ìÛÀ6f40NŒé¡8,¨¨A,T„¯QÕ5Ø4•µx°j>Z½cJ3Ú°+¶¼2Py|£`òe}ööÚ¡…`Õi’ -ªO™«RzúHegcôM.ûËJ省ͳfÉiñ;­å‘§ Ââ\_E° üõ Uޝ g‰ïZÓKw ý“ý^·ïð†…´…&ãd¡ ˜¢ˆs:ƒ†xãÁ¨u-ÊT"ö¦ÙÚ¤?¾™4àô/vƒ§ß|óø©íøy¢ì6œ†LZÊGû‡]¹À$~½ßöÌx/%ÃÅ„¯èüS5^‘ûÖ¡’ÊÝøäiëKɃä7Kâ&T¾ˆ3â!»ebˆ@0‡ŽdöŸ'Ýct(¨0˹ûÀ¨Kòã‘å*ˆ]rSVXè¥ù™–ÇJW†n޶cQÎ=`o¥-ïɱ¬€c¤ºéµ« K¥x='¦ÚsÁ¶Ä»TÊÛ†ð4»*ªYF¬²‘„š“Þ(/ãh4bòvSqµ+²)‘HK‰?ã´Xä±öÌ£ä×YŠ3—¾‚Ü y§±·™1 Jó ]”AESNJwuS¶¨dn Ñå^­,Ëýpˆ×ñ*˜û¤6šÈ¹5ðG‰¾êÕã‹Ætƒ¶¦ë4Ç‹-Ã/ ÌniR%c›¾ývÍ<†nVm¢_Iä©íÓÈ“µ±íI¤L©~PŒÃà$¯ñ¨|ÔØñÄÝïÏì û&4³e‘Ÿ/(»Û›(y¿À¦£ÙeóÛ.Û¡H˜ÞCRÅZ4 *Iñ²“‰>¦`”;ê[Clå é5‚Õò¸ªÊò¦„ Ÿñ­$ÓšJV4ˆUTFè ×õæïpçV+† Áú§ÝcÒ—íÐoÃ5qÐû‘ÞãõAŸ.%£` l˜œÚ9r1€SPæ™C†ä•g£ÅPÀw¥DuÄ_ôM„™y®øÔ¼óxAÈ]&;ÆžÑþû‡@([›.hÁ wµåØü#sŒ‚D#aÄñ„aœK•î&Î}t¤.ٲξ֩Ò“ô”}EH`ðåKÝ;a> BÌÃó(Ï“¤ƒ¿iR6í¤/÷ c{ƒ“£î~xrÚ;Gg‡pp²“Rm†uËàS3‰Çú…wxF*".O ¶ú Ÿ[Ûß"o<Äë++†˜eô/Z =]kw.øÁbÖ^™*ÊyùQö>å)ýê í}‰$"J—I:—ìý\§”çÉKï¡*<œíB)Ñ<+Aÿœªâk 8‹ó$-M7C q§‚XiÊ<À¤E5ÓILŠ`c ñúß`žÇˆµVÌ’”1¿0ö•€®YeŠâ NH®¸>Ž- ý8m¥Œ!ëÖ“å¾ÿäªJ]¢À‡bÇ3 Q™W‘lŽñ„𜡼S'æÛNkeõÚñi*ííVpdð!ÎoÜðñó8…yb2 ¨)B`žÊÛ1E®ª㈌»Sfò2¹¸4ñ\˜ASè×/€%¡üIBžªŠ2º“Ùæ@Bns È}D«:ÇXXHÜØx,ÒD!»·í^½‰…·O¬T˜…thÖ¿t€Ò„K"/ßWg*}8½ƒ^¦ÖB¤3ev§*mÿÔ“ÇØP2 ˆÄ¡y:%ˆ¯g c§”%½s¾šÜÏ»‚ÑCÕê–”²ÅA"–Æ’ë§8 *z“Ý—ÌÛ#¼I0ëùÂ5´‰V¨9(ϧ„`À)2)?¦ë‚ëL]´]Ú¿c²ä‰­¬ô}‰£Í~¼ñJIÜò|47}[¦pÆ#I´h~ŸñýÃûHƒ^©;çÔ—Y¤ìùc“‡#jPXq2äyvøE@iÇޓ׺8QËì–X­‚~¢ó2xÎ*É›z~—¤3y9TƒZ5¥xÏܹ¦2û8ž/iÖAEÝ¢,döLTª0& ýG-díØãy¾«ä÷ ¦Ñ1Å-WF3K—d3•ä¥>¯d_€\:¼l,™-+oy7ŸYÇÒ™\eF5‰:–6¿NãήÕ?Ê}û¬TþùÞ..Øq¹¬Ê! ›Ÿ>ȯ /Þù*ëN–ŠR¦p;#gêê¦ËØ®%sއÓÑZ²+‚î’%þ HÓn·Kz’’Ì/£ê…}E9\ÉÆIa› K¢—mÁ«jØÈoè]cÉ­MhCÈñW‹´xJ’ÄÚ‚gÙ\œDÖ‡Pwx´\ÉÐvsI6 <H”í búˆÌ^ïÃ3J5B­)ƒbº¾°ãµzfêº(=}k9FO%( dô2*’!y*°Ë%doô‡,d·/µƒå¨ rò~ 5–lË(#µµ„¶˜&4΀žÜ :V§ÎJi‚àä°¦W —HN.|¾>Q}>TTeö’¯ðέ»wØýk§Gþ(bn1R8Å4ºoÒÎŒÔÇIò–b )•ÙK„R¡®G)oNm„fÜÁ¬EÜíªì³æ ©*ܵú¹SU~ K¥ ûš­V [FÌ+»tÊkBÆ•ä¯À}ñåjUávYÌ ?(AÉI òz„+V¥–y—”ħ̭«U%s¡RÜ;1ƒ‚¼ÚK³;è$ÂÂL¢ÑôÆZVûmx‚+oq¡ßíŒâÄ®QŽáͰØÙë™'qY®0:fbf"C%^zO¾•~…fwý_è÷âWø0'#H>´r¢ÀP]F'Œ‘'%c/2`>$´Û÷Í¢!Ý™GÛ«È8"hRØGý—ÅŸe)˜Ølz|€£ÕâŽû¸/Uj´ x‚E! *êž ­ÖŒ•#øl[@£[«™tf±zÚ`%ú¬Ú‰!UwÏdíÐ;"Ùgîþ(É⟕ÞʳpW˳dŽ<ìtNé.¢É̃­mß}ÉYHd„l3Å%¦” ·d(,K_ØUð^— "¸ï¨åSÔºÒ@÷¼•ãæjª’9?Ó(ͨ+A´ í`ZÄÃBOeµëÍ„PUƒG¸Ý~ÒbÃãÝó1@Ë…R# .©JÐ Œ¤IfiDSá ç@O@o—ч³ûÕT…þkíO0¸\ÑYd—HˆêC"OKù+'—T>…s¢S0/l§Ñæ‹`û ˜ãôI­µø@Ð(‚ȳñ†£û¶¾áÕl­bâý@ p aV@Ü׮‹9 `íù„³.ËWü*åw[ h‰]@‘_ãÞ¼h›펴)œL6µ\®XbúÀÇãÈ„óÓ9R›Cë³ËtR…Óëšk*>3ë×fWîÆR½¸NQ5pBì4™*{fÙÉMX§”D†gSéC¼•ˆ :$“bß58jg@°{-î7X׿ùÁ`›ŠšÏŽ:=ГÅp»nÐsÓlñìxÅ6AcûÍ󨉶.õçoKeèÝUº¼SÕtíÔz>ú¨.âqH±_6ÿ<Û›+Ìš.iÐh*±Ðg»/÷Ãíp+<:tÞ…oöhOâ‰yaÃ]ñ•Ñ*}J\êñÃÑZø*ÃØƒ‹Ir>Üno;õÞ¨¨V“aÙUÊ—.V™º‰QR°¸Î/J×X‹ûB‰¹p«R.È(Ä¿Ñ$àyÕc€g²èøv»ò¤BUuˆ±tÑ—‰Û Æk¤«&—´0\hª«RÈ.½ÞI2‹•1¬áñiKç§`G4T7²*arù=7T•Pè]Ë6=¯Ö®¢ðß6áü ÿä@¸÷Æp°óTìãÇeÕZ¡ §FËj"-MN5´´ `,Ü•áðƒéjwBÑÔ–éÅÙ©ô]øòìµXš(§ìcV€×þÁóiôK–¿ø©ýd#üá9ævyñóÏô”㢰 n¶­ ÅKæÖŠmC.NfT—LÊæÀ–ЄüÆn÷ð‹V°%xNm޽¥~iÒ—†Ï/Ÿs2ò†°LŠêÈ9ê£WJ£æ/îìr'¬t<<}lZV‹˜£-×I‘F‡Ýoß·ª9&A³`ð«®IÌ EUfþî´Pƒ­ò¼˜•™ó¢åCù^N¿|ÓôÌAi´¶Ng’K ÷©D’ÄÄ•©-•r<ëLÄ5TíÈ0ÒYœ]Å%‰ ÝÙ5Þ²iùžñY+¸HÎ@Ïd‘fÓ 5³.¾iZ­úQ1ºwÏêÍ gÿÜ´ÈcprpòÌ@Uļcö!F°í`œ\æé°k¬—k(øŽ9ž$…ˆÕ1j‹äÈUÂñö燊yÚ•çX8Ú“S°I Ž£»ýAÉqíãò†¤øf‹¶\®,"cVê¨é–P#•|vÛjî²íÛ¯{©ü ÷~+ÏyISbƒwëXŽ[%1<;îþ×YǾ%’™~÷ðhsÅ›¦$0ÞYIþ,#=ÙÊŒžf1rŸ€¸ã…<ÆPQß,°‹¢¿&7ȃWŽoŒ­î”À]¼KÎ:‹þQ&nPÞWS´‹(;¢ã˜_\ô|±p8\ñ¬ä]²Õ ŽÐä<™s´;¬D8ƒz9M ¯A&„/;®pUÛM<Øè’ÂÈsžÇã8Gotx~Ã@Þ"¶ŒžA1ŒRlBVEfÜœ±ZAܾh‹ ?Âçž#îôºÚÀ¶Öƒìü(]˜xõª*,±A³2û{ .®Ú+ ާå2“lÑS¶ðš %bC9¸®F=JoÜÓ"1Œ•éH ó.-߃»†Övëý£Ò<ˆÌÖôx¹ŒhBh‚˜ýsªa“ÓÉ‹@´µîÐÊ[¸éï+♌oÐNá]Ìå³´§ò®íyžE£aTX ¼ÚšªO}ÜÁ¿ìøu :µ.ÝÉ>†iêþ¯!`ƒ(<W75uË,æà3¬±†-K˜e"Ùë¼îö1 ©Xç·=ô79{Ù@æZ„[Gs+#ó(ž½Nsû’²R(Œòy”ãí¿P::ïЛ?Ü_BsÇð=t1µNh(q&5ú‰€§Y…÷(Ÿ$ ÄÇaØh„áU½CÞ9þŠŒ1«W¥:Ù9>X[ VëÜoË%«ZÿÍp7ajÅZ±é?¾üùœ.†ßµ7ÛO¡³éEÍ.ÛÃÏÝFt>}úÿ}üíö¦ù/üyòÍ“o¶ÿcëñ“ÇOŸ<Ù~¼½õ›[[[¿ýàÿª‰äÁlªÿ/ùƒWð(ÏnØ›©1lÛ››[(e¾‰¯& ÂnœiDùJMgQzÓöe‹£pZÄù¡¬ið¦ÛŽö€Qt÷øù´wòC÷ sÇ%üÚ Þvo€a÷OAk<üŒ.îí~sÚëÀÉp€5ô‚îÑéa·s€‰ÌŽ Îú¬poüxrÖ NÞ½nÿ{ÙòiœO“‚4k¼±ö C¸ äL#I’ü†Êªü,Ïàõ¿•Yýf‹|–ˆ’/?$#‘zˆó-3r{Åä1ŠÐœÜcƒ¡Ö$.ÚN?ðž36v#">F1 £i¸l–K$è¬' )EŸ[XÙŠÝà@äH¼Ói¨Ê«¨ÀªT;DK(p#ÂupMbnéTÀqë³<ùÍãG£ó‹p:¶/×Q£¢µ'/9éPWˆ x…œ-..IS¹Š'“ù‚ºœÇ3¤ézÇ©°dEW@pœàivi 7~B|Çåà Ì×ûyv ÖBn^|A‹1®;zBD€#U1Z™)h]Q~ŽgµNž!©ë$%ÈrÒ$¦ÒYäÙŒˆû½0³¹»¦Ð˜p,A7¬†Â*’tc_€JÅËVà”Ý`/vqªÀkÒqnŠÅðk J9‹È Ñ%U ôàè¨Q`HÏ4‚ Ï2‚{Å 8m°@G©š¦GÄéê°;LÁ…^q˜;°ÅÕb£b2•J*évža5‘J¢?n¯™‚ÔÑÞ÷ðåHŒ¯{{§oÖTðÝÑÞƒ`kSYËdð—š! Jæ”±YPEHŠ|¾HaŽFíËžP¥ƒ—¯Ã7½>"»‘'Ucï°ûúø¨s<@1rÿô4|{Ò;èÿõÑwÊÃ*7ÃÏŽ»ïÂÃî÷&ÔoÛgàsº‡ ›72FˆÈÒqr±È™®U¦®b1›¡Ÿˆ;!RäYq(#5èà0f¤(‰ß[è×d¬±ß™ò2„͈€ôt¥Õ–=´£r"xíJ@™Ê (RW*êà«%jù‚¯÷^ƒ@|ücËŽ1¡×ä",1…‰DÏ ªžèž«[–­jëãLF8b© ÒÑ0ÿ{oßÖÆ‘í‹Þ¿ùmüÄ–Œ8ÞœG€lkWÛ™LN?ԀƒZQKÆìÄû³ßZ/UµªºZŽgïsÎ ÏL RWu½¬Zµ^«Ð%¹éÈDË#«h8#™ L¸®K®Nôn&¯èܪˆ9Äiýj¦!ï®ÄÒcxŽIi¿M #¥âhfléì ¸ N5Ïé&®Š´U³?ÑÞÆRáœq,Š[ÌŸ€ž„˜XúasÛ&½?«ñ•@ù…Uà8@"ãò¸Ëcë÷tWP |F“Õmž7›ØÅø}èb òS¬¯ƒzÚ•ýµR é꤫¢ô4 ÈÚ£½Iá¢XÞIL«WÇžÛ 3T¡FìDÒ®çe¡Oê ÇÚÁ ®7x 䇌Z ñ×ü¦²®ˆcÎÂ}ñÈ%¸ËGÁŠÎ;ƒ9à!r¡¶|‚ºü7Z8 a ¶f)¼|ؤ!ôò®´«•!æKrHVR¸¤Ô¼ð”«nô­Ü»%£¢®ÌQ¿›Ûâqòüƒ$r¡¢ùœ*G*åå$„^cЦ»wN¹øWy$!I#WhŠXT㟢cj¡i2ëßÔ©½ö¨½i¶^¿9/Ú?µAº®¸°¢Û{n  ?ÝjÇJÆ ‚{¡Å.kaAâ3¿Ð¥ÿ+Åö—0¬'Àx‚ëuf¯‡9´¯¯¤£t»Œ#9 C@LJ¶ír%¤’ ã7y¥In ÷høYЧþYÌðŸ§3Aмþák;A¸½Ñ±þx©çÙTÑÆ*~¦{%YèÃHæ)Šx„Τh¨þwl -Íã×͸wÞ½8:ï1^“ö‹{õ‰ù=&Á# ÙÀ¥'&±x'¸~BG´Îå]K”‘Š;q|) ÀPË¢s“L>&ÃQ,>Ywø‚-ÁdWwð%Ã/½‰…ƒ_ŽlìÂJk2B½}ÔfWF¼»¼S Àäsu;í㋳ø¬ñºÙký£·^ŧ§³Jz6¾D ŠºÐŽÚxþ‹$W‘“­¦Éió´"-ÌÎ]ËŸ± XØšä‹+ȼñPTè1g5ß´¥ÊÁ{²Å,¦G+\]É{G-*Œéó†pƒût¦wÁÙKƒ:å?Mà Ð*·Ø~YŽë~f :PÔÖk ä—%,cÛfæò’¶•¬ŽÚ<‚—Þ°&é.ê ¥cû¦ šÍà6Íúñ˜}ºØ*ôÖ9¹°à¯ÁLž¢–ÞÝ$ϳþgøúÉë³@÷=Ôò¬É½›²kD~†ÒÕA4%â–`Kø oP5âç䇸còƒ2¢ÐÄT¯À9‰ÔWFü¢ª¬³TÔ;Í&Œ«äŒm)g¸Êöa*´áî:Ì(ú –&¬+>‚u…ê–é ¦-[$õå’zP}ÕzÚ|Á:ޱ(j7›Ç=0?v;o›`+¨¯qCrüŸ#íÊë‘ä u5CƒLÍ:ÏååÈO1gu2ˆ¢î3“XÑÔ²x·ufý×VM¹G;\…ñ‹È+ÍD ÏX]`f¥÷F`M7¢/ü1W±àêêËÕm /öàˆ°ÕBl;¯¹ à,rXluí­“}÷ÊÉÞspL>Á×>p+FÑáQçìçJáÁZxØ>$£K£%kµòÆ]ëU2sgõ:ÈÒ‘ïÞÅomxVÞŸ%>Àu¼•º_ßÞVî3‚5§OØñ"´ì¤Õ>ß«úQŒÆ.cÝNnÉ}ƒž™&\S @讲nA}UP³+žn?œ,DŒ%¼ÃŠFEÄhÏ|ú"ê,æTÙfÛ¬6~áÈ JZx³¸I Œ<†ÿ#É …÷ÿâ,þÖÖ¯æ‚d6«Á†y9ŸÕ Þà§;ý;ÉÁõøeø+¢´Tµhƒ•,]i‡1É>JªN±ZWaŽq~ÞUjÿE(àýÛÛîÈ6dÔÆŠeâ!j†ÚˆÁ7ñáëøì¼[™Á,ˆ¢ÕkºÍ·€›zÖAŒÃJ¥’Ýøå´ZyÆ»«¦÷žÛ{í·jTÚŠÊȼi7Í ~«vDÑPIΙ"¾j6 9Рz2!«²`éÒý‘$xñ˜¼Â+=|äœçYp5¤ \êã&äMæ”—Naœ¯¼¡|‹½±©ÍÄ×q½ ÊʦÓdÿÙ#$ß"ù7=ÈFÓϵ_x„ͨ" ŸL³˜GFß²áÇcÑz^"x4ÿîi|6ÜIRUd  ë$27ÈsUÔ1f•Œ7„}ºþo:§G»8_óÒ`§V8ý²µë‡›±/ª€Ô¢a]ÉÇò pçÜÔƒF ¤I¸a@škLŠ¿ÙRžø9ÀGøù›&©q^ªQ(Z‹­öˆÏ¡-¿ËK>å„L,_2EÚoò£ßd”ß…íÅ„ÀÛj¿ê¨ïÑ#Wübêì³w˜AZ’h<Ìq}Ôœ¨ˆŸ4Î wQžÜFn¥YÏÇeZBù5ÌÒ… 6·³!æÎ”[ ‹RL†µ¶3àÍ2ÔÞ,¯&âuCÃdºžî•¶Tn¸ÿËLÝ[Ѱªæ?k‘^"´­ƒˆFgpÔg0¢ÃŸÏ›½ø¼C!U•7‡'?5¯Z ©£`¬™NGw`®7ºR˜-£|“MÔ¯RØ -¦_U¥žŽo„À„¹=deÛï)ÄË-4¥UipV~N1¾Ô•?sÄ›†ðA,‡¢›„Z©°»¦ i.Òådð¾/g°^?‹ŸôÖK§4;…ñTݲ5A¿ˆ¬RQÐÁlZµ¹@7‚¸ÜRO°l•GmÇ¡ñ*alÊù(ìJGŠŠœ\§Ãlë±ð8¥ˆ?œŽ9 õ–Ðpei¶H°¬/‰&àrôVõFªé‚bn2_7@É^AuÝK­½L­éwÜ5¼/æy×Åm¿ðßõùþ{óŽC78< ë#P f†õ(Þ%!`µ«`«Æz"ÑÖ~û¨p©º“ºåÑ솠 ’S/Q âcÓÓ= ”h?o˜Úæ®V.–yÍ;iÃDõ=awÔa®Ð'êfžL†âì†×\^šD¯†Ÿ¢Åƒ¦2»Nç£héì£ãÇTã>šê:•Šaw°v»âø×=]qUýyÒl¿>c©Ê< gc—ƒïâ,f&?0Çy˜9ëq’5íÀ.ˆ2ðý«Ö{ð%±u¿ìP75ö€˜JyO)„ ¬BDÂ…Úš™,º¨þ ^cäu¸­8X´­”ôeü2UmÿÐ~ܱÊÓJ-“jÍ95ýµi÷Ù¥7ÆÅ,I® EÞ[åœÃÏ°Š§1P Ç鱎hæÄfÂχügõÜQ2£×§Jö\©#À»D=x#àé0àkE<Šå-Ì<Œ©ÌMuß ¤$áž,ãÚï’PÕ¦J§ÿ4›Ú©¨ÓyàEq„^Nüõd½ƒbÈž¹E²hJPû·h‚ø’\Ü ¢´ÍU4ý“u¤ÁψI¤ˆém®±ñKŒ$K¸Ò1P;¦,*‚ªîR=^jÛ |ê8(ªÆÏ±ƒAËǯz6$„  ·Z…Hk—!Gè]²ÍÊ(xc#‰¢ût'h1£ ‡œ¸•ŠÎx¿Z\q»Ð:¸¥ NuIhÎå= 6°þŽýô{«Ó¹÷¢É][ÜݱNã}ºƒZ´@6´LR°³¢~›ë8„tÊØKèM!ÚùÑu*¼`@ØÓ úGò.³ƒ]¦ÿûš¸þ/6iÑÂ*û!Õÿ[»äJ7?¥ý)ÒÒ1áø6¸4¤ –ú…« d¦Ê4…”¸/€Auepä2ÖZðÕ–òl#Ú#þÙI‡-G¯*›¯0 ý2»^Ø]4æƒ~°%¥7]HH€›A² ùËS>òß¹zØnàM÷fž,QHÆ×‘Õˆò‡iÀÚGÉ'Ê°Ãø‰ €2¥¼\÷º$Ꙇ¬ûlø(#MÙö¥©wéXU™-Ê'·"1 u4Ú›d-w«æýû…»è³)pƒ‡&>ÙùÚp’>Ô÷ƒ4‚8­ö2"Cý>#ö`v #"Rš ÷ILè’›íœ*x$1¢–/«A~ñl¦ô9ò{ÈJh9¶UZ9æBjánª#3“l{‡eÀ.SŠ?‡ô©dÔ_@ÝvÙÑê^øHSW«•üµ+zõÒ¹·ÔTH,°vJ|J'ˆ¦3[ŠNwåíˆíÑ…òi†øè+òþk<v$;NR·è°iÈdÓöó2 ˆÝ^„¡³+YîŸãžrþÒÌþÇAäZÙ ’å´°Ú÷–0e•XcGÞñ|ÎŽÌYBAêtvß3ÝÄY_¤-6ç³pjÓ/²múÝ—< ‚•±ìì°u^Ì«ªcôÀ)Š1ß—ÃyÅ{f)ö'¨&bª™pÁ[tÂëÐWµ0¦X6:çíD)P`ýéêàbÑ`¬]´¶& ñFߌþ§þ)è—׺j²ðkþ7.!í[©QìÃËâÖ{®Y¤#w1mTdhœÞýBîÅÀ 7¬Ý¢(š¢aEPŽD  mÐFÉÏWK0e‹ŒbðR‰W þóFØ*À‰~Pk‹î\õ¾o7‡córã@8oo©Àóúëg ‚» è%üß ò€Ý{íø¼ÑEÙ¼{Ø ¶³œõμÅñ‘¢º§€Çb`Ðò»ü)D<æõ›—X©Á÷^'øaüþ°ó~—p]Š€jëÞVß5o›†>"RÍ\ÿø# Íã[QÞ¸×zÝk¾~íPÍQ€B‚]òôG¨©Õ\ÎȾU jÉ_ªl‘ÚÄŽ~~ͳ¶G'zÕå`>=l5Úκ^õ'óÒWž´Úïžñ¨H}ôÓaçü¼ãnRvHvñh£dž`>}§¹ôê‚ï[ÌUy-J?õÓ))‰ÎeRñÕb1ì $¨cy7IÆÃ~ÅH¡tå‘5xºÝ3Ýá¥À¿³Ú„ sÉÓÆxxtzõþ¦ún1ÑÅlƒÀúÊ+¢"³‰HÙØ7þŸ4í¸¡ÍSõ‹„' |íZ‚Öµ;JyÛ:jÊ]R’ô »ÅƒÄVÕÇñÒ§ 0N3Ä,ˆÿS;÷!Ë!Ù‚ îÝ]« «‹Œ§²&„ÖÝbr XRˆcƒ* \HÊš` ÆÕË1ìRÆ¢b>rg¦ì¢K·ðp«ÛzÿÏ8|˜í§c.ý’¬ˆÆ•õq îì¾6ÎâÞÅÙY§ •Ìåö5Žã7Mõõë‹F÷˜òüi+bÞ§mՇ˦ðó§y1bìÅÖD±‘á€ñ_D¶GuN1?to‚J¨ü|Vc™de?ntß!´7/&lµ¢O”pt5ªÇsª¶-ö ³= pp¯:ýûë³3®6& Ë1Ac_ÂÈ4ƒ]O§Ñ^} ¦&wäÜÄb¯£tÌ@n5LÒõ×ê_舊"™R¶ªóÜ ƒÒ“÷ýù¨›Vò•áè©ú$nÀ%->Ÿßàçç7GÀ™¯Æcüêô?P)Ä(âV0¸} Ëа’õΛGçÍ_Ýàßþ(Á ¶x¬m±æù<#Xù!8=ǬA×76Mð¤¢AÐMfŠM`_˜6øC6ÔÞîÄÍ÷Í#%mÆgÍîi«×ku0…­Q: ñôI-E«0*ñœ$®«£­Õ„“Èy0áäu»ÓmÒéåAÍÅV—„G]P|äoƒdMlëîÕ,Žs«ãÚctT‚ǫ̃DÛ§ãd å)Pµ·Wáðr–¨…SéžT[÷4³RP$AÒ£9m秤^Ti5ž?«bê'ðs´®ë®¾¨,mèÊEÓ°IudØP·`<%Ûß0Vsq1…C@°Ã@KªƒHŠÂ¡5;¯ê÷“GΞX,ƒŠaXTîJ‰êT¾M¸lñ•ºÐ‘îlãð%dØd1ƾ„jy% 6í~àw ¯­ x€7W` jˆÑ–ygšFÛæ~v>îá°¶âê ‘UþRuôÁ~oºuà´¥ä$’‹`|2vO·!3fOš ÍA'›¤^Œj"´3x{!@su¡3 â!"sµ4ÓÁl:(` 1l*%rI' ~³Ý•X—•–"·dà¬(¡D±lθW „œÖKlH%Ç9 Ð@}N({ˆó,2ìz0cÒž>Z_]Òì)5ðcRP¿êq¯þ¼¾ûZ!y‰Yz·7‚#™çåýMðk¨Y{}¶³³³oüznOl« 4PÐgtm ÃbÕ\Œrïo·]ŽÛÔ”†4˜-ŠnV…±\œPO¹Ý ]écå©ÁÆ{ÏèGZ2’†³…Lo×êå¼$üezºYÍéÀGa†Õ‡Ó¯+hN³[8@ª—D›D›ƒùk“o’¼^HZ9yåI¤F‡LèÖsÃíª¸yèâ”Ï@þæP‘¶ ¦i0¦ëË͹àý„Ví&™*Y”‚ôE¬5£]P+0ÒIß/V_#«ù^gvý³+ª4x¡ÛÞîÔ#ë:~Þð¨•%I/Å0 ßï=¤q9¼í]ØUÙ¼–Ñ‹/Py¢XùÂxR˜“<žή+ïKs‚8´ÎñÝÞ-ÙK­ž{Á’&˜ÌÕÄ‹Ãõô+›˜¡ó‰ÃjkËFåj)kŽóþÛdˆ»mÕÀrë£;F7¨“΂•€Iˆ Œ›Ždà ½ktÛ•Í #w:rSA¡‚‹j~³¶nB´môÍ&ö Á@ƒ³ó®úcü«ì#ާ¿{Ÿ—âçUlØ;á+Ù'9mo?¸k]ì.Ä3¢HLBæÓ ñ<þçÎcÅË<ÊyÊàï&{é ëðNcu}ÏîÈô™c+þiUþ~(‡Âô° Û6E€X‡VW@M¯Ç\«%B!H3uû)Åâá´Ýƒ" 4›)a“X&Z†ÏQ#€ç´`«ë-áfè™_`Q¶ˆ )\-½çŸmýK4Ûþ48f'úvçÅÎwÑÞóï¾ý2°%c|µšé<œõú?ižÿ‹Ü_ì¾ü¯ÿ…)eg6çÝÓÁÖÙ\²‹Ńô#Çd¹Š.PœL”,®A}ÜÛÙù6úÎ&J¬±Ýa´OPyÂX» éØÓÕð__åé+Á>¶}©ô n¯®Æ7©®_eZÏRZwcwÉä‹rÕlùœ<žHî8ð\C9¸^¢ U¦âÍaŒTšZ& ðÄ\¬òªZ“†ŒÊµhê£ÊX3ü…—«Š›â®Ä°K È¿Q,e¶À^P×}…Ú£“;ÉÙsdÀ.Ѥ‰ÛDfÃë¡l­mó l«5¥ã~n7N[GJëo·Ú¯7¸Ñ7ñªÓOZ‡ÝF·ÕìUè9p>h\7cŠà*ÃÇÍĘZw›Ç­.¸£N''£*Å.J»M‘CTŒqvRƒ|Òfš¿Ô.ÖÖÊp§Îp‡j®Ooü½úqv×#M¿ô5æÃPÍïüJú{?ÔvºO ù\ ÃœLJù§"•¹dÄðz¦ùÎdQëÿD|̺êX€‘][[ýOÀuM•ûq<<EöŠ`¶¶¦Æb¦'m¡Úè2¼"WGæ>ÑÍW$ŸÏæÙbTaR¨: Ê>©>šÖ¢Ýç|Ü'ÓƒƒÇÛµ™Ë ÐìÃòá™ÇÌà€Í–MìîªÉuãÁ-]Q9%ÜÈÙcÜ[úgˆãCî __åÖ·k 6vñ‘CÉ(€‹BVÌ[ Їô 0¦uk—rª—Ћ|¯fýêÆ`à G”û±8§lùn;šçOUS»çkxˆx¯7„¨k/ 7ï…G­vPñâ'Ó­-HkxüÏÉãpÉïqý°øë©üãuÌ ˆÎBħ5F#Nké¿ðX˜ËV„K(Mé}@Ü §/ÃXÝÛvZ[»X‰½–§öZäMñ™W<¾Ó§Gý¦x× \Í|ÊöE/¨86m/qĶˆãhÌ'ÚÂPÁU•Hªûû"#×ôLŒLòÈNâÍb­¥zDbÈ#-y ;T¦ôº7yÕ«‰ Ah³ù/»X©àñ-òò ‰vA‘Fª4pú“áÁ"ó%ñKƒæA€Eö¦QA?ï*¼Hô­ÙZOðÐ5Ê2Å£fÞ’áhVRÎ% & †šœ(¶ x7«æ°S¬jÊ*ä:Û· œ´%W›âœWˆ$§†èWÀ2¯)»j¿qØ{1×ïy^at樱OÆþA @²2û"Ýf`hœŒ£c¨9j1…ýuhÇö‘^ ?sxw~Õ":ò8oÛOöè“OÝSÈ»F«&vJ—œS½‚źs(za]®þ{Sƒ‘`&‰g;³BÁRJeÈùjþX`áÎHXá{‹^hV3ÚÞöÚ{Ââ)žôÇÓ “vÖç ^å G">ØØ† 4°p1£ƒ!Ô1È1™Ö÷â_–KÀ^¼éÁU“|LãYzXuè7¯TCg£ê%!1’’ሢ1q© æB`».gåN}¶Á¤fAݨÊ£ï5Ý£7hÕ8nœ7 ¡{®…FÅ™[ß~ÿäìæ&™ Fœ„ƒf1[hžoŒ¦7 5ì­Ñ„%£;PãÃêÎs p¸MG#ÁØÌÄ•©s;¹vj»r(µº-ÀN‘h"lày Aθ&Mò!$ÀrPƒèª%=ÐJúÅ¡Ïäö^šòæ¢{\Ý ¿4n“N/Ž HÄQlq ¢/í.T†–ÒwËÙ‡*æ\šùÝø2ñžŒ0„a¥ÒÞL(\Ãéêr–}H'Úa‹¦6ÌzúÀˆWxTg >ò‚)гša€o;›@U µ›€h«úVwüeÎÉ)¢dbáqg¦¶«wh „ëë~œœêäÔSr=Nòu£DšïÏ›Ýv|6_·(e„z µ’o/|)¾B“ÅyÃ%!›ýòk-’í»ïm¶uúaƒ”…Á²ÛhP°„x£“íÁÅ€~D‹ §Ã¯É'[a_GhX“g µº©: ¼«x™Ë$´ïiv§OÚa¬&ý,¶=Ëç/ì… o>ê¼…Ð_èçÕIç]E.c™Æ_\ï´*…„)kj»dˆN7Å1ZuÁ}ŸÖôFH¿ –¶‹Ý×{•Íw³Ì;OqߦÉpV–¿ù€õêuõßM‹•ç¼ß~l®#c]n²$$ð7Oân§# 7prvm ä 1úD§~ÒõõP¸ÌLŒlQá,Œr9¥Í1ƒ–`6d$Й„ÖËé…Žܲꬌ¡ ò)Lߺéw¹¸¾6YøÐ¡½xé f8ô£A\Å.)~½SVüic :ã«è·Ô"+¶K±(xMKᨠù`6UþŒÕ+N›§îÏ1eÒ¯£Ê³gßGO¢Ý½gUÉ­BÏÒΙR“&îO£&ÃUK(zàˆÄ€&*œmüVE Žàï¨÷Á{G™al;†1Ã?Iæä"Ã0h)‰Æ Àk”ËlªF4RYõqšLòðpæJÀ 78 —nöžj“Í´l^vu£e˜’lBÎд¡hõÀ-$hÓ~– â—ÀãâÄÜê6—³åô€7…ÄÛ{¢æ¨ÄBõ,ZX_˜ÓìEAOE‡ª ÛþÅû¶lc¿Æ„|N3¼Š;<‹Lï~^³ìf»ðº  F|¬M¬š¼aæ‘YqŒ¦|¸Ý– €¡¼ü£‹Þyç4n¨q@VsÜ9;ouÚ=­$eJªVD£—`t/¦û4‘I¬Q¼çvwÖáEï)Þ[¤ÍòºË1Üb1!¯IJ‚,µÍh ½þ8Ä’ð¾‘ÍmuÏ&Ö8kaQ‡9b'y2‰9~7Φ¨tx$Ƨi§ƒçéõǘ‡{°»é)™tõtΚmµ–qu¤|xÐ\ ¦{RïÛ´•¿ŸžAê Œ÷_ã)Fð@8œ¢ÿ}ºÊd䎃W€™¸w9(2”²8ˆæ(ªq HìܦòÛ"ÄJBª×ëÕrYï8ªþ{é’uUíeÖª7@솚„úPÀ\‰@6Ü]^Lˆf ÷_ .ÛèçÈ1!|!S°­6·ÌGBêtºÒ24P¿+"~¥øBþc<[jç1û «:bP§"¡lŒ1<Ù"»‚;+ßNft‡Ap¶ÒºÒüž›v_5C#ZãÉê­Åä.µ¸VÃèN:í׊4*E²¨qåç‚+Š‚Z ¼ {ÐE÷½¢À— <£kºîú8OO#Ó2ßï‘Èfn KfÂ^ñUƒ°8ë{€ƒA·Å‡B1‹¸ë¤ÉmAó·o‡”ǧ#Á/Ób@-•Û$ô›(éϲ<7U/Ôbs9*‚¨é4“KÉ#”ëïTÆ s ÏRÖkå*½ÔÑM:Z /«u…oa–¢q{¯©¾Ê!pÚ³ÉU%îQ 3”&+”ªeüC$þ—ØC!!˜¤Þ\ÏMßdJ’¼Î~ºÆ”8Å‹*¸-X~¢ë4÷q»£n%ü¨›D~À«½ë!wPä…D^` œË”À¡áJ ¶YÄ 3“ZSÿ• [zê{ÍóðÉôíɶ>«ÜÚˆý(ú¯ ,ñönÕ¨£ï„0u"¤)ÝŒµMû䨝mY xĽt£„?û¹[´í¨âM2,ô{·¸ …ŒŠj6ÝåáUž0 {µP˲,®‚g¦Dº;ã)†²X7N&”S»˜‘hï)«öFëýÜ‹UW`:†çkÐ@±ÖC Yà`/ûPá^ªÕB"]ˆ$Ô¼DTx±cbÅÿv6d¿ù‡á4¾ÉFéWã¾þ˜Ü3„›{ÿ/¦ô?Ë”ÌNØ,Ó{°ž, } )˜—X~#ß»#]•÷cZa–U°cþ[ÙÔŸ?ýV“cUÀxEP=èím8(:óúÄv³,Ž[‡§GJëöÏÞ5Î:ôäA>C󔬇|ðÒOi ÕR½ØR„ÖÞ×Ã>Hß/}jª˜–µÙû[ð¹È¸óu{á…•·¿ñ”mW‹O¯[G•OUÆ ýT­ËWÛñ9ÛéΧïÏŽE?'¯íæ;Ýôã¾×ÎýÛ=ø8W[œû/{¿î—>é±¢–‰g€š‚ψ¥‚QRÚ@Kr¯OûÙ+ég·ØÏžîç½ÛÏa§{ÜìÚ~ìËÇNš‡K‰Nï¼ìö»¼+ëàèìÂ9 jÇå÷êë½ïŸsË]§eçðïçCûêÀfúÏµÏ Ïã~šÓ’©ø÷Ò ¦l¸²oÁK_þ-Þ“ËhG]¶É´üˆßYúz­º¹”×Q“Ìö¯4̇bŸ8ü;BóXv³³³³{"¿×m7ï÷œï[í·“Ö±ýþûg ÈH~EùSâÃFÏyÖî¼ì0Níðô1aì GX•rY¢êâ Ï8Âç‘â§Ó4™ig?QIŽr× ÃÅ芔¸@õ·Çw$F5:ö[»Í`o¬¹È ›ï›7±+ï=Å¿cô±ã>¥êA¾ é…•ÐW!_¤«}twzÍ÷GM²A¿ƒHf/ðE³ÛítŸŸvŽ/N𧝻¯š§ô¹n–ï9c…+¿÷tOo•‰J'÷˜Ä±05ð½H'ýZ‘o›Ýøì¤qþªÓ= òÈñ{ˆ¾•;7ž !§eñBðá ›ÌãßéìŽqÇÉÀW³:—i¬T·óæ)Ç@æ.N®²°û_1=„SSKço_§óÞ]>OÇ-Õ¸òÈvTÕ0+|T/Á‰Ñ­žÚ0š8ì™+>UáL­Vf…ææûc x1JfÃùÎa¨÷™ÍŒ{G@œ@ë ‚S§}YóSB {¥)-ñl–]2ìHžN“¤@B >BÅÕ©¼ÍðÆêj_ ó2bð£Åæ-Ù•“•ÆnÄ•” nÈÖWcbÒ¯³ ëîæ„¸ìv5N>È×çN€D’I4¸µÛòZ®*债]¡ë€¾†dÖ–iÀl§6%g8S‚Ã9ä èLk ØÓR½b„wþu¶¥ØzÉ ÷7¥ÅmW/Kú:SOô(ÓØÃîXg$ºµ´˜xç)øÌìåÝQ3nž^(žÃ޲ˆT¤È\±$ÀvÄÓ¯º}Y¡ð&í êœbôH¡ ºH4=‹lbÃ!(ÜÐ89)¿WØJW‡ù0z’_Vµ'Õ£“~œOM'óÁ†›Øb<5©á\‚ ¬(¡‘P1ÀßÄ *MdJú1…L€« !² ¤ÎØñ«õUâŸÎµ0’WÕWll–žcÁšOµŸfÙ'õe¥Š$ásÛ‘ð/‚fÚzÚ|¡pÍ…¦ÆÂNk”꓊DaÀ¡º²òáÇ4°zµÛ³¢áOìFwÉ7 åH!ÁtåbZù¼AÏÜZޥ܋mñ<éïòK¨ª7NÇ1Ÿ/³t[¤eb|TW½‹£#¬{¯¯=´Ã€ÄÉ`Š (Á4¨Rñí n[Ö*É ™Îõ2FáOÙlò8/ò×ë~ßôWÔÚ¾îW׎6Xú<ɰç÷ß?1Á¨dA+•öy|Þ:|RmÏH 9O/+ÕêöËt~ˆ¦Ay–ø€eÅóQNæCó Deã8ªl޳£è›o®òÏjÑ7;\¥ÑæÁl3ªènªBÒ.ŒÕ¾ëaAÖYFÚ¨#IÀ˜…Þ4Þ*žÛ<§R'hÎÛ yhò€í6^ZærÃ…¯HÉPµ¾7¹:4ïM£õÓ…4àðÐÓNÍx_áÑDr~ ÊN¤“+¡ñy#£èƒ ¦{ÖaB(ðöKÉ»nêô&“ $ÚÏËiÓ. .ƒ\ðI~µÉŸ)¦ îäáå¾Åæ`Êà6w‰N¼³ggðôT=m\ÐÇY®TiPpáɼòzS‚<†nh(ö[+ºZ›ß’©Ö|é¦pцêdÍÓfû¼y,©½ €÷o¿Tÿ‰§8k hû;¡ÞqërCQ¡àPïÐ ù UŠüšCÜF ÀŸ6Zm.ͤ÷ΚG­Æ‰duز˜Æ·,bØF+×UO×Už".”Ô¢h¬jÓ¯LòåE»Óû\î.šÔëq>éô^íŠ0g™®¤]Là’¼ê6›àjÏÁïö*Y+„÷¡e”ÆÞÏήstÒ?h͆Ÿž×?©uuuÏeãÔqø¡;×á²!^.rw„A6Ì=7ÊN“?ÚwD¤m äö¬¤/ו—µázÄ}'€”ÉÇNÏ•À«n\æ«Ù× ´ÄV9%(Ä3ÝÍbjn#P‹É ªc”â7êØûV©wPEØ^Öå<Ú«‹!JA‰§c(d9» ¶Úéb\.×k†H{]ƒª8ŽŠ‚ªxôŽ©JŠ“K»(¸D;¼VÅ|I‡ÆŸŠæò· h\]\fÅ D *:OЋ«kÞ1ìù0Åxxƒg]Ü![:'Ó“‰¶çò’è=*)¨àueÌŽÚ)Æ£­×𑉦Z²½«šû¯vqeý#.óš$“}WÿTà që¯Å±MY¨™y)ØÐßœ=½x_Óàå`/&ÞZBA«.Îtb„~O? Á½åôðƒ‰.Èš­Qôo³ÙìN—rÐ÷E!¾B¡­QCvv†/¡jTÙ;žxYzCž4üë =:Rb)ä&à7Ý[º;qC9½á¤ÜÎܸI÷²Ö§$哹\W‰ V|ÎVªú·zAmõ„6 K#«­!â1íƒ9|ìg("€óÁ¦aže#t3aV)$2FošÝVïbµxYL=U*Z01³vï»çÚt‡>_Èà‚êcè-Jï2Ýu^„ ŠIU|Ÿ.KÎY’”#½•ÅÌœš5ÿ\.È,¦±¹O½÷jS€—åø† ’ Ãm½};¤\ÊÒuéæ‘0õä°.d9RÆêdàž¸_)7 ¶$îZ:üÖ—ÚV,±/_¬ÿÓ½%WZ1Ðøá¿é6[ã.[›Ý F_¸Ï]>é²pۣö}Î~.^èèñö•Œ\ã½3ë*‹i5¢c¯$Žæaæñߢ¼>¯G¿üV›b€ì³ò@õSB0è[´/šnïÒÓ^õ‚¹Ù$–Ü/·Ïwã…òû *ÆÀ}ëÉÓ`‹b‰dq÷Húû²¼¿%…9î›ÿ·¤«ûæ.éê¾ù€NR ËŸÓèÇÈK q.Ù°3ü…Óæ‡ƒè¿èo§©Ëî׺–Ü~^°L!%ŒÒVLpáiµºžüdÎ|d^i2ž#œ¹ßƒoYýâ®dI7ËòøÖ¨üQ,ÍRL¢qƱV6­?áeæ,]€ÜØú²ðnmˆY A½ ®:äàÁ+?‰KººZ̰Ö.Î@t¨9¦÷ìŠê„FãL]7ý¸ÀâÑ/;RÁL[?öìuÁøÃi Ý3‹©ƒZ7DøFfÞ¨ÚWøN®.îÎLwˆ3 ÿø´ñ^];ÕýõÏ æè8çÎ.Þ³o¢s~Þ9…/$ÀD01_ÀýX— —nV#Ÿ€÷J¶–n,7XœÍ®ª«øã›/òÈü¦¾ÕÂm~#C“âëá5 ˜}W™f&†È|RECÙpk /²]K>Ó§ŸªÃ0À‡‚ág½¸ÛkâªJ0ðŽDnÛ óAÿSj"#?RD¢(üës™Íê•/ªØpùìvt¨Æ×j¿VÛÈxÇ­ÞÙIãýjz²Qr÷ºÍ'­×mÓF§R ·¥!˜(DR8»äã¤À’æ^¾ §hú1>;rãÞO­³hï?ØÆmbû¸v Ø}ÓÁ•63F¹¬¾G°®%”KPÚ¹À–‡!,…Ó„ RçðSß6Λ½õÀGÃË~lÜdž‰ÿ„¬B‹³9ø¬Ðé0yþÌ®"ô¬Æ² ¼mUS×­_Gó0rp¿äüûQdZçpü\á•·‘¢G÷[>"l¼fÛB”÷khíÕ÷êÏ0¶ŠÜï "È®ƒ»IÂi¡ÆÑ‡tŒò¦ò„ qäëGÃÖù]±Ó=በ„7E &`¸jxS–*àÄëjP}Œú¿B¬À@Ï&XnZ‡³£Ÿ*-ÒzX­b.¶6ñÙû:/¤¥ÑeXËNØ%ÆÎðU†èâ„•b-K(s yk¡~1šï2Eœ[L’Á5OÔ 6æÓQÒ'QµdÙoRµQ€H1íŠW=¯¿wq… Š®ye¸+ÀÀ}Û«?e¾îelüìÆm8õá¥Ô¸þò’a„;Nô*†„2°˜’ ÄґБ´ AðÞˆ Í ÓA¢ÖÐBu È?j=íD9f£qÔ\‡¬aDHCÙ>§J· ù;]©‡EØÇG$žµÕÈLÄÓ1<o7°Ñ˼¶<3çR´8P)_Lr­ÞLyG^¼"3ý³¿=|I¶Ð“Çέ‡ìÖS©«À2I2–ˆ3O!Dyt;Ûö@:Ä0e0(2茊3á¹ün06eºÂÿsU¡ÑFéÄÖ8…¿¹Äô…âr]›f€èüZóäB!j8 ¸ó HÌ‹+›üû&ÆÌ*FV¼X(7PÔýl†DET©Dÿ&éG]_ÂAµæè™·Ð§9WßAì.ƒþ™Î+ö˜Ãü‹ŠË\vŸnS;%華_TÃÆ, äÑšÄw„u£­ÊY ÖwÉîs¿‘ee ÔQ’ÿEíîá’½#¡Õ~Ϙ^±,›M$$Rgí|ºººªF[ê—Ýèüg'`þ’w›mOÍœÚV L¤)ờȈ;{¸Ro!ŒSÈ’°¸‰ˆ€q!g¬ß‡È =6gî‘·k^„Ù68kœ#‹Í´…¶S2cÓ•È}ÅUÀUók¨E‰Í²(¢M… õ‚l’ÖûVXîæ5ðÀŒ\UÛP]gÇöË\$«ŸŒõ³ÇjƒE•_‹*ü®€Îôp9¬÷8„ ̼íØ 7¦ú0†ëCecÍ•kîe¡ ¸˜ÚÁN…7bþ褈”*R»4ÓåÏÕo7jnW Âï—¨ûZÜa›>P1U0hJ%^‘žÖ_Rú•îÿƒÕ ÷£­­a¡.›¸G~ÀQlKW˜3w”}hkëW'ûäpˆD*Š>Kúð^ðÙÙì.wÿËæ'_.µï¾ÔÀ$À9âd4ÞaàB}Fð¥Ò¦”5^/Û$1Â-Ü1¸ÊÉäò»›Eõû£††0raÉüì”Êý¿<ˆ°zŒ<)ü5„ÊÎJÙKMad¸ /ˆÞy÷¼sqrRyZiSIpGfmwç›cÑ»ô§(# »¢îÉæBI4îño\æ‹™Näa‹Ê›–fV¼’ÑøóŒ´Ý°ÿܱÞX¹iÁÕž•4’õpt!­è.W åEØ )šŠg.¨ë¥ºi”X”Ç¿*v æsW¿¯ #mGJ·Í烀A©ÔЄcfSeÁ‘:KS@º^®£€¼:c]§è÷£ó“ø§f·]‹à¿ñE¯‹ øY–ݲú,£p/ÚyÚ1+ cÈŽË#íA2¤ê@ý3‚r(Db…ÒoÎf ýr”!ÌBhP¥èAI Ð@àÊÝ …Nï瞃JNe–-!A¼Ç‹Ø_'ïŠ+?Ÿ¶ˆbP{ιvTwãËaR]ýþs²V„e/¬Þw¾&3s\XŽŽ‘uz{6F~al ú`‘%ÔšëéA繊|°×9it[=û  5ánë23ŽªUކ«Ø™½mÆg\ƒÀ`¡Úgn(|H}Ï©gÌ€$B{h   ™ì\{ðÀvT«.Æ7ëäÄWœýþöYüFÛ-½VñdªêrQúÃd®èHeI£,•ë`‡Ô]µ!î&µ;ræ4k„ù ƒ Í@"­~­É(•K½›2hµ•P*"Wñ½¥ÛÔVqþ뾃£ŠÙqלsœ(õfR5‹²\hcˆ¹r:Ö Ã…´ë¬dôc,"ÕªÄ4ºÇvÍÏ~]¢rb´!]÷!K—0—a!¤­HÍ’&ü:™&Ã!9¸­çÆCE®M³¤û"8žë îBÚI`1«¼óBÐÐ+àW !ñ­ð•Љp÷"šÃíáçG„Ó€˜§§AšÏgÙ¿ZnùdG&ød»¤Ö)§¤Æ‡½/c5`»þ½|‰@ Fû2v¡z2¿cZzhåÌS˜–‡U+/D÷-Y“@ö :ø^w;ïzñqç]ÛÏuâ×ÙrÔö3Ú]jâ_”š“ú5†î6¡Äâ&EŽK¢çÈÊn"ƒFñ‰š˜ÜEnÉç^žGÁ‘oL¾—o¢ÕXßk|º«ÃvôN4ÚäÄuΠßÞÖ·ÛW¨ål•li8×£è¿JÛ-1­Á‘‹p ët-¢H˳ ûˆy˜”:)lµì3 .—ôZ¦X„ûµaù¶;y éšB w‘îy—{¾çjy.§ÎVpäÇB {YL+×~wB3•gÕä(iŠa33õöƒ¤>/Oñ“¢V¯ vþ{—ð‡/[—ÿKè!\ÈŸh¶ÝQ²ÐQ£Ýnº1ñÅ51#£XíÂpÔ‹¡ì'H¶f””÷DÊ™ü–…¼X7«Á;U«vMØ„m'ÈüÈjSÀܶc#(«^Äé÷Øç5¿fW©`ê"‘¤³ B}-åÔdŒ¡bZ‹ 6ªþeõ~ëí©ÿjMmPøºJ^ ùÉÓ‘ Uir“ez]X«ó@T¿ÂáRê"%º#“{aBDSÇG'ø s=wÐ9Ê´Ö¢¿T|à1Ÿ OàCòîÚ¯iêÊv¢ƒ0ÂÄ=¤ÇpÆ¡³®ªp?Eaù<… [2ÍõÆnÅj­£â@÷Tîá4´ñ¾\]•Æû55‘¢K‰uoØŽ&â íâ´H V‚^R¤ n&à¶E—­Ä…É&j‰'P.˵çˆ?x™bâw~7éß̲I¶È!ÒB­Ã܉‘]õ—s„éU ©*ϦéW„ÆèÌcÿ€Œ²+²ÊC3¡ÕÔïct×É–N²_Ðd[¯Ÿk5O0i³ŸLúé£aÓ}Ë'ØnÑáôG“ôóF³pÜê5Ošº_Ù§ ýK-‡‚´ìcö Œn† ŸKŽëmEuèŘcà˜íÀ•äÔk5-º॔—äk@ôZ`n“ÐÒàm2@¨Ê<®\½”¦Âh¾‹ÐÝàYFoº§we͹ɸv;Íš\¨Bf¼lWõÓmMn.ûsh?:¡äà²;2£àQã Ël<–ZhÃÈW“! ³®ÌbZÕQS¼œŽk±r3¼¾0$ÇLDÇ!:ÓÑ"v«õûS—ë´žIwÿˤ\ñ²ê׋*ì¶ô¡"÷#&Äz~IWö Ë—®—žö‚‚~ÌBÁg¹:¯°»u§ìꟅ£Ï,y¿ FÈ7„bž?;ÔZT=¹ÁÃÃÇëyn Fÿôfzû:Ý÷•©.ýWŽk:¸©«ößÝÍm™ 4²u?éÃþÃè˜ØlFefCu9 †ÉH¸ÜÙ'SÁ@3FÆ™Žó„|Øpê«#4¿…²Ô'—{]mC¸qô÷ãŸ0Ðýá³o¿ÛûÛÎó{àís†®&¦*¼ƒÉ>ˆþ¢„Y0ƒc‡K¨ûmź@ØÂ$OçuçµÂÓá7%´¿ÿ5ÇfßQé @§èžQÓ’¾?­L¯Ÿ°¦1*UƒæBxsq¼U+= 1Ðæ˜Œ:Vh˜Ù|{$ºBxÿRùÁ—ÒC+J\vÛi‡FHÛq BMz,ŸGÔr²V¿çÄêŒW [Öðwà -Ô¡#ÓÒ{ N Ï£fãu£ÕFr„.7)Õ"-2´qòQõ‰‘[hSv¥Aéñ»tŽÙ±£tiï2ƒCˆ“ŒmÜQèjSULBCKb£·–ï"3kw9ƒšˆÄ—£› r³æH]WF]BæÞëBç×ÈÓò Ä@“†qÃ×b᜜#d§á\ƒ"_ÕÜ´ÜJ´0#gب™À®1>Œu”+•.-rKÑU oÊëÞ™ ³MøÇ;…£øUoPïzôä¡îyó´§%àÞW”H\Á`6Oǹ쩬òµD>wzŠcGóÛ²•ÁKÁ@&'I®þ%j˜åÚ:àhgÍBà‡ù‡ò ;ÛUg‚V‘Ò}ú)ÞSsë-Àð¸'%IܦéÄÒð5…ìÊ:bÉÕ$º²%B;‹WÿÀvú$F/rbfC(Aÿx"@Y C‚|}ʦ͢Q2ƒ Á nâ°6y$ª?®hà 3+ƒ”úvšÎ‰+ µX&¢sÜyµ  Vª¥Rd¯‡Jd#ûçqÁ=˜ý5 -¾õ7hºYj]Á)ž&¶²˜dÊmÎÀ=-t…”:Áâ NÆ‚nµee’^Ø=,œy÷±Û­ti­cß°vµàï×§ •H%$V‚°Vp{•û\¨èźyA.#/‰ÓZ.6´Ô(þpXß4(Þ~àõÎ]°ÄQæ Ÿ$#ůr§ÌCÑ6{LHƒ^²ó”{µ7=¿òS‘’å„ñmÙÓß M<©ðþbÝe=l§ÑaBö{?jùAù²ë"]®Jà ™C=>Rò*î›eÙò-”*5† I>B¸ê @¡°4€¿ÎHWRÿ¹S×”©¤/¸t@讂0V±»ÅDUî Á¨z‹I§§3Ä£Q–€b¢xŒº„Õ¢“Ù‡‡†¯ Г‡Í—imcñìùì¨[Eð,‹|ňVªiЊ+“šÙ÷Ó´aMb½&Lf>Þ|Pþ ôpÅ(e0—}ëyvxñª×úGôÝ8zÓè*Qc~ó ʼn¤¯ZªŸ'Ñø.ý”BIÕ}Iãºæ¶úÿ Ë÷d~Ú;VkL…Xý jlW˜g×¢ÍÙå¦È…¹q£ûz·²ù _T= bßT¾ˆ¾É7yì~VÖVÑ0ÎØGD±Š“íó‘Š …ùÁ{¬l„6Á  y¸aŒxŸ.h“J™ë×À4ñ“²ª·À;°â9gÅá›Ôu “Xº*yš~°K_‹šñÉ«F»ùÎ.F¯ÙTÂzó¼ÄÁþ5QÜuPý­¡Vn <¶æÖ`æûìŒ-WÏ/ÂÍ1…éÿøCV¢<²·lõp4_²|¢j½ûN,Rσz~à]gÙ Í›A(†þY[kXPÊ^¿òàÀV¯/{éë#Paƒ˜›}¿µîòÌÊc¾Š £-\Îáßχ†®<Ýd=šï©W!'ºü€-ÐËp½ÃœT¼a£=¦£ö¹Ó>ݾÑK¸Hñ×ím‘¡ –N¨e £—üƒ¤9§ˆþ¶GÈøfÍS"MUÝé³;srJæjæºô¶ÇªøV§ö`…žy©¥ÀBšjPPKr8Y¤¥‚6WòœxªÕ~Û8i»ñJzLg³x:SËyUÙìÐF¢,:œ|LFC²'å?þs²é€éø/ûlKP)ñ‚Db¥êOÒ™†ÕƒYƒìO›P® ë@Kçù-ø ËqáF¹Q2xéŠRæíïo`AVSrLV²šó»wX*LBÀ@ñFÜ‚ø]ãüè›à}í|ÚÃäáB0v%žÄ‡ÊÍs·Çð3Ñ®_õ†ñ)Á‚I>„`%T;noRDg¸Üõøì¼‹æ4X¹øµ$×P&ðlÞ 'ßsžê7XcÇ–ÝNl‡õL…­Äd_ z£[ìè¢Õ>*ïZm°•<òóïfÃyú.™÷oͯºÚFr Œ\ÉiPþ¸æ¾–†&úäéjØFì!zâõ¡þ>ÿD:”ê) Õû*]:-pœÞC¨ÞaV)ì²6Þ6Z'`öSx¥Ø½q¶ml8xÐêŒR¨R;mðm¶îNƒ7DŸ_­Þüôížd ðLÕ³ÚˆT³p¾`V1eÐÅÀŒÔÆ—\:*sg "©1I»ý¼)0%K'´‡ó*Mæ”!Â".gÙ‡tR/?Ó²|–Δ*¤!Kš®·¼¾hö~ÒT÷ms½.•¤jÁÝxck0‘—$ ”—Ù}þë¾+g[£Ÿ-&p®wŸËGH`0“õ+pïÑZ=Ä&X'µÀCVñI”O‡sôÓâþ–±PDR'„½œJª‘¥¾}·÷S}IWx!Þ¸àŽ¤Xüz½¾cG/GáàUÂ2ñ{«xoÚÁ[ã¹G¸ë<(Ê•?exê‰ÀÚï„ ˆ…Ë;Ș( nE±2!4:ð‹Ó•øæ«YšVhmw’n¡f=HÛ|ÆNš5béÝI#ÐÐ%PŽåxó^cÖŸ7Ü;CCx¼B|Ôi¿j½ÞXNhZZ,èÆª5Ôèx ŒíóW•Íã!Àù%jÌhpå+Ö Ô3EŠ,ï)p§IqH£˜?´Ù•ZÁ(£€Ç»ª…È‚~lPiDÆŸ¥‘ÉŸ“ÆâNsÓ ®çw•)J‚’ð,x›šªzlîº%4§zšjTW)8f àì+íóšv%%Ø<ÞÙm©8Ú8™(‡yä4™©?£dV³T _¸}b.Ôl­1"«ÒmEÂ#ù‰®´Ñ„d õRª`#/uÔ¡ÇYQÕv6•]Þ/G”W”ôuÛåÛù&ùp–̆ˆJG¯Õ]ÑÔjl20ô —¶çFÍó¬?Ä™hRÁã¼.GõNDŸ¸ìdUðbä{×Ê(Ö¢ˆq¤ñâcÈÆ³¿áß7:Òú2Eåeûýš… ¨ƒÃ„SÞ8ºÔúà N?"R"æçäùóPÝcjé&Ù-‘kQ¦Rd†È¼ˆª†XÇꦞA}‘Õ¸Ã%Ëq‹B‚·N˜B¤svÛçjÒ³áGu¥TÌyXW;4§®ïZôþ ”Uôˆ×ý×i2DBÒâ‹èÏ髃üüYÕ¸‰O{GñÛfLô€ø·ûýŽ èD¯:V¹:UQo¾ ³hog÷[[6õ–DR’2Š]C)Ó ž…ý©…)ùÒ†ÞÏ!¸lÞÖmµ0®äR¤³ÂÄ;½rÏÀaÒ9?Da·éc%Ý2b­Ã4jNɱIVH<>9ÉÍE1˜TØR„²¸Tò×äŽu>‡Tÿ¹éV­P¦+’?’ÄëeÓÅ”T>"6î÷;ôc.‘Â)ûC)7•Ô7‘[¨îÑ·% * ÊŸ^´O2ÙïÜÓaÎ!\$»ºbF ‹gÒ4çw´ ]$C†w›ª¡S잸ףì’õ„êŸI¢S#ÆÁÄÕ“Cd´ôo»™¹Ÿ9ùC”¹3¥ê ƾ(,à\#¨®ô¢ÑªéÖÈ)GTM»MsÏ™Pb(§Qwºj æ¾&îö/ÃÞqém?º«(<`Bp6¼L1‰«×a6”©ÔÈE1Ê‘t$ Û“ŒS¦aŠŽ¥ŒÑ»Æ[MOw/Æét4$c+ÝÜCš‡…ÅS¤ `+¦+–qÞ¾_PGü¼„~¯V¦ª+ÙsUäÅZìß ~ÇÔHX¤éÉSä¡üÆÁ©WýÚPa#Ðo:  Ál¢ºožšZ0ã`m8õ^õ¯gváxïÍrY‹m× ‡‚Muض‘(Yø3% æþ™‘+@”˜'ˆýÎÀï#ÔB¯"o¸þŸÓ)S÷ò¸˜ÅQ@jϧÕžéZ7i2w hÌ1?¦Ì·©,C¨»âTDí6Ë&Þµl@V¶eDÉÚÜþYŸÎ²ëY2Æ0¼ 0$ÈèÝÑ8Ëç…Q†DH'š˜Œð>Dè¾E‹ðeJÑq€—Ÿ0~}Öï'pQÁ }p“ÆRg‰Û¾Q¿½ƒùæ¢Êø„YSǬS%^Óš:>¥ê²Ëù6ø•Z^©/†˜ñÄ(»OèQŒ9‰€zÑü«˜‚’j0¬ųŒ7êŲ@àv²ôVXÂD‰“0«%C^×ìojq'|Ç6 É/m'-f K#ýþ. –Ù’•¢ŠÊ’ÆO ¾UôÄÿž®*žN,ø%ÃC2–Ž¿½š¶€ “¸³ïôù1Ûx™-æ?FæG®Œh‡¹3 =™†Âa‹‹ñÝ ÎÌz|ëüæâXÿ±`ÞÂË›V5ã²Ús„Œ[è•÷˜œ‘Ç? R¥YpЭ÷ªâW_“Î]ä3ÿi9ó/eüvEÖµÛ;“.ò³UÜÿ}â®r§J£žC4‹Ô]YöPçŽÒˆÝåõjÑÆ(=b0@††¸FWÂJ¨‘TG‘yÜÃûN­öeüvˆôMOnöã¹Ú ¸çó˜GtÔØÅQ^Ãaf¨è7‡qÚ+^é©Ò,Å„ªžã•Ô- >¢>?®PôœÉ—;Ú¤qq:â{ÜÌŸD{ÒöÆ|aål„€ØL¯?n¡§»;Þß¹šÖ½·~É úë' „l‰¯°*êGTbºñä(uƒ3¸¢2S¶&½›fˆ›Fâ9O rm»£aÂ)ïo¾Ø­ÕÒ/ùäXÍS»ú5-Ô| À°_×QK_¬¤S¨+•ËŸx7+&Ø{7[Xë›sñþxÿ‹4dRDµäLq•!ûAKEoI©VÄzY ÷jH“mLÌFPâZ}$¦Uï:~XH vo¿æˆ·Ã^5 ûfûÈ/PJ¢D`î¸ñúFm)H£,­ mºU–çÃ>~#¶j iÀ(¡&¹˜cid!>þˆ5k*X4˸üdŠuúð õ»Lñ—³Øw+¯heWk´®Ÿ| +ñ¥:ø=ä±È@¬yAxVgIyªú}Õd‡UªÇü³Д šµ¢G›F[øJÈ„Ê&=ÇÌ#‡mROœéyÈiÀ½9Þ¡äÔ;êœúø¢X‡&¾ 1xµÂ½bŸÐ€aFuÀD‚Õs,y©/Ò ˜Ñ#¸ó@Ø(ÕÀïCÕ99Ñ…˜›îß{,k±¬vÏ öᣱä„Í&l(*¼óóÆWX™[' ,Q´VB˜µì»œŒ/ä0cCÐ#¶zå±H¯./.ž¬;6ä¿>Š®Ñtk댑~}5„Pº¬îXÞL» ‰ªT©S ÷¶ûÌñH6Zï¿__¼·‰¯Ò•ÔU TJ¥Öªnò,díÉÏÞ]þöu:?V+Ý¡Â< îJ}Àϧs€_Vjo”Pðs(ít I¯"že¨D§ ÑF ¾7·.<ïøÑ°ï‹’ëhq‰±Vë²VðÂÆq”N¥bF»Å§Ã™lùðh€eMª¢þ$~cªMÚ>ŠV5ÿ˜ë¥N±‰Bi§²%_ÃͱHìœzlÄ ëßÃÉœj¹‡Òè‚PîèTƒG´âŠTõoo0ZƒYx:ÇxÕ˜ÓXIïÓl¦¾‹ÑÇyj³ŠP/{Íó¿Ÿžtó¯ñ4ÆûËO cµx¿€Õá+½î$¶ÐèĘL}•bÀÀïGUäUVΩ ‡EÜF}ítQ©¸-Ÿ0Ìq û(Ç l5%1ê ÏI6ÙNædäb÷Ûªûmª(Fz⾃Ëì‰,R.cy£ì”Mw™ê}¬.«œðÄPÛÇpáAæ°jkÃÛY¸2—?náQ¯3r¼G‡ X²Éµ"®[ª½S ]V?`½õ€W\»–Á&8¡¸ D$"ogOíÝL} µ´·Èé®D¿þM„Õ’½®ò¹-d`˜™\‘üùNâ²dW`wÅsQúê/ 0Î(™D‡ê{{<Ù'öKc—O¢k¥niYÑíošø€ @ø†Ä,.®oæÑ‚lüŠ˜ú¤¢«_q)Žçfû8”§¢óæ<%³éÉÓ(PÎDÓ±„n•ÆÑ=‡Xê^|Ø;~Ý<7B¢ykà}%½ÏL¤¨™6²ô.‰ùÀeQ™,‡ Q#Ü\]ÍÜXÑáºÀù{ÿýó(™õo† E.fi^æn‡³›Íp«0ûØ©ô—Û­£ð7µ T€y#‡íJ“ 8! ~¸aú¨ÕS?Å`FˆA$†úpL,‚ºBbO¨¬³ú‡|7ÙHø[á¬l£é ¾²ŸÔ=݈*Û³R2X;dø¿G‚ø·ˆ†È‹²Ä—‹ëˆ+D:pzûÿÆ›è=‰sïæ]#HÁKú`Ž|™^£ÏžIƇ]cG‹.ÈÝ-V^«ȩ̀äW[¡pwችƙý™öûÿÖ«®‘knu —‚+àÅPÊžC…?Vrg¯Ð‚Q·–ó_ ­†Õ0KÄæxág1‚ÎpÑMµn³äic<¼N:½z¾¤²k²…WU‘QQ«žrœNa€Šº Nq†qÄÃë ݯDýd‚®a5§áÜ Èä,SÕìÎN8/“¢¥^± Å÷õºþZã®L620MÔ(fhÊXwtm0}ˆ¡ó˜¬²v`hÞ‘õWÄcŠ#\@lšCúDØ&Ýw¯²ùnNaÓãS˜ã4ΊvrHÄžÂR|3ݬEl‡uÞi?Õ¯’ò¢Oœ w±¼éá2TÜžm%™·îóö.áV †^¦HZ;¼-Æùa8¶üã;å |ÞX®ÙÃïHüø“»Õ÷mÜ-•ÙÀú§B‹÷Ë퉪“K@„ñ™BÅRS³´(ØJ0ºœ}¨7^J§<©(9rOÃÌÊùó/ ³\cz–§fWB¶ÿ–€Võt¡äÎUøžb¿ c~$…Æëd¬T ÐÎ šä5„4‚Ð*Ê‚À ö¿ïêW(ϼ²ºTuäv'§ª Ç:6¾ó±1E6矾kvêÅqUÐZô ŽÏ:ꋳ£8o¾çÊP6@ãüüMóÝ‹èÕb‚þ‘ôJ©¯yí*GY}[•JM¬D ôL\%t›V×Ss2Ð#*7ã}áî}Õý[cÃKú¦¸Œk¯ZYgfòWÙœ\êÊþõ‡/ÖqaÜkͶ°YÕP‰F·h¡g*Öè¥1 Z°àqü˯5ý‰êþÞ_k*ÜnÖ›É#ù¦F .N•Ý(ñ­>‹Žg effRzC>»_#{3þP5„¥NC8‚ËTÄœbæ\_m9¹üÀÍ Ÿ Y½Ñ1(½wâ…wÿ~vÃxHÜÇYÚµD`N8ôÑ€>OŸlDJ˜]|ކ`š))@ñ3ʦÈ.!²\ThBN)Ü¥BõXôù9àX¥&ñ@– ×q/eš‰ùè¸Ó{öú]°Ÿv«}®®¸N¬&}~ôƯYÔîw΂ {íXÝ’¹Úé¶¼Ú/Ïzß®h~Ö;ó–QÖ½ò*ñ‘’d»§˜ð©K&vÉ!>ár1ã¹[´åô´q÷.ÎΔŒxÆÚh‚YEðÝ«Öû汇C_lVdä~õûY·õ¶qÞ”×oO[ïr“c»f8ˆìFç!?D?™„d~Lk7õÃ+ë £5EQsn¨oàC€b?·0=‡®¹ß¬GCí¸]`p•ÅWƒh{×ËÒå'>í\ôÊjžŠqtÎ@]¤6‘Ó8B|Øè¸™ 3€³éQ¨qîÛÁ;ýìØØ-8åñûÃÎû]_*ëý|zØjxÕ\5ÒY@qw/«=ŤÉ4¼6ôQÒ¨•Úà .žb/¹ü„©Ådø)CNB?§cmö,ÁÜíIü•ÙF¦îô4‚è+.âþ¦ Ç…­[VÌ% Ä“¬KbrIepXóýYóè¼"žcÀ÷ªA7pò´üH'X;º»dE :+¶ BiD‚|bj'î¿ëªS߉ºÍ†ÒŽvž?{æE Px°às}“Œ†cÔoÂ!02—¼Vúàt<ׄé¶Þ§uÄCÐ.шO§Š­ýí¯(èlxQwÚ?[ŒLüˆ¨âGÖÆÝ1ÄØþ¡ÊÚ„cJ)ŰK/@x¾cª³CªS«‰J:Þú‹Y ã [Ø…63Ê/!w„(Q·òîÀí]Yù¬b[W‰-þà²)sêZYt9¼–Lñ®,Rª¬óŒƒñQ¥†W9ùz?@s$4ßÞ-D‚‹Á9Ÿ»C’ I6®¸q|ãýõú¢Ñ=¦[q£f¶ÈÓ«Å¥“>@a½)°D¤ZO‡Pkˆ¸2o™âÁcÎû–èЇO ©Ó­¹¨«‡”r;Ì¡0VÄg_º¦Mo¿{¥¯©¤–Ke«ê¥~9À¾‚}xhd$(ÑÂc`ÎmZÑî×+5P0…Zë‰úá…yIÖ-Ò$|zq)DQ¢Š~ÇTT)xý‹Ïë°¿ß=å׳)h6t§³×1d È+j`÷"¤TŽ!y c“9a½×ò#Ž>…|‘ÞÅæñB‹vÜò=…˜ù`yPëÔeÄuÄÏG*H¤`ÆóœÜ°ò ¸U!§¾¦Yî~÷úgQåÑ® Œàâ“׎…t gµ¥R_°ÆK^Ã1ZD y!=ô©“úŒwã2íC…S(´\¶u§íƒÚ›ÔÜÑEa!°-ÁÞõÉú¼!‹09w¾L­l?yï`%ØÒBJÓÉ÷b›TíÊÓ@^VYÁ(%mUiÕ¨wãHÚú•;þr–þ¬¦§:"í«‰º^¸»’º.ÌŠvüÚ©¯ZïO›/¢wŠE<æÚ©‹Ù4Ëcª8ª! Ó‘š£ºªÔpîj°žP#Çàó0)þ³c§Î/\„Pç°j»r¹òŽNê«Ø-£½rÅWÉdP|‘Ä68ËÜÔz³dr• ¤‘£¿âq£ïŠú¤_@,€ýÊ$cÓÙËõ¼s†õ ׈ "¹~ö¢é4’¡”»oA«[!xx>!ZCŠ(ýdbdVÍ ‰†Q·sÑ>¾8£»Šè#½!Ø”ÆÐu—jïÇÃùœ± MA©ûfÉ E«²]¡âX§rRŠv:¹žß@ò¬w®H Ö鞃[›ùZ‘ .çw 38Í^ú(‘< )»[Qq(®têåãiÑÔš!P¥·ÞmÐ¥¥%(gEÝ$Õ˜7Îy?lÜyÜkœÇJ«h¶ÇêøZk´Qo¾Oë}O²PRHÔQ¾˜N³ÙÜH‡X¥š$š2ß2åò âE:É3ŽÛ· ÁÉóÙ°ö/õ±ÕáX|°9mÕëoBC›B©xŠÔ²»ˆÞïüDˆh†¶$>+™]#¶1´Dµ€;Õ† ›ÁN²Ûz¹ äJÉ!|j³«™‘€¡¾7#+½ëšú²³\.z±ñe^Ù¥°×`9nõÎNôÂʧ°ö:ˆä!xM’-*¤ƒ1‚5ÕÁ͉·*z伸/0ÀBBÇÁ«±i[¢½çÏ>D¸«˜[—ݦʰH+Ò€…B±£ÓÆ{ÒšzêˆôÌôÎ3@›Ü¹jæfsÍ  .½ÈciÞ "Ÿ@ç3¼@“çiùíÖÖ¾d€€$Žw…ËÖ–Sº'ÂÙûxÝþ7Pmfïa·¹ÿ¾êë|ñ¦‚ä \EgSB9,¢TÖˆ+°ÂZu3Và8é6NbBæ^iñy|ÞìQí¡‚ïºð”/!’ÖœÔl."ùž¥ìÌÐÄ&Èù8š\_çä³xžMãd,8|uif:熅G <¶}9œ¯ˆ=żÂ|N1¦ckr!<ç)®ì ž[L©xÚLÉÿÏ^Ö¢›!fx\.®sÇlØ!oI<ˆïÀt)HHоj+×}÷…÷¾ûRPˆÚªž@p¼@é¦ÌŠô¨Ò蜃:ÈR´HC™úfT¥`av!üÂ’A枨ý+Ai¶P‚"Ñ3\q‰p¢-˜Æñ“ ®É°ƒPÓõÕ6/©É¢àVvjaÁÓøI¼<*ðt Çin¯O¼W_ýê‚ÓÏt²¿:ké ¨¯a¸tcU¤’ãʾÓÞL[¦ñÏÕÀq¼#Êߨ€µo‘§¡ª'P4qÂŒlV©FcH2Ý‚Qd1Ód>„j,~TŸœr›¼>²†\²j}ÉMì?ÕkŸ›[àm«{~aXâYã¥]¿ÊÜÑNô¬Wl­w—Gä>\ÝÃNITZ ³„l`…r>xÊ¡à™,iÁð².%©•¡WÚ¬y×o¼jÑ•ŽAæEuRØzí½ê2àŠÙbÖWd¬¨hšåù”g· ¢"‡Á€GõU²K.Må1ó êHz]@ æŸA9_C]*{/–Ân®ˆð.+A²Rêÿ#ª,€¬FW×hì‰C+ùïVX‚êJ´ReÑî½R@į§´|‰†^äâ_¤¡‹y|-ÍœÌЬ×g©ö½µåëßAÕŒBWÎZ&­óH탕œ!þЇ¼•ueÝbNÍ"­²¹VŠ‚p¨d#‹x*§¶½ u”eP§¾D ït}­ÄÄÎOÀµ€“ô‡º­0ȲŠwåîÕT(!Ib*ÖŽZnûXš”³Òl²J­s‘?‡Ëóz+â1ìÈJÎa¥É‘ñ^h½Ìz²t–;‡ímµh§¬’ÖúÓ÷«V< 3 ¥Xëyq P § ä--ð0 àyÌnôº7ÖOUÑÕù|0^Öo^Jô&~X¬@ýÄR›ÿÎádN¨ G”™ã,_q:ÆX¯ ”ÅôC3Ø#q Â2؇/ DGÊEÆÊ¥R³OWgÁÌOÕšTçÈ ¥5o£®ªÑ8≪ÒÜe °Y pkhÈûèòØA}A\³ù(íøì¤qÐ¥ñÑy7 µUy(Ffž2{–$”Åd¨hE[³œl:Іªîò§¤±PkcpžPÏ<Áùb?ø}òc¨þ™ãçLàdTBdºé@BÌCÜöêêx Þt·$›¦3ºcQiCeË9“ŸÅv7/Ön±¥iv€Ò±ö9üê’$…+b|H‰ú® t¸ŽdP]C!¦ß$ ¾Ô¢P4@\§â”d¹OPð²À`·¢bÌN<–ï¬è·³K\ŸßýPÆggG1×Sìž.çîá †¾£QU`ù¿4K®t;Ô€Vo†ë[¯—¡tui¨„œdI·XÛœ5*Á¨¥ú#]Õ¡GŽkXä…«šŠ›‘€ê”t¡•±Ü€A(PÎÔâ~ ‚˜G›ÛGêÆ(ÆÉ uF–˜a¶ÈGÁ‘ ü„V4µ{“ºè"QÑŠ‚!í­ Ò*ÏbSÑ߈ыj4fž[¦-F½O¨<ˆßt‹ÁYn!€à1mÛEÄ.2ÇäÓ‘‚pÊÉØ“ä‘)Äj&²A扽†˜$ÍV Õ{ú)éSiu­@Ìuª‡æ!½¨duR#ÖôIî[ð'W„å f  'X†»@Ø0’Ñòˆ‘yˆ%¸«Pt‚‚á×äQ”ÇËY ›ãÆ2R‹×ÀÒiG1Ðc;Ô©GM«mñVÁ¿0DÆ~c¡¹.CRgÉ^Q¬+»¬Òx<ôJãPQaQ¹ Ajtü¶e «‰c_²œ8~Pˆ·rꈇ¹_)q=Z¸càŸÌÄx6˜¶àË¡/ý”«RF—ÓÔ¯"¡ü¸Éj%ã—Ñ ~l. ¨º„(ÇMlˆµ· ú,y¦¶]üJ§XÈœI'ãW#¾çß’–ŠÒµ˜°ê«*…¨¸Æpøz±Æ¸ wlÌ^¥†~ãW–¶×d{È´¬BIœ…+™Ìÿ9WúÊÝ‹%fœ–l1ßή¶™§ëjTQ–à@¥¥ðªëúï’ÈTï]@žÿÿÿ±ÁLãëÈ ¾žë¸TäœÍ{ï8µÌ!qo¯C™ãÞ½(,SÀG€C›v:?QÄݜͲYmm‹¯XãyÜlw.^¿‰‰R÷Û:“‚Í;çWÔ0Œ<Ç4ÓÎàôη¾ÍQ’!¤AdÖàÜqU;(oQÅ5!˜‹œ#œ‘‚éÃ5]î%ܳ(¼‚‰ðV ؃)­U)Ãé…~Í/Ó”MÇSŽEÁ`B¨¶Ë©£Æ\ ­ú[V66e ÖšßM¡Žjä/•û&C]'ƒLÖ:ª‹½äº"Çx8@ ŸMˆ‡ £)we†>X6¡AÆ©ÄÇ ªw竬ݥ¶»øÚöw]i·&ý½¥ÜC¶Û ¨ »Ëô„]–ûw}Ma·\U·¡‘.{×^Mr¿L•1/.Ñ[ÄKœÊÁÖšgÝ¢4Vmþß5zÊ^5¤½ì²ô¶R³2³×=‡ûÛãþ–*]köåiVZ2)ÕÍþ2¦þeLýbcª¹¡u#@% 4Œ£ ª¨cS–Ê¿¬oÿ‡Zß¾¦Ál™©¬Úãd÷Ûpíçëú)Z¦‹ãB JŠÖÁÝŸŒ"DºwÝ$â²®ìN>g™©#Bˆ-˜ü ¦9¯H’ð‚q2û`Pñ]ñƒ@99¿¯'Ghñø(ò¦c¦ƒõ‚âú‚¢¢ 쑞¤;8;ên¨ÿÇÍ®ZlÝ:ÆQök|~ŸGOÔ*À µŠƒÅx|§E .4OÍGñyK±Èn )<ú‚0ïpÁ€•·êMN²[5\ñÁ›¡ ê2§Ô¾ãu:‡·TÔ á=`ªá””Çã×!î»”øâÍp \e«®QbT8tÑÿžL¢LéÔÙ忪ƒ«h®–‹'&9ÃfkŠÀ: õ¤ìQ섘 4œe—X[`8ò9R–éAÊpõÕ/ЬP]ö[ ?VÃ×u´äÉH=zÏ(û÷åË<5ë:å’[î‚êwÇÙ‡äŽÖ•aIžÆgФs !Ì6€²ó?›í¯m·ƒå&Ö’þ´?‹ÑCwžµ>™>6¼úÕÉzØ8ú Á7§p¬D-%PjÎ,çzÄæòÎF ŸÙDi¢³¼¾ÜUyRñg½ýr<Aq1†¨›´ZÅ¥<̲Q|•@¼Û—dzPóq˜Pàr·¬`ûãû¥cŽ@¤‰ŽÅ€èò¹°pBá²J/SÙ ¢•7g³Ja²–1@í»ó¬1aÂÂ9Uo©„x[ÍGGQw÷¢e,ÀÝ©{@iß©zøa:>[ÌË^…eùì!’¨wXdîÒ8Ciô³‹ ¤j2gºŽ÷9^Ånuœ/?2»À)òŠE!‘‰²Å€Æ¯7ÞŠ%4¢)òcw‡“”õ\rÐõr–¾4Üdé+%8‹Â¹ª÷”–L|_HQR@(‰ð‡út…/ÍÕÄ¿0Üq]MöÙõ ïZ6)ýþët?¶QÅ™~Ö ù] ŸôÁë§r t.u/ç ¡ãêÐv8ù"6~аV'†“ª[%ASˆˆXæ÷Ú7_5.N0ïEÔP a·I~ò+JQ1Pr®F¯†Nœ%R˜T+±¶†± !2ùl5ƒB/Jò©i“o£7ÝÁ ¤ äq²Kà4™ÀŠà\¢žf À#8ºÿ0C#ßjÍ<ÐÂ(Þ@Î !1@;¿æ¹)Ú…ß+Ójt“ähF,ôcC÷0dœñg£)ýÆ%Ÿá«[*‰¯)®ìD_az7`hjyvU øÃåQ2 ìw¡'O6´ƒj(ô%:ã–òeañ9$ºÐÏØ,6fábÃÂEBÙZ1í€Ñ©”Ъz¢ì BRTÒKöC©BˆˆöM<û3F¬‰7A< ­ºÊô>W;‡ è•sP¦Ñä«è•Ú¬¬AÕw©ßâôù=Ò)§ñÒªVkˆI½ºÖâPG«?†ãâœÞQÌqc/“œÙ¨TmDïêq¡=á8tb0³qÎ0ØöLÜù’e&2ئqâ!b)C©áÅÕÕR*ÕòH´¡IV¤zûZHC›C\;U¢Öõ,©C’çl°>'†ºTŽa‡¼úÀˆ3õIn¸£á™J¦éGCžîY·sdš]ä’ó”.~ _×…µ¬2MÕI)Œ‘’D¨7òÞÛî3Šä!»{ó#Mx‚ËH`¹…^0Šú²‚žÁyÈËÕ龮 wµ;ÇWèG\0 ê§¼×rx*A`†äWƒŽú£!ø°šw†[U²ÚåâZ©ćEv÷ êÎl”¶rBx²Ø^üHOR¥QA¡9H¬Îi¨!Ô¸tºw+T {ûÙ%ndµÐ“øÍðúÖSuÔè¡D«j¢ïªENEªÉ£|‹ øhµá.¶öñ@ à\aRàˆÛåÑédˆµ›™pm»î¹µï¡Î³sVgÍN‰ÄÌ#&1aƒ[Í)îöøÁ×U’Æ#è¢IÜ®…FKä9íõ'–É©º p¸2Õ,g ÂUÈl÷ß¾«¹ ÝpFÔB Ó8ѽND6F¹ÖŠ;Û+ wt T n¶yz}§ËI|´Wö.NÝê§¼~.2æN%·1À8/>C`,¸™ïaLÌÍ|W¤æzêH6#ÏrSH”t¢Ä|*&p®œÀ§{®Ž`<ºC­ ú…goÎcÈf¬Bèp”þ8ÀÞ øŸÌÀ3 …hþ¨Úò¬eržFPp2áÃËWñI³UNïß´Ú Ú,æ§Ñ³¿=‡w½ÿþ9‰˜?óä)LtóEÞW·7šI1›íV5NÏbY%]¥dŽH–œ +£8lJi©÷ž`,¥ž½í´Ž£ëÛ[(Xþ‹;Ý_Ý3ŠÆC‰åªˆêGr…¹;ñ/¿dˆñùjåBû€9HeÄÎ1¯ø*Š BkÅמ´ÚMC±ðRÔCéž×ÃQúÐt1ÕAFpy›dêÀt¢{+ð(üþ£Ùí@׊\ßѹ0=ïs“ÂæRû‰K >ú|?ÚÚV¥1áâ¤Ó~Ÿw•ô³˜ØØËA&Œ/´ÅOø8èͶÖÏ2‰_½‚½’Ê,èÂpù.Ð##»¢R…TqpèÐý6 TæÅëÏê`.Ô€ÆiJEx³bŽ·7wÔW7q5àJ[ ¤“Ëô&äŒPy.±€×C¹êaœ&u!b,8b’™†ë¨E&$á…0ÐãÝÞO MÍ¡¢Ý<8n’ÙFw"u@YX[©ILPïœeÓøýµ¢œ4 ‰gÙ„5Ä"Hè*N0¿Éf°œ¤¦°gà-ZÿQrùðêN§h„Ø¢Œ(¢ùpDy^a—PšW¾€’ô¸†‹ ùx×ÀV®®€æÑ X©¸ƒeu†LgZè [é‚§3 ¤” QÀ\ñ¤¨#qYÚ·[RV²ÚŒ™Ã>Ì4ÊÓC5n:=Ü}¡«Q–MAÇ'\=êaåкTëÎ4'ÀûÎÍ¢vP‘º_Há'nƒáGIÈœ\<¢HQ°b| ÕP¾PªßëbqÂzÈ ˆd݃µ•0Çru´Æ;@6¨®ùúMÎu쿤åz­´Š«žz„›¼ú1‘‡\Œ+uò:ÖlwÇ ]@—ÐÍåèCô„ NÃù¸ZºPûÅ×9-±è¼ÁõÝ“ÿkÂalê(}Dáç•ÒÕ-úèñBÛ!L¾J‡Ãçvê[[JÖûÎ÷®¸C,ÌJW=+ÜëŠåªKõ Ö±¨2ã7ÓÑfqã6_qÊØhÒ$7…‰±[¬›†£øsDŒ/"x³2Bᅵ%cià_$ üK­¯?ÿ*:žP4éüÂJJ~Óè½1Þÿ*Dš£åúf®®Šùì.P]ƒôSQf>½æŸK¦«ÉvwŸ±í'©¾Ê€‘qÆqf}6ԵЧR>Ož®±nŽLcêµ´7[ž($‚ºè¶•¿Žî»)ž/¨oxmqtKÚñ€ü¶• •HT˜f¨RLAv»ïn™­¿©ú›¦W³ÿ·¶nªŠªè/q Þð:àmö¥BÓ\ A}ÅöG 8¡¡átØŸeyv_¸òÝK'àµ(SDMa 2n(5 Î2Y(àHbU²œh  ¼ÉÕÝ–§¯Å”ÁÑNÁw#Yö/unÜÀæ]ÕK.¸Ï"ˆÐ(˜…BfÞ·e€¢È&¬÷ÐWö >_⪨È+ÑÈrZﺮpÅl0¨Æ)àRßÈó´-.uðHä& ذajt±¹NµLgs®Ï´˜XáÖX S’äf)C¿ë% žåO”•¶Ãj™* K­kÔsÐNCŠj@I5N½·Íîa§×ŒO:¯!ü­}þª²iÞ Ë)½^¯«„I‚`$©kk¹ôI?Žg cÂÝZ0º,Ž4ˆ·j ÐðLÇ­ÐL 6æi³}Þ8ñÊ_‡\äoo›XMíU·ÙŒðwèp’ßMúq)×\BIõ›qˇâ¶KZ+ aÒ§Bò¢#õ±jL8Hbƺ³Ð]ÒG;¶±s½³àHщ¢P„q›‹éå S+™&Ñ‚,ÙêŠXÇ,"üPÜÈ*иç?B‹ì0G$ŸQ†nÖÞU]½Í—x!û±`ÛêÛ äÓ¡>€WÚõéJèÜ•ˆ¬)ÒVœ[-ÊyÀcÈýÍ£Ž±»þ¾Õn·'­4»|‰²¼ˆ3X±µæ]¾µOmÕ}crXîä öÂ(x/ùÌÀ¬1h œx–‚ê鳄ŠJ!»0jg‘$) û£.;õ¶l°è#^.8 ë2nAG¶Õ2â¤á ;pDê<.¶-¸ô£H×ÔsýÚ7ŸK‡ú:º‚ð,SsÉœºao p#p— æÏ æ1ÝÉ|KL²ËL±&é°³4§^z­×‡=8ê·^óõ[¯™ ­µèíil3ÿ¹ñ…™ªº§ö[ ;¥ÅüÔì¶ãÞ”ÊVRÎ﬒r¼š˜.¯ŒMËvÑþ_¸Š³r˜% ´Ðÿ­–Ò¬–XL-Á=VY†Ö(¿^+MÃ|,z3åOtI@ùÝó¡Õ]™ÐÌðA‰nq*}xFîíZ»ò¬Ìû’ Ž¢wg yÏK(ûß1Ó²Tæ÷ÄÃüs¥œº¹˜l›5mñ*ã5\£JŠ®˜2kƒaNÈôJëôª›j÷‹³+ÊÙâ¢>z¸N}Ô,ç˜ Ï.k ìP¤QÅÿZL>ìßëè¸e+*†šV0Â{`¶¯µ¶åxíöÉÏ+òHN¿ZN…P¿k2ÏÜ\þŽÍ6}~çÓ7ï7EV|ÕE¹ï‘þ÷ï£æÿ©mÀ>¾Ò>Tà$…w¡º kß«;ÍðÆø €Fà–3(®tÒ|Û£J`d$k»C‘¾ò$ò†d‹E­ñðp‚xa×®$à'5ÎxeEßo}vÒhµ½ö¢”²»åqüú¤uxÇU-t˜O¢¢=°›Ù”´ˆþä´¥Ø3=h³BÑÒp=^ö1BS)S?:PõI}â((,ë;s× cyzýQÛ{|_!O¬iÆÇä5P¤‹ß¶:'”ð~5ER«IkÂ{K…$8ÈËEîŽÑ«æF€ûql‘]‹÷:‡_&Ì·Þkb¨…®m[¾Ý-6î@.f¨k¿Ñ èZuhǤǦ´êÒK² ¼‚Ó$ïl«6:‚Å"ƒLÀ¬kEŸ¹ñϲ_¶0c¼Êh~Ü„?ÖžRcùÓ{K¸†üM2Cô½ÍÛÄ€_'Ø  ´§`€2µ´£º´vìÅDš)îî–ósÀ ‹{ 0[þ£ÉY[6ÀMoÝ0ç ÅW`åÑÉIž:OüwáÖ/Z|~„t3˜iÌ%c:lžÇoŽ»:ד®RQ¤€%®KK Uù)ÕYlé¶õ/sÿ„çE=T`|NgUI†N ´ËLîu¬ 1x„ög׉-FÑù 4‰kàžlJTmì`Q¬ÚE]Ñœž^‘){„Ñlü4š»Ô• aDô~cz‘ÕC Su«¹@O10Òn×°z=Hû•¹$R€tl4ºGož?sV­Ñ=…½Ÿœ¶ÎzUÿ-Gã&¯E´ýR­_ ¢#®Š}¿©&#¯å³Î»f÷ì¨Ðc£uJå¹c=KÂz<ï\° i£RmŸÎgd¤Z{Jöˆ{­%ÒÅ:SõÈV¾Ví6jO1úоÂÛ;:KÜé½Úõ(¿|L{„@<… ž ñ±Ø…Õâ ZÝÖûïÖ~Coü@7ÖŽâøÁŒR8Ùá—‡²ØïI«]8úN ‹o;žg tÕ¯M2òÃ[o÷È@=ÔÎgŒøÑQƒÀlº˜Œ®3îšÖâÄ H¿š§d=Sd ÷$³Þßi­Ù‰\’3\ë—ÒhˆB¼ÇÝ/ivÑþ© cïÓ‡ù% á…ÿ›ƒäš_´;½ï€[ÉzUÃu ”P¡®ø£ŽRsÞŸûb^|š»6@Rº\w+hp{9I>Ô:É,¹ó~5PËWßeé§>â.Á”šŸ0© ›tÓ>„€ÉŽ`®%‹ K F »ïÉöŽ©À,àºïlÙŒß_v~-Ýb8¯Uôv —º›V‚ )ë£% ¹Òt°LoÕ3r´{-¯+dñ†Fõ{Á ¼ZÓÁ8 øb„3þ•·_*R´hd=ym–îÀÊu(Û¡Ý_è"“×À”¦¦Æ åVÉqˆÎÀ¯*³½[u똑p>!l¥›Þ> c8%*º2Î|X"“ʼr€—`Á° C½Á©‹¦&×ÒmìƒÃ¢éÍ]·Î» €—Dþ¼¬ŽXôINNx­ˆ¤œ§~rXxtóËð×jù¸8,6äþ\*íÃ2b`Ó¯ôW|Ë]e¿¤ø+†‚z=ùSÒ‡Ñ6Ò¥îå$ÞBÁÇìCÊAôÞFÐh`Âx‚ º€C­'Ù­Ò•¯‡¤¬ƒ„­ú@/ç†Lzo®a¬<)q„<°2©AøœÌdhÚ)1È7ˆì;¯)P…<öl:ñFöçL>îÉp´Æ0xxFÂF4•Y«O¹Q©Øðs± r£ÛB±Ìùýöaa‡LYq»{j/ ¹ÖΈ|{¯c”f›°[€ÔôtÏ;6ˆQ¼[Ù¼0aÿJÈÙ¬ªþ§¦lCUð¦Ø\›ÆàÅàaa˱ǵ–Ò»€ü²’H–Jéiƽ&èô¡¾ „QŠ8Oa_žN¡Ã°Ñžˆ‚oî+<˜°DQ0¡€'’³Ï°F´E"àÃ,1àùünUé¡N†ÎB±ÚP˜,§ô1,Z¨ZÕ7Ê”¡è+p+±ò•'‚@«FœªÞgÌù”™*ÝË—"?±¿±”6×¾_×뽄Òè“ ³Õ8Ò׈´w›ŽF…’.rœ/‡<¡ÎZ©/JF* ”­ Ý@=^눼qË®º¨Eœ®w«O2 ûƒ¹1w‡2å€pÍ[ ÒGžÎ1ZŒ®Lt¤Sç½ È!~—€c£ÄÃÙ@£¶‡×7óè:‹“I6öÑ´Ý…÷\ËÅQQ¤°:¨˜ÏÐ>ÉH’¡Ä<¥ñ©/¦ÖhÝù£BùAa^Eý»>,Í0®…’!ä^€Ÿ0kêáü=°Rpˆ¿6$ùRÇ)è$PƒT— |8AyHÎ$Ø‘æ'êW†LÀ0E'B‘Òíê³çIÎg_H.-CݬR ¸~`TÈŽË-¼b æqnçÈheµ"1h õ^ì6´4Ä‚9“ˆ,0*ÈìÅÜa¯dã}30ÿŒZA‰î)-ÓÉn¶†U/ImE8¸›Ôà_KVÀÉ#t¤õ(ÔÁð¹²Y¼¸Œ`j}ë5¤µŠ$ ËÍ ˆ"Õëk Ò?ü×NùEOá`bÙ/ך|Žj9égßÏ°ÆØµT*uì_O€Z*2Yw–ëL/€/:¢Ÿ1>û dk2 ™‰Š`½t~1át/cy…>íJØÖT€i\êÎU¾‘L—~ׂšr2â  ”ÁÓJ««\QeðjMøM•Å)n|ëe3JþŸ\ ¯3€…SW{²Ý|hBˆÂlv‘¤¯îtDÈoŠûC'‡ûG2C‹oô!Cÿ,Œ=P_áÁ]?à sÊu•`®9š{ùÔøPó¼Ù~‹©À8M¤¦Þ›ÎÉñ¦ñ„n8öfÑâU§{ÔävêÀ¼>ꜜ¨u,m õés‹ÔM ÇîB‰ÉG d!€Dµ·}™ä© òr’7á*ÒEˆè5jÙ1ûxG°R>éŽ}É/º' ¯Ê÷¿J>¹¾*K´¬•¦qÊeœõHƒ†C„\ÌÆÓnœ©lrLA˜Î,>{•z$AT÷KR û 4öÀzéNõz‚¢ÍИ,‘~‰˜M§JBJ8.–Ñ@ý«÷QýZÏ“˜ê’€I‘óy£{ý!LJÞӶǃû¹n@3PϧãéüNqÑÊ#îcœäÌe%Øt;«—tΚíÃÞq|aïÙ%|Ë|Éû¼1£š§˜F“ϧÀ’Pp'Ý”ÄJNAÑ÷¶èVp3õ4vJŠ0#JØÝ1d(¦¥²pšÌ³ñ°ÝÖgõy=»Á‚æe3@œA.X¿Ÿ¤fÖ_]þê×4Î+æ=C®N¹bÕVáP…•§¦®l7WÕD¯J™µi¬Ì m ùo,J–zÁA—g&ýU’@ö„¾ÿñÂøšŠóA9T¼1éTi„ä˜4Nh“¿åȃ®Þt š¼|ä*9¢˜[-zD‡¹º¿ì¹Gxìwì®J¹P çà<œ!ŽSi/Åš2¼ ¼ø=Ã"BÜ š<[ùvôHp ¹¿á¸CÛÚŒ~Y]'];XømËLv${éZQ~î Ë”_Ãj;hëu»(+œÙ‚[x4p¥nõå{ðcA¸ÿZ°9vÝI=XÛ¸+†Êï¦¨Ü 8¶B‡[ñ{,_ è>hò÷ʱxŸ›À\@ê›JÁ« 8G¥È+{±ß9y‡½²ƒ‡Õ –Ÿ-#aƒ§æaÀ`ÎQ4ާ¥<â•NTÈïVv¾ÜaÝóxýù‹݈‹4ë öëC£ ‹£÷…S[÷X– ž> õÉÐeh§¿¼+ýꎙ#°õ%ëxÿ£Ã¥gß7pòá€âúÂ/pÎñtó©†C-N­ª‰ÒQtÚSªᱚ|§FªKP>¥(•áo”Æ„:‰!e<ú‹ÍKy5Æýºgù¨Ó>^¶e£p¶¥è‹*™•»â·Š2›c½€øI¾˜Bþr:Ð%К``š2")ûyì&1²*8Ÿ*3£º<ˆ×Öüø¹ãã.Kéhó®ØOYùëQ'y21u&2\CÊg)h‹´*qIýDõ¡®ëÌZõ’\%n‹H­òX¸UfêHîŠaj\ÒŽÕÎyƒz:¢*~Ólœ±¤îSÆŠVÑîWç]Ä•n¨•a]‘3†nÆÍv³yÜÛ0¶L_•›Œ‡§·_Þ\ƘLÓÜ©šçÛ8Q7Aó¸òI]Î,KýþÈ[ íhW1¿b’6–ƒ³>¶±¶)èà=°árÚU› £*[¹TÙŠ ²žý_Ô%ËÁ*@A[d´äyDŽ 61oÙ=‚‰ûKüßn4Rì¯z€ç@èÌ0S¥pR”ÁJˆ¤ǃêv6އ.Òœ=j-Á,ü‚•¡çNÐyÒ°Z` ¹Qˆº+"âèÑyÐ]ÚÈŇӯÑqØ™ï&¬˜ÎÔ~Ñ}4÷åû¡ÀÅ„™(‡çO*Yi§SpøëÅ{ˆM1‚W®’èŽ[í×10ñ¸Óۭ⟠„…$nÀ®;0,èdœ38ÌõáÞ¡òE1(ŒLNÒÅê›.üAÄ–OÉF~/bÇC]½K –nWr{RWP‡ ™@CRuÜÍ"X _øu Á\¼e©Z-Äø4½µ8·„( õji9þ$m0\U1ì²áõÅ=-!-xâcÕ•ÿgµ0T¢bôÔmá7°¤­5,±ædB#/„3úkYÝc†Ð9ü{ÜûG|Þ‰|­wŸ‘øw᪵Ã!§—àÔ¼Bo{ NIsw§¡©’¨™Î¶÷A\„Y-ŽºHVú-P7•±€‰\ðB³õàO¿pY¾Ú’ø6Ÿm‰¯‚‹iSµäHU òh6ö™ÒvuÜ j@s`ƒ—©FG OŽˆV‡ >áOŠÑEµš ­¡ðtjíS/B©c¡‘Žøâ4h}MÒd|bi0êcÌjf,ÄŽ º*›}àÚ%@~0Bµ"È*HB)ÜΊ+ÛCæ*UÂÀ¢ c«®4â’)‡B¸S³tP¬J3QãU¯Aä)Býb¦Ë5oË‘Æ4¼Ÿßª—G$Ø© Ÿ³.h±ñ4ŒþF˜[àéíe£d¦Ø«¿GØ).Ex+¬Ež.Ùö•’ ¶y¤DLt›"qàJcØ "ÄCÝ.¥‚#á®L­#HCÖˆ° Û=­_×m¤ŽK-Þ5‡Ë`戲\õnc ’åøÐ¡l8×Û‚ `¨ÉB™š…ÁËEî‡ I°ª äÏ% J9 ‘ûÚVøØà”©£yÐ?÷(S1~³!%™ôÓ0רgjY)ðÓÔ@ÁÈ$pÛG\ÚHýÿDݼŸªÖR¤•¤×ñiç¸õªÕ<ŽveÉãé (€s¾;^¬ï÷ËÞ¯(nOSc _£Áá…Àµ¼_ú%¼…õÂ}÷ýI úÕ”9£Z|¤LG[q;â‡q »¿<¶õ½¬êq’ŒÓünJûcƒçк»øcŸ°®†·${°&z""ÝËÙgd]E +õ Ú+¦&L¡U_ñDlæÞ?¢Ýçß~ÿÌ"Dð¾Ú‡b ¬ô{íömZLÑ"ÒÙéæ6OàWŒ"¿±V€í¾ªÐ<ÛùÕ5K É) #Oòó˜"Äâë¾gS+FžÎ8Ë;Ÿ®®LM¯´*B×ò6 Àñ7£E„#{! ã!¤ ¡b£7ûq¡§ŠCñÕÂü·Êg^u‹´²_y2U7ÿüª¢–ÖLWý®˜ä&ÒÐÓoFƒ§0JÀŽ€p-|¯b¼Óá ¢»„}mÁüñ«ÚâÇÿÜylk›ÏÔMïëÄ]DKò<Äüär£ÈâNwtÀNÉ}0E¡ET Äª@©@ÏV …ùl^Î µ|òª?™jbäµHQ}óüÕ±úå8>:é@Ä^4ÀªqbyŒÃ‚}¯(œ‚“³:tp V­?긅ÿ$V [jÇ…ÞšP•D”G(†ÌŒoæM§ê8[?óÙt "á›Ö©ˆô»¼P Zmhö œy!§3ªáOiæz6ûæi]QéÞU“ôÁ*rámµ«F?xÞ6Åâ»é|F ~TvkÆðñuOÙÕU0Ò[Í+÷¨»óŠ}/ǹz~%»9Lå/BÜø›M|˜Î²¹6‹ Ãq¿”*‘4ñé)‰§aQu‹b¹’Hö1K1Æ<ždà#©”¬|Á $N“†Yª’'õ¢èᆢˆÿ1ØÝYy¢ >w&¦³Ådþ¢,tI½0ýcï*÷È«**¿«¾Ê…ç†!û*¥*²é#=QR¥X/V9èä•´ø¤ ›T[†ÿ,Ïqóðâu|Üêžÿ¶ÎE¡…Qvóí¶y›Â,lÐ Ý:D‹š‘öàrÞºfŒµåCÜ~©ûª.ñödqÇ‹d\KçÑò7“½ókÁ„'hë@om Þ]ß@|Ú÷xòô“þkíÈæs×¾ç8ø¨×É\Q'i[?rü·ÉEt$û‰.Og8º”©Y vö¥l=m£„ôßo—œRïåýؘƒ­È~°gw¨,ñ¼„ ‹D]3õ:*JVLÍu-"‘ ?ÕÌÑßaA“Ãò?tÕ„¹ÎÄ(4¶§ÂœL‡eä‡d"6\;$ˆD¶ì>>á—ï»É+ûl8£çOľîäÀŽÏcåhŽ{cê~$õÖeÒC5(¦»9MÒOóXÓ¸?‘ý@ÞâŠýïû¦­V%êFùfŠ7޳ck%Œšµ À48j±OTÈ,ºö~t‚!Xš7äg ™5_»®‘Ÿ8TFPü¥ £Qa-Ñ,+šE•°)JÈ‚œÁ~7<õ /,¨QRx…‡Ç T†Ä¿Ñ£ V P„î‹uWù’zC„ç‰Xz¤cÌ¡º¹\]šÀ6?žÒÇõ›Ma˜h#qTùvïÉîÎÞ³ª•v÷¾N©[j«—ر”ñ µëÛèPª§>*5r$¬U¢Ý’M…ˆä¥­dö_¦øzTž?K` :º£V@r$ǺæaÉf”H8ƒá@ ëjŠê hG¾N'é ñ°®gÓ´˜Š· ãºæw|W>+›æùp¼öa20å8¥ßr³êkÚ¼‰è^¯è…ª‰!Õ˜ž˜@ó2¥s@óf7ÍãìCrȱFwÊ•z¡ÌŸCš¯ f¢ÜuÊ"•$„$“E2RSº´ñ‰œó…ß`ZÁÌ) Šé?Xœœ¶º|óIvM f\¸ÓÉ´ÂZô”š8Ÿ3]@¤~u cN“ž¢Ÿ €ŸÍƒjê×<öY:\ë…7ᘡ\ÇÅ#&Ë\Qù]Ž¿¿Ô•Ç(rÑjyJÕþDòsvÏê`¦+' Êî`A®þâìÖÏL`\*&­}Baºâ³‡ DÏK*.^WYLFÀ¤ X|—2(†]ip©ðWì ±•Ã\rºsJð W+bìŸMf¢âB ®Cô„u~‚Áš®FYî$åR ¦˜“£輂YaáìÀj=L™÷)ËÍœËnd07@þ XB¯ÈM3,׿:g?W*j&™­¿õ䩆ö)Ç—wüúÆ&ZYìfk¿mc­® ùÕ«1%VÀ=?¾áÆÆÂyéJE#ƒSS‘cpíqõ*µ +bJµœ"”lߺ¹N/t?v6Jþs¨˜:£é«S7Io¡Ž6 ó奆 ß‘*¶©ø›Mnr‘-¨ø¡«çëGØöx˜~/Jæ| #ÌÃÚ7qèaðîVn0gžjcÊdW²hâï"Ôc›Fp‹%PECÖ‡ÄRƒ¾+»Ê—„ HK 3'3ž¢fç팣ã ‘ÔPœ;’쪢£î®”Ö1äU í42f¾ÝCÇéc›­ŽXDéêg×KõD®a/ïÕ8ä›p+׬ôZ _~5ÉÐq÷ %‹yæ¨agV@$:&ü €!ã9X£Ä’f,I…[³œˆ_8^ý9éïë#`H àØÏ;{ô•ç÷­;Òic«zÓI0±’~L8öŠ%æ8œRç.ÁhSN…ya®ŠÆ¿{Á3Ý­G©’-çX›öé§ÉB­Maô ~n¯ÇÙüæ.ú{=z—eÕbójîšÜÔè åšæÑîÎî&"Äpܵ%“l<^+•hJ/ÌòOÛƒôc4æs@z{{[7OÖûÙøéX]ŒJÚ~Šõ>¦OmÛ§{;;;Û_LÒ§;»ÏvÿãûúÍ|<â¾¾­ë·L’y½O¡Îz¯•|C«‰KRßàvXï˃£bY¥ 2¸¤s5$°8¬’[´—?@…¾€[hNÆçËÔTc}Rõv¥Þ«Ó»Ÿšm–ÿ¦Ñ>>iµ_3õ8e†á?{Zü8ÆôøÀ—†,ßAE\÷ã)á'bsóý9Ô–=Š›¯¡<äí‰èoK¥À3 ³Fém<Ì1Ä!´ï"]ä*ÍÕb]ßè }]ZS ÊuøFÒïß@é³´¶.§Ÿ»2©&M&ñ|@fót¦Ô,ók€ŽUèå~>¨ÿÄÄÓ©/Z¼x– ó´"J:×¢ò?l3X•8`űO@¨é†…M&‹ñ%ŒmÝ‘µhþÇw¿Q–µ'b¢±ÇÇL=ü¤æ~^Úºä]ªõ“û-h<€ïGé°ë­ì*!¼°ðÅ%^ÕÅZ«b×zUwÞbÞsƒïÙ ®>%ÖÇæÔ»›ÐÇðÆ%§N¬|à¬>b)Aè'åËß ûÁºï’ûQ 6‰ûJA˜ÑjN:dJ&PBÎoÝ™,™ÃXP¡W"¶b[—&<§VæOègU[Œ?µmÍŸGjC§{ÍÕ ]€ÀÜ5ßXšV­ypgyþ×ÜHÍö±–¤r+*¡Ñä/RnÂ>3°&B«ëûßDÿ¦LåEû¢×<®mŽ€ÿDx7‚ý,ß BÇv‚½•mY°¹ƒëôfv-Ø›ÜS!dânóÜ&^²/Xð…ò\ÉÛÃÈÌ?­´Úo'­c@:¾©ª3"þÜáÝpäúôP<Ä…UòÏô_tõ?CWf·¿€À´ªuÚxï%ëž÷¢Ýçìf ¯t#—`‡p¡ê¾òù/·üê¶ÑkÐ Hk6—éMòq˜a#ý{y» ,È´RÖê³F’ý ‡e#þtt1|ç¸D\¶ÛD>d9&¥_&ý¿|ûk•Œ'ûî!3óÙw}W¨§l0K§£;[Lj£ˆp¿;ù¶CÌPŸÎP‡A T¬º™Ø7KîVþÂóáWƒ¤X[ÿQ¾9ïÛÀ9X˜j&ÍØVªŽÜÒºÕ¡lºxLéÂÚ6µ³ñYí.°.è: (¿ð ï>R¼h™*Ê œÕéYÜîtO'5ñÉqK±m„x‘ŸöÎ;ggÍcîUǤ0ïØàfè°]4¹îûdÌ.™<¹Â´t(yÍ^5ÒµVÑÕ0 Lâ¹vÉ0ŸcX¸àzÙlBÚ4eh÷; ×ù©®ëè¼ÞcœP´ë|Ômö‰ö6DýðÉh‘šv\A_‹„Œ¨î÷Ý8ú)úvcCÖ=÷—¬øÅ©˜-Ù7£p¬‡4)HP·X2#p&„‡°eÞ͌ޮî¬ye8€z":Œió¾ŒáXSìž¶[N;ƒ HþMÚ™ô4ó¨–¢Ù¾‰Ö{Hª‡Z5­«u ñ:’  ¨›àèM|Ú{ý#Å+úÏøüç³f|Úø *5´m¶Y±#N…±Ù¹ðqéÓ4:D « vn‡³ÑÍp”À­cm]l2wÍpÀ+3ÃtZ·Ê#ùtúƒyÂÔ£?èïîÑ[ÿÏu›6:®7w/ÍÙL)?ÐÜ.zë´Ù¹P³ê´›5o–"ßaM£ÞVPõ²rõT9Þˆ ÃÔ+ñ³ƒË¨^G§³úK‘ TñZùÛÄe‘1سÈ·ö›¥ÐuÎ ®«W¬¡x‚‡¦ìÌP‹¯q`–{PÖ:$,Ÿ_y8ƒ64x8JFM¡ÅÝWýoEÙ¸V‚î 1âɦâ óy¾×éw–Bló}z¦{Ô„4±Oï2‚GIgú*Cà ¦ä6¹CïBñf„6 ògåÎ][|T^¡ÒŸÇ‚ ž ¾ÊÆSZ]¾ÏÊä( j¢4½_ö¾{rõ¾ìš¬êÁ|s™ îè0ßàïn÷ÊÃýKVñ¤¸ÚœÂ–Ì®Iû*a Ɔ3¿ÍlÝ­\‡ðôÏt6üKzz:‘PT;9Ym\Œ®—ô¡¢îUF‰Õ6ƒÇ/ ú7#€À—4Meå0¬ùc!o®©Lmh—Ùa¬|šÒÏ'ÓŠ[i˜‹¿CÌ@} 9‡ ˆT+ ± PX£ÓUì¢ñ¾ªƒ°¨Ò‹PGKÌ·ÉlÂUäáo9€P­Ž[½ó«©#zÜDé7ZL@ÐÜÔ½šÐg`h²µD¬Y£¬H»£k- ßyÛìþlj@ ’™’0Õ2^óy €=jŒ^KD‡ŸiM4]qù “e§T˜Êþ¾Ž+Xʌˤ’è"÷­d僂¶ýh»b6½P×W€ïxW@Q| 4Zw;Ŧ/îwÀµ†˜ºþ ¢z/Ü€/¢íÝb‘WScxµÞºAÂ;½¨Ç±|—¼D‘aq¿äaGêqÁZ x•ŸÃÃ’k5†X¤µ»?þˆÌ|'Éð%¾‡; _¤Â‘¾Ø6ƒÂ|^Š¢.¯•å—¿Y3Sn¯ 뿽€°s`|Ñ7ƒ¨òM^…æád^±1ãb0ŽL®+3½(¿Îû7jeª¡ÝBí¬Å øÂ à PÐWeucÃxyH,vÄRX©Û$‡kc’ÍÆÉh³º¿eYŠ•Ï{uÖõThëן “íZ³!á(0VÀ×Öùï{RxÊ"2Ø£Jý ƒ7¾pë¼Ñø·Ja"™×iTA ¿°á¶êæñªe| B3‹D7üQ ®£m¨™CÚUÊA¸dgq^ìÞ,ö]Aß~eÕøË|ßž"P¶×kíÕ ZÅ\Äd o†•Ñ• ™ †|wIu9ÝÒ%FÙèP5¿œW šŒu¥JEÈ_ÅbL½¯¸ è“bMßè¼Å<¥\ðÍ¥!@´Aʰœ£=\^×¹D§rÇc:F«z¸ö±zp=‘‰ÒBfc-J:êD‡:ÀŒ pˆ:á(§²-n4.ž»Y¼Æ´ëýͲ[[Õö:×çã&ë…5Át;@ï¢JF=BÅ0Ì¡éˆ+¢h¦ÅIÇN—/¢ï=y‰–aLiÚÉ$úž×*7ã~`  \4j¯ó­­}CŒá¨Q…Jš2(xy`çýê\ÂðÇ8)ìÒS6Fù—Ã7?[~–Ì·þ ú0áŸ} m{Ôà!7Çÿ'¹þ´+±ÚÃvåá2ʨ .— ¡F"PŸ_-&}ÒÝ9WþvP(À#ñûŠ-+öb§Ÿ ‡ ºY€P'JJ’y>nñIF¼fæœ]]yå\ôÁ×… TW׳¤Ÿ^-€Tœzð6õ æ×‡äZQ—=Ô&”fÈñ|EEˆu#f¸Ð«³–²+\Wµ5°.•ª ýÆÃ†‰µ4‚v=8*Y1mÌØÂœ_åUš5/6o]#TJjV¹2!&˜X¨‘«Ë%‡Í5ëh>\KÆ¡õÁü# ¡Séf–ø¨ö<[¢;ŽNŒjÓ»ˆ1hq‹RfZœX·šç=+yj«-„° 1dâT ÆæÓ ]FbFÞÂÈõi™­ÔÚm½~!GÍÖÛ¦â‹f‘ª6*bV#¬žI²Ìr‚rØ‚¡ch‡c—œ3F-ÊUìŠÃ÷ÕÍÐÄÃP—|<^ßÌqrËÎzÖž°õßñàbÜgJrtK§õp‰Žþçv_}zµRRúZbàU¥Í¹g[¿™[ŽˆôÉdN‰—F–† JÍGNµ¬½ŸâÃxs`fs‘’!'ÌþÊqƦ´¯åRǰ•Î íPBô‡ÿ]Ù_¡™‰ê¹SìY“ÄÊÖHèÖr5óU«Y82–}r6ý:3Br$âAbnÞg6ùÒÙpñ+)¡lõ~åj ²Ë“ËûR/‡\Þþ ¦b¯µèŒçr¤þ{ÞT+q®&(ˆË_g:Kdó›òñátu-«'6<;@Ÿ²—RÔXô³FÞªáE‘-¨ZxZ ¯u»­<ÒaÍ<¡¢‰©ÆUKgD=9«G­3åfÙo‡Ždé©[bÐYðªj9œlQVËÔr>{VVßé¿—U„Ï,Ÿ'¦†A" «‹ˆúš-} *¼S\à]v[¬2ÿG±Æ<˜’?UUÛ&ŠªéÂŒᔫˆïCºä¥…«¹Dµ»BÿƂť5K 8åJ-‡ÎÎW‘p "½É$B(bc31M"¦Éëe\ìm­¾¼Mf©ábð€5G‚àµ.‚Á"ÔÕeй‰ð†™0Ë&pQbq‘R€VAÓ©®Øá*“jáy€–‹VÖÊpXt ˜ú­+P-O™€îÓAIh/öFI9¨mÛÒ‘„•¿Rÿ†JCvõ¯«bs‘ù9ð,ågûåÊNSm…’—*¸¨÷ÙùU†¶ê\´Ïíè»%mÏ5"Êl,TPŽÛ_ÒN}€íøv~ur·§ÍÊU2«B¤0é4Ý£7ÏŸU¿lÞÏŸ}ÙÌŸ?û3sW­¿ÒìÏ:ïšÝ³£*E­a¬]ïpn¢«rvv …hÅšZ™õˆV¬ÈtÚÒ‚)6wïã&~ÁÅ&~Á yu5ûnæ ¸™­o¿îàû½ÿþyL¤]¶¹¢õPµoJ5ú§¾ƒdã§âóßîq «TCjPJs2&mᕬ¶©alƒÛ@uU·…Au”ÌÒèÆðòÆæD†‹ÝŒVKî"D‰‘¥Åuæ\ǵ'²d֞ɧâDTs§КÇ+0œµŽW°ÝÚÇ+0?y¼P¡ª$|ʉFCÙuHÏ öSuÞŸªA±»Š×¦­MFrHÉ8¥’\³ÅH}Æñh‰À8ŒÉT&6(J“Ș-°ÆF”\f˜¢Ç1ÜX>_\¦£úd6À»º‘S2#6êQ8Þ¬¶4/Œcº+ôÑ®“k qå²s§çTŠÿšH&Á¤ë &%V™5»ZbùÊ8'Áð€=…ÊÅè 9Ë %JöÏɳÆ:6‘ð‡.Ç×47FK¿Èe]Qp¹ÁÌ!ê^ Ù ûlãU£urÑmVÈM*]SYG€¬ò„(½è\‡*QyJÙD—¼†kLÛNdåYÇ@¸½À2UÑ ÄѯøtÉ*â­×ë¥UÛݺ¶+óÙm ­n†¶I5ê8Zó·Å°ÿ±¥ÿ,‰3®Ý*£$ŸÇ8¸ýB9ûeÌ6iG1ûŒôYÙO}¹µÝüNe½ [‘¡²µUxð¥txÉ5ÅÎ\x]/@±Œ„Ôáºv^aÈà!Öƒ ó ܲôuû@Zˆð½ìJÑuöœqT9Æ£é«.Áº•|Û¹¶<á#ÃÒbÌÝÐ ßäö9WåäpËjQÜD®…€±àí“]qSNcLF·É]Ža# HŸ$1΋Ò.„a›®šï[çg»2rTàLVJß·!J b"öãi-žªzÍ×oEÒ†{ï:‰LV ñóÆšîw,×ñÀ8x”×  Êb¥ýÅ|ø1•.ý@„®—Ùhë•d¯qîQô;aÓÇ q÷´·}mP³‘)”gsÝj]c[À×Œì’ ±ƒáG ßûGÅ}Ø­[R÷qkhNÏŸ@iÆhf¢È+ZÌT+{2L5IêŠj­Gí Ò T¿vUª6”cœÍî4¹bž”º)fËYYdÚ!ý_Cn2誳ºÇL'C}=—¦ÇñÅâ4‘•ë\  n :Ëj©âóæA‘’+–±B}Ì+GÅܦüyã!Å©Gm½v'>nöŽâ£ÆùÑqܺV¯)“»ó»ñe6ÒR%•úè6_5»ÍöQó8>þ¹Ý8mBûsTÙù´»SŨY<£™-A–2¾R)!ËâNXöEô¥%Õ±«X Uã8®lÖiÞâÅÆAë´Víù¢fFû·íµmÄ÷“ܶF‰éíT4|Óxë Kšh7›{D=‚V7(]Tˆ!¡>÷l=Igû>@ùÊÁÈʢͣc2]Lê´^bXù,UÌBWD9Œ¨¾–Ö#%.$°5ýg:CF0‰LLhú ˜;Æ´Ó‰¯Œ*&]F/ r1àS±mÙ3ø22)؃€È®Äwÿ¤ƒ‘uîO뵺 š1–#RÇ¥ytqøíR…V4êå+á{}æÙâôH>Xšé__U!²ðšƒH—à«Vh91ÊN)u¹f•Y`Nü{}´­WyÀk!4¼î¸nŒ`P`(°¦b¢ä *éxBŒÂÊe|Ó-Î|IGH!ÃpV»Õù‡:3y0Z¬(Ù>y(v÷¹ô, g˨ÐÓ´¶Êí1Ç0°7Ž÷²|A™èˆr`¦&jl^.®¯iûþǤK]RÊ‹\ ÈäûÕ ÖMN[2ÇlŠ!àpÌÒlvL¸æê2šÂsHæ‡þÜk!•Æ€ÙÿþûçÑ“Éð¦/$“¹’òÌJ˜IÎUn@ájQH[ÓѰ?„B:•ˆÕy8•†#û¯ûj>lÅÕ'ƒ"+i]­ÎöU¦Àmìz›»®Bœt6“¸¢3 ýÃd<‚}Xp*‰r J¼¼xï|Òþ½i@¥Ô"5èýUš Ò ¢Þ )æ* ŠŸ\ÍbµßWS¡ñe”óCßLûû²&f»Ñ}Ý™Ð~¨z<™]ÿ‚üºÏ4KgN}Žv¹~tá ™ž+Ê;‰kJ¬Mï¬ÑEß©ô£ÑúP'áEðo…å‹–¬’X„húåû_ƒKs~.¾ú3«‹7‘ºägý›çÏâX¢C€öOÝÍÕÁ.+øåŽkà ÌýîÓ/;ú»ÏûŽÿÉ©<UŽ»½va•ó»üi>Uã|ŠóÄâ ^É¢ÎY³}Ø;.ìOÙó¯ºÍ&ƒiAµ¬Á€`Ø/ð’yéw›Ç­.HÒJA?鑌u I ˆ0Íò|ˆ—6Þä!O(’ÈÙ9$fBŽ#\$sJ½4bÚ Üµ•*"U2ìb†õILÃúR‹z‚5æk ½ƒŒ s·é”rõ›¢žÁ¬KŠAõ(ÀêªZ6NÉ6‹†å©µžÃÅ>¼öëf”–‰ŒbÈFP"I¬)ÚTK×{^r“kËü DƒíÞü_Iä&£]4Ocù-”éB.‰ùíÓ>Xöê)Ioüì®­:8Óµ»¹Ÿ­]8í(3’Å`˜÷ÁClx ¤Î³6/J‚p°1Z°ì0¯Úû"e;“·Â¢V5¬ÆÎ¯õþ0žbõ5*©õÈ[cc«16 ]²ñ@Q°a•zÚÞvöƒÕœyû‹Û®KBÊ\[V•Zñ›ÎÉq¬æõS¥êÀª´' êÚ¢Õp0ŠÕqš¾<½̸ð9 3Œòl £wæòŽê2xØà"oúñhx9SB(ì4yë—ŸŒú{½HfJŽMn–‚å+¡¬g‚^zMîž–Yøò¾ Ü¿bë4.´ZT³,þöIUŸƒZd‚Cì&… ûxé}¹aë˜?2GÊyä×Ò‚4¡SWÛ^WÑ“ÐÈ •…Ú¬IxËNÅRžcµ¦‡ÚÔ­nËÅFv5÷)—NnžŽ>’uo¡Š/"Dù‘–Œ\UÀHÄ:Bµ«;ïÕÈwWÓÂgGðÅ´ÏДáv(ª–4Eau‰pŽXdú#+Ã:3‰c?þ­Z•±F‡­F/ÚÛyövpÎW;_ÑûÒyB€ÞÇSÃóñ“Ü¥PÔ6DDCŽpXsíËUŒŒ³Q˜ÄK_iŽZñÔ·«qž$ù¸²9Î>Ž¢o¾I/§µov6£ÑæÁl³‚/×ÌìjªFÁZ> ÙÚ÷y U½6Š=åHÌ ÙWd_~‹J4„*ÿ½ýÒRÆnƒ° Ú*òØ“ z|Ó9?ovãó76_4~qÆ!¨±bJoã.³ù<‡O½–z/ìÙ¶%í—ÎgšLM÷G¾ˆ‡åú-§NÉBÄòrän,o¹šn¿ÔgYǾ¿Ÿð¼#Á×€Ê94ÌÿªÀËX þꔦôàÑÌëµk‹ù·¿¨Õ’YíP8¼í/ÀòˆÃYuÈÁË#PgÎfCÖà¾Sj‡ÒÉ4"kÔîœ+…lDâ[À@MÂZ´dsÙz1îÃ"›!ç¸ÔéÖ½ó]ßZ8E`¿ r|t‚BˆŽæÒŒ‚ëˆHkE!9Q"á&aÎqZh¿BÃÙmêE2\¦}€7‚é ùYŒ¢%ø7c)o‘ê!¡d%M3[[Î\÷Ùå§Ò¶-€ã>ìOÿçgÕÒæa¼Ð%N‹Àn÷£éÂòºìñÇgG@ÄáèSiL ¸&ï%‡½ý\†û»o¼\\ýòlç×}ÿó'–ÄR¯¶cØ „bÂë#û`Üûùô°sÒ‹)2¼¤÷?ÉïÆXÆ*:ð–ÅÜ1»q­êQyäžÐªº©w½åÁÌÝ·:"„ßð»÷zs¤üÅ]"í'ëãc!Bêûc*¼¾É“O˜ÔxU#6ºXJ÷! Øiñ(3RÀãî42šŒp(dT/¸+ê,iá*1B¹–¶ é âiÐ\tÆx¥F&Šâ”`0»C³ Ä쩃ó1òþMjlbaË+´Þs©ÎÑ ­KôÅ*Ó&03µjt¡en¾|ð»vÕÀ‘ˆÌ úyš@É‡ÊæS%öŸ’ÙSÕz³f¾Æ'$`ßÒ7)w÷ƒô•âmþ~yÀMKX‘zÖœ* ùüôqxÈ‘³»h’£U>¦ "Ø ˆNª‡V~Ê—Í•'l”>LÏ&Ìô´„å,Ù W¿‡"‹ R åñi6M'¤Š$³9†™î!¿Û&ÿÃËèøìe ÅS´å â·Á:¡óžNÀR@VàõÂaDëA¸+ÊMšAäŸ Õ)KF« À®¼[‹yŸ¹¹øïÕÂáæÓE>{z9œ<‹rëòM¾Î…'·´vŸë™sloÐåW!ü& ðÍófûmeóä8fN¸Y Ÿà8¢qø<0/‡ç#‰c>S¿Tdòóª©ãi¹òÚÇ.²ÓŠÁÖäeQ3óÚ*ˆaô£ö/§“Ѫ-¾d5©ÛÔ5Io‡×`E’ 1ž§9A[oŽÕ=¾ºLBã%‰5šŒˆöof ã–1BÕèÁ’‚«HvaõäÚ i»WìÉ®léz>Á±©ÍZ—9¢¦9ŸMúã©3Z˜UgÒN*ú1ªÐ=Q…©n Ѝ®°_È9.9Α¶K–ÌÏ÷;‘p p˜ÊÞwá7CÌ×óànÒO&¥-(zâÈ£ðÙ]ƒí±( VÔ®¯êb6£_PnùuóÞòˆÃs‚#Y"—eVÛC±Ñrž XÁ ÏÌá[80±t~w_Ö­oÚµ—ÿCRÐÒãMZ]–©y¨ÊºÈ©öð«Wý‚¬ñ¯ðà>ÚÔçQç§È-âZ>‹P×N7Ð;ùçõƒ¤ŠñqÜÓeÆдãi$´Äq2Eåjà9©Á_éÝ£,ûfÑÅ”³›>£)Æ ½jµã“fã' £éb¾^  våz^¸×X Ì õ§KÌösî¶ÍOt˜^ƒ€™ˆjÙ/­qç~ #®á/½Wºç@ýÂS–ãŸ/"!ãe@}úÀv\>°&„í-–ÌZ ³¦vTí-¬Õÿó×Ï_?ýüõó×Ï_?ýüõó×Ï_?ýüõó×Ï_?ýüõóñÏÿÞþg:Gasymptote-2.62/modifier.h0000644000000000000000000000161413607467113014147 0ustar rootroot/***** * modifier.h * Andy Hammerlindl 2002/08/29 * * Permissions for variables. * PUBLIC means the variable can be read or written anywhere. * RESTRICTED means it can be read anywhere, but written only in the record. * PRIVATE means it can only be accessed in the record. * * The modifiers static declares that variable to be allocated, are allocated in * the parent's frame, and code is translated into the parent's frame. *****/ #ifndef MODIFIER_H #define MODIFIER_H namespace trans { // Permission tokens defined in camp.y for accessing a variable outside of // its lexically enclosing record. enum permission { RESTRICTED, PUBLIC, PRIVATE }; const permission DEFAULT_PERM=PUBLIC; enum modifier { DEFAULT_STATIC, DEFAULT_DYNAMIC, EXPLICIT_STATIC, EXPLICIT_DYNAMIC }; } // namespace trans GC_DECLARE_PTRFREE(trans::permission); GC_DECLARE_PTRFREE(trans::modifier); #endif asymptote-2.62/runmath.h0000644000000000000000000000041513607467143014030 0ustar rootroot/***** Autogenerated from runmath.in; changes will be overwritten *****/ #ifndef runmath_H #define runmath_H namespace run { void boolMemEq(vm::stack *); void boolMemNeq(vm::stack *); void boolFuncEq(vm::stack *); void boolFuncNeq(vm::stack *); } #endif // runmath_H asymptote-2.62/errormsg.h0000644000000000000000000001175213607467113014215 0ustar rootroot/***** * errormsg.h * Andy Hammerlindl 2002/06/17 * * Used in all phases of the compiler to give error messages. *****/ #ifndef ERRORMSG_H #define ERRORMSG_H #include #include "common.h" #include "settings.h" using std::ostream; struct handled_error {}; // Exception to process next file. struct interrupted {}; // Exception to interrupt execution. struct quit {}; // Exception to quit current operation. struct eof {}; // Exception to exit interactive mode. class fileinfo : public gc { string filename; size_t lineNum; public: fileinfo(string filename, size_t lineNum=1) : filename(filename), lineNum(lineNum) {} size_t line() const { return lineNum; } string name() const { return filename; } // The filename without the directory and without the '.asy' suffix. // Note that this assumes name are separated by a forward slash. string moduleName() const { size_t start = filename.rfind('/'); if (start == filename.npos) start = 0; else // Step over slash. ++start; size_t end = filename.rfind(".asy"); if (end != filename.size() - 4) end = filename.size(); return filename.substr(start, end-start); } // Specifies a newline symbol at the character position given. void newline() { ++lineNum; } }; inline bool operator == (const fileinfo& a, const fileinfo& b) { return a.line() == b.line() && a.name() == b.name(); } class position : public gc { fileinfo *file; size_t line; size_t column; public: void init(fileinfo *f, Int p) { file = f; if (file) { line = file->line(); column = p; } else { line = column = 0; } } string filename() const { return file ? file->name() : ""; } size_t Line() const { return line; } size_t Column() const { return column; } std::pairLineColumn() const { return std::pair(line,column); } bool match(const string& s) { return file && file->name() == s; } bool match(size_t l) { return line == l; } bool matchColumn(size_t c) { return column == c; } bool operator! () const { return (file == 0); } friend ostream& operator << (ostream& out, const position& pos); // Write out just the module name and line number. void printTerse(ostream& out) const { if (file) { out << file->moduleName() << ":" << line; } } }; extern position nullPos; struct nullPosInitializer { nullPosInitializer() {nullPos.init(NULL,0);} }; inline bool operator == (const position& a, const position& b) { return a.Line() == b.Line() && a.Column() == b.Column() && a.filename() == b.filename(); } string warning(string s); class errorstream { ostream& out; bool anyErrors; bool anyWarnings; bool floating; // Was a message output without a terminating newline? // Is there an error that warrants the asy process to return 1 instead of 0? bool anyStatusErrors; public: static bool interrupt; // Is there a pending interrupt? errorstream(ostream& out = cerr) : out(out), anyErrors(false), anyWarnings(false), floating(false), anyStatusErrors(false) {} void clear(); void message(position pos, const string& s); void Interrupt(bool b) { interrupt=b; } // An error is encountered, not in the user's code, but in the way the // compiler works! This may be augmented in the future with a message // to contact the compiler writers. void compiler(); void compiler(position pos); // An error encountered when running compiled code. This method does // not stop the executable, but the executable should be stopped // shortly after calling this method. void runtime(position pos); // Errors encountered when compiling making it impossible to run the code. void error(position pos); // Indicate potential problems in the code, but the code is still usable. void warning(position pos); void warning(position pos, string s); // Single a fatal error and execute the main process. void fatal(position pos); // Print out position in code to aid debugging. void trace(position pos); // Sends stuff to out to print. // NOTE: May later make it do automatic line breaking for long messages. template errorstream& operator << (const T& x) { flush(out); out << x; return *this; } // Reporting errors to the stream may be incomplete. This draws the // appropriate newlines or file excerpts that may be needed at the end. void sync(); void cont(); bool errors() const { return anyErrors; } bool warnings() const { return anyWarnings || errors(); } void statusError() { anyStatusErrors=true; } // Returns true if no errors have occured that should be reported by the // return value of the process. bool processStatus() const { return !anyStatusErrors; } }; extern errorstream em; void outOfMemory(); GC_DECLARE_PTRFREE(nullPosInitializer); #endif asymptote-2.62/impdatum.cc0000644000000000000000000003071013607467113014326 0ustar rootroot#include #include "stack.h" #include "env.h" #include "exp.h" #include "stm.h" #include "refaccess.h" using std::strlen; using namespace absyntax; using namespace trans; using vm::item; using vm::get; #include "policy.h" coenv &coenvInOngoingProcess(); void runInOngoingProcess(absyntax::runnable *r); void runExp(absyntax::exp *e) { absyntax::expStm s(nullPos, e); runInOngoingProcess(&s); } class ImpDatum; class ImpArguments; ImpDatum *datumError(const char *msg); // Expression used for non-item datums. class errorExp : public absyntax::exp { public: errorExp() : exp(nullPos) {} void prettyprint(ostream &out, Int indent) { absyntax::prettyname(out, "errorExp", indent); } void complain() { em.error(nullPos); em << "cannot use datum as expression"; } types::ty *getType(coenv &) { return types::primError(); } types::ty *trans(coenv &e) { complain(); return getType(e); } void transAsType(coenv &e, types::ty *target) { complain(); } }; // Abstract base class for Datum types. class ImpDatum { public: virtual operator handle_typ() { return (handle_typ)(this); } virtual int_typ toInt() { datumError("cannot convert to integer"); // Return a weird value that will hopefully be noticed. return -777777; } virtual bool toBool() { datumError("cannot convert to bool"); return false; } virtual double toDouble() { datumError("cannot convert to double"); return -777e77; } virtual string_typ toString() { datumError("cannot convert to string"); string_typ s = { "XXXXX", 5 }; return s; } virtual absyntax::exp *getExp() { datumError("invalid use of datum"); return new errorExp; } // How to access a field of the datum. virtual absyntax::exp *getFieldExp(symbol id) { assert(id); return new fieldExp(nullPos, this->getExp(), id); } virtual ImpDatum *getField(const char *name); virtual ImpDatum *getCell(ImpDatum *index) { return datumError("cannot index datatype"); } virtual void addField(const char *name, ImpDatum *init) { datumError("cannot set field of datatype"); } }; // An ever-growing list of handles, used to avoid garbage collecting the data. // TODO: Implement effective releaseHandle. mem::vector handles; handle_typ wrap(ImpDatum *d) { handle_typ h = (handle_typ)(d); handles.push_back(h); return h; } ImpDatum *unwrap(handle_typ handle) { assert(handle != 0); return (ImpDatum *)(handle); } class ErrorDatum : public ImpDatum { }; error_callback_typ errorCallback = 0; ImpDatum *datumError(const char *msg) { static ErrorDatum ed; if (errorCallback) { string_typ s = { msg, strlen(msg) }; errorCallback(s); } else { cerr << msg << '\n'; } return &ed; } handle_typ imp_copyHandle(handle_typ handle) { //cout << "+"; // For now, don't do anything. return handle; } void imp_releaseHandle() { //cout << "-"; // Do nothing, for now. } // A datum representing a value in Asymptote. Both the runtime representation // of the value and its type are stored. class ItemDatum : public ImpDatum { item i; types::ty *t; public: // Every itemDatum has a fixed (non-overloaded) type, t ItemDatum(types::ty *t) : t(t) { assert(t); assert(t->isNotOverloaded()); assert(t->isNotError()); } // An expression that can be used to get and set the datum. // The value should only be set once, when the datum is created, and not // changed. absyntax::exp *getExp() { // It may be faster to create this once on start, but then the datum will // require more space. For now, we create the access and expression on // demand. return new varEntryExp(nullPos, t, new itemRefAccess(&i)); } int_typ toInt() { // TODO: Decide if we want to use casting. if (t->kind == types::ty_Int) return static_cast(get(i)); else return ImpDatum::toInt(); } bool toBool() { if (t->kind == types::ty_boolean) return get(i); else return ImpDatum::toBool(); } double toDouble() { if (t->kind == types::ty_real) return get(i); else return ImpDatum::toDouble(); } string_typ toString() { if (t->kind == types::ty_string) { // TODO: Fix for strings containing NUL. string *s = get(i); string_typ st = { s->c_str(), s->length() }; return st; } else return ImpDatum::toString(); } }; ItemDatum *ItemDatumFromExp(types::ty *t, absyntax::exp *e) { ItemDatum *d = new ItemDatum(t); assignExp ae(nullPos, d->getExp(), e); runExp(&ae); return d; } ItemDatum *ItemDatumFromInt(int_typ x) { intExp ie(nullPos, static_cast(x)); return ItemDatumFromExp(types::primInt(), &ie); } ItemDatum *ItemDatumFromBool(bool x) { booleanExp be(nullPos, x); return ItemDatumFromExp(types::primBoolean(), &be); } ItemDatum *ItemDatumFromDouble(double x) { realExp re(nullPos, x); return ItemDatumFromExp(types::primReal(), &re); } ItemDatum *ItemDatumFromString(string_typ x) { mem::string s(x.buf, (size_t)x.length); stringExp se(nullPos, s); return ItemDatumFromExp(types::primString(), &se); } // If the interface is asked to return a field which is overloaded, a handle // to and OverloadedDatum is returned. No evaluation actually occurs. The // datum simply consists of the containing datum and the name of the field // requested. Subsequent use of the datum will resolve the overloading (or // report an error). class OverloadedDatum : public ImpDatum { ImpDatum *parent; symbol id; public: OverloadedDatum(ImpDatum *parent, symbol id) : parent(parent), id(id) { assert(parent); assert(id); } absyntax::exp *getExp() { return parent->getFieldExp(id); return new fieldExp(nullPos, parent->getExp(), id); } }; ImpDatum *ImpDatum::getField(const char *name) { coenv &e = coenvInOngoingProcess(); symbol id = symbol::trans(name); absyntax::exp *ex = getFieldExp(id); types::ty *t = ex->getType(e); if (t->isError()) return datumError("no field of that name"); if (t->isOverloaded()) return new OverloadedDatum(this, id); // Create a new datum and assign the variable to it. ItemDatum *d = new ItemDatum(t); assignExp ae(nullPos, d->getExp(), ex); runExp(&ae); return d; } handle_typ imp_handleFromInt(int_typ x) { return wrap(ItemDatumFromInt(x)); } handle_typ imp_handleFromBool(int_typ x) { if (x != 0 && x != 1) return wrap(datumError("invalid boolean value")); return wrap(ItemDatumFromBool(x == 1)); } handle_typ imp_handleFromDouble(double x) { return wrap(ItemDatumFromDouble(x)); } int_typ imp_IntFromHandle(handle_typ handle) { return unwrap(handle)->toInt(); } int_typ imp_boolFromHandle(handle_typ handle) { return unwrap(handle)->toBool() ? 1 : 0; } double imp_doubleFromHandle(handle_typ handle) { return unwrap(handle)->toDouble(); } handle_typ imp_handleFromString(string_typ x) { return wrap(ItemDatumFromString(x)); } string_typ imp_stringFromHandle(handle_typ handle) { return unwrap(handle)->toString(); } handle_typ imp_getField(handle_typ handle, const char *name) { return wrap(unwrap(handle)->getField(name)); } handle_typ imp_getCell(handle_typ handle, handle_typ index) { return wrap(unwrap(handle)->getCell(unwrap(index))); } void imp_addField(handle_typ handle, const char *name, handle_typ init) { unwrap(handle)->addField(name, unwrap(init)); } class ImpArguments /* TODO: gc visible but not collected */ { arglist args; public: ImpArguments() {} void add(const char *name, ImpDatum *arg, arg_rest_option isRest) { assert(isRest == NORMAL_ARG); // TODO: Implement rest. symbol id = (name && name[0]) ? symbol::trans(name) : symbol::nullsym; args.add(arg->getExp(), id); } arglist *getArgs() { return &args; } }; arguments_typ wrapArgs(ImpArguments *args) { return (arguments_typ)(args); } ImpArguments *unwrapArgs(arguments_typ args) { return (ImpArguments *)(args); } arguments_typ imp_newArguments() { return wrapArgs(new ImpArguments); } void imp_releaseArguments(arguments_typ args) { // For now, do nothing. } void imp_addArgument(arguments_typ args, const char *name, handle_typ handle, arg_rest_option isRest) { unwrapArgs(args)->add(name, unwrap(handle), isRest); } ImpDatum *callDatum(ImpDatum *callee, ImpArguments *args) { coenv &e = coenvInOngoingProcess(); callExp callex(nullPos, callee->getExp(), args->getArgs()); types::ty *t = callex.getType(e); if (t->isError()) { // Run for errors. runExp(&callex); em.sync(); return datumError("invalid call"); } assert(t->isNotOverloaded()); // Calls are never overloaded. if (t->kind == types::ty_void) { // Execute the call and return 0 to indicate void. runExp(&callex); return 0; } else return ItemDatumFromExp(t, &callex); } handle_typ imp_call(handle_typ callee, arguments_typ args) { return wrap(callDatum(unwrap(callee), unwrapArgs(args))); } class GlobalsDatum : public ImpDatum { typedef std::map gmap; gmap base; virtual absyntax::exp *getFieldExp(symbol id) { // Fields of the globals datum are global variables. Use the unqualified // name. return new nameExp(nullPos, id); } virtual void addField(const char *name, ImpDatum *init) { datumError("addField not yet re-implemented"); } }; class ImpState { //ImpArguments *params; ImpDatum *retval; public: ImpState() : retval(0) {} ImpDatum *globals() { return new GlobalsDatum(); } int_typ numParams() { /*if (params) return params->val.size(); else */ { datumError("parameters accessed outside of function"); return 0; } } ImpDatum *getParam(int_typ index) { /*if (params) { if (index >= 0 && index < static_cast(params->val.size())) return params->val[index]; else return datumError("invalid index for parameter"); } else */ { return datumError("parameters accessed outside of function"); } } void setReturnValue(ImpDatum *retval) { /*if (params) { if (this->retval) datumError("return value set more than once"); else this->retval = retval; } else */ { datumError("return value set outside of function"); } } ImpDatum *getReturnValue() { return retval; } }; state_typ wrapState(ImpState *s) { return (state_typ)(s); } ImpState *unwrapState(state_typ s) { return (ImpState *)(s); } handle_typ imp_globals(state_typ state) { return wrap(unwrapState(state)->globals()); } int_typ imp_numParams(state_typ state) { return unwrapState(state)->numParams(); } handle_typ imp_getParam(state_typ state, int_typ index) { return wrap(unwrapState(state)->getParam(index)); } void imp_setReturnValue(state_typ state, handle_typ handle) { unwrapState(state)->setReturnValue(unwrap(handle)); } state_typ cheatState() { return wrapState(new ImpState()); } #if 0 class FunctionDatum : public ImpDatum { function_typ f; void *data; public: FunctionDatum(function_typ f, void *data) : f(f), data(data) {} ImpDatum *call(ImpArguments *args) { ImpState state(args); // Call the function. f(wrapState(&state),data); if (state.getReturnValue()) return state.getReturnValue(); else // TODO: Decide on datum for void return. return 0; } }; #endif handle_typ imp_handleFromFunction(const char *signature, function_typ f, void *data) { // TODO: Re-implement. return 0; //wrap(new FunctionDatum(f, data)); } void imp_setErrorCallback(error_callback_typ callback) { errorCallback = callback; } extern policy_typ imp_policy; policy_typ imp_policy = { /* version = */ 101, imp_copyHandle, imp_releaseHandle, imp_handleFromInt, imp_handleFromBool, imp_handleFromDouble, imp_handleFromString, imp_handleFromFunction, imp_IntFromHandle, imp_boolFromHandle, imp_doubleFromHandle, imp_stringFromHandle, imp_getField, imp_getCell, imp_addField, imp_newArguments, imp_releaseArguments, imp_addArgument, imp_call, imp_globals, imp_numParams, imp_getParam, imp_setReturnValue, imp_setErrorCallback, }; // Defined in process.cc void init(bool resetpath=true); extern "C" { policy_typ *_asy_getPolicy() { return &imp_policy; } state_typ _asy_getState() { static state_typ state = cheatState(); // TODO: Make sure this runs once. char buf[] = "asymptote.so"; char *argv [] = { buf }; settings::setOptions(1,argv); // Ensures uptodate is not used. init(); return state; } } asymptote-2.62/drawverbatim.h0000644000000000000000000000237713607467113015047 0ustar rootroot/***** * drawverbatim.h * John Bowman 2003/03/18 * * Add verbatim postscript to picture. *****/ #ifndef DRAWVERBATIM_H #define DRAWVERBATIM_H #include "drawelement.h" namespace camp { enum Language {PostScript,TeX}; class drawVerbatim : public drawElement { private: Language language; string text; bool userbounds; pair min,max; bool havebounds; public: drawVerbatim(Language language, const string& text) : language(language), text(text), userbounds(false), havebounds(false) {} drawVerbatim(Language language, const string& text, pair min, pair max) : language(language), text(text), userbounds(true), min(min), max(max), havebounds(false) {} virtual ~drawVerbatim() {} void bounds(bbox& b, iopipestream& tex, boxvector&, bboxlist&) { if(havebounds) return; havebounds=true; if(language == TeX) tex << text << "%" << newl; if(userbounds) { b += min; b += max; } } bool islabel() { return language == TeX; } bool draw(psfile *out) { if(language == PostScript) out->verbatimline(text); return true; } bool write(texfile *out, const bbox&) { if(language == TeX) out->verbatimline(stripblanklines(text)); return true; } }; } #endif asymptote-2.62/camperror.h0000644000000000000000000000146213607467113014344 0ustar rootroot/***** * camperror.h * 2003/02/25 Andy Hammerlindl * * Provides a way for the classes in camp to report errors in * computation elegantly. After running a method on a camp object that * could encounter an error, the program should call camp::errors to see * if any errors were encountered. *****/ #ifndef CAMPERROR_H #define CAMPERROR_H #include #include "common.h" namespace camp { // Used internally to report an error in an operation. void reportError(const string& desc); void reportError(const ostringstream& desc); void reportWarning(const string& desc); void reportWarning(const ostringstream& desc); void reportFatal(const string& desc); void reportFatal(const ostringstream& desc); inline std::ostream& newl(std::ostream& s) {s << '\n'; return s;} } // namespace camp #endif asymptote-2.62/symbol.h0000644000000000000000000000514613607467113013662 0ustar rootroot/***** * symbol.h * Andy Hammerlindl 2002/06/18 * * Creates symbols from strings so that multiple calls for a symbol of * the same string will return an identical object. *****/ #ifndef SYMBOL_H #define SYMBOL_H #include #include #include "common.h" using std::ostream; namespace sym { void initTable(); struct GCInit { #ifdef _AIX typedef char * GC_PTR; #endif GCInit() { #ifdef USEGC GC_set_free_space_divisor(2); mem::compact(0); GC_INIT(); #endif // Put the symbol table into a state where symbols can be translated. initTable(); } }; typedef unsigned int uint; /* The symbol class, just a wrapper around the augmented hash value. This * wrapper is so that * cout << s << endl; * prints the symbol name instead of a meaningless integer. * * This is a lightweight class and should have no virtual functions for speed * reasons. */ struct symbol { // Is there any particular reason why this is in symbol? static GCInit initialize; uint hashplus; #if 0 symbol() {} symbol(uint h) : hashplus(h) {} #endif static symbol nullsym; static symbol initsym; static symbol castsym; static symbol ecastsym; bool special() const { return *this == initsym || *this == castsym || *this == ecastsym; } bool notSpecial() const { return !special(); } // Translate a string into a unique symbol, such that two strings are equal // if and only if their resulting symbols are equal. // len should be equal to strlen(s)+1 static symbol rawTrans(const char *s, size_t len); static symbol literalTrans(string s) { return rawTrans(s.c_str(), s.size() + 1); } static symbol opTrans(string s) { return literalTrans("operator "+s); } static symbol trans(string s) { // Figure out whether it's an operator or an identifier by looking at the // first character. char c=s[0]; return isalpha(c) || c == '_' ? literalTrans(s) : opTrans(s); } // Make a symbol that is guaranteed to be unique. It will not match any other // symbol in the namespace. static symbol gensym(string s); size_t hash() const { return (size_t)this->hashplus; } friend bool operator== (symbol s1, symbol s2) { return s1.hashplus == s2.hashplus; } friend bool operator!= (symbol s1, symbol s2) { return s1.hashplus != s2.hashplus; } friend bool operator< (symbol s1, symbol s2) { return s1.hashplus < s2.hashplus; } operator bool () const { return this->hashplus != 0; } operator string () const; friend ostream& operator<< (ostream& out, const symbol sym); }; } // end namespace #endif // SYMBOL_H asymptote-2.62/drawpath3.cc0000644000000000000000000001353513607467113014411 0ustar rootroot/***** * drawpath3.cc * * Stores a path3 that has been added to a picture. *****/ #include "drawpath3.h" #include "drawsurface.h" #include "material.h" #ifdef HAVE_LIBGLM #include #include #include #endif namespace camp { using vm::array; using namespace prc; bool drawPath3::write(prcfile *out, unsigned int *, double, groupsmap&) { Int n=g.length(); if(n == 0 || invisible) return true; if(straight) { triple *controls=new(UseGC) triple[n+1]; for(Int i=0; i <= n; ++i) controls[i]=g.point(i); out->addLine(n+1,controls,color); } else { int m=3*n+1; triple *controls=new(UseGC) triple[m]; controls[0]=g.point((Int) 0); controls[1]=g.postcontrol((Int) 0); size_t k=1; for(Int i=1; i < n; ++i) { controls[++k]=g.precontrol(i); controls[++k]=g.point(i); controls[++k]=g.postcontrol(i); } controls[++k]=g.precontrol(n); controls[++k]=g.point(n); out->addBezierCurve(m,controls,color); } return true; } bool drawPath3::write(jsfile *out) { #ifdef HAVE_LIBGLM Int n=g.length(); if(n == 0 || invisible) return true; if(billboard) { meshinit(); drawElement::centerIndex=centerIndex; } else drawElement::centerIndex=0; RGBAColour Black(0.0,0.0,0.0,color.A); setcolors(false,Black,color,Black,1.0,0.0,0.04,out); for(Int i=0; i < n; ++i) { if(g.straight(i)) { out->addCurve(g.point(i),g.point(i+1),Min,Max); } else out->addCurve(g.point(i),g.postcontrol(i), g.precontrol(i+1),g.point(i+1),Min,Max); } #endif return true; } void drawPath3::render(double size2, const triple& b, const triple& B, double perspective, bool remesh) { #ifdef HAVE_GL Int n=g.length(); if(n == 0 || invisible) return; RGBAColour Black(0.0,0.0,0.0,color.A); setcolors(false,Black,color,Black,1.0,0.0,0.04); setMaterial(material1Data,drawMaterial1); bool offscreen; if(billboard) { drawElement::centerIndex=centerIndex; BB.init(center); offscreen=bbox2(Min,Max,BB).offscreen(); } else offscreen=bbox2(Min,Max).offscreen(); if(offscreen) { // Fully offscreen R.Onscreen=false; R.data.clear(); return; } for(Int i=0; i < n; ++i) { triple controls[]={g.point(i),g.postcontrol(i),g.precontrol(i+1), g.point(i+1)}; triple *Controls; triple Controls0[4]; if(billboard) { Controls=Controls0; for(size_t i=0; i < 4; i++) { Controls[i]=BB.transform(controls[i]); } } else Controls=controls; double s=perspective ? Min.getz()*perspective : 1.0; // Move to glrender const pair size3(s*(B.getx()-b.getx()),s*(B.gety()-b.gety())); R.queue(controls,g.straight(i),size3.length()/size2); } #endif } drawElement *drawPath3::transformed(const double* t) { return new drawPath3(t,this); } bool drawNurbsPath3::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; out->addCurve(degree,n,controls,knots,color,weights); return true; } // Approximate bounds by bounding box of control polyhedron. void drawNurbsPath3::bounds(const double* t, bbox3& b) { double x,y,z; double X,Y,Z; triple* Controls; if(t == NULL) Controls=controls; else { Controls=new triple[n]; for(size_t i=0; i < n; i++) Controls[i]=t*controls[i]; } boundstriples(x,y,z,X,Y,Z,n,Controls); b.add(x,y,z); b.add(X,Y,Z); if(t == NULL) { Min=triple(x,y,z); Max=triple(X,Y,Z); } else delete[] Controls; } drawElement *drawNurbsPath3::transformed(const double* t) { return new drawNurbsPath3(t,this); } void drawNurbsPath3::ratio(const double* t, pair &b, double (*m)(double, double), double, bool &first) { triple* Controls; if(t == NULL) Controls=controls; else { Controls=new triple[n]; for(size_t i=0; i < n; i++) Controls[i]=t*controls[i]; } if(first) { first=false; triple v=Controls[0]; b=pair(xratio(v),yratio(v)); } double x=b.getx(); double y=b.gety(); for(size_t i=0; i < n; ++i) { triple v=Controls[i]; x=m(x,xratio(v)); y=m(y,yratio(v)); } b=pair(x,y); if(t != NULL) delete[] Controls; } void drawNurbsPath3::displacement() { #ifdef HAVE_GL size_t nknots=degree+n+1; if(Controls == NULL) { Controls=new(UseGC) GLfloat[(weights ? 4 : 3)*n]; Knots=new(UseGC) GLfloat[nknots]; } if(weights) for(size_t i=0; i < n; ++i) store(Controls+4*i,controls[i],weights[i]); else for(size_t i=0; i < n; ++i) store(Controls+3*i,controls[i]); for(size_t i=0; i < nknots; ++i) Knots[i]=knots[i]; #endif } void drawNurbsPath3::render(double, const triple&, const triple&, double, bool remesh) { #ifdef HAVE_GL if(invisible) return; // TODO: implement NURBS renderer #endif } bool drawPixel::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; out->addPoint(v,color,width); return true; } bool drawPixel::write(jsfile *out) { #ifdef HAVE_LIBGLM if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,color.A); setcolors(false,color,color,Black,1.0,0.0,0.04,out); out->addPixel(v,width,Min,Max); #endif return true; } void drawPixel::render(double size2, const triple& b, const triple& B, double perspective, bool remesh) { #ifdef HAVE_GL if(invisible) return; RGBAColour Black(0.0,0.0,0.0,color.A); setcolors(false,color,color,Black,1.0,0.0,0.04); setMaterial(material0Data,drawMaterial0); if(bbox2(Min,Max).offscreen()) { // Fully offscreen R.data.clear(); return; } R.queue(v,width); #endif } drawElement *drawPixel::transformed(const double* t) { return new drawPixel(t*v,p,width,KEY); } } //namespace camp asymptote-2.62/runlabel.in0000644000000000000000000003123713607467113014340 0ustar rootroot/***** * runlabel.in * * Runtime functions for label operations. * *****/ pen => primPen() pair => primPair() path => primPath() picture* => primPicture() transform => primTransform() realarray* => realArray() stringarray* => stringArray() penarray* => penArray() patharray* => pathArray() patharray2* => pathArray2() #include "picture.h" #include "drawlabel.h" #include "locate.h" using namespace camp; using namespace vm; using namespace settings; typedef array realarray; typedef array stringarray; typedef array penarray; typedef array patharray; typedef array patharray2; using types::realArray; using types::stringArray; using types::penArray; using types::pathArray; using types::pathArray2; void cannotread(const string& s) { ostringstream buf; buf << "Cannot read from " << s; error(buf); } void cannotwrite(const string& s) { ostringstream buf; buf << "Cannot write to " << s; error(buf); } pair readpair(stringstream& s, double hscale=1.0, double vscale=1.0) { double x,y; s >> y; s >> x; return pair(hscale*x,vscale*y); } string ASYx="/ASYx {( ) print ASYX sub 12 string cvs print} bind def"; string ASYy="/ASYy {( ) print ASYY sub 12 string cvs print} bind def"; string pathforall="{(M) print ASYy ASYx} {(L) print ASYy ASYx} {(C) print ASYy ASYx ASYy ASYx ASYy ASYx} {(c) print} pathforall"; string currentpoint="print currentpoint ASYy ASYx "; string ASYinit="/ASYX currentpoint pop def /ASYY currentpoint exch pop def "; string ASY1="ASY1 {"+ASYinit+"/ASY1 false def} if "; void endpath(std::ostream& ps) { ps << ASY1 << pathforall << " (M) " << currentpoint << "currentpoint newpath moveto} bind def" << endl; } void fillpath(std::ostream& ps) { ps << "/fill {closepath "; endpath(ps); } void showpath(std::ostream& ps) { ps << ASYx << newl << ASYy << newl << "/ASY1 true def" << newl << "/stroke {strokepath "; endpath(ps); fillpath(ps); } array *readpath(const string& psname, bool keep, bool pdf=false, double hscale=1.0, double vsign=1.0) { double vscale=vsign*hscale; array *PP=new array(0); char *oldPath=NULL; string dir=stripFile(outname()); if(!dir.empty()) { oldPath=getPath(); setPath(dir.c_str()); } mem::vector cmd; cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dBATCH"); cmd.push_back("-P"); if(safe) cmd.push_back("-dSAFER"); #ifdef __MSDOS__ const string null="NUL"; #else const string null="/dev/null"; #endif string epsdriver=getSetting("epsdriver"); cmd.push_back("-sDEVICE="+epsdriver); cmd.push_back("-sOutputFile="+null); cmd.push_back(stripDir(psname)); iopipestream gs(cmd,"gs","Ghostscript"); while(gs.running()) { stringstream buf; string s=gs.readline(); if(s.empty()) break; if(!pdf) gs << newl; // Workaround broken stringstream container in MacOS 10.9 libc++. #if defined(__APPLE__) || defined(__FreeBSD__) || defined(__FreeBSD_kernel__ ) for(string::iterator i=s.begin(); i != s.end(); ++i) { if(isalpha(*i) && *i != 'e') {buf << " ";} buf << *i; } #else buf << s; #endif if(verbose > 2) cout << endl; mem::vector nodes; solvedKnot node; bool active=false; array *P=new array(0); PP->push(P); while(!buf.eof()) { char c; buf >> c; if(c == '>') break; switch(c) { case 'M': { node.pre=node.point=readpair(buf,hscale,vscale); node.straight=false; break; } case 'L': { pair point=readpair(buf,hscale,vscale); pair delta=(point-node.point)*third; node.post=node.point+delta; node.straight=true; nodes.push_back(node); active=true; node.pre=point-delta; node.point=point; break; } case 'C': { pair point=readpair(buf,hscale,vscale); pair pre=readpair(buf,hscale,vscale); node.post=readpair(buf,hscale,vscale); node.straight=false; nodes.push_back(node); active=true; node.pre=pre; node.point=point; break; } case 'c': { if(active) { if(node.point == nodes[0].point) nodes[0].pre=node.pre; else { pair delta=(nodes[0].point-node.point)*third; node.post=node.point+delta; nodes[0].pre=nodes[0].point-delta; node.straight=true; nodes.push_back(node); } P->push(path(nodes,nodes.size(),true)); // Discard noncyclic paths nodes.clear(); } active=false; node.straight=false; break; } } } } if(oldPath != NULL) setPath(oldPath); if(!keep) unlink(psname.c_str()); return PP; } // Autogenerated routines: void label(picture *f, string *s, string *size, transform t, pair position, pair align, pen p) { f->append(new drawLabel(*s,*size,t,position,align,p)); } bool labels(picture *f) { return f->havelabels(); } realarray *texsize(string *s, pen p=CURRENTPEN) { texinit(); processDataStruct &pd=processData(); string texengine=getSetting("tex"); setpen(pd.tex,texengine,p); double width,height,depth; texbounds(width,height,depth,pd.tex,*s); array *t=new array(3); (*t)[0]=width; (*t)[1]=height; (*t)[2]=depth; return t; } patharray2 *_texpath(stringarray *s, penarray *p) { size_t n=checkArrays(s,p); if(n == 0) return new array(0); string prefix=cleanpath(outname()); string psname=auxname(prefix,"ps"); string texname=auxname(prefix,"tex"); string dviname=auxname(prefix,"dvi"); bbox b; string texengine=getSetting("tex"); bool xe=settings::xe(texengine) || settings::lua(texengine) || settings::context(texengine); texfile tex(texname,b,true); tex.miniprologue(); for(size_t i=0; i < n; ++i) { tex.setfont(read(p,i)); if(i != 0) { if(texengine == "context") tex.verbatimline("}\\page\\hbox{%"); else if(texengine == "luatex" || texengine == "tex" || texengine == "pdftex") tex.verbatimline("\\eject"); else tex.verbatimline("\\newpage"); } if(!xe) { tex.verbatimline("\\special{ps:"); tex.verbatimline(ASYx); tex.verbatimline(ASYy); tex.verbatimline("/ASY1 true def"); tex.verbatimline("/show {"+ASY1+ "currentpoint newpath moveto false charpath "+pathforall+ "} bind def"); tex.verbatimline("/V {"+ASY1+"Ry neg Rx 4 copy 4 2 roll 2 copy 6 2 roll 2 copy (M) print ASYy ASYx (L) print ASYy add ASYx (L) print add ASYy add ASYx (L) print add ASYy ASYx (c) print} bind def}"); } tex.verbatimline(read(s,i)+"\\ %"); } tex.epilogue(true); tex.close(); int status=opentex(texname,prefix,!xe); string pdfname,pdfname2,psname2; bool keep=getSetting("keep"); bool legacygs=false; if(!status) { if(xe) { // Use legacy ghostscript driver for gs-9.13 and earlier. string epsdriver=getSetting("epsdriver"); legacygs=epsdriver == "epswrite"; pdfname=auxname(prefix,"pdf"); pdfname2=auxname(prefix+"_","pdf"); psname2=auxname(prefix+"_","ps"); if(!fs::exists(pdfname)) return new array(n); std::ofstream ps(psname.c_str(),std::ios::binary); if(!ps) cannotwrite(psname); showpath(ps); mem::vector pcmd; pcmd.push_back(getSetting("gs")); pcmd.push_back("-q"); pcmd.push_back("-dNOCACHE"); pcmd.push_back("-dNOPAUSE"); pcmd.push_back("-dBATCH"); if(safe) pcmd.push_back("-dSAFER"); pcmd.push_back("-sDEVICE=pdfwrite"); pcmd.push_back("-sOutputFile="+pdfname2); pcmd.push_back(pdfname); status=System(pcmd,0,true,"gs"); if(status == 0) { mem::vector cmd; cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dNOCACHE"); cmd.push_back("-dNOPAUSE"); cmd.push_back("-dBATCH"); if(safe) cmd.push_back("-dSAFER"); cmd.push_back("-sDEVICE="+epsdriver); // Work around eps2write bug that forces all postscript to first page. cmd.push_back("-sOutputFile="+psname2+(legacygs ? "" : "%d")); cmd.push_back(pdfname2); status=System(cmd,0,true,"gs"); if(legacygs) { std::ifstream in(psname2.c_str()); ps << in.rdbuf(); } else { for(unsigned int i=1; i <= n ; ++i) { ostringstream buf; buf << psname2 << i; const string& s=buf.str(); const char *name=s.c_str(); std::ifstream in(name,std::ios::binary); ps << in.rdbuf(); ps << "(>\n) print flush\n"; in.close(); if(!keep) unlink(name); } } ps.close(); } } else { if(!fs::exists(dviname)) return new array(n); mem::vector dcmd; dcmd.push_back(getSetting("dvips")); dcmd.push_back("-R"); dcmd.push_back("-Pdownload35"); dcmd.push_back("-D600"); push_split(dcmd,getSetting("dvipsOptions")); if(verbose <= 2) dcmd.push_back("-q"); dcmd.push_back("-o"+psname); dcmd.push_back(dviname); status=System(dcmd,0,true,"dvips"); } } else error("texpath failed"); if(!keep) { // Delete temporary files. unlink(texname.c_str()); if(!getSetting("keepaux")) unlink(auxname(prefix,"aux").c_str()); unlink(auxname(prefix,"log").c_str()); if(xe) { unlink(pdfname.c_str()); unlink(pdfname2.c_str()); } else unlink(dviname.c_str()); if(settings::context(texengine)) { unlink(auxname(prefix,"top").c_str()); unlink(auxname(prefix,"tua").c_str()); unlink(auxname(prefix,"tuc").c_str()); unlink(auxname(prefix,"tui").c_str()); } } return xe ? readpath(psname,keep,!legacygs,0.1) : readpath(psname,keep,false,0.12,-1.0); } patharray2 *textpath(stringarray *s, penarray *p) { size_t n=checkArrays(s,p); if(n == 0) return new array(0); string prefix=cleanpath(outname()); string outputname=auxname(prefix,getSetting("textoutformat")); string textname=auxname(prefix,getSetting("textextension")); std::ofstream text(textname.c_str()); if(!text) cannotwrite(textname); for(size_t i=0; i < n; ++i) { text << getSetting("textprologue") << newl << read(p,i).Font() << newl << read(s,i) << newl << getSetting("textepilogue") << endl; } text.close(); string psname=auxname(prefix,"ps"); std::ofstream ps(psname.c_str()); if(!ps) cannotwrite(psname); showpath(ps); mem::vector cmd; cmd.push_back(getSetting("textcommand")); push_split(cmd,getSetting("textcommandOptions")); cmd.push_back(textname); iopipestream typesetter(cmd); typesetter.block(true,false); mem::vector cmd2; cmd2.push_back(getSetting("gs")); cmd2.push_back("-q"); cmd2.push_back("-dNOCACHE"); cmd2.push_back("-dNOPAUSE"); cmd2.push_back("-dBATCH"); cmd2.push_back("-P"); if(safe) cmd2.push_back("-dSAFER"); cmd2.push_back("-sDEVICE="+getSetting("epsdriver")); cmd2.push_back("-sOutputFile=-"); cmd2.push_back("-"); iopipestream gs(cmd2,"gs","Ghostscript"); gs.block(false,false); // TODO: Simplify by connecting the pipes directly. while(true) { string out; if(typesetter.isopen()) { typesetter >> out; if(!out.empty()) gs << out; else if(!typesetter.running()) { typesetter.pipeclose(); gs.eof(); } } string out2; gs >> out2; if(out2.empty() && !gs.running()) break; ps << out2; } ps.close(); if(verbose > 2) cout << endl; bool keep=getSetting("keep"); if(!keep) // Delete temporary files. unlink(textname.c_str()); return readpath(psname,keep,false,0.1); } patharray *_strokepath(path g, pen p=CURRENTPEN) { array *P=new array(0); if(g.size() == 0) return P; string prefix=cleanpath(outname()); string psname=auxname(prefix,"ps"); bbox b; psfile ps(psname,false); ps.prologue(b); ps.verbatimline(ASYx); ps.verbatimline(ASYy); ps.verbatimline("/stroke {"+ASYinit+pathforall+"} bind def"); ps.resetpen(); ps.setpen(p); ps.write(g); ps.strokepath(); ps.stroke(p); ps.verbatimline("(M) "+currentpoint); ps.epilogue(); ps.close(); array *a=readpath(psname,getSetting("keep")); return a->size() > 0 ? read(a,0) : a; } asymptote-2.62/runhistory.cc0000644000000000000000000001773513607467143014753 0ustar rootroot/***** Autogenerated from runhistory.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runhistory.in" /***** * runhistory.in * * Runtime functions for history operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 12 "runhistory.in" #include "array.h" #include "mathop.h" #include "builtin.h" using namespace camp; using namespace settings; using namespace vm; using namespace run; typedef array stringarray; using types::stringArray; #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) #include #include struct historyState { bool store; HISTORY_STATE state; }; typedef mem::map historyMap_t; historyMap_t historyMap; static HISTORY_STATE history_save; // Store a deep copy of the current readline history in dest. void store_history(HISTORY_STATE *dest) { HISTORY_STATE *src=history_get_history_state(); if(src) { *dest=*src; for(Int i=0; i < src->length; ++i) dest->entries[i]=src->entries[i]; free(src); } } stringarray* get_history(Int n) { int N=intcast(n); if(N <= 0) N=history_length; else N=Min(N,history_length); array *a=new array((size_t) N); int offset=history_length-N+1; for(int i=0; i < N; ++i) { HIST_ENTRY *last=history_get(offset+i); string s=last ? last->line : ""; (*a)[i]=s; } return a; } string historyfilename(const string &name) { return historyname+"_"+name; } #endif namespace run { extern string emptystring; #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) void init_readline(bool tabcompletion) { rl_bind_key('\t',tabcompletion ? rl_complete : rl_insert); } #endif void cleanup() { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) store_history(&history_save); int nlines=intcast(getSetting("historylines")); for(historyMap_t::iterator h=historyMap.begin(); h != historyMap.end(); ++h) { history_set_history_state(&h->second.state); if(h->second.store) { stifle_history(nlines); write_history(historyfilename(h->first).c_str()); unstifle_history(); } } history_set_history_state(&history_save); #endif #ifdef HAVE_LIBGSL trans::GSLrngFree(); #endif } } // Autogenerated routines: #ifndef NOSYM #include "runhistory.symbols.h" #endif namespace run { // Return the last n lines of the history named name. #line 109 "runhistory.in" // stringarray* history(string name, Int n=1); void gen_runhistory0(stack *Stack) { Int n=vm::pop(Stack,1); string name=vm::pop(Stack); #line 110 "runhistory.in" #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) bool newhistory=historyMap.find(name) == historyMap.end(); string filename; if(newhistory) { filename=historyfilename(name); std::ifstream exists(filename.c_str()); if(!exists) {Stack->push(new array(0)); return;} } store_history(&history_save); HISTORY_STATE& history=historyMap[name].state; history_set_history_state(&history); if(newhistory) read_history(filename.c_str()); array *a=get_history(n); store_history(&history); history_set_history_state(&history_save); {Stack->push(a); return;} #else unused(&n); {Stack->push(new array(0)); return;} #endif } // Return the last n lines of the interactive history. #line 142 "runhistory.in" // stringarray* history(Int n=0); void gen_runhistory1(stack *Stack) { Int n=vm::pop(Stack,0); #line 143 "runhistory.in" #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) {Stack->push(get_history(n)); return;} #else unused(&n); {Stack->push(new array(0)); return;} #endif } // Prompt for a string using prompt, the GNU readline library, and a // local history named name. #line 154 "runhistory.in" // string readline(string prompt=emptystring, string name=emptystring, bool tabcompletion=false); void gen_runhistory2(stack *Stack) { bool tabcompletion=vm::pop(Stack,false); string name=vm::pop(Stack,emptystring); string prompt=vm::pop(Stack,emptystring); #line 156 "runhistory.in" if(!(isatty(STDIN_FILENO) || getSetting("inpipe") >= 0)) {Stack->push(emptystring); return;} #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) init_readline(tabcompletion); store_history(&history_save); bool newhistory=historyMap.find(name) == historyMap.end(); historyState& h=historyMap[name]; HISTORY_STATE& history=h.state; history_set_history_state(&history); if(newhistory) read_history(historyfilename(name).c_str()); static char *line=NULL; /* Return the memory to the free pool if the buffer has already been allocated. */ if(line) { free(line); line=NULL; } /* Get a line from the user. */ line=readline(prompt.c_str()); if(!line) cout << endl; history_set_history_state(&history_save); {Stack->push(line ? string(line) : emptystring); return;} #else cout << prompt; string s; getline(cin,s); unused(&tabcompletion); // Avoid unused variable warning message. {Stack->push(s); return;} #endif } // Save a string in a local history named name. // If store=true, store the local history in the file historyfilename(name). #line 198 "runhistory.in" // void saveline(string name, string value, bool store=true); void gen_runhistory3(stack *Stack) { bool store=vm::pop(Stack,true); string value=vm::pop(Stack); string name=vm::pop(Stack); #line 199 "runhistory.in" #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) store_history(&history_save); bool newhistory=historyMap.find(name) == historyMap.end(); historyState& h=historyMap[name]; h.store=store; HISTORY_STATE& history=h.state; history_set_history_state(&history); if(newhistory) read_history(historyfilename(name).c_str()); if(value != "") { add_history(value.c_str()); if(store) { std::ofstream hout(historyfilename(name).c_str(),std::ios::app); hout << value << endl; } } store_history(&history); history_set_history_state(&history_save); #else unused(&store); #endif } } // namespace run namespace trans { void gen_runhistory_venv(venv &ve) { #line 108 "runhistory.in" addFunc(ve, run::gen_runhistory0, stringArray(), SYM(history), formal(primString() , SYM(name), false, false), formal(primInt(), SYM(n), true, false)); #line 141 "runhistory.in" addFunc(ve, run::gen_runhistory1, stringArray(), SYM(history), formal(primInt(), SYM(n), true, false)); #line 152 "runhistory.in" addFunc(ve, run::gen_runhistory2, primString() , SYM(readline), formal(primString() , SYM(prompt), true, false), formal(primString() , SYM(name), true, false), formal(primBoolean(), SYM(tabcompletion), true, false)); #line 196 "runhistory.in" addFunc(ve, run::gen_runhistory3, primVoid(), SYM(saveline), formal(primString() , SYM(name), false, false), formal(primString() , SYM(value), false, false), formal(primBoolean(), SYM(store), true, false)); } } // namespace trans asymptote-2.62/process.cc0000644000000000000000000006131413607467113014170 0ustar rootroot/***** * process.cc * Andy Hammerlindl 2006/08/19 * * Handles processing blocks of code (including files, strings, and the * interactive prompt, for listing and parse-only modes as well as actually * running it. *****/ #include "types.h" #include "errormsg.h" #include "genv.h" #include "stm.h" #include "settings.h" #include "vm.h" #include "program.h" #include "interact.h" #include "envcompleter.h" #include "parser.h" #include "fileio.h" #include "stack.h" #include "runtime.h" #include "texfile.h" #include "process.h" namespace camp { pen& defaultpen() { return processData().defaultpen; } } unsigned int count=0; namespace run { void cleanup(); void exitFunction(vm::stack *Stack); void updateFunction(vm::stack *Stack); void purge(Int divisor=0); } namespace vm { bool indebugger; } using namespace settings; using absyntax::file; using trans::genv; using trans::coenv; using trans::env; using trans::coder; using types::record; using interact::interactive; using interact::uptodate; using absyntax::runnable; using absyntax::block; mem::stack processDataStack; // Exception-safe way to push and pop the process data. class withProcessData { // Do not let this object be dynamically allocated. void *operator new(size_t); processDataStruct *pd_ptr; public: withProcessData(processDataStruct *pd_ptr) : pd_ptr(pd_ptr) { processDataStack.push(pd_ptr); } ~withProcessData() { assert(processDataStack.top() == pd_ptr); processDataStack.pop(); } }; processDataStruct &processData() { assert(!processDataStack.empty()); return *processDataStack.top(); } // A process environment. Basically this just serves as short-hand to start a // new global environment (genv) and new process data at the same time. When // it goes out of scope, the process data is popped off the stack. This also // ensures that the data is popped even if an exception is thrown. class penv { genv *_ge; processDataStruct _pd; // Do not let this object be dynamically allocated. void *operator new(size_t); public: penv() : _ge(0), _pd() { // Push the processData first, as it needs to be on the stack before genv // is initialized. processDataStack.push(&_pd); _ge = new genv; } virtual ~penv() { processDataStack.pop(); delete _ge; } genv &ge() { return *_ge; } processDataStruct *pd() { return &_pd; } }; void init(bool resetpath=true) { vm::indebugger=false; uptodate=false; if(resetpath) setPath(""); /* On second and subsequent calls, sets the path to what it was when the program started. */ } // This helper class does nothing but call the interactiveTrans method of the // base object in place of trans, so that the runnable can exhibit special // behaviour when run at the interactive prompt. class interactiveRunnable : public runnable { runnable *base; public: interactiveRunnable(runnable *base) : runnable(base->getPos()), base(base) {} void prettyprint(ostream &out, Int indent) { absyntax::prettyname(out, "interactiveRunnable", indent); base->prettyprint(out, indent+1); } void trans(coenv &e) { base->interactiveTrans(e); } void transAsField(coenv &e, types::record *r) { // There is no interactiveTransAsField, as fields aren't declared at the top // level of the interactive prompt. base->transAsField(e, r); } }; enum transMode { TRANS_INTERACTIVE, TRANS_NORMAL }; // How to run a runnable in runnable-at-a-time mode. bool runRunnable(runnable *r, coenv &e, istack &s, transMode tm=TRANS_NORMAL) { e.e.beginScope(); lambda *codelet= tm==TRANS_INTERACTIVE ? interactiveRunnable(r).transAsCodelet(e) : r->transAsCodelet(e); em.sync(); if(!em.errors()) { if(getSetting("translate")) print(cout,codelet->code); s.run(codelet); // Commits the changes made to the environment. e.e.collapseScope(); } else { e.e.endScope(); // Remove any changes to the environment. // Should an interactive error hurt the status? em.statusError(); return false; } return true; } void runAutoplain(coenv &e, istack &s) { absyntax::runnable *r=absyntax::autoplainRunnable(); runRunnable(r,e,s); } // Abstract base class for the core object being run in line-at-a-time mode, it // may be a block of code, file, or interactive prompt. struct icore { virtual ~icore() {} virtual void doParse() = 0; virtual void doList() = 0; public: // preRun and postRun are the optional activities that take place before and // after running the code specified. They can be overridden by a derived // class that wishes different behaviour. virtual void preRun(coenv &e, istack &s) { if(getSetting("autoplain")) runAutoplain(e,s); } virtual void run(coenv &e, istack &s, transMode tm=TRANS_NORMAL) = 0; virtual void postRun(coenv &, istack &s) { run::exitFunction(&s); } virtual void doRun(bool purge=false, transMode tm=TRANS_NORMAL) { em.sync(); if(em.errors()) return; try { if(purge) run::purge(); penv pe; env base_env(pe.ge()); coder base_coder(nullPos, "icore::doRun"); coenv e(base_coder,base_env); vm::interactiveStack s; s.setInitMap(pe.ge().getInitMap()); s.setEnvironment(&e); preRun(e,s); if(purge) run::purge(); // Now that everything is set up, run the core. run(e,s,tm); postRun(e,s); } catch(std::bad_alloc&) { outOfMemory(); } catch(quit) { // Exception to quit running the current code. Nothing more to do. } catch(handled_error) { em.statusError(); } run::cleanup(); em.clear(); } virtual void process(bool purge=false) { if (!interactive && getSetting("parseonly")) doParse(); else if (getSetting("listvariables")) doList(); else doRun(purge); } }; // Abstract base class for one-time processing of an abstract syntax tree. class itree : public icore { string name; block *cachedTree; public: itree(string name="") : name(name), cachedTree(0) {} // Build the tree, possibly throwing a handled_error if it cannot be built. virtual block *buildTree() = 0; virtual block *getTree() { if (cachedTree==0) { try { cachedTree=buildTree(); } catch(handled_error) { em.statusError(); return 0; } } return cachedTree; } virtual string getName() { return name; } void doParse() { block *tree=getTree(); em.sync(); if(tree && !em.errors()) tree->prettyprint(cout, 0); } void doList() { block *tree=getTree(); if (tree) { penv pe; record *r=tree->transAsFile(pe.ge(), symbol::trans(getName())); r->e.list(r); } } void run(coenv &e, istack &s, transMode tm=TRANS_NORMAL) { block *tree=getTree(); if (tree) { for(mem::list::iterator r=tree->stms.begin(); r != tree->stms.end(); ++r) { processData().fileName=(*r)->getPos().filename(); if(!em.errors() || getSetting("debug")) runRunnable(*r,e,s,tm); } } } void doExec(transMode tm=TRANS_NORMAL) { // Don't prepare an environment to run the code if there isn't any code. if (getTree()) icore::doRun(false,tm); } }; class icode : public itree { block *tree; public: icode(block *tree, string name="") : itree(name), tree(tree) {} block *buildTree() { return tree; } }; class istring : public itree { string str; public: istring(const string& str, string name="") : itree(name), str(str) {} block *buildTree() { return parser::parseString(str, getName()); } }; void printGreeting(bool interactive) { if(!getSetting("quiet")) { cout << "Welcome to " << PROGRAM << " version " << REVISION; if(interactive) cout << " (to view the manual, type help)"; cout << endl; } } class ifile : public itree { string filename; string outname; string outname_save; public: ifile(const string& filename) : itree(filename), filename(filename), outname(stripDir(stripExt(string(filename == "-" ? settings::outname() : filename), suffix))) {} block *buildTree() { return !filename.empty() ? parser::parseFile(filename,"Loading") : 0; } void preRun(coenv& e, istack& s) { outname_save=getSetting("outname"); if(stripDir(outname_save).empty()) Setting("outname")=outname_save+outname; itree::preRun(e, s); } void postRun(coenv &e, istack& s) { itree::postRun(e, s); Setting("outname")=outname_save; } void process(bool purge=false) { if(verbose > 1) printGreeting(false); try { init(); } catch(handled_error) { } if (verbose >= 1) cout << "Processing " << outname << endl; try { icore::process(purge); } catch(handled_error) { em.statusError(); } } }; // Add a semi-colon terminator, if one is not there. string terminateLine(const string line) { return (!line.empty() && *(line.rbegin())!=';') ? (line+";") : line; } // cleanLine changes a C++ style comment (//) into a C-style comment (/* */) so // that comments don't absorb subsequent lines of code when multiline input is // collapsed to a single line in the history. // // ex. if (x==1) // test x // x=2; // becomes // if (x==1) /* test x */ x=2 (all on one line) // // cleanLine is a mess because we have to check that the // is not in a string // or c-style comment, which entails re-inventing much of the lexer. The // routine handles most cases, but multiline strings lose their newlines when // recorded in the history. typedef string::size_type size_type; const size_type npos=string::npos; inline size_type min(size_type a, size_type b) { return a < b ? a : b; } // If start is an offset somewhere within a string, this returns the first // offset outside of the string. sym is the character used to start the string, // ' or ". size_type endOfString(const char sym, const string line, size_type start) { size_type endString=line.find(sym, start); if (endString == npos) return npos; size_type escapeInString=min(line.find(string("\\")+sym, start), line.find("\\\\", start)); if (endString < escapeInString) return endString+1; else return endOfString(sym, line, escapeInString+2); } // If start is an offset somewhere within a C-style comment, this returns the // first offset outside of the comment. size_type endOfComment(const string line, size_type start) { size_type endComment=line.find("*/", start); if (endComment == npos) return npos; else return endComment+2; } // Find the start of a string literal in the line. size_type stringPos(const string line, size_type start) { if (start == npos) return npos; size_type pos=line.find_first_of("\'\"", start); if (pos == npos) return npos; // Skip over comments /* */ and ignore anything after // size_type startComment=line.find("/*", start); size_type startLineComment=line.find("//", start); if (min(startComment,startLineComment) < pos) return stringPos(line, startComment < startLineComment ? endOfComment(line, startComment+2) : npos); else // Nothing to skip over - the symbol actually starts a string. return pos; } // A multiline string should retain its newlines when collapsed to a single // line. This converts // 'hello // there' // to // 'hello\nthere' // and // "hello // there" // to // "hello" '\n' "there" // If the line doesn't end mid-string, this adds a space to the end to preserve // whitespace, since it is the last function to touch the line. string endString(const string line, size_type start) { assert(start!=npos); size_type pos=stringPos(line, start); if (pos==npos) // String ends in normal code. return line+" "; else { char sym=line[pos]; size_type eos=endOfString(sym, line, pos+1); if (eos==npos) { // Line ends while in a string, attach a newline symbol. switch (line[pos]) { case '\'': return line+"\\n"; case '\"': return line+"\" \'\\n\' \""; default: assert(False); return line; } } else { return endString(line, eos+1); } } } // Find the first // that isn't in a C-style comment or a string. size_type slashPos(const string line, size_type start) { if (start == npos) return npos; size_type pos=line.find("//", start); if (pos == npos) return npos; // Skip over comments /* */ and strings both " " and ' ' size_type startComment=line.find("/*", start); size_type startString=line.find_first_of("\'\"", start); if (min(startComment,startString) < pos) return slashPos(line, startComment < startString ? endOfComment(line, startComment+2) : endOfString(line[startString], line, startString+1)); else // Nothing to skip over - the // actually starts a comment. return pos; } string endCommentOrString(const string line) { size_type pos=slashPos(line, 0); if (pos == npos) return endString(line, 0); else { string sub=line; // Replace the first // by /* sub[pos+1]='*'; // Replace any */ in the comment by *! while ((pos = line.find("*/", pos+2)) != npos) sub[pos+1]='!'; // Tack on a */ at the end. sub.append(" */ "); return sub; } } bool isSlashed(const string line) { // NOTE: This doesn't fully handle escaped slashed in a string literal. unsigned n=line.size(); return n > 0 ? line[line.size()-1] == '\\' : false; } string deslash(const string line) { return isSlashed(line) ? line.substr(0,line.size()-1) : line; } // This transforms a line in to the history, so that when more code is added // after it, the code behaves the same as if there was a newline between the // two lines. This involves changing // style comments to /* */ style comments, // and adding explicit newlines to multiline strings. string cleanLine(const string line) { // First remove a trailing slash, if there is one. return endCommentOrString(deslash(line)); } class iprompt : public icore { // Flag that is set to false to signal the prompt to exit. bool running; // Flag that is set to restart the main loop once it has exited. bool restart; // Code ran at start-up. string startline; void postRun(coenv &, istack &) { } // Commands are chopped into the starting word and the rest of the line. struct commandLine { string line; string word; string rest; commandLine(string line) : line(line) { string::iterator c=line.begin(); // Skip leading whitespace while (c != line.end() && isspace(*c)) ++c; // Only handle identifiers starting with a letter. if (c != line.end() && isalpha(*c)) { // Store the command name. while (c != line.end() && (isalnum(*c) || *c=='_')) { word.push_back(*c); ++c; } } // Copy the rest to rest. while (c != line.end()) { rest.push_back(*c); ++c; } #if 0 cerr << "line: " << line << endl; cerr << "word: " << word << endl; cerr << "rest: " << rest << endl; cerr << "simple: " << simple() << endl; #endif } // Simple commands have at most spaces or semicolons after the command word. bool simple() { for (string::iterator c=rest.begin(); c != rest.end(); ++c) if (!isspace(*c) && *c != ';') return false; return true; } }; // The interactive prompt has special functions that cannot be implemented as // normal functions. These special funtions take a commandLine as an argument // and return true if they can handle the command. If false is returned, the // line is treated as a normal line of code. // commands is a map of command names to methods which implement the commands. typedef bool (iprompt::*command)(coenv &, istack &, commandLine); typedef mem::map commandMap; commandMap commands; bool exit(coenv &, istack &, commandLine cl) { if (cl.simple()) { // Don't store exit commands in the history file. interact::deleteLastLine(); running=false; return true; } else return false; } bool q(coenv &e, istack &s, commandLine cl) { if(e.e.ve.getType(symbol::trans("q"))) return false; return exit(e,s,cl); } bool reset(coenv &, istack &, commandLine cl) { if (cl.simple()) { running=false; restart=true; startline=""; run::purge(); return true; } else return false; } bool help(coenv &, istack &, commandLine cl) { if (cl.simple()) { popupHelp(); return true; } else return false; } bool erase(coenv &e, istack &s, commandLine cl) { if (cl.simple()) { runLine(e,s,"erase();"); return true; } else return false; } bool input(coenv &, istack &, commandLine cl) { running=false; restart=true; startline="include "+cl.rest; return true; } void initCommands() { #define ADDCOMMAND(name, func) \ commands[#name]=&iprompt::func // keywords.pl looks for ADDCOMMAND to identify special commands in the // auto-completion. ADDCOMMAND(quit,exit); ADDCOMMAND(q,q); ADDCOMMAND(exit,exit); ADDCOMMAND(reset,reset); ADDCOMMAND(erase,erase); ADDCOMMAND(help,help); ADDCOMMAND(input,input); #undef ADDCOMMAND } bool handleCommand(coenv &e, istack &s, string line) { commandLine cl(line); if (cl.word != "") { commandMap::iterator p=commands.find(cl.word); if (p != commands.end()) { // Execute the command. command &com=p->second; return (this->*com)(e,s,cl); } else return false; } else return false; } void addToHistory(string line) { interact::addToHistory(line); } void addToLastLine(string line) { // Here we clean a line at the last possible point, when we know that more // code is going to be appended to it. string last=interact::getLastHistoryLine(); interact::setLastHistoryLine(cleanLine(last)+line); } void terminateLastHistoryLine() { string last=interact::getLastHistoryLine(); interact::setLastHistoryLine(terminateLine(last)); } // Get input from the interactive prompt. Such input may be over several // user-typed lines if he/she ends a line a with backslash to continue input // on the next line. If continuation is true, the input started on a previous // line and is being continued (either because of a backslash or the parser // detecting it in multiline mode). string getline(bool continuation) { string prompt; if(!getSetting("xasy")) prompt=getSetting(continuation ? "prompt2" : "prompt"); string line=interact::simpleline(prompt); if (continuation) addToLastLine(line); else addToHistory(line); // If the line ends in a slash, get more input. return isSlashed(line) ? line+"\n"+getline(true) : line; } // Continue taking input for a line until it properly parses, or a syntax // error occurs. Returns the parsed code on success, and throws a // handled_error exception on failure. block *parseExtendableLine(string line) { block *code=parser::parseString(line, "-", true); if (code) { return code; } else { string nextline=getline(true); return parseExtendableLine(line+"\n"+nextline); } } // Continue taking input until a termination command is received from xasy. block *parseXasyLine(string line) { #ifdef __MSDOS__ const string EOT="\x04\r\n"; #else const string EOT="\x04\n"; #endif string s; while((s=getline(true)) != EOT) line += s; return parser::parseString(line, "-", true); } void runLine(coenv &e, istack &s, string line) { try { if(getSetting("multiline")) { block *code=parseExtendableLine(line); icode i(code); i.run(e,s,TRANS_INTERACTIVE); } else if(getSetting("xasy")) { block *code=parseXasyLine(line); icode i(code); i.run(e,s,TRANS_INTERACTIVE); } else { // Add a semi-colon to the end of the line if one is not there. Do this // to the history as well, so the transcript can be run as regular asy // code. This also makes the history work correctly if the multiline // setting is changed within an interactive session. // It is added to the history at the last possible moment to avoid // tampering with other features, such as using a slash to extend a // line. terminateLastHistoryLine(); istring i(terminateLine(line), "-"); i.run(e,s,TRANS_INTERACTIVE); } run::updateFunction(&s); uptodate=false; } catch(handled_error) { vm::indebugger=false; } catch(interrupted&) { // Turn off the interrupted flag. em.Interrupt(false); uptodate=true; cout << endl; } catch(quit&) { } // Ignore errors from this line when trying to run subsequent lines. em.clear(); } void runStartCode(coenv &e, istack &s) { if (!startline.empty()) runLine(e, s, startline); } public: iprompt() : running(false), restart(false), startline("") { initCommands(); } void doParse() {} void doList() {} void run(coenv &e, istack &s, transMode=TRANS_NORMAL) { running=true; interact::setCompleter(new trans::envCompleter(e.e)); runStartCode(e, s); while (running) { // Read a line from the prompt. string line=getline(false); // Check if it is a special command. if (handleCommand(e,s,line)) continue; else runLine(e, s, line); } } void process(bool purge=false) { printGreeting(true); interact::init_interactive(); try { setPath("",true); } catch(handled_error) { } do { try { init(false); restart=false; icore::process(); } catch(interrupted&) { em.Interrupt(false); restart=true; } catch(eof&) { restart=false; } } while(restart); interact::cleanup_interactive(); } }; void processCode(absyntax::block *code) { icode(code).process(); } void processFile(const string& filename, bool purge) { ifile(filename).process(purge); } void processPrompt() { iprompt().process(); } void runCode(absyntax::block *code) { icode(code).doExec(); } void runString(const string& s, bool interactiveWrite) { istring(s).doExec(interactiveWrite ? TRANS_INTERACTIVE : TRANS_NORMAL); } void runFile(const string& filename) { ifile(filename).doExec(); } void runPrompt() { iprompt().doRun(); } void runCodeEmbedded(absyntax::block *code, trans::coenv &e, istack &s) { icode(code).run(e,s); } void runStringEmbedded(const string& str, trans::coenv &e, istack &s) { istring(str).run(e,s); } void runPromptEmbedded(trans::coenv &e, istack &s) { iprompt().run(e,s); } void doUnrestrictedList() { penv pe; env base_env(pe.ge()); coder base_coder(nullPos, "doUnrestictedList"); coenv e(base_coder,base_env); if (getSetting("autoplain")) absyntax::autoplainRunnable()->trans(e); e.e.list(0); } // Environment class used by external programs linking to the shared library. class fullenv : public gc { penv pe; env base_env; coder base_coder; coenv e; vm::interactiveStack s; public: fullenv() : pe(), base_env(pe.ge()), base_coder(nullPos, "fullenv"), e(base_coder, base_env), s() { s.setInitMap(pe.ge().getInitMap()); s.setEnvironment(&e); // TODO: Add way to not run autoplain. runAutoplain(e, s); } coenv &getCoenv() { return e; } void runRunnable(runnable *r) { assert(!em.errors()); // TODO: Decide how to handle prior errors. try { { withProcessData token(pe.pd()); ::runRunnable(r, e, s, TRANS_INTERACTIVE); } } catch(std::bad_alloc&) { // TODO: give calling application useful message. cerr << "out of memory" << endl; } catch (quit) { // I'm not sure whether this counts as successfully running the code or // not. cerr << "quit exception" << endl; } catch (handled_error) { // Normally, this is the result of an error that changes the return code // of the free-standing asymptote program. // An error should probably be reported to the application calling the // asymptote library. cerr << "handled error" << endl; } em.clear(); } }; fullenv &getFullEnv() { static fullenv fe; return fe; } coenv &coenvInOngoingProcess() { return getFullEnv().getCoenv(); } void runInOngoingProcess(runnable *r) { getFullEnv().runRunnable(r); } asymptote-2.62/errors0000644000000000000000000002204313607467113013436 0ustar rootrooterrortest.asy: 476.34: unnamed argument after rest argument errortest.asy: 477.37: additional rest argument errortest.asy: 478.28: unnamed argument after rest argument errortest.asy: 479.31: additional rest argument errortest.asy: 482.22: normal parameter after rest parameter errortest.asy: 483.22: normal parameter after rest parameter errortest.asy: 484.31: normal parameter after rest parameter errortest.asy: 485.31: normal parameter after rest parameter errortest.asy: 486.24: normal parameter after keyword-only parameter errortest.asy: 487.24: normal parameter after keyword-only parameter errortest.asy: 488.24: normal parameter after keyword-only parameter errortest.asy: 488.31: normal parameter after keyword-only parameter errortest.asy: 489.24: normal parameter after keyword-only parameter errortest.asy: 489.31: normal parameter after keyword-only parameter errortest.asy: 490.32: normal parameter after keyword-only parameter errortest.asy: 491.32: normal parameter after keyword-only parameter errortest.asy: 492.32: normal parameter after keyword-only parameter errortest.asy: 492.39: normal parameter after keyword-only parameter errortest.asy: 493.32: normal parameter after keyword-only parameter errortest.asy: 493.39: normal parameter after keyword-only parameter errortest.asy: 496.13: expected 'keyword' here errortest.asy: 497.13: expected 'keyword' here errortest.asy: 498.21: expected 'keyword' here errortest.asy: 499.21: expected 'keyword' here errortest.asy: 500.36: expected 'keyword' here errortest.asy: 500.32: normal parameter after keyword-only parameter errortest.asy: 501.36: expected 'keyword' here errortest.asy: 501.32: normal parameter after keyword-only parameter errortest.asy: 502.21: expected 'keyword' here errortest.asy: 503.21: expected 'keyword' here errortest.asy: 504.13: expected 'keyword' here errortest.asy: 505.13: expected 'keyword' here errortest.asy: 506.13: expected 'keyword' here errortest.asy: 507.13: expected 'keyword' here errortest.asy: 508.13: expected 'keyword' here errortest.asy: 509.13: expected 'keyword' here errortest.asy: 510.21: expected 'keyword' here errortest.asy: 511.21: expected 'keyword' here errortest.asy: 512.21: expected 'keyword' here errortest.asy: 513.21: expected 'keyword' here errortest.asy: 12.4: no matching variable 'x.y' errortest.asy: 16.11: no matching variable of name 'z' errortest.asy: 20.3: no matching variable 'x' errortest.asy: 27.3: no type of name 'x' errortest.asy: 28.3: no type of name 'x' errortest.asy: 29.3: no type of name 'x' errortest.asy: 30.10: no type of name 'x' errortest.asy: 32.5: no type of name 'x' errortest.asy: 33.5: no type of name 'x' errortest.asy: 34.5: no type of name 'x' errortest.asy: 35.12: no type of name 'x' errortest.asy: 41.4: no matching variable 'x.y' errortest.asy: 48.6: no matching variable 'm.u.v' errortest.asy: 55.12: no matching field of name 'z' in 'm' errortest.asy: 62.4: no matching variable 'm.z' errortest.asy: 75.4: no matching field or type of name 'u' in 'm' errortest.asy: 77.5: no matching field or type of name 'u' in 'm' errortest.asy: 84.3: expression cannot be used as an address errortest.asy: 89.3: use of variable 'f' is ambiguous errortest.asy: 91.4: use of variable 'm.f' is ambiguous errortest.asy: 97.11: array initializer used for non-array errortest.asy: 98.12: array initializer used for non-array errortest.asy: 103.4: no matching variable 'f.m' errortest.asy: 108.4: no matching variable 'x.m' errortest.asy: 116.12: no matching field of name 'z' in 'point' errortest.asy: 124.4: no matching variable 'p.z' errortest.asy: 132.4: use of variable 'p.f' is ambiguous errortest.asy: 140.4: no matching variable 'p.z' errortest.asy: 151.4: no matching function 'f()' errortest.asy: 152.4: no matching function 'f(string)' errortest.asy: 160.4: cannot call 'void f(int)' without parameters errortest.asy: 168.7: no matching function 'operator +(point)' errortest.asy: 173.10: types in conditional expression do not match errortest.asy: 178.10: type of conditional expression is ambiguous errortest.asy: 183.5: cannot convert 'int()' to 'int' in assignment errortest.asy: 188.5: assignment is ambiguous errortest.asy: 194.24: function must return a value errortest.asy: 200.11: type 'int' is not a structure errortest.asy: 209.3: allocation of struct 'b' is not in a valid scope errortest.asy: 219.3: break statement outside of a loop errortest.asy: 223.3: continue statement outside of a loop errortest.asy: 228.5: function cannot return a value errortest.asy: 234.5: function must return a value errortest.asy: 241.11: function must return a value errortest.asy: 244.11: function must return a value errortest.asy: 290.3: built-in functions cannot be modified errortest.asy: 298.11: cannot cast 'string' to 'int' errortest.asy: 312.4: accessing private field outside of structure errortest.asy: 313.4: accessing private field outside of structure errortest.asy: 314.4: accessing private field outside of structure errortest.asy: 314.4: accessing private field outside of structure errortest.asy: 315.4: modifying non-public field outside of structure errortest.asy: 316.4: modifying non-public field outside of structure errortest.asy: 318.4: accessing private field outside of structure errortest.asy: 319.4: accessing private field outside of structure errortest.asy: 320.4: accessing private field outside of structure errortest.asy: 321.4: modifying non-public field outside of structure errortest.asy: 330.18: no matching types or fields of name 'x' errortest.asy: 331.18: no matching types or fields of name 'f' errortest.asy: 341.3: modifying non-public field outside of structure errortest.asy: 342.3: modifying non-public field outside of structure errortest.asy: 344.3: modifying non-public field outside of structure errortest.asy: 350.4: accessing private field outside of structure errortest.asy: 351.4: accessing private field outside of structure errortest.asy: 353.4: accessing private field outside of structure errortest.asy: 354.4: accessing private field outside of structure errortest.asy: 360.18: no matching types or fields of name 'T' errortest.asy: 367.4: accessing private field outside of structure errortest.asy: 368.4: accessing private field outside of structure errortest.asy: 370.4: accessing private field outside of structure errortest.asy: 371.4: accessing private field outside of structure errortest.asy: 378.18: no matching types or fields of name 'T' errortest.asy: 386.11: modifying non-public field outside of structure errortest.asy: 387.11: modifying non-public field outside of structure errortest.asy: 388.11: modifying non-public field outside of structure errortest.asy: 389.11: modifying non-public field outside of structure errortest.asy: 393.3: modifying non-public field outside of structure errortest.asy: 394.3: modifying non-public field outside of structure errortest.asy: 395.3: modifying non-public field outside of structure errortest.asy: 396.3: modifying non-public field outside of structure errortest.asy: 400.3: modifying non-public field outside of structure errortest.asy: 401.3: modifying non-public field outside of structure errortest.asy: 402.3: modifying non-public field outside of structure errortest.asy: 403.3: modifying non-public field outside of structure errortest.asy: 407.11: modifying non-public field outside of structure errortest.asy: 408.11: modifying non-public field outside of structure errortest.asy: 409.11: modifying non-public field outside of structure errortest.asy: 410.11: modifying non-public field outside of structure errortest.asy: 411.3: modifying non-public field outside of structure errortest.asy: 412.3: modifying non-public field outside of structure errortest.asy: 413.3: modifying non-public field outside of structure errortest.asy: 414.3: modifying non-public field outside of structure errortest.asy: 419.7: inferred variable declaration without initializer errortest.asy: 422.20: cannot cast 'int' to 'var' errortest.asy: 425.4: cannot cast 'int' to 'var' errortest.asy: 426.12: cannot cast 'int' to 'var' errortest.asy: 427.12: cannot cast 'var' to 'int' errortest.asy: 430.25: cannot cast 'int' to 'var' errortest.asy: 430.28: cannot cast 'int' to 'var' errortest.asy: 430.31: cannot cast 'int' to 'var' errortest.asy: 431.13: cannot cast 'int[]' to 'var[]' errortest.asy: 432.14: cannot cast 'int' to 'var' errortest.asy: 432.17: cannot cast 'int' to 'var' errortest.asy: 432.20: cannot cast 'int' to 'var' errortest.asy: 433.15: cannot cast 'int' to 'var' errortest.asy: 433.18: cannot cast 'int' to 'var' errortest.asy: 433.21: cannot cast 'int' to 'var' errortest.asy: 434.13: cannot cast 'var[]' to 'int[]' errortest.asy: 435.3: type 'var' is not a structure errortest.asy: 438.17: cannot cast 'int' to 'var' errortest.asy: 442.7: could not infer type of initializer errortest.asy: 446.7: could not infer type of initializer errortest.asy: 448.7: could not infer type of initializer errortest.asy: 452.16: expression is not an array of inferable type errortest.asy: 457.16: expression is not an array of inferable type errortest.asy: 463.16: expression is not an array of inferable type errortest.asy: 470.7: array expression cannot be used as an address asymptote-2.62/runlabel.h0000644000000000000000000000023113607467143014152 0ustar rootroot/***** Autogenerated from runlabel.in; changes will be overwritten *****/ #ifndef runlabel_H #define runlabel_H namespace run { } #endif // runlabel_H asymptote-2.62/opcodes.h0000644000000000000000000000162513607467113014007 0ustar rootroot/***** * opcodes.h * Andy Hammerlindl 2010/10/24 * * A list of the virtual machine opcodes, defined by the macro OPCODE. *****/ /* The first parameter is the name of the opcode. The second parameter is a * character indicating what additional information (if any) is encoded with * the opcode: * x - nothing * n - integer * t - item * b - builtin * l - lambda pointer * o - instruction offset */ OPCODE(nop, 'x') OPCODE(pop,'x') OPCODE(intpush,'n') OPCODE(constpush,'t') OPCODE(varpush,'n') OPCODE(varsave,'n') OPCODE(fieldpush,'n') OPCODE(fieldsave,'n') OPCODE(builtin,'b') OPCODE(jmp,'o') OPCODE(cjmp,'o') OPCODE(njmp,'o') OPCODE(popcall,'x') OPCODE(pushclosure,'x') OPCODE(makefunc,'l') OPCODE(ret,'x') OPCODE(pushframe,'n') OPCODE(popframe,'x') OPCODE(push_default,'x') OPCODE(jump_if_not_default,'o') #ifdef COMBO OPCODE(varpop,'n') OPCODE(fieldpop,'n') OPCODE(gejmp,'o') #endif asymptote-2.62/types.cc0000644000000000000000000003307413607467113013660 0ustar rootroot/***** * types.cc * Andy Hammerlindl 2002/06/24 * * Used by the compiler as a way to keep track of the type of a variable * or expression. *****/ #include #include #include "entry.h" #include "types.h" #include "runtime.h" #include "runarray.h" #include "runfile.h" #include "runpair.h" #include "runtriple.h" #include "access.h" #include "virtualfieldaccess.h" namespace run { void arrayDeleteHelper(vm::stack *Stack); } // For pre-translated symbols. #ifndef NOSYM #include "types.symbols.h" #endif namespace types { /* Base types */ #define PRIMITIVE(name,Name,asyName) \ primitiveTy p##Name(ty_##name); \ ty *prim##Name() { return &p##Name; } \ array name##Array_(prim##Name()); \ ty *name##Array() { return &name##Array_; } \ array name##Array2_(name##Array()); \ ty *name##Array2() { return &name##Array2_; } \ array name##Array3_(name##Array2()); \ ty *name##Array3() { return &name##Array3_; } #define PRIMERROR #include "primitives.h" #undef PRIMERROR #undef PRIMITIVE nullTy pNull; ty *primNull() { return &pNull; } const char *names[] = { "null", "", "", "", #define PRIMITIVE(name,Name,asyName) #asyName, #define PRIMERROR #include "primitives.h" #undef PRIMERROR #undef PRIMITIVE "" }; ty::~ty() {} void ty::print(ostream& out) const { out << names[kind]; } // Used for primitive virtual fields and array virtual fields. #define FIELD(Type, name, func) \ if (sig == 0 && id == name) { \ static trans::virtualFieldAccess a(run::func); \ static trans::varEntry v(Type(), &a, 0, position()); \ return &v; \ } #define RWFIELD(Type, name, getter, setter) \ if (sig == 0 && id == name) { \ static trans::virtualFieldAccess a(run::getter, run::setter); \ static trans::varEntry v(Type(), &a, 0, position()); \ return &v; \ } #define SIGFIELD(Type, name, func) \ if (id == name && \ equivalent(sig, Type()->getSignature())) \ { \ static trans::virtualFieldAccess a(run::func, 0, run::func##Helper); \ static trans::varEntry v(Type(), &a, 0, position()); \ return &v; \ } #define DSIGFIELD(name, sym, func) \ if (id == sym && \ equivalent(sig, name##Type()->getSignature())) \ { \ static trans::virtualFieldAccess a(run::func, 0, run::func##Helper); \ /* for some fields, v needs to be dynamic */ \ /* e.g. when the function type depends on an array type. */ \ trans::varEntry *v = \ new trans::varEntry(name##Type(), &a, 0, position()); \ return v; \ } #define FILEFIELD(GetType, SetType, name, sym) \ FIELD(GetType,sym,name##Part); \ SIGFIELD(SetType,sym,name##Set); ty *dimensionType() { return new function(primFile(), formal(primInt(),SYM(nx),true), formal(primInt(),SYM(ny),true), formal(primInt(),SYM(nz),true)); } ty *modeType() { return new function(primFile(),formal(primBoolean(),SYM(b), true)); } ty *readType() { return new function(primFile(), formal(primInt(), SYM(i))); } trans::varEntry *primitiveTy::virtualField(symbol id, signature *sig) { switch (kind) { case ty_pair: FIELD(primReal,SYM(x),pairXPart); FIELD(primReal,SYM(y),pairYPart); break; case ty_triple: FIELD(primReal,SYM(x),tripleXPart); FIELD(primReal,SYM(y),tripleYPart); FIELD(primReal,SYM(z),tripleZPart); break; case ty_transform: FIELD(primReal,SYM(x),transformXPart); FIELD(primReal,SYM(y),transformYPart); FIELD(primReal,SYM(xx),transformXXPart); FIELD(primReal,SYM(xy),transformXYPart); FIELD(primReal,SYM(yx),transformYXPart); FIELD(primReal,SYM(yy),transformYYPart); break; case ty_tensionSpecifier: FIELD(primReal,SYM(out),tensionSpecifierOutPart); FIELD(primReal,SYM(in),tensionSpecifierInPart); FIELD(primBoolean,SYM(atLeast),tensionSpecifierAtleastPart); break; case ty_curlSpecifier: FIELD(primReal,SYM(value),curlSpecifierValuePart); FIELD(primInt,SYM(side),curlSpecifierSidePart); break; case ty_file: FIELD(primString,SYM(name),namePart); FIELD(primString,SYM(mode),modePart); FILEFIELD(IntArray,dimensionType,dimension,SYM(dimension)); FILEFIELD(primBoolean,modeType,line,SYM(line)); FILEFIELD(primBoolean,modeType,csv,SYM(csv)); FILEFIELD(primBoolean,modeType,word,SYM(word)); FILEFIELD(primBoolean,modeType,singlereal,SYM(singlereal)); FILEFIELD(primBoolean,modeType,singleint,SYM(singleint)); FILEFIELD(primBoolean,modeType,signedint,SYM(signedint)); SIGFIELD(readType,SYM(read),readSet); break; default: break; } return 0; } ty *overloadedDimensionType() { overloaded *o=new overloaded; o->add(dimensionType()); o->add(IntArray()); return o; } ty *overloadedModeType() { overloaded *o=new overloaded; o->add(modeType()); o->add(primBoolean()); return o; } ty *ty::virtualFieldGetType(symbol id) { trans::varEntry *v = virtualField(id, 0); return v ? v->getType() : 0; } ty *primitiveTy::virtualFieldGetType(symbol id) { if(kind == ty_file) { if (id == SYM(dimension)) return overloadedDimensionType(); if (id == SYM(line) || id == SYM(csv) || id == SYM(word) || id == SYM(singlereal) || id == SYM(singleint) || id == SYM(signedint)) return overloadedModeType(); if (id == SYM(read)) return readType(); } trans::varEntry *v = virtualField(id, 0); return v ? v->getType() : 0; } #define RETURN_STATIC_BLTIN(func) \ { \ static trans::bltinAccess a(run::func); \ return &a; \ } trans::access *nullTy::castTo(ty *target, caster &) { switch (target->kind) { case ty_array: { RETURN_STATIC_BLTIN(pushNullArray); } case ty_record: { RETURN_STATIC_BLTIN(pushNullRecord); } case ty_function: { RETURN_STATIC_BLTIN(pushNullFunction); } default: return 0; } } trans::access *array::initializer() { RETURN_STATIC_BLTIN(emptyArray) } ty *array::pushType() { if (pushtype == 0) pushtype = new function(celltype,formal(celltype,SYM(x))); return pushtype; } ty *array::popType() { if (poptype == 0) poptype = new function(celltype); return poptype; } ty *array::appendType() { if (appendtype == 0) appendtype = new function(primVoid(),formal(this,SYM(a))); return appendtype; } ty *array::insertType() { if (inserttype == 0) { function *f=new function(primVoid(),formal(primInt(),SYM(i))); f->addRest(this); inserttype = f; } return inserttype; } ty *array::deleteType() { if (deletetype == 0) deletetype = new function(primVoid(),formal(primInt(),SYM(i),true), formal(primInt(),SYM(j),true)); return deletetype; } ty *initializedType() { return new function(primBoolean(),formal(primInt(),SYM(i))); } #define SIGFIELDLIST \ ASIGFIELD(initialized, SYM(initialized), arrayInitialized); \ ASIGFIELD(push, SYM(push), arrayPush); \ ASIGFIELD(pop, SYM(pop), arrayPop); \ ASIGFIELD(append, SYM(append), arrayAppend); \ ASIGFIELD(insert, SYM(insert), arrayInsert); \ ASIGFIELD(delete, SYM(delete), arrayDelete); \ ty *array::virtualFieldGetType(symbol id) { #define ASIGFIELD(name, sym, func) \ if (id == sym) \ return name##Type(); SIGFIELDLIST #undef ASIGFIELD return ty::virtualFieldGetType(id); } trans::varEntry *array::virtualField(symbol id, signature *sig) { FIELD(primInt, SYM(length), arrayLength); FIELD(IntArray, SYM(keys), arrayKeys); RWFIELD(primBoolean, SYM(cyclic), arrayCyclicFlag, arraySetCyclicFlag); #define ASIGFIELD(name, sym, func) DSIGFIELD(name, sym, func) SIGFIELDLIST #undef ASIGFIELD // Fall back on base class to handle no match. return ty::virtualField(id, sig); } #undef SIGFIELDLIST void printFormal(ostream& out, const formal& f, bool keywordOnly) { if (f.Explicit) out << "explicit "; if (f.name) f.t->printVar(out, keywordOnly ? "keyword "+(string)(f.name) : f.name); else f.t->print(out); if (f.defval) out << "="; } ostream& operator<< (ostream& out, const formal& f) { #if 0 if (f.Explicit) out << "explicit "; if (f.name) f.t->printVar(out,f.name); else f.t->print(out); if (f.defval) out << "="; #endif printFormal(out, f, false); return out; } bool equivalent(const formal& f1, const formal& f2) { // Just test the types. // This cannot be used on rest formal with types equal to NULL. return equivalent(f1.t,f2.t); } bool argumentEquivalent(const formal &f1, const formal& f2) { if (f1.name == f2.name) { if (f1.t == 0) return f2.t == 0; else if (f2.t == 0) return false; return f1.t->kind != ty_overloaded && f2.t->kind != ty_overloaded && equivalent(f1.t, f2.t); } else return false; } ostream& operator<< (ostream& out, const signature& s) { if (s.isOpen) { out << "()"; return out; } out << "("; for (size_t i = 0; i < s.formals.size(); ++i) { if (i > 0) out << ", "; printFormal(out, s.getFormal(i), s.formalIsKeywordOnly(i)); } if (s.rest.t) { if (!s.formals.empty()) out << " "; out << "... " << s.rest; } out << ")"; return out; } // Equivalence by design does not look at the presence of default values. bool equivalent(const signature *s1, const signature *s2) { if (s1 == s2) return true; // Handle null signature if (s1 == 0 || s2 == 0) return false; // Two open signatures are always equivalent, as the formals are ignored. if (s1->isOpen) return s2->isOpen; else if (s2->isOpen) return false; if (s1->formals.size() != s2->formals.size()) return false; if (!std::equal(s1->formals.begin(),s1->formals.end(),s2->formals.begin(), (bool (*)(const formal&,const formal&)) equivalent)) return false; if (s1->rest.t) return s2->rest.t && equivalent(s1->rest, s2->rest); else return s2->rest.t == 0; } bool argumentEquivalent(const signature *s1, const signature *s2) { // Handle null signature if (s1 == 0) return s2 == 0; else if (s2 == 0) return false; if (s1->formals.size() != s2->formals.size()) return false; return std::equal(s1->formals.begin(),s1->formals.end(),s2->formals.begin(), (bool (*)(const formal&,const formal&)) argumentEquivalent) && argumentEquivalent(s1->rest, s2->rest); } size_t signature::hash() const { size_t x=2038; for (formal_vector::const_iterator i=formals.begin(); i!=formals.end(); ++i) x=x*0xFAEC+i->t->hash(); if (rest.t) x=x*0xACED +rest.t->hash(); return x; } trans::access *function::initializer() { RETURN_STATIC_BLTIN(pushNullFunction); } #if 0 ty *function::stripDefaults() { function *f = new function(result); Int n = sig.getNumFormals(); for (Int i = 0; i < n; ++i) f->add(sig.getFormal(i), 0); return f; } #endif // Only add a type with a signature distinct from the ones currently // in the overloaded type. void overloaded::addDistinct(ty *t, bool special) { if (t->kind == ty_overloaded) { overloaded *ot = (overloaded *)t; for (ty_vector::iterator st = ot->sub.begin(); st != ot->sub.end(); ++st) { this->addDistinct(*st, special); } } else { for (ty_vector::iterator st = this->sub.begin(); st != this->sub.end(); ++st) { if (equivalent(t, *st, special)) return; } // Nonequivalent in signature - add it. this->add(t); } } ty *overloaded::signatureless() { for(ty_vector::iterator t = sub.begin(); t != sub.end(); ++t) if ((*t)->getSignature()==0) return *t; return 0; } bool overloaded::castable(ty *target, caster &c) { for(ty_vector::iterator s = sub.begin(); s != sub.end(); ++s) if (c.castable(target,*s)) return true; return false; } bool equivalent(const ty *t1, const ty *t2) { // The same pointer must point to the same type. if (t1 == t2) return true; // Ensure if an overloaded type is compared to a non-overloaded one, that the // overloaded type's method is called. if (t2->kind == ty_overloaded) return t2->equiv(t1); if (t1->kind == ty_overloaded) return t1->equiv(t2); // Outside of overloaded types, different kinds mean different types. if (t1->kind != t2->kind) return false; return t1->equiv(t2); } bool equivalent(const ty *t1, const ty *t2, bool special) { return special ? equivalent(t1, t2) : equivalent(t1->getSignature(), t2->getSignature()); } #undef FIELD #undef RWFIELD #undef SIGFIELD #undef DSIGFIELD } // namespace types asymptote-2.62/texfile.cc0000644000000000000000000004731613607467113014160 0ustar rootroot/***** * texfile.cc * John Bowman 2003/03/14 * * Encapsulates the writing of commands to a TeX file. *****/ #include #include #include "texfile.h" #include "errormsg.h" using std::ofstream; using settings::getSetting; using settings::ps2tex; using settings::tex2ps; using vm::array; using vm::read; namespace camp { texfile::texfile(const string& texname, const bbox& box, bool pipe) : box(box) { texengine=getSetting("tex"); inlinetex=getSetting("inlinetex"); Hoffset=inlinetex ? box.right : box.left; out=new ofstream(texname.c_str()); if(!out || !*out) reportError("Cannot write to "+texname); out->setf(std::ios::fixed); out->precision(6); texdocumentclass(*out,pipe); resetpen(); level=0; } texfile::~texfile() { if(out) { delete out; out=NULL; } } void texfile::miniprologue() { texpreamble(*out,processData().TeXpreamble,true); if(settings::latex(texengine)) { *out << "\\pagestyle{empty}" << newl << "\\textheight=2048pt" << newl << "\\textwidth=2048pt" << newl << "\\begin{document}" << newl; latexfontencoding(*out); } else if(settings::context(texengine)) { *out << "\\setuppagenumbering[location=]" << newl << "\\usetypescript[modern]" << newl << "\\starttext\\hbox{%" << newl; } else *out << "\\nopagenumbers" << newl; } void texfile::prologue() { if(inlinetex) { string prename=buildname(settings::outname(),"pre"); std::ofstream *outpreamble=new std::ofstream(prename.c_str()); texpreamble(*outpreamble,processData().TeXpreamble,false,false); outpreamble->close(); } texdefines(*out,processData().TeXpreamble,false); double width=box.right-box.left; double height=box.top-box.bottom; if(!inlinetex) { if(settings::context(texengine)) { *out << "\\definepapersize[asy][width=" << width << "bp,height=" << height << "bp]" << newl << "\\setuppapersize[asy][asy]" << newl; } else if(settings::pdf(texengine)) { double voffset=0.0; if(settings::latex(texengine)) { if(height < 12.0) voffset=height-12.0; } else if(height < 10.0) voffset=height-10.0; if(width > 0) *out << "\\pdfpagewidth=" << width << "bp" << newl; *out << "\\ifx\\pdfhorigin\\undefined" << newl << "\\hoffset=-1in" << newl << "\\voffset=" << voffset-72.0 << "bp" << newl; if(height > 0) *out << "\\pdfpageheight=" << height << "bp" << newl; *out << "\\else" << newl << "\\pdfhorigin=0bp" << newl << "\\pdfvorigin=" << voffset << "bp" << newl; if(height > 0) *out << "\\pdfpageheight=" << height << "bp" << newl; *out << "\\fi" << newl; } } if(settings::xe(texengine) && !inlinetex) *out << "\\usepackage{everypage}%" << newl; if(settings::latex(texengine)) { *out << "\\setlength{\\unitlength}{1pt}%" << newl; if(!inlinetex) { *out << "\\pagestyle{empty}" << newl << "\\textheight=" << height+18.0 << "bp" << newl << "\\textwidth=" << width+18.0 << "bp" << newl; if(settings::pdf(texengine)) *out << "\\parindent=0pt" << newl << "\\oddsidemargin=0pt" << newl << "\\evensidemargin=\\oddsidemargin" << newl << "\\headheight=0pt" << newl << "\\headsep=0pt" << newl << "\\topmargin=0pt" << newl << "\\topskip=0pt" << newl; *out << "\\begin{document}" << newl; } latexfontencoding(*out); } else { if(!inlinetex) { if(settings::context(texengine)) { *out << "\\setuplayout[" << "backspace=0pt,topspace=0pt," << "header=0pt,headerdistance=0pt,footer=0pt]" << newl << "\\setuppagenumbering[location=]" << endl << "\\usetypescript[modern]" << newl << "\\starttext\\hbox{%" << newl; } else { *out << "\\footline={}" << newl; if(settings::pdf(texengine)) { *out << "\\hoffset=-20pt" << newl << "\\voffset=0pt" << newl; } else { *out << "\\hoffset=36.6pt" << newl << "\\voffset=54.0pt" << newl; } } } } beginpage(); } void texfile::beginlayer(const string& psname, bool postscript) { if(box.right > box.left && box.top > box.bottom) { if(postscript) { if(settings::context(texengine)) *out << "\\externalfigure[" << psname << "]%" << newl; else { *out << "{\\catcode`\"=12%" << newl << "\\includegraphics"; bool pdf=settings::pdf(texengine); string name=stripExt(psname); if(inlinetex) { size_t pos=name.rfind("-"); if(pos < string::npos) name="\\ASYprefix\\jobname"+name.substr(pos); } else { if(!pdf) name=psname; } if(!pdf) *out << "[bb=" << box.left << " " << box.bottom << " " << box.right << " " << box.top << "]"; *out << "{" << name << "}%" << newl << "}%" << newl; } if(!inlinetex) *out << "\\kern " << (box.left-box.right)*ps2tex << "pt%" << newl; } else { *out << "\\leavevmode\\vbox to " << (box.top-box.bottom)*ps2tex << "pt{}%" << newl; if(inlinetex) *out << "\\kern " << (box.right-box.left)*ps2tex << "pt%" << newl; } } } void texfile::endlayer() { if(inlinetex && (box.right > box.left && box.top > box.bottom)) *out << "\\kern " << (box.left-box.right)*ps2tex << "pt%" << newl; } void texfile::writeshifted(path p, bool newPath) { write(p.transformed(shift(pair(-Hoffset,-box.bottom))),newPath); } void texfile::setlatexcolor(pen p) { if(p.cmyk() && (!lastpen.cmyk() || (p.cyan() != lastpen.cyan() || p.magenta() != lastpen.magenta() || p.yellow() != lastpen.yellow() || p.black() != lastpen.black()))) { *out << "\\definecolor{ASYcolor}{cmyk}{" << p.cyan() << "," << p.magenta() << "," << p.yellow() << "," << p.black() << "}\\color{ASYcolor}%" << newl; } else if(p.rgb() && (!lastpen.rgb() || (p.red() != lastpen.red() || p.green() != lastpen.green() || p.blue() != lastpen.blue()))) { *out << "\\definecolor{ASYcolor}{rgb}{" << p.red() << "," << p.green() << "," << p.blue() << "}\\color{ASYcolor}%" << newl; } else if(p.grayscale() && (!lastpen.grayscale() || p.gray() != lastpen.gray())) { *out << "\\definecolor{ASYcolor}{gray}{" << p.gray() << "}\\color{ASYcolor}%" << newl; } } void texfile::setfont(pen p) { bool latex=settings::latex(texengine); if(latex) setlatexfont(*out,p,lastpen); settexfont(*out,p,lastpen,latex); lastpen.setfont(p); } void texfile::setpen(pen p) { bool latex=settings::latex(texengine); p.convert(); if(p == lastpen) return; if(latex) setlatexcolor(p); else setcolor(p,settings::beginspecial(texengine),settings::endspecial()); setfont(p); } void texfile::beginpicture(const bbox& b) { verbatim(settings::beginpicture(texengine)); if(!settings::context(texengine)) { verbatim("("); double width=b.right-b.left; double height=b.top-b.bottom; write(width*ps2tex); verbatim(","); write(height*ps2tex); verbatim(")"); } verbatimline("%"); } void texfile::endpicture(const bbox& b) { verbatimline(settings::endpicture(texengine)); verbatim("\\kern"); double width=b.right-b.left; write(-width*ps2tex); verbatimline("pt%"); } void texfile::gsave(bool) { *out << settings::beginspecial(texengine); psfile::gsave(true); *out << settings::endspecial() << newl; } void texfile::grestore(bool) { *out << settings::beginspecial(texengine); psfile::grestore(true); *out << settings::endspecial() << newl; } void texfile::beginspecial() { *out << settings::beginspecial(texengine); } void texfile::endspecial() { *out << settings::endspecial() << newl; } void texfile::beginraw() { *out << "\\ASYraw{" << newl; } void texfile::endraw() { *out << "}%" << newl; } void texfile::put(const string& label, const transform& T, const pair& z, const pair& align) { double sign=settings::pdf(texengine) ? 1.0 : -1.0; if(label.empty()) return; bool trans=!T.isIdentity(); *out << "\\ASYalign"; if(trans) *out << "T"; *out << "(" << (z.getx()-Hoffset)*ps2tex << "," << (z.gety()-box.bottom)*ps2tex << ")(" << align.getx() << "," << align.gety() << ")"; if(trans) *out << "{" << T.getxx() << " " << sign*T.getyx() << " " << sign*T.getxy() << " " << T.getyy() << "}"; *out << "{" << label << "}%" << newl; } void texfile::epilogue(bool pipe) { endpage(); if(settings::latex(texengine)) *out << "\\end{document}" << newl; else if(settings::context(texengine)) *out << "}\\stoptext" << newl; else *out << "\\bye" << newl; out->flush(); } string svgtexfile::nl="{?nl}%\n"; void svgtexfile::beginspecial() { inspecial=true; out->unsetf(std::ios::fixed); *out << "\\catcode`\\#=11%" << newl << "\\special{dvisvgm:raw" << nl; } void svgtexfile::endspecial() { inspecial=false; *out << "}\\catcode`\\#=6%" << newl; out->setf(std::ios::fixed); } void svgtexfile::begintransform() { bbox b=box; b.left=-Hoffset; b=svgbbox(b); *out << "" << nl; } void svgtexfile::endtransform() { *out << ""; } void svgtexfile::gsave(bool) { if(clipstack.size() < 1) clipstack.push(0); else clipstack.push(clipcount); *out << "\\special{dvisvgm:raw }%" << newl; pens.push(lastpen); } void svgtexfile::grestore(bool) { if(pens.size() < 1 || clipstack.size() < 1) reportError("grestore without matching gsave"); lastpen=pens.top(); pens.pop(); clipstack.pop(); *out << "\\special{dvisvgm:raw }%" << newl; } void svgtexfile::clippath() { if(clipstack.size() > 0) { size_t count=clipstack.top(); if(count > 0) *out << "clip-path='url(#clip" << count << ")' "; } } void svgtexfile::beginpath() { *out << "" << nl; beginpath(); if(clipstack.size() > 0) clipstack.pop(); clipstack.push(clipcount); } void svgtexfile::endclip0(const pen &p) { *out << "'"; fillrule(p,"clip"); endpath(); *out << "" << nl; } void svgtexfile::endclip(const pen &p) { endclip0(p); endtransform(); endspecial(); } void svgtexfile::fillrule(const pen& p, const string& type) { if(p.Fillrule() != lastpen.Fillrule()) *out << " " << type << "-rule='" << (p.evenodd() ? "evenodd" : "nonzero") << "'"; lastpen.setfillrule(p); } void svgtexfile::color(const pen &p, const string& type) { *out << "' " << type << "='#" << rgbhex(p) << "'"; double opacity=p.opacity(); if(opacity != 1.0) *out << " opacity='" << opacity << "'"; } void svgtexfile::fill(const pen &p) { color(p,"fill"); fillrule(p); endpath(); endtransform(); endspecial(); } void svgtexfile::properties(const pen& p) { if(p.cap() != lastpen.cap()) *out << " stroke-linecap='" << PSCap[p.cap()] << "'"; if(p.join() != lastpen.join()) *out << " stroke-linejoin='" << Join[p.join()] << "'"; if(p.miter() != lastpen.miter()) *out << " stroke-miterlimit='" << p.miter()*ps2tex << "'"; if(p.width() != lastpen.width()) *out << " stroke-width='" << p.width()*ps2tex << "'"; const LineType *linetype=p.linetype(); const LineType *lastlinetype=lastpen.linetype(); if(!(linetype->pattern == lastlinetype->pattern)) { size_t n=linetype->pattern.size(); if(n > 0) { *out << " stroke-dasharray='"; *out << vm::read(linetype->pattern,0)*ps2tex; for(size_t i=1; i < n; ++i) *out << "," << vm::read(linetype->pattern,i)*ps2tex; *out << "'"; } } if(linetype->offset != lastlinetype->offset) *out << " stroke-dashoffset='" << linetype->offset*ps2tex << "'"; lastpen=p; } void svgtexfile::stroke(const pen &p, bool dot) { if(dot) color(p,"fill"); else { color(p,"fill='none' stroke"); properties(p); } endpath(); endtransform(); endspecial(); } void svgtexfile::strokepath() { reportWarning("SVG does not support strokepath"); } void svgtexfile::begingradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, const pen& penb, const pair& b, double rb) { string type=axial ? "linear" : "radial"; beginspecial(); *out << "<" << type << "Gradient id='grad" << gradientcount; if(axial) { *out << "' x1='" << a.getx()*ps2tex << "' y1='" << -a.gety()*ps2tex << "' x2='" << b.getx()*ps2tex << "' y2='" << -b.gety()*ps2tex; } else { *out << "' cx='" << b.getx()*ps2tex << "' cy='" << -b.gety()*ps2tex << "' r='" << rb*ps2tex; } *out <<"' gradientUnits='userSpaceOnUse'>" << nl << "" << nl << "" << nl << "" << nl; begintransform(); beginpath(); } void svgtexfile::gradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, bool, const pen& penb, const pair& b, double rb, bool) { *out << "' fill='url(#grad" << gradientcount << ")'"; fillrule(pena); endpath(); ++gradientcount; endtransform(); endspecial(); } // Return the point on the line through p and q that is closest to z. pair closest(pair p, pair q, pair z) { pair u=q-p; double denom=dot(u,u); return denom == 0.0 ? p : p+dot(z-p,u)/denom*u; } void svgtexfile::gouraudshade(const pen& p0, const pair& z0, const pen& p1, const pair& z1, const pen& p2, const pair& z2) { string hex[]={rgbhex(p0),rgbhex(p1),rgbhex(p2)}; pair Z[]={z0,z1,z2}; *out << "" << nl << "" << nl << "" << nl << ""; for(size_t k=0; k < 3; ++k) { pair z=Z[k]; pair opp=closest(Z[(k+1) % 3],Z[(k+2) % 3],z); *out << "" << nl << "" << nl << "" << nl << "" << nl; } *out << "" << nl << "" << nl; *out << "" << nl << "" << nl << "" << nl; ++gouraudcount; } void svgtexfile::begingouraudshade(const vm::array& pens, const vm::array& vertices, const vm::array& edges) { size_t size=pens.size(); if(size == 0) return; beginclip(); } void svgtexfile::gouraudshade(const pen& pentype, const array& pens, const array& vertices, const array& edges) { size_t size=pens.size(); if(size == 0) return; endclip0(pentype); pen *p0=NULL,*p1=NULL,*p2=NULL; pair z0,z1,z2; for(size_t i=0; i < size; i++) { Int edge=read(edges,i); switch(edge) { case 0: p0=read(pens,i); z0=read(vertices,i); ++i; if(i < size) { p1=read(pens,i); z1=read(vertices,i); ++i; if(i < size) { p2=read(pens,i); z2=read(vertices,i); } } break; case 1: p0=read(pens,i); z0=read(vertices,i); break; case 2: p1=read(pens,i); z1=read(vertices,i); break; default: break; } if(p0 == NULL || p1 == NULL || p2 == NULL) reportError("invalid edge flag"); gouraudshade(*p0,z0,*p1,z1,*p2,z2); } endtransform(); endspecial(); } void svgtexfile::begintensorshade(const vm::array& pens, const vm::array& boundaries, const vm::array& z) { beginspecial(); *out << "" << nl; path g=read(boundaries,0); pair Z[]={g.point((Int) 0),g.point((Int) 3),g.point((Int) 2), g.point((Int) 1)}; array *pi=read(pens,0); if(checkArray(pi) != 4) reportError("specify 4 pens for each path"); string hex[]={rgbhex(read(pi,0)),rgbhex(read(pi,3)), rgbhex(read(pi,2)),rgbhex(read(pi,1))}; *out << "" << nl << "" << nl << ""; pair mean=0.25*(Z[0]+Z[1]+Z[2]+Z[3]); for(size_t k=0; k < 4; ++k) { pair opp=(k % 2 == 0) ? Z[(k+2) % 4] : mean; *out << "" << nl << "" << nl << "" << nl << "" << nl; } beginpath(); } void svgtexfile::tensorshade(const pen& pentype, const vm::array& pens, const vm::array& boundaries, const vm::array& z) { *out << "' id='path" << tensorcount << "'"; fillrule(pentype); endpath(); *out << "" << nl; begintransform(); *out << "" << nl << "" << nl << "" << nl << "" << nl; ++tensorcount; endspecial(); } } //namespace camp asymptote-2.62/asymptote.spec0000644000000000000000000000557113607467113015107 0ustar rootroot%{!?_texmf: %global _texmf %(eval "echo `kpsewhich -expand-var '$TEXMFLOCAL'`")} %global _python_bytecompile_errors_terminate_build 0 %global __python %{__python3} Name: asymptote Version: 2.62 Release: 1%{?dist} Summary: Descriptive vector graphics language Group: Applications/Publishing License: GPL URL: http://asymptote.sourceforge.net/ Source: http://downloads.sourceforge.net/sourceforge/asymptote/asymptote-%{version}.src.tgz BuildRoot: %{_tmppath}/%{name}-%{version}-%{release}-root-%(%{__id_u} -n) BuildRequires: ncurses-devel BuildRequires: readline-devel BuildRequires: fftw-devel >= 3.0 BuildRequires: gc-devel >= 6.7 BuildRequires: gsl-devel BuildRequires: glm-devel BuildRequires: tetex-latex BuildRequires: ghostscript >= 9.14 BuildRequires: texinfo >= 4.7 BuildRequires: ImageMagick Requires: tetex-latex Requires: freeglut-devel >= 3.0.0 Requires(post): /usr/bin/texhash /sbin/install-info Requires(postun): /usr/bin/texhash /sbin/install-info %description Asymptote is a powerful descriptive vector graphics language for technical drawings, inspired by MetaPost but with an improved C++-like syntax. Asymptote provides for figures the same high-quality level of typesetting that LaTeX does for scientific text. %prep %setup -q %build CFLAGS="`echo $RPM_OPT_FLAGS | sed s/-O2/-O3/`" \ %configure --with-latex=%{_texmf}/tex/latex --with-context=%{_texmf}/tex/context/third make %{?_smp_mflags} %install rm -rf $RPM_BUILD_ROOT make install-notexhash DESTDIR=$RPM_BUILD_ROOT %{__install} -p -m 644 BUGS ChangeLog LICENSE README ReleaseNotes TODO \ $RPM_BUILD_ROOT%{_defaultdocdir}/%{name}/ %clean rm -rf $RPM_BUILD_ROOT %post texhash >/dev/null 2>&1 || : /sbin/install-info %{_infodir}/%{name}/%{name}.info.gz %{_infodir}/dir 2>/dev/null || : %postun texhash >/dev/null 2>&1 || : if [ $1 = 0 ]; then /sbin/install-info --remove %{_infodir}/%{name}/%{name}.info.gz %{_infodir}/dir 2>/dev/null || : fi %files %defattr(-,root,root,-) %doc %{_defaultdocdir}/%{name}/ %{_bindir}/* %{_datadir}/%{name}/ %{_texmf}/tex/latex/%{name} %{_texmf}/tex/context/third/%{name} %{_mandir}/man1/*.1* %{_infodir}/%{name}/ %{_infodir}/%{name}/*.info* %{_infodir}/*.info* %changelog * Thu Apr 19 2007 John Bowman <> - 1.26-1 - Update source tar ball name. * Tue May 30 2006 John Bowman <> - 1.07-1 - Use make install-all to also install info pages. * Fri May 26 2006 Jose Pedro Oliveira - 1.07-1 - Update to 1.07. * Sun May 21 2006 John Bowman <> - 1.06-1 - Update to 1.06. * Mon May 8 2006 John Bowman <> - 1.05-1 - Update to 1.05. * Sun May 7 2006 Jose Pedro Oliveira - 1.04-1 - Update to 1.04. * Fri Mar 31 2006 Jose Pedro Oliveira - 1.03-1 - Update to 1.03. * Thu Mar 23 2006 Jose Pedro Oliveira - 1.02-1 - First build. asymptote-2.62/BUGS0000644000000000000000000000037713607467113012670 0ustar rootrootIf you find a bug in Asymptote, please check (if possible) whether the bug is still present in the latest git developmental code before submitting a bug report. New bugs can be submitted using the Bug Tracking System at http://asymptote.sourceforge.net/ asymptote-2.62/runfile.in0000644000000000000000000001344413607467113014200 0ustar rootroot/***** * runfile.in * * Runtime functions for file operations. * *****/ file* => primFile() #include "fileio.h" #include "callable.h" #include "triple.h" #include "array.h" #ifdef __CYGWIN__ extern "C" int mkstemp(char *c); #endif using namespace camp; using namespace settings; using namespace vm; string commentchar="#"; // Autogenerated routines: bool ==(file *a, file *b) { return a == b; } bool !=(file *a, file *b) { return a != b; } file* :nullFile() { return &camp::nullfile; } file* input(string name=emptystring, bool check=true, string comment=commentchar, string mode=emptystring) { file *f=NULL; if(mode == "binary") { f=new ibfile(name,check); } else if(mode == "xdr") { #ifdef HAVE_RPC_RPC_H f=new ixfile(name,check); #else ostringstream buf; buf << name << ": XDR read support not enabled"; error(buf); #endif } else if(mode == "") { char c=comment.empty() ? (char) 0 : comment[0]; f=new ifile(name,c,check); } else { f=NULL; ostringstream buf; buf << name << ": invalid file mode '" << mode << "'"; error(buf); } f->open(); return f; } file* output(string name=emptystring, bool update=false, string comment=commentchar, string mode=emptystring) { file *f=NULL; if(mode == "pipe") { f=new opipe(name); } else if(mode == "binary") { if(update) f=new iobfile(name); else f=new obfile(name); } else if(mode == "xdr") { #ifdef HAVE_RPC_RPC_H if(update) f=new ioxfile(name); else f=new oxfile(name); #else ostringstream buf; buf << name << ": XDR write support not enabled"; error(buf); #endif } else if(mode == "") { if(update) { char c=comment.empty() ? (char) 0 : comment[0]; f=new iofile(name,c); } else f=new ofile(name); } else { f=NULL; ostringstream buf; buf << name << ": invalid file mode '" << mode << "'"; error(buf); } f->open(); if(update) f->seek(0,false); return f; } bool eof(file *f) { return f->eof(); } bool eol(file *f) { return f->eol(); } bool error(file *f) { return f->error(); } void clear(file *f) { f->clear(); } void close(file *f) { f->close(); } Int precision(file *f=NULL, Int digits=0) { if(f == 0) f=&camp::Stdout; return f->precision(digits); } void flush(file *f) { f->flush(); } string getc(file *f) { char c=0; if(f->isOpen()) f->read(c); static char str[1]; str[0]=c; return string(str); } Int tell(file *f) { return f->tell(); } void seek(file *f, Int pos) { f->seek(pos,pos >= 0); } void seekeof(file *f) { f->seek(0,false); } string :namePart(file f) { return f.filename(); } string :modePart(file f) { return f.FileMode(); } // Set file dimensions file* :dimensionSetHelper(Int nx=-1, Int ny=-1, Int nz=-1, file *f) { f->dimension(nx,ny,nz); return f; } callable* :dimensionSet(file *f) { return new thunk(new bfunc(dimensionSetHelper),f); } array * :dimensionPart(file f) { array *a=new array(3); (*a)[0]=f.Nx(); (*a)[1]=f.Ny(); (*a)[2]=f.Nz(); return a; } // Set file f to read arrays in line-at-a-time mode file* :lineSetHelper(bool b=true, file *f) { f->LineMode(b); return f; } callable* :lineSet(file *f) { return new thunk(new bfunc(lineSetHelper),f); } bool :linePart(file f) { return f.LineMode(); } // Set file to read comma-separated values file* :csvSetHelper(bool b=true, file *f) { f->CSVMode(b); return f; } callable* :csvSet(file *f) { return new thunk(new bfunc(csvSetHelper),f); } bool :csvPart(file f) { return f.CSVMode(); } // Set file to read whitespace-separated values file* :wordSetHelper(bool b=true, file *f) { f->WordMode(b); return f; } callable* :wordSet(file *f) { return new thunk(new bfunc(wordSetHelper),f); } bool :wordPart(file f) { return f.WordMode(); } // Set file to read/write single precision real XDR values. file* :singlerealSetHelper(bool b=true, file *f) { f->SingleReal(b); return f; } callable* :singlerealSet(file *f) { return new thunk(new bfunc(singlerealSetHelper),f); } bool :singlerealPart(file f) { return f.SingleReal(); } // Set file to read/write single precision int XDR values. file* :singleintSetHelper(bool b=true, file *f) { f->SingleInt(b); return f; } callable* :singleintSet(file *f) { return new thunk(new bfunc(singleintSetHelper),f); } bool :singleintPart(file f) { return f.SingleInt(); } // Set file to read/write signed int XDR values. file* :signedintSetHelper(bool b=true, file *f) { f->SignedInt(b); return f; } callable* :signedintSet(file *f) { return new thunk(new bfunc(signedintSetHelper),f); } bool :signedintPart(file f) { return f.SignedInt(); } // Set file to read an arrayi (i int sizes followed by an i-dimensional array) file* :readSetHelper(Int i, file *f) { switch(i) { case 1: f->dimension(-2); break; case 2: f->dimension(-2,-2); break; case 3: f->dimension(-2,-2,-2); break; default: f->dimension(); } return f; } callable* :readSet(file *f) { return new thunk(new bfunc(readSetHelper),f); } // Delete file named s. Int delete(string s) { s=outpath(s); Int rc=unlink(s.c_str()); if(rc == 0 && verbose > 0) cout << "Deleted " << s << endl; return rc; } // Rename file "from" to file "to". Int rename(string from, string to) { from=outpath(from); to=outpath(to); Int rc=rename(from.c_str(),to.c_str()); if(rc == 0 && verbose > 0) cout << "Renamed " << from << " to " << to << endl; return rc; } // Create a unique temporary file name. string mktemp(string s) { char *S=Strdup(s+"XXXXXX"); int fd=mkstemp(S); if(fd < 0) { ostringstream buf; buf << "Could not create unique temporary filename based on " << s; error(buf); } return S; } asymptote-2.62/prc/0000755000000000000000000000000013607467113012762 5ustar rootrootasymptote-2.62/prc/test.asy0000644000000000000000000000013713607467113014460 0ustar rootrootsettings.outformat="pdf"; import embed; label(embed("test.prc","poster,3Droo=25",1500,500)); asymptote-2.62/prc/test.cc0000644000000000000000000010662313607467113014260 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include #include #include "oPRCFile.h" using namespace std; extern const double pi; int main() { #if 0 // List of pictures used; keep track of memory allocated to free it in the end // shared pointers or garbage collector may be an alternative uint8_t *picture1 = NULL; uint8_t *picture2 = NULL; uint8_t *picture3 = NULL; uint8_t *picture4 = NULL; oPRCFile file("test.prc"); const size_t N_COLOURS = 32; RGBAColour colours[N_COLOURS]; for(size_t i = 0; i < N_COLOURS; ++i) { colours[i%N_COLOURS].R = 0.0; colours[i%N_COLOURS].G = (i%N_COLOURS)/static_cast(N_COLOURS); colours[i%N_COLOURS].B = 0.95; colours[i%N_COLOURS].A = 0.75; } PRCmaterial materials[N_COLOURS]; for(size_t i = 0; i < N_COLOURS; ++i) { materials[i%N_COLOURS].diffuse.R = 0.0; materials[i%N_COLOURS].diffuse.G = (i%N_COLOURS)/static_cast(N_COLOURS); materials[i%N_COLOURS].diffuse.B = 0.95; materials[i%N_COLOURS].diffuse.A = 0.75; materials[i%N_COLOURS].specular.R = 0.01*0.0; materials[i%N_COLOURS].specular.G = 0.01*(i%N_COLOURS)/static_cast(N_COLOURS); materials[i%N_COLOURS].specular.B = 0.01*0.95; materials[i%N_COLOURS].specular.A = 0.01*0.75; materials[i%N_COLOURS].emissive.R = 0.20*0.0; materials[i%N_COLOURS].emissive.G = 0.20*(i%N_COLOURS)/static_cast(N_COLOURS); materials[i%N_COLOURS].emissive.B = 0.20*0.95; materials[i%N_COLOURS].emissive.A = 0.20*0.75; materials[i%N_COLOURS].ambient.R = 0.05*0.0; materials[i%N_COLOURS].ambient.G = 0.05*(i%N_COLOURS)/static_cast(N_COLOURS); materials[i%N_COLOURS].ambient.B = 0.05*0.95; materials[i%N_COLOURS].ambient.A = 0.05*0.75; materials[i%N_COLOURS].alpha = 0.75; materials[i%N_COLOURS].shininess = 0.1; } if(1) { double knotsU[] = {1,1,1,1,2,2,2,2}; double knotsV[] = {1,1,1,1,2,2,2,2}; const size_t NUMBER_OF_PATCHES = 32; double controlPoints[NUMBER_OF_PATCHES][16][3] = { { // Patch 0 {1.4,0,2.4},{1.4,-0.784,2.4},{0.784,-1.4,2.4},{0,-1.4,2.4}, {1.3375,0,2.53125},{1.3375,-0.749,2.53125},{0.749,-1.3375,2.53125},{0,-1.3375,2.53125}, {1.4375,0,2.53125},{1.4375,-0.805,2.53125},{0.805,-1.4375,2.53125},{0,-1.4375,2.53125}, {1.5,0,2.4},{1.5,-0.84,2.4},{0.84,-1.5,2.4},{0,-1.5,2.4}, }, { // Patch 1 {0,-1.4,2.4},{-0.784,-1.4,2.4},{-1.4,-0.784,2.4},{-1.4,0,2.4}, {0,-1.3375,2.53125},{-0.749,-1.3375,2.53125},{-1.3375,-0.749,2.53125},{-1.3375,0,2.53125}, {0,-1.4375,2.53125},{-0.805,-1.4375,2.53125},{-1.4375,-0.805,2.53125},{-1.4375,0,2.53125}, {0,-1.5,2.4},{-0.84,-1.5,2.4},{-1.5,-0.84,2.4},{-1.5,0,2.4}, }, { // Patch 2 {-1.4,0,2.4},{-1.4,0.784,2.4},{-0.784,1.4,2.4},{0,1.4,2.4}, {-1.3375,0,2.53125},{-1.3375,0.749,2.53125},{-0.749,1.3375,2.53125},{0,1.3375,2.53125}, {-1.4375,0,2.53125},{-1.4375,0.805,2.53125},{-0.805,1.4375,2.53125},{0,1.4375,2.53125}, {-1.5,0,2.4},{-1.5,0.84,2.4},{-0.84,1.5,2.4},{0,1.5,2.4}, }, { // Patch 3 {0,1.4,2.4},{0.784,1.4,2.4},{1.4,0.784,2.4},{1.4,0,2.4}, {0,1.3375,2.53125},{0.749,1.3375,2.53125},{1.3375,0.749,2.53125},{1.3375,0,2.53125}, {0,1.4375,2.53125},{0.805,1.4375,2.53125},{1.4375,0.805,2.53125},{1.4375,0,2.53125}, {0,1.5,2.4},{0.84,1.5,2.4},{1.5,0.84,2.4},{1.5,0,2.4}, }, { // Patch 4 {1.5,0,2.4},{1.5,-0.84,2.4},{0.84,-1.5,2.4},{0,-1.5,2.4}, {1.75,0,1.875},{1.75,-0.98,1.875},{0.98,-1.75,1.875},{0,-1.75,1.875}, {2,0,1.35},{2,-1.12,1.35},{1.12,-2,1.35},{0,-2,1.35}, {2,0,0.9},{2,-1.12,0.9},{1.12,-2,0.9},{0,-2,0.9}, }, { // Patch 5 {0,-1.5,2.4},{-0.84,-1.5,2.4},{-1.5,-0.84,2.4},{-1.5,0,2.4}, {0,-1.75,1.875},{-0.98,-1.75,1.875},{-1.75,-0.98,1.875},{-1.75,0,1.875}, {0,-2,1.35},{-1.12,-2,1.35},{-2,-1.12,1.35},{-2,0,1.35}, {0,-2,0.9},{-1.12,-2,0.9},{-2,-1.12,0.9},{-2,0,0.9}, }, { // Patch 6 {-1.5,0,2.4},{-1.5,0.84,2.4},{-0.84,1.5,2.4},{0,1.5,2.4}, {-1.75,0,1.875},{-1.75,0.98,1.875},{-0.98,1.75,1.875},{0,1.75,1.875}, {-2,0,1.35},{-2,1.12,1.35},{-1.12,2,1.35},{0,2,1.35}, {-2,0,0.9},{-2,1.12,0.9},{-1.12,2,0.9},{0,2,0.9}, }, { // Patch 7 {0,1.5,2.4},{0.84,1.5,2.4},{1.5,0.84,2.4},{1.5,0,2.4}, {0,1.75,1.875},{0.98,1.75,1.875},{1.75,0.98,1.875},{1.75,0,1.875}, {0,2,1.35},{1.12,2,1.35},{2,1.12,1.35},{2,0,1.35}, {0,2,0.9},{1.12,2,0.9},{2,1.12,0.9},{2,0,0.9}, }, { // Patch 8 {2,0,0.9},{2,-1.12,0.9},{1.12,-2,0.9},{0,-2,0.9}, {2,0,0.45},{2,-1.12,0.45},{1.12,-2,0.45},{0,-2,0.45}, {1.5,0,0.225},{1.5,-0.84,0.225},{0.84,-1.5,0.225},{0,-1.5,0.225}, {1.5,0,0.15},{1.5,-0.84,0.15},{0.84,-1.5,0.15},{0,-1.5,0.15}, }, { // Patch 9 {0,-2,0.9},{-1.12,-2,0.9},{-2,-1.12,0.9},{-2,0,0.9}, {0,-2,0.45},{-1.12,-2,0.45},{-2,-1.12,0.45},{-2,0,0.45}, {0,-1.5,0.225},{-0.84,-1.5,0.225},{-1.5,-0.84,0.225},{-1.5,0,0.225}, {0,-1.5,0.15},{-0.84,-1.5,0.15},{-1.5,-0.84,0.15},{-1.5,0,0.15}, }, { // Patch 10 {-2,0,0.9},{-2,1.12,0.9},{-1.12,2,0.9},{0,2,0.9}, {-2,0,0.45},{-2,1.12,0.45},{-1.12,2,0.45},{0,2,0.45}, {-1.5,0,0.225},{-1.5,0.84,0.225},{-0.84,1.5,0.225},{0,1.5,0.225}, {-1.5,0,0.15},{-1.5,0.84,0.15},{-0.84,1.5,0.15},{0,1.5,0.15}, }, { // Patch 11 {0,2,0.9},{1.12,2,0.9},{2,1.12,0.9},{2,0,0.9}, {0,2,0.45},{1.12,2,0.45},{2,1.12,0.45},{2,0,0.45}, {0,1.5,0.225},{0.84,1.5,0.225},{1.5,0.84,0.225},{1.5,0,0.225}, {0,1.5,0.15},{0.84,1.5,0.15},{1.5,0.84,0.15},{1.5,0,0.15}, }, { // Patch 12 {-1.6,0,2.025},{-1.6,-0.3,2.025},{-1.5,-0.3,2.25},{-1.5,0,2.25}, {-2.3,0,2.025},{-2.3,-0.3,2.025},{-2.5,-0.3,2.25},{-2.5,0,2.25}, {-2.7,0,2.025},{-2.7,-0.3,2.025},{-3,-0.3,2.25},{-3,0,2.25}, {-2.7,0,1.8},{-2.7,-0.3,1.8},{-3,-0.3,1.8},{-3,0,1.8}, }, { // Patch 13 {-1.5,0,2.25},{-1.5,0.3,2.25},{-1.6,0.3,2.025},{-1.6,0,2.025}, {-2.5,0,2.25},{-2.5,0.3,2.25},{-2.3,0.3,2.025},{-2.3,0,2.025}, {-3,0,2.25},{-3,0.3,2.25},{-2.7,0.3,2.025},{-2.7,0,2.025}, {-3,0,1.8},{-3,0.3,1.8},{-2.7,0.3,1.8},{-2.7,0,1.8}, }, { // Patch 14 {-2.7,0,1.8},{-2.7,-0.3,1.8},{-3,-0.3,1.8},{-3,0,1.8}, {-2.7,0,1.575},{-2.7,-0.3,1.575},{-3,-0.3,1.35},{-3,0,1.35}, {-2.5,0,1.125},{-2.5,-0.3,1.125},{-2.65,-0.3,0.9375},{-2.65,0,0.9375}, {-2,0,0.9},{-2,-0.3,0.9},{-1.9,-0.3,0.6},{-1.9,0,0.6}, }, { // Patch 15 {-3,0,1.8},{-3,0.3,1.8},{-2.7,0.3,1.8},{-2.7,0,1.8}, {-3,0,1.35},{-3,0.3,1.35},{-2.7,0.3,1.575},{-2.7,0,1.575}, {-2.65,0,0.9375},{-2.65,0.3,0.9375},{-2.5,0.3,1.125},{-2.5,0,1.125}, {-1.9,0,0.6},{-1.9,0.3,0.6},{-2,0.3,0.9},{-2,0,0.9}, }, { // Patch 16 {1.7,0,1.425},{1.7,-0.66,1.425},{1.7,-0.66,0.6},{1.7,0,0.6}, {2.6,0,1.425},{2.6,-0.66,1.425},{3.1,-0.66,0.825},{3.1,0,0.825}, {2.3,0,2.1},{2.3,-0.25,2.1},{2.4,-0.25,2.025},{2.4,0,2.025}, {2.7,0,2.4},{2.7,-0.25,2.4},{3.3,-0.25,2.4},{3.3,0,2.4}, }, { // Patch 17 {1.7,0,0.6},{1.7,0.66,0.6},{1.7,0.66,1.425},{1.7,0,1.425}, {3.1,0,0.825},{3.1,0.66,0.825},{2.6,0.66,1.425},{2.6,0,1.425}, {2.4,0,2.025},{2.4,0.25,2.025},{2.3,0.25,2.1},{2.3,0,2.1}, {3.3,0,2.4},{3.3,0.25,2.4},{2.7,0.25,2.4},{2.7,0,2.4}, }, { // Patch 18 {2.7,0,2.4},{2.7,-0.25,2.4},{3.3,-0.25,2.4},{3.3,0,2.4}, {2.8,0,2.475},{2.8,-0.25,2.475},{3.525,-0.25,2.49375},{3.525,0,2.49375}, {2.9,0,2.475},{2.9,-0.15,2.475},{3.45,-0.15,2.5125},{3.45,0,2.5125}, {2.8,0,2.4},{2.8,-0.15,2.4},{3.2,-0.15,2.4},{3.2,0,2.4}, }, { // Patch 19 {3.3,0,2.4},{3.3,0.25,2.4},{2.7,0.25,2.4},{2.7,0,2.4}, {3.525,0,2.49375},{3.525,0.25,2.49375},{2.8,0.25,2.475},{2.8,0,2.475}, {3.45,0,2.5125},{3.45,0.15,2.5125},{2.9,0.15,2.475},{2.9,0,2.475}, {3.2,0,2.4},{3.2,0.15,2.4},{2.8,0.15,2.4},{2.8,0,2.4}, }, { // Patch 20 {0,0,3.15},{0,0,3.15},{0,0,3.15},{0,0,3.15}, {0.8,0,3.15},{0.8,-0.45,3.15},{0.45,-0.8,3.15},{0,-0.8,3.15}, {0,0,2.85},{0,0,2.85},{0,0,2.85},{0,0,2.85}, {0.2,0,2.7},{0.2,-0.112,2.7},{0.112,-0.2,2.7},{0,-0.2,2.7}, }, { // Patch 21 {0,0,3.15},{0,0,3.15},{0,0,3.15},{0,0,3.15}, {0,-0.8,3.15},{-0.45,-0.8,3.15},{-0.8,-0.45,3.15},{-0.8,0,3.15}, {0,0,2.85},{0,0,2.85},{0,0,2.85},{0,0,2.85}, {0,-0.2,2.7},{-0.112,-0.2,2.7},{-0.2,-0.112,2.7},{-0.2,0,2.7}, }, { // Patch 22 {0,0,3.15},{0,0,3.15},{0,0,3.15},{0,0,3.15}, {-0.8,0,3.15},{-0.8,0.45,3.15},{-0.45,0.8,3.15},{0,0.8,3.15}, {0,0,2.85},{0,0,2.85},{0,0,2.85},{0,0,2.85}, {-0.2,0,2.7},{-0.2,0.112,2.7},{-0.112,0.2,2.7},{0,0.2,2.7}, }, { // Patch 23 {0,0,3.15},{0,0,3.15},{0,0,3.15},{0,0,3.15}, {0,0.8,3.15},{0.45,0.8,3.15},{0.8,0.45,3.15},{0.8,0,3.15}, {0,0,2.85},{0,0,2.85},{0,0,2.85},{0,0,2.85}, {0,0.2,2.7},{0.112,0.2,2.7},{0.2,0.112,2.7},{0.2,0,2.7}, }, { // Patch 24 {0.2,0,2.7},{0.2,-0.112,2.7},{0.112,-0.2,2.7},{0,-0.2,2.7}, {0.4,0,2.55},{0.4,-0.224,2.55},{0.224,-0.4,2.55},{0,-0.4,2.55}, {1.3,0,2.55},{1.3,-0.728,2.55},{0.728,-1.3,2.55},{0,-1.3,2.55}, {1.3,0,2.4},{1.3,-0.728,2.4},{0.728,-1.3,2.4},{0,-1.3,2.4}, }, { // Patch 25 {0,-0.2,2.7},{-0.112,-0.2,2.7},{-0.2,-0.112,2.7},{-0.2,0,2.7}, {0,-0.4,2.55},{-0.224,-0.4,2.55},{-0.4,-0.224,2.55},{-0.4,0,2.55}, {0,-1.3,2.55},{-0.728,-1.3,2.55},{-1.3,-0.728,2.55},{-1.3,0,2.55}, {0,-1.3,2.4},{-0.728,-1.3,2.4},{-1.3,-0.728,2.4},{-1.3,0,2.4}, }, { // Patch 26 {-0.2,0,2.7},{-0.2,0.112,2.7},{-0.112,0.2,2.7},{0,0.2,2.7}, {-0.4,0,2.55},{-0.4,0.224,2.55},{-0.224,0.4,2.55},{0,0.4,2.55}, {-1.3,0,2.55},{-1.3,0.728,2.55},{-0.728,1.3,2.55},{0,1.3,2.55}, {-1.3,0,2.4},{-1.3,0.728,2.4},{-0.728,1.3,2.4},{0,1.3,2.4}, }, { // Patch 27 {0,0.2,2.7},{0.112,0.2,2.7},{0.2,0.112,2.7},{0.2,0,2.7}, {0,0.4,2.55},{0.224,0.4,2.55},{0.4,0.224,2.55},{0.4,0,2.55}, {0,1.3,2.55},{0.728,1.3,2.55},{1.3,0.728,2.55},{1.3,0,2.55}, {0,1.3,2.4},{0.728,1.3,2.4},{1.3,0.728,2.4},{1.3,0,2.4}, }, { // Patch 28 {0,0,0},{0,0,0},{0,0,0},{0,0,0}, {1.425,0,0},{1.425,0.798,0},{0.798,1.425,0},{0,1.425,0}, {1.5,0,0.075},{1.5,0.84,0.075},{0.84,1.5,0.075},{0,1.5,0.075}, {1.5,0,0.15},{1.5,0.84,0.15},{0.84,1.5,0.15},{0,1.5,0.15}, }, { // Patch 29 {0,0,0},{0,0,0},{0,0,0},{0,0,0}, {0,1.425,0},{-0.798,1.425,0},{-1.425,0.798,0},{-1.425,0,0}, {0,1.5,0.075},{-0.84,1.5,0.075},{-1.5,0.84,0.075},{-1.5,0,0.075}, {0,1.5,0.15},{-0.84,1.5,0.15},{-1.5,0.84,0.15},{-1.5,0,0.15}, }, { // Patch 30 {0,0,0},{0,0,0},{0,0,0},{0,0,0}, {-1.425,0,0},{-1.425,-0.798,0},{-0.798,-1.425,0},{0,-1.425,0}, {-1.5,0,0.075},{-1.5,-0.84,0.075},{-0.84,-1.5,0.075},{0,-1.5,0.075}, {-1.5,0,0.15},{-1.5,-0.84,0.15},{-0.84,-1.5,0.15},{0,-1.5,0.15}, }, { // Patch 31 {0,0,0},{0,0,0},{0,0,0},{0,0,0}, {0,-1.425,0},{0.798,-1.425,0},{1.425,-0.798,0},{1.425,0,0}, {0,-1.5,0.075},{0.84,-1.5,0.075},{1.5,-0.84,0.075},{1.5,0,0.075}, {0,-1.5,0.15},{0.84,-1.5,0.15},{1.5,-0.84,0.15},{1.5,0,0.15}, }, }; file.begingroup("Teapot"); for(size_t i = 0; i < NUMBER_OF_PATCHES; ++i) { if(1) file.addPatch(controlPoints[i],materials[i%N_COLOURS]); if(0) file.addSurface(3,3,4,4,controlPoints[i],knotsU,knotsV,materials[i%N_COLOURS],NULL); // use (too) general API for the same result as above } file.endgroup(); double t[4][4]; t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=6; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=0; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; PRCoptions teapotopt; teapotopt.no_break = true; teapotopt.do_break = false; teapotopt.compression = 0.0001; // force joining together of patches, damaging transparency file.begingroup("Teapot rendered in the way of opaque surfaces and transferred",&teapotopt,t); for(size_t i = 0; i < NUMBER_OF_PATCHES; ++i) { file.addPatch(controlPoints[i],materials[i%N_COLOURS]); } file.endgroup(); } const size_t NUMBER_OF_POINTS = 31; double points[NUMBER_OF_POINTS][3]; for(size_t i = 0; i < NUMBER_OF_POINTS; ++i) { points[i][0] = 3.5*cos(3.0*i/NUMBER_OF_POINTS*2.0*pi); points[i][1] = 3.5*sin(3.0*i/NUMBER_OF_POINTS*2.0*pi); points[i][2] = 5.0*i/NUMBER_OF_POINTS-1.0; } const size_t NUMBER_OF_WIRES = 2; double shifted_points[NUMBER_OF_WIRES][NUMBER_OF_POINTS][3]; for(size_t wire = 0; wire < NUMBER_OF_WIRES; ++wire) for(size_t point = 0; point < NUMBER_OF_POINTS; ++point) { shifted_points[wire][point][0] = points[point][0]; shifted_points[wire][point][1] = points[point][1]; shifted_points[wire][point][2] = points[point][2]+0.1*wire+0.1; } double knots[3+NUMBER_OF_POINTS+1]; knots[0] = 1; for(size_t i = 1; i < 3+NUMBER_OF_POINTS; ++i) { knots[i] = (i+2)/3; // integer division is intentional } knots[3+NUMBER_OF_POINTS] = (3+NUMBER_OF_POINTS+1)/3; PRCoptions grpopt; grpopt.no_break = true; grpopt.do_break = false; grpopt.tess = true; if(1){ double point1[3] = {11,0,0}; double point2[3] = {12,0,0}; double points[2][3] = {{9,0,0},{10,0,0}}; file.begingroup("points",&grpopt); file.addPoint(point1, RGBAColour(1.0,0.0,0.0)); file.addPoint(point2, RGBAColour(1.0,0.0,0.0)); file.addPoints(2, points, RGBAColour(1.0,0.0,0.0,0.5),10); file.endgroup(); } if(1){ PRCoptions grpopt; grpopt.no_break = true; grpopt.do_break = false; grpopt.tess = true; grpopt.closed = true; double t[4][4]; const size_t nP = 5; double P[nP][3] = {{0,0,0},{1,0,0},{1,1,0},{0,1,0},{0,2,0}}; const size_t nI = 3; uint32_t PI[nI][3] = {{0,1,3},{1,2,3},{3,2,4}}; const size_t nM = 2; PRCmaterial M[nM]; M[0] = PRCmaterial( RGBAColour(0.0,0.0,0.18), RGBAColour(0.0,0.0,0.878431), RGBAColour(0.0,0.0,0.32), RGBAColour(0.0,0.0,0.072), 1.0,0.1); M[1] = PRCmaterial( RGBAColour(0.18,0.0,0.0), RGBAColour(0.878431,0.0,0.0), RGBAColour(0.32,0.0,0.0), RGBAColour(0.072,0.0,0.0), 0.5,0.1); uint32_t MI[nI] = {0,1,0}; const size_t nN = 2; double N[nN][3] = {{0,0,1},{0,0,-1}}; uint32_t NI[nI][3] = {{0,0,0},{0,0,0},{1,1,1}}; const uint32_t nC = 3; RGBAColour C[nC]; uint32_t CI[nI][3] = {{0,0,0},{1,1,1},{1,1,2}}; PRCmaterial materialGreen( RGBAColour(0.0,0.18,0.0), RGBAColour(0.0,0.878431,0.0), RGBAColour(0.0,0.32,0.0), RGBAColour(0.0,0.072,0.0), 1.0,0.1); if(1){ t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=0; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=-1; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; file.begingroup("triangles_onecolor_with_normals",&grpopt,t); file.addTriangles(nP, P, nI, PI, materialGreen, nN, N, NI, 0, NULL, NULL, 0, NULL, NULL, 0, NULL, NULL); file.endgroup(); } if(1){ file.begingroup("triangles_onecolor",&grpopt); file.addTriangles(nP, P, nI, PI, materialGreen, 0, NULL, NULL, 0, NULL, NULL, 0, NULL, NULL, 0, NULL, NULL); file.endgroup(); } if(1){ t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=0; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=1; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; file.begingroup("triangles_manymaterials",&grpopt,t); file.addTriangles(nP, P, nI, PI, materialGreen, 0, NULL, NULL, 0, NULL, NULL, 0, NULL, NULL, nM, M, MI); file.endgroup(); } if(1){ t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=0; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=2; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; PRCmaterial materialBase( RGBAColour(0.1,0.1,0.1,1), RGBAColour(1,1,1,1), RGBAColour(0.1,0.1,0.1,1), RGBAColour(0.1,0.1,0.1,1), 1.0,0.1); C[0] = RGBAColour(1,0,0,0.1); C[1] = RGBAColour(0,1,0,0.5); C[2] = RGBAColour(0,0,1,0.9); file.begingroup("triangles_rgba_vertexcolors_on_opaque_a_component_of_vertexcolor_ignored",&grpopt,t); file.addTriangles(nP, P, nI, PI, materialBase, 0, NULL, NULL, 0, NULL, NULL, nC, C, CI, 0, NULL, NULL); file.endgroup(); t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=0; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=3; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; PRCmaterial materialTransparent( RGBAColour(0.1,0.1,0.1,0.3), RGBAColour(1,1,1,0.3), RGBAColour(0.1,0.1,0.1,0.3), RGBAColour(0.1,0.1,0.1,0.3), 0.3,0.1); C[0] = RGBAColour(1,0,0,0.1); C[1] = RGBAColour(0,1,0,0.5); C[2] = RGBAColour(0,0,1,0.9); file.begingroup("triangles_rgba_vertexcolors_on_transparent_a_component_of_vertexcolor_ignored",&grpopt,t); file.addTriangles(nP, P, nI, PI, materialTransparent, 0, NULL, NULL, 0, NULL, NULL, nC, C, CI, 0, NULL, NULL); file.endgroup(); t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=0; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=4; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; C[0] = RGBAColour(1,0,0,0.5); C[1] = RGBAColour(0,1,0,0.5); C[2] = RGBAColour(0,0,1,0.5); file.begingroup("triangles_rgb_vertexcolors_on_transparent_may_not_work_in_OpenGL",&grpopt,t); file.addTriangles(nP, P, nI, PI, materialTransparent, 0, NULL, NULL, 0, NULL, NULL, nC, C, CI, 0, NULL, NULL); file.endgroup(); } if(1){ t[0][0]=1; t[0][1]=0; t[0][2]=0; t[0][3]=0; t[1][0]=0; t[1][1]=1; t[1][2]=0; t[1][3]=0; t[2][0]=0; t[2][1]=0; t[2][2]=1; t[2][3]=5; t[3][0]=0; t[3][1]=0; t[3][2]=0; t[3][3]=1; const uint32_t picture_width=2; const uint32_t picture_height=2; const uint8_t picRGB[picture_width*picture_height*3] = {255,0,0, 0,255,0, 0,0,255, 0,0,0 }; // {255,255,0, 255,0,0, 255,0,0, 255,0,0 }; // { 255,0,0, 255,255,0, 255,255,0, 255,255,255 }; // {255,0,0, 0,255,0, 0,0,255, 0,0,0 }; const uint8_t picRGBA[picture_width*picture_height*4] = {255,0,0,255, 0,255,0,150, 0,0,255,150, 0,0,0,100 }; // (1,0) 2 3 (1,1) // (0,0) 0 1 (1,0) uint8_t *pictureRGB = new uint8_t[picture_width*picture_height*3]; for(size_t i=0; i * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include #include #include "../oPRCFile.h" using namespace std; void readPoints(istream &is, unsigned int n, double p[][3]) { for(unsigned int i = 0; i < n; ++i) { is >> p[i][0] >> p[i][1] >> p[i][2]; } if(!is) { cerr << "Error reading list of points." << endl; exit(1); } } void readDoubles(istream &is, unsigned int n, double d[]) { for(unsigned int i = 0; i < n; ++i) { is >> d[i]; } if(!is) { cerr << "Error reading list of doubles." << endl; exit(1); } } int main(int argc, char **argv) { const char *oFileName = "output.prc"; int c; opterr = 0; while ((c = getopt (argc, argv, "o:")) != -1) switch (c) { case 'o': oFileName = optarg; break; case '?': if (optopt == 'o') cerr << "Option '-o' requires an argument, the filename." << endl; else cerr << "Unrecognized option '-" << (char)optopt << "'." << endl; exit(1); break; default: exit(1); } istream *ins = NULL; if(optind < argc) { ins = new ifstream(argv[optind]); if(!*ins) { cerr << "Error opening input file " << argv[optind] << endl; exit(1); } } else { ins = &cin; } ofstream outf(oFileName); if(!outf) { cerr << "Error opening output file " << oFileName << endl; exit(1); } oPRCFile oPRC(outf); string entityType; while(*ins) { *ins >> entityType; if(!*ins) break; if(entityType == "Line") { double r,g,b,a; unsigned int numberOfPoints; *ins >> r >> g >> b >> a >> numberOfPoints; if(!*ins) { cerr << "Error reading line data." << endl; exit(1); } else { double (*points)[3] = new double[numberOfPoints][3]; readPoints(*ins,numberOfPoints,points); oPRC.add(new PRCline(&oPRC,numberOfPoints,points, *new RGBAColour(r,g,b,a))); } } else if(entityType == "Curve") { double r,g,b,a; unsigned int numberOfPoints; unsigned int degree; *ins >> r >> g >> b >> a >> degree >> numberOfPoints; if(!*ins) { cerr << "Error reading curve data." << endl; exit(1); } else { double (*points)[3] = new double[numberOfPoints][3]; double *knots = new double[degree+numberOfPoints+1]; readPoints(*ins,numberOfPoints,points); readDoubles(*ins,degree+numberOfPoints+1,knots); oPRC.add(new PRCcurve(&oPRC,degree,numberOfPoints,points, knots,*new RGBAColour(r,g,b,a))); } } else if(entityType == "Surface") { double r,g,b,a; unsigned int numberOfPointsU,numberOfPointsV; unsigned int degreeU,degreeV; *ins >> r >> g >> b >> a >> degreeU >> degreeV >> numberOfPointsU >> numberOfPointsV; if(!*ins) { cerr << "Error reading surface data." << endl; exit(1); } else { double (*points)[3] = new double[numberOfPointsU*numberOfPointsV][3]; double *knotsU = new double[degreeU+numberOfPointsU+1]; double *knotsV = new double[degreeV+numberOfPointsV+1]; readPoints(*ins,numberOfPointsU*numberOfPointsV,points); readDoubles(*ins,degreeU+numberOfPointsU+1,knotsU); readDoubles(*ins,degreeV+numberOfPointsV+1,knotsV); oPRC.add(new PRCsurface(&oPRC,degreeU,degreeV,numberOfPointsU, numberOfPointsV,points,knotsU,knotsV, *new RGBAColour(r,g,b,a))); } } else { cerr << "Unrecognized entity type " << entityType << endl; exit(1); } } if(ins && ins != &cin) delete ins; oPRC.finish(); outf.close(); return 0; } asymptote-2.62/prc/PRCTools/describePRC.h0000644000000000000000000001035713607467113016733 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __DESCRIBE_PRC_H #define __DESCRIBE_PRC_H #include "iPRCFile.h" #include "bitData.h" void describeGlobals(BitByBitData&); void describeTree(BitByBitData&); void describeTessellation(BitByBitData&); void describeGeometry(BitByBitData&); void describeExtraGeometry(BitByBitData&); void describeModelFileData(BitByBitData&,unsigned int); void describePicture(BitByBitData&); void describeTextureDefinition(BitByBitData&); void describeMaterial(BitByBitData&); void describeLinePattern(BitByBitData&); void describeCategory1LineStyle(BitByBitData&); void describeFillPattern(BitByBitData&); void describeRepresentationItem(BitByBitData&); //void describe(BitByBitData&); void describeLight(BitByBitData&); void describeCamera(BitByBitData&); bool describeContentCurve(BitByBitData&); void describeCurvCircle(BitByBitData&); void describeCurvLine(BitByBitData&); void describeCurvNURBS(BitByBitData&); void describeCurvPolyLine(BitByBitData&); void describeContentWireEdge(BitByBitData&); bool isCompressedSerialType(unsigned int); void describeUVParametrization(BitByBitData&); void describeSurfNURBS(BitByBitData&); void describeSurfCylinder(BitByBitData&); void describeSurfPlane(BitByBitData&); void describeTopoFace(BitByBitData&); void describeTopoLoop(BitByBitData&); void describeTopoCoEdge(BitByBitData&); void describeTopoEdge(BitByBitData&); void describeTopoConnex(BitByBitData&); void describeTopoShell(BitByBitData&); void describeObject(BitByBitData&); void describeBaseTopology(BitByBitData&); void describeBaseGeometry(BitByBitData&); unsigned int describeContentBody(BitByBitData&); void describeContentSurface(BitByBitData&); void describeBody(BitByBitData&); void describeTopoContext(BitByBitData&); void describeLineAttr(BitByBitData&); void describeArrayRGBA(BitByBitData&,int,int); void describeContentBaseTessData(BitByBitData&); void describeTessFace(BitByBitData&); void describe3DTess(BitByBitData&); void describe3DWireTess(BitByBitData&); void describe3DMarkupTess(BitByBitData&); void describeHighlyCompressed3DTess(BitByBitData&); void describeSceneDisplayParameters(BitByBitData&); void describeCartesionTransformation3d(BitByBitData&); void describeTransformation3d(BitByBitData&); void describeTransformation2d(BitByBitData&); void describeFileStructureInternalData(BitByBitData&); void describeProductOccurrence(BitByBitData&); void describeRepresentationItemContent(BitByBitData&); void describeMarkups(BitByBitData&); void describeAnnotationView(BitByBitData&); void describeExtent3d(BitByBitData&); void describeExtent2d(BitByBitData&); void describeExtent1d(BitByBitData&); void describeVector3d(BitByBitData&); void describeVector2d(BitByBitData&); void describeContentPRCBaseWithGraphics(BitByBitData&,bool); void describeGraphics(BitByBitData&); void describePartDefinition(BitByBitData&); void describeRGBColour(BitByBitData&); void describeSchema(BitByBitData&); void describeName(BitByBitData&); void describeAttributes(BitByBitData&); void describeContentPRCBase(BitByBitData&,bool); void describeUnit(BitByBitData&); void describeCompressedUniqueID(BitByBitData&); void describeUserData(BitByBitData&); extern std::string currentName; extern int layer_index; extern int index_of_line_style; extern unsigned short behaviour_bit_field; void unFlushSerialization(); void resetCurrentGraphics(); bool checkSectionCode(BitByBitData&,unsigned int); std::string getIndent(); void indent(); void dedent(); #endif // __DESCRIBE_PRC_H asymptote-2.62/prc/PRCTools/describeMain.cc0000644000000000000000000000233513607467113017326 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include "iPRCFile.h" using namespace std; int main(int argc, char* argv[]) { if(argc < 2) { cerr << "Error: Input file not specified." << endl; return 1; } ifstream inFile(argv[1]); if(!inFile) { cerr << "Error: Cannot open input file." << endl; return 1; } iPRCFile myFile(inFile); myFile.describe(); return 0; } asymptote-2.62/prc/PRCTools/bitSearchUI.cc0000644000000000000000000000350713607467113017105 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include "bitData.h" using namespace std; int main(int argc, char *argv[]) { if(argc < 2) { cerr << "Error: Input file not specified." << endl; return 1; } ifstream inFile(argv[1]); if(!inFile) { cerr << "Error: Cannot open input file." << endl; return 1; } inFile.seekg(0,ios::end); unsigned int length = inFile.tellg(); inFile.seekg(0,ios::beg); char *buf = new char[length]; inFile.read(buf,length); BitByBitData bbbd(buf,length); unsigned int uisf; cout << "Unsigned int to search for: "; cin >> uisf; BitPosition currP; for(currP.byteIndex = 0; currP.byteIndex < length; ++currP.byteIndex) for(currP.bitIndex = 0; currP.bitIndex < 8; ++currP.bitIndex) { bbbd.setPosition(currP); if(bbbd.readUnsignedInt() == uisf) { cout << "Found " << uisf << " at " << currP.byteIndex << ':' << currP.bitIndex << endl; } } delete[] buf; return 0; } asymptote-2.62/prc/PRCTools/iPRCFile.cc0000644000000000000000000002113013607467113016330 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include "bitData.h" #include "iPRCFile.h" #include "describePRC.h" using std::vector; using std::istream; using std::ios; using std::cout; using std::endl; using std::cerr; using std::string; using std::ofstream; using std::ostringstream; void iPRCFile::dumpSections(string prefix) { ofstream out; for(unsigned int i = 0; i < fileStructures.size(); ++i) { ostringstream name; name << prefix << "Structure" << i; out.open((name.str()+"-Globals.bin").c_str()); out.write(fileStructures[i].sections[GLOBALS_SECTION],fileStructures[i].sectionLengths[GLOBALS_SECTION]); out.close(); out.open((name.str()+"-Tree.bin").c_str()); out.write(fileStructures[i].sections[TREE_SECTION],fileStructures[i].sectionLengths[TREE_SECTION]); out.close(); out.open((name.str()+"-Tessellation.bin").c_str()); out.write(fileStructures[i].sections[TESSELLATION_SECTION],fileStructures[i].sectionLengths[TESSELLATION_SECTION]); out.close(); out.open((name.str()+"-Geometry.bin").c_str()); out.write(fileStructures[i].sections[GEOMETRY_SECTION],fileStructures[i].sectionLengths[GEOMETRY_SECTION]); out.close(); out.open((name.str()+"-ExtraGeometry.bin").c_str()); out.write(fileStructures[i].sections[EXTRA_GEOMETRY_SECTION],fileStructures[i].sectionLengths[EXTRA_GEOMETRY_SECTION]); out.close(); } out.open((prefix+"-ModelFile.bin").c_str()); out.write(modelFileData,modelFileLength); out.close(); } void iPRCFile::describe() { /* for(int i = 0; i < modelFileLength; ++i) { cout << ' ' << std::hex << std::setw(2) << std::setfill('0') << static_cast(static_cast(mfd.readChar())); if(i%16 == 15) cout << endl; } cout << endl; */ unFlushSerialization(); for(unsigned int i = 0; i < fileStructures.size(); ++i) { cout << "File Structure " << i << ":" << endl; //describe header char *header = buffer + fileStructureInfos[i].offsets[0]; cout << "--Header Section--" << endl; cout << " Signature " << header[0] << header[1] << header[2] << endl; cout << " Minimal version for read " << *(unsigned int*)(header+3) << endl; cout << " Authoring version " << *(unsigned int*)(header+7) << endl; cout << std::hex; cout << " File structure UUID " << *(unsigned int*)(header+11) << ' ' << *(unsigned int*)(header+15) << ' ' << *(unsigned int*)(header+19) << ' ' << *(unsigned int*)(header+23) << endl; cout << " Application UUID " << *(unsigned int*)(header+27) << ' ' << *(unsigned int*)(header+31) << ' ' << *(unsigned int*)(header+35) << ' ' << *(unsigned int*)(header+39) << endl; cout << std::dec; // uncompressed files unsigned int numberOfUncompressedFiles = *(unsigned int*)(header+43); cout << "Number of uncompressed files " << numberOfUncompressedFiles << endl; char *position = header+47; for(unsigned int j = 0; j < numberOfUncompressedFiles; ++j) { cout << "Uncompressed file " << j << ":" << endl; unsigned int size = *(unsigned int*)position; cout << " size " << size << " bytes" << endl; position += size+sizeof(unsigned int); } BitByBitData fileStruct(fileStructures[i].sections[GLOBALS_SECTION],fileStructures[i].sectionLengths[GLOBALS_SECTION]); describeSchema(fileStruct); describeGlobals(fileStruct); unFlushSerialization(); fileStruct = BitByBitData(fileStructures[i].sections[TREE_SECTION],fileStructures[i].sectionLengths[TREE_SECTION]); describeTree(fileStruct); unFlushSerialization(); fileStruct = BitByBitData(fileStructures[i].sections[TESSELLATION_SECTION],fileStructures[i].sectionLengths[TESSELLATION_SECTION]); describeTessellation(fileStruct); unFlushSerialization(); fileStruct = BitByBitData(fileStructures[i].sections[GEOMETRY_SECTION],fileStructures[i].sectionLengths[GEOMETRY_SECTION]); describeGeometry(fileStruct); unFlushSerialization(); fileStruct = BitByBitData(fileStructures[i].sections[EXTRA_GEOMETRY_SECTION],fileStructures[i].sectionLengths[EXTRA_GEOMETRY_SECTION]); describeExtraGeometry(fileStruct); unFlushSerialization(); } BitByBitData mfd(modelFileData,modelFileLength); describeSchema(mfd); describeModelFileData(mfd,fileStructures.size()); unFlushSerialization(); } iPRCFile::iPRCFile(istream& in) { char PRC[3]; in.read(PRC,3); if(PRC[0] != 'P' || PRC[1] != 'R' || PRC[2] != 'C') { cerr << "Error: Invalid file format: PRC not found." << endl; } unsigned int versionForRead,authoringVersion; in.read((char*)&versionForRead,sizeof(versionForRead)); in.read((char*)&authoringVersion,sizeof(authoringVersion)); cout << "Version for reading " << versionForRead << endl; cout << "Authoring version " << authoringVersion << endl; unsigned int fileStructureUUID[4]; in.read((char*)fileStructureUUID,sizeof(fileStructureUUID)); //(void*) is for formatting cout << "File structure UUID " << (void*)(fileStructureUUID[0]) << ' ' << (void*)(fileStructureUUID[1]) << ' ' << (void*)(fileStructureUUID[2]) << ' ' << (void*)(fileStructureUUID[3]) << endl; unsigned int applicationUUID[4]; in.read((char*)applicationUUID,sizeof(applicationUUID)); cout << "Application UUID " << (void*)(applicationUUID[0]) << ' ' << (void*)(applicationUUID[1]) << ' ' << (void*)(applicationUUID[2]) << ' ' << (void*)(applicationUUID[3]) << endl; unsigned int numberOfFileStructures; in.read((char*)&numberOfFileStructures,sizeof(numberOfFileStructures)); cout << "number of file structures " << numberOfFileStructures << endl; // load fileStructureInformation for(unsigned int fsi = 0; fsi < numberOfFileStructures; ++fsi) { FileStructureInformation info; in.read((char*)&info.UUID,sizeof(info.UUID)); cout << "\tFile structure UUID " << (void*)(info.UUID[0]) << ' ' << (void*)(info.UUID[1]) << ' ' << (void*)(info.UUID[2]) << ' ' << (void*)(info.UUID[3]) << endl; in.read((char*)&info.reserved,sizeof(info.reserved)); cout << "\tReserved " << info.reserved << endl; unsigned int numberOfOffsets; in.read((char*)&numberOfOffsets,sizeof(numberOfOffsets)); cout << "\tNumber of Offsets " << numberOfOffsets << endl; for(unsigned int oi = 0; oi < numberOfOffsets; ++oi) { unsigned int offset; in.read((char*)&offset,sizeof(offset)); info.offsets.push_back(offset); cout << "\t\tOffset " << offset << endl; } fileStructureInfos.push_back(info); } in.read((char*)&modelFileOffset,sizeof(modelFileOffset)); cout << "Model file offset " << modelFileOffset << endl; in.read((char*)&fileSize,sizeof(fileSize)); // this is not documented cout << "File size " << fileSize << endl; in.read((char*)&numberOfUncompressedFiles,sizeof(numberOfUncompressedFiles)); cout << "Number of uncompressed files " << numberOfUncompressedFiles << endl; for(unsigned int ufi = 0; ufi < numberOfUncompressedFiles; ++ufi) { unsigned int size; in.read((char*)&size,sizeof(size)); in.seekg(size,ios::cur); } //read the whole file into memory in.seekg(0,ios::beg); buffer = new char[fileSize]; if(!buffer) cerr << "Couldn't get memory." << endl; in.read(buffer,fileSize); //decompress fileStructures for(unsigned int fs = 0; fs < fileStructureInfos.size(); ++fs) { fileStructures.push_back(FileStructure()); for(unsigned int i = 1; i < fileStructureInfos[fs].offsets.size(); ++i) // start at 1 since header is decompressed { fileStructures[fs].sections[i-1] = NULL; unsigned int offset = fileStructureInfos[fs].offsets[i]; fileStructures[fs].sectionLengths[i-1] = decompress(buffer+offset,fileSize-offset,fileStructures[fs].sections[i-1]); } } //decompress modelFileData modelFileData = NULL; modelFileLength = decompress(buffer+modelFileOffset,fileSize-modelFileOffset,modelFileData); } asymptote-2.62/prc/PRCTools/bitData.cc0000644000000000000000000001360513607467113016313 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include "../PRC.h" #include "../PRCdouble.h" #include "bitData.h" using std::cout; using std::endl; using std::hex; using std::cerr; BitPosition BitByBitData::getPosition() { BitPosition bp; bp.byteIndex = data - start; bp.bitIndex = 0; for(unsigned char temp = bitMask<<1; temp != 0; temp <<= 1) bp.bitIndex++; return bp; } void BitByBitData::setPosition(const BitPosition& bp) { if(bp.byteIndex < length) { data = start + bp.byteIndex; bitMask = 0x80 >> bp.bitIndex; // big-endian, zero based bit index (from 0 to 7) // so 0x80 => bit 0, 0x01 => bit 7 // Why? It is easy to see in a hex editor. failed = false; } else { failed = true; } } void BitByBitData::setPosition(unsigned int byte, unsigned int bit) { if(byte <= length) { data = start + byte; bitMask = 0x80 >> bit; // big-endian, zero based bit index (from 0 to 7) // so 0x80 => bit 0, 0x01 => bit 7 // Why? It is easy to see in a hex editor. failed = false; } else { failed = true; } } void BitByBitData::setShowBits(bool val) { showBits = val; } void BitByBitData::tellPosition() { BitPosition bp = getPosition(); cout << bp.byteIndex << ':' << bp.bitIndex << endl; } bool BitByBitData::readBit() { if(!failed) { bool val = *data & bitMask; if(showBits) cout << (val?'1':'0'); nextBit(); return val; } else return false; } unsigned char BitByBitData::readChar() { unsigned char dat = 0; dat |= readBit(); for(int a = 0; a < 7; ++a) { dat <<= 1; dat |= readBit(); } return dat; } unsigned int BitByBitData::readUnsignedInt() { unsigned int result = 0; unsigned int count = 0; while(readBit()) { result |= (static_cast(readChar()) << 8*count++); } if(showBits) cout << " " << result << endl; return result; } std::string BitByBitData::readString() { bool isNotNull = readBit(); std::string result; if(isNotNull) { unsigned int stringLength = readUnsignedInt(); char *buf = new char[stringLength+1]; buf[stringLength] = '\0'; for(unsigned int a = 0; a < stringLength; ++a) { buf[a] = readChar(); } result = buf; delete[] buf; } if(showBits) cout << " " << result << endl; return result; } int BitByBitData::readInt() { int result = 0; unsigned int count = 0; while(readBit()) { result |= (static_cast(readChar()) << 8*count++); } result <<= (4-count)*8; result >>= (4-count)*8; if(showBits) cout << " " << result << endl; return result; } // Thanks to Michail Vidiassov double BitByBitData::readDouble() { ieee754_double value; value.d = 0; sCodageOfFrequentDoubleOrExponent *pcofdoe; unsigned int ucofdoe = 0; for(int i = 1; i <= 22; ++i) { ucofdoe <<= 1; ucofdoe |= readBit(); if((pcofdoe = getcofdoe(ucofdoe,i)) != NULL) break; } value.d = pcofdoe->u2uod.Value; // check if zero if(pcofdoe->NumberOfBits==2 && pcofdoe->Bits==1 && pcofdoe->Type==VT_double) return value.d; value.ieee.negative = readBit(); // get sign if(pcofdoe->Type == VT_double) // double from list return value.d; if(readBit()==0) // no mantissa return value.d; // read the mantissa // read uppermost 4 bits of mantissa unsigned char b4 = 0; for(int i = 0; i < 4; ++i) { b4 <<= 1; b4 |= readBit(); } #ifdef WORDS_BIGENDIAN *(reinterpret_cast(&value)+1) |= b4; unsigned char *lastByte = reinterpret_cast(&value)+7; unsigned char *currentByte = reinterpret_cast(&value)+2; #else *(reinterpret_cast(&value)+6) |= b4; unsigned char *lastByte = reinterpret_cast(&value)+0; unsigned char *currentByte = reinterpret_cast(&value)+5; #endif for(;MOREBYTE(currentByte,lastByte); NEXTBYTE(currentByte)) { if(readBit()) { // new byte *currentByte = readChar(); } else { // get 3 bit offset unsigned int offset = 0; offset |= (readBit() << 2); offset |= (readBit() << 1); offset |= readBit(); if(offset == 0) { // fill remaining bytes in mantissa with previous byte unsigned char pByte = BYTEAT(currentByte,1); for(;MOREBYTE(currentByte,lastByte); NEXTBYTE(currentByte)) *currentByte = pByte; break; } else if(offset == 6) { // fill remaining bytes except last byte with previous byte unsigned char pByte = BYTEAT(currentByte,1); PREVIOUSBYTE(lastByte); for(;MOREBYTE(currentByte,lastByte); NEXTBYTE(currentByte)) *currentByte = pByte; *currentByte = readChar(); break; } else { // one repeated byte *currentByte = BYTEAT(currentByte,offset); } } } if(showBits) cout << " " << value.d << endl; return value.d; } void BitByBitData::nextBit() { bitMask >>= 1; if(bitMask == 0) { if(data < start+length) data++; else { failed = true; cout << "End of data."<< endl; } bitMask = 0x80; } } asymptote-2.62/prc/PRCTools/bitSearchDouble.cc0000644000000000000000000000360713607467113020003 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include "bitData.h" using namespace std; int main(int argc, char *argv[]) { if(argc < 2) { cerr << "Error: Input file not specified." << endl; return 1; } ifstream inFile(argv[1]); if(!inFile) { cerr << "Error: Cannot open input file." << endl; return 1; } inFile.seekg(0,ios::end); unsigned int length = inFile.tellg(); inFile.seekg(0,ios::beg); char *buf = new char[length]; inFile.read(buf,length); BitByBitData bbbd(buf,length); double dsf; cout << "double to search for: "; cin >> dsf; BitPosition currP; for(currP.byteIndex = 0; currP.byteIndex < length; ++currP.byteIndex) for(currP.bitIndex = 0; currP.bitIndex < 8; ++currP.bitIndex) { bbbd.setPosition(currP); if(bbbd.readDouble() == dsf) { BitPosition bp = bbbd.getPosition(); cout << "Found " << dsf << " at " << currP.byteIndex << ':' << currP.bitIndex << " to " << bp.byteIndex << ':' << bp.bitIndex << endl; } } delete[] buf; return 0; } asymptote-2.62/prc/PRCTools/Makefile0000644000000000000000000000317213607467113016072 0ustar rootrootCFLAGS = -O3 -Wall CXX = g++ makePRC: PRCbitStream oPRCFile PRCdouble writePRC makePRC.cc $(CXX) $(CFLAGS) -o makePRC PRCbitStream.o oPRCFile.o PRCdouble.o writePRC.o makePRC.cc -lz describePRC: bitData inflation PRCdouble iPRCFile describePRC.cc describeMain.cc $(CXX) $(CFLAGS) -o describePRC bitData.o inflation.o PRCdouble.o iPRCFile.o describePRC.cc describeMain.cc -lz bitSearchUI: bitSearchUI.cc bitData PRCdouble $(CXX) $(CFLAGS) -o bitSearchUI bitData.o PRCdouble.o bitSearchUI.cc bitSearchDouble: bitSearchDouble.cc bitData PRCdouble $(CXX) $(CFLAGS) -o bitSearchDouble bitData.o PRCdouble.o bitSearchDouble.cc extractSections: extractSections.cc iPRCFile inflation bitData PRCdouble $(CXX) $(CFLAGS) -o extractSections iPRCFile.o inflation.o bitData.o PRCdouble.o describePRC.cc extractSections.cc -lz inflateTest: inflation inflationMain.cc $(CXX) $(CFLAGS) -o inflateTest inflation.o inflationMain.cc -lz PRCdouble: ../PRCdouble.cc $(CXX) $(CFLAGS) -c ../PRCdouble.cc -o PRCdouble.o PRCbitStream: ../PRCbitStream.cc $(CXX) $(CFLAGS) -c ../PRCbitStream.cc -o PRCbitStream.o oPRCFile: ../oPRCFile.cc $(CXX) $(CFLAGS) -c ../oPRCFile.cc -o oPRCFile.o writePRC: ../writePRC.cc PRCbitStream $(CXX) $(CFLAGS) -c ../writePRC.cc -o writePRC.o bitData: bitData.cc $(CXX) $(CFLAGS) -c bitData.cc -o bitData.o inflation: inflation.cc $(CXX) $(CFLAGS) -c inflation.cc -o inflation.o iPRCFile: iPRCFile.cc $(CXX) $(CFLAGS) -c iPRCFile.cc -o iPRCFile.o all: makePRC describePRC bitSearchUI bitSearchDouble extractSections inflateTest tools: all clean: rm -f *.o describePRC bitSearchUI bitSearchDouble extractSections inflateTest asymptote-2.62/prc/PRCTools/inflationMain.cc0000644000000000000000000000270713607467113017534 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include #include "inflation.h" using namespace std; int main(int argc, char *argv[]) { if(argc < 2) { cerr << "No file specified." << endl; return 1; } ifstream data(argv[1]); char *buff = NULL; int dataSize = decompress(data,buff); cout << hex; for(int i = 0; i < dataSize; ++i) { cout << ' ' << setw(2) << setfill('0') << static_cast(static_cast(buff[i])); if(i%16 == 15) cout << endl; } cout << endl << dec << dataSize << " bytes" << endl; free(buff); return 0; } asymptote-2.62/prc/PRCTools/inflation.h0000644000000000000000000000203313607467113016561 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __INFLATION_H #define __INFLATION_H #include #include #include int decompress(std::istream&,char*&); int decompress(char*,int,char*&); #endif // __INFLATION_H asymptote-2.62/prc/PRCTools/describePRC.cc0000644000000000000000000020503613607467113017071 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include #include #include "../PRC.h" #include "describePRC.h" using std::ostringstream; using std::cout; using std::endl; using std::hex; using std::dec; using std::string; using std::setw; using std::setfill; // describe sections void describeGlobals(BitByBitData &mData) { mData.tellPosition(); cout << getIndent() << "--Globals--" << endl; if(!checkSectionCode(mData,PRC_TYPE_ASM_FileStructureGlobals)) return; indent(); describeContentPRCBase(mData,false); unsigned int numberOfReferencedFileStructures = mData.readUnsignedInt(); cout << getIndent() << "numberOfReferencedFileStructures " << numberOfReferencedFileStructures << endl; indent(); for(unsigned int i = 0; i < numberOfReferencedFileStructures; ++i) { describeCompressedUniqueID(mData); } dedent(); double tessellation_chord_height_ratio = mData.readDouble(); cout << getIndent() << "tessellation_chord_height_ratio " << tessellation_chord_height_ratio << endl; double tessellation_angle_degree = mData.readDouble(); cout << getIndent() << "tessellation_angle_degree " << tessellation_angle_degree << endl; string default_font_family_name = mData.readString(); cout << getIndent() << "default_font_family_name \"" << default_font_family_name << '\"' << endl; unsigned int number_of_fonts = mData.readUnsignedInt(); cout << getIndent() << "number_of_fonts " << number_of_fonts << endl; indent(); for(unsigned int q = 0; q < number_of_fonts; ++q) { string font_name = mData.readString(); cout << getIndent() << "font_name \"" << font_name << '\"' << endl; unsigned int char_set = mData.readUnsignedInt(); cout << getIndent() << "char_set " << char_set << endl; unsigned int number_of_font_keys = mData.readUnsignedInt(); cout << getIndent() << "number_of_font_keys " << number_of_font_keys << endl; indent(); for(unsigned int i = 0; i < number_of_font_keys; i++) { unsigned int font_size = mData.readUnsignedInt() - 1; cout << getIndent() << "font_size " << font_size << endl; unsigned char attributes = mData.readChar(); cout << getIndent() << "attributes " << static_cast(attributes) << endl; } dedent(); } dedent(); unsigned int number_of_colours = mData.readUnsignedInt(); cout << getIndent() << "number_of_colours " << number_of_colours << endl; indent(); for(unsigned int i = 0; i < number_of_colours; ++i) describeRGBColour(mData); dedent(); unsigned int number_of_pictures = mData.readUnsignedInt(); cout << getIndent() << "number_of_pictures " << number_of_pictures << endl; indent(); for(unsigned int i=0;i(mData.readChar()) << endl; unsigned int number_of_coedge = mData.readUnsignedInt(); cout << getIndent() << "number_of_coedge " << number_of_coedge << endl; indent(); for(unsigned int i = 0; i < number_of_coedge; ++i) { describeObject(mData); cout << getIndent() << "neigh_serial_index " << mData.readUnsignedInt() << endl; } dedent(); dedent(); } void describeTopoCoEdge(BitByBitData &mData) { cout << getIndent() << "--CoEdge--" << endl; indent(); describeBaseTopology(mData); describeObject(mData); // edge describeObject(mData); // uv_curve cout << getIndent() << "orientation_with_loop " << static_cast(mData.readChar()) << endl; cout << getIndent() << "orientation_uv_with_loop " << static_cast(mData.readChar()) << endl; dedent(); } void describeTopoEdge(BitByBitData &mData) { cout << getIndent() << "--Edge--" << endl; indent(); describeContentWireEdge(mData); describeObject(mData); // vertex_start describeObject(mData); // vertex_end bool have_tolerance = mData.readBit(); cout << getIndent() << "have_tolerance " << (have_tolerance?"yes":"no") << endl; if(have_tolerance) cout << getIndent() << "tolerance " << mData.readDouble() << endl; dedent(); } void describeTopoUniqueVertex(BitByBitData &mData) { cout << getIndent() << "--Unique Vertex--" << endl; indent(); describeBaseTopology(mData); describeVector3d(mData); bool have_tolerance = mData.readBit(); cout << getIndent() << "have_tolerance " << (have_tolerance?"yes":"no") << endl; if(have_tolerance) cout << getIndent() << "tolerance " << mData.readDouble() << endl; dedent(); } void describeTopoConnex(BitByBitData &mData) { cout << getIndent() << "--Connex--" << endl; indent(); describeBaseTopology(mData); unsigned int number_of_shells = mData.readUnsignedInt(); cout << getIndent() << "number_of_shells " << number_of_shells << endl; indent(); for(unsigned int i = 0; i < number_of_shells; ++i) { // NOTE: this does not check if the objects are actually shells! describeObject(mData); } dedent(); dedent(); } void describeTopoShell(BitByBitData &mData) { cout << getIndent() << "--Shell--" << endl; indent(); describeBaseTopology(mData); cout << getIndent() << "shell_is_closed " << (mData.readBit()?"yes":"no") << endl; unsigned int number_of_faces = mData.readUnsignedInt(); cout << getIndent() << "number_of_faces " << number_of_faces << endl; for(unsigned int i = 0; i < number_of_faces; ++i) { // NOTE: this does not check if the objects are actually faces! describeObject(mData); unsigned char orientation = mData.readChar(); cout << getIndent() << "orientation_surface_with_shell " << static_cast(orientation) << endl; } dedent(); } void describeObject(BitByBitData &mData) { cout << getIndent() << "--Object--" << endl; bool already_stored = mData.readBit(); cout << getIndent() << "already_stored " << (already_stored?"yes":"no") << endl; if(already_stored) // reverse of documentation? { cout << getIndent() << "index of stored item " << mData.readUnsignedInt() << endl; } else { unsigned int type = mData.readUnsignedInt(); switch(type) { case PRC_TYPE_ROOT: cout << getIndent() << "NULL Object" << endl; break; // topological items case PRC_TYPE_TOPO_Connex: describeTopoConnex(mData); break; case PRC_TYPE_TOPO_Shell: describeTopoShell(mData); break; case PRC_TYPE_TOPO_Face: describeTopoFace(mData); break; case PRC_TYPE_TOPO_Loop: describeTopoLoop(mData); break; case PRC_TYPE_TOPO_CoEdge: describeTopoCoEdge(mData); break; case PRC_TYPE_TOPO_Edge: describeTopoEdge(mData); break; case PRC_TYPE_TOPO_UniqueVertex: describeTopoUniqueVertex(mData); break; case PRC_TYPE_TOPO_WireEdge: describeContentWireEdge(mData); break; // curves case PRC_TYPE_CRV_Circle: describeCurvCircle(mData); break; case PRC_TYPE_CRV_NURBS: describeCurvNURBS(mData); break; case PRC_TYPE_CRV_PolyLine: describeCurvPolyLine(mData); break; case PRC_TYPE_CRV_Line: describeCurvLine(mData); break; // surfaces case PRC_TYPE_SURF_NURBS: describeSurfNURBS(mData); break; case PRC_TYPE_SURF_Cylinder: describeSurfCylinder(mData); break; case PRC_TYPE_SURF_Plane: describeSurfPlane(mData); break; // topological items case PRC_TYPE_TOPO_Item: case PRC_TYPE_TOPO_MultipleVertex: // curves case PRC_TYPE_CRV_Base: case PRC_TYPE_CRV_Blend02Boundary: case PRC_TYPE_CRV_Composite: case PRC_TYPE_CRV_OnSurf: case PRC_TYPE_CRV_Ellipse: case PRC_TYPE_CRV_Equation: case PRC_TYPE_CRV_Helix: case PRC_TYPE_CRV_Hyperbola: case PRC_TYPE_CRV_Intersection: case PRC_TYPE_CRV_Offset: case PRC_TYPE_CRV_Parabola: case PRC_TYPE_CRV_Transform: // surfaces case PRC_TYPE_SURF_Base: case PRC_TYPE_SURF_Blend01: case PRC_TYPE_SURF_Blend02: case PRC_TYPE_SURF_Blend03: case PRC_TYPE_SURF_Cone: case PRC_TYPE_SURF_Cylindrical: case PRC_TYPE_SURF_Offset: case PRC_TYPE_SURF_Pipe: case PRC_TYPE_SURF_Ruled: case PRC_TYPE_SURF_Sphere: case PRC_TYPE_SURF_Revolution: case PRC_TYPE_SURF_Extrusion: case PRC_TYPE_SURF_FromCurves: case PRC_TYPE_SURF_Torus: case PRC_TYPE_SURF_Transform: case PRC_TYPE_SURF_Blend04: cout << getIndent() << "TODO: Unhandled object of type " << type << endl; break; default: cout << getIndent() << "Invalid object of type " << type << endl; break; } } } void describeBaseTopology(BitByBitData &mData) { bool base_information = mData.readBit(); cout << getIndent() << "base_information " << (base_information?"yes":"no") << endl; if(base_information) { describeAttributes(mData); describeName(mData); cout << getIndent() << "identifier " << mData.readUnsignedInt() << endl; } } void describeBaseGeometry(BitByBitData &mData) { bool base_information = mData.readBit(); cout << getIndent() << "base_information " << (base_information?"yes":"no") << endl; if(base_information) { describeAttributes(mData); describeName(mData); cout << getIndent() << "identifier " << mData.readUnsignedInt() << endl; } } unsigned int describeContentBody(BitByBitData &mData) { describeBaseTopology(mData); unsigned int behaviour = static_cast(mData.readChar()); cout << getIndent() << "behaviour " << behaviour << endl; return behaviour; } void describeContentSurface(BitByBitData &mData) { describeBaseGeometry(mData); cout << getIndent() << "extend_info " << mData.readUnsignedInt() << endl; } void describeBody(BitByBitData &mData) { cout << getIndent() << "--Body--" << endl; unsigned int type = mData.readUnsignedInt(); switch(type) { case PRC_TYPE_TOPO_BrepData: { cout << getIndent() << "--PRC_TYPE_TOPO_BrepData--" << endl; unsigned int behaviour = describeContentBody(mData); unsigned int number_of_connex = mData.readUnsignedInt(); cout << getIndent() << "number_of_connex " << number_of_connex << endl; indent(); for(unsigned int i = 0; i < number_of_connex; ++i) { describeObject(mData); } dedent(); if(behaviour != 0) { cout << getIndent() << "bbox " << endl; indent(); describeExtent3d(mData); dedent(); } break; } case PRC_TYPE_TOPO_SingleWireBody: { cout << getIndent() << "--PRC_TYPE_TOPO_SingleWireBody--" << endl; // unsigned int behaviour = describeContentBody(mData); // TODO: is behaviour needed to get data about how to describe? describeContentBody(mData); describeObject(mData); // curve break; } case PRC_TYPE_TOPO_BrepDataCompress: case PRC_TYPE_TOPO_SingleWireBodyCompress: cout << getIndent() << "TODO: Unhandled body type " << type << endl; break; default: cout << getIndent() << "Invalid body type " << type << endl; break; } } void describeTopoContext(BitByBitData &mData) { cout << getIndent() << "--Topological Context--" << endl; if(!checkSectionCode(mData,PRC_TYPE_TOPO_Context)) return; indent(); describeContentPRCBase(mData,false); cout << getIndent() << "behaviour " << static_cast(mData.readChar()) << endl; cout << getIndent() << "granularity " << mData.readDouble() << endl; cout << getIndent() << "tolerance " << mData.readDouble() << endl; bool have_smallest_face_thickness = mData.readBit(); cout << getIndent() << "have_smallest_face_thickness " << (have_smallest_face_thickness?"yes":"no") << endl; if(have_smallest_face_thickness) cout << getIndent() << "smallest_thickness " << mData.readDouble() << endl; bool have_scale = mData.readBit(); cout << getIndent() << "have_scale " << (have_scale?"yes":"no") << endl; if(have_scale) cout << getIndent() << "scale " << mData.readDouble() << endl; dedent(); } void describeLineAttr(BitByBitData& mData) { cout << getIndent() << "index_of_line_style " << mData.readUnsignedInt()-1 << endl; } void describeArrayRGBA(BitByBitData& mData, int number_of_colours, int number_by_vector) { // bool new_colour = true; // not currently used for(int i = 0; i < number_by_vector; ++i) { cout << getIndent() << static_cast(mData.readChar()) << ' '; cout << static_cast(mData.readChar()) << ' '; cout << static_cast(mData.readChar()) << endl; //TODO: finish this } } void describeContentBaseTessData(BitByBitData &mData) { cout << getIndent() << "is_calculated " << (mData.readBit()?"yes":"no") << endl; unsigned int number_of_coordinates = mData.readUnsignedInt(); cout << getIndent() << "number_of_coordinates " << number_of_coordinates << endl; indent(); for(unsigned int i = 0; i < number_of_coordinates; ++i) { cout << getIndent() << mData.readDouble() << endl; } dedent(); } void describeTessFace(BitByBitData &mData) { cout << getIndent() << "--Tessellation Face--" << endl; if(!checkSectionCode(mData,PRC_TYPE_TESS_Face)) return; indent(); unsigned int size_of_line_attributes = mData.readUnsignedInt(); cout << getIndent() << "size_of_line_attributes " << size_of_line_attributes << endl; indent(); for(unsigned int i = 0; i < size_of_line_attributes; ++i) { describeLineAttr(mData); } dedent(); unsigned int start_wire = mData.readUnsignedInt(); cout << getIndent() << "start_wire " << start_wire << endl; unsigned int size_of_sizes_wire = mData.readUnsignedInt(); cout << getIndent() << "size_of_sizes_wire " << size_of_sizes_wire << endl; indent(); for(unsigned int i = 0; i < size_of_sizes_wire; ++i) { cout << getIndent() << mData.readUnsignedInt() << endl; } dedent(); unsigned int used_entities_flag = mData.readUnsignedInt(); cout << getIndent() << "used_entities_flag " << used_entities_flag << endl; unsigned int start_triangulated = mData.readUnsignedInt(); cout << getIndent() << "start_triangulated " << start_triangulated << endl; unsigned int size_of_sizes_triangulated = mData.readUnsignedInt(); cout << getIndent() << "size_of_sizes_triangulated " << size_of_sizes_triangulated << endl; indent(); for(unsigned int i = 0; i < size_of_sizes_triangulated; ++i) { cout << getIndent() << mData.readUnsignedInt() << endl; } dedent(); cout << getIndent() << "number_of_texture_coordinate_indexes " << mData.readUnsignedInt() << endl; bool has_vertex_colors = mData.readBit(); cout << getIndent() << "has_vertex_colors " << (has_vertex_colors?"yes":"no") << endl; indent(); if(has_vertex_colors) { bool is_rgba = mData.readBit(); cout << getIndent() << "is_rgba " << (is_rgba?"yes":"no") << endl; bool b_optimised = mData.readBit(); cout << getIndent() << "b_optimised " << (b_optimised?"yes":"no") << endl; if(!b_optimised) { indent(); //TODO: compute size of Array and pass it instead of 0 describeArrayRGBA(mData,0,(is_rgba ? 4 : 3)); dedent(); } else { // not described // what does this mean? that this should not happen? // or is omitted from the docs? } } dedent(); if(size_of_line_attributes) { cout << getIndent() << "behaviour " << mData.readUnsignedInt() << endl; } dedent(); } void describe3DTess(BitByBitData &mData) { cout << getIndent() << "--3D Tessellation--" << endl; indent(); describeContentBaseTessData(mData); cout << getIndent() << "has_faces " << (mData.readBit()?"yes":"no") << endl; cout << getIndent() << "has_loops " << (mData.readBit()?"yes":"no") << endl; bool must_recalculate_normals = mData.readBit(); cout << getIndent() << "must_recalculate_normals " << (must_recalculate_normals?"yes":"no") << endl; indent(); if(must_recalculate_normals) { cout << getIndent() << "Docs were wrong: must_recalculate_normals is true." << endl; cout << getIndent() << "normals_recalculation_flags " << static_cast(mData.readChar()) << endl; cout << getIndent() << "crease_angle " << mData.readDouble() << endl; } dedent(); unsigned int number_of_normal_coordinates = mData.readUnsignedInt(); cout << getIndent() << "number_of_normal_coordinates " << number_of_normal_coordinates << endl; indent(); for(unsigned int i = 0; i < number_of_normal_coordinates; ++i) { cout << getIndent() << mData.readDouble() << endl; } dedent(); unsigned int number_of_wire_indices = mData.readUnsignedInt(); cout << getIndent() << "number_of_wire_indices " << number_of_wire_indices << endl; indent(); for(unsigned int i = 0; i < number_of_wire_indices; ++i) { cout << getIndent() << mData.readUnsignedInt() << endl; } dedent(); unsigned int number_of_triangulated_indices = mData.readUnsignedInt(); cout << getIndent() << "number_of_triangulated_indices " << number_of_triangulated_indices << endl; indent(); for(unsigned int i = 0; i < number_of_triangulated_indices; ++i) { cout << getIndent() << mData.readUnsignedInt() << endl; } dedent(); unsigned int number_of_face_tessellation = mData.readUnsignedInt(); cout << getIndent() << "number_of_face_tessellation " << number_of_face_tessellation << endl; indent(); for(unsigned int i = 0; i < number_of_face_tessellation; ++i) { describeTessFace(mData); } dedent(); unsigned int number_of_texture_coordinates = mData.readUnsignedInt(); cout << getIndent() << "number_of_texture_coordinates " << number_of_texture_coordinates << endl; indent(); for(unsigned int i = 0; i < number_of_texture_coordinates; ++i) { cout << getIndent() << mData.readDouble() << endl; } dedent(); dedent(); } void describe3DWireTess(BitByBitData &mData) { //TODO } void describe3DMarkupTess(BitByBitData &mData) { //TODO } void describeHighlyCompressed3DTess(BitByBitData &mData) { //TODO } void describeSceneDisplayParameters(BitByBitData &mData) { cout << getIndent() << "--Scene Display Parameters--" << endl; if(!checkSectionCode(mData,PRC_TYPE_GRAPH_SceneDisplayParameters)) return; indent(); describeContentPRCBase(mData,true); cout << getIndent() << "is active? " << (mData.readBit()?"yes":"no") << endl; unsigned int number_of_lights = mData.readUnsignedInt(); cout << getIndent() << "number of lights " << number_of_lights << endl; indent(); for(unsigned int i = 0; i < number_of_lights; ++i) { describeLight(mData); } dedent(); bool camera = mData.readBit(); cout << getIndent() << "camera? " << (camera?"yes":"no") << endl; if(camera) describeCamera(mData); bool rotation_centre = mData.readBit(); cout << getIndent() << "rotation centre? " << (rotation_centre?"yes":"no") << endl; if(rotation_centre) describeVector3d(mData); unsigned int number_of_clipping_planes = mData.readUnsignedInt(); cout << getIndent() << "number of clipping planes " << number_of_clipping_planes << endl; indent(); for(unsigned int i = 0; i < number_of_clipping_planes; ++i) { cout << "Can't describe planes!!!" << endl; //describePlane(mData); } dedent(); cout << getIndent() << "Background line style index: " << mData.readUnsignedInt()-1 << endl; cout << getIndent() << "Default line style index: " << mData.readUnsignedInt()-1 << endl; unsigned int number_of_default_styles_per_type = mData.readUnsignedInt(); cout << getIndent() << "number_of_default_styles_per_type " << number_of_default_styles_per_type << endl; indent(); for(unsigned int i = 0; i < number_of_default_styles_per_type; ++i) { cout << getIndent() << "type " << mData.readUnsignedInt() << endl; cout << getIndent() << "line style index: " << mData.readUnsignedInt()-1 << endl; } dedent(); dedent(); } void describeCartesionTransformation3d(BitByBitData& mData) { cout << getIndent() << "--3d Cartesian Transformation--" << endl; if(!checkSectionCode(mData,PRC_TYPE_MISC_CartesianTransformation)) return; indent(); unsigned char behaviour = mData.readChar(); cout << getIndent() << "behaviour " << static_cast(behaviour) << endl; if((behaviour & PRC_TRANSFORMATION_Translate) != 0) { cout << getIndent() << "Translation" << endl; describeVector3d(mData); } if((behaviour & PRC_TRANSFORMATION_NonOrtho) != 0) { cout << getIndent() << "Non orthogonal transformation" << endl; cout << getIndent() << "X" << endl; describeVector3d(mData); cout << getIndent() << "Y" << endl; describeVector3d(mData); cout << getIndent() << "Z" << endl; describeVector3d(mData); } else if((behaviour & PRC_TRANSFORMATION_Rotate) != 0) { cout << getIndent() << "Rotation" << endl; cout << getIndent() << "X" << endl; describeVector3d(mData); cout << getIndent() << "Y" << endl; describeVector3d(mData); } // this is different from the docs!!! but it works... if ((behaviour & PRC_TRANSFORMATION_NonUniformScale) != 0) { cout << getIndent() << "Non-uniform scale by " << endl; describeVector3d(mData); } // this is different from the docs!!! but it works... if((behaviour & PRC_TRANSFORMATION_Scale) != 0) { cout << getIndent() << "Uniform Scale by " << mData.readDouble() << endl; } if((behaviour & PRC_TRANSFORMATION_Homogeneous) != 0) { cout << getIndent() << "transformation has homogenous values" << endl; cout << getIndent() << "x = " << mData.readDouble() << endl; cout << getIndent() << "y = " << mData.readDouble() << endl; cout << getIndent() << "z = " << mData.readDouble() << endl; cout << getIndent() << "w = " << mData.readDouble() << endl; } dedent(); } void describeTransformation3d(BitByBitData& mData) { cout << getIndent() << "--3d Transformation--" << endl; indent(); bool has_transformation = mData.readBit(); cout << getIndent() << "has_transformation " << (has_transformation?"yes":"no") << endl; if(has_transformation) { unsigned char behaviour = mData.readChar(); cout << getIndent() << "behaviour " << static_cast(behaviour) << endl; if((behaviour & PRC_TRANSFORMATION_Translate) != 0) { cout << getIndent() << "Translation" << endl; describeVector3d(mData); } if((behaviour & PRC_TRANSFORMATION_Rotate) != 0) { cout << getIndent() << "Rotation" << endl; cout << getIndent() << "X" << endl; describeVector3d(mData); cout << getIndent() << "Y" << endl; describeVector3d(mData); } if((behaviour & PRC_TRANSFORMATION_Scale) != 0) { cout << getIndent() << "Uniform Scale by " << mData.readDouble() << endl; } } dedent(); } void describeTransformation2d(BitByBitData& mData) { cout << getIndent() << "--2d Transformation--" << endl; indent(); bool has_transformation = mData.readBit(); cout << "has_transformation " << (has_transformation?"yes":"no") << endl; if(has_transformation) { unsigned char behaviour = mData.readChar(); cout << getIndent() << "behaviour " << static_cast(behaviour) << endl; if((behaviour & PRC_TRANSFORMATION_Translate) != 0) { cout << getIndent() << "Translation" << endl; describeVector2d(mData); } if((behaviour & PRC_TRANSFORMATION_Rotate) != 0) { cout << getIndent() << "Rotation" << endl; cout << getIndent() << "X" << endl; describeVector2d(mData); cout << getIndent() << "Y" << endl; describeVector2d(mData); } if((behaviour & PRC_TRANSFORMATION_Scale) != 0) { cout << getIndent() << "Uniform Scale by " << mData.readDouble() << endl; } } dedent(); } void describeFileStructureInternalData(BitByBitData &mData) { cout << getIndent() << "--File Structure Internal Data--" << endl; if(!checkSectionCode(mData,PRC_TYPE_ASM_FileStructure)) return; indent(); describeContentPRCBase(mData,false); cout << getIndent() << "next_available_index " << mData.readUnsignedInt() << endl; cout << getIndent() << "index_product_occurence " << mData.readUnsignedInt() << endl; dedent(); } void describeProductOccurrence(BitByBitData &mData) { cout << getIndent() << "--Product Occurrence--" << endl; if(!checkSectionCode(mData,PRC_TYPE_ASM_ProductOccurence)) return; indent(); describeContentPRCBaseWithGraphics(mData,true); cout << getIndent() << "index_part " << static_cast(mData.readUnsignedInt()-1) << endl; unsigned int index_prototype = mData.readUnsignedInt()-1; cout << getIndent() << "index_prototype " << static_cast(index_prototype) << endl; if(index_prototype+1 != 0) { bool prototype_in_same_file_structure = mData.readBit(); cout << getIndent() << "prototype_in_same_file_structure " << (prototype_in_same_file_structure?"yes":"no") << endl; if(!prototype_in_same_file_structure) describeCompressedUniqueID(mData); } unsigned int index_external_data = mData.readUnsignedInt()-1; cout << getIndent() << "index_external_data " << static_cast(index_external_data) << endl; if(index_external_data+1 != 0) { bool external_data_in_same_file_structure = mData.readBit(); cout << getIndent() << "external_data_in_same_file_structure " << (external_data_in_same_file_structure?"yes":"no") << endl; if(!external_data_in_same_file_structure) describeCompressedUniqueID(mData); } unsigned int number_of_son_product_occurences = mData.readUnsignedInt(); cout << getIndent() << "number_of_son_product_occurences " << number_of_son_product_occurences << endl; indent(); for(unsigned int i = 0; i < number_of_son_product_occurences; ++i) cout << getIndent() << mData.readUnsignedInt() << endl; dedent(); cout << getIndent() << "product_behaviour " << static_cast(mData.readChar()) << endl; describeUnit(mData); cout << getIndent() << "Product information flags " << static_cast(mData.readChar()) << endl; cout << getIndent() << "product_load_status " << mData.readUnsignedInt() << endl; bool has_location = mData.readBit(); cout << getIndent() << "has_location " << has_location << endl; if(has_location) { describeCartesionTransformation3d(mData); } unsigned int number_of_references = mData.readUnsignedInt(); cout << getIndent() << "number_of_references " << number_of_references << endl; indent(); for(unsigned int i = 0; i < number_of_references; ++i) { //TODO: describeReferenceToPRCBase(mData); } dedent(); describeMarkups(mData); unsigned int number_of_views = mData.readUnsignedInt(); cout << getIndent() << "number_of_views " << number_of_views << endl; indent(); for(unsigned int i = 0; i < number_of_views; ++i) { describeAnnotationView(mData); } dedent(); bool has_entity_filter = mData.readBit(); cout << getIndent() << "has_entity_filter " << (has_entity_filter?"yes":"no") << endl; if(has_entity_filter) { //TODO: describeEntityFilter(mData); } unsigned int number_of_display_filters = mData.readUnsignedInt(); cout << getIndent() << "number_of_display_filters " << number_of_display_filters << endl; indent(); for(unsigned int i = 0; i < number_of_display_filters; ++i) { //TODO: describeFilter(mData); } dedent(); unsigned int number_of_scene_display_parameters = mData.readUnsignedInt(); cout << getIndent() << "number_of_scene_display_parameters " << number_of_scene_display_parameters << endl; indent(); for(unsigned int i = 0; i < number_of_scene_display_parameters; ++i) { describeSceneDisplayParameters(mData); } dedent(); describeUserData(mData); dedent(); } void describeGraphics(BitByBitData &mData) { bool sameGraphicsAsCurrent = mData.readBit(); cout << getIndent() << "Same graphics as current graphics? " << (sameGraphicsAsCurrent?"yes":"no") << endl; if(!sameGraphicsAsCurrent) { layer_index = mData.readUnsignedInt()-1; cout << getIndent() << "layer_index " << layer_index << endl; index_of_line_style = mData.readUnsignedInt()-1; cout << getIndent() << "index_of_line_style " << index_of_line_style << endl; unsigned char c1 = mData.readChar(); unsigned char c2 = mData.readChar(); behaviour_bit_field = c1 | (static_cast(c2) << 8); cout << getIndent() << "behaviour_bit_field " << behaviour_bit_field << endl; } } void describeContentPRCBaseWithGraphics(BitByBitData &mData, bool efr) { describeContentPRCBase(mData,efr); describeGraphics(mData); } void describePartDefinition(BitByBitData &mData) { cout << getIndent() << "--Part Definition--" << endl; if(!checkSectionCode(mData,PRC_TYPE_ASM_PartDefinition)) return; indent(); describeContentPRCBaseWithGraphics(mData,true); describeExtent3d(mData); unsigned int number_of_representation_items = mData.readUnsignedInt(); cout << getIndent() << "number_of_representation_items " << number_of_representation_items << endl; indent(); for(unsigned int i = 0; i < number_of_representation_items; ++i) { describeRepresentationItem(mData); } dedent(); describeMarkups(mData); unsigned int number_of_views = mData.readUnsignedInt(); cout << getIndent() << "number_of_views " << number_of_views << endl; indent(); for(unsigned int i = 0; i < number_of_views; ++i) { describeAnnotationView(mData); } dedent(); describeUserData(mData); dedent(); } void describeMarkups(BitByBitData& mData) { cout << getIndent() << "--Markups--" << endl; indent(); unsigned int number_of_linked_items = mData.readUnsignedInt(); cout << getIndent() << "number_of_linked_items " << number_of_linked_items << endl; for(unsigned int i = 0; i < number_of_linked_items; ++i) { cout << "describe linked item!" << endl; } unsigned int number_of_leaders = mData.readUnsignedInt(); cout << getIndent() << "number_of_leaders " << number_of_leaders << endl; for(unsigned int i = 0; i < number_of_leaders; ++i) { cout << "describe leader!" << endl; } unsigned int number_of_markups = mData.readUnsignedInt(); cout << getIndent() << "number_of_markups " << number_of_markups << endl; for(unsigned int i=0; i < number_of_markups; ++i) { cout << "describe markup!" << endl; } unsigned int number_of_annotation_entities = mData.readUnsignedInt(); cout << getIndent() << "number_of_annotation_entities " << number_of_annotation_entities << endl; for(unsigned int i=0; i < number_of_annotation_entities; ++i) { cout << "describe annotation entity!" << endl; } dedent(); } void describeAnnotationView(BitByBitData &mData) { cout << getIndent() << "--Annotation View--" << endl; if(!checkSectionCode(mData,PRC_TYPE_MKP_View)) return; indent(); describeContentPRCBaseWithGraphics(mData,true); unsigned int number_of_annotations = mData.readUnsignedInt(); for(unsigned int i = 0; i < number_of_annotations; ++i) { //TODO: describeReferenceUniqueIdentifier(mData); } //TODO: describePlane(mData); bool scene_display_parameters = mData.readBit(); if(scene_display_parameters) { describeSceneDisplayParameters(mData); } describeUserData(mData); dedent(); } void describeExtent3d(BitByBitData &mData) { // I suspect the order of min/max should be flipped cout << getIndent() << "Minimum" << endl; indent(); describeVector3d(mData); dedent(); cout << getIndent() << "Maximum" << endl; indent(); describeVector3d(mData); dedent(); } void describeExtent1d(BitByBitData &mData) { cout << getIndent() << "Minimum " << mData.readDouble() << endl; cout << getIndent() << "Maximum " << mData.readDouble() << endl; } void describeExtent2d(BitByBitData &mData) { cout << getIndent() << "Minimum" << endl; indent(); describeVector2d(mData); dedent(); cout << getIndent() << "Maximum" << endl; indent(); describeVector2d(mData); dedent(); } void describeVector3d(BitByBitData &mData) { double x = mData.readDouble(); double y = mData.readDouble(); double z = mData.readDouble(); cout << getIndent() << '(' << x << ',' << y << ',' << z << ')' << endl; } void describeVector2d(BitByBitData &mData) { double x = mData.readDouble(); double y = mData.readDouble(); cout << getIndent() << '(' << x << ',' << y << ')' << endl; } void describePicture(BitByBitData &mData) { cout << getIndent() << "--Picture--" << endl; unsigned int sectionCode = mData.readUnsignedInt(); if(sectionCode != PRC_TYPE_GRAPH_Picture) { cout << getIndent() << "Invalid section code." << endl; } describeContentPRCBase(mData,false); int format = mData.readInt(); switch(format) { case KEPRCPicture_PNG: cout << getIndent() << "PNG format" << endl; break; case KEPRCPicture_JPG: cout << getIndent() << "JPG format" << endl; break; case KEPRCPicture_BITMAP_RGB_BYTE: cout << getIndent() << "gzipped pixel data (see PRC base compression). Each element is a RGB triple. (3 components)" << endl; break; case KEPRCPicture_BITMAP_RGBA_BYTE: cout << getIndent() << "gzipped pixel data (see PRC base compression). Each element is a complete RGBA element. (4 components)" << endl; break; case KEPRCPicture_BITMAP_GREY_BYTE: cout << getIndent() << "gzipped pixel data (see PRC base compression). Each element is a single luminance value. (1 components)" << endl; break; case KEPRCPicture_BITMAP_GREYA_BYTE: cout << getIndent() << "gzipped pixel data (see PRC base compression). Each element is a luminance/alpha pair. (2 components)" << endl; break; default: cout << getIndent() << "Invalid picture format." << endl; break; } cout << getIndent() << "uncompressed_file_index " << mData.readUnsignedInt()-1 << endl; cout << getIndent() << "pixel width " << mData.readUnsignedInt() << endl; cout << getIndent() << "pixel height " << mData.readUnsignedInt() << endl; } void describeTextureDefinition(BitByBitData &mData) { cout << getIndent() << "--Texture Definition--" << endl; if(!checkSectionCode(mData,PRC_TYPE_GRAPH_TextureDefinition)) return; cout << getIndent() << "TODO: Can't describe textures yet." << endl; } void describeMaterial(BitByBitData &mData) { cout << getIndent() << "--Material--" << endl; unsigned int code = mData.readUnsignedInt(); if(code == PRC_TYPE_GRAPH_Material) { describeContentPRCBase(mData,true); cout << getIndent() << "index of ambient color " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "index of diffuse color " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "index of emissive color " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "index of specular color " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "shininess " << mData.readDouble() << endl; cout << getIndent() << "ambient_alpha " << mData.readDouble() << endl; cout << getIndent() << "diffuse_alpha " << mData.readDouble() << endl; cout << getIndent() << "emissive_alpha " << mData.readDouble() << endl; cout << getIndent() << "specular_alpha " << mData.readDouble() << endl; } else if(code == PRC_TYPE_GRAPH_TextureApplication) { describeContentPRCBase(mData,true); cout << getIndent() << "material_generic_index " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "texture_definition_index " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "next_texture_index " << mData.readUnsignedInt() - 1 << endl; cout << getIndent() << "UV_coordinates_index " << mData.readUnsignedInt() - 1 << endl; } else { cout << getIndent() << "Invalid section code in material definition." << endl; } } void describeLinePattern(BitByBitData &mData) { cout << getIndent() << "--Line Pattern--" << endl; if(!checkSectionCode(mData,PRC_TYPE_GRAPH_LinePattern)) return; indent(); describeContentPRCBase(mData,true); unsigned int size_lengths = mData.readUnsignedInt(); cout << getIndent() << "size_lengths " << size_lengths << endl; indent(); for(unsigned int i=0;i(mData.readUnsignedInt()-1) << endl; cout << getIndent() << "is_material " << (mData.readBit()?"yes":"no") << endl; cout << getIndent() << "color_index / material_index " << static_cast(mData.readUnsignedInt()-1) << endl; bool is_transparency_defined = mData.readBit(); cout << getIndent() << "is_transparency_defined " << (is_transparency_defined?"yes":"no") << endl; if(is_transparency_defined) { indent(); cout << getIndent() << "transparency " << static_cast(mData.readChar()) << endl; dedent(); } bool is_additional_1_defined = mData.readBit(); cout << getIndent() << "is_additional_1_defined " << (is_additional_1_defined?"yes":"no") << endl; if(is_additional_1_defined) { indent(); cout << getIndent() << "additional_1 " << static_cast(mData.readChar()) << endl; dedent(); } bool is_additional_2_defined = mData.readBit(); cout << getIndent() << "is_additional_2_defined " << (is_additional_2_defined?"yes":"no") << endl; if(is_additional_2_defined) { indent(); cout << getIndent() << "additional_2 " << static_cast(mData.readChar()) << endl; dedent(); } bool is_additional_3_defined = mData.readBit(); cout << getIndent() << "is_additional_3_defined " << (is_additional_3_defined?"yes":"no") << endl; if(is_additional_3_defined) { indent(); cout << getIndent() << "additional_3 " << static_cast(mData.readChar()) << endl; dedent(); } dedent(); } void describeFillPattern(BitByBitData &mData) { cout << getIndent() << "--Fill Pattern--" << endl; unsigned int type = mData.readUnsignedInt(); cout << getIndent() << "type " << type << endl; switch(type) { //TODO: actually describe fill patterns default: cout << getIndent() << "Invalid fill pattern type " << type << endl; } } void describeRepresentationItemContent(BitByBitData &mData) { describeContentPRCBaseWithGraphics(mData,true); unsigned int index_local_coordinate_system = mData.readUnsignedInt()-1; unsigned int index_tessellation = mData.readUnsignedInt()-1; //cast to int will not be right for big indices cout << getIndent() << "index_local_coordinate_system " << static_cast(index_local_coordinate_system) << endl; cout << getIndent() << "index_tessellation " << static_cast(index_tessellation) << endl; } void describeRepresentationItem(BitByBitData &mData) { cout << getIndent() << "--Representation Item--" << endl; unsigned int type = mData.readUnsignedInt(); switch(type) { case PRC_TYPE_RI_Curve: { cout << getIndent() << "--PRC_TYPE_RI_Curve--" << endl; describeRepresentationItemContent(mData); bool has_wire_body = mData.readBit(); if(has_wire_body) { cout << getIndent() << "context_id " << mData.readUnsignedInt() << endl; cout << getIndent() << "body_id " << mData.readUnsignedInt() << endl; } describeUserData(mData); break; } case PRC_TYPE_RI_PolyBrepModel: { cout << getIndent() << "--PRC_TYPE_RI_PolyBrepModel--" << endl; describeRepresentationItemContent(mData); cout << getIndent() << "is_closed " << (mData.readBit()?"yes":"no") << endl; describeUserData(mData); break; } case PRC_TYPE_RI_BrepModel: { cout << getIndent() << "--PRC_TYPE_RI_BrepModel--" << endl; describeRepresentationItemContent(mData); bool has_brep_data = mData.readBit(); cout << getIndent() << "has_brep_data " << (has_brep_data?"yes":"no") << endl; if(has_brep_data) { cout << getIndent() << "context_id " << mData.readUnsignedInt() << endl; cout << getIndent() << "object_id " << mData.readUnsignedInt() << endl; } cout << getIndent() << "is_closed " << (mData.readBit()?"yes":"no") << endl; describeUserData(mData); break; } case PRC_TYPE_RI_Direction: case PRC_TYPE_RI_Plane: case PRC_TYPE_RI_CoordinateSystem: case PRC_TYPE_RI_PointSet: case PRC_TYPE_RI_Set: case PRC_TYPE_RI_PolyWire: cout << getIndent() << "TODO: Unhandled representation item " << type << endl; break; default: cout << getIndent() << "Invalid representation item type " << type << endl; break; } } void describeRGBColour(BitByBitData &mData) { cout << getIndent() << "R: " << mData.readDouble(); cout << " G: " << mData.readDouble(); cout << " B: " << mData.readDouble() << endl; } void describeSchema(BitByBitData &mData) { cout << getIndent() << "--Schema--" << endl; indent(); unsigned int numSchemas = mData.readUnsignedInt(); cout << getIndent() << "Number of Schemas " << numSchemas << endl; if(numSchemas != 0) { cout << "Error: Don't know how to handle multiple schemas." << endl; } dedent(); } string currentName; int layer_index; int index_of_line_style; unsigned short behaviour_bit_field; void resetCurrentGraphics() { layer_index = -1; index_of_line_style = -1; behaviour_bit_field = 1; } void unFlushSerialization() { currentName = ""; resetCurrentGraphics(); } void describeName(BitByBitData &mData) { bool sameNameAsCurrent = mData.readBit(); cout << getIndent() << "Same name as current name? " << (sameNameAsCurrent?"yes":"no") << endl; if(!sameNameAsCurrent) currentName = mData.readString(); cout << getIndent() << "Name \"" << currentName << '\"' << endl; } void describeUnit(BitByBitData &mData) { cout << getIndent() << "Unit is from CAD file? " << (mData.readBit()?"yes":"no") << endl; cout << getIndent() << "Unit is " << mData.readDouble() << " mm" << endl; } void describeAttributes(BitByBitData &mData) { cout << getIndent() << "--Attributes--" << endl; indent(); unsigned int numAttribs = mData.readUnsignedInt(); cout << getIndent() << "Number of Attributes " << numAttribs << endl; indent(); for(unsigned int i = 0; i < numAttribs; ++i) { cout << getIndent() << "PRC_TYPE_MISC_Attribute " << mData.readUnsignedInt() << endl; bool titleIsInt = mData.readBit(); cout << getIndent() << "Title is integer? " << (titleIsInt?"yes":"no") << endl; indent(); if(titleIsInt) { cout << getIndent() << "Title " << mData.readUnsignedInt() << endl; } else { cout << getIndent() << "Title \"" << mData.readString() << '\"' << endl; } unsigned int sizeOfAttributeKeys = mData.readUnsignedInt(); cout << getIndent() << "Size of Attribute Keys " << sizeOfAttributeKeys << endl; for(unsigned int a = 0; a < sizeOfAttributeKeys; ++a) { bool titleIsInt = mData.readBit(); cout << getIndent() << "Title is integer? " << (titleIsInt?"yes":"no") << endl; indent(); if(titleIsInt) { cout << getIndent() << "Title " << mData.readUnsignedInt() << endl; } else { cout << getIndent() << "Title \"" << mData.readString() << '\"' << endl; } dedent(); unsigned int attributeType = mData.readUnsignedInt(); cout << getIndent() << "Attribute Type " << attributeType << endl; switch(attributeType) { case KEPRCModellerAttributeTypeInt: cout << getIndent() << "Attribute Value (int) " << mData.readInt() << endl; break; case KEPRCModellerAttributeTypeReal: cout << getIndent() << "Attribute Value (double) " << mData.readDouble() << endl; break; case KEPRCModellerAttributeTypeTime: cout << getIndent() << "Attribute Value (time_t) " << mData.readUnsignedInt() << endl; break; case KEPRCModellerAttributeTypeString: cout << getIndent() << "Attribute Value (string) \"" << mData.readString() << '\"' << endl; break; default: break; } } dedent(); cout << endl; } dedent(); dedent(); } void describeContentPRCBase(BitByBitData &mData, bool typeEligibleForReference) { cout << getIndent() << "--ContentPRCBase--" << endl; indent(); describeAttributes(mData); describeName(mData); if(typeEligibleForReference) { cout << getIndent() << "CAD_identifier " << mData.readUnsignedInt() << endl; cout << getIndent() << "CAD_persistent_identifier " << mData.readUnsignedInt() << endl; cout << getIndent() << "PRC_unique_identifier " << mData.readUnsignedInt() << endl; } dedent(); } void describeCompressedUniqueID(BitByBitData &mData) { cout << getIndent() << "UUID: " << hex << setfill('0'); for(int i = 0; i < 4; ++i) cout << setw(8) << mData.readUnsignedInt() << ' '; cout << dec << setfill(' ') << endl; } void describeUserData(BitByBitData &mData) { unsigned int bits = mData.readUnsignedInt(); cout << getIndent() << bits << " bits of user data" << endl; indent(); for(unsigned int i = 0; i < bits; ++i) { if(i%64 == 0) cout << getIndent(); cout << mData.readBit(); if(i%64 == 63) cout << endl; } if(bits%64 != 0) cout << endl; dedent(); } bool checkSectionCode(BitByBitData &mData, unsigned int code) { unsigned int num = mData.readUnsignedInt(); if(code != num) { cout << getIndent() << "Invalid section code " << num << ". Expected " << code << " at "; mData.tellPosition(); return false; } else { cout << getIndent() << "Section code " << code << endl; return true; } } unsigned int currentIndent = 0; string getIndent() { ostringstream out; for(unsigned int i = 0; i < currentIndent; ++i) out << " "; return out.str(); } void indent() { ++currentIndent; } void dedent() { --currentIndent; } asymptote-2.62/prc/PRCTools/inflation.cc0000644000000000000000000000434413607467113016726 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include "inflation.h" using std::istream; using std::ios; using std::cout; using std::cerr; using std::endl; using std::exit; int decompress(char* inb, int fileLength, char* &outb) { const int CHUNK = 16384; unsigned int resultSize = 0; outb = (char*) realloc(outb,CHUNK); z_stream strm; strm.zalloc = Z_NULL; strm.zfree = Z_NULL; strm.avail_in = fileLength; strm.next_in = (unsigned char*)inb; strm.opaque = Z_NULL; int code = inflateInit(&strm); if(code != Z_OK) return -1; strm.next_out = (unsigned char*)outb; strm.avail_out = CHUNK; code = inflate(&strm,Z_NO_FLUSH); resultSize = CHUNK-strm.avail_out; unsigned int size = CHUNK; while(code == Z_OK) { outb = (char*) realloc(outb,2*size); if(outb == NULL) { cerr << "Ran out of memory while decompressing." << endl; exit(1); } strm.next_out = (Bytef*)(outb + resultSize); strm.avail_out += size; size *= 2; code = inflate(&strm,Z_NO_FLUSH); resultSize = size - strm.avail_out; } code = inflateEnd(&strm); if(code != Z_OK) { free(outb); return 0; } return resultSize; } int decompress(istream &input,char* &result) { input.seekg(0,ios::end); int fileLength = input.tellg(); input.seekg(0,ios::beg); char *inb = new char[fileLength]; input.read(inb,fileLength); int code = decompress(inb,fileLength,result); delete[] inb; return code; } asymptote-2.62/prc/PRCTools/extractSections.cc0000644000000000000000000000243613607467113020125 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include "iPRCFile.h" using namespace std; int main(int argc, char* argv[]) { if(argc < 2) { cerr << "Error: Input file not specified." << endl; return 1; } ifstream inFile(argv[1]); if(!inFile) { cerr << "Error: Cannot open input file." << endl; return 1; } iPRCFile myFile(inFile); string name(argv[1]); myFile.dumpSections(name.substr(0,name.find(".")).c_str()); return 0; } asymptote-2.62/prc/PRCTools/bitData.h0000644000000000000000000000350413607467113016152 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __BITDATA_H #define __BITDATA_H #include #include struct BitPosition { unsigned int byteIndex; unsigned int bitIndex; }; class BitByBitData { public: BitByBitData(char* s,unsigned int l) : start(s),data(s),length(l), bitMask(0x80),showBits(false),failed(false) {} void tellPosition(); BitPosition getPosition(); void setPosition(const BitPosition&); void setPosition(unsigned int,unsigned int); void setShowBits(bool); bool readBit(); unsigned char readChar(); unsigned int readUnsignedInt(); std::string readString(); int readInt(); double readDouble(); private: char *start; // first byte so we know where we are char *data; // last byte read unsigned int length; unsigned char bitMask; // mask to read next bit of current byte bool showBits; // show each bit read? bool failed; void nextBit(); // shift bit mask and get next byte if needed }; #endif // __BITDATA_H asymptote-2.62/prc/PRCTools/iPRCFile.h0000644000000000000000000000444513607467113016204 0ustar rootroot/************ * * This file is part of a tool for reading 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __READPRC_H #define __READPRC_H #include #include #include #include #include #include #include "../PRC.h" #include "inflation.h" struct FileStructureInformation { unsigned int UUID[4]; unsigned int reserved; std::vector offsets; }; const int GLOBALS_SECTION = 0; const int TREE_SECTION = 1; const int TESSELLATION_SECTION = 2; const int GEOMETRY_SECTION = 3; const int EXTRA_GEOMETRY_SECTION = 4; struct FileStructure { unsigned int readVersion; unsigned int authoringVersion; unsigned int fileUUID[4]; unsigned int appUUID[4]; char* sections[5]; unsigned int sectionLengths[5]; }; class iPRCFile { public: iPRCFile(std::istream&); ~iPRCFile() { for(unsigned int i = 0; i < fileStructures.size(); ++i) for(unsigned int j = 0; j < 5; ++j) if(fileStructures[i].sections[j] != NULL) free(fileStructures[i].sections[j]); if(modelFileData!=NULL) free(modelFileData); if(buffer != 0) delete[] buffer; } void describe(); void dumpSections(std::string); private: // header data std::vector fileStructureInfos; std::vector fileStructures; unsigned int modelFileOffset; char* modelFileData; unsigned int modelFileLength; char *buffer; unsigned int fileSize; unsigned int numberOfUncompressedFiles; }; #endif // __READPRC_H asymptote-2.62/prc/writePRC.h0000644000000000000000000013654113607467113014644 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __WRITE_PRC_H #define __WRITE_PRC_H #include #include #include #include #include #include #include "PRCbitStream.h" #include "PRC.h" #include #include static const uint32_t m1=(uint32_t)-1; static const double pi=acos(-1.0); class PRCVector3d { public : double x; double y; double z; PRCVector3d() : x(0), y(0), z(0) {} PRCVector3d(double fx, double fy, double fz) : x(fx), y(fy), z(fz) {} PRCVector3d(const double c[], double fx=0, double fy=0, double fz=0) : x(c?c[0]:fx), y(c?c[1]:fy), z(c?c[2]:fz) {} PRCVector3d(const PRCVector3d& sVector3d) : x(sVector3d.x), y(sVector3d.y), z(sVector3d.z) {} void Set(double fx, double fy, double fz) { x = fx; y = fy; z = fz; } double Dot(const PRCVector3d & sPt) const { return(x*sPt.x)+(y*sPt.y)+(z*sPt.z); } double LengthSquared() { return(x*x+y*y+z*z); } friend PRCVector3d operator + (const PRCVector3d& a, const PRCVector3d& b) { return PRCVector3d(a.x+b.x,a.y+b.y,a.z+b.z); } friend PRCVector3d operator - (const PRCVector3d& a) { return PRCVector3d(-a.x,-a.y,-a.z); } friend PRCVector3d operator - (const PRCVector3d& a, const PRCVector3d& b) { return PRCVector3d(a.x-b.x,a.y-b.y,a.z-b.z); } friend PRCVector3d operator * (const PRCVector3d& a, const double d) { return PRCVector3d(a.x*d,a.y*d,a.z*d); } friend PRCVector3d operator * (const double d, const PRCVector3d& a) { return PRCVector3d(a.x*d,a.y*d,a.z*d); } friend PRCVector3d operator / (const PRCVector3d& a, const double d) { return PRCVector3d(a.x/d,a.y/d,a.z/d); } friend PRCVector3d operator * (const PRCVector3d& a, const PRCVector3d& b) { return PRCVector3d((a.y*b.z)-(a.z*b.y), (a.z*b.x)-(a.x*b.z), (a.x*b.y)-(a.y*b.x)); } void write(PRCbitStream &out) { out << x << y << z; } void serializeVector3d(PRCbitStream &pbs) const { pbs << x << y << z; } void serializeVector2d(PRCbitStream &pbs) const { pbs << x << y; } double Length(); bool Normalize(); bool operator==(const PRCVector3d &v) const { return x==v.x && y==v.y && z==v.z; } bool operator!=(const PRCVector3d &v) const { return !(x==v.x && y==v.y && z==v.z); } bool operator<(const PRCVector3d &v) const { if(x!=v.x) return (x attribute_keys; }; typedef std::list PRCAttributeList; class PRCAttributes { public: void serializeAttributes(PRCbitStream&) const; PRCAttribute& newAttribute() { attributes.push_front(PRCAttribute()); return attributes.front(); } void addAttribute(const PRCAttribute &attribute) { attributes.push_front(attribute); } PRCAttributeList attributes; }; bool type_eligible_for_reference(uint32_t type); uint32_t makeCADID(); uint32_t makePRCID(); class ContentPRCBase : public PRCAttributes { public: ContentPRCBase(uint32_t t, std::string n="") : type(t),name(n),CAD_identifier(0), CAD_persistent_identifier(0), PRC_unique_identifier(0) { if(type_eligible_for_reference(type)) { CAD_identifier = makeCADID(); PRC_unique_identifier = makePRCID(); } } void serializeContentPRCBase(PRCbitStream&) const; uint32_t getPRCID() const { return PRC_unique_identifier; } uint32_t getType() const { return type; } uint32_t type; std::string name; uint32_t CAD_identifier, CAD_persistent_identifier, PRC_unique_identifier; }; class PRCReferenceUniqueIdentifier { public: PRCReferenceUniqueIdentifier() : type(0), unique_identifier(m1) {} void serializeReferenceUniqueIdentifier(PRCbitStream&); uint32_t type; // bool reference_in_same_file_structure; // PRCUniqueId target_file_structure; uint32_t unique_identifier; }; extern std::string currentName; void writeName(PRCbitStream&,const std::string&); void resetName(); extern uint32_t current_layer_index; extern uint32_t current_index_of_line_style; extern uint16_t current_behaviour_bit_field; void writeGraphics(PRCbitStream&,uint32_t=m1,uint32_t=m1,uint16_t=1,bool=false); void resetGraphics(); void resetGraphicsAndName(); struct PRCRgbColor { PRCRgbColor(double r=0.0, double g=0.0, double b=0.0) : red(r), green(g), blue(b) {} double red,green,blue; void serializeRgbColor(PRCbitStream&); bool operator==(const PRCRgbColor &c) const { return (red==c.red && green==c.green && blue==c.blue); } bool operator!=(const PRCRgbColor &c) const { return !(red==c.red && green==c.green && blue==c.blue); } bool operator<(const PRCRgbColor &c) const { if(red!=c.red) return (red PRCTextureDefinitionList; class PRCMaterial { public: virtual ~PRCMaterial() {} virtual void serializeMaterial(PRCbitStream&) = 0; }; typedef std::deque PRCMaterialList; class PRCMaterialGeneric : public ContentPRCBase, public PRCMaterial { public: PRCMaterialGeneric(std::string n="") : ContentPRCBase(PRC_TYPE_GRAPH_Material,n), ambient(m1), diffuse(m1), emissive(m1), specular(m1), shininess(0.0), ambient_alpha(1.0), diffuse_alpha(1.0), emissive_alpha(1.0), specular_alpha(1.0) {} void serializeMaterialGeneric(PRCbitStream&); void serializeMaterial(PRCbitStream &pbs) { serializeMaterialGeneric(pbs); } uint32_t picture_index; uint32_t ambient; uint32_t diffuse; uint32_t emissive; uint32_t specular; double shininess; double ambient_alpha; double diffuse_alpha; double emissive_alpha; double specular_alpha; bool operator==(const PRCMaterialGeneric &m) const { return (ambient==m.ambient && diffuse==m.diffuse && emissive==m.emissive && specular==m.specular && shininess==m.shininess && ambient_alpha==m.ambient_alpha && diffuse_alpha==m.diffuse_alpha && emissive_alpha==m.emissive_alpha && specular_alpha==m.specular_alpha); } }; class PRCTextureApplication : public ContentPRCBase, public PRCMaterial { public: PRCTextureApplication(std::string n="") : ContentPRCBase(PRC_TYPE_GRAPH_TextureApplication,n), material_generic_index(m1), texture_definition_index(m1), next_texture_index(m1), UV_coordinates_index(0) {} void serializeTextureApplication(PRCbitStream&); void serializeMaterial(PRCbitStream &pbs) { serializeTextureApplication(pbs); } uint32_t material_generic_index; uint32_t texture_definition_index; uint32_t next_texture_index; uint32_t UV_coordinates_index; }; class PRCLinePattern : public ContentPRCBase { public: PRCLinePattern(std::string n="") : ContentPRCBase(PRC_TYPE_GRAPH_LinePattern,n), phase(0), is_real_length(false) {} void serializeLinePattern(PRCbitStream&); std::vector lengths; double phase; bool is_real_length; }; typedef std::deque PRCLinePatternList; class PRCStyle : public ContentPRCBase { public: PRCStyle(std::string n="") : ContentPRCBase(PRC_TYPE_GRAPH_Style,n), line_width(0.0), is_vpicture(false), line_pattern_vpicture_index(m1), is_material(false), color_material_index(m1), is_transparency_defined(false), transparency(255), additional(0) {} void serializeCategory1LineStyle(PRCbitStream&); double line_width; bool is_vpicture; uint32_t line_pattern_vpicture_index; bool is_material; uint32_t color_material_index; bool is_transparency_defined; uint8_t transparency; uint8_t additional; }; typedef std::deque PRCStyleList; class PRCTessFace { public: PRCTessFace() : start_wire(0), used_entities_flag(0), start_triangulated(0), number_of_texture_coordinate_indexes(0), is_rgba(false), behaviour(PRC_GRAPHICS_Show) {} void serializeTessFace(PRCbitStream&); std::vector line_attributes; uint32_t start_wire; // specifing bounding wire seems not to work as of Acrobat/Reader 9.2 std::vector sizes_wire; // specifing bounding wire seems not to work as of Acrobat/Reader 9.2 uint32_t used_entities_flag; uint32_t start_triangulated; std::vector sizes_triangulated; uint32_t number_of_texture_coordinate_indexes; bool is_rgba; std::vector rgba_vertices; uint32_t behaviour; }; typedef std::deque PRCTessFaceList; class PRCContentBaseTessData { public: PRCContentBaseTessData() : is_calculated(false) {} void serializeContentBaseTessData(PRCbitStream&); bool is_calculated; std::vector coordinates; }; class PRCTess : public PRCContentBaseTessData { public: virtual ~PRCTess() {} virtual void serializeBaseTessData(PRCbitStream &pbs) = 0; }; typedef std::deque PRCTessList; class PRC3DTess : public PRCTess { public: PRC3DTess() : has_faces(false), has_loops(false), crease_angle(25.8419) // arccos(0.9), default found in Acrobat output {} ~PRC3DTess() { for(PRCTessFaceList::iterator it=face_tessellation.begin(); it!=face_tessellation.end(); ++it) delete *it; } void serialize3DTess(PRCbitStream&); void serializeBaseTessData(PRCbitStream &pbs) { serialize3DTess(pbs); } void addTessFace(PRCTessFace*& pTessFace); bool has_faces; bool has_loops; double crease_angle; std::vector normal_coordinate; std::vector wire_index; // specifing bounding wire seems not to work as of Acrobat/Reader 9.2 std::vector triangulated_index; PRCTessFaceList face_tessellation; std::vector texture_coordinate; }; class PRC3DWireTess : public PRCTess { public: PRC3DWireTess() : is_rgba(false), is_segment_color(false) {} void serialize3DWireTess(PRCbitStream&); void serializeBaseTessData(PRCbitStream &pbs) { serialize3DWireTess(pbs); } bool is_rgba; bool is_segment_color; std::vector wire_indexes; std::vector rgba_vertices; }; class PRCMarkupTess : public PRCTess { public: PRCMarkupTess() : behaviour(0) {} void serializeMarkupTess(PRCbitStream&); void serializeBaseTessData(PRCbitStream &pbs) { serializeMarkupTess(pbs); } std::vector codes; std::vector texts; std::string label; uint8_t behaviour; }; class PRCGraphics { public: PRCGraphics() : layer_index(m1), index_of_line_style(m1), behaviour_bit_field(PRC_GRAPHICS_Show) {} void serializeGraphics(PRCbitStream&); void serializeGraphicsForced(PRCbitStream&); bool has_graphics() { return (index_of_line_style!=m1 || layer_index!=m1 || behaviour_bit_field!=PRC_GRAPHICS_Show) ; } uint32_t layer_index; uint32_t index_of_line_style; uint16_t behaviour_bit_field; }; typedef std::deque PRCGraphicsList; void writeGraphics(PRCbitStream&,const PRCGraphics&,bool=false); class PRCMarkup: public PRCGraphics, public ContentPRCBase { public: PRCMarkup(std::string n="") : ContentPRCBase(PRC_TYPE_MKP_Markup,n), type(KEPRCMarkupType_Unknown), sub_type(KEPRCMarkupSubType_Unknown), index_tessellation(m1) {} void serializeMarkup(PRCbitStream&); EPRCMarkupType type; EPRCMarkupSubType sub_type; // vector linked_items; // vector leaders; uint32_t index_tessellation; }; typedef std::deque PRCMarkupList; class PRCAnnotationItem: public PRCGraphics, public ContentPRCBase { public: PRCAnnotationItem(std::string n="") : ContentPRCBase(PRC_TYPE_MKP_AnnotationItem,n) {} void serializeAnnotationItem(PRCbitStream&); void serializeAnnotationEntity(PRCbitStream &pbs) { serializeAnnotationItem(pbs); } PRCReferenceUniqueIdentifier markup; }; typedef std::deque PRCAnnotationItemList; class PRCRepresentationItemContent: public PRCGraphics, public ContentPRCBase { public: PRCRepresentationItemContent(uint32_t t, std::string n="") : ContentPRCBase(t,n), index_local_coordinate_system(m1), index_tessellation(m1) {} void serializeRepresentationItemContent(PRCbitStream&); uint32_t index_local_coordinate_system; uint32_t index_tessellation; }; class PRCRepresentationItem : public PRCRepresentationItemContent { public: PRCRepresentationItem(uint32_t t, std::string n="") : PRCRepresentationItemContent(t,n) {} virtual ~PRCRepresentationItem() {} virtual void serializeRepresentationItem(PRCbitStream &pbs) = 0; }; typedef std::deque PRCRepresentationItemList; class PRCBrepModel : public PRCRepresentationItem { public: PRCBrepModel(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_BrepModel,n), has_brep_data(true), context_id(m1), body_id(m1), is_closed(false) {} void serializeBrepModel(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializeBrepModel(pbs); } bool has_brep_data; uint32_t context_id; uint32_t body_id; bool is_closed; }; class PRCPolyBrepModel : public PRCRepresentationItem { public: PRCPolyBrepModel(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_PolyBrepModel,n), is_closed(false) {} void serializePolyBrepModel(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializePolyBrepModel(pbs); } bool is_closed; }; class PRCPointSet : public PRCRepresentationItem { public: PRCPointSet(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_PointSet,n) {} void serializePointSet(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializePointSet(pbs); } std::vector point; }; class PRCWire : public PRCRepresentationItem { public: PRCWire(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_Curve,n), has_wire_body(true), context_id(m1), body_id(m1) {} void serializeWire(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializeWire(pbs); } bool has_wire_body; uint32_t context_id; uint32_t body_id; }; class PRCPolyWire : public PRCRepresentationItem { public: PRCPolyWire(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_PolyWire,n) {} void serializePolyWire(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializePolyWire(pbs); } }; class PRCSet : public PRCRepresentationItem { public: PRCSet(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_Set,n) {} ~PRCSet() { for(PRCRepresentationItemList::iterator it=elements.begin(); it!=elements.end(); ++it) delete *it; } void serializeSet(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializeSet(pbs); } uint32_t addBrepModel(PRCBrepModel*& pBrepModel); uint32_t addPolyBrepModel(PRCPolyBrepModel*& pPolyBrepModel); uint32_t addPointSet(PRCPointSet*& pPointSet); uint32_t addSet(PRCSet*& pSet); uint32_t addWire(PRCWire*& pWire); uint32_t addPolyWire(PRCPolyWire*& pPolyWire); uint32_t addRepresentationItem(PRCRepresentationItem*& pRepresentationItem); PRCRepresentationItemList elements; }; class PRCTransformation3d { public: virtual ~PRCTransformation3d() {} virtual void serializeTransformation3d(PRCbitStream&) const =0; }; typedef std::deque PRCTransformation3dList; class PRCGeneralTransformation3d : public PRCTransformation3d { public: PRCGeneralTransformation3d() { setidentity(); } PRCGeneralTransformation3d(const double t[]) { set(t); } void serializeGeneralTransformation3d(PRCbitStream&) const; void serializeTransformation3d(PRCbitStream& pbs) const { serializeGeneralTransformation3d(pbs); } double mat[4][4]; bool operator==(const PRCGeneralTransformation3d &t) const { for (size_t i=0;i<4;i++) for (size_t j=0;j<4;j++) if(mat[i][j]!=t.mat[i][j]) return false; return true; } bool operator<(const PRCGeneralTransformation3d &t) const { for (size_t i=0;i<4;i++) for (size_t j=0;j<4;j++) if(mat[i][j]!=t.mat[i][j]) { return (mat[i][j] PRCGeneralTransformation3dList; class PRCCartesianTransformation3d : public PRCTransformation3d { public: PRCCartesianTransformation3d() : behaviour(PRC_TRANSFORMATION_Identity), origin(0.0,0.0,0.0), X(1.0,0.0,0.0), Y(0.0,1.0,0.0), Z(0.0,0.0,1.0), scale(1.0,1.0,1.0), uniform_scale(1.0), X_homogeneous_coord(0.0), Y_homogeneous_coord(0.0), Z_homogeneous_coord(0.0), origin_homogeneous_coord(1.0) {} PRCCartesianTransformation3d(const double o[3], const double x[3], const double y[3], double sc) : behaviour(PRC_TRANSFORMATION_Identity), origin(o,0.0,0.0,0.0), X(x,1.0,0.0,0.0), Y(y,0.0,1.0,0.0), Z(0.0,0.0,1.0), scale(1.0,1.0,1.0), uniform_scale(sc), X_homogeneous_coord(0.0), Y_homogeneous_coord(0.0), Z_homogeneous_coord(0.0), origin_homogeneous_coord(1.0) { if(origin!=PRCVector3d(0.0,0.0,0.0)) behaviour = behaviour | PRC_TRANSFORMATION_Translate; if(X!=PRCVector3d(1.0,0.0,0.0) || Y!=PRCVector3d(0.0,1.0,0.0)) behaviour = behaviour | PRC_TRANSFORMATION_Rotate; if(uniform_scale!=1) behaviour = behaviour | PRC_TRANSFORMATION_Scale; } void serializeCartesianTransformation3d(PRCbitStream& pbs) const; void serializeTransformation3d(PRCbitStream& pbs) const { serializeCartesianTransformation3d(pbs); } uint8_t behaviour; PRCVector3d origin; PRCVector3d X; PRCVector3d Y; PRCVector3d Z; PRCVector3d scale; double uniform_scale; double X_homogeneous_coord; double Y_homogeneous_coord; double Z_homogeneous_coord; double origin_homogeneous_coord; bool operator==(const PRCCartesianTransformation3d &t) const { return behaviour==t.behaviour && origin==t.origin && X==t.X && Y==t.Y && Z==t.Z && scale==t.scale && uniform_scale==t.uniform_scale && X_homogeneous_coord==t.X_homogeneous_coord && Y_homogeneous_coord==t.Y_homogeneous_coord && Z_homogeneous_coord==t.Z_homogeneous_coord && origin_homogeneous_coord==t.origin_homogeneous_coord; } }; class PRCTransformation { public: PRCTransformation() : has_transformation(false), geometry_is_2D(false), behaviour(PRC_TRANSFORMATION_Identity), origin(0.0,0.0,0.0), x_axis(1.0,0.0,0.0), y_axis(0.0,1.0,0.0), scale(1) {} void serializeTransformation(PRCbitStream&); bool has_transformation; bool geometry_is_2D; uint8_t behaviour; PRCVector3d origin; PRCVector3d x_axis; PRCVector3d y_axis; double scale; }; class PRCCoordinateSystem : public PRCRepresentationItem { public: PRCCoordinateSystem(std::string n="") : PRCRepresentationItem(PRC_TYPE_RI_CoordinateSystem,n), axis_set(NULL) {} ~PRCCoordinateSystem() { delete axis_set; } void serializeCoordinateSystem(PRCbitStream&); void serializeRepresentationItem(PRCbitStream &pbs) { serializeCoordinateSystem(pbs); } void setAxisSet(PRCGeneralTransformation3d*& transform) { axis_set = transform; transform = NULL; } void setAxisSet(PRCCartesianTransformation3d*& transform) { axis_set = transform; transform = NULL; } PRCTransformation3d *axis_set; bool operator==(const PRCCoordinateSystem &t) const { if(index_local_coordinate_system!=t.index_local_coordinate_system) return false; PRCGeneralTransformation3d* axis_set_general = dynamic_cast(axis_set); PRCGeneralTransformation3d* t_axis_set_general = dynamic_cast(t.axis_set); PRCCartesianTransformation3d* axis_set_cartesian = dynamic_cast(axis_set); PRCCartesianTransformation3d* t_axis_set_cartesian = dynamic_cast(t.axis_set); if(axis_set_general!=NULL) return (t_axis_set_general!=NULL?(*axis_set_general==*t_axis_set_general):false); if(axis_set_cartesian!=NULL) return (t_axis_set_cartesian!=NULL?(*axis_set_cartesian==*t_axis_set_cartesian):false); return false; } }; typedef std::deque PRCCoordinateSystemList; struct PRCFontKey { uint32_t font_size; uint8_t attributes; }; class PRCFontKeysSameFont { public: void serializeFontKeysSameFont(PRCbitStream&); std::string font_name; uint32_t char_set; std::vector font_keys; }; // Topology class PRCBaseGeometry : public PRCAttributes { public: PRCBaseGeometry() : base_information(false), identifier(0) {} PRCBaseGeometry(std::string n, uint32_t id = 0) : base_information(true),name(n),identifier(id) {} void serializeBaseGeometry(PRCbitStream&); bool base_information; std::string name; uint32_t identifier; }; class PRCBoundingBox { public: PRCBoundingBox() : min(0.0,0.0,0.0), max(0.0,0.0,0.0) {} PRCBoundingBox(const PRCVector3d &m1, const PRCVector3d& m2) : min(m1),max(m2) {} void serializeBoundingBox(PRCbitStream &pbs); PRCVector3d min; PRCVector3d max; }; class PRCDomain { public: void serializeDomain(PRCbitStream &pbs); PRCVector2d min; PRCVector2d max; }; class PRCInterval { public: PRCInterval() : min(0), max(0) {} PRCInterval(double m, double M) : min(m), max(M) {} void serializeInterval(PRCbitStream &pbs); double min; double max; }; class PRCParameterization { public: PRCParameterization() : parameterization_coeff_a(1), parameterization_coeff_b(0) {} PRCParameterization(double min, double max) : interval(min, max), parameterization_coeff_a(1), parameterization_coeff_b(0) {} void serializeParameterization(PRCbitStream &pbs); PRCInterval interval; double parameterization_coeff_a; double parameterization_coeff_b; }; class PRCUVParameterization { public: PRCUVParameterization() : swap_uv(false), parameterization_on_u_coeff_a(1), parameterization_on_v_coeff_a(1), parameterization_on_u_coeff_b(0), parameterization_on_v_coeff_b(0) {} void serializeUVParameterization(PRCbitStream &pbs); bool swap_uv; PRCDomain uv_domain; double parameterization_on_u_coeff_a; double parameterization_on_v_coeff_a; double parameterization_on_u_coeff_b; double parameterization_on_v_coeff_b; }; class PRCControlPoint { public: PRCControlPoint() : x(0), y(0), z(0), w(1) {} PRCControlPoint(double X, double Y, double Z=0, double W=1) : x(X), y(Y), z(Z), w(W) {} PRCControlPoint(const PRCVector3d &v) : x(v.x), y(v.y), z(v.z), w(1) {} void Set(double fx, double fy, double fz, double fw=1) { x = fx; y = fy; z = fz; w = fw; } double x; double y; double z; double w; }; class PRCContentSurface: public PRCBaseGeometry { public: PRCContentSurface() : PRCBaseGeometry(), extend_info(KEPRCExtendTypeNone) {} PRCContentSurface(std::string n) : PRCBaseGeometry(n,makeCADID()),extend_info(KEPRCExtendTypeNone) {} void serializeContentSurface(PRCbitStream&); EPRCExtendType extend_info; }; class PRCSurface : public PRCContentSurface { public: PRCSurface() : PRCContentSurface() {} PRCSurface(std::string n) : PRCContentSurface(n) {} virtual ~PRCSurface() {} virtual void serializeSurface(PRCbitStream &pbs) = 0; }; class PRCNURBSSurface : public PRCSurface { public: PRCNURBSSurface() : PRCSurface(), knot_type(KEPRCKnotTypeUnspecified), surface_form(KEPRCBSplineSurfaceFormUnspecified) {} PRCNURBSSurface(std::string n) : PRCSurface(n), knot_type(KEPRCKnotTypeUnspecified), surface_form(KEPRCBSplineSurfaceFormUnspecified) {} void serializeNURBSSurface(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeNURBSSurface(pbs); } bool is_rational; uint32_t degree_in_u; uint32_t degree_in_v; std::vector control_point; std::vector knot_u; std::vector knot_v; const EPRCKnotType knot_type; const EPRCBSplineSurfaceForm surface_form; }; class PRCContentCurve: public PRCBaseGeometry { public: PRCContentCurve() : PRCBaseGeometry(), extend_info(KEPRCExtendTypeNone), is_3d(true) {} PRCContentCurve(std::string n) : PRCBaseGeometry(n,makeCADID()),extend_info(KEPRCExtendTypeNone), is_3d(true) {} void serializeContentCurve(PRCbitStream&); EPRCExtendType extend_info; bool is_3d; }; class PRCCurve : public PRCContentCurve { public: PRCCurve() : PRCContentCurve() {} PRCCurve(std::string n) : PRCContentCurve(n) {} virtual ~PRCCurve() {} virtual void serializeCurve(PRCbitStream &pbs) = 0; }; typedef std::deque PRCCurveList; class PRCNURBSCurve : public PRCCurve { public: PRCNURBSCurve() : PRCCurve(), knot_type(KEPRCKnotTypeUnspecified), curve_form(KEPRCBSplineCurveFormUnspecified) {} PRCNURBSCurve(std::string n) : PRCCurve(n), knot_type(KEPRCKnotTypeUnspecified), curve_form(KEPRCBSplineCurveFormUnspecified) {} void serializeNURBSCurve(PRCbitStream &pbs); void serializeCurve(PRCbitStream &pbs) { serializeNURBSCurve(pbs); } bool is_rational; uint32_t degree; std::vector control_point; std::vector knot; const EPRCKnotType knot_type; const EPRCBSplineCurveForm curve_form; }; class PRCPolyLine : public PRCCurve, public PRCTransformation, public PRCParameterization { public: PRCPolyLine() : PRCCurve() {} PRCPolyLine(std::string n) : PRCCurve(n) {} void serializePolyLine(PRCbitStream &pbs); void serializeCurve(PRCbitStream &pbs) { serializePolyLine(pbs); } std::vector point; }; class PRCCircle : public PRCCurve, public PRCTransformation, public PRCParameterization { public: PRCCircle() : PRCCurve(), PRCParameterization(0,2*pi) {} PRCCircle(std::string n) : PRCCurve(n), PRCParameterization(0,2*pi) {} void serializeCircle(PRCbitStream &pbs); void serializeCurve(PRCbitStream &pbs) { serializeCircle(pbs); } double radius; }; class PRCComposite : public PRCCurve, public PRCTransformation, public PRCParameterization { public: PRCComposite() : PRCCurve() {} PRCComposite(std::string n) : PRCCurve(n) {} void serializeComposite(PRCbitStream &pbs); void serializeCurve(PRCbitStream &pbs) { serializeComposite(pbs); } PRCCurveList base_curve; std::vector base_sense; bool is_closed; }; class PRCBlend01 : public PRCSurface, public PRCTransformation, public PRCUVParameterization { public: PRCBlend01() : PRCSurface(), center_curve(NULL), origin_curve(NULL), tangent_curve(NULL) {} PRCBlend01(std::string n) : PRCSurface(n), center_curve(NULL), origin_curve(NULL), tangent_curve(NULL) {} ~PRCBlend01() { delete center_curve; delete origin_curve; delete tangent_curve; } void serializeBlend01(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeBlend01(pbs); } // void setCenterCurve (PRCCurve*& curve) { center_curve = curve; curve = NULL; } // void setOriginCurve (PRCCurve*& curve) { origin_curve = curve; curve = NULL; } // void setTangentCurve(PRCCurve*& curve) { tangent_curve = curve; curve = NULL; } PRCCurve* center_curve; PRCCurve* origin_curve; PRCCurve* tangent_curve; }; class PRCRuled : public PRCSurface, public PRCTransformation, public PRCUVParameterization { public: PRCRuled() : PRCSurface(), first_curve(NULL), second_curve(NULL) {} PRCRuled(std::string n) : PRCSurface(n) {} ~PRCRuled() { delete first_curve; delete second_curve; } void serializeRuled(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeRuled(pbs); } // void setFirstCurve(PRCCurve*& curve) { first_curve = curve; curve = NULL; } // void setSecondCurve(PRCCurve*& curve) { second_curve = curve; curve = NULL; } PRCCurve* first_curve; PRCCurve* second_curve; }; class PRCSphere : public PRCSurface, public PRCTransformation, public PRCUVParameterization { public: PRCSphere() : PRCSurface() {} PRCSphere(std::string n) : PRCSurface(n) {} void serializeSphere(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeSphere(pbs); } double radius; }; class PRCCone : public PRCSurface, public PRCTransformation, public PRCUVParameterization { public: PRCCone() : PRCSurface() {} PRCCone(std::string n) : PRCSurface(n) {} void serializeCone(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeCone(pbs); } double bottom_radius; double semi_angle; }; class PRCCylinder : public PRCSurface, public PRCTransformation, public PRCUVParameterization { public: PRCCylinder() : PRCSurface() {} PRCCylinder(std::string n) : PRCSurface(n) {} void serializeCylinder(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeCylinder(pbs); } double radius; }; class PRCTorus : public PRCSurface, public PRCTransformation, public PRCUVParameterization { public: PRCTorus() : PRCSurface() {} PRCTorus(std::string n) : PRCSurface(n) {} void serializeTorus(PRCbitStream &pbs); void serializeSurface(PRCbitStream &pbs) { serializeTorus(pbs); } double major_radius; double minor_radius; }; class PRCBaseTopology : public PRCAttributes { public: PRCBaseTopology() : base_information(false),identifier(0) {} PRCBaseTopology(std::string n, uint32_t id = 0) : base_information(true),name(n),identifier(id) {} void serializeBaseTopology(PRCbitStream&); bool base_information; std::string name; uint32_t identifier; }; class PRCTopoItem { public: virtual ~PRCTopoItem() {} virtual void serializeTopoItem(PRCbitStream&)=0; }; class PRCContentBody: public PRCBaseTopology { public: PRCContentBody() : PRCBaseTopology(), behavior(0) {} PRCContentBody(std::string n) : PRCBaseTopology(n,makeCADID()), behavior(0) {} void serializeContentBody(PRCbitStream&); uint8_t behavior; }; class PRCBody : public PRCContentBody, public PRCTopoItem { public: PRCBody() : PRCContentBody(), topo_item_type(PRC_TYPE_ROOT) {} PRCBody(uint32_t tit) : PRCContentBody(), topo_item_type(tit) {} PRCBody(uint32_t tit, std::string n) : PRCContentBody(n), topo_item_type(tit) {} virtual ~PRCBody() {} virtual void serializeBody(PRCbitStream &pbs) = 0; void serializeTopoItem(PRCbitStream &pbs) { serializeBody(pbs); } uint32_t serialType() { return topo_item_type; } virtual double serialTolerance() { return 0; } const uint32_t topo_item_type; }; typedef std::deque PRCBodyList; class PRCContentWireEdge : public PRCBaseTopology { public: PRCContentWireEdge() : PRCBaseTopology(), curve_3d(NULL), has_curve_trim_interval(false) {} PRCContentWireEdge(std::string n) : PRCBaseTopology(n,makeCADID()), curve_3d(NULL), has_curve_trim_interval(false) {} ~PRCContentWireEdge() { delete curve_3d; } void serializeContentWireEdge(PRCbitStream &pbs); // void setCurve(PRCCurve*& curve) { curve_3d = curve; curve = NULL; } PRCCurve* curve_3d; bool has_curve_trim_interval; PRCInterval curve_trim_interval; }; class PRCWireEdge : public PRCContentWireEdge, public PRCTopoItem { public: void serializeWireEdge(PRCbitStream &pbs); void serializeTopoItem(PRCbitStream &pbs) { serializeWireEdge(pbs); } }; class PRCSingleWireBody : public PRCBody { public: PRCSingleWireBody() : PRCBody(PRC_TYPE_TOPO_SingleWireBody), wire_edge(NULL) {} PRCSingleWireBody(std::string n) : PRCBody(PRC_TYPE_TOPO_SingleWireBody, n), wire_edge(NULL) {} ~PRCSingleWireBody() { delete wire_edge; } void serializeSingleWireBody(PRCbitStream &pbs); void serializeBody(PRCbitStream &pbs) { serializeSingleWireBody(pbs); } void setWireEdge(PRCWireEdge*& wireEdge) { wire_edge = wireEdge; wireEdge = NULL; } PRCWireEdge* wire_edge; }; class PRCFace : public PRCBaseTopology, public PRCTopoItem, public PRCGraphics { public: PRCFace() : PRCBaseTopology(), base_surface(NULL), have_surface_trim_domain(false), have_tolerance(false), tolerance(0), number_of_loop(0), outer_loop_index(-1) {} PRCFace(std::string n) : PRCBaseTopology(n,makeCADID()), base_surface(NULL), have_surface_trim_domain(false), have_tolerance(false), tolerance(0), number_of_loop(0), outer_loop_index(-1) {} ~PRCFace() { delete base_surface; } void serializeFace(PRCbitStream &pbs); void serializeTopoItem(PRCbitStream &pbs) { serializeFace(pbs); } void setBaseSurface(PRCSurface*& surface) { base_surface = surface; surface = NULL; } PRCSurface *base_surface; const bool have_surface_trim_domain; PRCDomain surface_trim_domain; const bool have_tolerance; const double tolerance; const uint32_t number_of_loop; const int32_t outer_loop_index; // PRCLoopList loop; }; typedef std::deque PRCFaceList; class PRCShell : public PRCBaseTopology, public PRCTopoItem { public: PRCShell() : PRCBaseTopology(), shell_is_closed(false) {} PRCShell(std::string n) : PRCBaseTopology(n,makeCADID()), shell_is_closed(false) {} ~PRCShell() { for(PRCFaceList::iterator it=face.begin(); it!=face.end(); ++it) delete *it; } void serializeShell(PRCbitStream &pbs); void serializeTopoItem(PRCbitStream &pbs) { serializeShell(pbs); } void addFace(PRCFace*& pFace, uint8_t orientation=2); bool shell_is_closed; PRCFaceList face; std::vector orientation_surface_with_shell; }; typedef std::deque PRCShellList; class PRCConnex : public PRCBaseTopology, public PRCTopoItem { public: PRCConnex() : PRCBaseTopology() {} PRCConnex(std::string n) : PRCBaseTopology(n,makeCADID()) {} ~PRCConnex() { for(PRCShellList::iterator it=shell.begin(); it!=shell.end(); ++it) delete *it; } void serializeConnex(PRCbitStream &pbs); void serializeTopoItem(PRCbitStream &pbs) { serializeConnex(pbs); } void addShell(PRCShell*& pShell); PRCShellList shell; }; typedef std::deque PRCConnexList; class PRCBrepData : public PRCBody, public PRCBoundingBox { public: PRCBrepData() : PRCBody(PRC_TYPE_TOPO_BrepData) {} PRCBrepData(std::string n) : PRCBody(PRC_TYPE_TOPO_BrepData, n) {} ~PRCBrepData() { for(PRCConnexList::iterator it=connex.begin(); it!=connex.end(); ++it) delete *it; } void serializeBrepData(PRCbitStream &pbs); void serializeBody(PRCbitStream &pbs) { serializeBrepData(pbs); } void addConnex(PRCConnex*& pConnex); PRCConnexList connex; }; // For now - treat just the case of Bezier surfaces cubic 4x4 or linear 2x2 class PRCCompressedFace : public PRCBaseTopology, public PRCGraphics { public: PRCCompressedFace() : PRCBaseTopology(), orientation_surface_with_shell(true), degree(0) {} PRCCompressedFace(std::string n) : PRCBaseTopology(n,makeCADID()), orientation_surface_with_shell(true), degree(0) {} void serializeCompressedFace(PRCbitStream &pbs, double brep_data_compressed_tolerance); void serializeContentCompressedFace(PRCbitStream &pbs); void serializeCompressedAnaNurbs(PRCbitStream &pbs, double brep_data_compressed_tolerance); void serializeCompressedNurbs(PRCbitStream &pbs, double brep_data_compressed_tolerance); bool orientation_surface_with_shell; uint32_t degree; std::vector control_point; }; typedef std::deque PRCCompressedFaceList; // For now - treat just the case of one connex/one shell class PRCCompressedBrepData : public PRCBody { public: PRCCompressedBrepData() : PRCBody(PRC_TYPE_TOPO_BrepDataCompress), serial_tolerance(0), brep_data_compressed_tolerance(0) {} PRCCompressedBrepData(std::string n) : PRCBody(PRC_TYPE_TOPO_BrepDataCompress, n), serial_tolerance(0), brep_data_compressed_tolerance(0) {} ~PRCCompressedBrepData() { for(PRCCompressedFaceList::iterator it=face.begin(); it!=face.end(); ++it) delete *it; } void serializeCompressedBrepData(PRCbitStream &pbs); void serializeBody(PRCbitStream &pbs) { serializeCompressedBrepData(pbs); } void serializeCompressedShell(PRCbitStream &pbs); double serialTolerance() { return serial_tolerance; } double serial_tolerance; double brep_data_compressed_tolerance; PRCCompressedFaceList face; }; class PRCTopoContext : public ContentPRCBase { public: PRCTopoContext(std::string n="") : ContentPRCBase(PRC_TYPE_TOPO_Context,n), behaviour(0), granularity(1), tolerance(0), have_smallest_face_thickness(false), smallest_thickness(0), have_scale(false), scale(1) {} ~PRCTopoContext() { for(PRCBodyList::iterator it=body.begin(); it!=body.end(); ++it) delete *it; } void serializeTopoContext(PRCbitStream&); void serializeContextAndBodies(PRCbitStream&); void serializeGeometrySummary(PRCbitStream&); void serializeContextGraphics(PRCbitStream&); uint32_t addSingleWireBody(PRCSingleWireBody*& body); uint32_t addBrepData(PRCBrepData*& body); uint32_t addCompressedBrepData(PRCCompressedBrepData*& body); uint8_t behaviour; double granularity; double tolerance; bool have_smallest_face_thickness; double smallest_thickness; bool have_scale; double scale; PRCBodyList body; }; typedef std::deque PRCTopoContextList; class PRCUniqueId { public: PRCUniqueId() : id0(0), id1(0), id2(0), id3(0) {} void serializeCompressedUniqueId(PRCbitStream&) const; void serializeFileStructureUncompressedUniqueId(std::ostream& out) const; uint32_t id0; uint32_t id1; uint32_t id2; uint32_t id3; }; class PRCUnit { public: PRCUnit() : unit_from_CAD_file(false), unit(1) {} PRCUnit(double u, bool ufcf=true) : unit_from_CAD_file(ufcf), unit(u) {} void serializeUnit(PRCbitStream&); bool unit_from_CAD_file; double unit; }; class PRCProductOccurrence: public PRCGraphics, public ContentPRCBase { public: PRCProductOccurrence(std::string n="") : ContentPRCBase(PRC_TYPE_ASM_ProductOccurence,n), index_part(m1), index_prototype(m1), prototype_in_same_file_structure(true), index_external_data(m1), external_data_in_same_file_structure(true), product_behaviour(0), product_information_flags(0), product_load_status(KEPRCProductLoadStatus_Loaded), location(NULL) {} ~PRCProductOccurrence() { delete location; } void setLocation(PRCGeneralTransformation3d*& transform) { location = transform; transform = NULL; } void serializeProductOccurrence(PRCbitStream&); uint32_t index_part; uint32_t index_prototype; bool prototype_in_same_file_structure; PRCUniqueId prototype_file_structure; uint32_t index_external_data; bool external_data_in_same_file_structure; PRCUniqueId external_data_file_structure; std::vector index_son_occurrence; uint8_t product_behaviour; PRCUnit unit_information; uint8_t product_information_flags; EPRCProductLoadStatus product_load_status; PRCGeneralTransformation3d *location; }; typedef std::deque PRCProductOccurrenceList; class PRCPartDefinition: public PRCGraphics, public ContentPRCBase, public PRCBoundingBox { public: PRCPartDefinition(std::string n="") : ContentPRCBase(PRC_TYPE_ASM_PartDefinition,n) {} ~PRCPartDefinition() { for(PRCRepresentationItemList::iterator it=representation_item.begin(); it!=representation_item.end(); ++it) delete *it; } void serializePartDefinition(PRCbitStream&); uint32_t addBrepModel(PRCBrepModel*& pBrepModel); uint32_t addPolyBrepModel(PRCPolyBrepModel*& pPolyBrepModel); uint32_t addPointSet(PRCPointSet*& pPointSet); uint32_t addSet(PRCSet*& pSet); uint32_t addWire(PRCWire*& pWire); uint32_t addPolyWire(PRCPolyWire*& pPolyWire); uint32_t addRepresentationItem(PRCRepresentationItem*& pRepresentationItem); PRCRepresentationItemList representation_item; }; typedef std::deque PRCPartDefinitionList; #endif //__WRITE_PRC_H asymptote-2.62/prc/PRCdouble.cc0000644000000000000000000053213613607467113015122 0ustar rootroot#include "PRCdouble.h" // from Adobe's documentation PRCdword stadwZero[2]={DOUBLEWITHTWODWORD(0x00000000,0x00000000)}; PRCdword stadwNegativeZero[2]={DOUBLEWITHTWODWORD(0x80000000,0x00000000)}; struct sCodageOfFrequentDoubleOrExponent* getcofdoe(unsigned Bits, short NumberOfBits) { struct sCodageOfFrequentDoubleOrExponent *pcofdoe; for(pcofdoe=acofdoe; pcofdoe < acofdoe+NUMBEROFELEMENTINACOFDOE; ++pcofdoe) { if(pcofdoe->NumberOfBits == NumberOfBits && pcofdoe->Bits == Bits) return pcofdoe; } return NULL; } int stCOFDOECompare(const void* pcofdoe1,const void* pcofdoe2) { return(EXPONENT(((const struct sCodageOfFrequentDoubleOrExponent *)pcofdoe1)->u2uod.Value)- EXPONENT(((const struct sCodageOfFrequentDoubleOrExponent *)pcofdoe2)->u2uod.Value)); } #ifdef WORDS_BIGENDIAN #ifndef HAVE_MEMRCHR void *memrchr(const void *buf,int c,size_t count) { unsigned char *pcBuffer=(unsigned char *)buf, *pcBufferEnd=pcBuffer-count; for(;pcBuffer>pcBufferEnd;pcBuffer--) if(*pcBuffer==c) return(pcBuffer); return(NULL); } #endif #endif sCodageOfFrequentDoubleOrExponent acofdoe[NUMBEROFELEMENTINACOFDOE] = { {VT_double,2,0x1,{DOUBLEWITHTWODWORDINTREE(0x00000000,0x00000000)}}, {VT_exponent,22,0xd1d32,{DOUBLEWITHTWODWORDINTREE(0x00000000,0x00000000)}}, {VT_exponent,22,0xd1d33,{DOUBLEWITHTWODWORDINTREE(0x00100000,0x00000000)}}, {VT_exponent,22,0xf78d8,{DOUBLEWITHTWODWORDINTREE(0x00200000,0x00000000)}}, {VT_exponent,22,0xf78d9,{DOUBLEWITHTWODWORDINTREE(0x00300000,0x00000000)}}, {VT_exponent,22,0xf78da,{DOUBLEWITHTWODWORDINTREE(0x00400000,0x00000000)}}, {VT_exponent,22,0xf78db,{DOUBLEWITHTWODWORDINTREE(0x00500000,0x00000000)}}, {VT_exponent,22,0xf78dc,{DOUBLEWITHTWODWORDINTREE(0x00600000,0x00000000)}}, {VT_exponent,22,0xf78dd,{DOUBLEWITHTWODWORDINTREE(0x00700000,0x00000000)}}, {VT_exponent,22,0xf78de,{DOUBLEWITHTWODWORDINTREE(0x00800000,0x00000000)}}, {VT_exponent,22,0xf78df,{DOUBLEWITHTWODWORDINTREE(0x00900000,0x00000000)}}, {VT_exponent,22,0xf78e0,{DOUBLEWITHTWODWORDINTREE(0x00a00000,0x00000000)}}, {VT_exponent,22,0xf78e1,{DOUBLEWITHTWODWORDINTREE(0x00b00000,0x00000000)}}, {VT_exponent,22,0xf78e2,{DOUBLEWITHTWODWORDINTREE(0x00c00000,0x00000000)}}, {VT_exponent,22,0xf78e3,{DOUBLEWITHTWODWORDINTREE(0x00d00000,0x00000000)}}, {VT_exponent,22,0xf78e4,{DOUBLEWITHTWODWORDINTREE(0x00e00000,0x00000000)}}, {VT_exponent,22,0xf78e5,{DOUBLEWITHTWODWORDINTREE(0x00f00000,0x00000000)}}, {VT_exponent,22,0xf78e6,{DOUBLEWITHTWODWORDINTREE(0x01000000,0x00000000)}}, {VT_exponent,22,0xf78e7,{DOUBLEWITHTWODWORDINTREE(0x01100000,0x00000000)}}, {VT_exponent,22,0xf78e8,{DOUBLEWITHTWODWORDINTREE(0x01200000,0x00000000)}}, {VT_exponent,22,0xf78e9,{DOUBLEWITHTWODWORDINTREE(0x01300000,0x00000000)}}, {VT_exponent,22,0xf78ea,{DOUBLEWITHTWODWORDINTREE(0x01400000,0x00000000)}}, {VT_exponent,22,0xf78eb,{DOUBLEWITHTWODWORDINTREE(0x01500000,0x00000000)}}, {VT_exponent,22,0xf78ec,{DOUBLEWITHTWODWORDINTREE(0x01600000,0x00000000)}}, {VT_exponent,22,0xf78ed,{DOUBLEWITHTWODWORDINTREE(0x01700000,0x00000000)}}, {VT_exponent,22,0xf78ee,{DOUBLEWITHTWODWORDINTREE(0x01800000,0x00000000)}}, {VT_exponent,22,0xf78ef,{DOUBLEWITHTWODWORDINTREE(0x01900000,0x00000000)}}, {VT_exponent,22,0xf78f0,{DOUBLEWITHTWODWORDINTREE(0x01a00000,0x00000000)}}, {VT_exponent,22,0xf78f1,{DOUBLEWITHTWODWORDINTREE(0x01b00000,0x00000000)}}, {VT_exponent,22,0xf78f2,{DOUBLEWITHTWODWORDINTREE(0x01c00000,0x00000000)}}, {VT_exponent,22,0xf78f3,{DOUBLEWITHTWODWORDINTREE(0x01d00000,0x00000000)}}, {VT_exponent,22,0xf78f4,{DOUBLEWITHTWODWORDINTREE(0x01e00000,0x00000000)}}, {VT_exponent,22,0xf78f5,{DOUBLEWITHTWODWORDINTREE(0x01f00000,0x00000000)}}, {VT_exponent,22,0xf78f6,{DOUBLEWITHTWODWORDINTREE(0x02000000,0x00000000)}}, {VT_exponent,22,0xf78f7,{DOUBLEWITHTWODWORDINTREE(0x02100000,0x00000000)}}, {VT_exponent,22,0xf78f8,{DOUBLEWITHTWODWORDINTREE(0x02200000,0x00000000)}}, {VT_exponent,22,0xf78f9,{DOUBLEWITHTWODWORDINTREE(0x02300000,0x00000000)}}, {VT_exponent,22,0xf78fa,{DOUBLEWITHTWODWORDINTREE(0x02400000,0x00000000)}}, {VT_exponent,22,0xf78fb,{DOUBLEWITHTWODWORDINTREE(0x02500000,0x00000000)}}, {VT_exponent,22,0xf78fc,{DOUBLEWITHTWODWORDINTREE(0x02600000,0x00000000)}}, {VT_exponent,22,0xf78fd,{DOUBLEWITHTWODWORDINTREE(0x02700000,0x00000000)}}, {VT_exponent,22,0xf78fe,{DOUBLEWITHTWODWORDINTREE(0x02800000,0x00000000)}}, {VT_exponent,22,0xf78ff,{DOUBLEWITHTWODWORDINTREE(0x02900000,0x00000000)}}, {VT_exponent,22,0x3a8300,{DOUBLEWITHTWODWORDINTREE(0x02a00000,0x00000000)}}, {VT_exponent,22,0x3a8301,{DOUBLEWITHTWODWORDINTREE(0x02b00000,0x00000000)}}, {VT_exponent,22,0x3a8302,{DOUBLEWITHTWODWORDINTREE(0x02c00000,0x00000000)}}, {VT_exponent,22,0x3a8303,{DOUBLEWITHTWODWORDINTREE(0x02d00000,0x00000000)}}, {VT_exponent,22,0x3a8304,{DOUBLEWITHTWODWORDINTREE(0x02e00000,0x00000000)}}, {VT_exponent,22,0x3a8305,{DOUBLEWITHTWODWORDINTREE(0x02f00000,0x00000000)}}, {VT_exponent,22,0x3a8306,{DOUBLEWITHTWODWORDINTREE(0x03000000,0x00000000)}}, {VT_exponent,22,0x3a8307,{DOUBLEWITHTWODWORDINTREE(0x03100000,0x00000000)}}, {VT_exponent,22,0x3a8308,{DOUBLEWITHTWODWORDINTREE(0x03200000,0x00000000)}}, {VT_exponent,22,0x3a8309,{DOUBLEWITHTWODWORDINTREE(0x03300000,0x00000000)}}, {VT_exponent,22,0x3a830a,{DOUBLEWITHTWODWORDINTREE(0x03400000,0x00000000)}}, {VT_exponent,22,0x3a830b,{DOUBLEWITHTWODWORDINTREE(0x03500000,0x00000000)}}, {VT_exponent,22,0x3a830c,{DOUBLEWITHTWODWORDINTREE(0x03600000,0x00000000)}}, {VT_exponent,22,0x3a830d,{DOUBLEWITHTWODWORDINTREE(0x03700000,0x00000000)}}, {VT_exponent,22,0x3a830e,{DOUBLEWITHTWODWORDINTREE(0x03800000,0x00000000)}}, {VT_exponent,22,0x3a830f,{DOUBLEWITHTWODWORDINTREE(0x03900000,0x00000000)}}, {VT_exponent,22,0x3a8310,{DOUBLEWITHTWODWORDINTREE(0x03a00000,0x00000000)}}, {VT_exponent,22,0x3a8311,{DOUBLEWITHTWODWORDINTREE(0x03b00000,0x00000000)}}, {VT_exponent,22,0x3a8312,{DOUBLEWITHTWODWORDINTREE(0x03c00000,0x00000000)}}, {VT_exponent,22,0x3a8313,{DOUBLEWITHTWODWORDINTREE(0x03d00000,0x00000000)}}, {VT_exponent,22,0x3a8314,{DOUBLEWITHTWODWORDINTREE(0x03e00000,0x00000000)}}, {VT_exponent,22,0x3a8315,{DOUBLEWITHTWODWORDINTREE(0x03f00000,0x00000000)}}, {VT_exponent,22,0x3a8316,{DOUBLEWITHTWODWORDINTREE(0x04000000,0x00000000)}}, {VT_exponent,22,0x3a8317,{DOUBLEWITHTWODWORDINTREE(0x04100000,0x00000000)}}, {VT_exponent,22,0x3a8318,{DOUBLEWITHTWODWORDINTREE(0x04200000,0x00000000)}}, {VT_exponent,22,0x3a8319,{DOUBLEWITHTWODWORDINTREE(0x04300000,0x00000000)}}, {VT_exponent,22,0x3a831a,{DOUBLEWITHTWODWORDINTREE(0x04400000,0x00000000)}}, {VT_exponent,22,0x3a831b,{DOUBLEWITHTWODWORDINTREE(0x04500000,0x00000000)}}, {VT_exponent,22,0x3a831c,{DOUBLEWITHTWODWORDINTREE(0x04600000,0x00000000)}}, {VT_exponent,22,0x3a831d,{DOUBLEWITHTWODWORDINTREE(0x04700000,0x00000000)}}, {VT_exponent,22,0x3a831e,{DOUBLEWITHTWODWORDINTREE(0x04800000,0x00000000)}}, {VT_exponent,22,0x3a831f,{DOUBLEWITHTWODWORDINTREE(0x04900000,0x00000000)}}, {VT_exponent,22,0x3a8320,{DOUBLEWITHTWODWORDINTREE(0x04a00000,0x00000000)}}, {VT_exponent,22,0x3a8321,{DOUBLEWITHTWODWORDINTREE(0x04b00000,0x00000000)}}, {VT_exponent,22,0x3a8322,{DOUBLEWITHTWODWORDINTREE(0x04c00000,0x00000000)}}, {VT_exponent,22,0x3a8323,{DOUBLEWITHTWODWORDINTREE(0x04d00000,0x00000000)}}, {VT_exponent,22,0x3a8324,{DOUBLEWITHTWODWORDINTREE(0x04e00000,0x00000000)}}, {VT_exponent,22,0x3a8325,{DOUBLEWITHTWODWORDINTREE(0x04f00000,0x00000000)}}, {VT_exponent,22,0x3a8326,{DOUBLEWITHTWODWORDINTREE(0x05000000,0x00000000)}}, {VT_exponent,22,0x3a8327,{DOUBLEWITHTWODWORDINTREE(0x05100000,0x00000000)}}, {VT_exponent,22,0x3a8328,{DOUBLEWITHTWODWORDINTREE(0x05200000,0x00000000)}}, {VT_exponent,22,0x3a8329,{DOUBLEWITHTWODWORDINTREE(0x05300000,0x00000000)}}, {VT_exponent,22,0x3a832a,{DOUBLEWITHTWODWORDINTREE(0x05400000,0x00000000)}}, {VT_exponent,22,0x3a832b,{DOUBLEWITHTWODWORDINTREE(0x05500000,0x00000000)}}, {VT_exponent,22,0x3a832c,{DOUBLEWITHTWODWORDINTREE(0x05600000,0x00000000)}}, {VT_exponent,22,0x3a832d,{DOUBLEWITHTWODWORDINTREE(0x05700000,0x00000000)}}, {VT_exponent,22,0x3a832e,{DOUBLEWITHTWODWORDINTREE(0x05800000,0x00000000)}}, {VT_exponent,22,0x3a832f,{DOUBLEWITHTWODWORDINTREE(0x05900000,0x00000000)}}, {VT_exponent,22,0x3a8330,{DOUBLEWITHTWODWORDINTREE(0x05a00000,0x00000000)}}, {VT_exponent,22,0x3a8331,{DOUBLEWITHTWODWORDINTREE(0x05b00000,0x00000000)}}, {VT_exponent,22,0x3a8332,{DOUBLEWITHTWODWORDINTREE(0x05c00000,0x00000000)}}, {VT_exponent,22,0x3a8333,{DOUBLEWITHTWODWORDINTREE(0x05d00000,0x00000000)}}, {VT_exponent,22,0x3a8334,{DOUBLEWITHTWODWORDINTREE(0x05e00000,0x00000000)}}, {VT_exponent,22,0x3a8335,{DOUBLEWITHTWODWORDINTREE(0x05f00000,0x00000000)}}, {VT_exponent,22,0x3a8336,{DOUBLEWITHTWODWORDINTREE(0x06000000,0x00000000)}}, {VT_exponent,22,0x3a8337,{DOUBLEWITHTWODWORDINTREE(0x06100000,0x00000000)}}, {VT_exponent,22,0x3a8338,{DOUBLEWITHTWODWORDINTREE(0x06200000,0x00000000)}}, {VT_exponent,22,0x3a8339,{DOUBLEWITHTWODWORDINTREE(0x06300000,0x00000000)}}, {VT_exponent,22,0x3a833a,{DOUBLEWITHTWODWORDINTREE(0x06400000,0x00000000)}}, {VT_exponent,22,0x3a833b,{DOUBLEWITHTWODWORDINTREE(0x06500000,0x00000000)}}, {VT_exponent,22,0x3a833c,{DOUBLEWITHTWODWORDINTREE(0x06600000,0x00000000)}}, {VT_exponent,22,0x3a833d,{DOUBLEWITHTWODWORDINTREE(0x06700000,0x00000000)}}, {VT_exponent,22,0x3a833e,{DOUBLEWITHTWODWORDINTREE(0x06800000,0x00000000)}}, {VT_exponent,22,0x3a833f,{DOUBLEWITHTWODWORDINTREE(0x06900000,0x00000000)}}, {VT_exponent,22,0x3a8340,{DOUBLEWITHTWODWORDINTREE(0x06a00000,0x00000000)}}, {VT_exponent,22,0x3a8341,{DOUBLEWITHTWODWORDINTREE(0x06b00000,0x00000000)}}, {VT_exponent,22,0x3a8342,{DOUBLEWITHTWODWORDINTREE(0x06c00000,0x00000000)}}, {VT_exponent,22,0x3a8343,{DOUBLEWITHTWODWORDINTREE(0x06d00000,0x00000000)}}, {VT_exponent,22,0x3a8344,{DOUBLEWITHTWODWORDINTREE(0x06e00000,0x00000000)}}, {VT_exponent,22,0x3a8345,{DOUBLEWITHTWODWORDINTREE(0x06f00000,0x00000000)}}, {VT_exponent,22,0x3a8346,{DOUBLEWITHTWODWORDINTREE(0x07000000,0x00000000)}}, {VT_exponent,22,0x3a8347,{DOUBLEWITHTWODWORDINTREE(0x07100000,0x00000000)}}, {VT_exponent,22,0x3a8348,{DOUBLEWITHTWODWORDINTREE(0x07200000,0x00000000)}}, {VT_exponent,22,0x3a8349,{DOUBLEWITHTWODWORDINTREE(0x07300000,0x00000000)}}, {VT_exponent,22,0x3a834a,{DOUBLEWITHTWODWORDINTREE(0x07400000,0x00000000)}}, {VT_exponent,22,0x3a834b,{DOUBLEWITHTWODWORDINTREE(0x07500000,0x00000000)}}, {VT_exponent,22,0x3a834c,{DOUBLEWITHTWODWORDINTREE(0x07600000,0x00000000)}}, {VT_exponent,22,0x3a834d,{DOUBLEWITHTWODWORDINTREE(0x07700000,0x00000000)}}, {VT_exponent,22,0x3a834e,{DOUBLEWITHTWODWORDINTREE(0x07800000,0x00000000)}}, {VT_exponent,22,0x3a834f,{DOUBLEWITHTWODWORDINTREE(0x07900000,0x00000000)}}, {VT_exponent,22,0x3a8350,{DOUBLEWITHTWODWORDINTREE(0x07a00000,0x00000000)}}, {VT_exponent,22,0x3a8351,{DOUBLEWITHTWODWORDINTREE(0x07b00000,0x00000000)}}, {VT_exponent,22,0x3a8352,{DOUBLEWITHTWODWORDINTREE(0x07c00000,0x00000000)}}, {VT_exponent,22,0x3a8353,{DOUBLEWITHTWODWORDINTREE(0x07d00000,0x00000000)}}, {VT_exponent,22,0x3a8354,{DOUBLEWITHTWODWORDINTREE(0x07e00000,0x00000000)}}, {VT_exponent,22,0x3a8355,{DOUBLEWITHTWODWORDINTREE(0x07f00000,0x00000000)}}, {VT_exponent,22,0x3a8356,{DOUBLEWITHTWODWORDINTREE(0x08000000,0x00000000)}}, {VT_exponent,22,0x3a8357,{DOUBLEWITHTWODWORDINTREE(0x08100000,0x00000000)}}, {VT_exponent,22,0x3a8358,{DOUBLEWITHTWODWORDINTREE(0x08200000,0x00000000)}}, {VT_exponent,22,0x3a8359,{DOUBLEWITHTWODWORDINTREE(0x08300000,0x00000000)}}, {VT_exponent,22,0x3a835a,{DOUBLEWITHTWODWORDINTREE(0x08400000,0x00000000)}}, {VT_exponent,22,0x3a835b,{DOUBLEWITHTWODWORDINTREE(0x08500000,0x00000000)}}, {VT_exponent,22,0x3a835c,{DOUBLEWITHTWODWORDINTREE(0x08600000,0x00000000)}}, {VT_exponent,22,0x3a835d,{DOUBLEWITHTWODWORDINTREE(0x08700000,0x00000000)}}, {VT_exponent,22,0x3a835e,{DOUBLEWITHTWODWORDINTREE(0x08800000,0x00000000)}}, {VT_exponent,22,0x3a835f,{DOUBLEWITHTWODWORDINTREE(0x08900000,0x00000000)}}, {VT_exponent,22,0x3a8360,{DOUBLEWITHTWODWORDINTREE(0x08a00000,0x00000000)}}, {VT_exponent,22,0x3a8361,{DOUBLEWITHTWODWORDINTREE(0x08b00000,0x00000000)}}, {VT_exponent,22,0x3a8362,{DOUBLEWITHTWODWORDINTREE(0x08c00000,0x00000000)}}, {VT_exponent,22,0x3a8363,{DOUBLEWITHTWODWORDINTREE(0x08d00000,0x00000000)}}, {VT_exponent,22,0x3a8364,{DOUBLEWITHTWODWORDINTREE(0x08e00000,0x00000000)}}, {VT_exponent,22,0x3a8365,{DOUBLEWITHTWODWORDINTREE(0x08f00000,0x00000000)}}, {VT_exponent,22,0x3a8366,{DOUBLEWITHTWODWORDINTREE(0x09000000,0x00000000)}}, {VT_exponent,22,0x3a8367,{DOUBLEWITHTWODWORDINTREE(0x09100000,0x00000000)}}, {VT_exponent,22,0x3a8368,{DOUBLEWITHTWODWORDINTREE(0x09200000,0x00000000)}}, {VT_exponent,22,0x3a8369,{DOUBLEWITHTWODWORDINTREE(0x09300000,0x00000000)}}, {VT_exponent,22,0x3a836a,{DOUBLEWITHTWODWORDINTREE(0x09400000,0x00000000)}}, {VT_exponent,22,0x3a836b,{DOUBLEWITHTWODWORDINTREE(0x09500000,0x00000000)}}, {VT_exponent,22,0x3a836c,{DOUBLEWITHTWODWORDINTREE(0x09600000,0x00000000)}}, {VT_exponent,22,0x3a836d,{DOUBLEWITHTWODWORDINTREE(0x09700000,0x00000000)}}, {VT_exponent,22,0x3a836e,{DOUBLEWITHTWODWORDINTREE(0x09800000,0x00000000)}}, {VT_exponent,22,0x3a836f,{DOUBLEWITHTWODWORDINTREE(0x09900000,0x00000000)}}, {VT_exponent,22,0x3a8370,{DOUBLEWITHTWODWORDINTREE(0x09a00000,0x00000000)}}, {VT_exponent,22,0x3a8371,{DOUBLEWITHTWODWORDINTREE(0x09b00000,0x00000000)}}, {VT_exponent,22,0x3a8372,{DOUBLEWITHTWODWORDINTREE(0x09c00000,0x00000000)}}, {VT_exponent,22,0x3a8373,{DOUBLEWITHTWODWORDINTREE(0x09d00000,0x00000000)}}, {VT_exponent,22,0x3a8374,{DOUBLEWITHTWODWORDINTREE(0x09e00000,0x00000000)}}, {VT_exponent,22,0x3a8375,{DOUBLEWITHTWODWORDINTREE(0x09f00000,0x00000000)}}, {VT_exponent,22,0x3a8376,{DOUBLEWITHTWODWORDINTREE(0x0a000000,0x00000000)}}, {VT_exponent,22,0x3a8377,{DOUBLEWITHTWODWORDINTREE(0x0a100000,0x00000000)}}, {VT_exponent,22,0x3a8378,{DOUBLEWITHTWODWORDINTREE(0x0a200000,0x00000000)}}, {VT_exponent,22,0x3a8379,{DOUBLEWITHTWODWORDINTREE(0x0a300000,0x00000000)}}, {VT_exponent,22,0x3a837a,{DOUBLEWITHTWODWORDINTREE(0x0a400000,0x00000000)}}, {VT_exponent,22,0x3a837b,{DOUBLEWITHTWODWORDINTREE(0x0a500000,0x00000000)}}, {VT_exponent,22,0x3a837c,{DOUBLEWITHTWODWORDINTREE(0x0a600000,0x00000000)}}, {VT_exponent,22,0x3a837d,{DOUBLEWITHTWODWORDINTREE(0x0a700000,0x00000000)}}, {VT_exponent,22,0x3a837e,{DOUBLEWITHTWODWORDINTREE(0x0a800000,0x00000000)}}, {VT_exponent,22,0x3a837f,{DOUBLEWITHTWODWORDINTREE(0x0a900000,0x00000000)}}, {VT_exponent,22,0x3a8380,{DOUBLEWITHTWODWORDINTREE(0x0aa00000,0x00000000)}}, {VT_exponent,22,0x3a8381,{DOUBLEWITHTWODWORDINTREE(0x0ab00000,0x00000000)}}, {VT_exponent,22,0x3a8382,{DOUBLEWITHTWODWORDINTREE(0x0ac00000,0x00000000)}}, {VT_exponent,22,0x3a8383,{DOUBLEWITHTWODWORDINTREE(0x0ad00000,0x00000000)}}, {VT_exponent,22,0x3a8384,{DOUBLEWITHTWODWORDINTREE(0x0ae00000,0x00000000)}}, {VT_exponent,22,0x3a8385,{DOUBLEWITHTWODWORDINTREE(0x0af00000,0x00000000)}}, {VT_exponent,22,0x3a8386,{DOUBLEWITHTWODWORDINTREE(0x0b000000,0x00000000)}}, {VT_exponent,22,0x3a8387,{DOUBLEWITHTWODWORDINTREE(0x0b100000,0x00000000)}}, {VT_exponent,22,0x3a8388,{DOUBLEWITHTWODWORDINTREE(0x0b200000,0x00000000)}}, {VT_exponent,22,0x3a8389,{DOUBLEWITHTWODWORDINTREE(0x0b300000,0x00000000)}}, {VT_exponent,22,0x3a838a,{DOUBLEWITHTWODWORDINTREE(0x0b400000,0x00000000)}}, {VT_exponent,22,0x3a838b,{DOUBLEWITHTWODWORDINTREE(0x0b500000,0x00000000)}}, {VT_exponent,22,0x3a838c,{DOUBLEWITHTWODWORDINTREE(0x0b600000,0x00000000)}}, {VT_exponent,22,0x3a838d,{DOUBLEWITHTWODWORDINTREE(0x0b700000,0x00000000)}}, {VT_exponent,22,0x3a838e,{DOUBLEWITHTWODWORDINTREE(0x0b800000,0x00000000)}}, {VT_exponent,22,0x3a838f,{DOUBLEWITHTWODWORDINTREE(0x0b900000,0x00000000)}}, {VT_exponent,22,0x3a8390,{DOUBLEWITHTWODWORDINTREE(0x0ba00000,0x00000000)}}, {VT_exponent,22,0x3a8391,{DOUBLEWITHTWODWORDINTREE(0x0bb00000,0x00000000)}}, {VT_exponent,22,0x3a8392,{DOUBLEWITHTWODWORDINTREE(0x0bc00000,0x00000000)}}, {VT_exponent,22,0x3a8393,{DOUBLEWITHTWODWORDINTREE(0x0bd00000,0x00000000)}}, {VT_exponent,22,0x3a8394,{DOUBLEWITHTWODWORDINTREE(0x0be00000,0x00000000)}}, {VT_exponent,22,0x3a8395,{DOUBLEWITHTWODWORDINTREE(0x0bf00000,0x00000000)}}, {VT_exponent,22,0x3a8396,{DOUBLEWITHTWODWORDINTREE(0x0c000000,0x00000000)}}, {VT_exponent,22,0x3a8397,{DOUBLEWITHTWODWORDINTREE(0x0c100000,0x00000000)}}, {VT_exponent,22,0x3a8398,{DOUBLEWITHTWODWORDINTREE(0x0c200000,0x00000000)}}, {VT_exponent,22,0x3a8399,{DOUBLEWITHTWODWORDINTREE(0x0c300000,0x00000000)}}, {VT_exponent,22,0x3a839a,{DOUBLEWITHTWODWORDINTREE(0x0c400000,0x00000000)}}, {VT_exponent,22,0x3a839b,{DOUBLEWITHTWODWORDINTREE(0x0c500000,0x00000000)}}, {VT_exponent,22,0x3a839c,{DOUBLEWITHTWODWORDINTREE(0x0c600000,0x00000000)}}, {VT_exponent,22,0x3a839d,{DOUBLEWITHTWODWORDINTREE(0x0c700000,0x00000000)}}, {VT_exponent,22,0x3a839e,{DOUBLEWITHTWODWORDINTREE(0x0c800000,0x00000000)}}, {VT_exponent,22,0x3a839f,{DOUBLEWITHTWODWORDINTREE(0x0c900000,0x00000000)}}, {VT_exponent,22,0x3a83a0,{DOUBLEWITHTWODWORDINTREE(0x0ca00000,0x00000000)}}, {VT_exponent,22,0x3a83a1,{DOUBLEWITHTWODWORDINTREE(0x0cb00000,0x00000000)}}, {VT_exponent,22,0x3a83a2,{DOUBLEWITHTWODWORDINTREE(0x0cc00000,0x00000000)}}, {VT_exponent,22,0x3a83a3,{DOUBLEWITHTWODWORDINTREE(0x0cd00000,0x00000000)}}, {VT_exponent,22,0x3a83a4,{DOUBLEWITHTWODWORDINTREE(0x0ce00000,0x00000000)}}, {VT_exponent,22,0x3a83a5,{DOUBLEWITHTWODWORDINTREE(0x0cf00000,0x00000000)}}, {VT_exponent,22,0x3a83a6,{DOUBLEWITHTWODWORDINTREE(0x0d000000,0x00000000)}}, {VT_exponent,22,0x3a83a7,{DOUBLEWITHTWODWORDINTREE(0x0d100000,0x00000000)}}, {VT_exponent,22,0x3a83a8,{DOUBLEWITHTWODWORDINTREE(0x0d200000,0x00000000)}}, {VT_exponent,22,0x3a83a9,{DOUBLEWITHTWODWORDINTREE(0x0d300000,0x00000000)}}, {VT_exponent,22,0x3a83aa,{DOUBLEWITHTWODWORDINTREE(0x0d400000,0x00000000)}}, {VT_exponent,22,0x3a83ab,{DOUBLEWITHTWODWORDINTREE(0x0d500000,0x00000000)}}, {VT_exponent,22,0x3a83ac,{DOUBLEWITHTWODWORDINTREE(0x0d600000,0x00000000)}}, {VT_exponent,22,0x3a83ad,{DOUBLEWITHTWODWORDINTREE(0x0d700000,0x00000000)}}, {VT_exponent,22,0x3a83ae,{DOUBLEWITHTWODWORDINTREE(0x0d800000,0x00000000)}}, {VT_exponent,22,0x3a83af,{DOUBLEWITHTWODWORDINTREE(0x0d900000,0x00000000)}}, {VT_exponent,22,0x3a83b0,{DOUBLEWITHTWODWORDINTREE(0x0da00000,0x00000000)}}, {VT_exponent,22,0x3a83b1,{DOUBLEWITHTWODWORDINTREE(0x0db00000,0x00000000)}}, {VT_exponent,22,0x3a83b2,{DOUBLEWITHTWODWORDINTREE(0x0dc00000,0x00000000)}}, {VT_exponent,22,0x3a83b3,{DOUBLEWITHTWODWORDINTREE(0x0dd00000,0x00000000)}}, {VT_exponent,22,0x3a83b4,{DOUBLEWITHTWODWORDINTREE(0x0de00000,0x00000000)}}, {VT_exponent,22,0x3a83b5,{DOUBLEWITHTWODWORDINTREE(0x0df00000,0x00000000)}}, {VT_exponent,22,0x3a83b6,{DOUBLEWITHTWODWORDINTREE(0x0e000000,0x00000000)}}, {VT_exponent,22,0x3a83b7,{DOUBLEWITHTWODWORDINTREE(0x0e100000,0x00000000)}}, {VT_exponent,22,0x3a83b8,{DOUBLEWITHTWODWORDINTREE(0x0e200000,0x00000000)}}, {VT_exponent,22,0x3a83b9,{DOUBLEWITHTWODWORDINTREE(0x0e300000,0x00000000)}}, {VT_exponent,22,0x3a83ba,{DOUBLEWITHTWODWORDINTREE(0x0e400000,0x00000000)}}, {VT_exponent,22,0x3a83bb,{DOUBLEWITHTWODWORDINTREE(0x0e500000,0x00000000)}}, {VT_exponent,22,0x3a83bc,{DOUBLEWITHTWODWORDINTREE(0x0e600000,0x00000000)}}, {VT_exponent,22,0x3a83bd,{DOUBLEWITHTWODWORDINTREE(0x0e700000,0x00000000)}}, {VT_exponent,22,0x3a83be,{DOUBLEWITHTWODWORDINTREE(0x0e800000,0x00000000)}}, {VT_exponent,22,0x3a83bf,{DOUBLEWITHTWODWORDINTREE(0x0e900000,0x00000000)}}, {VT_exponent,22,0x3a83c0,{DOUBLEWITHTWODWORDINTREE(0x0ea00000,0x00000000)}}, {VT_exponent,22,0x3a83c1,{DOUBLEWITHTWODWORDINTREE(0x0eb00000,0x00000000)}}, {VT_exponent,22,0x3a83c2,{DOUBLEWITHTWODWORDINTREE(0x0ec00000,0x00000000)}}, {VT_exponent,22,0x3a83c3,{DOUBLEWITHTWODWORDINTREE(0x0ed00000,0x00000000)}}, {VT_exponent,22,0x3a83c4,{DOUBLEWITHTWODWORDINTREE(0x0ee00000,0x00000000)}}, {VT_exponent,22,0x3a83c5,{DOUBLEWITHTWODWORDINTREE(0x0ef00000,0x00000000)}}, {VT_exponent,22,0x3a83c6,{DOUBLEWITHTWODWORDINTREE(0x0f000000,0x00000000)}}, {VT_exponent,22,0x3a83c7,{DOUBLEWITHTWODWORDINTREE(0x0f100000,0x00000000)}}, {VT_exponent,22,0x3a83c8,{DOUBLEWITHTWODWORDINTREE(0x0f200000,0x00000000)}}, {VT_exponent,22,0x3a83c9,{DOUBLEWITHTWODWORDINTREE(0x0f300000,0x00000000)}}, {VT_exponent,22,0x3a83ca,{DOUBLEWITHTWODWORDINTREE(0x0f400000,0x00000000)}}, {VT_exponent,22,0x3a83cb,{DOUBLEWITHTWODWORDINTREE(0x0f500000,0x00000000)}}, {VT_exponent,22,0x3a83cc,{DOUBLEWITHTWODWORDINTREE(0x0f600000,0x00000000)}}, {VT_exponent,22,0x3a83cd,{DOUBLEWITHTWODWORDINTREE(0x0f700000,0x00000000)}}, {VT_exponent,22,0x3a83ce,{DOUBLEWITHTWODWORDINTREE(0x0f800000,0x00000000)}}, {VT_exponent,22,0x3a83cf,{DOUBLEWITHTWODWORDINTREE(0x0f900000,0x00000000)}}, {VT_exponent,22,0x3a83d0,{DOUBLEWITHTWODWORDINTREE(0x0fa00000,0x00000000)}}, {VT_exponent,22,0x3a83d1,{DOUBLEWITHTWODWORDINTREE(0x0fb00000,0x00000000)}}, {VT_exponent,22,0x3a83d2,{DOUBLEWITHTWODWORDINTREE(0x0fc00000,0x00000000)}}, {VT_exponent,22,0x3a83d3,{DOUBLEWITHTWODWORDINTREE(0x0fd00000,0x00000000)}}, {VT_exponent,22,0x3a83d4,{DOUBLEWITHTWODWORDINTREE(0x0fe00000,0x00000000)}}, {VT_exponent,22,0x3a83d5,{DOUBLEWITHTWODWORDINTREE(0x0ff00000,0x00000000)}}, {VT_exponent,22,0x3a83d6,{DOUBLEWITHTWODWORDINTREE(0x10000000,0x00000000)}}, {VT_exponent,22,0x3a83d7,{DOUBLEWITHTWODWORDINTREE(0x10100000,0x00000000)}}, {VT_exponent,22,0x3a83d8,{DOUBLEWITHTWODWORDINTREE(0x10200000,0x00000000)}}, {VT_exponent,22,0x3a83d9,{DOUBLEWITHTWODWORDINTREE(0x10300000,0x00000000)}}, {VT_exponent,22,0x3a83da,{DOUBLEWITHTWODWORDINTREE(0x10400000,0x00000000)}}, {VT_exponent,22,0x3a83db,{DOUBLEWITHTWODWORDINTREE(0x10500000,0x00000000)}}, {VT_exponent,22,0x3a83dc,{DOUBLEWITHTWODWORDINTREE(0x10600000,0x00000000)}}, {VT_exponent,22,0x3a83dd,{DOUBLEWITHTWODWORDINTREE(0x10700000,0x00000000)}}, {VT_exponent,22,0x3a83de,{DOUBLEWITHTWODWORDINTREE(0x10800000,0x00000000)}}, {VT_exponent,22,0x3a83df,{DOUBLEWITHTWODWORDINTREE(0x10900000,0x00000000)}}, {VT_exponent,22,0x3a83e0,{DOUBLEWITHTWODWORDINTREE(0x10a00000,0x00000000)}}, {VT_exponent,22,0x3a83e1,{DOUBLEWITHTWODWORDINTREE(0x10b00000,0x00000000)}}, {VT_exponent,22,0x3a83e2,{DOUBLEWITHTWODWORDINTREE(0x10c00000,0x00000000)}}, {VT_exponent,22,0x3a83e3,{DOUBLEWITHTWODWORDINTREE(0x10d00000,0x00000000)}}, {VT_exponent,22,0x3a83e4,{DOUBLEWITHTWODWORDINTREE(0x10e00000,0x00000000)}}, {VT_exponent,22,0x3a83e5,{DOUBLEWITHTWODWORDINTREE(0x10f00000,0x00000000)}}, {VT_exponent,22,0x3a83e6,{DOUBLEWITHTWODWORDINTREE(0x11000000,0x00000000)}}, {VT_exponent,22,0x3a83e7,{DOUBLEWITHTWODWORDINTREE(0x11100000,0x00000000)}}, {VT_exponent,22,0x3a83e8,{DOUBLEWITHTWODWORDINTREE(0x11200000,0x00000000)}}, {VT_exponent,22,0x3a83e9,{DOUBLEWITHTWODWORDINTREE(0x11300000,0x00000000)}}, {VT_exponent,22,0x3a83ea,{DOUBLEWITHTWODWORDINTREE(0x11400000,0x00000000)}}, {VT_exponent,22,0x3a83eb,{DOUBLEWITHTWODWORDINTREE(0x11500000,0x00000000)}}, {VT_exponent,22,0x3a83ec,{DOUBLEWITHTWODWORDINTREE(0x11600000,0x00000000)}}, {VT_exponent,22,0x3a83ed,{DOUBLEWITHTWODWORDINTREE(0x11700000,0x00000000)}}, {VT_exponent,22,0x3a83ee,{DOUBLEWITHTWODWORDINTREE(0x11800000,0x00000000)}}, {VT_exponent,22,0x3a83ef,{DOUBLEWITHTWODWORDINTREE(0x11900000,0x00000000)}}, {VT_exponent,22,0x3a83f0,{DOUBLEWITHTWODWORDINTREE(0x11a00000,0x00000000)}}, {VT_exponent,22,0x3a83f1,{DOUBLEWITHTWODWORDINTREE(0x11b00000,0x00000000)}}, {VT_exponent,22,0x3a83f2,{DOUBLEWITHTWODWORDINTREE(0x11c00000,0x00000000)}}, {VT_exponent,22,0x3a83f3,{DOUBLEWITHTWODWORDINTREE(0x11d00000,0x00000000)}}, {VT_exponent,22,0x3a83f4,{DOUBLEWITHTWODWORDINTREE(0x11e00000,0x00000000)}}, {VT_exponent,22,0x3a83f5,{DOUBLEWITHTWODWORDINTREE(0x11f00000,0x00000000)}}, {VT_exponent,22,0x3a83f6,{DOUBLEWITHTWODWORDINTREE(0x12000000,0x00000000)}}, {VT_exponent,22,0x3a83f7,{DOUBLEWITHTWODWORDINTREE(0x12100000,0x00000000)}}, {VT_exponent,22,0x3a83f8,{DOUBLEWITHTWODWORDINTREE(0x12200000,0x00000000)}}, {VT_exponent,22,0x3a83f9,{DOUBLEWITHTWODWORDINTREE(0x12300000,0x00000000)}}, {VT_exponent,22,0x3a83fa,{DOUBLEWITHTWODWORDINTREE(0x12400000,0x00000000)}}, {VT_exponent,22,0x3a83fb,{DOUBLEWITHTWODWORDINTREE(0x12500000,0x00000000)}}, {VT_exponent,22,0x3a83fc,{DOUBLEWITHTWODWORDINTREE(0x12600000,0x00000000)}}, {VT_exponent,22,0x3a83fd,{DOUBLEWITHTWODWORDINTREE(0x12700000,0x00000000)}}, {VT_exponent,22,0x3a83fe,{DOUBLEWITHTWODWORDINTREE(0x12800000,0x00000000)}}, {VT_exponent,22,0x3a83ff,{DOUBLEWITHTWODWORDINTREE(0x12900000,0x00000000)}}, {VT_exponent,22,0x3a8400,{DOUBLEWITHTWODWORDINTREE(0x12a00000,0x00000000)}}, {VT_exponent,22,0x3a8401,{DOUBLEWITHTWODWORDINTREE(0x12b00000,0x00000000)}}, {VT_exponent,22,0x3a8402,{DOUBLEWITHTWODWORDINTREE(0x12c00000,0x00000000)}}, {VT_exponent,22,0x3a8403,{DOUBLEWITHTWODWORDINTREE(0x12d00000,0x00000000)}}, {VT_exponent,22,0x3a8404,{DOUBLEWITHTWODWORDINTREE(0x12e00000,0x00000000)}}, {VT_exponent,22,0x3a8405,{DOUBLEWITHTWODWORDINTREE(0x12f00000,0x00000000)}}, {VT_exponent,22,0x3a8406,{DOUBLEWITHTWODWORDINTREE(0x13000000,0x00000000)}}, {VT_exponent,22,0x3a8407,{DOUBLEWITHTWODWORDINTREE(0x13100000,0x00000000)}}, {VT_exponent,22,0x3a8408,{DOUBLEWITHTWODWORDINTREE(0x13200000,0x00000000)}}, {VT_exponent,22,0x3a8409,{DOUBLEWITHTWODWORDINTREE(0x13300000,0x00000000)}}, {VT_exponent,22,0x3a840a,{DOUBLEWITHTWODWORDINTREE(0x13400000,0x00000000)}}, {VT_exponent,22,0x3a840b,{DOUBLEWITHTWODWORDINTREE(0x13500000,0x00000000)}}, {VT_exponent,22,0x3a840c,{DOUBLEWITHTWODWORDINTREE(0x13600000,0x00000000)}}, {VT_exponent,22,0x3a840d,{DOUBLEWITHTWODWORDINTREE(0x13700000,0x00000000)}}, {VT_exponent,22,0x3a840e,{DOUBLEWITHTWODWORDINTREE(0x13800000,0x00000000)}}, {VT_exponent,22,0x3a840f,{DOUBLEWITHTWODWORDINTREE(0x13900000,0x00000000)}}, {VT_exponent,22,0x3a8410,{DOUBLEWITHTWODWORDINTREE(0x13a00000,0x00000000)}}, {VT_exponent,22,0x3a8411,{DOUBLEWITHTWODWORDINTREE(0x13b00000,0x00000000)}}, {VT_exponent,22,0x3a8412,{DOUBLEWITHTWODWORDINTREE(0x13c00000,0x00000000)}}, {VT_exponent,22,0x3a8413,{DOUBLEWITHTWODWORDINTREE(0x13d00000,0x00000000)}}, {VT_exponent,22,0x3a8414,{DOUBLEWITHTWODWORDINTREE(0x13e00000,0x00000000)}}, {VT_exponent,22,0x3a8415,{DOUBLEWITHTWODWORDINTREE(0x13f00000,0x00000000)}}, {VT_exponent,22,0x3a8416,{DOUBLEWITHTWODWORDINTREE(0x14000000,0x00000000)}}, {VT_exponent,22,0x3a8417,{DOUBLEWITHTWODWORDINTREE(0x14100000,0x00000000)}}, {VT_exponent,22,0x3a8418,{DOUBLEWITHTWODWORDINTREE(0x14200000,0x00000000)}}, {VT_exponent,22,0x3a8419,{DOUBLEWITHTWODWORDINTREE(0x14300000,0x00000000)}}, {VT_exponent,22,0x3a841a,{DOUBLEWITHTWODWORDINTREE(0x14400000,0x00000000)}}, {VT_exponent,22,0x3a841b,{DOUBLEWITHTWODWORDINTREE(0x14500000,0x00000000)}}, {VT_exponent,22,0x3a841c,{DOUBLEWITHTWODWORDINTREE(0x14600000,0x00000000)}}, {VT_exponent,22,0x3a841d,{DOUBLEWITHTWODWORDINTREE(0x14700000,0x00000000)}}, {VT_exponent,22,0x3a841e,{DOUBLEWITHTWODWORDINTREE(0x14800000,0x00000000)}}, {VT_exponent,22,0x3a841f,{DOUBLEWITHTWODWORDINTREE(0x14900000,0x00000000)}}, {VT_exponent,22,0x3a8420,{DOUBLEWITHTWODWORDINTREE(0x14a00000,0x00000000)}}, {VT_exponent,22,0x3a8421,{DOUBLEWITHTWODWORDINTREE(0x14b00000,0x00000000)}}, {VT_exponent,22,0x3a8422,{DOUBLEWITHTWODWORDINTREE(0x14c00000,0x00000000)}}, {VT_exponent,22,0x3a8423,{DOUBLEWITHTWODWORDINTREE(0x14d00000,0x00000000)}}, {VT_exponent,22,0x3a8424,{DOUBLEWITHTWODWORDINTREE(0x14e00000,0x00000000)}}, {VT_exponent,22,0x3a8425,{DOUBLEWITHTWODWORDINTREE(0x14f00000,0x00000000)}}, {VT_exponent,22,0x3a8426,{DOUBLEWITHTWODWORDINTREE(0x15000000,0x00000000)}}, {VT_exponent,22,0x3a8427,{DOUBLEWITHTWODWORDINTREE(0x15100000,0x00000000)}}, {VT_exponent,22,0x3a8428,{DOUBLEWITHTWODWORDINTREE(0x15200000,0x00000000)}}, {VT_exponent,22,0x3a8429,{DOUBLEWITHTWODWORDINTREE(0x15300000,0x00000000)}}, {VT_exponent,22,0x3a842a,{DOUBLEWITHTWODWORDINTREE(0x15400000,0x00000000)}}, {VT_exponent,22,0x3a842b,{DOUBLEWITHTWODWORDINTREE(0x15500000,0x00000000)}}, {VT_exponent,22,0x3a842c,{DOUBLEWITHTWODWORDINTREE(0x15600000,0x00000000)}}, {VT_exponent,22,0x3a842d,{DOUBLEWITHTWODWORDINTREE(0x15700000,0x00000000)}}, {VT_exponent,22,0x3a842e,{DOUBLEWITHTWODWORDINTREE(0x15800000,0x00000000)}}, {VT_exponent,22,0x3a842f,{DOUBLEWITHTWODWORDINTREE(0x15900000,0x00000000)}}, {VT_exponent,22,0x3a8430,{DOUBLEWITHTWODWORDINTREE(0x15a00000,0x00000000)}}, {VT_exponent,22,0x3a8431,{DOUBLEWITHTWODWORDINTREE(0x15b00000,0x00000000)}}, {VT_exponent,22,0x3a8432,{DOUBLEWITHTWODWORDINTREE(0x15c00000,0x00000000)}}, {VT_exponent,22,0x3a8433,{DOUBLEWITHTWODWORDINTREE(0x15d00000,0x00000000)}}, {VT_exponent,22,0x3a8434,{DOUBLEWITHTWODWORDINTREE(0x15e00000,0x00000000)}}, {VT_exponent,22,0x3a8435,{DOUBLEWITHTWODWORDINTREE(0x15f00000,0x00000000)}}, {VT_exponent,22,0x3a8436,{DOUBLEWITHTWODWORDINTREE(0x16000000,0x00000000)}}, {VT_exponent,22,0x3a8437,{DOUBLEWITHTWODWORDINTREE(0x16100000,0x00000000)}}, {VT_exponent,22,0x3a8438,{DOUBLEWITHTWODWORDINTREE(0x16200000,0x00000000)}}, {VT_exponent,22,0x3a8439,{DOUBLEWITHTWODWORDINTREE(0x16300000,0x00000000)}}, {VT_exponent,22,0x3a843a,{DOUBLEWITHTWODWORDINTREE(0x16400000,0x00000000)}}, {VT_exponent,22,0x3a843b,{DOUBLEWITHTWODWORDINTREE(0x16500000,0x00000000)}}, {VT_exponent,22,0x3a843c,{DOUBLEWITHTWODWORDINTREE(0x16600000,0x00000000)}}, {VT_exponent,22,0x3a843d,{DOUBLEWITHTWODWORDINTREE(0x16700000,0x00000000)}}, {VT_exponent,22,0x3a843e,{DOUBLEWITHTWODWORDINTREE(0x16800000,0x00000000)}}, {VT_exponent,22,0x3a843f,{DOUBLEWITHTWODWORDINTREE(0x16900000,0x00000000)}}, {VT_exponent,22,0x3a8440,{DOUBLEWITHTWODWORDINTREE(0x16a00000,0x00000000)}}, {VT_exponent,22,0x3a8441,{DOUBLEWITHTWODWORDINTREE(0x16b00000,0x00000000)}}, {VT_exponent,22,0x3a8442,{DOUBLEWITHTWODWORDINTREE(0x16c00000,0x00000000)}}, {VT_exponent,22,0x3a8443,{DOUBLEWITHTWODWORDINTREE(0x16d00000,0x00000000)}}, {VT_exponent,22,0x3a8444,{DOUBLEWITHTWODWORDINTREE(0x16e00000,0x00000000)}}, {VT_exponent,22,0x3a8445,{DOUBLEWITHTWODWORDINTREE(0x16f00000,0x00000000)}}, {VT_exponent,22,0x3a8446,{DOUBLEWITHTWODWORDINTREE(0x17000000,0x00000000)}}, {VT_exponent,22,0x3a8447,{DOUBLEWITHTWODWORDINTREE(0x17100000,0x00000000)}}, {VT_exponent,22,0x3a8448,{DOUBLEWITHTWODWORDINTREE(0x17200000,0x00000000)}}, {VT_exponent,22,0x3a8449,{DOUBLEWITHTWODWORDINTREE(0x17300000,0x00000000)}}, {VT_exponent,22,0x3a844a,{DOUBLEWITHTWODWORDINTREE(0x17400000,0x00000000)}}, {VT_exponent,22,0x3a844b,{DOUBLEWITHTWODWORDINTREE(0x17500000,0x00000000)}}, {VT_exponent,22,0x3a844c,{DOUBLEWITHTWODWORDINTREE(0x17600000,0x00000000)}}, {VT_exponent,22,0x3a844d,{DOUBLEWITHTWODWORDINTREE(0x17700000,0x00000000)}}, {VT_exponent,22,0x3a844e,{DOUBLEWITHTWODWORDINTREE(0x17800000,0x00000000)}}, {VT_exponent,22,0x3a844f,{DOUBLEWITHTWODWORDINTREE(0x17900000,0x00000000)}}, {VT_exponent,22,0x3a8450,{DOUBLEWITHTWODWORDINTREE(0x17a00000,0x00000000)}}, {VT_exponent,22,0x3a8451,{DOUBLEWITHTWODWORDINTREE(0x17b00000,0x00000000)}}, {VT_exponent,22,0x3a8452,{DOUBLEWITHTWODWORDINTREE(0x17c00000,0x00000000)}}, {VT_exponent,22,0x3a8453,{DOUBLEWITHTWODWORDINTREE(0x17d00000,0x00000000)}}, {VT_exponent,22,0x3a8454,{DOUBLEWITHTWODWORDINTREE(0x17e00000,0x00000000)}}, {VT_exponent,22,0x3a8455,{DOUBLEWITHTWODWORDINTREE(0x17f00000,0x00000000)}}, {VT_exponent,22,0x3a8456,{DOUBLEWITHTWODWORDINTREE(0x18000000,0x00000000)}}, {VT_exponent,22,0x3a8457,{DOUBLEWITHTWODWORDINTREE(0x18100000,0x00000000)}}, {VT_exponent,22,0x3a8458,{DOUBLEWITHTWODWORDINTREE(0x18200000,0x00000000)}}, {VT_exponent,22,0x3a8459,{DOUBLEWITHTWODWORDINTREE(0x18300000,0x00000000)}}, {VT_exponent,22,0x3a845a,{DOUBLEWITHTWODWORDINTREE(0x18400000,0x00000000)}}, {VT_exponent,22,0x3a845b,{DOUBLEWITHTWODWORDINTREE(0x18500000,0x00000000)}}, {VT_exponent,22,0x3a845c,{DOUBLEWITHTWODWORDINTREE(0x18600000,0x00000000)}}, {VT_exponent,22,0x3a845d,{DOUBLEWITHTWODWORDINTREE(0x18700000,0x00000000)}}, {VT_exponent,22,0x3a845e,{DOUBLEWITHTWODWORDINTREE(0x18800000,0x00000000)}}, {VT_exponent,22,0x3a845f,{DOUBLEWITHTWODWORDINTREE(0x18900000,0x00000000)}}, {VT_exponent,22,0x3a8460,{DOUBLEWITHTWODWORDINTREE(0x18a00000,0x00000000)}}, {VT_exponent,22,0x3a8461,{DOUBLEWITHTWODWORDINTREE(0x18b00000,0x00000000)}}, {VT_exponent,22,0x3a8462,{DOUBLEWITHTWODWORDINTREE(0x18c00000,0x00000000)}}, {VT_exponent,22,0x3a8463,{DOUBLEWITHTWODWORDINTREE(0x18d00000,0x00000000)}}, {VT_exponent,22,0x3a8464,{DOUBLEWITHTWODWORDINTREE(0x18e00000,0x00000000)}}, {VT_exponent,22,0x3a8465,{DOUBLEWITHTWODWORDINTREE(0x18f00000,0x00000000)}}, {VT_exponent,22,0x3a8466,{DOUBLEWITHTWODWORDINTREE(0x19000000,0x00000000)}}, {VT_exponent,22,0x3a8467,{DOUBLEWITHTWODWORDINTREE(0x19100000,0x00000000)}}, {VT_exponent,22,0x3a8468,{DOUBLEWITHTWODWORDINTREE(0x19200000,0x00000000)}}, {VT_exponent,22,0x3a8469,{DOUBLEWITHTWODWORDINTREE(0x19300000,0x00000000)}}, {VT_exponent,22,0x3a846a,{DOUBLEWITHTWODWORDINTREE(0x19400000,0x00000000)}}, {VT_exponent,22,0x3a846b,{DOUBLEWITHTWODWORDINTREE(0x19500000,0x00000000)}}, {VT_exponent,22,0x3a846c,{DOUBLEWITHTWODWORDINTREE(0x19600000,0x00000000)}}, {VT_exponent,22,0x3a846d,{DOUBLEWITHTWODWORDINTREE(0x19700000,0x00000000)}}, {VT_exponent,22,0x3a846e,{DOUBLEWITHTWODWORDINTREE(0x19800000,0x00000000)}}, {VT_exponent,22,0x3a846f,{DOUBLEWITHTWODWORDINTREE(0x19900000,0x00000000)}}, {VT_exponent,22,0x3a8470,{DOUBLEWITHTWODWORDINTREE(0x19a00000,0x00000000)}}, {VT_exponent,22,0x3a8471,{DOUBLEWITHTWODWORDINTREE(0x19b00000,0x00000000)}}, {VT_exponent,22,0x3a8472,{DOUBLEWITHTWODWORDINTREE(0x19c00000,0x00000000)}}, {VT_exponent,22,0x3a8473,{DOUBLEWITHTWODWORDINTREE(0x19d00000,0x00000000)}}, {VT_exponent,22,0x3a8474,{DOUBLEWITHTWODWORDINTREE(0x19e00000,0x00000000)}}, {VT_exponent,22,0x3a8475,{DOUBLEWITHTWODWORDINTREE(0x19f00000,0x00000000)}}, {VT_exponent,22,0x3a8476,{DOUBLEWITHTWODWORDINTREE(0x1a000000,0x00000000)}}, {VT_exponent,22,0x3a8477,{DOUBLEWITHTWODWORDINTREE(0x1a100000,0x00000000)}}, {VT_exponent,22,0x3a8478,{DOUBLEWITHTWODWORDINTREE(0x1a200000,0x00000000)}}, {VT_exponent,22,0x3a8479,{DOUBLEWITHTWODWORDINTREE(0x1a300000,0x00000000)}}, {VT_exponent,22,0x3a847a,{DOUBLEWITHTWODWORDINTREE(0x1a400000,0x00000000)}}, {VT_exponent,22,0x3a847b,{DOUBLEWITHTWODWORDINTREE(0x1a500000,0x00000000)}}, {VT_exponent,22,0x3a847c,{DOUBLEWITHTWODWORDINTREE(0x1a600000,0x00000000)}}, {VT_exponent,22,0x3a847d,{DOUBLEWITHTWODWORDINTREE(0x1a700000,0x00000000)}}, {VT_exponent,22,0x3a847e,{DOUBLEWITHTWODWORDINTREE(0x1a800000,0x00000000)}}, {VT_exponent,22,0x3a847f,{DOUBLEWITHTWODWORDINTREE(0x1a900000,0x00000000)}}, {VT_exponent,22,0x3a8480,{DOUBLEWITHTWODWORDINTREE(0x1aa00000,0x00000000)}}, {VT_exponent,22,0x3a8481,{DOUBLEWITHTWODWORDINTREE(0x1ab00000,0x00000000)}}, {VT_exponent,22,0x3a8482,{DOUBLEWITHTWODWORDINTREE(0x1ac00000,0x00000000)}}, {VT_exponent,22,0x3a8483,{DOUBLEWITHTWODWORDINTREE(0x1ad00000,0x00000000)}}, {VT_exponent,22,0x3a8484,{DOUBLEWITHTWODWORDINTREE(0x1ae00000,0x00000000)}}, {VT_exponent,22,0x3a8485,{DOUBLEWITHTWODWORDINTREE(0x1af00000,0x00000000)}}, {VT_exponent,22,0x3a8486,{DOUBLEWITHTWODWORDINTREE(0x1b000000,0x00000000)}}, {VT_exponent,22,0x3a8487,{DOUBLEWITHTWODWORDINTREE(0x1b100000,0x00000000)}}, {VT_exponent,22,0x3a8488,{DOUBLEWITHTWODWORDINTREE(0x1b200000,0x00000000)}}, {VT_exponent,22,0x3a8489,{DOUBLEWITHTWODWORDINTREE(0x1b300000,0x00000000)}}, {VT_exponent,22,0x3a848a,{DOUBLEWITHTWODWORDINTREE(0x1b400000,0x00000000)}}, {VT_exponent,22,0x3a848b,{DOUBLEWITHTWODWORDINTREE(0x1b500000,0x00000000)}}, {VT_exponent,22,0x3a848c,{DOUBLEWITHTWODWORDINTREE(0x1b600000,0x00000000)}}, {VT_exponent,22,0x3a848d,{DOUBLEWITHTWODWORDINTREE(0x1b700000,0x00000000)}}, {VT_exponent,22,0x3a848e,{DOUBLEWITHTWODWORDINTREE(0x1b800000,0x00000000)}}, {VT_exponent,22,0x3a848f,{DOUBLEWITHTWODWORDINTREE(0x1b900000,0x00000000)}}, {VT_exponent,22,0x3a8490,{DOUBLEWITHTWODWORDINTREE(0x1ba00000,0x00000000)}}, {VT_exponent,22,0x3a8491,{DOUBLEWITHTWODWORDINTREE(0x1bb00000,0x00000000)}}, {VT_exponent,22,0x3a8492,{DOUBLEWITHTWODWORDINTREE(0x1bc00000,0x00000000)}}, {VT_exponent,22,0x3a8493,{DOUBLEWITHTWODWORDINTREE(0x1bd00000,0x00000000)}}, {VT_exponent,22,0x3a8494,{DOUBLEWITHTWODWORDINTREE(0x1be00000,0x00000000)}}, {VT_exponent,22,0x3a8495,{DOUBLEWITHTWODWORDINTREE(0x1bf00000,0x00000000)}}, {VT_exponent,22,0x3a8496,{DOUBLEWITHTWODWORDINTREE(0x1c000000,0x00000000)}}, {VT_exponent,22,0x3a8497,{DOUBLEWITHTWODWORDINTREE(0x1c100000,0x00000000)}}, {VT_exponent,22,0x3a8498,{DOUBLEWITHTWODWORDINTREE(0x1c200000,0x00000000)}}, {VT_exponent,22,0x3a8499,{DOUBLEWITHTWODWORDINTREE(0x1c300000,0x00000000)}}, {VT_exponent,22,0x3a849a,{DOUBLEWITHTWODWORDINTREE(0x1c400000,0x00000000)}}, {VT_exponent,22,0x3a849b,{DOUBLEWITHTWODWORDINTREE(0x1c500000,0x00000000)}}, {VT_exponent,22,0x3a849c,{DOUBLEWITHTWODWORDINTREE(0x1c600000,0x00000000)}}, {VT_exponent,22,0x3a849d,{DOUBLEWITHTWODWORDINTREE(0x1c700000,0x00000000)}}, {VT_exponent,22,0x3a849e,{DOUBLEWITHTWODWORDINTREE(0x1c800000,0x00000000)}}, {VT_exponent,22,0x3a849f,{DOUBLEWITHTWODWORDINTREE(0x1c900000,0x00000000)}}, {VT_exponent,22,0x3a84a0,{DOUBLEWITHTWODWORDINTREE(0x1ca00000,0x00000000)}}, {VT_exponent,22,0x3a84a1,{DOUBLEWITHTWODWORDINTREE(0x1cb00000,0x00000000)}}, {VT_exponent,22,0x3a84a2,{DOUBLEWITHTWODWORDINTREE(0x1cc00000,0x00000000)}}, {VT_exponent,22,0x3a84a3,{DOUBLEWITHTWODWORDINTREE(0x1cd00000,0x00000000)}}, {VT_exponent,22,0x3a84a4,{DOUBLEWITHTWODWORDINTREE(0x1ce00000,0x00000000)}}, {VT_exponent,22,0x3a84a5,{DOUBLEWITHTWODWORDINTREE(0x1cf00000,0x00000000)}}, {VT_exponent,22,0x3a84a6,{DOUBLEWITHTWODWORDINTREE(0x1d000000,0x00000000)}}, {VT_exponent,22,0x3a84a7,{DOUBLEWITHTWODWORDINTREE(0x1d100000,0x00000000)}}, {VT_exponent,22,0x3a84a8,{DOUBLEWITHTWODWORDINTREE(0x1d200000,0x00000000)}}, {VT_exponent,22,0x3a84a9,{DOUBLEWITHTWODWORDINTREE(0x1d300000,0x00000000)}}, {VT_exponent,22,0x3a84aa,{DOUBLEWITHTWODWORDINTREE(0x1d400000,0x00000000)}}, {VT_exponent,22,0x3a84ab,{DOUBLEWITHTWODWORDINTREE(0x1d500000,0x00000000)}}, {VT_exponent,22,0x3a84ac,{DOUBLEWITHTWODWORDINTREE(0x1d600000,0x00000000)}}, {VT_exponent,22,0x3a84ad,{DOUBLEWITHTWODWORDINTREE(0x1d700000,0x00000000)}}, {VT_exponent,22,0x3a84ae,{DOUBLEWITHTWODWORDINTREE(0x1d800000,0x00000000)}}, {VT_exponent,22,0x3a84af,{DOUBLEWITHTWODWORDINTREE(0x1d900000,0x00000000)}}, {VT_exponent,22,0x3a84b0,{DOUBLEWITHTWODWORDINTREE(0x1da00000,0x00000000)}}, {VT_exponent,22,0x3a84b1,{DOUBLEWITHTWODWORDINTREE(0x1db00000,0x00000000)}}, {VT_exponent,22,0x3a84b2,{DOUBLEWITHTWODWORDINTREE(0x1dc00000,0x00000000)}}, {VT_exponent,22,0x3a84b3,{DOUBLEWITHTWODWORDINTREE(0x1dd00000,0x00000000)}}, {VT_exponent,22,0x3a84b4,{DOUBLEWITHTWODWORDINTREE(0x1de00000,0x00000000)}}, {VT_exponent,22,0x3a84b5,{DOUBLEWITHTWODWORDINTREE(0x1df00000,0x00000000)}}, {VT_exponent,22,0x3a84b6,{DOUBLEWITHTWODWORDINTREE(0x1e000000,0x00000000)}}, {VT_exponent,22,0x3a84b7,{DOUBLEWITHTWODWORDINTREE(0x1e100000,0x00000000)}}, {VT_exponent,22,0x3a84b8,{DOUBLEWITHTWODWORDINTREE(0x1e200000,0x00000000)}}, {VT_exponent,22,0x3a84b9,{DOUBLEWITHTWODWORDINTREE(0x1e300000,0x00000000)}}, {VT_exponent,22,0x3a84ba,{DOUBLEWITHTWODWORDINTREE(0x1e400000,0x00000000)}}, {VT_exponent,22,0x3a84bb,{DOUBLEWITHTWODWORDINTREE(0x1e500000,0x00000000)}}, {VT_exponent,22,0x3a84bc,{DOUBLEWITHTWODWORDINTREE(0x1e600000,0x00000000)}}, {VT_exponent,22,0x3a84bd,{DOUBLEWITHTWODWORDINTREE(0x1e700000,0x00000000)}}, {VT_exponent,22,0x3a84be,{DOUBLEWITHTWODWORDINTREE(0x1e800000,0x00000000)}}, {VT_exponent,22,0x3a84bf,{DOUBLEWITHTWODWORDINTREE(0x1e900000,0x00000000)}}, {VT_exponent,22,0x3a84c0,{DOUBLEWITHTWODWORDINTREE(0x1ea00000,0x00000000)}}, {VT_exponent,22,0x3a84c1,{DOUBLEWITHTWODWORDINTREE(0x1eb00000,0x00000000)}}, {VT_exponent,22,0x3a84c2,{DOUBLEWITHTWODWORDINTREE(0x1ec00000,0x00000000)}}, {VT_exponent,22,0x3a84c3,{DOUBLEWITHTWODWORDINTREE(0x1ed00000,0x00000000)}}, {VT_exponent,22,0x3a84c4,{DOUBLEWITHTWODWORDINTREE(0x1ee00000,0x00000000)}}, {VT_exponent,22,0x3a84c5,{DOUBLEWITHTWODWORDINTREE(0x1ef00000,0x00000000)}}, {VT_exponent,22,0x3a84c6,{DOUBLEWITHTWODWORDINTREE(0x1f000000,0x00000000)}}, {VT_exponent,22,0x3a84c7,{DOUBLEWITHTWODWORDINTREE(0x1f100000,0x00000000)}}, {VT_exponent,22,0x3a84c8,{DOUBLEWITHTWODWORDINTREE(0x1f200000,0x00000000)}}, {VT_exponent,22,0x3a84c9,{DOUBLEWITHTWODWORDINTREE(0x1f300000,0x00000000)}}, {VT_exponent,22,0x3a84ca,{DOUBLEWITHTWODWORDINTREE(0x1f400000,0x00000000)}}, {VT_exponent,22,0x3a84cb,{DOUBLEWITHTWODWORDINTREE(0x1f500000,0x00000000)}}, {VT_exponent,22,0x3a84cc,{DOUBLEWITHTWODWORDINTREE(0x1f600000,0x00000000)}}, {VT_exponent,22,0x3a84cd,{DOUBLEWITHTWODWORDINTREE(0x1f700000,0x00000000)}}, {VT_exponent,22,0x3a84ce,{DOUBLEWITHTWODWORDINTREE(0x1f800000,0x00000000)}}, {VT_exponent,22,0x3a84cf,{DOUBLEWITHTWODWORDINTREE(0x1f900000,0x00000000)}}, {VT_exponent,22,0x3a84d0,{DOUBLEWITHTWODWORDINTREE(0x1fa00000,0x00000000)}}, {VT_exponent,22,0x3a84d1,{DOUBLEWITHTWODWORDINTREE(0x1fb00000,0x00000000)}}, {VT_exponent,22,0x3a84d2,{DOUBLEWITHTWODWORDINTREE(0x1fc00000,0x00000000)}}, {VT_exponent,22,0x3a84d3,{DOUBLEWITHTWODWORDINTREE(0x1fd00000,0x00000000)}}, {VT_exponent,22,0x3a84d4,{DOUBLEWITHTWODWORDINTREE(0x1fe00000,0x00000000)}}, {VT_exponent,22,0x3a84d5,{DOUBLEWITHTWODWORDINTREE(0x1ff00000,0x00000000)}}, {VT_exponent,22,0x3a84d6,{DOUBLEWITHTWODWORDINTREE(0x20000000,0x00000000)}}, {VT_exponent,22,0x3a84d7,{DOUBLEWITHTWODWORDINTREE(0x20100000,0x00000000)}}, {VT_exponent,22,0x3a84d8,{DOUBLEWITHTWODWORDINTREE(0x20200000,0x00000000)}}, {VT_exponent,22,0x3a84d9,{DOUBLEWITHTWODWORDINTREE(0x20300000,0x00000000)}}, {VT_exponent,22,0x3a84da,{DOUBLEWITHTWODWORDINTREE(0x20400000,0x00000000)}}, {VT_exponent,22,0x3a84db,{DOUBLEWITHTWODWORDINTREE(0x20500000,0x00000000)}}, {VT_exponent,22,0x3a84dc,{DOUBLEWITHTWODWORDINTREE(0x20600000,0x00000000)}}, {VT_exponent,22,0x3a84dd,{DOUBLEWITHTWODWORDINTREE(0x20700000,0x00000000)}}, {VT_exponent,22,0x3a84de,{DOUBLEWITHTWODWORDINTREE(0x20800000,0x00000000)}}, {VT_exponent,22,0x3a84df,{DOUBLEWITHTWODWORDINTREE(0x20900000,0x00000000)}}, {VT_exponent,22,0x3a84e0,{DOUBLEWITHTWODWORDINTREE(0x20a00000,0x00000000)}}, {VT_exponent,22,0x3a84e1,{DOUBLEWITHTWODWORDINTREE(0x20b00000,0x00000000)}}, {VT_exponent,22,0x3a84e2,{DOUBLEWITHTWODWORDINTREE(0x20c00000,0x00000000)}}, {VT_exponent,22,0x3a84e3,{DOUBLEWITHTWODWORDINTREE(0x20d00000,0x00000000)}}, {VT_exponent,22,0x3a84e4,{DOUBLEWITHTWODWORDINTREE(0x20e00000,0x00000000)}}, {VT_exponent,22,0x3a84e5,{DOUBLEWITHTWODWORDINTREE(0x20f00000,0x00000000)}}, {VT_exponent,22,0x3a84e6,{DOUBLEWITHTWODWORDINTREE(0x21000000,0x00000000)}}, {VT_exponent,22,0x3a84e7,{DOUBLEWITHTWODWORDINTREE(0x21100000,0x00000000)}}, {VT_exponent,22,0x3a84e8,{DOUBLEWITHTWODWORDINTREE(0x21200000,0x00000000)}}, {VT_exponent,22,0x3a84e9,{DOUBLEWITHTWODWORDINTREE(0x21300000,0x00000000)}}, {VT_exponent,22,0x3a84ea,{DOUBLEWITHTWODWORDINTREE(0x21400000,0x00000000)}}, {VT_exponent,22,0x3a84eb,{DOUBLEWITHTWODWORDINTREE(0x21500000,0x00000000)}}, {VT_exponent,22,0x3a84ec,{DOUBLEWITHTWODWORDINTREE(0x21600000,0x00000000)}}, {VT_exponent,22,0x3a84ed,{DOUBLEWITHTWODWORDINTREE(0x21700000,0x00000000)}}, {VT_exponent,22,0x3a84ee,{DOUBLEWITHTWODWORDINTREE(0x21800000,0x00000000)}}, {VT_exponent,22,0x3a84ef,{DOUBLEWITHTWODWORDINTREE(0x21900000,0x00000000)}}, {VT_exponent,22,0x3a84f0,{DOUBLEWITHTWODWORDINTREE(0x21a00000,0x00000000)}}, {VT_exponent,22,0x3a84f1,{DOUBLEWITHTWODWORDINTREE(0x21b00000,0x00000000)}}, {VT_exponent,22,0x3a84f2,{DOUBLEWITHTWODWORDINTREE(0x21c00000,0x00000000)}}, {VT_exponent,22,0x3a84f3,{DOUBLEWITHTWODWORDINTREE(0x21d00000,0x00000000)}}, {VT_exponent,22,0x3a84f4,{DOUBLEWITHTWODWORDINTREE(0x21e00000,0x00000000)}}, {VT_exponent,22,0x3a84f5,{DOUBLEWITHTWODWORDINTREE(0x21f00000,0x00000000)}}, {VT_exponent,22,0x3a84f6,{DOUBLEWITHTWODWORDINTREE(0x22000000,0x00000000)}}, {VT_exponent,22,0x3a84f7,{DOUBLEWITHTWODWORDINTREE(0x22100000,0x00000000)}}, {VT_exponent,22,0x3a84f8,{DOUBLEWITHTWODWORDINTREE(0x22200000,0x00000000)}}, {VT_exponent,22,0x3a84f9,{DOUBLEWITHTWODWORDINTREE(0x22300000,0x00000000)}}, {VT_exponent,22,0x3a84fa,{DOUBLEWITHTWODWORDINTREE(0x22400000,0x00000000)}}, {VT_exponent,22,0x3a84fb,{DOUBLEWITHTWODWORDINTREE(0x22500000,0x00000000)}}, {VT_exponent,22,0x3a84fc,{DOUBLEWITHTWODWORDINTREE(0x22600000,0x00000000)}}, {VT_exponent,22,0x3a84fd,{DOUBLEWITHTWODWORDINTREE(0x22700000,0x00000000)}}, {VT_exponent,22,0x3a84fe,{DOUBLEWITHTWODWORDINTREE(0x22800000,0x00000000)}}, {VT_exponent,22,0x3a84ff,{DOUBLEWITHTWODWORDINTREE(0x22900000,0x00000000)}}, {VT_exponent,22,0x3a8500,{DOUBLEWITHTWODWORDINTREE(0x22a00000,0x00000000)}}, {VT_exponent,22,0x3a8501,{DOUBLEWITHTWODWORDINTREE(0x22b00000,0x00000000)}}, {VT_exponent,22,0x3a8502,{DOUBLEWITHTWODWORDINTREE(0x22c00000,0x00000000)}}, {VT_exponent,22,0x3a8503,{DOUBLEWITHTWODWORDINTREE(0x22d00000,0x00000000)}}, {VT_exponent,22,0x3a8504,{DOUBLEWITHTWODWORDINTREE(0x22e00000,0x00000000)}}, {VT_exponent,22,0x3a8505,{DOUBLEWITHTWODWORDINTREE(0x22f00000,0x00000000)}}, {VT_exponent,22,0x3a8506,{DOUBLEWITHTWODWORDINTREE(0x23000000,0x00000000)}}, {VT_exponent,22,0x3a8507,{DOUBLEWITHTWODWORDINTREE(0x23100000,0x00000000)}}, {VT_exponent,22,0x3a8508,{DOUBLEWITHTWODWORDINTREE(0x23200000,0x00000000)}}, {VT_exponent,22,0x3a8509,{DOUBLEWITHTWODWORDINTREE(0x23300000,0x00000000)}}, {VT_exponent,22,0x3a850a,{DOUBLEWITHTWODWORDINTREE(0x23400000,0x00000000)}}, {VT_exponent,22,0x3a850b,{DOUBLEWITHTWODWORDINTREE(0x23500000,0x00000000)}}, {VT_exponent,22,0x3a850c,{DOUBLEWITHTWODWORDINTREE(0x23600000,0x00000000)}}, {VT_exponent,22,0x3a850d,{DOUBLEWITHTWODWORDINTREE(0x23700000,0x00000000)}}, {VT_exponent,22,0x3a850e,{DOUBLEWITHTWODWORDINTREE(0x23800000,0x00000000)}}, {VT_exponent,22,0x3a850f,{DOUBLEWITHTWODWORDINTREE(0x23900000,0x00000000)}}, {VT_exponent,22,0x3a8510,{DOUBLEWITHTWODWORDINTREE(0x23a00000,0x00000000)}}, {VT_exponent,22,0x3a8511,{DOUBLEWITHTWODWORDINTREE(0x23b00000,0x00000000)}}, {VT_exponent,22,0x3a8512,{DOUBLEWITHTWODWORDINTREE(0x23c00000,0x00000000)}}, {VT_exponent,22,0x3a8513,{DOUBLEWITHTWODWORDINTREE(0x23d00000,0x00000000)}}, {VT_exponent,22,0x3a8514,{DOUBLEWITHTWODWORDINTREE(0x23e00000,0x00000000)}}, {VT_exponent,22,0x3a8515,{DOUBLEWITHTWODWORDINTREE(0x23f00000,0x00000000)}}, {VT_exponent,22,0x3a8516,{DOUBLEWITHTWODWORDINTREE(0x24000000,0x00000000)}}, {VT_exponent,22,0x3a8517,{DOUBLEWITHTWODWORDINTREE(0x24100000,0x00000000)}}, {VT_exponent,22,0x3a8518,{DOUBLEWITHTWODWORDINTREE(0x24200000,0x00000000)}}, {VT_exponent,22,0x3a8519,{DOUBLEWITHTWODWORDINTREE(0x24300000,0x00000000)}}, {VT_exponent,22,0x3a851a,{DOUBLEWITHTWODWORDINTREE(0x24400000,0x00000000)}}, {VT_exponent,22,0x3a851b,{DOUBLEWITHTWODWORDINTREE(0x24500000,0x00000000)}}, {VT_exponent,22,0x3a851c,{DOUBLEWITHTWODWORDINTREE(0x24600000,0x00000000)}}, {VT_exponent,22,0x3a851d,{DOUBLEWITHTWODWORDINTREE(0x24700000,0x00000000)}}, {VT_exponent,22,0x3a851e,{DOUBLEWITHTWODWORDINTREE(0x24800000,0x00000000)}}, {VT_exponent,22,0x3a851f,{DOUBLEWITHTWODWORDINTREE(0x24900000,0x00000000)}}, {VT_exponent,22,0x3a8520,{DOUBLEWITHTWODWORDINTREE(0x24a00000,0x00000000)}}, {VT_exponent,22,0x3a8521,{DOUBLEWITHTWODWORDINTREE(0x24b00000,0x00000000)}}, {VT_exponent,22,0x3a8522,{DOUBLEWITHTWODWORDINTREE(0x24c00000,0x00000000)}}, {VT_exponent,22,0x3a8523,{DOUBLEWITHTWODWORDINTREE(0x24d00000,0x00000000)}}, {VT_exponent,22,0x3a8524,{DOUBLEWITHTWODWORDINTREE(0x24e00000,0x00000000)}}, {VT_exponent,22,0x3a8525,{DOUBLEWITHTWODWORDINTREE(0x24f00000,0x00000000)}}, {VT_exponent,22,0x3a8526,{DOUBLEWITHTWODWORDINTREE(0x25000000,0x00000000)}}, {VT_exponent,22,0x3a8527,{DOUBLEWITHTWODWORDINTREE(0x25100000,0x00000000)}}, {VT_exponent,22,0x3a8528,{DOUBLEWITHTWODWORDINTREE(0x25200000,0x00000000)}}, {VT_exponent,22,0x3a8529,{DOUBLEWITHTWODWORDINTREE(0x25300000,0x00000000)}}, {VT_exponent,22,0x3a852a,{DOUBLEWITHTWODWORDINTREE(0x25400000,0x00000000)}}, {VT_exponent,22,0x3a852b,{DOUBLEWITHTWODWORDINTREE(0x25500000,0x00000000)}}, {VT_exponent,22,0x3a852c,{DOUBLEWITHTWODWORDINTREE(0x25600000,0x00000000)}}, {VT_exponent,22,0x3a852d,{DOUBLEWITHTWODWORDINTREE(0x25700000,0x00000000)}}, {VT_exponent,22,0x3a852e,{DOUBLEWITHTWODWORDINTREE(0x25800000,0x00000000)}}, {VT_exponent,22,0x3a852f,{DOUBLEWITHTWODWORDINTREE(0x25900000,0x00000000)}}, {VT_exponent,22,0x3a8530,{DOUBLEWITHTWODWORDINTREE(0x25a00000,0x00000000)}}, {VT_exponent,22,0x3a8531,{DOUBLEWITHTWODWORDINTREE(0x25b00000,0x00000000)}}, {VT_exponent,22,0x3a8532,{DOUBLEWITHTWODWORDINTREE(0x25c00000,0x00000000)}}, {VT_exponent,22,0x3a8533,{DOUBLEWITHTWODWORDINTREE(0x25d00000,0x00000000)}}, {VT_exponent,22,0x3a8534,{DOUBLEWITHTWODWORDINTREE(0x25e00000,0x00000000)}}, {VT_exponent,22,0x3a8535,{DOUBLEWITHTWODWORDINTREE(0x25f00000,0x00000000)}}, {VT_exponent,22,0x3a8536,{DOUBLEWITHTWODWORDINTREE(0x26000000,0x00000000)}}, {VT_exponent,22,0x3a8537,{DOUBLEWITHTWODWORDINTREE(0x26100000,0x00000000)}}, {VT_exponent,22,0x3a8538,{DOUBLEWITHTWODWORDINTREE(0x26200000,0x00000000)}}, {VT_exponent,22,0x3a8539,{DOUBLEWITHTWODWORDINTREE(0x26300000,0x00000000)}}, {VT_exponent,22,0x3a853a,{DOUBLEWITHTWODWORDINTREE(0x26400000,0x00000000)}}, {VT_exponent,22,0x3a853b,{DOUBLEWITHTWODWORDINTREE(0x26500000,0x00000000)}}, {VT_exponent,22,0x3a853c,{DOUBLEWITHTWODWORDINTREE(0x26600000,0x00000000)}}, {VT_exponent,22,0x3a853d,{DOUBLEWITHTWODWORDINTREE(0x26700000,0x00000000)}}, {VT_exponent,22,0x3a853e,{DOUBLEWITHTWODWORDINTREE(0x26800000,0x00000000)}}, {VT_exponent,22,0x3a853f,{DOUBLEWITHTWODWORDINTREE(0x26900000,0x00000000)}}, {VT_exponent,22,0x3a8540,{DOUBLEWITHTWODWORDINTREE(0x26a00000,0x00000000)}}, {VT_exponent,22,0x3a8541,{DOUBLEWITHTWODWORDINTREE(0x26b00000,0x00000000)}}, {VT_exponent,22,0x3a8542,{DOUBLEWITHTWODWORDINTREE(0x26c00000,0x00000000)}}, {VT_exponent,22,0x3a8543,{DOUBLEWITHTWODWORDINTREE(0x26d00000,0x00000000)}}, {VT_exponent,22,0x3a8544,{DOUBLEWITHTWODWORDINTREE(0x26e00000,0x00000000)}}, {VT_exponent,22,0x3a8545,{DOUBLEWITHTWODWORDINTREE(0x26f00000,0x00000000)}}, {VT_exponent,22,0x3a8546,{DOUBLEWITHTWODWORDINTREE(0x27000000,0x00000000)}}, {VT_exponent,22,0x3a8547,{DOUBLEWITHTWODWORDINTREE(0x27100000,0x00000000)}}, {VT_exponent,22,0x3a8548,{DOUBLEWITHTWODWORDINTREE(0x27200000,0x00000000)}}, {VT_exponent,22,0x3a8549,{DOUBLEWITHTWODWORDINTREE(0x27300000,0x00000000)}}, {VT_exponent,22,0x3a854a,{DOUBLEWITHTWODWORDINTREE(0x27400000,0x00000000)}}, {VT_exponent,22,0x3a854b,{DOUBLEWITHTWODWORDINTREE(0x27500000,0x00000000)}}, {VT_exponent,22,0x3a854c,{DOUBLEWITHTWODWORDINTREE(0x27600000,0x00000000)}}, {VT_exponent,22,0x3a854d,{DOUBLEWITHTWODWORDINTREE(0x27700000,0x00000000)}}, {VT_exponent,22,0x3a854e,{DOUBLEWITHTWODWORDINTREE(0x27800000,0x00000000)}}, {VT_exponent,22,0x3a854f,{DOUBLEWITHTWODWORDINTREE(0x27900000,0x00000000)}}, {VT_exponent,22,0x3a8550,{DOUBLEWITHTWODWORDINTREE(0x27a00000,0x00000000)}}, {VT_exponent,22,0x3a8551,{DOUBLEWITHTWODWORDINTREE(0x27b00000,0x00000000)}}, {VT_exponent,22,0x3a8552,{DOUBLEWITHTWODWORDINTREE(0x27c00000,0x00000000)}}, {VT_exponent,22,0x3a8553,{DOUBLEWITHTWODWORDINTREE(0x27d00000,0x00000000)}}, {VT_exponent,22,0x3a8554,{DOUBLEWITHTWODWORDINTREE(0x27e00000,0x00000000)}}, {VT_exponent,22,0x3a8555,{DOUBLEWITHTWODWORDINTREE(0x27f00000,0x00000000)}}, {VT_exponent,22,0x3a8556,{DOUBLEWITHTWODWORDINTREE(0x28000000,0x00000000)}}, {VT_exponent,22,0x3a8557,{DOUBLEWITHTWODWORDINTREE(0x28100000,0x00000000)}}, {VT_exponent,22,0x3a8558,{DOUBLEWITHTWODWORDINTREE(0x28200000,0x00000000)}}, {VT_exponent,22,0x3a8559,{DOUBLEWITHTWODWORDINTREE(0x28300000,0x00000000)}}, {VT_exponent,22,0x3a855a,{DOUBLEWITHTWODWORDINTREE(0x28400000,0x00000000)}}, {VT_exponent,22,0x3a855b,{DOUBLEWITHTWODWORDINTREE(0x28500000,0x00000000)}}, {VT_exponent,22,0x3a855c,{DOUBLEWITHTWODWORDINTREE(0x28600000,0x00000000)}}, {VT_exponent,22,0x3a855d,{DOUBLEWITHTWODWORDINTREE(0x28700000,0x00000000)}}, {VT_exponent,22,0x3a855e,{DOUBLEWITHTWODWORDINTREE(0x28800000,0x00000000)}}, {VT_exponent,22,0x3a855f,{DOUBLEWITHTWODWORDINTREE(0x28900000,0x00000000)}}, {VT_exponent,22,0x3a8560,{DOUBLEWITHTWODWORDINTREE(0x28a00000,0x00000000)}}, {VT_exponent,22,0x3a8561,{DOUBLEWITHTWODWORDINTREE(0x28b00000,0x00000000)}}, {VT_exponent,22,0x3a8562,{DOUBLEWITHTWODWORDINTREE(0x28c00000,0x00000000)}}, {VT_exponent,22,0x3a8563,{DOUBLEWITHTWODWORDINTREE(0x28d00000,0x00000000)}}, {VT_exponent,22,0x3a8564,{DOUBLEWITHTWODWORDINTREE(0x28e00000,0x00000000)}}, {VT_exponent,22,0x3a8565,{DOUBLEWITHTWODWORDINTREE(0x28f00000,0x00000000)}}, {VT_exponent,22,0x3a8566,{DOUBLEWITHTWODWORDINTREE(0x29000000,0x00000000)}}, {VT_exponent,22,0x3a8567,{DOUBLEWITHTWODWORDINTREE(0x29100000,0x00000000)}}, {VT_exponent,22,0x3a8568,{DOUBLEWITHTWODWORDINTREE(0x29200000,0x00000000)}}, {VT_exponent,22,0x3a8569,{DOUBLEWITHTWODWORDINTREE(0x29300000,0x00000000)}}, {VT_exponent,22,0x3a856a,{DOUBLEWITHTWODWORDINTREE(0x29400000,0x00000000)}}, {VT_exponent,22,0x3a856b,{DOUBLEWITHTWODWORDINTREE(0x29500000,0x00000000)}}, {VT_exponent,22,0x3a856c,{DOUBLEWITHTWODWORDINTREE(0x29600000,0x00000000)}}, {VT_exponent,22,0x3a856d,{DOUBLEWITHTWODWORDINTREE(0x29700000,0x00000000)}}, {VT_exponent,22,0x3a856e,{DOUBLEWITHTWODWORDINTREE(0x29800000,0x00000000)}}, {VT_exponent,22,0x3a856f,{DOUBLEWITHTWODWORDINTREE(0x29900000,0x00000000)}}, {VT_exponent,22,0x3a8570,{DOUBLEWITHTWODWORDINTREE(0x29a00000,0x00000000)}}, {VT_exponent,22,0x3a8571,{DOUBLEWITHTWODWORDINTREE(0x29b00000,0x00000000)}}, {VT_exponent,22,0x3a8572,{DOUBLEWITHTWODWORDINTREE(0x29c00000,0x00000000)}}, {VT_exponent,22,0x3a8573,{DOUBLEWITHTWODWORDINTREE(0x29d00000,0x00000000)}}, {VT_exponent,22,0x3a8574,{DOUBLEWITHTWODWORDINTREE(0x29e00000,0x00000000)}}, {VT_exponent,22,0x3a8575,{DOUBLEWITHTWODWORDINTREE(0x29f00000,0x00000000)}}, {VT_exponent,22,0x3a8576,{DOUBLEWITHTWODWORDINTREE(0x2a000000,0x00000000)}}, {VT_exponent,22,0x3a8577,{DOUBLEWITHTWODWORDINTREE(0x2a100000,0x00000000)}}, {VT_exponent,22,0x3a8578,{DOUBLEWITHTWODWORDINTREE(0x2a200000,0x00000000)}}, {VT_exponent,22,0x3a8579,{DOUBLEWITHTWODWORDINTREE(0x2a300000,0x00000000)}}, {VT_exponent,22,0x3a857a,{DOUBLEWITHTWODWORDINTREE(0x2a400000,0x00000000)}}, {VT_exponent,22,0x3a857b,{DOUBLEWITHTWODWORDINTREE(0x2a500000,0x00000000)}}, {VT_exponent,22,0x3a857c,{DOUBLEWITHTWODWORDINTREE(0x2a600000,0x00000000)}}, {VT_exponent,22,0x3a857d,{DOUBLEWITHTWODWORDINTREE(0x2a700000,0x00000000)}}, {VT_exponent,22,0x3a857e,{DOUBLEWITHTWODWORDINTREE(0x2a800000,0x00000000)}}, {VT_exponent,22,0x3a857f,{DOUBLEWITHTWODWORDINTREE(0x2a900000,0x00000000)}}, {VT_exponent,22,0x3a8580,{DOUBLEWITHTWODWORDINTREE(0x2aa00000,0x00000000)}}, {VT_exponent,22,0x3a8581,{DOUBLEWITHTWODWORDINTREE(0x2ab00000,0x00000000)}}, {VT_exponent,22,0x3a8582,{DOUBLEWITHTWODWORDINTREE(0x2ac00000,0x00000000)}}, {VT_exponent,22,0x3a8583,{DOUBLEWITHTWODWORDINTREE(0x2ad00000,0x00000000)}}, {VT_exponent,22,0x3a8584,{DOUBLEWITHTWODWORDINTREE(0x2ae00000,0x00000000)}}, {VT_exponent,22,0x3a8585,{DOUBLEWITHTWODWORDINTREE(0x2af00000,0x00000000)}}, {VT_exponent,22,0x3a8586,{DOUBLEWITHTWODWORDINTREE(0x2b000000,0x00000000)}}, {VT_exponent,22,0x3a8587,{DOUBLEWITHTWODWORDINTREE(0x2b100000,0x00000000)}}, {VT_exponent,22,0x3a8588,{DOUBLEWITHTWODWORDINTREE(0x2b200000,0x00000000)}}, {VT_exponent,22,0x3a8589,{DOUBLEWITHTWODWORDINTREE(0x2b300000,0x00000000)}}, {VT_exponent,22,0x3a858a,{DOUBLEWITHTWODWORDINTREE(0x2b400000,0x00000000)}}, {VT_exponent,22,0x3a858b,{DOUBLEWITHTWODWORDINTREE(0x2b500000,0x00000000)}}, {VT_exponent,22,0x3a858c,{DOUBLEWITHTWODWORDINTREE(0x2b600000,0x00000000)}}, {VT_exponent,22,0x3a858d,{DOUBLEWITHTWODWORDINTREE(0x2b700000,0x00000000)}}, {VT_exponent,22,0x3a858e,{DOUBLEWITHTWODWORDINTREE(0x2b800000,0x00000000)}}, {VT_exponent,22,0x3a858f,{DOUBLEWITHTWODWORDINTREE(0x2b900000,0x00000000)}}, {VT_exponent,22,0x3a8590,{DOUBLEWITHTWODWORDINTREE(0x2ba00000,0x00000000)}}, {VT_exponent,22,0x3a8591,{DOUBLEWITHTWODWORDINTREE(0x2bb00000,0x00000000)}}, {VT_exponent,22,0x3a8592,{DOUBLEWITHTWODWORDINTREE(0x2bc00000,0x00000000)}}, {VT_exponent,22,0x3a8593,{DOUBLEWITHTWODWORDINTREE(0x2bd00000,0x00000000)}}, {VT_exponent,22,0x3a8594,{DOUBLEWITHTWODWORDINTREE(0x2be00000,0x00000000)}}, {VT_exponent,22,0x3a8595,{DOUBLEWITHTWODWORDINTREE(0x2bf00000,0x00000000)}}, {VT_exponent,22,0x3a8596,{DOUBLEWITHTWODWORDINTREE(0x2c000000,0x00000000)}}, {VT_exponent,22,0x3a8597,{DOUBLEWITHTWODWORDINTREE(0x2c100000,0x00000000)}}, {VT_exponent,22,0x3a8598,{DOUBLEWITHTWODWORDINTREE(0x2c200000,0x00000000)}}, {VT_exponent,22,0x3a8599,{DOUBLEWITHTWODWORDINTREE(0x2c300000,0x00000000)}}, {VT_exponent,22,0x3a859a,{DOUBLEWITHTWODWORDINTREE(0x2c400000,0x00000000)}}, {VT_exponent,22,0x3a859b,{DOUBLEWITHTWODWORDINTREE(0x2c500000,0x00000000)}}, {VT_exponent,22,0x3a859c,{DOUBLEWITHTWODWORDINTREE(0x2c600000,0x00000000)}}, {VT_exponent,22,0x3a859d,{DOUBLEWITHTWODWORDINTREE(0x2c700000,0x00000000)}}, {VT_exponent,22,0x3a859e,{DOUBLEWITHTWODWORDINTREE(0x2c800000,0x00000000)}}, {VT_exponent,22,0x3a859f,{DOUBLEWITHTWODWORDINTREE(0x2c900000,0x00000000)}}, {VT_exponent,22,0x3a85a0,{DOUBLEWITHTWODWORDINTREE(0x2ca00000,0x00000000)}}, {VT_exponent,22,0x3a85a1,{DOUBLEWITHTWODWORDINTREE(0x2cb00000,0x00000000)}}, {VT_exponent,22,0x3a85a2,{DOUBLEWITHTWODWORDINTREE(0x2cc00000,0x00000000)}}, {VT_exponent,22,0x3a85a3,{DOUBLEWITHTWODWORDINTREE(0x2cd00000,0x00000000)}}, {VT_exponent,22,0x3a85a4,{DOUBLEWITHTWODWORDINTREE(0x2ce00000,0x00000000)}}, {VT_exponent,22,0x3a85a5,{DOUBLEWITHTWODWORDINTREE(0x2cf00000,0x00000000)}}, {VT_exponent,22,0x3a85a6,{DOUBLEWITHTWODWORDINTREE(0x2d000000,0x00000000)}}, {VT_exponent,22,0x3a85a7,{DOUBLEWITHTWODWORDINTREE(0x2d100000,0x00000000)}}, {VT_exponent,22,0x3a85a8,{DOUBLEWITHTWODWORDINTREE(0x2d200000,0x00000000)}}, {VT_exponent,22,0x3a85a9,{DOUBLEWITHTWODWORDINTREE(0x2d300000,0x00000000)}}, {VT_exponent,22,0x3a85aa,{DOUBLEWITHTWODWORDINTREE(0x2d400000,0x00000000)}}, {VT_exponent,22,0x3a85ab,{DOUBLEWITHTWODWORDINTREE(0x2d500000,0x00000000)}}, {VT_exponent,22,0x3a85ac,{DOUBLEWITHTWODWORDINTREE(0x2d600000,0x00000000)}}, {VT_exponent,22,0x3a85ad,{DOUBLEWITHTWODWORDINTREE(0x2d700000,0x00000000)}}, {VT_exponent,22,0x3a85ae,{DOUBLEWITHTWODWORDINTREE(0x2d800000,0x00000000)}}, {VT_exponent,22,0x3a85af,{DOUBLEWITHTWODWORDINTREE(0x2d900000,0x00000000)}}, {VT_exponent,22,0x3a85b0,{DOUBLEWITHTWODWORDINTREE(0x2da00000,0x00000000)}}, {VT_exponent,22,0x3a85b1,{DOUBLEWITHTWODWORDINTREE(0x2db00000,0x00000000)}}, {VT_exponent,22,0x3a85b2,{DOUBLEWITHTWODWORDINTREE(0x2dc00000,0x00000000)}}, {VT_exponent,22,0x3a85b3,{DOUBLEWITHTWODWORDINTREE(0x2dd00000,0x00000000)}}, {VT_exponent,22,0x3a85b4,{DOUBLEWITHTWODWORDINTREE(0x2de00000,0x00000000)}}, {VT_exponent,22,0x3a85b5,{DOUBLEWITHTWODWORDINTREE(0x2df00000,0x00000000)}}, {VT_exponent,22,0x3a85b6,{DOUBLEWITHTWODWORDINTREE(0x2e000000,0x00000000)}}, {VT_exponent,22,0x3a85b7,{DOUBLEWITHTWODWORDINTREE(0x2e100000,0x00000000)}}, {VT_exponent,22,0x3a85b8,{DOUBLEWITHTWODWORDINTREE(0x2e200000,0x00000000)}}, {VT_exponent,22,0x3a85b9,{DOUBLEWITHTWODWORDINTREE(0x2e300000,0x00000000)}}, {VT_exponent,22,0x3a85ba,{DOUBLEWITHTWODWORDINTREE(0x2e400000,0x00000000)}}, {VT_exponent,22,0x3a85bb,{DOUBLEWITHTWODWORDINTREE(0x2e500000,0x00000000)}}, {VT_exponent,22,0x3a85bc,{DOUBLEWITHTWODWORDINTREE(0x2e600000,0x00000000)}}, {VT_exponent,22,0x3a85bd,{DOUBLEWITHTWODWORDINTREE(0x2e700000,0x00000000)}}, {VT_exponent,22,0x3a85be,{DOUBLEWITHTWODWORDINTREE(0x2e800000,0x00000000)}}, {VT_exponent,22,0x3a85bf,{DOUBLEWITHTWODWORDINTREE(0x2e900000,0x00000000)}}, {VT_exponent,22,0x3a85c0,{DOUBLEWITHTWODWORDINTREE(0x2ea00000,0x00000000)}}, {VT_exponent,22,0x3a85c1,{DOUBLEWITHTWODWORDINTREE(0x2eb00000,0x00000000)}}, {VT_exponent,22,0x3a85c2,{DOUBLEWITHTWODWORDINTREE(0x2ec00000,0x00000000)}}, {VT_exponent,22,0x3a85c3,{DOUBLEWITHTWODWORDINTREE(0x2ed00000,0x00000000)}}, {VT_exponent,22,0x3a85c4,{DOUBLEWITHTWODWORDINTREE(0x2ee00000,0x00000000)}}, {VT_exponent,22,0x3a85c5,{DOUBLEWITHTWODWORDINTREE(0x2ef00000,0x00000000)}}, {VT_exponent,22,0x3a85c6,{DOUBLEWITHTWODWORDINTREE(0x2f000000,0x00000000)}}, {VT_exponent,22,0x3a85c7,{DOUBLEWITHTWODWORDINTREE(0x2f100000,0x00000000)}}, {VT_exponent,22,0x3a85c8,{DOUBLEWITHTWODWORDINTREE(0x2f200000,0x00000000)}}, {VT_exponent,22,0x3a85c9,{DOUBLEWITHTWODWORDINTREE(0x2f300000,0x00000000)}}, {VT_exponent,22,0x3a85ca,{DOUBLEWITHTWODWORDINTREE(0x2f400000,0x00000000)}}, {VT_exponent,22,0x3a85cb,{DOUBLEWITHTWODWORDINTREE(0x2f500000,0x00000000)}}, {VT_exponent,22,0x3a85cc,{DOUBLEWITHTWODWORDINTREE(0x2f600000,0x00000000)}}, {VT_exponent,22,0x3a85cd,{DOUBLEWITHTWODWORDINTREE(0x2f700000,0x00000000)}}, {VT_exponent,22,0x3a85ce,{DOUBLEWITHTWODWORDINTREE(0x2f800000,0x00000000)}}, {VT_exponent,22,0x3a85cf,{DOUBLEWITHTWODWORDINTREE(0x2f900000,0x00000000)}}, {VT_exponent,22,0x3a85d0,{DOUBLEWITHTWODWORDINTREE(0x2fa00000,0x00000000)}}, {VT_exponent,22,0x3a85d1,{DOUBLEWITHTWODWORDINTREE(0x2fb00000,0x00000000)}}, {VT_exponent,22,0x3a85d2,{DOUBLEWITHTWODWORDINTREE(0x2fc00000,0x00000000)}}, {VT_exponent,22,0x3a85d3,{DOUBLEWITHTWODWORDINTREE(0x2fd00000,0x00000000)}}, {VT_exponent,22,0x3a85d4,{DOUBLEWITHTWODWORDINTREE(0x2fe00000,0x00000000)}}, {VT_exponent,22,0x3a85d5,{DOUBLEWITHTWODWORDINTREE(0x2ff00000,0x00000000)}}, {VT_exponent,22,0x3a85d6,{DOUBLEWITHTWODWORDINTREE(0x30000000,0x00000000)}}, {VT_exponent,22,0x3a85d7,{DOUBLEWITHTWODWORDINTREE(0x30100000,0x00000000)}}, {VT_exponent,22,0x3a85d8,{DOUBLEWITHTWODWORDINTREE(0x30200000,0x00000000)}}, {VT_exponent,22,0x3a85d9,{DOUBLEWITHTWODWORDINTREE(0x30300000,0x00000000)}}, {VT_exponent,22,0x3a85da,{DOUBLEWITHTWODWORDINTREE(0x30400000,0x00000000)}}, {VT_exponent,22,0x3a85db,{DOUBLEWITHTWODWORDINTREE(0x30500000,0x00000000)}}, {VT_exponent,22,0x3a85dc,{DOUBLEWITHTWODWORDINTREE(0x30600000,0x00000000)}}, {VT_exponent,22,0x3a85dd,{DOUBLEWITHTWODWORDINTREE(0x30700000,0x00000000)}}, {VT_exponent,22,0x3a85de,{DOUBLEWITHTWODWORDINTREE(0x30800000,0x00000000)}}, {VT_exponent,22,0x3a85df,{DOUBLEWITHTWODWORDINTREE(0x30900000,0x00000000)}}, {VT_exponent,22,0x3a85e0,{DOUBLEWITHTWODWORDINTREE(0x30a00000,0x00000000)}}, {VT_exponent,22,0x3a85e1,{DOUBLEWITHTWODWORDINTREE(0x30b00000,0x00000000)}}, {VT_exponent,22,0x3a85e2,{DOUBLEWITHTWODWORDINTREE(0x30c00000,0x00000000)}}, {VT_exponent,22,0x3a85e3,{DOUBLEWITHTWODWORDINTREE(0x30d00000,0x00000000)}}, {VT_exponent,22,0x3a85e4,{DOUBLEWITHTWODWORDINTREE(0x30e00000,0x00000000)}}, {VT_exponent,22,0x3a85e5,{DOUBLEWITHTWODWORDINTREE(0x30f00000,0x00000000)}}, {VT_exponent,22,0x3a85e6,{DOUBLEWITHTWODWORDINTREE(0x31000000,0x00000000)}}, {VT_exponent,22,0x3a85e7,{DOUBLEWITHTWODWORDINTREE(0x31100000,0x00000000)}}, {VT_exponent,22,0x3a85e8,{DOUBLEWITHTWODWORDINTREE(0x31200000,0x00000000)}}, {VT_exponent,22,0x3a85e9,{DOUBLEWITHTWODWORDINTREE(0x31300000,0x00000000)}}, {VT_exponent,22,0x3a85ea,{DOUBLEWITHTWODWORDINTREE(0x31400000,0x00000000)}}, {VT_exponent,22,0x3a85eb,{DOUBLEWITHTWODWORDINTREE(0x31500000,0x00000000)}}, {VT_exponent,22,0x3a85ec,{DOUBLEWITHTWODWORDINTREE(0x31600000,0x00000000)}}, {VT_exponent,22,0x3a85ed,{DOUBLEWITHTWODWORDINTREE(0x31700000,0x00000000)}}, {VT_exponent,22,0x3a85ee,{DOUBLEWITHTWODWORDINTREE(0x31800000,0x00000000)}}, {VT_exponent,22,0x3a85ef,{DOUBLEWITHTWODWORDINTREE(0x31900000,0x00000000)}}, {VT_exponent,22,0x3a85f0,{DOUBLEWITHTWODWORDINTREE(0x31a00000,0x00000000)}}, {VT_exponent,22,0x3a85f1,{DOUBLEWITHTWODWORDINTREE(0x31b00000,0x00000000)}}, {VT_exponent,22,0x3a85f2,{DOUBLEWITHTWODWORDINTREE(0x31c00000,0x00000000)}}, {VT_exponent,22,0x3a85f3,{DOUBLEWITHTWODWORDINTREE(0x31d00000,0x00000000)}}, {VT_exponent,22,0x3a85f4,{DOUBLEWITHTWODWORDINTREE(0x31e00000,0x00000000)}}, {VT_exponent,22,0x3a85f5,{DOUBLEWITHTWODWORDINTREE(0x31f00000,0x00000000)}}, {VT_exponent,22,0x3a85f6,{DOUBLEWITHTWODWORDINTREE(0x32000000,0x00000000)}}, {VT_exponent,22,0x3a85f7,{DOUBLEWITHTWODWORDINTREE(0x32100000,0x00000000)}}, {VT_exponent,22,0x3a85f8,{DOUBLEWITHTWODWORDINTREE(0x32200000,0x00000000)}}, {VT_exponent,22,0x3a85f9,{DOUBLEWITHTWODWORDINTREE(0x32300000,0x00000000)}}, {VT_exponent,22,0x3a85fa,{DOUBLEWITHTWODWORDINTREE(0x32400000,0x00000000)}}, {VT_exponent,22,0x3a85fb,{DOUBLEWITHTWODWORDINTREE(0x32500000,0x00000000)}}, {VT_exponent,22,0x3a85fc,{DOUBLEWITHTWODWORDINTREE(0x32600000,0x00000000)}}, {VT_exponent,22,0x3a85fd,{DOUBLEWITHTWODWORDINTREE(0x32700000,0x00000000)}}, {VT_exponent,22,0x3a85fe,{DOUBLEWITHTWODWORDINTREE(0x32800000,0x00000000)}}, {VT_exponent,22,0x3a85ff,{DOUBLEWITHTWODWORDINTREE(0x32900000,0x00000000)}}, {VT_exponent,22,0x3a8600,{DOUBLEWITHTWODWORDINTREE(0x32a00000,0x00000000)}}, {VT_exponent,22,0x3a8601,{DOUBLEWITHTWODWORDINTREE(0x32b00000,0x00000000)}}, {VT_exponent,22,0x3a8602,{DOUBLEWITHTWODWORDINTREE(0x32c00000,0x00000000)}}, {VT_exponent,22,0x3a8603,{DOUBLEWITHTWODWORDINTREE(0x32d00000,0x00000000)}}, {VT_exponent,22,0x3a8604,{DOUBLEWITHTWODWORDINTREE(0x32e00000,0x00000000)}}, {VT_exponent,22,0x3a8605,{DOUBLEWITHTWODWORDINTREE(0x32f00000,0x00000000)}}, {VT_exponent,22,0x3a8606,{DOUBLEWITHTWODWORDINTREE(0x33000000,0x00000000)}}, {VT_exponent,22,0x3a8607,{DOUBLEWITHTWODWORDINTREE(0x33100000,0x00000000)}}, {VT_exponent,22,0x3a8608,{DOUBLEWITHTWODWORDINTREE(0x33200000,0x00000000)}}, {VT_exponent,22,0x3a8609,{DOUBLEWITHTWODWORDINTREE(0x33300000,0x00000000)}}, {VT_exponent,22,0x3a860a,{DOUBLEWITHTWODWORDINTREE(0x33400000,0x00000000)}}, {VT_exponent,22,0x3a860b,{DOUBLEWITHTWODWORDINTREE(0x33500000,0x00000000)}}, {VT_exponent,22,0x3a860c,{DOUBLEWITHTWODWORDINTREE(0x33600000,0x00000000)}}, {VT_exponent,22,0x3a860d,{DOUBLEWITHTWODWORDINTREE(0x33700000,0x00000000)}}, {VT_exponent,22,0x3a860e,{DOUBLEWITHTWODWORDINTREE(0x33800000,0x00000000)}}, {VT_exponent,22,0x3a860f,{DOUBLEWITHTWODWORDINTREE(0x33900000,0x00000000)}}, {VT_exponent,22,0x3a8610,{DOUBLEWITHTWODWORDINTREE(0x33a00000,0x00000000)}}, {VT_exponent,22,0x3a8611,{DOUBLEWITHTWODWORDINTREE(0x33b00000,0x00000000)}}, {VT_exponent,22,0x3a8612,{DOUBLEWITHTWODWORDINTREE(0x33c00000,0x00000000)}}, {VT_exponent,22,0x3a8613,{DOUBLEWITHTWODWORDINTREE(0x33d00000,0x00000000)}}, {VT_exponent,22,0x3a8614,{DOUBLEWITHTWODWORDINTREE(0x33e00000,0x00000000)}}, {VT_exponent,22,0x3a8615,{DOUBLEWITHTWODWORDINTREE(0x33f00000,0x00000000)}}, {VT_exponent,22,0x3a8616,{DOUBLEWITHTWODWORDINTREE(0x34000000,0x00000000)}}, {VT_exponent,22,0x3a8617,{DOUBLEWITHTWODWORDINTREE(0x34100000,0x00000000)}}, {VT_exponent,22,0x3a8618,{DOUBLEWITHTWODWORDINTREE(0x34200000,0x00000000)}}, {VT_exponent,22,0x3a8619,{DOUBLEWITHTWODWORDINTREE(0x34300000,0x00000000)}}, {VT_exponent,22,0x3a861a,{DOUBLEWITHTWODWORDINTREE(0x34400000,0x00000000)}}, {VT_exponent,22,0x3a861b,{DOUBLEWITHTWODWORDINTREE(0x34500000,0x00000000)}}, {VT_exponent,22,0x3a861c,{DOUBLEWITHTWODWORDINTREE(0x34600000,0x00000000)}}, {VT_exponent,22,0x3a861d,{DOUBLEWITHTWODWORDINTREE(0x34700000,0x00000000)}}, {VT_exponent,22,0x3a861e,{DOUBLEWITHTWODWORDINTREE(0x34800000,0x00000000)}}, {VT_exponent,22,0x3a861f,{DOUBLEWITHTWODWORDINTREE(0x34900000,0x00000000)}}, {VT_exponent,22,0x3a8620,{DOUBLEWITHTWODWORDINTREE(0x34a00000,0x00000000)}}, {VT_exponent,22,0x3a8621,{DOUBLEWITHTWODWORDINTREE(0x34b00000,0x00000000)}}, {VT_exponent,22,0x3a8622,{DOUBLEWITHTWODWORDINTREE(0x34c00000,0x00000000)}}, {VT_exponent,22,0x3a8623,{DOUBLEWITHTWODWORDINTREE(0x34d00000,0x00000000)}}, {VT_exponent,22,0x3a8624,{DOUBLEWITHTWODWORDINTREE(0x34e00000,0x00000000)}}, {VT_exponent,22,0x3a8625,{DOUBLEWITHTWODWORDINTREE(0x34f00000,0x00000000)}}, {VT_exponent,22,0x3a8626,{DOUBLEWITHTWODWORDINTREE(0x35000000,0x00000000)}}, {VT_exponent,22,0x3a8627,{DOUBLEWITHTWODWORDINTREE(0x35100000,0x00000000)}}, {VT_exponent,22,0x3a8628,{DOUBLEWITHTWODWORDINTREE(0x35200000,0x00000000)}}, {VT_exponent,22,0x3a8629,{DOUBLEWITHTWODWORDINTREE(0x35300000,0x00000000)}}, {VT_exponent,18,0xf787,{DOUBLEWITHTWODWORDINTREE(0x35400000,0x00000000)}}, {VT_exponent,18,0xd1d4,{DOUBLEWITHTWODWORDINTREE(0x35500000,0x00000000)}}, {VT_exponent,19,0x77f9f,{DOUBLEWITHTWODWORDINTREE(0x35600000,0x00000000)}}, {VT_exponent,18,0x3b8fb,{DOUBLEWITHTWODWORDINTREE(0x35700000,0x00000000)}}, {VT_exponent,19,0x1ef1a,{DOUBLEWITHTWODWORDINTREE(0x35800000,0x00000000)}}, {VT_exponent,21,0x1d4315,{DOUBLEWITHTWODWORDINTREE(0x35900000,0x00000000)}}, {VT_exponent,16,0x3de2,{DOUBLEWITHTWODWORDINTREE(0x35a00000,0x00000000)}}, {VT_exponent,22,0x3a862c,{DOUBLEWITHTWODWORDINTREE(0x35b00000,0x00000000)}}, {VT_exponent,22,0x3a862d,{DOUBLEWITHTWODWORDINTREE(0x35c00000,0x00000000)}}, {VT_exponent,22,0x3a862e,{DOUBLEWITHTWODWORDINTREE(0x35d00000,0x00000000)}}, {VT_exponent,22,0x3a862f,{DOUBLEWITHTWODWORDINTREE(0x35e00000,0x00000000)}}, {VT_exponent,22,0x3a8630,{DOUBLEWITHTWODWORDINTREE(0x35f00000,0x00000000)}}, {VT_exponent,22,0x3a8631,{DOUBLEWITHTWODWORDINTREE(0x36000000,0x00000000)}}, {VT_exponent,22,0x3a8632,{DOUBLEWITHTWODWORDINTREE(0x36100000,0x00000000)}}, {VT_exponent,22,0x3a8633,{DOUBLEWITHTWODWORDINTREE(0x36200000,0x00000000)}}, {VT_exponent,22,0x3a8634,{DOUBLEWITHTWODWORDINTREE(0x36300000,0x00000000)}}, {VT_exponent,22,0x3a8635,{DOUBLEWITHTWODWORDINTREE(0x36400000,0x00000000)}}, {VT_exponent,22,0x3a8636,{DOUBLEWITHTWODWORDINTREE(0x36500000,0x00000000)}}, {VT_exponent,22,0x3a8637,{DOUBLEWITHTWODWORDINTREE(0x36600000,0x00000000)}}, {VT_exponent,22,0x3a8638,{DOUBLEWITHTWODWORDINTREE(0x36700000,0x00000000)}}, {VT_exponent,21,0x1d431d,{DOUBLEWITHTWODWORDINTREE(0x36800000,0x00000000)}}, {VT_exponent,22,0x3a8639,{DOUBLEWITHTWODWORDINTREE(0x36900000,0x00000000)}}, {VT_exponent,22,0x3a863c,{DOUBLEWITHTWODWORDINTREE(0x36a00000,0x00000000)}}, {VT_exponent,16,0x3de0,{DOUBLEWITHTWODWORDINTREE(0x36b00000,0x00000000)}}, {VT_exponent,18,0x3a95e,{DOUBLEWITHTWODWORDINTREE(0x36c00000,0x00000000)}}, {VT_exponent,21,0x1d431f,{DOUBLEWITHTWODWORDINTREE(0x36d00000,0x00000000)}}, {VT_exponent,22,0x3a863d,{DOUBLEWITHTWODWORDINTREE(0x36e00000,0x00000000)}}, {VT_exponent,22,0x3a8640,{DOUBLEWITHTWODWORDINTREE(0x36f00000,0x00000000)}}, {VT_exponent,20,0x34749,{DOUBLEWITHTWODWORDINTREE(0x37000000,0x00000000)}}, {VT_exponent,20,0x3474d,{DOUBLEWITHTWODWORDINTREE(0x37100000,0x00000000)}}, {VT_exponent,22,0x3a8641,{DOUBLEWITHTWODWORDINTREE(0x37200000,0x00000000)}}, {VT_exponent,22,0x3a8642,{DOUBLEWITHTWODWORDINTREE(0x37300000,0x00000000)}}, {VT_exponent,22,0x3a8643,{DOUBLEWITHTWODWORDINTREE(0x37400000,0x00000000)}}, {VT_exponent,22,0x3a8644,{DOUBLEWITHTWODWORDINTREE(0x37500000,0x00000000)}}, {VT_exponent,22,0x3a8645,{DOUBLEWITHTWODWORDINTREE(0x37600000,0x00000000)}}, {VT_exponent,22,0x3a8646,{DOUBLEWITHTWODWORDINTREE(0x37700000,0x00000000)}}, {VT_exponent,22,0x3a8647,{DOUBLEWITHTWODWORDINTREE(0x37800000,0x00000000)}}, {VT_exponent,22,0x3a8648,{DOUBLEWITHTWODWORDINTREE(0x37900000,0x00000000)}}, {VT_exponent,22,0x3a8649,{DOUBLEWITHTWODWORDINTREE(0x37a00000,0x00000000)}}, {VT_exponent,22,0x3a864a,{DOUBLEWITHTWODWORDINTREE(0x37b00000,0x00000000)}}, {VT_exponent,22,0x3a864b,{DOUBLEWITHTWODWORDINTREE(0x37c00000,0x00000000)}}, {VT_exponent,22,0x3a864c,{DOUBLEWITHTWODWORDINTREE(0x37d00000,0x00000000)}}, {VT_exponent,22,0x3a864d,{DOUBLEWITHTWODWORDINTREE(0x37e00000,0x00000000)}}, {VT_exponent,22,0x3a864e,{DOUBLEWITHTWODWORDINTREE(0x37f00000,0x00000000)}}, {VT_exponent,22,0x3a864f,{DOUBLEWITHTWODWORDINTREE(0x38000000,0x00000000)}}, {VT_exponent,22,0x3a8650,{DOUBLEWITHTWODWORDINTREE(0x38100000,0x00000000)}}, {VT_exponent,22,0x3a8651,{DOUBLEWITHTWODWORDINTREE(0x38200000,0x00000000)}}, {VT_exponent,22,0x3a8652,{DOUBLEWITHTWODWORDINTREE(0x38300000,0x00000000)}}, {VT_exponent,22,0x3a8653,{DOUBLEWITHTWODWORDINTREE(0x38400000,0x00000000)}}, {VT_exponent,22,0x3a8654,{DOUBLEWITHTWODWORDINTREE(0x38500000,0x00000000)}}, {VT_exponent,22,0x3a8655,{DOUBLEWITHTWODWORDINTREE(0x38600000,0x00000000)}}, {VT_exponent,22,0x3a8656,{DOUBLEWITHTWODWORDINTREE(0x38700000,0x00000000)}}, {VT_exponent,22,0x3a8657,{DOUBLEWITHTWODWORDINTREE(0x38800000,0x00000000)}}, {VT_exponent,22,0x3a8658,{DOUBLEWITHTWODWORDINTREE(0x38900000,0x00000000)}}, {VT_exponent,22,0x3a8659,{DOUBLEWITHTWODWORDINTREE(0x38a00000,0x00000000)}}, {VT_exponent,22,0x3a865a,{DOUBLEWITHTWODWORDINTREE(0x38b00000,0x00000000)}}, {VT_exponent,22,0x3a865b,{DOUBLEWITHTWODWORDINTREE(0x38c00000,0x00000000)}}, {VT_exponent,22,0x3a865c,{DOUBLEWITHTWODWORDINTREE(0x38d00000,0x00000000)}}, {VT_exponent,22,0x3a865d,{DOUBLEWITHTWODWORDINTREE(0x38e00000,0x00000000)}}, {VT_exponent,21,0x1d432f,{DOUBLEWITHTWODWORDINTREE(0x38f00000,0x00000000)}}, {VT_exponent,22,0x3a8660,{DOUBLEWITHTWODWORDINTREE(0x39000000,0x00000000)}}, {VT_exponent,22,0x3a8661,{DOUBLEWITHTWODWORDINTREE(0x39100000,0x00000000)}}, {VT_exponent,22,0x3a8662,{DOUBLEWITHTWODWORDINTREE(0x39200000,0x00000000)}}, {VT_exponent,21,0x1d4332,{DOUBLEWITHTWODWORDINTREE(0x39300000,0x00000000)}}, {VT_exponent,18,0xd1d5,{DOUBLEWITHTWODWORDINTREE(0x39400000,0x00000000)}}, {VT_exponent,18,0x3bfda,{DOUBLEWITHTWODWORDINTREE(0x39500000,0x00000000)}}, {VT_exponent,15,0x7528,{DOUBLEWITHTWODWORDINTREE(0x39600000,0x00000000)}}, {VT_exponent,15,0x7529,{DOUBLEWITHTWODWORDINTREE(0x39700000,0x00000000)}}, {VT_exponent,18,0x3a95f,{DOUBLEWITHTWODWORDINTREE(0x39800000,0x00000000)}}, {VT_exponent,17,0x1d434,{DOUBLEWITHTWODWORDINTREE(0x39900000,0x00000000)}}, {VT_exponent,19,0x750cd,{DOUBLEWITHTWODWORDINTREE(0x39a00000,0x00000000)}}, {VT_exponent,18,0x3a867,{DOUBLEWITHTWODWORDINTREE(0x39b00000,0x00000000)}}, {VT_exponent,19,0x771fd,{DOUBLEWITHTWODWORDINTREE(0x39c00000,0x00000000)}}, {VT_exponent,15,0x7764,{DOUBLEWITHTWODWORDINTREE(0x39d00000,0x00000000)}}, {VT_exponent,20,0xee3f9,{DOUBLEWITHTWODWORDINTREE(0x39e00000,0x00000000)}}, {VT_exponent,18,0x3bfdb,{DOUBLEWITHTWODWORDINTREE(0x39f00000,0x00000000)}}, {VT_exponent,16,0xeff7,{DOUBLEWITHTWODWORDINTREE(0x3a000000,0x00000000)}}, {VT_exponent,18,0xd1d6,{DOUBLEWITHTWODWORDINTREE(0x3a100000,0x00000000)}}, {VT_exponent,22,0x3a8663,{DOUBLEWITHTWODWORDINTREE(0x3a200000,0x00000000)}}, {VT_exponent,22,0x3a8666,{DOUBLEWITHTWODWORDINTREE(0x3a300000,0x00000000)}}, {VT_exponent,18,0x3b8fa,{DOUBLEWITHTWODWORDINTREE(0x3a400000,0x00000000)}}, {VT_exponent,17,0x1d435,{DOUBLEWITHTWODWORDINTREE(0x3a500000,0x00000000)}}, {VT_exponent,17,0x1dfe4,{DOUBLEWITHTWODWORDINTREE(0x3a600000,0x00000000)}}, {VT_exponent,19,0x750d8,{DOUBLEWITHTWODWORDINTREE(0x3a700000,0x00000000)}}, {VT_exponent,18,0x3a95b,{DOUBLEWITHTWODWORDINTREE(0x3a800000,0x00000000)}}, {VT_exponent,19,0x77f9e,{DOUBLEWITHTWODWORDINTREE(0x3a900000,0x00000000)}}, {VT_exponent,19,0x750d9,{DOUBLEWITHTWODWORDINTREE(0x3aa00000,0x00000000)}}, {VT_exponent,18,0xd1d7,{DOUBLEWITHTWODWORDINTREE(0x3ab00000,0x00000000)}}, {VT_exponent,18,0x3b8ff,{DOUBLEWITHTWODWORDINTREE(0x3ac00000,0x00000000)}}, {VT_exponent,17,0x1dc7c,{DOUBLEWITHTWODWORDINTREE(0x3ad00000,0x00000000)}}, {VT_exponent,19,0x750da,{DOUBLEWITHTWODWORDINTREE(0x3ae00000,0x00000000)}}, {VT_exponent,17,0x7bc2,{DOUBLEWITHTWODWORDINTREE(0x3af00000,0x00000000)}}, {VT_exponent,18,0x3bfca,{DOUBLEWITHTWODWORDINTREE(0x3b000000,0x00000000)}}, {VT_exponent,19,0x1a3a5,{DOUBLEWITHTWODWORDINTREE(0x3b100000,0x00000000)}}, {VT_exponent,17,0x1d4ac,{DOUBLEWITHTWODWORDINTREE(0x3b200000,0x00000000)}}, {VT_exponent,18,0x3a86e,{DOUBLEWITHTWODWORDINTREE(0x3b300000,0x00000000)}}, {VT_exponent,17,0x1d438,{DOUBLEWITHTWODWORDINTREE(0x3b400000,0x00000000)}}, {VT_exponent,18,0x3bfcb,{DOUBLEWITHTWODWORDINTREE(0x3b500000,0x00000000)}}, {VT_exponent,19,0x1a3a7,{DOUBLEWITHTWODWORDINTREE(0x3b600000,0x00000000)}}, {VT_exponent,17,0x1d4ae,{DOUBLEWITHTWODWORDINTREE(0x3b700000,0x00000000)}}, {VT_exponent,18,0x3bfce,{DOUBLEWITHTWODWORDINTREE(0x3b800000,0x00000000)}}, {VT_exponent,18,0xf78c,{DOUBLEWITHTWODWORDINTREE(0x3b900000,0x00000000)}}, {VT_exponent,17,0x1dfec,{DOUBLEWITHTWODWORDINTREE(0x3ba00000,0x00000000)}}, {VT_exponent,17,0x1d439,{DOUBLEWITHTWODWORDINTREE(0x3bb00000,0x00000000)}}, {VT_exponent,17,0x68e8,{DOUBLEWITHTWODWORDINTREE(0x3bc00000,0x00000000)}}, {VT_exponent,18,0xf786,{DOUBLEWITHTWODWORDINTREE(0x3bd00000,0x00000000)}}, {VT_exponent,15,0x771e,{DOUBLEWITHTWODWORDINTREE(0x3be00000,0x00000000)}}, {VT_exponent,17,0x1dfe6,{DOUBLEWITHTWODWORDINTREE(0x3bf00000,0x00000000)}}, {VT_exponent,15,0x77f8,{DOUBLEWITHTWODWORDINTREE(0x3c000000,0x00000000)}}, {VT_exponent,14,0x3bb3,{DOUBLEWITHTWODWORDINTREE(0x3c100000,0x00000000)}}, {VT_exponent,14,0x3b8e,{DOUBLEWITHTWODWORDINTREE(0x3c200000,0x00000000)}}, {VT_exponent,14,0x3a82,{DOUBLEWITHTWODWORDINTREE(0x3c300000,0x00000000)}}, {VT_exponent,14,0x3b96,{DOUBLEWITHTWODWORDINTREE(0x3c400000,0x00000000)}}, {VT_exponent,13,0x68f,{DOUBLEWITHTWODWORDINTREE(0x3c500000,0x00000000)}}, {VT_exponent,12,0x3d4,{DOUBLEWITHTWODWORDINTREE(0x3c600000,0x00000000)}}, {VT_exponent,13,0x1dca,{DOUBLEWITHTWODWORDINTREE(0x3c700000,0x00000000)}}, {VT_exponent,12,0x346,{DOUBLEWITHTWODWORDINTREE(0x3c800000,0x00000000)}}, {VT_exponent,12,0xee7,{DOUBLEWITHTWODWORDINTREE(0x3c900000,0x00000000)}}, {VT_exponent,12,0xeea,{DOUBLEWITHTWODWORDINTREE(0x3ca00000,0x00000000)}}, {VT_exponent,11,0x1ed,{DOUBLEWITHTWODWORDINTREE(0x3cb00000,0x00000000)}}, {VT_exponent,12,0x3df,{DOUBLEWITHTWODWORDINTREE(0x3cc00000,0x00000000)}}, {VT_exponent,11,0x1a2,{DOUBLEWITHTWODWORDINTREE(0x3cd00000,0x00000000)}}, {VT_exponent,11,0x56f,{DOUBLEWITHTWODWORDINTREE(0x3ce00000,0x00000000)}}, {VT_exponent,11,0xb9,{DOUBLEWITHTWODWORDINTREE(0x3cf00000,0x00000000)}}, {VT_exponent,13,0x7b2,{DOUBLEWITHTWODWORDINTREE(0x3d000000,0x00000000)}}, {VT_exponent,13,0x1dd8,{DOUBLEWITHTWODWORDINTREE(0x3d100000,0x00000000)}}, {VT_exponent,13,0x15ba,{DOUBLEWITHTWODWORDINTREE(0x3d200000,0x00000000)}}, {VT_exponent,12,0xee6,{DOUBLEWITHTWODWORDINTREE(0x3d300000,0x00000000)}}, {VT_exponent,13,0x15b8,{DOUBLEWITHTWODWORDINTREE(0x3d400000,0x00000000)}}, {VT_exponent,14,0xf79,{DOUBLEWITHTWODWORDINTREE(0x3d500000,0x00000000)}}, {VT_exponent,14,0x3a81,{DOUBLEWITHTWODWORDINTREE(0x3d600000,0x00000000)}}, {VT_exponent,14,0xd1c,{DOUBLEWITHTWODWORDINTREE(0x3d700000,0x00000000)}}, {VT_exponent,15,0x7765,{DOUBLEWITHTWODWORDINTREE(0x3d800000,0x00000000)}}, {VT_exponent,14,0xf54,{DOUBLEWITHTWODWORDINTREE(0x3d900000,0x00000000)}}, {VT_exponent,13,0x15b9,{DOUBLEWITHTWODWORDINTREE(0x3da00000,0x00000000)}}, {VT_exponent,13,0x7ab,{DOUBLEWITHTWODWORDINTREE(0x3db00000,0x00000000)}}, {VT_exponent,15,0x7500,{DOUBLEWITHTWODWORDINTREE(0x3dc00000,0x00000000)}}, {VT_exponent,15,0x1eaa,{DOUBLEWITHTWODWORDINTREE(0x3dd00000,0x00000000)}}, {VT_exponent,15,0x7501,{DOUBLEWITHTWODWORDINTREE(0x3de00000,0x00000000)}}, {VT_exponent,15,0x1eab,{DOUBLEWITHTWODWORDINTREE(0x3df00000,0x00000000)}}, {VT_exponent,14,0x3b97,{DOUBLEWITHTWODWORDINTREE(0x3e000000,0x00000000)}}, {VT_exponent,15,0x752a,{DOUBLEWITHTWODWORDINTREE(0x3e100000,0x00000000)}}, {VT_exponent,15,0x77fa,{DOUBLEWITHTWODWORDINTREE(0x3e200000,0x00000000)}}, {VT_double,10,0xf4,{DOUBLEWITHTWODWORDINTREE(0x3e35798e,0xe2308c3a)}}, {VT_exponent,14,0x3a93,{DOUBLEWITHTWODWORDINTREE(0x3e300000,0x00000000)}}, {VT_double,11,0x77c,{DOUBLEWITHTWODWORDINTREE(0x3e45798e,0xe2308c3a)}}, {VT_exponent,13,0x1dc6,{DOUBLEWITHTWODWORDINTREE(0x3e400000,0x00000000)}}, {VT_exponent,13,0x7bd,{DOUBLEWITHTWODWORDINTREE(0x3e500000,0x00000000)}}, {VT_exponent,13,0x1dff,{DOUBLEWITHTWODWORDINTREE(0x3e600000,0x00000000)}}, {VT_exponent,12,0xefe,{DOUBLEWITHTWODWORDINTREE(0x3e700000,0x00000000)}}, {VT_double,8,0xaf,{DOUBLEWITHTWODWORDINTREE(0x3e8ad7f2,0x9abcaf4a)}}, {VT_exponent,12,0xeed,{DOUBLEWITHTWODWORDINTREE(0x3e800000,0x00000000)}}, {VT_exponent,11,0xb8,{DOUBLEWITHTWODWORDINTREE(0x3e900000,0x00000000)}}, {VT_exponent,12,0x3d8,{DOUBLEWITHTWODWORDINTREE(0x3ea00000,0x00000000)}}, {VT_exponent,11,0x1eb,{DOUBLEWITHTWODWORDINTREE(0x3eb00000,0x00000000)}}, {VT_double,9,0x1d2,{DOUBLEWITHTWODWORDINTREE(0x3ec0c6f7,0xa0b5ed8e)}}, {VT_exponent,13,0x1d4b,{DOUBLEWITHTWODWORDINTREE(0x3ec00000,0x00000000)}}, {VT_exponent,13,0x7b3,{DOUBLEWITHTWODWORDINTREE(0x3ed00000,0x00000000)}}, {VT_exponent,10,0x5d,{DOUBLEWITHTWODWORDINTREE(0x3ee00000,0x00000000)}}, {VT_exponent,12,0xeeb,{DOUBLEWITHTWODWORDINTREE(0x3ef00000,0x00000000)}}, {VT_exponent,11,0x1ee,{DOUBLEWITHTWODWORDINTREE(0x3f000000,0x00000000)}}, {VT_exponent,10,0x5f,{DOUBLEWITHTWODWORDINTREE(0x3f100000,0x00000000)}}, {VT_exponent,10,0x2b6,{DOUBLEWITHTWODWORDINTREE(0x3f200000,0x00000000)}}, {VT_exponent,9,0x1de,{DOUBLEWITHTWODWORDINTREE(0x3f300000,0x00000000)}}, {VT_double,10,0xd0,{DOUBLEWITHTWODWORDINTREE(0x3f454c98,0x5f06f694)}}, {VT_double,6,0x9,{DOUBLEWITHTWODWORDINTREE(0x3f4a36e2,0xeb1c432d)}}, {VT_exponent,8,0xe8,{DOUBLEWITHTWODWORDINTREE(0x3f400000,0x00000000)}}, {VT_double,4,0xf,{DOUBLEWITHTWODWORDINTREE(0x3f50624d,0xd2f1a9fc)}}, {VT_exponent,8,0xae,{DOUBLEWITHTWODWORDINTREE(0x3f500000,0x00000000)}}, {VT_double,5,0x16,{DOUBLEWITHTWODWORDINTREE(0x3f60624d,0xd2f1a9fc)}}, {VT_exponent,7,0x1b,{DOUBLEWITHTWODWORDINTREE(0x3f600000,0x00000000)}}, {VT_exponent,7,0x76,{DOUBLEWITHTWODWORDINTREE(0x3f700000,0x00000000)}}, {VT_exponent,7,0xa,{DOUBLEWITHTWODWORDINTREE(0x3f800000,0x00000000)}}, {VT_exponent,6,0x8,{DOUBLEWITHTWODWORDINTREE(0x3f900000,0x00000000)}}, {VT_exponent,6,0xe,{DOUBLEWITHTWODWORDINTREE(0x3fa00000,0x00000000)}}, {VT_double,11,0x751,{DOUBLEWITHTWODWORDINTREE(0x3fbe69ad,0x42c3c9ee)}}, {VT_exponent,6,0x4,{DOUBLEWITHTWODWORDINTREE(0x3fb00000,0x00000000)}}, {VT_exponent,6,0xc,{DOUBLEWITHTWODWORDINTREE(0x3fc00000,0x00000000)}}, {VT_exponent,5,0x3,{DOUBLEWITHTWODWORDINTREE(0x3fd00000,0x00000000)}}, {VT_double,11,0x777,{DOUBLEWITHTWODWORDINTREE(0x3fe00000,0x00000000)}}, {VT_double,9,0x1d6,{DOUBLEWITHTWODWORDINTREE(0x3fefffff,0xf8000002)}}, {VT_exponent,4,0x8,{DOUBLEWITHTWODWORDINTREE(0x3fe00000,0x00000000)}}, {VT_double,4,0x0,{DOUBLEWITHTWODWORDINTREE(0x3ff00000,0x00000000)}}, {VT_exponent,5,0x13,{DOUBLEWITHTWODWORDINTREE(0x3ff00000,0x00000000)}}, {VT_exponent,5,0x1b,{DOUBLEWITHTWODWORDINTREE(0x40000000,0x00000000)}}, {VT_double,9,0x15a,{DOUBLEWITHTWODWORDINTREE(0x401921fb,0x54442d18)}}, {VT_exponent,5,0x17,{DOUBLEWITHTWODWORDINTREE(0x40100000,0x00000000)}}, {VT_exponent,5,0x12,{DOUBLEWITHTWODWORDINTREE(0x40200000,0x00000000)}}, {VT_double,11,0x774,{DOUBLEWITHTWODWORDINTREE(0x4035ee14,0x80000000)}}, {VT_exponent,5,0x19,{DOUBLEWITHTWODWORDINTREE(0x40300000,0x00000000)}}, {VT_double,9,0x1d3,{DOUBLEWITHTWODWORDINTREE(0x404ca5dc,0x1a63c1f8)}}, {VT_exponent,5,0x1a,{DOUBLEWITHTWODWORDINTREE(0x40400000,0x00000000)}}, {VT_double,11,0x77e,{DOUBLEWITHTWODWORDINTREE(0x405bb32f,0xe0000000)}}, {VT_double,10,0x5e,{DOUBLEWITHTWODWORDINTREE(0x405c332f,0xe0000000)}}, {VT_exponent,5,0x18,{DOUBLEWITHTWODWORDINTREE(0x40500000,0x00000000)}}, {VT_double,9,0x1d7,{DOUBLEWITHTWODWORDINTREE(0x40668000,0x00000000)}}, {VT_exponent,5,0x1c,{DOUBLEWITHTWODWORDINTREE(0x40600000,0x00000000)}}, {VT_double,9,0x1d5,{DOUBLEWITHTWODWORDINTREE(0x40768000,0x00000000)}}, {VT_exponent,5,0x14,{DOUBLEWITHTWODWORDINTREE(0x40700000,0x00000000)}}, {VT_double,11,0x77d,{DOUBLEWITHTWODWORDINTREE(0x408f4000,0x00000000)}}, {VT_exponent,5,0x5,{DOUBLEWITHTWODWORDINTREE(0x40800000,0x00000000)}}, {VT_double,10,0xd2,{DOUBLEWITHTWODWORDINTREE(0x409233ff,0xffffffff)}}, {VT_double,8,0x3c,{DOUBLEWITHTWODWORDINTREE(0x40923400,0x00000000)}}, {VT_double,11,0x753,{DOUBLEWITHTWODWORDINTREE(0x40923400,0x00000001)}}, {VT_double,10,0xd3,{DOUBLEWITHTWODWORDINTREE(0x4092abff,0xffffffff)}}, {VT_double,8,0x35,{DOUBLEWITHTWODWORDINTREE(0x4092ac00,0x00000000)}}, {VT_double,11,0x770,{DOUBLEWITHTWODWORDINTREE(0x4092ac00,0x00000001)}}, {VT_exponent,8,0x16,{DOUBLEWITHTWODWORDINTREE(0x40900000,0x00000000)}}, {VT_exponent,12,0xee2,{DOUBLEWITHTWODWORDINTREE(0x40a00000,0x00000000)}}, {VT_exponent,12,0xee4,{DOUBLEWITHTWODWORDINTREE(0x40b00000,0x00000000)}}, {VT_double,7,0x1f,{DOUBLEWITHTWODWORDINTREE(0x40c81c80,0x00000000)}}, {VT_exponent,8,0xac,{DOUBLEWITHTWODWORDINTREE(0x40c00000,0x00000000)}}, {VT_exponent,13,0x15bb,{DOUBLEWITHTWODWORDINTREE(0x40d00000,0x00000000)}}, {VT_exponent,22,0x3a8667,{DOUBLEWITHTWODWORDINTREE(0x40e00000,0x00000000)}}, {VT_exponent,22,0x3a86d8,{DOUBLEWITHTWODWORDINTREE(0x40f00000,0x00000000)}}, {VT_exponent,22,0x3a86d9,{DOUBLEWITHTWODWORDINTREE(0x41000000,0x00000000)}}, {VT_exponent,22,0x3a86da,{DOUBLEWITHTWODWORDINTREE(0x41100000,0x00000000)}}, {VT_exponent,17,0x1dc7e,{DOUBLEWITHTWODWORDINTREE(0x41200000,0x00000000)}}, {VT_exponent,22,0x3a86db,{DOUBLEWITHTWODWORDINTREE(0x41300000,0x00000000)}}, {VT_exponent,22,0x3a86dc,{DOUBLEWITHTWODWORDINTREE(0x41400000,0x00000000)}}, {VT_exponent,22,0x3a86dd,{DOUBLEWITHTWODWORDINTREE(0x41500000,0x00000000)}}, {VT_exponent,22,0x3a86de,{DOUBLEWITHTWODWORDINTREE(0x41600000,0x00000000)}}, {VT_exponent,22,0x3a86df,{DOUBLEWITHTWODWORDINTREE(0x41700000,0x00000000)}}, {VT_exponent,22,0x3a86f0,{DOUBLEWITHTWODWORDINTREE(0x41800000,0x00000000)}}, {VT_exponent,22,0x3a86f1,{DOUBLEWITHTWODWORDINTREE(0x41900000,0x00000000)}}, {VT_exponent,22,0x3a86f2,{DOUBLEWITHTWODWORDINTREE(0x41a00000,0x00000000)}}, {VT_exponent,22,0x3a86f3,{DOUBLEWITHTWODWORDINTREE(0x41b00000,0x00000000)}}, {VT_double,6,0x2a,{DOUBLEWITHTWODWORDINTREE(0x41cdcd64,0xff800000)}}, {VT_exponent,22,0x3a86f4,{DOUBLEWITHTWODWORDINTREE(0x41c00000,0x00000000)}}, {VT_exponent,22,0x3a86f5,{DOUBLEWITHTWODWORDINTREE(0x41d00000,0x00000000)}}, {VT_exponent,22,0x3a86f6,{DOUBLEWITHTWODWORDINTREE(0x41e00000,0x00000000)}}, {VT_exponent,22,0x3a86f7,{DOUBLEWITHTWODWORDINTREE(0x41f00000,0x00000000)}}, {VT_exponent,22,0x3a86f8,{DOUBLEWITHTWODWORDINTREE(0x42000000,0x00000000)}}, {VT_exponent,22,0x3a86f9,{DOUBLEWITHTWODWORDINTREE(0x42100000,0x00000000)}}, {VT_exponent,22,0x3a86fa,{DOUBLEWITHTWODWORDINTREE(0x42200000,0x00000000)}}, {VT_exponent,22,0x3a86fb,{DOUBLEWITHTWODWORDINTREE(0x42300000,0x00000000)}}, {VT_exponent,22,0x3a86fc,{DOUBLEWITHTWODWORDINTREE(0x42400000,0x00000000)}}, {VT_exponent,22,0x3a86fd,{DOUBLEWITHTWODWORDINTREE(0x42500000,0x00000000)}}, {VT_exponent,22,0x3a86fe,{DOUBLEWITHTWODWORDINTREE(0x42600000,0x00000000)}}, {VT_exponent,22,0x3a86ff,{DOUBLEWITHTWODWORDINTREE(0x42700000,0x00000000)}}, {VT_exponent,22,0x3a8740,{DOUBLEWITHTWODWORDINTREE(0x42800000,0x00000000)}}, {VT_exponent,22,0x3a8741,{DOUBLEWITHTWODWORDINTREE(0x42900000,0x00000000)}}, {VT_exponent,22,0x3a8742,{DOUBLEWITHTWODWORDINTREE(0x42a00000,0x00000000)}}, {VT_exponent,22,0x3a8743,{DOUBLEWITHTWODWORDINTREE(0x42b00000,0x00000000)}}, {VT_exponent,22,0x3a8744,{DOUBLEWITHTWODWORDINTREE(0x42c00000,0x00000000)}}, {VT_exponent,22,0x3a8745,{DOUBLEWITHTWODWORDINTREE(0x42d00000,0x00000000)}}, {VT_exponent,22,0x3a8746,{DOUBLEWITHTWODWORDINTREE(0x42e00000,0x00000000)}}, {VT_exponent,22,0x3a8747,{DOUBLEWITHTWODWORDINTREE(0x42f00000,0x00000000)}}, {VT_exponent,22,0x3a8748,{DOUBLEWITHTWODWORDINTREE(0x43000000,0x00000000)}}, {VT_exponent,22,0x3a8749,{DOUBLEWITHTWODWORDINTREE(0x43100000,0x00000000)}}, {VT_exponent,22,0x3a874a,{DOUBLEWITHTWODWORDINTREE(0x43200000,0x00000000)}}, {VT_exponent,22,0x3a874b,{DOUBLEWITHTWODWORDINTREE(0x43300000,0x00000000)}}, {VT_exponent,22,0x3a874c,{DOUBLEWITHTWODWORDINTREE(0x43400000,0x00000000)}}, {VT_exponent,22,0x3a874d,{DOUBLEWITHTWODWORDINTREE(0x43500000,0x00000000)}}, {VT_exponent,22,0x3a874e,{DOUBLEWITHTWODWORDINTREE(0x43600000,0x00000000)}}, {VT_exponent,22,0x3a874f,{DOUBLEWITHTWODWORDINTREE(0x43700000,0x00000000)}}, {VT_exponent,22,0x3a8750,{DOUBLEWITHTWODWORDINTREE(0x43800000,0x00000000)}}, {VT_exponent,22,0x3a8751,{DOUBLEWITHTWODWORDINTREE(0x43900000,0x00000000)}}, {VT_exponent,22,0x3a8752,{DOUBLEWITHTWODWORDINTREE(0x43a00000,0x00000000)}}, {VT_exponent,22,0x3a8753,{DOUBLEWITHTWODWORDINTREE(0x43b00000,0x00000000)}}, {VT_exponent,22,0x3a8754,{DOUBLEWITHTWODWORDINTREE(0x43c00000,0x00000000)}}, {VT_exponent,22,0x3a8755,{DOUBLEWITHTWODWORDINTREE(0x43d00000,0x00000000)}}, {VT_exponent,22,0x3a8756,{DOUBLEWITHTWODWORDINTREE(0x43e00000,0x00000000)}}, {VT_exponent,22,0x3a8757,{DOUBLEWITHTWODWORDINTREE(0x43f00000,0x00000000)}}, {VT_exponent,22,0x3a8758,{DOUBLEWITHTWODWORDINTREE(0x44000000,0x00000000)}}, {VT_exponent,15,0x1a3b,{DOUBLEWITHTWODWORDINTREE(0x44100000,0x00000000)}}, {VT_exponent,22,0x3a8759,{DOUBLEWITHTWODWORDINTREE(0x44200000,0x00000000)}}, {VT_exponent,22,0x3a875a,{DOUBLEWITHTWODWORDINTREE(0x44300000,0x00000000)}}, {VT_exponent,22,0x3a875b,{DOUBLEWITHTWODWORDINTREE(0x44400000,0x00000000)}}, {VT_exponent,22,0x3a875c,{DOUBLEWITHTWODWORDINTREE(0x44500000,0x00000000)}}, {VT_exponent,22,0x3a875d,{DOUBLEWITHTWODWORDINTREE(0x44600000,0x00000000)}}, {VT_exponent,22,0x3a875e,{DOUBLEWITHTWODWORDINTREE(0x44700000,0x00000000)}}, {VT_exponent,22,0x3a875f,{DOUBLEWITHTWODWORDINTREE(0x44800000,0x00000000)}}, {VT_exponent,22,0x3a8760,{DOUBLEWITHTWODWORDINTREE(0x44900000,0x00000000)}}, {VT_exponent,22,0x3a8761,{DOUBLEWITHTWODWORDINTREE(0x44a00000,0x00000000)}}, {VT_exponent,22,0x3a8762,{DOUBLEWITHTWODWORDINTREE(0x44b00000,0x00000000)}}, {VT_exponent,22,0x3a8763,{DOUBLEWITHTWODWORDINTREE(0x44c00000,0x00000000)}}, {VT_exponent,22,0x3a8764,{DOUBLEWITHTWODWORDINTREE(0x44d00000,0x00000000)}}, {VT_exponent,22,0x3a8765,{DOUBLEWITHTWODWORDINTREE(0x44e00000,0x00000000)}}, {VT_exponent,22,0x3a8766,{DOUBLEWITHTWODWORDINTREE(0x44f00000,0x00000000)}}, {VT_exponent,22,0x3a8767,{DOUBLEWITHTWODWORDINTREE(0x45000000,0x00000000)}}, {VT_exponent,22,0x3a8768,{DOUBLEWITHTWODWORDINTREE(0x45100000,0x00000000)}}, {VT_exponent,22,0x3a8769,{DOUBLEWITHTWODWORDINTREE(0x45200000,0x00000000)}}, {VT_exponent,22,0x3a876a,{DOUBLEWITHTWODWORDINTREE(0x45300000,0x00000000)}}, {VT_exponent,22,0x3a876b,{DOUBLEWITHTWODWORDINTREE(0x45400000,0x00000000)}}, {VT_exponent,22,0x3a876c,{DOUBLEWITHTWODWORDINTREE(0x45500000,0x00000000)}}, {VT_exponent,22,0x3a876d,{DOUBLEWITHTWODWORDINTREE(0x45600000,0x00000000)}}, {VT_exponent,22,0x3a876e,{DOUBLEWITHTWODWORDINTREE(0x45700000,0x00000000)}}, {VT_exponent,22,0x3a876f,{DOUBLEWITHTWODWORDINTREE(0x45800000,0x00000000)}}, {VT_exponent,22,0x3a8770,{DOUBLEWITHTWODWORDINTREE(0x45900000,0x00000000)}}, {VT_exponent,22,0x3a8771,{DOUBLEWITHTWODWORDINTREE(0x45a00000,0x00000000)}}, {VT_exponent,22,0x3a8772,{DOUBLEWITHTWODWORDINTREE(0x45b00000,0x00000000)}}, {VT_exponent,22,0x3a8773,{DOUBLEWITHTWODWORDINTREE(0x45c00000,0x00000000)}}, {VT_exponent,22,0x3a8774,{DOUBLEWITHTWODWORDINTREE(0x45d00000,0x00000000)}}, {VT_exponent,22,0x3a8775,{DOUBLEWITHTWODWORDINTREE(0x45e00000,0x00000000)}}, {VT_exponent,22,0x3a8776,{DOUBLEWITHTWODWORDINTREE(0x45f00000,0x00000000)}}, {VT_exponent,22,0x3a8777,{DOUBLEWITHTWODWORDINTREE(0x46000000,0x00000000)}}, {VT_exponent,22,0x3a8778,{DOUBLEWITHTWODWORDINTREE(0x46100000,0x00000000)}}, {VT_exponent,22,0x3a8779,{DOUBLEWITHTWODWORDINTREE(0x46200000,0x00000000)}}, {VT_exponent,22,0x3a877a,{DOUBLEWITHTWODWORDINTREE(0x46300000,0x00000000)}}, {VT_exponent,22,0x3a877b,{DOUBLEWITHTWODWORDINTREE(0x46400000,0x00000000)}}, {VT_exponent,22,0x3a877c,{DOUBLEWITHTWODWORDINTREE(0x46500000,0x00000000)}}, {VT_exponent,22,0x3a877d,{DOUBLEWITHTWODWORDINTREE(0x46600000,0x00000000)}}, {VT_exponent,22,0x3a877e,{DOUBLEWITHTWODWORDINTREE(0x46700000,0x00000000)}}, {VT_exponent,22,0x3a877f,{DOUBLEWITHTWODWORDINTREE(0x46800000,0x00000000)}}, {VT_exponent,22,0x3a8780,{DOUBLEWITHTWODWORDINTREE(0x46900000,0x00000000)}}, {VT_exponent,22,0x3a8781,{DOUBLEWITHTWODWORDINTREE(0x46a00000,0x00000000)}}, {VT_exponent,22,0x3a8782,{DOUBLEWITHTWODWORDINTREE(0x46b00000,0x00000000)}}, {VT_exponent,22,0x3a8783,{DOUBLEWITHTWODWORDINTREE(0x46c00000,0x00000000)}}, {VT_exponent,22,0x3a8784,{DOUBLEWITHTWODWORDINTREE(0x46d00000,0x00000000)}}, {VT_exponent,22,0x3a8785,{DOUBLEWITHTWODWORDINTREE(0x46e00000,0x00000000)}}, {VT_exponent,22,0x3a8786,{DOUBLEWITHTWODWORDINTREE(0x46f00000,0x00000000)}}, {VT_exponent,22,0x3a8787,{DOUBLEWITHTWODWORDINTREE(0x47000000,0x00000000)}}, {VT_exponent,22,0x3a8788,{DOUBLEWITHTWODWORDINTREE(0x47100000,0x00000000)}}, {VT_exponent,22,0x3a8789,{DOUBLEWITHTWODWORDINTREE(0x47200000,0x00000000)}}, {VT_exponent,22,0x3a878a,{DOUBLEWITHTWODWORDINTREE(0x47300000,0x00000000)}}, {VT_exponent,22,0x3a878b,{DOUBLEWITHTWODWORDINTREE(0x47400000,0x00000000)}}, {VT_exponent,22,0x3a878c,{DOUBLEWITHTWODWORDINTREE(0x47500000,0x00000000)}}, {VT_exponent,22,0x3a878d,{DOUBLEWITHTWODWORDINTREE(0x47600000,0x00000000)}}, {VT_exponent,22,0x3a878e,{DOUBLEWITHTWODWORDINTREE(0x47700000,0x00000000)}}, {VT_exponent,22,0x3a878f,{DOUBLEWITHTWODWORDINTREE(0x47800000,0x00000000)}}, {VT_exponent,22,0x3a8790,{DOUBLEWITHTWODWORDINTREE(0x47900000,0x00000000)}}, {VT_exponent,22,0x3a8791,{DOUBLEWITHTWODWORDINTREE(0x47a00000,0x00000000)}}, {VT_exponent,22,0x3a8792,{DOUBLEWITHTWODWORDINTREE(0x47b00000,0x00000000)}}, {VT_exponent,22,0x3a8793,{DOUBLEWITHTWODWORDINTREE(0x47c00000,0x00000000)}}, {VT_exponent,22,0x3a8794,{DOUBLEWITHTWODWORDINTREE(0x47d00000,0x00000000)}}, {VT_exponent,22,0x3a8795,{DOUBLEWITHTWODWORDINTREE(0x47e00000,0x00000000)}}, {VT_exponent,22,0x3a8796,{DOUBLEWITHTWODWORDINTREE(0x47f00000,0x00000000)}}, {VT_exponent,22,0x3a8797,{DOUBLEWITHTWODWORDINTREE(0x48000000,0x00000000)}}, {VT_exponent,22,0x3a8798,{DOUBLEWITHTWODWORDINTREE(0x48100000,0x00000000)}}, {VT_exponent,22,0x3a8799,{DOUBLEWITHTWODWORDINTREE(0x48200000,0x00000000)}}, {VT_exponent,22,0x3a879a,{DOUBLEWITHTWODWORDINTREE(0x48300000,0x00000000)}}, {VT_exponent,22,0x3a879b,{DOUBLEWITHTWODWORDINTREE(0x48400000,0x00000000)}}, {VT_exponent,22,0x3a879c,{DOUBLEWITHTWODWORDINTREE(0x48500000,0x00000000)}}, {VT_exponent,22,0x3a879d,{DOUBLEWITHTWODWORDINTREE(0x48600000,0x00000000)}}, {VT_exponent,22,0x3a879e,{DOUBLEWITHTWODWORDINTREE(0x48700000,0x00000000)}}, {VT_exponent,22,0x3a879f,{DOUBLEWITHTWODWORDINTREE(0x48800000,0x00000000)}}, {VT_exponent,22,0x3a87a0,{DOUBLEWITHTWODWORDINTREE(0x48900000,0x00000000)}}, {VT_exponent,22,0x3a87a1,{DOUBLEWITHTWODWORDINTREE(0x48a00000,0x00000000)}}, {VT_exponent,22,0x3a87a2,{DOUBLEWITHTWODWORDINTREE(0x48b00000,0x00000000)}}, {VT_exponent,22,0x3a87a3,{DOUBLEWITHTWODWORDINTREE(0x48c00000,0x00000000)}}, {VT_exponent,22,0x3a87a4,{DOUBLEWITHTWODWORDINTREE(0x48d00000,0x00000000)}}, {VT_exponent,22,0x3a87a5,{DOUBLEWITHTWODWORDINTREE(0x48e00000,0x00000000)}}, {VT_exponent,22,0x3a87a6,{DOUBLEWITHTWODWORDINTREE(0x48f00000,0x00000000)}}, {VT_exponent,22,0x3a87a7,{DOUBLEWITHTWODWORDINTREE(0x49000000,0x00000000)}}, {VT_exponent,22,0x3a87a8,{DOUBLEWITHTWODWORDINTREE(0x49100000,0x00000000)}}, {VT_exponent,22,0x3a87a9,{DOUBLEWITHTWODWORDINTREE(0x49200000,0x00000000)}}, {VT_exponent,22,0x3a87aa,{DOUBLEWITHTWODWORDINTREE(0x49300000,0x00000000)}}, {VT_exponent,22,0x3a87ab,{DOUBLEWITHTWODWORDINTREE(0x49400000,0x00000000)}}, {VT_exponent,22,0x3a87ac,{DOUBLEWITHTWODWORDINTREE(0x49500000,0x00000000)}}, {VT_exponent,22,0x3a87ad,{DOUBLEWITHTWODWORDINTREE(0x49600000,0x00000000)}}, {VT_exponent,22,0x3a87ae,{DOUBLEWITHTWODWORDINTREE(0x49700000,0x00000000)}}, {VT_exponent,22,0x3a87af,{DOUBLEWITHTWODWORDINTREE(0x49800000,0x00000000)}}, {VT_exponent,22,0x3a87b0,{DOUBLEWITHTWODWORDINTREE(0x49900000,0x00000000)}}, {VT_exponent,22,0x3a87b1,{DOUBLEWITHTWODWORDINTREE(0x49a00000,0x00000000)}}, {VT_exponent,22,0x3a87b2,{DOUBLEWITHTWODWORDINTREE(0x49b00000,0x00000000)}}, {VT_exponent,22,0x3a87b3,{DOUBLEWITHTWODWORDINTREE(0x49c00000,0x00000000)}}, {VT_exponent,22,0x3a87b4,{DOUBLEWITHTWODWORDINTREE(0x49d00000,0x00000000)}}, {VT_exponent,22,0x3a87b5,{DOUBLEWITHTWODWORDINTREE(0x49e00000,0x00000000)}}, {VT_exponent,22,0x3a87b6,{DOUBLEWITHTWODWORDINTREE(0x49f00000,0x00000000)}}, {VT_exponent,22,0x3a87b7,{DOUBLEWITHTWODWORDINTREE(0x4a000000,0x00000000)}}, {VT_exponent,22,0x3a87b8,{DOUBLEWITHTWODWORDINTREE(0x4a100000,0x00000000)}}, {VT_exponent,22,0x3a87b9,{DOUBLEWITHTWODWORDINTREE(0x4a200000,0x00000000)}}, {VT_exponent,22,0x3a87ba,{DOUBLEWITHTWODWORDINTREE(0x4a300000,0x00000000)}}, {VT_exponent,22,0x3a87bb,{DOUBLEWITHTWODWORDINTREE(0x4a400000,0x00000000)}}, {VT_exponent,22,0x3a87bc,{DOUBLEWITHTWODWORDINTREE(0x4a500000,0x00000000)}}, {VT_exponent,22,0x3a87bd,{DOUBLEWITHTWODWORDINTREE(0x4a600000,0x00000000)}}, {VT_exponent,22,0x3a87be,{DOUBLEWITHTWODWORDINTREE(0x4a700000,0x00000000)}}, {VT_exponent,22,0x3a87bf,{DOUBLEWITHTWODWORDINTREE(0x4a800000,0x00000000)}}, {VT_exponent,22,0x3a87c0,{DOUBLEWITHTWODWORDINTREE(0x4a900000,0x00000000)}}, {VT_exponent,22,0x3a87c1,{DOUBLEWITHTWODWORDINTREE(0x4aa00000,0x00000000)}}, {VT_exponent,22,0x3a87c2,{DOUBLEWITHTWODWORDINTREE(0x4ab00000,0x00000000)}}, {VT_exponent,22,0x3a87c3,{DOUBLEWITHTWODWORDINTREE(0x4ac00000,0x00000000)}}, {VT_exponent,22,0x3a87c4,{DOUBLEWITHTWODWORDINTREE(0x4ad00000,0x00000000)}}, {VT_exponent,22,0x3a87c5,{DOUBLEWITHTWODWORDINTREE(0x4ae00000,0x00000000)}}, {VT_exponent,22,0x3a87c6,{DOUBLEWITHTWODWORDINTREE(0x4af00000,0x00000000)}}, {VT_exponent,22,0x3a87c7,{DOUBLEWITHTWODWORDINTREE(0x4b000000,0x00000000)}}, {VT_exponent,22,0x3a87c8,{DOUBLEWITHTWODWORDINTREE(0x4b100000,0x00000000)}}, {VT_exponent,22,0x3a87c9,{DOUBLEWITHTWODWORDINTREE(0x4b200000,0x00000000)}}, {VT_exponent,22,0x3a87ca,{DOUBLEWITHTWODWORDINTREE(0x4b300000,0x00000000)}}, {VT_exponent,22,0x3a87cb,{DOUBLEWITHTWODWORDINTREE(0x4b400000,0x00000000)}}, {VT_exponent,22,0x3a87cc,{DOUBLEWITHTWODWORDINTREE(0x4b500000,0x00000000)}}, {VT_exponent,22,0x3a87cd,{DOUBLEWITHTWODWORDINTREE(0x4b600000,0x00000000)}}, {VT_exponent,22,0x3a87ce,{DOUBLEWITHTWODWORDINTREE(0x4b700000,0x00000000)}}, {VT_exponent,22,0x3a87cf,{DOUBLEWITHTWODWORDINTREE(0x4b800000,0x00000000)}}, {VT_exponent,22,0x3a87d0,{DOUBLEWITHTWODWORDINTREE(0x4b900000,0x00000000)}}, {VT_exponent,22,0x3a87d1,{DOUBLEWITHTWODWORDINTREE(0x4ba00000,0x00000000)}}, {VT_exponent,22,0x3a87d2,{DOUBLEWITHTWODWORDINTREE(0x4bb00000,0x00000000)}}, {VT_exponent,22,0x3a87d3,{DOUBLEWITHTWODWORDINTREE(0x4bc00000,0x00000000)}}, {VT_exponent,22,0x3a87d4,{DOUBLEWITHTWODWORDINTREE(0x4bd00000,0x00000000)}}, {VT_exponent,22,0x3a87d5,{DOUBLEWITHTWODWORDINTREE(0x4be00000,0x00000000)}}, {VT_exponent,22,0x3a87d6,{DOUBLEWITHTWODWORDINTREE(0x4bf00000,0x00000000)}}, {VT_exponent,22,0x3a87d7,{DOUBLEWITHTWODWORDINTREE(0x4c000000,0x00000000)}}, {VT_exponent,22,0x3a87d8,{DOUBLEWITHTWODWORDINTREE(0x4c100000,0x00000000)}}, {VT_exponent,22,0x3a87d9,{DOUBLEWITHTWODWORDINTREE(0x4c200000,0x00000000)}}, {VT_exponent,22,0x3a87da,{DOUBLEWITHTWODWORDINTREE(0x4c300000,0x00000000)}}, {VT_exponent,22,0x3a87db,{DOUBLEWITHTWODWORDINTREE(0x4c400000,0x00000000)}}, {VT_exponent,22,0x3a87dc,{DOUBLEWITHTWODWORDINTREE(0x4c500000,0x00000000)}}, {VT_exponent,22,0x3a87dd,{DOUBLEWITHTWODWORDINTREE(0x4c600000,0x00000000)}}, {VT_exponent,22,0x3a87de,{DOUBLEWITHTWODWORDINTREE(0x4c700000,0x00000000)}}, {VT_exponent,22,0x3a87df,{DOUBLEWITHTWODWORDINTREE(0x4c800000,0x00000000)}}, {VT_exponent,22,0x3a87e0,{DOUBLEWITHTWODWORDINTREE(0x4c900000,0x00000000)}}, {VT_exponent,22,0x3a87e1,{DOUBLEWITHTWODWORDINTREE(0x4ca00000,0x00000000)}}, {VT_exponent,22,0x3a87e2,{DOUBLEWITHTWODWORDINTREE(0x4cb00000,0x00000000)}}, {VT_exponent,22,0x3a87e3,{DOUBLEWITHTWODWORDINTREE(0x4cc00000,0x00000000)}}, {VT_exponent,22,0x3a87e4,{DOUBLEWITHTWODWORDINTREE(0x4cd00000,0x00000000)}}, {VT_exponent,22,0x3a87e5,{DOUBLEWITHTWODWORDINTREE(0x4ce00000,0x00000000)}}, {VT_exponent,22,0x3a87e6,{DOUBLEWITHTWODWORDINTREE(0x4cf00000,0x00000000)}}, {VT_exponent,22,0x3a87e7,{DOUBLEWITHTWODWORDINTREE(0x4d000000,0x00000000)}}, {VT_exponent,22,0x3a87e8,{DOUBLEWITHTWODWORDINTREE(0x4d100000,0x00000000)}}, {VT_exponent,22,0x3a87e9,{DOUBLEWITHTWODWORDINTREE(0x4d200000,0x00000000)}}, {VT_exponent,22,0x3a87ea,{DOUBLEWITHTWODWORDINTREE(0x4d300000,0x00000000)}}, {VT_exponent,22,0x3a87eb,{DOUBLEWITHTWODWORDINTREE(0x4d400000,0x00000000)}}, {VT_exponent,22,0x3a87ec,{DOUBLEWITHTWODWORDINTREE(0x4d500000,0x00000000)}}, {VT_exponent,22,0x3a87ed,{DOUBLEWITHTWODWORDINTREE(0x4d600000,0x00000000)}}, {VT_exponent,22,0x3a87ee,{DOUBLEWITHTWODWORDINTREE(0x4d700000,0x00000000)}}, {VT_exponent,22,0x3a87ef,{DOUBLEWITHTWODWORDINTREE(0x4d800000,0x00000000)}}, {VT_exponent,22,0x3a87f0,{DOUBLEWITHTWODWORDINTREE(0x4d900000,0x00000000)}}, {VT_exponent,22,0x3a87f1,{DOUBLEWITHTWODWORDINTREE(0x4da00000,0x00000000)}}, {VT_exponent,22,0x3a87f2,{DOUBLEWITHTWODWORDINTREE(0x4db00000,0x00000000)}}, {VT_exponent,22,0x3a87f3,{DOUBLEWITHTWODWORDINTREE(0x4dc00000,0x00000000)}}, {VT_exponent,22,0x3a87f4,{DOUBLEWITHTWODWORDINTREE(0x4dd00000,0x00000000)}}, {VT_exponent,22,0x3a87f5,{DOUBLEWITHTWODWORDINTREE(0x4de00000,0x00000000)}}, {VT_exponent,22,0x3a87f6,{DOUBLEWITHTWODWORDINTREE(0x4df00000,0x00000000)}}, {VT_exponent,22,0x3a87f7,{DOUBLEWITHTWODWORDINTREE(0x4e000000,0x00000000)}}, {VT_exponent,22,0x3a87f8,{DOUBLEWITHTWODWORDINTREE(0x4e100000,0x00000000)}}, {VT_exponent,22,0x3a87f9,{DOUBLEWITHTWODWORDINTREE(0x4e200000,0x00000000)}}, {VT_exponent,22,0x3a87fa,{DOUBLEWITHTWODWORDINTREE(0x4e300000,0x00000000)}}, {VT_exponent,22,0x3a87fb,{DOUBLEWITHTWODWORDINTREE(0x4e400000,0x00000000)}}, {VT_exponent,22,0x3a87fc,{DOUBLEWITHTWODWORDINTREE(0x4e500000,0x00000000)}}, {VT_exponent,22,0x3a87fd,{DOUBLEWITHTWODWORDINTREE(0x4e600000,0x00000000)}}, {VT_exponent,22,0x3a87fe,{DOUBLEWITHTWODWORDINTREE(0x4e700000,0x00000000)}}, {VT_exponent,22,0x3a87ff,{DOUBLEWITHTWODWORDINTREE(0x4e800000,0x00000000)}}, {VT_exponent,22,0x3a9000,{DOUBLEWITHTWODWORDINTREE(0x4e900000,0x00000000)}}, {VT_exponent,22,0x3a9001,{DOUBLEWITHTWODWORDINTREE(0x4ea00000,0x00000000)}}, {VT_exponent,22,0x3a9002,{DOUBLEWITHTWODWORDINTREE(0x4eb00000,0x00000000)}}, {VT_exponent,22,0x3a9003,{DOUBLEWITHTWODWORDINTREE(0x4ec00000,0x00000000)}}, {VT_exponent,22,0x3a9004,{DOUBLEWITHTWODWORDINTREE(0x4ed00000,0x00000000)}}, {VT_exponent,22,0x3a9005,{DOUBLEWITHTWODWORDINTREE(0x4ee00000,0x00000000)}}, {VT_exponent,22,0x3a9006,{DOUBLEWITHTWODWORDINTREE(0x4ef00000,0x00000000)}}, {VT_exponent,22,0x3a9007,{DOUBLEWITHTWODWORDINTREE(0x4f000000,0x00000000)}}, {VT_exponent,22,0x3a9008,{DOUBLEWITHTWODWORDINTREE(0x4f100000,0x00000000)}}, {VT_exponent,22,0x3a9009,{DOUBLEWITHTWODWORDINTREE(0x4f200000,0x00000000)}}, {VT_exponent,22,0x3a900a,{DOUBLEWITHTWODWORDINTREE(0x4f300000,0x00000000)}}, {VT_exponent,22,0x3a900b,{DOUBLEWITHTWODWORDINTREE(0x4f400000,0x00000000)}}, {VT_exponent,22,0x3a900c,{DOUBLEWITHTWODWORDINTREE(0x4f500000,0x00000000)}}, {VT_exponent,22,0x3a900d,{DOUBLEWITHTWODWORDINTREE(0x4f600000,0x00000000)}}, {VT_exponent,22,0x3a900e,{DOUBLEWITHTWODWORDINTREE(0x4f700000,0x00000000)}}, {VT_exponent,22,0x3a900f,{DOUBLEWITHTWODWORDINTREE(0x4f800000,0x00000000)}}, {VT_exponent,22,0x3a9010,{DOUBLEWITHTWODWORDINTREE(0x4f900000,0x00000000)}}, {VT_exponent,22,0x3a9011,{DOUBLEWITHTWODWORDINTREE(0x4fa00000,0x00000000)}}, {VT_exponent,22,0x3a9012,{DOUBLEWITHTWODWORDINTREE(0x4fb00000,0x00000000)}}, {VT_exponent,22,0x3a9013,{DOUBLEWITHTWODWORDINTREE(0x4fc00000,0x00000000)}}, {VT_exponent,22,0x3a9014,{DOUBLEWITHTWODWORDINTREE(0x4fd00000,0x00000000)}}, {VT_exponent,22,0x3a9015,{DOUBLEWITHTWODWORDINTREE(0x4fe00000,0x00000000)}}, {VT_exponent,22,0x3a9016,{DOUBLEWITHTWODWORDINTREE(0x4ff00000,0x00000000)}}, {VT_exponent,22,0x3a9017,{DOUBLEWITHTWODWORDINTREE(0x50000000,0x00000000)}}, {VT_exponent,22,0x3a9018,{DOUBLEWITHTWODWORDINTREE(0x50100000,0x00000000)}}, {VT_exponent,22,0x3a9019,{DOUBLEWITHTWODWORDINTREE(0x50200000,0x00000000)}}, {VT_exponent,22,0x3a901a,{DOUBLEWITHTWODWORDINTREE(0x50300000,0x00000000)}}, {VT_exponent,22,0x3a901b,{DOUBLEWITHTWODWORDINTREE(0x50400000,0x00000000)}}, {VT_exponent,22,0x3a901c,{DOUBLEWITHTWODWORDINTREE(0x50500000,0x00000000)}}, {VT_exponent,22,0x3a901d,{DOUBLEWITHTWODWORDINTREE(0x50600000,0x00000000)}}, {VT_exponent,22,0x3a901e,{DOUBLEWITHTWODWORDINTREE(0x50700000,0x00000000)}}, {VT_exponent,22,0x3a901f,{DOUBLEWITHTWODWORDINTREE(0x50800000,0x00000000)}}, {VT_exponent,22,0x3a9020,{DOUBLEWITHTWODWORDINTREE(0x50900000,0x00000000)}}, {VT_exponent,22,0x3a9021,{DOUBLEWITHTWODWORDINTREE(0x50a00000,0x00000000)}}, {VT_exponent,22,0x3a9022,{DOUBLEWITHTWODWORDINTREE(0x50b00000,0x00000000)}}, {VT_exponent,22,0x3a9023,{DOUBLEWITHTWODWORDINTREE(0x50c00000,0x00000000)}}, {VT_exponent,22,0x3a9024,{DOUBLEWITHTWODWORDINTREE(0x50d00000,0x00000000)}}, {VT_exponent,22,0x3a9025,{DOUBLEWITHTWODWORDINTREE(0x50e00000,0x00000000)}}, {VT_exponent,22,0x3a9026,{DOUBLEWITHTWODWORDINTREE(0x50f00000,0x00000000)}}, {VT_exponent,22,0x3a9027,{DOUBLEWITHTWODWORDINTREE(0x51000000,0x00000000)}}, {VT_exponent,22,0x3a9028,{DOUBLEWITHTWODWORDINTREE(0x51100000,0x00000000)}}, {VT_exponent,22,0x3a9029,{DOUBLEWITHTWODWORDINTREE(0x51200000,0x00000000)}}, {VT_exponent,22,0x3a902a,{DOUBLEWITHTWODWORDINTREE(0x51300000,0x00000000)}}, {VT_exponent,22,0x3a902b,{DOUBLEWITHTWODWORDINTREE(0x51400000,0x00000000)}}, {VT_exponent,22,0x3a902c,{DOUBLEWITHTWODWORDINTREE(0x51500000,0x00000000)}}, {VT_exponent,22,0x3a902d,{DOUBLEWITHTWODWORDINTREE(0x51600000,0x00000000)}}, {VT_exponent,22,0x3a902e,{DOUBLEWITHTWODWORDINTREE(0x51700000,0x00000000)}}, {VT_exponent,22,0x3a902f,{DOUBLEWITHTWODWORDINTREE(0x51800000,0x00000000)}}, {VT_exponent,22,0x3a9030,{DOUBLEWITHTWODWORDINTREE(0x51900000,0x00000000)}}, {VT_exponent,22,0x3a9031,{DOUBLEWITHTWODWORDINTREE(0x51a00000,0x00000000)}}, {VT_exponent,22,0x3a9032,{DOUBLEWITHTWODWORDINTREE(0x51b00000,0x00000000)}}, {VT_exponent,22,0x3a9033,{DOUBLEWITHTWODWORDINTREE(0x51c00000,0x00000000)}}, {VT_exponent,22,0x3a9034,{DOUBLEWITHTWODWORDINTREE(0x51d00000,0x00000000)}}, {VT_exponent,22,0x3a9035,{DOUBLEWITHTWODWORDINTREE(0x51e00000,0x00000000)}}, {VT_exponent,22,0x3a9036,{DOUBLEWITHTWODWORDINTREE(0x51f00000,0x00000000)}}, {VT_exponent,22,0x3a9037,{DOUBLEWITHTWODWORDINTREE(0x52000000,0x00000000)}}, {VT_exponent,22,0x3a9038,{DOUBLEWITHTWODWORDINTREE(0x52100000,0x00000000)}}, {VT_exponent,22,0x3a9039,{DOUBLEWITHTWODWORDINTREE(0x52200000,0x00000000)}}, {VT_exponent,22,0x3a903a,{DOUBLEWITHTWODWORDINTREE(0x52300000,0x00000000)}}, {VT_exponent,22,0x3a903b,{DOUBLEWITHTWODWORDINTREE(0x52400000,0x00000000)}}, {VT_exponent,22,0x3a903c,{DOUBLEWITHTWODWORDINTREE(0x52500000,0x00000000)}}, {VT_exponent,22,0x3a903d,{DOUBLEWITHTWODWORDINTREE(0x52600000,0x00000000)}}, {VT_exponent,22,0x3a903e,{DOUBLEWITHTWODWORDINTREE(0x52700000,0x00000000)}}, {VT_exponent,22,0x3a903f,{DOUBLEWITHTWODWORDINTREE(0x52800000,0x00000000)}}, {VT_exponent,22,0x3a9040,{DOUBLEWITHTWODWORDINTREE(0x52900000,0x00000000)}}, {VT_exponent,22,0x3a9041,{DOUBLEWITHTWODWORDINTREE(0x52a00000,0x00000000)}}, {VT_exponent,22,0x3a9042,{DOUBLEWITHTWODWORDINTREE(0x52b00000,0x00000000)}}, {VT_exponent,22,0x3a9043,{DOUBLEWITHTWODWORDINTREE(0x52c00000,0x00000000)}}, {VT_exponent,22,0x3a9044,{DOUBLEWITHTWODWORDINTREE(0x52d00000,0x00000000)}}, {VT_exponent,22,0x3a9045,{DOUBLEWITHTWODWORDINTREE(0x52e00000,0x00000000)}}, {VT_exponent,22,0x3a9046,{DOUBLEWITHTWODWORDINTREE(0x52f00000,0x00000000)}}, {VT_exponent,22,0x3a9047,{DOUBLEWITHTWODWORDINTREE(0x53000000,0x00000000)}}, {VT_exponent,22,0x3a9048,{DOUBLEWITHTWODWORDINTREE(0x53100000,0x00000000)}}, {VT_exponent,22,0x3a9049,{DOUBLEWITHTWODWORDINTREE(0x53200000,0x00000000)}}, {VT_exponent,22,0x3a904a,{DOUBLEWITHTWODWORDINTREE(0x53300000,0x00000000)}}, {VT_exponent,22,0x3a904b,{DOUBLEWITHTWODWORDINTREE(0x53400000,0x00000000)}}, {VT_exponent,22,0x3a904c,{DOUBLEWITHTWODWORDINTREE(0x53500000,0x00000000)}}, {VT_exponent,22,0x3a904d,{DOUBLEWITHTWODWORDINTREE(0x53600000,0x00000000)}}, {VT_exponent,22,0x3a904e,{DOUBLEWITHTWODWORDINTREE(0x53700000,0x00000000)}}, {VT_exponent,22,0x3a904f,{DOUBLEWITHTWODWORDINTREE(0x53800000,0x00000000)}}, {VT_exponent,22,0x3a9050,{DOUBLEWITHTWODWORDINTREE(0x53900000,0x00000000)}}, {VT_exponent,22,0x3a9051,{DOUBLEWITHTWODWORDINTREE(0x53a00000,0x00000000)}}, {VT_exponent,22,0x3a9052,{DOUBLEWITHTWODWORDINTREE(0x53b00000,0x00000000)}}, {VT_exponent,22,0x3a9053,{DOUBLEWITHTWODWORDINTREE(0x53c00000,0x00000000)}}, {VT_exponent,22,0x3a9054,{DOUBLEWITHTWODWORDINTREE(0x53d00000,0x00000000)}}, {VT_exponent,22,0x3a9055,{DOUBLEWITHTWODWORDINTREE(0x53e00000,0x00000000)}}, {VT_exponent,22,0x3a9056,{DOUBLEWITHTWODWORDINTREE(0x53f00000,0x00000000)}}, {VT_exponent,22,0x3a9057,{DOUBLEWITHTWODWORDINTREE(0x54000000,0x00000000)}}, {VT_exponent,22,0x3a9058,{DOUBLEWITHTWODWORDINTREE(0x54100000,0x00000000)}}, {VT_exponent,22,0x3a9059,{DOUBLEWITHTWODWORDINTREE(0x54200000,0x00000000)}}, {VT_exponent,22,0x3a905a,{DOUBLEWITHTWODWORDINTREE(0x54300000,0x00000000)}}, {VT_exponent,22,0x3a905b,{DOUBLEWITHTWODWORDINTREE(0x54400000,0x00000000)}}, {VT_exponent,22,0x3a905c,{DOUBLEWITHTWODWORDINTREE(0x54500000,0x00000000)}}, {VT_exponent,22,0x3a905d,{DOUBLEWITHTWODWORDINTREE(0x54600000,0x00000000)}}, {VT_exponent,22,0x3a905e,{DOUBLEWITHTWODWORDINTREE(0x54700000,0x00000000)}}, {VT_exponent,22,0x3a905f,{DOUBLEWITHTWODWORDINTREE(0x54800000,0x00000000)}}, {VT_exponent,22,0x3a9060,{DOUBLEWITHTWODWORDINTREE(0x54900000,0x00000000)}}, {VT_exponent,22,0x3a9061,{DOUBLEWITHTWODWORDINTREE(0x54a00000,0x00000000)}}, {VT_exponent,22,0x3a9062,{DOUBLEWITHTWODWORDINTREE(0x54b00000,0x00000000)}}, {VT_exponent,22,0x3a9063,{DOUBLEWITHTWODWORDINTREE(0x54c00000,0x00000000)}}, {VT_exponent,22,0x3a9064,{DOUBLEWITHTWODWORDINTREE(0x54d00000,0x00000000)}}, {VT_exponent,22,0x3a9065,{DOUBLEWITHTWODWORDINTREE(0x54e00000,0x00000000)}}, {VT_exponent,22,0x3a9066,{DOUBLEWITHTWODWORDINTREE(0x54f00000,0x00000000)}}, {VT_exponent,22,0x3a9067,{DOUBLEWITHTWODWORDINTREE(0x55000000,0x00000000)}}, {VT_exponent,22,0x3a9068,{DOUBLEWITHTWODWORDINTREE(0x55100000,0x00000000)}}, {VT_exponent,22,0x3a9069,{DOUBLEWITHTWODWORDINTREE(0x55200000,0x00000000)}}, {VT_exponent,22,0x3a906a,{DOUBLEWITHTWODWORDINTREE(0x55300000,0x00000000)}}, {VT_exponent,22,0x3a906b,{DOUBLEWITHTWODWORDINTREE(0x55400000,0x00000000)}}, {VT_exponent,22,0x3a906c,{DOUBLEWITHTWODWORDINTREE(0x55500000,0x00000000)}}, {VT_exponent,22,0x3a906d,{DOUBLEWITHTWODWORDINTREE(0x55600000,0x00000000)}}, {VT_exponent,22,0x3a906e,{DOUBLEWITHTWODWORDINTREE(0x55700000,0x00000000)}}, {VT_exponent,22,0x3a906f,{DOUBLEWITHTWODWORDINTREE(0x55800000,0x00000000)}}, {VT_exponent,22,0x3a9070,{DOUBLEWITHTWODWORDINTREE(0x55900000,0x00000000)}}, {VT_exponent,22,0x3a9071,{DOUBLEWITHTWODWORDINTREE(0x55a00000,0x00000000)}}, {VT_exponent,22,0x3a9072,{DOUBLEWITHTWODWORDINTREE(0x55b00000,0x00000000)}}, {VT_exponent,22,0x3a9073,{DOUBLEWITHTWODWORDINTREE(0x55c00000,0x00000000)}}, {VT_exponent,22,0x3a9074,{DOUBLEWITHTWODWORDINTREE(0x55d00000,0x00000000)}}, {VT_exponent,22,0x3a9075,{DOUBLEWITHTWODWORDINTREE(0x55e00000,0x00000000)}}, {VT_exponent,22,0x3a9076,{DOUBLEWITHTWODWORDINTREE(0x55f00000,0x00000000)}}, {VT_exponent,22,0x3a9077,{DOUBLEWITHTWODWORDINTREE(0x56000000,0x00000000)}}, {VT_exponent,22,0x3a9078,{DOUBLEWITHTWODWORDINTREE(0x56100000,0x00000000)}}, {VT_exponent,22,0x3a9079,{DOUBLEWITHTWODWORDINTREE(0x56200000,0x00000000)}}, {VT_exponent,22,0x3a907a,{DOUBLEWITHTWODWORDINTREE(0x56300000,0x00000000)}}, {VT_exponent,22,0x3a907b,{DOUBLEWITHTWODWORDINTREE(0x56400000,0x00000000)}}, {VT_exponent,22,0x3a907c,{DOUBLEWITHTWODWORDINTREE(0x56500000,0x00000000)}}, {VT_exponent,22,0x3a907d,{DOUBLEWITHTWODWORDINTREE(0x56600000,0x00000000)}}, {VT_exponent,22,0x3a907e,{DOUBLEWITHTWODWORDINTREE(0x56700000,0x00000000)}}, {VT_exponent,22,0x3a907f,{DOUBLEWITHTWODWORDINTREE(0x56800000,0x00000000)}}, {VT_exponent,22,0x3a9080,{DOUBLEWITHTWODWORDINTREE(0x56900000,0x00000000)}}, {VT_exponent,22,0x3a9081,{DOUBLEWITHTWODWORDINTREE(0x56a00000,0x00000000)}}, {VT_exponent,22,0x3a9082,{DOUBLEWITHTWODWORDINTREE(0x56b00000,0x00000000)}}, {VT_exponent,22,0x3a9083,{DOUBLEWITHTWODWORDINTREE(0x56c00000,0x00000000)}}, {VT_exponent,22,0x3a9084,{DOUBLEWITHTWODWORDINTREE(0x56d00000,0x00000000)}}, {VT_exponent,22,0x3a9085,{DOUBLEWITHTWODWORDINTREE(0x56e00000,0x00000000)}}, {VT_exponent,22,0x3a9086,{DOUBLEWITHTWODWORDINTREE(0x56f00000,0x00000000)}}, {VT_exponent,22,0x3a9087,{DOUBLEWITHTWODWORDINTREE(0x57000000,0x00000000)}}, {VT_exponent,22,0x3a9088,{DOUBLEWITHTWODWORDINTREE(0x57100000,0x00000000)}}, {VT_exponent,22,0x3a9089,{DOUBLEWITHTWODWORDINTREE(0x57200000,0x00000000)}}, {VT_exponent,22,0x3a908a,{DOUBLEWITHTWODWORDINTREE(0x57300000,0x00000000)}}, {VT_exponent,22,0x3a908b,{DOUBLEWITHTWODWORDINTREE(0x57400000,0x00000000)}}, {VT_exponent,22,0x3a908c,{DOUBLEWITHTWODWORDINTREE(0x57500000,0x00000000)}}, {VT_exponent,22,0x3a908d,{DOUBLEWITHTWODWORDINTREE(0x57600000,0x00000000)}}, {VT_exponent,22,0x3a908e,{DOUBLEWITHTWODWORDINTREE(0x57700000,0x00000000)}}, {VT_exponent,22,0x3a908f,{DOUBLEWITHTWODWORDINTREE(0x57800000,0x00000000)}}, {VT_exponent,22,0x3a9090,{DOUBLEWITHTWODWORDINTREE(0x57900000,0x00000000)}}, {VT_exponent,22,0x3a9091,{DOUBLEWITHTWODWORDINTREE(0x57a00000,0x00000000)}}, {VT_exponent,22,0x3a9092,{DOUBLEWITHTWODWORDINTREE(0x57b00000,0x00000000)}}, {VT_exponent,22,0x3a9093,{DOUBLEWITHTWODWORDINTREE(0x57c00000,0x00000000)}}, {VT_exponent,22,0x3a9094,{DOUBLEWITHTWODWORDINTREE(0x57d00000,0x00000000)}}, {VT_exponent,22,0x3a9095,{DOUBLEWITHTWODWORDINTREE(0x57e00000,0x00000000)}}, {VT_exponent,22,0x3a9096,{DOUBLEWITHTWODWORDINTREE(0x57f00000,0x00000000)}}, {VT_exponent,22,0x3a9097,{DOUBLEWITHTWODWORDINTREE(0x58000000,0x00000000)}}, {VT_exponent,22,0x3a9098,{DOUBLEWITHTWODWORDINTREE(0x58100000,0x00000000)}}, {VT_exponent,22,0x3a9099,{DOUBLEWITHTWODWORDINTREE(0x58200000,0x00000000)}}, {VT_exponent,22,0x3a909a,{DOUBLEWITHTWODWORDINTREE(0x58300000,0x00000000)}}, {VT_exponent,22,0x3a909b,{DOUBLEWITHTWODWORDINTREE(0x58400000,0x00000000)}}, {VT_exponent,22,0x3a909c,{DOUBLEWITHTWODWORDINTREE(0x58500000,0x00000000)}}, {VT_exponent,22,0x3a909d,{DOUBLEWITHTWODWORDINTREE(0x58600000,0x00000000)}}, {VT_exponent,22,0x3a909e,{DOUBLEWITHTWODWORDINTREE(0x58700000,0x00000000)}}, {VT_exponent,22,0x3a909f,{DOUBLEWITHTWODWORDINTREE(0x58800000,0x00000000)}}, {VT_exponent,22,0x3a90a0,{DOUBLEWITHTWODWORDINTREE(0x58900000,0x00000000)}}, {VT_exponent,22,0x3a90a1,{DOUBLEWITHTWODWORDINTREE(0x58a00000,0x00000000)}}, {VT_exponent,22,0x3a90a2,{DOUBLEWITHTWODWORDINTREE(0x58b00000,0x00000000)}}, {VT_exponent,22,0x3a90a3,{DOUBLEWITHTWODWORDINTREE(0x58c00000,0x00000000)}}, {VT_exponent,22,0x3a90a4,{DOUBLEWITHTWODWORDINTREE(0x58d00000,0x00000000)}}, {VT_exponent,22,0x3a90a5,{DOUBLEWITHTWODWORDINTREE(0x58e00000,0x00000000)}}, {VT_exponent,22,0x3a90a6,{DOUBLEWITHTWODWORDINTREE(0x58f00000,0x00000000)}}, {VT_exponent,22,0x3a90a7,{DOUBLEWITHTWODWORDINTREE(0x59000000,0x00000000)}}, {VT_exponent,22,0x3a90a8,{DOUBLEWITHTWODWORDINTREE(0x59100000,0x00000000)}}, {VT_exponent,22,0x3a90a9,{DOUBLEWITHTWODWORDINTREE(0x59200000,0x00000000)}}, {VT_exponent,22,0x3a90aa,{DOUBLEWITHTWODWORDINTREE(0x59300000,0x00000000)}}, {VT_exponent,22,0x3a90ab,{DOUBLEWITHTWODWORDINTREE(0x59400000,0x00000000)}}, {VT_exponent,22,0x3a90ac,{DOUBLEWITHTWODWORDINTREE(0x59500000,0x00000000)}}, {VT_exponent,22,0x3a90ad,{DOUBLEWITHTWODWORDINTREE(0x59600000,0x00000000)}}, {VT_exponent,22,0x3a90ae,{DOUBLEWITHTWODWORDINTREE(0x59700000,0x00000000)}}, {VT_exponent,22,0x3a90af,{DOUBLEWITHTWODWORDINTREE(0x59800000,0x00000000)}}, {VT_exponent,22,0x3a90b0,{DOUBLEWITHTWODWORDINTREE(0x59900000,0x00000000)}}, {VT_exponent,22,0x3a90b1,{DOUBLEWITHTWODWORDINTREE(0x59a00000,0x00000000)}}, {VT_exponent,22,0x3a90b2,{DOUBLEWITHTWODWORDINTREE(0x59b00000,0x00000000)}}, {VT_exponent,22,0x3a90b3,{DOUBLEWITHTWODWORDINTREE(0x59c00000,0x00000000)}}, {VT_exponent,22,0x3a90b4,{DOUBLEWITHTWODWORDINTREE(0x59d00000,0x00000000)}}, {VT_exponent,22,0x3a90b5,{DOUBLEWITHTWODWORDINTREE(0x59e00000,0x00000000)}}, {VT_exponent,22,0x3a90b6,{DOUBLEWITHTWODWORDINTREE(0x59f00000,0x00000000)}}, {VT_exponent,22,0x3a90b7,{DOUBLEWITHTWODWORDINTREE(0x5a000000,0x00000000)}}, {VT_exponent,22,0x3a90b8,{DOUBLEWITHTWODWORDINTREE(0x5a100000,0x00000000)}}, {VT_exponent,22,0x3a90b9,{DOUBLEWITHTWODWORDINTREE(0x5a200000,0x00000000)}}, {VT_exponent,22,0x3a90ba,{DOUBLEWITHTWODWORDINTREE(0x5a300000,0x00000000)}}, {VT_exponent,22,0x3a90bb,{DOUBLEWITHTWODWORDINTREE(0x5a400000,0x00000000)}}, {VT_exponent,22,0x3a90bc,{DOUBLEWITHTWODWORDINTREE(0x5a500000,0x00000000)}}, {VT_exponent,22,0x3a90bd,{DOUBLEWITHTWODWORDINTREE(0x5a600000,0x00000000)}}, {VT_exponent,22,0x3a90be,{DOUBLEWITHTWODWORDINTREE(0x5a700000,0x00000000)}}, {VT_exponent,22,0x3a90bf,{DOUBLEWITHTWODWORDINTREE(0x5a800000,0x00000000)}}, {VT_exponent,22,0x3a90c0,{DOUBLEWITHTWODWORDINTREE(0x5a900000,0x00000000)}}, {VT_exponent,22,0x3a90c1,{DOUBLEWITHTWODWORDINTREE(0x5aa00000,0x00000000)}}, {VT_exponent,22,0x3a90c2,{DOUBLEWITHTWODWORDINTREE(0x5ab00000,0x00000000)}}, {VT_exponent,22,0x3a90c3,{DOUBLEWITHTWODWORDINTREE(0x5ac00000,0x00000000)}}, {VT_exponent,22,0x3a90c4,{DOUBLEWITHTWODWORDINTREE(0x5ad00000,0x00000000)}}, {VT_exponent,22,0x3a90c5,{DOUBLEWITHTWODWORDINTREE(0x5ae00000,0x00000000)}}, {VT_exponent,22,0x3a90c6,{DOUBLEWITHTWODWORDINTREE(0x5af00000,0x00000000)}}, {VT_exponent,22,0x3a90c7,{DOUBLEWITHTWODWORDINTREE(0x5b000000,0x00000000)}}, {VT_exponent,22,0x3a90c8,{DOUBLEWITHTWODWORDINTREE(0x5b100000,0x00000000)}}, {VT_exponent,22,0x3a90c9,{DOUBLEWITHTWODWORDINTREE(0x5b200000,0x00000000)}}, {VT_exponent,22,0x3a90ca,{DOUBLEWITHTWODWORDINTREE(0x5b300000,0x00000000)}}, {VT_exponent,22,0x3a90cb,{DOUBLEWITHTWODWORDINTREE(0x5b400000,0x00000000)}}, {VT_exponent,22,0x3a90cc,{DOUBLEWITHTWODWORDINTREE(0x5b500000,0x00000000)}}, {VT_exponent,22,0x3a90cd,{DOUBLEWITHTWODWORDINTREE(0x5b600000,0x00000000)}}, {VT_exponent,22,0x3a90ce,{DOUBLEWITHTWODWORDINTREE(0x5b700000,0x00000000)}}, {VT_exponent,22,0x3a90cf,{DOUBLEWITHTWODWORDINTREE(0x5b800000,0x00000000)}}, {VT_exponent,22,0x3a90d0,{DOUBLEWITHTWODWORDINTREE(0x5b900000,0x00000000)}}, {VT_exponent,22,0x3a90d1,{DOUBLEWITHTWODWORDINTREE(0x5ba00000,0x00000000)}}, {VT_exponent,22,0x3a90d2,{DOUBLEWITHTWODWORDINTREE(0x5bb00000,0x00000000)}}, {VT_exponent,22,0x3a90d3,{DOUBLEWITHTWODWORDINTREE(0x5bc00000,0x00000000)}}, {VT_exponent,22,0x3a90d4,{DOUBLEWITHTWODWORDINTREE(0x5bd00000,0x00000000)}}, {VT_exponent,22,0x3a90d5,{DOUBLEWITHTWODWORDINTREE(0x5be00000,0x00000000)}}, {VT_exponent,22,0x3a90d6,{DOUBLEWITHTWODWORDINTREE(0x5bf00000,0x00000000)}}, {VT_exponent,22,0x3a90d7,{DOUBLEWITHTWODWORDINTREE(0x5c000000,0x00000000)}}, {VT_exponent,22,0x3a90d8,{DOUBLEWITHTWODWORDINTREE(0x5c100000,0x00000000)}}, {VT_exponent,22,0x3a90d9,{DOUBLEWITHTWODWORDINTREE(0x5c200000,0x00000000)}}, {VT_exponent,22,0x3a90da,{DOUBLEWITHTWODWORDINTREE(0x5c300000,0x00000000)}}, {VT_exponent,22,0x3a90db,{DOUBLEWITHTWODWORDINTREE(0x5c400000,0x00000000)}}, {VT_exponent,22,0x3a90dc,{DOUBLEWITHTWODWORDINTREE(0x5c500000,0x00000000)}}, {VT_exponent,22,0x3a90dd,{DOUBLEWITHTWODWORDINTREE(0x5c600000,0x00000000)}}, {VT_exponent,22,0x3a90de,{DOUBLEWITHTWODWORDINTREE(0x5c700000,0x00000000)}}, {VT_exponent,22,0x3a90df,{DOUBLEWITHTWODWORDINTREE(0x5c800000,0x00000000)}}, {VT_exponent,22,0x3a90e0,{DOUBLEWITHTWODWORDINTREE(0x5c900000,0x00000000)}}, {VT_exponent,22,0x3a90e1,{DOUBLEWITHTWODWORDINTREE(0x5ca00000,0x00000000)}}, {VT_exponent,22,0x3a90e2,{DOUBLEWITHTWODWORDINTREE(0x5cb00000,0x00000000)}}, {VT_exponent,22,0x3a90e3,{DOUBLEWITHTWODWORDINTREE(0x5cc00000,0x00000000)}}, {VT_exponent,22,0x3a90e4,{DOUBLEWITHTWODWORDINTREE(0x5cd00000,0x00000000)}}, {VT_exponent,22,0x3a90e5,{DOUBLEWITHTWODWORDINTREE(0x5ce00000,0x00000000)}}, {VT_exponent,22,0x3a90e6,{DOUBLEWITHTWODWORDINTREE(0x5cf00000,0x00000000)}}, {VT_exponent,22,0x3a90e7,{DOUBLEWITHTWODWORDINTREE(0x5d000000,0x00000000)}}, {VT_exponent,22,0x3a90e8,{DOUBLEWITHTWODWORDINTREE(0x5d100000,0x00000000)}}, {VT_exponent,22,0x3a90e9,{DOUBLEWITHTWODWORDINTREE(0x5d200000,0x00000000)}}, {VT_exponent,22,0x3a90ea,{DOUBLEWITHTWODWORDINTREE(0x5d300000,0x00000000)}}, {VT_exponent,22,0x3a90eb,{DOUBLEWITHTWODWORDINTREE(0x5d400000,0x00000000)}}, {VT_exponent,22,0x3a90ec,{DOUBLEWITHTWODWORDINTREE(0x5d500000,0x00000000)}}, {VT_exponent,22,0x3a90ed,{DOUBLEWITHTWODWORDINTREE(0x5d600000,0x00000000)}}, {VT_exponent,22,0x3a90ee,{DOUBLEWITHTWODWORDINTREE(0x5d700000,0x00000000)}}, {VT_exponent,22,0x3a90ef,{DOUBLEWITHTWODWORDINTREE(0x5d800000,0x00000000)}}, {VT_exponent,22,0x3a90f0,{DOUBLEWITHTWODWORDINTREE(0x5d900000,0x00000000)}}, {VT_exponent,22,0x3a90f1,{DOUBLEWITHTWODWORDINTREE(0x5da00000,0x00000000)}}, {VT_exponent,22,0x3a90f2,{DOUBLEWITHTWODWORDINTREE(0x5db00000,0x00000000)}}, {VT_exponent,22,0x3a90f3,{DOUBLEWITHTWODWORDINTREE(0x5dc00000,0x00000000)}}, {VT_exponent,22,0x3a90f4,{DOUBLEWITHTWODWORDINTREE(0x5dd00000,0x00000000)}}, {VT_exponent,22,0x3a90f5,{DOUBLEWITHTWODWORDINTREE(0x5de00000,0x00000000)}}, {VT_exponent,22,0x3a90f6,{DOUBLEWITHTWODWORDINTREE(0x5df00000,0x00000000)}}, {VT_exponent,22,0x3a90f7,{DOUBLEWITHTWODWORDINTREE(0x5e000000,0x00000000)}}, {VT_exponent,22,0x3a90f8,{DOUBLEWITHTWODWORDINTREE(0x5e100000,0x00000000)}}, {VT_exponent,22,0x3a90f9,{DOUBLEWITHTWODWORDINTREE(0x5e200000,0x00000000)}}, {VT_exponent,22,0x3a90fa,{DOUBLEWITHTWODWORDINTREE(0x5e300000,0x00000000)}}, {VT_exponent,22,0x3a90fb,{DOUBLEWITHTWODWORDINTREE(0x5e400000,0x00000000)}}, {VT_exponent,22,0x3a90fc,{DOUBLEWITHTWODWORDINTREE(0x5e500000,0x00000000)}}, {VT_exponent,22,0x3a90fd,{DOUBLEWITHTWODWORDINTREE(0x5e600000,0x00000000)}}, {VT_exponent,22,0x3a90fe,{DOUBLEWITHTWODWORDINTREE(0x5e700000,0x00000000)}}, {VT_exponent,22,0x3a90ff,{DOUBLEWITHTWODWORDINTREE(0x5e800000,0x00000000)}}, {VT_exponent,22,0x3a9100,{DOUBLEWITHTWODWORDINTREE(0x5e900000,0x00000000)}}, {VT_exponent,22,0x3a9101,{DOUBLEWITHTWODWORDINTREE(0x5ea00000,0x00000000)}}, {VT_exponent,22,0x3a9102,{DOUBLEWITHTWODWORDINTREE(0x5eb00000,0x00000000)}}, {VT_exponent,22,0x3a9103,{DOUBLEWITHTWODWORDINTREE(0x5ec00000,0x00000000)}}, {VT_exponent,22,0x3a9104,{DOUBLEWITHTWODWORDINTREE(0x5ed00000,0x00000000)}}, {VT_exponent,22,0x3a9105,{DOUBLEWITHTWODWORDINTREE(0x5ee00000,0x00000000)}}, {VT_exponent,22,0x3a9106,{DOUBLEWITHTWODWORDINTREE(0x5ef00000,0x00000000)}}, {VT_exponent,22,0x3a9107,{DOUBLEWITHTWODWORDINTREE(0x5f000000,0x00000000)}}, {VT_exponent,22,0x3a9108,{DOUBLEWITHTWODWORDINTREE(0x5f100000,0x00000000)}}, {VT_exponent,22,0x3a9109,{DOUBLEWITHTWODWORDINTREE(0x5f200000,0x00000000)}}, {VT_exponent,22,0x3a910a,{DOUBLEWITHTWODWORDINTREE(0x5f300000,0x00000000)}}, {VT_exponent,22,0x3a910b,{DOUBLEWITHTWODWORDINTREE(0x5f400000,0x00000000)}}, {VT_exponent,22,0x3a910c,{DOUBLEWITHTWODWORDINTREE(0x5f500000,0x00000000)}}, {VT_exponent,22,0x3a910d,{DOUBLEWITHTWODWORDINTREE(0x5f600000,0x00000000)}}, {VT_exponent,22,0x3a910e,{DOUBLEWITHTWODWORDINTREE(0x5f700000,0x00000000)}}, {VT_exponent,22,0x3a910f,{DOUBLEWITHTWODWORDINTREE(0x5f800000,0x00000000)}}, {VT_exponent,22,0x3a9110,{DOUBLEWITHTWODWORDINTREE(0x5f900000,0x00000000)}}, {VT_exponent,22,0x3a9111,{DOUBLEWITHTWODWORDINTREE(0x5fa00000,0x00000000)}}, {VT_exponent,22,0x3a9112,{DOUBLEWITHTWODWORDINTREE(0x5fb00000,0x00000000)}}, {VT_exponent,22,0x3a9113,{DOUBLEWITHTWODWORDINTREE(0x5fc00000,0x00000000)}}, {VT_exponent,22,0x3a9114,{DOUBLEWITHTWODWORDINTREE(0x5fd00000,0x00000000)}}, {VT_exponent,22,0x3a9115,{DOUBLEWITHTWODWORDINTREE(0x5fe00000,0x00000000)}}, {VT_exponent,22,0x3a9116,{DOUBLEWITHTWODWORDINTREE(0x5ff00000,0x00000000)}}, {VT_exponent,22,0x3a9117,{DOUBLEWITHTWODWORDINTREE(0x60000000,0x00000000)}}, {VT_exponent,22,0x3a9118,{DOUBLEWITHTWODWORDINTREE(0x60100000,0x00000000)}}, {VT_exponent,22,0x3a9119,{DOUBLEWITHTWODWORDINTREE(0x60200000,0x00000000)}}, {VT_exponent,22,0x3a911a,{DOUBLEWITHTWODWORDINTREE(0x60300000,0x00000000)}}, {VT_exponent,22,0x3a911b,{DOUBLEWITHTWODWORDINTREE(0x60400000,0x00000000)}}, {VT_exponent,22,0x3a911c,{DOUBLEWITHTWODWORDINTREE(0x60500000,0x00000000)}}, {VT_exponent,22,0x3a911d,{DOUBLEWITHTWODWORDINTREE(0x60600000,0x00000000)}}, {VT_exponent,22,0x3a911e,{DOUBLEWITHTWODWORDINTREE(0x60700000,0x00000000)}}, {VT_exponent,22,0x3a911f,{DOUBLEWITHTWODWORDINTREE(0x60800000,0x00000000)}}, {VT_exponent,22,0x3a9120,{DOUBLEWITHTWODWORDINTREE(0x60900000,0x00000000)}}, {VT_exponent,22,0x3a9121,{DOUBLEWITHTWODWORDINTREE(0x60a00000,0x00000000)}}, {VT_exponent,22,0x3a9122,{DOUBLEWITHTWODWORDINTREE(0x60b00000,0x00000000)}}, {VT_exponent,22,0x3a9123,{DOUBLEWITHTWODWORDINTREE(0x60c00000,0x00000000)}}, {VT_exponent,22,0x3a9124,{DOUBLEWITHTWODWORDINTREE(0x60d00000,0x00000000)}}, {VT_exponent,22,0x3a9125,{DOUBLEWITHTWODWORDINTREE(0x60e00000,0x00000000)}}, {VT_exponent,22,0x3a9126,{DOUBLEWITHTWODWORDINTREE(0x60f00000,0x00000000)}}, {VT_exponent,22,0x3a9127,{DOUBLEWITHTWODWORDINTREE(0x61000000,0x00000000)}}, {VT_exponent,22,0x3a9128,{DOUBLEWITHTWODWORDINTREE(0x61100000,0x00000000)}}, {VT_exponent,22,0x3a9129,{DOUBLEWITHTWODWORDINTREE(0x61200000,0x00000000)}}, {VT_exponent,22,0x3a912a,{DOUBLEWITHTWODWORDINTREE(0x61300000,0x00000000)}}, {VT_exponent,22,0x3a912b,{DOUBLEWITHTWODWORDINTREE(0x61400000,0x00000000)}}, {VT_exponent,22,0x3a912c,{DOUBLEWITHTWODWORDINTREE(0x61500000,0x00000000)}}, {VT_exponent,22,0x3a912d,{DOUBLEWITHTWODWORDINTREE(0x61600000,0x00000000)}}, {VT_exponent,22,0x3a912e,{DOUBLEWITHTWODWORDINTREE(0x61700000,0x00000000)}}, {VT_exponent,22,0x3a912f,{DOUBLEWITHTWODWORDINTREE(0x61800000,0x00000000)}}, {VT_exponent,22,0x3a9130,{DOUBLEWITHTWODWORDINTREE(0x61900000,0x00000000)}}, {VT_exponent,22,0x3a9131,{DOUBLEWITHTWODWORDINTREE(0x61a00000,0x00000000)}}, {VT_exponent,22,0x3a9132,{DOUBLEWITHTWODWORDINTREE(0x61b00000,0x00000000)}}, {VT_exponent,22,0x3a9133,{DOUBLEWITHTWODWORDINTREE(0x61c00000,0x00000000)}}, {VT_exponent,22,0x3a9134,{DOUBLEWITHTWODWORDINTREE(0x61d00000,0x00000000)}}, {VT_exponent,22,0x3a9135,{DOUBLEWITHTWODWORDINTREE(0x61e00000,0x00000000)}}, {VT_exponent,22,0x3a9136,{DOUBLEWITHTWODWORDINTREE(0x61f00000,0x00000000)}}, {VT_exponent,22,0x3a9137,{DOUBLEWITHTWODWORDINTREE(0x62000000,0x00000000)}}, {VT_exponent,22,0x3a9138,{DOUBLEWITHTWODWORDINTREE(0x62100000,0x00000000)}}, {VT_exponent,22,0x3a9139,{DOUBLEWITHTWODWORDINTREE(0x62200000,0x00000000)}}, {VT_exponent,22,0x3a913a,{DOUBLEWITHTWODWORDINTREE(0x62300000,0x00000000)}}, {VT_exponent,22,0x3a913b,{DOUBLEWITHTWODWORDINTREE(0x62400000,0x00000000)}}, {VT_exponent,22,0x3a913c,{DOUBLEWITHTWODWORDINTREE(0x62500000,0x00000000)}}, {VT_exponent,22,0x3a913d,{DOUBLEWITHTWODWORDINTREE(0x62600000,0x00000000)}}, {VT_exponent,22,0x3a913e,{DOUBLEWITHTWODWORDINTREE(0x62700000,0x00000000)}}, {VT_exponent,22,0x3a913f,{DOUBLEWITHTWODWORDINTREE(0x62800000,0x00000000)}}, {VT_exponent,22,0x3a9140,{DOUBLEWITHTWODWORDINTREE(0x62900000,0x00000000)}}, {VT_exponent,22,0x3a9141,{DOUBLEWITHTWODWORDINTREE(0x62a00000,0x00000000)}}, {VT_exponent,22,0x3a9142,{DOUBLEWITHTWODWORDINTREE(0x62b00000,0x00000000)}}, {VT_exponent,22,0x3a9143,{DOUBLEWITHTWODWORDINTREE(0x62c00000,0x00000000)}}, {VT_exponent,22,0x3a9144,{DOUBLEWITHTWODWORDINTREE(0x62d00000,0x00000000)}}, {VT_exponent,22,0x3a9145,{DOUBLEWITHTWODWORDINTREE(0x62e00000,0x00000000)}}, {VT_exponent,22,0x3a9146,{DOUBLEWITHTWODWORDINTREE(0x62f00000,0x00000000)}}, {VT_exponent,22,0x3a9147,{DOUBLEWITHTWODWORDINTREE(0x63000000,0x00000000)}}, {VT_exponent,22,0x3a9148,{DOUBLEWITHTWODWORDINTREE(0x63100000,0x00000000)}}, {VT_exponent,22,0x3a9149,{DOUBLEWITHTWODWORDINTREE(0x63200000,0x00000000)}}, {VT_exponent,22,0x3a914a,{DOUBLEWITHTWODWORDINTREE(0x63300000,0x00000000)}}, {VT_exponent,22,0x3a914b,{DOUBLEWITHTWODWORDINTREE(0x63400000,0x00000000)}}, {VT_exponent,22,0x3a914c,{DOUBLEWITHTWODWORDINTREE(0x63500000,0x00000000)}}, {VT_exponent,22,0x3a914d,{DOUBLEWITHTWODWORDINTREE(0x63600000,0x00000000)}}, {VT_exponent,22,0x3a914e,{DOUBLEWITHTWODWORDINTREE(0x63700000,0x00000000)}}, {VT_exponent,22,0x3a914f,{DOUBLEWITHTWODWORDINTREE(0x63800000,0x00000000)}}, {VT_exponent,22,0x3a9150,{DOUBLEWITHTWODWORDINTREE(0x63900000,0x00000000)}}, {VT_exponent,22,0x3a9151,{DOUBLEWITHTWODWORDINTREE(0x63a00000,0x00000000)}}, {VT_exponent,22,0x3a9152,{DOUBLEWITHTWODWORDINTREE(0x63b00000,0x00000000)}}, {VT_exponent,22,0x3a9153,{DOUBLEWITHTWODWORDINTREE(0x63c00000,0x00000000)}}, {VT_exponent,22,0x3a9154,{DOUBLEWITHTWODWORDINTREE(0x63d00000,0x00000000)}}, {VT_exponent,22,0x3a9155,{DOUBLEWITHTWODWORDINTREE(0x63e00000,0x00000000)}}, {VT_exponent,22,0x3a9156,{DOUBLEWITHTWODWORDINTREE(0x63f00000,0x00000000)}}, {VT_exponent,22,0x3a9157,{DOUBLEWITHTWODWORDINTREE(0x64000000,0x00000000)}}, {VT_exponent,22,0x3a9158,{DOUBLEWITHTWODWORDINTREE(0x64100000,0x00000000)}}, {VT_exponent,22,0x3a9159,{DOUBLEWITHTWODWORDINTREE(0x64200000,0x00000000)}}, {VT_exponent,22,0x3a915a,{DOUBLEWITHTWODWORDINTREE(0x64300000,0x00000000)}}, {VT_exponent,22,0x3a915b,{DOUBLEWITHTWODWORDINTREE(0x64400000,0x00000000)}}, {VT_exponent,22,0x3a915c,{DOUBLEWITHTWODWORDINTREE(0x64500000,0x00000000)}}, {VT_exponent,22,0x3a915d,{DOUBLEWITHTWODWORDINTREE(0x64600000,0x00000000)}}, {VT_exponent,22,0x3a915e,{DOUBLEWITHTWODWORDINTREE(0x64700000,0x00000000)}}, {VT_exponent,22,0x3a915f,{DOUBLEWITHTWODWORDINTREE(0x64800000,0x00000000)}}, {VT_exponent,22,0x3a9160,{DOUBLEWITHTWODWORDINTREE(0x64900000,0x00000000)}}, {VT_exponent,22,0x3a9161,{DOUBLEWITHTWODWORDINTREE(0x64a00000,0x00000000)}}, {VT_exponent,22,0x3a9162,{DOUBLEWITHTWODWORDINTREE(0x64b00000,0x00000000)}}, {VT_exponent,22,0x3a9163,{DOUBLEWITHTWODWORDINTREE(0x64c00000,0x00000000)}}, {VT_exponent,22,0x3a9164,{DOUBLEWITHTWODWORDINTREE(0x64d00000,0x00000000)}}, {VT_exponent,22,0x3a9165,{DOUBLEWITHTWODWORDINTREE(0x64e00000,0x00000000)}}, {VT_exponent,22,0x3a9166,{DOUBLEWITHTWODWORDINTREE(0x64f00000,0x00000000)}}, {VT_exponent,22,0x3a9167,{DOUBLEWITHTWODWORDINTREE(0x65000000,0x00000000)}}, {VT_exponent,22,0x3a9168,{DOUBLEWITHTWODWORDINTREE(0x65100000,0x00000000)}}, {VT_exponent,22,0x3a9169,{DOUBLEWITHTWODWORDINTREE(0x65200000,0x00000000)}}, {VT_exponent,22,0x3a916a,{DOUBLEWITHTWODWORDINTREE(0x65300000,0x00000000)}}, {VT_exponent,22,0x3a916b,{DOUBLEWITHTWODWORDINTREE(0x65400000,0x00000000)}}, {VT_exponent,22,0x3a916c,{DOUBLEWITHTWODWORDINTREE(0x65500000,0x00000000)}}, {VT_exponent,22,0x3a916d,{DOUBLEWITHTWODWORDINTREE(0x65600000,0x00000000)}}, {VT_exponent,22,0x3a916e,{DOUBLEWITHTWODWORDINTREE(0x65700000,0x00000000)}}, {VT_exponent,22,0x3a916f,{DOUBLEWITHTWODWORDINTREE(0x65800000,0x00000000)}}, {VT_exponent,22,0x3a9170,{DOUBLEWITHTWODWORDINTREE(0x65900000,0x00000000)}}, {VT_exponent,22,0x3a9171,{DOUBLEWITHTWODWORDINTREE(0x65a00000,0x00000000)}}, {VT_exponent,22,0x3a9172,{DOUBLEWITHTWODWORDINTREE(0x65b00000,0x00000000)}}, {VT_exponent,22,0x3a9173,{DOUBLEWITHTWODWORDINTREE(0x65c00000,0x00000000)}}, {VT_exponent,22,0x3a9174,{DOUBLEWITHTWODWORDINTREE(0x65d00000,0x00000000)}}, {VT_exponent,22,0x3a9175,{DOUBLEWITHTWODWORDINTREE(0x65e00000,0x00000000)}}, {VT_exponent,22,0x3a9176,{DOUBLEWITHTWODWORDINTREE(0x65f00000,0x00000000)}}, {VT_exponent,22,0x3a9177,{DOUBLEWITHTWODWORDINTREE(0x66000000,0x00000000)}}, {VT_exponent,22,0x3a9178,{DOUBLEWITHTWODWORDINTREE(0x66100000,0x00000000)}}, {VT_exponent,22,0x3a9179,{DOUBLEWITHTWODWORDINTREE(0x66200000,0x00000000)}}, {VT_exponent,22,0x3a917a,{DOUBLEWITHTWODWORDINTREE(0x66300000,0x00000000)}}, {VT_exponent,22,0x3a917b,{DOUBLEWITHTWODWORDINTREE(0x66400000,0x00000000)}}, {VT_exponent,22,0x3a917c,{DOUBLEWITHTWODWORDINTREE(0x66500000,0x00000000)}}, {VT_exponent,22,0x3a917d,{DOUBLEWITHTWODWORDINTREE(0x66600000,0x00000000)}}, {VT_exponent,22,0x3a917e,{DOUBLEWITHTWODWORDINTREE(0x66700000,0x00000000)}}, {VT_exponent,22,0x3a917f,{DOUBLEWITHTWODWORDINTREE(0x66800000,0x00000000)}}, {VT_exponent,22,0x3a9180,{DOUBLEWITHTWODWORDINTREE(0x66900000,0x00000000)}}, {VT_exponent,22,0x3a9181,{DOUBLEWITHTWODWORDINTREE(0x66a00000,0x00000000)}}, {VT_exponent,22,0x3a9182,{DOUBLEWITHTWODWORDINTREE(0x66b00000,0x00000000)}}, {VT_exponent,22,0x3a9183,{DOUBLEWITHTWODWORDINTREE(0x66c00000,0x00000000)}}, {VT_exponent,22,0x3a9184,{DOUBLEWITHTWODWORDINTREE(0x66d00000,0x00000000)}}, {VT_exponent,22,0x3a9185,{DOUBLEWITHTWODWORDINTREE(0x66e00000,0x00000000)}}, {VT_exponent,22,0x3a9186,{DOUBLEWITHTWODWORDINTREE(0x66f00000,0x00000000)}}, {VT_exponent,22,0x3a9187,{DOUBLEWITHTWODWORDINTREE(0x67000000,0x00000000)}}, {VT_exponent,22,0x3a9188,{DOUBLEWITHTWODWORDINTREE(0x67100000,0x00000000)}}, {VT_exponent,22,0x3a9189,{DOUBLEWITHTWODWORDINTREE(0x67200000,0x00000000)}}, {VT_exponent,22,0x3a918a,{DOUBLEWITHTWODWORDINTREE(0x67300000,0x00000000)}}, {VT_exponent,22,0x3a918b,{DOUBLEWITHTWODWORDINTREE(0x67400000,0x00000000)}}, {VT_exponent,22,0x3a918c,{DOUBLEWITHTWODWORDINTREE(0x67500000,0x00000000)}}, {VT_exponent,22,0x3a918d,{DOUBLEWITHTWODWORDINTREE(0x67600000,0x00000000)}}, {VT_exponent,22,0x3a918e,{DOUBLEWITHTWODWORDINTREE(0x67700000,0x00000000)}}, {VT_exponent,22,0x3a918f,{DOUBLEWITHTWODWORDINTREE(0x67800000,0x00000000)}}, {VT_exponent,22,0x3a9190,{DOUBLEWITHTWODWORDINTREE(0x67900000,0x00000000)}}, {VT_exponent,22,0x3a9191,{DOUBLEWITHTWODWORDINTREE(0x67a00000,0x00000000)}}, {VT_exponent,22,0x3a9192,{DOUBLEWITHTWODWORDINTREE(0x67b00000,0x00000000)}}, {VT_exponent,22,0x3a9193,{DOUBLEWITHTWODWORDINTREE(0x67c00000,0x00000000)}}, {VT_exponent,22,0x3a9194,{DOUBLEWITHTWODWORDINTREE(0x67d00000,0x00000000)}}, {VT_exponent,22,0x3a9195,{DOUBLEWITHTWODWORDINTREE(0x67e00000,0x00000000)}}, {VT_exponent,22,0x3a9196,{DOUBLEWITHTWODWORDINTREE(0x67f00000,0x00000000)}}, {VT_exponent,22,0x3a9197,{DOUBLEWITHTWODWORDINTREE(0x68000000,0x00000000)}}, {VT_exponent,22,0x3a9198,{DOUBLEWITHTWODWORDINTREE(0x68100000,0x00000000)}}, {VT_exponent,22,0x3a9199,{DOUBLEWITHTWODWORDINTREE(0x68200000,0x00000000)}}, {VT_exponent,22,0x3a919a,{DOUBLEWITHTWODWORDINTREE(0x68300000,0x00000000)}}, {VT_exponent,22,0x3a919b,{DOUBLEWITHTWODWORDINTREE(0x68400000,0x00000000)}}, {VT_exponent,22,0x3a919c,{DOUBLEWITHTWODWORDINTREE(0x68500000,0x00000000)}}, {VT_exponent,22,0x3a919d,{DOUBLEWITHTWODWORDINTREE(0x68600000,0x00000000)}}, {VT_exponent,22,0x3a919e,{DOUBLEWITHTWODWORDINTREE(0x68700000,0x00000000)}}, {VT_exponent,22,0x3a919f,{DOUBLEWITHTWODWORDINTREE(0x68800000,0x00000000)}}, {VT_exponent,22,0x3a91a0,{DOUBLEWITHTWODWORDINTREE(0x68900000,0x00000000)}}, {VT_exponent,22,0x3a91a1,{DOUBLEWITHTWODWORDINTREE(0x68a00000,0x00000000)}}, {VT_exponent,22,0x3a91a2,{DOUBLEWITHTWODWORDINTREE(0x68b00000,0x00000000)}}, {VT_exponent,22,0x3a91a3,{DOUBLEWITHTWODWORDINTREE(0x68c00000,0x00000000)}}, {VT_exponent,22,0x3a91a4,{DOUBLEWITHTWODWORDINTREE(0x68d00000,0x00000000)}}, {VT_exponent,22,0x3a91a5,{DOUBLEWITHTWODWORDINTREE(0x68e00000,0x00000000)}}, {VT_exponent,22,0x3a91a6,{DOUBLEWITHTWODWORDINTREE(0x68f00000,0x00000000)}}, {VT_exponent,22,0x3a91a7,{DOUBLEWITHTWODWORDINTREE(0x69000000,0x00000000)}}, {VT_exponent,22,0x3a91a8,{DOUBLEWITHTWODWORDINTREE(0x69100000,0x00000000)}}, {VT_exponent,22,0x3a91a9,{DOUBLEWITHTWODWORDINTREE(0x69200000,0x00000000)}}, {VT_exponent,22,0x3a91aa,{DOUBLEWITHTWODWORDINTREE(0x69300000,0x00000000)}}, {VT_exponent,22,0x3a91ab,{DOUBLEWITHTWODWORDINTREE(0x69400000,0x00000000)}}, {VT_exponent,22,0x3a91ac,{DOUBLEWITHTWODWORDINTREE(0x69500000,0x00000000)}}, {VT_exponent,22,0x3a91ad,{DOUBLEWITHTWODWORDINTREE(0x69600000,0x00000000)}}, {VT_exponent,22,0x3a91ae,{DOUBLEWITHTWODWORDINTREE(0x69700000,0x00000000)}}, {VT_exponent,22,0x3a91af,{DOUBLEWITHTWODWORDINTREE(0x69800000,0x00000000)}}, {VT_exponent,22,0x3a91b0,{DOUBLEWITHTWODWORDINTREE(0x69900000,0x00000000)}}, {VT_exponent,22,0x3a91b1,{DOUBLEWITHTWODWORDINTREE(0x69a00000,0x00000000)}}, {VT_exponent,22,0x3a91b2,{DOUBLEWITHTWODWORDINTREE(0x69b00000,0x00000000)}}, {VT_exponent,22,0x3a91b3,{DOUBLEWITHTWODWORDINTREE(0x69c00000,0x00000000)}}, {VT_exponent,22,0x3a91b4,{DOUBLEWITHTWODWORDINTREE(0x69d00000,0x00000000)}}, {VT_exponent,22,0x3a91b5,{DOUBLEWITHTWODWORDINTREE(0x69e00000,0x00000000)}}, {VT_exponent,22,0x3a91b6,{DOUBLEWITHTWODWORDINTREE(0x69f00000,0x00000000)}}, {VT_exponent,22,0x3a91b7,{DOUBLEWITHTWODWORDINTREE(0x6a000000,0x00000000)}}, {VT_exponent,22,0x3a91b8,{DOUBLEWITHTWODWORDINTREE(0x6a100000,0x00000000)}}, {VT_exponent,22,0x3a91b9,{DOUBLEWITHTWODWORDINTREE(0x6a200000,0x00000000)}}, {VT_exponent,22,0x3a91ba,{DOUBLEWITHTWODWORDINTREE(0x6a300000,0x00000000)}}, {VT_exponent,22,0x3a91bb,{DOUBLEWITHTWODWORDINTREE(0x6a400000,0x00000000)}}, {VT_exponent,22,0x3a91bc,{DOUBLEWITHTWODWORDINTREE(0x6a500000,0x00000000)}}, {VT_exponent,22,0x3a91bd,{DOUBLEWITHTWODWORDINTREE(0x6a600000,0x00000000)}}, {VT_exponent,22,0x3a91be,{DOUBLEWITHTWODWORDINTREE(0x6a700000,0x00000000)}}, {VT_exponent,22,0x3a91bf,{DOUBLEWITHTWODWORDINTREE(0x6a800000,0x00000000)}}, {VT_exponent,22,0x3a91c0,{DOUBLEWITHTWODWORDINTREE(0x6a900000,0x00000000)}}, {VT_exponent,22,0x3a91c1,{DOUBLEWITHTWODWORDINTREE(0x6aa00000,0x00000000)}}, {VT_exponent,22,0x3a91c2,{DOUBLEWITHTWODWORDINTREE(0x6ab00000,0x00000000)}}, {VT_exponent,22,0x3a91c3,{DOUBLEWITHTWODWORDINTREE(0x6ac00000,0x00000000)}}, {VT_exponent,22,0x3a91c4,{DOUBLEWITHTWODWORDINTREE(0x6ad00000,0x00000000)}}, {VT_exponent,22,0x3a91c5,{DOUBLEWITHTWODWORDINTREE(0x6ae00000,0x00000000)}}, {VT_exponent,22,0x3a91c6,{DOUBLEWITHTWODWORDINTREE(0x6af00000,0x00000000)}}, {VT_exponent,22,0x3a91c7,{DOUBLEWITHTWODWORDINTREE(0x6b000000,0x00000000)}}, {VT_exponent,22,0x3a91c8,{DOUBLEWITHTWODWORDINTREE(0x6b100000,0x00000000)}}, {VT_exponent,22,0x3a91c9,{DOUBLEWITHTWODWORDINTREE(0x6b200000,0x00000000)}}, {VT_exponent,22,0x3a91ca,{DOUBLEWITHTWODWORDINTREE(0x6b300000,0x00000000)}}, {VT_exponent,22,0x3a91cb,{DOUBLEWITHTWODWORDINTREE(0x6b400000,0x00000000)}}, {VT_exponent,22,0x3a91cc,{DOUBLEWITHTWODWORDINTREE(0x6b500000,0x00000000)}}, {VT_exponent,22,0x3a91cd,{DOUBLEWITHTWODWORDINTREE(0x6b600000,0x00000000)}}, {VT_exponent,22,0x3a91ce,{DOUBLEWITHTWODWORDINTREE(0x6b700000,0x00000000)}}, {VT_exponent,22,0x3a91cf,{DOUBLEWITHTWODWORDINTREE(0x6b800000,0x00000000)}}, {VT_exponent,22,0x3a91d0,{DOUBLEWITHTWODWORDINTREE(0x6b900000,0x00000000)}}, {VT_exponent,22,0x3a91d1,{DOUBLEWITHTWODWORDINTREE(0x6ba00000,0x00000000)}}, {VT_exponent,22,0x3a91d2,{DOUBLEWITHTWODWORDINTREE(0x6bb00000,0x00000000)}}, {VT_exponent,22,0x3a91d3,{DOUBLEWITHTWODWORDINTREE(0x6bc00000,0x00000000)}}, {VT_exponent,22,0x3a91d4,{DOUBLEWITHTWODWORDINTREE(0x6bd00000,0x00000000)}}, {VT_exponent,22,0x3a91d5,{DOUBLEWITHTWODWORDINTREE(0x6be00000,0x00000000)}}, {VT_exponent,22,0x3a91d6,{DOUBLEWITHTWODWORDINTREE(0x6bf00000,0x00000000)}}, {VT_exponent,22,0x3a91d7,{DOUBLEWITHTWODWORDINTREE(0x6c000000,0x00000000)}}, {VT_exponent,22,0x3a91d8,{DOUBLEWITHTWODWORDINTREE(0x6c100000,0x00000000)}}, {VT_exponent,22,0x3a91d9,{DOUBLEWITHTWODWORDINTREE(0x6c200000,0x00000000)}}, {VT_exponent,22,0x3a91da,{DOUBLEWITHTWODWORDINTREE(0x6c300000,0x00000000)}}, {VT_exponent,22,0x3a91db,{DOUBLEWITHTWODWORDINTREE(0x6c400000,0x00000000)}}, {VT_exponent,22,0x3a91dc,{DOUBLEWITHTWODWORDINTREE(0x6c500000,0x00000000)}}, {VT_exponent,22,0x3a91dd,{DOUBLEWITHTWODWORDINTREE(0x6c600000,0x00000000)}}, {VT_exponent,22,0x3a91de,{DOUBLEWITHTWODWORDINTREE(0x6c700000,0x00000000)}}, {VT_exponent,22,0x3a91df,{DOUBLEWITHTWODWORDINTREE(0x6c800000,0x00000000)}}, {VT_exponent,22,0x3a91e0,{DOUBLEWITHTWODWORDINTREE(0x6c900000,0x00000000)}}, {VT_exponent,22,0x3a91e1,{DOUBLEWITHTWODWORDINTREE(0x6ca00000,0x00000000)}}, {VT_exponent,22,0x3a91e2,{DOUBLEWITHTWODWORDINTREE(0x6cb00000,0x00000000)}}, {VT_exponent,22,0x3a91e3,{DOUBLEWITHTWODWORDINTREE(0x6cc00000,0x00000000)}}, {VT_exponent,22,0x3a91e4,{DOUBLEWITHTWODWORDINTREE(0x6cd00000,0x00000000)}}, {VT_exponent,22,0x3a91e5,{DOUBLEWITHTWODWORDINTREE(0x6ce00000,0x00000000)}}, {VT_exponent,22,0x3a91e6,{DOUBLEWITHTWODWORDINTREE(0x6cf00000,0x00000000)}}, {VT_exponent,22,0x3a91e7,{DOUBLEWITHTWODWORDINTREE(0x6d000000,0x00000000)}}, {VT_exponent,22,0x3a91e8,{DOUBLEWITHTWODWORDINTREE(0x6d100000,0x00000000)}}, {VT_exponent,22,0x3a91e9,{DOUBLEWITHTWODWORDINTREE(0x6d200000,0x00000000)}}, {VT_exponent,22,0x3a91ea,{DOUBLEWITHTWODWORDINTREE(0x6d300000,0x00000000)}}, {VT_exponent,22,0x3a91eb,{DOUBLEWITHTWODWORDINTREE(0x6d400000,0x00000000)}}, {VT_exponent,22,0x3a91ec,{DOUBLEWITHTWODWORDINTREE(0x6d500000,0x00000000)}}, {VT_exponent,22,0x3a91ed,{DOUBLEWITHTWODWORDINTREE(0x6d600000,0x00000000)}}, {VT_exponent,22,0x3a91ee,{DOUBLEWITHTWODWORDINTREE(0x6d700000,0x00000000)}}, {VT_exponent,22,0x3a91ef,{DOUBLEWITHTWODWORDINTREE(0x6d800000,0x00000000)}}, {VT_exponent,22,0x3a91f0,{DOUBLEWITHTWODWORDINTREE(0x6d900000,0x00000000)}}, {VT_exponent,22,0x3a91f1,{DOUBLEWITHTWODWORDINTREE(0x6da00000,0x00000000)}}, {VT_exponent,22,0x3a91f2,{DOUBLEWITHTWODWORDINTREE(0x6db00000,0x00000000)}}, {VT_exponent,22,0x3a91f3,{DOUBLEWITHTWODWORDINTREE(0x6dc00000,0x00000000)}}, {VT_exponent,22,0x3a91f4,{DOUBLEWITHTWODWORDINTREE(0x6dd00000,0x00000000)}}, {VT_exponent,22,0x3a91f5,{DOUBLEWITHTWODWORDINTREE(0x6de00000,0x00000000)}}, {VT_exponent,22,0x3a91f6,{DOUBLEWITHTWODWORDINTREE(0x6df00000,0x00000000)}}, {VT_exponent,22,0x3a91f7,{DOUBLEWITHTWODWORDINTREE(0x6e000000,0x00000000)}}, {VT_exponent,22,0x3a91f8,{DOUBLEWITHTWODWORDINTREE(0x6e100000,0x00000000)}}, {VT_exponent,22,0x3a91f9,{DOUBLEWITHTWODWORDINTREE(0x6e200000,0x00000000)}}, {VT_exponent,22,0x3a91fa,{DOUBLEWITHTWODWORDINTREE(0x6e300000,0x00000000)}}, {VT_exponent,22,0x3a91fb,{DOUBLEWITHTWODWORDINTREE(0x6e400000,0x00000000)}}, {VT_exponent,22,0x3a91fc,{DOUBLEWITHTWODWORDINTREE(0x6e500000,0x00000000)}}, {VT_exponent,22,0x3a91fd,{DOUBLEWITHTWODWORDINTREE(0x6e600000,0x00000000)}}, {VT_exponent,22,0x3a91fe,{DOUBLEWITHTWODWORDINTREE(0x6e700000,0x00000000)}}, {VT_exponent,22,0x3a91ff,{DOUBLEWITHTWODWORDINTREE(0x6e800000,0x00000000)}}, {VT_exponent,22,0x3a9200,{DOUBLEWITHTWODWORDINTREE(0x6e900000,0x00000000)}}, {VT_exponent,22,0x3a9201,{DOUBLEWITHTWODWORDINTREE(0x6ea00000,0x00000000)}}, {VT_exponent,22,0x3a9202,{DOUBLEWITHTWODWORDINTREE(0x6eb00000,0x00000000)}}, {VT_exponent,22,0x3a9203,{DOUBLEWITHTWODWORDINTREE(0x6ec00000,0x00000000)}}, {VT_exponent,22,0x3a9204,{DOUBLEWITHTWODWORDINTREE(0x6ed00000,0x00000000)}}, {VT_exponent,22,0x3a9205,{DOUBLEWITHTWODWORDINTREE(0x6ee00000,0x00000000)}}, {VT_exponent,22,0x3a9206,{DOUBLEWITHTWODWORDINTREE(0x6ef00000,0x00000000)}}, {VT_exponent,22,0x3a9207,{DOUBLEWITHTWODWORDINTREE(0x6f000000,0x00000000)}}, {VT_exponent,22,0x3a9208,{DOUBLEWITHTWODWORDINTREE(0x6f100000,0x00000000)}}, {VT_exponent,22,0x3a9209,{DOUBLEWITHTWODWORDINTREE(0x6f200000,0x00000000)}}, {VT_exponent,22,0x3a920a,{DOUBLEWITHTWODWORDINTREE(0x6f300000,0x00000000)}}, {VT_exponent,22,0x3a920b,{DOUBLEWITHTWODWORDINTREE(0x6f400000,0x00000000)}}, {VT_exponent,22,0x3a920c,{DOUBLEWITHTWODWORDINTREE(0x6f500000,0x00000000)}}, {VT_exponent,22,0x3a920d,{DOUBLEWITHTWODWORDINTREE(0x6f600000,0x00000000)}}, {VT_exponent,22,0x3a920e,{DOUBLEWITHTWODWORDINTREE(0x6f700000,0x00000000)}}, {VT_exponent,22,0x3a920f,{DOUBLEWITHTWODWORDINTREE(0x6f800000,0x00000000)}}, {VT_exponent,22,0x3a9210,{DOUBLEWITHTWODWORDINTREE(0x6f900000,0x00000000)}}, {VT_exponent,22,0x3a9211,{DOUBLEWITHTWODWORDINTREE(0x6fa00000,0x00000000)}}, {VT_exponent,22,0x3a9212,{DOUBLEWITHTWODWORDINTREE(0x6fb00000,0x00000000)}}, {VT_exponent,22,0x3a9213,{DOUBLEWITHTWODWORDINTREE(0x6fc00000,0x00000000)}}, {VT_exponent,22,0x3a9214,{DOUBLEWITHTWODWORDINTREE(0x6fd00000,0x00000000)}}, {VT_exponent,22,0x3a9215,{DOUBLEWITHTWODWORDINTREE(0x6fe00000,0x00000000)}}, {VT_exponent,22,0x3a9216,{DOUBLEWITHTWODWORDINTREE(0x6ff00000,0x00000000)}}, {VT_exponent,22,0x3a9217,{DOUBLEWITHTWODWORDINTREE(0x70000000,0x00000000)}}, {VT_exponent,22,0x3a9218,{DOUBLEWITHTWODWORDINTREE(0x70100000,0x00000000)}}, {VT_exponent,22,0x3a9219,{DOUBLEWITHTWODWORDINTREE(0x70200000,0x00000000)}}, {VT_exponent,22,0x3a921a,{DOUBLEWITHTWODWORDINTREE(0x70300000,0x00000000)}}, {VT_exponent,22,0x3a921b,{DOUBLEWITHTWODWORDINTREE(0x70400000,0x00000000)}}, {VT_exponent,22,0x3a921c,{DOUBLEWITHTWODWORDINTREE(0x70500000,0x00000000)}}, {VT_exponent,22,0x3a921d,{DOUBLEWITHTWODWORDINTREE(0x70600000,0x00000000)}}, {VT_exponent,22,0x3a921e,{DOUBLEWITHTWODWORDINTREE(0x70700000,0x00000000)}}, {VT_exponent,22,0x3a921f,{DOUBLEWITHTWODWORDINTREE(0x70800000,0x00000000)}}, {VT_exponent,22,0x3a9220,{DOUBLEWITHTWODWORDINTREE(0x70900000,0x00000000)}}, {VT_exponent,22,0x3a9221,{DOUBLEWITHTWODWORDINTREE(0x70a00000,0x00000000)}}, {VT_exponent,22,0x3a9222,{DOUBLEWITHTWODWORDINTREE(0x70b00000,0x00000000)}}, {VT_exponent,22,0x3a9223,{DOUBLEWITHTWODWORDINTREE(0x70c00000,0x00000000)}}, {VT_exponent,22,0x3a9224,{DOUBLEWITHTWODWORDINTREE(0x70d00000,0x00000000)}}, {VT_exponent,22,0x3a9225,{DOUBLEWITHTWODWORDINTREE(0x70e00000,0x00000000)}}, {VT_exponent,22,0x3a9226,{DOUBLEWITHTWODWORDINTREE(0x70f00000,0x00000000)}}, {VT_exponent,22,0x3a9227,{DOUBLEWITHTWODWORDINTREE(0x71000000,0x00000000)}}, {VT_exponent,22,0x3a9228,{DOUBLEWITHTWODWORDINTREE(0x71100000,0x00000000)}}, {VT_exponent,22,0x3a9229,{DOUBLEWITHTWODWORDINTREE(0x71200000,0x00000000)}}, {VT_exponent,22,0x3a922a,{DOUBLEWITHTWODWORDINTREE(0x71300000,0x00000000)}}, {VT_exponent,22,0x3a922b,{DOUBLEWITHTWODWORDINTREE(0x71400000,0x00000000)}}, {VT_exponent,22,0x3a922c,{DOUBLEWITHTWODWORDINTREE(0x71500000,0x00000000)}}, {VT_exponent,22,0x3a922d,{DOUBLEWITHTWODWORDINTREE(0x71600000,0x00000000)}}, {VT_exponent,22,0x3a922e,{DOUBLEWITHTWODWORDINTREE(0x71700000,0x00000000)}}, {VT_exponent,22,0x3a922f,{DOUBLEWITHTWODWORDINTREE(0x71800000,0x00000000)}}, {VT_exponent,22,0x3a9230,{DOUBLEWITHTWODWORDINTREE(0x71900000,0x00000000)}}, {VT_exponent,22,0x3a9231,{DOUBLEWITHTWODWORDINTREE(0x71a00000,0x00000000)}}, {VT_exponent,22,0x3a9232,{DOUBLEWITHTWODWORDINTREE(0x71b00000,0x00000000)}}, {VT_exponent,22,0x3a9233,{DOUBLEWITHTWODWORDINTREE(0x71c00000,0x00000000)}}, {VT_exponent,22,0x3a9234,{DOUBLEWITHTWODWORDINTREE(0x71d00000,0x00000000)}}, {VT_exponent,22,0x3a9235,{DOUBLEWITHTWODWORDINTREE(0x71e00000,0x00000000)}}, {VT_exponent,22,0x3a9236,{DOUBLEWITHTWODWORDINTREE(0x71f00000,0x00000000)}}, {VT_exponent,22,0x3a9237,{DOUBLEWITHTWODWORDINTREE(0x72000000,0x00000000)}}, {VT_exponent,22,0x3a9238,{DOUBLEWITHTWODWORDINTREE(0x72100000,0x00000000)}}, {VT_exponent,22,0x3a9239,{DOUBLEWITHTWODWORDINTREE(0x72200000,0x00000000)}}, {VT_exponent,22,0x3a923a,{DOUBLEWITHTWODWORDINTREE(0x72300000,0x00000000)}}, {VT_exponent,22,0x3a923b,{DOUBLEWITHTWODWORDINTREE(0x72400000,0x00000000)}}, {VT_exponent,22,0x3a923c,{DOUBLEWITHTWODWORDINTREE(0x72500000,0x00000000)}}, {VT_exponent,22,0x3a923d,{DOUBLEWITHTWODWORDINTREE(0x72600000,0x00000000)}}, {VT_exponent,22,0x3a923e,{DOUBLEWITHTWODWORDINTREE(0x72700000,0x00000000)}}, {VT_exponent,22,0x3a923f,{DOUBLEWITHTWODWORDINTREE(0x72800000,0x00000000)}}, {VT_exponent,22,0x3a9240,{DOUBLEWITHTWODWORDINTREE(0x72900000,0x00000000)}}, {VT_exponent,22,0x3a9241,{DOUBLEWITHTWODWORDINTREE(0x72a00000,0x00000000)}}, {VT_exponent,22,0x3a9242,{DOUBLEWITHTWODWORDINTREE(0x72b00000,0x00000000)}}, {VT_exponent,22,0x3a9243,{DOUBLEWITHTWODWORDINTREE(0x72c00000,0x00000000)}}, {VT_exponent,22,0x3a9244,{DOUBLEWITHTWODWORDINTREE(0x72d00000,0x00000000)}}, {VT_exponent,22,0x3a9245,{DOUBLEWITHTWODWORDINTREE(0x72e00000,0x00000000)}}, {VT_exponent,22,0x3a9246,{DOUBLEWITHTWODWORDINTREE(0x72f00000,0x00000000)}}, {VT_exponent,22,0x3a9247,{DOUBLEWITHTWODWORDINTREE(0x73000000,0x00000000)}}, {VT_exponent,22,0x3a9248,{DOUBLEWITHTWODWORDINTREE(0x73100000,0x00000000)}}, {VT_exponent,22,0x3a9249,{DOUBLEWITHTWODWORDINTREE(0x73200000,0x00000000)}}, {VT_exponent,22,0x3a924a,{DOUBLEWITHTWODWORDINTREE(0x73300000,0x00000000)}}, {VT_exponent,22,0x3a924b,{DOUBLEWITHTWODWORDINTREE(0x73400000,0x00000000)}}, {VT_exponent,22,0x3a924c,{DOUBLEWITHTWODWORDINTREE(0x73500000,0x00000000)}}, {VT_exponent,22,0x3a924d,{DOUBLEWITHTWODWORDINTREE(0x73600000,0x00000000)}}, {VT_exponent,22,0x3a924e,{DOUBLEWITHTWODWORDINTREE(0x73700000,0x00000000)}}, {VT_exponent,22,0x3a924f,{DOUBLEWITHTWODWORDINTREE(0x73800000,0x00000000)}}, {VT_exponent,22,0x3a9250,{DOUBLEWITHTWODWORDINTREE(0x73900000,0x00000000)}}, {VT_exponent,22,0x3a9251,{DOUBLEWITHTWODWORDINTREE(0x73a00000,0x00000000)}}, {VT_exponent,22,0x3a9252,{DOUBLEWITHTWODWORDINTREE(0x73b00000,0x00000000)}}, {VT_exponent,22,0x3a9253,{DOUBLEWITHTWODWORDINTREE(0x73c00000,0x00000000)}}, {VT_exponent,22,0x3a9254,{DOUBLEWITHTWODWORDINTREE(0x73d00000,0x00000000)}}, {VT_exponent,22,0x3a9255,{DOUBLEWITHTWODWORDINTREE(0x73e00000,0x00000000)}}, {VT_exponent,22,0x3a9256,{DOUBLEWITHTWODWORDINTREE(0x73f00000,0x00000000)}}, {VT_exponent,22,0x3a9257,{DOUBLEWITHTWODWORDINTREE(0x74000000,0x00000000)}}, {VT_exponent,22,0x3a9258,{DOUBLEWITHTWODWORDINTREE(0x74100000,0x00000000)}}, {VT_exponent,22,0x3a9259,{DOUBLEWITHTWODWORDINTREE(0x74200000,0x00000000)}}, {VT_exponent,22,0x3a925a,{DOUBLEWITHTWODWORDINTREE(0x74300000,0x00000000)}}, {VT_exponent,22,0x3a925b,{DOUBLEWITHTWODWORDINTREE(0x74400000,0x00000000)}}, {VT_exponent,22,0x3a925c,{DOUBLEWITHTWODWORDINTREE(0x74500000,0x00000000)}}, {VT_exponent,22,0x3a925d,{DOUBLEWITHTWODWORDINTREE(0x74600000,0x00000000)}}, {VT_exponent,22,0x3a925e,{DOUBLEWITHTWODWORDINTREE(0x74700000,0x00000000)}}, {VT_exponent,22,0x3a925f,{DOUBLEWITHTWODWORDINTREE(0x74800000,0x00000000)}}, {VT_exponent,22,0x3a9260,{DOUBLEWITHTWODWORDINTREE(0x74900000,0x00000000)}}, {VT_exponent,22,0x3a9261,{DOUBLEWITHTWODWORDINTREE(0x74a00000,0x00000000)}}, {VT_exponent,22,0x3a9262,{DOUBLEWITHTWODWORDINTREE(0x74b00000,0x00000000)}}, {VT_exponent,22,0x3a9263,{DOUBLEWITHTWODWORDINTREE(0x74c00000,0x00000000)}}, {VT_exponent,22,0x3a9264,{DOUBLEWITHTWODWORDINTREE(0x74d00000,0x00000000)}}, {VT_exponent,22,0x3a9265,{DOUBLEWITHTWODWORDINTREE(0x74e00000,0x00000000)}}, {VT_exponent,22,0x3a9266,{DOUBLEWITHTWODWORDINTREE(0x74f00000,0x00000000)}}, {VT_exponent,22,0x3a9267,{DOUBLEWITHTWODWORDINTREE(0x75000000,0x00000000)}}, {VT_exponent,22,0x3a9268,{DOUBLEWITHTWODWORDINTREE(0x75100000,0x00000000)}}, {VT_exponent,22,0x3a9269,{DOUBLEWITHTWODWORDINTREE(0x75200000,0x00000000)}}, {VT_exponent,22,0x3a926a,{DOUBLEWITHTWODWORDINTREE(0x75300000,0x00000000)}}, {VT_exponent,22,0x3a926b,{DOUBLEWITHTWODWORDINTREE(0x75400000,0x00000000)}}, {VT_exponent,22,0x3a926c,{DOUBLEWITHTWODWORDINTREE(0x75500000,0x00000000)}}, {VT_exponent,22,0x3a926d,{DOUBLEWITHTWODWORDINTREE(0x75600000,0x00000000)}}, {VT_exponent,22,0x3a926e,{DOUBLEWITHTWODWORDINTREE(0x75700000,0x00000000)}}, {VT_exponent,22,0x3a926f,{DOUBLEWITHTWODWORDINTREE(0x75800000,0x00000000)}}, {VT_exponent,22,0x3a9270,{DOUBLEWITHTWODWORDINTREE(0x75900000,0x00000000)}}, {VT_exponent,22,0x3a9271,{DOUBLEWITHTWODWORDINTREE(0x75a00000,0x00000000)}}, {VT_exponent,22,0x3a9272,{DOUBLEWITHTWODWORDINTREE(0x75b00000,0x00000000)}}, {VT_exponent,22,0x3a9273,{DOUBLEWITHTWODWORDINTREE(0x75c00000,0x00000000)}}, {VT_exponent,22,0x3a9274,{DOUBLEWITHTWODWORDINTREE(0x75d00000,0x00000000)}}, {VT_exponent,22,0x3a9275,{DOUBLEWITHTWODWORDINTREE(0x75e00000,0x00000000)}}, {VT_exponent,22,0x3a9276,{DOUBLEWITHTWODWORDINTREE(0x75f00000,0x00000000)}}, {VT_exponent,22,0x3a9277,{DOUBLEWITHTWODWORDINTREE(0x76000000,0x00000000)}}, {VT_exponent,22,0x3a9278,{DOUBLEWITHTWODWORDINTREE(0x76100000,0x00000000)}}, {VT_exponent,22,0x3a9279,{DOUBLEWITHTWODWORDINTREE(0x76200000,0x00000000)}}, {VT_exponent,22,0x3a927a,{DOUBLEWITHTWODWORDINTREE(0x76300000,0x00000000)}}, {VT_exponent,22,0x3a927b,{DOUBLEWITHTWODWORDINTREE(0x76400000,0x00000000)}}, {VT_exponent,22,0x3a927c,{DOUBLEWITHTWODWORDINTREE(0x76500000,0x00000000)}}, {VT_exponent,22,0x3a927d,{DOUBLEWITHTWODWORDINTREE(0x76600000,0x00000000)}}, {VT_exponent,22,0x3a927e,{DOUBLEWITHTWODWORDINTREE(0x76700000,0x00000000)}}, {VT_exponent,22,0x3a927f,{DOUBLEWITHTWODWORDINTREE(0x76800000,0x00000000)}}, {VT_exponent,22,0x3a9280,{DOUBLEWITHTWODWORDINTREE(0x76900000,0x00000000)}}, {VT_exponent,22,0x3a9281,{DOUBLEWITHTWODWORDINTREE(0x76a00000,0x00000000)}}, {VT_exponent,22,0x3a9282,{DOUBLEWITHTWODWORDINTREE(0x76b00000,0x00000000)}}, {VT_exponent,22,0x3a9283,{DOUBLEWITHTWODWORDINTREE(0x76c00000,0x00000000)}}, {VT_exponent,22,0x3a9284,{DOUBLEWITHTWODWORDINTREE(0x76d00000,0x00000000)}}, {VT_exponent,22,0x3a9285,{DOUBLEWITHTWODWORDINTREE(0x76e00000,0x00000000)}}, {VT_exponent,22,0x3a9286,{DOUBLEWITHTWODWORDINTREE(0x76f00000,0x00000000)}}, {VT_exponent,22,0x3a9287,{DOUBLEWITHTWODWORDINTREE(0x77000000,0x00000000)}}, {VT_exponent,22,0x3a9288,{DOUBLEWITHTWODWORDINTREE(0x77100000,0x00000000)}}, {VT_exponent,22,0x3a9289,{DOUBLEWITHTWODWORDINTREE(0x77200000,0x00000000)}}, {VT_exponent,22,0x3a928a,{DOUBLEWITHTWODWORDINTREE(0x77300000,0x00000000)}}, {VT_exponent,22,0x3a928b,{DOUBLEWITHTWODWORDINTREE(0x77400000,0x00000000)}}, {VT_exponent,22,0x3a928c,{DOUBLEWITHTWODWORDINTREE(0x77500000,0x00000000)}}, {VT_exponent,22,0x3a928d,{DOUBLEWITHTWODWORDINTREE(0x77600000,0x00000000)}}, {VT_exponent,22,0x3a928e,{DOUBLEWITHTWODWORDINTREE(0x77700000,0x00000000)}}, {VT_exponent,22,0x3a928f,{DOUBLEWITHTWODWORDINTREE(0x77800000,0x00000000)}}, {VT_exponent,22,0x3a9290,{DOUBLEWITHTWODWORDINTREE(0x77900000,0x00000000)}}, {VT_exponent,22,0x3a9291,{DOUBLEWITHTWODWORDINTREE(0x77a00000,0x00000000)}}, {VT_exponent,22,0x3a9292,{DOUBLEWITHTWODWORDINTREE(0x77b00000,0x00000000)}}, {VT_exponent,22,0x3a9293,{DOUBLEWITHTWODWORDINTREE(0x77c00000,0x00000000)}}, {VT_exponent,22,0x3a9294,{DOUBLEWITHTWODWORDINTREE(0x77d00000,0x00000000)}}, {VT_exponent,22,0x3a9295,{DOUBLEWITHTWODWORDINTREE(0x77e00000,0x00000000)}}, {VT_exponent,22,0x3a9296,{DOUBLEWITHTWODWORDINTREE(0x77f00000,0x00000000)}}, {VT_exponent,22,0x3a9297,{DOUBLEWITHTWODWORDINTREE(0x78000000,0x00000000)}}, {VT_exponent,22,0x3a9298,{DOUBLEWITHTWODWORDINTREE(0x78100000,0x00000000)}}, {VT_exponent,22,0x3a9299,{DOUBLEWITHTWODWORDINTREE(0x78200000,0x00000000)}}, {VT_exponent,22,0x3a929a,{DOUBLEWITHTWODWORDINTREE(0x78300000,0x00000000)}}, {VT_exponent,22,0x3a929b,{DOUBLEWITHTWODWORDINTREE(0x78400000,0x00000000)}}, {VT_exponent,22,0x3a929c,{DOUBLEWITHTWODWORDINTREE(0x78500000,0x00000000)}}, {VT_exponent,22,0x3a929d,{DOUBLEWITHTWODWORDINTREE(0x78600000,0x00000000)}}, {VT_exponent,22,0x3a929e,{DOUBLEWITHTWODWORDINTREE(0x78700000,0x00000000)}}, {VT_exponent,22,0x3a929f,{DOUBLEWITHTWODWORDINTREE(0x78800000,0x00000000)}}, {VT_exponent,22,0x3a92a0,{DOUBLEWITHTWODWORDINTREE(0x78900000,0x00000000)}}, {VT_exponent,22,0x3a92a1,{DOUBLEWITHTWODWORDINTREE(0x78a00000,0x00000000)}}, {VT_exponent,22,0x3a92a2,{DOUBLEWITHTWODWORDINTREE(0x78b00000,0x00000000)}}, {VT_exponent,22,0x3a92a3,{DOUBLEWITHTWODWORDINTREE(0x78c00000,0x00000000)}}, {VT_exponent,22,0x3a92a4,{DOUBLEWITHTWODWORDINTREE(0x78d00000,0x00000000)}}, {VT_exponent,22,0x3a92a5,{DOUBLEWITHTWODWORDINTREE(0x78e00000,0x00000000)}}, {VT_exponent,22,0x3a92a6,{DOUBLEWITHTWODWORDINTREE(0x78f00000,0x00000000)}}, {VT_exponent,22,0x3a92a7,{DOUBLEWITHTWODWORDINTREE(0x79000000,0x00000000)}}, {VT_exponent,22,0x3a92a8,{DOUBLEWITHTWODWORDINTREE(0x79100000,0x00000000)}}, {VT_exponent,22,0x3a92a9,{DOUBLEWITHTWODWORDINTREE(0x79200000,0x00000000)}}, {VT_exponent,22,0x3a92aa,{DOUBLEWITHTWODWORDINTREE(0x79300000,0x00000000)}}, {VT_exponent,22,0x3a92ab,{DOUBLEWITHTWODWORDINTREE(0x79400000,0x00000000)}}, {VT_exponent,22,0x3a92ac,{DOUBLEWITHTWODWORDINTREE(0x79500000,0x00000000)}}, {VT_exponent,22,0x3a92ad,{DOUBLEWITHTWODWORDINTREE(0x79600000,0x00000000)}}, {VT_exponent,22,0x3a92ae,{DOUBLEWITHTWODWORDINTREE(0x79700000,0x00000000)}}, {VT_exponent,22,0x3a92af,{DOUBLEWITHTWODWORDINTREE(0x79800000,0x00000000)}}, {VT_exponent,22,0x3a92b0,{DOUBLEWITHTWODWORDINTREE(0x79900000,0x00000000)}}, {VT_exponent,22,0x3a92b1,{DOUBLEWITHTWODWORDINTREE(0x79a00000,0x00000000)}}, {VT_exponent,22,0x3a92b2,{DOUBLEWITHTWODWORDINTREE(0x79b00000,0x00000000)}}, {VT_exponent,22,0x3a92b3,{DOUBLEWITHTWODWORDINTREE(0x79c00000,0x00000000)}}, {VT_exponent,22,0x3a92b4,{DOUBLEWITHTWODWORDINTREE(0x79d00000,0x00000000)}}, {VT_exponent,22,0x3a92b5,{DOUBLEWITHTWODWORDINTREE(0x79e00000,0x00000000)}}, {VT_exponent,22,0x3a92b6,{DOUBLEWITHTWODWORDINTREE(0x79f00000,0x00000000)}}, {VT_exponent,22,0x3a92b7,{DOUBLEWITHTWODWORDINTREE(0x7a000000,0x00000000)}}, {VT_exponent,22,0x3a92b8,{DOUBLEWITHTWODWORDINTREE(0x7a100000,0x00000000)}}, {VT_exponent,22,0x3a92b9,{DOUBLEWITHTWODWORDINTREE(0x7a200000,0x00000000)}}, {VT_exponent,22,0x3a92ba,{DOUBLEWITHTWODWORDINTREE(0x7a300000,0x00000000)}}, {VT_exponent,22,0x3a92bb,{DOUBLEWITHTWODWORDINTREE(0x7a400000,0x00000000)}}, {VT_exponent,22,0x3a92bc,{DOUBLEWITHTWODWORDINTREE(0x7a500000,0x00000000)}}, {VT_exponent,22,0x3a92bd,{DOUBLEWITHTWODWORDINTREE(0x7a600000,0x00000000)}}, {VT_exponent,22,0x3a92be,{DOUBLEWITHTWODWORDINTREE(0x7a700000,0x00000000)}}, {VT_exponent,22,0x3a92bf,{DOUBLEWITHTWODWORDINTREE(0x7a800000,0x00000000)}}, {VT_exponent,22,0x3a92c0,{DOUBLEWITHTWODWORDINTREE(0x7a900000,0x00000000)}}, {VT_exponent,22,0x3a92c1,{DOUBLEWITHTWODWORDINTREE(0x7aa00000,0x00000000)}}, {VT_exponent,22,0x3a92c2,{DOUBLEWITHTWODWORDINTREE(0x7ab00000,0x00000000)}}, {VT_exponent,22,0x3a92c3,{DOUBLEWITHTWODWORDINTREE(0x7ac00000,0x00000000)}}, {VT_exponent,22,0x3a92c4,{DOUBLEWITHTWODWORDINTREE(0x7ad00000,0x00000000)}}, {VT_exponent,22,0x3a92c5,{DOUBLEWITHTWODWORDINTREE(0x7ae00000,0x00000000)}}, {VT_exponent,22,0x3a92c6,{DOUBLEWITHTWODWORDINTREE(0x7af00000,0x00000000)}}, {VT_exponent,22,0x3a92c7,{DOUBLEWITHTWODWORDINTREE(0x7b000000,0x00000000)}}, {VT_exponent,22,0x3a92c8,{DOUBLEWITHTWODWORDINTREE(0x7b100000,0x00000000)}}, {VT_exponent,22,0x3a92c9,{DOUBLEWITHTWODWORDINTREE(0x7b200000,0x00000000)}}, {VT_exponent,22,0x3a92ca,{DOUBLEWITHTWODWORDINTREE(0x7b300000,0x00000000)}}, {VT_exponent,22,0x3a92cb,{DOUBLEWITHTWODWORDINTREE(0x7b400000,0x00000000)}}, {VT_exponent,22,0x3a92cc,{DOUBLEWITHTWODWORDINTREE(0x7b500000,0x00000000)}}, {VT_exponent,22,0x3a92cd,{DOUBLEWITHTWODWORDINTREE(0x7b600000,0x00000000)}}, {VT_exponent,22,0x3a92ce,{DOUBLEWITHTWODWORDINTREE(0x7b700000,0x00000000)}}, {VT_exponent,22,0x3a92cf,{DOUBLEWITHTWODWORDINTREE(0x7b800000,0x00000000)}}, {VT_exponent,22,0x3a92d0,{DOUBLEWITHTWODWORDINTREE(0x7b900000,0x00000000)}}, {VT_exponent,22,0x3a92d1,{DOUBLEWITHTWODWORDINTREE(0x7ba00000,0x00000000)}}, {VT_exponent,22,0x3a92d2,{DOUBLEWITHTWODWORDINTREE(0x7bb00000,0x00000000)}}, {VT_exponent,22,0x3a92d3,{DOUBLEWITHTWODWORDINTREE(0x7bc00000,0x00000000)}}, {VT_exponent,22,0x3a92d4,{DOUBLEWITHTWODWORDINTREE(0x7bd00000,0x00000000)}}, {VT_exponent,22,0x3a92d5,{DOUBLEWITHTWODWORDINTREE(0x7be00000,0x00000000)}}, {VT_exponent,22,0x3a92d6,{DOUBLEWITHTWODWORDINTREE(0x7bf00000,0x00000000)}}, {VT_exponent,22,0x3a92d7,{DOUBLEWITHTWODWORDINTREE(0x7c000000,0x00000000)}}, {VT_exponent,22,0x3a92d8,{DOUBLEWITHTWODWORDINTREE(0x7c100000,0x00000000)}}, {VT_exponent,22,0x3a92d9,{DOUBLEWITHTWODWORDINTREE(0x7c200000,0x00000000)}}, {VT_exponent,22,0x3a92da,{DOUBLEWITHTWODWORDINTREE(0x7c300000,0x00000000)}}, {VT_exponent,22,0x3a92db,{DOUBLEWITHTWODWORDINTREE(0x7c400000,0x00000000)}}, {VT_exponent,22,0x3a92dc,{DOUBLEWITHTWODWORDINTREE(0x7c500000,0x00000000)}}, {VT_exponent,22,0x3a92dd,{DOUBLEWITHTWODWORDINTREE(0x7c600000,0x00000000)}}, {VT_exponent,22,0x3a92de,{DOUBLEWITHTWODWORDINTREE(0x7c700000,0x00000000)}}, {VT_exponent,22,0x3a92df,{DOUBLEWITHTWODWORDINTREE(0x7c800000,0x00000000)}}, {VT_exponent,22,0x3a92e0,{DOUBLEWITHTWODWORDINTREE(0x7c900000,0x00000000)}}, {VT_exponent,22,0x3a92e1,{DOUBLEWITHTWODWORDINTREE(0x7ca00000,0x00000000)}}, {VT_exponent,22,0x3a92e2,{DOUBLEWITHTWODWORDINTREE(0x7cb00000,0x00000000)}}, {VT_exponent,22,0x3a92e3,{DOUBLEWITHTWODWORDINTREE(0x7cc00000,0x00000000)}}, {VT_exponent,22,0x3a92e4,{DOUBLEWITHTWODWORDINTREE(0x7cd00000,0x00000000)}}, {VT_exponent,22,0x3a92e5,{DOUBLEWITHTWODWORDINTREE(0x7ce00000,0x00000000)}}, {VT_exponent,22,0x3a92e6,{DOUBLEWITHTWODWORDINTREE(0x7cf00000,0x00000000)}}, {VT_exponent,22,0x3a92e7,{DOUBLEWITHTWODWORDINTREE(0x7d000000,0x00000000)}}, {VT_exponent,22,0x3a92e8,{DOUBLEWITHTWODWORDINTREE(0x7d100000,0x00000000)}}, {VT_exponent,22,0x3a92e9,{DOUBLEWITHTWODWORDINTREE(0x7d200000,0x00000000)}}, {VT_exponent,22,0x3a92ea,{DOUBLEWITHTWODWORDINTREE(0x7d300000,0x00000000)}}, {VT_exponent,22,0x3a92eb,{DOUBLEWITHTWODWORDINTREE(0x7d400000,0x00000000)}}, {VT_exponent,22,0x3a92ec,{DOUBLEWITHTWODWORDINTREE(0x7d500000,0x00000000)}}, {VT_exponent,22,0x3a92ed,{DOUBLEWITHTWODWORDINTREE(0x7d600000,0x00000000)}}, {VT_exponent,22,0x3a92ee,{DOUBLEWITHTWODWORDINTREE(0x7d700000,0x00000000)}}, {VT_exponent,22,0x3a92ef,{DOUBLEWITHTWODWORDINTREE(0x7d800000,0x00000000)}}, {VT_exponent,22,0x3a92f0,{DOUBLEWITHTWODWORDINTREE(0x7d900000,0x00000000)}}, {VT_exponent,22,0x3a92f1,{DOUBLEWITHTWODWORDINTREE(0x7da00000,0x00000000)}}, {VT_exponent,22,0x3a92f2,{DOUBLEWITHTWODWORDINTREE(0x7db00000,0x00000000)}}, {VT_exponent,22,0x3a92f3,{DOUBLEWITHTWODWORDINTREE(0x7dc00000,0x00000000)}}, {VT_exponent,22,0x3a92f4,{DOUBLEWITHTWODWORDINTREE(0x7dd00000,0x00000000)}}, {VT_exponent,22,0x3a92f5,{DOUBLEWITHTWODWORDINTREE(0x7de00000,0x00000000)}}, {VT_exponent,22,0x3a92f6,{DOUBLEWITHTWODWORDINTREE(0x7df00000,0x00000000)}}, {VT_exponent,22,0x3a92f7,{DOUBLEWITHTWODWORDINTREE(0x7e000000,0x00000000)}}, {VT_exponent,22,0x3a92f8,{DOUBLEWITHTWODWORDINTREE(0x7e100000,0x00000000)}}, {VT_exponent,22,0x3a92f9,{DOUBLEWITHTWODWORDINTREE(0x7e200000,0x00000000)}}, {VT_exponent,22,0x3a92fa,{DOUBLEWITHTWODWORDINTREE(0x7e300000,0x00000000)}}, {VT_exponent,22,0x3a92fb,{DOUBLEWITHTWODWORDINTREE(0x7e400000,0x00000000)}}, {VT_exponent,22,0x3a92fc,{DOUBLEWITHTWODWORDINTREE(0x7e500000,0x00000000)}}, {VT_exponent,22,0x3a92fd,{DOUBLEWITHTWODWORDINTREE(0x7e600000,0x00000000)}}, {VT_exponent,22,0x3a92fe,{DOUBLEWITHTWODWORDINTREE(0x7e700000,0x00000000)}}, {VT_exponent,22,0x3a92ff,{DOUBLEWITHTWODWORDINTREE(0x7e800000,0x00000000)}}, {VT_exponent,22,0x3a95a0,{DOUBLEWITHTWODWORDINTREE(0x7e900000,0x00000000)}}, {VT_exponent,22,0x3a95a1,{DOUBLEWITHTWODWORDINTREE(0x7ea00000,0x00000000)}}, {VT_exponent,22,0x3a95a2,{DOUBLEWITHTWODWORDINTREE(0x7eb00000,0x00000000)}}, {VT_exponent,22,0x3a95a3,{DOUBLEWITHTWODWORDINTREE(0x7ec00000,0x00000000)}}, {VT_exponent,22,0x3a95a4,{DOUBLEWITHTWODWORDINTREE(0x7ed00000,0x00000000)}}, {VT_exponent,22,0x3a95a5,{DOUBLEWITHTWODWORDINTREE(0x7ee00000,0x00000000)}}, {VT_exponent,22,0x3a95a6,{DOUBLEWITHTWODWORDINTREE(0x7ef00000,0x00000000)}}, {VT_exponent,22,0x3a95a7,{DOUBLEWITHTWODWORDINTREE(0x7f000000,0x00000000)}}, {VT_exponent,22,0x3a95a8,{DOUBLEWITHTWODWORDINTREE(0x7f100000,0x00000000)}}, {VT_exponent,22,0x3a95a9,{DOUBLEWITHTWODWORDINTREE(0x7f200000,0x00000000)}}, {VT_exponent,22,0x3a95aa,{DOUBLEWITHTWODWORDINTREE(0x7f300000,0x00000000)}}, {VT_exponent,22,0x3a95ab,{DOUBLEWITHTWODWORDINTREE(0x7f400000,0x00000000)}}, {VT_exponent,22,0x3a95ac,{DOUBLEWITHTWODWORDINTREE(0x7f500000,0x00000000)}}, {VT_exponent,22,0x3a95ad,{DOUBLEWITHTWODWORDINTREE(0x7f600000,0x00000000)}}, {VT_exponent,22,0x3a95ae,{DOUBLEWITHTWODWORDINTREE(0x7f700000,0x00000000)}}, {VT_exponent,22,0x3a95af,{DOUBLEWITHTWODWORDINTREE(0x7f800000,0x00000000)}}, {VT_exponent,22,0x3b8fe0,{DOUBLEWITHTWODWORDINTREE(0x7f900000,0x00000000)}}, {VT_exponent,22,0x3b8fe1,{DOUBLEWITHTWODWORDINTREE(0x7fa00000,0x00000000)}}, {VT_exponent,22,0x3b8fe2,{DOUBLEWITHTWODWORDINTREE(0x7fb00000,0x00000000)}}, {VT_exponent,22,0x3b8fe3,{DOUBLEWITHTWODWORDINTREE(0x7fc00000,0x00000000)}}, {VT_exponent,21,0x68e90,{DOUBLEWITHTWODWORDINTREE(0x7fd00000,0x00000000)}}, {VT_exponent,21,0x68e91,{DOUBLEWITHTWODWORDINTREE(0x7fe00000,0x00000000)}}, {VT_exponent,21,0x68e98,{DOUBLEWITHTWODWORDINTREE(0x7ff80000,0x00000000)}}, }; // End of acofdoe array asymptote-2.62/prc/oPRCFile.h0000644000000000000000000014435013607467113014545 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __O_PRC_FILE_H #define __O_PRC_FILE_H #include #include #include #include #include #include #include #include #include #ifdef HAVE_CONFIG_H #include "config.h" #endif #include "PRC.h" #include "PRCbitStream.h" #include "writePRC.h" namespace prc { class oPRCFile; class PRCFileStructure; // Map [0,1] to [0,255] inline uint8_t byte(double r) { if(r < 0.0) r=0.0; else if(r > 1.0) r=1.0; int a=(int)(256.0*r); if(a == 256) a=255; return a; } struct RGBAColour { RGBAColour(double r=0.0, double g=0.0, double b=0.0, double a=1.0) : R(r), G(g), B(b), A(a) {} double R,G,B,A; void Set(double r, double g, double b, double a=1.0) { R = r; G = g; B = b; A = a; } bool operator==(const RGBAColour &c) const { return (R==c.R && G==c.G && B==c.B && A==c.A); } bool operator!=(const RGBAColour &c) const { return !(R==c.R && G==c.G && B==c.B && A==c.A); } bool operator<(const RGBAColour &c) const { if(R!=c.R) return (R PRCcolourMap; struct RGBAColourWidth { RGBAColourWidth(double r=0.0, double g=0.0, double b=0.0, double a=1.0, double w=1.0) : R(r), G(g), B(b), A(a), W(w) {} double R,G,B,A,W; bool operator==(const RGBAColourWidth &c) const { return (R==c.R && G==c.G && B==c.B && A==c.A && W==c.W); } bool operator!=(const RGBAColourWidth &c) const { return !(R==c.R && G==c.G && B==c.B && A==c.A && W==c.W); } bool operator<(const RGBAColourWidth &c) const { if(R!=c.R) return (R PRCcolourwidthMap; typedef std::map PRCcolorMap; struct PRCmaterial { PRCmaterial() : alpha(1.0),shininess(1.0), picture_data(NULL), picture_format(KEPRCPicture_BITMAP_RGB_BYTE), picture_width(0), picture_height(0), picture_size(0), picture_replace(false), picture_repeat(false) {} PRCmaterial(const RGBAColour &a, const RGBAColour &d, const RGBAColour &e, const RGBAColour &s, double p, double h, const uint8_t* pic=NULL, EPRCPictureDataFormat picf=KEPRCPicture_BITMAP_RGB_BYTE, uint32_t picw=0, uint32_t pich=0, uint32_t pics=0, bool picreplace=false, bool picrepeat=false) : ambient(a), diffuse(d), emissive(e), specular(s), alpha(p), shininess(h), picture_data(pic), picture_format(picf), picture_width(picw), picture_height(pich), picture_size(pics), picture_replace(picreplace), picture_repeat(picrepeat) { if(picture_size==0) { if (picture_format==KEPRCPicture_BITMAP_RGB_BYTE) picture_size = picture_width*picture_height*3; if (picture_format==KEPRCPicture_BITMAP_RGBA_BYTE) picture_size = picture_width*picture_height*4; if (picture_format==KEPRCPicture_BITMAP_GREY_BYTE) picture_size = picture_width*picture_height*1; if (picture_format==KEPRCPicture_BITMAP_GREYA_BYTE) picture_size = picture_width*picture_height*2; } } RGBAColour ambient,diffuse,emissive,specular; double alpha,shininess; const uint8_t* picture_data; EPRCPictureDataFormat picture_format; uint32_t picture_width; uint32_t picture_height; uint32_t picture_size; bool picture_replace; // replace material color with texture color? if false - just modify bool picture_repeat; // repeat texture? if false - clamp to edge bool operator==(const PRCmaterial &m) const { return (ambient==m.ambient && diffuse==m.diffuse && emissive==m.emissive && specular==m.specular && alpha==m.alpha && shininess==m.shininess && picture_replace==m.picture_replace && picture_repeat==m.picture_repeat && picture_format==m.picture_format && picture_width==m.picture_width && picture_height==m.picture_height && picture_size==m.picture_size && (picture_data==m.picture_data || memcmp(picture_data,m.picture_data,picture_size)==0) ); } bool operator<(const PRCmaterial &m) const { if(ambient!=m.ambient) return (ambient PRCmaterialMap; struct PRCpicture { PRCpicture() : data(NULL), format(KEPRCPicture_BITMAP_RGB_BYTE), width(0), height(0), size(0) {} PRCpicture(const uint8_t* pic, EPRCPictureDataFormat picf, uint32_t picw, uint32_t pich, uint32_t pics=0) : data(pic), format(picf), width(picw), height(pich), size(pics) { if(size==0) { if (format==KEPRCPicture_BITMAP_RGB_BYTE) size = width*height*3; if (format==KEPRCPicture_BITMAP_RGBA_BYTE) size = width*height*4; if (format==KEPRCPicture_BITMAP_GREY_BYTE) size = width*height*1; if (format==KEPRCPicture_BITMAP_GREYA_BYTE) size = width*height*2; } } PRCpicture(const PRCmaterial& m) : data(m.picture_data), format(m.picture_format), width(m.picture_width), height(m.picture_height), size(m.picture_size) {} const uint8_t* data; EPRCPictureDataFormat format; uint32_t width; uint32_t height; uint32_t size; bool operator==(const PRCpicture& p) const { return ( format==p.format && width==p.width && height==p.height && size==p.size && (data==p.data || memcmp(data,p.data,size)==0) ); } bool operator<(const PRCpicture& p) const { if(format!=p.format) return (format PRCpictureMap; struct PRCmaterialgeneric { PRCmaterialgeneric() : alpha(1.0),shininess(1.0) {} PRCmaterialgeneric(const RGBAColour& a, const RGBAColour& d, const RGBAColour& e, const RGBAColour& s, double p, double h) : ambient(a), diffuse(d), emissive(e), specular(s), alpha(p), shininess(h) {} PRCmaterialgeneric(const PRCmaterial& m) : ambient(m.ambient), diffuse(m.diffuse), emissive(m.emissive), specular(m.specular), alpha(m.alpha), shininess(m.shininess) {} RGBAColour ambient,diffuse,emissive,specular; double alpha,shininess; bool operator==(const PRCmaterialgeneric& m) const { return (ambient==m.ambient && diffuse==m.diffuse && emissive==m.emissive && specular==m.specular && alpha==m.alpha && shininess==m.shininess); } bool operator<(const PRCmaterialgeneric& m) const { if(ambient!=m.ambient) return (ambient PRCmaterialgenericMap; struct PRCtexturedefinition { PRCtexturedefinition() : picture_index(m1), picture_replace(false), picture_repeat(false) {} PRCtexturedefinition(uint32_t picindex, bool picreplace=false, bool picrepeat=false) : picture_index(picindex), picture_replace(picreplace), picture_repeat(picrepeat) {} PRCtexturedefinition(uint32_t picindex, const PRCmaterial& m) : picture_index(picindex), picture_replace(m.picture_replace), picture_repeat(m.picture_repeat) {} uint32_t picture_index; bool picture_replace; // replace material color with texture color? if false - just modify bool picture_repeat; // repeat texture? if false - clamp to edge bool operator==(const PRCtexturedefinition& t) const { return (picture_index==t.picture_index && picture_replace==t.picture_replace && picture_repeat==t.picture_repeat); } bool operator<(const PRCtexturedefinition& t) const { if(picture_index!=t.picture_index) return (picture_index PRCtexturedefinitionMap; struct PRCtextureapplication { PRCtextureapplication() : material_generic_index(m1), texture_definition_index(m1) {} PRCtextureapplication(uint32_t matindex, uint32_t texindex) : material_generic_index(matindex), texture_definition_index(texindex) {} uint32_t material_generic_index; uint32_t texture_definition_index; bool operator==(const PRCtextureapplication& t) const { return (material_generic_index==t.material_generic_index && texture_definition_index==t.texture_definition_index); } bool operator<(const PRCtextureapplication& t) const { if(material_generic_index!=t.material_generic_index) return (material_generic_index PRCtextureapplicationMap; struct PRCstyle { PRCstyle() : line_width(0), alpha(1), is_material(false), color_material_index(m1) {} PRCstyle(double linewidth, double alph, bool ismat, uint32_t colindex=m1) : line_width(linewidth), alpha(alph), is_material(ismat), color_material_index(colindex) {} double line_width; double alpha; bool is_material; uint32_t color_material_index; bool operator==(const PRCstyle& s) const { return (line_width==s.line_width && alpha==s.alpha && is_material==s.is_material && color_material_index==s.color_material_index); } bool operator<(const PRCstyle& s) const { if(line_width!=s.line_width) return (line_width PRCstyleMap; struct PRCtessrectangle // rectangle { PRCVector3d vertices[4]; uint32_t style; }; typedef std::vector PRCtessrectangleList; struct PRCtessquad // rectangle { PRCVector3d vertices[4]; RGBAColour colours[4]; }; typedef std::vector PRCtessquadList; /* struct PRCtesstriangle // textured triangle { PRCtesstriangle() : style(m1) {} PRCVector3d vertices[3]; // PRCVector3d normals[3]; // RGBAColour colors[3]; PRCVector2d texcoords[3]; uint32_t style; }; typedef std::vector PRCtesstriangleList; */ struct PRCtessline // polyline { std::vector point; PRCRgbColor color; }; typedef std::list PRCtesslineList; typedef std::map PRCtesslineMap; struct PRCface { PRCface() : transform(NULL), face(NULL) {} uint32_t style; bool transparent; PRCGeneralTransformation3d* transform; PRCFace* face; }; typedef std::vector PRCfaceList; struct PRCcompface { PRCcompface() : face(NULL) {} uint32_t style; bool transparent; PRCCompressedFace* face; }; typedef std::vector PRCcompfaceList; struct PRCwire { PRCwire() : style(m1), transform(NULL), curve(NULL) {} uint32_t style; PRCGeneralTransformation3d* transform; PRCCurve* curve; }; typedef std::vector PRCwireList; typedef std::map > PRCpointsetMap; class PRCoptions { public: double compression; double granularity; bool closed; // render the surface as one-sided; may yield faster rendering bool tess; // use tessellated mesh to store straight patches bool do_break; // bool no_break; // do not render transparent patches as one-faced nodes double crease_angle; // crease angle for meshes PRCoptions(double compression=0.0, double granularity=0.0, bool closed=false, bool tess=false, bool do_break=true, bool no_break=false, double crease_angle=25.8419) : compression(compression), granularity(granularity), closed(closed), tess(tess), do_break(do_break), no_break(no_break), crease_angle(crease_angle) {} }; class PRCgroup { public: PRCgroup() : product_occurrence(NULL), parent_product_occurrence(NULL), part_definition(NULL), parent_part_definition(NULL), transform(NULL) {} PRCgroup(const std::string& name) : product_occurrence(NULL), parent_product_occurrence(NULL), part_definition(NULL), parent_part_definition(NULL), transform(NULL), name(name) {} PRCProductOccurrence *product_occurrence, *parent_product_occurrence; PRCPartDefinition *part_definition, *parent_part_definition; PRCfaceList faces; PRCcompfaceList compfaces; PRCtessrectangleList rectangles; // PRCtesstriangleList triangles; PRCtessquadList quads; PRCtesslineMap lines; PRCwireList wires; PRCpointsetMap points; std::vector pointsets; std::vector polymodels; std::vector polywires; PRCGeneralTransformation3d* transform; std::string name; PRCoptions options; }; void makeFileUUID(PRCUniqueId&); void makeAppUUID(PRCUniqueId&); class PRCUncompressedFile { public: PRCUncompressedFile() : file_size(0), data(NULL) {} PRCUncompressedFile(uint32_t fs, uint8_t *d) : file_size(fs), data(d) {} ~PRCUncompressedFile() { if(data != NULL) delete[] data; } uint32_t file_size; uint8_t *data; void write(std::ostream&) const; uint32_t getSize() const; }; typedef std::deque PRCUncompressedFileList; class PRCStartHeader { public: uint32_t minimal_version_for_read; // PRCVersion uint32_t authoring_version; // PRCVersion PRCUniqueId file_structure_uuid; PRCUniqueId application_uuid; // should be 0 PRCStartHeader() : minimal_version_for_read(PRCVersion), authoring_version(PRCVersion) {} void serializeStartHeader(std::ostream&) const; uint32_t getStartHeaderSize() const; }; class PRCFileStructure : public PRCStartHeader { public: uint32_t number_of_referenced_file_structures; double tessellation_chord_height_ratio; double tessellation_angle_degree; std::string default_font_family_name; std::vector colors; std::vector pictures; PRCUncompressedFileList uncompressed_files; PRCTextureDefinitionList texture_definitions; PRCMaterialList materials; PRCStyleList styles; PRCCoordinateSystemList reference_coordinate_systems; std::vector font_keys_of_font; PRCPartDefinitionList part_definitions; PRCProductOccurrenceList product_occurrences; // PRCMarkupList markups; // PRCAnnotationItemList annotation_entities; double unit; PRCTopoContextList contexts; PRCTessList tessellations; uint32_t sizes[6]; uint8_t *globals_data; PRCbitStream globals_out; // order matters: PRCbitStream must be initialized last uint8_t *tree_data; PRCbitStream tree_out; uint8_t *tessellations_data; PRCbitStream tessellations_out; uint8_t *geometry_data; PRCbitStream geometry_out; uint8_t *extraGeometry_data; PRCbitStream extraGeometry_out; ~PRCFileStructure () { for(PRCUncompressedFileList::iterator it=uncompressed_files.begin(); it!=uncompressed_files.end(); ++it) delete *it; for(PRCTextureDefinitionList::iterator it=texture_definitions.begin(); it!=texture_definitions.end(); ++it) delete *it; for(PRCMaterialList::iterator it=materials.begin(); it!=materials.end(); ++it) delete *it; for(PRCStyleList::iterator it=styles.begin(); it!=styles.end(); ++it) delete *it; for(PRCTopoContextList::iterator it=contexts.begin(); it!=contexts.end(); ++it) delete *it; for(PRCTessList::iterator it=tessellations.begin(); it!=tessellations.end(); ++it) delete *it; for(PRCPartDefinitionList::iterator it=part_definitions.begin(); it!=part_definitions.end(); ++it) delete *it; for(PRCProductOccurrenceList::iterator it=product_occurrences.begin(); it!=product_occurrences.end(); ++it) delete *it; for(PRCCoordinateSystemList::iterator it=reference_coordinate_systems.begin(); it!=reference_coordinate_systems.end(); it++) delete *it; free(globals_data); free(tree_data); free(tessellations_data); free(geometry_data); free(extraGeometry_data); } PRCFileStructure() : number_of_referenced_file_structures(0), tessellation_chord_height_ratio(2000.0),tessellation_angle_degree(40.0), default_font_family_name(""), unit(1), globals_data(NULL),globals_out(globals_data,0), tree_data(NULL),tree_out(tree_data,0), tessellations_data(NULL),tessellations_out(tessellations_data,0), geometry_data(NULL),geometry_out(geometry_data,0), extraGeometry_data(NULL),extraGeometry_out(extraGeometry_data,0) {} void write(std::ostream&); void prepare(); uint32_t getSize(); void serializeFileStructureGlobals(PRCbitStream&); void serializeFileStructureTree(PRCbitStream&); void serializeFileStructureTessellation(PRCbitStream&); void serializeFileStructureGeometry(PRCbitStream&); void serializeFileStructureExtraGeometry(PRCbitStream&); uint32_t addPicture(EPRCPictureDataFormat format, uint32_t size, const uint8_t *picture, uint32_t width=0, uint32_t height=0, std::string name=""); uint32_t addTextureDefinition(PRCTextureDefinition*& pTextureDefinition); uint32_t addRgbColor(const PRCRgbColor &color); uint32_t addRgbColorUnique(const PRCRgbColor &color); uint32_t addMaterialGeneric(PRCMaterialGeneric*& pMaterialGeneric); uint32_t addTextureApplication(PRCTextureApplication*& pTextureApplication); uint32_t addStyle(PRCStyle*& pStyle); uint32_t addPartDefinition(PRCPartDefinition*& pPartDefinition); uint32_t addProductOccurrence(PRCProductOccurrence*& pProductOccurrence); uint32_t addTopoContext(PRCTopoContext*& pTopoContext); uint32_t getTopoContext(PRCTopoContext*& pTopoContext); uint32_t add3DTess(PRC3DTess*& p3DTess); uint32_t add3DWireTess(PRC3DWireTess*& p3DWireTess); /* uint32_t addMarkupTess(PRCMarkupTess*& pMarkupTess); uint32_t addMarkup(PRCMarkup*& pMarkup); uint32_t addAnnotationItem(PRCAnnotationItem*& pAnnotationItem); */ uint32_t addCoordinateSystem(PRCCoordinateSystem*& pCoordinateSystem); uint32_t addCoordinateSystemUnique(PRCCoordinateSystem*& pCoordinateSystem); }; class PRCFileStructureInformation { public: PRCUniqueId UUID; uint32_t reserved; // 0 uint32_t number_of_offsets; uint32_t *offsets; void write(std::ostream&); uint32_t getSize(); }; class PRCHeader : public PRCStartHeader { public : uint32_t number_of_file_structures; PRCFileStructureInformation *fileStructureInformation; uint32_t model_file_offset; uint32_t file_size; // not documented PRCUncompressedFileList uncompressed_files; void write(std::ostream&); uint32_t getSize(); }; typedef std::map PRCtransformMap; inline double X(const double *v) {return v[0];} inline double Y(const double *v) {return v[1];} inline double Z(const double *v) {return v[2];} class oPRCFile { public: oPRCFile(std::ostream &os, double u=1, uint32_t n=1) : number_of_file_structures(n), fileStructures(new PRCFileStructure*[n]), unit(u), modelFile_data(NULL),modelFile_out(modelFile_data,0), fout(NULL),output(os) { for(uint32_t i = 0; i < number_of_file_structures; ++i) { fileStructures[i] = new PRCFileStructure(); fileStructures[i]->minimal_version_for_read = PRCVersion; fileStructures[i]->authoring_version = PRCVersion; makeFileUUID(fileStructures[i]->file_structure_uuid); makeAppUUID(fileStructures[i]->application_uuid); fileStructures[i]->unit = u; } groups.push(PRCgroup()); PRCgroup &group = groups.top(); group.name="root"; group.transform = NULL; group.product_occurrence = new PRCProductOccurrence(group.name); group.parent_product_occurrence = NULL; group.part_definition = new PRCPartDefinition; group.parent_part_definition = NULL; } oPRCFile(const std::string &name, double u=1, uint32_t n=1) : number_of_file_structures(n), fileStructures(new PRCFileStructure*[n]), unit(u), modelFile_data(NULL),modelFile_out(modelFile_data,0), fout(new std::ofstream(name.c_str(), std::ios::out|std::ios::binary|std::ios::trunc)), output(*fout) { for(uint32_t i = 0; i < number_of_file_structures; ++i) { fileStructures[i] = new PRCFileStructure(); fileStructures[i]->minimal_version_for_read = PRCVersion; fileStructures[i]->authoring_version = PRCVersion; makeFileUUID(fileStructures[i]->file_structure_uuid); makeAppUUID(fileStructures[i]->application_uuid); fileStructures[i]->unit = u; } groups.push(PRCgroup()); PRCgroup &group = groups.top(); group.name="root"; group.transform = NULL; group.product_occurrence = new PRCProductOccurrence(group.name); group.parent_product_occurrence = NULL; group.part_definition = new PRCPartDefinition; group.parent_part_definition = NULL; } ~oPRCFile() { for(uint32_t i = 0; i < number_of_file_structures; ++i) delete fileStructures[i]; delete[] fileStructures; if(fout != NULL) delete fout; free(modelFile_data); for(PRCpictureMap::iterator it=pictureMap.begin(); it!=pictureMap.end(); ++it) delete it->first.data; } void begingroup(const char *name, PRCoptions *options=NULL, const double* t=NULL); void endgroup(); std::string lastgroupname; std::vector lastgroupnames; std::string calculate_unique_name(const ContentPRCBase *prc_entity,const ContentPRCBase *prc_occurence); bool finish(); uint32_t getSize(); const uint32_t number_of_file_structures; PRCFileStructure **fileStructures; PRCHeader header; PRCUnit unit; uint8_t *modelFile_data; PRCbitStream modelFile_out; // order matters: PRCbitStream must be initialized last PRCcolorMap colorMap; PRCcolourMap colourMap; PRCcolourwidthMap colourwidthMap; PRCmaterialgenericMap materialgenericMap; PRCtexturedefinitionMap texturedefinitionMap; PRCtextureapplicationMap textureapplicationMap; PRCstyleMap styleMap; PRCpictureMap pictureMap; PRCgroup rootGroup; PRCtransformMap transformMap; std::stack groups; PRCgroup& findGroup(); void doGroup(PRCgroup& group); uint32_t addColor(const PRCRgbColor &color); uint32_t addColour(const RGBAColour &colour); uint32_t addColourWidth(const RGBAColour &colour, double width); uint32_t addLineMaterial(const RGBAColour& c, double width) { return addColourWidth(c,width); } uint32_t addMaterial(const PRCmaterial &material); uint32_t addTransform(PRCGeneralTransformation3d*& transform); uint32_t addTransform(const double* t); uint32_t addTransform(const double origin[3], const double x_axis[3], const double y_axis[3], double scale); template void addPoint(const V P, const RGBAColour &c, double w=1.0) { PRCgroup &group = findGroup(); group.points[addColourWidth(c,w)].push_back(PRCVector3d(X(P),Y(P),Z(P))); } void addPoints(uint32_t n, const double P[][3], const RGBAColour &c, double w=1.0); void addLines(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[], const RGBAColour& c, double w, bool segment_color, uint32_t nC, const RGBAColour C[], uint32_t nCI, const uint32_t CI[]); uint32_t createLines(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[], bool segment_color, uint32_t nC, const RGBAColour C[], uint32_t nCI, const uint32_t CI[]); template void addTriangles(uint32_t nP, const V P[], uint32_t nI, const uint32_t PI[][3], const PRCmaterial &m, uint32_t nN, const V N[], const uint32_t NI[][3], uint32_t nT, const double T[][2], const uint32_t TI[][3], uint32_t nC, const RGBAColour C[], const uint32_t CI[][3], uint32_t nM, const PRCmaterial M[], const uint32_t MI[], double ca) { if(nP==0 || P==NULL || nI==0 || PI==NULL) return; const uint32_t tess_index = createTriangleMesh(nP, P, nI, PI, m, nN, N, NI, nT, T, TI, nC, C, CI, nM, M, MI, ca); useMesh(tess_index,m1); } template uint32_t createTriangleMesh(uint32_t nP, const V P[], uint32_t nI, const uint32_t PI[][3], const PRCmaterial& m, uint32_t nN, const V N[], const uint32_t NI[][3], uint32_t nT, const double T[][2], const uint32_t TI[][3], uint32_t nC, const RGBAColour C[], const uint32_t CI[][3], uint32_t nM, const PRCmaterial M[], const uint32_t MI[], double ca) { const uint32_t style = addMaterial(m); if(M!=NULL && nM>0) { uint32_t* const styles = new uint32_t[nM]; for(uint32_t i=0; i uint32_t createTriangleMesh(uint32_t nP, const V P[], uint32_t nI, const uint32_t PI[][3], const uint32_t style_index, uint32_t nN, const V N[], const uint32_t NI[][3], uint32_t nT, const double T[][2], const uint32_t TI[][3], uint32_t nC, const RGBAColour C[], const uint32_t CI[][3], uint32_t nS, const uint32_t S[], const uint32_t SI[], double ca) { if(nP==0 || P==NULL || nI==0 || PI==NULL) return m1; const bool triangle_color = (nS != 0 && S != NULL && SI != NULL); const bool vertex_color = (nC != 0 && C != NULL && CI != NULL); const bool has_normals = (nN != 0 && N != NULL && NI != NULL); const bool textured = (nT != 0 && T != NULL && TI != NULL); PRC3DTess *tess = new PRC3DTess(); PRCTessFace *tessFace = new PRCTessFace(); tessFace->used_entities_flag = textured ? PRC_FACETESSDATA_TriangleTextured : PRC_FACETESSDATA_Triangle; tessFace->number_of_texture_coordinate_indexes = textured ? 1 : 0; tess->coordinates.reserve(3*nP); for(uint32_t i=0; icoordinates.push_back(X(P[i])); tess->coordinates.push_back(Y(P[i])); tess->coordinates.push_back(Z(P[i])); } if(has_normals) { tess->normal_coordinate.reserve(3*nN); for(uint32_t i=0; inormal_coordinate.push_back(X(N[i])); tess->normal_coordinate.push_back(Y(N[i])); tess->normal_coordinate.push_back(Z(N[i])); } } else tess->crease_angle = ca; if(textured) { tess->texture_coordinate.reserve(2*nT); for(uint32_t i=0; itexture_coordinate.push_back(T[i][0]); tess->texture_coordinate.push_back(T[i][1]); } } tess->triangulated_index.reserve(3*nI+(has_normals?3:0)*nI+(textured?3:0)*nI); for(uint32_t i=0; itriangulated_index.push_back(3*NI[i][0]); if(textured) tess->triangulated_index.push_back(2*TI[i][0]); tess->triangulated_index.push_back(3*PI[i][0]); if(has_normals) tess->triangulated_index.push_back(3*NI[i][1]); if(textured) tess->triangulated_index.push_back(2*TI[i][1]); tess->triangulated_index.push_back(3*PI[i][1]); if(has_normals) tess->triangulated_index.push_back(3*NI[i][2]); if(textured) tess->triangulated_index.push_back(2*TI[i][2]); tess->triangulated_index.push_back(3*PI[i][2]); } tessFace->sizes_triangulated.push_back(nI); if(triangle_color) { tessFace->line_attributes.reserve(nI); for(uint32_t i=0; iline_attributes.push_back(SI[i]); } else if (style_index != m1 ) { tessFace->line_attributes.push_back(style_index); } if(vertex_color) { tessFace->is_rgba=false; for(uint32_t i=0; iis_rgba=true; break; } tessFace->rgba_vertices.reserve((tessFace->is_rgba?4:3)*3*nI); for(uint32_t i=0; irgba_vertices.push_back(byte(C[CI[i][0]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][0]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][0]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][0]].A)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].A)); tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].A)); } } tess->addTessFace(tessFace); const uint32_t tess_index = add3DTess(tess); return tess_index; } void addQuads(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[][4], const PRCmaterial &m, uint32_t nN, const double N[][3], const uint32_t NI[][4], uint32_t nT, const double T[][2], const uint32_t TI[][4], uint32_t nC, const RGBAColour C[], const uint32_t CI[][4], uint32_t nM, const PRCmaterial M[], const uint32_t MI[], double ca); uint32_t createQuadMesh(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[][4], uint32_t style_index, uint32_t nN, const double N[][3], const uint32_t NI[][4], uint32_t nT, const double T[][2], const uint32_t TI[][4], uint32_t nC, const RGBAColour C[], const uint32_t CI[][4], uint32_t nS, const uint32_t S[], const uint32_t SI[], double ca); uint32_t createQuadMesh(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[][4], const PRCmaterial& m, uint32_t nN, const double N[][3], const uint32_t NI[][4], uint32_t nT, const double T[][2], const uint32_t TI[][4], uint32_t nC, const RGBAColour C[], const uint32_t CI[][4], uint32_t nM, const PRCmaterial M[], const uint32_t MI[], double ca) { const uint32_t style = addMaterial(m); if(M!=NULL && nM>0) { uint32_t* const styles = new uint32_t[nM]; for(uint32_t i=0; ibase_surface = surface; \ face.transparent = m.alpha < 1.0; \ face.style = addMaterial(m); #define ADDCOMPFACE \ PRCgroup &group = findGroup(); \ group.compfaces.push_back(PRCcompface()); \ PRCcompface& face = group.compfaces.back(); \ PRCCompressedFace *compface = new PRCCompressedFace; \ face.face = compface; \ face.transparent = m.alpha < 1.0; \ face.style = addMaterial(m); inline bool isid(const double* t) { return( t[0]==1 && t[1]==0 && t[2]==0 && t[3]==0 && t[4]==0 && t[5]==1 && t[6]==0 && t[7]==0 && t[8]==0 && t[9]==0 && t[10]==1 && t[11]==0 && t[12]==0 && t[13]==0 && t[14]==0 && t[15]==1); } #define SETTRANSF \ if(t&&!isid(t)) \ face.transform = new PRCGeneralTransformation3d(t); \ if(origin) surface->origin.Set(origin[0],origin[1],origin[2]); \ if(x_axis) surface->x_axis.Set(x_axis[0],x_axis[1],x_axis[2]); \ if(y_axis) surface->y_axis.Set(y_axis[0],y_axis[1],y_axis[2]); \ surface->scale = scale; \ surface->geometry_is_2D = false; \ if(surface->origin!=PRCVector3d(0.0,0.0,0.0)) \ surface->behaviour = surface->behaviour | PRC_TRANSFORMATION_Translate; \ if(surface->x_axis!=PRCVector3d(1.0,0.0,0.0)||surface->y_axis!=PRCVector3d(0.0,1.0,0.0)) \ surface->behaviour = surface->behaviour | PRC_TRANSFORMATION_Rotate; \ if(surface->scale!=1) \ surface->behaviour = surface->behaviour | PRC_TRANSFORMATION_Scale; \ surface->has_transformation = (surface->behaviour != PRC_TRANSFORMATION_Identity); void useMesh(uint32_t tess_index, uint32_t style_index, PRCGENTRANSFORM); void useMesh(uint32_t tess_index, const PRCmaterial& m, PRCGENTRANSFORM) { useMesh(tess_index,addMaterial(m),t); } void useMesh(uint32_t tess_index, uint32_t style_index, PRCCARTRANSFORM); void useMesh(uint32_t tess_index, const PRCmaterial& m, PRCCARTRANSFORM) { useMesh(tess_index,addMaterial(m),origin, x_axis, y_axis, scale); } void useLines(uint32_t tess_index, uint32_t style_index, PRCGENTRANSFORM); void useLines(uint32_t tess_index, const RGBAColour& c, double w, PRCGENTRANSFORM) { useLines(tess_index, addLineMaterial(c,w), t); } void useLines(uint32_t tess_index, uint32_t style_index, PRCCARTRANSFORM); void useLines(uint32_t tess_index, const RGBAColour& c, double w, PRCCARTRANSFORM) { useLines(tess_index,addLineMaterial(c,w),origin, x_axis, y_axis, scale); } // void addTriangle(const double P[][3], const double T[][2], uint32_t style_index); template void addLine(uint32_t n, const V P[], const RGBAColour &c, double w=1.0) { PRCgroup &group = findGroup(); if(group.options.tess) { group.lines[w].push_back(PRCtessline()); PRCtessline& line = group.lines[w].back(); line.color.red = c.R; line.color.green = c.G; line.color.blue = c.B; for(uint32_t i=0; ipoint.resize(n); for(uint32_t i=0; ipoint[i].Set(X(P[i]),Y(P[i]),Z(P[i])); curve->interval.min = 0; curve->interval.max = curve->point.size()-1; } } template void addBezierCurve(uint32_t n, const V cP[], const RGBAColour &c) { ADDWIRE(PRCNURBSCurve) curve->is_rational = false; curve->degree = 3; const size_t NUMBER_OF_POINTS = n; curve->control_point.resize(NUMBER_OF_POINTS); for(size_t i = 0; i < NUMBER_OF_POINTS; ++i) curve->control_point[i].Set(X(cP[i]),Y(cP[i]),Z(cP[i])); curve->knot.resize(3+NUMBER_OF_POINTS+1); curve->knot[0] = 1; for(size_t i = 1; i < 3+NUMBER_OF_POINTS; ++i) curve->knot[i] = (i+2)/3; // integer division is intentional curve->knot[3+NUMBER_OF_POINTS] = (3+NUMBER_OF_POINTS+1)/3; } template void addCurve(uint32_t d, uint32_t n, const V cP[], const double *k, const RGBAColour &c, const double w[]) { ADDWIRE(PRCNURBSCurve) curve->is_rational = (w!=NULL); curve->degree = d; curve->control_point.resize(n); for(uint32_t i = 0; i < n; i++) if(w) curve->control_point[i].Set(X(cP[i])*w[i],Y(cP[i])*w[i],Z(cP[i])*w[i], w[i]); else curve->control_point[i].Set(X(cP[i]),Y(cP[i]),Z(cP[i])); curve->knot.resize(d+n+1); for(uint32_t i = 0; i < d+n+1; i++) curve->knot[i] = k[i]; } template void addQuad(const V P[], const RGBAColour C[]) { PRCgroup &group = findGroup(); group.quads.push_back(PRCtessquad()); PRCtessquad &quad = group.quads.back(); for(size_t i = 0; i < 4; i++) { quad.vertices[i].x = X(P[i]); quad.vertices[i].y = Y(P[i]); quad.vertices[i].z = Z(P[i]); quad.colours[i] = C[i]; } } template void addRectangle(const V P[], const PRCmaterial &m) { PRCgroup &group = findGroup(); if(group.options.tess) { group.rectangles.push_back(PRCtessrectangle()); PRCtessrectangle &rectangle = group.rectangles.back(); rectangle.style = addMaterial(m); for(size_t i = 0; i < 4; i++) { rectangle.vertices[i].x = X(P[i]); rectangle.vertices[i].y = Y(P[i]); rectangle.vertices[i].z = Z(P[i]); } } else if(group.options.compression == 0.0) { ADDFACE(PRCNURBSSurface) surface->is_rational = false; surface->degree_in_u = 1; surface->degree_in_v = 1; surface->control_point.resize(4); for(size_t i = 0; i < 4; ++i) { surface->control_point[i].x = X(P[i]); surface->control_point[i].y = Y(P[i]); surface->control_point[i].z = Z(P[i]); } surface->knot_u.resize(4); surface->knot_v.resize(4); surface->knot_v[0] = surface->knot_u[0] = 1; surface->knot_v[1] = surface->knot_u[1] = 3; surface->knot_v[2] = surface->knot_u[2] = 4; surface->knot_v[3] = surface->knot_u[3] = 4; } else { ADDCOMPFACE compface->degree = 1; compface->control_point.resize(4); for(size_t i = 0; i < 4; ++i) { compface->control_point[i].x = X(P[i]); compface->control_point[i].y = Y(P[i]); compface->control_point[i].z = Z(P[i]); } } } template void addPatch(const V cP[], const PRCmaterial &m) { PRCgroup &group = findGroup(); if(group.options.compression == 0.0) { ADDFACE(PRCNURBSSurface) surface->is_rational = false; surface->degree_in_u = 3; surface->degree_in_v = 3; surface->control_point.resize(16); for(size_t i = 0; i < 16; ++i) { surface->control_point[i].x = X(cP[i]); surface->control_point[i].y = Y(cP[i]); surface->control_point[i].z = Z(cP[i]); } surface->knot_u.resize(8); surface->knot_v.resize(8); surface->knot_v[0] = surface->knot_u[0] = 1; surface->knot_v[1] = surface->knot_u[1] = 1; surface->knot_v[2] = surface->knot_u[2] = 1; surface->knot_v[3] = surface->knot_u[3] = 1; surface->knot_v[4] = surface->knot_u[4] = 2; surface->knot_v[5] = surface->knot_u[5] = 2; surface->knot_v[6] = surface->knot_u[6] = 2; surface->knot_v[7] = surface->knot_u[7] = 2; } else { ADDCOMPFACE compface->degree = 3; compface->control_point.resize(16); for(size_t i = 0; i < 16; ++i) { compface->control_point[i].x = X(cP[i]); compface->control_point[i].y = Y(cP[i]); compface->control_point[i].z = Z(cP[i]); } } } template void addSurface(uint32_t dU, uint32_t dV, uint32_t nU, uint32_t nV, const V cP[], const double *kU, const double *kV, const PRCmaterial &m, const double w[]) { ADDFACE(PRCNURBSSurface) surface->is_rational = (w!=NULL); surface->degree_in_u = dU; surface->degree_in_v = dV; surface->control_point.resize(nU*nV); for(size_t i = 0; i < nU*nV; i++) if(w) surface->control_point[i]=PRCControlPoint(X(cP[i])*w[i],Y(cP[i])*w[i],Z(cP[i])*w[i],w[i]); else surface->control_point[i]=PRCControlPoint(X(cP[i]),Y(cP[i]),Z(cP[i])); surface->knot_u.insert(surface->knot_u.end(), kU, kU+(dU+nU+1)); surface->knot_v.insert(surface->knot_v.end(), kV, kV+(dV+nV+1)); } template void addTube(uint32_t n, const V cP[], const V oP[], bool straight, const PRCmaterial &m, PRCTRANSFORM) { ADDFACE(PRCBlend01) SETTRANSF if(straight) { PRCPolyLine *center_curve = new PRCPolyLine; center_curve->point.resize(n); for(uint32_t i=0; ipoint[i].Set(X(cP[i]),Y(cP[i]),Z(cP[i])); center_curve->interval.min = 0; center_curve->interval.max = center_curve->point.size()-1; surface->center_curve = center_curve; PRCPolyLine *origin_curve = new PRCPolyLine; origin_curve->point.resize(n); for(uint32_t i=0; ipoint[i].Set(X(oP[i]),Y(oP[i]),Z(oP[i])); origin_curve->interval.min = 0; origin_curve->interval.max = origin_curve->point.size()-1; surface->origin_curve = origin_curve; surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 2*pi; surface->uv_domain.min.y = 0; surface->uv_domain.max.y = n-1; } else { PRCNURBSCurve *center_curve = new PRCNURBSCurve; center_curve->is_rational = false; center_curve->degree = 3; const uint32_t CENTER_NUMBER_OF_POINTS = n; center_curve->control_point.resize(CENTER_NUMBER_OF_POINTS); for(uint32_t i = 0; i < CENTER_NUMBER_OF_POINTS; ++i) center_curve->control_point[i].Set(X(cP[i]),Y(cP[i]),Z(cP[i])); center_curve->knot.resize(3+CENTER_NUMBER_OF_POINTS+1); center_curve->knot[0] = 1; for(uint32_t i = 1; i < 3+CENTER_NUMBER_OF_POINTS; ++i) center_curve->knot[i] = (i+2)/3; // integer division is intentional center_curve->knot[3+CENTER_NUMBER_OF_POINTS] = (3+CENTER_NUMBER_OF_POINTS+1)/3; surface->center_curve = center_curve; PRCNURBSCurve *origin_curve = new PRCNURBSCurve; origin_curve->is_rational = false; origin_curve->degree = 3; const uint32_t ORIGIN_NUMBER_OF_POINTS = n; origin_curve->control_point.resize(ORIGIN_NUMBER_OF_POINTS); for(uint32_t i = 0; i < ORIGIN_NUMBER_OF_POINTS; ++i) origin_curve->control_point[i].Set(X(oP[i]),Y(oP[i]),Z(oP[i])); origin_curve->knot.resize(3+ORIGIN_NUMBER_OF_POINTS+1); origin_curve->knot[0] = 1; for(size_t i = 1; i < 3+ORIGIN_NUMBER_OF_POINTS; ++i) origin_curve->knot[i] = (i+2)/3; // integer division is intentional origin_curve->knot[3+ORIGIN_NUMBER_OF_POINTS] = (3+ORIGIN_NUMBER_OF_POINTS+1)/3; surface->origin_curve = origin_curve; surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 2*pi; surface->uv_domain.min.y = 1; // first knot surface->uv_domain.max.y = (3+CENTER_NUMBER_OF_POINTS+1)/3; // last knot } } void addHemisphere(double radius, const PRCmaterial& m, PRCTRANSFORM); void addSphere(double radius, const PRCmaterial& m, PRCTRANSFORM); void addDisk(double radius, const PRCmaterial& m, PRCTRANSFORM); void addCylinder(double radius, double height, const PRCmaterial& m, PRCTRANSFORM); void addCone(double radius, double height, const PRCmaterial& m, PRCTRANSFORM); void addTorus(double major_radius, double minor_radius, double angle1, double angle2, const PRCmaterial& m, PRCTRANSFORM); #undef PRCTRANSFORM #undef PRCCARTRANSFORM #undef PRCGENTRANSFORM #undef ADDCOMPFACE uint32_t addPicture(EPRCPictureDataFormat format, uint32_t size, const uint8_t *picture, uint32_t width=0, uint32_t height=0, std::string name="", uint32_t fileStructure=0) { return fileStructures[fileStructure]->addPicture(format, size, picture, width, height, name); } uint32_t addPicture(const PRCpicture& pic, std::string name="", uint32_t fileStructure=0) { return fileStructures[fileStructure]->addPicture(pic.format, pic.size, pic.data, pic.width, pic.height, name); } uint32_t addTextureDefinition(PRCTextureDefinition*& pTextureDefinition, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addTextureDefinition(pTextureDefinition); } uint32_t addTextureApplication(PRCTextureApplication*& pTextureApplication, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addTextureApplication(pTextureApplication); } uint32_t addRgbColor(const PRCRgbColor &color, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addRgbColor(color); } uint32_t addRgbColorUnique(const PRCRgbColor &color, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addRgbColorUnique(color); } uint32_t addMaterialGeneric(PRCMaterialGeneric*& pMaterialGeneric, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addMaterialGeneric(pMaterialGeneric); } uint32_t addStyle(PRCStyle*& pStyle, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addStyle(pStyle); } uint32_t addPartDefinition(PRCPartDefinition*& pPartDefinition, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addPartDefinition(pPartDefinition); } uint32_t addProductOccurrence(PRCProductOccurrence*& pProductOccurrence, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addProductOccurrence(pProductOccurrence); } uint32_t addTopoContext(PRCTopoContext*& pTopoContext, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addTopoContext(pTopoContext); } uint32_t getTopoContext(PRCTopoContext*& pTopoContext, uint32_t fileStructure=0) { return fileStructures[fileStructure]->getTopoContext(pTopoContext); } uint32_t add3DTess(PRC3DTess*& p3DTess, uint32_t fileStructure=0) { return fileStructures[fileStructure]->add3DTess(p3DTess); } uint32_t add3DWireTess(PRC3DWireTess*& p3DWireTess, uint32_t fileStructure=0) { return fileStructures[fileStructure]->add3DWireTess(p3DWireTess); } /* uint32_t addMarkupTess(PRCMarkupTess*& pMarkupTess, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addMarkupTess(pMarkupTess); } uint32_t addMarkup(PRCMarkup*& pMarkup, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addMarkup(pMarkup); } uint32_t addAnnotationItem(PRCAnnotationItem*& pAnnotationItem, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addAnnotationItem(pAnnotationItem); } */ uint32_t addCoordinateSystem(PRCCoordinateSystem*& pCoordinateSystem, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addCoordinateSystem(pCoordinateSystem); } uint32_t addCoordinateSystemUnique(PRCCoordinateSystem*& pCoordinateSystem, uint32_t fileStructure=0) { return fileStructures[fileStructure]->addCoordinateSystemUnique(pCoordinateSystem); } private: void serializeModelFileData(PRCbitStream&); std::ofstream *fout; std::ostream &output; }; } #endif // __O_PRC_FILE_H asymptote-2.62/prc/PRC.h0000644000000000000000000007300013607467113013557 0ustar rootroot#ifndef __PRC_H #define __PRC_H #ifdef _MSC_VER #if _MSC_VER >= 1600 #include #else typedef signed char int8_t; typedef signed short int16_t; typedef signed long int32_t; typedef unsigned char uint8_t; typedef unsigned short uint16_t; typedef unsigned long uint32_t; #endif // _MSC_VER >= 1600 #else #include #endif // _MSC_VER //const uint32_t PRCVersion=7094; // For Adobe Reader 8 or later const uint32_t PRCVersion=8137; // For Adobe Reader 9 or later // from Adobe's documentation #define PRC_TYPE_Unknown ( (uint32_t)-1 ) #define PRC_TYPE_ROOT 0 // This type does not correspond to any entity #define PRC_TYPE_ROOT_PRCBase ( PRC_TYPE_ROOT + 1 ) // Abstract root type for any PRC entity. #define PRC_TYPE_ROOT_PRCBaseWithGraphics ( PRC_TYPE_ROOT + 2 ) // Abstract root type for any PRC entity which can bear graphics. #define PRC_TYPE_CRV ( PRC_TYPE_ROOT + 10 ) // Types for PRC geometrical curves #define PRC_TYPE_SURF ( PRC_TYPE_ROOT + 75 ) // Types for PRC geometrical surfaces #define PRC_TYPE_TOPO ( PRC_TYPE_ROOT + 140 ) // Types for PRC topology #define PRC_TYPE_TESS ( PRC_TYPE_ROOT + 170 ) // Types for PRC tessellation #define PRC_TYPE_MISC ( PRC_TYPE_ROOT + 200 ) // Types for PRC global data #define PRC_TYPE_RI ( PRC_TYPE_ROOT + 230 ) // Types for PRC representation items #define PRC_TYPE_ASM ( PRC_TYPE_ROOT + 300 ) // Types for PRC assembly #define PRC_TYPE_MKP ( PRC_TYPE_ROOT + 500 ) // Types for PRC markup #define PRC_TYPE_GRAPH ( PRC_TYPE_ROOT + 700 ) // Types for PRC graphics #define PRC_TYPE_MATH ( PRC_TYPE_ROOT + 900 ) // Types for PRC mathematical operators #define PRC_TYPE_CRV_Base ( PRC_TYPE_CRV + 1 ) // Abstract type for all geometric curves. #define PRC_TYPE_CRV_Blend02Boundary ( PRC_TYPE_CRV + 2 ) // Boundary Curve. #define PRC_TYPE_CRV_NURBS ( PRC_TYPE_CRV + 3 ) // Non Uniform BSpline curve. #define PRC_TYPE_CRV_Circle ( PRC_TYPE_CRV + 4 ) // Circle. #define PRC_TYPE_CRV_Composite ( PRC_TYPE_CRV + 5 ) // Array of oriented curves. #define PRC_TYPE_CRV_OnSurf ( PRC_TYPE_CRV + 6 ) // Curve defined by a UV curve on a surface. #define PRC_TYPE_CRV_Ellipse ( PRC_TYPE_CRV + 7 ) // Ellipse. #define PRC_TYPE_CRV_Equation ( PRC_TYPE_CRV + 8 ) // curve described by specific law elements #define PRC_TYPE_CRV_Helix ( PRC_TYPE_CRV + 9 ) // Helix curve. #define PRC_TYPE_CRV_Hyperbola ( PRC_TYPE_CRV + 10 ) // Hyperbola. #define PRC_TYPE_CRV_Intersection ( PRC_TYPE_CRV + 11 ) // Intersection between 2 surfaces. #define PRC_TYPE_CRV_Line ( PRC_TYPE_CRV + 12 ) // Line. #define PRC_TYPE_CRV_Offset ( PRC_TYPE_CRV + 13 ) // Offset curve. #define PRC_TYPE_CRV_Parabola ( PRC_TYPE_CRV + 14 ) // Parabola. #define PRC_TYPE_CRV_PolyLine ( PRC_TYPE_CRV + 15 ) // Polyedric curve. #define PRC_TYPE_CRV_Transform ( PRC_TYPE_CRV + 16 ) // Transformed curve. #define PRC_TYPE_SURF_Base ( PRC_TYPE_SURF + 1 ) // Abstract type for all geometric surfaces. #define PRC_TYPE_SURF_Blend01 ( PRC_TYPE_SURF + 2 ) // Blend surface. #define PRC_TYPE_SURF_Blend02 ( PRC_TYPE_SURF + 3 ) // Blend Surface. #define PRC_TYPE_SURF_Blend03 ( PRC_TYPE_SURF + 4 ) // Blend Surface. #define PRC_TYPE_SURF_NURBS ( PRC_TYPE_SURF + 5 ) // Non Uniform BSpline surface. #define PRC_TYPE_SURF_Cone ( PRC_TYPE_SURF + 6 ) // Cone. #define PRC_TYPE_SURF_Cylinder ( PRC_TYPE_SURF + 7 ) // Cylinder. #define PRC_TYPE_SURF_Cylindrical ( PRC_TYPE_SURF + 8 ) // Surface who is defined in cylindrical space. #define PRC_TYPE_SURF_Offset ( PRC_TYPE_SURF + 9 ) // Offset surface. #define PRC_TYPE_SURF_Pipe ( PRC_TYPE_SURF + 10 ) // Pipe. #define PRC_TYPE_SURF_Plane ( PRC_TYPE_SURF + 11 ) // Plane. #define PRC_TYPE_SURF_Ruled ( PRC_TYPE_SURF + 12 ) // Ruled surface. #define PRC_TYPE_SURF_Sphere ( PRC_TYPE_SURF + 13 ) // Sphere. #define PRC_TYPE_SURF_Revolution ( PRC_TYPE_SURF + 14 ) // Surface of revolution. #define PRC_TYPE_SURF_Extrusion ( PRC_TYPE_SURF + 15 ) // Surface of extrusion. #define PRC_TYPE_SURF_FromCurves ( PRC_TYPE_SURF + 16 ) // Surface from two curves. #define PRC_TYPE_SURF_Torus ( PRC_TYPE_SURF + 17 ) // Torus. #define PRC_TYPE_SURF_Transform ( PRC_TYPE_SURF + 18 ) // Transformed surface. #define PRC_TYPE_SURF_Blend04 ( PRC_TYPE_SURF + 19 ) // defined for future use. #define PRC_TYPE_TOPO_Context ( PRC_TYPE_TOPO + 1 ) // Self-containing set of topological entities. #define PRC_TYPE_TOPO_Item ( PRC_TYPE_TOPO + 2 ) // Abstract root type for any topological entity (body or single item). #define PRC_TYPE_TOPO_MultipleVertex ( PRC_TYPE_TOPO + 3 ) // Vertex whose position is the average of all edges' extremity positions to whom it belongs. #define PRC_TYPE_TOPO_UniqueVertex ( PRC_TYPE_TOPO + 4 ) // Vertex with one set of coordinates (absolute position). #define PRC_TYPE_TOPO_WireEdge ( PRC_TYPE_TOPO + 5 ) // Edge belonging to a wire body / single wire body. #define PRC_TYPE_TOPO_Edge ( PRC_TYPE_TOPO + 6 ) // Edge belonging to a brep data. #define PRC_TYPE_TOPO_CoEdge ( PRC_TYPE_TOPO + 7 ) // Usage of an edge in a loop. #define PRC_TYPE_TOPO_Loop ( PRC_TYPE_TOPO + 8 ) // Array of co edges which delimits a face. #define PRC_TYPE_TOPO_Face ( PRC_TYPE_TOPO + 9 ) // Topological face delimiting a shell. #define PRC_TYPE_TOPO_Shell ( PRC_TYPE_TOPO + 10 ) // Topological shell (open or closed). #define PRC_TYPE_TOPO_Connex ( PRC_TYPE_TOPO + 11 ) // Topological region delimited by one or several shells. #define PRC_TYPE_TOPO_Body ( PRC_TYPE_TOPO + 12 ) // Abstract root type for any topological body. #define PRC_TYPE_TOPO_SingleWireBody ( PRC_TYPE_TOPO + 13 ) // Single wire body. #define PRC_TYPE_TOPO_BrepData ( PRC_TYPE_TOPO + 14 ) // Main entry to solid and surface topology (regular form). #define PRC_TYPE_TOPO_SingleWireBodyCompress ( PRC_TYPE_TOPO + 15 ) // Single wire body. (ultra compressed form). #define PRC_TYPE_TOPO_BrepDataCompress ( PRC_TYPE_TOPO + 16 ) // Main entry to solid and surface topology (ultra compressed form). #define PRC_TYPE_TOPO_WireBody ( PRC_TYPE_TOPO + 17 ) // This type is the main entry to wire topology. #define PRC_TYPE_TESS_Base ( PRC_TYPE_TESS + 1 ) // Abstract root type for any tessellated entity. #define PRC_TYPE_TESS_3D ( PRC_TYPE_TESS + 2 ) // Tessellated faceted data; regular form. #define PRC_TYPE_TESS_3D_Compressed ( PRC_TYPE_TESS + 3 ) // Tessellated faceted data; highly compressed form. #define PRC_TYPE_TESS_Face ( PRC_TYPE_TESS + 4 ) // Tessellated face. #define PRC_TYPE_TESS_3D_Wire ( PRC_TYPE_TESS + 5 ) // Tessellated wireframe. #define PRC_TYPE_TESS_Markup ( PRC_TYPE_TESS + 6 ) // Tessellated markup. #define PRC_TYPE_MISC_Attribute ( PRC_TYPE_MISC + 1 ) // Entity attribute. #define PRC_TYPE_MISC_CartesianTransformation ( PRC_TYPE_MISC + 2 ) // Cartesian transformation. #define PRC_TYPE_MISC_EntityReference ( PRC_TYPE_MISC + 3 ) // Entity reference. #define PRC_TYPE_MISC_MarkupLinkedItem ( PRC_TYPE_MISC + 4 ) // Link between a markup and an entity. #define PRC_TYPE_MISC_ReferenceOnPRCBase ( PRC_TYPE_MISC + 5 ) // Reference pointing on a regular entity (not topological). #define PRC_TYPE_MISC_ReferenceOnTopology ( PRC_TYPE_MISC + 6 ) // Reference pointing on a topological entity. #define PRC_TYPE_MISC_GeneralTransformation ( PRC_TYPE_MISC + 7 ) // General transformation. #define PRC_TYPE_RI_RepresentationItem ( PRC_TYPE_RI + 1 ) // Basic abstract type for representation items. #define PRC_TYPE_RI_BrepModel ( PRC_TYPE_RI + 2 ) // Basic type for surfaces and solids. #define PRC_TYPE_RI_Curve ( PRC_TYPE_RI + 3 ) // Basic type for curves. #define PRC_TYPE_RI_Direction ( PRC_TYPE_RI + 4 ) // Optional point + vector. #define PRC_TYPE_RI_Plane ( PRC_TYPE_RI + 5 ) // Construction plane, as opposed to planar surface. #define PRC_TYPE_RI_PointSet ( PRC_TYPE_RI + 6 ) // Set of points. #define PRC_TYPE_RI_PolyBrepModel ( PRC_TYPE_RI + 7 ) // Basic type to polyhedral surfaces and solids. #define PRC_TYPE_RI_PolyWire ( PRC_TYPE_RI + 8 ) // Polyedric wireframe entity. #define PRC_TYPE_RI_Set ( PRC_TYPE_RI + 9 ) // Logical grouping of arbitrary number of representation items. #define PRC_TYPE_RI_CoordinateSystem ( PRC_TYPE_RI + 10 ) // Coordinate system. #define PRC_TYPE_ASM_ModelFile ( PRC_TYPE_ASM + 1 ) // Basic entry type for PRC. #define PRC_TYPE_ASM_FileStructure ( PRC_TYPE_ASM + 2 ) // Basic structure for PRC files. #define PRC_TYPE_ASM_FileStructureGlobals ( PRC_TYPE_ASM + 3 ) // Basic structure for PRC files : globals. #define PRC_TYPE_ASM_FileStructureTree ( PRC_TYPE_ASM + 4 ) // Basic structure for PRC files : tree. #define PRC_TYPE_ASM_FileStructureTessellation ( PRC_TYPE_ASM + 5 ) // Basic structure for PRC files : tessellation. #define PRC_TYPE_ASM_FileStructureGeometry ( PRC_TYPE_ASM + 6 ) // Basic structure for PRC files : geometry. #define PRC_TYPE_ASM_FileStructureExtraGeometry ( PRC_TYPE_ASM + 7 ) // Basic structure for PRC files : extra geometry data. #define PRC_TYPE_ASM_ProductOccurence ( PRC_TYPE_ASM + 10 ) // Basic contruct for assemblies. #define PRC_TYPE_ASM_PartDefinition ( PRC_TYPE_ASM + 11 ) // Basic construct for parts. #define PRC_TYPE_ASM_Filter ( PRC_TYPE_ASM + 20 ) #define PRC_TYPE_MKP_View ( PRC_TYPE_MKP + 1 ) // Grouping of markup by views. #define PRC_TYPE_MKP_Markup ( PRC_TYPE_MKP + 2 ) // Basic type for simple markups. #define PRC_TYPE_MKP_Leader ( PRC_TYPE_MKP + 3 ) // basic type for markup leader #define PRC_TYPE_MKP_AnnotationItem ( PRC_TYPE_MKP + 4 ) // Usage of a markup. #define PRC_TYPE_MKP_AnnotationSet ( PRC_TYPE_MKP + 5 ) // Group of annotations. #define PRC_TYPE_MKP_AnnotationReference ( PRC_TYPE_MKP + 6 ) // Logical grouping of annotations for reference. #define PRC_TYPE_GRAPH_Style ( PRC_TYPE_GRAPH + 1 ) // Display style. #define PRC_TYPE_GRAPH_Material ( PRC_TYPE_GRAPH + 2 ) // Display material properties. #define PRC_TYPE_GRAPH_Picture ( PRC_TYPE_GRAPH + 3 ) // Picture. #define PRC_TYPE_GRAPH_TextureApplication ( PRC_TYPE_GRAPH + 11 ) // Texture application. #define PRC_TYPE_GRAPH_TextureDefinition ( PRC_TYPE_GRAPH + 12 ) // Texture definition. #define PRC_TYPE_GRAPH_TextureTransformation ( PRC_TYPE_GRAPH + 13 ) // Texture transformation. #define PRC_TYPE_GRAPH_LinePattern ( PRC_TYPE_GRAPH + 21 ) // One dimensional display style. #define PRC_TYPE_GRAPH_FillPattern ( PRC_TYPE_GRAPH + 22 ) // Abstract class for two-dimensional display style. #define PRC_TYPE_GRAPH_DottingPattern ( PRC_TYPE_GRAPH + 23 ) // Two-dimensional filling with dots. #define PRC_TYPE_GRAPH_HatchingPattern ( PRC_TYPE_GRAPH + 24 ) // Two-dimensional filling with hatches. #define PRC_TYPE_GRAPH_SolidPattern ( PRC_TYPE_GRAPH + 25 ) // Two-dimensional filling with particular style (color, material, texture). #define PRC_TYPE_GRAPH_VPicturePattern ( PRC_TYPE_GRAPH + 26 ) // Two-dimensional filling with vectorised picture. #define PRC_TYPE_GRAPH_AmbientLight ( PRC_TYPE_GRAPH + 31 ) // Scene ambient illumination. #define PRC_TYPE_GRAPH_PointLight ( PRC_TYPE_GRAPH + 32 ) // Scene point illumination. #define PRC_TYPE_GRAPH_DirectionalLight ( PRC_TYPE_GRAPH + 33 ) // Scene directional illumination. #define PRC_TYPE_GRAPH_SpotLight ( PRC_TYPE_GRAPH + 34 ) // Scene spot illumination. #define PRC_TYPE_GRAPH_SceneDisplayParameters ( PRC_TYPE_GRAPH + 41 ) // Parameters for scene visualisation. #define PRC_TYPE_GRAPH_Camera ( PRC_TYPE_GRAPH + 42 ) // #define PRC_TYPE_MATH_FCT_1D ( PRC_TYPE_MATH + 1 ) // Basic type for one degree equation object. #define PRC_TYPE_MATH_FCT_1D_Polynom ( PRC_TYPE_MATH_FCT_1D + 1 ) // Polynomial equation. #define PRC_TYPE_MATH_FCT_1D_Trigonometric ( PRC_TYPE_MATH_FCT_1D + 2 ) // Cosinus based equation. #define PRC_TYPE_MATH_FCT_1D_Fraction ( PRC_TYPE_MATH_FCT_1D + 3 ) // Fraction between 2 one degree equation object. #define PRC_TYPE_MATH_FCT_1D_ArctanCos ( PRC_TYPE_MATH_FCT_1D + 4 ) // Specific equation. #define PRC_TYPE_MATH_FCT_1D_Combination ( PRC_TYPE_MATH_FCT_1D + 5 ) // Combination of one degree equation object. #define PRC_TYPE_MATH_FCT_3D ( PRC_TYPE_MATH + 10 ) // Basic type for 3rd degree equation object. #define PRC_TYPE_MATH_FCT_3D_Linear ( PRC_TYPE_MATH_FCT_3D + 1 ) // Linear transformation ( with a matrix ). #define PRC_TYPE_MATH_FCT_3D_NonLinear ( PRC_TYPE_MATH_FCT_3D + 2 ) // Specific transformation. #define PRC_PRODUCT_FLAG_DEFAULT 0x0001 #define PRC_PRODUCT_FLAG_INTERNAL 0x0002 #define PRC_PRODUCT_FLAG_CONTAINER 0x0004 #define PRC_PRODUCT_FLAG_CONFIG 0x0008 #define PRC_PRODUCT_FLAG_VIEW 0x0010 #define PRC_TRANSFORMATION_Identity 0x00 #define PRC_TRANSFORMATION_Translate 0x01 #define PRC_TRANSFORMATION_Rotate 0x02 #define PRC_TRANSFORMATION_Mirror 0x04 #define PRC_TRANSFORMATION_Scale 0x08 #define PRC_TRANSFORMATION_NonUniformScale 0x10 #define PRC_TRANSFORMATION_NonOrtho 0x20 #define PRC_TRANSFORMATION_Homogeneous 0x40 #define PRC_FACETESSDATA_Polyface 0x0001 #define PRC_FACETESSDATA_Triangle 0x0002 #define PRC_FACETESSDATA_TriangleFan 0x0004 #define PRC_FACETESSDATA_TriangleStripe 0x0008 #define PRC_FACETESSDATA_PolyfaceOneNormal 0x0010 #define PRC_FACETESSDATA_TriangleOneNormal 0x0020 #define PRC_FACETESSDATA_TriangleFanOneNormal 0x0040 #define PRC_FACETESSDATA_TriangleStripeOneNormal 0x0080 #define PRC_FACETESSDATA_PolyfaceTextured 0x0100 #define PRC_FACETESSDATA_TriangleTextured 0x0200 #define PRC_FACETESSDATA_TriangleFanTextured 0x0400 #define PRC_FACETESSDATA_TriangleStripeTextured 0x0800 #define PRC_FACETESSDATA_PolyfaceOneNormalTextured 0x1000 #define PRC_FACETESSDATA_TriangleOneNormalTextured 0x2000 #define PRC_FACETESSDATA_TriangleFanOneNormalTextured 0x4000 #define PRC_FACETESSDATA_TriangleStripeOneNormalTextured 0x8000 #define PRC_FACETESSDATA_NORMAL_Single 0x40000000 #define PRC_FACETESSDATA_NORMAL_Mask 0x3FFFFFFF #define PRC_FACETESSDATA_WIRE_IsNotDrawn 0x4000 // Indicates that the edge should not be drawn (its neighbor will be drawn). #define PRC_FACETESSDATA_WIRE_IsClosing 0x8000 // Indicates that this is the last edge of a loop. #define PRC_3DWIRETESSDATA_IsClosing 0x10000000 // Indicates that the first point is implicitely repeated after the last one to close the wire edge. #define PRC_3DWIRETESSDATA_IsContinuous 0x20000000 // Indicates that the last point of the preceding wire should be linked with the first point of the current one. #define PRC_TEXTURE_MAPPING_DIFFUSE 0x0001 // Diffuse texture mapping attribute. Default value. #define PRC_TEXTURE_MAPPING_BUMP 0x0002 // Bump texture mapping attribute. #define PRC_TEXTURE_MAPPING_OPACITY 0x0004 // Opacity texture mapping attribute. #define PRC_TEXTURE_MAPPING_SPHERICAL_REFLECTION 0x0008 // Spherical reflection texture mapping attribute (used for environment mapping). #define PRC_TEXTURE_MAPPING_CUBICAL_REFLECTION 0x0010 // Cubical reflection texture mapping attribute (used for environment mapping). #define PRC_TEXTURE_MAPPING_REFRACTION 0x0020 // Refraction texture mapping attribute. #define PRC_TEXTURE_MAPPING_SPECULAR 0x0040 // Specular texture mapping attribute. #define PRC_TEXTURE_MAPPING_AMBIENT 0x0080 // Ambient texture mapping attribute. #define PRC_TEXTURE_MAPPING_EMISSION 0x0100 // Emission texture mapping attribute. #define PRC_TEXTURE_APPLYING_MODE_NONE 0x00 // let the application choose #define PRC_TEXTURE_APPLYING_MODE_LIGHTING 0x01 // use lighting mode #define PRC_TEXTURE_APPLYING_MODE_ALPHATEST 0x02 // use alpha test #define PRC_TEXTURE_APPLYING_MODE_VERTEXCOLOR 0x04 // combine a texture with one-color-per-vertex mode #define PRC_TEXTURE_MAPPING_COMPONENTS_RED 0x0001 // Red texture mapping component. #define PRC_TEXTURE_MAPPING_COMPONENTS_GREEN 0x0002 // Green texture mapping component. #define PRC_TEXTURE_MAPPING_COMPONENTS_BLUE 0x0004 // Blue texture mapping component. #define PRC_TEXTURE_MAPPING_COMPONENTS_RGB 0x0007 // RGB texture mapping component. #define PRC_TEXTURE_MAPPING_COMPONENTS_ALPHA 0x0008 // Alpha texture mapping component. #define PRC_TEXTURE_MAPPING_COMPONENTS_RGBA 0x000F // RGBA texture mapping component. enum EPRCModellerAttributeType { KEPRCModellerAttributeTypeNull = 0, KEPRCModellerAttributeTypeInt = 1, KEPRCModellerAttributeTypeReal = 2, KEPRCModellerAttributeTypeTime = 3, KEPRCModellerAttributeTypeString = 4 }; enum EPRCPictureDataFormat { KEPRCPicture_PNG, KEPRCPicture_JPG, KEPRCPicture_BITMAP_RGB_BYTE, KEPRCPicture_BITMAP_RGBA_BYTE, KEPRCPicture_BITMAP_GREY_BYTE, KEPRCPicture_BITMAP_GREYA_BYTE }; enum EPRCProductLoadStatus { KEPRCProductLoadStatus_Unknown = 0, KEPRCProductLoadStatus_Error, KEPRCProductLoadStatus_NotLoaded, KEPRCProductLoadStatus_NotLoadable, KEPRCProductLoadStatus_Loaded }; enum EPRCExtendType { KEPRCExtendTypeNone = 0, // Discontinuous position. KEPRCExtendTypeExt1 = 2, // Same as EPRCExtendTypeCInfinity. KEPRCExtendTypeExt2 = 4, // Same as EPRCExtendTypeG1R for surface, and EPRCExtendTypeG1 for curve. KEPRCExtendTypeG1 = 6, // Continuous in direction but not magnitude of first derivative. KEPRCExtendTypeG1R = 8, // Surface extended with a ruled surface that connects with G1-continuity. KEPRCExtendTypeG1_G2 = 10, // Extended by reflection, yielding a G2 continuous extension. KEPRCExtendTypeCInfinity = 12 // Unlimited continuity. }; enum EPRCKnotType { // Knot vector type KEPRCKnotTypeUniformKnots, // Uniform knot vector. KEPRCKnotTypeUnspecified, // Unspecified knot type. KEPRCKnotTypeQuasiUniformKnots, // Quasi-uniform knot vector. KEPRCKnotTypePiecewiseBezierKnots // Extrema with multiplicities of degree +1. }; // Note : this value is currently unused and should be set to KEPRCKnotTypeUnspecified. enum EPRCBSplineSurfaceForm { KEPRCBSplineSurfaceFormPlane, // Planar surface. KEPRCBSplineSurfaceFormCylindrical, // Cylindrical surface. KEPRCBSplineSurfaceFormConical, // Conical surface. KEPRCBSplineSurfaceFormSpherical, // Spherical surface. KEPRCBSplineSurfaceFormRevolution, // Surface of revolution. KEPRCBSplineSurfaceFormRuled, // Ruled surface. KEPRCBSplineSurfaceFormGeneralizedCone, // Cone. KEPRCBSplineSurfaceFormQuadric, // Quadric surface. KEPRCBSplineSurfaceFormLinearExtrusion, // Surface of extrusion. KEPRCBSplineSurfaceFormUnspecified, // Unspecified surface. KEPRCBSplineSurfaceFormPolynomial // Polynomial surface. }; enum EPRCBSplineCurveForm { // NURBS curve form KEPRCBSplineCurveFormUnspecified, // Unspecified curve form. KEPRCBSplineCurveFormPolyline, // Polygon. KEPRCBSplineCurveFormCircularArc, // Circle arc. KEPRCBSplineCurveFormEllipticArc, // Elliptical arc. KEPRCBSplineCurveFormParabolicArc, // Parabolic arc. KEPRCBSplineCurveFormHyperbolicArc // Hyperbolic arc. }; // Note : this value is currently unused and should be set to KEPRCBSplineCurveFormUnspecified. enum EPRCTextureMappingType { // Defines how to retrieve mapping coordinates. KEPRCTextureMappingType_Unknown, // Let the application choose. KEPRCTextureMappingType_Stored, // Use the mapping coordinates that are stored on a 3D tessellation object KEPRCTextureMappingType_Parametric, // Retrieve the UV coordinates on the surface as mapping coordinates KEPRCTextureMappingType_Operator // Use the defined Texture mapping operator to calculate mapping coordinates }; enum EPRCTextureFunction { // Defines how to paint a texture on the surface being rendered. KEPRCTextureFunction_Unknown, // Let the application choose. KEPRCTextureFunction_Modulate, // Combine lighting with texturing. This is the default value. KEPRCTextureFunction_Replace, // Replace the object color with texture color data. KEPRCTextureFunction_Blend, // Reserved for future use. KEPRCTextureFunction_Decal // Reserved for future use. }; enum EPRCTextureMappingOperator { // The operator to use when computing mapping coordinates. KEPRCTextureMappingOperator_Unknown, // Default value KEPRCTextureMappingOperator_Planar, // Reserved for future use KEPRCTextureMappingOperator_Cylindrical, // Reserved for future use KEPRCTextureMappingOperator_Spherical, // Reserved for future use KEPRCTextureMappingOperator_Cubical // Reserved for future use }; enum EPRCTextureBlendParameter { // Reserved for future use. Defines how to apply blending. KEPRCTextureBlendParameter_Unknown, // Default value. KEPRCTextureBlendParameter_Zero, // Reserved for future use. KEPRCTextureBlendParameter_One, // Reserved for future use. KEPRCTextureBlendParameter_SrcColor, // Reserved for future use. KEPRCTextureBlendParameter_OneMinusSrcColor, // Reserved for future use. KEPRCTextureBlendParameter_DstColor, // Reserved for future use. KEPRCTextureBlendParameter_OneMinusDstColor, // Reserved for future use. KEPRCTextureBlendParameter_SrcAlpha, // Reserved for future use. KEPRCTextureBlendParameter_OneMinusSrcAlpha, // Reserved for future use. KEPRCTextureBlendParameter_DstAlpha, // Reserved for future use. KEPRCTextureBlendParameter_OneMinusDstAlpha, // Reserved for future use. KEPRCTextureBlendParameter_SrcAlphaSaturate // Reserved for future use. }; enum EPRCTextureWrappingMode { // Defines repeating and clamping texture modes. KEPRCTextureWrappingMode_Unknown, // Let the application choose. KEPRCTextureWrappingMode_Repeat, // Display the repeated texture on the surface. KEPRCTextureWrappingMode_ClampToBorder, // Clamp the texture to the border. Display the surface color along the texture limits. KEPRCTextureWrappingMode_Clamp, // Reserved for future use. KEPRCTextureWrappingMode_ClampToEdge, // Reserved for future use. KEPRCTextureWrappingMode_MirroredRepeat // Reserved for future use. }; enum EPRCTextureAlphaTest { // Reserved for future use. Defines how to use a texture alpha test. KEPRCTextureAlphaTest_Unknown, // Default value. KEPRCTextureAlphaTest_Never, // Reserved for future use. KEPRCTextureAlphaTest_Less, // Reserved for future use. KEPRCTextureAlphaTest_Equal, // Reserved for future use. KEPRCTextureAlphaTest_Lequal, // Reserved for future use. KEPRCTextureAlphaTest_Greater, // Reserved for future use. KEPRCTextureAlphaTest_Notequal, // Reserved for future use. KEPRCTextureAlphaTest_Gequal, // Reserved for future use. KEPRCTextureAlphaTest_Always // Reserved for future use. }; // Bit field for graphics behavior #define PRC_GRAPHICS_Show 0x0001 // The entity is shown. #define PRC_GRAPHICS_SonHeritShow 0x0002 // Shown entity son inheritance. #define PRC_GRAPHICS_FatherHeritShow 0x0004 // Shown entity father inheritance. #define PRC_GRAPHICS_SonHeritColor 0x0008 // Color/material son inheritance. #define PRC_GRAPHICS_FatherHeritColor 0x0010 // Color/material father inheritance. #define PRC_GRAPHICS_SonHeritLayer 0x0020 // Layer son inheritance. #define PRC_GRAPHICS_FatherHeritLayer 0x0040 // Layer father inheritance. #define PRC_GRAPHICS_SonHeritTransparency 0x0080 // Transparency son inheritance. #define PRC_GRAPHICS_FatherHeritTransparency 0x0100 // Transparency father inheritance. #define PRC_GRAPHICS_SonHeritLinePattern 0x0200 // Line pattern son inheritance. #define PRC_GRAPHICS_FatherHeritLinePattern 0x0400 // Line pattern father inheritance. #define PRC_GRAPHICS_SonHeritLineWidth 0x0800 // Line width son inheritance. #define PRC_GRAPHICS_FatherHeritLineWidth 0x1000 // Line width father inheritance. #define PRC_GRAPHICS_Removed 0x2000 // The entity has been removed and no longer appears in the tree. enum EPRCMarkupType { KEPRCMarkupType_Unknown = 0, KEPRCMarkupType_Text, KEPRCMarkupType_Dimension, KEPRCMarkupType_Arrow, KEPRCMarkupType_Balloon, KEPRCMarkupType_CircleCenter, KEPRCMarkupType_Coordinate, KEPRCMarkupType_Datum, KEPRCMarkupType_Fastener, KEPRCMarkupType_Gdt, KEPRCMarkupType_Locator, KEPRCMarkupType_MeasurementPoint, KEPRCMarkupType_Roughness, KEPRCMarkupType_Welding, KEPRCMarkupType_Table, KEPRCMarkupType_Other }; enum EPRCMarkupSubType { KEPRCMarkupSubType_Unknown = 0, KEPRCMarkupSubType_EnumMax, KEPRCMarkupSubType_Datum_Ident = 1 , KEPRCMarkupSubType_Datum_EnumMax, KEPRCMarkupSubType_Dimension_Distance = 1, KEPRCMarkupSubType_Dimension_Radius_Tangent, KEPRCMarkupSubType_Dimension_Radius_Cylinder, KEPRCMarkupSubType_Dimension_Radius_Edge, KEPRCMarkupSubType_Dimension_Diameter, KEPRCMarkupSubType_Dimension_Diameter_Tangent, KEPRCMarkupSubType_Dimension_Diameter_Cylinder, KEPRCMarkupSubType_Dimension_Diameter_Edge, KEPRCMarkupSubType_Dimension_Diameter_Cone, KEPRCMarkupSubType_Dimension_Length, KEPRCMarkupSubType_Dimension_Length_Curvilinear, KEPRCMarkupSubType_Dimension_Length_Circular, KEPRCMarkupSubType_Dimension_Angle, KEPRCMarkupSubType_Dimension_EnumMax, KEPRCMarkupSubType_Gdt_Fcf = 1, KEPRCMarkupSubType_Gdt_EnumMax, KEPRCMarkupSubType_Welding_Line = 1, KEPRCMarkupSubType_Welding_EnumMax, KEPRCMarkupSubType_Other_Symbol_User = 1, KEPRCMarkupSubType_Other_EnumMax }; #define PRC_MARKUP_IsHidden 0x01 // The tessellation is hidden. #define PRC_MARKUP_HasFrame 0x02 // The tessellation has a frame. #define PRC_MARKUP_IsNotModifiable 0x04 // The tessellation is given and should not be modified. #define PRC_MARKUP_IsZoomable 0x08 // The tessellation has zoom capability. #define PRC_MARKUP_IsOnTop 0x10 // The tessellation is on top of the geometry. #define PRC_MARKUP_IsFlipable 0x20 // The text tessellation can be flipped to always be readable on screen. This value is currently unused. #define PRC_RENDERING_PARAMETER_SPECIAL_CULLING 0x0001 // special culling strategy to apply #define PRC_RENDERING_PARAMETER_FRONT_CULLING 0x0002 // apply front culling (ignored if no special culling strategy) #define PRC_RENDERING_PARAMETER_BACK_CULLING 0x0004 // apply back culling (ignored if no special culling strategy) #define PRC_RENDERING_PARAMETER_NO_LIGHT 0x0008 // if set, no light will apply on corresponding object #define PRC_MARKUP_IsMatrix 0x08000000 // Bit to denote that the current entity is a matrix. #define PRC_MARKUP_IsExtraData 0x04000000 // Bit to denote that the current entity is extra data (it is neither a matrix nor a polyline). #define PRC_MARKUP_IntegerMask 0xFFFFF // Integer mask to retrieve sizes. #define PRC_MARKUP_ExtraDataType 0x3E00000 // Mask to retrieve the integer type of the entity. #define PRC_MARKUP_ExtraDataType_Pattern (( 0<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Picture (( 1<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Triangles (( 2<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Quads (( 3<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_FaceViewMode (( 6<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_FrameDrawMode (( 7<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_FixedSizeMode (( 8<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Symbol (( 9<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Cylinder ((10<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Color ((11<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_LineStipple ((12<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Font ((13<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Text ((14<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Points ((15<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_Polygon ((16<<21)|PRC_MARKUP_IsExtraData) #define PRC_MARKUP_ExtraDataType_LineWidth ((17<<21)|PRC_MARKUP_IsExtraData) enum EPRCCharSet { KEPRCCharsetUnknown = -1, KEPRCCharsetRoman = 0, KEPRCCharsetJapanese, KEPRCCharsetTraditionalChinese, KEPRCCharsetKorean, KEPRCCharsetArabic, KEPRCCharsetHebrew, KEPRCCharsetGreek, KEPRCCharsetCyrillic, KEPRCCharsetRightLeft, KEPRCCharsetDevanagari, KEPRCCharsetGurmukhi, KEPRCCharsetGujarati, KEPRCCharsetOriya, KEPRCCharsetBengali, KEPRCCharsetTamil, KEPRCCharsetTelugu, KEPRCCharsetKannada, KEPRCCharsetMalayalam, KEPRCCharsetSinhalese, KEPRCCharsetBurmese, KEPRCCharsetKhmer, KEPRCCharsetThai, KEPRCCharsetLaotian, KEPRCCharsetGeorgian, KEPRCCharsetArmenian, KEPRCCharsetSimplifiedChinese, KEPRCCharsetTibetan, KEPRCCharsetMongolian, KEPRCCharsetGeez, KEPRCCharsetEastEuropeanRoman, KEPRCCharsetVietnamese, KEPRCCharsetExtendedArabic }; #define PRC_Font_Bold 0x02 /*!< Bold. */ #define PRC_Font_Italic 0x04 /*!< Italic. */ #define PRC_Font_Underlined 0x08 /*!< Underlined. */ #define PRC_Font_StrikedOut 0x10 /*!< Striked-out. */ #define PRC_Font_Overlined 0x20 /*!< Overlined. */ #define PRC_Font_Streched 0x40 /*!< Streched. In case the font used is not the original font, it indicates that the text needs to be stretched to fit its bounding box. */ #define PRC_Font_Wired 0x80 /*!< Wired. Indicates that the original font is a wirefame font. */ #define PRC_Font_FixedWidth 0x100 /*!< Fixed width. Indicates that the original font is not proportional (each glyph has the same width). */ #define PRC_CONTEXT_OuterLoopFirst 0x0001 // Outer loops are always first loops (specific to PRC_TYPE_TOPO_BrepData). #define PRC_CONTEXT_NoClamp 0x0002 // UV curves are clamped on the surface (specific to PRC_TYPE_TOPO_BrepData). #define PRC_CONTEXT_NoSplit 0x0004 // Faces are split (specific to PRC_TYPE_TOPO_BrepData). #define PRC_BODY_BBOX_Evaluation 0x0001 // Bounding box based on geometry. #define PRC_BODY_BBOX_Precise 0x0002 // Bounding box based on tessellation. #define PRC_BODY_BBOX_CADData 0x0003 // Bounding box given by a CAD data file. #endif // __PRC_H asymptote-2.62/prc/PRCbitStream.cc0000644000000000000000000002026313607467113015573 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include #include #include #include #include #include "PRCbitStream.h" #include "PRCdouble.h" using std::string; using std::cerr; using std::endl; void PRCbitStream::compress() { const int CHUNK= 1024; // is this reasonable? compressedDataSize = 0; z_stream strm; strm.zalloc = Z_NULL; strm.zfree = Z_NULL; strm.opaque = Z_NULL; if(deflateInit(&strm,Z_DEFAULT_COMPRESSION) != Z_OK) { cerr << "Compression initialization failed" << endl; return; } unsigned int sizeAvailable = deflateBound(&strm,getSize()); uint8_t *compressedData = (uint8_t*) malloc(sizeAvailable); strm.avail_in = getSize(); strm.next_in = (unsigned char*)data; strm.next_out = (unsigned char*)compressedData; strm.avail_out = sizeAvailable; int code; unsigned int chunks = 0; while((code = deflate(&strm,Z_FINISH)) == Z_OK) { ++chunks; // strm.avail_out should be 0 if we got Z_OK compressedDataSize = sizeAvailable - strm.avail_out; compressedData = (uint8_t*) realloc(compressedData,CHUNK*chunks); strm.next_out = (Bytef*)(compressedData + compressedDataSize); strm.avail_out += CHUNK; sizeAvailable += CHUNK; } compressedDataSize = sizeAvailable-strm.avail_out; if(code != Z_STREAM_END) { cerr << "Compression error" << endl; deflateEnd(&strm); free(compressedData); return; } compressed = true; free(data); data = compressedData; deflateEnd(&strm); } void PRCbitStream::write(std::ostream &out) const { if(compressed) { out.write((char*)data,compressedDataSize); } else { cerr << "Attempt to write stream before compression." << endl; exit(1); } } unsigned int PRCbitStream::getSize() const { if(compressed) return compressedDataSize; else return byteIndex+1; } uint8_t* PRCbitStream::getData() { return data; } PRCbitStream& PRCbitStream::operator <<(bool b) { writeBit(b); return *this; } PRCbitStream& PRCbitStream::operator <<(uint32_t u) { while(u != 0) { writeBit(1); writeByte(u & 0xFF); u >>= 8; } writeBit(0); return *this; } PRCbitStream& PRCbitStream::operator <<(uint8_t u) { writeByte(u); return *this; } PRCbitStream& PRCbitStream::operator <<(int32_t i) { uint8_t lastByte = 0; //while(!((current value is 0 and last byte was positive) OR (current value is -1 and last value was negative))) while(!(((i == 0)&&((lastByte & 0x80)==0))||((i == -1)&&((lastByte & 0x80) != 0)))) { writeBit(1); lastByte = i & 0xFF; writeByte(lastByte); i >>= 8; } writeBit(0); return *this; } PRCbitStream& PRCbitStream::operator <<(double value) { // write a double if(compressed) { cerr << "Cannot write to a stream that has been compressed." << endl; return *this; } union ieee754_double *pid=(union ieee754_double *)&value; int i, fSaveAtEnd; PRCbyte *pb, *pbStart, *pbStop, *pbEnd, *pbResult, bSaveAtEnd = 0; struct sCodageOfFrequentDoubleOrExponent cofdoe, *pcofdoe; cofdoe.u2uod.Value=value; pcofdoe = (struct sCodageOfFrequentDoubleOrExponent *)bsearch( &cofdoe, acofdoe, sizeof(acofdoe)/sizeof(pcofdoe[0]), sizeof(pcofdoe[0]), stCOFDOECompare); while(pcofdoe>acofdoe && EXPONENT(pcofdoe->u2uod.Value)==EXPONENT((pcofdoe-1)->u2uod.Value)) pcofdoe--; assert(pcofdoe); while(pcofdoe->Type==VT_double) { if(fabs(value)==pcofdoe->u2uod.Value) break; pcofdoe++; } for(i=1<<(pcofdoe->NumberOfBits-1);i>=1;i>>=1) writeBit((pcofdoe->Bits&i)!=0); if ( !memcmp(&value,stadwZero,sizeof(value)) || !memcmp(&value,stadwNegativeZero,sizeof(value)) ) return *this; writeBit(pid->ieee.negative); if(pcofdoe->Type==VT_double) return *this; if(pid->ieee.mantissa0==0 && pid->ieee.mantissa1==0) { writeBit(0); return *this; } writeBit(1); #ifdef WORDS_BIGENDIAN pb=((PRCbyte *)&value)+1; #else pb=((PRCbyte *)&value)+6; #endif //add_bits((*pb)&0x0f,4 STAT_V STAT_DOUBLE); writeBits((*pb)&0x0F,4); NEXTBYTE(pb); pbStart=pb; #ifdef WORDS_BIGENDIAN pbEnd= pbStop= ((PRCbyte *)(&value+1))-1; #else pbEnd= pbStop= ((PRCbyte *)&value); #endif if((fSaveAtEnd=(*pbStop!=*BEFOREBYTE(pbStop)))!=0) bSaveAtEnd=*pbEnd; PREVIOUSBYTE(pbStop); while(*pbStop==*BEFOREBYTE(pbStop)) PREVIOUSBYTE(pbStop); for(;MOREBYTE(pb,pbStop);NEXTBYTE(pb)) { if(pb!=pbStart && (pbResult=SEARCHBYTE(BEFOREBYTE(pb),*pb,DIFFPOINTERS(pb,pbStart)))!=NULL) { writeBit(0); writeBits(DIFFPOINTERS(pb,pbResult),3); } else { writeBit(1); writeByte(*pb); } } if(!MOREBYTE(BEFOREBYTE(pbEnd),pbStop)) { if(fSaveAtEnd) { writeBit(0); writeBits(6,3); writeByte(bSaveAtEnd); } else { writeBit(0); writeBits(0,3); } } else { if((pbResult=SEARCHBYTE(BEFOREBYTE(pb),*pb,DIFFPOINTERS(pb,pbStart)))!=NULL) { writeBit(0); writeBits(DIFFPOINTERS(pb,pbResult),3); } else { writeBit(1); writeByte(*pb); } } return *this; } PRCbitStream& PRCbitStream::operator <<(const char* s) { if (s == NULL) { writeBit(false); // string is NULL return *this; } string str(s); *this << str; return *this; } PRCbitStream& PRCbitStream::operator <<(const string& s) { if(s == "") { writeBit(false); // string is NULL return *this; } writeBit(true); size_t l = s.length(); *this << static_cast(l); for(size_t i = 0; i < l; ++i) writeByte(s[i]); return *this; } void PRCbitStream::writeBit(bool b) { if(compressed) { cerr << "Cannot write to a stream that has been compressed." << endl; return; } if(b) { data[byteIndex] |= (0x80 >> bitIndex); } nextBit(); } void PRCbitStream::writeBits(uint32_t u, uint8_t bits) { if(bits > 32) return; else { for(uint32_t mask = (1 << (bits-1)); mask != 0; mask >>= 1) { writeBit((u&mask) != 0); } } } void PRCbitStream::writeByte(uint8_t u) { if(compressed) { cerr << "Cannot write to a stream that has been compressed." << endl; return; } if(bitIndex == 0) { data[byteIndex] = u; nextByte(); } else { data[byteIndex] |= (u >> bitIndex); unsigned int obi = bitIndex; nextByte(); data[byteIndex] |= (u << (8-obi)); bitIndex = obi; // bit index is not changed by writing 8 bits } } void PRCbitStream::nextBit() { ++bitIndex; if(bitIndex == 8) { nextByte(); } } void PRCbitStream::nextByte() { ++byteIndex; if(byteIndex >= allocatedLength) getAChunk(); data[byteIndex] = 0; // clear the garbage data bitIndex = 0; } void PRCbitStream::getAChunk() { if(allocatedLength==0) data = (uint8_t*)realloc((void*)data,CHUNK_SIZE); else data = (uint8_t*)realloc((void*)data,2*allocatedLength); if(data != NULL) { if(allocatedLength==0) { allocatedLength = CHUNK_SIZE; *data = 0; // clear first byte } else allocatedLength *= 2; } else { // warn about memory problem! cerr << "Memory allocation error." << endl; exit(1); } } asymptote-2.62/prc/PRCbitStream.h0000644000000000000000000000472613607467113015443 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifndef __PRC_BIT_STREAM_H #define __PRC_BIT_STREAM_H #ifdef _MSC_VER #include #if _MSC_VER >= 1600 #include #else typedef signed char int8_t; typedef signed short int16_t; typedef signed long int32_t; typedef unsigned char uint8_t; typedef unsigned short uint16_t; typedef unsigned long uint32_t; #endif // _MSC_VER >= 1600 #else #include #endif // _MSC_VER #include #include #include #define CHUNK_SIZE (1024) // Is this a reasonable initial size? class PRCbitStream { public: PRCbitStream(uint8_t*& buff, unsigned int l) : byteIndex(0), bitIndex(0), allocatedLength(l), data(buff), compressed(false) { if(data == 0) { getAChunk(); } } unsigned int getSize() const; uint8_t* getData(); PRCbitStream& operator <<(const std::string&); PRCbitStream& operator <<(bool); PRCbitStream& operator <<(uint32_t); PRCbitStream& operator <<(uint8_t); PRCbitStream& operator <<(int32_t); PRCbitStream& operator <<(double); PRCbitStream& operator <<(const char*); void compress(); void write(std::ostream &out) const; private: void writeBit(bool); void writeBits(uint32_t,uint8_t); void writeByte(uint8_t); void nextByte(); void nextBit(); void getAChunk(); // bitIndex is "big endian", zero based, location of next bit to write unsigned int byteIndex,bitIndex; unsigned int allocatedLength; uint8_t*& data; bool compressed; uint32_t compressedDataSize; }; #endif // __PRC_BIT_STREAM_H asymptote-2.62/prc/Makefile0000644000000000000000000000171613607467113014427 0ustar rootroot# Makefile. CFLAGS = -O3 -g -Wall CXX = g++ MAKEDEPEND = $(CFLAGS) -O0 -M -DDEPEND FILES = PRCbitStream oPRCFile PRCdouble writePRC all: $(FILES:=.o) #test: $(FILES:=.o) test.o # $(CXX) $(CFLAGS) -o test $(FILES:=.o) test.o -lz #test_tess: $(FILES:=.o) test_tess.o # $(CXX) $(CFLAGS) -o test_tess $(FILES:=.o) test_tess.o -lz #test_mesh: $(FILES:=.o) test_mesh.o # $(CXX) $(CFLAGS) -o test_mesh $(FILES:=.o) test_mesh.o -lz .SUFFIXES: .c .cc .o .d .cc.o: $(CXX) $(CFLAGS) $(INCL) -o $@ -c $< .cc.d: @echo Creating $@; \ rm -f $@; \ ${CXX} $(MAKEDEPEND) $(INCL) $(MDOPTS) $< > $@.$$$$ 2>/dev/null && \ sed 's,\($*\)\.o[ :]*,\1.o $@ : ,g' < $@.$$$$ > $@; \ rm -f $@.$$$$ .c.d: @echo Creating $@; \ rm -f $@; \ ${CC} $(MAKEDEPEND) $(INCL) $(MDOPTS) $< > $@.$$$$ 2>/dev/null && \ sed 's,\($*\)\.o[ :]*,\1.o $@ : ,g' < $@.$$$$ > $@; \ rm -f $@.$$$$ ifeq (,$(findstring clean,${MAKECMDGOALS})) -include $(FILES:=.d) endif clean: rm -f *.o *.d test test_tess asymptote-2.62/prc/PRCdouble.h0000644000000000000000000000726513607467113014764 0ustar rootroot#ifndef __PRC_DOUBLE_H #define __PRC_DOUBLE_H #include #include #include #ifdef HAVE_CONFIG_H #include "config.h" #endif #ifdef BYTE_ORDER # undef WORDS_BIG_ENDIAN # undef WORDS_LITTLE_ENDIAN # if BYTE_ORDER == BIG_ENDIAN # define WORDS_BIG_ENDIAN 1 # endif # if BYTE_ORDER == LITTLE_ENDIAN # define WORDS_LITTLE_ENDIAN 1 # endif #endif // from Adobe's documentation union ieee754_double { double d; /* This is the IEEE 754 double-precision format. */ struct { #ifdef WORDS_BIGENDIAN unsigned int negative:1; unsigned int exponent:11; /* Together these comprise the mantissa. */ unsigned int mantissa0:20; unsigned int mantissa1:32; #else /* Together these comprise the mantissa. */ unsigned int mantissa1:32; unsigned int mantissa0:20; unsigned int exponent:11; unsigned int negative:1; #endif } ieee; }; union ieee754_float { float f; /* This is the IEEE 754 float-precision format. */ struct { #ifdef WORDS_BIGENDIAN unsigned int negative:1; unsigned int exponent:8; unsigned int mantissa:23; #else unsigned int mantissa:23; unsigned int exponent:8; unsigned int negative:1; #endif } ieee; }; enum ValueType {VT_double,VT_exponent}; struct sCodageOfFrequentDoubleOrExponent { short Type; short NumberOfBits; unsigned Bits; union { unsigned ul[2]; double Value; } u2uod; }; #ifdef WORDS_BIGENDIAN # define DOUBLEWITHTWODWORD(upper,lower) upper,lower # define UPPERPOWER (0) # define LOWERPOWER (!UPPERPOWER) # define NEXTBYTE(pbd) ((pbd)++) # define PREVIOUSBYTE(pbd) ((pbd)--) # define MOREBYTE(pbd,pbend) ((pbd)<=(pbend)) # define OFFSETBYTE(pbd,offset) ((pbd)+=offset) # define BEFOREBYTE(pbd) ((pbd)-1) # define DIFFPOINTERS(p1,p2) ((p1)-(p2)) # define SEARCHBYTE(pbstart,b,nb) (unsigned char *)memrchr((pbstart),(b),(nb)) # define BYTEAT(pb,i) *((pb)-(i)) #else # define DOUBLEWITHTWODWORD(upper,lower) lower,upper # define UPPERPOWER (1) # define LOWERPOWER (!UPPERPOWER) # define NEXTBYTE(pbd) ((pbd)--) # define PREVIOUSBYTE(pbd) ((pbd)++) # define MOREBYTE(pbd,pbend) ((pbd)>=(pbend)) # define OFFSETBYTE(pbd,offset) ((pbd)-=offset) # define BEFOREBYTE(pbd) ((pbd)+1) # define DIFFPOINTERS(p1,p2) ((unsigned)((p2)-(p1))) # define SEARCHBYTE(pbstart,b,nb) (unsigned char *)memchr((pbstart),(b),(nb)) # define BYTEAT(pb,i) *((pb)+(i)) #endif #define MAXLENGTHFORCOMPRESSEDTYPE ((22+1+1+4+6*(1+8))+7)/8 #define NEGATIVE(d) (((union ieee754_double *)&(d))->ieee.negative) #define EXPONENT(d) (((union ieee754_double *)&(d))->ieee.exponent) #define MANTISSA0(d) (((union ieee754_double *)&(d))->ieee.mantissa0) #define MANTISSA1(d) (((union ieee754_double *)&(d))->ieee.mantissa1) typedef unsigned char PRCbyte; typedef unsigned short PRCword; typedef unsigned PRCdword; extern PRCdword stadwZero[2],stadwNegativeZero[2]; #define NUMBEROFELEMENTINACOFDOE (2077) #ifdef WORDS_BIGENDIAN # define DOUBLEWITHTWODWORDINTREE(upper,lower) {upper,lower} #else # define DOUBLEWITHTWODWORDINTREE(upper,lower) {lower,upper} #endif extern sCodageOfFrequentDoubleOrExponent acofdoe[NUMBEROFELEMENTINACOFDOE]; struct sCodageOfFrequentDoubleOrExponent* getcofdoe(unsigned,short); #define STAT_V #define STAT_DOUBLE int stCOFDOECompare(const void*,const void*); #ifdef WORDS_BIGENDIAN #ifndef HAVE_MEMRCHR void *memrchr(const void *,int,size_t); #endif #endif #endif // __PRC_DOUBLE_H asymptote-2.62/prc/oPRCFile.cc0000644000000000000000000021213713607467113014702 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include "oPRCFile.h" #include #include #include #include #include #include #include namespace prc { #define WriteUnsignedInteger( value ) out << (uint32_t)(value); #define WriteInteger( value ) out << (int32_t)(value); #define WriteDouble( value ) out << (double)(value); #define WriteString( value ) out << (value); #define WriteUncompressedUnsignedInteger( value ) writeUncompressedUnsignedInteger(out, (uint32_t)(value)); #define WriteUncompressedBlock( value, count ) out.write((char *)(value),(count)); #define SerializeFileStructureUncompressedUniqueId( value ) (value).serializeFileStructureUncompressedUniqueId(out); #define SerializeCompressedUniqueId( value ) (value).serializeCompressedUniqueId(out); #define SerializeContentPRCBase write(out); #define SerializeRgbColor( value ) (value).serializeRgbColor(out); #define SerializePicture( value ) (value).serializePicture(out); #define SerializeTextureDefinition( value ) (value)->serializeTextureDefinition(out); #define SerializeMarkup( value ) (value)->serializeMarkup(out); #define SerializeAnnotationEntity( value ) (value)->serializeAnnotationEntity(out); #define SerializeFontKeysSameFont( value ) (value).serializeFontKeysSameFont(out); #define SerializeMaterial( value ) (value)->serializeMaterial(out); #define SerializeUserData UserData(0,0).write(out); #define SerializeEmptyContentPRCBase ContentPRCBase(PRC_TYPE_ROOT_PRCBase).serializeContentPRCBase(out); #define SerializeCategory1LineStyle( value ) (value)->serializeCategory1LineStyle(out); #define SerializeCoordinateSystem( value ) (value)->serializeCoordinateSystem(out); #define SerializeRepresentationItem( value ) (value)->serializeRepresentationItem(out); #define SerializePartDefinition( value ) (value)->serializePartDefinition(out); #define SerializeProductOccurrence( value ) (value)->serializeProductOccurrence(out); #define SerializeContextAndBodies( value ) (value)->serializeContextAndBodies(out); #define SerializeGeometrySummary( value ) (value)->serializeGeometrySummary(out); #define SerializeContextGraphics( value ) (value)->serializeContextGraphics(out); #define SerializeStartHeader serializeStartHeader(out); #define SerializeUncompressedFiles \ { \ const uint32_t number_of_uncompressed_files = uncompressed_files.size(); \ WriteUncompressedUnsignedInteger (number_of_uncompressed_files) \ for(PRCUncompressedFileList::const_iterator it = uncompressed_files.begin(); it != uncompressed_files.end(); it++) \ { \ WriteUncompressedUnsignedInteger ((*it)->file_size) \ WriteUncompressedBlock ((*it)->data, (*it)->file_size) \ } \ } #define SerializeModelFileData serializeModelFileData(modelFile_out); modelFile_out.compress(); #define SerializeUnit( value ) (value).serializeUnit(out); using namespace std; void PRCFileStructure::serializeFileStructureGlobals(PRCbitStream &out) { // even though this is technically not part of this section, // it is handled here for convenience const uint32_t number_of_schema = 0; WriteUnsignedInteger (number_of_schema) WriteUnsignedInteger (PRC_TYPE_ASM_FileStructureGlobals) PRCSingleAttribute sa((int32_t)PRCVersion); PRCAttribute a("__PRC_RESERVED_ATTRIBUTE_PRCInternalVersion"); a.addKey(sa); ContentPRCBase cb(PRC_TYPE_ROOT_PRCBase); cb.addAttribute(a); cb.serializeContentPRCBase(out); WriteUnsignedInteger (number_of_referenced_file_structures) // SerializeFileStructureInternalGlobalData WriteDouble (tessellation_chord_height_ratio) WriteDouble (tessellation_angle_degree) // SerializeMarkupSerializationHelper WriteString (default_font_family_name) const uint32_t number_of_fonts = font_keys_of_font.size(); WriteUnsignedInteger (number_of_fonts) for (uint32_t i=0;iunit_information.unit_from_CAD_file = true; product_occurrences[i]->unit_information.unit = unit; SerializeProductOccurrence (product_occurrences[i]) } // SerializeFileStructureInternalData WriteUnsignedInteger (PRC_TYPE_ASM_FileStructure) SerializeEmptyContentPRCBase const uint32_t next_available_index = makePRCID(); WriteUnsignedInteger (next_available_index) const uint32_t index_product_occurence = number_of_product_occurrences; // Asymptote (oPRCFile) specific - we write the root product last WriteUnsignedInteger (index_product_occurence) SerializeUserData } void PRCFileStructure::serializeFileStructureTessellation(PRCbitStream &out) { WriteUnsignedInteger (PRC_TYPE_ASM_FileStructureTessellation) SerializeEmptyContentPRCBase const uint32_t number_of_tessellations = tessellations.size(); WriteUnsignedInteger (number_of_tessellations) for (uint32_t i=0;iserializeBaseTessData(out); SerializeUserData } void PRCFileStructure::serializeFileStructureGeometry(PRCbitStream &out) { WriteUnsignedInteger (PRC_TYPE_ASM_FileStructureGeometry) SerializeEmptyContentPRCBase const uint32_t number_of_contexts = contexts.size(); WriteUnsignedInteger (number_of_contexts) for (uint32_t i=0;ifile_structure_uuid ) // index+1 out << (uint32_t)fileStructures[0]->product_occurrences.size(); // active out << true; out << (uint32_t)0; // index in model file SerializeUserData } void makeFileUUID(PRCUniqueId& UUID) { // make a UUID static uint32_t count = 0; ++count; // the minimum requirement on UUIDs is that all must be unique in the file UUID.id0 = 0x33595341; // some constant UUID.id1 = (uint32_t)time(NULL); // the time UUID.id2 = count; UUID.id3 = 0xa5a55a5a; // Something random, not seeded by the time, would be nice. But for now, a constant // maybe add something else to make it more unique // so multiple files can be combined // a hash of some data perhaps? } void makeAppUUID(PRCUniqueId& UUID) { UUID.id0 = UUID.id1 = UUID.id2 = UUID.id3 = 0; } void PRCUncompressedFile::write(ostream &out) const { if(data!=NULL) { WriteUncompressedUnsignedInteger (file_size) out.write((char*)data,file_size); } } uint32_t PRCUncompressedFile::getSize() const { return sizeof(file_size)+file_size; } void PRCStartHeader::serializeStartHeader(ostream &out) const { WriteUncompressedBlock ("PRC",3) WriteUncompressedUnsignedInteger (minimal_version_for_read) WriteUncompressedUnsignedInteger (authoring_version) SerializeFileStructureUncompressedUniqueId( file_structure_uuid ); SerializeFileStructureUncompressedUniqueId( application_uuid ); } uint32_t PRCStartHeader::getStartHeaderSize() const { return 3+(2+2*4)*sizeof(uint32_t); } void PRCFileStructure::write(ostream &out) { // SerializeFileStructureHeader SerializeStartHeader SerializeUncompressedFiles globals_out.write(out); tree_out.write(out); tessellations_out.write(out); geometry_out.write(out); extraGeometry_out.write(out); } #define SerializeFileStructureGlobals serializeFileStructureGlobals(globals_out); globals_out.compress(); sizes[1]=globals_out.getSize(); #define SerializeFileStructureTree serializeFileStructureTree(tree_out); tree_out.compress(); sizes[2]=tree_out.getSize(); #define SerializeFileStructureTessellation serializeFileStructureTessellation(tessellations_out); tessellations_out.compress(); sizes[3]=tessellations_out.getSize(); #define SerializeFileStructureGeometry serializeFileStructureGeometry(geometry_out); geometry_out.compress(); sizes[4]=geometry_out.getSize(); #define SerializeFileStructureExtraGeometry serializeFileStructureExtraGeometry(extraGeometry_out); extraGeometry_out.compress(); sizes[5]=extraGeometry_out.getSize(); #define FlushSerialization resetGraphicsAndName(); void PRCFileStructure::prepare() { uint32_t size = 0; size += getStartHeaderSize(); size += sizeof(uint32_t); for(PRCUncompressedFileList::const_iterator it = uncompressed_files.begin(); it != uncompressed_files.end(); it++) size += (*it)->getSize(); sizes[0]=size; SerializeFileStructureGlobals FlushSerialization SerializeFileStructureTree FlushSerialization SerializeFileStructureTessellation FlushSerialization SerializeFileStructureGeometry FlushSerialization SerializeFileStructureExtraGeometry FlushSerialization } uint32_t PRCFileStructure::getSize() { uint32_t size = 0; for(size_t i=0; i<6; i++) size += sizes[i]; return size; } void PRCFileStructureInformation::write(ostream &out) { SerializeFileStructureUncompressedUniqueId( UUID ); WriteUncompressedUnsignedInteger (reserved) WriteUncompressedUnsignedInteger (number_of_offsets) for(uint32_t i = 0; i < number_of_offsets; ++i) { WriteUncompressedUnsignedInteger (offsets[i]) } } uint32_t PRCFileStructureInformation::getSize() { return (4+2+number_of_offsets)*sizeof(uint32_t); } void PRCHeader::write(ostream &out) { SerializeStartHeader WriteUncompressedUnsignedInteger (number_of_file_structures) for(uint32_t i = 0; i < number_of_file_structures; ++i) { fileStructureInformation[i].write(out); } WriteUncompressedUnsignedInteger (model_file_offset) WriteUncompressedUnsignedInteger (file_size) SerializeUncompressedFiles } uint32_t PRCHeader::getSize() { uint32_t size = getStartHeaderSize() + sizeof(uint32_t); for(uint32_t i = 0; i < number_of_file_structures; ++i) size += fileStructureInformation[i].getSize(); size += 3*sizeof(uint32_t); for(PRCUncompressedFileList::const_iterator it = uncompressed_files.begin(); it != uncompressed_files.end(); it++) size += (*it)->getSize(); return size; } void oPRCFile::doGroup(PRCgroup& group) { const std::string& name = group.name; PRCProductOccurrence*& product_occurrence = group.product_occurrence; PRCProductOccurrence*& parent_product_occurrence = group.parent_product_occurrence; PRCPartDefinition*& part_definition = group.part_definition; PRCPartDefinition*& parent_part_definition = group.parent_part_definition; if(group.options.tess) { if(!group.lines.empty()) { for(PRCtesslineMap::const_iterator wit=group.lines.begin(); wit!=group.lines.end(); wit++) { bool same_color = true; const PRCtesslineList& lines = wit->second; const PRCRgbColor &color = lines.front().color; for(PRCtesslineList::const_iterator lit=lines.begin(); lit!=lines.end(); lit++) if(color!=lit->color) { same_color = false; break; } map points; PRC3DWireTess *tess = new PRC3DWireTess(); if(!same_color) { tess->is_segment_color = true; tess->is_rgba = false; } for(PRCtesslineList::const_iterator lit=lines.begin(); lit!=lines.end(); lit++) { tess->wire_indexes.push_back(lit->point.size()); for(uint32_t i=0; ipoint.size(); i++) { map::iterator pPoint = points.find(lit->point[i]); if(pPoint!=points.end()) tess->wire_indexes.push_back(pPoint->second); else { const uint32_t point_index = tess->coordinates.size(); points.insert(make_pair(lit->point[i],point_index)); tess->wire_indexes.push_back(point_index); tess->coordinates.push_back(lit->point[i].x); tess->coordinates.push_back(lit->point[i].y); tess->coordinates.push_back(lit->point[i].z); } if(!same_color && i>0) { tess->rgba_vertices.push_back(byte(lit->color.red)); tess->rgba_vertices.push_back(byte(lit->color.green)); tess->rgba_vertices.push_back(byte(lit->color.blue)); } } } const uint32_t tess_index = add3DWireTess(tess); PRCPolyWire *polyWire = new PRCPolyWire(); polyWire->index_tessellation = tess_index; if(same_color) polyWire->index_of_line_style = addColourWidth(RGBAColour(color.red,color.green,color.blue),wit->first); else polyWire->index_of_line_style = addColourWidth(RGBAColour(1,1,1),wit->first); part_definition->addPolyWire(polyWire); } } // make rectangles pairs of triangles in a tesselation if(!group.rectangles.empty()) { bool same_color = true; const uint32_t &style = group.rectangles.front().style; for(PRCtessrectangleList::const_iterator rit=group.rectangles.begin(); rit!=group.rectangles.end(); rit++) if(style!=rit->style) { same_color = false; break; } map points; PRC3DTess *tess = new PRC3DTess(); tess->crease_angle = group.options.crease_angle; PRCTessFace *tessFace = new PRCTessFace(); tessFace->used_entities_flag=PRC_FACETESSDATA_Triangle; uint32_t triangles = 0; for(PRCtessrectangleList::const_iterator rit=group.rectangles.begin(); rit!=group.rectangles.end(); rit++) { const bool degenerate = (rit->vertices[0]==rit->vertices[1]); uint32_t vertex_indices[4]; for(size_t i = (degenerate?1:0); i < 4; ++i) { map::const_iterator pPoint = points.find(rit->vertices[i]); if(pPoint!=points.end()) vertex_indices[i] = pPoint->second; else { points.insert(make_pair(rit->vertices[i],(vertex_indices[i] = tess->coordinates.size()))); tess->coordinates.push_back(rit->vertices[i].x); tess->coordinates.push_back(rit->vertices[i].y); tess->coordinates.push_back(rit->vertices[i].z); } } if(degenerate) { tess->triangulated_index.push_back(vertex_indices[1]); tess->triangulated_index.push_back(vertex_indices[2]); tess->triangulated_index.push_back(vertex_indices[3]); triangles++; if(!same_color) tessFace->line_attributes.push_back(rit->style); } else { tess->triangulated_index.push_back(vertex_indices[0]); tess->triangulated_index.push_back(vertex_indices[2]); tess->triangulated_index.push_back(vertex_indices[3]); triangles++; if(!same_color) tessFace->line_attributes.push_back(rit->style); tess->triangulated_index.push_back(vertex_indices[3]); tess->triangulated_index.push_back(vertex_indices[1]); tess->triangulated_index.push_back(vertex_indices[0]); triangles++; if(!same_color) tessFace->line_attributes.push_back(rit->style); } } tessFace->sizes_triangulated.push_back(triangles); tess->addTessFace(tessFace); const uint32_t tess_index = add3DTess(tess); PRCPolyBrepModel *polyBrepModel = new PRCPolyBrepModel(); polyBrepModel->index_tessellation = tess_index; polyBrepModel->is_closed = group.options.closed; if(same_color) polyBrepModel->index_of_line_style = style; part_definition->addPolyBrepModel(polyBrepModel); } } if(!group.quads.empty()) { map points; PRC3DTess *tess = new PRC3DTess(); tess->crease_angle = group.options.crease_angle; PRCTessFace *tessFace = new PRCTessFace(); tessFace->used_entities_flag=PRC_FACETESSDATA_Triangle; uint32_t triangles = 0; tessFace->is_rgba = false; for(PRCtessquadList::const_iterator qit=group.quads.begin(); qit!=group.quads.end(); qit++) { const RGBAColour* C = qit->colours; if(C[0].A != 1.0 || C[1].A != 1.0 || C[2].A != 1.0 || C[3].A != 1.0) { tessFace->is_rgba = true; break; } } bool same_colour = true; const RGBAColour& colour = group.quads.front().colours[0]; for(PRCtessquadList::const_iterator qit=group.quads.begin(); qit!=group.quads.end(); qit++) { const RGBAColour* C = qit->colours; if(colour!=C[0] || colour!=C[1] || colour!=C[2] || colour!=C[3]) { same_colour = false; break; } } for(PRCtessquadList::const_iterator qit=group.quads.begin(); qit!=group.quads.end(); qit++) { const RGBAColour* C = qit->colours; const bool degenerate = (qit->vertices[0]==qit->vertices[1]); uint32_t vertex_indices[4]; for(size_t i = (degenerate?1:0); i < 4; ++i) { map::const_iterator pPoint = points.find(qit->vertices[i]); if(pPoint!=points.end()) vertex_indices[i] = pPoint->second; else { points.insert(make_pair(qit->vertices[i],(vertex_indices[i] = tess->coordinates.size()))); tess->coordinates.push_back(qit->vertices[i].x); tess->coordinates.push_back(qit->vertices[i].y); tess->coordinates.push_back(qit->vertices[i].z); } } if(degenerate) { tess->triangulated_index.push_back(vertex_indices[1]); tess->triangulated_index.push_back(vertex_indices[2]); tess->triangulated_index.push_back(vertex_indices[3]); triangles++; if(!same_colour) { tessFace->rgba_vertices.push_back(byte(C[1].R)); tessFace->rgba_vertices.push_back(byte(C[1].G)); tessFace->rgba_vertices.push_back(byte(C[1].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[1].A)); tessFace->rgba_vertices.push_back(byte(C[2].R)); tessFace->rgba_vertices.push_back(byte(C[2].G)); tessFace->rgba_vertices.push_back(byte(C[2].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[2].A)); tessFace->rgba_vertices.push_back(byte(C[3].R)); tessFace->rgba_vertices.push_back(byte(C[3].G)); tessFace->rgba_vertices.push_back(byte(C[3].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[3].A)); } } else { tess->triangulated_index.push_back(vertex_indices[0]); tess->triangulated_index.push_back(vertex_indices[2]); tess->triangulated_index.push_back(vertex_indices[3]); triangles++; if(!same_colour) { tessFace->rgba_vertices.push_back(byte(C[0].R)); tessFace->rgba_vertices.push_back(byte(C[0].G)); tessFace->rgba_vertices.push_back(byte(C[0].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[0].A)); tessFace->rgba_vertices.push_back(byte(C[2].R)); tessFace->rgba_vertices.push_back(byte(C[2].G)); tessFace->rgba_vertices.push_back(byte(C[2].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[2].A)); tessFace->rgba_vertices.push_back(byte(C[3].R)); tessFace->rgba_vertices.push_back(byte(C[3].G)); tessFace->rgba_vertices.push_back(byte(C[3].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[3].A)); } tess->triangulated_index.push_back(vertex_indices[3]); tess->triangulated_index.push_back(vertex_indices[1]); tess->triangulated_index.push_back(vertex_indices[0]); triangles++; if(!same_colour) { tessFace->rgba_vertices.push_back(byte(C[3].R)); tessFace->rgba_vertices.push_back(byte(C[3].G)); tessFace->rgba_vertices.push_back(byte(C[3].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[3].A)); tessFace->rgba_vertices.push_back(byte(C[1].R)); tessFace->rgba_vertices.push_back(byte(C[1].G)); tessFace->rgba_vertices.push_back(byte(C[1].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[1].A)); tessFace->rgba_vertices.push_back(byte(C[0].R)); tessFace->rgba_vertices.push_back(byte(C[0].G)); tessFace->rgba_vertices.push_back(byte(C[0].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[0].A)); } } } tessFace->sizes_triangulated.push_back(triangles); tess->addTessFace(tessFace); const uint32_t tess_index = add3DTess(tess); PRCPolyBrepModel *polyBrepModel = new PRCPolyBrepModel(); polyBrepModel->index_tessellation = tess_index; polyBrepModel->is_closed = group.options.closed; if(same_colour) polyBrepModel->index_of_line_style = addColour(colour); part_definition->addPolyBrepModel(polyBrepModel); } if(!group.points.empty()) { for(PRCpointsetMap::const_iterator pit=group.points.begin(); pit!=group.points.end(); pit++) { PRCPointSet *pointset = new PRCPointSet(); pointset->index_of_line_style = pit->first; pointset->point = pit->second; part_definition->addPointSet(pointset); } } if(!group.pointsets.empty()) { for(std::vector::iterator pit=group.pointsets.begin(); pit!=group.pointsets.end(); pit++) { part_definition->addPointSet(*pit); } } if(!group.polymodels.empty()) { for(std::vector::iterator pit=group.polymodels.begin(); pit!=group.polymodels.end(); pit++) { (*pit)->is_closed = group.options.closed; part_definition->addPolyBrepModel(*pit); } } if(!group.polywires.empty()) { for(std::vector::iterator pit=group.polywires.begin(); pit!=group.polywires.end(); pit++) { part_definition->addPolyWire(*pit); } } if(!group.wires.empty()) { PRCTopoContext *wireContext = NULL; const uint32_t context_index = getTopoContext(wireContext); for(PRCwireList::iterator wit=group.wires.begin(); wit!=group.wires.end(); wit++) { PRCWireEdge *wireEdge = new PRCWireEdge; wireEdge->curve_3d = wit->curve; PRCSingleWireBody *wireBody = new PRCSingleWireBody; wireBody->setWireEdge(wireEdge); const uint32_t wire_body_index = wireContext->addSingleWireBody(wireBody); PRCWire *wire = new PRCWire(); wire->index_of_line_style = wit->style; wire->context_id = context_index; wire->body_id = wire_body_index; if(wit->transform) wire->index_local_coordinate_system = addTransform(wit->transform); part_definition->addWire(wire); } } PRCfaceList &faces = group.faces; if(!faces.empty()) { bool same_color = true; const uint32_t style = faces.front().style; for(PRCfaceList::const_iterator fit=faces.begin(); fit!=faces.end(); fit++) if(style!=fit->style) { same_color = false; break; } PRCTopoContext *context = NULL; const uint32_t context_index = getTopoContext(context); context->granularity = group.options.granularity; // Acrobat 9 also does the following: // context->tolerance = group.options.granularity; // context->have_smallest_face_thickness = true; // context->smallest_thickness = group.options.granularity; PRCShell *shell = new PRCShell; for(PRCfaceList::iterator fit=faces.begin(); fit!=faces.end(); fit++) { if(fit->transform || group.options.do_break || (fit->transparent && !group.options.no_break)) { PRCShell *shell = new PRCShell; shell->addFace(fit->face); PRCConnex *connex = new PRCConnex; connex->addShell(shell); PRCBrepData *body = new PRCBrepData; body->addConnex(connex); const uint32_t body_index = context->addBrepData(body); PRCBrepModel *brepmodel = new PRCBrepModel(); brepmodel->index_of_line_style = fit->style; brepmodel->context_id = context_index; brepmodel->body_id = body_index; brepmodel->is_closed = group.options.closed; brepmodel->index_local_coordinate_system = addTransform(fit->transform); part_definition->addBrepModel(brepmodel); } else { if(!same_color) fit->face->index_of_line_style = fit->style; shell->addFace(fit->face); } } if(shell->face.empty()) { delete shell; } else { PRCConnex *connex = new PRCConnex; connex->addShell(shell); PRCBrepData *body = new PRCBrepData; body->addConnex(connex); const uint32_t body_index = context->addBrepData(body); PRCBrepModel *brepmodel = new PRCBrepModel(); if(same_color) brepmodel->index_of_line_style = style; brepmodel->context_id = context_index; brepmodel->body_id = body_index; brepmodel->is_closed = group.options.closed; part_definition->addBrepModel(brepmodel); } } PRCcompfaceList &compfaces = group.compfaces; if(!compfaces.empty()) { bool same_color = true; const uint32_t style = compfaces.front().style; for(PRCcompfaceList::const_iterator fit=compfaces.begin(); fit!=compfaces.end(); fit++) if(style!=fit->style) { same_color = false; break; } PRCTopoContext *context = NULL; const uint32_t context_index = getTopoContext(context); PRCCompressedBrepData *body = new PRCCompressedBrepData; body->serial_tolerance=group.options.compression; body->brep_data_compressed_tolerance=0.1*group.options.compression; for(PRCcompfaceList::const_iterator fit=compfaces.begin(); fit!=compfaces.end(); fit++) { if(group.options.do_break || (fit->transparent && !group.options.no_break)) { PRCCompressedBrepData *body = new PRCCompressedBrepData; body->face.push_back(fit->face); body->serial_tolerance=group.options.compression; body->brep_data_compressed_tolerance=2.8346456* group.options.compression; const uint32_t body_index = context->addCompressedBrepData(body); PRCBrepModel *brepmodel = new PRCBrepModel(); brepmodel->index_of_line_style = fit->style; brepmodel->context_id = context_index; brepmodel->body_id = body_index; brepmodel->is_closed = group.options.closed; part_definition->addBrepModel(brepmodel); } else { if(!same_color) fit->face->index_of_line_style = fit->style; body->face.push_back(fit->face); } } if(body->face.empty()) { delete body; } else { const uint32_t body_index = context->addCompressedBrepData(body); PRCBrepModel *brepmodel = new PRCBrepModel(); if(same_color) brepmodel->index_of_line_style = style; brepmodel->context_id = context_index; brepmodel->body_id = body_index; brepmodel->is_closed = group.options.closed; part_definition->addBrepModel(brepmodel); } } // Simplify and reduce to as simple entities as possible // products with named representation items can not be reduced to sets, since // outside references are already set bool nonamedparts = true; for(PRCRepresentationItemList::const_iterator it=part_definition->representation_item.begin(); it!=part_definition->representation_item.end(); it++) { if (!(*it)->name.empty()) { nonamedparts = false; break; } } lastgroupname.clear(); lastgroupnames.clear(); // First option - reduce to one element in parent if (parent_part_definition && product_occurrence->index_son_occurrence.empty() && part_definition->representation_item.size() == 1 && ( name.empty() || part_definition->representation_item.front()->name.empty() ) && ( !group.transform || part_definition->representation_item.front()->index_local_coordinate_system==m1) ) { if(part_definition->representation_item.front()->name.empty() ) part_definition->representation_item.front()->name = name; if(part_definition->representation_item.front()->index_local_coordinate_system==m1) part_definition->representation_item.front()->index_local_coordinate_system = addTransform(group.transform); lastgroupname = calculate_unique_name(part_definition->representation_item.front(), parent_product_occurrence); parent_part_definition->addRepresentationItem(part_definition->representation_item.front()); part_definition->representation_item.clear(); delete product_occurrence; product_occurrence = NULL; delete part_definition; part_definition = NULL; } // Second option - reduce to a set else if (parent_part_definition && product_occurrence->index_son_occurrence.empty() && !part_definition->representation_item.empty() && !group.options.do_break && nonamedparts) { PRCSet *set = new PRCSet(name); set->index_local_coordinate_system = addTransform(group.transform); lastgroupname = calculate_unique_name(set, parent_product_occurrence); for(PRCRepresentationItemList::iterator it=part_definition->representation_item.begin(); it!=part_definition->representation_item.end(); it++) { lastgroupnames.push_back(calculate_unique_name(*it, parent_product_occurrence)); set->addRepresentationItem(*it); } part_definition->representation_item.clear(); parent_part_definition->addSet(set); delete product_occurrence; product_occurrence = NULL; delete part_definition; part_definition = NULL; } // Third option - create product else if ( !product_occurrence->index_son_occurrence.empty() || !part_definition->representation_item.empty()) { // if everything is enclosed in one group - drop the root group if (parent_product_occurrence == NULL && group.transform == NULL && part_definition->representation_item.empty() && product_occurrence->index_son_occurrence.size()==1) { delete part_definition; part_definition = NULL; delete product_occurrence; product_occurrence = NULL; } else { lastgroupname = calculate_unique_name(product_occurrence, NULL); if (part_definition->representation_item.empty()) { delete part_definition; part_definition = NULL; } else { for(PRCRepresentationItemList::const_iterator it=part_definition->representation_item.begin(); it!=part_definition->representation_item.end(); it++) if ((*it)->name.empty()) lastgroupnames.push_back(calculate_unique_name(*it, product_occurrence)); product_occurrence->index_part = addPartDefinition(part_definition); } if (group.transform) { product_occurrence->location = group.transform; group.transform = NULL; } if (parent_product_occurrence) { parent_product_occurrence->index_son_occurrence.push_back(addProductOccurrence(product_occurrence)); } else { addProductOccurrence(product_occurrence); } } } // Last case - absolutely nothing to do else { delete product_occurrence; product_occurrence = NULL; delete part_definition; part_definition = NULL; } } std::string oPRCFile::calculate_unique_name(const ContentPRCBase *prc_entity,const ContentPRCBase *prc_occurence) { std::stringstream ss (std::stringstream::in | std::stringstream::out); uint8_t *serialization_buffer = NULL; PRCbitStream serialization(serialization_buffer,0u); const PRCFileStructure *pfile_structure = fileStructures[0]; const PRCUniqueId& uuid = pfile_structure->file_structure_uuid; // ConvertUniqueIdentifierToString (prc_entity) // SerializeCompressedUniqueId (file_structure) serialization << uuid.id0 << uuid.id1 << uuid.id2 << uuid.id3; // WriteUnsignedInteger (type) serialization << prc_entity->getType(); // WriteUnsignedInteger (unique_identifier) serialization << prc_entity->getPRCID(); if (prc_occurence) { // serialization_buffer = Flush serialization (serialization) { const uint32_t size_serialization = serialization.getSize(); while(size_serialization == serialization.getSize()) serialization << false; } // ConvertUniqueIdentifierToString (prc_occurrence_unique_id) // SerializeCompressedUniqueId (file_structure) serialization << uuid.id0 << uuid.id1 << uuid.id2 << uuid.id3; // WriteUnsignedInteger (type) serialization << (uint32_t)PRC_TYPE_ASM_ProductOccurence; // WriteUnsignedInteger (unique_identifier) serialization << prc_occurence->getPRCID(); } ss << (prc_entity->name.empty()?"node":prc_entity->name) << '.'; const uint32_t size_serialization = serialization.getSize(); for(size_t j=0; jprepare(); SerializeModelFileData // create the header // fill out enough info so that sizes can be computed correctly header.number_of_file_structures = number_of_file_structures; header.fileStructureInformation = new PRCFileStructureInformation[number_of_file_structures]; for(uint32_t i = 0; i < number_of_file_structures; ++i) { header.fileStructureInformation[i].UUID = fileStructures[i]->file_structure_uuid; header.fileStructureInformation[i].reserved = 0; header.fileStructureInformation[i].number_of_offsets = 6; header.fileStructureInformation[i].offsets = new uint32_t[6]; } header.minimal_version_for_read = PRCVersion; header.authoring_version = PRCVersion; makeFileUUID(header.file_structure_uuid); makeAppUUID(header.application_uuid); header.file_size = getSize(); header.model_file_offset = header.file_size - modelFile_out.getSize(); uint32_t currentOffset = header.getSize(); for(uint32_t i = 0; i < number_of_file_structures; ++i) { for(size_t j=0; j<6; j++) { header.fileStructureInformation[i].offsets[j] = currentOffset; currentOffset += fileStructures[i]->sizes[j]; } } // write the data header.write(output); for(uint32_t i = 0; i < number_of_file_structures; ++i) { fileStructures[i]->write(output); } modelFile_out.write(output); output.flush(); for(uint32_t i = 0; i < number_of_file_structures; ++i) delete[] header.fileStructureInformation[i].offsets; delete[] header.fileStructureInformation; return true; } uint32_t oPRCFile::getSize() { uint32_t size = header.getSize(); for(uint32_t i = 0; i < number_of_file_structures; ++i) { size += fileStructures[i]->getSize(); } size += modelFile_out.getSize(); return size; } uint32_t PRCFileStructure::addPicture(EPRCPictureDataFormat format, uint32_t size, const uint8_t *p, uint32_t width, uint32_t height, std::string name) { uint8_t *data = NULL; uint32_t components=0; PRCPicture picture(name); if(size==0 || p==NULL) { cerr << "image not set" << endl; return m1; } PRCUncompressedFile* uncompressed_file = new PRCUncompressedFile; if(format==KEPRCPicture_PNG || format==KEPRCPicture_JPG) { data = new uint8_t[size]; memcpy(data, p, size); uncompressed_files.push_back(uncompressed_file); uncompressed_files.back()->file_size = size; uncompressed_files.back()->data = data; picture.format = format; picture.uncompressed_file_index = uncompressed_files.size()-1; picture.pixel_width = 0; // width and height are ignored for JPG and PNG pictures - but let us keep things clean picture.pixel_height = 0; pictures.push_back(picture); return pictures.size()-1; } switch(format) { case KEPRCPicture_BITMAP_RGB_BYTE: components = 3; break; case KEPRCPicture_BITMAP_RGBA_BYTE: components = 4; break; case KEPRCPicture_BITMAP_GREY_BYTE: components = 1; break; case KEPRCPicture_BITMAP_GREYA_BYTE: components = 2; break; default: { cerr << "unknown picture format" << endl; return m1; } } if(width==0 || height==0) { cerr << "width or height parameter not set" << endl; return m1; } if (size < width*height*components) { cerr << "image too small" << endl; return m1; } { uint32_t compressedDataSize = 0; const int CHUNK= 1024; // is this reasonable? z_stream strm; strm.zalloc = Z_NULL; strm.zfree = Z_NULL; strm.opaque = Z_NULL; if(deflateInit(&strm,Z_DEFAULT_COMPRESSION) != Z_OK) { cerr << "Compression initialization failed" << endl; return m1; } unsigned int sizeAvailable = deflateBound(&strm,size); uint8_t *compressedData = (uint8_t*) malloc(sizeAvailable); strm.avail_in = size; strm.next_in = (unsigned char*)p; strm.next_out = (unsigned char*)compressedData; strm.avail_out = sizeAvailable; int code; unsigned int chunks = 0; while((code = deflate(&strm,Z_FINISH)) == Z_OK) { ++chunks; // strm.avail_out should be 0 if we got Z_OK compressedDataSize = sizeAvailable - strm.avail_out; compressedData = (uint8_t*) realloc(compressedData,CHUNK*chunks); strm.next_out = (Bytef*)(compressedData + compressedDataSize); strm.avail_out += CHUNK; sizeAvailable += CHUNK; } compressedDataSize = sizeAvailable-strm.avail_out; if(code != Z_STREAM_END) { deflateEnd(&strm); free(compressedData); { cerr << "Compression error" << endl; return m1; } } deflateEnd(&strm); size = compressedDataSize; data = new uint8_t[compressedDataSize]; memcpy(data, compressedData, compressedDataSize); free(compressedData); } uncompressed_files.push_back(uncompressed_file); uncompressed_files.back()->file_size = size; uncompressed_files.back()->data = data; picture.format = format; picture.uncompressed_file_index = uncompressed_files.size()-1; picture.pixel_width = width; picture.pixel_height = height; pictures.push_back(picture); return pictures.size()-1; } uint32_t PRCFileStructure::addTextureDefinition(PRCTextureDefinition*& pTextureDefinition) { texture_definitions.push_back(pTextureDefinition); pTextureDefinition = NULL; return texture_definitions.size()-1; } uint32_t PRCFileStructure::addRgbColor(const PRCRgbColor &color) { colors.push_back(color); return 3*(colors.size()-1); } uint32_t PRCFileStructure::addRgbColorUnique(const PRCRgbColor &color) { for(uint32_t i = 0; i < colors.size(); ++i) { if(colors[i] == color) return 3*i; } colors.push_back(color); return 3*(colors.size()-1); } uint32_t oPRCFile::addColor(const PRCRgbColor &color) { PRCcolorMap::const_iterator pColor = colorMap.find(color); if(pColor!=colorMap.end()) return pColor->second; // color_index = addRgbColorUnique(color); const uint32_t color_index = fileStructures[0]->addRgbColor(color); colorMap.insert(make_pair(color,color_index)); return color_index; } uint32_t oPRCFile::addColour(const RGBAColour &colour) { PRCcolourMap::const_iterator pColour = colourMap.find(colour); if(pColour!=colourMap.end()) return pColour->second; const uint32_t color_index = addColor(PRCRgbColor(colour.R, colour.G, colour.B)); PRCStyle *style = new PRCStyle(); style->line_width = 1.0; style->is_vpicture = false; style->line_pattern_vpicture_index = 0; style->is_material = false; style->color_material_index = color_index; style->is_transparency_defined = (colour.A < 1.0); style->transparency = (uint8_t)(colour.A * 256); style->additional = 0; const uint32_t style_index = fileStructures[0]->addStyle(style); colourMap.insert(make_pair(colour,style_index)); return style_index; } uint32_t oPRCFile::addColourWidth(const RGBAColour &colour, double width) { RGBAColourWidth colourwidth(colour.R, colour.G, colour.B, colour.A, width); PRCcolourwidthMap::const_iterator pColour = colourwidthMap.find(colourwidth); if(pColour!=colourwidthMap.end()) return pColour->second; const uint32_t color_index = addColor(PRCRgbColor(colour.R, colour.G, colour.B)); PRCStyle *style = new PRCStyle(); style->line_width = width; style->is_vpicture = false; style->line_pattern_vpicture_index = 0; style->is_material = false; style->color_material_index = color_index; style->is_transparency_defined = (colour.A < 1.0); style->transparency = (uint8_t)(colour.A * 256); style->additional = 0; const uint32_t style_index = fileStructures[0]->addStyle(style); colourwidthMap.insert(make_pair(colourwidth,style_index)); return style_index; } uint32_t oPRCFile::addTransform(PRCGeneralTransformation3d*& transform) { if(!transform) return m1; PRCtransformMap::const_iterator pTransform = transformMap.find(*transform); if(pTransform!=transformMap.end()) return pTransform->second; PRCCoordinateSystem *coordinateSystem = new PRCCoordinateSystem(); bool transform_replaced = false; if( transform->M(0,1)==0 && transform->M(0,2)==0 && transform->M(1,0)==0 && transform->M(1,2)==0 && transform->M(2,0)==0 && transform->M(2,1)==0 && transform->M(3,0)==0 && transform->M(3,1)==0 && transform->M(3,2)==0 && transform->M(3,3)==1 ) { transform_replaced = true; PRCCartesianTransformation3d *carttransform = new PRCCartesianTransformation3d; // if(transform->M(0,3)==0 && transform->M(1,3)==0 && transform->M(1,3)==0 && // transform->M(0,0)==1 && transform->M(1,1)==1 && transform->M(2,2)==1 ) // carttransform->behaviour = PRC_TRANSFORMATION_Identity; if(transform->M(0,3)!=0 || transform->M(1,3)!=0 || transform->M(2,3)!=0) { carttransform->behaviour |= PRC_TRANSFORMATION_Translate; carttransform->origin.Set(transform->M(0,3),transform->M(1,3),transform->M(2,3)); } if(transform->M(0,0)!=transform->M(1,1) || transform->M(0,0)!=transform->M(2,2)) { carttransform->behaviour |= PRC_TRANSFORMATION_NonUniformScale; carttransform->scale.Set(transform->M(0,0),transform->M(1,1),transform->M(2,2)); } else if(transform->M(0,0)!=1) { carttransform->behaviour |= PRC_TRANSFORMATION_Scale; carttransform->uniform_scale=transform->M(0,0); } coordinateSystem->axis_set = carttransform; } else coordinateSystem->axis_set = transform; const uint32_t coordinate_system_index = fileStructures[0]->addCoordinateSystem(coordinateSystem); transformMap.insert(make_pair(*transform,coordinate_system_index)); if(transform_replaced) delete transform; transform = NULL; return coordinate_system_index; } uint32_t oPRCFile::addTransform(const double* t) { if(!t) return m1; PRCGeneralTransformation3d* transform = new PRCGeneralTransformation3d(t); return addTransform(transform); } uint32_t oPRCFile::addTransform(const double origin[3], const double x_axis[3], const double y_axis[3], double scale) { PRCCartesianTransformation3d* transform = new PRCCartesianTransformation3d(origin, x_axis, y_axis, scale); if(transform->behaviour==PRC_TRANSFORMATION_Identity) return m1; PRCCoordinateSystem *coordinateSystem = new PRCCoordinateSystem(); coordinateSystem->axis_set = transform; const uint32_t coordinate_system_index = fileStructures[0]->addCoordinateSystem(coordinateSystem); return coordinate_system_index; } uint32_t oPRCFile::addMaterial(const PRCmaterial& m) { uint32_t material_index = m1; const PRCmaterialgeneric materialgeneric(m); PRCmaterialgenericMap::const_iterator pMaterialgeneric = materialgenericMap.find(materialgeneric); if(pMaterialgeneric!=materialgenericMap.end()) material_index = pMaterialgeneric->second; else { PRCMaterialGeneric *materialGeneric = new PRCMaterialGeneric(); const PRCRgbColor ambient(m.ambient.R, m.ambient.G, m.ambient.B); materialGeneric->ambient = addColor(ambient); const PRCRgbColor diffuse(m.diffuse.R, m.diffuse.G, m.diffuse.B); materialGeneric->diffuse = addColor(diffuse); const PRCRgbColor emissive(m.emissive.R, m.emissive.G, m.emissive.B); materialGeneric->emissive = addColor(emissive); const PRCRgbColor specular(m.specular.R, m.specular.G, m.specular.B); materialGeneric->specular = addColor(specular); materialGeneric->shininess = m.shininess; materialGeneric->ambient_alpha = m.ambient.A; materialGeneric->diffuse_alpha = m.diffuse.A; materialGeneric->emissive_alpha = m.emissive.A; materialGeneric->specular_alpha = m.specular.A; material_index = addMaterialGeneric(materialGeneric); materialgenericMap.insert(make_pair(materialgeneric,material_index)); } uint32_t color_material_index = m1; if(m.picture_data!=NULL) { uint32_t picture_index = m1; PRCpicture picture(m); PRCpictureMap::const_iterator pPicture = pictureMap.find(picture); if(pPicture!=pictureMap.end()) picture_index = pPicture->second; else { picture_index = addPicture(picture); uint8_t* data = new uint8_t[picture.size]; memcpy(data,picture.data,picture.size); picture.data = data; pictureMap.insert(make_pair(picture,picture_index)); } uint32_t texture_definition_index = m1; PRCtexturedefinition texturedefinition(picture_index, m); PRCtexturedefinitionMap::const_iterator pTexturedefinition = texturedefinitionMap.find(texturedefinition); if(pTexturedefinition!=texturedefinitionMap.end()) texture_definition_index = pTexturedefinition->second; else { PRCTextureDefinition *TextureDefinition = new PRCTextureDefinition; if (m.picture_size==216688 && m.picture_format==KEPRCPicture_JPG) TextureDefinition->texture_mapping_attribute=PRC_TEXTURE_MAPPING_OPACITY; TextureDefinition->picture_index = picture_index; TextureDefinition->texture_function = m.picture_replace ? KEPRCTextureFunction_Replace : KEPRCTextureFunction_Modulate; TextureDefinition->texture_wrapping_mode_S = m.picture_repeat ? KEPRCTextureWrappingMode_Repeat : KEPRCTextureWrappingMode_ClampToEdge; TextureDefinition->texture_wrapping_mode_T = m.picture_repeat ? KEPRCTextureWrappingMode_Repeat : KEPRCTextureWrappingMode_ClampToEdge; TextureDefinition->texture_mapping_attribute_components = (m.picture_format==KEPRCPicture_BITMAP_RGB_BYTE || m.picture_format==KEPRCPicture_JPG) ? PRC_TEXTURE_MAPPING_COMPONENTS_RGB : PRC_TEXTURE_MAPPING_COMPONENTS_RGBA; texture_definition_index = addTextureDefinition(TextureDefinition); texturedefinitionMap.insert(make_pair(texturedefinition,texture_definition_index)); } uint32_t texture_application_index = m1; const PRCtextureapplication textureapplication(material_index, texture_definition_index); PRCtextureapplicationMap::const_iterator pTextureapplication = textureapplicationMap.find(textureapplication); if(pTextureapplication!=textureapplicationMap.end()) texture_application_index = pTextureapplication->second; else { PRCTextureApplication *TextureApplication = new PRCTextureApplication; TextureApplication->material_generic_index = material_index; TextureApplication->texture_definition_index = texture_definition_index; texture_application_index = addTextureApplication(TextureApplication); textureapplicationMap.insert(make_pair(textureapplication,texture_application_index)); } color_material_index = texture_application_index; } else color_material_index = material_index; uint32_t style_index = m1; PRCstyle style(0,m.alpha,true,color_material_index); PRCstyleMap::const_iterator pStyle = styleMap.find(style); if(pStyle!=styleMap.end()) style_index = pStyle->second; else { PRCStyle *Style = new PRCStyle(); Style->line_width = 0.0; Style->is_vpicture = false; Style->line_pattern_vpicture_index = 0; Style->is_material = true; Style->is_transparency_defined = (m.alpha < 1.0); Style->transparency = (uint8_t)(m.alpha * 256); Style->additional = 0; Style->color_material_index = color_material_index; style_index = addStyle(Style); styleMap.insert(make_pair(style,style_index)); } // materialMap.insert(make_pair(material,style_index)); return style_index; } void oPRCFile::begingroup(const char *name, PRCoptions *options, const double* t) { const PRCgroup &parent_group = groups.top(); groups.push(PRCgroup()); PRCgroup &group = groups.top(); group.name=name; if(options) group.options=*options; if(t&&!isid(t)) group.transform = new PRCGeneralTransformation3d(t); group.product_occurrence = new PRCProductOccurrence(name); group.parent_product_occurrence = parent_group.product_occurrence; group.part_definition = new PRCPartDefinition; group.parent_part_definition = parent_group.part_definition; } void oPRCFile::endgroup() { if(groups.size()<2) { fputs("begingroup without matching endgroup",stderr); exit(1); } doGroup(groups.top()); groups.pop(); // std::cout << lastgroupname << std::endl; // for(std::vector::const_iterator it=lastgroupnames.begin(); it!=lastgroupnames.end(); it++) // std::cout << " " << *it << std::endl; } PRCgroup& oPRCFile::findGroup() { return groups.top(); } void oPRCFile::addPoints(uint32_t n, const double P[][3], const RGBAColour &c, double w) { if(n==0 || P==NULL) return; PRCgroup &group = findGroup(); PRCPointSet *pointset = new PRCPointSet(); group.pointsets.push_back(pointset); pointset->index_of_line_style = addColourWidth(c,w); pointset->point.reserve(n); for(uint32_t i=0; ipoint.push_back(PRCVector3d(P[i][0],P[i][1],P[i][2])); } void oPRCFile::useMesh(uint32_t tess_index, uint32_t style_index, const double origin[3], const double x_axis[3], const double y_axis[3], double scale) { PRCgroup &group = findGroup(); PRCPolyBrepModel *polyBrepModel = new PRCPolyBrepModel(); polyBrepModel->index_local_coordinate_system = addTransform(origin, x_axis, y_axis, scale); polyBrepModel->index_tessellation = tess_index; polyBrepModel->is_closed = group.options.closed; polyBrepModel->index_of_line_style = style_index; group.polymodels.push_back(polyBrepModel); } void oPRCFile::useMesh(uint32_t tess_index, uint32_t style_index, const double* t) { PRCgroup &group = findGroup(); PRCPolyBrepModel *polyBrepModel = new PRCPolyBrepModel(); polyBrepModel->index_local_coordinate_system = addTransform(t); polyBrepModel->index_tessellation = tess_index; polyBrepModel->is_closed = group.options.closed; polyBrepModel->index_of_line_style = style_index; group.polymodels.push_back(polyBrepModel); } void oPRCFile::useLines(uint32_t tess_index, uint32_t style_index, const double origin[3], const double x_axis[3], const double y_axis[3], double scale) { PRCgroup &group = findGroup(); PRCPolyWire *polyWire = new PRCPolyWire(); polyWire->index_local_coordinate_system = addTransform(origin, x_axis, y_axis, scale); polyWire->index_tessellation = tess_index; polyWire->index_of_line_style = style_index; group.polywires.push_back(polyWire); } void oPRCFile::useLines(uint32_t tess_index, uint32_t style_index, const double* t) { PRCgroup &group = findGroup(); PRCPolyWire *polyWire = new PRCPolyWire(); polyWire->index_local_coordinate_system = addTransform(t); polyWire->index_tessellation = tess_index; polyWire->index_of_line_style = style_index; group.polywires.push_back(polyWire); } void oPRCFile::addQuads(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[][4], const PRCmaterial &m, uint32_t nN, const double N[][3], const uint32_t NI[][4], uint32_t nT, const double T[][2], const uint32_t TI[][4], uint32_t nC, const RGBAColour C[], const uint32_t CI[][4], uint32_t nM, const PRCmaterial M[], const uint32_t MI[], double ca) { if(nP==0 || P==NULL || nI==0 || PI==NULL) return; const uint32_t tess_index = createQuadMesh(nP, P, nI, PI, m, nN, N, NI, nT, T, TI, nC, C, CI, nM, M, MI, ca); useMesh(tess_index,m1); } uint32_t oPRCFile::createQuadMesh(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[][4], uint32_t style_index, uint32_t nN, const double N[][3], const uint32_t NI[][4], uint32_t nT, const double T[][2], const uint32_t TI[][4], uint32_t nC, const RGBAColour C[], const uint32_t CI[][4], uint32_t nS, const uint32_t S[], const uint32_t SI[], double ca) { if(nP==0 || P==NULL || nI==0 || PI==NULL) return m1; const bool triangle_color = (nS != 0 && S != NULL && SI != NULL); const bool vertex_color = (nC != 0 && C != NULL && CI != NULL); const bool has_normals = (nN != 0 && N != NULL && NI != NULL); const bool textured = (nT != 0 && T != NULL && TI != NULL); PRC3DTess *tess = new PRC3DTess(); PRCTessFace *tessFace = new PRCTessFace(); tessFace->used_entities_flag = textured ? PRC_FACETESSDATA_TriangleTextured : PRC_FACETESSDATA_Triangle; tessFace->number_of_texture_coordinate_indexes = textured ? 1 : 0; tess->coordinates.reserve(3*nP); for(uint32_t i=0; icoordinates.push_back(P[i][0]); tess->coordinates.push_back(P[i][1]); tess->coordinates.push_back(P[i][2]); } if(has_normals) { tess->normal_coordinate.reserve(3*nN); for(uint32_t i=0; inormal_coordinate.push_back(N[i][0]); tess->normal_coordinate.push_back(N[i][1]); tess->normal_coordinate.push_back(N[i][2]); } } else tess->crease_angle = ca; if(textured) { tess->texture_coordinate.reserve(2*nT); for(uint32_t i=0; itexture_coordinate.push_back(T[i][0]); tess->texture_coordinate.push_back(T[i][1]); } } tess->triangulated_index.reserve(2*(3*nI+(has_normals?3:0)*nI+(textured?3:0)*nI)); for(uint32_t i=0; itriangulated_index.push_back(3*NI[i][0]); if(textured) tess->triangulated_index.push_back(2*TI[i][0]); tess->triangulated_index.push_back(3*PI[i][0]); if(has_normals) tess->triangulated_index.push_back(3*NI[i][1]); if(textured) tess->triangulated_index.push_back(2*TI[i][1]); tess->triangulated_index.push_back(3*PI[i][1]); if(has_normals) tess->triangulated_index.push_back(3*NI[i][3]); if(textured) tess->triangulated_index.push_back(2*TI[i][3]); tess->triangulated_index.push_back(3*PI[i][3]); // second triangle if(has_normals) tess->triangulated_index.push_back(3*NI[i][1]); if(textured) tess->triangulated_index.push_back(2*TI[i][1]); tess->triangulated_index.push_back(3*PI[i][1]); if(has_normals) tess->triangulated_index.push_back(3*NI[i][2]); if(textured) tess->triangulated_index.push_back(2*TI[i][2]); tess->triangulated_index.push_back(3*PI[i][2]); if(has_normals) tess->triangulated_index.push_back(3*NI[i][3]); if(textured) tess->triangulated_index.push_back(2*TI[i][3]); tess->triangulated_index.push_back(3*PI[i][3]); } tessFace->sizes_triangulated.push_back(2*nI); if(triangle_color) { tessFace->line_attributes.reserve(2*nI); for(uint32_t i=0; iline_attributes.push_back(SI[i]); tessFace->line_attributes.push_back(SI[i]); } } else { tessFace->line_attributes.push_back(style_index); } if(vertex_color) { tessFace->is_rgba=false; for(uint32_t i=0; iis_rgba=true; break; } tessFace->rgba_vertices.reserve(2*(tessFace->is_rgba?4:3)*3*nI); for(uint32_t i=0; irgba_vertices.push_back(byte(C[CI[i][0]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][0]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][0]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][0]].A)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].A)); tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].A)); // second triangle tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][1]].A)); tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][2]].A)); tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].R)); tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].G)); tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].B)); if(tessFace->is_rgba) tessFace->rgba_vertices.push_back(byte(C[CI[i][3]].A)); } } tess->addTessFace(tessFace); const uint32_t tess_index = add3DTess(tess); return tess_index; } /* void oPRCFile::addTriangle(const double P[][3], const double T[][2], uint32_t style_index) { PRCgroup &group = findGroup(); group.triangles.push_back(PRCtesstriangle()); PRCtesstriangle &triangle = group.triangles.back(); for(size_t i = 0; i < 3; i++) { triangle.vertices[i].x = P[i][0]; triangle.vertices[i].y = P[i][1]; triangle.vertices[i].z = P[i][2]; triangle.texcoords[i].x = T[i][0]; triangle.texcoords[i].y = T[i][1]; } triangle.style = style_index; } */ void oPRCFile::addLines(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[], const RGBAColour& c, double w, bool segment_color, uint32_t nC, const RGBAColour C[], uint32_t nCI, const uint32_t CI[]) { if(nP==0 || P==NULL || nI==0 || PI==NULL) return; const uint32_t tess_index = createLines(nP, P, nI, PI, segment_color, nC, C, nCI, CI); useLines(tess_index, c, w); } uint32_t oPRCFile::createLines(uint32_t nP, const double P[][3], uint32_t nI, const uint32_t PI[], bool segment_color, uint32_t nC, const RGBAColour C[], uint32_t nCI, const uint32_t CI[]) { if(nP==0 || P==NULL || nI==0 || PI==NULL) return m1; const bool vertex_color = (nC != 0 && C != NULL && CI != NULL); PRC3DWireTess *tess = new PRC3DWireTess(); tess->coordinates.reserve(3*nP); for(uint32_t i=0; icoordinates.push_back(P[i][0]); tess->coordinates.push_back(P[i][1]); tess->coordinates.push_back(P[i][2]); } tess->wire_indexes.reserve(nI); for(uint32_t i=0; iwire_indexes.push_back(PI[i]); const uint32_t ni = i+PI[i]+1; for(i++; iwire_indexes.push_back(3*PI[i]); } if(vertex_color) { tess->is_segment_color = segment_color; tess->is_rgba=false; for(uint32_t i=0; iis_rgba=true; break; } tess->rgba_vertices.reserve((tess->is_rgba?4:3)*nCI); for(uint32_t i=0; irgba_vertices.push_back(byte(C[CI[i]].R)); tess->rgba_vertices.push_back(byte(C[CI[i]].G)); tess->rgba_vertices.push_back(byte(C[CI[i]].B)); if(tess->is_rgba) tess->rgba_vertices.push_back(byte(C[CI[i]].A)); } } const uint32_t tess_index = add3DWireTess(tess); return tess_index; } #define PRCFACETRANSFORM const double origin[3], const double x_axis[3], const double y_axis[3], double scale, const double* t void oPRCFile::addHemisphere(double radius, const PRCmaterial &m, PRCFACETRANSFORM) { ADDFACE(PRCSphere) SETTRANSF surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 2*pi; surface->uv_domain.min.y = 0; surface->uv_domain.max.y = 0.5*pi; surface->radius = radius; } void oPRCFile::addSphere(double radius, const PRCmaterial &m, PRCFACETRANSFORM) { ADDFACE(PRCSphere) SETTRANSF surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 2*pi; surface->uv_domain.min.y =-0.5*pi; surface->uv_domain.max.y = 0.5*pi; surface->radius = radius; } void oPRCFile::addDisk(double radius, const PRCmaterial &m, PRCFACETRANSFORM) { ADDFACE(PRCRuled) SETTRANSF PRCCircle *first_curve = new PRCCircle; first_curve->radius = radius; surface->first_curve = first_curve; PRCCircle *second_curve = new PRCCircle; second_curve->radius = 0; surface->second_curve = second_curve; surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 1; surface->uv_domain.min.y = 0; surface->uv_domain.max.y = 2*pi; surface->parameterization_on_v_coeff_a = -1; surface->parameterization_on_v_coeff_b = 2*pi; } void oPRCFile::addCylinder(double radius, double height, const PRCmaterial &m, PRCFACETRANSFORM) { ADDFACE(PRCCylinder) SETTRANSF surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 2*pi; surface->uv_domain.min.y = (height>0)?0:height; surface->uv_domain.max.y = (height>0)?height:0; surface->radius = radius; } void oPRCFile::addCone(double radius, double height, const PRCmaterial &m, PRCFACETRANSFORM) { ADDFACE(PRCCone) SETTRANSF surface->uv_domain.min.x = 0; surface->uv_domain.max.x = 2*pi; surface->uv_domain.min.y = (height>0)?0:height; surface->uv_domain.max.y = (height>0)?height:0; surface->bottom_radius = radius; surface->semi_angle = -atan(radius/height);; } void oPRCFile::addTorus(double major_radius, double minor_radius, double angle1, double angle2, const PRCmaterial &m, PRCFACETRANSFORM) { ADDFACE(PRCTorus) SETTRANSF surface->uv_domain.min.x = (angle1/180)*pi; surface->uv_domain.max.x = (angle2/180)*pi; surface->uv_domain.min.y = 0; surface->uv_domain.max.y = 2*pi; surface->major_radius = major_radius; surface->minor_radius = minor_radius; } #undef ADDWIRE #undef SETTRANSF uint32_t PRCFileStructure::addMaterialGeneric(PRCMaterialGeneric*& pMaterialGeneric) { materials.push_back(pMaterialGeneric); pMaterialGeneric = NULL; return materials.size()-1; } uint32_t PRCFileStructure::addTextureApplication(PRCTextureApplication*& pTextureApplication) { materials.push_back(pTextureApplication); pTextureApplication = NULL; return materials.size()-1; } uint32_t PRCFileStructure::addStyle(PRCStyle*& pStyle) { styles.push_back(pStyle); pStyle = NULL; return styles.size()-1; } uint32_t PRCFileStructure::addPartDefinition(PRCPartDefinition*& pPartDefinition) { part_definitions.push_back(pPartDefinition); pPartDefinition = NULL; return part_definitions.size()-1; } uint32_t PRCFileStructure::addProductOccurrence(PRCProductOccurrence*& pProductOccurrence) { product_occurrences.push_back(pProductOccurrence); pProductOccurrence = NULL; return product_occurrences.size()-1; } uint32_t PRCFileStructure::addTopoContext(PRCTopoContext*& pTopoContext) { contexts.push_back(pTopoContext); pTopoContext = NULL; return contexts.size()-1; } uint32_t PRCFileStructure::getTopoContext(PRCTopoContext*& pTopoContext) { pTopoContext = new PRCTopoContext; contexts.push_back(pTopoContext); return contexts.size()-1; } uint32_t PRCFileStructure::add3DTess(PRC3DTess*& p3DTess) { tessellations.push_back(p3DTess); p3DTess = NULL; return tessellations.size()-1; } uint32_t PRCFileStructure::add3DWireTess(PRC3DWireTess*& p3DWireTess) { tessellations.push_back(p3DWireTess); p3DWireTess = NULL; return tessellations.size()-1; } /* uint32_t PRCFileStructure::addMarkupTess(PRCMarkupTess*& pMarkupTess) { tessellations.push_back(pMarkupTess); pMarkupTess = NULL; return tessellations.size()-1; } uint32_t PRCFileStructure::addMarkup(PRCMarkup*& pMarkup) { markups.push_back(pMarkup); pMarkup = NULL; return markups.size()-1; } uint32_t PRCFileStructure::addAnnotationItem(PRCAnnotationItem*& pAnnotationItem) { annotation_entities.push_back(pAnnotationItem); pAnnotationItem = NULL; return annotation_entities.size()-1; } */ uint32_t PRCFileStructure::addCoordinateSystem(PRCCoordinateSystem*& pCoordinateSystem) { reference_coordinate_systems.push_back(pCoordinateSystem); pCoordinateSystem = NULL; return reference_coordinate_systems.size()-1; } uint32_t PRCFileStructure::addCoordinateSystemUnique(PRCCoordinateSystem*& pCoordinateSystem) { for(uint32_t i = 0; i < reference_coordinate_systems.size(); ++i) { if(*(reference_coordinate_systems[i])==*pCoordinateSystem) { pCoordinateSystem = NULL; return i; } } reference_coordinate_systems.push_back(pCoordinateSystem); pCoordinateSystem = NULL; return reference_coordinate_systems.size()-1; } } asymptote-2.62/prc/writePRC.cc0000644000000000000000000020227713607467113015002 0ustar rootroot/************ * * This file is part of a tool for producing 3D content in the PRC format. * Copyright (C) 2008 Orest Shardt and * Michail Vidiassov * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #include "writePRC.h" #include #include // debug print includes #include #include #include #include #if !defined(__GNUC__) || defined(__clang__) #include #endif using namespace std; #ifndef __GNUC_PREREQ #define __GNUC_PREREQ(maj, min) (0) #endif // Count leading zeros. uint32_t CLZ(uint32_t a) { #if __GNUC_PREREQ(3,4) return __builtin_clz(a); #else // find the log base 2 of a 32-bit integer static const int MultiplyDeBruijnBitPosition[32] = { 0, 9, 1, 10, 13, 21, 2, 29, 11, 14, 16, 18, 22, 25, 3, 30, 8, 12, 20, 28, 15, 17, 24, 7, 19, 27, 23, 6, 26, 5, 4, 31 }; a |= a >> 1; // first round down to one less than a power of 2 a |= a >> 2; a |= a >> 4; a |= a >> 8; a |= a >> 16; return 31-MultiplyDeBruijnBitPosition[(uint32_t)(a * 0x07C4ACDDU) >> 27]; #endif } // Portable integer implementation of ceil(log2(x)). uint32_t Log2(uint32_t x) { assert(x != 0); uint32_t L=31-CLZ(x); return ((uint32_t) 1 << L == x) ? L : L+1; } #define WriteUnsignedInteger( value ) pbs << (uint32_t)(value); #define WriteInteger( value ) pbs << (int32_t)(value); #define WriteCharacter( value ) pbs << (uint8_t)(value); #define WriteDouble( value ) pbs << (double)(value); #define WriteBit( value ) pbs << (bool)(value); #define WriteBoolean( value ) pbs << (bool)(value); #define WriteString( value ) pbs << (value); #define SerializeContentPRCBase serializeContentPRCBase(pbs); #define SerializeGraphics serializeGraphics(pbs); #define SerializePRCBaseWithGraphics { serializeContentPRCBase(pbs); serializeGraphics(pbs); } #define SerializeRepresentationItemContent serializeRepresentationItemContent(pbs); #define SerializeRepresentationItem( value ) (value)->serializeRepresentationItem(pbs); #define SerializeMarkup( value ) (value).serializeMarkup(pbs); #define SerializeReferenceUniqueIdentifier( value ) (value).serializeReferenceUniqueIdentifier(pbs); #define SerializeContentBaseTessData serializeContentBaseTessData(pbs); #define SerializeTessFace( value ) (value)->serializeTessFace(pbs); #define SerializeUserData UserData(0,0).write(pbs); #define SerializeLineAttr( value ) pbs << (uint32_t)((value)+1); #define SerializeVector3d( value ) (value).serializeVector3d(pbs); #define SerializeVector2d( value ) (value).serializeVector2d(pbs); #define SerializeName( value ) writeName(pbs, (value)); #define SerializeInterval( value ) (value).serializeInterval(pbs); // #define SerializeBoundingBox( value ) (value).serializeBoundingBox(pbs); #define SerializeDomain( value ) (value).serializeDomain(pbs); #define SerializeParameterization serializeParameterization(pbs); #define SerializeUVParameterization serializeUVParameterization(pbs); #define SerializeTransformation serializeTransformation(pbs); #define SerializeBaseTopology serializeBaseTopology(pbs); #define SerializeBaseGeometry serializeBaseGeometry(pbs); #define SerializePtrCurve( value ) {WriteBoolean( false ); if((value)==NULL) pbs << (uint32_t)PRC_TYPE_ROOT; else (value)->serializeCurve(pbs);} #define SerializePtrSurface( value ) {WriteBoolean( false ); if((value)==NULL) pbs << (uint32_t)PRC_TYPE_ROOT; else (value)->serializeSurface(pbs);} #define SerializePtrTopology( value ) {WriteBoolean( false ); if((value)==NULL) pbs << (uint32_t)PRC_TYPE_ROOT; else (value)->serializeTopoItem(pbs);} #define SerializeContentCurve serializeContentCurve(pbs); #define SerializeContentWireEdge serializeContentWireEdge(pbs); #define SerializeContentBody serializeContentBody(pbs); #define SerializeTopoContext serializeTopoContext(pbs); #define SerializeContextAndBodies( value ) (value).serializeContextAndBodies(pbs); #define SerializeBody( value ) (value)->serializeBody(pbs); #define ResetCurrentGraphics resetGraphics(); #define SerializeContentSurface serializeContentSurface(pbs); #define SerializeCompressedUniqueId( value ) (value).serializeCompressedUniqueId(pbs); #define SerializeUnit( value ) (value).serializeUnit(pbs); #define SerializeBoundingBox serializeBoundingBox(pbs); #define SerializeAttributeEntry serializeAttributeEntry(pbs); #define SerializeContentSingleAttribute( value ) (value).serializeSingleAttribute(pbs); #define SerializeAttribute( value ) (value).serializeAttribute(pbs); #define SerializeAttributeData serializeAttributes(pbs); #define WriteUncompressedUnsignedInteger( value ) writeUncompressedUnsignedInteger(out, (uint32_t)(value)); #define SerializeFileStructureUncompressedUniqueId( value ) (value).serializeFileStructureUncompressedUniqueId(out); void writeUncompressedUnsignedInteger(ostream &out, uint32_t data) { #ifdef WORDS_BIGENDIAN out.write(((char*)&data)+3,1); out.write(((char*)&data)+2,1); out.write(((char*)&data)+1,1); out.write(((char*)&data)+0,1); #else out.write(((char*)&data)+0,1); out.write(((char*)&data)+1,1); out.write(((char*)&data)+2,1); out.write(((char*)&data)+3,1); #endif } double PRCVector3d::Length() { return sqrt(x*x+y*y+z*z); } bool PRCVector3d::Normalize() { double fLength=Length(); if(fLength < FLT_EPSILON) return false; double factor=1.0/fLength; x *= factor; y *= factor; z *= factor; return true; } double PRCVector2d::Length() { return sqrt(x*x+y*y); } bool PRCVector2d::Normalize() { double fLength=Length(); if(fLength < FLT_EPSILON) return false; double factor=1.0/fLength; x *= factor; y *= factor; return true; } void PRCVector2d::serializeVector2d(PRCbitStream &pbs) { WriteDouble (x) WriteDouble (y) } uint32_t makeCADID() { static uint32_t ID = 1; return ID++; } uint32_t makePRCID() { static uint32_t ID = 1; return ID++; } bool type_eligible_for_reference(uint32_t type) { if( type == PRC_TYPE_MISC_EntityReference || type == PRC_TYPE_MISC_MarkupLinkedItem || type == PRC_TYPE_RI_BrepModel || type == PRC_TYPE_RI_Curve || type == PRC_TYPE_RI_Direction || type == PRC_TYPE_RI_Plane || type == PRC_TYPE_RI_PointSet || type == PRC_TYPE_RI_PolyBrepModel || type == PRC_TYPE_RI_PolyWire || type == PRC_TYPE_RI_Set || type == PRC_TYPE_RI_CoordinateSystem || type == PRC_TYPE_ASM_ProductOccurence || type == PRC_TYPE_ASM_PartDefinition || type == PRC_TYPE_ASM_Filter || type == PRC_TYPE_MKP_View || type == PRC_TYPE_MKP_Markup || type == PRC_TYPE_MKP_Leader || type == PRC_TYPE_MKP_AnnotationItem || type == PRC_TYPE_MKP_AnnotationSet || type == PRC_TYPE_MKP_AnnotationReference || type == PRC_TYPE_GRAPH_Style || type == PRC_TYPE_GRAPH_Material || type == PRC_TYPE_GRAPH_TextureApplication || type == PRC_TYPE_GRAPH_TextureDefinition || type == PRC_TYPE_GRAPH_LinePattern || type == PRC_TYPE_GRAPH_DottingPattern || type == PRC_TYPE_GRAPH_HatchingPattern || type == PRC_TYPE_GRAPH_SolidPattern || type == PRC_TYPE_GRAPH_VPicturePattern || type == PRC_TYPE_GRAPH_AmbientLight || type == PRC_TYPE_GRAPH_PointLight || type == PRC_TYPE_GRAPH_DirectionalLight || type == PRC_TYPE_GRAPH_SpotLight || type == PRC_TYPE_GRAPH_SceneDisplayParameters || type == PRC_TYPE_GRAPH_Camera ) return true; else return false; } void UserData::write(PRCbitStream &pbs) { pbs << size; if(size > 0) { uint32_t quot=size/8; uint32_t rem=size-8*quot; for(uint32_t i = 0; i < quot; ++i) pbs << data[i]; for(uint32_t j = 0; j < rem; ++j) // 0-based, big endian bit counting pbs << (bool)((data[quot] & (0x80 >> j))!=0); } } void PRCAttributeEntry::serializeAttributeEntry(PRCbitStream &pbs) const { WriteBoolean (title_is_integer) if (title_is_integer) WriteUnsignedInteger (title_integer) else WriteString (title_text) } void PRCSingleAttribute::serializeSingleAttribute(PRCbitStream &pbs) const { SerializeAttributeEntry WriteUnsignedInteger (type) switch (type) { case KEPRCModellerAttributeTypeInt: WriteInteger (value.integer) break; case KEPRCModellerAttributeTypeReal: WriteDouble (value.real) break; case KEPRCModellerAttributeTypeTime: WriteUnsignedInteger (value.time) break; case KEPRCModellerAttributeTypeString: WriteString (value_text) break; default: break; } } void PRCAttribute::serializeAttribute(PRCbitStream &pbs) const { WriteUnsignedInteger (PRC_TYPE_MISC_Attribute) SerializeAttributeEntry const uint32_t size_of_attribute_keys = attribute_keys.size(); WriteUnsignedInteger (size_of_attribute_keys) for(uint32_t i=0;i 1) WriteInteger (texture_wrapping_mode_T) // Texture wrapping mode if (texture_dimension > 2 ) WriteInteger (texture_wrapping_mode_R) // Texture wrapping mode WriteBit (texture_transformation) // if (texture_transformation) // SerializeTextureTransformation (texture_transformation) } void PRCMaterialGeneric::serializeMaterialGeneric(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_GRAPH_Material) SerializeContentPRCBase WriteUnsignedInteger (ambient + 1) WriteUnsignedInteger (diffuse + 1) WriteUnsignedInteger (emissive + 1) WriteUnsignedInteger (specular + 1) WriteDouble (shininess) WriteDouble (ambient_alpha) WriteDouble (diffuse_alpha) WriteDouble (emissive_alpha) WriteDouble (specular_alpha) } void PRCTextureApplication::serializeTextureApplication(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_GRAPH_TextureApplication) SerializeContentPRCBase WriteUnsignedInteger (material_generic_index+1) WriteUnsignedInteger (texture_definition_index+1) WriteUnsignedInteger (next_texture_index+1) WriteUnsignedInteger (UV_coordinates_index+1) } void PRCLinePattern::serializeLinePattern(PRCbitStream &pbs) { uint32_t i = 0; WriteUnsignedInteger (PRC_TYPE_GRAPH_LinePattern) SerializeContentPRCBase const uint32_t size_lengths = lengths.size(); WriteUnsignedInteger (size_lengths) for (i=0;i>8)&0xFF); current_layer_index = l; current_index_of_line_style = i; current_behaviour_bit_field = b; } else pbs << true; } void writeGraphics(PRCbitStream &pbs,const PRCGraphics &graphics,bool force) { if(force || current_layer_index != graphics.layer_index || current_index_of_line_style != graphics.index_of_line_style || current_behaviour_bit_field != graphics.behaviour_bit_field) { pbs << false << (uint32_t)(graphics.layer_index+1) << (uint32_t)(graphics.index_of_line_style+1) << (uint8_t)(graphics.behaviour_bit_field&0xFF) << (uint8_t)((graphics.behaviour_bit_field>>8)&0xFF); current_layer_index = graphics.layer_index; current_index_of_line_style = graphics.index_of_line_style; current_behaviour_bit_field = graphics.behaviour_bit_field; } else pbs << true; } void PRCGraphics::serializeGraphics(PRCbitStream &pbs) { if(current_layer_index != this->layer_index || current_index_of_line_style != this->index_of_line_style || current_behaviour_bit_field != this->behaviour_bit_field) { pbs << false << (uint32_t)(this->layer_index+1) << (uint32_t)(this->index_of_line_style+1) << (uint8_t)(this->behaviour_bit_field&0xFF) << (uint8_t)((this->behaviour_bit_field>>8)&0xFF); current_layer_index = this->layer_index; current_index_of_line_style = this->index_of_line_style; current_behaviour_bit_field = this->behaviour_bit_field; } else pbs << true; } void PRCGraphics::serializeGraphicsForced(PRCbitStream &pbs) { pbs << false << (uint32_t)(this->layer_index+1) << (uint32_t)(this->index_of_line_style+1) << (uint8_t)(this->behaviour_bit_field&0xFF) << (uint8_t)((this->behaviour_bit_field>>8)&0xFF); current_layer_index = this->layer_index; current_index_of_line_style = this->index_of_line_style; current_behaviour_bit_field = this->behaviour_bit_field; } void resetGraphics() { current_layer_index = m1; current_index_of_line_style = m1; current_behaviour_bit_field = 1; } void resetGraphicsAndName() { resetGraphics(); resetName(); } void PRCMarkup::serializeMarkup(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_MKP_Markup) SerializeContentPRCBase SerializeGraphics WriteUnsignedInteger (type) WriteUnsignedInteger (sub_type) const uint32_t number_of_linked_items = 0; WriteUnsignedInteger (number_of_linked_items) // for (i=0;iserializeTransformation3d(pbs); SerializeUserData } void PRCFontKeysSameFont::serializeFontKeysSameFont(PRCbitStream &pbs) { uint32_t i=0; // universal index for PRC standart compatibility WriteString (font_name) WriteUnsignedInteger (char_set) const uint32_t number_of_font_keys = font_keys.size(); WriteUnsignedInteger (number_of_font_keys) for (i=0;i &rgba_vertices,const bool is_rgba, PRCbitStream &pbs) { uint32_t i = 0; uint32_t j = 0; // number_by_vector can be assigned a value of 3 (RGB) or 4 (RGBA). // number_of_vectors is equal to number_of_colors / number_by_vector. const uint32_t number_by_vector=is_rgba?4:3; const std::vector &vector_color = rgba_vertices; const uint32_t number_of_colors=vector_color.size(); const uint32_t number_of_vectors=number_of_colors / number_by_vector; // first one for (i=0;i= 1u<<(bit_number - 1 - i) ) { WriteBoolean (true) value -= 1u<<(bit_number - 1 - i); } else { WriteBoolean (false) } } } #define WriteUnsignedIntegerWithVariableBitNumber( value, bit_number ) writeUnsignedIntegerWithVariableBitNumber( pbs, (value), (bit_number) ); void writeIntegerWithVariableBitNumber(PRCbitStream &pbs, int32_t iValue, uint32_t uBitNumber) { WriteBoolean(iValue<0); WriteUnsignedIntegerWithVariableBitNumber(abs(iValue), uBitNumber - 1); } #define WriteIntegerWithVariableBitNumber( value, bit_number ) writeIntegerWithVariableBitNumber( pbs, (value), (bit_number) ); void writeDoubleWithVariableBitNumber(PRCbitStream &pbs, double dValue,double dTolerance, unsigned uBitNumber) { // calling functions must ensure no overflow int32_t iTempValue = (int32_t) ( dValue / dTolerance ); WriteIntegerWithVariableBitNumber(iTempValue, uBitNumber); } #define WriteDoubleWithVariableBitNumber( value, bit_number ) writeDoubleWithVariableBitNumber( pbs, (value), (bit_number) ); uint32_t GetNumberOfBitsUsedToStoreUnsignedInteger(uint32_t uValue) { uint32_t uNbBit=2; uint32_t uTemp = 2; while(uValue >= uTemp) { uTemp*=2; uNbBit++; } return uNbBit-1; } void writeNumberOfBitsThenUnsignedInteger(PRCbitStream &pbs, uint32_t unsigned_integer) { uint32_t number_of_bits = GetNumberOfBitsUsedToStoreUnsignedInteger( unsigned_integer ); WriteUnsignedIntegerWithVariableBitNumber ( number_of_bits, 5 ) WriteUnsignedIntegerWithVariableBitNumber ( unsigned_integer, number_of_bits ) } #define WriteNumberOfBitsThenUnsignedInteger( value ) writeNumberOfBitsThenUnsignedInteger( pbs, value ); uint32_t GetNumberOfBitsUsedToStoreInteger(int32_t iValue) { return GetNumberOfBitsUsedToStoreUnsignedInteger(abs(iValue))+1; } int32_t intdiv(double dValue, double dTolerance) { double ratio=fabs(dValue)/dTolerance; assert(ratio <= INT_MAX); int32_t iTempValue=(int32_t) ratio; if(ratio - iTempValue >= 0.5) iTempValue++; if(dValue < 0) return -iTempValue; else return iTempValue; } // round dValue to nearest multiple of dTolerance double roundto(double dValue, double dTolerance) { return intdiv(dValue, dTolerance) * dTolerance; } PRCVector3d roundto(PRCVector3d vec, double dTolerance) { PRCVector3d res; res.x = roundto(vec.x,dTolerance); res.y = roundto(vec.y,dTolerance); res.z = roundto(vec.z,dTolerance); return res; } uint32_t GetNumberOfBitsUsedToStoreDouble(double dValue, double dTolerance ) { return GetNumberOfBitsUsedToStoreInteger(intdiv(dValue,dTolerance)); } struct itriple { int32_t x; int32_t y; int32_t z; }; uint32_t GetNumberOfBitsUsedToStoreTripleInteger(const itriple &iTriple) { const uint32_t x_bits = GetNumberOfBitsUsedToStoreInteger(iTriple.x); const uint32_t y_bits = GetNumberOfBitsUsedToStoreInteger(iTriple.y); const uint32_t z_bits = GetNumberOfBitsUsedToStoreInteger(iTriple.z); uint32_t bits = x_bits; if(y_bits > bits) bits = y_bits; if(z_bits > bits) bits = z_bits; return bits; } itriple iroundto(PRCVector3d vec, double dTolerance) { itriple res; res.x = intdiv(vec.x, dTolerance); res.y = intdiv(vec.y, dTolerance); res.z = intdiv(vec.z, dTolerance); return res; } void PRCCompressedFace::serializeCompressedFace(PRCbitStream &pbs, double brep_data_compressed_tolerance) { serializeCompressedAnaNurbs( pbs, brep_data_compressed_tolerance ); } #define SerializeCompressedFace( value ) (value)->serializeCompressedFace( pbs, brep_data_compressed_tolerance ); void PRCCompressedFace::serializeContentCompressedFace(PRCbitStream &pbs) { WriteBoolean ( orientation_surface_with_shell ) const bool surface_is_trimmed = false; WriteBoolean ( surface_is_trimmed ) } void PRCCompressedFace::serializeCompressedAnaNurbs(PRCbitStream &pbs, double brep_data_compressed_tolerance) { // WriteCompressedEntityType ( PRC_HCG_AnaNurbs ) const bool is_a_curve = false; WriteBoolean ( is_a_curve ) WriteUnsignedIntegerWithVariableBitNumber (13 , 4) serializeContentCompressedFace( pbs ); serializeCompressedNurbs( pbs, brep_data_compressed_tolerance ); } void PRCCompressedFace::serializeCompressedNurbs(PRCbitStream &pbs, double brep_data_compressed_tolerance) { const double nurbs_tolerance = 0.2*brep_data_compressed_tolerance; const uint32_t degree_in_u = degree; const uint32_t degree_in_v = degree; WriteUnsignedIntegerWithVariableBitNumber ( degree_in_u, 5) WriteUnsignedIntegerWithVariableBitNumber ( degree_in_v, 5) const uint32_t number_of_knots_in_u = 4; // 0011 or 00001111 knot vector - just 2 spans WriteUnsignedIntegerWithVariableBitNumber (number_of_knots_in_u - 2, 16) uint32_t number_bit = degree_in_u ? Log2( degree_in_u + 2 ) : 2; WriteBoolean (false) // Multiplicity_is_already_stored - no WriteUnsignedIntegerWithVariableBitNumber( degree_in_u+1,number_bit) WriteBoolean (true) // Multiplicity_is_already_stored - yes const uint32_t number_of_knots_in_v = 4; // 0011 or 00001111 knot vector - just 2 spans WriteUnsignedIntegerWithVariableBitNumber (number_of_knots_in_v - 2, 16) number_bit = degree_in_v ? Log2( degree_in_v + 2 ) : 2; WriteBoolean (false) // Multiplicity_is_already_stored - no WriteUnsignedIntegerWithVariableBitNumber( degree_in_v+1,number_bit) WriteBoolean (true) // Multiplicity_is_already_stored - yes const bool is_closed_u = false; WriteBoolean ( is_closed_u ) const bool is_closed_v = false; WriteBoolean ( is_closed_v ) const uint32_t number_of_control_point_in_u = degree_in_u + 1; const uint32_t number_of_control_point_in_v = degree_in_v + 1; #if defined(__GNUC__) && !defined(__clang__) PRCVector3d P[number_of_control_point_in_u][number_of_control_point_in_v]; #else vector > P(number_of_control_point_in_u, vector(number_of_control_point_in_v)); #endif for(uint32_t i=0;i > compressed_control_point(number_of_control_point_in_u, vector(number_of_control_point_in_v)); vector > control_point_type(number_of_control_point_in_u, vector(number_of_control_point_in_v)); #endif uint32_t number_of_bits_for_isomin = 1; uint32_t number_of_bits_for_rest = 1; for(uint32_t j = 1; j < number_of_control_point_in_v; j++) { compressed_control_point[0][j] = iroundto(P[0][j]-P[0][j-1], nurbs_tolerance ); P[0][j] = P[0][j-1] + roundto(P[0][j]-P[0][j-1], nurbs_tolerance); uint32_t bit_size = GetNumberOfBitsUsedToStoreTripleInteger(compressed_control_point[0][j]); if (bit_size > number_of_bits_for_isomin) number_of_bits_for_isomin = bit_size; } for(uint32_t i = 1; i < number_of_control_point_in_u; i++) { compressed_control_point[i][0] = iroundto(P[i][0]-P[i-1][0], nurbs_tolerance ); P[i][0] = P[i-1][0] + roundto(P[i][0]-P[i-1][0], nurbs_tolerance); uint32_t bit_size = GetNumberOfBitsUsedToStoreTripleInteger(compressed_control_point[i][0]); if (bit_size > number_of_bits_for_isomin) number_of_bits_for_isomin = bit_size; } for(uint32_t i=1;i number_of_bits_for_rest) number_of_bits_for_rest = bit_size; } if( number_of_bits_for_rest == 2 ) number_of_bits_for_rest--; // really I think it must be unconditional, but so it seems to be done in Adobe Acrobat (9.3) WriteUnsignedIntegerWithVariableBitNumber ( number_of_bits_for_isomin, 20 ) WriteUnsignedIntegerWithVariableBitNumber ( number_of_bits_for_rest, 20 ) WriteDouble ( P[0][0].x ) WriteDouble ( P[0][0].y ) WriteDouble ( P[0][0].z ) for(uint32_t j = 1; j < number_of_control_point_in_v; j++) { WriteIntegerWithVariableBitNumber(compressed_control_point[0][j].x, number_of_bits_for_isomin+1) WriteIntegerWithVariableBitNumber(compressed_control_point[0][j].y, number_of_bits_for_isomin+1) WriteIntegerWithVariableBitNumber(compressed_control_point[0][j].z, number_of_bits_for_isomin+1) } for(uint32_t i = 1; i < number_of_control_point_in_u; i++) { WriteIntegerWithVariableBitNumber(compressed_control_point[i][0].x, number_of_bits_for_isomin+1) WriteIntegerWithVariableBitNumber(compressed_control_point[i][0].y, number_of_bits_for_isomin+1) WriteIntegerWithVariableBitNumber(compressed_control_point[i][0].z, number_of_bits_for_isomin+1) } for(uint32_t i = 1; i < number_of_control_point_in_u; i++) { for(uint32_t j = 1; j < number_of_control_point_in_v; j++) { WriteUnsignedIntegerWithVariableBitNumber ( control_point_type[i][j], 2 ) if(control_point_type[i][j] == 1) { WriteIntegerWithVariableBitNumber ( compressed_control_point[i][j].z, number_of_bits_for_rest+1 ) } else if(control_point_type[i][j] == 2) { WriteIntegerWithVariableBitNumber ( compressed_control_point[i][j].x, number_of_bits_for_rest+1 ) WriteIntegerWithVariableBitNumber ( compressed_control_point[i][j].y, number_of_bits_for_rest+1 ) } else if(control_point_type[i][j] == 3) { WriteIntegerWithVariableBitNumber ( compressed_control_point[i][j].x, number_of_bits_for_rest+1 ) WriteIntegerWithVariableBitNumber ( compressed_control_point[i][j].y, number_of_bits_for_rest+1 ) WriteIntegerWithVariableBitNumber ( compressed_control_point[i][j].z, number_of_bits_for_rest+1 ) } } } const uint32_t type_param_u = 0; WriteBoolean( type_param_u == 0 ) const uint32_t type_param_v = 0; WriteBoolean( type_param_v == 0 ) const bool is_rational = false; WriteBoolean( is_rational ) } void PRCCompressedBrepData::serializeCompressedShell(PRCbitStream &pbs) { uint32_t i; const uint32_t number_of_face = face.size(); WriteBoolean ( number_of_face == 1 ) if( number_of_face != 1 ) WriteNumberOfBitsThenUnsignedInteger (number_of_face) for( i=0; i < number_of_face; i++) SerializeCompressedFace ( face[i] ) const bool is_an_iso_face = false; for( i=0; i < number_of_face; i++) WriteBoolean ( is_an_iso_face ) } void PRCCompressedBrepData::serializeCompressedBrepData(PRCbitStream &pbs) { WriteUnsignedInteger ( PRC_TYPE_TOPO_BrepDataCompress ) SerializeContentBody WriteDouble ( brep_data_compressed_tolerance ) const uint32_t number_of_bits_to_store_reference = 1; WriteNumberOfBitsThenUnsignedInteger ( number_of_bits_to_store_reference ) const uint32_t number_vertex_iso = 0; WriteUnsignedIntegerWithVariableBitNumber ( number_vertex_iso, number_of_bits_to_store_reference ) const uint32_t number_edge_iso = 0; WriteUnsignedIntegerWithVariableBitNumber ( number_edge_iso, number_of_bits_to_store_reference ) const uint32_t number_of_shell = 1; const uint32_t number_of_connex = 1; WriteBoolean ( number_of_shell == 1 && number_of_connex == 1 ) serializeCompressedShell( pbs ); uint32_t i; const uint32_t number_of_faces = face.size(); for(i=0; i< number_of_faces; i++) face[i]->serializeBaseTopology( pbs ); } void PRCBlend01::serializeBlend01(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_SURF_Blend01) SerializeContentSurface SerializeTransformation SerializeUVParameterization SerializePtrCurve ( center_curve ) SerializePtrCurve ( origin_curve ) SerializePtrCurve ( tangent_curve ) } void PRCRuled::serializeRuled(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_SURF_Ruled) SerializeContentSurface SerializeTransformation SerializeUVParameterization SerializePtrCurve ( first_curve ) SerializePtrCurve ( second_curve ) } void PRCSphere::serializeSphere(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_SURF_Sphere) SerializeContentSurface SerializeTransformation SerializeUVParameterization WriteDouble ( radius ) } void PRCCone::serializeCone(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_SURF_Cone) SerializeContentSurface SerializeTransformation SerializeUVParameterization WriteDouble ( bottom_radius ) WriteDouble ( semi_angle ) } void PRCCylinder::serializeCylinder(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_SURF_Cylinder) SerializeContentSurface SerializeTransformation SerializeUVParameterization WriteDouble ( radius ) } void PRCTorus::serializeTorus(PRCbitStream &pbs) { WriteUnsignedInteger (PRC_TYPE_SURF_Torus) SerializeContentSurface SerializeTransformation SerializeUVParameterization WriteDouble ( major_radius ) WriteDouble ( minor_radius ) } void PRCFace::serializeFace(PRCbitStream &pbs) { uint32_t i = 0; WriteUnsignedInteger (PRC_TYPE_TOPO_Face) SerializeBaseTopology SerializePtrSurface ( base_surface ) WriteBit ( have_surface_trim_domain ) if ( have_surface_trim_domain ) SerializeDomain ( surface_trim_domain ) WriteBit ( have_tolerance ) if ( have_tolerance ) WriteDouble ( tolerance ) WriteUnsignedInteger ( number_of_loop ) WriteInteger ( outer_loop_index ) for (i=0;iserialType() ) if ( IsCompressedType(body[i]->serialType()) ) { WriteDouble ( body[i]->serialTolerance() ) } } } void PRCTopoContext::serializeContextGraphics(PRCbitStream &pbs) { uint32_t i=0, j=0, k=0, l=0; ResetCurrentGraphics uint32_t number_of_body = body.size(); PRCGraphicsList element; bool has_graphics = false; for (i=0;itopo_item_type == PRC_TYPE_TOPO_BrepData && dynamic_cast(body[i])) { PRCBrepData *body_i = dynamic_cast(body[i]); for (j=0;jconnex.size();j++) { for(k=0;kconnex[j]->shell.size();k++) { for( l=0;lconnex[j]->shell[k]->face.size();l++) { element.push_back( body_i->connex[j]->shell[k]->face[l] ); has_graphics = has_graphics || body_i->connex[j]->shell[k]->face[l]->has_graphics(); } } } } else if ( body[i]->topo_item_type == PRC_TYPE_TOPO_BrepDataCompress && dynamic_cast(body[i])) { PRCCompressedBrepData *body_i = dynamic_cast(body[i]); for( l=0;lface.size();l++) { element.push_back( body_i->face[l] ); has_graphics = has_graphics || body_i->face[l]->has_graphics(); } } } uint32_t number_of_treat_type = 0; if (has_graphics && !element.empty()) number_of_treat_type = 1; WriteUnsignedInteger (number_of_treat_type) for (i=0;ihas_graphics() ) if (element[j]->has_graphics()) { element[j]->serializeGraphics(pbs); } } } } uint32_t PRCTopoContext::addSingleWireBody(PRCSingleWireBody*& pSingleWireBody) { body.push_back(pSingleWireBody); pSingleWireBody = NULL; return body.size()-1; } uint32_t PRCTopoContext::addBrepData(PRCBrepData*& pBrepData) { body.push_back(pBrepData); pBrepData = NULL; return body.size()-1; } uint32_t PRCTopoContext::addCompressedBrepData(PRCCompressedBrepData*& pCompressedBrepData) { body.push_back(pCompressedBrepData); pCompressedBrepData = NULL; return body.size()-1; } void PRCSingleWireBody::serializeSingleWireBody(PRCbitStream &pbs) { WriteUnsignedInteger ( PRC_TYPE_TOPO_SingleWireBody) SerializeContentBody SerializePtrTopology ( wire_edge ) } void PRCUniqueId::serializeCompressedUniqueId(PRCbitStream &pbs) const { WriteUnsignedInteger (id0) WriteUnsignedInteger (id1) WriteUnsignedInteger (id2) WriteUnsignedInteger (id3) } void PRCUniqueId::serializeFileStructureUncompressedUniqueId(std::ostream& out) const { WriteUncompressedUnsignedInteger (id0) WriteUncompressedUnsignedInteger (id1) WriteUncompressedUnsignedInteger (id2) WriteUncompressedUnsignedInteger (id3) } void PRCUnit::serializeUnit(PRCbitStream &pbs) { WriteBoolean (unit_from_CAD_file) WriteDouble (unit) } void PRCProductOccurrence::serializeProductOccurrence(PRCbitStream &pbs) { WriteUnsignedInteger ( PRC_TYPE_ASM_ProductOccurence ) SerializePRCBaseWithGraphics // SerializeReferencesOfProductOccurrence WriteUnsignedInteger (index_part+1) WriteUnsignedInteger (index_prototype+1) if (index_prototype != m1) { WriteBoolean (prototype_in_same_file_structure) if (!prototype_in_same_file_structure) SerializeCompressedUniqueId (prototype_file_structure) } WriteUnsignedInteger(index_external_data+1) if (index_external_data != m1) { WriteBoolean (external_data_in_same_file_structure) if (!external_data_in_same_file_structure) SerializeCompressedUniqueId (external_data_file_structure) } const uint32_t number_of_son_product_occurrences = index_son_occurrence.size(); WriteUnsignedInteger (number_of_son_product_occurrences) for (uint32_t i=0;iserializeTransformation3d (pbs); WriteUnsignedInteger (0) // number_of_references // SerializeMarkups (markups) WriteUnsignedInteger (0) // number_of_linked_items WriteUnsignedInteger (0) // number_of_leaders WriteUnsignedInteger (0) // number_of_markups WriteUnsignedInteger (0) // number_of_annotation_entities WriteUnsignedInteger (0) // number_of_views WriteBit (false) // has_entity_filter WriteUnsignedInteger (0) // number_of_display_filters WriteUnsignedInteger (0) // number_of_scene_display_parameters SerializeUserData } uint32_t PRCPartDefinition::addBrepModel(PRCBrepModel*& pBrepModel) { representation_item.push_back(pBrepModel); pBrepModel = NULL; return representation_item.size()-1; } uint32_t PRCPartDefinition::addPolyBrepModel(PRCPolyBrepModel*& pPolyBrepModel) { representation_item.push_back(pPolyBrepModel); pPolyBrepModel = NULL; return representation_item.size()-1; } uint32_t PRCPartDefinition::addPointSet(PRCPointSet*& pPointSet) { representation_item.push_back(pPointSet); pPointSet = NULL; return representation_item.size()-1; } uint32_t PRCPartDefinition::addSet(PRCSet*& pSet) { representation_item.push_back(pSet); pSet = NULL; return representation_item.size()-1; } uint32_t PRCPartDefinition::addWire(PRCWire*& pWire) { representation_item.push_back(pWire); pWire = NULL; return representation_item.size()-1; } uint32_t PRCPartDefinition::addPolyWire(PRCPolyWire*& pPolyWire) { representation_item.push_back(pPolyWire); pPolyWire = NULL; return representation_item.size()-1; } uint32_t PRCPartDefinition::addRepresentationItem(PRCRepresentationItem*& pRepresentationItem) { representation_item.push_back(pRepresentationItem); pRepresentationItem = NULL; return representation_item.size()-1; } void PRCPartDefinition::serializePartDefinition(PRCbitStream &pbs) { WriteUnsignedInteger ( PRC_TYPE_ASM_PartDefinition ) SerializePRCBaseWithGraphics SerializeBoundingBox uint32_t number_of_representation_items = representation_item.size(); WriteUnsignedInteger (number_of_representation_items) for (uint32_t i=0;i 0) { S = Math.sqrt(trace + 1.0) * 2; out[3] = 0.25 * S; out[0] = (mat[6] - mat[9]) / S; out[1] = (mat[8] - mat[2]) / S; out[2] = (mat[1] - mat[4]) / S; } else if (mat[0] > mat[5] & mat[0] > mat[10]) { S = Math.sqrt(1.0 + mat[0] - mat[5] - mat[10]) * 2; out[3] = (mat[6] - mat[9]) / S; out[0] = 0.25 * S; out[1] = (mat[1] + mat[4]) / S; out[2] = (mat[8] + mat[2]) / S; } else if (mat[5] > mat[10]) { S = Math.sqrt(1.0 + mat[5] - mat[0] - mat[10]) * 2; out[3] = (mat[8] - mat[2]) / S; out[0] = (mat[1] + mat[4]) / S; out[1] = 0.25 * S; out[2] = (mat[6] + mat[9]) / S; } else { S = Math.sqrt(1.0 + mat[10] - mat[0] - mat[5]) * 2; out[3] = (mat[1] - mat[4]) / S; out[0] = (mat[8] + mat[2]) / S; out[1] = (mat[6] + mat[9]) / S; out[2] = 0.25 * S; } return out; } /** * Creates a matrix from a quaternion rotation, vector translation and vector scale * This is equivalent to (but much faster than): * * mat4.identity(dest); * mat4.translate(dest, vec); * let quatMat = mat4.create(); * quat4.toMat4(quat, quatMat); * mat4.multiply(dest, quatMat); * mat4.scale(dest, scale) * * @param {mat4} out mat4 receiving operation result * @param {quat4} q Rotation quaternion * @param {vec3} v Translation vector * @param {vec3} s Scaling vector * @returns {mat4} out */ function fromRotationTranslationScale(out, q, v, s) { // Quaternion math var x = q[0], y = q[1], z = q[2], w = q[3]; var x2 = x + x; var y2 = y + y; var z2 = z + z; var xx = x * x2; var xy = x * y2; var xz = x * z2; var yy = y * y2; var yz = y * z2; var zz = z * z2; var wx = w * x2; var wy = w * y2; var wz = w * z2; var sx = s[0]; var sy = s[1]; var sz = s[2]; out[0] = (1 - (yy + zz)) * sx; out[1] = (xy + wz) * sx; out[2] = (xz - wy) * sx; out[3] = 0; out[4] = (xy - wz) * sy; out[5] = (1 - (xx + zz)) * sy; out[6] = (yz + wx) * sy; out[7] = 0; out[8] = (xz + wy) * sz; out[9] = (yz - wx) * sz; out[10] = (1 - (xx + yy)) * sz; out[11] = 0; out[12] = v[0]; out[13] = v[1]; out[14] = v[2]; out[15] = 1; return out; } /** * Creates a matrix from a quaternion rotation, vector translation and vector scale, rotating and scaling around the given origin * This is equivalent to (but much faster than): * * mat4.identity(dest); * mat4.translate(dest, vec); * mat4.translate(dest, origin); * let quatMat = mat4.create(); * quat4.toMat4(quat, quatMat); * mat4.multiply(dest, quatMat); * mat4.scale(dest, scale) * mat4.translate(dest, negativeOrigin); * * @param {mat4} out mat4 receiving operation result * @param {quat4} q Rotation quaternion * @param {vec3} v Translation vector * @param {vec3} s Scaling vector * @param {vec3} o The origin vector around which to scale and rotate * @returns {mat4} out */ function fromRotationTranslationScaleOrigin(out, q, v, s, o) { // Quaternion math var x = q[0], y = q[1], z = q[2], w = q[3]; var x2 = x + x; var y2 = y + y; var z2 = z + z; var xx = x * x2; var xy = x * y2; var xz = x * z2; var yy = y * y2; var yz = y * z2; var zz = z * z2; var wx = w * x2; var wy = w * y2; var wz = w * z2; var sx = s[0]; var sy = s[1]; var sz = s[2]; var ox = o[0]; var oy = o[1]; var oz = o[2]; out[0] = (1 - (yy + zz)) * sx; out[1] = (xy + wz) * sx; out[2] = (xz - wy) * sx; out[3] = 0; out[4] = (xy - wz) * sy; out[5] = (1 - (xx + zz)) * sy; out[6] = (yz + wx) * sy; out[7] = 0; out[8] = (xz + wy) * sz; out[9] = (yz - wx) * sz; out[10] = (1 - (xx + yy)) * sz; out[11] = 0; out[12] = v[0] + ox - (out[0] * ox + out[4] * oy + out[8] * oz); out[13] = v[1] + oy - (out[1] * ox + out[5] * oy + out[9] * oz); out[14] = v[2] + oz - (out[2] * ox + out[6] * oy + out[10] * oz); out[15] = 1; return out; } /** * Calculates a 4x4 matrix from the given quaternion * * @param {mat4} out mat4 receiving operation result * @param {quat} q Quaternion to create matrix from * * @returns {mat4} out */ function fromQuat(out, q) { var x = q[0], y = q[1], z = q[2], w = q[3]; var x2 = x + x; var y2 = y + y; var z2 = z + z; var xx = x * x2; var yx = y * x2; var yy = y * y2; var zx = z * x2; var zy = z * y2; var zz = z * z2; var wx = w * x2; var wy = w * y2; var wz = w * z2; out[0] = 1 - yy - zz; out[1] = yx + wz; out[2] = zx - wy; out[3] = 0; out[4] = yx - wz; out[5] = 1 - xx - zz; out[6] = zy + wx; out[7] = 0; out[8] = zx + wy; out[9] = zy - wx; out[10] = 1 - xx - yy; out[11] = 0; out[12] = 0; out[13] = 0; out[14] = 0; out[15] = 1; return out; } /** * Generates a frustum matrix with the given bounds * * @param {mat4} out mat4 frustum matrix will be written into * @param {Number} left Left bound of the frustum * @param {Number} right Right bound of the frustum * @param {Number} bottom Bottom bound of the frustum * @param {Number} top Top bound of the frustum * @param {Number} near Near bound of the frustum * @param {Number} far Far bound of the frustum * @returns {mat4} out */ function frustum(out, left, right, bottom, top, near, far) { var rl = 1 / (right - left); var tb = 1 / (top - bottom); var nf = 1 / (near - far); out[0] = near * 2 * rl; out[1] = 0; out[2] = 0; out[3] = 0; out[4] = 0; out[5] = near * 2 * tb; out[6] = 0; out[7] = 0; out[8] = (right + left) * rl; out[9] = (top + bottom) * tb; out[10] = (far + near) * nf; out[11] = -1; out[12] = 0; out[13] = 0; out[14] = far * near * 2 * nf; out[15] = 0; return out; } /** * Generates a perspective projection matrix with the given bounds * * @param {mat4} out mat4 frustum matrix will be written into * @param {number} fovy Vertical field of view in radians * @param {number} aspect Aspect ratio. typically viewport width/height * @param {number} near Near bound of the frustum * @param {number} far Far bound of the frustum * @returns {mat4} out */ function perspective(out, fovy, aspect, near, far) { var f = 1.0 / Math.tan(fovy / 2); var nf = 1 / (near - far); out[0] = f / aspect; out[1] = 0; out[2] = 0; out[3] = 0; out[4] = 0; out[5] = f; out[6] = 0; out[7] = 0; out[8] = 0; out[9] = 0; out[10] = (far + near) * nf; out[11] = -1; out[12] = 0; out[13] = 0; out[14] = 2 * far * near * nf; out[15] = 0; return out; } /** * Generates a perspective projection matrix with the given field of view. * This is primarily useful for generating projection matrices to be used * with the still experiemental WebVR API. * * @param {mat4} out mat4 frustum matrix will be written into * @param {Object} fov Object containing the following values: upDegrees, downDegrees, leftDegrees, rightDegrees * @param {number} near Near bound of the frustum * @param {number} far Far bound of the frustum * @returns {mat4} out */ function perspectiveFromFieldOfView(out, fov, near, far) { var upTan = Math.tan(fov.upDegrees * Math.PI / 180.0); var downTan = Math.tan(fov.downDegrees * Math.PI / 180.0); var leftTan = Math.tan(fov.leftDegrees * Math.PI / 180.0); var rightTan = Math.tan(fov.rightDegrees * Math.PI / 180.0); var xScale = 2.0 / (leftTan + rightTan); var yScale = 2.0 / (upTan + downTan); out[0] = xScale; out[1] = 0.0; out[2] = 0.0; out[3] = 0.0; out[4] = 0.0; out[5] = yScale; out[6] = 0.0; out[7] = 0.0; out[8] = -((leftTan - rightTan) * xScale * 0.5); out[9] = (upTan - downTan) * yScale * 0.5; out[10] = far / (near - far); out[11] = -1.0; out[12] = 0.0; out[13] = 0.0; out[14] = far * near / (near - far); out[15] = 0.0; return out; } /** * Generates a orthogonal projection matrix with the given bounds * * @param {mat4} out mat4 frustum matrix will be written into * @param {number} left Left bound of the frustum * @param {number} right Right bound of the frustum * @param {number} bottom Bottom bound of the frustum * @param {number} top Top bound of the frustum * @param {number} near Near bound of the frustum * @param {number} far Far bound of the frustum * @returns {mat4} out */ function ortho(out, left, right, bottom, top, near, far) { var lr = 1 / (left - right); var bt = 1 / (bottom - top); var nf = 1 / (near - far); out[0] = -2 * lr; out[1] = 0; out[2] = 0; out[3] = 0; out[4] = 0; out[5] = -2 * bt; out[6] = 0; out[7] = 0; out[8] = 0; out[9] = 0; out[10] = 2 * nf; out[11] = 0; out[12] = (left + right) * lr; out[13] = (top + bottom) * bt; out[14] = (far + near) * nf; out[15] = 1; return out; } /** * Generates a look-at matrix with the given eye position, focal point, and up axis * * @param {mat4} out mat4 frustum matrix will be written into * @param {vec3} eye Position of the viewer * @param {vec3} center Point the viewer is looking at * @param {vec3} up vec3 pointing up * @returns {mat4} out */ function lookAt(out, eye, center, up) { var x0 = void 0, x1 = void 0, x2 = void 0, y0 = void 0, y1 = void 0, y2 = void 0, z0 = void 0, z1 = void 0, z2 = void 0, len = void 0; var eyex = eye[0]; var eyey = eye[1]; var eyez = eye[2]; var upx = up[0]; var upy = up[1]; var upz = up[2]; var centerx = center[0]; var centery = center[1]; var centerz = center[2]; if (Math.abs(eyex - centerx) < glMatrix.EPSILON && Math.abs(eyey - centery) < glMatrix.EPSILON && Math.abs(eyez - centerz) < glMatrix.EPSILON) { return mat4.identity(out); } z0 = eyex - centerx; z1 = eyey - centery; z2 = eyez - centerz; len = 1 / Math.sqrt(z0 * z0 + z1 * z1 + z2 * z2); z0 *= len; z1 *= len; z2 *= len; x0 = upy * z2 - upz * z1; x1 = upz * z0 - upx * z2; x2 = upx * z1 - upy * z0; len = Math.sqrt(x0 * x0 + x1 * x1 + x2 * x2); if (!len) { x0 = 0; x1 = 0; x2 = 0; } else { len = 1 / len; x0 *= len; x1 *= len; x2 *= len; } y0 = z1 * x2 - z2 * x1; y1 = z2 * x0 - z0 * x2; y2 = z0 * x1 - z1 * x0; len = Math.sqrt(y0 * y0 + y1 * y1 + y2 * y2); if (!len) { y0 = 0; y1 = 0; y2 = 0; } else { len = 1 / len; y0 *= len; y1 *= len; y2 *= len; } out[0] = x0; out[1] = y0; out[2] = z0; out[3] = 0; out[4] = x1; out[5] = y1; out[6] = z1; out[7] = 0; out[8] = x2; out[9] = y2; out[10] = z2; out[11] = 0; out[12] = -(x0 * eyex + x1 * eyey + x2 * eyez); out[13] = -(y0 * eyex + y1 * eyey + y2 * eyez); out[14] = -(z0 * eyex + z1 * eyey + z2 * eyez); out[15] = 1; return out; } /** * Generates a matrix that makes something look at something else. * * @param {mat4} out mat4 frustum matrix will be written into * @param {vec3} eye Position of the viewer * @param {vec3} center Point the viewer is looking at * @param {vec3} up vec3 pointing up * @returns {mat4} out */ function targetTo(out, eye, target, up) { var eyex = eye[0], eyey = eye[1], eyez = eye[2], upx = up[0], upy = up[1], upz = up[2]; var z0 = eyex - target[0], z1 = eyey - target[1], z2 = eyez - target[2]; var len = z0 * z0 + z1 * z1 + z2 * z2; if (len > 0) { len = 1 / Math.sqrt(len); z0 *= len; z1 *= len; z2 *= len; } var x0 = upy * z2 - upz * z1, x1 = upz * z0 - upx * z2, x2 = upx * z1 - upy * z0; out[0] = x0; out[1] = x1; out[2] = x2; out[3] = 0; out[4] = z1 * x2 - z2 * x1; out[5] = z2 * x0 - z0 * x2; out[6] = z0 * x1 - z1 * x0; out[7] = 0; out[8] = z0; out[9] = z1; out[10] = z2; out[11] = 0; out[12] = eyex; out[13] = eyey; out[14] = eyez; out[15] = 1; return out; }; /** * Returns a string representation of a mat4 * * @param {mat4} a matrix to represent as a string * @returns {String} string representation of the matrix */ function str(a) { return 'mat4(' + a[0] + ', ' + a[1] + ', ' + a[2] + ', ' + a[3] + ', ' + a[4] + ', ' + a[5] + ', ' + a[6] + ', ' + a[7] + ', ' + a[8] + ', ' + a[9] + ', ' + a[10] + ', ' + a[11] + ', ' + a[12] + ', ' + a[13] + ', ' + a[14] + ', ' + a[15] + ')'; } /** * Returns Frobenius norm of a mat4 * * @param {mat4} a the matrix to calculate Frobenius norm of * @returns {Number} Frobenius norm */ function frob(a) { return Math.sqrt(Math.pow(a[0], 2) + Math.pow(a[1], 2) + Math.pow(a[2], 2) + Math.pow(a[3], 2) + Math.pow(a[4], 2) + Math.pow(a[5], 2) + Math.pow(a[6], 2) + Math.pow(a[7], 2) + Math.pow(a[8], 2) + Math.pow(a[9], 2) + Math.pow(a[10], 2) + Math.pow(a[11], 2) + Math.pow(a[12], 2) + Math.pow(a[13], 2) + Math.pow(a[14], 2) + Math.pow(a[15], 2)); } /** * Adds two mat4's * * @param {mat4} out the receiving matrix * @param {mat4} a the first operand * @param {mat4} b the second operand * @returns {mat4} out */ function add(out, a, b) { out[0] = a[0] + b[0]; out[1] = a[1] + b[1]; out[2] = a[2] + b[2]; out[3] = a[3] + b[3]; out[4] = a[4] + b[4]; out[5] = a[5] + b[5]; out[6] = a[6] + b[6]; out[7] = a[7] + b[7]; out[8] = a[8] + b[8]; out[9] = a[9] + b[9]; out[10] = a[10] + b[10]; out[11] = a[11] + b[11]; out[12] = a[12] + b[12]; out[13] = a[13] + b[13]; out[14] = a[14] + b[14]; out[15] = a[15] + b[15]; return out; } /** * Subtracts matrix b from matrix a * * @param {mat4} out the receiving matrix * @param {mat4} a the first operand * @param {mat4} b the second operand * @returns {mat4} out */ function subtract(out, a, b) { out[0] = a[0] - b[0]; out[1] = a[1] - b[1]; out[2] = a[2] - b[2]; out[3] = a[3] - b[3]; out[4] = a[4] - b[4]; out[5] = a[5] - b[5]; out[6] = a[6] - b[6]; out[7] = a[7] - b[7]; out[8] = a[8] - b[8]; out[9] = a[9] - b[9]; out[10] = a[10] - b[10]; out[11] = a[11] - b[11]; out[12] = a[12] - b[12]; out[13] = a[13] - b[13]; out[14] = a[14] - b[14]; out[15] = a[15] - b[15]; return out; } /** * Multiply each element of the matrix by a scalar. * * @param {mat4} out the receiving matrix * @param {mat4} a the matrix to scale * @param {Number} b amount to scale the matrix's elements by * @returns {mat4} out */ function multiplyScalar(out, a, b) { out[0] = a[0] * b; out[1] = a[1] * b; out[2] = a[2] * b; out[3] = a[3] * b; out[4] = a[4] * b; out[5] = a[5] * b; out[6] = a[6] * b; out[7] = a[7] * b; out[8] = a[8] * b; out[9] = a[9] * b; out[10] = a[10] * b; out[11] = a[11] * b; out[12] = a[12] * b; out[13] = a[13] * b; out[14] = a[14] * b; out[15] = a[15] * b; return out; } /** * Adds two mat4's after multiplying each element of the second operand by a scalar value. * * @param {mat4} out the receiving vector * @param {mat4} a the first operand * @param {mat4} b the second operand * @param {Number} scale the amount to scale b's elements by before adding * @returns {mat4} out */ function multiplyScalarAndAdd(out, a, b, scale) { out[0] = a[0] + b[0] * scale; out[1] = a[1] + b[1] * scale; out[2] = a[2] + b[2] * scale; out[3] = a[3] + b[3] * scale; out[4] = a[4] + b[4] * scale; out[5] = a[5] + b[5] * scale; out[6] = a[6] + b[6] * scale; out[7] = a[7] + b[7] * scale; out[8] = a[8] + b[8] * scale; out[9] = a[9] + b[9] * scale; out[10] = a[10] + b[10] * scale; out[11] = a[11] + b[11] * scale; out[12] = a[12] + b[12] * scale; out[13] = a[13] + b[13] * scale; out[14] = a[14] + b[14] * scale; out[15] = a[15] + b[15] * scale; return out; } /** * Returns whether or not the matrices have exactly the same elements in the same position (when compared with ===) * * @param {mat4} a The first matrix. * @param {mat4} b The second matrix. * @returns {Boolean} True if the matrices are equal, false otherwise. */ function exactEquals(a, b) { return a[0] === b[0] && a[1] === b[1] && a[2] === b[2] && a[3] === b[3] && a[4] === b[4] && a[5] === b[5] && a[6] === b[6] && a[7] === b[7] && a[8] === b[8] && a[9] === b[9] && a[10] === b[10] && a[11] === b[11] && a[12] === b[12] && a[13] === b[13] && a[14] === b[14] && a[15] === b[15]; } /** * Returns whether or not the matrices have approximately the same elements in the same position. * * @param {mat4} a The first matrix. * @param {mat4} b The second matrix. * @returns {Boolean} True if the matrices are equal, false otherwise. */ function equals(a, b) { var a0 = a[0], a1 = a[1], a2 = a[2], a3 = a[3]; var a4 = a[4], a5 = a[5], a6 = a[6], a7 = a[7]; var a8 = a[8], a9 = a[9], a10 = a[10], a11 = a[11]; var a12 = a[12], a13 = a[13], a14 = a[14], a15 = a[15]; var b0 = b[0], b1 = b[1], b2 = b[2], b3 = b[3]; var b4 = b[4], b5 = b[5], b6 = b[6], b7 = b[7]; var b8 = b[8], b9 = b[9], b10 = b[10], b11 = b[11]; var b12 = b[12], b13 = b[13], b14 = b[14], b15 = b[15]; return Math.abs(a0 - b0) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a0), Math.abs(b0)) && Math.abs(a1 - b1) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a1), Math.abs(b1)) && Math.abs(a2 - b2) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a2), Math.abs(b2)) && Math.abs(a3 - b3) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a3), Math.abs(b3)) && Math.abs(a4 - b4) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a4), Math.abs(b4)) && Math.abs(a5 - b5) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a5), Math.abs(b5)) && Math.abs(a6 - b6) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a6), Math.abs(b6)) && Math.abs(a7 - b7) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a7), Math.abs(b7)) && Math.abs(a8 - b8) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a8), Math.abs(b8)) && Math.abs(a9 - b9) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a9), Math.abs(b9)) && Math.abs(a10 - b10) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a10), Math.abs(b10)) && Math.abs(a11 - b11) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a11), Math.abs(b11)) && Math.abs(a12 - b12) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a12), Math.abs(b12)) && Math.abs(a13 - b13) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a13), Math.abs(b13)) && Math.abs(a14 - b14) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a14), Math.abs(b14)) && Math.abs(a15 - b15) <= glMatrix.EPSILON * Math.max(1.0, Math.abs(a15), Math.abs(b15)); } /** * Alias for {@link mat4.multiply} * @function */ var mul = multiply; /** * Alias for {@link mat4.subtract} * @function */ var sub = subtract; /***/ }) /******/ ]); });asymptote-2.62/gl-matrix-2.4.0-pruned/LICENSE.js0000644000000000000000000000215313607467252017461 0ustar rootroot/*@license for gl-matrix mat3 and mat4 functions: Copyright (c) 2015, Brandon Jones, Colin MacKenzie IV. Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.*/ asymptote-2.62/EnvVarUpdate.nsh0000755000000000000000000002461013607467113015262 0ustar rootroot/** * EnvVarUpdate.nsh * : Environmental Variables: append, prepend, and remove entries * * WARNING: If you use StrFunc.nsh header then include it before this file * with all required definitions. This is to avoid conflicts * * Usage: * ${EnvVarUpdate} "ResultVar" "EnvVarName" "Action" "RegLoc" "PathString" * * Credits: * Version 1.0 * * Cal Turney (turnec2) * * Amir Szekely (KiCHiK) and e-circ for developing the forerunners of this * function: AddToPath, un.RemoveFromPath, AddToEnvVar, un.RemoveFromEnvVar, * WriteEnvStr, and un.DeleteEnvStr * * Diego Pedroso (deguix) for StrTok * * Kevin English (kenglish_hi) for StrContains * * Hendri Adriaens (Smile2Me), Diego Pedroso (deguix), and Dan Fuhry * (dandaman32) for StrReplace * * Version 1.1 (compatibility with StrFunc.nsh) * * techtonik * * http://nsis.sourceforge.net/Environmental_Variables:_append%2C_prepend%2C_and_remove_entries * */ !ifndef ENVVARUPDATE_FUNCTION !define ENVVARUPDATE_FUNCTION !verbose push !verbose 3 !include "LogicLib.nsh" !include "WinMessages.NSH" !include "StrFunc.nsh" ; ---- Fix for conflict if StrFunc.nsh is already includes in main file ----------------------- !macro _IncludeStrFunction StrFuncName !ifndef ${StrFuncName}_INCLUDED ${${StrFuncName}} !endif !ifndef Un${StrFuncName}_INCLUDED ${Un${StrFuncName}} !endif !define un.${StrFuncName} "${Un${StrFuncName}}" !macroend !insertmacro _IncludeStrFunction StrTok !insertmacro _IncludeStrFunction StrStr !insertmacro _IncludeStrFunction StrRep ; ---------------------------------- Macro Definitions ---------------------------------------- !macro _EnvVarUpdateConstructor ResultVar EnvVarName Action Regloc PathString Push "${EnvVarName}" Push "${Action}" Push "${RegLoc}" Push "${PathString}" Call EnvVarUpdate Pop "${ResultVar}" !macroend !define EnvVarUpdate '!insertmacro "_EnvVarUpdateConstructor"' !macro _unEnvVarUpdateConstructor ResultVar EnvVarName Action Regloc PathString Push "${EnvVarName}" Push "${Action}" Push "${RegLoc}" Push "${PathString}" Call un.EnvVarUpdate Pop "${ResultVar}" !macroend !define un.EnvVarUpdate '!insertmacro "_unEnvVarUpdateConstructor"' ; ---------------------------------- Macro Definitions end------------------------------------- ;----------------------------------- EnvVarUpdate start---------------------------------------- !define hklm_all_users 'HKLM "SYSTEM\CurrentControlSet\Control\Session Manager\Environment"' !define hkcu_current_user 'HKCU "Environment"' !macro EnvVarUpdate UN Function ${UN}EnvVarUpdate Push $0 Exch 4 Exch $1 Exch 3 Exch $2 Exch 2 Exch $3 Exch Exch $4 Push $5 Push $6 Push $7 Push $8 Push $9 Push $R0 /* After this point: ------------------------- $0 = ResultVar (returned) $1 = EnvVarName (input) $2 = Action (input) $3 = RegLoc (input) $4 = PathString (input) $5 = Orig EnvVar (read from registry) $6 = Len of $0 (temp) $7 = tempstr1 (temp) $8 = Entry counter (temp) $9 = tempstr2 (temp) $R0 = tempChar (temp) */ ; Step 1: Read contents of EnvVarName from RegLoc ; ; Check for empty EnvVarName ${If} $1 == "" SetErrors DetailPrint "ERROR: EnvVarName is blank" Goto EnvVarUpdate_Restore_Vars ${EndIf} ; Check for valid Action ${If} $2 != "A" ${AndIf} $2 != "P" ${AndIf} $2 != "R" SetErrors DetailPrint "ERROR: Invalid Action - must be A, P, or R" Goto EnvVarUpdate_Restore_Vars ${EndIf} ${If} $3 == HKLM ReadRegStr $5 ${hklm_all_users} $1 ; Get EnvVarName from all users into $5 ${ElseIf} $3 == HKCU ReadRegStr $5 ${hkcu_current_user} $1 ; Read EnvVarName from current user into $5 ${Else} SetErrors DetailPrint 'ERROR: Action is [$3] but must be "HKLM" or HKCU"' Goto EnvVarUpdate_Restore_Vars ${EndIf} ; Check for empty PathString ${If} $4 == "" SetErrors DetailPrint "ERROR: PathString is blank" Goto EnvVarUpdate_Restore_Vars ${EndIf} ; Make sure we've got some work to do ${If} $5 == "" ${AndIf} $2 == "R" SetErrors DetailPrint "$1 is empty - Nothing to remove" Goto EnvVarUpdate_Restore_Vars ${EndIf} ; Step 2: Scrub EnvVar ; StrCpy $0 $5 ; Copy the contents to $0 ; Remove spaces around semicolons (NOTE: spaces before the 1st entry or ; after the last one are not removed here but instead in Step 3) ${If} $0 != "" ; If EnvVar is not empty ... ${Do} ${${UN}StrStr} $7 $0 " ;" ${If} $7 == "" ${ExitDo} ${EndIf} ${${UN}StrRep} $0 $0 " ;" ";" ; Remove ';' ${Loop} ${Do} ${${UN}StrStr} $7 $0 "; " ${If} $7 == "" ${ExitDo} ${EndIf} ${${UN}StrRep} $0 $0 "; " ";" ; Remove ';' ${Loop} ${Do} ${${UN}StrStr} $7 $0 ";;" ${If} $7 == "" ${ExitDo} ${EndIf} ${${UN}StrRep} $0 $0 ";;" ";" ${Loop} ; Remove a leading or trailing semicolon from EnvVar StrCpy $7 $0 1 0 ${If} $7 == ";" StrCpy $0 $0 "" 1 ; Change ';' to '' ${EndIf} StrLen $6 $0 IntOp $6 $6 - 1 StrCpy $7 $0 1 $6 ${If} $7 == ";" StrCpy $0 $0 $6 ; Change ';' to '' ${EndIf} ; DetailPrint "Scrubbed $1: [$0]" ; Uncomment to debug ${EndIf} /* Step 3. Remove all instances of the target path/string (even if "A" or "P") $6 = bool flag (1 = found and removed PathString) $7 = a string (e.g. path) delimited by semicolon(s) $8 = entry counter starting at 0 $9 = copy of $0 $R0 = tempChar */ ${If} $5 != "" ; If EnvVar is not empty ... StrCpy $9 $0 StrCpy $0 "" StrCpy $8 0 StrCpy $6 0 ${Do} ${${UN}StrTok} $7 $9 ";" $8 "0" ; $7 = next entry, $8 = entry counter ${If} $7 == "" ; If we've run out of entries, ${ExitDo} ; were done ${EndIf} ; ; Remove leading and trailing spaces from this entry (critical step for Action=Remove) ${Do} StrCpy $R0 $7 1 ${If} $R0 != " " ${ExitDo} ${EndIf} StrCpy $7 $7 "" 1 ; Remove leading space ${Loop} ${Do} StrCpy $R0 $7 1 -1 ${If} $R0 != " " ${ExitDo} ${EndIf} StrCpy $7 $7 -1 ; Remove trailing space ${Loop} ${If} $7 == $4 ; If string matches, remove it by not appending it StrCpy $6 1 ; Set 'found' flag ${ElseIf} $7 != $4 ; If string does NOT match ${AndIf} $0 == "" ; and the 1st string being added to $0, StrCpy $0 $7 ; copy it to $0 without a prepended semicolon ${ElseIf} $7 != $4 ; If string does NOT match ${AndIf} $0 != "" ; and this is NOT the 1st string to be added to $0, StrCpy $0 $0;$7 ; append path to $0 with a prepended semicolon ${EndIf} ; IntOp $8 $8 + 1 ; Bump counter ${Loop} ; Check for duplicates until we run out of paths ${EndIf} ; Step 4: Perform the requested Action ; ${If} $2 != "R" ; If Append or Prepend ${If} $6 == 1 ; And if we found the target DetailPrint "Target is already present in $1. It will be removed and" ${EndIf} ${If} $0 == "" ; If EnvVar is (now) empty StrCpy $0 $4 ; just copy PathString to EnvVar ${If} $6 == 0 ; If found flag is either 0 ${OrIf} $6 == "" ; or blank (if EnvVarName is empty) DetailPrint "$1 was empty and has been updated with the target" ${EndIf} ${ElseIf} $2 == "A" ; If Append (and EnvVar is not empty), StrCpy $0 $0;$4 ; append PathString ${If} $6 == 1 DetailPrint "appended to $1" ${Else} DetailPrint "Target was appended to $1" ${EndIf} ${Else} ; If Prepend (and EnvVar is not empty), StrCpy $0 $4;$0 ; prepend PathString ${If} $6 == 1 DetailPrint "prepended to $1" ${Else} DetailPrint "Target was prepended to $1" ${EndIf} ${EndIf} ${Else} ; If Action = Remove ${If} $6 == 1 ; and we found the target DetailPrint "Target was found and removed from $1" ${Else} DetailPrint "Target was NOT found in $1 (nothing to remove)" ${EndIf} ${If} $0 == "" DetailPrint "$1 is now empty" ${EndIf} ${EndIf} ; Step 5: Update the registry at RegLoc with the updated EnvVar and announce the change ; ClearErrors ${If} $3 == HKLM WriteRegExpandStr ${hklm_all_users} $1 $0 ; Write it in all users section ${ElseIf} $3 == HKCU WriteRegExpandStr ${hkcu_current_user} $1 $0 ; Write it to current user section ${EndIf} IfErrors 0 +4 MessageBox MB_OK|MB_ICONEXCLAMATION "Could not write updated $1 to $3" DetailPrint "Could not write updated $1 to $3" Goto EnvVarUpdate_Restore_Vars ; "Export" our change SendMessage ${HWND_BROADCAST} ${WM_WININICHANGE} 0 "STR:Environment" /TIMEOUT=5000 EnvVarUpdate_Restore_Vars: ; ; Restore the user's variables and return ResultVar Pop $R0 Pop $9 Pop $8 Pop $7 Pop $6 Pop $5 Pop $4 Pop $3 Pop $2 Pop $1 Push $0 ; Push my $0 (ResultVar) Exch Pop $0 ; Restore his $0 FunctionEnd !macroend ; EnvVarUpdate UN !insertmacro EnvVarUpdate "" !insertmacro EnvVarUpdate "un." ;----------------------------------- EnvVarUpdate end---------------------------------------- !verbose pop !endif asymptote-2.62/Makefile.in0000644000000000000000000002650113607467113014247 0ustar rootroot# @configure_input@ ARCH = unix POLL = poll ASYGLVERSION = @ASYGLVERSION@ GCVERSION = @GCVERSION@ GC = gc-$(GCVERSION) LIBATOMIC = libatomic_ops-@ATOMICVERSION@ GCOPTIONS = @GCOPTIONS@ GCLIB = @GCLIB@ GCPPLIB = @GCPPLIB@ GCLIBS = $(GCPPLIB) $(GCLIB) LFLAGS = @LDFLAGS@ LIBS = $(LFLAGS) @PTHREAD_LIBS@ @GLEW@ @LIBS@ $(GCLIBS) DOSLIBS = $(subst -lncurses, -ltermcap, $(LIBS)) -lgdi32 -lwinmm -s -static PERL = perl # Libraries needed to make asymptote.so. # We have to remove OpenGL, threading, GC, etc from this. SHAREDLIBS = $(filter-out -lglut -GL -pthread $(GCLIBS), $(LIBS)) vpath %.cc prc vpath %.ui GUI/windows vpath %.py GUI/pyUIClass CAMP = camperror path drawpath drawlabel picture psfile texfile util settings \ guide flatguide knot drawfill path3 drawpath3 drawsurface \ beziercurve bezierpatch pen pipestream RUNTIME_FILES = runtime runbacktrace runpicture runlabel runhistory runarray \ runfile runsystem runpair runtriple runpath runpath3d runstring \ runmath # Files to be scanned for pre-translated symbols defined by SYM(name). SYMBOL_FILES = types builtin gsl $(RUNTIME_FILES) PRC = PRCbitStream oPRCFile PRCdouble writePRC COREFILES = $(CAMP) $(SYMBOL_FILES) env genv stm dec errormsg \ callable name symbol entry exp newexp stack camp.tab lex.yy \ access virtualfieldaccess absyn record interact fileio \ fftw++asy simpson coder coenv impdatum \ @getopt@ locate parser program application varinit fundec refaccess \ envcompleter process constructor array Delaunay predicates \ $(PRC) glrender tr shaders jsfile FILES = $(COREFILES) main SYMBOLSH = opsymbols.h allsymbols.h $(SYMBOL_FILES:=.symbols.h) UIFILES = $(wildcard GUI/windows/*.ui) PYFILES = $(wildcard GUI/pyUIClass/*.py) GUI/icons_rc.py DIST = camp.tab.h camp.tab.cc lex.yy.cc runtime.cc keywords.cc \ asy-keywords.el $(RUNTIME_FILES:=.cc) $(RUNTIME_FILES:=.h) asy.list \ $(SYMBOLSH) $(PYFILES) NAME = asy XNAME = x$(NAME) CLEAN = camp.output base/version.asy doc/version.texi \ GUI/xasyVersion.py $(XNAME) doc/asy-latex.pdf $(SYMBOLSH) EXTRA = asy-mode.el asy-init.el asy.vim asy_filetype.vim asy-kate.sh \ asymptote.py reload.js nopapersize.ps EXEXTRA = piicon.png *.views *.dat *.bib DOCEXTRA = *.asy *.csv *.dat latexusage.tex externalprc.tex pixel.pdf KEYWORDS = base $(ASYMPTOTE_SITEDIR) LATEXFILES = asymptote.sty asycolors.sty ocg.sty latexmkrc CONTEXTFILES = colo-asy.tex ASY = ./asy -dir base -config "" -render=0 DEFS = @DEFS@ @OPTIONS@ @PTHREAD_CFLAGS@ -DFFTWPP_SINGLE_THREAD CFLAGS = @CFLAGS@ OPTS = $(DEFS) @CPPFLAGS@ @CXXFLAGS@ $(CFLAGS) GLEWOPTS = $(DEFS) @CPPFLAGS@ $(CFLAGS) -DGLEW_NO_GLU -DGLEW_BUILD -O1 -fPIC # Options for compiling the object files for the shared library. # gc has to be configured with the option --disable-threads in order to make a # shared library that doesn't seg fault. For now, just disable gc in the # shared library. SHAREDOPTS = $(filter-out -DUSEGC, $(OPTS)) -fPIC -DFOR_SHARED CXX = @CXX@ -Wall CC = @CC@ -Wall MAKEDEPEND = $(OPTS) -O0 -M -DDEPEND BISON ?= bison PYRCC ?= pyrcc5 PYUIC ?= pyuic5 LEX = @LEX@ prefix = @prefix@ exec_prefix = @exec_prefix@ datarootdir = @datarootdir@ bindir = $(DESTDIR)@bindir@ mandir = $(DESTDIR)@mandir@ infodir = $(DESTDIR)@infodir@ datadir = $(DESTDIR)@datadir@ asydir = $(datadir)/asymptote GUIdir = $(asydir)/GUI shaderdir = $(asydir)/shaders webgldir = $(asydir)/webgl docdir = $(DESTDIR)@docdir@ exampledir = $(docdir)/examples animationsdir = $(exampledir)/animations latexdir = $(DESTDIR)@latexdir@ contextdir = $(DESTDIR)@contextdir@ INSTALL = @INSTALL@ REVISION = "const char *REVISION=" last = $(shell head -1 revision.cc | sed -e 's/.*\"\(.*\)\";/\1/') usinggit = $(shell if test -d ".git"; then echo yes; fi) ifeq ($(usinggit),yes) revision = $(shell LC_ALL="C" git describe --long | sed -e 's/git//' \ | sed -e 's/-g.*//') else revision = @VERSION@ endif export prefix docdir exampledir mandir infodir INSTALL MAKE DESTDIR TEXI2DVI asy: version glew.o if test -n "$(MSDOS)"; then \ $(CXX) $(OPTS) -o $(NAME) $(FILES:=.o) revision.o asy.o $(DOSLIBS); \ else \ ln -sf GUI/xasy.py $(XNAME); \ $(CXX) $(OPTS) -o $(NAME) $(FILES:=.o) revision.o $(LIBS); \ fi version: $(GCLIB) $(FILES:=.o) $(notdir $(UIFILES:.ui=.py)) GUI/icons_rc.py if test ! -s revision.cc || test "$(revision)" != "$(last)"; then \ echo $(REVISION)\"$(revision)\"\; > revision.cc; \ echo const char *AsyGLVersion=\"$(ASYGLVERSION)\"\; >> revision.cc; \ if test ! -e base/webgl/asygl.js; then \ cp base/webgl/asygl-$(ASYGLVERSION).js base/webgl/asygl.js; \ fi \ fi $(CXX) $(OPTS) -o revision.o -c revision.cc; echo string VERSION=\"$(revision)\"\; > base/version.asy echo @set VERSION $(revision) > doc/version.texi echo @set Datadir @datadir@ >> doc/version.texi echo "#!/usr/bin/env python3" > GUI/xasyVersion.py echo xasyVersion = \"$(revision)\" >> GUI/xasyVersion.py if test -n "$(MSDOS)"; then \ cat asy.rc | sed -e "s/ASYMPTOTE_VERSION/$(revision)/" | \ windres -o asy.o; \ fi asymptote.so: $(COREFILES:=.pic.o) glew.o $(CXX) $(OPTS) -shared -o asymptote.so revision.o $(COREFILES:=.pic.o) $(SHAREDLIBS) all: asy sty man faq asy-keywords.el $(GCLIB): $(GC).tar.gz gunzip -c $(GC).tar.gz > $(GC).tar tar -xf $(GC).tar rm -f $(GC).tar if test -r $(LIBATOMIC).tar.gz; then \ gunzip -c $(LIBATOMIC).tar.gz > $(LIBATOMIC).tar; \ tar -xf $(LIBATOMIC).tar; \ rm -f $(LIBATOMIC).tar; \ mv $(LIBATOMIC) $(GC)/libatomic_ops; \ fi if test "$(GC)" = "gc-7.0"; then \ cd $(GC)/include/private && \ patch < ../../../patches/gc-7.0nomem.patch; \ fi if test "$(GC)" = "gc-7.2b"; then \ mv gc-7.2 gc-7.2b; \ fi if test "$(GC)" = "gc-7.2c"; then \ mv gc-7.2 gc-7.2c; \ fi if test "$(GC)" = "gc-7.2d"; then \ mv gc-7.2 gc-7.2d; \ fi cd $(GC) && \ ./configure CC="$(CC)" CXX="$(CXX)" $(GCOPTIONS); \ $(MAKE) check $(GCPPLIB): $(GCLIB) sty: cd doc && $(MAKE) asy-latex.pdf dvi: asy sty cd doc && $(MAKE) dvi html: asy sty cd doc && $(MAKE) doc man: asy sty cd doc && $(MAKE) man faq: asy sty cd doc && $(MAKE) faq $(RUNTIME_FILES:=.cc): %.cc: runtime.pl opsymbols.h runtimebase.in %.in $(PERL) ./runtime.pl $(@:.cc=) $(SYMBOL_FILES:=.symbols.h): %.symbols.h: findsym.pl %.cc $(CXX) -E -DNOSYM $(OPTS) $(@:.symbols.h=.cc) | \ $(PERL) ./findsym.pl $@ - $(SYMBOL_FILES:=.o): %.o: %.symbols.h allsymbols.h: findsym.pl $(SYMBOL_FILES:=.cc) $(CXX) -E -DNOSYM $(OPTS) $(SYMBOL_FILES:=.cc) | \ $(PERL) ./findsym.pl $@ - symbol.o: $(SYMBOLSH) GUI/icons_rc.py: GUI/res/icons.qrc -$(PYRCC) GUI/res/icons.qrc -o GUI/icons_rc.py camp.tab.cc: camp.y $(BISON) -dvt -b camp camp.y && mv camp.tab.c camp.tab.cc camp.tab.h: camp.tab.cc lex.yy.cc: camp.l $(LEX) -d -olex.yy.cc camp.l lex.yy.d: $(GCLIB) lex.yy.cc camp.tab.h keywords.cc: keywords.pl camp.l process.cc $(PERL) ./keywords.pl opsymbols.h: opsymbols.pl camp.l $(PERL) ./opsymbols.pl envcompleter.d: keywords.cc asy-keywords.el: asy @echo Creating $@; $(ASY) -l > asy.list ls $(addsuffix /*.asy,$(KEYWORDS)) | grep -v plain\* | \ grep -v three_\* | grep -v featpost3D | xargs $(ASY) -l >> asy.list $(PERL) ./asy-list.pl asy.list $(revision) install-notexhash: asy-keywords.el install-asy install-man install: install-notexhash install-texhash install-all: install install-html install-texhash: install-asy -if test -z "$(DESTDIR)"; then \ texhash; \ fi install-asy: asy sty ${INSTALL} -d $(bindir) $(asydir) $(exampledir) $(animationsdir) ${INSTALL} -d $(GUIdir) $(GUIdir)/pyUIClass $(GUIdir)/configs \ $(GUIdir)/res $(GUIdir)/res/icons $(shaderdir) \ $(webgldir) -${INSTALL} -d $(latexdir) -${INSTALL} -d $(contextdir) ${INSTALL} -p -m 755 $(NAME) $(bindir) ${INSTALL} -p -m 644 base/*.asy $(addprefix base/,$(EXTRA)) \ asy-keywords.el $(asydir) ${INSTALL} -p -m 755 GUI/*.py $(GUIdir) ${INSTALL} -p -m 755 base/shaders/*.glsl $(shaderdir) ${INSTALL} -p -m 644 base/webgl/asygl.js \ $(webgldir) -${INSTALL} -p -m 644 GUI/pyUIClass/*.py $(GUIdir)/pyUIClass ${INSTALL} -p -m 644 GUI/configs/*.cson $(GUIdir)/configs ${INSTALL} -p -m 644 GUI/res/icons.qrc $(GUIdir)/res ${INSTALL} -p -m 644 GUI/res/icons/*.svg $(GUIdir)/res/icons ln -sf @datadir@/asymptote/GUI/xasy.py $(bindir)/$(XNAME) ${INSTALL} -p -m 644 examples/*.asy $(addprefix examples/,$(EXEXTRA)) \ doc/extra/*.asy $(addprefix doc/,$(DOCEXTRA)) $(exampledir) ${INSTALL} -p -m 644 examples/animations/*.asy \ examples/animations/inlinemovie.tex \ examples/animations/inlinemovie3.tex $(animationsdir) -${INSTALL} -p -m 644 $(addprefix doc/,$(LATEXFILES)) $(latexdir) -${INSTALL} -p -m 644 $(addprefix doc/,$(CONTEXTFILES)) $(contextdir) install-html: html cd doc && $(MAKE) install-all install-man: man cd doc && $(MAKE) install install-prebuilt: install-asy cd doc && $(MAKE) install-prebuilt uninstall: uninstall-all uninstall-all: uninstall-man uninstall-asy uninstall-docdir uninstall-asy: -cd $(animationsdir) && rm -f *.asy *.tex -rmdir $(animationsdir) -cd $(exampledir) && rm -f $(EXEXTRA) $(DOCEXTRA) -rmdir $(exampledir) -cd $(GUIdir) && rm -f *.py -cd $(GUIdir)/pyUIClass && rm -f *.py -rmdir $(GUIdir)/pyUIClass -cd $(GUIdir)/configs && rm -f *.cson -rmdir $(GUIdir)/configs -cd $(GUIdir)/res/icons && rm -f *.svg -rmdir $(GUIdir)/res/icons -cd $(GUIdir)/res && rm -f icons.qrc -rmdir $(GUIdir)/res -rmdir $(GUIdir) -cd $(shaderdir) && rm -f *.glsl -rmdir $(shaderdir) -cd $(webgldir) && rm -f *.html *.js -rmdir $(webgldir) -cd $(asydir) && rm -f asy-keywords.el *.asy $(EXTRA) -rmdir $(asydir) -cd $(latexdir) && rm -f $(LATEXFILES) -rmdir $(latexdir) -cd $(contextdir) && rm -f $(CONTEXTFILES) -rmdir $(contextdir) -cd $(bindir) && rm -f $(NAME) $(XNAME) uninstall-man: cd doc && $(MAKE) uninstall uninstall-docdir: -rmdir $(docdir) clean: FORCE -rm -f asy asymptote.so *.pic.o *.o *.d *mon.out $(CLEAN) gc-clean: FORCE clean -if test -d $(GC); then \ $(MAKE) -C $(GC) clean; \ fi cleaner: FORCE clean -if test -d $(GC); then \ rm -rf $(GC); \ fi -rm -f Makefile config.h config.log config.status errors.temp cd doc && $(MAKE) clean cd tests && $(MAKE) distclean distclean: FORCE cleaner cd doc && $(MAKE) distclean cleanest: FORCE maintainer-clean maintainer-clean: FORCE distclean -rm -f configure config.h.in $(DIST) -rm -rf autom4te.cache -rm -rf GUI/pyUIClass test: asy FORCE ./wce $(MAKE) -C tests check: test check-all: asy FORCE ./wce $(MAKE) -C tests all glew.o: glew.c GL/glew.h $(CC) -I. $(GLEWOPTS) -o glew.o -c glew.c .SUFFIXES: .c .cc .o .d .ui .py %.o: %.cc $(CXX) $(OPTS) -o $@ -c $< %.d: %.cc @echo Creating $@; \ rm -f $@; \ ${CXX} $(MAKEDEPEND) $(MDOPTS) $< > $@.$$$$ 2>/dev/null && \ sed 's,\($*\)\.o[ :]*,\1.o \1.pic.o $@ : ,g' < $@.$$$$ > $@; \ rm -f $@.$$$$ %.d: %.c @echo Creating $@; \ rm -f $@; \ ${CC} $(MAKEDEPEND) $(MDOPTS) $< > $@.$$$$ 2>/dev/null && \ sed 's,\($*\)\.o[ :]*,\1.o $@ : ,g' < $@.$$$$ > $@; \ rm -f $@.$$$$ %.py: %.ui mkdir -p GUI/pyUIClass -$(PYUIC) -o GUI/pyUIClass/$(notdir $@) $< # Compile for the shared library. OpenGL must be disabled as it causes # crashes inside a shared library. %.pic.o: %.cc $(CXX) $(SHAREDOPTS) -o $@ -c $< ifeq (,$(findstring clean,${MAKECMDGOALS})) -include $(FILES:=.d) endif FORCE: configure: configure.ac autoheader && autoconf Makefile: Makefile.in config.status ./config.status config.status: configure ./config.status --recheck asymptote-2.62/drawgsave.h0000644000000000000000000000072213607467113014333 0ustar rootroot/***** * drawgsave.h * John Bowman * * Output PostScript gsave to picture. *****/ #ifndef DRAWGSAVE_H #define DRAWGSAVE_H #include "drawelement.h" namespace camp { class drawGsave : public drawElement { public: drawGsave() {} virtual ~drawGsave() {} bool draw(psfile *out) { out->gsave(); return true; } bool write(texfile *out, const bbox&) { out->gsave(); return true; } }; } GC_DECLARE_PTRFREE(camp::drawGsave); #endif asymptote-2.62/camperror.cc0000644000000000000000000000224713607467113014504 0ustar rootroot/***** * camperror.cc * 2003/02/25 Andy Hammerlindl * * Provides a way for the classes in camp to report errors in * computation elegantly. After running a method on a camp object that * could encounter an error, the program should call camp::errors to see * if any errors were encountered. *****/ #include #include #include "camperror.h" #include "vm.h" #include "errormsg.h" namespace camp { // Used internally to report an error in an operation. void reportError(const string& desc) { em.runtime(vm::getPos()); em << desc; em.sync(); throw handled_error(); } // Used internally to report a warning in an operation. void reportWarning(const string& desc) { em.warning(vm::getPos()); em << desc; em.sync(); } void reportFatal(const string& desc) { em.fatal(vm::getPos()); em << desc; em.sync(); em.statusError(); try { throw quit(); } catch(handled_error) { } } void reportError(const ostringstream& desc) { reportError(desc.str()); } void reportWarning(const ostringstream& desc) { reportWarning(desc.str()); } void reportFatal(const ostringstream& desc) { reportFatal(desc.str()); } } // namespace camp asymptote-2.62/pipestream.h0000644000000000000000000000510013607467113014514 0ustar rootroot/* Pipestream: A simple C++ interface to UNIX pipes Version 0.05 Copyright (C) 2005-2014 John C. Bowman, with contributions from Mojca Miklavec This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program; if not, write to the Free Software Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. */ #ifndef PIPESTREAM_H #define PIPESTREAM_H #include #include #include #include "common.h" // bidirectional stream for reading and writing to pipes class iopipestream { protected: int in[2]; int out[2]; static const int BUFSIZE=SHRT_MAX; char buffer[BUFSIZE]; string sbuffer; int pid; bool Running; bool pipeopen; bool pipein; public: void open(const mem::vector &command, const char *hint=NULL, const char *application="", int out_fileno=STDOUT_FILENO); bool isopen() {return pipeopen;} iopipestream(): pid(0), pipeopen(false) {} iopipestream(const mem::vector &command, const char *hint=NULL, const char *application="", int out_fileno=STDOUT_FILENO) : pid(0), pipeopen(false) { open(command,hint,application,out_fileno); } void eof(); virtual void pipeclose(); virtual ~iopipestream() { pipeclose(); } void block(bool write=false, bool read=true); ssize_t readbuffer(); string readline(); bool running() {return Running;} typedef iopipestream& (*imanip)(iopipestream&); iopipestream& operator << (imanip func) { return (*func)(*this); } iopipestream& operator >> (string& s) { readbuffer(); s=buffer; return *this; } bool tailequals(const char *buf, size_t len, const char *prompt, size_t plen); string getbuffer() {return sbuffer;} void wait(const char *prompt); int wait(); void Write(const string &s); iopipestream& operator << (const string& s) { Write(s); return *this; } template iopipestream& operator << (T x) { ostringstream os; os << x; Write(os.str()); return *this; } }; #endif asymptote-2.62/runbacktrace.cc0000644000000000000000000000514513607467143015161 0ustar rootroot/***** Autogenerated from runbacktrace.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runbacktrace.in" /***** * backtrace.in * Andy Hammerlindl 2009/07/28 * * Runtime functions for printing garbage collector backtraces. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 11 "runbacktrace.in" // No extra code for .cc file. // Autogenerated routines: #ifndef NOSYM #include "runbacktrace.symbols.h" #endif namespace run { #line 16 "runbacktrace.in" // void generate_random_backtrace(); void gen_runbacktrace0(stack *) { #line 17 "runbacktrace.in" #if defined(USEGC) && defined(GC_DEBUG) && defined(GC_BACKTRACE) GC_generate_random_backtrace(); #else error("generate_random_backtrace() requires ./configure --enable-gc-debug"); #endif } #line 25 "runbacktrace.in" // void print_random_addresses(Int n=1); void gen_runbacktrace1(stack *Stack) { Int n=vm::pop(Stack,1); #line 26 "runbacktrace.in" #if defined(USEGC) && defined(GC_DEBUG) && defined(GC_BACKTRACE) GC_gcollect(); for (Int i=0; i < n; ++i) GC_debug_print_heap_obj_proc(GC_base(GC_generate_random_valid_address())); #else error("print_random_addresses() requires ./configure --enable-gc-debug"); unused(&n); // Avoid unused variable warning message. #endif } } // namespace run namespace trans { void gen_runbacktrace_venv(venv &ve) { #line 16 "runbacktrace.in" addFunc(ve, run::gen_runbacktrace0, primVoid(), SYM(generate_random_backtrace)); #line 25 "runbacktrace.in" addFunc(ve, run::gen_runbacktrace1, primVoid(), SYM(print_random_addresses), formal(primInt(), SYM(n), true, false)); } } // namespace trans asymptote-2.62/angle.h0000644000000000000000000000147513607467113013444 0ustar rootroot/***** * angle.h * Andy Hammerlindl 2004/04/29 * * For degree to radian conversion and visa versa. *****/ #ifndef ANGLE_H #define ANGLE_H #include #include "camperror.h" namespace camp { const double PI=acos(-1.0); const double Cpiby180=PI/180.0; const double C180bypi=180.0/PI; inline double radians(double theta) { return theta*Cpiby180; } inline double degrees(double theta) { return theta*C180bypi; } // Wrapper for atan2 with sensible (lexical) argument order and (0,0) check inline double angle(double x, double y) { if(x == 0.0 && y == 0.0) reportError("taking angle of (0,0)"); return atan2(y,x); } // Return an angle in the interval [0,360). inline double principalBranch(double deg) { deg=fmod(deg,360.0); if(deg < 0) deg += 360.0; return deg; } } //namespace camp #endif asymptote-2.62/runhistory.in0000644000000000000000000001177713607467113014771 0ustar rootroot/***** * runhistory.in * * Runtime functions for history operations. * *****/ pair => primPair() picture* => primPicture() stringarray* => stringArray() #include "array.h" #include "mathop.h" #include "builtin.h" using namespace camp; using namespace settings; using namespace vm; using namespace run; typedef array stringarray; using types::stringArray; #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) #include #include struct historyState { bool store; HISTORY_STATE state; }; typedef mem::map historyMap_t; historyMap_t historyMap; static HISTORY_STATE history_save; // Store a deep copy of the current readline history in dest. void store_history(HISTORY_STATE *dest) { HISTORY_STATE *src=history_get_history_state(); if(src) { *dest=*src; for(Int i=0; i < src->length; ++i) dest->entries[i]=src->entries[i]; free(src); } } stringarray* get_history(Int n) { int N=intcast(n); if(N <= 0) N=history_length; else N=Min(N,history_length); array *a=new array((size_t) N); int offset=history_length-N+1; for(int i=0; i < N; ++i) { HIST_ENTRY *last=history_get(offset+i); string s=last ? last->line : ""; (*a)[i]=s; } return a; } string historyfilename(const string &name) { return historyname+"_"+name; } #endif namespace run { extern string emptystring; #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) void init_readline(bool tabcompletion) { rl_bind_key('\t',tabcompletion ? rl_complete : rl_insert); } #endif void cleanup() { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) store_history(&history_save); int nlines=intcast(getSetting("historylines")); for(historyMap_t::iterator h=historyMap.begin(); h != historyMap.end(); ++h) { history_set_history_state(&h->second.state); if(h->second.store) { stifle_history(nlines); write_history(historyfilename(h->first).c_str()); unstifle_history(); } } history_set_history_state(&history_save); #endif #ifdef HAVE_LIBGSL trans::GSLrngFree(); #endif } } // Autogenerated routines: // Return the last n lines of the history named name. stringarray* history(string name, Int n=1) { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) bool newhistory=historyMap.find(name) == historyMap.end(); string filename; if(newhistory) { filename=historyfilename(name); std::ifstream exists(filename.c_str()); if(!exists) return new array(0); } store_history(&history_save); HISTORY_STATE& history=historyMap[name].state; history_set_history_state(&history); if(newhistory) read_history(filename.c_str()); array *a=get_history(n); store_history(&history); history_set_history_state(&history_save); return a; #else unused(&n); return new array(0); #endif } // Return the last n lines of the interactive history. stringarray* history(Int n=0) { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) return get_history(n); #else unused(&n); return new array(0); #endif } // Prompt for a string using prompt, the GNU readline library, and a // local history named name. string readline(string prompt=emptystring, string name=emptystring, bool tabcompletion=false) { if(!(isatty(STDIN_FILENO) || getSetting("inpipe") >= 0)) return emptystring; #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) init_readline(tabcompletion); store_history(&history_save); bool newhistory=historyMap.find(name) == historyMap.end(); historyState& h=historyMap[name]; HISTORY_STATE& history=h.state; history_set_history_state(&history); if(newhistory) read_history(historyfilename(name).c_str()); static char *line=NULL; /* Return the memory to the free pool if the buffer has already been allocated. */ if(line) { free(line); line=NULL; } /* Get a line from the user. */ line=readline(prompt.c_str()); if(!line) cout << endl; history_set_history_state(&history_save); return line ? string(line) : emptystring; #else cout << prompt; string s; getline(cin,s); unused(&tabcompletion); // Avoid unused variable warning message. return s; #endif } // Save a string in a local history named name. // If store=true, store the local history in the file historyfilename(name). void saveline(string name, string value, bool store=true) { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) store_history(&history_save); bool newhistory=historyMap.find(name) == historyMap.end(); historyState& h=historyMap[name]; h.store=store; HISTORY_STATE& history=h.state; history_set_history_state(&history); if(newhistory) read_history(historyfilename(name).c_str()); if(value != "") { add_history(value.c_str()); if(store) { std::ofstream hout(historyfilename(name).c_str(),std::ios::app); hout << value << endl; } } store_history(&history); history_set_history_state(&history_save); #else unused(&store); #endif } asymptote-2.62/builtin.h0000644000000000000000000000314513607467113014020 0ustar rootroot/***** * builtin.h * Tom Prince 2004/08/25 * * Initialize builtins. *****/ #ifndef BUILTIN_H #define BUILTIN_H #include "vm.h" #include "types.h" #include "arrayop.h" namespace trans { class tenv; class venv; // The base environments for built-in types and functions void base_tenv(tenv &); void base_venv(venv &); extern const types::formal noformal; // Add a function with one or more default arguments. void addFunc(venv &ve, vm::bltin f, types::ty *result, symbol name, types::formal f1=noformal, types::formal f2=noformal, types::formal f3=noformal, types::formal f4=noformal, types::formal f5=noformal, types::formal f6=noformal, types::formal f7=noformal, types::formal f8=noformal, types::formal f9=noformal, types::formal fA=noformal, types::formal fB=noformal, types::formal fC=noformal, types::formal fD=noformal, types::formal fE=noformal, types::formal fF=noformal, types::formal fG=noformal, types::formal fH=noformal, types::formal fI=noformal); // Adds standard functions for a newly added types. void addArrayOps(venv &ve, types::array *t); void addRecordOps(venv &ve, types::record *r); void addFunctionOps(venv &ve, types::function *f); #ifdef HAVE_LIBGSL types::record *getGSLModule(); void GSLrngFree(); #endif } //namespace trans namespace run { extern double infinity; void single(vm::stack *Stack); void arrayDeleteHelper(vm::stack *Stack); // Used by to optimize conditional jumps. extern const vm::bltin intLess; extern const vm::bltin intGreater; } #endif //BUILTIN_H asymptote-2.62/callable.cc0000644000000000000000000000217713607467113014253 0ustar rootroot/***** * callable.cc * Tom Prince 2005/06/19 * * Runtime representation of functions. *****/ #include "stack.h" #include "callable.h" namespace vm { callable::~callable() {} void func::call(stack *s) { s->run(this); } void nullfunc::print(ostream& out) { out << "nullfunc"; } bool func::compare(callable* F) { if (func* f=dynamic_cast(F)) return (body == f->body) && (closure == f->closure); else return false; } void func::print(ostream& out) { out << "func with lambda"; #ifdef DEBUG_FRAME out << " " << body->name; #endif } bool bfunc::compare(callable* F) { if (bfunc* f=dynamic_cast(F)) return (func == f->func); else return false; } void bfunc::print(ostream& out) { out << "bltin"; #ifdef DEBUG_BLTIN out << " " << lookupBltin(func); #endif } void thunk::call(stack *s) { s->push(arg); func->call(s); } void thunk::print(ostream& out) { out << "thunk on " << arg << " with "; func->print(out); } nullfunc nullfunc::func; void nullfunc::call(stack *) { error("dereference of null function"); } bool nullfunc::compare(callable* f) { return f == &func; } } // namespace vm asymptote-2.62/frame.h0000644000000000000000000000417513607467113013450 0ustar rootroot/***** * frame.h * Andy Hammerlindl 2002/07/22 * * Describes the frame levels for the functions of the language. * Also creates accesses for the variable for automated loading * and saving of variables. *****/ #ifndef FRAME_H #define FRAME_H #include #include "access.h" namespace trans { class frame : public gc { frame *parent; size_t numFormals; Int numLocals; // With the SIMPLE_FRAME flag, the size of frames cannot be changed at // runtime. This is an issue for runnable-at-a-time mode, where global // variables can be continually added. To handle this, the frame for // global variables is an "indirect" frame. It holds one variable, which is // a link to another frame. When the subframe is too small, a larger // runtime array is allocated, and the link is changed. enum {DIRECT_FRAME, INDIRECT_FRAME} style; #ifdef DEBUG_FRAME string name; #endif frame(string name) : parent(new frame("", 0, 0)), numFormals(0), numLocals(1), style(INDIRECT_FRAME) #ifdef DEBUG_FRAME , name(name) #endif {} public: frame(string name, frame *parent, size_t numFormals) : parent(parent), numFormals(numFormals), numLocals(0), style(DIRECT_FRAME) #ifdef DEBUG_FRAME , name(name) #endif {} static frame *indirect_frame(string name) { return new frame(name); } frame *getParent() { return parent; } // Which variable stores the link to the parent frame. Int parentIndex() { return numFormals; } Int size() { if (style == DIRECT_FRAME) return (Int) (1+numFormals+numLocals); else return parent->size(); } access *accessFormal(size_t index) { assert(index < numFormals); assert(style == DIRECT_FRAME); return new localAccess((Int) (index), this); } access *allocLocal() { if (style == DIRECT_FRAME) return new localAccess((Int) (1 + numFormals + numLocals++), this); else return parent->allocLocal(); } }; inline void print(ostream& out, frame *f) { out << f; if (f != 0) { out << " -> "; print(out, f->getParent()); } } } // namespace trans #endif asymptote-2.62/path3.cc0000644000000000000000000011227013607467113013527 0ustar rootroot/***** * path3.cc * John Bowman * * Compute information for a three-dimensional path. *****/ #include #include "path3.h" #include "util.h" #include "camperror.h" #include "mathop.h" namespace camp { using run::operator *; using vm::array; path3 nullpath3; void checkEmpty3(Int n) { if(n == 0) reportError("nullpath3 has no points"); } triple path3::point(double t) const { checkEmpty3(n); Int i = Floor(t); Int iplus; t = fmod(t,1); if (t < 0) t += 1; if (cycles) { i = imod(i,n); iplus = imod(i+1,n); } else if (i < 0) return nodes[0].point; else if (i >= n-1) return nodes[n-1].point; else iplus = i+1; double one_t = 1.0-t; triple a = nodes[i].point, b = nodes[i].post, c = nodes[iplus].pre, d = nodes[iplus].point, ab = one_t*a + t*b, bc = one_t*b + t*c, cd = one_t*c + t*d, abc = one_t*ab + t*bc, bcd = one_t*bc + t*cd, abcd = one_t*abc + t*bcd; return abcd; } triple path3::precontrol(double t) const { checkEmpty3(n); Int i = Floor(t); Int iplus; t = fmod(t,1); if (t < 0) t += 1; if (cycles) { i = imod(i,n); iplus = imod(i+1,n); } else if (i < 0) return nodes[0].pre; else if (i >= n-1) return nodes[n-1].pre; else iplus = i+1; double one_t = 1.0-t; triple a = nodes[i].point, b = nodes[i].post, c = nodes[iplus].pre, ab = one_t*a + t*b, bc = one_t*b + t*c, abc = one_t*ab + t*bc; return (abc == a) ? nodes[i].pre : abc; } triple path3::postcontrol(double t) const { checkEmpty3(n); Int i = Floor(t); Int iplus; t = fmod(t,1); if (t < 0) t += 1; if (cycles) { i = imod(i,n); iplus = imod(i+1,n); } else if (i < 0) return nodes[0].post; else if (i >= n-1) return nodes[n-1].post; else iplus = i+1; double one_t = 1.0-t; triple b = nodes[i].post, c = nodes[iplus].pre, d = nodes[iplus].point, bc = one_t*b + t*c, cd = one_t*c + t*d, bcd = one_t*bc + t*cd; return (bcd == d) ? nodes[iplus].post : bcd; } path3 path3::reverse() const { mem::vector nodes(n); Int len=length(); for (Int i = 0, j = len; i < n; i++, j--) { nodes[i].pre = postcontrol(j); nodes[i].point = point(j); nodes[i].post = precontrol(j); nodes[i].straight = straight(j-1); } return path3(nodes, n, cycles); } path3 path3::subpath(Int a, Int b) const { if(empty()) return path3(); if (a > b) { const path3 &rp = reverse(); Int len=length(); path3 result = rp.subpath(len-a, len-b); return result; } if (!cycles) { if (a < 0) a = 0; if (b > n-1) b = n-1; } Int sn = b-a+1; mem::vector nodes(sn); for (Int i = 0, j = a; j <= b; i++, j++) { nodes[i].pre = precontrol(j); nodes[i].point = point(j); nodes[i].post = postcontrol(j); nodes[i].straight = straight(j); } nodes[0].pre = nodes[0].point; nodes[sn-1].post = nodes[sn-1].point; return path3(nodes, sn); } inline triple split(double t, const triple& x, const triple& y) { return x+(y-x)*t; } inline void splitCubic(solvedKnot3 sn[], double t, const solvedKnot3& left_, const solvedKnot3& right_) { solvedKnot3 &left=(sn[0]=left_), &mid=sn[1], &right=(sn[2]=right_); if(left.straight) { mid.point=split(t,left.point,right.point); triple deltaL=third*(mid.point-left.point); left.post=left.point+deltaL; mid.pre=mid.point-deltaL; triple deltaR=third*(right.point-mid.point); mid.post=mid.point+deltaR; right.pre=right.point-deltaR; mid.straight=true; } else { triple x=split(t,left.post,right.pre); // m1 left.post=split(t,left.point,left.post); // m0 right.pre=split(t,right.pre,right.point); // m2 mid.pre=split(t,left.post,x); // m3 mid.post=split(t,x,right.pre); // m4 mid.point=split(t,mid.pre,mid.post); // m5 } } path3 path3::subpath(double a, double b) const { if(empty()) return path3(); if (a > b) { const path3 &rp = reverse(); Int len=length(); return rp.subpath(len-a, len-b); } solvedKnot3 aL, aR, bL, bR; if (!cycles) { if (a < 0) { a = 0; if (b < 0) b = 0; } if (b > n-1) { b = n-1; if (a > n-1) a = n-1; } aL = nodes[(Int)floor(a)]; aR = nodes[(Int)ceil(a)]; bL = nodes[(Int)floor(b)]; bR = nodes[(Int)ceil(b)]; } else { if(run::validInt(a) && run::validInt(b)) { aL = nodes[imod((Int) floor(a),n)]; aR = nodes[imod((Int) ceil(a),n)]; bL = nodes[imod((Int) floor(b),n)]; bR = nodes[imod((Int) ceil(b),n)]; } else reportError("invalid path3 index"); } if (a == b) return path3(point(a)); solvedKnot3 sn[3]; path3 p = subpath(Ceil(a), Floor(b)); if (a > floor(a)) { if (b < ceil(a)) { splitCubic(sn,a-floor(a),aL,aR); splitCubic(sn,(b-a)/(ceil(b)-a),sn[1],sn[2]); return path3(sn[0],sn[1]); } splitCubic(sn,a-floor(a),aL,aR); p=concat(path3(sn[1],sn[2]),p); } if (ceil(b) > b) { splitCubic(sn,b-floor(b),bL,bR); p=concat(p,path3(sn[0],sn[1])); } return p; } // Special case of subpath for paths of length 1 used by intersect. void path3::halve(path3 &first, path3 &second) const { solvedKnot3 sn[3]; splitCubic(sn,0.5,nodes[0],nodes[1]); first=path3(sn[0],sn[1]); second=path3(sn[1],sn[2]); } // Calculate the coefficients of a Bezier derivative divided by 3. static inline void derivative(triple& a, triple& b, triple& c, const triple& z0, const triple& c0, const triple& c1, const triple& z1) { a=z1-z0+3.0*(c0-c1); b=2.0*(z0+c1)-4.0*c0; c=c0-z0; } bbox3 path3::bounds() const { if(!box.empty) return box; if (empty()) { // No bounds return bbox3(); } Int len=length(); box.add(point(len)); times=bbox3(len,len,len,len,len,len); for (Int i = 0; i < len; i++) { addpoint(box,i); if(straight(i)) continue; triple a,b,c; derivative(a,b,c,point(i),postcontrol(i),precontrol(i+1),point(i+1)); // Check x coordinate quadraticroots x(a.getx(),b.getx(),c.getx()); if(x.distinct != quadraticroots::NONE && goodroot(x.t1)) addpoint(box,i+x.t1); if(x.distinct == quadraticroots::TWO && goodroot(x.t2)) addpoint(box,i+x.t2); // Check y coordinate quadraticroots y(a.gety(),b.gety(),c.gety()); if(y.distinct != quadraticroots::NONE && goodroot(y.t1)) addpoint(box,i+y.t1); if(y.distinct == quadraticroots::TWO && goodroot(y.t2)) addpoint(box,i+y.t2); // Check z coordinate quadraticroots z(a.getz(),b.getz(),c.getz()); if(z.distinct != quadraticroots::NONE && goodroot(z.t1)) addpoint(box,i+z.t1); if(z.distinct == quadraticroots::TWO && goodroot(z.t2)) addpoint(box,i+z.t2); } return box; } // Return f evaluated at controlling vertex of bounding box of convex hull for // similiar-triangle transform x'=x/z, y'=y/z, where z < 0. double ratiobound(triple z0, triple c0, triple c1, triple z1, double (*m)(double, double), double (*f)(const triple&)) { double MX=m(m(m(-z0.getx(),-c0.getx()),-c1.getx()),-z1.getx()); double MY=m(m(m(-z0.gety(),-c0.gety()),-c1.gety()),-z1.gety()); double Z=m(m(m(z0.getz(),c0.getz()),c1.getz()),z1.getz()); double MZ=m(m(m(-z0.getz(),-c0.getz()),-c1.getz()),-z1.getz()); return m(f(triple(-MX,-MY,Z)),f(triple(-MX,-MY,-MZ))); } double bound(triple z0, triple c0, triple c1, triple z1, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth) { b=m(b,m(f(z0),f(z1))); if(m(-1.0,1.0)*(b-ratiobound(z0,c0,c1,z1,m,f)) >= -fuzz || depth == 0) return b; --depth; fuzz *= 2; triple m0=0.5*(z0+c0); triple m1=0.5*(c0+c1); triple m2=0.5*(c1+z1); triple m3=0.5*(m0+m1); triple m4=0.5*(m1+m2); triple m5=0.5*(m3+m4); // Check both Bezier subpaths. b=bound(z0,m0,m3,m5,m,f,b,fuzz,depth); return bound(m5,m4,m2,z1,m,f,b,fuzz,depth); } pair path3::ratio(double (*m)(double, double)) const { double fuzz=Fuzz*(max()-min()).length(); checkEmpty3(n); triple v=point((Int) 0); pair B=pair(xratio(v),yratio(v)); Int n=length(); for(Int i=0; i <= n; ++i) { if(straight(i)) { triple v=point(i); B=pair(m(B.getx(),xratio(v)),m(B.gety(),yratio(v))); } else { triple z0=point(i); triple c0=postcontrol(i); triple c1=precontrol(i+1); triple z1=point(i+1); B=pair(bound(z0,c0,c1,z1,m,xratio,B.getx(),fuzz), bound(z0,c0,c1,z1,m,yratio,B.gety(),fuzz)); } } return B; } // {{{ Arclength Calculations static triple a,b,c; static double ds(double t) { double dx=quadratic(a.getx(),b.getx(),c.getx(),t); double dy=quadratic(a.gety(),b.gety(),c.gety(),t); double dz=quadratic(a.getz(),b.getz(),c.getz(),t); return sqrt(dx*dx+dy*dy+dz*dz); } // Calculates arclength of a cubic using adaptive simpson integration. double path3::cubiclength(Int i, double goal) const { const triple& z0=point(i); const triple& z1=point(i+1); double L; if(straight(i)) { L=(z1-z0).length(); return (goal < 0 || goal >= L) ? L : -goal/L; } const triple& c0=postcontrol(i); const triple& c1=precontrol(i+1); double integral; derivative(a,b,c,z0,c0,c1,z1); if(!simpson(integral,ds,0.0,1.0,DBL_EPSILON,1.0)) reportError("nesting capacity exceeded in computing arclength"); L=3.0*integral; if(goal < 0 || goal >= L) return L; double t=goal/L; goal *= third; static double dxmin=sqrt(DBL_EPSILON); if(!unsimpson(goal,ds,0.0,t,100.0*DBL_EPSILON,integral,1.0,dxmin)) reportError("nesting capacity exceeded in computing arctime"); return -t; } double path3::arclength() const { if (cached_length != -1) return cached_length; double L=0.0; for (Int i = 0; i < n-1; i++) { L += cubiclength(i); } if(cycles) L += cubiclength(n-1); cached_length = L; return cached_length; } double path3::arctime(double goal) const { if (cycles) { if (goal == 0 || cached_length == 0) return 0; if (goal < 0) { const path3 &rp = this->reverse(); double result = -rp.arctime(-goal); return result; } if (cached_length > 0 && goal >= cached_length) { Int loops = (Int)(goal / cached_length); goal -= loops*cached_length; return loops*n+arctime(goal); } } else { if (goal <= 0) return 0; if (cached_length > 0 && goal >= cached_length) return n-1; } double l,L=0; for (Int i = 0; i < n-1; i++) { l = cubiclength(i,goal); if (l < 0) return (-l+i); else { L += l; goal -= l; if (goal <= 0) return i+1; } } if (cycles) { l = cubiclength(n-1,goal); if (l < 0) return -l+n-1; if (cached_length > 0 && cached_length != L+l) { reportError("arclength != length.\n" "path3::arclength(double) must have broken semantics.\n" "Please report this error."); } cached_length = L += l; goal -= l; return arctime(goal)+n; } else { cached_length = L; return length(); } } // }}} // {{{ Path3 Intersection Calculations // Return all intersection times of path3 g with the triple v. void intersections(std::vector& T, const path3& g, const triple& v, double fuzz) { double fuzz2=fuzz*fuzz; Int n=g.length(); bool cycles=g.cyclic(); for(Int i=0; i < n; ++i) { // Check all directions to circumvent degeneracy. std::vector r; roots(r,g.point(i).getx(),g.postcontrol(i).getx(), g.precontrol(i+1).getx(),g.point(i+1).getx(),v.getx()); roots(r,g.point(i).gety(),g.postcontrol(i).gety(), g.precontrol(i+1).gety(),g.point(i+1).gety(),v.gety()); roots(r,g.point(i).getz(),g.postcontrol(i).getz(), g.precontrol(i+1).getz(),g.point(i+1).getz(),v.getz()); size_t m=r.size(); for(size_t j=0 ; j < m; ++j) { double t=r[j]; if(t >= -Fuzz2 && t <= 1.0+Fuzz2) { double s=i+t; if((g.point(s)-v).abs2() <= fuzz2) { if(cycles && s >= n-Fuzz2) s=0; T.push_back(s); } } } } } // An optimized implementation of intersections(g,p--q); // if there are an infinite number of intersection points, the returned list is // only guaranteed to include the endpoint times of the intersection. void intersections(std::vector& S, std::vector& T, const path3& g, const triple& p, double fuzz) { std::vector S1; intersections(S1,g,p,fuzz); size_t n=S1.size(); for(size_t i=0; i < n; ++i) { S.push_back(S1[i]); T.push_back(0.0); } } void add(std::vector& S, std::vector& T, double s, double t, const path3& p, const path3& q, double fuzz2) { triple P=p.point(s); for(size_t i=0; i < S.size(); ++i) if((p.point(S[i])-P).abs2() <= fuzz2) return; S.push_back(s); T.push_back(t); } void add(double& s, double& t, std::vector& S, std::vector& T, std::vector& S1, std::vector& T1, double pscale, double qscale, double poffset, double qoffset, const path3& p, const path3& q, double fuzz2, bool single) { if(single) { s=s*pscale+poffset; t=t*qscale+qoffset; } else { size_t n=S1.size(); for(size_t i=0; i < n; ++i) add(S,T,pscale*S1[i]+poffset,qscale*T1[i]+qoffset,p,q,fuzz2); } } void add(double& s, double& t, std::vector& S, std::vector& T, std::vector& S1, std::vector& T1, const path3& p, const path3& q, double fuzz2, bool single) { size_t n=S1.size(); if(single) { if(n > 0) { s=S1[0]; t=T1[0]; } } else { for(size_t i=0; i < n; ++i) add(S,T,S1[i],T1[i],p,q,fuzz2); } } bool intersections(double &s, double &t, std::vector& S, std::vector& T, path3& p, path3& q, double fuzz, bool single, bool exact, unsigned depth) { if(errorstream::interrupt) throw interrupted(); double fuzz2=max(fuzzFactor*fuzz*fuzz,Fuzz2); Int lp=p.length(); if(lp == 0 && exact) { std::vector T1,S1; intersections(T1,S1,q,p.point(lp),fuzz); add(s,t,S,T,S1,T1,p,q,fuzz2,single); return S1.size() > 0; } Int lq=q.length(); if(lq == 0 && exact) { std::vector S1,T1; intersections(S1,T1,p,q.point(lq),fuzz); add(s,t,S,T,S1,T1,p,q,fuzz2,single); return S1.size() > 0; } triple maxp=p.max(); triple minp=p.min(); triple maxq=q.max(); triple minq=q.min(); if(maxp.getx()+fuzz >= minq.getx() && maxp.gety()+fuzz >= minq.gety() && maxp.getz()+fuzz >= minq.getz() && maxq.getx()+fuzz >= minp.getx() && maxq.gety()+fuzz >= minp.gety() && maxq.getz()+fuzz >= minp.getz()) { // Overlapping bounding boxes --depth; // fuzz *= 2; if((maxp-minp).length()+(maxq-minq).length() <= fuzz || depth == 0) { if(single) { s=0.5; t=0.5; } else { S.push_back(0.5); T.push_back(0.5); } return true; } path3 p1,p2; double pscale,poffset; std::vector S1,T1; // fuzz2=max(fuzzFactor*fuzz*fuzz,Fuzz2); if(lp <= 1) { if(lp == 1) p.halve(p1,p2); if(lp == 0 || p1 == p || p2 == p) { intersections(T1,S1,q,p.point((Int) 0),fuzz); add(s,t,S,T,S1,T1,p,q,fuzz2,single); return S1.size() > 0; } pscale=poffset=0.5; } else { Int tp=lp/2; p1=p.subpath(0,tp); p2=p.subpath(tp,lp); poffset=tp; pscale=1.0; } path3 q1,q2; double qscale,qoffset; if(lq <= 1) { if(lq == 1) q.halve(q1,q2); if(lq == 0 || q1 == q || q2 == q) { intersections(S1,T1,p,q.point((Int) 0),fuzz); add(s,t,S,T,S1,T1,p,q,fuzz2,single); return S1.size() > 0; } qscale=qoffset=0.5; } else { Int tq=lq/2; q1=q.subpath(0,tq); q2=q.subpath(tq,lq); qoffset=tq; qscale=1.0; } bool Short=lp == 1 && lq == 1; static size_t maxcount=9; size_t count=0; if(intersections(s,t,S1,T1,p1,q1,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,0.0,0.0,p,q,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } S1.clear(); T1.clear(); if(intersections(s,t,S1,T1,p1,q2,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,0.0,qoffset,p,q,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } S1.clear(); T1.clear(); if(intersections(s,t,S1,T1,p2,q1,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,poffset,0.0,p,q,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } S1.clear(); T1.clear(); if(intersections(s,t,S1,T1,p2,q2,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,poffset,qoffset,p,q,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } return S.size() > 0; } return false; } // }}} path3 concat(const path3& p1, const path3& p2) { Int n1 = p1.length(), n2 = p2.length(); if (n1 == -1) return p2; if (n2 == -1) return p1; triple a=p1.point(n1); triple b=p2.point((Int) 0); mem::vector nodes(n1+n2+1); Int i = 0; nodes[0].pre = p1.point((Int) 0); for (Int j = 0; j < n1; j++) { nodes[i].point = p1.point(j); nodes[i].straight = p1.straight(j); nodes[i].post = p1.postcontrol(j); nodes[i+1].pre = p1.precontrol(j+1); i++; } for (Int j = 0; j < n2; j++) { nodes[i].point = p2.point(j); nodes[i].straight = p2.straight(j); nodes[i].post = p2.postcontrol(j); nodes[i+1].pre = p2.precontrol(j+1); i++; } nodes[i].point = nodes[i].post = p2.point(n2); return path3(nodes, i+1); } path3 transformed(const array& t, const path3& p) { Int n = p.size(); mem::vector nodes(n); for (Int i = 0; i < n; ++i) { nodes[i].pre = t * p.precontrol(i); nodes[i].point = t * p.point(i); nodes[i].post = t * p.postcontrol(i); nodes[i].straight = p.straight(i); } return path3(nodes, n, p.cyclic()); } path3 transformed(const double* t, const path3& p) { Int n = p.size(); mem::vector nodes(n); for(Int i=0; i < n; ++i) { nodes[i].pre=t*p.precontrol(i); nodes[i].point=t*p.point(i); nodes[i].post=t*p.postcontrol(i); nodes[i].straight=p.straight(i); } return path3(nodes, n, p.cyclic()); } template struct Split { T m0,m1,m2,m3,m4,m5; Split(T z0, T c0, T c1, T z1) { m0=0.5*(z0+c0); m1=0.5*(c0+c1); m2=0.5*(c1+z1); m3=0.5*(m0+m1); m4=0.5*(m1+m2); m5=0.5*(m3+m4); } }; double cornerbound(double *P, double (*m)(double, double)) { double b=m(P[0],P[3]); b=m(b,P[12]); return m(b,P[15]); } double controlbound(double *P, double (*m)(double, double)) { double b=m(P[1],P[2]); b=m(b,P[4]); b=m(b,P[5]); b=m(b,P[6]); b=m(b,P[7]); b=m(b,P[8]); b=m(b,P[9]); b=m(b,P[10]); b=m(b,P[11]); b=m(b,P[13]); return m(b,P[14]); } double bound(double *P, double (*m)(double, double), double b, double fuzz, int depth) { b=m(b,cornerbound(P,m)); if(m(-1.0,1.0)*(b-controlbound(P,m)) >= -fuzz || depth == 0) return b; --depth; fuzz *= 2; Split c0(P[0],P[1],P[2],P[3]); Split c1(P[4],P[5],P[6],P[7]); Split c2(P[8],P[9],P[10],P[11]); Split c3(P[12],P[13],P[14],P[15]); Split c4(P[12],P[8],P[4],P[0]); Split c5(c3.m0,c2.m0,c1.m0,c0.m0); Split c6(c3.m3,c2.m3,c1.m3,c0.m3); Split c7(c3.m5,c2.m5,c1.m5,c0.m5); Split c8(c3.m4,c2.m4,c1.m4,c0.m4); Split c9(c3.m2,c2.m2,c1.m2,c0.m2); Split c10(P[15],P[11],P[7],P[3]); // Check all 4 Bezier subpatches. double s0[]={c4.m5,c5.m5,c6.m5,c7.m5,c4.m3,c5.m3,c6.m3,c7.m3, c4.m0,c5.m0,c6.m0,c7.m0,P[12],c3.m0,c3.m3,c3.m5}; b=bound(s0,m,b,fuzz,depth); double s1[]={P[0],c0.m0,c0.m3,c0.m5,c4.m2,c5.m2,c6.m2,c7.m2, c4.m4,c5.m4,c6.m4,c7.m4,c4.m5,c5.m5,c6.m5,c7.m5}; b=bound(s1,m,b,fuzz,depth); double s2[]={c0.m5,c0.m4,c0.m2,P[3],c7.m2,c8.m2,c9.m2,c10.m2, c7.m4,c8.m4,c9.m4,c10.m4,c7.m5,c8.m5,c9.m5,c10.m5}; b=bound(s2,m,b,fuzz,depth); double s3[]={c7.m5,c8.m5,c9.m5,c10.m5,c7.m3,c8.m3,c9.m3,c10.m3, c7.m0,c8.m0,c9.m0,c10.m0,c3.m5,c3.m4,c3.m2,P[15]}; return bound(s3,m,b,fuzz,depth); } double cornerbound(triple *P, double (*m)(double, double), double (*f)(const triple&)) { double b=m(f(P[0]),f(P[3])); b=m(b,f(P[12])); return m(b,f(P[15])); } // Return f evaluated at controlling vertex of bounding box of n control // net points for similiar-triangle transform x'=x/z, y'=y/z, where z < 0. double ratiobound(triple *P, double (*m)(double, double), double (*f)(const triple&), int n) { double MX=-P[0].getx(); double MY=-P[0].gety(); double Z=P[0].getz(); double MZ=-Z; for(int i=1; i < n; ++i) { triple v=P[i]; MX=m(MX,-v.getx()); MY=m(MY,-v.gety()); Z=m(Z,v.getz()); MZ=m(MZ,-v.getz()); } return m(f(triple(-MX,-MY,Z)),f(triple(-MX,-MY,-MZ))); } double controlbound(triple *P, double (*m)(double, double), double (*f)(const triple&)) { double b=m(f(P[1]),f(P[2])); b=m(b,f(P[4])); b=m(b,f(P[5])); b=m(b,f(P[6])); b=m(b,f(P[7])); b=m(b,f(P[8])); b=m(b,f(P[9])); b=m(b,f(P[10])); b=m(b,f(P[11])); b=m(b,f(P[13])); return m(b,f(P[14])); } double bound(triple *P, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth) { b=m(b,cornerbound(P,m,f)); if(m(-1.0,1.0)*(b-ratiobound(P,m,f,16)) >= -fuzz || depth == 0) return b; --depth; fuzz *= 2; Split c0(P[0],P[1],P[2],P[3]); Split c1(P[4],P[5],P[6],P[7]); Split c2(P[8],P[9],P[10],P[11]); Split c3(P[12],P[13],P[14],P[15]); Split c4(P[12],P[8],P[4],P[0]); Split c5(c3.m0,c2.m0,c1.m0,c0.m0); Split c6(c3.m3,c2.m3,c1.m3,c0.m3); Split c7(c3.m5,c2.m5,c1.m5,c0.m5); Split c8(c3.m4,c2.m4,c1.m4,c0.m4); Split c9(c3.m2,c2.m2,c1.m2,c0.m2); Split c10(P[15],P[11],P[7],P[3]); // Check all 4 Bezier subpatches. triple s0[]={c4.m5,c5.m5,c6.m5,c7.m5,c4.m3,c5.m3,c6.m3,c7.m3, c4.m0,c5.m0,c6.m0,c7.m0,P[12],c3.m0,c3.m3,c3.m5}; b=bound(s0,m,f,b,fuzz,depth); triple s1[]={P[0],c0.m0,c0.m3,c0.m5,c4.m2,c5.m2,c6.m2,c7.m2, c4.m4,c5.m4,c6.m4,c7.m4,c4.m5,c5.m5,c6.m5,c7.m5}; b=bound(s1,m,f,b,fuzz,depth); triple s2[]={c0.m5,c0.m4,c0.m2,P[3],c7.m2,c8.m2,c9.m2,c10.m2, c7.m4,c8.m4,c9.m4,c10.m4,c7.m5,c8.m5,c9.m5,c10.m5}; b=bound(s2,m,f,b,fuzz,depth); triple s3[]={c7.m5,c8.m5,c9.m5,c10.m5,c7.m3,c8.m3,c9.m3,c10.m3, c7.m0,c8.m0,c9.m0,c10.m0,c3.m5,c3.m4,c3.m2,P[15]}; return bound(s3,m,f,b,fuzz,depth); } template struct Splittri { T l003,p102,p012,p201,p111,p021,r300,p210,p120,u030; T u021,u120; T p033,p231,p330; T p123; T l012,p312,r210,l102,p303,r201; T u012,u210,l021,p4xx,r120,px4x,pxx4,l201,r102; T l210,r012,l300; T r021,u201,r030; T u102,l120,l030; T l111,r111,u111,c111; Splittri(const T *p) { l003=p[0]; p102=p[1]; p012=p[2]; p201=p[3]; p111=p[4]; p021=p[5]; r300=p[6]; p210=p[7]; p120=p[8]; u030=p[9]; u021=0.5*(u030+p021); u120=0.5*(u030+p120); p033=0.5*(p021+p012); p231=0.5*(p120+p111); p330=0.5*(p120+p210); p123=0.5*(p012+p111); l012=0.5*(p012+l003); p312=0.5*(p111+p201); r210=0.5*(p210+r300); l102=0.5*(l003+p102); p303=0.5*(p102+p201); r201=0.5*(p201+r300); u012=0.5*(u021+p033); u210=0.5*(u120+p330); l021=0.5*(p033+l012); p4xx=0.5*p231+0.25*(p111+p102); r120=0.5*(p330+r210); px4x=0.5*p123+0.25*(p111+p210); pxx4=0.25*(p021+p111)+0.5*p312; l201=0.5*(l102+p303); r102=0.5*(p303+r201); l210=0.5*(px4x+l201); // = m120 r012=0.5*(px4x+r102); // = m021 l300=0.5*(l201+r102); // = r003 = m030 r021=0.5*(pxx4+r120); // = m012 u201=0.5*(u210+pxx4); // = m102 r030=0.5*(u210+r120); // = u300 = m003 u102=0.5*(u012+p4xx); // = m201 l120=0.5*(l021+p4xx); // = m210 l030=0.5*(u012+l021); // = u003 = m300 l111=0.5*(p123+l102); r111=0.5*(p312+r210); u111=0.5*(u021+p231); c111=0.25*(p033+p330+p303+p111); } }; // Return the extremum of the vertices of a Bezier triangle. double cornerboundtri(double *P, double (*m)(double, double)) { double b=m(P[0],P[6]); return m(b,P[9]); } double cornerboundtri(triple *P, double (*m)(double, double), double (*f)(const triple&)) { double b=m(f(P[0]),f(P[6])); return m(b,f(P[9])); } // Return the extremum of the non-vertex control points of a Bezier triangle. double controlboundtri(double *P, double (*m)(double, double)) { double b=m(P[1],P[2]); b=m(b,P[3]); b=m(b,P[4]); b=m(b,P[5]); b=m(b,P[7]); return m(b,P[8]); } double controlboundtri(triple *P, double (*m)(double, double), double (*f)(const triple&)) { double b=m(f(P[1]),f(P[2])); b=m(b,f(P[3])); b=m(b,f(P[4])); b=m(b,f(P[5])); b=m(b,f(P[7])); return m(b,f(P[8])); } // Return the global bound of a Bezier triangle. double boundtri(double *P, double (*m)(double, double), double b, double fuzz, int depth) { b=m(b,cornerboundtri(P,m)); if(m(-1.0,1.0)*(b-controlboundtri(P,m)) >= -fuzz || depth == 0) return b; --depth; fuzz *= 2; Splittri s(P); double l[]={s.l003,s.l102,s.l012,s.l201,s.l111, s.l021,s.l300,s.l210,s.l120,s.l030}; // left b=boundtri(l,m,b,fuzz,depth); double r[]={s.l300,s.r102,s.r012,s.r201,s.r111, s.r021,s.r300,s.r210,s.r120,s.r030}; // right b=boundtri(r,m,b,fuzz,depth); double u[]={s.l030,s.u102,s.u012,s.u201,s.u111, s.u021,s.r030,s.u210,s.u120,s.u030}; // up b=boundtri(u,m,b,fuzz,depth); double c[]={s.r030,s.u201,s.r021,s.u102,s.c111, s.r012,s.l030,s.l120,s.l210,s.l300}; // center return boundtri(c,m,b,fuzz,depth); } double boundtri(triple *P, double (*m)(double, double), double (*f)(const triple&), double b, double fuzz, int depth) { b=m(b,cornerboundtri(P,m,f)); if(m(-1.0,1.0)*(b-ratiobound(P,m,f,10)) >= -fuzz || depth == 0) return b; --depth; fuzz *= 2; Splittri s(P); triple l[]={s.l003,s.l102,s.l012,s.l201,s.l111, s.l021,s.l300,s.l210,s.l120,s.l030}; // left b=boundtri(l,m,f,b,fuzz,depth); triple r[]={s.l300,s.r102,s.r012,s.r201,s.r111, s.r021,s.r300,s.r210,s.r120,s.r030}; // right b=boundtri(r,m,f,b,fuzz,depth); triple u[]={s.l030,s.u102,s.u012,s.u201,s.u111, s.u021,s.r030,s.u210,s.u120,s.u030}; // up b=boundtri(u,m,f,b,fuzz,depth); triple c[]={s.r030,s.u201,s.r021,s.u102,s.c111, s.r012,s.l030,s.l120,s.l210,s.l300}; // center return boundtri(c,m,f,b,fuzz,depth); } inline void add(std::vector& T, std::vector& U, std::vector& V, double t, double u, double v, const path3& p, double fuzz2) { triple z=p.point(t); size_t n=T.size(); for(size_t i=0; i < n; ++i) if((p.point(T[i])-z).abs2() <= fuzz2) return; T.push_back(t); U.push_back(u); V.push_back(v); } void add(std::vector& T, std::vector& U, std::vector& V, std::vector& T1, std::vector& U1, std::vector& V1, const path3& p, double tscale, double toffset, double uoffset, double voffset, double fuzz2) { size_t n=T1.size(); for(size_t i=0; i < n; ++i) add(T,U,V,tscale*T1[i]+toffset,0.5*U1[i]+uoffset,0.5*V1[i]+voffset,p, fuzz2); } void bounds(triple& Pmin, triple& Pmax, triple *P, double fuzz) { double Px[]={P[0].getx(),P[1].getx(),P[2].getx(),P[3].getx(), P[4].getx(),P[5].getx(),P[6].getx(),P[7].getx(), P[8].getx(),P[9].getx(),P[10].getx(),P[11].getx(), P[12].getx(),P[13].getx(),P[14].getx(),P[15].getx()}; double bx=Px[0]; double xmin=bound(Px,min,bx,fuzz,maxdepth); double xmax=bound(Px,max,bx,fuzz,maxdepth); double Py[]={P[0].gety(),P[1].gety(),P[2].gety(),P[3].gety(), P[4].gety(),P[5].gety(),P[6].gety(),P[7].gety(), P[8].gety(),P[9].gety(),P[10].gety(),P[11].gety(), P[12].gety(),P[13].gety(),P[14].gety(),P[15].gety()}; double by=Py[0]; double ymin=bound(Py,min,by,fuzz,maxdepth); double ymax=bound(Py,max,by,fuzz,maxdepth); double Pz[]={P[0].getz(),P[1].getz(),P[2].getz(),P[3].getz(), P[4].getz(),P[5].getz(),P[6].getz(),P[7].getz(), P[8].getz(),P[9].getz(),P[10].getz(),P[11].getz(), P[12].getz(),P[13].getz(),P[14].getz(),P[15].getz()}; double bz=Pz[0]; double zmin=bound(Pz,min,bz,fuzz,maxdepth); double zmax=bound(Pz,max,bz,fuzz,maxdepth); Pmin=triple(xmin,ymin,zmin); Pmax=triple(xmax,ymax,zmax); } inline double abs2(double x, double y, double z) { return x*x+y*y+z*z; } bool intersections(double& U, double& V, const triple& v, triple *P, double fuzz, unsigned depth) { if(errorstream::interrupt) throw interrupted(); triple Pmin,Pmax; bounds(Pmin,Pmax,P,fuzz); double x=P[0].getx(); double y=P[0].gety(); double z=P[0].getz(); double X=x, Y=y, Z=z; for(int i=1; i < 16; ++i) { triple v=P[i]; double vx=v.getx(); x=min(x,vx); X=max(X,vx); double vy=v.gety(); y=min(y,vy); Y=max(Y,vy); double vz=v.getz(); z=min(z,vz); Z=max(Z,vz); } if(X+fuzz >= v.getx() && Y+fuzz >= v.gety() && Z+fuzz >= v.getz() && v.getx()+fuzz >= x && v.gety()+fuzz >= y && v.getz()+fuzz >= z) { // Overlapping bounding boxes --depth; // fuzz *= 2; if(abs2(X-x,Y-y,Z-z) <= fuzz*fuzz || depth == 0) { U=0.5; V=0.5; return true; } // Compute the control points of the four subpatches obtained by splitting // the patch with control points P at u=v=1/2. Split c0(P[0],P[1],P[2],P[3]); Split c1(P[4],P[5],P[6],P[7]); Split c2(P[8],P[9],P[10],P[11]); Split c3(P[12],P[13],P[14],P[15]); Split c4(P[12],P[8],P[4],P[0]); Split c5(c3.m0,c2.m0,c1.m0,c0.m0); Split c6(c3.m3,c2.m3,c1.m3,c0.m3); Split c7(c3.m5,c2.m5,c1.m5,c0.m5); Split c8(c3.m4,c2.m4,c1.m4,c0.m4); Split c9(c3.m2,c2.m2,c1.m2,c0.m2); Split c10(P[15],P[11],P[7],P[3]); // Check all 4 Bezier subpatches. double U1,V1; triple Q0[]={P[0],c0.m0,c0.m3,c0.m5,c4.m2,c5.m2,c6.m2,c7.m2, c4.m4,c5.m4,c6.m4,c7.m4,c4.m5,c5.m5,c6.m5,c7.m5}; if(intersections(U1,V1,v,Q0,fuzz,depth)) { U=0.5*U1; V=0.5*V1; return true; } triple Q1[]={c0.m5,c0.m4,c0.m2,P[3],c7.m2,c8.m2,c9.m2,c10.m2, c7.m4,c8.m4,c9.m4,c10.m4,c7.m5,c8.m5,c9.m5,c10.m5}; if(intersections(U1,V1,v,Q1,fuzz,depth)) { U=0.5*U1; V=0.5*V1+0.5; return true; } triple Q2[]={c7.m5,c8.m5,c9.m5,c10.m5,c7.m3,c8.m3,c9.m3,c10.m3, c7.m0,c8.m0,c9.m0,c10.m0,c3.m5,c3.m4,c3.m2,P[15]}; if(intersections(U1,V1,v,Q2,fuzz,depth)) { U=0.5*U1+0.5; V=0.5*V1+0.5; return true; } triple Q3[]={c4.m5,c5.m5,c6.m5,c7.m5,c4.m3,c5.m3,c6.m3,c7.m3, c4.m0,c5.m0,c6.m0,c7.m0,P[12],c3.m0,c3.m3,c3.m5}; if(intersections(U1,V1,v,Q3,fuzz,depth)) { U=0.5*U1+0.5; V=0.5*V1; return true; } } return false; } bool intersections(std::vector& T, std::vector& U, std::vector& V, path3& p, triple *P, double fuzz, bool single, unsigned depth) { if(errorstream::interrupt) throw interrupted(); double fuzz2=max(fuzzFactor*fuzz*fuzz,Fuzz2); triple pmin=p.min(); triple pmax=p.max(); double x=P[0].getx(); double y=P[0].gety(); double z=P[0].getz(); double X=x, Y=y, Z=z; for(int i=1; i < 16; ++i) { triple v=P[i]; double vx=v.getx(); x=min(x,vx); X=max(X,vx); double vy=v.gety(); y=min(y,vy); Y=max(Y,vy); double vz=v.getz(); z=min(z,vz); Z=max(Z,vz); } if(X+fuzz >= pmin.getx() && Y+fuzz >= pmin.gety() && Z+fuzz >= pmin.getz() && pmax.getx()+fuzz >= x && pmax.gety()+fuzz >= y && pmax.getz()+fuzz >= z) { // Overlapping bounding boxes --depth; // fuzz *= 2; if(((pmax-pmin).length()+sqrt(abs2(X-x,Y-y,Z-z)) <= fuzz) || depth == 0) { T.push_back(0.5); U.push_back(0.5); V.push_back(0.5); return true; } Int lp=p.length(); path3 p0,p1; p.halve(p0,p1); std::vector T1,U1,V1; double tscale,toffset; if(lp <= 1) { if(lp == 1) p.halve(p0,p1); if(lp == 0 || p0 == p || p1 == p) { double u,v; if(intersections(u,v,p.point((Int) 0),P,fuzz,depth)) { T1.push_back(0.0); U1.push_back(u); V1.push_back(v); add(T,U,V,T1,U1,V1,p,1.0,0.0,0.0,0.0,fuzz2); } return T1.size() > 0; } tscale=toffset=0.5; } else { Int tp=lp/2; p0=p.subpath(0,tp); p1=p.subpath(tp,lp); toffset=tp; tscale=1.0; } Split c0(P[0],P[1],P[2],P[3]); Split c1(P[4],P[5],P[6],P[7]); Split c2(P[8],P[9],P[10],P[11]); Split c3(P[12],P[13],P[14],P[15]); Split c4(P[12],P[8],P[4],P[0]); Split c5(c3.m0,c2.m0,c1.m0,c0.m0); Split c6(c3.m3,c2.m3,c1.m3,c0.m3); Split c7(c3.m5,c2.m5,c1.m5,c0.m5); Split c8(c3.m4,c2.m4,c1.m4,c0.m4); Split c9(c3.m2,c2.m2,c1.m2,c0.m2); Split c10(P[15],P[11],P[7],P[3]); static size_t maxcount=9; size_t count=0; bool Short=lp == 1; // Check all 4 Bezier subpatches against p0. triple Q0[]={P[0],c0.m0,c0.m3,c0.m5,c4.m2,c5.m2,c6.m2,c7.m2, c4.m4,c5.m4,c6.m4,c7.m4,c4.m5,c5.m5,c6.m5,c7.m5}; if(intersections(T1,U1,V1,p0,Q0,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,0.0,0.0,0.0,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } T1.clear(); U1.clear(); V1.clear(); triple Q1[]={c0.m5,c0.m4,c0.m2,P[3],c7.m2,c8.m2,c9.m2,c10.m2, c7.m4,c8.m4,c9.m4,c10.m4,c7.m5,c8.m5,c9.m5,c10.m5}; if(intersections(T1,U1,V1,p0,Q1,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,0.0,0.0,0.5,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } T1.clear(); U1.clear(); V1.clear(); triple Q2[]={c7.m5,c8.m5,c9.m5,c10.m5,c7.m3,c8.m3,c9.m3,c10.m3, c7.m0,c8.m0,c9.m0,c10.m0,c3.m5,c3.m4,c3.m2,P[15]}; if(intersections(T1,U1,V1,p0,Q2,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,0.0,0.5,0.5,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } T1.clear(); U1.clear(); V1.clear(); triple Q3[]={c4.m5,c5.m5,c6.m5,c7.m5,c4.m3,c5.m3,c6.m3,c7.m3, c4.m0,c5.m0,c6.m0,c7.m0,P[12],c3.m0,c3.m3,c3.m5}; if(intersections(T1,U1,V1,p0,Q3,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,0.0,0.5,0.0,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } // Check all 4 Bezier subpatches against p1. T1.clear(); U1.clear(); V1.clear(); if(intersections(T1,U1,V1,p1,Q0,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,toffset,0.0,0.0,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } T1.clear(); U1.clear(); V1.clear(); if(intersections(T1,U1,V1,p1,Q1,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,toffset,0.0,0.5,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } T1.clear(); U1.clear(); V1.clear(); if(intersections(T1,U1,V1,p1,Q2,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,toffset,0.5,0.5,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } T1.clear(); U1.clear(); V1.clear(); if(intersections(T1,U1,V1,p1,Q3,fuzz,single,depth)) { add(T,U,V,T1,U1,V1,p,tscale,toffset,0.5,0.0,fuzz2); if(single || depth <= mindepth) return true; count += T1.size(); if(Short && count > maxcount) return true; } return T.size() > 0; } return false; } } //namespace camp asymptote-2.62/asy.ico0000644000000000000000000001027613607467113013474 0ustar rootroot  ¨( @ ÿEÿoÿ3ÿ ÿÿfÿ;ÿEÿüÿÿÿÿÿóÿÂÿÿ>ÿÿ¬ÿÿÿüÿ5ÿfÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿðÿ§ÿRÿ ÿÊÿÿÿÿÿtÿÿ¬ÿîÿþÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿéÿÿ)ÿÊÿÿÿÿÿwÿ$ÿiÿ¦ÿâÿþÿÿÿÿÿÿÿÿÿÿÿýÿ¤ÿ)ÿÊÿÿÿÿÿwÿ2ÿ…ÿÖÿÿÿÿÿÿÿÿÿÿÿúÿ”ÿÿÊÿÿÿÿÿwÿÿ5ÿ›ÿ÷ÿÿÿÿÿÿÿÿÿåÿQÿ%ÿ%ÿ%ÿ%ÿ%ÿ%ÿ%ÿÑÿÿÿÿÿwÿÿ™ÿøÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿwÿÿ¹ÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿwÿeÿúÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿÿwÿ8ÿìÿÿÿÿÿÿÿ‘ÿÿÿÿÐÿÿÿÿÿwÿ2ÿìÿÿÿÿÿøÿ>ÿÊÿÿÿÿÿwÿ8ÿúÿÿÿÿÿåÿ ÿÊÿÿÿÿÿwÿoÿÿÿÿÿÿÿ‹ÿÊÿÿÿÿÿwÿ¹ÿÿÿÿÿúÿ)ÿÊÿÿÿÿÿwÿ'ÿøÿÿÿÿÿ¤ÿÊÿÿÿÿÿwÿ™ÿÿÿÿÿýÿàÿÿÿÿÿwÿÿ÷ÿÿÿÿÿÿÿÿÿÿÿwÿ¥ÿÿÿÿÿÿÿÿÿÿÿwÿ?ÿÿÿÿÿÿÿÿÿÿÿwÿÿÛÿÿÿÿÿÿÿÿÿwÿ…ÿÿÿÿÿÿÿÿÿwÿ=ÿÿÿÿÿÿÿÿÿwÿÿîÿÿÿÿÿÿÿwÿ¯ÿÿÿÿÿÿÿwÿsÿÿÿÿÿÿÿwÿ7ÿÿÿÿÿÿÿwÿÿøÿÿÿÿÿtÿ¬ÿÿÿüÿ,ÿ ÿFÿ,ÿÿÿÿÿÿÿÿçÿÿ÷Àÿóøÿóÿƒÿóÿàÿóÿü?óÿÿÿÿ€ÿÿàÿÿñóÿÿùóÿÿüóÿÿüsÿÿþsÿÿÿ3ÿÿÿ3ÿÿÿƒÿÿÿƒÿÿÿƒÿÿÿÃÿÿÿÃÿÿÿÃÿÿÿãÿÿÿãÿÿÿãÿÿÿãÿÿÿóÿÿÿ÷ÿÿÿÿÿÿÿÿasymptote-2.62/LICENSE0000644000000000000000000010451313607467113013207 0ustar rootroot GNU GENERAL PUBLIC LICENSE Version 3, 29 June 2007 Copyright (C) 2007 Free Software Foundation, Inc. Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The GNU General Public License is a free, copyleft license for software and other kinds of works. The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program--to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things. To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others. For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it. For the developers' and authors' protection, the GPL clearly explains that there is no warranty for this free software. For both users' and authors' sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions. Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users' freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users. Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free. The precise terms and conditions for copying, distribution and modification follow. TERMS AND CONDITIONS 0. Definitions. "This License" refers to version 3 of the GNU General Public License. "Copyright" also means copyright-like laws that apply to other kinds of works, such as semiconductor masks. "The Program" refers to any copyrightable work licensed under this License. Each licensee is addressed as "you". "Licensees" and "recipients" may be individuals or organizations. To "modify" a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a "modified version" of the earlier work or a work "based on" the earlier work. A "covered work" means either the unmodified Program or a work based on the Program. To "propagate" a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well. To "convey" a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying. An interactive user interface displays "Appropriate Legal Notices" to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion. 1. Source Code. The "source code" for a work means the preferred form of the work for making modifications to it. "Object code" means any non-source form of a work. A "Standard Interface" means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language. The "System Libraries" of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A "Major Component", in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it. The "Corresponding Source" for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work's System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work. The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source. The Corresponding Source for a work in source code form is that same work. 2. Basic Permissions. All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law. You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you. Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary. 3. Protecting Users' Legal Rights From Anti-Circumvention Law. No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures. When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work's users, your or third parties' legal rights to forbid circumvention of technological measures. 4. Conveying Verbatim Copies. You may convey verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program. You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee. 5. Conveying Modified Source Versions. You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions: a) The work must carry prominent notices stating that you modified it, and giving a relevant date. b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to "keep intact all notices". c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it. d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so. A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an "aggregate" if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation's users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate. 6. Conveying Non-Source Forms. You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways: a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange. b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge. c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b. d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements. e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d. A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work. A "User Product" is either (1) a "consumer product", which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, "normally used" refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product. "Installation Information" for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made. If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM). The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network. Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying. 7. Additional Terms. "Additional permissions" are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions. When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission. Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms: a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or d) Limiting the use for publicity purposes of names of licensors or authors of the material; or e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors. All other non-permissive additional terms are considered "further restrictions" within the meaning of section 10. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying. If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms. Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way. 8. Termination. You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11). However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation. Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice. Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10. 9. Acceptance Not Required for Having Copies. You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so. 10. Automatic Licensing of Downstream Recipients. Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License. An "entity transaction" is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party's predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts. You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it. 11. Patents. A "contributor" is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor's "contributor version". A contributor's "essential patent claims" are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, "control" includes the right to grant patent sublicenses in a manner consistent with the requirements of this License. Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor's essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version. In the following three paragraphs, a "patent license" is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To "grant" such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party. If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. "Knowingly relying" means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient's use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid. If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it. A patent license is "discriminatory" if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007. Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law. 12. No Surrender of Others' Freedom. If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program. 13. Use with the GNU Affero General Public License. Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such. 14. Revised Versions of this License. The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation. If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy's public statement of acceptance of a version permanently authorizes you to choose that version for the Program. Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version. 15. Disclaimer of Warranty. THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 16. Limitation of Liability. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. 17. Interpretation of Sections 15 and 16. If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) 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 . Also add information on how to contact you by electronic and paper mail. If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode: Copyright (C) This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, your program's commands might be different; for a GUI interface, you would use an "about box". You should also get your employer (if you work as a programmer) or school, if any, to sign a "copyright disclaimer" for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see . The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read . asymptote-2.62/camp.tab.h0000644000000000000000000000777113607467132014051 0ustar rootroot/* A Bison parser, made by GNU Bison 3.0.5. */ /* Bison interface for Yacc-like parsers in C Copyright (C) 1984, 1989-1990, 2000-2015, 2018 Free Software Foundation, Inc. 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 . */ /* As a special exception, you may create a larger work that contains part or all of the Bison parser skeleton and distribute that work under terms of your choice, so long as that work isn't itself a parser generator using the skeleton or a modified version thereof as a parser skeleton. Alternatively, if you modify or redistribute the parser skeleton itself, you may (at your option) remove this special exception, which will cause the skeleton and the resulting Bison output files to be licensed under the GNU General Public License without this special exception. This special exception was added by the Free Software Foundation in version 2.2 of Bison. */ #ifndef YY_YY_CAMP_TAB_H_INCLUDED # define YY_YY_CAMP_TAB_H_INCLUDED /* Debug traces. */ #ifndef YYDEBUG # define YYDEBUG 1 #endif #if YYDEBUG extern int yydebug; #endif /* Token type. */ #ifndef YYTOKENTYPE # define YYTOKENTYPE enum yytokentype { ID = 258, SELFOP = 259, DOTS = 260, COLONS = 261, DASHES = 262, INCR = 263, LONGDASH = 264, CONTROLS = 265, TENSION = 266, ATLEAST = 267, CURL = 268, COR = 269, CAND = 270, BAR = 271, AMPERSAND = 272, EQ = 273, NEQ = 274, LT = 275, LE = 276, GT = 277, GE = 278, CARETS = 279, OPERATOR = 280, LOOSE = 281, ASSIGN = 282, DIRTAG = 283, JOIN_PREC = 284, AND = 285, ELLIPSIS = 286, ACCESS = 287, UNRAVEL = 288, IMPORT = 289, INCLUDE = 290, FROM = 291, QUOTE = 292, STRUCT = 293, TYPEDEF = 294, NEW = 295, IF = 296, ELSE = 297, WHILE = 298, DO = 299, FOR = 300, BREAK = 301, CONTINUE = 302, RETURN_ = 303, THIS = 304, EXPLICIT = 305, GARBAGE = 306, LIT = 307, STRING = 308, PERM = 309, MODIFIER = 310, UNARY = 311, EXP_IN_PARENS_RULE = 312 }; #endif /* Value type. */ #if ! defined YYSTYPE && ! defined YYSTYPE_IS_DECLARED union YYSTYPE { #line 60 "camp.y" /* yacc.c:1910 */ position pos; bool boo; struct { position pos; sym::symbol sym; } ps; absyntax::name *n; absyntax::varinit *vi; absyntax::arrayinit *ai; absyntax::exp *e; absyntax::stringExp *stre; absyntax::specExp *se; absyntax::joinExp *j; absyntax::explist *elist; absyntax::argument arg; absyntax::arglist *alist; absyntax::slice *slice; absyntax::dimensions *dim; absyntax::ty *t; absyntax::decid *di; absyntax::decidlist *dil; absyntax::decidstart *dis; absyntax::runnable *run; struct { position pos; trans::permission val; } perm; struct { position pos; trans::modifier val; } mod; absyntax::modifierList *ml; //absyntax::program *prog; absyntax::vardec *vd; //absyntax::vardecs *vds; absyntax::dec *d; absyntax::idpair *ip; absyntax::idpairlist *ipl; absyntax::stm *s; absyntax::block *b; absyntax::stmExpList *sel; //absyntax::funheader *fh; absyntax::formal *fl; absyntax::formals *fls; #line 159 "camp.tab.h" /* yacc.c:1910 */ }; typedef union YYSTYPE YYSTYPE; # define YYSTYPE_IS_TRIVIAL 1 # define YYSTYPE_IS_DECLARED 1 #endif extern YYSTYPE yylval; int yyparse (void); #endif /* !YY_YY_CAMP_TAB_H_INCLUDED */ asymptote-2.62/LICENSE.LESSER0000644000000000000000000001672713607467113014214 0ustar rootroot GNU LESSER GENERAL PUBLIC LICENSE Version 3, 29 June 2007 Copyright (C) 2007 Free Software Foundation, Inc. Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. This version of the GNU Lesser General Public License incorporates the terms and conditions of version 3 of the GNU General Public License, supplemented by the additional permissions listed below. 0. Additional Definitions. As used herein, "this License" refers to version 3 of the GNU Lesser General Public License, and the "GNU GPL" refers to version 3 of the GNU General Public License. "The Library" refers to a covered work governed by this License, other than an Application or a Combined Work as defined below. An "Application" is any work that makes use of an interface provided by the Library, but which is not otherwise based on the Library. Defining a subclass of a class defined by the Library is deemed a mode of using an interface provided by the Library. A "Combined Work" is a work produced by combining or linking an Application with the Library. The particular version of the Library with which the Combined Work was made is also called the "Linked Version". The "Minimal Corresponding Source" for a Combined Work means the Corresponding Source for the Combined Work, excluding any source code for portions of the Combined Work that, considered in isolation, are based on the Application, and not on the Linked Version. The "Corresponding Application Code" for a Combined Work means the object code and/or source code for the Application, including any data and utility programs needed for reproducing the Combined Work from the Application, but excluding the System Libraries of the Combined Work. 1. Exception to Section 3 of the GNU GPL. You may convey a covered work under sections 3 and 4 of this License without being bound by section 3 of the GNU GPL. 2. Conveying Modified Versions. If you modify a copy of the Library, and, in your modifications, a facility refers to a function or data to be supplied by an Application that uses the facility (other than as an argument passed when the facility is invoked), then you may convey a copy of the modified version: a) under this License, provided that you make a good faith effort to ensure that, in the event an Application does not supply the function or data, the facility still operates, and performs whatever part of its purpose remains meaningful, or b) under the GNU GPL, with none of the additional permissions of this License applicable to that copy. 3. Object Code Incorporating Material from Library Header Files. The object code form of an Application may incorporate material from a header file that is part of the Library. You may convey such object code under terms of your choice, provided that, if the incorporated material is not limited to numerical parameters, data structure layouts and accessors, or small macros, inline functions and templates (ten or fewer lines in length), you do both of the following: a) Give prominent notice with each copy of the object code that the Library is used in it and that the Library and its use are covered by this License. b) Accompany the object code with a copy of the GNU GPL and this license document. 4. Combined Works. You may convey a Combined Work under terms of your choice that, taken together, effectively do not restrict modification of the portions of the Library contained in the Combined Work and reverse engineering for debugging such modifications, if you also do each of the following: a) Give prominent notice with each copy of the Combined Work that the Library is used in it and that the Library and its use are covered by this License. b) Accompany the Combined Work with a copy of the GNU GPL and this license document. c) For a Combined Work that displays copyright notices during execution, include the copyright notice for the Library among these notices, as well as a reference directing the user to the copies of the GNU GPL and this license document. d) Do one of the following: 0) Convey the Minimal Corresponding Source under the terms of this License, and the Corresponding Application Code in a form suitable for, and under terms that permit, the user to recombine or relink the Application with a modified version of the Linked Version to produce a modified Combined Work, in the manner specified by section 6 of the GNU GPL for conveying Corresponding Source. 1) Use a suitable shared library mechanism for linking with the Library. A suitable mechanism is one that (a) uses at run time a copy of the Library already present on the user's computer system, and (b) will operate properly with a modified version of the Library that is interface-compatible with the Linked Version. e) Provide Installation Information, but only if you would otherwise be required to provide such information under section 6 of the GNU GPL, and only to the extent that such information is necessary to install and execute a modified version of the Combined Work produced by recombining or relinking the Application with a modified version of the Linked Version. (If you use option 4d0, the Installation Information must accompany the Minimal Corresponding Source and Corresponding Application Code. If you use option 4d1, you must provide the Installation Information in the manner specified by section 6 of the GNU GPL for conveying Corresponding Source.) 5. Combined Libraries. You may place library facilities that are a work based on the Library side by side in a single library together with other library facilities that are not Applications and are not covered by this License, and convey such a combined library under terms of your choice, if you do both of the following: a) Accompany the combined library with a copy of the same work based on the Library, uncombined with any other library facilities, conveyed under the terms of this License. b) Give prominent notice with the combined library that part of it is a work based on the Library, and explaining where to find the accompanying uncombined form of the same work. 6. Revised Versions of the GNU Lesser General Public License. The Free Software Foundation may publish revised and/or new versions of the GNU Lesser General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Library as you received it specifies that a certain numbered version of the GNU Lesser General Public License "or any later version" applies to it, you have the option of following the terms and conditions either of that published version or of any later version published by the Free Software Foundation. If the Library as you received it does not specify a version number of the GNU Lesser General Public License, you may choose any version of the GNU Lesser General Public License ever published by the Free Software Foundation. If the Library as you received it specifies that a proxy can decide whether future versions of the GNU Lesser General Public License shall apply, that proxy's public statement of acceptance of any version is permanent authorization for you to choose that version for the Library. asymptote-2.62/types.h0000644000000000000000000003601413607467113013517 0ustar rootroot/***** * types.h * Andy Hammerlindl 2002/06/20 * * Used by the compiler as a way to keep track of the type of a variable * or expression. * *****/ #ifndef TYPES_H #define TYPES_H #include #include #include #include "errormsg.h" #include "symbol.h" #include "common.h" #include "util.h" using std::ostream; using sym::symbol; // Forward declaration. namespace trans { class access; class varEntry; } namespace absyntax { class varinit; extern varinit *Default; } namespace types { enum ty_kind { ty_null, ty_record, // "struct" in Asymptote language ty_function, ty_overloaded, #define PRIMITIVE(name,Name,asyName) ty_##name, #define PRIMERROR #include "primitives.h" #undef PRIMERROR #undef PRIMITIVE ty_array }; // Forward declarations. class ty; struct signature; typedef mem::vector ty_vector; typedef ty_vector::iterator ty_iterator; // Checks if two types are equal in the sense of the language. // That is primitive types are equal if they are the same kind. // Structures are equal if they come from the same struct definition. // Arrays are equal if their cell types are equal. bool equivalent(const ty *t1, const ty *t2); // If special is true, this is the same as above. If special is false, just the // signatures are compared. bool equivalent(const ty *t1, const ty *t2, bool special); class caster { public: virtual ~caster() {} virtual trans::access *operator() (ty *target, ty *source) = 0; virtual bool castable(ty *target, ty *source) = 0; }; class ty : public gc { public: const ty_kind kind; ty(ty_kind kind) : kind(kind) {} virtual ~ty(); virtual void print (ostream& out) const; virtual void printVar (ostream& out, string name) const { print(out); out << " " << name; } // Returns true if the type is a user-defined type or the null type. // While the pair, path, etc. are stored by reference, this is // transparent to the user. virtual bool isReference() { return true; } virtual signature *getSignature() { return 0; } virtual const signature *getSignature() const { return 0; } virtual bool primitive() { return false; } bool isError() const { return kind == ty_error; } bool isNotError() const { return !isError(); } // The following are only used by the overloaded type, but it is so common // to test for an overloaded type then iterate over its types, that this // allows the code: // if (t->isOverloaded()) { // for (ty_iterator i = t->begin(); i != t->end(); ++i) { // ... // } // } // For speed reasons, only begin has an assert to test if t is overloaded. bool isOverloaded() const { return kind == ty_overloaded; } bool isNotOverloaded() const { return !isOverloaded(); } ty_iterator begin(); ty_iterator end(); // If a default initializer is not stored in the environment, the abstract // syntax asks the type if it has a "default" default initializer, by calling // this method. virtual trans::access *initializer() { return 0; } // If a cast function is not stored in the environment, ask the type itself. // This handles null->record casting, and the like. The caster is used as a // callback to the environment for casts of subtypes. virtual trans::access *castTo(ty *, caster &) { return 0; } // Just checks if a cast is possible. virtual bool castable(ty *target, caster &c) { return castTo(target, c); } // For pair's x and y, and array's length, this is a special type of // "field". // In actually, it returns a function which takes the object as its // parameter and returns the necessary result. // These should not have public permission, as modifying them would // have strange results. virtual trans::varEntry *virtualField(symbol, signature *) { return 0; } // varGetType for virtual fields. // Unless you are using functions for virtual fields, the base implementation // should work fine. virtual ty *virtualFieldGetType(symbol id); #if 0 // Returns the type. In case of functions, return the equivalent type // but with no default values for parameters. virtual ty *stripDefaults() { return this; } #endif // Returns true if the other type is equivalent to this one. // The general function equivalent should be preferably used, as it properly // handles overloaded type comparisons. virtual bool equiv(const ty *other) const { return this==other; } // Returns a number for the type for use in a hash table. Equivalent types // must yield the same number. virtual size_t hash() const = 0; }; class primitiveTy : public ty { public: primitiveTy(ty_kind kind) : ty(kind) {} bool primitive() { return true; } bool isReference() { return false; } ty *virtualFieldGetType(symbol ); trans::varEntry *virtualField(symbol, signature *); bool equiv(const ty *other) const { return this->kind==other->kind; } size_t hash() const { return (size_t)kind + 47; } }; class nullTy : public primitiveTy { public: nullTy() : primitiveTy(ty_null) {} bool isReference() { return true; } trans::access *castTo(ty *target, caster &); size_t hash() const { return (size_t)kind + 47; } }; // Ostream output, just defer to print. inline ostream& operator<< (ostream& out, const ty& t) { t.print(out); return out; } struct array : public ty { ty *celltype; ty *pushtype; ty *poptype; ty *appendtype; ty *inserttype; ty *deletetype; array(ty *celltype) : ty(ty_array), celltype(celltype), pushtype(0), poptype(0), appendtype(0), inserttype(0), deletetype(0) {} virtual bool isReference() { return true; } bool equiv(const ty *other) const { return other->kind==ty_array && equivalent(this->celltype,((array *)other)->celltype); } size_t hash() const { return 1007 * celltype->hash(); } Int depth() { if (array *cell=dynamic_cast(celltype)) return cell->depth() + 1; else return 1; } void print(ostream& out) const { out << *celltype << "[]"; } ty *pushType(); ty *popType(); ty *appendType(); ty *insertType(); ty *deleteType(); // Initialize to an empty array by default. trans::access *initializer(); // NOTE: General vectorization of casts would be here. // Add length and push as virtual fields. ty *virtualFieldGetType(symbol id); trans::varEntry *virtualField(symbol id, signature *sig); }; /* Base types */ #define PRIMITIVE(name,Name,asyName) \ ty *prim##Name(); \ ty *name##Array(); \ ty *name##Array2(); \ ty *name##Array3(); #define PRIMERROR #include "primitives.h" #undef PRIMERROR #undef PRIMITIVE ty *primNull(); struct formal { ty *t; symbol name; bool defval; bool Explicit; formal(ty *t, symbol name=symbol::nullsym, bool optional=false, bool Explicit=false) : t(t), name(name), defval(optional), Explicit(Explicit) {} // string->symbol translation is costly if done too many times. This // constructor has been disabled to make this cost more visible to the // programmer. #if 0 formal(ty *t, const char *name, bool optional=false, bool Explicit=false) : t(t), name(symbol::trans(name)), defval(optional ? absyntax::Default : 0), Explicit(Explicit) {} #endif friend ostream& operator<< (ostream& out, const formal& f); }; bool equivalent(const formal& f1, const formal& f2); bool argumentEquivalent(const formal &f1, const formal& f2); typedef mem::vector formal_vector; // Holds the parameters of a function and if they have default values // (only applicable in some cases). struct signature : public gc { formal_vector formals; // The number of keyword-only formals. These formals always come after the // regular formals. size_t numKeywordOnly; // Formal for the rest parameter. If there is no rest parameter, then the // type is null. formal rest; bool isOpen; signature() : numKeywordOnly(0), rest(0), isOpen(false) {} static const struct OPEN_t {} OPEN; explicit signature(OPEN_t) : numKeywordOnly(0), rest(0), isOpen(true) {} signature(signature &sig) : formals(sig.formals), numKeywordOnly(sig.numKeywordOnly), rest(sig.rest), isOpen(sig.isOpen) {} virtual ~signature() {} void add(formal f) { formals.push_back(f); } void addKeywordOnly(formal f) { add(f); ++numKeywordOnly; } void addRest(formal f) { rest=f; } bool hasRest() const { return rest.t; } size_t getNumFormals() const { return rest.t ? formals.size() + 1 : formals.size(); } formal& getFormal(size_t n) { assert(n < formals.size()); return formals[n]; } const formal& getFormal(size_t n) const { assert(n < formals.size()); return formals[n]; } formal& getRest() { return rest; } const formal& getRest() const { return rest; } bool formalIsKeywordOnly(size_t n) const { assert(n < formals.size()); return n >= formals.size() - numKeywordOnly; } friend ostream& operator<< (ostream& out, const signature& s); friend bool equivalent(const signature *s1, const signature *s2); // Check if a signature of argument types (as opposed to formal parameters) // are equivalent. Here, the arguments, if named, must have the same names, // and (for simplicity) no overloaded arguments are allowed. friend bool argumentEquivalent(const signature *s1, const signature *s2); #if 0 friend bool castable(signature *target, signature *source); friend Int numFormalsMatch(signature *s1, signature *s2); #endif size_t hash() const; }; struct function : public ty { ty *result; signature sig; function(ty *result) : ty(ty_function), result(result) {} function(ty *result, signature::OPEN_t) : ty(ty_function), result(result), sig(signature::OPEN) {} function(ty *result, signature *sig) : ty(ty_function), result(result), sig(*sig) {} function(ty *result, formal f1) : ty(ty_function), result(result) { add(f1); } function(ty *result, formal f1, formal f2) : ty(ty_function), result(result) { add(f1); add(f2); } function(ty *result, formal f1, formal f2, formal f3) : ty(ty_function), result(result) { add(f1); add(f2); add(f3); } function(ty *result, formal f1, formal f2, formal f3, formal f4) : ty(ty_function), result(result) { add(f1); add(f2); add(f3); add(f4); } virtual ~function() {} void add(formal f) { sig.add(f); } void addRest(formal f) { sig.addRest(f); } virtual bool isReference() { return true; } bool equiv(const ty *other) const { if (other->kind==ty_function) { function *that=(function *)other; return equivalent(this->result,that->result) && equivalent(&this->sig,&that->sig); } else return false; } size_t hash() const { return sig.hash()*0x1231+result->hash(); } void print(ostream& out) const { out << *result << sig; } void printVar (ostream& out, string name) const { result->printVar(out,name); out << sig; } ty *getResult() { return result; } signature *getSignature() { return &sig; } const signature *getSignature() const { return &sig; } #if 0 ty *stripDefaults(); #endif // Initialized to null. trans::access *initializer(); }; // This is used in getType expressions when an overloaded variable is accessed. class overloaded : public ty { public: ty_vector sub; // Warning: The venv endScope routine relies heavily on the current // implementation of overloaded. public: overloaded() : ty(ty_overloaded) {} overloaded(ty *t) : ty(ty_overloaded) { add(t); } virtual ~overloaded() {} bool equiv(const ty *other) const { for(ty_vector::const_iterator i=sub.begin();i!=sub.end();++i) if (equivalent(*i,other)) return true; return false; } size_t hash() const { // Overloaded types should not be hashed. assert(False); return 0; } void add(ty *t) { if (t->kind == ty_overloaded) { overloaded *ot = (overloaded *)t; copy(ot->sub.begin(), ot->sub.end(), inserter(this->sub, this->sub.end())); } else sub.push_back(t); } // Only add a type distinct from the ones currently in the overloaded type. // If special is false, just the distinct signatures are added. void addDistinct(ty *t, bool special=false); // If there are less than two overloaded types, the type isn't really // overloaded. This gives a more appropriate type in this case. ty *simplify() { switch (sub.size()) { case 0: return 0; case 1: { return sub.front(); } default: return new overloaded(*this); } } // Returns the signature-less type of the set. ty *signatureless(); // True if one of the subtypes is castable. bool castable(ty *target, caster &c); size_t size() const { return sub.size(); } // Use default printing for now. }; inline ty_iterator ty::begin() { assert(this->isOverloaded()); return ((overloaded *)this)->sub.begin(); } inline ty_iterator ty::end() { return ((overloaded *)this)->sub.end(); } // This is used to encapsulate iteration over the subtypes of an overloaded // type. The base method need only be implemented to handle non-overloaded // types. class collector { public: virtual ~collector() {} virtual ty *base(ty *target, ty *source) = 0; virtual ty *collect(ty *target, ty *source) { if (overloaded *o=dynamic_cast(target)) { ty_vector &sub=o->sub; overloaded *oo=new overloaded; for(ty_vector::iterator x = sub.begin(); x != sub.end(); ++x) { types::ty *t=collect(*x, source); if (t) oo->add(t); } return oo->simplify(); } else if (overloaded *o=dynamic_cast(source)) { ty_vector &sub=o->sub; overloaded *oo=new overloaded; for(ty_vector::iterator y = sub.begin(); y != sub.end(); ++y) { // NOTE: A possible speed optimization would be to replace this with a // call to base(), but this is only correct if we can guarantee that an // overloaded type has no overloaded sub-types. types::ty *t=collect(target, *y); if (t) oo->add(t); } return oo->simplify(); } else return base(target, source); } }; class tester { public: virtual ~tester() {} virtual bool base(ty *target, ty *source) = 0; virtual bool test(ty *target, ty *source) { if (overloaded *o=dynamic_cast(target)) { ty_vector &sub=o->sub; for(ty_vector::iterator x = sub.begin(); x != sub.end(); ++x) if (test(*x, source)) return true; return false; } else if (overloaded *o=dynamic_cast(source)) { ty_vector &sub=o->sub; for(ty_vector::iterator y = sub.begin(); y != sub.end(); ++y) if (base(target, *y)) return true; return false; } else return base(target, source); } }; } // namespace types GC_DECLARE_PTRFREE(types::primitiveTy); GC_DECLARE_PTRFREE(types::nullTy); #endif asymptote-2.62/README0000644000000000000000000000471013607467113013060 0ustar rootroot ASYMPTOTE Copyright 2004-20 Andy Hammerlindl, John Bowman, and Tom Prince Asymptote is a powerful descriptive vector graphics language for technical drawing, inspired by MetaPost but with an improved C++-like syntax. Asymptote provides for figures the same high-quality level of typesetting that LaTeX does for scientific text. Installation instructions, documentation, binaries, and source code are available at: http://asymptote.sourceforge.net Bugs/Patches/Feature Requests can be submitted to https://github.com/vectorgraphics/asymptote/issues Questions and comments should be sent to the Asymptote Forum: http://sourceforge.net/p/asymptote/discussion/409349 All source files in the Asymptote project, unless explicitly noted otherwise, are released under version 3 (or later) of the GNU Lesser General Public License (see the files LICENSE.LESSER and LICENSE in the top-level source directory). ======================================================================== This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program. If not, see . ======================================================================== Note that the MSWindows executable version of Asymptote can only be released under the GNU General Public License (GPL) as it is linked against the GNU Scientific Library, GNU Readline library, and other GPL libraries. This version of Asymptote also ships with the cygwin1.dll libraries noted below. ======================================================================== Source code for the x86_64 and i386 3.0.4 cygwin1.dll libraries is available under the GPL license: https://cygwin.com/snapshots/ Source for various icons is available under the MIT license from https://github.com/driftyco/ionicons/archive/v2.0.1.zip https://github.com/iconic/open-iconic/archive/master.zip under the CC-BY-SA 4.0 license: http://www.entypo.com/ and under a CC license: http://www.zondicons.com/zondicons.zip asymptote-2.62/drawsurface.cc0000644000000000000000000005544513607467113015030 0ustar rootroot/***** * drawsurface.cc * * Stores a surface that has been added to a picture. *****/ #include "drawsurface.h" #include "drawpath3.h" #include "arrayop.h" #include #include #include #ifdef HAVE_LIBGLM #include #include #include #endif using namespace prc; #include "material.h" namespace camp { mem::vector drawElement::center; size_t drawElement::centerIndex=0; triple drawElement::lastcenter=0; size_t drawElement::lastcenterIndex=0; const triple drawElement::zero; using vm::array; #ifdef HAVE_LIBGLM void storecolor(GLfloat *colors, int i, const vm::array &pens, int j) { pen p=vm::read(pens,j); p.torgb(); colors[i]=p.red(); colors[i+1]=p.green(); colors[i+2]=p.blue(); colors[i+3]=p.opacity(); } void storecolor(GLfloat *colors, int i, const RGBAColour& p) { colors[i]=p.R; colors[i+1]=p.G; colors[i+2]=p.B; colors[i+3]=p.A; } void setcolors(bool colors, const RGBAColour& diffuse, const RGBAColour& emissive, const RGBAColour& specular, double shininess, double metallic, double fresnel0, jsfile *out) { Material m; if(colors) { static glm::vec4 Black(0.0,0.0,0.0,diffuse.A); m=Material(Black,Black, glm::vec4(specular.R,specular.G,specular.B,specular.A), shininess,metallic,fresnel0); } else m=Material(glm::vec4(diffuse.R,diffuse.G,diffuse.B,diffuse.A), glm::vec4(emissive.R,emissive.G,emissive.B,emissive.A), glm::vec4(specular.R,specular.G,specular.B,specular.A), shininess,metallic,fresnel0); MaterialMap::iterator p=materialMap.find(m); if(p != materialMap.end()) materialIndex=p->second; else { materialIndex=material.size(); if(materialIndex >= nmaterials) nmaterials=min(Maxmaterials,2*nmaterials); material.push_back(m); materialMap[m]=materialIndex; if(out) out->addMaterial(materialIndex); } } #endif void drawBezierPatch::bounds(const double* t, bbox3& b) { double x,y,z; double X,Y,Z; if(straight) { triple Vertices[4]; if(t == NULL) { Vertices[0]=controls[0]; Vertices[1]=controls[3]; Vertices[2]=controls[12]; Vertices[3]=controls[15]; } else { Vertices[0]=t*controls[0]; Vertices[1]=t*controls[3]; Vertices[2]=t*controls[12]; Vertices[3]=t*controls[15]; } boundstriples(x,y,z,X,Y,Z,4,Vertices); } else { double cx[16]; double cy[16]; double cz[16]; if(t == NULL) { for(int i=0; i < 16; ++i) { triple v=controls[i]; cx[i]=v.getx(); cy[i]=v.gety(); cz[i]=v.getz(); } } else { for(int i=0; i < 16; ++i) { triple v=t*controls[i]; cx[i]=v.getx(); cy[i]=v.gety(); cz[i]=v.getz(); } } double c0=cx[0]; double fuzz=Fuzz*run::norm(cx,16); x=bound(cx,min,b.empty ? c0 : min(c0,b.left),fuzz,maxdepth); X=bound(cx,max,b.empty ? c0 : max(c0,b.right),fuzz,maxdepth); c0=cy[0]; fuzz=Fuzz*run::norm(cy,16); y=bound(cy,min,b.empty ? c0 : min(c0,b.bottom),fuzz,maxdepth); Y=boundtri(cy,max,b.empty ? c0 : max(c0,b.top),fuzz,maxdepth); c0=cz[0]; fuzz=Fuzz*run::norm(cz,16); z=bound(cz,min,b.empty ? c0 : min(c0,b.near),fuzz,maxdepth); Z=bound(cz,max,b.empty ? c0 : max(c0,b.far),fuzz,maxdepth); } b.add(x,y,z); b.add(X,Y,Z); if(t == NULL) { Min=triple(x,y,z); Max=triple(X,Y,Z); } } void drawBezierPatch::ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first) { triple buf[16]; triple* Controls; if(straight) { if(t == NULL) Controls=controls; else { Controls=buf; Controls[0]=t*controls[0]; Controls[3]=t*controls[3]; Controls[12]=t*controls[12]; Controls[15]=t*controls[15]; } triple v=Controls[0]; double x=xratio(v); double y=yratio(v); if(first) { first=false; b=pair(x,y); } else { x=m(b.getx(),x); y=m(b.gety(),y); } v=Controls[3]; x=m(x,xratio(v)); y=m(y,yratio(v)); v=Controls[12]; x=m(x,xratio(v)); y=m(y,yratio(v)); v=Controls[15]; x=m(x,xratio(v)); y=m(y,yratio(v)); b=pair(x,y); } else { if(t == NULL) Controls=controls; else { Controls=buf; for(unsigned int i=0; i < 16; ++i) Controls[i]=t*controls[i]; } if(first) { triple v=Controls[0]; b=pair(xratio(v),yratio(v)); first=false; } b=pair(bound(Controls,m,xratio,b.getx(),fuzz,maxdepth), bound(Controls,m,yratio,b.gety(),fuzz,maxdepth)); } } bool drawBezierPatch::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible || !prc) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,PRCshininess); if(straight) { triple vertices[]={controls[0],controls[12],controls[3],controls[15]}; if(colors) { prc::RGBAColour Colors[]={colors[0],colors[1],colors[3],colors[2]}; out->addQuad(vertices,Colors); } else out->addRectangle(vertices,m); } else out->addPatch(controls,m); return true; } bool drawBezierPatch::write(jsfile *out) { #ifdef HAVE_LIBGLM if(invisible) return true; if(billboard) { meshinit(); drawElement::centerIndex=centerIndex; } else drawElement::centerIndex=0; setcolors(colors,diffuse,emissive,specular,shininess,metallic,fresnel0,out); if(straight) { triple Controls[]={controls[0],controls[12],controls[15],controls[3]}; out->addPatch(Controls,4,Min,Max,colors,4); } else out->addPatch(controls,16,Min,Max,colors,4); #endif return true; } void drawBezierPatch::render(double size2, const triple& b, const triple& B, double perspective, bool remesh) { #ifdef HAVE_GL if(invisible) return; transparent=colors ? colors[0].A+colors[1].A+colors[2].A+colors[3].A < 4.0 : diffuse.A < 1.0; setcolors(colors,diffuse,emissive,specular,shininess,metallic,fresnel0); if(transparent) setMaterial(transparentData,drawTransparent); else { if(colors) setMaterial(colorData,drawColor); else setMaterial(materialData,drawMaterial); } bool offscreen; if(billboard) { drawElement::centerIndex=centerIndex; BB.init(center); offscreen=bbox2(Min,Max,BB).offscreen(); } else offscreen=bbox2(Min,Max).offscreen(); if(offscreen) { // Fully offscreen S.Onscreen=false; S.data.clear(); return; } triple *Controls; triple Controls0[16]; if(billboard) { Controls=Controls0; for(size_t i=0; i < 16; i++) { Controls[i]=BB.transform(controls[i]); } } else { Controls=controls; if(!remesh && S.Onscreen) { // Fully onscreen; no need to re-render S.append(); return; } } double s=perspective ? Min.getz()*perspective : 1.0; // Move to glrender const pair size3(s*(B.getx()-b.getx()),s*(B.gety()-b.gety())); if(gl::outlinemode) { setMaterial(material1Data,drawMaterial); triple edge0[]={Controls[0],Controls[4],Controls[8],Controls[12]}; C.queue(edge0,straight,size3.length()/size2); triple edge1[]={Controls[12],Controls[13],Controls[14],Controls[15]}; C.queue(edge1,straight,size3.length()/size2); triple edge2[]={Controls[15],Controls[11],Controls[7],Controls[3]}; C.queue(edge2,straight,size3.length()/size2); triple edge3[]={Controls[3],Controls[2],Controls[1],Controls[0]}; C.queue(edge3,straight,size3.length()/size2); } else { GLfloat c[16]; if(colors) for(size_t i=0; i < 4; ++i) storecolor(c,4*i,colors[i]); S.queue(Controls,straight,size3.length()/size2,transparent, colors ? c : NULL); } #endif } drawElement *drawBezierPatch::transformed(const double* t) { return new drawBezierPatch(t,this); } void drawBezierTriangle::bounds(const double* t, bbox3& b) { double x,y,z; double X,Y,Z; if(straight) { triple Vertices[3]; if(t == NULL) { Vertices[0]=controls[0]; Vertices[1]=controls[6]; Vertices[2]=controls[9]; } else { Vertices[0]=t*controls[0]; Vertices[1]=t*controls[6]; Vertices[2]=t*controls[9]; } boundstriples(x,y,z,X,Y,Z,3,Vertices); } else { double cx[10]; double cy[10]; double cz[10]; if(t == NULL) { for(unsigned int i=0; i < 10; ++i) { triple v=controls[i]; cx[i]=v.getx(); cy[i]=v.gety(); cz[i]=v.getz(); } } else { for(unsigned int i=0; i < 10; ++i) { triple v=t*controls[i]; cx[i]=v.getx(); cy[i]=v.gety(); cz[i]=v.getz(); } } double c0=cx[0]; double fuzz=Fuzz*run::norm(cx,10); x=boundtri(cx,min,b.empty ? c0 : min(c0,b.left),fuzz,maxdepth); X=boundtri(cx,max,b.empty ? c0 : max(c0,b.right),fuzz,maxdepth); c0=cy[0]; fuzz=Fuzz*run::norm(cy,10); y=boundtri(cy,min,b.empty ? c0 : min(c0,b.bottom),fuzz,maxdepth); Y=boundtri(cy,max,b.empty ? c0 : max(c0,b.top),fuzz,maxdepth); c0=cz[0]; fuzz=Fuzz*run::norm(cz,10); z=boundtri(cz,min,b.empty ? c0 : min(c0,b.near),fuzz,maxdepth); Z=boundtri(cz,max,b.empty ? c0 : max(c0,b.far),fuzz,maxdepth); } b.add(x,y,z); b.add(X,Y,Z); if(t == NULL) { Min=triple(x,y,z); Max=triple(X,Y,Z); } } void drawBezierTriangle::ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first) { triple buf[10]; triple* Controls; if(straight) { if(t == NULL) Controls=controls; else { Controls=buf; Controls[0]=t*controls[0]; Controls[6]=t*controls[6]; Controls[9]=t*controls[9]; } triple v=Controls[0]; double x=xratio(v); double y=yratio(v); if(first) { first=false; b=pair(x,y); } else { x=m(b.getx(),x); y=m(b.gety(),y); } v=Controls[6]; x=m(x,xratio(v)); y=m(y,yratio(v)); v=Controls[9]; x=m(x,xratio(v)); y=m(y,yratio(v)); b=pair(x,y); } else { if(t == NULL) Controls=controls; else { Controls=buf; for(unsigned int i=0; i < 10; ++i) Controls[i]=t*controls[i]; } if(first) { triple v=Controls[0]; b=pair(xratio(v),yratio(v)); first=false; } b=pair(boundtri(Controls,m,xratio,b.getx(),fuzz,maxdepth), boundtri(Controls,m,yratio,b.gety(),fuzz,maxdepth)); } } bool drawBezierTriangle::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,PRCshininess); static const double third=1.0/3.0; static const double third2=2.0/3.0; triple Controls[]={controls[0],controls[0],controls[0],controls[0], controls[1],third2*controls[1]+third*controls[2], third*controls[1]+third2*controls[2], controls[2],controls[3], third*controls[3]+third2*controls[4], third2*controls[4]+third*controls[5], controls[5],controls[6],controls[7], controls[8],controls[9]}; out->addPatch(Controls,m); return true; } bool drawBezierTriangle::write(jsfile *out) { #ifdef HAVE_LIBGLM if(invisible) return true; if(billboard) { meshinit(); drawElement::centerIndex=centerIndex; } else drawElement::centerIndex=0; setcolors(colors,diffuse,emissive,specular,shininess,metallic,fresnel0,out); if(straight) { triple Controls[]={controls[0],controls[6],controls[9]}; out->addPatch(Controls,3,Min,Max,colors,3); } else out->addPatch(controls,10,Min,Max,colors,3); #endif return true; } void drawBezierTriangle::render(double size2, const triple& b, const triple& B, double perspective, bool remesh) { #ifdef HAVE_GL if(invisible) return; transparent=colors ? colors[0].A+colors[1].A+colors[2].A < 3.0 : diffuse.A < 1.0; setcolors(colors,diffuse,emissive,specular,shininess,metallic,fresnel0); if(transparent) setMaterial(transparentData,drawTransparent); else { if(colors) setMaterial(colorData,drawColor); else setMaterial(materialData,drawMaterial); } bool offscreen; if(billboard) { drawElement::centerIndex=centerIndex; BB.init(center); offscreen=bbox2(Min,Max,BB).offscreen(); } else offscreen=bbox2(Min,Max).offscreen(); if(offscreen) { // Fully offscreen S.Onscreen=false; S.data.clear(); return; } triple *Controls; triple Controls0[10]; if(billboard) { Controls=Controls0; for(size_t i=0; i < 10; i++) { Controls[i]=BB.transform(controls[i]); } } else { Controls=controls; if(!remesh && S.Onscreen) { // Fully onscreen; no need to re-render S.append(); return; } } double s=perspective ? Min.getz()*perspective : 1.0; // Move to glrender const pair size3(s*(B.getx()-b.getx()),s*(B.gety()-b.gety())); if(gl::outlinemode) { setMaterial(material1Data,drawMaterial); triple edge0[]={Controls[0],Controls[1],Controls[3],Controls[6]}; C.queue(edge0,straight,size3.length()/size2); triple edge1[]={Controls[6],Controls[7],Controls[8],Controls[9]}; C.queue(edge1,straight,size3.length()/size2); triple edge2[]={Controls[9],Controls[5],Controls[2],Controls[0]}; C.queue(edge2,straight,size3.length()/size2); } else { GLfloat c[12]; if(colors) for(size_t i=0; i < 3; ++i) storecolor(c,4*i,colors[i]); S.queue(Controls,straight,size3.length()/size2,transparent, colors ? c : NULL); } #endif } drawElement *drawBezierTriangle::transformed(const double* t) { return new drawBezierTriangle(t,this); } bool drawNurbs::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,PRCshininess); out->addSurface(udegree,vdegree,nu,nv,controls,uknots,vknots,m,weights); return true; } // Approximate bounds by bounding box of control polyhedron. void drawNurbs::bounds(const double* t, bbox3& b) { double x,y,z; double X,Y,Z; const size_t n=nu*nv; triple* Controls; if(t == NULL) Controls=controls; else { Controls=new triple[n]; for(size_t i=0; i < n; i++) Controls[i]=t*controls[i]; } boundstriples(x,y,z,X,Y,Z,n,Controls); b.add(x,y,z); b.add(X,Y,Z); if(t == NULL) { Min=triple(x,y,z); Max=triple(X,Y,Z); } else delete[] Controls; } drawElement *drawNurbs::transformed(const double* t) { return new drawNurbs(t,this); } void drawNurbs::ratio(const double *t, pair &b, double (*m)(double, double), double, bool &first) { const size_t n=nu*nv; triple* Controls; if(t == NULL) Controls=controls; else { Controls=new triple[n]; for(unsigned int i=0; i < n; ++i) Controls[i]=t*controls[i]; } if(first) { first=false; triple v=Controls[0]; b=pair(xratio(v),yratio(v)); } double x=b.getx(); double y=b.gety(); for(size_t i=0; i < n; ++i) { triple v=Controls[i]; x=m(x,xratio(v)); y=m(y,yratio(v)); } b=pair(x,y); if(t != NULL) delete[] Controls; } void drawNurbs::displacement() { #ifdef HAVE_GL size_t n=nu*nv; size_t nuknots=udegree+nu+1; size_t nvknots=vdegree+nv+1; if(Controls == NULL) { Controls=new(UseGC) GLfloat[(weights ? 4 : 3)*n]; uKnots=new(UseGC) GLfloat[nuknots]; vKnots=new(UseGC) GLfloat[nvknots]; } if(weights) for(size_t i=0; i < n; ++i) store(Controls+4*i,controls[i],weights[i]); else for(size_t i=0; i < n; ++i) store(Controls+3*i,controls[i]); for(size_t i=0; i < nuknots; ++i) uKnots[i]=uknots[i]; for(size_t i=0; i < nvknots; ++i) vKnots[i]=vknots[i]; #endif } void drawNurbs::render(double size2, const triple& b, const triple& B, double perspective, bool remesh) { // TODO: implement NURBS renderer } void drawSphere::P(triple& t, double x, double y, double z) { if(half) { double temp=z; z=x; x=-temp; } if(T == NULL) { t=triple(x,y,z); return; } double f=T[12]*x+T[13]*y+T[14]*z+T[15]; if(f == 0.0) run::dividebyzero(); f=1.0/f; t=triple((T[0]*x+T[1]*y+T[2]*z+T[3])*f,(T[4]*x+T[5]*y+T[6]*z+T[7])*f, (T[8]*x+T[9]*y+T[10]*z+T[11])*f); } bool drawSphere::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,shininess); switch(type) { case 0: // PRCsphere { if(half) out->addHemisphere(1.0,m,NULL,NULL,NULL,1.0,T); else out->addSphere(1.0,m,NULL,NULL,NULL,1.0,T); break; } case 1: // NURBSsphere { static double uknot[]={0.0,0.0,1.0/3.0,0.5,1.0,1.0}; static double vknot[]={0.0,0.0,0.0,0.0,1.0,1.0,1.0,1.0}; static double Weights[12]={2.0/3.0,2.0/9.0,2.0/9.0,2.0/3.0, 1.0/3.0,1.0/9.0,1.0/9.0,1.0/3.0, 1.0,1.0/3.0,1.0/3.0,1.0}; // NURBS representation of a sphere using 10 distinct control points // K. Qin, J. Comp. Sci. and Tech. 12, 210-216 (1997). triple N,S,P1,P2,P3,P4,P5,P6,P7,P8; P(N,0.0,0.0,1.0); P(P1,-2.0,-2.0,1.0); P(P2,-2.0,-2.0,-1.0); P(S,0.0,0.0,-1.0); P(P3,2.0,-2.0,1.0); P(P4,2.0,-2.0,-1.0); P(P5,2.0,2.0,1.0); P(P6,2.0,2.0,-1.0); P(P7,-2.0,2.0,1.0); P(P8,-2.0,2.0,-1.0); triple p0[]={N,P1,P2,S, N,P3,P4,S, N,P5,P6,S, N,P7,P8,S, N,P1,P2,S, N,P3,P4,S}; out->addSurface(2,3,3,4,p0,uknot,vknot,m,Weights); out->addSurface(2,3,3,4,p0+4,uknot,vknot,m,Weights); if(!half) { out->addSurface(2,3,3,4,p0+8,uknot,vknot,m,Weights); out->addSurface(2,3,3,4,p0+12,uknot,vknot,m,Weights); } break; } default: reportError("Invalid sphere type"); } return true; } bool drawCylinder::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,shininess); out->addCylinder(1.0,1.0,m,NULL,NULL,NULL,1.0,T); return true; } bool drawDisk::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,shininess); out->addDisk(1.0,m,NULL,NULL,NULL,1.0,T); return true; } bool drawTube::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; RGBAColour Black(0.0,0.0,0.0,diffuse.A); PRCmaterial m(Black,diffuse,emissive,specular,opacity,shininess); Int n=center.length(); if(center.piecewisestraight()) { triple *centerControls=new(UseGC) triple[n+1]; for(Int i=0; i <= n; ++i) centerControls[i]=center.point(i); size_t N=n+1; triple *controls=new(UseGC) triple[N]; for(Int i=0; i <= n; ++i) controls[i]=g.point(i); out->addTube(N,centerControls,controls,true,m); } else { size_t N=3*n+1; triple *centerControls=new(UseGC) triple[N]; centerControls[0]=center.point((Int) 0); centerControls[1]=center.postcontrol((Int) 0); size_t k=1; for(Int i=1; i < n; ++i) { centerControls[++k]=center.precontrol(i); centerControls[++k]=center.point(i); centerControls[++k]=center.postcontrol(i); } centerControls[++k]=center.precontrol(n); centerControls[++k]=center.point(n); triple *controls=new(UseGC) triple[N]; controls[0]=g.point((Int) 0); controls[1]=g.postcontrol((Int) 0); k=1; for(Int i=1; i < n; ++i) { controls[++k]=g.precontrol(i); controls[++k]=g.point(i); controls[++k]=g.postcontrol(i); } controls[++k]=g.precontrol(n); controls[++k]=g.point(n); out->addTube(N,centerControls,controls,false,m); } return true; } const string drawBaseTriangles::wrongsize= "triangle indices require 3 components"; const string drawBaseTriangles::outofrange="index out of range"; void drawBaseTriangles::bounds(const double* t, bbox3& b) { double x,y,z; double X,Y,Z; triple* tP; if(t == NULL) tP=P; else { tP=new triple[nP]; for(size_t i=0; i < nP; i++) tP[i]=t*P[i]; } boundstriples(x,y,z,X,Y,Z,nP,tP); b.add(x,y,z); b.add(X,Y,Z); if(t == NULL) { Min=triple(x,y,z); Max=triple(X,Y,Z); } else delete[] tP; } void drawBaseTriangles::ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first) { triple* tP; if(t == NULL) tP=P; else { tP=new triple[nP]; for(size_t i=0; i < nP; i++) tP[i]=t*P[i]; } ratiotriples(b,m,first,nP,tP); if(t != NULL) delete[] tP; } bool drawTriangles::write(prcfile *out, unsigned int *, double, groupsmap&) { if(invisible) return true; if(nC) { const RGBAColour white(1,1,1,opacity); const RGBAColour black(0,0,0,opacity); const PRCmaterial m(black,white,black,specular,opacity,PRCshininess); out->addTriangles(nP,P,nI,PI,m,nN,N,NI,0,NULL,NULL,nC,C,CI,0,NULL,NULL,30); } else { RGBAColour Black(0.0,0.0,0.0,diffuse.A); const PRCmaterial m(Black,diffuse,emissive,specular,opacity,PRCshininess); out->addTriangles(nP,P,nI,PI,m,nN,N,NI,0,NULL,NULL,0,NULL,NULL,0,NULL,NULL,30); } return true; } bool drawTriangles::write(jsfile *out) { #ifdef HAVE_LIBGLM if(invisible) return true; setcolors(nC,diffuse,emissive,specular,shininess,metallic,fresnel0,out); out->addTriangles(nP,P,nN,N,nC,C,nI,PI,NI,CI,Min,Max); #endif return true; } void drawTriangles::render(double size2, const triple& b, const triple& B, double perspective, bool remesh) { #ifdef HAVE_GL if(invisible) return; transparent=diffuse.A < 1.0; if(bbox2(Min,Max).offscreen()) { // Fully offscreen R.Onscreen=false; R.data.clear(); return; } setcolors(nC,diffuse,emissive,specular,shininess,metallic,fresnel0); if(transparent) setMaterial(transparentData,drawTransparent); else setMaterial(triangleData,drawTriangle); if(!remesh && R.Onscreen) { // Fully onscreen; no need to re-render R.append(); return; } R.queue(nP,P,nN,N,nC,C,nI,PI,NI,CI,transparent); #endif } } //namespace camp asymptote-2.62/runtime.in0000644000000000000000000005042613607467113014220 0ustar rootroot/***** * runtime.in * Tom Prince 2005/4/15 * * Generate the runtime functions used by the vm::stack machine. * *****/ /* Autogenerated routines are specified like this (separated by a formfeed): type asyname:cname(cparams) { C code } */ // Use Void f() instead of void f() to force an explicit Stack argument. pen => primPen() pair => primPair() triple => primTriple() path => primPath() path3 => primPath3() guide* => primGuide() cycleToken => primCycleToken() tensionSpecifier => primTensionSpecifier() curlSpecifier => primCurlSpecifier() file* => primFile() picture* => primPicture() transform => primTransform() callable* => voidFunction() callableBp* => breakpointFunction() callableReal* => realRealFunction() callableTransform* => transformFunction() runnable* => primCode() boolarray* => booleanArray() Intarray* => IntArray() Intarray2* => IntArray2() realarray* => realArray() realarray2* => realArray2() pairarray* => pairArray() pairarray2* => pairArray2() triplearray* => tripleArray() triplearray2* => tripleArray2() patharray* => pathArray() patharray2* => pathArray2() guidearray* => guideArray() transformarray* => transformArray() penarray* => penArray() penarray2* => penArray2() stringarray* => stringArray() stringarray2* => stringArray2() #include #include #include #include #include #include #include "angle.h" #include "pair.h" #include "triple.h" #include "transform.h" #include "path.h" #include "path3.h" #include "pen.h" #include "drawpath.h" #include "guide.h" #include "picture.h" #include "fileio.h" #include "genv.h" #include "builtin.h" #include "texfile.h" #include "pipestream.h" #include "parser.h" #include "stack.h" #include "util.h" #include "locate.h" #include "mathop.h" #include "callable.h" #include "stm.h" #include "lexical.h" #include "process.h" #include "arrayop.h" #if defined(USEGC) && defined(GC_DEBUG) && defined(GC_BACKTRACE) extern "C" { void *GC_generate_random_valid_address(void); void GC_debug_print_heap_obj_proc(void *); } #endif using namespace vm; using namespace camp; using namespace settings; #undef OUT #undef IN namespace run { using camp::pair; using vm::array; using vm::frame; using vm::stack; using camp::transform; using absyntax::runnable; typedef array boolarray; typedef array Intarray; typedef array Intarray2; typedef array realarray; typedef array realarray2; typedef array pairarray; typedef array pairarray2; typedef array triplearray; typedef array triplearray2; typedef array patharray; typedef array patharray2; typedef array guidearray; typedef array transformarray; typedef array penarray; typedef array penarray2; typedef array stringarray; typedef array stringarray2; typedef callable callableBp; typedef callable callableReal; typedef callable callableTransform; } using vm::array; using types::function; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE using types::booleanArray; using types::IntArray; using types::IntArray2; using types::realArray; using types::realArray2; using types::pairArray; using types::pairArray2; using types::tripleArray; using types::tripleArray2; using types::pathArray; using types::pathArray2; using types::guideArray; using types::transformArray; using types::penArray; using types::penArray2; using types::stringArray; using types::stringArray2; using types::formal; function *realRealFunction() { return new function(primReal(),primReal()); } function *realTripleFunction() { return new function(primReal(),primTriple()); } const size_t camp::ColorComponents[]={0,0,1,3,4,0}; namespace vm { #if COMPACT const Int DefaultValue=0x7fffffffffffffffLL; const Int Undefined=0x7ffffffffffffffeLL; const Int BoolTruthValue=0xABABABABABABABACLL; const Int BoolFalseValue=0xABABABABABABABABLL; const item Default=DefaultValue; #else const item Default=item(default_t()); #endif } namespace run { const char *arrayempty="cannot take min or max of empty array"; const char *noruntime="no runtime environment for embedded eval"; void writestring(stack *s) { callable *suffix=pop(s,NULL); string S=pop(s); vm::item it=pop(s); bool defaultfile=isdefault(it); camp::ofile *f=defaultfile ? &camp::Stdout : vm::get(it); if(!f->isOpen() || !f->enabled()) return; if(S != "") f->write(S); if(f->text()) { if(suffix) { s->push(f); suffix->call(s); } else if(defaultfile) f->writeline(); } } string toplocation() { ostringstream buf; position& topPos=processData().topPos; buf << topPos.Line() << "." << topPos.Column(); return buf.str(); } string emptystring; pair zero; } static string defaulttransparency=string("Compatible"); void unused(void *) { } // Autogenerated routines: // Initializers Int :IntZero() { return 0; } real :realZero() { return 0.0; } bool :boolFalse() { return false; } bool isnan(real x) { return std::isnan(x); } array* :pushNullArray() { return 0; } frame* :pushNullRecord() { return 0; } item :pushNullFunction() { return nullfunc::instance(); } // Default operations // Put the default value token on the stack (in place of an argument when // making a function call). item :pushDefault() { return Default; } // Test if the value on the stack is the default value token. bool :isDefault(item i) { return isdefault(i); } // Casts guide* :pairToGuide(pair z) { return new pairguide(z); } guide* :pathToGuide(path p) { return new pathguide(p); } path :guideToPath(guide *g) { return g->solve(); } // Pen operations pen :newPen() { return pen(); } bool ==(pen a, pen b) { return a == b; } bool !=(pen a, pen b) { return a != b; } pen +(pen a, pen b) { return a+b; } pen Operator *(real a, pen b) { return a*b; } pen Operator *(pen a, real b) { return b*a; } pair max(pen p) { return p.bounds().Max(); } pair min(pen p) { return p.bounds().Min(); } // Reset the meaning of pen default attributes. void resetdefaultpen() { processData().defaultpen=camp::pen::initialpen(); } void defaultpen(pen p) { processData().defaultpen=pen(resolvepen,p); } pen defaultpen() { return processData().defaultpen; } bool invisible(pen p) { return p.invisible(); } pen invisible() { return pen(invisiblepen); } pen gray(pen p) { p.togrey(); return p; } pen rgb(pen p) { p.torgb(); return p; } pen cmyk(pen p) { p.tocmyk(); return p; } pen interp(pen a, pen b, real t) { return interpolate(a,b,t); } pen rgb(real r, real g, real b) { return pen(r,g,b); } pen cmyk(real c, real m, real y, real k) { return pen(c,m,y,k); } pen gray(real gray) { return pen(gray); } realarray *colors(pen p) { size_t n=ColorComponents[p.colorspace()]; array *a=new array(n); switch(n) { case 0: break; case 1: (*a)[0]=p.gray(); break; case 3: (*a)[0]=p.red(); (*a)[1]=p.green(); (*a)[2]=p.blue(); break; case 4: (*a)[0]=p.cyan(); (*a)[1]=p.magenta(); (*a)[2]=p.yellow(); (*a)[3]=p.black(); break; default: break; } return a; } string hex(pen p) { return p.hex(); } Int byte(real x) { return camp::byte(x); } string colorspace(pen p) { string s=ColorDeviceSuffix[p.colorspace()]; std::transform(s.begin(),s.end(),s.begin(),tolower); return s; } pen pattern(string *s) { return pen(setpattern,*s); } string pattern(pen p) { return p.fillpattern(); } pen fillrule(Int n) { return pen(n >= 0 && n < nFill ? (FillRule) n : DEFFILL); } Int fillrule(pen p) { return p.Fillrule(); } pen opacity(real opacity=1.0, string blend=defaulttransparency) { for(Int i=0; i < nBlendMode; ++i) if(blend == BlendMode[i]) return pen(Transparency(blend,opacity)); ostringstream buf; buf << "Unknown blend mode: " << "'" << blend << "'"; error(buf); } real opacity(pen p) { return p.opacity(); } string blend(pen p) { return p.blend(); } pen linetype(realarray *pattern, real offset=0, bool scale=true, bool adjust=true) { size_t size=checkArray(pattern); array *a=new array(size); for(size_t i=0; i < size; ++i) (*a)[i]=::max(vm::read(pattern,i),0.0); return pen(LineType(*a,offset,scale,adjust)); } realarray *linetype(pen p=CURRENTPEN) { array a=p.linetype()->pattern; return copyArray(&a); } real offset(pen p) { return p.linetype()->offset; } bool scale(pen p) { return p.linetype()->scale; } bool adjust(pen p) { return p.linetype()->adjust; } pen adjust(pen p, real arclength, bool cyclic) { return adjustdash(p,arclength,cyclic); } pen linecap(Int n) { return pen(setlinecap,n >= 0 && n < nCap ? n : DEFCAP); } Int linecap(pen p=CURRENTPEN) { return p.cap(); } pen linejoin(Int n) { return pen(setlinejoin,n >= 0 && n < nJoin ? n : DEFJOIN); } Int linejoin(pen p=CURRENTPEN) { return p.join(); } pen miterlimit(real x) { return pen(setmiterlimit,x >= 1.0 ? x : DEFJOIN); } real miterlimit(pen p=CURRENTPEN) { return p.miter(); } pen linewidth(real x) { return pen(setlinewidth,x >= 0.0 ? x : DEFWIDTH); } real linewidth(pen p=CURRENTPEN) { return p.width(); } pen fontcommand(string *s) { return pen(setfont,*s); } string font(pen p=CURRENTPEN) { return p.Font(); } pen fontsize(real size, real lineskip) { return pen(setfontsize,size > 0.0 ? size : 0.0, lineskip > 0.0 ? lineskip : 0.0); } real fontsize(pen p=CURRENTPEN) { return p.size(); } real lineskip(pen p=CURRENTPEN) { return p.Lineskip(); } pen overwrite(Int n) { return pen(setoverwrite,n >= 0 && n < nOverwrite ? (overwrite_t) n : DEFWRITE); } Int overwrite(pen p=CURRENTPEN) { return p.Overwrite(); } pen basealign(Int n) { return pen(n >= 0 && n < nBaseLine ? (BaseLine) n : DEFBASE); } Int basealign(pen p=CURRENTPEN) { return p.Baseline(); } transform transform(pen p) { return p.getTransform(); } path nib(pen p) { return p.Path(); } pen makepen(path p) { return pen(p); } pen colorless(pen p) { p.colorless(); return p; } // Interactive mode bool interactive() { return interact::interactive; } bool uptodate() { return interact::uptodate; } // System commands Int system(stringarray *s) { if(safe) error("system() call disabled; override with option -nosafe"); size_t size=checkArray(s); if(size == 0) return 0; mem::vector cmd; for(size_t i=0; i < size; ++i) cmd.push_back(read(s,i)); return System(cmd); } bool view() { return view(); } string asydir() { return systemDir; } string locale(string s=emptystring) { char *L=setlocale(LC_ALL,s.empty() ? NULL : s.c_str()); return L != NULL ? string(L) : ""; } void abort(string s=emptystring) { if(s.empty()) throw handled_error(); error(s.c_str()); } void exit() { throw quit(); } void assert(bool b, string s=emptystring) { flush(cout); if(!b) { ostringstream buf; buf << "assert FAILED"; if(s != "") buf << ": " << s; error(buf); } } void sleep(Int seconds) { if(seconds <= 0) return; sleep(seconds); } void usleep(Int microseconds) { if(microseconds <= 0) return; usleep((unsigned long) microseconds); } void _eval(string *s, bool embedded, bool interactiveWrite=false) { if(embedded) { trans::coenv *e=Stack->getEnvironment(); vm::interactiveStack *is=dynamic_cast(Stack); if(e && is) runStringEmbedded(*s, *e, *is); else error(noruntime); } else runString(*s,interactiveWrite); } void _eval(runnable *s, bool embedded) { absyntax::block *ast=new absyntax::block(s->getPos(), false); ast->add(s); if(embedded) { trans::coenv *e=Stack->getEnvironment(); vm::interactiveStack *is=dynamic_cast(Stack); if(e && is) runCodeEmbedded(ast, *e, *is); else error(noruntime); } else runCode(ast); } string xasyKEY() { processDataStruct *P=&processData(); xkey_t *xkey=&P->xkey; xkey_t::iterator p=xkey->find(P->topPos.LineColumn()); return p != xkey->end() ? p->second+" 1" : toplocation()+" 0"; } void xasyKEY(string *s) { processData().KEY=*s; } string toplocation() { return toplocation(); } string location() { ostringstream buf; buf << getPos(); return buf.str(); } // Wrapper for the stack::load() method. void :loadModule(string *index) { Stack->load(*index); } string cd(string s=emptystring) { if(!s.empty() && !globalwrite()) { string outname=getSetting("outname"); string dir=stripDir(outname); if(dir.empty()) Setting("outname")=getPath()+dirsep+outname; } return setPath(s.c_str()); } void list(string *s, bool imports=false) { if(*s == "-") return; trans::genv ge; symbol name=symbol::trans(*s); record *r=ge.getModule(name,*s); r->e.list(imports ? 0 : r); } // Guide operations guide* :nullGuide() { return new pathguide(path()); } guide* :dotsGuide(guidearray *a) { guidevector v; size_t size=checkArray(a); for (size_t i=0; i < size; ++i) v.push_back(a->read(i)); return new multiguide(v); } guide* :dashesGuide(guidearray *a) { static camp::curlSpec curly; static camp::specguide curlout(&curly, camp::OUT); static camp::specguide curlin(&curly, camp::IN); size_t n=checkArray(a); // a--b is equivalent to a{curl 1}..{curl 1}b guidevector v; if (n > 0) v.push_back(a->read(0)); if (n==1) { v.push_back(&curlout); v.push_back(&curlin); } else for (size_t i=1; iread(i)); } return new multiguide(v); } cycleToken :newCycleToken() { return cycleToken(); } guide *operator cast(cycleToken tok) { // Avoid unused variable warning messages. unused(&tok); return new cycletokguide(); } guide* operator spec(pair z, Int p) { camp::side d=(camp::side) p; camp::dirSpec *sp=new camp::dirSpec(z); return new specguide(sp,d); } curlSpecifier operator curl(real gamma, Int p) { camp::side s=(camp::side) p; return curlSpecifier(gamma,s); } real :curlSpecifierValuePart(curlSpecifier spec) { return spec.getValue(); } Int :curlSpecifierSidePart(curlSpecifier spec) { return spec.getSide(); } guide *operator cast(curlSpecifier spec) { return new specguide(spec); } tensionSpecifier operator tension(real tout, real tin, bool atleast) { return tensionSpecifier(tout, tin, atleast); } real :tensionSpecifierOutPart(tensionSpecifier t) { return t.getOut(); } real :tensionSpecifierInPart(tensionSpecifier t) { return t.getIn(); } bool :tensionSpecifierAtleastPart(tensionSpecifier t) { return t.getAtleast(); } guide *operator cast(tensionSpecifier t) { return new tensionguide(t); } guide* operator controls(pair zout, pair zin) { return new controlguide(zout, zin); } Int size(guide *g) { flatguide f; g->flatten(f,false); return f.size(); } Int length(guide *g) { flatguide f; g->flatten(f,false); return g->cyclic() ? f.size() : f.size()-1; } bool cyclic(guide *g) { flatguide f; g->flatten(f,false); return g->cyclic(); } pair point(guide *g, Int t) { flatguide f; g->flatten(f,false); return f.Nodes(adjustedIndex(t,f.size(),g->cyclic())).z; } pairarray *dirSpecifier(guide *g, Int t) { flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) return new array(0); array *c=new array(2); (*c)[0]=f.Nodes(t).out->dir(); (*c)[1]=f.Nodes(t+1).in->dir(); return c; } pairarray *controlSpecifier(guide *g, Int t) { flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) return new array(0); knot curr=f.Nodes(t); knot next=f.Nodes(t+1); if(curr.out->controlled()) { assert(next.in->controlled()); array *c=new array(2); (*c)[0]=curr.out->control(); (*c)[1]=next.in->control(); return c; } else return new array(0); } tensionSpecifier tensionSpecifier(guide *g, Int t) { flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) return tensionSpecifier(1.0,1.0,false); knot curr=f.Nodes(t); return tensionSpecifier(curr.tout.val,f.Nodes(t+1).tin.val,curr.tout.atleast); } realarray *curlSpecifier(guide *g, Int t) { flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) return new array(0); array *c=new array(2); real c0=f.Nodes(t).out->curl(); real c1=f.Nodes(t+1).in->curl(); (*c)[0]=c0 >= 0.0 ? c0 : 1.0; (*c)[1]=c1 >= 0.0 ? c1 : 1.0; return c; } guide *reverse(guide *g) { flatguide f; g->flatten(f,false); if(f.precyclic()) return new pathguide(g->solve().reverse()); size_t n=f.size(); bool cyclic=g->cyclic(); guidevector v; size_t start=cyclic ? n : n-1; knot curr=f.Nodes(start); knot next=curr; for(size_t i=start; i > 0; --i) { next=f.Nodes(i-1); v.push_back(new pairguide(curr.z)); if(next.out->controlled()) { assert(curr.in->controlled()); v.push_back(new controlguide(curr.in->control(),next.out->control())); } else { pair d=curr.in->dir(); if(d != zero) v.push_back(new specguide(new dirSpec(-d),camp::OUT)); else { real C=curr.in->curl(); if(C >= 0.0) v.push_back(new specguide(new curlSpec(C),camp::OUT)); } real tout=curr.tin.val; real tin=next.tout.val; bool atleast=next.tout.atleast; if(tout != 1.0 || tin != 1.0 || next.tout.atleast) v.push_back(new tensionguide(tensionSpecifier(tout,tin,atleast))); d=next.out->dir(); if(d != zero) v.push_back(new specguide(new dirSpec(-d),camp::IN)); else { real C=next.out->curl(); if(C >= 0.0) v.push_back(new specguide(new curlSpec(C),camp::IN)); } } curr=next; } if(cyclic) v.push_back(new cycletokguide()); else v.push_back(new pairguide(next.z)); return new multiguide(v); } realarray *_cputime() { static const real ticktime=1.0/sysconf(_SC_CLK_TCK); struct tms buf; ::times(&buf); array *t=new array(4); (*t)[0] = ((real) buf.tms_utime)*ticktime; (*t)[1] = ((real) buf.tms_stime)*ticktime; (*t)[2] = ((real) buf.tms_cutime)*ticktime; (*t)[3] = ((real) buf.tms_cstime)*ticktime; return t; } // Transforms bool ==(transform a, transform b) { return a == b; } bool !=(transform a, transform b) { return a != b; } transform +(transform a, transform b) { return a+b; } transform Operator *(transform a, transform b) { return a*b; } pair Operator *(transform t, pair z) { return t*z; } path Operator *(transform t, path g) { return transformed(t,g); } pen Operator *(transform t, pen p) { return transformed(t,p); } picture * Operator *(transform t, picture *f) { return transformed(t,f); } picture * Operator *(realarray2 *t, picture *f) { return transformed(*t,f); } transform ^(transform t, Int n) { transform T; if(n < 0) { n=-n; t=inverse(t); } for(Int i=0; i < n; i++) T=T*t; return T; } real :transformXPart(transform t) { return t.getx(); } real :transformYPart(transform t) { return t.gety(); } real :transformXXPart(transform t) { return t.getxx(); } real :transformXYPart(transform t) { return t.getxy(); } real :transformYXPart(transform t) { return t.getyx(); } real :transformYYPart(transform t) { return t.getyy(); } transform :real6ToTransform(real x, real y, real xx, real xy, real yx, real yy) { return transform(x,y,xx,xy,yx,yy); } transform shift(transform t) { return transform(t.getx(),t.gety(),0,0,0,0); } transform shiftless(transform t) { return transform(0,0,t.getxx(),t.getxy(),t.getyx(),t.getyy()); } transform identity:transformIdentity() { return identity; } transform inverse(transform t) { return inverse(t); } transform shift(pair z) { return shift(z); } transform shift(real x, real y) { return shift(pair(x,y)); } transform xscale(real x) { return xscale(x); } transform yscale(real y) { return yscale(y); } transform scale(real x) { return scale(x); } transform scale(real x, real y) { return scale(x,y); } transform slant(real s) { return slant(s); } transform rotate(real angle, pair z=0) { return rotatearound(z,radians(angle)); } transform reflect(pair a, pair b) { return reflectabout(a,b); } asymptote-2.62/keywords.pl0000755000000000000000000000234513607467113014411 0ustar rootroot#!/usr/bin/env perl ##### # keywords.pl # Andy Hammerlindl 2006/07/31 # # Extract keywords from camp.l and list them in a keywords file. These # keywords are used in autocompletion at the interactive prompt. ##### # Extra keywords to add that aren't automatically extracted, currently none. @extrawords = (); open(keywords, ">keywords.cc") || die("Couldn't open keywords.out for writing."); print keywords <) { if (/^%%\s*$/) { last; # Break out of the loop. } } # Grab simple keyword definitions from camp.l while () { if (/^%%\s*$/) { last; # A second %% indicates the end of definitions. } if (/^([A-Za-z_][A-Za-z0-9_]*)\s*\{/) { add($1); } } # Grab the special commands from the interactive prompt. open(process, "process.cc") || dir("Couldn't open process.cc"); while () { if (/^\s*ADDCOMMAND\(\s*([A-Za-z_][A-Za-z0-9_]*),/) { add($1); } } asymptote-2.62/ReleaseNotes0000644002154600047050000034727613607466760015406 0ustar bowmanbowmanRelease Notes for Version 2.62 A hyperbola(point F1, point F2, point M) function was added to the geometry module. Duplicate intersections are avoided. Errors in the texpreamble are handled gracefully, without hanging. Unwanted indentation under LuaLaTex was removed. The WebGL canvas is populated with the design width and height. The WebGL context is stored in the top rather than parent window. To avoid polling, WebGL images now draw directly. Zooming of embedded WebGL images is disabled until activated with a click or touch event, using ESC to cancel activation. WebGL usage comments now suggest embedding as an iframe rather than an object. The obsolete grffile package is no longer used. Typos in the documentation were fixed. Release Notes for Version 2.61 Bugs in the OpenGL driver were fixed. A work around for the WebGL singleton array optimization bug on the Intel GPU was fixed. OpenGL and WebGL attributes are now bound before linking the shaders. Bland's rule is implemented correctly in the simplex solvers. A missing data file was added. Release Notes for Version 2.60 Transparent WebGL backgrounds were fixed. A build issue involving the revision number was fixed. The locatefile function now returns the fully qualified file name. The htmlviewer uses the absolute path for all platforms; it is also used for displaying svg files. SVG output for embedded PNG, JPEG, and external vector EPS and PDF images is supported with the latex TeX engine and dvisvgm 2.8. The simplex solver was optimized. A pad function that pads a picture to a precise size in both directions was introduced. The xasy front end was ported to high-resolutions screens and handles Ctrl-C interrupts correctly. Objects can be positioned finely with the arrow keys while holding down the mouse button. The origin/center order and anchor names were fixed. A front/back detection bug in the solids module was fixed. The grffile package fixes issues with included file names. This release requires Version 1.34 of asymptote.sty (auto-generated). Release Notes for Version 2.59 OpenGL memory allocation and transparency bugs introduced in version 2.54 were fixed. Rendering efficiency was improved. In view of limited GPU resources, only the required material uniforms are passed to each shader. The WebGL vertex and fragment shaders have been moved to the asygl library. Multiple embedded images now share a single WebGL context and shaders, to work around browser limitations. A bug in 3D arrows was fixed. Unavailable material attributes are now ignored. Miscellaneous Python support files were ported to Python3. The obsolete maxvertices setting was removed. Release Notes for Version 2.58 Intersection points in geometry.asy are now returned in currentcoordsys; a numerical precision issue was also fixed. Ambiguous function signatures in geometry.asy are resolved by requiring explicit casts when converting general forms to special cases. The xasy editor selection is now consistent. Building the asymptote.so shared library is supported again. A bug in rendering indexed triangle arrays was fixed. Execution errors in support utilities are now handled gracefully. Due to current limitations of dvisvgm (2.7.4), graphic() can only display SVG output (used by the xasy vector editor) for external vector EPS graphics (embedded images, PDF, PNG, and JPG formats are not yet supported). Building under CYGWIN with X11 is supported again. The --version option lists both enabled and disabled features. The GLX library is explicitly linked if present. Release Notes for Version 2.57 Scenes with lighting disabled are rendered correctly in WebGL. Attempting to output HTML for 2D pictures produces an SVG file. A conditional was removed from the fragment shaders. A viewportshift option was added to the WebGL driver; the home (h) option now forces a remesh. The version number was removed from the local offline copy of asygl. A numerical degeneracy in the conic sections intersection routine was fixed. A workaround for the broken XDR headers under MacOS X was implemented. An issue with animations was fixed. The --version option displays a list of compiled-in features. Release Notes for Version 2.56 An array bounds error was fixed. WebGL output now supports background colors, including transparent backgrounds. Preprocessor conditionals were fixed. Scrolling of webgl images is now disabled within the viewport. Release Notes for Version 2.55 An initialization bug in the OpenGL renderer and portability issues were fixed. Release Notes for Version 2.54 Support for generating and embedding interactive 3D WebGL vector graphics within an HTML file has been added, allowing Asymptote figures to be displayed on modern mobile and desktop browsers. The OpenGL rendering routines were further optimized, yielding higher frame rates and lower memory usage. The view position for perspective projection was fixed. The default value of file word() was fixed. Installation issues were addressed. A new digits setting controls the default output file precision. A hanging pipe was fixed. The popcount function was extended to systems that lack 64-bit integers. The order of PRC quad colours was fixed. If lighting is enabled, vertex colors are now ignored in PRC images; when drawing a surface s, use draw(s,prc() ? nolight : currentlight); to disable lighting manually and recover the old behaviour. Release Notes for Version 2.53 A memory leak and antialiasing artifacts in the 3D rendering engine were fixed. For PRC content, oblique projections are now converted to orthographic projections. Portability issues were addressed. Release Notes for Version 2.52 Under MacOS X, 3D rendering is supported again, the xasy menubar is now visible, and the default PostScript previewer was changed to "open". VISUAL, EDITOR, and OS-specific editor overrides are now supported in xasy. Obsolete code was removed and spelling mistakes were fixed. Release Notes for Version 2.51 Portability fixes for FreeBSD x86 and MacOS X were made. Release Notes for Version 2.50 The Phong-Blinn lighting model was replaced by a physically based rendering model; the ambient attribute was removed. Various portability and build issues were addressed. OpenGL is supported again for both 32-bit and 64-bit MSWindows. Release Notes for Version 2.49 Portability issues and numerical precision issues were fixed. Release Notes for Version 2.48 The OpenGL code was modernized to use GLSL shaders. Transparent triangles of different materials are now sorted before drawing. The viewport option from the light function was removed. A workaround was implemented for the Ghostscript transparency extension -dSAFER bug. Bugs in the simplex method were fixed. Experimental offscreen rendering is now disabled by default due to NVIDIA conflicts. The min, max, minratio, maxratio, and intersection calculations were accelerated. A workaround was implemented for broken Intel GPU drivers under MSWindows. Release Notes for Version 2.47 Further shipout and scaling problems were fixed. Unused files were removed. Multiple-page documents now produce PS instead of EPS output. Release Notes for Version 2.46 The pen width is now accounted for in the bbox function. The relative alignment of a label to a path now transforms correctly with picture rotation. Various shipout issues were fixed. The ghostscript library location from the MSWindows registry is now ignored for compatibility with TeXLive. Release Notes for Version 2.45 The xasy graphical front end for Asymptote has been rewritten to support code reordering, using Qt5 and scalable vector graphics. An uninitialized counter was fixed. A stable=true option was added to sort. The restricted simplex method has been replaced by a complete simplex solver that handles general size constraints. The rpc library has been replaced by the tirpc library. The dvips utility is forced to respect EPS requirements again. The system ghostscript library is now used by default for dvisvgm. Make clean now removes GSL symbols. The MSWindows system path is no longer modified by the installer. A CLZ bug was fixed. Release Notes for Version 2.44 Floating point exceptions are masked again under CYGWIN, pending strtod bug fix (issue #65). Various portability issues were also addressed. Release Notes for Version 2.43 The real modulo operator was fixed. Vector SVG output is now supported for PDF tex engines. Compilation under MacOS X was fixed. Both 32- and 64-bit MSWindows binaries are now available. Release Notes for Version 2.42 Bitreverse and popcount functions were added. An overflow in the modulo operator was fixed. An asymmetry in angle(transform t) was fixed so that angle(yscale(-1))=0. Missing 3D underline characters were fixed. The MSWindows binary is now 64-bit. Release Notes for Version 2.41 The rendering of Bezier patches was improved. Minor improvements were made to perpendicular marks in the geometry package. A perl issue was addressed. Two unwanted temporary files are now removed after TeX processing. EPS output is now supported with all TeX engines. A workaround was implemented for the ImageMagick jpeg black background bug. Release Notes for Version 2.40 A partial workaround for the OpenGL transparency bug was implemented, by presorting transparent triangles of the same material. The examples were updated and a segmentation fault was fixed. Multisample detection, surface rendering, and crack filling algorithms were fixed. The default compilation flags now specify -std=c++11. Release Notes for Version 2.39 A workaround was implemented for the backwards incompatibility in the TeXLive 2016 graphicx package. Empty tick labels in graphs are now avoided. A paletteticks NoTicks option was added. Support for lualatex was improved. Renderers for Bezier patches and curves more efficient than those in the deprecated GLU library were implemented. Release Notes for Version 2.38 An integer division operator # was added. Control points in xasy are now correctly parsed. Longitudinal splitting in the revolution structure of the solids module was fixed. Portability fixes were implemented. The ncurses library is now only required with --enable-readline. A --disable-sigsegv configuration option was added. Release Notes for Version 2.37 The xasy graphical user interface now runs under both Python 2.7 and Python 3. Legacy versions (prior to 9.14) of Ghostscript can be supported by assigning settings.epsdriver="epswrite" (or by setting the environment variable ASYMPTOTE_EPSDRIVER to epswrite). The quiet flag suppresses noninteractive standard output when settings.verbosity <= 1. A progress function was added to the plain_strings module. The smoothcontour3 module was optimized to use Bezier triangles where appropriate, along with a built-in least-squares routine and an improved root finder based on quadratic interpolation. If settings.sysdir is empty, preference is given to a version of kpsewhich in the same directory as the executable for determining the correct sysdir. The handling of degenerate normals of Bezier triangles was fixed. Bugs in forking, integer formatting, dash adjustment, subpaths, and guide reversion were fixed. Version 1.30 of asymptote.sty (auto-generated) and version 0.35 (or later) of media9.sty are now required. Release Notes for Version 2.36 Bezier triangle patches have been implemented in place of degenerate Bezier tensor product patches. Surface rendering was improved. The configuration of the readline and gc libraries was fixed. The asy configuration directory is only created if localhistory=false. Patches are now sorted by projected distance. Animations were fixed by running LaTeX twice. The asy-mode.el headers were updated. Intermittent segmentation faults and floating point exceptions in the OpenGL renderer were fixed. Support for GSL 2.0 was added. A quite nan constant was added. Straight segments are no longer split in bezulate. Segmentation faults in tab completion were fixed. A work around for a clang 3.7.0 compiler bug was implemented. The smoothcontour routine was sped up. Several bugs in the file read routines were fixed. A bug in rest argument signature equivalence was fixed. Threads are no longer used in batch mode, except under MacOS X. A convenience function graphicscale was added for using graphic with the conTeXt tex engine. The splinetype detection for Spline surfaces was fixed. Release Notes for Version 2.35 A work around was implemented for a ghostscript eps2write bug that forces all postscript to the first page, breaking multiple 3D XeLaTeX and ConTeXt labels. Release Notes for Version 2.34 The readability of named pen colors was improved in the documentation. A surface cone(path3 base, triple vertex) routine was added for constructing an approximate cone over an arbitrary base. A test for Ghostscript 9.14 or later was added to the build process. The documentation was updated. A CYGWIN warning message under Windows 8 was fixed. Release Notes for Version 2.33 A work around was implemented for the missing epswrite driver in ghostscript-9.15. Deconstruction is now always done in the C locale. A work around for a unit change in dvisvgm-1.5.3 was implemented. The path arc(pair B, pair A, pair C, real r) function was fixed. The handling of the boolean condition in parametric surfaces was fixed. The default meshlight was changed to nolight so that mesh lines with positive width appear consistent with the default mesh lines. A nonsquare image dimension error was fixed. The definition of the SimpleHead arrowhead was fixed. The zoom/menu button and play option were fixed. An intersect(path, surface) function was implemented. A smoothcontour3 module written by Charles Staats and leminiscate example were added. The inline asymptote.sty option now works with xelatex. An obsolete workaround for an Adobe Reader transparency artifact was removed. An asylatexdir option was added to support the pdflatex -output-directory option. An aligndir option for aligning the picture to an arbitrary point of the page boundary was added. The garbage collector was updated to gc-7.4.2. The documentation was updated. Release Notes for Version 2.32 The libc++ stringstream workaround was also enabled for FreeBSD. The segment(bool[] b) function was fixed. The side(pair,pair,pair) function was renamed to orient(pair,pair,pair) and an error in its documentation was corrected. New functions orient(triple,triple,triple,triple) and insphere(triple,triple,triple,triple,triple) were implemented. A random number generator incompatibility on some platforms was fixed. Support was removed for the obsolete utility texi2dvi4a2ps. Compiler warnings were suppressed. Release Notes for Version 2.31 Hangs in 3D font generation and also in the "none" tex engine were fixed. Release Notes for Version 2.30 Compilation issues were addressed. A workaround for the broken stringstream container in MacOS 10.9 libc++ was implemented. The OpenGL zoom/menu button was fixed. Release Notes for Version 2.29 The TeX bidirectional pipe was overhauled to support the context tex engine again. The luatex and lualatex tex engines were enabled. The inline option used by the asymptote.sty LaTeX package and the inlineimage option used for generating external PRC files were fixed. Portability issues were addressed. Release Notes for Version 2.28 A locale bug that interfered with the 3D PRC camera transformation was fixed. Minimum OpenGL window constraints were removed in favour of the viewportsize variable. The transform(u,v,O) function, which projects onto the plane spanned by u and v through point O, was fixed. Numerical overflow issues in quadraticroots and cubicroots were fixed. The documentation was updated. Release Notes for Version 2.27 Move Adobe transparency workaround to C++ code to allow use of texpreamble again with the pdflatex tex engine. Release Notes for Version 2.26 The xasy graphical user interface now terminates the asy process on exit. The xasy code editor under MSWindows was fixed; the default code editor is now winpad. Degenerate HookHead and SimpleHead arrows were fixed. Portability issues were addressed. Release Notes for Version 2.25 A superfluous play button in rendered 3D images embedded by recent versions of media9 is now suppressed. The contour.asy module was reverted to a previous stable linearized version. A numerical precision issue in makepen was fixed. A routine for drawing braces was added. Deep recursion is now avoided in guide flattening. A workaround for an Adobe Reader transparency artifact was implemented for the pdflatex and xelatex tex engines. Raw PRC output can now be generated with the "-f prc" command-line option. Vector patches are now sorted to work around opacity artifacts in many rendering engines. The xasy code editor now accepts command-line options. Under MSWindows, the ghostscript library is searched for in both the 32 bit and 64 bit registries. The FAQ and documentation were updated. Release Notes for Version 2.24 A segmentation fault in drawSphere was fixed. Recursive calls to simpson are now supported. The explicit libglapi dependency was removed. A latexmkrc example file that shows how to store figures in a subdirectory is now included. Release Notes for Version 2.23 Compilation without the FFTW library is now supported again. Release Notes for Version 2.22 Self-defined unary operators are now allowed. Formatted strings instead of real values are compared in OmitFormat. The segment(bool[]) function was rewritten to use the more efficient segmentlimits(bool[]) call. Unnecessary buffering of surface and path3 data was removed. Portability tweaks were made. References to out-of-date trembling examples were removed. Vertex-colored triangles now work again in Adobe XI. The transformation of normal vectors was fixed. PostScript extend qualifiers were added for axial and radial shading. The TEXMFMAN environment variable is now used to find the TeXLive sysdir. Release Notes for Version 2.21 Explicitly transformed billboard labels now work correctly again. The alignment point of OpenGL billboard labels was fixed. An extend parameter was added to the axes (default true) and axes3 (default false) routines. A history recall bug was fixed. A typo was corrected in the documentation of the Jacobi elliptic functions sncndn. Release Notes for Version 2.20 A work around was implemented for a dvipdfmx bug that prevents the xelatex tex engine from properly embedding PRC objects. Billboard rotation is now disabled for explicitly transformed labels. Release Notes for Version 2.19 Numerical resolution issues with the PRC camera orientation and viewportshift were fixed. The lighting of NURBS surfaces was fixed. The special 8192 strlen NSIS build was now correctly reinstated, with stubs, to prevent the installer from overwriting Windows PATH environment variables > 1023 bytes. Release Notes for Version 2.18 A compilation issue on MacOSX was addressed. Secondary axes pictures now inherit the size of the primary picture, so that the markthin marker works properly. The special 8192 strlen NSIS build was reinstated to prevent the installer from overwriting extremely long Windows PATH environment variables. Release Notes for Version 2.17 A bug with non-square pen function images was fixed. Autoscaled logarithmic axes were fixed. Offscreen and non-offscreen rendering are now supported in a single binary (requiring OSMesa version 8), with settings.offscreen defaulting to false. The media9 LaTeX style file is now used to embed 3D PRC content instead of movie15. Local 3D coordinates are now used. PRC Part names are nolonger generated by default. A bug in bezulate was fixed. A settings.axes3 flag was added to control the visibility of PRC axes. An efficient 3D routine for drawing many triangles, with specified vertices and optional normals or vertex colors, was implemented. Release Notes for Version 2.16 Ticks are no longer autoscaled when the number of major intervals is specified and autoscale is false. Manual tick scaling was fixed. A bug in the palette range was fixed. A division by zero in constructing curved arrows was fixed. A numerical underflow was fixed. A picture bound error was fixed. The current value of currentpen is now always respected in default arguments. A default viewportwidth is no longer imposed for attached images. A routine for computing camera positions was added. The format command is now more consistent with C++ printf formatting. Named arguments can now appear in function calls after rest arguments. The wheel example was improved to support PDF animations. The erase command no longer resets the machine state. Pipes are now used for xasy communication. A new mode parameter to input and output replaces xinput, xoutput, binput, and boutput. The icon directory path for 64-bit MSWindows systems was fixed. Compilation of native CYGWIN binaries is now supported. Release Notes for Version 2.15 A compilation problem under MacOS X was fixed. Release Notes for Version 2.14 Minor problems in the geometry module were fixed. Billboard interaction is now disabled for offscreen rendering. A markthin(path) marker with opacity thinning was implemented. A locale string was added to format(string,int). The copy, map, and sequence functions were generalized to arbitrary depths. Asymptote can now be compiled as a shared library. A tuple operator was added. The draw(revolution) function now defers drawing until the final camera position is known. Nonrendered preview images can now be generated for fitted pictures. String reads from binary files were fixed. An int ascii(string) function and a bool isnan(real) function were implemented. Jacobi elliptic functions were implemented. A quick reference card was added. Compilation and static initialization issues under MacOS X Lion were addressed. Release Notes for Version 2.13 Compilation and installation issues were addressed. Release Notes for Version 2.12 Minor compilation issues were addressed. Release Notes for Version 2.11 A new offscreen (software) 3D rendering option supports rendering on machines that are remote or lack a working video graphics card. Shifted pens now work correctly. The handling of whitespace in word mode file reads was fixed. A transpose argument was added to the pen function image facility, for consistency with the other image functions. The limit calculation of parabola and hyperbola was fixed in the geometry module. Release Notes for Version 2.10 PRC vertex-shading for straight patches was implemented. A general image routine that uses a pen function of two integer parameters was implemented. A 3D pixel routine was added. A temporary expression is now used to avoid side effects in self operators. Keyword-only function arguments were implemented. The sizing routines were recoded. Bugs in drawline and geometry were fixed. The geometry module no longer overloads the built-in circle and ellipse functions. PDF TeX engines are now supported in xasy. Directory prefixes are no longer stripped from .js and .prc file names. The TeXShop instructions were updated. The asymptote.sty LaTeX style file was updated to allow leading spaces before \end{asy} and to introduce a keepAspect keyval option. Segmentation faults were fixed. Unwanted state-dependency was removed from the startTrembling function of the contributed trembling module by introducing a tremble structure (backwards incompatible change); see the example floatingdisk.asy. Release Notes for Version 2.08 Legend markers now work again. Release Notes for Version 2.07 The -P option required by ghostscript 9.00 was added. The limits command now works correctly with reversed axes. The asyinclude command of asymptote.sty was improved so that asy source files do not need to be sent to publishers; the asy extension is now optional. A mktemp function was implemented. Further MSWindows installer problems were addressed. Release Notes for Version 2.06 Compilation problems and build issues were fixed. Release Notes for Version 2.05 Arbitrary depth array constructors were re-instated. Profiling code was added. Spaces within file names and eps file attachments are now supported in inlinetex mode, and interference from any pre-existing aux file is avoided. A new auto-generated version (1.21) of asymptote.sty contributed by Will Robertson features a latexmk-compatible asyinclude command. Path-overwriting bugs in the NSIS MSWindows installer were circumvented. Release Notes for Version 2.04 Subdivision cracks in transparent labels are no longer filled. Warning messages from the FP package are suppressed. MSDOS line terminators are now handled; DOSendl and DOSnewl line terminators were added. Files generated in inlinetex mode can now be renamed without editing their contents (using asymptote.sty version 1.19). The man page was fixed. The documentation of render.merge was fixed. Release Notes for Version 2.03 An optional asydir parameter that allows asy files to be generated in a subdirectory was added to version 1.18 of asymptote.sty; XeLaTeX support was fixed. Nonrendered preview images via render=0 are now implemented. Blank 3D labels were fixed. Problems with arc directions and ellipses in the geometry module were fixed. The definition of the Dotted linetype was improved. Missing pen and margin parameters were added to the blockconnector function calls. Virtual methods were optimized. Makefile dependencies were fixed and autogenerated files are cleaned up. The dependence of the source tarball on perl was removed. Minor improvements were made to the documentation and man page. The Asymptote installation directory is now automatically added to the MSWindows path. Release Notes for Version 2.02 A global latexusage.asy file is no longer generated, in favour of individual latexusage-*.asy files (this is a backwards incompatible change). Global and local values can now be given for both the inline and attach asymptote.sty (version 1.15) options. Underscores were removed from the .pre and .tex file names in inlinetex mode. Latexmk support was added for compiling individually only those figures that have changed; this requires that the inline option be used for 3D figures. The asy() function was fixed. A multiple fraction bar bug in texpath was fixed. Warning messages and portability issues were addressed. A frame label alignment problem was fixed. PDF animations are now supported with the XeLaTeX TeX engine. Release Notes for Version 2.01 The normal vector for perspective projections was fixed. Individual processing of each figure within a LaTeX document is now supported. The fontsize package uses type1cm.sty again since fix-cm.sty does not appear to work as advertised. Uninitialized item bits are cleared. Extended for statements now support the var type. PenMargin is used in drawing a binarytree. Minor optimizations were made. Release Notes for Version 2.00 The construction of 3D TeX labels was sped up greatly. Plain TeX page numbers were suppressed. Dotted 3D lines and 3D sizing problems were fixed. A general search function for sorted structures was implemented; the lexorder functions in math.asy now return strict partial orders. Additional GSL functions were added. The correct PRC units (PostScript pt units, properly called bp) are now displayed in Adobe Reader. Release Notes for Version 1.99 A segmentation fault was fixed. Perspective animations were fixed. A bug in the bezulate topological sorting algorithm was fixed. A framedelay setting was added for working around OpenGL animation rendering buffer overruns. Further optimizations were made. A portability issue was addressed. Release Notes for Version 1.98 Memory usage and garbage collection were greatly improved, and many optimizations were made. Labels are now aligned using the rotational instead of the shiftless part of the transform. A portable CYGWIN memory limit fix was implemented. Noncyclic stokepaths are discarded to work around a bug in gs 8.71. Release Notes for Version 1.97 A new render.labelfill option (enabled by default) fills subdivision cracks in unlighted labels. The dependence on gcc-4.3 was removed. Offscreen detection and zoom bugs in the OpenGL renderer were fixed. Three-dimensional grouping was improved. The symbol table was replaced with a custom hash table. Portability updates were made. The Cygwin memory limit fix for MSWindows now works even on systems that lack a complete Cygwin installation. The examples were updated to exploit the new PRC rendering options. Release Notes for Version 1.96 The viewpoint function and some examples were updated. Release Notes for Version 1.95 The PRC driver has been overhauled to support model tree groups, lossy compression, efficient representations of elementary geometrical objects, and specialized rendering options. More efficient OpenGL thick tubes were implemented; the capping of 3D curves was improved. The SIGQUIT signal was replaced by SIGTERM. Under MSWindows, the 384MB Cygwin memory limit is now automatically disabled by the Asymptote installer. Inferred variable types were added and operator symbols are now pretranslated. Release Notes for Version 1.94 Workarounds for MSWindows registry problems and obsolete runtime libraries were implemented. The SimpleHead arrowhead was fixed. Additional matrix routines and casts were implemented. The pair dir(path, path) routine now returns a unit vector. Variable conflicts coming from the contour module were addressed. A RadialShadeDraw filltype was implemented. A guide bug was fixed. Redundant mismatched version warnings are avoided. Support for fitting one 3D picture within another was added. The documentation was updated. Release Notes for Version 1.93 Portability issues were addressed. Latticeshading bounds and behaviour under svgemulation were fixed. The initial SVG pen was fixed. A parallelogram block was added to the flowchart module. Temporary files are cleaned up even after TeX errors. The GUI export function was fixed; an SVG export option was added. The XeLaTex bounding box was fixed. Spaces in output directory names are now allowed for supporting drivers. One can cd to other directories, preserving the output directory. All output files are written to the directory part of settings.outname; if this is empty, the current directory is used. Release Notes for Version 1.92 Labels work correctly with oblique projections. Transformed Label alignment and pt scalings were fixed. Latticeshading is now properly clipped. The normal and true Circle calculations were fixed. The interface to the simpson integrator and an array index in contour.asy were fixed. In the flowchart module, the implicit cast from a pair to a virtual node was removed in favour of a block constructor. The ode integration routines now return a structure that includes the sampled time values; dynamic timestepping was implemented for solveBVP. New predefined tick modifiers were added. The CLZ and CTZ bit functions were implemented. PRC part names were fixed. The GL library is now explicitly linked. Memory usage was improved by configuring the garbage collector with --enable-large-config. Null 3D paths are ignored. Non-pdf output is supported for PDF tex engines. Portability changes for CYGWIN 1.7 were made. Release Notes for Version 1.91 The precision of the 3D perspective sizing routines were improved. The offset in transformed 3D labels with render=0 was fixed. 3D planar arrowhead gaps were fixed; a duplicate 3D arrow angle factor was removed. Pen width contributions to the box and ellipse envelopes were fixed. A more robust contour algorithm based on paraboloid approximation was implemented. A polargraph routine for arrays was implemented. Default font problems were fixed. The pdfborder={0 0 0} option was added to settings.hyperrefOptions; the hypersetup command is now used to avoid hyperref option clashes. The size of pngalpha images was fixed; the pngalpha driver is used only if antialias=2. The -alpha Off default convert option was removed in favour of convertOptions="-alpha Off". Inlinetex support for xelatex was updated. Picture transformations are now respected by latticeshade. The Bessel functions J and Y were renamed to Jn and Yn. An operator --(block, block) was implemented to simplify the flowchart syntax. The expression % expands to the last result returned at the interactive prompt. The GLU-1.3 library included in the MSWindows distribution was fixed. Release Notes for Version 1.90 SVG axial, radial, and emulated tensor-patch shading were fixed; the dependency on dvisvgm-0.8.7 was documented. Release Notes for Version 1.89 The draw, fill, and clip commands now pass raw SVG code directly to dvisvgm (version 0.8.6 required); zero-length paths are output as circles. Unsupported SVG elements are converted to PNG images; unimplemented SVG features such as Gouraud and tensor-patch shading can be (partially) emulated as vector elements using the -svgemulation option. The control point normalization of rational NURBS surfaces was fixed; 3D NURBS curves are now implemented. A problem with inlinemovie3 was fixed. The linetype pattern is now a real array: for backwards compatibility, a string is still accepted, but the return type of linetype(pen) is now real[] instead of string (backwards incompatible). The split routine was changed so that an empty delimiter splits on spaces, discarding duplicates. The palette routines are now guaranteed to generate at least the specified number of colours. PNG output produces a transparent background. Surface and path3 garbage collection was fixed. Release Notes for Version 1.88 Compilation without OpenGL was fixed. PRC billboard labels were implemented; settings.billboard was renamed to settings.autobillboard and by default enabled for all 3D labels. The surface constructor for embedding labels on surfaces now draws both the top and bottom faces by default. The meshpen, knot, weight, and color arrays are now properly cached. The example fequlogo.asy illustrates how to draw an arbitrary 3D background plane. The intermediate dvi file is now removed when producing SVG output. Improvements were made to the tutorial. Release Notes for Version 1.87 Support for SVG output was added (requires dvisvgm-0.8.4). Billboard labels were implemented for the OpenGL renderer. OpenGL animations were improved: reverse and step menu items were added, along with a framerate setting. An addStereoViews function and example stereoscopic.asy were added. The addViews function was generalized to handle any layout; the default layout was changed from ThreeViewsFR to SixViewsUS. PRC node names are now implemented for curves, surface, labels, and dots. OmitTick was generalized to omit both major and minor ticks. A graphicx.tex workaround was implemented to parse paths properly. A viewportsize bug was fixed. A memory deallocation bug was fixed. The ENDIAN test was fixed. The ucyclic and vcyclic parameters are no longer set for conditional surfaces. The erase() function clears the PostScript canvas again. A projection() function that returns the interactive camera parameters was implemented. A hyperrefOptions setting was implemented. The tutorial was improved. Release Notes for Version 1.86 PRC polygons were optimized. Surface memory usage was reduced. The automatic sizing of NURBS surfaces was fixed. A bug in the radius of curvature computation at nodes was fixed. The configuration test for the GNU readline library was improved. The naming of PRC parts was implemented. Release Notes for Version 1.85 Compilation is now supported again on platforms lacking OpenGL. Missing pen dimensions were added to a 3D picture sizing routine. The labelsurface routine was renamed to surface and extended to surfaces containing a single patch. Release Notes for Version 1.84 The perspective PRC viewportmargin was fixed. Unwanted spaces were removed from (version 1.10 of) asymptote.sty. Support for drawing PRC and OpenGL NURBS surfaces was added. Obsolete code, including an unwanted inline qualifier, was removed. A split structure that can be adapted for splitting intersecting patches was added, along with the example splitpatch.asy. Release Notes for Version 1.83 OpenGL animations, illustrated in glmovie.asy, were implemented. Viewportshift flicker was fixed. An empirical translation between OpenGL and PRC shininess was implemented. Splined parametric surfaces are now used to implement smooth thick lines and tubes. The projected bounding box calculation and angle calculations were fixed. A labelsurface function was added. The Headlamp light is now the default light; a light argument was added to shipout. Patches are now constructed with the usual orientation for a counterclockwise external path; the convention for tensor product shading was updated. Picture environments for TeX clipping are no longer nested. A texpath initialization bug was fixed. An ASYMPTOTE_HOME environment variable was added. Viewing was fixed for file names containing spaces. A picture sizing bug was fixed. An example of an inset graph was added. Type information for variables is now returned at the interactive prompt. Warning message suppression was improved; warnings in Asymptote code can now be disabled. The cyclic member of an array is now writeable; the obsolete cyclicflag and void cyclic(bool) functions were removed. File mode functions are now virtual members; this backwards incompatibility requires that line(file f) be changed to f.line(), etc. Release Notes for Version 1.82 Threaded exports were fixed. The texpath fontsize was fixed for PDF tex engines. A default currentprojection argument was added to transform3(projection). The -gray and -bw settings are now respected in PRC output. A consistent approximation is now used for drawing tube centers. Missing pt units were added to all fontsize examples. Release Notes for Version 1.81 A boolean targetsize option can now be used to draw 3D labels with the apparent size they would have on the target plane. The camera adjustment algorithms were fixed; the autoadjust flag is respected. Missing path3 functions such as endpoint(path3) were added. The doubleclick timeout under MSWindows was fixed. A workaround for a ConTeXT small font bug is illustrated in contextfonts.asy. File associations are now used under MSWindows for psviewer, pdfviewer, display, and animate. Single quotation marks are now allowed in filenames. Deconstruction is now only supported in PNG format; the xformat setting was removed. The example lmfit illustrates Levenberg-Marquardt nonlinear least-squares fitting. Release Notes for Version 1.80 The interface for changing the precision for XDR/binary files was simplified; file parameters can now be queried as virtual members. The zoom/menu action was improved to emulate a double-click and assigned again to the right mouse button; a left-button binding bug was fixed. New settings zoomfactor, zoomstep, spinstep, arcballradius, resizestep, and doubleclick were added. The OpenGL thread is now exited gracefully; idle state and other parameters are properly reset on quitting. Lighting is now initialized only in home(). Animations with global=false were fixed. An improved (and free) psview PostScript viewer is now suggested for MSDOS users. A mechanism for disabling annoying warnings like "writeoverloaded" was implemented. The documentation directory under TeXLive was fixed. Release Notes for Version 1.79 The perp vector calculation in the solids module was fixed. A bug in the mouse motion functions was fixed. A pan action (which differs from shift due to perspective distortion) was added to the OpenGl renderer; the Camera (c) menu item now outputs all camera settings. The default right mouse button mouse binding was changed from "zoom/menu" to "zoom". User-initiated exports no longer cause the renderer to quit. Dynamic time stepping was fixed in the ode module; the "integrate" routines now return the array of computed values. Operators == and != were added for all built-in arithmetic 2D arrays; a segmentation fault was fixed. The etc/fstab kludge for Cygwin 1.7 was removed. The configuration directory under TeXLive is now $TEXMFCONFIG/asymptote. Release Notes for Version 1.78 Thread locking issues were fixed. The linegranularity is now respected when drawing thick curved lines. A bug in FSAL ODE integrators when using a fixed time step was fixed. Missing miterlimit defaults were added. Xasy was updated to use Python 2.6.2 and Imaging-1.1.7b1 (which requires no alpha support patches). Obsolete patches were removed. More TeXLive build issues were addressed: the install-prebuilt target omits texhash and does not attempt to install PNG files for asymptote.info. A configuration problem with --disable-gc was fixed. The 3D mouse bindings are now customizable. Support was added for generating syntax highlighting for the KDE editor Kate. Release Notes for Version 1.77 Splined parametric surfaces were implemented; a bug in the Cartesian splined surface routines was fixed. An ode module for solving ordinary differential equations was added. A bug in maxtimes and mintimes was fixed. A Levenberg-Marquardt nonlinear fitting routine was added. The format command now returns TeX compatible output only in math mode. A path3 label alignment problem was fixed. The MSWindows support for TeXLive 2009 was fixed. Release Notes for Version 1.76 A bezulate bug was fixed. The resolution and caching of texpath were improved; for PDF tex engines, the basealign pen attribute is now respected. Support for OCG layers was added. Lights Headlamp and White were implemented; the predefined adobe light was removed. Holes are now handled in superpath-to-surface constructor when planar=true. A degenerate transform3 issue was fixed. The alignment of rendered and PRC images was improved; the angle for rendering absolute projections was fixed. Inaccurate TeX and ConTeXt font scalings were fixed. A texsize(string, pen=currentpen) function returns the raw TeX dimensions {width,height,depth}. A new version of asymptote.sty (1.07) fixes attach=true mode. Release Notes for Version 1.75 Issues with 3D labels and texpath, both in inlinetex mode and with the ConTeXt TeX engine, were resolved. A bug in bezulate was fixed. A partial workaround was added for the unimplememented -output-directory ConTeXt option (the current directory must still be writeable). The aspect ratio and viewportmargin calculation in module three was improved, with tighter 3D bounds. A bug in the intersections(path3, surface) routine was fixed. Release Notes for Version 1.74 An error in the surface bounding box routines was fixed. Path/surface intersection routines were added. PDF tex engines are now supported for 3D labels and texpath. The new ConTeXT tex engine can be used for both 2D and non-PRC 3D drawings. Projections LeftView, RightView, FrontView, BackView, BottomView, and TopView, along with an addViews function, were implemented. Portability fixes and various updates to support TeXLive builds were made. The dependence on currentprojection in label(Label, path3) was removed. The font command for LaTeX tex engines now requires all four NFSS (encoding, family, series, shape) arguments. Release Notes for Version 1.73 An alternative OpenGL background color can now be specified with the pen currentlight.background. A new textpath command allows 3D labels to be drawn with settings.texengine="none". Minor bugs in the geometry package were fixed. The interface to the vectorfield routines was improved. The autoadjust parameter was removed from orthographic projections; autoadjust=false is now always respected for perspective projections. Optional warn=true arguments were added to the polar, azimuth, colatitude, and latitude functions. A call to reportError interrupts execution again. A segmentation fault that can occur after file mode errors was fixed. Release Notes for Version 1.72 PostScript calculator function shading was implemented. Interactive camera parameters of the native OpenGL renderer can now be queried. The effective camera positions for oblique projections was fixed. Philippe Ivaldi's geometry_dev module was merged into geometry.asy; trembling_pi was added as trembling.asy. The GSL module was expanded. An extrude routine for labels was implemented. Rotated path label alignments were fixed. The alignment of 3D axis labels was fixed. The basealign pen now always typesets "ace" and "acg" at the same location. Arrow endpoint detection was fixed. A sysdir setting was added, along with an --enable-tetex-build configure option. The store argument of saveline is respected again. Left-justified trailingzero alignment was fixed; a signedtrailingzero specifier was added. Boolean conditions on linearly interpolated surfaces now suppress function evaluation. The adaptive algorithm used for rendering thick lines and tubes was improved. An ambiguity in the flowchart module was fixed. A patch is included to work around an MSWindows XP problem with 3Dgetview in the 2009/03/23 version of movie15.sty. A problem with spurious menu interaction zooming was fixed. The asy.bat MSWindows batch file now respects all command-line arguments. Release Notes for Version 1.70 A labelpath3 module for typesetting curved labels in 3D, contributed by Jens Schwaiger, was added. PenMargin2 was defined for use with planar arrowhead types like DefaultHead2. A center=false parameter was added to projections to allow one to automatically center the target within the bounding volume. The ambiguity in the surface function was resolved. Problems with spaces in filenames were fixed. Release Notes for Version 1.69 Internal patch degeneracies were removed by splitting. Bugs in the windingnumber and the intersection routines were fixed. The inside(path) routine was improved; a fillrule argument was added. The bezulate connect routine was improved. Bezulate is now automatically applied to path arrays: surfaces should be constructed directly, without first calling bezulate. A workaround for recent changes in the hyperref package was implemented. The divisor setting was replaced with purge(divisor=0). The calls to baseline in graph.asy were fixed. A miterlimit attribute was added to pens. Animation problems were fixed. Lighting problems with multiple exports and a quit deadlock were fixed. A new version of asymptote.sty (1.06) fixes an undefined \ASYbox. Release Notes for Version 1.68 Support for 3D inline pdf movies was added. Camera adjustment was fixed; the filesurface.asy example illustrates automated camera and target computation. A deadlock in the export loop was fixed. A new version of asymptote.sty (1.05) fixes the definition of \ASYanimategraphics. The handling of intersection fuzz was improved. The baseline routine was generalized. New paragraphs are now allowed in minipage labels. Some minor errors in the documentation were fixed. Release Notes for Version 1.67 Spurious annotation question marks in 3D PDF attachments were fixed; attached images are now printable. The asy environment defined in the new (1.04) version of asymptote.sty supports keyval options width, height, viewportwidth, viewportheight, and attach; the obsolete asyattach environment was removed. The default viewportwidth is the linewidth in inline mode and 0 in attached mode. Planar projected arrows were fixed. Automatic camera adjustment was improved. A minimum viewportsize can now be specified. The control points for cyclic segments produced by texpath were fixed. Overlap issues in planar surface patches were fixed. Surface constructors were simplified: the routine planar has been replaced by surface(path3) and in most cases there is no need to call bezulate directly. An Align constant was added. The parameter limits used in buildcycle were fixed. The intersection routines now respect the fuzz parameter. Segmentation faults involving null cyclic guides were fixed. Subpath now preserves the straight flag. Pictures containing graphs now transform correctly; unextended axes limits and tick selection were improved. Axial and radial shading respect now respect -gray. The animation prefix was fixed. An example of drawing a surface from irregular data was added. A work around was implemented for an intermittent hang on exit in the 3D native renderer. An auto3D option was added for controlling the poster option. The 2008/10/08 version of movie15.sty is now compulsory. The cd %USERPROFILE% command was removed from asy.bat. Release Notes for Version 1.66 An alignment problem with the pdflatex tex engine was fixed. Problems in the animations module were fixed, including a broken ImageMagick layers optimization. Optional direction arguments were added for three-dimensional bars. The appearance and alignment of the planar arrowheads DefaultHead2, HookHead2, and TeXHead2 was improved; they now accept an optional normal argument and respect the filltype. A transverse/longitudinal confusion was fixed in the solids module. The camera adjustment routine was improved and is now controlled by the autoadjust=true option for perspective projections; the user is notified when the camera is moved. The obsolete featpost3D.asy module was removed. Midpoint interpolation was reinstated for drawing contours. The Asymptote license was upgraded to the GNU Lesser General Public License. Release Notes for Version 1.65 The xelatex tex engine was implemented. Bugs in pdflatex output and the xelatex alignment were fixed. Release Notes for Version 1.64 Support was added for XeLaTeX PDF specials. The target point is not forced to be part of the control volume for absolute projections. The directory is now stripped from the animation prefix; generated PDF animations are no longer automatically deleted. New parameters xsize and ysize of the asyinclude function of the slide module are illustrated in interactive 3D examples in intro.asy. A Protein Data Bank example was added to illustrate the generation of predefined views. The slidedemo example was fixed. The license of the PRC code and tools was upgraded from GPL to LGPL. Release Notes for Version 1.63 Support was added for XeLaTeX (which requires a modified version of movie15.sty; note however that PDF specials are not yet implemented in dvipdfmx). The 2D contour routines were generalized to handle nonuiform lattices; interpolation artifacts are now avoided when the midpoint function values are unknown. The ncell parameter for 3D contours was replaced by nmesh. The complex gamma function was implemented. Interactive rendering of preview images is now properly synchronized. The bounding volume is now automatically expanded to include the target position. An interactive 3D surface of revolution example was added to slidedemo; rendered images are now automatically included when fitting non-PRC pictures. Duplicate beginclip/endclip functions in pstoedit.asy were removed and the pstoedit-3.45 patch was updated to fix compilation errors. Errors on EOF after reading 0 values are no longer reported. One-column legends are now handled correctly. Old-style constructors were replaced with operator init. An electromagnetic spectrum example was added. Release Notes for Version 1.62 Outputting PDF format to other directories was fixed. An int hex(string) function that casts a hexadecimal string to an integer and a pen rgb(string) routine that returns a pen corresponding to a given 6-character RGB hexadecimal string were added. In the dot routines, Label arguments were added and minor bugs were fixed. A parametric version of markuniform was added. Release Notes for Version 1.61 A workaround was implemented for a dvips misconfiguration in TeXlive 2008 that introduces unwanted %%BeginPaperSize commands into the EPS output. The -q option was reinstated; the asymptote.py Python module was fixed. The bezulate.asy module now enforces the same zerowinding fillrule as used by dvips. In solids.asy, a warning is issued if the silhouette routine is used in a fully 3d context. The freeglut extensions to support user-specified multisampling values were re-instated. A freeglut segmentation fault triggered by spurious window creation in the export loop was fixed. An aspect ratio problem was fixed. A string[] to int[] ecast was added. A Pentype function was added. The asydir() function was fixed under MSDOS. Release Notes for Version 1.60 An optional bool3 condition was added to the graph functions, allowing one to skip points or segment a graph into distinct branches, based on a user-supplied test (see the example gamma.asy). A gettriple routine was added. The interp function first promotes its pen arguments to the highest colorspace. Export exceptions are now caught gracefully. Under UNIX, xasy can now be run from a write-protected directory again. A work around was implemented for the inability of the movie15.sty package to handle spaces in filenames. Stack overflow diagnostics were improved. A read from pipe failure under MSDOS was fixed. Release Notes for Version 1.59 A missing filltype option for projected 2D arrowheads was added. The scaling of plain TeX fonts was fixed. Examples that mix 3D exporting and viewing now work properly. With the -nothreads option, the main process now waits for 3D exports to finish before proceeding. Conflicts in slide presentations were fixed; the asy(string) function assigns defaultfilename correctly. A bug in processing command-line options was fixed. Release Notes for Version 1.58 Two-dimensional arrowheads are now drawn automatically for 2D projections. ArcArrow3 routines were added. Standard pen arithmetic is now used in all colorspaces, so that interp(pen,pen,real) and Gradient(pen[] p) now work as expected. A Wheel palette was added and is used in the example gamma3 to indicate the phase of the complex Gamma function. A silhouette routine for solids of revolution is illustrated in the examples spheresilhouette.asy and hyperboloidsilhouette.asy. Problems with 3D axis label alignments were fixed. The example scaledgraph illustrates how to factor out an axis scaling. Interactive mode is now exited on EOF, unless exitonEOF=false. Support for open function signatures was added. A conflict between asymptote.sty and the breqn package was fixed. PNG images for the manual are now built in a separate directory so that they don't take precedence over PDF files. A problem with xasy under MSDOS was fixed. Release Notes for Version 1.57 The pdflatex texengine was fixed. The default MSDOS "start-in" directory is now %USERPROFILE%, for compatibility with the MSWindows Vista operating system. Temporary files are now generated in the directory specified by the -outname (-o) command-line option, so that write access to the current directory is no longer required. Various font size problems were fixed. The axis coverage calculation was improved. An object(Label, envelope, ...) constructor was added, along with support for object transformation and alignment. Clipping is now allowed across page boundaries; beginclip(picture, path[]) and endclip(picture) functions were implemented. Release Notes for Version 1.56 A bounding box bug in the latex texengine was fixed. The font scaling is now rounded to the nearest integer. The wait=true argument of shipout was fixed. The documentation of grid3 was fixed; examples of using grid3 with scale(true) were added. The handling of the asydef environment within Emacs lasy-mode was fixed. An asyinclude function for embedding 3D PRC graphs in slides was implemented. Release Notes for Version 1.55 A serious bug in drawing paths of length 0 that broke the dot(pair) routine was fixed. Problems in guide to path and path to guide conversions were fixed. A triple invert(pair) routine was added to invert a pair z onto the projection plane. The obsolete field of view factor was removed. Release Notes for Version 1.54 The filltype of three-dimensional labels is now respected when render=0. Multiple file batch mode under MSWindows was fixed. The reverse(guide) and guide examination routines were fixed. A reverse(guide3) routine was added. Curved cyclic paths of size 1 were fixed. Fork is now used by default under MSWindows pending stable CYGWIN POSIX thread support; this can be overridden with settings.threads=true. The need to remove latexusage_.pre along with latexusage-* and latexusage.aux when switching between latex and pdflatex usage was documented. Release Notes for Version 1.53 Forking problems under Windows 2000 were fixed and MS-DOS style path warnings were suppressed. Problems with PRC projection sizing and the rendering logic were fixed. The toolbar is now enabled by default within the asyattach environment. Two-dimensional transforms no longer prevent three-dimensional labels from being projected onto the initial viewing plane. Out-of-memory errors in the OpenGL renderer are caught again. The new tube module was documented and a trefoilknot example was added. Release Notes for Version 1.52 Support for generating PRC output on bigendian machines was added. Multisampling was improved: by updating the freeglut library to svn version 761, one can now specify an antialiasing pixel width with the parameter multisample, which is now an integer. The asymptote.sty and asycolors.sty files are now installed by default in $TEXMFLOCAL/tex/latex. The OpenGL renderer by default now uses POSIX threads instead of fork. A work around for the nonstandardized signature of gluNurbsCallback on various MacOS platforms was implemented. Planar vertex shading was fixed. A planar argument to surface was added. To work around rendering problems with some graphics cards, the window is now hidden only when iconify=true. A tube module was added. A setlocale segmentation fault was fixed. Now that we require a multithreaded version of the Boehm garbage collector, the installation instructions were updated for using the system version. An optional user=false argument was added to min(picture), max(picture), and size(picture). The dependency of asy-mode.el on the cc-mode.el source file was removed. Release Notes for Version 1.51 A separate multisample setting is used to control screen antialiasing; multisampling is now only enabled when viewing. The problem of multiple glInit calls is fixed. A more conservative multisampling patch for freeglut is supplied. The OpenGL process is now always forked for better performance. The last freeglut extension was removed. Release Notes for Version 1.50 Detection and support for the native glut library on MacOSX now allows Asymptote's adaptive OpenGL renderer to be used on all major platforms. The OpenGL renderer now supports antialiasing; a race condition and export problems were fixed. The new default value of maxtile=(0,0) denotes the screen dimensions. Lighting problems due to incorrect normal orientations were fixed. The up vector for embedded PRC output was fixed. A viewportmargin parameter was added to allow for a larger viewport. An iconify setting was added for UNIX systems that support rendering in an iconified state. An embed option (default true) was added to allow one to suppress the embedding of a rendered preview image. A new version of asymptote.sty (1.01) supports file attachments, which provide a better way of embedding 3D PRC files in a LaTeX document. The latexusage file prefix was renamed from latexusage_ to latexusage-. A numerical precision issue in the surface of revolution constructor was fixed. Support for three-dimensional dimension bars was added; PenMargin3 and DotMargin3 were fixed. The argument put=Above (put=Below) should now be replaced by above=true (above=false); this is a backwards incompatible change. Release Notes for Version 1.49 Issues with surface normals that led to incorrect lighting were fixed. By default, the mean(pen[]) routine now returns an interpolated pen with the minimum opacity of all given pens. A patch reverse(patch) function was added. The settings.keep flag is now handled correctly in texpath and strokepath. A cornermean function for surfaces was added. Several examples that illustrate patch and vertex shading were updated. Release Notes for Version 1.48 High-resolution OpenGL tiled rendering was implemented. Support for vertex-dependent colors was added. Centering of perspective projections was improved. Rendering artifacts in planar surfaces and thick lines were fixed. A Gradient palette that varies linearly over a specified range of pens was added. An improved surface constructor for convex three-dimensional paths was added; the planar constructor should now only be used for nonconvex paths. A DefaultHead2(filltype filltype=Fill) arrowhead was implemented, along with an optional filltype argument for HookHead2. New maxheight, hstretch, and vstretch parameters were added to legend(). A boolean user=true argument was added to the point(picture, pair) function; the framepoint routine was removed in favour of truepoint(picture, pair, user=false). A roundbox envelope routine was added. An antialias setting (default true) was added. A bug in xasy and an incorrect precontrol bug in write(path) was fixed. Compilation with standard glut for systems without freeglut is now supported. Release Notes for Version 1.47 Support for simple obj files and patch-specific surfacepens and meshpens was added. Surface constructors for triangles were added. Three-dimensional margins were implemented. Flat 3D arrowhead types HookHead2 and TeXHead2 were implemented. By default, 3D arrowheads are now always drawn with currentlight. A missing angle parameter in HookHead3 was added. Functions that construct a pen array from a given function and palette were added, as illustrated in the example elevation.asy. A bug in the cyclic path write functions was fixed. A strokepath(path g, pen p) function was implemented. A missing put argument in grid3 and a missing transform for projected 3D mesh lines were fixed. File prefix problems were fixed. Spurious "camera too close" errors were fixed. Tighter three-dimensional bounds are generated. Release Notes for Version 1.46 Support was added for embedding 3D PRC files within LaTeX even when settings.render=0. An error is now signalled if the user tries to render an image without freeglut library support. The Klein bottle example was updated to use lightgray instead of the new default surface color (black). The sphere animation example was updated to work with the new skeleton structure in the solids module. Release Notes for Version 1.45 Bugs in the solids of revolution and graph3 modules were fixed; longitudinal curves are split into front and back pieces. Min and max arguments were added to axes and axes3. Rendering artifacts are now avoided. When render=0, 2D and 3D objects are now sized consistently. The automatic camera adjustment was improved. Bugs in thick three-dimensional lines were fixed; thick lines are now drawn with fewer Bezier patches and 3D Linetype offsets are supported. The appearance of unitcones and arrows was improved. New arrowhead3 types HookHead3 and TeXHead3 were added. The default surface color is now black. New surface and path constructors were added. Secure options can now be queried as read-only settings. Release Notes for Version 1.44 Full interactive 3D support has been added to Asymptote, with the option of generating and embedding 3D PRC data in PDF files or rendering scenes directly with Asymptote's own fast OpenGL-based renderer. The implicit casts from 3D to 2D objects were removed (in favour of call explicit calls to project). A path[][] texpath(string s) routine was added to convert string into the paths that TeX would fill. Add boolean stroke parameter was added for shading (and clipping to) stroked paths. The Circle and Arc routines were fixed. Autoscaling of graph axes limits is now disabled by default. A path3 path3(path p, triple plane(pair)=XYplane) constructor was added; the path3 routines were moved to C++ code. Optimized and robust versions of the intersection, windingnumber, inside, and surface extrema routines were implemented. The lighting routines were replaced by the OpenGL model. Each Asymptote process once again uses a separate currentpen. A segmentation fault and an incorrect parameter in the Delaunay triangulation routine were fixed. This major overhaul of the three-dimensional graphics has necessitated a few backwards incompatibilities. The most significant change involves filldraw: filldraw(polygon(5),red); should be replaced by draw(surface(polygon(5)),red); Also, the solids module has been improved so that revolution a=revolution(O--X+Z,Z); a.filldraw(red,blue); is now more sensibly written as revolution a=revolution(O--X+Z,Z); draw(surface(a),red); draw(a,blue); Release Notes for Version 1.43 A new array(n, value) function returns an array consisting of n copies of value. Conditional drawing of surfaces meshes was implemented. Vector field support was improved. Graph tick selection without autoscaling was improved. By default, all 2D axes are drawn below existing objects. An interface for drawing contours on arbitrary nonoverlapping meshes was added. Optional support for Jonathan Shewchuk's more robust triangulation routines was added. The file precision setting can now be queried. A beep() function was added. The partialsum function now returns an array of the same length as its argument (backwards incompatible). Dash offset and font selection bugs were fixed. Modules to redefine LaTeX named fontsizes for 10pt and 11pt article documentclasses were added. Problems in asy-mode.el were fixed. A problem with label alignment was fixed. The international inch is now used instead of the U.S. survey inch. The code now compiles cleanly under gcc-4.3.0. Release Notes for Version 1.42 A routine was added for projecting a Label onto a given plane; an ambiguity in the three-dimensional scale routine was resolved. An inside(path p, path q, pen fillrule=currentpen) routine was added to determine if one path is strictly within another. Optional arrows were added to the slopefield routines. The movie function now generates multipage PDF animations when format="pdf" and global=true; a fit argument was added to support an optional filled bounding box for each movie frame. Casts were added between the hsv structure and pens. Bad casts from TeX bidirectional pipe are now caught. In inline latex mode, TeX headers are now output only when needed. A bug in the cancellation of text addition in xasy was fixed. The sticky bit is no longer set when creating the ~/.asy directory. The documentation and FAQ were updated. The dot(real[] a, real[] b) routine now returns the dot product of the vectors a and b; this introduced a backwards incompatibility: dot(x,y) should now be replaced with dot(pairs(x,y)). Release Notes for Version 1.41 Python-style array slices were added. The array virtual field A.keys returns the indices of initialized entries. The concat routine can now take an arbitrary number of arguments. The write functions now output nothing for uninitialized values instead of producing an error. A bounding path is stored in the object structure to allow connections to noncardinal boundary points. The buildcycle algorithm was improved. The expression dir(E) is a synonym for E. The visibility of unsplit solid slices is now properly resolved. A drawpen argument was added to FillDraw. The uniform(real a, real b, int n) function returns a uniform partition of [a,b] into n subintervals. Complex exp, log, sin, and cos functions were added. An interface to the internal adaptive simpson integration routine was added. History lines are now stored immediately after input (as well at exit, after stifling). Support for the HSV colorspace was added. The dependence of non-PDF animations on the animate.sty package was removed by renaming animate.asy to animation.asy (PDF animations still need to import animate.asy). Transparency groups are now respected by xasy. TeX diagnostics were improved. An obsolete function for drawing boxes on pictures was removed in favour of draw(Label,box). Release Notes for Version 1.40 Hatch widths for PDF output were fixed by disabling dynamic line width adjustment. A nurb-related bug in solid shading was also fixed. Release Notes for Version 1.39 In the animate module, a constructor bug was fixed and the temporary multipage pdf movie file is deleted by default. Release Notes for Version 1.38 For perspective projection, nonuniform rational B-splines (NURBS) are now approximated by adding additional control points to Bezier curves. Inline PDF movies can be generated directly within LaTeX files (requires animate package, version 2007/11/30 or later). SimpleHead, HookHead, and TeXHead (Computer Modern) arrow styles were added. FillDraw is automatically reduced to Draw for noncyclic paths. Empty clipping bounding boxes were fixed. The xasy diagnostic Console should now work reliably on all platforms. Graph and interpolation array length diagnostics were improved. The axes routines now take optional xlabel, ylabel, and zlabel arguments defaulting to empty strings. The autoformat axes tick label routines now try to add an extra digit of precision. Pen arguments were added to the flowchart block routines. A path&cycle operator was added. The read1, read2, and read3 routines now affect only the current operation. A -c (command) option and exit() command were implemented. Ambiguous expressions are now resolved by interactiveWrite (with a warning). A patch is included for fixing problems with the Asymptote backend for pstoedit-3.45. Release Notes for Version 1.37 The speed and useability of the graphical user interface has been greatly improved, including full transparency support under MSWindows. The intersections routine was fixed, and an optional fuzz parameter was added. A bug in the arrow routines was fixed. The 2D graph routines were improved when autoscaling is disabled, secondary axis bugs were fixed, and the automatic logarithmic axis coverage routine was re-enabled. Degenerate 3D reference vectors are now handled and the default 3D tick directions were improved. The array returned by intersections is now automatically sorted. A patch is applied to avoid out-of-memory segmentation faults with gc-7.0. A history(int n=1) function can be used to return the interactive history. Automatic semicolons are now added to the history. Locale bugs were fixed. A string[] split function was added. Installation, uninstallation, and diagnostics under MSWindows were improved. A marker dot routine was added. The output(s,update=true) function was fixed. Configure now uses a system version of Boehm GC if the recommended local version isn't present. Release Notes for Version 1.36 Recently introduced bugs in the tex(), postscript(), gsave(), and grestore() commands were fixed. Release Notes for Version 1.35 A hang in testing for the intersection of nearly identical paths in solids.asy was fixed. The numeric formatting of setdash arguments was fixed. Release Notes for Version 1.34 An innovative graphical front end to Asymptote (xasy) has been developed. Clipping of labels is done within a picture environment to avoid unwanted page breaks. The default LaTeX font is now package-dependent. The syntax was generalized to allow expressions such as (x). Comments are now supported when reading strings in csv mode. Nesting capacity overflows in arctime were fixed. The autoscaling of graphs for close minimum and maximum values was improved, the default tick format is automatically adjusted to make tick labels unique, and a general trailingzero format string was added. Improved, robust versions of intersect and intersectionpoints were implemented (based on a new routine intersections). A permissions bug was fixed. A filltype argument was added to the dot routines. Printer stack use was optimized by pruning unneeded gsave/grestore commands. Temporary EPS files are now removed in inline PDF mode. A discussion of the 3D generalization of Hobby's algorithm used in Asymptote was added (intro.asy). Release Notes for Version 1.33 Routines to find the 3D and projected 2D bounding boxes of Bezier surfaces were added to the surface module, along with the standard teapot example. Extended for loops were documented. The page numbering of slide presentations with stepping enabled was fixed. The int type is now a long long type (typically a 64-bit integer). Support for reading and writing 64-bit integers in binary and XDR modes and large file support were added. Input files are now opened in input-only mode. Multiple invocations of labelpath now work. A projection bug in the grid3 module was fixed. The search path order was changed: directories specified by the dir configuration variable are now examined before the .asy subdirectory in the user's home directory. User configuration files are ignored during installation. Some bugs in asy-mode.el were fixed. Texput files are removed again. A memory allocation incompatibility in the workaround for old, broken readline libraries was fixed. The framepoint and truepoint routines now work even when an exact picture size estimate is unavailable; a picture scaling bug was fixed. Writing to a file specified with -o /dir/file.eps is allowed again. A quarticroots solver was added, the cubicroots solver was improved, and a complex quadraticroots solver was added. A workaround for broken texi2dvi installations was implemented. Memory leaks were fixed. The garbage collector was update to gc-7.0; upgrading to gv-3.6.3 is also recommended. A segmentation fault in complement was fixed. Release Notes for Version 1.32 A recently introduced segmentation fault in subpath was fixed. The current directory can now be examined with cd() even if globalwrite is false. The cd path is now only written once in interactive mode. Further garbage collection improvements and leak fixes were made. Release Notes for Version 1.31 Garbage collection was dramatically improved, resulting in reduced memory usage and increased speed. The options -compact and -divisor and the function purge() were added to give the user more control over garbage collection. The array virtual member function delete() with no arguments explicitly deletes all elements of the array. An interpolate(real[][] f, pen[] palette) function was added for constructing the pen array needed by the latticeshade routine. A nullpath frame and picture sizing bug was fixed. LaTeX diagnostics were improved. A facility that does not rely on garbage collection finalizers was implemented for closing open files at the end of each asy process. Release Notes for Version 1.30 Constructors were added. Routines to allow access to guide components were added. The three-dimensional projection and contour routines were optimized. A tickmodifier NoZero and ticklabel format NoZeroFormat were added. A simplified gouraudshade interface was added. A linewidth bug was fixed. The array insert and delete routines were generalized. The new array virtual member "initialized" can be used to detect whether an element is initialized. All fonts are now automatically embedded in PDF files. Inline PDF animations now require version 2007/05/24 or later of the animate.sty package. General root solving routines were added. The implicit initializer for files is null. Boolean arguments were added to the image and shading routines to allow one to disable data buffering. The functionality of the readline routine was split into the routines history, readline, and saveline. Many fixes were made to the Emacs asy-mode.el. Release Notes for Version 1.29 Support for drawing surfaces described by the null space of real-valued functions of three variables was added. The dir command now works correctly for degenerate Bezier paths; an optional final argument can be used to examine incoming and outgoing tangent directions. Numerical overflow and precision issues were addressed. A piecewise monotonic spline type and example were added. Optional fillpen and legend entries were added to histogram. The "q" command quits in interactive mode only if there is no top-level variable of that name. Standard input of strings was fixed. Support for transparent PNG images in xasy was added. Animation support was upgraded to use the new animate.sty package rather than the interim pdfanim_temp.sty package. Release Notes for Version 1.28 TeX error handling was improved. A dvipsOptions configuration variable was added. A recently introduced bug in the XDR routine xinput was fixed. Compilation under the upcoming GCC 4.3 release is now supported. Nonglobal PDF animations, where each frame is separately scaled and written to a file, were implemented. Reading from standard input now works correctly even in the absence of a working readline library. A build problem under Fedora Core 5 was fixed. Parallel builds are now supported. Release Notes for Version 1.27 A Hermite spline graph interpolate type was added for smoothly joining sampled functions. The cycle3, tension3, and curl3 keywords were respectively renamed cycle, tension, and curl. Assignments no longer write the value at the prompt. A bug in longitudinal skeleton detection was fixed. The filloutside routine now works with paths that extend beyond the current boundary. The unit n-point cross function returns a cyclic path. The "append" argument of the output function was renamed to "update", which now allows both reads and writes to the data file. Negative arguments to seek mean relative to the end-of-file; a seekeof function was added. PDF animations can now be loaded from an external file. The TeX pipe handshaking was improved. TeXLive 2007 is now supported under MSWindows. A work around was implemented for a MikTeX bug in handling file names containing spaces. Release Notes for Version 1.26 The correct surface normal is now used when calculating lighting; a Klein bottle example was added. The front/back detection of the transverse skeleton of solids of revolution is fixed. A better camera-independent reference value for resolving path3 orientation is used. A 3D midpoint routine was added. Tick values for broken axes can now be autogenerated; broken logarithmic axes are also supported. A 2D aligned axes example was added. A patch that fixes a redisplay bug in gv-3.6.2 is included. Release Notes for Version 1.25 A new picture size routine, which maps specified user coordinates to a given final size, provides a convenient way of forcing the plotted subregion of a graph to have a fixed size. The correct surface normal is chosen when calculating lighting. The comment character can now be escaped when reading strings from data files (but is disabled when reading raw characters with getc). The new word file mode is useful for reading white space-delimited strings. PostScript output files are now explicitly designated as EPSF in the header line. The minimum width and height of flowchart blocks may now be controlled separately. Interpolation and knot theory modules were added. The usage of path vs. guide in the base files was standardized. Release Notes for Version 1.24 Structures now have implicit initializers. PDF animations are supported in inline tex mode by communicating the texpreamble to LaTeX. The asypreamble environment was removed in favour of corresponding Asymptote commands in the asydef environment. Default y tick values were fixed. The binary space partition now works correctly for projections from infinity; an arbitrary target point can be specified for perspective projections. A 3D version of the intersectionpoints routine was added. Unconditional binary logical operators & and | and bitwise integer functions AND, OR, XOR, and NOT were defined; the array boolean operators && and || were renamed to & and |. The PostScript clipping code was fixed. The angle(rotate(x)) routine now always returns x (mod 360). User debugging errors are now cleared. The fontsize package was updated to use fix-cm.sty instead of type1cm.sty. The Microsoft Windows registry is checked for both GPL and AFPL Ghostscript. A workaround was implemented for a pdflatex vertical offset bug. Segmentation faults in the Delaunay triangulation and image codes were fixed. Release Notes for Version 1.23 Microsoft Windows autoconfiguration has been implemented by querying the registry: Asymptote and the applications it depends on may now be installed in any location. The shipout command is allowed to write to other directories if and only if -global is true. An autoimport configuration setting was added. Importing the Gnu Scientific Library (gsl) now works on all platforms. A texpreamble environment to contain the LaTeX preamble for both LaTeX and Asymptote was added to asymptote.sty. A conflict with the French babel packages was fixed. Background picture sizing in the slide presentation package was fixed. Release Notes for Version 1.22 Problems with loading LaTeX packages and slide presentations were fixed. Non-static variables in every loop iteration are now allocated anew. Formatting under locales with nonperiod decimal separators was fixed, along with logarithmic tick labels near the machine epsilon. Concatenation of nullpaths was fixed. New path markers were added and the perpendicular symbol in the geometry module was improved. The skeleton routines in the solids module were split to provide finer control. Routines to facilitate drawing 3d contours were added. Reading portable XDR binary data into arrays works again; functions for reading and writing also in native binary formats were added. The TeX preamble is no longer output in inline mode. The TeX pipe is now aware of a previously generated aux file. Memory leaks were fixed. An inline limit is now imposed on old compilers to speed up compilation. Setlocale warnings are disabled unless debugging is on. A colorspace command for extracting the colorspace of a pen was added. An Asymptote introductory slide presentation was added and a user-written Asymptote tutorial is now cited in the manual. Release Notes for Version 1.21 Expressions entered at the interactive prompt are automatically evaluated and written to stdout. The routine intersectionpoints returns all intersection points of two paths. Bounding box computations of paths drawn with transformed pen nibs were fixed. Transparency and automatic colorspace promotion are supported when shading and drawing images. A grid3 module for drawing 3D grids and a binary tree module were added. Automatic tick computations were improved: the actual tick value is now passed to the ticklabel formatting routine, even for logarithmic axes. A tickmodifier routine gives users complete control over which of the auto-generated ticks actually get drawn. The contour drawing and filling routines were improved. A --where option makes --listvariables show where global functions and variables are declared. Emacs asy-mode was improved, including function source code lookup. An optional labelpath interface to the PSTricks pstextpath macro was implemented for drawing curved labels along paths. In inline latex usage, picture are no longer scaled by default (use \begin{asy}[\the\linewidth] to recover previous default of scaling to line width). A texcommand option was added to override the tex engine command name. The slide presentation module no longer forces pdflatex; bibliography support was added, figuremattpen was reimplemented, and the spurious vertical shifting of bullets was fixed. Compilation under AIX and IRIX systems is supported. Release Notes for Version 1.20 Explicit yaxis label angles were fixed. Loading and including diagnostics under the -vv option were improved. The Emacs asy-mode now respects TeX-electric-sub-and-superscript. The texpath configuration variable and diagnostics were fixed under MSWindows. Low-resolution palettes now display correctly. A routine to fill cyclic contours was added, along with the example fillcontour.asy. A command-line option to change the current working directory was added. The FAQ was updated. Release Notes for Version 1.19 Bezier surfaces were implemented, along with tensor and Coons patch shading. The cylinder function was changed to be consistent with the cone function. The intersect routine now returns an array of two reals. The unitsize, xunitsize, and yunitsize arguments of shipout have been replaced with a unitsize function. The seconds() function now works portably. Minor bugs in inside() were fixed; a winding number routine was added. The movie bounding box is set to the largest bounding box of all pictures. Portable high-quality embedded PDF movies are now supported, as well as portable external movies. An embedded U3D example was added. Alignment positioning transformation was fixed; a Rotate(pair) and a string(real x) routine was added. Flowchart routines and the labelbox and advection examples now work with pictures as well as frames. An add(picture pic=currentpicture, drawer d) wrapper was added; a picture rescaling bug was fixed. Tex error handling was improved. Optional bounds arguments were added to verbatim postscript and tex commands. Writing to only the local directory is allowed unless the -global (or -unsafe) option is specified. A final backslash continues a line on the interactive prompt; a new multiline option is convenient for cutting and pasting code in interactive mode. Clipping now sets the true size coordinates to 0. Memory usage was reduced. The documentation was updated, including a description of how to produce Debian binaries from RPM binaries. Release Notes for Version 1.18 A pen caching problem and clipping bugs were fixed. Bugs in interactive mode and in linemode string reads were fixed. The picture.scale() routine now guards against division by zero. The drawing of surface meshes was fixed. The minbound and maxbound functions were implemented also for arrays. The labelx, labely, xtick, and ytick routines respect the current graph scaling. The asycolors.sty file was updated to remove the pstricks dependency. The slide package now works with both latex and pdflatex; the colordvi dependency was removed. A nativeformat() function returns "eps" or "pdf", depending on the current tex engine. The pdf() and latex() functions are now visible. The usepackage and minilatex modules check for latex mode. Static variable allocation is now discussed in the FAQ. An image histogram and contour example was added. The diatom example was modified to illustrate interaction of fixed-sized and scaled coordinates. Release Notes for Version 1.17 A workaround for a garbage collection bus error under MacOS X was implemented. A uniform histogram routine was added to the stats module. New frequency binning routines were added. The argument order of the nonuniform frequency binning routines was interchanged for consistency (backwards incompatible). The FAQ was updated. Release Notes for Version 1.16 Inline LaTeX mode was fixed. The legend routine was generalized to allow multiple entries per line; an example was added. The truepoint function was renamed framepoint. A function truepoint that works like point but accounts for fixed-sized objects was added. The picture.calculateTransform function now returns the actual transform used for fitting in the case where only an approximate picture size was available. A 2d frequency binning routine was added to the stats module. A memory leak was fixed. Release Notes for Version 1.15 Graphics label bounds and incorrect path bounds in latticeshade were fixed. The LaTeX color package is now used for the latex and pdflatex engines, to keep them informed of the current color. A unitlength of 1pt is now enforced in inlinetex mode. In cases like 2D graphs where only an approximate picture size estimate is available, the transform is adjusted so that the fitted frame meets the size specification. The cube animation and binary space partition were fixed. The determinant of a singular matrix now returns 0 instead of an error. Temporary pdf files are removed. The gv patches were removed since these are included in the long-awaited gv-3.6.2 release. A workaround for a compilation problem under MacOS X 10.3.9 was implemented. A DIN 15 CAD package and new examples were added. Release Notes for Version 1.14 General affine transforms and clipping may be applied to TeX labels; bugs in label alignment transformation were fixed. The TeX engines latex, pdflatex, tex, and pdftex are supported. Separate xunitsize and yunitsize scalings are allowed. Graph axis bound communication was added to allow axes with ticks and unextended axes to be called on an empty picture. Path labels are drawn after the path (to support UnFill). Filltype definitions were standardized; a Draw filltype was added (for drawing a bounding box around a label). New filloutside routines were added. Images can be drawn for irregular mesh contours and two-dimensional pen arrays. Landscape slides automatically enable PDF autorotate option. A MetaPost buildcycle routine was added. Setlocale errors are ignored. The "Cannot write to venn_.tex" error under Windows XP was fixed. Very old readline libraries found on many MacOS X systems are detected. The editing mode asy-mode.el supports Emacs version 21. The option \usepackage[inline]{asymptote} is now supported under both latex and pdflatex. Release Notes for Version 1.13 Image and contour transposition conventions for matrices were standardized; resolution arguments were removed from the matrix contour routines. The bounding box is now correctly calculated for square pen caps. A bug in drawline was fixed. An up argument was added to the projection routines to specify the camera orientation. The definition and documentation of cone was fixed; surface function signatures were consolidated. New 3d examples were added. Legends and markers are now allowed when drawing superpaths. Zero page alignment no longer suppresses labels; bounding box fuzz was removed. Intelligent interactive auto-completion was added. If scroll is negative, an entire page is scrolled. Support for Adobe Reader annotations was added. Write without data arguments now works like write with data arguments. A list function displays all global functions and variables in a module. The Emacs asy-mode.el was improved. A FAQ was added. Release Notes for Version 1.12 PDF transparency was implemented. The documentation of Bezier curves was improved. Bounding box calculations now account for label scaling. A special case of the Step calculation in graph.asy was fixed. The function scroll(int) was changed to a setting; a quit (q) option was added to the scroll facility. To avoid an unwanted ghostscript window, gswin32c (rather than gswin32) is used by default for producing pdf files under MSDOS. Release Notes for Version 1.11 The defaultformat string is used again for graph tick labelling commands instead of an empty format string. A workaround for the broken libsigsegv-2.3 library that caused a premature exit(1) was implemented. An extra blank line at the end of 3D array writes was removed; 3D array transpose and copy functions were added. The realmult routine was moved to runtime and documented. The example embeddedmovie of embedding movies within PDF files was added. Overflow diagnostic messages during mpeg merges are now suppressed. A twice setting was added to resolve LaTeX references. The settings module is now globally accessible. Duplicate trace messages were pruned. Debugger breakpoints can now be set using a matching substring instead of a line number. Conditional breakpoints are now supported. Runtime errors and interrupts no longer reset the interactive environment. Release Notes for Version 1.10 Parametric surfaces were implemented and parametric graphs now respect picture scaling. Fill and FillDraw now work for markers and superpaths. A bug in reading strings from files was fixed. Support for MikTeX 2.5 and Autoconf > 2.59 was added. Asymptote and output filenames can now contain spaces. Interrupts are working again. A line-based debugger was implemented. Release Notes for Version 1.09 The workaround for the gv-3.6.1 option handling bug now supports earlier versions of gv, including gv-3.5.8. By default, Ghostscript version 8.54 is used by the MSWindows version to produce PDF files. Release Notes for Version 1.08 Resolution problems in the contour routines were fixed; null contour labels are now suppressed. Configuration problems were fixed; the malloc configuration checks were removed and the help command again knows the correct location of the manual. In the slides package, some stepping bugs were fixed, an institution field was added to the titlepage, and vbox support (say for aligned equations) was added. A colorless(pen) function that strips pen color attributes was added. A clean copy of the source files is now shipped. Release Notes for Version 1.07 This release implements uniform and irregular mesh contour drawing algorithms: contours can be individually labelled or filled using a colour density palette. The flowchart interface and alignment were improved. A slope fields package was added. The arrow size limiting code was fixed. Some bugs in makepen were fixed. Image and shading functions now respect the -gray, -rgb, -cmyk, and -bw options. Date arithmetic routines were added. Several small bugs in the graph routines were fixed. Custom three-dimensional projections can now be easily constructed. The public keyword is now the default permission modifer. A new keyword, restricted, makes variables readable but not writeable outside the structure in which they are defined (previous this was the default behaviour). A user-transparent work around for the backwards-incompatible command-line options of gv-3.6.1 was implemented. Various configuration problems were addressed to better support the Asymptote rpm for the Fedora Core Extras project. A cputime() function was added. Release Notes for Version 1.06 General flowchart routines and an example were added. Papersizes other than letter now work with -outformat pdf again. Performance was improved by avoiding unnecessary output flushing. An asycolors.sty package was added to make LaTeX aware of CMYK versions of predefined Asymptote colours. The default pdf viewer for MacOS is now "open". The -u option can now be specified multiple times on the command line. Optional x and y margin arguments were added to Fill. A reverse video option was added to slide.asy; titlepage and title by default call newslide, unless the currentpicture is empty. An argument was added to newslide to allow stepping to be turned off for that slide. The slidedemo example now generates any required eps files. A segmentation fault in eval was fixed. Release Notes for Version 1.05 Shaded and skeletal representations of surfaces of rotation were implemented. New oblique projections were added and bugs in the 3D graph routines were fixed. An argument reversal in one of the add routines was fixed. A clipping margin was added to unfill. General determinants were added. Sin, Cos, Tan, aSin, aCos, and aTan, which use degrees, are now built-in functions. The dash adjustment algorithm was improved. The cubicroots solver now works again when R=0. Internal operations are now added for all variable declarations of new arrays and functions. Automatic viewing can easily be turned off under MSDOS. Nonstandard paper sizes are now correctly handled. The C locale is always used when producing postscript patterns. Configuration problems were fixed. The editor customization files asy.vim and asy-mode.el were moved to the Asymptote system directory. Stepping of slide presentations can now be enabled from the command line. Many new tests were implemented. The examples were moved to the examples subdirectory of the documentation directory. RPM files are now released. Release Notes for Version 1.04 A convenient presentation slide package was developed. The misalignment of TeX and PostScript layers was fixed by giving includegraphics the exact bounding box. The overall bounding box was also fixed. The tension atleast command and the clipping of remote labels by unfill near the frame boundary were fixed. Permission checking for types was added. The new point-like truepoint function uses the actual current picture size. Locale support, the ', I, and F format specifiers, and custom pagewidth and pageheight settings were added. A Ticks specifier draws ticks on both sides of the path; format="%" also suppress tick labels for logarithmic axis. The linetype adjustment to the arclength was improved and can now be optionally disabled. Color names were systematized, including texcolors and x11colors. A general purpose user command-line option accepts arbitrary Asymptote code as a string. All duplicate path points in three.asy are now removed. A convenient fixedscaling picture sizing routine was added. Selected special functions from the GNU scientific library, DESTDIR support, and a Python module to access Asymptote commands were added. The legend skip is now based on the actual legend entry height, not the fontsize. A backwards incompatibility was introduced in attach, add, and legends (add and attach take arguments in the same order as label): attach(point(E),legend(20E),UnFill) -> attach(legend(),point(E),20E,UnFill). Release Notes for Version 1.03 Support was added for compiling under gcc-4.1.0. A memory leak in interactive mode was fixed. A procedure for using CJK fonts was documented. The return type of the three-dimensional intersectionpoint routines was fixed. A function for inverting 2D points projected from 3D back onto a specified plane was added, along with a solid geometry package with routines to draw cylinders. New xaxis(triple,real), min(guide3[]), and max(guide3[]) convenience functions were added. A Degrees function like degrees(pair), except that it returns 0 for a (0,0) argument rather than generating an error, was added. Interactive mode (without command-line editing or history) now works even in the absence of the GNU readline library. An upper limit (100000) on the number of calls to intersectcubics per cubic segment was imposed on the intersection routines. The documentation was updated. Release Notes for Version 1.02 Lighting was implemented for surfaces described by functions and matrices. A bug in the positioning of axis labels was fixed. The type of randMax was fixed. Configuration and diagnostics were improved; the "dir" setting in configuration files is respected. Under MSDOS, the configuration file is now %USERPROFILE%/.asy/config.asy; configuration settings now work as documented. On UNIX systems, installation can optionally be performed without root privileges. Errors thrown by the parser while reading the configuration file are now handled gracefully. The patches to pstoedit were removed since they are now included in pstoedit-3.44. Release Notes for Version 1.01 A bug in the surface plot of a matrix was fixed. A workaround was implemented for the broken GNU readline/history library under MacOS. Release Notes for Version 1.00 A pen bounds error was fixed. A bug in the linear equations solver was fixed. Images now transform properly and nonsquare images appear correctly. The legend argument of draw accepts a Label. An interface to the movie15 package for embedding movies, sounds, and 3D objects within a PDF file was added. A bug where nonsolid pen types were ignored was fixed. Missing xpart, ypart, and zpart functions were re-added. A segmentation fault in format was fixed. An interface to the GNU readline function was added to allow editing of input. A complement function was added. A bug in the 2D graph tick selection routines was fixed; xlimits and ylimits no longer crop data by default. For consistency, the "includegraphics" labeling function was renamed to "graphic". Release Notes for Version 0.99 A bus error and compilation error under MacOS X were fixed. If -debug is set, execution continues after the first error. The "make check" code was fixed. The contributed MacOS X binary site is now mentioned in the documentation. Release Notes for Version 0.98 Command-line options and configuration variables were reorganized into an Asymptote settings module, allowing default values to be set in ~/.asy/config.asy (~/.asy/options is obsolete). Command-line options can be negated by prepending -no to the option name. Type-dependent function and record operators are now added to the parent record. Execution stops after the first error in a runnable. Two- and three-dimensional array min/max functions for all ordered builtin types were implemented. Comments are now allowed within 3d data blocks. The base file plain.asy was split into many subfiles. The currentpen nib is respected. Warning messages are suppressed when shipping out an empty picture. The tick computation was fixed when xaxis and yaxis are called with explicit limits. The -t option was removed as it is no longer needed for generating inline tex files. Machine constants are now implemented as variables rather than functions. Release Notes for Version 0.97 An uninitialized pen transform bug was fixed. A workaround was added for a readline incompatibility under MacOS X 10.4.3. Incorrect and missing names for builtin function arguments were fixed. Duplicate functions were removed. Release Notes for Version 0.96 A MetaPost-style makepen function allows the default pen nib to be changed to any polygonal (possibly nonconvex) cyclic path. A unitsize argument was added to the shipout command. Three-dimensional lighting effects were added and illustrated with the Gouraud shading of a sphere. The MidArrow attribute was fixed. Builtin functions now have named arguments. Brackets are now part of the quote syntax. The write command was generalized to allow writing a list of vectors as columns. Drawing to standard output now works even when there are no labels. The -noView command was replace by -nView or -no View. Several segmentation faults were fixed. Custom axis types were documented. Release Notes for Version 0.95 A memory leak was fixed; garbage collection messages are now suppressed unless the -d option is given. In interactive mode, a reset keyword was implemented to restore the environment, except for the scroll setting. The interactive input command now does an automatic reset. A link was added to the GNU readline library documentation for customizing interactive key bindings. A hang in scroll mode on an end-of-file condition was fixed. To reduce LaTeX memory usage, the scalebox macro is used only where required. A legend problem was fixed. The documentation was updated. Release Notes for Version 0.94 A label bug arising from a conflict between some versions of the LaTeX pstricks and graphicx packages was fixed. Embedded LaTeX files are always run in quiet (-noView) mode. Frame loading issues with imported types (for example, with the triangle SAS constructor in the geometry module) was fixed. The command import graph is now an abbreviation for access graph; unravel graph. Release Notes for Version 0.93 The import scheme was completely redesigned, with new keywords access, unravel, from, and include. A true (rather than emulated) interactive mode and runtime imports have been implemented. The default pdf browser is now acroread; the pdf fuzz workaround for gv was removed. The tension3 and curl3 keywords were re-added; a surface graph routine for matrices was implemented. Problems with csv mode were fixed. The function defaultpen() was renamed to resetdefaultpen(). Integer division via quotient(int,int) is now consistent with the modulo (%) operator. Checks for integer overflow and erf, erfc, and gamma functions were added. More descriptive names latticeshade, axialshade, radialshade, and gouraudshade for the shading routines were chosen. Horizontal and vertical label scaling was implemented. Default command line style-parameters can now be stored in ~/.asy/options. The interactive history file is now ~/.asy/history by default unless -localhistory is specified. Outputting to standard output via "-o -" is now allowed. Release Notes for Version 0.92 Clipping now clips labels and all layers of a picture, not just the most recent one. A bug in precontrol and postcontrol was fixed. A ticklabel bug and precision errors at +/-1e-4 were fixed. An example of a "broken" x axis was added. A dot product now requires explicit pair arguments. The implicit cast from real to pen was removed. Straight flags are now preserved when using a path as part of a guide. An UnFill filltype was added for clipping underneath labels and legends. A struct marker was added to support arbitrary marker locations. Directories are no longer stripped from explicit output filenames. A function inside was implemented to test whether a point is inside a cyclic path. The routines inside, quadratic solver, and intersect in math.asy were replaced by internal C++ routines. A robust real cubic root solver was added. A floating point exception in complex powers when base is zero was fixed. Colinearity checks were added to the leastsquares routine. The interface to plane was changed to return a representation of the plane through point O with normal cross(u,v). The routine intersectionpoint was moved to plain.asy and a 3d version was added to three.asy. We now draw over existing TeX layers when doing 3d hidden surface removal. A 3d aspect ratio can now be specified. A gui() function and MSWindows support for xasy was added; this will require renaming "gui(" to "GUI(" in any existing .gui files. The dir argument of picture.fit() was moved to add(frame,pair) and attach(frame,pair): add(pic.fit(E)) -> add(pic.fit(),E). Release Notes for Version 0.91 Fixed GUI transforms: grouping should not depend on deconstruct flag. Release Notes for Version 0.90 Default function arguments are now evaluated in the scope where the function is defined, not in the scope of the caller. The depth handling of deferred TeX labels was fixed. The positioning of 3d axes labels was improved; an example showing tick and axis label rotation was added. A minimum value of fuzz in the intersect routines is enforced to prevent infinite loops. An error in the man page regarding the -t option was fixed. The write function was generalized to handle an arbitrary number of data values. Release Notes for Version 0.89 The processing of GUI files was fixed. User-specified ticks now work also with logarithmic axes. The arguments of LeftTicks and RightTicks were standardized; it is now possible to include a general string(real) routine to typeset each label. Logarithmic axes ranges of less than a decade are no longer upscaled when autoscaling is disabled. All references to the mailing list were removed from the documentation since the forum is now used in its place. The temporary included PostScript file suffix was renamed from "ps" to "eps". Release Notes for Version 0.88 The graph routines were overhauled to support both two- and three- dimensional axes, partitioning them uniformly in tick value space, not with respect to arclength. An empty format string is treated as defaultformat. A fuzz parameter was added to the intersect routines; these routines now work for points. Data file comments were implemented. The perpendicular routine now uses an alignment argument; scale(pair) was removed. An option was added to asymptote.sty to make all LaTeX symbols visible, along with a second optional string to Label for providing a size estimate for undefined labels. Numerous small bugs were fixed; the pstoedit patch was updated. The installation and instructions were improved. An environment variable for every external command was added. The argument order of the axes routines was standardized; a call like xaxis(min,max,"$x$",red,Bottom,LeftTicks); should now be written xaxis("$x$",Bottom,min,max,red,LeftTicks); Release Notes for Version 0.87 This release implements general hidden surface removal using a binary space partition and adds three-dimensional versions of the standard path functions (arclength, subpath, intersect, etc.), along with circle and arc functions. Hidden surfaces in regular mesh surface plots now are properly handled from any camera location. The arclength rather than the length is used for determining default label position on paths; Relative(real) and Relative(pair) functions were added for labelling paths relative to the total arclength and local path direction. Structure constructors and operators == and != were implemented and documented. The permissions of static functions within structures was fixed. A pen argument to filltype Fill to specify an interior pen distinct from the boundary pen was added. For convenience, array push members now return the pushed element. A missing shift in Label.out(frame) was added. The feynman module was updated to include a new function texshipout; MidArrow was moved to plain.asy. The optional position arguments of BeginArrow and related functions were fixed. A numerically robust quadratic equation solver was added. Release Notes for Version 0.86 Fixed make man problems. Release Notes for Version 0.85 A fully three-dimensional, rotationally invariant, generalization of the two-dimensional MetaPost path construction algorithms has been implemented. A tridiagonal solver was added. Adobe's automatic rotation of PDF files was disabled. Cyclic indices are now allowed only on arrays having the virtual cyclic flag set to true. The bug fix in simplex was generalized. An online help option was added to interactive mode; exit is now a synonym for quit. Microsoft Windows resource fields and an icon were added. ASYMPTOTE_DIR can now be a list of directories. Since some files were moved in this release, Microsoft users may wish to first uninstall the previous release to avoid duplicate files. Release Notes for Version 0.84 This release ports Asymptote to the Microsoft Windows operating system; an executable file is distributed. Label parameters are now in a structure called Label, to which strings are implicitly cast, and which can be rotated and shifted with a transform. Automatic sizing under picture transformation was fixed. A bug in the simplex method was fixed. Lattice and Gouraud shading were added. An array append method, virtual transform components, and transform 6-tuple notation were added. A pen and filltype were added to legend. The 2d graph and palette code were cleaned up. An extend option was added to draw ticks across the graph for producing a grid. Problems with nullguide3 were fixed, the arguments of 3d rotate were swapped, and 3d reflections were added. A spurious papersize comment inserted by newer versions of dvips was removed. Pstoedit support was updated. This release introduces a few minor backward incompatibilities. Here is a summary of the main changes: draw("text",(0,0)--(1,1),1.0) -> draw(Label("text",1.0),(0,0)--(1,1)) label("text",90,(0,0)) -> label(rotate(90)*"text",(0,0)) labeldot("text",(0,0)) -> dot("text",(0,0)) labeldot((0,0)) -> dot(Label,(0,0)) labelbox(2mm,2mm,"text",(0,0)) -> box(Label("text",(0,0)),2mm,2mm) xaxis("$x$",0.5) -> xaxis(Label("$x$",0.5)) labelxtick(1) -> xtick(Label,1) Release Notes for Version 0.83 This release extends Asymptote to three dimensions. A triple type (which replaces the old vector type in math.asy) and a guide3 type were added, along with the 3D projection routines in three.asy. Three-dimensional arrays can now be read in line mode, using blank lines as block delimiters. An array pop function was added. Math mode ($ delimiters) were moved to within the "defaultformat" string, to allow use of non-math mode fonts in tick labels (by overriding the default format). A pticklabel option for drawing tick labels with a different pen was added. Routines labelxtick and labelytick were added, and the tick size and shift in xtick were fixed. The autoscaling of unextended axes was fixed. The xline and yline routines were renamed to xequals and yequals, Dot was renamed to dot, Cross was renamed to cross, the function "Angle(pair)" was renamed to "degrees(pair)", and a "Degrees(pair)" function was added to math.asy. The Metapost --- operator and the replacement :: for the MetaPost ... operator were implemented. A segmentation fault involving controls points with direction specifiers and a bug in "string font(pen)" were fixed. Tensions in straight sections of paths are now handled as in MetaPost. The -l option was reimplemented. Release Notes for Version 0.82 Initializers for structures and general cast operators can be specified. Functions can be called with named (keyword) arguments, in any order. Rest arguments are supported. Size and aspect ratio arguments, which may be specified with "size", were removed from "shipout". The tick routines were standardized; custom tick locations and arrows on axes were implemented. The default frame initializer nullframe was renamed to newframe. A segmentation fault in the file garbage collection code and an optimization-related bug in fill were fixed. Unlike in the C and C++ languages, an assignment in a function argument is now interpreted as an assignment to a parameter of the same name in the function signature, not within the local scope. The command-line option -d may be used to check Asymptote code for cases where a named function argument may be mistaken for a local assignment. Release Notes for Version 0.81 A guide solver bug was fixed, allowing the construction of graphs with a single data point. Compilation under g++-4.0.0 is now supported. Release Notes for Version 0.80 A segmentation fault on the alpha (cxx) and mac platforms was fixed. All members of the picture structure are now deep copied. The latest Boehm garbage collector (version 6.5) is used by default. Release Notes for Version 0.79 Types are now cached to speed up parsing. All outstanding garbage collection issues were addressed. The autoscaling of scaled axes was fixed. Another example of a secondary axis was added to the documentation. A Pythagorean tree example illustrates picture transforms. Release Notes for Version 0.78 A binary search routine was added for sorted arrays. The handling of NAN values was fixed. The "checkaxis" test in graph.asy was improved. A problem with implicit closing of files was fixed. Minor changes were made to support compilation under Cygwin. A workaround for the garbage collection warning about repeated allocation of very large blocks was introduced, along with other miscellaneous garbage collection updates. A configuration option was added to request use of a (slower, multi-theaded) system version of the Boehm garbage collector. Release Notes for Version 0.77 Integer arguments are now converted to real values before dividing and a real quotient is returned. The "quotient(int, int)" function returns the integer part of that result. Garbage collection has been implemented to fix memory leaks. A knot solving bug was fixed. Pen "plabel" vs. "p" issues were addressed. The eval function was renamed to map and the new eval(string) function was documented. The concat function can be used to concatenate two arrays. Complex exponential and logarithmic functions were added. The new function reltime can be used to compute the label position argument for draw. A new geometry module includes a triangle structure and functions to draw interior arcs of triangles and perpendicular symbols. Release Notes for Version 0.76 Installation has been simplified by removing the last remaining dependency on the boost header files. A "plabel" argument was added to "draw" to allow labels and legends to use a different pen than the curve itself. The pen arguments in the axes routines were rearranged to be consistent with "draw". TeX errors in interactive mode and the TeX preamble are now handled properly. New functions "getstring" and "getreal" can get and remember user parameters. Marker frame arrays, a "Mark(int)" function, and "node", "value", and "slope" path computation functions were added. Problems with implicit scaling were addressed. The "without side-effect" warning was removed. An option was added to list all loaded global functions. The documentation of structures was improved. Release Notes for Version 0.75 This release fixes a number of bugs with the new parser controller, including a segmentation fault with the -p option, problems with interactive mode, and problems reading from standard input. The graph module now uses a better default value of axislabelmargin for positioning axis labels. The put argument of the axis routines was moved to the end of the argument list, for consistency with draw. Convenient xline and yline interfaces to the axis routines were added. The definition of the correlation coefficient in the least squares routine was fixed, and a fit function was added to the 'linefit' structure. A linear interpolation (with endpoint extrapolation) and a binary search routine were added to math.asy. Release Notes for Version 0.74 This release fixes a segmentation fault in version 0.73 and also reduces the default number of colors in image palettes to work around PostScript/PDF limitations (that can cause the manual not to print). Release Notes for Version 0.73 A more efficient type-safe union was used to speed up the virtual machine by roughly a factor of 5. New routines "ellipse" and "labelellipse" were added for drawing ovals around frames and labels. The function "bbox(frame)" was renamed "box(frame)". These routines now prepend to the frame for filling with a background color; they also return the boundary as a guide. A workaround was added for a bug in gcc version 3.3 to facilitate compilation under Darwin (MacOS). Many internal coding improvements were made. asymptote-2.62/record.cc0000644000000000000000000000325013607467113013763 0ustar rootroot/***** * record.cc * Tom Prince 2004/07/15 * * The type for records and modules in the language. *****/ #include "record.h" #include "inst.h" #include "runtime.h" #include "coder.h" namespace types { record::record(symbol name, frame *level) : ty(ty_record), name(name), level(level), init(new vm::lambda), e() { assert(init); #ifdef DEBUG_FRAME init->name = "struct "+string(name); #endif } record::~record() {} record *record::newRecord(symbol id, bool statically) { frame *underlevel = getLevel(statically); assert(underlevel); frame *level = new frame(id, underlevel, 0); record *r = new record(id, level); return r; } // Initialize to null by default. trans::access *record::initializer() { static trans::bltinAccess a(run::pushNullRecord); return &a; } dummyRecord::dummyRecord(symbol name) : record(name, new frame(name, 0,0)) { // Encode the instructions to put an placeholder instance of the record // on the stack. trans::coder c(nullPos, this, 0); c.closeRecord(); } dummyRecord::dummyRecord(string s) : record (symbol::trans(s), new frame(s,0,0)) { // Encode the instructions to put an placeholder instance of the record // on the stack. trans::coder c(nullPos, this, 0); c.closeRecord(); } void dummyRecord::add(string name, ty *t, trans::access *a, trans::permission perm) { e.addVar(symbol::trans(name), new trans::varEntry(t, a, perm, this, this, position())); } void dummyRecord::add(string name, function *t, vm::bltin f, trans::permission perm) { REGISTER_BLTIN(f, name); add(name, t, new trans::bltinAccess(f), perm); } } // namespace types asymptote-2.62/lexical.h0000644000000000000000000000053113607467113013767 0ustar rootroot#ifndef __lexical_h__ #define __lexical_h__ 1 #include #include "common.h" namespace lexical { class bad_cast {}; template T cast(const string& s, bool tolerant=false) { istringstream is(s); T value; if(is && is >> value && ((is >> std::ws).eof() || tolerant)) return value; throw bad_cast(); } } #endif asymptote-2.62/GUI/0000755000000000000000000000000013607467360012626 5ustar rootrootasymptote-2.62/GUI/Widg_addPolyOpt.py0000644000000000000000000000156313607467113016232 0ustar rootroot#!/usr/bin/env python3 from pyUIClass.widg_addPolyOpt import Ui_Form import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import sys class Widg_addPolyOpt(Qw.QWidget): def __init__(self, info): super().__init__() self.ui = Ui_Form() self.info = info self.ui.setupUi(self) self.setFixedSize(self.size()) self.ui.chkInscribed.setChecked(self.info['inscribed']) self.ui.txtSides.setText(str(self.info['sides'])) self.ui.txtSides.setValidator(Qg.QIntValidator()) self.ui.chkInscribed.stateChanged.connect(self.chkInscribedUpdate) self.ui.txtSides.textChanged.connect(self.txtSidesUpdate) def chkInscribedUpdate(self, checked): self.info['inscribed'] = checked def txtSidesUpdate(self, text): if text: self.info['sides'] = int(text) asymptote-2.62/GUI/windows/0000755000000000000000000000000013607467113014314 5ustar rootrootasymptote-2.62/GUI/windows/widgetPointEditor.ui0000644000000000000000000001010613607467113020315 0ustar rootroot Form 0 0 324 67 Form 0 0 Left Control Point false X false X false X false false Y false 0 0 :/icons/android-locate.svg:/icons/android-locate.svg true false false 0 0 :/icons/android-radio-button-off.svg:/icons/android-radio-button-off.svg true false 0 0 :/icons/edit.svg:/icons/edit.svg true false asymptote-2.62/GUI/windows/setCustomAnchor.ui0000644000000000000000000000510713607467113017777 0ustar rootroot Dialog 0 0 245 161 Set Custom Anchor 20 20 201 121 QFormLayout::AllNonFixedFieldsGrow X: 0 Y: 0 Qt::Horizontal QDialogButtonBox::Cancel|QDialogButtonBox::Ok|QDialogButtonBox::Reset buttonBox accepted() Dialog accept() 248 254 157 274 buttonBox rejected() Dialog reject() 316 260 286 274 asymptote-2.62/GUI/windows/widg_editBezier.ui0000644000000000000000000001057213607467113017760 0ustar rootroot Form Qt::NonModal 0 0 692 35 0 0 0 35 16777215 35 Form 0 0 0 0 0 0 0 1 No Lock Lock Angle Lock Angle & Scale Qt::Horizontal 40 20 0 0 Recompute Path Recompute Once 0 0 25 25 :/icons/check.svg:/icons/check.svg true 0 0 25 25 :/icons/close-round.svg:/icons/close-round.svg true asymptote-2.62/GUI/windows/labelTextEditor.ui0000644000000000000000000001463013607467113017752 0ustar rootroot Dialog 0 0 473 424 Dialog QFrame::StyledPanel QFrame::Raised 0 Qt::Horizontal 40 20 Math Mode false 0 0 100 0 Inline Style Display Style Script Style 0 Preview 0 100 QFrame::Box Qt::Horizontal 40 20 32 32 :/icons/text.svg:/icons/text.svg true 32 32 :/icons/eye.svg:/icons/eye.svg true 32 32 :/icons/android-close.svg:/icons/android-close.svg true 32 32 :/icons/android-done.svg:/icons/android-done.svg true asymptote-2.62/GUI/windows/custMatTransform.ui0000644000000000000000000002403713607467113020175 0ustar rootroot Dialog 0 0 500 320 0 0 500 320 500 320 false Set Custom Transformation :/icons/android-expand.svg:/icons/android-expand.svg true false 20 20 461 271 0 0 0 0 4 0 0 Transformation Matrix QFrame::Box 70 16777215 1 70 16777215 1 70 16777215 0 70 16777215 0 Qt::Horizontal 40 20 0 0 Translation QFrame::Box 70 16777215 0 70 16777215 0 Qt::Horizontal 40 20 Preview: 0 0 150 150 300 300 Shows a red square if transformation determinant is negative. QFrame::Box Anchor: Top Left Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter Coordinates: Global Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter Qt::Vertical 20 40 Qt::Horizontal 40 20 Reset Cancel Accept asymptote-2.62/GUI/windows/widg_addLabel.ui0000644000000000000000000001536013607467113017362 0ustar rootroot Form Qt::NonModal 0 0 599 35 0 0 0 35 16777215 35 Form 0 0 0 0 0 Number of Sides Text 25 25 :/icons/edit.svg:/icons/edit.svg true Align Center N E W S NW NE SW SE Custom Font Size 0 0 true - 8 9 10 11 12 14 18 24 48 72 Custom Align 0 0 50 16777215 Shift X 0 0 50 16777215 Shift Y Qt::Horizontal 40 20 asymptote-2.62/GUI/windows/window1.ui0000644000000000000000000022347013607467113016253 0ustar rootroot MainWindow 0 0 1000 600 xasy 0 0 true 0 0 0 0 0 0 0 true 4 2 2 2 2 0 0 QFrame::NoFrame 4 QLayout::SetMinimumSize 0 0 0 0 false 0 0 25 25 32 32 Undo :/icons/android-arrow-back.svg:/icons/android-arrow-back.svg 16 16 true false 0 0 25 25 32 32 Redo :/icons/android-arrow-forward.svg:/icons/android-arrow-forward.svg 16 16 true 0 0 25 25 32 32 <html><head/><body><p>Open file</p></body></html> :/icons/android-folder-open.svg:/icons/android-folder-open.svg 16 16 true 0 0 25 25 32 32 <html><head/><body><p>Save file</p></body></html> :/icons/save.svg:/icons/save.svg 16 16 true 0 0 24 24 20 20 <html><head/><body><p>Edit code</p></body></html> :/icons/code.svg:/icons/code.svg 16 16 true 0 0 25 25 32 32 <html><head/><body><p>Screenshot</p></body></html> :/icons/android-camera.svg:/icons/android-camera.svg 16 16 true Qt::Horizontal QSizePolicy::Minimum 20 20 0 0 25 25 32 32 Roboto 75 true <html><head/><body><p>Toggle display axes</p></body></html> :/icons/plus-round.svg:/icons/plus-round.svg 16 16 true true true 0 0 25 25 32 32 Roboto 75 true <html><head/><body><p>Toggle grid</p></body></html> :/icons/grid.svg:/icons/grid.svg 16 16 true false true 0 0 25 25 32 32 Zoom :/icons/magnifying-glass.svg:/icons/magnifying-glass.svg 16 16 true 0 0 25 25 32 32 <html><head/><body><p>Center</p></body></html> :/icons/center.svg:/icons/center.svg 16 16 true 0 0 25 25 32 32 <html><head/><body><p>Center about origin</p></body></html> :/icons/centerorigin.svg:/icons/centerorigin.svg 16 16 true 0 0 25 25 32 32 Roboto 75 true <html><head/><body><p>Lock transform to X axis</p></body></html> X 16 16 true true 0 0 25 25 32 32 75 true <html><head/><body><p>Lock transform to Y axis</p></body></html> Y 16 16 true true Qt::Horizontal QSizePolicy::Minimum 20 20 true 0 0 25 25 <html><head/><body><p>Bézier editor</p></body></html> :/icons/edit.svg:/icons/edit.svg 16 16 true true 0 0 25 25 32 32 <html><head/><body><p>Delete</p></body></html> :/icons/android-delete.svg:/icons/android-delete.svg 16 16 false true Qt::Horizontal QSizePolicy::Minimum 20 20 0 0 25 25 32 32 Pan :/icons/android-hand.svg:/icons/android-hand.svg 16 16 true true 0 0 25 25 32 32 Translate :/icons/arrow-move.svg:/icons/arrow-move.svg 16 16 true true true 0 0 25 25 32 32 Scale :/icons/arrow-resize.svg:/icons/arrow-resize.svg 16 16 true true 0 0 25 25 32 32 Rotate :/icons/android-refresh.svg:/icons/android-refresh.svg 16 16 true true Qt::Horizontal QSizePolicy::Minimum 20 20 0 0 25 25 32 32 <html><head/><body><p>Set custom anchor</p></body></html> :/icons/anchor.svg:/icons/anchor.svg 16 16 true false true 0 0 127 0 127 25 <html><head/><body><p>Anchor</p></body></html> Qt::LeftToRight false Center 0 QComboBox::InsertAtCurrent QComboBox::AdjustToContentsOnFirstShow 0 0 false false 0 Center Origin Top Left Top Right Bottom Right Bottom Left Custom false 0 0 25 25 32 32 :/icons/eye.svg:/icons/eye.svg 16 16 false true 0 0 25 25 32 32 <html><head/><body><p><br/></p></body></html> :/icons/android-expand.svg:/icons/android-expand.svg 16 16 true false 0 0 25 25 32 32 <html><head/><body><p><br/></p></body></html> :/icons/chevron-with-circle-left.svg:/icons/chevron-with-circle-left.svg 16 16 true false 0 0 25 25 32 32 Translate :/icons/chevron-with-circle-right.svg:/icons/chevron-with-circle-right.svg 16 16 true Qt::Horizontal QSizePolicy::Fixed 40 25 btnUndo btnRedo btnLoadFile btnSave btnViewCode btnQuickScreenshot btnDrawAxes btnDrawGrid btnSetZoom btnPanCenter btnResetPan btnAlignX btnAlignY btnPan btnTranslate btnScale btnCustTransform btnSendBackwards btnSendForwards comboAnchor btnToggleVisible btnAnchor btnRotate btnSelectEdit btnDeleteMode horizontalSpacer_4 horizontalSpacer_5 horizontalSpacer_6 4 3 6 QLayout::SetDefaultConstraint 6 0 0 0 32 32 32 32 <html><head/><body><p>Toggle fill/outline</p></body></html> false :/icons/bucket.svg :/icons/filledbucket.svg:/icons/bucket.svg 16 16 true false true Qt::Horizontal QSizePolicy::MinimumExpanding 40 35 Line Width: 0 0 75 16777215 <html><head/><body><p>Current pen width</p></body></html> 0 0 15 15 <html><head/><body><p>Current pen color</p></body></html> false QFrame{ padding: 4.0; border-radius: 3.0; background: rgb(0, 0, 0) } QFrame::StyledPanel QFrame::Sunken 0 0 25 25 32 32 <html><head/><body><p>Set color</p></body></html> false :/icons/android-color-palette.svg:/icons/android-color-palette.svg 16 16 false true 6 0 0 QFrame::NoFrame QFrame::Plain 0 0 0 0 0 0 0 true 0 0 32 32 <html><head/><body><p>Open polygon</p></body></html> :/icons/openpolygon.svg:/icons/openpolygon.svg 16 16 true true 0 0 32 32 <html><head/><body><p>Closed polygon</p></body></html> :/icons/closedpolygon.svg:/icons/closedpolygon.svg 16 16 true true 0 0 32 32 <html><head/><body><p>Open Bézier curve</p></body></html> :/icons/opencurve.svg:/icons/opencurve.svg 16 16 true true 0 0 32 32 <html><head/><body><p>Closed Bézier curve</p></body></html> :/icons/closedcurve.svg:/icons/closedcurve.svg 16 16 true true 0 0 32 32 <html><head/><body><p>Regular polygon</p></body></html> :/icons/triangle-stroked-15.svg:/icons/triangle-stroked-15.svg 16 16 true true 0 0 32 32 <html><head/><body><p>Circle</p></body></html> :/icons/circle.svg:/icons/circle.svg 16 16 true true 0 0 32 32 <html><head/><body><p>Text</p></body></html> :/icons/text.svg:/icons/text.svg 16 16 true 0 6 true QFrame::NoFrame QFrame::Raised 0 0 0 0 0 0 0 true QFrame::Panel Qt::AlignLeading|Qt::AlignLeft|Qt::AlignTop 0 QLayout::SetDefaultConstraint 0 true 0 0 :/icons/social-python.svg:/icons/social-python.svg 16 16 true true 0 0 true 0 0 :/icons/subdirectory-left.svg:/icons/subdirectory-left.svg 16 16 true 0 0 1000 29 &File &Edit Optio&ns &Help &Tools false &About &Manual &Settings Pause &Save As &Enter Command &Quit false &Undo false &Redo &Show Grid Show &Local Grid &Transform Export Save Open 10 10 true true true asymptote-2.62/GUI/windows/widg_addPolyOpt.ui0000644000000000000000000000414413607467113017747 0ustar rootroot Form Qt::NonModal 0 0 326 35 0 0 0 35 16777215 35 Form 0 0 0 0 0 Start at Vertex Number of Sides Sides Qt::Horizontal 40 20 asymptote-2.62/GUI/Window1.py0000644000000000000000000021575713607467113014545 0ustar rootroot#!/usr/bin/env python3 from pyUIClass.window1 import Ui_MainWindow import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import xasyVersion import numpy as np import os import json import io import pathlib import webbrowser import subprocess import tempfile import datetime import string import atexit import xasyUtils as xu import xasy2asy as x2a import xasyFile as xf import xasyOptions as xo import UndoRedoStack as Urs import xasyArgs as xa import xasyBezierInterface as xbi from xasyTransform import xasyTransform as xT import xasyStrings as xs import PrimitiveShape import InplaceAddObj import CustMatTransform import SetCustomAnchor import GuidesManager class ActionChanges: pass # State Invariance: When ActionChanges is at the top, all state of the program & file # is exactly like what it was the event right after that ActionChanges was created. class TransformationChanges(ActionChanges): def __init__(self, objIndex, transformation, isLocal=False): self.objIndex = objIndex self.transformation = transformation self.isLocal = isLocal class ObjCreationChanges(ActionChanges): def __init__(self, obj): self.object = obj class HardDeletionChanges(ActionChanges): def __init__(self, obj, pos): self.item = obj self.objIndex = pos class AnchorMode: center = 0 origin = 1 topLeft = 2 topRight = 3 bottomRight = 4 bottomLeft = 5 customAnchor = 6 class GridMode: cartesian = 0 polar = 1 class SelectionMode: select = 0 pan = 1 translate = 2 rotate = 3 scale = 4 delete = 5 setAnchor = 6 selectEdit = 7 class AddObjectMode: Circle = 0 Arc = 1 Polygon = 2 class MainWindow1(Qw.QMainWindow): defaultFrameStyle = """ QFrame{{ padding: 4.0; border-radius: 3.0; background: rgb({0}, {1}, {2}) }} """ def __init__(self): super().__init__() self.ui = Ui_MainWindow() global devicePixelRatio devicePixelRatio=self.devicePixelRatio() self.ui.setupUi(self) self.ui.menubar.setNativeMenuBar(False) self.settings = xo.BasicConfigs.defaultOpt self.keyMaps = xo.BasicConfigs.keymaps self.raw_args = Qc.QCoreApplication.arguments() self.args = xa.parseArgs(self.raw_args) self.strings = xs.xasyString(self.args.language) self.asy2psmap = x2a.identity() if self.settings['asyBaseLocation'] is not None: os.environ['ASYMPTOTE_DIR'] = self.settings['asyBaseLocation'] if self.args.asypath is not None: asyPath = self.args.asypath else: asyPath = self.settings['asyPath'] self.asyPath = asyPath self.asyEngine = x2a.AsymptoteEngine(self.asyPath) try: self.asyEngine.start() finally: atexit.register(self.asyEngine.cleanup) # For initialization purposes self.canvSize = Qc.QSize() self.filename = None self.currDir = None self.mainCanvas = None self.dpi = 300 self.canvasPixmap = None self.tx=0 self.ty=0 # Actions # Connecting Actions self.ui.txtLineWidth.setValidator(Qg.QDoubleValidator()) self.connectActions() self.connectButtons() self.ui.txtLineWidth.returnPressed.connect(self.btnTerminalCommandOnClick) # # Base Transformations self.mainTransformation = Qg.QTransform() self.mainTransformation.scale(1, 1) self.localTransform = Qg.QTransform() self.screenTransformation = Qg.QTransform() self.panTranslation = Qg.QTransform() # Internal Settings self.magnification = self.args.mag self.inMidTransformation = False self.addMode = None self.currentlySelectedObj = {'key': None, 'allSameKey': set(), 'selectedIndex': None, 'keyIndex': None} self.pendingSelectedObjList = [] self.pendingSelectedObjIndex = -1 self.savedMousePosition = None self.currentBoundingBox = None self.selectionDelta = None self.newTransform = None self.origBboxTransform = None self.deltaAngle = 0 self.scaleFactor = 1 self.panOffset = [0, 0] super().setMouseTracking(True) # setMouseTracking(True) self.undoRedoStack = Urs.actionStack() self.lockX = False self.lockY = False self.anchorMode = AnchorMode.center self.currentAnchor = Qc.QPointF(0, 0) self.customAnchor = None self.useGlobalCoords = True self.drawAxes = True self.drawGrid = False self.gridSnap = False # TODO: for now. turn it on later self.fileChanged = False self.terminalPythonMode = self.ui.btnTogglePython.isChecked() self.savedWindowMousePos = None self.finalPixmap = None self.postCanvasPixmap = None self.previewCurve = None self.mouseDown = False self.globalObjectCounter = 0 self.fileItems = [] self.drawObjects = [] self.xasyDrawObj = {'drawDict': self.drawObjects} self.modeButtons = { self.ui.btnTranslate, self.ui.btnRotate, self.ui.btnScale, # self.ui.btnSelect, self.ui.btnPan, self.ui.btnDeleteMode, self.ui.btnAnchor, self.ui.btnSelectEdit } self.objButtons = {self.ui.btnCustTransform, self.ui.actionTransform, self.ui.btnSendForwards, self.ui.btnSendBackwards, self.ui.btnToggleVisible } self.globalTransformOnlyButtons = (self.ui.comboAnchor, self.ui.btnAnchor) self.ui.txtTerminalPrompt.setFont(Qg.QFont(self.settings['terminalFont'])) self.currAddOptionsWgt = None self.currAddOptions = { 'options': self.settings, 'inscribed': True, 'sides': 3, 'centermode': True, 'fontSize': None, 'asyengine': self.asyEngine, 'fill': self.ui.btnFill.isChecked(), 'closedPath': False, 'useBezier': True, 'magnification': self.magnification, 'editBezierlockMode': xbi.Web.LockMode.angleLock, 'autoRecompute': False } self.currentModeStack = [SelectionMode.translate] self.drawGridMode = GridMode.cartesian self.setAllInSetEnabled(self.objButtons, False) self._currentPen = x2a.asyPen() self.currentGuides = [] self.selectAsGroup = self.settings['groupObjDefault'] # commands switchboard self.commandsFunc = { 'quit': Qc.QCoreApplication.quit, 'undo': self.btnUndoOnClick, 'redo': self.btnRedoOnClick, 'manual': self.actionManual, 'about': self.actionAbout, 'loadFile': self.btnLoadFileonClick, 'save': self.actionSave, 'saveAs': self.actionSaveAs, 'transform': self.btnCustTransformOnClick, 'commandPalette': self.enterCustomCommand, 'clearGuide': self.clearGuides, 'finalizeAddObj': self.finalizeAddObj, 'finalizeCurve': self.finalizeCurve, 'finalizeCurveClosed': self.finalizeCurveClosed, 'setMag': self.setMagPrompt, 'deleteObject': self.btnSelectiveDeleteOnClick, 'anchorMode': self.switchToAnchorMode, 'moveUp': lambda: self.translate(0, -1), 'moveDown': lambda: self.translate(0, 1), 'moveLeft': lambda: self.translate(-1, 0), 'moveRight': lambda: self.translate(1, 0), 'scrollLeft': lambda: self.arrowButtons(-1, 0, True), 'scrollRight': lambda: self.arrowButtons(1, 0, True), 'scrollUp': lambda: self.arrowButtons(0, 1, True), 'scrollDown': lambda: self.arrowButtons(0, -1, True), 'zoomIn': lambda: self.arrowButtons(0, 1, False, True), 'zoomOut': lambda: self.arrowButtons(0, -1, False, True) } self.hiddenKeys = set() # Coordinates Label self.coordLabel = Qw.QLabel(self.ui.statusbar) self.ui.statusbar.addPermanentWidget(self.coordLabel) # Settings Initialization # from xasyoptions config file self.loadKeyMaps() self.setupXasyOptions() self.colorDialog = Qw.QColorDialog(x2a.asyPen.convertToQColor(self._currentPen.color), self) self.initPenInterface() def arrowButtons(self, x:int , y:int, shift: bool=False, ctrl: bool=False): "x, y indicates update button orientation on the cartesian plane." if not (shift or ctrl): self.changeSelection(y) elif not (shift and ctrl): self.mouseWheel(30*x, 30*y) self.quickUpdate() def translate(self, x:int , y:int): "x, y indicates update button orientation on the cartesian plane." if self.lockX: x = 0 if self.lockY: y = 0 self.tx += x self.ty += y self.newTransform=Qg.QTransform.fromTranslate(self.tx,self.ty) self.quickUpdate() def cleanup(self): self.asyengine.cleanup() def getScrsTransform(self): # pipeline: # assuming origin <==> top left # (Pan) * (Translate) * (Flip the images) * (Zoom) * (Obj transform) * (Base Information) # pipeline --> let x, y be the postscript point # p = (mx + cx + panoffset, -ny + cy + panoffset) factor=0.5/devicePixelRatio; cx, cy = self.canvSize.width()*factor, self.canvSize.height()*factor newTransf = Qg.QTransform() newTransf.translate(*self.panOffset) newTransf.translate(cx, cy) newTransf.scale(1, 1) newTransf.scale(self.magnification, self.magnification) return newTransf def finalizeCurve(self): if self.addMode is not None: if self.addMode.active and isinstance(self.addMode, InplaceAddObj.AddBezierShape): self.addMode.forceFinalize() self.fileChanged = True def finalizeCurveClosed(self): if self.addMode is not None: if self.addMode.active and isinstance(self.addMode, InplaceAddObj.AddBezierShape): self.addMode.finalizeClosure() self.fileChanged = True def getAllBoundingBox(self) -> Qc.QRectF: newRect = Qc.QRectF() for majitem in self.drawObjects: for minitem in majitem: newRect = newRect.united(minitem.boundingBox) return newRect def finalizeAddObj(self): if self.addMode is not None: if self.addMode.active: self.addMode.forceFinalize() self.fileChanged = True def openAndReloadSettings(self): settingsFile = self.settings.settingsFileLocation() subprocess.run(args=self.getExternalEditor(asypath=settingsFile)) self.settings.load() self.quickUpdate() def setMagPrompt(self): commandText, result = Qw.QInputDialog.getText(self, '', 'Enter magnification:') if result: self.magnification = float(commandText) self.currAddOptions['magnification'] = self.magnification self.quickUpdate() def btnTogglePythonOnClick(self, checked): self.terminalPythonMode = checked def internationalize(self): self.ui.btnRotate.setToolTip(self.strings.rotate) def handleArguments(self): if self.args.filename is not None: self.loadFile(self.args.filename) else: self.initializeEmptyFile() if self.args.language != 'en': self.internationalize() def initPenInterface(self): self.ui.txtLineWidth.setText(str(self._currentPen.width)) self.updateFrameDispColor() def updateFrameDispColor(self): r, g, b = [int(x * 255) for x in self._currentPen.color] self.ui.frameCurrColor.setStyleSheet(MainWindow1.defaultFrameStyle.format(r, g, b)) def initDebug(self): debugFunc = { } self.commandsFunc = {**self.commandsFunc, **debugFunc} def dbgRecomputeCtrl(self): if isinstance(self.addMode, xbi.InteractiveBezierEditor): self.addMode.recalculateCtrls() self.quickUpdate() def objectUpdated(self): self.removeAddMode() self.clearSelection() self.asyfyCanvas() def connectActions(self): self.ui.actionQuit.triggered.connect(lambda: self.execCustomCommand('quit')) self.ui.actionUndo.triggered.connect(lambda: self.execCustomCommand('undo')) self.ui.actionRedo.triggered.connect(lambda: self.execCustomCommand('redo')) self.ui.actionTransform.triggered.connect(lambda: self.execCustomCommand('transform')) self.ui.actionOpen.triggered.connect(self.actionOpen) self.ui.actionSave.triggered.connect(self.actionSave) self.ui.actionSaveAs.triggered.connect(self.actionSaveAs) self.ui.actionManual.triggered.connect(self.actionManual) self.ui.actionAbout.triggered.connect(self.actionAbout) self.ui.actionSettings.triggered.connect(self.openAndReloadSettings) self.ui.actionEnterCommand.triggered.connect(self.enterCustomCommand) self.ui.actionExportAsymptote.triggered.connect(self.btnExportAsyOnClick) def setupXasyOptions(self): if self.settings['debugMode']: self.initDebug() newColor = Qg.QColor(self.settings['defaultPenColor']) newWidth = self.settings['defaultPenWidth'] self._currentPen.setColorFromQColor(newColor) self._currentPen.setWidth(newWidth) def connectButtons(self): # Button initialization self.ui.btnUndo.clicked.connect(self.btnUndoOnClick) self.ui.btnRedo.clicked.connect(self.btnRedoOnClick) self.ui.btnLoadFile.clicked.connect(self.btnLoadFileonClick) self.ui.btnSave.clicked.connect(self.btnSaveonClick) self.ui.btnQuickScreenshot.clicked.connect(self.btnQuickScreenshotOnClick) # self.ui.btnExportAsy.clicked.connect(self.btnExportAsyOnClick) self.ui.btnDrawAxes.clicked.connect(self.btnDrawAxesOnClick) # self.ui.btnAsyfy.clicked.connect(lambda: self.asyfyCanvas(True)) self.ui.btnSetZoom.clicked.connect(self.setMagPrompt) self.ui.btnResetPan.clicked.connect(self.resetPan) self.ui.btnPanCenter.clicked.connect(self.btnPanCenterOnClick) self.ui.btnTranslate.clicked.connect(self.btnTranslateonClick) self.ui.btnRotate.clicked.connect(self.btnRotateOnClick) self.ui.btnScale.clicked.connect(self.btnScaleOnClick) # self.ui.btnSelect.clicked.connect(self.btnSelectOnClick) self.ui.btnPan.clicked.connect(self.btnPanOnClick) # self.ui.btnDebug.clicked.connect(self.pauseBtnOnClick) self.ui.btnAlignX.clicked.connect(self.btnAlignXOnClick) self.ui.btnAlignY.clicked.connect(self.btnAlignYOnClick) self.ui.comboAnchor.currentIndexChanged.connect(self.handleAnchorComboIndex) self.ui.btnCustTransform.clicked.connect(self.btnCustTransformOnClick) self.ui.btnViewCode.clicked.connect(self.btnLoadEditorOnClick) self.ui.btnAnchor.clicked.connect(self.btnAnchorModeOnClick) self.ui.btnSelectColor.clicked.connect(self.btnColorSelectOnClick) self.ui.txtLineWidth.textEdited.connect(self.txtLineWithEdited) # self.ui.btnCreateCurve.clicked.connect(self.btnCreateCurveOnClick) self.ui.btnDrawGrid.clicked.connect(self.btnDrawGridOnClick) self.ui.btnAddCircle.clicked.connect(self.btnAddCircleOnClick) self.ui.btnAddPoly.clicked.connect(self.btnAddPolyOnClick) self.ui.btnAddLabel.clicked.connect(self.btnAddLabelOnClick) # self.ui.btnAddBezierInplace.clicked.connect(self.btnAddBezierInplaceOnClick) self.ui.btnClosedCurve.clicked.connect(self.btnAddClosedCurveOnClick) self.ui.btnOpenCurve.clicked.connect(self.btnAddOpenCurveOnClick) self.ui.btnClosedPoly.clicked.connect(self.btnAddClosedLineOnClick) self.ui.btnOpenPoly.clicked.connect(self.btnAddOpenLineOnClick) self.ui.btnFill.clicked.connect(self.btnFillOnClick) self.ui.btnSendBackwards.clicked.connect(self.btnSendBackwardsOnClick) self.ui.btnSendForwards.clicked.connect(self.btnSendForwardsOnClick) # self.ui.btnDelete.clicked.connect(self.btnSelectiveDeleteOnClick) self.ui.btnDeleteMode.clicked.connect(self.btnDeleteModeOnClick) # self.ui.btnSoftDelete.clicked.connect(self.btnSoftDeleteOnClick) self.ui.btnToggleVisible.clicked.connect(self.btnSetVisibilityOnClick) self.ui.btnEnterCommand.clicked.connect(self.btnTerminalCommandOnClick) self.ui.btnTogglePython.clicked.connect(self.btnTogglePythonOnClick) self.ui.btnSelectEdit.clicked.connect(self.btnSelectEditOnClick) def btnDeleteModeOnClick(self): self.currentModeStack = [SelectionMode.delete] self.ui.statusbar.showMessage('Delete Mode') self.clearSelection() self.updateChecks() def btnTerminalCommandOnClick(self): if self.terminalPythonMode: exec(self.ui.txtTerminalPrompt.text()) self.fileChanged = True else: pass # TODO: How to handle this case? # Like AutoCAD? self.ui.txtTerminalPrompt.clear() def btnFillOnClick(self, checked): self.currAddOptions['fill'] = checked self.ui.btnOpenCurve.setEnabled(not checked) self.ui.btnOpenPoly.setEnabled(not checked) def btnSelectEditOnClick(self): self.ui.statusbar.showMessage('Edit mode') self.currentModeStack = [SelectionMode.selectEdit] self.updateChecks() @property def currentPen(self): return x2a.asyPen.fromAsyPen(self._currentPen) pass def debug(self): print('Put a breakpoint here.') def execPythonCmd(self): commandText, result = Qw.QInputDialog.getText(self, '', 'enter python cmd') if result: exec(commandText) def deleteAddOptions(self): if self.currAddOptionsWgt is not None: self.currAddOptionsWgt.hide() self.ui.addOptionLayout.removeWidget(self.currAddOptionsWgt) self.currAddOptionsWgt = None def updateOptionWidget(self): try: self.addMode.objectCreated.disconnect() except Exception: pass self.currentModeStack[-1] = None self.addMode.objectCreated.connect(self.addInPlace) self.updateModeBtnsOnly() self.deleteAddOptions() self.currAddOptionsWgt = self.addMode.createOptWidget(self.currAddOptions) if self.currAddOptionsWgt is not None: self.ui.addOptionLayout.addWidget(self.currAddOptionsWgt) def addInPlace(self, obj): obj.asyengine = self.asyEngine obj.pen = self.currentPen obj.onCanvas = self.xasyDrawObj obj.setKey(str(self.globalObjectCounter)) self.globalObjectCounter = self.globalObjectCounter + 1 self.fileItems.append(obj) self.fileChanged = True self.addObjCreationUrs(obj) self.asyfyCanvas() def addObjCreationUrs(self, obj): newAction = self.createAction(ObjCreationChanges(obj)) self.undoRedoStack.add(newAction) self.checkUndoRedoButtons() def clearGuides(self): self.currentGuides.clear() self.quickUpdate() def btnAddCircleOnClick(self): self.addMode = InplaceAddObj.AddCircle(self) self.ui.statusbar.showMessage('') self.updateOptionWidget() LegacyHint='Click and drag to draw; right click or space bar to finalize' Hint='Click and drag to draw; release and click in place to add node; continue dragging' HintClose=' or c to close.' def drawHint(self): if self.settings['useLegacyDrawMode']: self.ui.statusbar.showMessage(self.LegacyHint+'.') else: self.ui.statusbar.showMessage(self.Hint+'.') def drawHintOpen(self): if self.settings['useLegacyDrawMode']: self.ui.statusbar.showMessage(self.LegacyHint+self.HintClose) else: self.ui.statusbar.showMessage(self.Hint+self.HintClose) def btnAddBezierInplaceOnClick(self): self.addMode = InplaceAddObj.AddBezierShape(self) self.updateOptionWidget() def btnAddOpenLineOnClick(self): self.currAddOptions['useBezier'] = False self.currAddOptions['closedPath'] = False self.drawHintOpen() self.btnAddBezierInplaceOnClick() def btnAddClosedLineOnClick(self): self.currAddOptions['useBezier'] = False self.currAddOptions['closedPath'] = True self.drawHint() self.btnAddBezierInplaceOnClick() def btnAddOpenCurveOnClick(self): self.currAddOptions['useBezier'] = True self.currAddOptions['closedPath'] = False self.drawHintOpen() self.btnAddBezierInplaceOnClick() def btnAddClosedCurveOnClick(self): self.currAddOptions['useBezier'] = True self.currAddOptions['closedPath'] = True self.drawHint() self.btnAddBezierInplaceOnClick() def btnAddPolyOnClick(self): self.addMode = InplaceAddObj.AddPoly(self) self.ui.statusbar.showMessage('') self.updateOptionWidget() def btnAddLabelOnClick(self): self.addMode = InplaceAddObj.AddLabel(self) self.ui.statusbar.showMessage('') self.updateOptionWidget() def updateCurve(self, valid, newCurve): self.previewCurve = newCurve self.quickUpdate() def addTransformationChanges(self, objIndex, transform, isLocal=False): self.undoRedoStack.add(self.createAction(TransformationChanges(objIndex, transform, isLocal))) self.checkUndoRedoButtons() def btnSendForwardsOnClick(self): if self.currentlySelectedObj['selectedIndex'] is not None: maj, minor = self.currentlySelectedObj['selectedIndex'] selectedObj = self.drawObjects[maj][minor] index = self.fileItems.index(selectedObj.parent()) self.clearSelection() if index == len(self.fileItems) - 1: return else: self.fileItems[index], self.fileItems[index + 1] = self.fileItems[index + 1], self.fileItems[index] self.asyfyCanvas() def btnSelectiveDeleteOnClick(self): if self.currentlySelectedObj['selectedIndex'] is not None: maj, minor = self.currentlySelectedObj['selectedIndex'] selectedObj = self.drawObjects[maj][minor] parent = selectedObj.parent() if isinstance(parent, x2a.xasyScript): self.hiddenKeys.add((selectedObj.key, selectedObj.keyIndex)) self.softDeleteObj((maj, minor)) else: index = self.fileItems.index(selectedObj.parent()) self.undoRedoStack.add(self.createAction( HardDeletionChanges(selectedObj.parent(), index) )) self.checkUndoRedoButtons() self.fileItems.remove(selectedObj.parent()) self.fileChanged = True self.clearSelection() self.asyfyCanvas() else: result = self.selectOnHover() if result: self.btnSelectiveDeleteOnClick() def btnSetVisibilityOnClick(self): if self.currentlySelectedObj['selectedIndex'] is not None: maj, minor = self.currentlySelectedObj['selectedIndex'] selectedObj = self.drawObjects[maj][minor] self.hiddenKeys.symmetric_difference_update({(selectedObj.key, selectedObj.keyIndex)}) self.clearSelection() self.quickUpdate() def btnSendBackwardsOnClick(self): if self.currentlySelectedObj['selectedIndex'] is not None: maj, minor = self.currentlySelectedObj['selectedIndex'] selectedObj = self.drawObjects[maj][minor] index = self.fileItems.index(selectedObj.parent()) self.clearSelection() if index == 0: return else: self.fileItems[index], self.fileItems[index - 1] = self.fileItems[index - 1], self.fileItems[index] self.asyfyCanvas() def btnUndoOnClick(self): self.undoRedoStack.undo() self.checkUndoRedoButtons() def btnRedoOnClick(self): self.undoRedoStack.redo() self.checkUndoRedoButtons() def checkUndoRedoButtons(self): self.ui.btnUndo.setEnabled(self.undoRedoStack.changesMade()) self.ui.actionUndo.setEnabled(self.undoRedoStack.changesMade()) self.ui.btnRedo.setEnabled(len(self.undoRedoStack.redoStack) > 0) self.ui.actionRedo.setEnabled(len(self.undoRedoStack.redoStack) > 0) def handleUndoChanges(self, change): assert isinstance(change, ActionChanges) if isinstance(change, TransformationChanges): self.transformObject(change.objIndex, change.transformation.inverted(), change.isLocal) elif isinstance(change, ObjCreationChanges): self.fileItems.pop() elif isinstance(change, HardDeletionChanges): self.fileItems.insert(change.objIndex, change.item) self.asyfyCanvas() def handleRedoChanges(self, change): assert isinstance(change, ActionChanges) if isinstance(change, TransformationChanges): self.transformObject( change.objIndex, change.transformation, change.isLocal) elif isinstance(change, ObjCreationChanges): self.fileItems.append(change.object) elif isinstance(change, HardDeletionChanges): self.fileItems.remove(change.item) self.asyfyCanvas() # is this a "pythonic" way? def createAction(self, changes): def _change(): return self.handleRedoChanges(changes) def _undoChange(): return self.handleUndoChanges(changes) return Urs.action((_change, _undoChange)) def execCustomCommand(self, command): if command in self.commandsFunc: self.commandsFunc[command]() else: self.ui.statusbar.showMessage('Command {0} not found'.format(command)) def enterCustomCommand(self): commandText, result = Qw.QInputDialog.getText(self, 'Enter Custom Command', 'Enter Custom Command') if result: self.execCustomCommand(commandText) def addItemFromPath(self, path): newItem = x2a.xasyShape(path, self.asyEngine, pen=self.currentPen) self.fileItems.append(newItem) self.fileChanged = True self.asyfyCanvas() def actionManual(self): asyManualURL = 'http://asymptote.sourceforge.net/asymptote.pdf' webbrowser.open_new(asyManualURL) def actionAbout(self): Qw.QMessageBox.about(self,"xasy","This is xasy "+xasyVersion.xasyVersion+"; a graphical front end to the Asymptote vector graphics language: http://asymptote.sourceforge.net/") def btnExportAsyOnClick(self): diag = Qw.QFileDialog(self) diag.setAcceptMode(Qw.QFileDialog.AcceptSave) formatId = { 'pdf': { 'name': 'PDF Files', 'ext': ['*.pdf'] }, 'svg': { 'name': 'Scalable Vector Graphics', 'ext': ['*.svg'] }, 'eps': { 'name': 'Postscript Files', 'ext': ['*.eps'] }, 'png': { 'name': 'Portable Network Graphics', 'ext': ['*.png'] }, '*': { 'name': 'Any Files', 'ext': ['*.*'] } } formats = ['pdf', 'svg', 'eps', 'png', '*'] formatText = ';;'.join('{0:s} ({1:s})'.format(formatId[form]['name'], ' '.join(formatId[form]['ext'])) for form in formats) if self.currDir is not None: diag.setDirectory(self.currDir) rawFile = os.path.splitext(os.path.basename(self.filename))[0] + '.pdf' diag.selectFile(rawFile) diag.setNameFilter(formatText) diag.show() result = diag.exec_() if result != diag.Accepted: return finalFiles = diag.selectedFiles() with io.StringIO() as finalCode: xf.saveFile(finalCode, self.fileItems, self.asy2psmap) finalString = finalCode.getvalue() for file in finalFiles: ext = os.path.splitext(file) if len(ext) < 2: ext = 'pdf' else: ext = ext[1][1:] with subprocess.Popen(args=[self.asyPath, '-f{0}'.format(ext), '-o{0}'.format(file), '-'], encoding='utf-8', stdin=subprocess.PIPE) as asy: print('test:', finalString) asy.stdin.write(finalString) asy.stdin.close() asy.wait(timeout=35) def loadKeyMaps(self): """Inverts the mapping of the key Input map is in format 'Action' : 'Key Sequence' """ for action, key in self.keyMaps.options.items(): shortcut = Qw.QShortcut(self) shortcut.setKey(Qg.QKeySequence(key)) # hate doing this, but python doesn't have explicit way to pass a # string to a lambda without an identifier # attached to it. exec('shortcut.activated.connect(lambda: self.execCustomCommand("{0}"))'.format(action), {'self': self, 'shortcut': shortcut}) def initializeButtons(self): self.ui.btnDrawAxes.setChecked(self.settings['defaultShowAxes']) self.btnDrawAxesOnClick(self.settings['defaultShowAxes']) self.ui.btnDrawGrid.setChecked(self.settings['defaultShowGrid']) self.btnDrawGridOnClick(self.settings['defaultShowGrid']) def erase(self): self.fileItems.clear() self.fileChanged = False def actionOpen(self): if self.fileChanged: save="Save current file?" reply=Qw.QMessageBox.question(self,'Message',save,Qw.QMessageBox.Yes, Qw.QMessageBox.No) if reply == Qw.QMessageBox.Yes: self.actionSave() filename = Qw.QFileDialog.getOpenFileName(self, 'Open Asymptote File','', '*.asy') if filename[0]: self.loadFile(filename[0]) def actionSave(self): if self.filename is None: self.actionSaveAs() else: saveFile = io.open(self.filename, 'w') xf.saveFile(saveFile, self.fileItems, self.asy2psmap) saveFile.close() self.updateScript() def updateScript(self): for item in self.fileItems: if isinstance(item, x2a.xasyScript): if item.updatedCode: item.setScript(item.updatedCode) item.updatedCode = None def actionSaveAs(self): saveLocation = Qw.QFileDialog.getSaveFileName(self, 'Save File')[0] if saveLocation: saveFile = io.open(saveLocation, 'w') xf.saveFile(saveFile, self.fileItems, self.asy2psmap) saveFile.close() self.filename = saveLocation self.updateScript() def btnQuickScreenshotOnClick(self): saveLocation = Qw.QFileDialog.getSaveFileName(self, 'Save Screenshot','') if saveLocation[0]: self.ui.imgLabel.pixmap().save(saveLocation[0]) def btnLoadFileonClick(self): self.actionOpen() def btnSaveonClick(self): self.actionSave() @Qc.pyqtSlot(int) def handleAnchorComboIndex(self, index: int): self.anchorMode = index if self.anchorMode == AnchorMode.customAnchor: if self.customAnchor is not None: self.anchorMode = AnchorMode.customAnchor else: self.ui.comboAnchor.setCurrentIndex(AnchorMode.center) self.anchorMode = AnchorMode.center self.quickUpdate() def btnColorSelectOnClick(self): self.colorDialog.show() result = self.colorDialog.exec() if result == Qw.QDialog.Accepted: self._currentPen.setColorFromQColor(self.colorDialog.selectedColor()) self.updateFrameDispColor() def txtLineWithEdited(self, text): new_val = xu.tryParse(text, float) if new_val is not None: if new_val > 0: self._currentPen.setWidth(new_val) def isReady(self): return self.mainCanvas is not None def resizeEvent(self, resizeEvent): # super().resizeEvent(resizeEvent) assert isinstance(resizeEvent, Qg.QResizeEvent) if self.isReady(): if self.mainCanvas.isActive(): self.mainCanvas.end() self.canvSize = self.ui.imgFrame.size()*devicePixelRatio self.ui.imgFrame.setSizePolicy(Qw.QSizePolicy.Ignored, Qw.QSizePolicy.Ignored) self.canvasPixmap = Qg.QPixmap(self.canvSize) self.canvasPixmap.setDevicePixelRatio(devicePixelRatio) self.postCanvasPixmap = Qg.QPixmap(self.canvSize) self.canvasPixmap.setDevicePixelRatio(devicePixelRatio) self.quickUpdate() def show(self): super().show() self.createMainCanvas() # somehow, the coordinates doesn't get updated until after showing. self.initializeButtons() self.postShow() def postShow(self): self.handleArguments() def roundPositionSnap(self, oldPoint): minorGridSize = self.settings['gridMajorAxesSpacing'] / (self.settings['gridMinorAxesCount'] + 1) if isinstance(oldPoint, list) or isinstance(oldPoint, tuple): return [round(val / minorGridSize) * minorGridSize for val in oldPoint] elif isinstance(oldPoint, Qc.QPoint) or isinstance(oldPoint, Qc.QPointF): x, y = oldPoint.x(), oldPoint.y() x = round(x / minorGridSize) * minorGridSize y = round(y / minorGridSize) * minorGridSize return Qc.QPointF(x, y) else: raise Exception def getAsyCoordinates(self): canvasPosOrig = self.getCanvasCoordinates() return canvasPosOrig, canvasPosOrig def mouseMoveEvent(self, mouseEvent: Qg.QMouseEvent): # TODO: Actually refine grid snapping... if not self.ui.imgLabel.underMouse() and not self.mouseDown: return self.updateMouseCoordLabel() asyPos, canvasPos = self.getAsyCoordinates() # add mode if self.addMode is not None: if self.addMode.active: self.addMode.mouseMove(asyPos, mouseEvent) self.quickUpdate() return # pan mode if self.currentModeStack[-1] == SelectionMode.pan and int(mouseEvent.buttons()) and self.savedWindowMousePos is not None: mousePos = self.getWindowCoordinates() newPos = mousePos - self.savedWindowMousePos tx, ty = newPos.x(), newPos.y() if self.lockX: tx = 0 if self.lockY: ty = 0 self.panOffset[0] += tx self.panOffset[1] += ty self.savedWindowMousePos = self.getWindowCoordinates() self.quickUpdate() return # otherwise, in transformation if self.inMidTransformation: if self.currentModeStack[-1] == SelectionMode.translate: newPos = canvasPos - self.savedMousePosition if self.gridSnap: newPos = self.roundPositionSnap(newPos) # actually round to the nearest minor grid afterwards... self.tx, self.ty = newPos.x(), newPos.y() if self.lockX: self.tx = 0 if self.lockY: self.ty = 0 self.newTransform = Qg.QTransform.fromTranslate(self.tx, self.ty) elif self.currentModeStack[-1] == SelectionMode.rotate: if self.gridSnap: canvasPos = self.roundPositionSnap(canvasPos) adjustedSavedMousePos = self.savedMousePosition - self.currentAnchor adjustedCanvasCoords = canvasPos - self.currentAnchor origAngle = np.arctan2(adjustedSavedMousePos.y(), adjustedSavedMousePos.x()) newAng = np.arctan2(adjustedCanvasCoords.y(), adjustedCanvasCoords.x()) self.deltaAngle = newAng - origAngle self.newTransform = xT.makeRotTransform(self.deltaAngle, self.currentAnchor).toQTransform() elif self.currentModeStack[-1] == SelectionMode.scale: if self.gridSnap: canvasPos = self.roundPositionSnap(canvasPos) x, y = int(round(canvasPos.x())), int(round(canvasPos.y())) # otherwise it crashes... canvasPos = Qc.QPoint(x, y) originalDeltaPts = self.savedMousePosition - self.currentAnchor scaleFactor = Qc.QPointF.dotProduct(canvasPos - self.currentAnchor, originalDeltaPts) /\ (xu.twonorm((originalDeltaPts.x(), originalDeltaPts.y())) ** 2) if not self.lockX: self.scaleFactorX = scaleFactor else: self.scaleFactorX = 1 if not self.lockY: self.scaleFactorY = scaleFactor else: self.scaleFactorY = 1 self.newTransform = xT.makeScaleTransform(self.scaleFactorX, self.scaleFactorY, self.currentAnchor).\ toQTransform() self.quickUpdate() return # otherwise, select a candidate for selection if self.currentlySelectedObj['selectedIndex'] is None: selectedIndex, selKeyList = self.selectObject() if selectedIndex is not None: if self.pendingSelectedObjList != selKeyList: self.pendingSelectedObjList = selKeyList self.pendingSelectedObjIndex = -1 else: self.pendingSelectedObjList.clear() self.pendingSelectedObjIndex = -1 self.quickUpdate() return def mouseReleaseEvent(self, mouseEvent): assert isinstance(mouseEvent, Qg.QMouseEvent) if not self.mouseDown: return self.tx=0 self.ty=0 self.mouseDown = False if self.addMode is not None: self.addMode.mouseRelease() if self.inMidTransformation: self.clearSelection() self.inMidTransformation = False self.quickUpdate() def clearSelection(self): if self.currentlySelectedObj['selectedIndex'] is not None: self.releaseTransform() self.setAllInSetEnabled(self.objButtons, False) self.currentlySelectedObj['selectedIndex'] = None self.currentlySelectedObj['key'] = None self.currentlySelectedObj['allSameKey'].clear() self.newTransform = Qg.QTransform() self.currentBoundingBox = None self.quickUpdate() def changeSelection(self, offset): if self.pendingSelectedObjList: if offset > 0: if self.pendingSelectedObjIndex + offset <= -1: self.pendingSelectedObjIndex = self.pendingSelectedObjIndex + offset else: if self.pendingSelectedObjIndex + offset >= -len(self.pendingSelectedObjList): self.pendingSelectedObjIndex = self.pendingSelectedObjIndex + offset def mouseWheel(self, rawAngleX: float, rawAngle: float, defaultModifiers: int=0): keyModifiers = int(Qw.QApplication.keyboardModifiers()) keyModifiers = keyModifiers | defaultModifiers if keyModifiers & int(Qc.Qt.ControlModifier): oldMag = self.magnification factor=0.5/devicePixelRatio; cx, cy = self.canvSize.width()*factor, self.canvSize.height()*factor centerPoint = Qc.QPointF(cx, cy) * self.getScrsTransform().inverted()[0] self.magnification += (rawAngle/100) if self.magnification < self.settings['minimumMagnification']: self.magnification = self.settings['minimumMagnification'] elif self.magnification > self.settings['maximumMagnification']: self.magnification = self.settings['maximumMagnification'] # set the new pan. Let c be the fixed point (center point), # Let m the old mag, n the new mag # find t2 such that # mc + t1 = nc + t2 ==> t2 = (m - n)c + t1 centerPoint = (oldMag - self.magnification) * centerPoint self.panOffset = [ self.panOffset[0] + centerPoint.x(), self.panOffset[1] + centerPoint.y() ] self.currAddOptions['magnification'] = self.magnification if self.addMode is xbi.InteractiveBezierEditor: self.addMode.setSelectionBoundaries() elif keyModifiers & (int(Qc.Qt.ShiftModifier) | int(Qc.Qt.AltModifier)): self.panOffset[1] += rawAngle/1 self.panOffset[0] -= rawAngleX/1 # handle scrolling else: # process selection layer change if rawAngle >= 15: self.changeSelection(1) elif rawAngle <= -15: self.changeSelection(-1) self.quickUpdate() def wheelEvent(self, event: Qg.QWheelEvent): rawAngle = event.angleDelta().y() / 8 rawAngleX = event.angleDelta().x() / 8 self.mouseWheel(rawAngleX, rawAngle) def selectOnHover(self): """Returns True if selection happened, False otherwise. """ if self.pendingSelectedObjList: selectedIndex = self.pendingSelectedObjList[self.pendingSelectedObjIndex] self.pendingSelectedObjList.clear() maj, minor = selectedIndex self.currentlySelectedObj['selectedIndex'] = selectedIndex self.currentlySelectedObj['key'], self.currentlySelectedObj['allSameKey'] = self.selectObjectSet( ) self.currentBoundingBox = self.drawObjects[maj][minor].boundingBox if self.selectAsGroup: for selItems in self.currentlySelectedObj['allSameKey']: obj = self.drawObjects[selItems[0]][selItems[1]] self.currentBoundingBox = self.currentBoundingBox.united(obj.boundingBox) self.origBboxTransform = self.drawObjects[maj][minor].transform.toQTransform() self.newTransform = Qg.QTransform() return True else: return False def mousePressEvent(self, mouseEvent: Qg.QMouseEvent): # we make an exception for bezier curve bezierException = False if self.addMode is not None: if self.addMode.active and isinstance(self.addMode, InplaceAddObj.AddBezierShape): bezierException = True if not self.ui.imgLabel.underMouse() and not bezierException: return self.mouseDown = True asyPos, self.savedMousePosition = self.getAsyCoordinates() if self.addMode is not None: self.addMode.mouseDown(asyPos, self.currAddOptions, mouseEvent) elif self.currentModeStack[-1] == SelectionMode.pan: self.savedWindowMousePos = self.getWindowCoordinates() elif self.currentModeStack[-1] == SelectionMode.setAnchor: self.customAnchor = self.savedMousePosition self.currentModeStack.pop() self.anchorMode = AnchorMode.customAnchor self.ui.comboAnchor.setCurrentIndex(AnchorMode.customAnchor) self.updateChecks() self.quickUpdate() elif self.inMidTransformation: pass elif self.pendingSelectedObjList: self.selectOnHover() if self.currentModeStack[-1] in {SelectionMode.translate, SelectionMode.rotate, SelectionMode.scale}: self.setAllInSetEnabled(self.objButtons, False) self.inMidTransformation = True self.setAnchor() elif self.currentModeStack[-1] == SelectionMode.delete: self.btnSelectiveDeleteOnClick() elif self.currentModeStack[-1] == SelectionMode.selectEdit: self.setupSelectEdit() else: self.setAllInSetEnabled(self.objButtons, True) self.inMidTransformation = False self.setAnchor() else: self.setAllInSetEnabled(self.objButtons, False) self.currentBoundingBox = None self.inMidTransformation = False self.clearSelection() self.quickUpdate() def removeAddMode(self): self.addMode = None self.deleteAddOptions() def editFinalized(self): self.addMode.forceFinalize() self.removeAddMode() self.fileChanged = True self.quickUpdate() def editRejected(self): self.addMode.resetObj() self.editFinalized() def setupSelectEdit(self): """For Select-Edit mode. For now, if the object selected is a bezier curve, opens up a bezier editor""" maj, minor = self.currentlySelectedObj['selectedIndex'] obj = self.fileItems[maj] if isinstance(obj, x2a.xasyDrawnItem): # bezier path self.addMode = xbi.InteractiveBezierEditor(self, obj, self.currAddOptions) self.addMode.objectUpdated.connect(self.objectUpdated) self.addMode.editAccepted.connect(self.editFinalized) self.addMode.editRejected.connect(self.editRejected) self.updateOptionWidget() self.currentModeStack[-1] = SelectionMode.selectEdit self.fileChanged = True else: self.clearSelection() self.quickUpdate() def setAnchor(self): if self.anchorMode == AnchorMode.center: self.currentAnchor = self.currentBoundingBox.center() elif self.anchorMode == AnchorMode.topLeft: self.currentAnchor = self.currentBoundingBox.topLeft() elif self.anchorMode == AnchorMode.topRight: self.currentAnchor = self.currentBoundingBox.topRight() elif self.anchorMode == AnchorMode.bottomLeft: self.currentAnchor = self.currentBoundingBox.bottomLeft() elif self.anchorMode == AnchorMode.bottomRight: self.currentAnchor = self.currentBoundingBox.bottomRight() elif self.anchorMode == AnchorMode.customAnchor: self.currentAnchor = self.customAnchor else: self.currentAnchor = Qc.QPointF(0, 0) if self.anchorMode != AnchorMode.origin: pass # TODO: Record base points/bbox before hand and use that for # anchor? # adjTransform = # self.drawObjects[selectedIndex].transform.toQTransform() # self.currentAnchor = adjTransform.map(self.currentAnchor) def releaseTransform(self): if self.newTransform.isIdentity(): return newTransform = x2a.asyTransform.fromQTransform(self.newTransform) objKey = self.currentlySelectedObj['selectedIndex'] self.addTransformationChanges(objKey, newTransform, not self.useGlobalCoords) self.transformObject(objKey, newTransform, not self.useGlobalCoords) def adjustTransform(self, appendTransform): self.screenTransformation = self.screenTransformation * appendTransform def createMainCanvas(self): self.canvSize = devicePixelRatio*self.ui.imgFrame.size() self.ui.imgFrame.setSizePolicy(Qw.QSizePolicy.Ignored, Qw.QSizePolicy.Ignored) factor=0.5/devicePixelRatio; x, y = self.canvSize.width()*factor, self.canvSize.height()*factor self.canvasPixmap = Qg.QPixmap(self.canvSize) self.canvasPixmap.setDevicePixelRatio(devicePixelRatio) self.canvasPixmap.fill() self.finalPixmap = Qg.QPixmap(self.canvSize) self.finalPixmap.setDevicePixelRatio(devicePixelRatio) self.postCanvasPixmap = Qg.QPixmap(self.canvSize) self.postCanvasPixmap.setDevicePixelRatio(devicePixelRatio) self.mainCanvas = Qg.QPainter(self.canvasPixmap) self.mainCanvas.setRenderHint(Qg.QPainter.Antialiasing) self.mainCanvas.setRenderHint(Qg.QPainter.SmoothPixmapTransform) self.mainCanvas.setRenderHint(Qg.QPainter.HighQualityAntialiasing) self.xasyDrawObj['canvas'] = self.mainCanvas self.mainTransformation = Qg.QTransform() self.mainTransformation.scale(1, 1) self.mainTransformation.translate(x, y) self.mainCanvas.setTransform(self.getScrsTransform(), True) self.ui.imgLabel.setPixmap(self.canvasPixmap) def resetPan(self): self.panOffset = [0, 0] self.quickUpdate() def btnPanCenterOnClick(self): newCenter = self.getAllBoundingBox().center() # adjust to new magnification # technically, doable through getscrstransform() # and subtract pan offset and center points # but it's much more work... newCenter = self.magnification * newCenter self.panOffset = [-newCenter.x(), newCenter.y()] self.quickUpdate() def selectObject(self): if not self.ui.imgLabel.underMouse(): return None, [] canvasCoords = self.getCanvasCoordinates() highestDrawPriority = -np.inf collidedObjKey = None rawObjNumList = [] for objKeyMaj in range(len(self.drawObjects)): for objKeyMin in range(len(self.drawObjects[objKeyMaj])): obj = self.drawObjects[objKeyMaj][objKeyMin] if obj.collide(canvasCoords) and (obj.key, obj.keyIndex) not in self.hiddenKeys: rawObjNumList.append(((objKeyMaj, objKeyMin), obj.drawOrder)) if obj.drawOrder > highestDrawPriority: collidedObjKey = (objKeyMaj, objKeyMin) if collidedObjKey is not None: rawKey = self.drawObjects[collidedObjKey[0]][collidedObjKey[1]].key # self.ui.statusbar.showMessage('Collide with {0}, Key is {1}'.format(str(collidedObjKey), rawKey), 2500) self.ui.statusbar.showMessage('Key: {0}'.format(rawKey), 2500) return collidedObjKey, [rawObj[0] for rawObj in sorted(rawObjNumList, key=lambda ordobj: ordobj[1])] else: return None, [] def selectObjectSet(self): objKey = self.currentlySelectedObj['selectedIndex'] if objKey is None: return set() assert isinstance(objKey, (tuple, list)) and len(objKey) == 2 rawObj = self.drawObjects[objKey[0]][objKey[1]] rawKey = rawObj.key rawSet = {objKey} for objKeyMaj in range(len(self.drawObjects)): for objKeyMin in range(len(self.drawObjects[objKeyMaj])): obj = self.drawObjects[objKeyMaj][objKeyMin] if obj.key == rawKey: rawSet.add((objKeyMaj, objKeyMin)) return rawKey, rawSet def getCanvasCoordinates(self): # assert self.ui.imgLabel.underMouse() uiPos = self.mapFromGlobal(Qg.QCursor.pos()) canvasPos = self.ui.imgLabel.mapFrom(self, uiPos) # Issue: For magnification, should xasy treats this at xasy level, or asy level? return canvasPos * self.getScrsTransform().inverted()[0] def getWindowCoordinates(self): # assert self.ui.imgLabel.underMouse() return self.mapFromGlobal(Qg.QCursor.pos()) def refreshCanvas(self): if self.mainCanvas.isActive(): self.mainCanvas.end() self.mainCanvas.begin(self.canvasPixmap) self.mainCanvas.setTransform(self.getScrsTransform()) def asyfyCanvas(self, force=False): self.drawObjects = [] self.populateCanvasWithItems(force) self.quickUpdate() if self.currentModeStack[-1] == SelectionMode.translate: self.ui.statusbar.showMessage(self.strings.asyfyComplete) def updateMouseCoordLabel(self): *args, canvasPos = self.getAsyCoordinates() nx, ny = self.asy2psmap.inverted() * (canvasPos.x(), canvasPos.y()) self.coordLabel.setText('{0:.2f}, {1:.2f} '.format(nx, ny)) def quickUpdate(self): self.updateMouseCoordLabel() self.refreshCanvas() self.preDraw(self.mainCanvas) self.quickDraw() self.mainCanvas.end() self.postDraw() self.updateScreen() def quickDraw(self): assert self.isReady() dpi = self.magnification * self.dpi activeItem = None for majorItem in self.drawObjects: for item in majorItem: # hidden objects - toggleable if (item.key, item.keyIndex) in self.hiddenKeys: continue isSelected = item.key == self.currentlySelectedObj['key'] if not self.selectAsGroup and isSelected and self.currentlySelectedObj['selectedIndex'] is not None: maj, min_ = self.currentlySelectedObj['selectedIndex'] isSelected = isSelected and item is self.drawObjects[maj][min_] if isSelected and self.settings['enableImmediatePreview']: activeItem = item if self.useGlobalCoords: item.draw(self.newTransform, canvas=self.mainCanvas, dpi=dpi) else: item.draw(self.newTransform, applyReverse=True, canvas=self.mainCanvas, dpi=dpi) else: item.draw(canvas=self.mainCanvas, dpi=dpi) if self.settings['drawSelectedOnTop']: if self.pendingSelectedObjList: maj, minor = self.pendingSelectedObjList[self.pendingSelectedObjIndex] self.drawObjects[maj][minor].draw(canvas=self.mainCanvas, dpi=dpi) # and apply the preview too... elif activeItem is not None: if self.useGlobalCoords: activeItem.draw(self.newTransform, canvas=self.mainCanvas, dpi=dpi) else: activeItem.draw(self.newTransform, applyReverse=True, canvas=self.mainCanvas, dpi=dpi) activeItem = None def updateScreen(self): self.finalPixmap = Qg.QPixmap(self.canvSize) self.finalPixmap.setDevicePixelRatio(devicePixelRatio) self.finalPixmap.fill(Qc.Qt.black) with Qg.QPainter(self.finalPixmap) as finalPainter: drawPoint = Qc.QPoint(0, 0) finalPainter.drawPixmap(drawPoint, self.canvasPixmap) finalPainter.drawPixmap(drawPoint, self.postCanvasPixmap) self.ui.imgLabel.setPixmap(self.finalPixmap) def drawCartesianGrid(self, preCanvas): majorGrid = self.settings['gridMajorAxesSpacing'] * self.asy2psmap.xx minorGridCount = self.settings['gridMinorAxesCount'] majorGridCol = Qg.QColor(self.settings['gridMajorAxesColor']) minorGridCol = Qg.QColor(self.settings['gridMinorAxesColor']) panX, panY = self.panOffset factor=0.5/devicePixelRatio; cx, cy = self.canvSize.width()*factor, self.canvSize.height()*factor x_range = (cx + (2 * abs(panX)))/self.magnification y_range = (cy + (2 * abs(panY)))/self.magnification for x in np.arange(0, 2 * x_range + 1, majorGrid): # have to do # this in two stages... preCanvas.setPen(minorGridCol) for xMinor in range(1, minorGridCount + 1): xCoord = x + ((xMinor / (minorGridCount + 1)) * majorGrid) preCanvas.drawLine(Qc.QLine(xCoord, -9999, xCoord, 9999)) preCanvas.drawLine(Qc.QLine(-xCoord, -9999, -xCoord, 9999)) for y in np.arange(0, 2 * y_range + 1, majorGrid): preCanvas.setPen(minorGridCol) for yMinor in range(1, minorGridCount + 1): yCoord = y + ((yMinor / (minorGridCount + 1)) * majorGrid) preCanvas.drawLine(Qc.QLine(-9999, yCoord, 9999, yCoord)) preCanvas.drawLine(Qc.QLine(-9999, -yCoord, 9999, -yCoord)) preCanvas.setPen(majorGridCol) preCanvas.drawLine(Qc.QLine(-9999, y, 9999, y)) preCanvas.drawLine(Qc.QLine(-9999, -y, 9999, -y)) for x in np.arange(0, 2 * x_range + 1, majorGrid): preCanvas.setPen(majorGridCol) preCanvas.drawLine(Qc.QLine(x, -9999, x, 9999)) preCanvas.drawLine(Qc.QLine(-x, -9999, -x, 9999)) def drawPolarGrid(self, preCanvas): center = Qc.QPointF(0, 0) majorGridCol = Qg.QColor(self.settings['gridMajorAxesColor']) minorGridCol = Qg.QColor(self.settings['gridMinorAxesColor']) majorGrid = self.settings['gridMajorAxesSpacing'] minorGridCount = self.settings['gridMinorAxesCount'] majorAxisAng = (np.pi/4) # 45 degrees - for now. minorAxisCount = 2 # 15 degrees each subRadiusSize = int(round((majorGrid / (minorGridCount + 1)))) subAngleSize = majorAxisAng / (minorAxisCount + 1) for radius in range(majorGrid, 9999 + 1, majorGrid): preCanvas.setPen(majorGridCol) preCanvas.drawEllipse(center, radius, radius) preCanvas.setPen(minorGridCol) for minorRing in range(minorGridCount): subRadius = round(radius - (subRadiusSize * (minorRing + 1))) preCanvas.drawEllipse(center, subRadius, subRadius) currAng = majorAxisAng while currAng <= (2 * np.pi): preCanvas.setPen(majorGridCol) p1 = center + (9999 * Qc.QPointF(np.cos(currAng), np.sin(currAng))) preCanvas.drawLine(Qc.QLineF(center, p1)) preCanvas.setPen(minorGridCol) for minorAngLine in range(minorAxisCount): newAng = currAng - (subAngleSize * (minorAngLine + 1)) p1 = center + (9999 * Qc.QPointF(np.cos(newAng), np.sin(newAng))) preCanvas.drawLine(Qc.QLineF(center, p1)) currAng = currAng + majorAxisAng def preDraw(self, painter): self.canvasPixmap.fill() preCanvas = painter preCanvas.setTransform(self.getScrsTransform()) if self.drawAxes: preCanvas.setPen(Qc.Qt.gray) preCanvas.drawLine(Qc.QLine(-9999, 0, 9999, 0)) preCanvas.drawLine(Qc.QLine(0, -9999, 0, 9999)) if self.drawGrid: if self.drawGridMode == GridMode.cartesian: self.drawCartesianGrid(painter) elif self.drawGridMode == GridMode.polar: self.drawPolarGrid(painter) if self.currentGuides: for guide in self.currentGuides: guide.drawShape(preCanvas) # preCanvas.end() def drawAddModePreview(self, painter): if self.addMode is not None: if self.addMode.active: # Preview Object if self.addMode.getPreview() is not None: painter.setPen(self.currentPen.toQPen()) painter.drawPath(self.addMode.getPreview()) self.addMode.postDrawPreview(painter) def drawTransformPreview(self, painter): if self.currentBoundingBox is not None and self.currentlySelectedObj['selectedIndex'] is not None: painter.save() maj, minor = self.currentlySelectedObj['selectedIndex'] selObj = self.drawObjects[maj][minor] if not self.useGlobalCoords: painter.save() painter.setTransform( selObj.transform.toQTransform(), True) # painter.setTransform(selObj.baseTransform.toQTransform(), True) painter.setPen(Qc.Qt.gray) painter.drawLine(Qc.QLine(-9999, 0, 9999, 0)) painter.drawLine(Qc.QLine(0, -9999, 0, 9999)) painter.setPen(Qc.Qt.black) painter.restore() painter.setTransform(selObj.getInteriorScrTransform( self.newTransform).toQTransform(), True) painter.drawRect(selObj.localBoundingBox) else: painter.setTransform(self.newTransform, True) painter.drawRect(self.currentBoundingBox) painter.restore() def postDraw(self): self.postCanvasPixmap.fill(Qc.Qt.transparent) with Qg.QPainter(self.postCanvasPixmap) as postCanvas: postCanvas.setRenderHints(self.mainCanvas.renderHints()) postCanvas.setTransform(self.getScrsTransform()) self.drawTransformPreview(postCanvas) if self.pendingSelectedObjList: maj, minor = self.pendingSelectedObjList[self.pendingSelectedObjIndex] postCanvas.drawRect(self.drawObjects[maj][minor].boundingBox) self.drawAddModePreview(postCanvas) if self.customAnchor is not None and self.anchorMode == AnchorMode.customAnchor: self.drawAnchorCursor(postCanvas) # postCanvas.drawRect(self.getAllBoundingBox()) def drawAnchorCursor(self, painter): painter.drawEllipse(self.customAnchor, 6, 6) newCirclePath = Qg.QPainterPath() newCirclePath.addEllipse(self.customAnchor, 2, 2) painter.fillPath(newCirclePath, Qg.QColor.fromRgb(0, 0, 0)) def updateModeBtnsOnly(self): if self.currentModeStack[-1] == SelectionMode.translate: activeBtn = self.ui.btnTranslate elif self.currentModeStack[-1] == SelectionMode.rotate: activeBtn = self.ui.btnRotate elif self.currentModeStack[-1] == SelectionMode.scale: activeBtn = self.ui.btnScale elif self.currentModeStack[-1] == SelectionMode.pan: activeBtn = self.ui.btnPan elif self.currentModeStack[-1] == SelectionMode.setAnchor: activeBtn = self.ui.btnAnchor elif self.currentModeStack[-1] == SelectionMode.delete: activeBtn = self.ui.btnDeleteMode elif self.currentModeStack[-1] == SelectionMode.selectEdit: activeBtn = self.ui.btnSelectEdit else: activeBtn = None disableFill = isinstance(self.addMode, InplaceAddObj.AddBezierShape) and not self.currAddOptions['closedPath'] self.ui.btnFill.setEnabled(not disableFill) if disableFill and self.ui.btnFill.isEnabled(): self.ui.btnFill.setChecked(not disableFill) for button in self.modeButtons: button.setChecked(button is activeBtn) def updateChecks(self): self.removeAddMode() self.updateModeBtnsOnly() self.quickUpdate() def btnAlignXOnClick(self, checked): self.lockY = checked if self.lockX: self.lockX = False self.ui.btnAlignY.setChecked(False) def btnAlignYOnClick(self, checked): self.lockX = checked if self.lockY: self.lockY = False self.ui.btnAlignX.setChecked(False) def btnAnchorModeOnClick(self): if self.currentModeStack[-1] != SelectionMode.setAnchor: self.currentModeStack.append(SelectionMode.setAnchor) self.updateChecks() def switchToAnchorMode(self): if self.currentModeStack[-1] != SelectionMode.setAnchor: self.currentModeStack.append(SelectionMode.setAnchor) self.updateChecks() def btnTranslateonClick(self): self.currentModeStack = [SelectionMode.translate] self.ui.statusbar.showMessage('Translate mode') self.clearSelection() self.updateChecks() def btnRotateOnClick(self): self.currentModeStack = [SelectionMode.rotate] self.ui.statusbar.showMessage('Rotate mode') self.clearSelection() self.updateChecks() def btnScaleOnClick(self): self.currentModeStack = [SelectionMode.scale] self.ui.statusbar.showMessage('Scale mode') self.clearSelection() self.updateChecks() def btnPanOnClick(self): self.currentModeStack = [SelectionMode.pan] self.ui.statusbar.showMessage('Pan mode') self.clearSelection() self.updateChecks() def btnWorldCoordsOnClick(self, checked): self.useGlobalCoords = checked if not self.useGlobalCoords: self.ui.comboAnchor.setCurrentIndex(AnchorMode.origin) self.setAllInSetEnabled(self.globalTransformOnlyButtons, checked) def setAllInSetEnabled(self, widgetSet, enabled): for widget in widgetSet: widget.setEnabled(enabled) def btnDrawAxesOnClick(self, checked): self.drawAxes = checked self.quickUpdate() def btnDrawGridOnClick(self, checked): self.drawGrid = checked self.quickUpdate() def btnCustTransformOnClick(self): matrixDialog = CustMatTransform.CustMatTransform() matrixDialog.show() result = matrixDialog.exec_() if result == Qw.QDialog.Accepted: objKey = self.currentlySelectedObj['selectedIndex'] self.transformObject(objKey, matrixDialog.getTransformationMatrix(), not self.useGlobalCoords) # for now, unless we update the bouding box transformation. self.clearSelection() self.quickUpdate() def btnLoadEditorOnClick(self): if self.fileChanged: save = "Save current file?" reply = Qw.QMessageBox.question(self, 'Message', save, Qw.QMessageBox.Yes, Qw.QMessageBox.No) if reply == Qw.QMessageBox.Yes: self.actionSave() subprocess.Popen(args=self.getExternalEditor(asypath=self.filename)); def btnAddCodeOnClick(self): header = """ // xasy object created at $time // Object Number: $uid // This header is automatically generated by xasy. // Your code here """ header = string.Template(header).substitute(time=str(datetime.datetime.now()), uid=str(self.globalObjectCounter)) with tempfile.TemporaryDirectory() as tmpdir: newPath = os.path.join(tmpdir, 'tmpcode.asy') f = io.open(newPath, 'w') f.write(header) f.close() subprocess.run(args=self.getExternalEditor(asypath=newPath)) f = io.open(newPath, 'r') newItem = x2a.xasyScript(engine=self.asyEngine, canvas=self.xasyDrawObj) newItem.setScript(f.read()) f.close() # newItem.replaceKey(str(self.globalObjectCounter) + ':') self.fileItems.append(newItem) self.addObjCreationUrs(newItem) self.asyfyCanvas() self.globalObjectCounter = self.globalObjectCounter + 1 def softDeleteObj(self, objKey): maj, minor = objKey drawObj = self.drawObjects[maj][minor] item = drawObj.originalObj key = drawObj.key keyIndex = drawObj.keyIndex item.transfKeymap[key][keyIndex].deleted = True # item.asyfied = False def getSelectedObjInfo(self, objIndex): maj, minor = objIndex drawObj = self.drawObjects[maj][minor] item = drawObj.originalObj key = drawObj.key keyIndex = drawObj.keyIndex return item, key, keyIndex def transformObjKey(self, item, key, keyIndex, transform, applyFirst=False, drawObj=None): if isinstance(transform, np.ndarray): obj_transform = x2a.asyTransform.fromNumpyMatrix(transform) elif isinstance(transform, Qg.QTransform): assert transform.isAffine() obj_transform = x2a.asyTransform.fromQTransform(transform) else: obj_transform = transform scr_transform = obj_transform if not applyFirst: item.transfKeymap[key][keyIndex] = obj_transform * \ item.transfKeymap[key][keyIndex] if drawObj is not None: drawObj.transform = scr_transform * drawObj.transform else: item.transfKeymap[key][keyIndex] = item.transfKeymap[key][keyIndex] * obj_transform if drawObj is not None: drawObj.transform = drawObj.transform * scr_transform if self.selectAsGroup: for (maj2, min2) in self.currentlySelectedObj['allSameKey']: if (maj2, min2) == (maj, minor): continue obj = self.drawObjects[maj2][min2] newIndex = obj.keyIndex if not applyFirst: item.transfKeymap[key][newIndex] = obj_transform * \ item.transfKeymap[key][newIndex] obj.transform = scr_transform * obj.transform else: item.transfKeymap[key][newIndex] = item.transfKeymap[key][newIndex] * obj_transform obj.transform = obj.transform * scr_transform self.fileChanged = True self.quickUpdate() def transformObject(self, objKey, transform, applyFirst=False): maj, minor = objKey drawObj = self.drawObjects[maj][minor] item, key, keyIndex = self.getSelectedObjInfo(objKey) self.transformObjKey(item, key, keyIndex, transform, applyFirst, drawObj) def initializeEmptyFile(self): pass def getExternalEditor(self, **kwargs) -> str: editor = os.getenv("VISUAL") if(editor == None) : editor = os.getenv("EDITOR") if(editor == None) : rawExternalEditor = self.settings['externalEditor'] rawExtEditorArgs = self.settings['externalEditorArgs'] else: s = editor.split() rawExternalEditor = s[0] rawExtEditorArgs = s[1:]+["$asypath"] execEditor = [rawExternalEditor] for arg in rawExtEditorArgs: execEditor.append(string.Template(arg).substitute(**kwargs)) return execEditor def loadFile(self, name): filename = os.path.abspath(name) if not os.path.isfile(filename): filename = filename + '.asy' if not os.path.isfile(filename): self.ui.statusbar.showMessage('File {0} not found'.format(filename)) return self.ui.statusbar.showMessage('Load {0}'.format(filename)) self.filename = filename self.currDir = os.path.dirname(self.filename) self.erase() f = open(self.filename, 'rt') try: rawFileStr = f.read() except IOError: Qw.QMessageBox.critical(self, self.strings.fileOpenFailed, self.strings.fileOpenFailedText) else: rawText, transfDict, maxKey = xf.extractTransformsFromFile(rawFileStr) item = x2a.xasyScript(canvas=self.xasyDrawObj, engine=self.asyEngine, transfKeyMap=transfDict) item.setScript(rawText) self.fileItems.append(item) self.asyfyCanvas(True) maxKey2 = item.getMaxKeyCounter() self.asy2psmap = item.asy2psmap self.globalObjectCounter = max(maxKey + 1, maxKey2) finally: f.close() def populateCanvasWithItems(self, forceUpdate=False): self.itemCount = 0 for item in self.fileItems: self.drawObjects.append(item.generateDrawObjects(forceUpdate)) asymptote-2.62/GUI/GuidesManager.py0000644000000000000000000000327413607467113015715 0ustar rootroot#!/usr/bin/env python3 import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import numpy as np class Guide: def __init__(self, pen=None): if pen is None: pen = Qg.QPen() assert isinstance(pen, Qg.QPen) self.pen = pen def drawShape(self, pen): assert isinstance(pen, Qg.QPainter) pen.save() pen.setPen(self.pen) class LineGuide(Guide): def __init__(self, origin, direction, pen=None): super().__init__(pen) self.origin = origin self.direction = direction def drawShape(self, pen): super().drawShape(pen) p1 = self.origin + (9999 * Qc.QPointF(np.cos(self.direction), np.sin(self.direction))) p2 = self.origin - (9999 * Qc.QPointF(np.cos(self.direction), np.sin(self.direction))) pen.drawLine(Qc.QLineF(p1, p2)) pen.restore() class ArcGuide(Guide): @classmethod def radTo16Deg(cls, radians): return int(round(np.rad2deg(radians) * 16)) def __init__(self, center=None, radius=1, startAng=0, endAng=(2*np.pi), pen=None): if center is None: center = Qc.QPointF(0, 0) super().__init__(pen) self.center = center self.radius = int(radius) self.startAng = startAng self.endAng = endAng def drawShape(self, pen): super().drawShape(pen) assert isinstance(pen, Qg.QPainter) x, y = int(round(self.center.x())), int(round(self.center.y())) pen.drawArc(x - self.radius, y - self.radius, 2 * self.radius, 2 * self.radius, ArcGuide.radTo16Deg(self.startAng), -ArcGuide.radTo16Deg(self.endAng - self.startAng)) pen.restore() asymptote-2.62/GUI/setup.py0000644000000000000000000000061213607467113014333 0ustar rootroot#!/usr/bin/env python3 import xasyVersion from setuptools import setup setup( name="xasy", version=xasyVersion.xasyVersion, author="Supakorn Rassameemasmuang, Orest Shardt, and John C. Bowman", description="User interface for Asymptote, a vector graphics language", url="http://asymptote.sourceforge.net", download_url="https://sourceforge.net/projects/asymptote/" ) asymptote-2.62/GUI/__init__.py0000644000000000000000000000002713607467113014732 0ustar rootroot#!/usr/bin/env python3 asymptote-2.62/GUI/xasyOptions.py0000644000000000000000000001167013607467113015541 0ustar rootroot#!/usr/bin/env python3 ########################################################################### # # xasyOptions provides a mechanism for storing and restoring a user's # preferences. # # # Author: Orest Shardt # Created: June 29, 2007 # ########################################################################### import json import sys import io import os import platform import shutil import configs try: import cson except ModuleNotFoundError: cson = None try: pass # import yaml except ModuleNotFoundError: yaml = None class xasyOptions: def defaultOptions(self): if self._defaultOptions is None: f = io.open(self._defaultOptLocation) try: opt = cson.loads(f.read()) finally: f.close() self._defaultOptions = opt return self._defaultOptions def overrideSettings(self): settingsName = platform.system() if settingsName not in self.options: return for key in self.options[settingsName]: self.options[key] = self.options[settingsName][key] def settingsFileLocation(self): folder = os.path.expanduser("~/.asy/") searchOrder = ['.cson', '.yaml', '.json', ''] searchIndex = 0 found = False currentFile = '' while searchIndex < len(searchOrder) and not found: currentFile = os.path.join(folder, self.configName + searchOrder[searchIndex]) if os.path.isfile(currentFile): found = True searchIndex += 1 if found: return os.path.normcase(currentFile) else: return os.path.normcase(os.path.join(folder, self.configName + '.cson')) def __init__(self, configName, defaultConfigLocation): self.configName = configName self.defaultConfigName = defaultConfigLocation self._defaultOptions = None self._defaultOptLocation = os.path.join(defaultConfigLocation) self.options = self.defaultOptions() self.load() self.overrideSettings() def __getitem__(self, item): return self.options[item] def __setitem__(self, key, value): self.options[key] = value def load(self): fileName = self.settingsFileLocation() if not os.path.exists(fileName): # make folder thedir = os.path.dirname(fileName) if not os.path.exists(thedir): os.makedirs(thedir) if not os.path.isdir(thedir): raise Exception("Configuration folder path does not point to a folder") self.setDefaults() f = io.open(fileName, 'r') try: ext = os.path.splitext(fileName)[1] if ext == '.cson': if cson is None: raise ModuleNotFoundError newOptions = cson.loads(f.read()) elif ext in {'.yml', '.yaml'}: if yaml is None: raise ModuleNotFoundError newOptions = yaml.load(f) else: newOptions = json.loads(f.read()) except (IOError, ModuleNotFoundError): self.setDefaults() else: for key in self.options.keys(): if key in newOptions: assert isinstance(newOptions[key], type(self.options[key])) else: newOptions[key] = self.options[key] self.options = newOptions finally: f.close() def setDefaults(self): self.options = self.defaultOptions() if sys.platform[:3] == 'win': # for windows, wince, win32, etc # setAsyPathFromWindowsRegistry() pass folder = os.path.expanduser("~/.asy/") defaultPath = os.path.join(folder, self.configName + '.cson') shutil.copy2(self._defaultOptLocation, defaultPath) # TODO: Figure out how to merge this back. """ def setAsyPathFromWindowsRegistry(): if os.name == 'nt': import _winreg as registry # test both registry locations try: key = registry.OpenKey(registry.HKEY_LOCAL_MACHINE, "Software\\Microsoft\\Windows\\CurrentVersion\\App Paths\\Asymptote") options['asyPath'] = registry.QueryValueEx(key, "Path")[0] + "\\asy.exe" registry.CloseKey(key) except: key = registry.OpenKey(registry.HKEY_LOCAL_MACHINE, "Software\\Microsoft\\Windows\\CurrentVersion\\Uninstall\\Asymptote") options['asyPath'] = registry.QueryValueEx(key, "InstallLocation")[0] + "\\asy.exe" registry.CloseKey(key) """ class BasicConfigs: _configPath = list(configs.__path__)[0] defaultOpt = xasyOptions( 'xasyconfig', os.path.join(_configPath, 'xasyconfig.cson')) keymaps = xasyOptions('xasykeymap', os.path.join( _configPath, 'xasykeymap.cson')) asymptote-2.62/GUI/CustMatTransform.py0000644000000000000000000000665713607467113016466 0ustar rootroot#!/usr/bin/env python3 import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import numpy as np import xasy2asy as x2a from pyUIClass.custMatTransform import Ui_Dialog class CustMatTransform(Qw.QDialog): def __init__(self): super().__init__() self.ui = Ui_Dialog() self.ui.setupUi(self) self.ui.btnAccept.clicked.connect(self.accept) self.ui.btnCancel.clicked.connect(self.reject) self.ui.btnReset.clicked.connect(self.resetDialog) self.mainTransformation = Qg.QTransform() self.mainTransformation.scale(1, -1) self.matrixLineInputs = [ self.ui.lineMat00, self.ui.lineMat01, self.ui.lineMatTx, self.ui.lineMat10, self.ui.lineMat11, self.ui.lineMatTy] validator = Qg.QDoubleValidator() for lineInput in self.matrixLineInputs: lineInput.setValidator(validator) lineInput.textChanged.connect(self.handleUpdateText) def show(self): super().show() self.createCanvas() self.updatePreview() def createCanvas(self): self.canvSize = self.ui.imgPreview.size() self.previewPixmap = Qg.QPixmap(self.canvSize) tx, ty = self.canvSize.width() / 2, self.canvSize.height() / 2 self.mainTransformation.translate(tx, -ty) def handleUpdateText(self, text): if str(text) not in {'.', '-', '.-', '-.'} and str(text): self.updatePreview() self.ui.btnAccept.setEnabled(True) else: self.previewPixmap.fill() self.ui.imgPreview.setPixmap(self.previewPixmap) self.ui.btnAccept.setEnabled(False) def updatePreview(self): self.previewPixmap.fill() canvas = Qg.QPainter(self.previewPixmap) if not canvas.isActive(): return canvas.setTransform(self.mainTransformation) canvas.save() canvas.setPen(Qc.Qt.lightGray) self.drawBasicGrid(canvas) transform = x2a.asyTransform.fromNumpyMatrix(self.getTransformationMatrix()) canvTransform = transform.toQTransform() canvas.setTransform(canvTransform, True) canvas.setPen(Qc.Qt.black) if canvTransform.isInvertible(): self.drawBasicGrid(canvas, False) if canvTransform.determinant() <= 0: canvas.setPen(Qc.Qt.red) canvas.drawRect(Qc.QRect(Qc.QPoint(0, 0), Qc.QSize(20, 20))) self.ui.imgPreview.setPixmap(self.previewPixmap) def resetDialog(self): self.ui.lineMatTx.setText('0') self.ui.lineMatTx.setText('0') self.ui.lineMat00.setText('1') self.ui.lineMat01.setText('0') self.ui.lineMat10.setText('0') self.ui.lineMat11.setText('1') def drawBasicGrid(self, canvas, grid=True): canvas.drawLine(Qc.QLine(-9999, 0, 9999, 0)) canvas.drawLine(Qc.QLine(0, -9999, 0, 9999)) fromIter, toIter = -7, 7 gridSize = 20 if grid: for iterIndex in range(fromIter, toIter + 1): canvas.drawLine(Qc.QLine(-9999, iterIndex * gridSize, 9999, iterIndex * gridSize)) canvas.drawLine(Qc.QLine(iterIndex * gridSize, -9999, iterIndex * gridSize, 9999)) def getTransformationMatrix(self): rawMatrixNum = [float(lineInput.text()) for lineInput in self.matrixLineInputs] rawMatrixNum.extend([0, 0, 1]) return np.matrix(rawMatrixNum).reshape((3, 3)) asymptote-2.62/GUI/xasyFile.py0000644000000000000000000000477213607467113014772 0ustar rootroot#!/usr/bin/env python3 ########################################################################### # # xasyFile implements the loading, parsing, and saving of an xasy file. # # # Author: Orest Shardt # Created: June 29, 2007 # ############################################################################ from string import * import xasy2asy as x2a import io import re class xasyParseError(Exception): """A parsing error""" pass class xasyFileError(Exception): """An i/o error or other error not related to parsing""" pass def extractTransform(line): """Returns key and the new transform.""" # see https://regex101.com/r/6DqkRJ/4 for info mapString = x2a.xasyItem.mapString testMatch = re.match( r'^{0:s}\s*\(\s*\"([^\"]+)\"\s*,\s*\(([-\d, .]+)\)\s*\)'.format(mapString), line.strip()) if testMatch is None: mapOnlyMatch = re.match(r'^{0:s}\s*\(\s *\"([^\"]+)\"\s*\)'.format(mapString), line.strip()) if mapOnlyMatch is None: return None else: key = mapOnlyMatch.group(1) return key, x2a.identity() else: key = testMatch.group(1) rawStr = testMatch.group(2) rawStrArray = rawStr.split(',') if len(rawStrArray) != 6: return None transf = [float(val.strip()) for val in rawStrArray] return key, x2a.asyTransform(transf) def extractTransformsFromFile(fileStr): transfDict = {} maxItemCount = 0 with io.StringIO() as rawCode: for line in fileStr.splitlines(): test_transf = extractTransform(line.rstrip()) if test_transf is None: rawCode.write(line + '\n') else: key, transf = test_transf if key not in transfDict.keys(): transfDict[key] = [] transfDict[key].append(transf) # see https://regex101.com/r/RgeBVc/2 for regex testNum = re.match(r'^x(\d+)($|:.*$)', key) if testNum is not None: maxItemCount = max(maxItemCount, int(testNum.group(1))) final_str = rawCode.getvalue() return final_str, transfDict, maxItemCount def saveFile(file, xasyItems, asy2psmap): """Write a list of xasyItems to a file""" for item in xasyItems: file.write(item.getTransformCode(asy2psmap)) for item in xasyItems: file.write(item.getObjectCode(asy2psmap)) file.write('size('+str(asy2psmap*x2a.yflip())+'); '+ x2a.xasyItem.resizeComment+'\n') asymptote-2.62/GUI/xasyUtils.py0000644000000000000000000000274013607467113015204 0ustar rootroot#!/usr/bin/env python3 import re import typing as ty import math import itertools def tuple2StrWOspaces(val: tuple) -> str: newStr = ','.join(['{:.6g}'.format(value) for value in val]) return '({0})'.format(newStr) def tryParse(val, typ=float): try: return typ(val) except ValueError: return None def funcOnList(list1: ty.Union[ty.List, ty.Tuple], list2: ty.Union[ty.List, ty.Tuple], func: ty.Callable) -> tuple: """Returns [f(x[i], y[i]) : i in 1, ..., n - 1] in order with f as func and x and y as list1 and 2. """ assert len(list1) == len(list2) return tuple([func(list1[i], list2[i]) for i in range(len(list1))]) def listize(str, typ, delim='()') -> list: str = str.strip(delim) raw_elem = str.split(',') final_list = [] if isinstance(typ, (list, tuple)): for i in range(len(raw_elem)): if i < len(typ): curr_typ = typ[i] else: curr_typ = typ[-1] final_list.append(curr_typ(raw_elem[i].strip())) else: for elem in raw_elem: final_list.append(typ(elem.strip())) return final_list def twonorm(vec: ty.Iterable[ty.Union[float, int]]) -> float: rawSquared = sum(map(lambda x: x*x, vec)) return math.sqrt(rawSquared) def tryParseKey(raw_key): """Returns None if raw key is not in #.# format""" # See https://regex101.com/r/6G9MZD/1/ # for the regex data return re.fullmatch(r'^(\d+)\.(\d+)$', raw_key) asymptote-2.62/GUI/xasyValidator.py0000644000000000000000000000035613607467113016032 0ustar rootroot#!/usr/bin/env python3 def validateFloat(text): try: float(text) return True except ValueError: return False if __name__ == '__main__': assert validateFloat('0.5') assert not validateFloat('.-') asymptote-2.62/GUI/pyUIClass/0000755000000000000000000000000013607467177014510 5ustar rootrootasymptote-2.62/GUI/pyUIClass/widg_addLabel.py0000644000000000000000000001573113607467177017573 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/widg_addLabel.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Form(object): def setupUi(self, Form): Form.setObjectName("Form") Form.setWindowModality(QtCore.Qt.NonModal) Form.resize(599, 35) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(Form.sizePolicy().hasHeightForWidth()) Form.setSizePolicy(sizePolicy) Form.setMinimumSize(QtCore.QSize(0, 35)) Form.setMaximumSize(QtCore.QSize(16777215, 35)) self.horizontalLayout_2 = QtWidgets.QHBoxLayout(Form) self.horizontalLayout_2.setContentsMargins(0, 0, 0, 0) self.horizontalLayout_2.setSpacing(0) self.horizontalLayout_2.setObjectName("horizontalLayout_2") self.horizontalLayout = QtWidgets.QHBoxLayout() self.horizontalLayout.setObjectName("horizontalLayout") self.txtLabelText = QtWidgets.QLineEdit(Form) self.txtLabelText.setObjectName("txtLabelText") self.horizontalLayout.addWidget(self.txtLabelText) self.btnAdvancedEdit = QtWidgets.QPushButton(Form) self.btnAdvancedEdit.setMaximumSize(QtCore.QSize(25, 25)) self.btnAdvancedEdit.setText("") icon = QtGui.QIcon() icon.addPixmap(QtGui.QPixmap(":/icons/edit.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnAdvancedEdit.setIcon(icon) self.btnAdvancedEdit.setFlat(True) self.btnAdvancedEdit.setObjectName("btnAdvancedEdit") self.horizontalLayout.addWidget(self.btnAdvancedEdit) self.label = QtWidgets.QLabel(Form) self.label.setObjectName("label") self.horizontalLayout.addWidget(self.label) self.cmbAlign = QtWidgets.QComboBox(Form) self.cmbAlign.setObjectName("cmbAlign") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.cmbAlign.addItem("") self.horizontalLayout.addWidget(self.cmbAlign) self.label_3 = QtWidgets.QLabel(Form) self.label_3.setObjectName("label_3") self.horizontalLayout.addWidget(self.label_3) self.cmbFontSize = QtWidgets.QComboBox(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.cmbFontSize.sizePolicy().hasHeightForWidth()) self.cmbFontSize.setSizePolicy(sizePolicy) self.cmbFontSize.setEditable(True) self.cmbFontSize.setObjectName("cmbFontSize") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.cmbFontSize.addItem("") self.horizontalLayout.addWidget(self.cmbFontSize) self.label_2 = QtWidgets.QLabel(Form) self.label_2.setObjectName("label_2") self.horizontalLayout.addWidget(self.label_2) self.txtShiftX = QtWidgets.QLineEdit(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.txtShiftX.sizePolicy().hasHeightForWidth()) self.txtShiftX.setSizePolicy(sizePolicy) self.txtShiftX.setMaximumSize(QtCore.QSize(50, 16777215)) self.txtShiftX.setObjectName("txtShiftX") self.horizontalLayout.addWidget(self.txtShiftX) self.txtShiftY = QtWidgets.QLineEdit(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.txtShiftY.sizePolicy().hasHeightForWidth()) self.txtShiftY.setSizePolicy(sizePolicy) self.txtShiftY.setMaximumSize(QtCore.QSize(50, 16777215)) self.txtShiftY.setObjectName("txtShiftY") self.horizontalLayout.addWidget(self.txtShiftY) spacerItem = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem) self.horizontalLayout_2.addLayout(self.horizontalLayout) self.retranslateUi(Form) QtCore.QMetaObject.connectSlotsByName(Form) def retranslateUi(self, Form): _translate = QtCore.QCoreApplication.translate Form.setWindowTitle(_translate("Form", "Form")) self.txtLabelText.setToolTip(_translate("Form", "Number of Sides")) self.txtLabelText.setPlaceholderText(_translate("Form", "Text")) self.label.setText(_translate("Form", "Align")) self.cmbAlign.setItemText(0, _translate("Form", "Center")) self.cmbAlign.setItemText(1, _translate("Form", "N")) self.cmbAlign.setItemText(2, _translate("Form", "E")) self.cmbAlign.setItemText(3, _translate("Form", "W")) self.cmbAlign.setItemText(4, _translate("Form", "S")) self.cmbAlign.setItemText(5, _translate("Form", "NW")) self.cmbAlign.setItemText(6, _translate("Form", "NE")) self.cmbAlign.setItemText(7, _translate("Form", "SW")) self.cmbAlign.setItemText(8, _translate("Form", "SE")) self.cmbAlign.setItemText(9, _translate("Form", "Custom")) self.label_3.setText(_translate("Form", "Font Size")) self.cmbFontSize.setItemText(0, _translate("Form", "-")) self.cmbFontSize.setItemText(1, _translate("Form", "8")) self.cmbFontSize.setItemText(2, _translate("Form", "9")) self.cmbFontSize.setItemText(3, _translate("Form", "10")) self.cmbFontSize.setItemText(4, _translate("Form", "11")) self.cmbFontSize.setItemText(5, _translate("Form", "12")) self.cmbFontSize.setItemText(6, _translate("Form", "14")) self.cmbFontSize.setItemText(7, _translate("Form", "18")) self.cmbFontSize.setItemText(8, _translate("Form", "24")) self.cmbFontSize.setItemText(9, _translate("Form", "48")) self.cmbFontSize.setItemText(10, _translate("Form", "72")) self.label_2.setText(_translate("Form", "Custom Align")) self.txtShiftX.setPlaceholderText(_translate("Form", "Shift X")) self.txtShiftY.setPlaceholderText(_translate("Form", "Shift Y")) import icons_rc asymptote-2.62/GUI/pyUIClass/widg_editBezier.py0000644000000000000000000001136113607467177020164 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/widg_editBezier.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Form(object): def setupUi(self, Form): Form.setObjectName("Form") Form.setWindowModality(QtCore.Qt.NonModal) Form.resize(692, 35) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(Form.sizePolicy().hasHeightForWidth()) Form.setSizePolicy(sizePolicy) Form.setMinimumSize(QtCore.QSize(0, 35)) Form.setMaximumSize(QtCore.QSize(16777215, 35)) self.horizontalLayout_2 = QtWidgets.QHBoxLayout(Form) self.horizontalLayout_2.setContentsMargins(0, 0, 0, 0) self.horizontalLayout_2.setSpacing(0) self.horizontalLayout_2.setObjectName("horizontalLayout_2") self.horizontalLayout = QtWidgets.QHBoxLayout() self.horizontalLayout.setObjectName("horizontalLayout") self.cmbLockMode = QtWidgets.QComboBox(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.cmbLockMode.sizePolicy().hasHeightForWidth()) self.cmbLockMode.setSizePolicy(sizePolicy) self.cmbLockMode.setObjectName("cmbLockMode") self.cmbLockMode.addItem("") self.cmbLockMode.addItem("") self.cmbLockMode.addItem("") self.horizontalLayout.addWidget(self.cmbLockMode) spacerItem = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem) self.chkRecompute = QtWidgets.QCheckBox(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.chkRecompute.sizePolicy().hasHeightForWidth()) self.chkRecompute.setSizePolicy(sizePolicy) self.chkRecompute.setObjectName("chkRecompute") self.horizontalLayout.addWidget(self.chkRecompute) self.btnForceRecompute = QtWidgets.QPushButton(Form) self.btnForceRecompute.setObjectName("btnForceRecompute") self.horizontalLayout.addWidget(self.btnForceRecompute) self.btnOk = QtWidgets.QPushButton(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnOk.sizePolicy().hasHeightForWidth()) self.btnOk.setSizePolicy(sizePolicy) self.btnOk.setMaximumSize(QtCore.QSize(25, 25)) icon = QtGui.QIcon() icon.addPixmap(QtGui.QPixmap(":/icons/check.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnOk.setIcon(icon) self.btnOk.setFlat(True) self.btnOk.setObjectName("btnOk") self.horizontalLayout.addWidget(self.btnOk) self.btnCancel = QtWidgets.QPushButton(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnCancel.sizePolicy().hasHeightForWidth()) self.btnCancel.setSizePolicy(sizePolicy) self.btnCancel.setMaximumSize(QtCore.QSize(25, 25)) icon1 = QtGui.QIcon() icon1.addPixmap(QtGui.QPixmap(":/icons/close-round.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnCancel.setIcon(icon1) self.btnCancel.setFlat(True) self.btnCancel.setObjectName("btnCancel") self.horizontalLayout.addWidget(self.btnCancel) self.horizontalLayout_2.addLayout(self.horizontalLayout) self.retranslateUi(Form) self.cmbLockMode.setCurrentIndex(1) QtCore.QMetaObject.connectSlotsByName(Form) def retranslateUi(self, Form): _translate = QtCore.QCoreApplication.translate Form.setWindowTitle(_translate("Form", "Form")) self.cmbLockMode.setItemText(0, _translate("Form", "No Lock")) self.cmbLockMode.setItemText(1, _translate("Form", "Lock Angle")) self.cmbLockMode.setItemText(2, _translate("Form", "Lock Angle & Scale")) self.chkRecompute.setText(_translate("Form", "Recompute Path")) self.btnForceRecompute.setText(_translate("Form", "Recompute Once")) import icons_rc asymptote-2.62/GUI/pyUIClass/setCustomAnchor.py0000644000000000000000000000541113607467177020204 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/setCustomAnchor.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Dialog(object): def setupUi(self, Dialog): Dialog.setObjectName("Dialog") Dialog.resize(245, 161) self.verticalLayoutWidget = QtWidgets.QWidget(Dialog) self.verticalLayoutWidget.setGeometry(QtCore.QRect(20, 20, 201, 121)) self.verticalLayoutWidget.setObjectName("verticalLayoutWidget") self.verticalLayout = QtWidgets.QVBoxLayout(self.verticalLayoutWidget) self.verticalLayout.setContentsMargins(0, 0, 0, 0) self.verticalLayout.setObjectName("verticalLayout") self.formLayout = QtWidgets.QFormLayout() self.formLayout.setFieldGrowthPolicy(QtWidgets.QFormLayout.AllNonFixedFieldsGrow) self.formLayout.setObjectName("formLayout") self.label = QtWidgets.QLabel(self.verticalLayoutWidget) self.label.setObjectName("label") self.formLayout.setWidget(1, QtWidgets.QFormLayout.LabelRole, self.label) self.lineEditX = QtWidgets.QLineEdit(self.verticalLayoutWidget) self.lineEditX.setObjectName("lineEditX") self.formLayout.setWidget(1, QtWidgets.QFormLayout.FieldRole, self.lineEditX) self.label_2 = QtWidgets.QLabel(self.verticalLayoutWidget) self.label_2.setObjectName("label_2") self.formLayout.setWidget(2, QtWidgets.QFormLayout.LabelRole, self.label_2) self.lineEditY = QtWidgets.QLineEdit(self.verticalLayoutWidget) self.lineEditY.setObjectName("lineEditY") self.formLayout.setWidget(2, QtWidgets.QFormLayout.FieldRole, self.lineEditY) self.verticalLayout.addLayout(self.formLayout) self.buttonBox = QtWidgets.QDialogButtonBox(self.verticalLayoutWidget) self.buttonBox.setOrientation(QtCore.Qt.Horizontal) self.buttonBox.setStandardButtons(QtWidgets.QDialogButtonBox.Cancel|QtWidgets.QDialogButtonBox.Ok|QtWidgets.QDialogButtonBox.Reset) self.buttonBox.setObjectName("buttonBox") self.verticalLayout.addWidget(self.buttonBox) self.retranslateUi(Dialog) self.buttonBox.accepted.connect(Dialog.accept) self.buttonBox.rejected.connect(Dialog.reject) QtCore.QMetaObject.connectSlotsByName(Dialog) def retranslateUi(self, Dialog): _translate = QtCore.QCoreApplication.translate Dialog.setWindowTitle(_translate("Dialog", "Set Custom Anchor")) self.label.setText(_translate("Dialog", "X:")) self.lineEditX.setText(_translate("Dialog", "0")) self.label_2.setText(_translate("Dialog", "Y:")) self.lineEditY.setText(_translate("Dialog", "0")) asymptote-2.62/GUI/pyUIClass/widg_addPolyOpt.py0000644000000000000000000000422113607467176020151 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/widg_addPolyOpt.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Form(object): def setupUi(self, Form): Form.setObjectName("Form") Form.setWindowModality(QtCore.Qt.NonModal) Form.resize(326, 35) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(Form.sizePolicy().hasHeightForWidth()) Form.setSizePolicy(sizePolicy) Form.setMinimumSize(QtCore.QSize(0, 35)) Form.setMaximumSize(QtCore.QSize(16777215, 35)) self.horizontalLayout_2 = QtWidgets.QHBoxLayout(Form) self.horizontalLayout_2.setContentsMargins(0, 0, 0, 0) self.horizontalLayout_2.setSpacing(0) self.horizontalLayout_2.setObjectName("horizontalLayout_2") self.horizontalLayout = QtWidgets.QHBoxLayout() self.horizontalLayout.setObjectName("horizontalLayout") self.chkInscribed = QtWidgets.QCheckBox(Form) self.chkInscribed.setObjectName("chkInscribed") self.horizontalLayout.addWidget(self.chkInscribed) self.txtSides = QtWidgets.QLineEdit(Form) self.txtSides.setObjectName("txtSides") self.horizontalLayout.addWidget(self.txtSides) spacerItem = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem) self.horizontalLayout_2.addLayout(self.horizontalLayout) self.retranslateUi(Form) QtCore.QMetaObject.connectSlotsByName(Form) def retranslateUi(self, Form): _translate = QtCore.QCoreApplication.translate Form.setWindowTitle(_translate("Form", "Form")) self.chkInscribed.setText(_translate("Form", "Start at Vertex")) self.txtSides.setToolTip(_translate("Form", "Number of Sides")) self.txtSides.setPlaceholderText(_translate("Form", "Sides")) asymptote-2.62/GUI/pyUIClass/window1.py0000644000000000000000000015650613607467176016466 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/window1.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_MainWindow(object): def setupUi(self, MainWindow): MainWindow.setObjectName("MainWindow") MainWindow.resize(1000, 600) self.centralwidget = QtWidgets.QWidget(MainWindow) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Preferred, QtWidgets.QSizePolicy.Preferred) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.centralwidget.sizePolicy().hasHeightForWidth()) self.centralwidget.setSizePolicy(sizePolicy) self.centralwidget.setMouseTracking(True) self.centralwidget.setObjectName("centralwidget") self.horizontalLayout_4 = QtWidgets.QHBoxLayout(self.centralwidget) self.horizontalLayout_4.setContentsMargins(0, 0, 0, 0) self.horizontalLayout_4.setSpacing(0) self.horizontalLayout_4.setObjectName("horizontalLayout_4") self.mainWidget = QtWidgets.QWidget(self.centralwidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.mainWidget.sizePolicy().hasHeightForWidth()) self.mainWidget.setSizePolicy(sizePolicy) self.mainWidget.setMouseTracking(True) self.mainWidget.setObjectName("mainWidget") self.verticalLayout = QtWidgets.QVBoxLayout(self.mainWidget) self.verticalLayout.setContentsMargins(2, 2, 2, 2) self.verticalLayout.setSpacing(4) self.verticalLayout.setObjectName("verticalLayout") self.menuFrame = QtWidgets.QFrame(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.menuFrame.sizePolicy().hasHeightForWidth()) self.menuFrame.setSizePolicy(sizePolicy) self.menuFrame.setFrameShape(QtWidgets.QFrame.NoFrame) self.menuFrame.setObjectName("menuFrame") self.horizontalLayout = QtWidgets.QHBoxLayout(self.menuFrame) self.horizontalLayout.setSizeConstraint(QtWidgets.QLayout.SetMinimumSize) self.horizontalLayout.setContentsMargins(0, 0, 0, 0) self.horizontalLayout.setSpacing(4) self.horizontalLayout.setObjectName("horizontalLayout") self.btnUndo = QtWidgets.QPushButton(self.menuFrame) self.btnUndo.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnUndo.sizePolicy().hasHeightForWidth()) self.btnUndo.setSizePolicy(sizePolicy) self.btnUndo.setMaximumSize(QtCore.QSize(25, 25)) self.btnUndo.setBaseSize(QtCore.QSize(32, 32)) self.btnUndo.setText("") icon = QtGui.QIcon() icon.addPixmap(QtGui.QPixmap(":/icons/android-arrow-back.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnUndo.setIcon(icon) self.btnUndo.setIconSize(QtCore.QSize(16, 16)) self.btnUndo.setFlat(True) self.btnUndo.setObjectName("btnUndo") self.horizontalLayout.addWidget(self.btnUndo) self.btnRedo = QtWidgets.QPushButton(self.menuFrame) self.btnRedo.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnRedo.sizePolicy().hasHeightForWidth()) self.btnRedo.setSizePolicy(sizePolicy) self.btnRedo.setMaximumSize(QtCore.QSize(25, 25)) self.btnRedo.setBaseSize(QtCore.QSize(32, 32)) self.btnRedo.setText("") icon1 = QtGui.QIcon() icon1.addPixmap(QtGui.QPixmap(":/icons/android-arrow-forward.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnRedo.setIcon(icon1) self.btnRedo.setIconSize(QtCore.QSize(16, 16)) self.btnRedo.setFlat(True) self.btnRedo.setObjectName("btnRedo") self.horizontalLayout.addWidget(self.btnRedo) self.btnLoadFile = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnLoadFile.sizePolicy().hasHeightForWidth()) self.btnLoadFile.setSizePolicy(sizePolicy) self.btnLoadFile.setMaximumSize(QtCore.QSize(25, 25)) self.btnLoadFile.setBaseSize(QtCore.QSize(32, 32)) self.btnLoadFile.setText("") icon2 = QtGui.QIcon() icon2.addPixmap(QtGui.QPixmap(":/icons/android-folder-open.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnLoadFile.setIcon(icon2) self.btnLoadFile.setIconSize(QtCore.QSize(16, 16)) self.btnLoadFile.setFlat(True) self.btnLoadFile.setObjectName("btnLoadFile") self.horizontalLayout.addWidget(self.btnLoadFile) self.btnSave = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnSave.sizePolicy().hasHeightForWidth()) self.btnSave.setSizePolicy(sizePolicy) self.btnSave.setMaximumSize(QtCore.QSize(25, 25)) self.btnSave.setBaseSize(QtCore.QSize(32, 32)) self.btnSave.setText("") icon3 = QtGui.QIcon() icon3.addPixmap(QtGui.QPixmap(":/icons/save.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnSave.setIcon(icon3) self.btnSave.setIconSize(QtCore.QSize(16, 16)) self.btnSave.setFlat(True) self.btnSave.setObjectName("btnSave") self.horizontalLayout.addWidget(self.btnSave) self.btnViewCode = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnViewCode.sizePolicy().hasHeightForWidth()) self.btnViewCode.setSizePolicy(sizePolicy) self.btnViewCode.setMaximumSize(QtCore.QSize(24, 24)) self.btnViewCode.setBaseSize(QtCore.QSize(20, 20)) self.btnViewCode.setText("") icon4 = QtGui.QIcon() icon4.addPixmap(QtGui.QPixmap(":/icons/code.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnViewCode.setIcon(icon4) self.btnViewCode.setIconSize(QtCore.QSize(16, 16)) self.btnViewCode.setFlat(True) self.btnViewCode.setObjectName("btnViewCode") self.horizontalLayout.addWidget(self.btnViewCode) self.btnQuickScreenshot = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnQuickScreenshot.sizePolicy().hasHeightForWidth()) self.btnQuickScreenshot.setSizePolicy(sizePolicy) self.btnQuickScreenshot.setMaximumSize(QtCore.QSize(25, 25)) self.btnQuickScreenshot.setBaseSize(QtCore.QSize(32, 32)) self.btnQuickScreenshot.setText("") icon5 = QtGui.QIcon() icon5.addPixmap(QtGui.QPixmap(":/icons/android-camera.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnQuickScreenshot.setIcon(icon5) self.btnQuickScreenshot.setIconSize(QtCore.QSize(16, 16)) self.btnQuickScreenshot.setFlat(True) self.btnQuickScreenshot.setObjectName("btnQuickScreenshot") self.horizontalLayout.addWidget(self.btnQuickScreenshot) spacerItem = QtWidgets.QSpacerItem(20, 20, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem) self.btnDrawAxes = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnDrawAxes.sizePolicy().hasHeightForWidth()) self.btnDrawAxes.setSizePolicy(sizePolicy) self.btnDrawAxes.setMaximumSize(QtCore.QSize(25, 25)) self.btnDrawAxes.setBaseSize(QtCore.QSize(32, 32)) font = QtGui.QFont() font.setFamily("Roboto") font.setBold(True) font.setWeight(75) self.btnDrawAxes.setFont(font) self.btnDrawAxes.setText("") icon6 = QtGui.QIcon() icon6.addPixmap(QtGui.QPixmap(":/icons/plus-round.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnDrawAxes.setIcon(icon6) self.btnDrawAxes.setIconSize(QtCore.QSize(16, 16)) self.btnDrawAxes.setCheckable(True) self.btnDrawAxes.setChecked(True) self.btnDrawAxes.setFlat(True) self.btnDrawAxes.setObjectName("btnDrawAxes") self.horizontalLayout.addWidget(self.btnDrawAxes) self.btnDrawGrid = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnDrawGrid.sizePolicy().hasHeightForWidth()) self.btnDrawGrid.setSizePolicy(sizePolicy) self.btnDrawGrid.setMaximumSize(QtCore.QSize(25, 25)) self.btnDrawGrid.setBaseSize(QtCore.QSize(32, 32)) font = QtGui.QFont() font.setFamily("Roboto") font.setBold(True) font.setWeight(75) self.btnDrawGrid.setFont(font) self.btnDrawGrid.setText("") icon7 = QtGui.QIcon() icon7.addPixmap(QtGui.QPixmap(":/icons/grid.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnDrawGrid.setIcon(icon7) self.btnDrawGrid.setIconSize(QtCore.QSize(16, 16)) self.btnDrawGrid.setCheckable(True) self.btnDrawGrid.setChecked(False) self.btnDrawGrid.setFlat(True) self.btnDrawGrid.setObjectName("btnDrawGrid") self.horizontalLayout.addWidget(self.btnDrawGrid) self.btnSetZoom = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnSetZoom.sizePolicy().hasHeightForWidth()) self.btnSetZoom.setSizePolicy(sizePolicy) self.btnSetZoom.setMaximumSize(QtCore.QSize(25, 25)) self.btnSetZoom.setBaseSize(QtCore.QSize(32, 32)) self.btnSetZoom.setText("") icon8 = QtGui.QIcon() icon8.addPixmap(QtGui.QPixmap(":/icons/magnifying-glass.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnSetZoom.setIcon(icon8) self.btnSetZoom.setIconSize(QtCore.QSize(16, 16)) self.btnSetZoom.setFlat(True) self.btnSetZoom.setObjectName("btnSetZoom") self.horizontalLayout.addWidget(self.btnSetZoom) self.btnPanCenter = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnPanCenter.sizePolicy().hasHeightForWidth()) self.btnPanCenter.setSizePolicy(sizePolicy) self.btnPanCenter.setMaximumSize(QtCore.QSize(25, 25)) self.btnPanCenter.setBaseSize(QtCore.QSize(32, 32)) self.btnPanCenter.setText("") icon9 = QtGui.QIcon() icon9.addPixmap(QtGui.QPixmap(":/icons/center.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnPanCenter.setIcon(icon9) self.btnPanCenter.setIconSize(QtCore.QSize(16, 16)) self.btnPanCenter.setFlat(True) self.btnPanCenter.setObjectName("btnPanCenter") self.horizontalLayout.addWidget(self.btnPanCenter) self.btnResetPan = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnResetPan.sizePolicy().hasHeightForWidth()) self.btnResetPan.setSizePolicy(sizePolicy) self.btnResetPan.setMaximumSize(QtCore.QSize(25, 25)) self.btnResetPan.setBaseSize(QtCore.QSize(32, 32)) self.btnResetPan.setText("") icon10 = QtGui.QIcon() icon10.addPixmap(QtGui.QPixmap(":/icons/centerorigin.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnResetPan.setIcon(icon10) self.btnResetPan.setIconSize(QtCore.QSize(16, 16)) self.btnResetPan.setFlat(True) self.btnResetPan.setObjectName("btnResetPan") self.horizontalLayout.addWidget(self.btnResetPan) self.btnAlignX = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnAlignX.sizePolicy().hasHeightForWidth()) self.btnAlignX.setSizePolicy(sizePolicy) self.btnAlignX.setMaximumSize(QtCore.QSize(25, 25)) self.btnAlignX.setBaseSize(QtCore.QSize(32, 32)) font = QtGui.QFont() font.setFamily("Roboto") font.setBold(True) font.setWeight(75) self.btnAlignX.setFont(font) self.btnAlignX.setIconSize(QtCore.QSize(16, 16)) self.btnAlignX.setCheckable(True) self.btnAlignX.setFlat(True) self.btnAlignX.setObjectName("btnAlignX") self.horizontalLayout.addWidget(self.btnAlignX) self.btnAlignY = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnAlignY.sizePolicy().hasHeightForWidth()) self.btnAlignY.setSizePolicy(sizePolicy) self.btnAlignY.setMaximumSize(QtCore.QSize(25, 25)) self.btnAlignY.setBaseSize(QtCore.QSize(32, 32)) font = QtGui.QFont() font.setBold(True) font.setWeight(75) self.btnAlignY.setFont(font) self.btnAlignY.setIconSize(QtCore.QSize(16, 16)) self.btnAlignY.setCheckable(True) self.btnAlignY.setFlat(True) self.btnAlignY.setObjectName("btnAlignY") self.horizontalLayout.addWidget(self.btnAlignY) spacerItem1 = QtWidgets.QSpacerItem(20, 20, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem1) self.btnSelectEdit = QtWidgets.QPushButton(self.menuFrame) self.btnSelectEdit.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnSelectEdit.sizePolicy().hasHeightForWidth()) self.btnSelectEdit.setSizePolicy(sizePolicy) self.btnSelectEdit.setMaximumSize(QtCore.QSize(25, 25)) self.btnSelectEdit.setText("") icon11 = QtGui.QIcon() icon11.addPixmap(QtGui.QPixmap(":/icons/edit.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnSelectEdit.setIcon(icon11) self.btnSelectEdit.setIconSize(QtCore.QSize(16, 16)) self.btnSelectEdit.setFlat(True) self.btnSelectEdit.setObjectName("btnSelectEdit") self.horizontalLayout.addWidget(self.btnSelectEdit) self.btnDeleteMode = QtWidgets.QPushButton(self.menuFrame) self.btnDeleteMode.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnDeleteMode.sizePolicy().hasHeightForWidth()) self.btnDeleteMode.setSizePolicy(sizePolicy) self.btnDeleteMode.setMaximumSize(QtCore.QSize(25, 25)) self.btnDeleteMode.setBaseSize(QtCore.QSize(32, 32)) self.btnDeleteMode.setText("") icon12 = QtGui.QIcon() icon12.addPixmap(QtGui.QPixmap(":/icons/android-delete.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnDeleteMode.setIcon(icon12) self.btnDeleteMode.setIconSize(QtCore.QSize(16, 16)) self.btnDeleteMode.setCheckable(False) self.btnDeleteMode.setFlat(True) self.btnDeleteMode.setObjectName("btnDeleteMode") self.horizontalLayout.addWidget(self.btnDeleteMode) spacerItem2 = QtWidgets.QSpacerItem(20, 20, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem2) self.btnPan = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnPan.sizePolicy().hasHeightForWidth()) self.btnPan.setSizePolicy(sizePolicy) self.btnPan.setMaximumSize(QtCore.QSize(25, 25)) self.btnPan.setBaseSize(QtCore.QSize(32, 32)) self.btnPan.setText("") icon13 = QtGui.QIcon() icon13.addPixmap(QtGui.QPixmap(":/icons/android-hand.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnPan.setIcon(icon13) self.btnPan.setIconSize(QtCore.QSize(16, 16)) self.btnPan.setCheckable(True) self.btnPan.setFlat(True) self.btnPan.setObjectName("btnPan") self.horizontalLayout.addWidget(self.btnPan) self.btnTranslate = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnTranslate.sizePolicy().hasHeightForWidth()) self.btnTranslate.setSizePolicy(sizePolicy) self.btnTranslate.setMaximumSize(QtCore.QSize(25, 25)) self.btnTranslate.setBaseSize(QtCore.QSize(32, 32)) self.btnTranslate.setText("") icon14 = QtGui.QIcon() icon14.addPixmap(QtGui.QPixmap(":/icons/arrow-move.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnTranslate.setIcon(icon14) self.btnTranslate.setIconSize(QtCore.QSize(16, 16)) self.btnTranslate.setCheckable(True) self.btnTranslate.setChecked(True) self.btnTranslate.setFlat(True) self.btnTranslate.setObjectName("btnTranslate") self.horizontalLayout.addWidget(self.btnTranslate) self.btnScale = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnScale.sizePolicy().hasHeightForWidth()) self.btnScale.setSizePolicy(sizePolicy) self.btnScale.setMaximumSize(QtCore.QSize(25, 25)) self.btnScale.setBaseSize(QtCore.QSize(32, 32)) self.btnScale.setText("") icon15 = QtGui.QIcon() icon15.addPixmap(QtGui.QPixmap(":/icons/arrow-resize.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnScale.setIcon(icon15) self.btnScale.setIconSize(QtCore.QSize(16, 16)) self.btnScale.setCheckable(True) self.btnScale.setFlat(True) self.btnScale.setObjectName("btnScale") self.horizontalLayout.addWidget(self.btnScale) self.btnRotate = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnRotate.sizePolicy().hasHeightForWidth()) self.btnRotate.setSizePolicy(sizePolicy) self.btnRotate.setMaximumSize(QtCore.QSize(25, 25)) self.btnRotate.setBaseSize(QtCore.QSize(32, 32)) self.btnRotate.setText("") icon16 = QtGui.QIcon() icon16.addPixmap(QtGui.QPixmap(":/icons/android-refresh.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnRotate.setIcon(icon16) self.btnRotate.setIconSize(QtCore.QSize(16, 16)) self.btnRotate.setCheckable(True) self.btnRotate.setFlat(True) self.btnRotate.setObjectName("btnRotate") self.horizontalLayout.addWidget(self.btnRotate) spacerItem3 = QtWidgets.QSpacerItem(20, 20, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem3) self.btnAnchor = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnAnchor.sizePolicy().hasHeightForWidth()) self.btnAnchor.setSizePolicy(sizePolicy) self.btnAnchor.setMaximumSize(QtCore.QSize(25, 25)) self.btnAnchor.setBaseSize(QtCore.QSize(32, 32)) self.btnAnchor.setText("") icon17 = QtGui.QIcon() icon17.addPixmap(QtGui.QPixmap(":/icons/anchor.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnAnchor.setIcon(icon17) self.btnAnchor.setIconSize(QtCore.QSize(16, 16)) self.btnAnchor.setCheckable(True) self.btnAnchor.setChecked(False) self.btnAnchor.setFlat(True) self.btnAnchor.setObjectName("btnAnchor") self.horizontalLayout.addWidget(self.btnAnchor) self.comboAnchor = QtWidgets.QComboBox(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Preferred, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.comboAnchor.sizePolicy().hasHeightForWidth()) self.comboAnchor.setSizePolicy(sizePolicy) self.comboAnchor.setMinimumSize(QtCore.QSize(127, 0)) self.comboAnchor.setMaximumSize(QtCore.QSize(127, 25)) self.comboAnchor.setLayoutDirection(QtCore.Qt.LeftToRight) self.comboAnchor.setEditable(False) self.comboAnchor.setInsertPolicy(QtWidgets.QComboBox.InsertAtCurrent) self.comboAnchor.setSizeAdjustPolicy(QtWidgets.QComboBox.AdjustToContentsOnFirstShow) self.comboAnchor.setIconSize(QtCore.QSize(0, 0)) self.comboAnchor.setDuplicatesEnabled(False) self.comboAnchor.setFrame(False) self.comboAnchor.setModelColumn(0) self.comboAnchor.setObjectName("comboAnchor") self.comboAnchor.addItem("") self.comboAnchor.addItem("") self.comboAnchor.addItem("") self.comboAnchor.addItem("") self.comboAnchor.addItem("") self.comboAnchor.addItem("") self.comboAnchor.addItem("") self.horizontalLayout.addWidget(self.comboAnchor) self.btnToggleVisible = QtWidgets.QPushButton(self.menuFrame) self.btnToggleVisible.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnToggleVisible.sizePolicy().hasHeightForWidth()) self.btnToggleVisible.setSizePolicy(sizePolicy) self.btnToggleVisible.setMaximumSize(QtCore.QSize(25, 25)) self.btnToggleVisible.setBaseSize(QtCore.QSize(32, 32)) self.btnToggleVisible.setText("") icon18 = QtGui.QIcon() icon18.addPixmap(QtGui.QPixmap(":/icons/eye.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnToggleVisible.setIcon(icon18) self.btnToggleVisible.setIconSize(QtCore.QSize(16, 16)) self.btnToggleVisible.setCheckable(False) self.btnToggleVisible.setFlat(True) self.btnToggleVisible.setObjectName("btnToggleVisible") self.horizontalLayout.addWidget(self.btnToggleVisible) self.btnCustTransform = QtWidgets.QPushButton(self.menuFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnCustTransform.sizePolicy().hasHeightForWidth()) self.btnCustTransform.setSizePolicy(sizePolicy) self.btnCustTransform.setMaximumSize(QtCore.QSize(25, 25)) self.btnCustTransform.setBaseSize(QtCore.QSize(32, 32)) self.btnCustTransform.setText("") icon19 = QtGui.QIcon() icon19.addPixmap(QtGui.QPixmap(":/icons/android-expand.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnCustTransform.setIcon(icon19) self.btnCustTransform.setIconSize(QtCore.QSize(16, 16)) self.btnCustTransform.setFlat(True) self.btnCustTransform.setObjectName("btnCustTransform") self.horizontalLayout.addWidget(self.btnCustTransform) self.btnSendBackwards = QtWidgets.QPushButton(self.menuFrame) self.btnSendBackwards.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnSendBackwards.sizePolicy().hasHeightForWidth()) self.btnSendBackwards.setSizePolicy(sizePolicy) self.btnSendBackwards.setMaximumSize(QtCore.QSize(25, 25)) self.btnSendBackwards.setBaseSize(QtCore.QSize(32, 32)) self.btnSendBackwards.setText("") icon20 = QtGui.QIcon() icon20.addPixmap(QtGui.QPixmap(":/icons/chevron-with-circle-left.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnSendBackwards.setIcon(icon20) self.btnSendBackwards.setIconSize(QtCore.QSize(16, 16)) self.btnSendBackwards.setFlat(True) self.btnSendBackwards.setObjectName("btnSendBackwards") self.horizontalLayout.addWidget(self.btnSendBackwards) self.btnSendForwards = QtWidgets.QPushButton(self.menuFrame) self.btnSendForwards.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnSendForwards.sizePolicy().hasHeightForWidth()) self.btnSendForwards.setSizePolicy(sizePolicy) self.btnSendForwards.setMaximumSize(QtCore.QSize(25, 25)) self.btnSendForwards.setBaseSize(QtCore.QSize(32, 32)) self.btnSendForwards.setText("") icon21 = QtGui.QIcon() icon21.addPixmap(QtGui.QPixmap(":/icons/chevron-with-circle-right.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnSendForwards.setIcon(icon21) self.btnSendForwards.setIconSize(QtCore.QSize(16, 16)) self.btnSendForwards.setFlat(True) self.btnSendForwards.setObjectName("btnSendForwards") self.horizontalLayout.addWidget(self.btnSendForwards) spacerItem4 = QtWidgets.QSpacerItem(40, 25, QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem4) self.btnUndo.raise_() self.btnRedo.raise_() self.btnLoadFile.raise_() self.btnSave.raise_() self.btnViewCode.raise_() self.btnQuickScreenshot.raise_() self.btnDrawAxes.raise_() self.btnDrawGrid.raise_() self.btnSetZoom.raise_() self.btnPanCenter.raise_() self.btnResetPan.raise_() self.btnAlignX.raise_() self.btnAlignY.raise_() self.btnPan.raise_() self.btnTranslate.raise_() self.btnScale.raise_() self.btnCustTransform.raise_() self.btnSendBackwards.raise_() self.btnSendForwards.raise_() self.comboAnchor.raise_() self.btnToggleVisible.raise_() self.btnAnchor.raise_() self.btnRotate.raise_() self.btnSelectEdit.raise_() self.btnDeleteMode.raise_() self.verticalLayout.addWidget(self.menuFrame) self.horizontalLayout_2 = QtWidgets.QHBoxLayout() self.horizontalLayout_2.setSpacing(4) self.horizontalLayout_2.setObjectName("horizontalLayout_2") self.verticalLayout_2 = QtWidgets.QVBoxLayout() self.verticalLayout_2.setSpacing(3) self.verticalLayout_2.setObjectName("verticalLayout_2") self.addOption = QtWidgets.QHBoxLayout() self.addOption.setSizeConstraint(QtWidgets.QLayout.SetDefaultConstraint) self.addOption.setContentsMargins(6, -1, -1, 0) self.addOption.setSpacing(6) self.addOption.setObjectName("addOption") self.btnFill = QtWidgets.QPushButton(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnFill.sizePolicy().hasHeightForWidth()) self.btnFill.setSizePolicy(sizePolicy) self.btnFill.setMaximumSize(QtCore.QSize(32, 32)) self.btnFill.setBaseSize(QtCore.QSize(32, 32)) self.btnFill.setAutoFillBackground(False) self.btnFill.setStyleSheet("") self.btnFill.setText("") icon22 = QtGui.QIcon() icon22.addPixmap(QtGui.QPixmap(":/icons/bucket.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) icon22.addPixmap(QtGui.QPixmap(":/icons/filledbucket.svg"), QtGui.QIcon.Normal, QtGui.QIcon.On) self.btnFill.setIcon(icon22) self.btnFill.setIconSize(QtCore.QSize(16, 16)) self.btnFill.setCheckable(True) self.btnFill.setDefault(False) self.btnFill.setFlat(True) self.btnFill.setObjectName("btnFill") self.addOption.addWidget(self.btnFill) self.addOptionLayout = QtWidgets.QGridLayout() self.addOptionLayout.setSpacing(6) self.addOptionLayout.setObjectName("addOptionLayout") self.addOption.addLayout(self.addOptionLayout) spacerItem5 = QtWidgets.QSpacerItem(40, 35, QtWidgets.QSizePolicy.MinimumExpanding, QtWidgets.QSizePolicy.Minimum) self.addOption.addItem(spacerItem5) self.label = QtWidgets.QLabel(self.mainWidget) self.label.setObjectName("label") self.addOption.addWidget(self.label) self.txtLineWidth = QtWidgets.QLineEdit(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.txtLineWidth.sizePolicy().hasHeightForWidth()) self.txtLineWidth.setSizePolicy(sizePolicy) self.txtLineWidth.setMaximumSize(QtCore.QSize(75, 16777215)) self.txtLineWidth.setObjectName("txtLineWidth") self.addOption.addWidget(self.txtLineWidth) self.frameCurrColor = QtWidgets.QFrame(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.frameCurrColor.sizePolicy().hasHeightForWidth()) self.frameCurrColor.setSizePolicy(sizePolicy) self.frameCurrColor.setMinimumSize(QtCore.QSize(15, 15)) self.frameCurrColor.setAutoFillBackground(False) self.frameCurrColor.setStyleSheet("QFrame{ \n" "padding: 4.0;\n" "border-radius: 3.0; \n" "background: rgb(0, 0, 0)\n" "}") self.frameCurrColor.setFrameShape(QtWidgets.QFrame.StyledPanel) self.frameCurrColor.setFrameShadow(QtWidgets.QFrame.Sunken) self.frameCurrColor.setObjectName("frameCurrColor") self.addOption.addWidget(self.frameCurrColor) self.btnSelectColor = QtWidgets.QPushButton(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnSelectColor.sizePolicy().hasHeightForWidth()) self.btnSelectColor.setSizePolicy(sizePolicy) self.btnSelectColor.setMaximumSize(QtCore.QSize(25, 25)) self.btnSelectColor.setBaseSize(QtCore.QSize(32, 32)) self.btnSelectColor.setAutoFillBackground(False) self.btnSelectColor.setStyleSheet("") self.btnSelectColor.setText("") icon23 = QtGui.QIcon() icon23.addPixmap(QtGui.QPixmap(":/icons/android-color-palette.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnSelectColor.setIcon(icon23) self.btnSelectColor.setIconSize(QtCore.QSize(16, 16)) self.btnSelectColor.setDefault(False) self.btnSelectColor.setFlat(True) self.btnSelectColor.setObjectName("btnSelectColor") self.addOption.addWidget(self.btnSelectColor) self.verticalLayout_2.addLayout(self.addOption) self.horizontalLayout_7 = QtWidgets.QHBoxLayout() self.horizontalLayout_7.setContentsMargins(-1, 6, -1, -1) self.horizontalLayout_7.setSpacing(6) self.horizontalLayout_7.setObjectName("horizontalLayout_7") self.formFrame = QtWidgets.QFrame(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Preferred) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.formFrame.sizePolicy().hasHeightForWidth()) self.formFrame.setSizePolicy(sizePolicy) self.formFrame.setFrameShape(QtWidgets.QFrame.NoFrame) self.formFrame.setFrameShadow(QtWidgets.QFrame.Plain) self.formFrame.setLineWidth(0) self.formFrame.setObjectName("formFrame") self.formLayout = QtWidgets.QFormLayout(self.formFrame) self.formLayout.setContentsMargins(0, 0, 0, 0) self.formLayout.setSpacing(0) self.formLayout.setObjectName("formLayout") self.btnOpenPoly = QtWidgets.QPushButton(self.formFrame) self.btnOpenPoly.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnOpenPoly.sizePolicy().hasHeightForWidth()) self.btnOpenPoly.setSizePolicy(sizePolicy) self.btnOpenPoly.setMaximumSize(QtCore.QSize(32, 32)) self.btnOpenPoly.setText("") icon24 = QtGui.QIcon() icon24.addPixmap(QtGui.QPixmap(":/icons/openpolygon.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnOpenPoly.setIcon(icon24) self.btnOpenPoly.setIconSize(QtCore.QSize(16, 16)) self.btnOpenPoly.setFlat(True) self.btnOpenPoly.setObjectName("btnOpenPoly") self.formLayout.setWidget(4, QtWidgets.QFormLayout.LabelRole, self.btnOpenPoly) self.btnClosedPoly = QtWidgets.QPushButton(self.formFrame) self.btnClosedPoly.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnClosedPoly.sizePolicy().hasHeightForWidth()) self.btnClosedPoly.setSizePolicy(sizePolicy) self.btnClosedPoly.setMaximumSize(QtCore.QSize(32, 32)) self.btnClosedPoly.setText("") icon25 = QtGui.QIcon() icon25.addPixmap(QtGui.QPixmap(":/icons/closedpolygon.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnClosedPoly.setIcon(icon25) self.btnClosedPoly.setIconSize(QtCore.QSize(16, 16)) self.btnClosedPoly.setFlat(True) self.btnClosedPoly.setObjectName("btnClosedPoly") self.formLayout.setWidget(5, QtWidgets.QFormLayout.LabelRole, self.btnClosedPoly) self.btnOpenCurve = QtWidgets.QPushButton(self.formFrame) self.btnOpenCurve.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnOpenCurve.sizePolicy().hasHeightForWidth()) self.btnOpenCurve.setSizePolicy(sizePolicy) self.btnOpenCurve.setMaximumSize(QtCore.QSize(32, 32)) self.btnOpenCurve.setText("") icon26 = QtGui.QIcon() icon26.addPixmap(QtGui.QPixmap(":/icons/opencurve.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnOpenCurve.setIcon(icon26) self.btnOpenCurve.setIconSize(QtCore.QSize(16, 16)) self.btnOpenCurve.setFlat(True) self.btnOpenCurve.setObjectName("btnOpenCurve") self.formLayout.setWidget(6, QtWidgets.QFormLayout.LabelRole, self.btnOpenCurve) self.btnClosedCurve = QtWidgets.QPushButton(self.formFrame) self.btnClosedCurve.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnClosedCurve.sizePolicy().hasHeightForWidth()) self.btnClosedCurve.setSizePolicy(sizePolicy) self.btnClosedCurve.setMaximumSize(QtCore.QSize(32, 32)) self.btnClosedCurve.setText("") icon27 = QtGui.QIcon() icon27.addPixmap(QtGui.QPixmap(":/icons/closedcurve.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnClosedCurve.setIcon(icon27) self.btnClosedCurve.setIconSize(QtCore.QSize(16, 16)) self.btnClosedCurve.setFlat(True) self.btnClosedCurve.setObjectName("btnClosedCurve") self.formLayout.setWidget(7, QtWidgets.QFormLayout.LabelRole, self.btnClosedCurve) self.btnAddPoly = QtWidgets.QPushButton(self.formFrame) self.btnAddPoly.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnAddPoly.sizePolicy().hasHeightForWidth()) self.btnAddPoly.setSizePolicy(sizePolicy) self.btnAddPoly.setMaximumSize(QtCore.QSize(32, 32)) self.btnAddPoly.setText("") icon28 = QtGui.QIcon() icon28.addPixmap(QtGui.QPixmap(":/icons/triangle-stroked-15.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnAddPoly.setIcon(icon28) self.btnAddPoly.setIconSize(QtCore.QSize(16, 16)) self.btnAddPoly.setFlat(True) self.btnAddPoly.setObjectName("btnAddPoly") self.formLayout.setWidget(8, QtWidgets.QFormLayout.LabelRole, self.btnAddPoly) self.btnAddCircle = QtWidgets.QPushButton(self.formFrame) self.btnAddCircle.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnAddCircle.sizePolicy().hasHeightForWidth()) self.btnAddCircle.setSizePolicy(sizePolicy) self.btnAddCircle.setMaximumSize(QtCore.QSize(32, 32)) self.btnAddCircle.setText("") icon29 = QtGui.QIcon() icon29.addPixmap(QtGui.QPixmap(":/icons/circle.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnAddCircle.setIcon(icon29) self.btnAddCircle.setIconSize(QtCore.QSize(16, 16)) self.btnAddCircle.setFlat(True) self.btnAddCircle.setObjectName("btnAddCircle") self.formLayout.setWidget(10, QtWidgets.QFormLayout.LabelRole, self.btnAddCircle) self.btnAddLabel = QtWidgets.QPushButton(self.formFrame) self.btnAddLabel.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Maximum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnAddLabel.sizePolicy().hasHeightForWidth()) self.btnAddLabel.setSizePolicy(sizePolicy) self.btnAddLabel.setMaximumSize(QtCore.QSize(32, 32)) self.btnAddLabel.setText("") icon30 = QtGui.QIcon() icon30.addPixmap(QtGui.QPixmap(":/icons/text.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnAddLabel.setIcon(icon30) self.btnAddLabel.setIconSize(QtCore.QSize(16, 16)) self.btnAddLabel.setFlat(True) self.btnAddLabel.setObjectName("btnAddLabel") self.formLayout.setWidget(11, QtWidgets.QFormLayout.LabelRole, self.btnAddLabel) self.horizontalLayout_7.addWidget(self.formFrame) self.imgFrame = QtWidgets.QFrame(self.mainWidget) self.imgFrame.setMinimumSize(QtCore.QSize(0, 6)) self.imgFrame.setMouseTracking(True) self.imgFrame.setFrameShape(QtWidgets.QFrame.NoFrame) self.imgFrame.setFrameShadow(QtWidgets.QFrame.Raised) self.imgFrame.setObjectName("imgFrame") self.gridLayout = QtWidgets.QGridLayout(self.imgFrame) self.gridLayout.setContentsMargins(0, 0, 0, 0) self.gridLayout.setSpacing(0) self.gridLayout.setObjectName("gridLayout") self.imgLabel = QtWidgets.QLabel(self.imgFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Expanding) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.imgLabel.sizePolicy().hasHeightForWidth()) self.imgLabel.setSizePolicy(sizePolicy) self.imgLabel.setMouseTracking(True) self.imgLabel.setFrameShape(QtWidgets.QFrame.Panel) self.imgLabel.setText("") self.imgLabel.setAlignment(QtCore.Qt.AlignLeading|QtCore.Qt.AlignLeft|QtCore.Qt.AlignTop) self.imgLabel.setObjectName("imgLabel") self.gridLayout.addWidget(self.imgLabel, 0, 1, 1, 1) self.horizontalLayout_7.addWidget(self.imgFrame) self.verticalLayout_2.addLayout(self.horizontalLayout_7) self.horizontalLayout_3 = QtWidgets.QHBoxLayout() self.horizontalLayout_3.setSizeConstraint(QtWidgets.QLayout.SetDefaultConstraint) self.horizontalLayout_3.setContentsMargins(-1, 0, -1, -1) self.horizontalLayout_3.setSpacing(0) self.horizontalLayout_3.setObjectName("horizontalLayout_3") self.btnTogglePython = QtWidgets.QPushButton(self.mainWidget) self.btnTogglePython.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnTogglePython.sizePolicy().hasHeightForWidth()) self.btnTogglePython.setSizePolicy(sizePolicy) self.btnTogglePython.setText("") icon31 = QtGui.QIcon() icon31.addPixmap(QtGui.QPixmap(":/icons/social-python.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnTogglePython.setIcon(icon31) self.btnTogglePython.setIconSize(QtCore.QSize(16, 16)) self.btnTogglePython.setCheckable(True) self.btnTogglePython.setFlat(True) self.btnTogglePython.setObjectName("btnTogglePython") self.horizontalLayout_3.addWidget(self.btnTogglePython) self.txtTerminalPrompt = QtWidgets.QLineEdit(self.mainWidget) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.txtTerminalPrompt.sizePolicy().hasHeightForWidth()) self.txtTerminalPrompt.setSizePolicy(sizePolicy) self.txtTerminalPrompt.setObjectName("txtTerminalPrompt") self.horizontalLayout_3.addWidget(self.txtTerminalPrompt) self.btnEnterCommand = QtWidgets.QPushButton(self.mainWidget) self.btnEnterCommand.setEnabled(True) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnEnterCommand.sizePolicy().hasHeightForWidth()) self.btnEnterCommand.setSizePolicy(sizePolicy) self.btnEnterCommand.setText("") icon32 = QtGui.QIcon() icon32.addPixmap(QtGui.QPixmap(":/icons/subdirectory-left.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnEnterCommand.setIcon(icon32) self.btnEnterCommand.setIconSize(QtCore.QSize(16, 16)) self.btnEnterCommand.setFlat(True) self.btnEnterCommand.setObjectName("btnEnterCommand") self.horizontalLayout_3.addWidget(self.btnEnterCommand) self.verticalLayout_2.addLayout(self.horizontalLayout_3) self.horizontalLayout_2.addLayout(self.verticalLayout_2) self.verticalLayout.addLayout(self.horizontalLayout_2) self.horizontalLayout_4.addWidget(self.mainWidget) MainWindow.setCentralWidget(self.centralwidget) self.menubar = QtWidgets.QMenuBar(MainWindow) self.menubar.setGeometry(QtCore.QRect(0, 0, 1000, 29)) self.menubar.setObjectName("menubar") self.menuFIle = QtWidgets.QMenu(self.menubar) self.menuFIle.setObjectName("menuFIle") self.menuEdit = QtWidgets.QMenu(self.menubar) self.menuEdit.setObjectName("menuEdit") self.menuOptions = QtWidgets.QMenu(self.menubar) self.menuOptions.setObjectName("menuOptions") self.menuHelp = QtWidgets.QMenu(self.menubar) self.menuHelp.setObjectName("menuHelp") self.menuTools = QtWidgets.QMenu(self.menubar) self.menuTools.setObjectName("menuTools") MainWindow.setMenuBar(self.menubar) self.statusbar = QtWidgets.QStatusBar(MainWindow) self.statusbar.setSizeGripEnabled(False) self.statusbar.setObjectName("statusbar") MainWindow.setStatusBar(self.statusbar) self.actionAbout = QtWidgets.QAction(MainWindow) self.actionAbout.setObjectName("actionAbout") self.actionManual = QtWidgets.QAction(MainWindow) self.actionManual.setObjectName("actionManual") self.actionSettings = QtWidgets.QAction(MainWindow) self.actionSettings.setObjectName("actionSettings") self.actionPause = QtWidgets.QAction(MainWindow) self.actionPause.setObjectName("actionPause") self.actionSaveAs = QtWidgets.QAction(MainWindow) self.actionSaveAs.setObjectName("actionSaveAs") self.actionEnterCommand = QtWidgets.QAction(MainWindow) self.actionEnterCommand.setObjectName("actionEnterCommand") self.actionQuit = QtWidgets.QAction(MainWindow) self.actionQuit.setObjectName("actionQuit") self.actionUndo = QtWidgets.QAction(MainWindow) self.actionUndo.setEnabled(False) self.actionUndo.setObjectName("actionUndo") self.actionRedo = QtWidgets.QAction(MainWindow) self.actionRedo.setEnabled(False) self.actionRedo.setObjectName("actionRedo") self.actionShow_Grid = QtWidgets.QAction(MainWindow) self.actionShow_Grid.setObjectName("actionShow_Grid") self.actionShow_Local_Grid = QtWidgets.QAction(MainWindow) self.actionShow_Local_Grid.setObjectName("actionShow_Local_Grid") self.actionTransform = QtWidgets.QAction(MainWindow) self.actionTransform.setObjectName("actionTransform") self.actionExportAsymptote = QtWidgets.QAction(MainWindow) self.actionExportAsymptote.setObjectName("actionExportAsymptote") self.actionSave = QtWidgets.QAction(MainWindow) self.actionSave.setObjectName("actionSave") self.actionOpen = QtWidgets.QAction(MainWindow) self.actionOpen.setObjectName("actionOpen") self.menuFIle.addAction(self.actionOpen) self.menuFIle.addAction(self.actionSave) self.menuFIle.addAction(self.actionSaveAs) self.menuFIle.addAction(self.actionExportAsymptote) self.menuFIle.addSeparator() self.menuFIle.addAction(self.actionQuit) self.menuEdit.addAction(self.actionUndo) self.menuEdit.addAction(self.actionRedo) self.menuEdit.addSeparator() self.menuOptions.addAction(self.actionSettings) self.menuHelp.addAction(self.actionManual) self.menuHelp.addAction(self.actionAbout) self.menuTools.addAction(self.actionEnterCommand) self.menubar.addAction(self.menuFIle.menuAction()) self.menubar.addAction(self.menuEdit.menuAction()) self.menubar.addAction(self.menuOptions.menuAction()) self.menubar.addAction(self.menuTools.menuAction()) self.menubar.addAction(self.menuHelp.menuAction()) self.retranslateUi(MainWindow) self.comboAnchor.setCurrentIndex(0) QtCore.QMetaObject.connectSlotsByName(MainWindow) def retranslateUi(self, MainWindow): _translate = QtCore.QCoreApplication.translate MainWindow.setWindowTitle(_translate("MainWindow", "xasy")) self.btnUndo.setToolTip(_translate("MainWindow", "Undo")) self.btnRedo.setToolTip(_translate("MainWindow", "Redo")) self.btnLoadFile.setToolTip(_translate("MainWindow", "

    Open file

    ")) self.btnSave.setToolTip(_translate("MainWindow", "

    Save file

    ")) self.btnViewCode.setToolTip(_translate("MainWindow", "

    Edit code

    ")) self.btnQuickScreenshot.setToolTip(_translate("MainWindow", "

    Screenshot

    ")) self.btnDrawAxes.setToolTip(_translate("MainWindow", "

    Toggle display axes

    ")) self.btnDrawGrid.setToolTip(_translate("MainWindow", "

    Toggle grid

    ")) self.btnSetZoom.setToolTip(_translate("MainWindow", "Zoom")) self.btnPanCenter.setToolTip(_translate("MainWindow", "

    Center

    ")) self.btnResetPan.setToolTip(_translate("MainWindow", "

    Center about origin

    ")) self.btnAlignX.setToolTip(_translate("MainWindow", "

    Lock transform to X axis

    ")) self.btnAlignX.setText(_translate("MainWindow", "X")) self.btnAlignY.setToolTip(_translate("MainWindow", "

    Lock transform to Y axis

    ")) self.btnAlignY.setText(_translate("MainWindow", "Y")) self.btnSelectEdit.setToolTip(_translate("MainWindow", "

    Bézier editor

    ")) self.btnDeleteMode.setToolTip(_translate("MainWindow", "

    Delete

    ")) self.btnPan.setToolTip(_translate("MainWindow", "Pan")) self.btnTranslate.setToolTip(_translate("MainWindow", "Translate")) self.btnScale.setToolTip(_translate("MainWindow", "Scale")) self.btnRotate.setToolTip(_translate("MainWindow", "Rotate")) self.btnAnchor.setToolTip(_translate("MainWindow", "

    Set custom anchor

    ")) self.comboAnchor.setToolTip(_translate("MainWindow", "

    Anchor

    ")) self.comboAnchor.setCurrentText(_translate("MainWindow", "Center")) self.comboAnchor.setItemText(0, _translate("MainWindow", "Center")) self.comboAnchor.setItemText(1, _translate("MainWindow", "Origin")) self.comboAnchor.setItemText(2, _translate("MainWindow", "Top Left")) self.comboAnchor.setItemText(3, _translate("MainWindow", "Top Right")) self.comboAnchor.setItemText(4, _translate("MainWindow", "Bottom Right")) self.comboAnchor.setItemText(5, _translate("MainWindow", "Bottom Left")) self.comboAnchor.setItemText(6, _translate("MainWindow", "Custom")) self.btnCustTransform.setToolTip(_translate("MainWindow", "


    ")) self.btnSendBackwards.setToolTip(_translate("MainWindow", "


    ")) self.btnSendForwards.setToolTip(_translate("MainWindow", "Translate")) self.btnFill.setToolTip(_translate("MainWindow", "

    Toggle fill/outline

    ")) self.label.setText(_translate("MainWindow", "Line Width:")) self.txtLineWidth.setToolTip(_translate("MainWindow", "

    Current pen width

    ")) self.frameCurrColor.setToolTip(_translate("MainWindow", "

    Current pen color

    ")) self.btnSelectColor.setToolTip(_translate("MainWindow", "

    Set color

    ")) self.btnOpenPoly.setToolTip(_translate("MainWindow", "

    Open polygon

    ")) self.btnClosedPoly.setToolTip(_translate("MainWindow", "

    Closed polygon

    ")) self.btnOpenCurve.setToolTip(_translate("MainWindow", "

    Open Bézier curve

    ")) self.btnClosedCurve.setToolTip(_translate("MainWindow", "

    Closed Bézier curve

    ")) self.btnAddPoly.setToolTip(_translate("MainWindow", "

    Regular polygon

    ")) self.btnAddCircle.setToolTip(_translate("MainWindow", "

    Circle

    ")) self.btnAddLabel.setToolTip(_translate("MainWindow", "

    Text

    ")) self.menuFIle.setTitle(_translate("MainWindow", "&File")) self.menuEdit.setTitle(_translate("MainWindow", "&Edit")) self.menuOptions.setTitle(_translate("MainWindow", "Optio&ns")) self.menuHelp.setTitle(_translate("MainWindow", "&Help")) self.menuTools.setTitle(_translate("MainWindow", "&Tools")) self.actionAbout.setText(_translate("MainWindow", "&About")) self.actionManual.setText(_translate("MainWindow", "&Manual")) self.actionSettings.setText(_translate("MainWindow", "&Settings")) self.actionPause.setText(_translate("MainWindow", "Pause ")) self.actionSaveAs.setText(_translate("MainWindow", "&Save As")) self.actionEnterCommand.setText(_translate("MainWindow", "&Enter Command")) self.actionQuit.setText(_translate("MainWindow", "&Quit")) self.actionUndo.setText(_translate("MainWindow", "&Undo")) self.actionRedo.setText(_translate("MainWindow", "&Redo")) self.actionShow_Grid.setText(_translate("MainWindow", "&Show Grid")) self.actionShow_Local_Grid.setText(_translate("MainWindow", "Show &Local Grid")) self.actionTransform.setText(_translate("MainWindow", "&Transform")) self.actionExportAsymptote.setText(_translate("MainWindow", "Export")) self.actionSave.setText(_translate("MainWindow", "Save")) self.actionOpen.setText(_translate("MainWindow", "Open")) import icons_rc asymptote-2.62/GUI/pyUIClass/custMatTransform.py0000644000000000000000000002333113607467177020400 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/custMatTransform.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Dialog(object): def setupUi(self, Dialog): Dialog.setObjectName("Dialog") Dialog.resize(500, 320) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(Dialog.sizePolicy().hasHeightForWidth()) Dialog.setSizePolicy(sizePolicy) Dialog.setMinimumSize(QtCore.QSize(500, 320)) Dialog.setMaximumSize(QtCore.QSize(500, 320)) Dialog.setMouseTracking(False) icon = QtGui.QIcon() icon.addPixmap(QtGui.QPixmap(":/icons/android-expand.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) Dialog.setWindowIcon(icon) Dialog.setSizeGripEnabled(True) Dialog.setModal(False) self.centralFrame = QtWidgets.QFrame(Dialog) self.centralFrame.setGeometry(QtCore.QRect(20, 20, 461, 271)) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Preferred, QtWidgets.QSizePolicy.Expanding) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.centralFrame.sizePolicy().hasHeightForWidth()) self.centralFrame.setSizePolicy(sizePolicy) self.centralFrame.setBaseSize(QtCore.QSize(0, 0)) self.centralFrame.setObjectName("centralFrame") self.verticalLayout_3 = QtWidgets.QVBoxLayout(self.centralFrame) self.verticalLayout_3.setSpacing(4) self.verticalLayout_3.setObjectName("verticalLayout_3") self.horizontalLayout = QtWidgets.QHBoxLayout() self.horizontalLayout.setObjectName("horizontalLayout") self.horizontalLayout_3 = QtWidgets.QHBoxLayout() self.horizontalLayout_3.setObjectName("horizontalLayout_3") self.verticalLayout = QtWidgets.QVBoxLayout() self.verticalLayout.setObjectName("verticalLayout") self.label = QtWidgets.QLabel(self.centralFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Preferred, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.label.sizePolicy().hasHeightForWidth()) self.label.setSizePolicy(sizePolicy) self.label.setObjectName("label") self.verticalLayout.addWidget(self.label) self.gridFrame = QtWidgets.QFrame(self.centralFrame) self.gridFrame.setFrameShape(QtWidgets.QFrame.Box) self.gridFrame.setObjectName("gridFrame") self.gridLayout = QtWidgets.QGridLayout(self.gridFrame) self.gridLayout.setObjectName("gridLayout") self.lineMat00 = QtWidgets.QLineEdit(self.gridFrame) self.lineMat00.setMaximumSize(QtCore.QSize(70, 16777215)) self.lineMat00.setObjectName("lineMat00") self.gridLayout.addWidget(self.lineMat00, 1, 0, 1, 1) self.lineMat11 = QtWidgets.QLineEdit(self.gridFrame) self.lineMat11.setMaximumSize(QtCore.QSize(70, 16777215)) self.lineMat11.setObjectName("lineMat11") self.gridLayout.addWidget(self.lineMat11, 2, 1, 1, 1) self.lineMat10 = QtWidgets.QLineEdit(self.gridFrame) self.lineMat10.setMaximumSize(QtCore.QSize(70, 16777215)) self.lineMat10.setObjectName("lineMat10") self.gridLayout.addWidget(self.lineMat10, 2, 0, 1, 1) self.lineMat01 = QtWidgets.QLineEdit(self.gridFrame) self.lineMat01.setMaximumSize(QtCore.QSize(70, 16777215)) self.lineMat01.setObjectName("lineMat01") self.gridLayout.addWidget(self.lineMat01, 1, 1, 1, 1) self.verticalLayout.addWidget(self.gridFrame) self.horizontalLayout_3.addLayout(self.verticalLayout) spacerItem = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout_3.addItem(spacerItem) self.verticalLayout_4 = QtWidgets.QVBoxLayout() self.verticalLayout_4.setObjectName("verticalLayout_4") self.label_3 = QtWidgets.QLabel(self.centralFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.label_3.sizePolicy().hasHeightForWidth()) self.label_3.setSizePolicy(sizePolicy) self.label_3.setObjectName("label_3") self.verticalLayout_4.addWidget(self.label_3) self.gridFrame_2 = QtWidgets.QFrame(self.centralFrame) self.gridFrame_2.setFrameShape(QtWidgets.QFrame.Box) self.gridFrame_2.setObjectName("gridFrame_2") self.gridLayout_2 = QtWidgets.QGridLayout(self.gridFrame_2) self.gridLayout_2.setObjectName("gridLayout_2") self.lineMatTy = QtWidgets.QLineEdit(self.gridFrame_2) self.lineMatTy.setMaximumSize(QtCore.QSize(70, 16777215)) self.lineMatTy.setObjectName("lineMatTy") self.gridLayout_2.addWidget(self.lineMatTy, 2, 1, 1, 1) self.lineMatTx = QtWidgets.QLineEdit(self.gridFrame_2) self.lineMatTx.setMaximumSize(QtCore.QSize(70, 16777215)) self.lineMatTx.setObjectName("lineMatTx") self.gridLayout_2.addWidget(self.lineMatTx, 1, 1, 1, 1) self.verticalLayout_4.addWidget(self.gridFrame_2) self.horizontalLayout_3.addLayout(self.verticalLayout_4) self.horizontalLayout.addLayout(self.horizontalLayout_3) spacerItem1 = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem1) self.verticalLayout_2 = QtWidgets.QVBoxLayout() self.verticalLayout_2.setObjectName("verticalLayout_2") self.label_2 = QtWidgets.QLabel(self.centralFrame) self.label_2.setObjectName("label_2") self.verticalLayout_2.addWidget(self.label_2) self.imgPreview = QtWidgets.QLabel(self.centralFrame) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Minimum) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.imgPreview.sizePolicy().hasHeightForWidth()) self.imgPreview.setSizePolicy(sizePolicy) self.imgPreview.setMinimumSize(QtCore.QSize(150, 150)) self.imgPreview.setBaseSize(QtCore.QSize(300, 300)) self.imgPreview.setFrameShape(QtWidgets.QFrame.Box) self.imgPreview.setText("") self.imgPreview.setObjectName("imgPreview") self.verticalLayout_2.addWidget(self.imgPreview) self.horizontalLayout.addLayout(self.verticalLayout_2) self.verticalLayout_3.addLayout(self.horizontalLayout) self.lblAnchor = QtWidgets.QLabel(self.centralFrame) self.lblAnchor.setAlignment(QtCore.Qt.AlignRight|QtCore.Qt.AlignTrailing|QtCore.Qt.AlignVCenter) self.lblAnchor.setObjectName("lblAnchor") self.verticalLayout_3.addWidget(self.lblAnchor) self.lblCoordsMode = QtWidgets.QLabel(self.centralFrame) self.lblCoordsMode.setAlignment(QtCore.Qt.AlignRight|QtCore.Qt.AlignTrailing|QtCore.Qt.AlignVCenter) self.lblCoordsMode.setObjectName("lblCoordsMode") self.verticalLayout_3.addWidget(self.lblCoordsMode) spacerItem2 = QtWidgets.QSpacerItem(20, 40, QtWidgets.QSizePolicy.Minimum, QtWidgets.QSizePolicy.Expanding) self.verticalLayout_3.addItem(spacerItem2) self.horizontalLayout_2 = QtWidgets.QHBoxLayout() self.horizontalLayout_2.setObjectName("horizontalLayout_2") spacerItem3 = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout_2.addItem(spacerItem3) self.btnReset = QtWidgets.QPushButton(self.centralFrame) self.btnReset.setObjectName("btnReset") self.horizontalLayout_2.addWidget(self.btnReset) self.btnCancel = QtWidgets.QPushButton(self.centralFrame) self.btnCancel.setObjectName("btnCancel") self.horizontalLayout_2.addWidget(self.btnCancel) self.btnAccept = QtWidgets.QPushButton(self.centralFrame) self.btnAccept.setObjectName("btnAccept") self.horizontalLayout_2.addWidget(self.btnAccept) self.verticalLayout_3.addLayout(self.horizontalLayout_2) self.retranslateUi(Dialog) QtCore.QMetaObject.connectSlotsByName(Dialog) def retranslateUi(self, Dialog): _translate = QtCore.QCoreApplication.translate Dialog.setWindowTitle(_translate("Dialog", "Set Custom Transformation")) self.label.setText(_translate("Dialog", "Transformation Matrix")) self.lineMat00.setText(_translate("Dialog", "1")) self.lineMat11.setText(_translate("Dialog", "1")) self.lineMat10.setText(_translate("Dialog", "0")) self.lineMat01.setText(_translate("Dialog", "0")) self.label_3.setText(_translate("Dialog", "Translation")) self.lineMatTy.setText(_translate("Dialog", "0")) self.lineMatTx.setText(_translate("Dialog", "0")) self.label_2.setText(_translate("Dialog", "Preview:")) self.imgPreview.setToolTip(_translate("Dialog", "Shows a red square if transformation determinant is negative.")) self.lblAnchor.setText(_translate("Dialog", "Anchor: Top Left")) self.lblCoordsMode.setText(_translate("Dialog", "Coordinates: Global")) self.btnReset.setText(_translate("Dialog", "Reset")) self.btnCancel.setText(_translate("Dialog", "Cancel")) self.btnAccept.setText(_translate("Dialog", "Accept")) import icons_rc asymptote-2.62/GUI/pyUIClass/widgetPointEditor.py0000644000000000000000000001107413607467177020531 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/widgetPointEditor.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Form(object): def setupUi(self, Form): Form.setObjectName("Form") Form.resize(324, 67) self.verticalLayout = QtWidgets.QVBoxLayout(Form) self.verticalLayout.setObjectName("verticalLayout") self.nameLabel = QtWidgets.QLabel(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Preferred, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.nameLabel.sizePolicy().hasHeightForWidth()) self.nameLabel.setSizePolicy(sizePolicy) self.nameLabel.setObjectName("nameLabel") self.verticalLayout.addWidget(self.nameLabel) self.horizontalLayout = QtWidgets.QHBoxLayout() self.horizontalLayout.setObjectName("horizontalLayout") self.lineXorA = QtWidgets.QLineEdit(Form) self.lineXorA.setEnabled(False) self.lineXorA.setReadOnly(False) self.lineXorA.setObjectName("lineXorA") self.horizontalLayout.addWidget(self.lineXorA) self.lineYorM = QtWidgets.QLineEdit(Form) self.lineYorM.setEnabled(False) self.lineYorM.setAutoFillBackground(False) self.lineYorM.setReadOnly(False) self.lineYorM.setObjectName("lineYorM") self.horizontalLayout.addWidget(self.lineYorM) self.btnRelative = QtWidgets.QPushButton(Form) self.btnRelative.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnRelative.sizePolicy().hasHeightForWidth()) self.btnRelative.setSizePolicy(sizePolicy) self.btnRelative.setText("") icon = QtGui.QIcon() icon.addPixmap(QtGui.QPixmap(":/icons/android-locate.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnRelative.setIcon(icon) self.btnRelative.setCheckable(True) self.btnRelative.setFlat(False) self.btnRelative.setObjectName("btnRelative") self.horizontalLayout.addWidget(self.btnRelative) self.btnPolar = QtWidgets.QPushButton(Form) self.btnPolar.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnPolar.sizePolicy().hasHeightForWidth()) self.btnPolar.setSizePolicy(sizePolicy) self.btnPolar.setText("") icon1 = QtGui.QIcon() icon1.addPixmap(QtGui.QPixmap(":/icons/android-radio-button-off.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnPolar.setIcon(icon1) self.btnPolar.setCheckable(True) self.btnPolar.setFlat(False) self.btnPolar.setObjectName("btnPolar") self.horizontalLayout.addWidget(self.btnPolar) self.btnManualAdj = QtWidgets.QPushButton(Form) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Fixed, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.btnManualAdj.sizePolicy().hasHeightForWidth()) self.btnManualAdj.setSizePolicy(sizePolicy) self.btnManualAdj.setText("") icon2 = QtGui.QIcon() icon2.addPixmap(QtGui.QPixmap(":/icons/edit.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnManualAdj.setIcon(icon2) self.btnManualAdj.setCheckable(True) self.btnManualAdj.setFlat(False) self.btnManualAdj.setObjectName("btnManualAdj") self.horizontalLayout.addWidget(self.btnManualAdj) self.verticalLayout.addLayout(self.horizontalLayout) self.retranslateUi(Form) QtCore.QMetaObject.connectSlotsByName(Form) def retranslateUi(self, Form): _translate = QtCore.QCoreApplication.translate Form.setWindowTitle(_translate("Form", "Form")) self.nameLabel.setText(_translate("Form", "Left Control Point")) self.lineXorA.setToolTip(_translate("Form", "X")) self.lineXorA.setPlaceholderText(_translate("Form", "X")) self.lineYorM.setToolTip(_translate("Form", "X")) self.lineYorM.setPlaceholderText(_translate("Form", "Y")) import icons_rc asymptote-2.62/GUI/pyUIClass/labelTextEditor.py0000644000000000000000000001401213607467177020153 0ustar rootroot# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'GUI/windows/labelTextEditor.ui' # # Created by: PyQt5 UI code generator 5.13.1 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Dialog(object): def setupUi(self, Dialog): Dialog.setObjectName("Dialog") Dialog.resize(473, 424) self.verticalLayout = QtWidgets.QVBoxLayout(Dialog) self.verticalLayout.setObjectName("verticalLayout") self.frame = QtWidgets.QFrame(Dialog) self.frame.setFrameShape(QtWidgets.QFrame.StyledPanel) self.frame.setFrameShadow(QtWidgets.QFrame.Raised) self.frame.setObjectName("frame") self.verticalLayout_3 = QtWidgets.QVBoxLayout(self.frame) self.verticalLayout_3.setObjectName("verticalLayout_3") self.gridLayout = QtWidgets.QGridLayout() self.gridLayout.setContentsMargins(-1, 0, -1, -1) self.gridLayout.setObjectName("gridLayout") spacerItem = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.gridLayout.addItem(spacerItem, 0, 2, 1, 1) self.chkMathMode = QtWidgets.QCheckBox(self.frame) self.chkMathMode.setObjectName("chkMathMode") self.gridLayout.addWidget(self.chkMathMode, 0, 0, 1, 1) self.cmbMathStyle = QtWidgets.QComboBox(self.frame) self.cmbMathStyle.setEnabled(False) sizePolicy = QtWidgets.QSizePolicy(QtWidgets.QSizePolicy.Maximum, QtWidgets.QSizePolicy.Fixed) sizePolicy.setHorizontalStretch(0) sizePolicy.setVerticalStretch(0) sizePolicy.setHeightForWidth(self.cmbMathStyle.sizePolicy().hasHeightForWidth()) self.cmbMathStyle.setSizePolicy(sizePolicy) self.cmbMathStyle.setMinimumSize(QtCore.QSize(100, 0)) self.cmbMathStyle.setObjectName("cmbMathStyle") self.cmbMathStyle.addItem("") self.cmbMathStyle.addItem("") self.cmbMathStyle.addItem("") self.gridLayout.addWidget(self.cmbMathStyle, 0, 1, 1, 1) self.verticalLayout_3.addLayout(self.gridLayout) self.verticalLayout_2 = QtWidgets.QVBoxLayout() self.verticalLayout_2.setObjectName("verticalLayout_2") self.txtLabelEdit = QtWidgets.QPlainTextEdit(self.frame) self.txtLabelEdit.setObjectName("txtLabelEdit") self.verticalLayout_2.addWidget(self.txtLabelEdit) self.verticalLayout_3.addLayout(self.verticalLayout_2) self.verticalLayout_4 = QtWidgets.QVBoxLayout() self.verticalLayout_4.setContentsMargins(-1, 0, -1, -1) self.verticalLayout_4.setObjectName("verticalLayout_4") self.label = QtWidgets.QLabel(self.frame) self.label.setObjectName("label") self.verticalLayout_4.addWidget(self.label) self.lblLabelPreview = QtWidgets.QLabel(self.frame) self.lblLabelPreview.setMinimumSize(QtCore.QSize(0, 100)) self.lblLabelPreview.setFrameShape(QtWidgets.QFrame.Box) self.lblLabelPreview.setText("") self.lblLabelPreview.setObjectName("lblLabelPreview") self.verticalLayout_4.addWidget(self.lblLabelPreview) self.verticalLayout_3.addLayout(self.verticalLayout_4) self.horizontalLayout = QtWidgets.QHBoxLayout() self.horizontalLayout.setObjectName("horizontalLayout") spacerItem1 = QtWidgets.QSpacerItem(40, 20, QtWidgets.QSizePolicy.Expanding, QtWidgets.QSizePolicy.Minimum) self.horizontalLayout.addItem(spacerItem1) self.btnGetText = QtWidgets.QPushButton(self.frame) self.btnGetText.setMaximumSize(QtCore.QSize(32, 32)) self.btnGetText.setText("") icon = QtGui.QIcon() icon.addPixmap(QtGui.QPixmap(":/icons/text.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnGetText.setIcon(icon) self.btnGetText.setFlat(True) self.btnGetText.setObjectName("btnGetText") self.horizontalLayout.addWidget(self.btnGetText) self.btnPreview = QtWidgets.QPushButton(self.frame) self.btnPreview.setMaximumSize(QtCore.QSize(32, 32)) self.btnPreview.setText("") icon1 = QtGui.QIcon() icon1.addPixmap(QtGui.QPixmap(":/icons/eye.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnPreview.setIcon(icon1) self.btnPreview.setFlat(True) self.btnPreview.setObjectName("btnPreview") self.horizontalLayout.addWidget(self.btnPreview) self.btnCancel = QtWidgets.QPushButton(self.frame) self.btnCancel.setMaximumSize(QtCore.QSize(32, 32)) self.btnCancel.setText("") icon2 = QtGui.QIcon() icon2.addPixmap(QtGui.QPixmap(":/icons/android-close.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnCancel.setIcon(icon2) self.btnCancel.setFlat(True) self.btnCancel.setObjectName("btnCancel") self.horizontalLayout.addWidget(self.btnCancel) self.btnAccept = QtWidgets.QPushButton(self.frame) self.btnAccept.setMaximumSize(QtCore.QSize(32, 32)) self.btnAccept.setText("") icon3 = QtGui.QIcon() icon3.addPixmap(QtGui.QPixmap(":/icons/android-done.svg"), QtGui.QIcon.Normal, QtGui.QIcon.Off) self.btnAccept.setIcon(icon3) self.btnAccept.setFlat(True) self.btnAccept.setObjectName("btnAccept") self.horizontalLayout.addWidget(self.btnAccept) self.verticalLayout_3.addLayout(self.horizontalLayout) self.verticalLayout.addWidget(self.frame) self.retranslateUi(Dialog) QtCore.QMetaObject.connectSlotsByName(Dialog) def retranslateUi(self, Dialog): _translate = QtCore.QCoreApplication.translate Dialog.setWindowTitle(_translate("Dialog", "Dialog")) self.chkMathMode.setText(_translate("Dialog", "Math Mode")) self.cmbMathStyle.setItemText(0, _translate("Dialog", "Inline Style")) self.cmbMathStyle.setItemText(1, _translate("Dialog", "Display Style")) self.cmbMathStyle.setItemText(2, _translate("Dialog", "Script Style")) self.label.setText(_translate("Dialog", "Preview")) import icons_rc asymptote-2.62/GUI/Widg_editBezier.py0000644000000000000000000000320113607467113016230 0ustar rootroot#!/usr/bin/env python3 from pyUIClass.widg_editBezier import Ui_Form import PyQt5.QtCore as Qc import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg class LockMode: noLock = 0 angleLock = 1 angleAndScaleLock = 2 class Widg_editBezier(Qw.QWidget): def __init__(self, info: dict, enableCurveFeatures: bool=True): super().__init__() self.ui = Ui_Form() self.ui.setupUi(self) self.info = info self.ui.chkRecompute.setChecked(self.info['autoRecompute']) self.ui.cmbLockMode.setCurrentIndex(self.info['editBezierlockMode']) self.ui.cmbLockMode.currentIndexChanged[int].connect(self.cmbLockIndexChange) self.ui.chkRecompute.stateChanged.connect(self.chkRecomputeChanged) self.disableOnAutoRecompute = {self.ui.cmbLockMode, self.ui.btnForceRecompute} self.curveBtnsOnly = {self.ui.cmbLockMode, self.ui.btnForceRecompute, self.ui.chkRecompute} for elem in self.curveBtnsOnly: elem.setEnabled(enableCurveFeatures) @property def autoRecompute(self) -> bool: return self.ui.chkRecompute.isChecked() @property def lockMode(self) -> int: return self.ui.cmbLockMode.currentIndex() @Qc.pyqtSlot(int) def cmbLockIndexChange(self, index: int): self.info['editBezierlockMode'] = index @Qc.pyqtSlot(int) def chkRecomputeChanged(self, checked: int): isChecked = (checked == 2) for obj in self.disableOnAutoRecompute: obj.setEnabled(not checked) self.info['autoRecompute'] = checked if isChecked: self.ui.btnForceRecompute.clicked.emit() asymptote-2.62/GUI/xasySvg.py0000644000000000000000000000130613607467113014640 0ustar rootroot#!/usr/bin/env python3 import PyQt5.QtGui as Qg import PyQt5.QtWidgets as Qw import io import subprocess import sys class SvgObject(): def __init__(self, file: str): self.file=file def render(self, dpi:int) -> Qg.QImage: try: rawDataProc = subprocess.Popen(['rsvg-convert', '--dpi-x', str(dpi), '--dpi-y', str(dpi), self.file], stdout=subprocess.PIPE) except: Qw.QMessageBox.about(None,'rsvg-convert missing','Please install rsvg-convert version >= 2.40 in your path.') sys.exit(-1) return Qg.QImage.fromData(rawDataProc.stdout.read(), 'PNG') asymptote-2.62/GUI/SetCustomAnchor.py0000644000000000000000000000256113607467113016261 0ustar rootroot#!/usr/bin/env python3 import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc from pyUIClass.setCustomAnchor import Ui_Dialog class CustomAnchorDialog(Qw.QDialog): def __init__(self): super().__init__() self.ui = Ui_Dialog() self.ui.setupUi(self) self.ui.buttonBox.button(Qw.QDialogButtonBox.Reset).clicked.connect(self.resetDialog) validator = Qg.QDoubleValidator() self.ui.lineEditX.setValidator(validator) self.ui.lineEditY.setValidator(validator) self.ui.lineEditX.textChanged.connect(self.checkTextChanged) self.ui.lineEditY.textChanged.connect(self.checkTextChanged) def checkTextChanged(self, text): if str(text) not in {'.', '-', '.-', '-.'} and str(text): self.ui.buttonBox.button(Qw.QDialogButtonBox.Ok).setEnabled(True) else: self.ui.buttonBox.button(Qw.QDialogButtonBox.Ok).setEnabled(False) def getPoint(self): xPoint = float(self.ui.lineEditX.text()) yPoint = float(self.ui.lineEditY.text()) return Qc.QPointF(xPoint, yPoint) def handleBtnBoxClick(self, button): assert isinstance(button, Qw.QAbstractButton) if button.text() == 'Reset': self.resetDialog() def resetDialog(self): self.ui.lineEditX.setText('0') self.ui.lineEditY.setText('0') asymptote-2.62/GUI/configs/0000755000000000000000000000000013607467113014252 5ustar rootrootasymptote-2.62/GUI/configs/__init__.py0000644000000000000000000000002613607467113016361 0ustar rootroot#!/usr/bin/env python3asymptote-2.62/GUI/configs/xasyconfig.cson0000644000000000000000000000217413607467113017314 0ustar rootroot# Default Options for xasy # External editor. $asypath will be replaced by the current file. externalEditor: "vi" externalEditorArgs: ["$asypath"] # Path to Asymptote executable asyPath: "asy" # Overwrites the ASYMPTOTE_DIR Environment variable if set. Otherwise, leaves asymptote to decide. asyBaseLocation: null # Show Debugging Information showDebug: false # Default Pen Options defaultPenOptions: "" # Default Pen Color defaultPenColor: "#000000" # defaultPenWidth: 0.5 useLegacyDrawMode: false enableImmediatePreview: true useDegrees: false groupObjDefault: false # terminalFont: "Courier" terminalFontSize: 9 # defaultShowAxes: true defaultShowGrid: false defaultGridSnap: false # Draw Selected Objects on top of the frame drawSelectedOnTop: true # Grid Settings gridMajorAxesColor: "#858585" gridMinorAxesColor: "#dddddd" gridMajorAxesSpacing: 5 gridMinorAxesCount: 9 # Magnification Settings minimumMagnification: 0.01 maximumMagnification: 100 # Debug Mode debugMode: true # Overrides windows: externalEditor: "notepad.exe" Darwin: externalEditor: "open" externalEditorArgs: ["-a","TextEdit","$asypath"] asymptote-2.62/GUI/configs/xasykeymap.cson0000644000000000000000000000061313607467113017331 0ustar rootroot# Default Keymaps for xasy commandPalette: "Ctrl+P" quit: "Ctrl+Q" deleteObject: "Del" finalizeCurve: "Space" finalizeCurveClosed: "c" anchorMode: "Ctrl+A" undo: 'Ctrl+Z' redo: 'Ctrl+Y' moveUp: 'Up' moveDown: 'Down' moveLeft: 'Left' moveRight: 'Right' scrollUp: 'Shift+Up' scrollDown: 'Shift+Down' scrollLeft: 'Shift+Left' scrollRight: 'Shift+Right' zoomIn: 'Ctrl+Up' zoomOut: 'Ctrl+Down'asymptote-2.62/GUI/InplaceAddObj.py0000644000000000000000000002641013607467113015616 0ustar rootroot#!/usr/bin/env python3 import PyQt5.QtCore as Qc import PyQt5.QtGui as Qg import xasy2asy as x2a import PrimitiveShape import math import Widg_addPolyOpt import Widg_addLabel class InplaceObjProcess(Qc.QObject): objectCreated = Qc.pyqtSignal(Qc.QObject) objectUpdated = Qc.pyqtSignal() def __init__(self, parent=None): super().__init__(parent) self._active = False pass @property def active(self): return self._active def mouseDown(self, pos, info, mouseEvent: Qg.QMouseEvent=None): raise NotImplementedError def mouseMove(self, pos, event: Qg.QMouseEvent): raise NotImplementedError def mouseRelease(self): raise NotImplementedError def forceFinalize(self): raise NotImplementedError def getPreview(self): return None def getObject(self): raise NotImplementedError def getXasyObject(self): raise NotImplementedError def postDrawPreview(self, canvas: Qg.QPainter): pass def createOptWidget(self, info): return None class AddCircle(InplaceObjProcess): def __init__(self, parent=None): super().__init__(parent) self.center = Qc.QPointF(0, 0) self.radius = 0 def mouseDown(self, pos, info, mouseEvent: Qg.QMouseEvent=None): x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) self.radius = 0 self.center.setX(x) self.center.setY(y) self.fill = info['fill'] self._active = True def mouseMove(self, pos, event): self.radius = PrimitiveShape.PrimitiveShape.euclideanNorm(pos, self.center) def mouseRelease(self): self.objectCreated.emit(self.getXasyObject()) self._active = False def getPreview(self): x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(self.center) boundRect = Qc.QRectF(x - self.radius, y - self.radius, 2 * self.radius, 2 * self.radius) # because the internal image is flipped... newPath = Qg.QPainterPath() newPath.addEllipse(boundRect) # newPath.addRect(boundRect) return newPath def getObject(self): return PrimitiveShape.PrimitiveShape.circle(self.center, self.radius) def getXasyObject(self): if self.fill: newObj = x2a.xasyFilledShape(self.getObject(), None) else: newObj = x2a.xasyShape(self.getObject(), None) return newObj def forceFinalize(self): self.mouseRelease() class AddLabel(InplaceObjProcess): def __init__(self, parent=None): super().__init__(parent) self.alignMode = None self.opt = None self.text = None self.anchor = Qc.QPointF(0, 0) self._active = False def createOptWidget(self, info): self.opt = Widg_addLabel.Widg_addLabel(info) return self.opt def getPreview(self): return None def mouseRelease(self): self.objectCreated.emit(self.getXasyObject()) self._active = False def mouseMove(self, pos, event): x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) self.anchor.setX(x) self.anchor.setY(y) def mouseDown(self, pos, info, mouseEvent: Qg.QMouseEvent=None): if self.opt is not None: self.text = self.opt.labelText x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) self.anchor.setX(x) self.anchor.setY(y) self.alignMode = info['align'] self.fontSize = info['fontSize'] self._active = True def getObject(self): finalTuple = PrimitiveShape.PrimitiveShape.pos_to_tuple(self.anchor) return {'txt': self.text, 'align': str(self.alignMode), 'anchor': finalTuple} def getXasyObject(self): text = self.text align = str(self.alignMode) anchor = PrimitiveShape.PrimitiveShape.pos_to_tuple(self.anchor) newLabel = x2a.xasyText(text=text, location=anchor, pen=None, align=align, asyengine=None, fontsize=self.fontSize) newLabel.asyfied = False return newLabel def forceFinalize(self): self.mouseRelease() class AddBezierShape(InplaceObjProcess): def __init__(self, parent=None): super().__init__(parent) self.asyengine = None self.basePath = None self.basePathPreview = None self.closedPath = None self.info = None self.fill = False self.opt = None # list of "committed" points with Linkage information. # Linkmode should be to the last point. # (x, y, linkmode), (u, v, lm2) <==> (x, y) <=lm2=> (u, v) self.pointsList = [] self.currentPoint = Qc.QPointF(0, 0) self.pendingPoint = None self.useLegacy = False def mouseDown(self, pos, info, mouseEvent: Qg.QMouseEvent=None): x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) self.currentPoint.setX(x) self.currentPoint.setY(y) self.info = info if not self._active: self._active = True self.fill = info['fill'] self.asyengine = info['asyengine'] self.closedPath = info['closedPath'] self.useBezierBase = info['useBezier'] self.useLegacy = self.info['options']['useLegacyDrawMode'] self.pointsList.clear() self.pointsList.append((x, y, None)) else: # see http://doc.qt.io/archives/qt-4.8/qt.html#MouseButton-enum if (int(mouseEvent.buttons()) if mouseEvent is not None else 0) & 0x2 and self.useLegacy: self.forceFinalize() def _getLinkType(self): if self.info['useBezier']: return '..' else: return '--' def mouseMove(self, pos, event): # in postscript coords. if self._active: x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) if self.useLegacy or int(event.buttons()) != 0: self.currentPoint.setX(x) self.currentPoint.setY(y) else: self.forceFinalize() def createOptWidget(self, info): return None # self.opt = Widg_addBezierInPlace.Widg_addBezierInplace(info) # return self.opt def finalizeClosure(self): if self.active: self.closedPath = True self.forceFinalize() def mouseRelease(self): x, y = self.currentPoint.x(), self.currentPoint.y() self.pointsList.append((x, y, self._getLinkType())) # self.updateBasePath() def updateBasePath(self): self.basePath = x2a.asyPath(asyengine=self.asyengine, forceCurve=self.useBezierBase) newNode = [(x, y) for x, y, _ in self.pointsList] newLink = [lnk for *args, lnk in self.pointsList[1:]] if self.useLegacy: newNode += [(self.currentPoint.x(), self.currentPoint.y())] newLink += [self._getLinkType()] if self.closedPath: newNode.append('cycle') newLink.append(self._getLinkType()) self.basePath.initFromNodeList(newNode, newLink) if self.useBezierBase: self.basePath.computeControls() def updateBasePathPreview(self): self.basePathPreview = x2a.asyPath( asyengine=self.asyengine, forceCurve=self.useBezierBase) newNode = [(x, y) for x, y, _ in self.pointsList] + [(self.currentPoint.x(), self.currentPoint.y())] newLink = [lnk for *args, lnk in self.pointsList[1:]] + [self._getLinkType()] if self.closedPath: newNode.append('cycle') newLink.append(self._getLinkType()) self.basePathPreview.initFromNodeList(newNode, newLink) if self.useBezierBase: self.basePathPreview.computeControls() def forceFinalize(self): self.updateBasePath() self._active = False self.pointsList.clear() self.objectCreated.emit(self.getXasyObject()) self.basePath = None def getObject(self): if self.basePath is None: raise RuntimeError('BasePath is None') self.basePath.asyengine = self.asyengine return self.basePath def getPreview(self): if self._active: if self.pointsList: self.updateBasePathPreview() newPath = self.basePathPreview.toQPainterPath() return newPath def getXasyObject(self): if self.fill: return x2a.xasyFilledShape(self.getObject(), None) else: return x2a.xasyShape(self.getObject(), None) class AddPoly(InplaceObjProcess): def __init__(self, parent=None): super().__init__(parent) self.center = Qc.QPointF(0, 0) self.currPos = Qc.QPointF(0, 0) self.sides = None self.inscribed = None self.centermode = None self.asyengine = None self.fill = None self.opt = None def mouseDown(self, pos, info, mouseEvent: Qg.QMouseEvent=None): self._active = True self.sides = info['sides'] self.inscribed = info['inscribed'] self.centermode = info['centermode'] self.fill = info['fill'] x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) self.center.setX(x) self.center.setY(y) self.currPos = Qc.QPointF(self.center) def mouseMove(self, pos, event): x, y = PrimitiveShape.PrimitiveShape.pos_to_tuple(pos) self.currPos.setX(x) self.currPos.setY(y) def mouseRelease(self): if self.active: self.objectCreated.emit(self.getXasyObject()) self._active = False def forceFinalize(self): self.mouseRelease() def getObject(self): if self.inscribed: return PrimitiveShape.PrimitiveShape.inscribedRegPolygon(self.sides, self.center, self._rad(), self._angle()) else: return PrimitiveShape.PrimitiveShape.exscribedRegPolygon(self.sides, self.center, self._rad(), self._angle()) def getPreview(self): if self.inscribed: poly = PrimitiveShape.PrimitiveShape.inscribedRegPolygon(self.sides, self.center, self._rad(), self._angle(), qpoly=True) else: poly = PrimitiveShape.PrimitiveShape.exscribedRegPolygon(self.sides, self.center, self._rad(), self._angle(), qpoly=True) newPath = Qg.QPainterPath() newPath.addPolygon(poly) return newPath def createOptWidget(self, info): self.opt = Widg_addPolyOpt.Widg_addPolyOpt(info) return self.opt def _rad(self): return PrimitiveShape.PrimitiveShape.euclideanNorm(self.currPos, self.center) def _angle(self): dist_x = self.currPos.x() - self.center.x() dist_y = self.currPos.y() - self.center.y() if dist_x == 0 and dist_y == 0: return 0 else: return math.atan2(dist_y, dist_x) def getXasyObject(self): if self.fill: newObj = x2a.xasyFilledShape(self.getObject(), None) else: newObj = x2a.xasyShape(self.getObject(), None) return newObj asymptote-2.62/GUI/labelEditor.py0000644000000000000000000001203713607467113015425 0ustar rootroot#!/usr/bin/env python3 from pyUIClass.labelTextEditor import Ui_Dialog import PyQt5.QtWidgets as Qw import PyQt5.QtSvg as Qs import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import xasyArgs as xa import xasy2asy as x2a import subprocess import xasyOptions as xo import xasyUtils as xu import tempfile import uuid import os import io class labelEditor(Qw.QDialog): def __init__(self, text=''): super().__init__() self.ui = Ui_Dialog() self.ui.setupUi(self) self.ui.btnAccept.clicked.connect(self.accept) self.ui.btnCancel.clicked.connect(self.reject) self.ui.chkMathMode.stateChanged.connect(self.chkMathModeChecked) self.ui.btnPreview.clicked.connect(self.btnPreviewOnClick) self.ui.btnGetText.clicked.connect(self.btnGetTextOnClick) self.svgPreview = None self.initializeText(text) def initializeText(self, text: str): if text[0] == '$' and text[-1] == '$': self.ui.chkMathMode.setChecked(True) text = text.strip('$') if text.startswith('\\displaystyle{'): self.ui.cmbMathStyle.setCurrentText('Display Style') text = text.rstrip('}') text = text.replace('\\displaystyle{', '', 1) elif text.startswith('\\scriptstyle{'): self.ui.cmbMathStyle.setCurrentText('Script Style') text = text.rstrip('}') text = text.replace('\\scriptstyle{', '', 1) self.ui.txtLabelEdit.setPlainText(text) def chkMathModeChecked(self, checked): self.ui.cmbMathStyle.setEnabled(checked) def getText(self): rawText = self.ui.txtLabelEdit.toPlainText() rawText.replace('\n', ' ') if self.ui.chkMathMode.isChecked(): prefix = '' suffix = '' if self.ui.cmbMathStyle.currentText() == 'Display Style': prefix = '\\displaystyle{' suffix = '}' elif self.ui.cmbMathStyle.currentText() == 'Script Style': prefix = '\\scriptstyle{' suffix = '}' return '${0}{1}{2}$'.format(prefix, rawText, suffix) else: return rawText def btnPreviewOnClick(self): path = xa.getArgs().asypath if path is None: opt = xo.xasyOptions().load() path = opt['asyPath'] asyInput = """ frame f; label(f, "{0}"); write(min(f), newl); write(max(f), newl); shipout(f); """ self.svgPreview = Qs.QSvgRenderer() with tempfile.TemporaryDirectory(prefix='xasylbl_') as tmpdir: id = str(uuid.uuid4()) tmpFile = os.path.join(tmpdir, 'lbl-{0}.svg'.format(id)) with subprocess.Popen(args=[path, '-fsvg', '-o', tmpFile, '-'], encoding='utf-8', stdin=subprocess.PIPE, stdout=subprocess.PIPE) as asy: asy.stdin.write(asyInput.format(self.getText())) asy.stdin.close() out = asy.stdout.read() raw_array = out.splitlines() bounds_1, bounds_2 = [val.strip() for val in raw_array] min_bounds = xu.listize(bounds_1, (float, float)) max_bounds = xu.listize(bounds_2, (float, float)) new_rect = self.processBounds(min_bounds, max_bounds) self.svgPreview.load(tmpFile) self.drawPreview(new_rect) def drawPreview(self, naturalBounds): img = Qg.QPixmap(self.ui.lblLabelPreview.size()) img.fill(Qg.QColor.fromRgbF(1, 1, 1, 1)) if self.svgPreview is None: pass else: with Qg.QPainter(img) as pnt: scale_ratio = self.getIdealScaleRatio(naturalBounds, self.ui.lblLabelPreview.rect()) pnt.translate(self.ui.lblLabelPreview.rect().center()) pnt.scale(scale_ratio, scale_ratio) self.svgPreview.render(pnt, naturalBounds) self.ui.lblLabelPreview.setPixmap(img) def getIdealScaleRatio(self, rect, boundsRect): assert isinstance(rect, (Qc.QRect, Qc.QRectF)) assert isinstance(rect, (Qc.QRect, Qc.QRectF)) magic_ratio = 0.50 idealRatioHeight = (magic_ratio * boundsRect.height()) / rect.height() magicRatioWidth = 0.50 if idealRatioHeight * rect.width() > magicRatioWidth * boundsRect.width(): idealRatioWidth = (magicRatioWidth * boundsRect.width()) / rect.width() idealRatio = min(idealRatioHeight, idealRatioWidth) else: idealRatio = idealRatioHeight return idealRatio def processBounds(self, minPt, maxPt): p1x, p1y = minPt p2x, p2y = maxPt minPt = Qc.QPointF(p1x, p1y) maxPt = Qc.QPointF(p2x, p2y) newRect = Qc.QRectF(minPt, maxPt) return newRect def btnGetTextOnClick(self): msgbox = Qw.QMessageBox() msgbox.setText('Text Preview:\n' + self.getText()) msgbox.setWindowTitle('Text preview') msgbox.show() return msgbox.exec_() asymptote-2.62/GUI/locale/0000755000000000000000000000000013607467113014061 5ustar rootrootasymptote-2.62/GUI/locale/th/0000755000000000000000000000000013607467113014474 5ustar rootrootasymptote-2.62/GUI/locale/th/LC_MESSAGES/0000755000000000000000000000000013607467113016261 5ustar rootrootasymptote-2.62/GUI/locale/th/LC_MESSAGES/base.po0000644000000000000000000000127413607467113017537 0ustar rootroot# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER # This file is distributed under the same license as the PACKAGE package. # # Supakorn Rassameemasmuang, 2018. msgid "" msgstr "" "Project-Id-Version: \n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-05-16 17:07-0600\n" "PO-Revision-Date: 2018-05-16 17:20-0700\n" "Last-Translator: Supakorn Rassameemasmuang \n" "Language-Team: English \n" "Language: th\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Lokalize 2.0\n" #: xasyStrings.py:10 msgid "Rotate" msgstr "หมุน" asymptote-2.62/GUI/xasy2asy.py0000644000000000000000000014250113607467113014762 0ustar rootroot#!/usr/bin/env python3 ########################################################################### # # xasy2asy provides a Python interface to Asymptote # # # Authors: Orest Shardt, Supakorn Rassameemasmuang, and John C. Bowman # ########################################################################### import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import PyQt5.QtSvg as Qs import numpy as np import sys import os import signal import threading import string import subprocess import tempfile import re import shutil import copy import queue import io import atexit import DebugFlags import xasyUtils as xu import xasyArgs as xa import xasyOptions as xo import xasySvg as xs class AsymptoteEngine: xasy=chr(4)+"\n" def __init__(self, path=None, keepFiles=DebugFlags.keepFiles, keepDefaultArgs=True): if path is None: path = xa.getArgs().asypath if path is None: opt = xo.BasicConfigs.defaultOpt opt.load() path = opt['asyPath'] if sys.platform[:3] == 'win': rx = 0 # stdin wa = 2 # stderr else: rx, wx = os.pipe() ra, wa = os.pipe() os.set_inheritable(rx, True) os.set_inheritable(wx, True) os.set_inheritable(ra, True) os.set_inheritable(wa, True) self.ostream = os.fdopen(wx, 'w') self.istream = os.fdopen(ra, 'r') self.keepFiles = keepFiles if sys.platform[:3] == 'win': self.tmpdir = tempfile.mkdtemp(prefix='xasyData_',dir='./')+'/' else: self.tmpdir = tempfile.mkdtemp(prefix='xasyData_')+os.sep self.args=['-xasy', '-noV', '-q', '-inpipe=' + str(rx), '-outpipe=' + str(wa), '-o', self.tmpdir] self.asyPath = path self.asyProcess = None def start(self): try: if sys.platform[:3] == 'win': self.asyProcess = subprocess.Popen([self.asyPath] + self.args, stdin=subprocess.PIPE, stderr=subprocess.PIPE, universal_newlines=True) self.ostream = self.asyProcess.stdin self.istream = self.asyProcess.stderr else: self.asyProcess = subprocess.Popen([self.asyPath] + self.args,close_fds=False) finally: atexit.register(self.cleanup) def wait(self): if self.asyProcess.returncode is not None: return else: return self.asyProcess.wait() def __enter__(self): self.start() return self def __exit__(self, exc_type, exc_val, exc_tb): self.stop() self.wait() @property def tempDirName(self): return self.tmpdir def startThenStop(self): self.start() self.stop() self.wait() @property def active(self): if self.asyProcess is None: return False return self.asyProcess.returncode is None def stop(self): if self.active: self.asyProcess.kill() def cleanup(self): self.stop() if self.asyProcess is not None: self.asyProcess.wait() if not self.keepFiles: if os.path.isdir(self.tempDirName + os.sep): shutil.rmtree(self.tempDirName, ignore_errors=True) class asyTransform(Qc.QObject): """A python implementation of an asy transform""" def __init__(self, initTuple, delete=False): """Initialize the transform with a 6 entry tuple""" super().__init__() if isinstance(initTuple, (tuple, list)) and len(initTuple) == 6: self.t = initTuple self.x, self.y, self.xx, self.xy, self.yx, self.yy = initTuple self._deleted = delete else: raise TypeError("Illegal initializer for asyTransform") @property def deleted(self): return self._deleted @deleted.setter def deleted(self, value): self._deleted = value @classmethod def zero(cls): return asyTransform((0, 0, 0, 0, 0, 0)) @classmethod def fromQTransform(cls, transform: Qg.QTransform): tx, ty = transform.dx(), transform.dy() xx, xy, yx, yy = transform.m11(), transform.m21(), transform.m12(), transform.m22() return asyTransform((tx, ty, xx, xy, yx, yy)) @classmethod def fromNumpyMatrix(cls, transform: np.ndarray): assert transform.shape == (3, 3) tx = transform[0, 2] ty = transform[1, 2] xx, xy, yx, yy = transform[0:2, 0:2].ravel().tolist()[0] return asyTransform((tx, ty, xx, xy, yx, yy)) def getRawCode(self): return xu.tuple2StrWOspaces(self.t) def getCode(self, asy2psmap=None): """Obtain the asy code that represents this transform""" if asy2psmap is None: asy2psmap = asyTransform((0, 0, 1, 0, 0, 1)) if self.deleted: return 'zeroTransform' else: return (asy2psmap.inverted() * self * asy2psmap).getRawCode() def scale(self, s): return asyTransform((0, 0, s, 0, 0, s)) * self def toQTransform(self): return Qg.QTransform(self.xx, self.yx, self.xy, self.yy, self.x, self.y) def __str__(self): """Equivalent functionality to getCode(). It allows the expression str(asyTransform) to be meaningful.""" return self.getCode() def isIdentity(self): return self == identity() def inverted(self): return asyTransform.fromQTransform(self.toQTransform().inverted()[0]) def __eq__(self, other): return list(self.t) == list(other.t) def __mul__(self, other): """Define multiplication of transforms as composition.""" if isinstance(other, tuple): if len(other) == 6: return self * asyTransform(other) elif len(other) == 2: return ((self.t[0] + self.t[2] * other[0] + self.t[3] * other[1]), (self.t[1] + self.t[4] * other[0] + self.t[5] * other[1])) else: raise Exception("Illegal multiplier of {:s}".format(str(type(other)))) elif isinstance(other, asyTransform): result = asyTransform((0, 0, 0, 0, 0, 0)) result.x = self.x + self.xx * other.x + self.xy * other.y result.y = self.y + self.yx * other.x + self.yy * other.y result.xx = self.xx * other.xx + self.xy * other.yx result.xy = self.xx * other.xy + self.xy * other.yy result.yx = self.yx * other.xx + self.yy * other.yx result.yy = self.yx * other.xy + self.yy * other.yy result.t = (result.x, result.y, result.xx, result.xy, result.yx, result.yy) return result elif isinstance(other, str): if other != 'cycle': raise TypeError else: return 'cycle' else: raise TypeError("Illegal multiplier of {:s}".format(str(type(other)))) def identity(): return asyTransform((0, 0, 1, 0, 0, 1)) def yflip(): return asyTransform((0, 0, 1, 0, 0, -1)) class asyObj(Qc.QObject): """A base class for asy objects: an item represented by asymptote code.""" def __init__(self): """Initialize the object""" super().__init__() self.asyCode = '' def updateCode(self, ps2asymap=identity()): """Update the object's code: should be overriden.""" raise NotImplementedError def getCode(self, ps2asymap=identity()): """Return the code describing the object""" self.updateCode(ps2asymap) return self.asyCode class asyPen(asyObj): """A python wrapper for an asymptote pen""" @staticmethod def getColorFromQColor(color): return color.redF(), color.greenF(), color.blueF() @staticmethod def convertToQColor(color): r, g, b = color return Qg.QColor.fromRgbF(r, g, b) @classmethod def fromAsyPen(cls, pen): assert isinstance(pen, cls) return cls(asyengine=pen._asyengine, color=pen.color, width=pen.width, pen_options=pen.options) def __init__(self, asyengine=None, color=(0, 0, 0), width=0.5, pen_options=""): """Initialize the pen""" asyObj.__init__(self) self.color = (0, 0, 0) self.options = pen_options self.width = width self._asyengine = asyengine self._deferAsyfy = False if pen_options: self._deferAsyfy = True self.updateCode() self.setColor(color) @property def asyEngine(self): return self._asyengine @asyEngine.setter def asyEngine(self, value): self._asyengine = value def updateCode(self, asy2psmap=identity()): """Generate the pen's code""" if self._deferAsyfy: self.computeColor() self.asyCode = 'rgb({:g},{:g},{:g})+{:s}'.format(self.color[0], self.color[1], self.color[2], str(self.width)) if len(self.options) > 0: self.asyCode = self.asyCode + '+' + self.options def setWidth(self, newWidth): """Set the pen's width""" self.width = newWidth self.updateCode() def setColor(self, color): """Set the pen's color""" if isinstance(color, tuple) and len(color) == 3: self.color = color else: self.color = (0, 0, 0) self.updateCode() def setColorFromQColor(self, color): self.setColor(asyPen.getColorFromQColor(color)) def computeColor(self): """Find out the color of an arbitrary asymptote pen.""" assert isinstance(self.asyEngine, AsymptoteEngine) assert self.asyEngine.active fout = self.asyEngine.ostream fin = self.asyEngine.istream fout.write("pen p=" + self.getCode() + ';\n') fout.write("write(_outpipe,colorspace(p),newl);\n") fout.write("write(_outpipe,colors(p));\n") fout.write("flush(_outpipe);\n") fout.write(self.asyEngine.xasy) fout.flush() colorspace = fin.readline() if colorspace.find("cmyk") != -1: lines = fin.readline() + fin.readline() + fin.readline() + fin.readline() parts = lines.split() c, m, y, k = eval(parts[0]), eval(parts[1]), eval(parts[2]), eval(parts[3]) k = 1 - k r, g, b = ((1 - c) * k, (1 - m) * k, (1 - y) * k) elif colorspace.find("rgb") != -1: lines = fin.readline() + fin.readline() + fin.readline() parts = lines.split() r, g, b = eval(parts[0]), eval(parts[1]), eval(parts[2]) elif colorspace.find("gray") != -1: lines = fin.readline() parts = lines.split() r = g = b = eval(parts[0]) else: raise ChildProcessError('Asymptote error.') self.color = (r, g, b) self._deferAsyfy = False def tkColor(self): """Return the tk version of the pen's color""" self.computeColor() return '#{}'.format("".join(["{:02x}".format(min(int(256 * a), 255)) for a in self.color])) def toQPen(self): if self._deferAsyfy: self.computeColor() newPen = Qg.QPen() newPen.setColor(asyPen.convertToQColor(self.color)) newPen.setWidthF(self.width) return newPen class asyPath(asyObj): """A python wrapper for an asymptote path""" def __init__(self, asyengine: AsymptoteEngine=None, forceCurve=False): """Initialize the path to be an empty path: a path with no nodes, control points, or links.""" super().__init__() self.nodeSet = [] self.linkSet = [] self.forceCurve = forceCurve self.controlSet = [] self.computed = False self.asyengine = asyengine @classmethod def fromPath(cls, oldPath): newObj = asyPath(None) newObj.nodeSet = copy.copy(oldPath.nodeSet) newObj.linkSet = copy.copy(oldPath.linkSet) newObj.controlSet = copy.deepcopy(oldPath.controlSet) newObj.computed = oldPath.computed newObj.asyengine = oldPath.asyengine return newObj @classmethod def fromBezierPoints(cls, pointList: list, engine=None): if not pointList: return None assert isinstance(pointList[0], BezierCurveEditor.BezierPoint) nodeList = [] controlList = [] for point in pointList: nodeList.append(BezierCurveEditor.QPoint2Tuple(point.point)) if point.rCtrlPoint is not None: # first controlList.append([BezierCurveEditor.QPoint2Tuple(point.rCtrlPoint)]) if point.lCtrlPoint is not None: # last controlList[-1].append(BezierCurveEditor.QPoint2Tuple(point.lCtrlPoint)) newPath = asyPath(asyengine=engine) newPath.initFromControls(nodeList, controlList) return newPath def setInfo(self, path): self.nodeSet = copy.copy(path.nodeSet) self.linkSet = copy.copy(path.linkSet) self.controlSet = copy.deepcopy(path.controlSet) self.computed = path.computed @property def isEmpty(self): return len(self.nodeSet) == 0 @property def isDrawable(self): return len(self.nodeSet) >= 2 def toQPainterPath(self) -> Qg.QPainterPath: return self.toQPainterPathCurve() if self.containsCurve else self.toQPainterPathLine() def toQPainterPathLine(self): baseX, baseY = self.nodeSet[0] painterPath = Qg.QPainterPath(Qc.QPointF(baseX, baseY)) for pointIndex in range(1, len(self.nodeSet)): node = self.nodeSet[pointIndex] if self.nodeSet[pointIndex] == 'cycle': node = self.nodeSet[0] painterPath.lineTo(*node) return painterPath def toQPainterPathCurve(self): if not self.computed: self.computeControls() baseX, baseY = self.nodeSet[0] painterPath = Qg.QPainterPath(Qc.QPointF(baseX, baseY)) for pointIndex in range(1, len(self.nodeSet)): node = self.nodeSet[pointIndex] if self.nodeSet[pointIndex] == 'cycle': node = self.nodeSet[0] endPoint = Qc.QPointF(node[0], node[1]) ctrlPoint1 = Qc.QPointF(self.controlSet[pointIndex-1][0][0], self.controlSet[pointIndex-1][0][1]) ctrlPoint2 = Qc.QPointF(self.controlSet[pointIndex-1][1][0], self.controlSet[pointIndex-1][1][1]) painterPath.cubicTo(ctrlPoint1, ctrlPoint2, endPoint) return painterPath def initFromNodeList(self, nodeSet, linkSet): """Initialize the path from a set of nodes and link types, "--", "..", or "::" """ if len(nodeSet) > 0: self.nodeSet = nodeSet[:] self.linkSet = linkSet[:] self.computed = False def initFromControls(self, nodeSet, controlSet): """Initialize the path from nodes and control points""" self.controlSet = controlSet[:] self.nodeSet = nodeSet[:] self.computed = True def makeNodeStr(self, node): """Represent a node as a string""" if node == 'cycle': return node else: # if really want to, disable this rounding # shouldn't be to much of a problem since 10e-6 is quite small... return '({:.6g},{:.6g})'.format(node[0], node[1]) def updateCode(self, ps2asymap=identity()): """Generate the code describing the path""" # currently at postscript. Convert to asy asy2psmap = ps2asymap.inverted() with io.StringIO() as rawAsyCode: count = 0 rawAsyCode.write(self.makeNodeStr(asy2psmap * self.nodeSet[0])) for node in self.nodeSet[1:]: if not self.computed or count >= len(self.controlSet): rawAsyCode.write(self.linkSet[count]) rawAsyCode.write(self.makeNodeStr(asy2psmap * node)) else: rawAsyCode.write('..controls ') rawAsyCode.write(self.makeNodeStr(asy2psmap * self.controlSet[count][0])) rawAsyCode.write(' and ') rawAsyCode.write(self.makeNodeStr(asy2psmap * self.controlSet[count][1])) rawAsyCode.write(".." + self.makeNodeStr(asy2psmap * node)) count = count + 1 self.asyCode = rawAsyCode.getvalue() @property def containsCurve(self): return '..' in self.linkSet or self.forceCurve def getNode(self, index): """Return the requested node""" return self.nodeSet[index] def getLink(self, index): """Return the requested link""" return self.linkSet[index] def setNode(self, index, newNode): """Set a node to a new position""" self.nodeSet[index] = newNode def moveNode(self, index, offset): """Translate a node""" if self.nodeSet[index] != "cycle": self.nodeSet[index] = (self.nodeSet[index][0] + offset[0], self.nodeSet[index][1] + offset[1]) def setLink(self, index, ltype): """Change the specified link""" self.linkSet[index] = ltype def addNode(self, point, ltype): """Add a node to the end of a path""" self.nodeSet.append(point) if len(self.nodeSet) != 1: self.linkSet.append(ltype) if self.computed: self.computeControls() def insertNode(self, index, point, ltype=".."): """Insert a node, and its corresponding link, at the given index""" self.nodeSet.insert(index, point) self.linkSet.insert(index, ltype) if self.computed: self.computeControls() def setControl(self, index, position): """Set a control point to a new position""" self.controlSet[index] = position def popNode(self): if len(self.controlSet) == len(self.nodeSet): self.controlSet.pop() self.nodeSet.pop() self.linkSet.pop() def moveControl(self, index, offset): """Translate a control point""" self.controlSet[index] = (self.controlSet[index][0] + offset[0], self.controlSet[index][1] + offset[1]) def computeControls(self): """Evaluate the code of the path to obtain its control points""" # For now, if no asymptote process is given spawns a new one. # Only happens if asyengine is None. if self.asyengine is not None: assert isinstance(self.asyengine, AsymptoteEngine) assert self.asyengine.active asy = self.asyengine startUp = False else: startUp = True asy = AsymptoteEngine() asy.start() fout = asy.ostream fin = asy.istream fout.write("path p=" + self.getCode() + ';\n') fout.write("write(_outpipe,length(p),newl);\n") fout.write("write(_outpipe,unstraighten(p),endl);\n") fout.write(asy.xasy) fout.flush() lengthStr = fin.readline() pathSegments = eval(lengthStr.split()[-1]) pathStrLines = [] for i in range(pathSegments + 1): line = fin.readline() line = line.replace("\n", "") pathStrLines.append(line) oneLiner = "".join(pathStrLines).replace(" ", "") splitList = oneLiner.split("..") nodes = [a for a in splitList if a.find("controls") == -1] self.nodeSet = [] for a in nodes: if a == 'cycle': self.nodeSet.append(a) else: self.nodeSet.append(eval(a)) controls = [a.replace("controls", "").split("and") for a in splitList if a.find("controls") != -1] self.controlSet = [[eval(a[0]), eval(a[1])] for a in controls] self.computed = True if startUp: asy.stop() class asyLabel(asyObj): """A python wrapper for an asy label""" def __init__(self, text="", location=(0, 0), pen=None, align=None, fontSize:int=None): """Initialize the label with the given test, location, and pen""" asyObj.__init__(self) self.align = align self.pen = pen self.fontSize = fontSize if align is None: self.align = 'SE' if pen is None: self.pen = asyPen() self.text = text self.location = location def updateCode(self, asy2psmap=identity()): """Generate the code describing the label""" newLoc = asy2psmap.inverted() * self.location locStr = xu.tuple2StrWOspaces(newLoc) self.asyCode = 'Label("{0}",{1},p={2}{4},align={3})'.format(self.text, locStr, self.pen.getCode(), self.align, self.getFontSizeText()) def getFontSizeText(self): if self.fontSize is not None: return '+fontsize({:.6g})'.format(self.fontSize) else: return '' def setText(self, text): """Set the label's text""" self.text = text self.updateCode() def setPen(self, pen): """Set the label's pen""" self.pen = pen self.updateCode() def moveTo(self, newl): """Translate the label's location""" self.location = newl class asyImage: """A structure containing an image and its format, bbox, and IDTag""" def __init__(self, image, format, bbox, transfKey=None, keyIndex=0): self.image = image self.format = format self.bbox = bbox self.IDTag = None self.key = transfKey self.keyIndex = keyIndex class xasyItem(Qc.QObject): """A base class for items in the xasy GUI""" mapString = 'xmap' setKeyFormatStr = string.Template('$map("{:s}",{:s});').substitute(map=mapString) setKeyAloneFormatStr = string.Template('$map("{:s}");').substitute(map=mapString) resizeComment="// Resize to initial xasy transform" asySize="" def __init__(self, canvas=None, asyengine=None): """Initialize the item to an empty item""" super().__init__() self.transfKeymap = {} # the new keymap. # should be a dictionary to a list... self.asyCode = '' self.imageList = [] self.IDTag = None self.asyfied = False self.onCanvas = canvas self.keyBuffer = None self._asyengine = asyengine self.drawObjects = [] self.drawObjectsMap = {} self.setKeyed = True self.unsetKeys = set() self.userKeys = set() self.lineOffset = 0 self.imageHandleQueue = queue.Queue() def updateCode(self, ps2asymap=identity()): """Update the item's code: to be overriden""" with io.StringIO() as rawCode: transfCode = self.getTransformCode() objCode = self.getObjectCode() rawCode.write(transfCode) rawCode.write(objCode) self.asyCode = rawCode.getvalue() return len(transfCode.splitlines()), len(objCode.splitlines()) @property def asyengine(self): return self._asyengine @asyengine.setter def asyengine(self, value): self._asyengine = value def getCode(self, ps2asymap=identity()): """Return the code describing the item""" self.updateCode(ps2asymap) return self.asyCode def getTransformCode(self, asy2psmap=identity()): raise NotImplementedError def getObjectCode(self, asy2psmap=identity()): raise NotImplementedError def generateDrawObjects(self): raise NotImplementedError def handleImageReception(self, file, fileformat, bbox, count, key=None, localCount=0, containsClip=False): """Receive an image from an asy deconstruction. It replaces the default n asyProcess.""" # image = Image.open(file).transpose(Image.FLIP_TOP_BOTTOM) if fileformat == 'png': image = Qg.QImage(file) elif fileformat == 'svg': if containsClip: image = xs.SvgObject(file) else: image = Qs.QSvgRenderer(file) assert image.isValid() else: raise Exception('Format not supported!') self.imageList.append(asyImage(image, fileformat, bbox, transfKey=key, keyIndex=localCount)) if self.onCanvas is not None: # self.imageList[-1].iqt = ImageTk.PhotoImage(image) currImage = self.imageList[-1] currImage.iqt = image currImage.originalImage = image currImage.originalImage.theta = 0.0 currImage.originalImage.bbox = list(bbox) currImage.performCanvasTransform = False # handle this case if transform is not in the map yet. # if deleted - set transform to 0, 0, 0, 0, 0 transfExists = key in self.transfKeymap.keys() if transfExists: transfExists = localCount <= len(self.transfKeymap[key]) - 1 if transfExists: validKey = not self.transfKeymap[key][localCount].deleted else: validKey = False if (not transfExists) or validKey: currImage.IDTag = str(file) newDrawObj = DrawObject(currImage.iqt, self.onCanvas['canvas'], transform=identity(), btmRightanchor=Qc.QPointF(bbox[0], bbox[2]), drawOrder=-1, key=key, parentObj=self, keyIndex=localCount) newDrawObj.setBoundingBoxPs(bbox) newDrawObj.setParent(self) self.drawObjects.append(newDrawObj) if key not in self.drawObjectsMap.keys(): self.drawObjectsMap[key] = [newDrawObj] else: self.drawObjectsMap[key].append(newDrawObj) return containsClip def asyfy(self, force=False): if self.asyengine is None: return 1 if self.asyfied and not force: return self.drawObjects = [] self.drawObjectsMap.clear() assert isinstance(self.asyengine, AsymptoteEngine) self.imageList = [] self.unsetKeys.clear() self.userKeys.clear() self.imageHandleQueue = queue.Queue() worker = threading.Thread(target=self.asyfyThread, args=[]) worker.start() item = self.imageHandleQueue.get() cwd=os.getcwd(); os.chdir(self.asyengine.tempDirName) while item != (None,) and item[0] != "ERROR": if item[0] == "OUTPUT": print(item[1]) else: keepFile = self.handleImageReception(*item) if not DebugFlags.keepFiles and not keepFile: try: os.remove(item[0]) pass except OSError: pass finally: pass item = self.imageHandleQueue.get() # self.imageHandleQueue.task_done() os.chdir(cwd); worker.join() def asyfyThread(self): """Convert the item to a list of images by deconstructing this item's code""" assert self.asyengine.active fout = self.asyengine.ostream fin = self.asyengine.istream self.lineOffset = len(self.getTransformCode().splitlines()) fout.write("reset\n") fout.flush(); for line in self.getCode().splitlines(): if DebugFlags.printDeconstTranscript: print('fout:', line) fout.write(line+"\n") fout.write(self.asySize) fout.write("deconstruct();\n") fout.write('write(_outpipe,yscale(-1)*currentpicture.calculateTransform(),endl);\n') fout.write(self.asyengine.xasy) fout.flush() imageInfos = [] # of (box, key) n = 0 keyCounts = {} def render(): for i in range(len(imageInfos)): box, key, localCount, useClip = imageInfos[i] l, b, r, t = [float(a) for a in box.split()] name = "{:s}_{:d}.{:s}".format(self.asyengine.tempDirName, i, fileformat) self.imageHandleQueue.put((name, fileformat, (l, -t, r, -b), i, key, localCount, useClip)) # key first, box second. # if key is "Done" raw_text = fin.readline() text = "" if DebugFlags.printDeconstTranscript: print(raw_text.strip()) # template=AsyTempDir+"%d_%d.%s" fileformat = 'svg' while raw_text != "Done\n" and raw_text != "Error\n": # print(raw_text) text = fin.readline() # the actual bounding box. # print('TESTING:', text) keydata = raw_text.strip().replace('KEY=', '', 1) # key clipflag = keydata[-1] == '1' userkey = keydata[-2] == '1' keydata = keydata[:-3] if not userkey: self.unsetKeys.add(keydata) # the line and column to replace. else: self.userKeys.add(keydata) # print(line, col) if keydata not in keyCounts.keys(): keyCounts[keydata] = 0 imageInfos.append((text, keydata, keyCounts[keydata], clipflag)) # key-data pair # for the next item keyCounts[keydata] += 1 raw_text = fin.readline() if DebugFlags.printDeconstTranscript: print(text.rstrip()) print(raw_text.rstrip()) n += 1 if text == "Error\n": self.imageHandleQueue.put(("ERROR", fin.readline())) else: render() self.asy2psmap = asyTransform(xu.listize(fin.readline().rstrip(),float)) self.imageHandleQueue.put((None,)) self.asyfied = True class xasyDrawnItem(xasyItem): """A base class for GUI items was drawn by the user. It combines a path, a pen, and a transform.""" def __init__(self, path, engine, pen=None, transform=identity(), key=None): """Initialize the item with a path, pen, and transform""" super().__init__(canvas=None, asyengine=engine) if pen is None: pen = asyPen() self.path = path self.path.asyengine = engine self.asyfied = True self.pen = pen self._asyengine = engine self.rawIdentifier = '' self.transfKey = key self.transfKeymap = {self.transfKey: [transform]} @property def asyengine(self): return self._asyengine @asyengine.setter def asyengine(self, value: AsymptoteEngine): self._asyengine = value self.path.asyengine = value def setKey(self, newKey=None): transform = self.transfKeymap[self.transfKey][0] self.transfKey = newKey self.transfKeymap = {self.transfKey: [transform]} def generateDrawObjects(self, forceUpdate=False): raise NotImplementedError def appendPoint(self, point, link=None): """Append a point to the path. If the path is cyclic, add this point before the 'cycle' node.""" if self.path.nodeSet[-1] == 'cycle': self.path.nodeSet[-1] = point self.path.nodeSet.append('cycle') else: self.path.nodeSet.append(point) self.path.computed = False self.asyfied = False if len(self.path.nodeSet) > 1 and link is not None: self.path.linkSet.append(link) def clearTransform(self): """Reset the item's transform""" self.transform = [identity()] self.asyfied = False def removeLastPoint(self): """Remove the last point in the path. If the path is cyclic, remove the node before the 'cycle' node.""" if self.path.nodeSet[-1] == 'cycle': del self.path.nodeSet[-2] else: del self.path.nodeSet[-1] del self.path.linkSet[-1] self.path.computed = False self.asyfied = False def setLastPoint(self, point): """Modify the last point in the path. If the path is cyclic, modify the node before the 'cycle' node.""" if self.path.nodeSet[-1] == 'cycle': self.path.nodeSet[-2] = point else: self.path.nodeSet[-1] = point self.path.computed = False self.asyfied = False class xasyShape(xasyDrawnItem): """An outlined shape drawn on the GUI""" def __init__(self, path, asyengine, pen=None, transform=identity()): """Initialize the shape with a path, pen, and transform""" super().__init__(path=path, engine=asyengine, pen=pen, transform=transform) def getObjectCode(self, asy2psmap=identity()): return 'draw(KEY="{0}",{1},{2});'.format(self.transfKey, self.path.getCode(asy2psmap), self.pen.getCode())+'\n\n' def getTransformCode(self, asy2psmap=identity()): transf = self.transfKeymap[self.transfKey][0] if transf == identity(): return '' else: return xasyItem.setKeyFormatStr.format(self.transfKey, transf.getCode(asy2psmap))+'\n' def generateDrawObjects(self, forceUpdate=False): if self.path.containsCurve: self.path.computeControls() transf = self.transfKeymap[self.transfKey][0] newObj = DrawObject(self.path.toQPainterPath(), None, drawOrder=0, transform=transf, pen=self.pen, key=self.transfKey) newObj.originalObj = self newObj.setParent(self) return [newObj] def __str__(self): """Create a string describing this shape""" return "xasyShape code:{:s}".format("\n\t".join(self.getCode().splitlines())) class xasyFilledShape(xasyShape): """A filled shape drawn on the GUI""" def __init__(self, path, asyengine, pen=None, transform=identity()): """Initialize this shape with a path, pen, and transform""" if path.nodeSet[-1] != 'cycle': raise Exception("Filled paths must be cyclic") super().__init__(path, asyengine, pen, transform) def getObjectCode(self, asy2psmap=identity()): return 'fill(KEY="{0}",{1},{2});'.format(self.transfKey, self.path.getCode(asy2psmap), self.pen.getCode())+'\n\n' def generateDrawObjects(self, forceUpdate=False): if self.path.containsCurve: self.path.computeControls() newObj = DrawObject(self.path.toQPainterPath(), None, drawOrder=0, transform=self.transfKeymap[self.transfKey][0], pen=self.pen, key=self.transfKey, fill=True) newObj.originalObj = self newObj.setParent(self) return [newObj] def __str__(self): """Return a string describing this shape""" return "xasyFilledShape code:{:s}".format("\n\t".join(self.getCode().splitlines())) class xasyText(xasyItem): """Text created by the GUI""" def __init__(self, text, location, asyengine, pen=None, transform=yflip(), key=None, align=None, fontsize:int=None): """Initialize this item with text, a location, pen, and transform""" super().__init__(asyengine=asyengine) if pen is None: pen = asyPen(asyengine=asyengine) if pen.asyEngine is None: pen.asyEngine = asyengine self.label = asyLabel(text, location, pen, align, fontSize=fontsize) # self.transform = [transform] self.transfKey = key self.transfKeymap = {self.transfKey: [transform]} self.asyfied = False self.onCanvas = None def setKey(self, newKey=None): transform = self.transfKeymap[self.transfKey][0] self.transfKey = newKey self.transfKeymap = {self.transfKey: [transform]} def getTransformCode(self, asy2psmap=yflip()): transf = self.transfKeymap[self.transfKey][0] if transf == yflip(): # return xasyItem.setKeyAloneFormatStr.format(self.transfKey) return '' else: return xasyItem.setKeyFormatStr.format(self.transfKey, transf.getCode(asy2psmap))+"\n" def getObjectCode(self, asy2psmap=yflip()): return 'label(KEY="{0}",{1});'.format(self.transfKey, self.label.getCode(asy2psmap))+'\n' def generateDrawObjects(self, forceUpdate=False): self.asyfy(forceUpdate) return self.drawObjects def getBoundingBox(self): self.asyfy() return self.imageList[0].bbox def __str__(self): return "xasyText code:{:s}".format("\n\t".join(self.getCode().splitlines())) class xasyScript(xasyItem): """A set of images create from asymptote code. It is always deconstructed.""" def __init__(self, canvas, engine, script="", transforms=None, transfKeyMap=None): """Initialize this script item""" super().__init__(canvas, asyengine=engine) if transfKeyMap is not None: self.transfKeymap = transfKeyMap else: self.transfKeymap = {} self.script = script self.key2imagemap = {} self.namedUnsetKeys = {} self.keyPrefix = '' self.scriptAsyfied = False self.updatedPrefix = True def clearTransform(self): """Reset the transforms for each of the deconstructed images""" # self.transform = [identity()] * len(self.imageList) keyCount = {} for im in self.imageList: if im.key not in keyCount.keys(): keyCount[im.key] = 1 else: keyCount[im.key] += 1 for key in keyCount: self.transfKeymap[key] = [identity()] * keyCount[key] def getMaxKeyCounter(self): maxCounter = -1 for key in self.transfKeymap: testNum = re.match(r'^x(\d+)$', key) if testNum is not None: maxCounter = max(maxCounter, int(testNum.group(1))) return maxCounter + 1 def getTransformCode(self, asy2psmap=identity()): with io.StringIO() as rawAsyCode: if self.transfKeymap: for key in self.transfKeymap.keys(): val = self.transfKeymap[key] writeval = list(reversed(val)) # need to map all transforms in a list if there is any non-identity # unfortunately, have to check all transformations in the list. while not all(checktransf == identity() for checktransf in writeval) and writeval: transf = writeval.pop() if transf.deleted: rawAsyCode.write(xasyItem.setKeyFormatStr.format(key, transf.getCode(asy2psmap)) + '\n//') if transf == identity() and not transf.deleted: rawAsyCode.write(xasyItem.setKeyAloneFormatStr.format(key)) else: rawAsyCode.write(xasyItem.setKeyFormatStr.format(key, transf.getCode(asy2psmap))) rawAsyCode.write('\n') result = rawAsyCode.getvalue() return result def findNonIdKeys(self): return {key for key in self.transfKeymap if not all(transf == identity() for transf in self.transfKeymap[key]) } def getObjectCode(self, asy2psmap=identity()): numeric=r'([-+]?(?:(?:\d*\.\d+)|(?:\d+\.?)))' rSize=re.compile("size\(\("+numeric+","+numeric+","+numeric+"," +numeric+","+numeric+","+numeric+"\)\); "+ self.resizeComment) newScript = self.getReplacedKeysCode(self.findNonIdKeys()) with io.StringIO() as rawAsyCode: for line in newScript.splitlines(): if(rSize.match(line)): self.asySize=line.rstrip()+'\n' else: raw_line = line.rstrip().replace('\t', ' ' * 4) rawAsyCode.write(raw_line + '\n') self.updatedCode = rawAsyCode.getvalue() return self.updatedCode def setScript(self, script): """Sets the content of the script item.""" self.script = script self.updateCode() def setKeyPrefix(self, newPrefix=''): self.keyPrefix = newPrefix self.updatedPrefix = False def getReplacedKeysCode(self, key2replace: set=None) -> str: keylist = {} prefix = '' key2replaceSet = self.unsetKeys if key2replace is None else \ self.unsetKeys & key2replace linenum2key = {} if not self.updatedPrefix: prefix = self.keyPrefix for key in key2replaceSet: actualkey = key key = key.split(':')[0] raw_parsed = xu.tryParseKey(key) assert raw_parsed is not None line, col = [int(val) for val in raw_parsed.groups()] if line not in keylist: keylist[line] = set() keylist[line].add(col) linenum2key[(line, col)] = actualkey self.unsetKeys.discard(key) raw_code_lines = self.script.splitlines() with io.StringIO() as raw_str: for i_0 in range(len(raw_code_lines)): i = i_0 + self.lineOffset curr_str = raw_code_lines[i_0] if i + 1 in keylist.keys(): # this case, we have a key. with io.StringIO() as raw_line: for j in range(len(curr_str)): raw_line.write(curr_str[j]) if j + 1 in keylist[i + 1]: # at this point, replace keys with xkey raw_line.write('KEY="{0:s}",'.format(linenum2key[(i + 1, j + 1)])) self.userKeys.add(linenum2key[(i + 1, j + 1)]) curr_str = raw_line.getvalue() # else, skip and just write the line. raw_str.write(curr_str + '\n') return raw_str.getvalue() def getUnusedKey(self, oldkey) -> str: baseCounter = 0 newKey = oldkey while newKey in self.userKeys: newKey = oldkey + ':' + str(baseCounter) baseCounter += 1 return newKey def asyfy(self, keyOnly=False): """Generate the list of images described by this object and adjust the length of the transform list.""" super().asyfy() # Id --> Transf --> asy-fied --> Transf # Transf should keep the original, raw transformation # but for all new drawn objects - assign Id as transform. if self.scriptAsyfied: return keyCount = {} settedKey = {} for im in self.imageList: if im.key in self.unsetKeys and im.key not in settedKey.keys(): oldkey = im.key self.unsetKeys.remove(im.key) im.key = self.getUnusedKey(im.key) self.unsetKeys.add(im.key) for drawobj in self.drawObjectsMap[oldkey]: drawobj.key = im.key self.drawObjectsMap[im.key] = self.drawObjectsMap[oldkey] self.drawObjectsMap.pop(oldkey) settedKey[oldkey] = im.key elif im.key in settedKey.keys(): im.key = settedKey[im.key] if im.key not in keyCount.keys(): keyCount[im.key] = 1 else: keyCount[im.key] += 1 if im.key not in self.key2imagemap.keys(): self.key2imagemap[im.key] = [im] else: self.key2imagemap[im.key].append(im) for key in keyCount: if key not in self.transfKeymap.keys(): self.transfKeymap[key] = [identity()] * keyCount[key] else: while len(self.transfKeymap[key]) < keyCount[key]: self.transfKeymap[key].append(identity()) # while len(self.transfKeymap[key]) > keyCount[key]: # self.transfKeymap[key].pop() # change of basis for keylist in self.transfKeymap.values(): for i in range(len(keylist)): if keylist[i] != identity(): keylist[i] = self.asy2psmap * keylist[i] * self.asy2psmap.inverted() self.updateCode() self.scriptAsyfied = True def generateDrawObjects(self, forceUpdate=False): self.asyfy(forceUpdate) return self.drawObjects def __str__(self): """Return a string describing this script""" retVal = "xasyScript\n\tTransforms:\n" for xform in self.transform: retVal += "\t" + str(xform) + "\n" retVal += "\tCode Ommitted" return retVal class DrawObject(Qc.QObject): def __init__(self, drawObject, mainCanvas=None, transform=identity(), btmRightanchor=Qc.QPointF(0, 0), drawOrder=(-1, -1), pen=None, key=None, parentObj=None, fill=False, keyIndex=0): super().__init__() self.drawObject = drawObject self.mainCanvas = mainCanvas self.pTransform = transform self.baseTransform = transform self.drawOrder = drawOrder self.btmRightAnchor = btmRightanchor self.originalObj = parentObj self.explicitBoundingBox = None self.useCanvasTransformation = False self.key = key self.cachedSvgImg = None self.cachedDPI = None self.maxDPI=0 self.keyIndex = keyIndex self.pen = pen self.fill = fill def getInteriorScrTransform(self, transform): """Generates the transform with Interior transform applied beforehand.""" if isinstance(transform, Qg.QTransform): transform = asyTransform.fromQTransform(transform) return self.transform * transform * self.baseTransform.inverted() @property def transform(self): return self.pTransform @transform.setter def transform(self, value): self.pTransform = value def setBoundingBoxPs(self, bbox): l, b, r, t = bbox self.explicitBoundingBox = Qc.QRectF(Qc.QPointF(l, b), Qc.QPointF(r, t)) # self.explicitBoundingBox = Qc.QRectF(0, 0, 100, 100) @property def boundingBox(self): if self.explicitBoundingBox is not None: testBbox = self.explicitBoundingBox else: if isinstance(self.drawObject, Qg.QImage): testBbox = self.drawObject.rect() testBbox.moveTo(self.btmRightAnchor.toPoint()) elif isinstance(self.drawObject, Qg.QPainterPath): testBbox = self.baseTransform.toQTransform().mapRect(self.drawObject.boundingRect()) else: raise TypeError('drawObject is not a valid type!') pointList = [self.getScreenTransform().toQTransform().map(point) for point in [ testBbox.topLeft(), testBbox.topRight(), testBbox.bottomLeft(), testBbox.bottomRight() ]] return Qg.QPolygonF(pointList).boundingRect() @property def localBoundingBox(self): testBbox = self.drawObject.rect() testBbox.moveTo(self.btmRightAnchor.toPoint()) return testBbox def getScreenTransform(self): scrTransf = self.baseTransform.toQTransform().inverted()[0] * self.pTransform.toQTransform() return asyTransform.fromQTransform(scrTransf) def draw(self, additionalTransformation=None, applyReverse=False, canvas: Qg.QPainter=None, dpi=300): if canvas is None: canvas = self.mainCanvas if additionalTransformation is None: additionalTransformation = Qg.QTransform() assert canvas.isActive() canvas.save() if self.pen: oldPen = Qg.QPen(canvas.pen()) canvas.setPen(self.pen.toQPen()) else: oldPen = Qg.QPen() if not applyReverse: canvas.setTransform(additionalTransformation, True) canvas.setTransform(self.transform.toQTransform(), True) else: canvas.setTransform(self.transform.toQTransform(), True) canvas.setTransform(additionalTransformation, True) canvas.setTransform(self.baseTransform.toQTransform().inverted()[0], True) if isinstance(self.drawObject, Qg.QImage): canvas.drawImage(self.explicitBoundingBox, self.drawObject) elif isinstance(self.drawObject, xs.SvgObject): threshold = 1.44 if self.cachedDPI is None or self.cachedSvgImg is None \ or dpi > self.maxDPI*threshold: self.cachedDPI = dpi self.maxDPI=max(self.maxDPI,dpi) self.cachedSvgImg = self.drawObject.render(dpi) canvas.drawImage(self.explicitBoundingBox, self.cachedSvgImg) elif isinstance(self.drawObject, Qs.QSvgRenderer): self.drawObject.render(canvas, self.explicitBoundingBox) elif isinstance(self.drawObject, Qg.QPainterPath): path = self.baseTransform.toQTransform().map(self.drawObject) if self.fill: if self.pen: brush = self.pen.toQPen().brush() else: brush = Qg.QBrush() canvas.fillPath(path, brush) else: canvas.drawPath(path) if self.pen: canvas.setPen(oldPen) canvas.restore() def collide(self, coords, canvasCoordinates=True): # modify these values to grow/shrink the fuzz. fuzzTolerance = 1 marginGrowth = 1 leftMargin = marginGrowth if self.boundingBox.width() < fuzzTolerance else 0 topMargin = marginGrowth if self.boundingBox.height() < fuzzTolerance else 0 newMargin = Qc.QMarginsF(leftMargin, topMargin, leftMargin, topMargin) return self.boundingBox.marginsAdded(newMargin).contains(coords) def getID(self): return self.originalObj asymptote-2.62/GUI/xasy.py0000755000000000000000000000076713607467113014175 0ustar rootroot#!/usr/bin/env python3 import sys,signal,os import PyQt5.QtWidgets as Qw import PyQt5.QtCore as Qc from Window1 import MainWindow1 def main(args): Qw.QApplication.setAttribute(Qc.Qt.AA_UseHighDpiPixmaps,True) Qw.QApplication.setAttribute(Qc.Qt.AA_EnableHighDpiScaling,True) qtApp = Qw.QApplication(args) signal.signal(signal.SIGINT,signal.SIG_DFL) mainWin1 = MainWindow1() mainWin1.show() return qtApp.exec_() if __name__ == '__main__': sys.exit(main(sys.argv) or 0) asymptote-2.62/GUI/xasyArgs.py0000644000000000000000000000146513607467113015003 0ustar rootroot#!/usr/bin/env python3 import argparse import xasyVersion import PyQt5.QtCore as Qc # Add arguments here. def parseArgs(args): parser = argparse.ArgumentParser(args) parser.add_argument('-p', '--asypath', help='Custom Asymptote asy executable') parser.add_argument('-v', '--version', help='Version number', action='version', version='xasy v{0}'.format(xasyVersion.xasyVersion)) parser.add_argument('-l', '--language', help='language') parser.add_argument('-x', '--mag', help='Magnification. Defaults to 1', default=1, type=float) parser.add_argument( 'filename', help='Filename to load. If empty, initializes empty xasy canvas.', nargs='?', default=None) return parser.parse_args() def getArgs(): return parseArgs(Qc.QCoreApplication.arguments()) asymptote-2.62/GUI/UndoRedoStack.py0000644000000000000000000000704013607467113015702 0ustar rootroot#!/usr/bin/env python3 ########################################################################### # # UndoRedoStack implements the usual undo/redo capabilities of a GUI # # Author: Orest Shardt # Created: July 23, 2007 # ########################################################################### class action: def __init__(self, actions): act, inv = actions self.act = act self.inv = inv def undo(self): # print ("Undo:",self) self.inv() def redo(self): # print ("Redo:",self) self.act() def __str__(self): return "A generic action" class beginActionGroup: pass class endActionGroup: pass class actionStack: def __init__(self): self.clear() def add(self, action): self.undoStack.append(action) # print ("Added",action) self.redoStack = [] def undo(self): if len(self.undoStack) > 0: op = self.undoStack.pop() if op is beginActionGroup: level = 1 self.redoStack.append(endActionGroup) while level > 0: op = self.undoStack.pop() if op is endActionGroup: level -= 1 self.redoStack.append(beginActionGroup) elif op is beginActionGroup: level += 1 self.redoStack.append(endActionGroup) else: op.undo() self.redoStack.append(op) elif op is endActionGroup: raise Exception("endActionGroup without previous beginActionGroup") else: self.redoStack.append(op) op.undo() # print ("undid",op) else: pass # print ("nothing to undo") def redo(self): if len(self.redoStack) > 0: op = self.redoStack.pop() if op is beginActionGroup: level = 1 self.undoStack.append(endActionGroup) while level > 0: op = self.redoStack.pop() if op is endActionGroup: level -= 1 self.undoStack.append(beginActionGroup) elif op is beginActionGroup: level += 1 self.undoStack.append(endActionGroup) else: op.redo() self.undoStack.append(op) elif op is endActionGroup: raise Exception("endActionGroup without previous beginActionGroup") else: self.undoStack.append(op) op.redo() # print ("redid",op) else: pass # print ("nothing to redo") def setCommitLevel(self): self.commitLevel = len(self.undoStack) def changesMade(self): if len(self.undoStack) != self.commitLevel: return True else: return False def clear(self): self.redoStack = [] self.undoStack = [] self.commitLevel = 0 if __name__ == '__main__': import sys def opq(): print("action1") def unopq(): print("inverse1") q = action(opq, unopq) w = action(lambda: sys.stdout.write("action2\n"), lambda: sys.stdout.write("inverse2\n")) e = action(lambda: sys.stdout.write("action3\n"), lambda: sys.stdout.write("inverse3\n")) s = actionStack() s.add(q) s.add(w) s.add(e) asymptote-2.62/GUI/icons_rc.py0000644000000000000000000050123713607467177015015 0ustar rootroot# -*- coding: utf-8 -*- # Resource object code # # Created by: The Resource Compiler for PyQt5 (Qt v5.12.5) # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore qt_resource_data = b"\ \x00\x00\x00\x6c\ \x3c\ \x73\x76\x67\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\ \x30\x2f\x73\x76\x67\x22\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\ \x30\x20\x30\x20\x32\x30\x20\x32\x30\x22\x3e\x3c\x70\x61\x74\x68\ \x20\x64\x3d\x22\x4d\x31\x38\x20\x31\x32\x76\x31\x48\x38\x76\x35\ \x6c\x2d\x36\x2d\x36\x20\x36\x2d\x36\x76\x35\x68\x38\x56\x32\x68\ \x32\x7a\x22\x2f\x3e\x3c\x2f\x73\x76\x67\x3e\ \x00\x00\x04\x64\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x22\x3e\x0d\x0a\x09\x3c\x67\x3e\x0d\x0a\x09\ \x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x32\x35\x36\x2c\x31\ \x37\x36\x63\x2d\x34\x34\x2e\x30\x30\x34\x2c\x30\x2d\x38\x30\x2e\ \x30\x30\x31\x2c\x33\x36\x2d\x38\x30\x2e\x30\x30\x31\x2c\x38\x30\ \x63\x30\x2c\x34\x34\x2e\x30\x30\x34\x2c\x33\x35\x2e\x39\x39\x37\ \x2c\x38\x30\x2c\x38\x30\x2e\x30\x30\x31\x2c\x38\x30\x63\x34\x34\ \x2e\x30\x30\x35\x2c\x30\x2c\x37\x39\x2e\x39\x39\x39\x2d\x33\x35\ \x2e\x39\x39\x36\x2c\x37\x39\x2e\x39\x39\x39\x2d\x38\x30\x0d\x0a\ \x09\x09\x09\x43\x33\x33\x35\x2e\x39\x39\x39\x2c\x32\x31\x32\x2c\ \x33\x30\x30\x2e\x30\x30\x35\x2c\x31\x37\x36\x2c\x32\x35\x36\x2c\ \x31\x37\x36\x7a\x20\x4d\x34\x34\x36\x2e\x39\x33\x38\x2c\x32\x33\ \x34\x2e\x36\x36\x37\x63\x2d\x39\x2e\x36\x30\x35\x2d\x38\x38\x2e\ \x35\x33\x31\x2d\x38\x31\x2e\x30\x37\x34\x2d\x31\x36\x30\x2d\x31\ \x36\x39\x2e\x36\x30\x35\x2d\x31\x36\x39\x2e\x35\x39\x39\x56\x33\ \x32\x68\x2d\x34\x32\x2e\x36\x36\x36\x76\x33\x33\x2e\x30\x36\x37\ \x0d\x0a\x09\x09\x09\x63\x2d\x38\x38\x2e\x35\x33\x31\x2c\x39\x2e\ \x35\x39\x39\x2d\x31\x36\x30\x2c\x38\x31\x2e\x30\x36\x38\x2d\x31\ \x36\x39\x2e\x36\x30\x34\x2c\x31\x36\x39\x2e\x35\x39\x39\x48\x33\ \x32\x76\x34\x32\x2e\x36\x36\x37\x68\x33\x33\x2e\x30\x36\x32\x63\ \x39\x2e\x36\x30\x34\x2c\x38\x38\x2e\x35\x33\x31\x2c\x38\x31\x2e\ \x30\x37\x32\x2c\x31\x36\x30\x2c\x31\x36\x39\x2e\x36\x30\x34\x2c\ \x31\x36\x39\x2e\x36\x30\x34\x56\x34\x38\x30\x68\x34\x32\x2e\x36\ \x36\x36\x76\x2d\x33\x33\x2e\x30\x36\x32\x0d\x0a\x09\x09\x09\x63\ \x38\x38\x2e\x35\x33\x31\x2d\x39\x2e\x36\x30\x34\x2c\x31\x36\x30\ \x2d\x38\x31\x2e\x30\x37\x33\x2c\x31\x36\x39\x2e\x36\x30\x35\x2d\ \x31\x36\x39\x2e\x36\x30\x34\x48\x34\x38\x30\x76\x2d\x34\x32\x2e\ \x36\x36\x37\x48\x34\x34\x36\x2e\x39\x33\x38\x7a\x20\x4d\x32\x35\ \x36\x2c\x34\x30\x35\x2e\x33\x33\x33\x63\x2d\x38\x32\x2e\x31\x33\ \x37\x2c\x30\x2d\x31\x34\x39\x2e\x33\x33\x34\x2d\x36\x37\x2e\x31\ \x39\x38\x2d\x31\x34\x39\x2e\x33\x33\x34\x2d\x31\x34\x39\x2e\x33\ \x33\x33\x0d\x0a\x09\x09\x09\x63\x30\x2d\x38\x32\x2e\x31\x33\x36\ \x2c\x36\x37\x2e\x31\x39\x37\x2d\x31\x34\x39\x2e\x33\x33\x33\x2c\ \x31\x34\x39\x2e\x33\x33\x34\x2d\x31\x34\x39\x2e\x33\x33\x33\x63\ \x38\x32\x2e\x31\x33\x35\x2c\x30\x2c\x31\x34\x39\x2e\x33\x33\x32\ \x2c\x36\x37\x2e\x31\x39\x38\x2c\x31\x34\x39\x2e\x33\x33\x32\x2c\ \x31\x34\x39\x2e\x33\x33\x33\x43\x34\x30\x35\x2e\x33\x33\x32\x2c\ \x33\x33\x38\x2e\x31\x33\x35\x2c\x33\x33\x38\x2e\x31\x33\x35\x2c\ \x34\x30\x35\x2e\x33\x33\x33\x2c\x32\x35\x36\x2c\x34\x30\x35\x2e\ \x33\x33\x33\x7a\x0d\x0a\x09\x09\x09\x22\x2f\x3e\x0d\x0a\x09\x3c\ \x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\ \x3e\x0d\x0a\ \x00\x00\x02\xa2\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x3e\x0d\x0a\x09\ \x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x31\x32\x38\x2c\x34\x30\ \x35\x2e\x34\x32\x39\x43\x31\x32\x38\x2c\x34\x32\x38\x2e\x38\x34\ \x36\x2c\x31\x34\x37\x2e\x31\x39\x38\x2c\x34\x34\x38\x2c\x31\x37\ \x30\x2e\x36\x36\x37\x2c\x34\x34\x38\x68\x31\x37\x30\x2e\x36\x36\ \x37\x43\x33\x36\x34\x2e\x38\x30\x32\x2c\x34\x34\x38\x2c\x33\x38\ \x34\x2c\x34\x32\x38\x2e\x38\x34\x36\x2c\x33\x38\x34\x2c\x34\x30\ \x35\x2e\x34\x32\x39\x56\x31\x36\x30\x48\x31\x32\x38\x56\x34\x30\ \x35\x2e\x34\x32\x39\x7a\x20\x4d\x34\x31\x36\x2c\x39\x36\x0d\x0a\ \x09\x09\x68\x2d\x38\x30\x6c\x2d\x32\x36\x2e\x37\x38\x35\x2d\x33\ \x32\x48\x32\x30\x32\x2e\x37\x38\x36\x4c\x31\x37\x36\x2c\x39\x36\ \x48\x39\x36\x76\x33\x32\x68\x33\x32\x30\x56\x39\x36\x7a\x22\x2f\ \x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\ \x0a\ \x00\x00\x02\x7d\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x38\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\x3e\ \x0d\x0a\x09\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x38\x35\ \x2c\x32\x37\x37\x2e\x33\x37\x35\x68\x32\x35\x39\x2e\x37\x30\x34\ \x4c\x32\x32\x35\x2e\x30\x30\x32\x2c\x33\x39\x37\x2e\x30\x37\x37\ \x4c\x32\x35\x36\x2c\x34\x32\x37\x6c\x31\x37\x31\x2d\x31\x37\x31\ \x4c\x32\x35\x36\x2c\x38\x35\x6c\x2d\x32\x39\x2e\x39\x32\x32\x2c\ \x32\x39\x2e\x39\x32\x34\x6c\x31\x31\x38\x2e\x36\x32\x36\x2c\x31\ \x31\x39\x2e\x37\x30\x31\x48\x38\x35\x56\x32\x37\x37\x2e\x33\x37\ \x35\x7a\x22\x2f\x3e\x0d\x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\ \x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x03\x6c\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x3e\x0d\x0a\x09\ \x0d\x0a\x09\x09\x3c\x72\x65\x63\x74\x20\x78\x3d\x22\x31\x37\x38\ \x2e\x38\x34\x36\x22\x20\x79\x3d\x22\x39\x32\x2e\x30\x38\x37\x22\ \x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x22\x6d\x61\x74\x72\ \x69\x78\x28\x2d\x30\x2e\x37\x30\x37\x31\x20\x2d\x30\x2e\x37\x30\ \x37\x31\x20\x30\x2e\x37\x30\x37\x31\x20\x2d\x30\x2e\x37\x30\x37\ \x31\x20\x32\x32\x34\x2e\x33\x34\x37\x36\x20\x36\x33\x31\x2e\x31\ \x34\x39\x38\x29\x22\x20\x77\x69\x64\x74\x68\x3d\x22\x31\x32\x38\ \x2e\x30\x38\x35\x22\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x33\x35\ \x34\x2e\x30\x34\x39\x22\x2f\x3e\x0d\x0a\x09\x3c\x70\x61\x74\x68\ \x20\x64\x3d\x22\x4d\x34\x37\x31\x2e\x37\x32\x33\x2c\x38\x38\x2e\ \x33\x39\x33\x6c\x2d\x34\x38\x2e\x31\x31\x35\x2d\x34\x38\x2e\x31\ \x31\x34\x63\x2d\x31\x31\x2e\x37\x32\x33\x2d\x31\x31\x2e\x37\x32\ \x34\x2d\x33\x31\x2e\x35\x35\x38\x2d\x31\x30\x2e\x38\x39\x36\x2d\ \x34\x34\x2e\x33\x30\x34\x2c\x31\x2e\x38\x35\x6c\x2d\x34\x35\x2e\ \x32\x30\x32\x2c\x34\x35\x2e\x32\x30\x33\x6c\x39\x30\x2e\x35\x36\ \x39\x2c\x39\x30\x2e\x35\x36\x38\x6c\x34\x35\x2e\x32\x30\x32\x2d\ \x34\x35\x2e\x32\x30\x32\x0d\x0a\x09\x09\x43\x34\x38\x32\x2e\x36\ \x31\x36\x2c\x31\x31\x39\x2e\x39\x35\x32\x2c\x34\x38\x33\x2e\x34\ \x34\x35\x2c\x31\x30\x30\x2e\x31\x31\x36\x2c\x34\x37\x31\x2e\x37\ \x32\x33\x2c\x38\x38\x2e\x33\x39\x33\x7a\x22\x2f\x3e\x0d\x0a\x09\ \x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\x6f\x69\x6e\x74\x73\x3d\ \x22\x36\x34\x2e\x30\x32\x31\x2c\x33\x36\x33\x2e\x32\x35\x32\x20\ \x33\x32\x2c\x34\x38\x30\x20\x31\x34\x38\x2e\x37\x33\x37\x2c\x34\ \x34\x37\x2e\x39\x37\x39\x20\x09\x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\ \x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x05\x27\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x31\x32\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\ \x3e\x0d\x0a\x09\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x32\ \x35\x36\x2c\x36\x34\x43\x31\x35\x30\x2e\x34\x30\x31\x2c\x36\x34\ \x2c\x36\x34\x2c\x31\x35\x30\x2e\x34\x30\x31\x2c\x36\x34\x2c\x32\ \x35\x36\x63\x30\x2c\x31\x30\x35\x2e\x36\x30\x34\x2c\x38\x36\x2e\ \x34\x30\x31\x2c\x31\x39\x32\x2c\x31\x39\x32\x2c\x31\x39\x32\x63\ \x31\x38\x2e\x31\x33\x36\x2c\x30\x2c\x33\x32\x2d\x31\x33\x2e\x38\ \x36\x34\x2c\x33\x32\x2d\x33\x32\x0d\x0a\x09\x09\x09\x63\x30\x2d\ \x38\x2e\x35\x33\x31\x2d\x33\x2e\x31\x39\x38\x2d\x31\x36\x2d\x38\ \x2e\x35\x33\x31\x2d\x32\x31\x2e\x33\x33\x33\x63\x2d\x35\x2e\x33\ \x33\x33\x2d\x35\x2e\x33\x33\x34\x2d\x38\x2e\x35\x33\x31\x2d\x31\ \x32\x2e\x38\x30\x33\x2d\x38\x2e\x35\x33\x31\x2d\x32\x31\x2e\x33\ \x33\x34\x63\x30\x2d\x31\x38\x2e\x31\x33\x35\x2c\x31\x33\x2e\x38\ \x36\x34\x2d\x33\x32\x2c\x33\x32\x2d\x33\x32\x68\x33\x38\x2e\x33\ \x39\x36\x0d\x0a\x09\x09\x09\x63\x35\x38\x2e\x36\x36\x37\x2c\x30\ \x2c\x31\x30\x36\x2e\x36\x36\x37\x2d\x34\x38\x2c\x31\x30\x36\x2e\ \x36\x36\x37\x2d\x31\x30\x36\x2e\x36\x36\x36\x43\x34\x34\x38\x2c\ \x31\x34\x30\x2e\x38\x30\x32\x2c\x33\x36\x31\x2e\x36\x30\x34\x2c\ \x36\x34\x2c\x32\x35\x36\x2c\x36\x34\x7a\x20\x4d\x31\x33\x38\x2e\ \x36\x36\x37\x2c\x32\x35\x36\x63\x2d\x31\x38\x2e\x31\x33\x36\x2c\ \x30\x2d\x33\x32\x2d\x31\x33\x2e\x38\x36\x34\x2d\x33\x32\x2d\x33\ \x32\x73\x31\x33\x2e\x38\x36\x34\x2d\x33\x32\x2c\x33\x32\x2d\x33\ \x32\x0d\x0a\x09\x09\x09\x63\x31\x38\x2e\x31\x33\x35\x2c\x30\x2c\ \x33\x32\x2c\x31\x33\x2e\x38\x36\x34\x2c\x33\x32\x2c\x33\x32\x53\ \x31\x35\x36\x2e\x38\x30\x32\x2c\x32\x35\x36\x2c\x31\x33\x38\x2e\ \x36\x36\x37\x2c\x32\x35\x36\x7a\x20\x4d\x32\x30\x32\x2e\x36\x36\ \x37\x2c\x31\x37\x30\x2e\x36\x36\x37\x63\x2d\x31\x38\x2e\x31\x33\ \x36\x2c\x30\x2d\x33\x32\x2d\x31\x33\x2e\x38\x36\x35\x2d\x33\x32\ \x2d\x33\x32\x63\x30\x2d\x31\x38\x2e\x31\x33\x36\x2c\x31\x33\x2e\ \x38\x36\x34\x2d\x33\x32\x2c\x33\x32\x2d\x33\x32\x0d\x0a\x09\x09\ \x09\x63\x31\x38\x2e\x31\x33\x35\x2c\x30\x2c\x33\x32\x2c\x31\x33\ \x2e\x38\x36\x34\x2c\x33\x32\x2c\x33\x32\x43\x32\x33\x34\x2e\x36\ \x36\x37\x2c\x31\x35\x36\x2e\x38\x30\x32\x2c\x32\x32\x30\x2e\x38\ \x30\x32\x2c\x31\x37\x30\x2e\x36\x36\x37\x2c\x32\x30\x32\x2e\x36\ \x36\x37\x2c\x31\x37\x30\x2e\x36\x36\x37\x7a\x20\x4d\x33\x30\x39\ \x2e\x33\x33\x33\x2c\x31\x37\x30\x2e\x36\x36\x37\x63\x2d\x31\x38\ \x2e\x31\x33\x35\x2c\x30\x2d\x33\x32\x2d\x31\x33\x2e\x38\x36\x35\ \x2d\x33\x32\x2d\x33\x32\x0d\x0a\x09\x09\x09\x63\x30\x2d\x31\x38\ \x2e\x31\x33\x36\x2c\x31\x33\x2e\x38\x36\x35\x2d\x33\x32\x2c\x33\ \x32\x2d\x33\x32\x63\x31\x38\x2e\x31\x33\x36\x2c\x30\x2c\x33\x32\ \x2c\x31\x33\x2e\x38\x36\x34\x2c\x33\x32\x2c\x33\x32\x43\x33\x34\ \x31\x2e\x33\x33\x33\x2c\x31\x35\x36\x2e\x38\x30\x32\x2c\x33\x32\ \x37\x2e\x34\x36\x39\x2c\x31\x37\x30\x2e\x36\x36\x37\x2c\x33\x30\ \x39\x2e\x33\x33\x33\x2c\x31\x37\x30\x2e\x36\x36\x37\x7a\x20\x4d\ \x33\x37\x33\x2e\x33\x33\x33\x2c\x32\x35\x36\x0d\x0a\x09\x09\x09\ \x63\x2d\x31\x38\x2e\x31\x33\x35\x2c\x30\x2d\x33\x32\x2d\x31\x33\ \x2e\x38\x36\x34\x2d\x33\x32\x2d\x33\x32\x73\x31\x33\x2e\x38\x36\ \x35\x2d\x33\x32\x2c\x33\x32\x2d\x33\x32\x63\x31\x38\x2e\x31\x33\ \x36\x2c\x30\x2c\x33\x32\x2c\x31\x33\x2e\x38\x36\x34\x2c\x33\x32\ \x2c\x33\x32\x53\x33\x39\x31\x2e\x34\x36\x39\x2c\x32\x35\x36\x2c\ \x33\x37\x33\x2e\x33\x33\x33\x2c\x32\x35\x36\x7a\x22\x2f\x3e\x0d\ \x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\ \x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x02\x79\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x31\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\x3e\ \x0d\x0a\x09\x09\x3c\x67\x3e\x0d\x0a\x09\x09\x09\x3c\x70\x6f\x6c\ \x79\x67\x6f\x6e\x20\x70\x6f\x69\x6e\x74\x73\x3d\x22\x31\x38\x36\ \x2e\x33\x30\x31\x2c\x33\x33\x39\x2e\x38\x39\x33\x20\x39\x36\x2c\ \x32\x34\x39\x2e\x34\x36\x31\x20\x36\x34\x2c\x32\x37\x39\x2e\x39\ \x36\x38\x20\x31\x38\x36\x2e\x33\x30\x31\x2c\x34\x30\x32\x20\x34\ \x34\x38\x2c\x31\x34\x30\x2e\x35\x30\x36\x20\x34\x31\x36\x2c\x31\ \x31\x30\x20\x09\x09\x09\x22\x2f\x3e\x0d\x0a\x09\x09\x3c\x2f\x67\ \x3e\x0d\x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\ \x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x07\x80\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x3e\x0d\x0a\x09\ \x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x31\x39\x33\x2e\x34\x36\ \x2c\x32\x34\x39\x2e\x30\x35\x36\x63\x33\x2e\x37\x32\x33\x2d\x30\ \x2e\x36\x37\x2c\x37\x2e\x35\x38\x39\x2d\x31\x2e\x30\x34\x31\x2c\ \x31\x31\x2e\x35\x38\x36\x2d\x31\x2e\x30\x34\x31\x4c\x32\x30\x31\ \x2e\x39\x32\x34\x2c\x32\x34\x38\x68\x31\x30\x33\x2e\x38\x32\x33\ \x63\x34\x2e\x35\x30\x33\x2c\x30\x2c\x38\x2e\x38\x30\x36\x2d\x30\ \x2e\x36\x31\x37\x2c\x31\x32\x2e\x39\x30\x38\x2d\x31\x2e\x37\x35\ \x34\x0d\x0a\x09\x09\x63\x31\x39\x2e\x33\x37\x2d\x35\x2e\x33\x36\ \x33\x2c\x33\x33\x2e\x33\x34\x35\x2d\x32\x32\x2e\x35\x33\x37\x2c\ \x33\x33\x2e\x33\x34\x35\x2d\x34\x33\x2e\x36\x36\x33\x76\x2d\x33\ \x30\x2e\x38\x32\x32\x76\x2d\x35\x36\x2e\x34\x30\x32\x63\x30\x2d\ \x32\x34\x2e\x38\x33\x32\x2d\x32\x31\x2e\x31\x35\x2d\x34\x33\x2e\ \x34\x38\x34\x2d\x34\x36\x2e\x32\x38\x39\x2d\x34\x37\x2e\x36\x30\ \x36\x0d\x0a\x09\x09\x63\x2d\x31\x35\x2e\x39\x33\x31\x2d\x32\x2e\ \x36\x32\x34\x2d\x33\x39\x2e\x32\x35\x38\x2d\x33\x2e\x38\x32\x37\ \x2d\x35\x35\x2e\x30\x38\x39\x2d\x33\x2e\x37\x34\x39\x63\x2d\x31\ \x35\x2e\x38\x32\x39\x2c\x30\x2e\x30\x38\x36\x2d\x33\x30\x2e\x39\ \x38\x31\x2c\x31\x2e\x34\x30\x34\x2d\x34\x34\x2e\x32\x37\x37\x2c\ \x33\x2e\x37\x34\x39\x43\x31\x36\x37\x2e\x31\x34\x33\x2c\x37\x34\ \x2e\x35\x37\x36\x2c\x31\x36\x30\x2c\x38\x38\x2e\x39\x32\x38\x2c\ \x31\x36\x30\x2c\x31\x31\x35\x2e\x33\x35\x39\x56\x31\x34\x34\x68\ \x39\x36\x0d\x0a\x09\x09\x76\x31\x36\x48\x31\x32\x38\x2e\x38\x32\ \x63\x2d\x33\x35\x2e\x36\x32\x38\x2c\x30\x2d\x36\x34\x2e\x35\x33\ \x38\x2c\x34\x32\x2e\x35\x37\x31\x2d\x36\x34\x2e\x38\x31\x33\x2c\ \x39\x35\x2e\x32\x34\x32\x43\x36\x34\x2e\x30\x30\x35\x2c\x32\x35\ \x35\x2e\x34\x39\x35\x2c\x36\x34\x2c\x32\x35\x35\x2e\x37\x34\x37\ \x2c\x36\x34\x2c\x32\x35\x36\x63\x30\x2c\x39\x2e\x35\x32\x33\x2c\ \x30\x2e\x39\x34\x2c\x31\x38\x2e\x37\x32\x2c\x32\x2e\x36\x38\x35\ \x2c\x32\x37\x2e\x34\x30\x34\x0d\x0a\x09\x09\x43\x37\x34\x2e\x36\ \x34\x38\x2c\x33\x32\x33\x2e\x30\x37\x2c\x39\x39\x2e\x34\x35\x31\ \x2c\x33\x35\x32\x2c\x31\x32\x38\x2e\x38\x32\x2c\x33\x35\x32\x48\ \x31\x34\x34\x76\x2d\x32\x2e\x36\x36\x32\x76\x2d\x34\x33\x2e\x32\ \x37\x33\x43\x31\x34\x34\x2c\x32\x37\x39\x2e\x32\x33\x38\x2c\x31\ \x36\x34\x2e\x31\x34\x36\x2c\x32\x35\x34\x2e\x33\x33\x32\x2c\x31\ \x39\x33\x2e\x34\x36\x2c\x32\x34\x39\x2e\x30\x35\x36\x7a\x20\x4d\ \x32\x30\x33\x2e\x36\x35\x36\x2c\x31\x32\x37\x2e\x30\x30\x32\x0d\ \x0a\x09\x09\x63\x2d\x39\x2e\x35\x39\x32\x2c\x30\x2d\x31\x37\x2e\ \x33\x38\x34\x2d\x37\x2e\x37\x38\x35\x2d\x31\x37\x2e\x33\x38\x34\ \x2d\x31\x37\x2e\x34\x30\x33\x63\x30\x2d\x39\x2e\x36\x36\x34\x2c\ \x37\x2e\x37\x37\x34\x2d\x31\x37\x2e\x35\x32\x2c\x31\x37\x2e\x33\ \x38\x34\x2d\x31\x37\x2e\x35\x32\x63\x39\x2e\x35\x37\x34\x2c\x30\ \x2c\x31\x37\x2e\x33\x39\x39\x2c\x37\x2e\x38\x35\x35\x2c\x31\x37\ \x2e\x33\x39\x39\x2c\x31\x37\x2e\x35\x32\x0d\x0a\x09\x09\x43\x32\ \x32\x31\x2e\x30\x35\x36\x2c\x31\x31\x39\x2e\x32\x31\x37\x2c\x32\ \x31\x33\x2e\x32\x34\x36\x2c\x31\x32\x37\x2e\x30\x30\x32\x2c\x32\ \x30\x33\x2e\x36\x35\x36\x2c\x31\x32\x37\x2e\x30\x30\x32\x7a\x22\ \x2f\x3e\x0d\x0a\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x34\ \x34\x33\x2e\x39\x35\x31\x2c\x32\x32\x32\x2e\x35\x34\x33\x43\x34\ \x33\x34\x2e\x37\x38\x2c\x31\x38\x36\x2e\x30\x32\x31\x2c\x34\x31\ \x31\x2e\x30\x33\x33\x2c\x31\x36\x30\x2c\x33\x38\x33\x2e\x31\x38\ \x2c\x31\x36\x30\x48\x33\x36\x38\x76\x32\x2e\x36\x32\x36\x76\x33\ \x38\x2e\x30\x34\x36\x63\x30\x2c\x33\x33\x2e\x39\x31\x35\x2d\x32\ \x32\x2e\x32\x38\x36\x2c\x35\x38\x2e\x34\x37\x34\x2d\x34\x39\x2e\ \x34\x38\x39\x2c\x36\x32\x2e\x36\x38\x31\x0d\x0a\x09\x09\x63\x2d\ \x32\x2e\x37\x33\x37\x2c\x30\x2e\x34\x32\x34\x2d\x35\x2e\x34\x38\ \x33\x2c\x30\x2e\x36\x34\x36\x2d\x38\x2e\x33\x30\x31\x2c\x30\x2e\ \x36\x34\x36\x48\x32\x30\x36\x2e\x33\x35\x31\x63\x2d\x34\x2e\x35\ \x31\x38\x2c\x30\x2d\x38\x2e\x39\x30\x34\x2c\x30\x2e\x35\x38\x34\ \x2d\x31\x33\x2e\x30\x34\x39\x2c\x31\x2e\x36\x37\x32\x43\x31\x37\ \x34\x2e\x31\x38\x2c\x32\x37\x30\x2e\x36\x38\x39\x2c\x31\x36\x30\ \x2c\x32\x38\x36\x2e\x36\x2c\x31\x36\x30\x2c\x33\x30\x37\x2e\x32\ \x33\x36\x76\x33\x32\x2e\x39\x32\x32\x0d\x0a\x09\x09\x76\x35\x34\ \x2e\x33\x30\x35\x63\x30\x2c\x32\x34\x2e\x38\x33\x32\x2c\x32\x34\ \x2e\x39\x37\x37\x2c\x33\x39\x2e\x34\x32\x36\x2c\x34\x39\x2e\x34\ \x38\x31\x2c\x34\x36\x2e\x35\x35\x31\x63\x32\x39\x2e\x33\x32\x37\ \x2c\x38\x2e\x35\x33\x31\x2c\x36\x31\x2e\x32\x36\x37\x2c\x31\x30\ \x2e\x30\x36\x38\x2c\x39\x36\x2e\x33\x36\x36\x2c\x30\x43\x33\x32\ \x39\x2e\x31\x35\x2c\x34\x33\x34\x2e\x33\x35\x34\x2c\x33\x35\x32\ \x2c\x34\x32\x30\x2e\x38\x39\x33\x2c\x33\x35\x32\x2c\x33\x39\x34\ \x2e\x34\x36\x33\x56\x33\x36\x38\x0d\x0a\x09\x09\x68\x2d\x39\x36\ \x76\x2d\x31\x36\x68\x31\x32\x37\x2e\x31\x38\x63\x32\x35\x2e\x32\ \x34\x2c\x30\x2c\x34\x37\x2e\x31\x30\x37\x2d\x32\x31\x2e\x33\x36\ \x35\x2c\x35\x37\x2e\x38\x31\x34\x2d\x35\x32\x2e\x35\x34\x39\x43\ \x34\x34\x35\x2e\x34\x37\x34\x2c\x32\x38\x36\x2e\x34\x30\x34\x2c\ \x34\x34\x38\x2c\x32\x37\x31\x2e\x36\x34\x31\x2c\x34\x34\x38\x2c\ \x32\x35\x36\x0d\x0a\x09\x09\x43\x34\x34\x38\x2c\x32\x34\x34\x2e\ \x32\x33\x32\x2c\x34\x34\x36\x2e\x35\x36\x37\x2c\x32\x33\x32\x2e\ \x39\x36\x32\x2c\x34\x34\x33\x2e\x39\x35\x31\x2c\x32\x32\x32\x2e\ \x35\x34\x33\x7a\x20\x4d\x33\x30\x37\x2e\x38\x36\x37\x2c\x33\x38\ \x32\x2e\x38\x32\x63\x39\x2e\x35\x39\x2c\x30\x2c\x31\x37\x2e\x33\ \x38\x31\x2c\x37\x2e\x37\x38\x35\x2c\x31\x37\x2e\x33\x38\x31\x2c\ \x31\x37\x2e\x34\x0d\x0a\x09\x09\x63\x30\x2c\x39\x2e\x36\x35\x2d\ \x37\x2e\x37\x39\x31\x2c\x31\x37\x2e\x35\x32\x31\x2d\x31\x37\x2e\ \x33\x38\x31\x2c\x31\x37\x2e\x35\x32\x31\x63\x2d\x39\x2e\x35\x37\ \x37\x2c\x30\x2d\x31\x37\x2e\x33\x39\x39\x2d\x37\x2e\x38\x37\x31\ \x2d\x31\x37\x2e\x33\x39\x39\x2d\x31\x37\x2e\x35\x32\x31\x43\x32\ \x39\x30\x2e\x34\x36\x38\x2c\x33\x39\x30\x2e\x35\x39\x2c\x32\x39\ \x38\x2e\x32\x37\x34\x2c\x33\x38\x32\x2e\x38\x32\x2c\x33\x30\x37\ \x2e\x38\x36\x37\x2c\x33\x38\x32\x2e\x38\x32\x7a\x22\x2f\x3e\x0d\ \x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x03\xeb\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x73\ \x74\x79\x6c\x65\x3d\x22\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\ \x6b\x67\x72\x6f\x75\x6e\x64\x3a\x6e\x65\x77\x20\x30\x20\x30\x20\ \x35\x31\x32\x20\x35\x31\x32\x3b\x22\x20\x78\x6d\x6c\x3a\x73\x70\ \x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\ \x0a\x3c\x67\x3e\x0d\x0a\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\ \x4d\x32\x35\x36\x2c\x31\x32\x38\x63\x2d\x38\x31\x2e\x39\x2c\x30\ \x2d\x31\x34\x35\x2e\x37\x2c\x34\x38\x2e\x38\x2d\x32\x32\x34\x2c\ \x31\x32\x38\x63\x36\x37\x2e\x34\x2c\x36\x37\x2e\x37\x2c\x31\x32\ \x34\x2c\x31\x32\x38\x2c\x32\x32\x34\x2c\x31\x32\x38\x63\x39\x39\ \x2e\x39\x2c\x30\x2c\x31\x37\x33\x2e\x34\x2d\x37\x36\x2e\x34\x2c\ \x32\x32\x34\x2d\x31\x32\x36\x2e\x36\x0d\x0a\x09\x09\x43\x34\x32\ \x38\x2e\x32\x2c\x31\x39\x38\x2e\x36\x2c\x33\x35\x34\x2e\x38\x2c\ \x31\x32\x38\x2c\x32\x35\x36\x2c\x31\x32\x38\x7a\x20\x4d\x32\x35\ \x36\x2c\x33\x34\x37\x2e\x33\x63\x2d\x34\x39\x2e\x34\x2c\x30\x2d\ \x38\x39\x2e\x36\x2d\x34\x31\x2d\x38\x39\x2e\x36\x2d\x39\x31\x2e\ \x33\x63\x30\x2d\x35\x30\x2e\x34\x2c\x34\x30\x2e\x32\x2d\x39\x31\ \x2e\x33\x2c\x38\x39\x2e\x36\x2d\x39\x31\x2e\x33\x73\x38\x39\x2e\ \x36\x2c\x34\x31\x2c\x38\x39\x2e\x36\x2c\x39\x31\x2e\x33\x0d\x0a\ \x09\x09\x43\x33\x34\x35\x2e\x36\x2c\x33\x30\x36\x2e\x34\x2c\x33\ \x30\x35\x2e\x34\x2c\x33\x34\x37\x2e\x33\x2c\x32\x35\x36\x2c\x33\ \x34\x37\x2e\x33\x7a\x22\x2f\x3e\x0d\x0a\x09\x3c\x67\x3e\x0d\x0a\ \x09\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x32\x35\x36\x2c\ \x32\x32\x34\x63\x30\x2d\x37\x2e\x39\x2c\x32\x2e\x39\x2d\x31\x35\ \x2e\x31\x2c\x37\x2e\x36\x2d\x32\x30\x2e\x37\x63\x2d\x32\x2e\x35\ \x2d\x30\x2e\x34\x2d\x35\x2d\x30\x2e\x36\x2d\x37\x2e\x36\x2d\x30\ \x2e\x36\x63\x2d\x32\x38\x2e\x38\x2c\x30\x2d\x35\x32\x2e\x33\x2c\ \x32\x33\x2e\x39\x2d\x35\x32\x2e\x33\x2c\x35\x33\x2e\x33\x63\x30\ \x2c\x32\x39\x2e\x34\x2c\x32\x33\x2e\x35\x2c\x35\x33\x2e\x33\x2c\ \x35\x32\x2e\x33\x2c\x35\x33\x2e\x33\x0d\x0a\x09\x09\x09\x73\x35\ \x32\x2e\x33\x2d\x32\x33\x2e\x39\x2c\x35\x32\x2e\x33\x2d\x35\x33\ \x2e\x33\x63\x30\x2d\x32\x2e\x33\x2d\x30\x2e\x32\x2d\x34\x2e\x36\ \x2d\x30\x2e\x34\x2d\x36\x2e\x39\x63\x2d\x35\x2e\x35\x2c\x34\x2e\ \x33\x2d\x31\x32\x2e\x33\x2c\x36\x2e\x39\x2d\x31\x39\x2e\x38\x2c\ \x36\x2e\x39\x43\x32\x37\x30\x2e\x33\x2c\x32\x35\x36\x2c\x32\x35\ \x36\x2c\x32\x34\x31\x2e\x37\x2c\x32\x35\x36\x2c\x32\x32\x34\x7a\ \x22\x2f\x3e\x0d\x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\x3e\ \x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x05\xd4\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x36\x2e\x34\x30\x39\x34\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x35\ \x34\x2e\x38\x39\x32\x36\x20\x2d\x33\x39\x2e\x37\x31\x30\x39\x43\ \x20\x35\x34\x2e\x38\x39\x32\x36\x20\x2d\x34\x33\x2e\x39\x30\x33\ \x32\x20\x34\x34\x2e\x36\x39\x36\x39\x20\x2d\x34\x37\x2e\x33\x30\ \x31\x37\x20\x33\x32\x2e\x31\x32\x20\x2d\x34\x37\x2e\x33\x30\x31\ \x37\x43\x20\x31\x39\x2e\x35\x34\x33\x31\x20\x2d\x34\x37\x2e\x33\ \x30\x31\x37\x20\x39\x2e\x33\x34\x37\x34\x32\x20\x2d\x34\x33\x2e\ \x39\x30\x33\x32\x20\x39\x2e\x33\x34\x37\x34\x32\x20\x2d\x33\x39\ \x2e\x37\x31\x30\x39\x43\x20\x39\x2e\x33\x34\x37\x34\x32\x20\x2d\ \x33\x35\x2e\x35\x31\x38\x35\x20\x31\x39\x2e\x35\x34\x33\x31\x20\ \x2d\x33\x32\x2e\x31\x32\x20\x33\x32\x2e\x31\x32\x20\x2d\x33\x32\ \x2e\x31\x32\x43\x20\x34\x34\x2e\x36\x39\x36\x39\x20\x2d\x33\x32\ \x2e\x31\x32\x20\x35\x34\x2e\x38\x39\x32\x36\x20\x2d\x33\x35\x2e\ \x35\x31\x38\x35\x20\x35\x34\x2e\x38\x39\x32\x36\x20\x2d\x33\x39\ \x2e\x37\x31\x30\x39\x5a\x27\x20\x66\x69\x6c\x6c\x3d\x27\x6e\x6f\ \x6e\x65\x27\x20\x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\x30\x30\x30\ \x30\x30\x30\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\ \x63\x61\x70\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\ \x6b\x65\x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\x72\x6f\x75\ \x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\ \x6c\x69\x6d\x69\x74\x3d\x27\x31\x30\x2e\x30\x33\x37\x35\x27\x20\ \x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\x27\x33\x2e\ \x35\x31\x33\x31\x32\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\ \x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\ \x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\ \x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x36\x2e\x34\x30\x39\x34\ \x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x70\x61\x74\ \x68\x20\x64\x3d\x27\x4d\x20\x39\x2e\x33\x34\x37\x34\x32\x20\x2d\ \x33\x39\x2e\x37\x31\x30\x39\x4c\x20\x39\x2e\x33\x34\x37\x34\x32\ \x20\x2d\x39\x2e\x33\x34\x37\x34\x32\x4c\x20\x39\x2e\x33\x34\x37\ \x34\x32\x20\x2d\x39\x2e\x33\x34\x37\x34\x32\x43\x20\x39\x2e\x33\ \x34\x37\x34\x32\x20\x2d\x39\x2e\x33\x34\x37\x34\x32\x20\x39\x2e\ \x33\x34\x37\x34\x32\x20\x2d\x39\x2e\x33\x34\x37\x34\x32\x20\x39\ \x2e\x33\x34\x37\x34\x32\x20\x2d\x39\x2e\x33\x34\x37\x34\x32\x43\ \x20\x39\x2e\x33\x34\x37\x34\x32\x20\x2d\x35\x2e\x31\x35\x35\x31\ \x31\x20\x31\x39\x2e\x35\x34\x33\x31\x20\x2d\x31\x2e\x37\x35\x36\ \x35\x36\x20\x33\x32\x2e\x31\x32\x20\x2d\x31\x2e\x37\x35\x36\x35\ \x36\x43\x20\x34\x34\x2e\x36\x39\x36\x39\x20\x2d\x31\x2e\x37\x35\ \x36\x35\x36\x20\x35\x34\x2e\x38\x39\x32\x36\x20\x2d\x35\x2e\x31\ \x35\x35\x31\x31\x20\x35\x34\x2e\x38\x39\x32\x36\x20\x2d\x39\x2e\ \x33\x34\x37\x34\x32\x4c\x20\x35\x34\x2e\x38\x39\x32\x36\x20\x2d\ \x39\x2e\x33\x34\x37\x34\x32\x4c\x20\x35\x34\x2e\x38\x39\x32\x36\ \x20\x2d\x33\x39\x2e\x37\x31\x30\x39\x27\x20\x66\x69\x6c\x6c\x3d\ \x27\x6e\x6f\x6e\x65\x27\x20\x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\ \x30\x30\x30\x30\x30\x30\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\ \x69\x6e\x65\x63\x61\x70\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\ \x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\ \x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\ \x74\x65\x72\x6c\x69\x6d\x69\x74\x3d\x27\x31\x30\x2e\x30\x33\x37\ \x35\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\ \x27\x33\x2e\x35\x31\x33\x31\x32\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\ \x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\ \x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\ \x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x36\x2e\x34\ \x30\x39\x34\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\ \x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x35\x34\x2e\x38\x39\x32\ \x36\x20\x2d\x33\x39\x2e\x37\x31\x30\x39\x43\x20\x35\x34\x2e\x38\ \x39\x32\x36\x20\x2d\x35\x32\x2e\x32\x38\x37\x38\x20\x34\x34\x2e\ \x36\x39\x36\x39\x20\x2d\x36\x32\x2e\x34\x38\x33\x34\x20\x33\x32\ \x2e\x31\x32\x20\x2d\x36\x32\x2e\x34\x38\x33\x34\x43\x20\x31\x39\ \x2e\x35\x34\x33\x31\x20\x2d\x36\x32\x2e\x34\x38\x33\x34\x20\x39\ \x2e\x33\x34\x37\x34\x32\x20\x2d\x35\x32\x2e\x32\x38\x37\x38\x20\ \x39\x2e\x33\x34\x37\x34\x32\x20\x2d\x33\x39\x2e\x37\x31\x30\x39\ \x27\x20\x66\x69\x6c\x6c\x3d\x27\x6e\x6f\x6e\x65\x27\x20\x73\x74\ \x72\x6f\x6b\x65\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x73\ \x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\x3d\x27\x72\ \x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\ \x65\x6a\x6f\x69\x6e\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\ \x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3d\ \x27\x31\x30\x2e\x30\x33\x37\x35\x27\x20\x73\x74\x72\x6f\x6b\x65\ \x2d\x77\x69\x64\x74\x68\x3d\x27\x33\x2e\x35\x31\x33\x31\x32\x27\ \x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\ \x76\x67\x3e\ \x00\x00\x02\x21\ \x00\ \x00\x07\xaf\x78\x9c\xdd\x55\x4d\x6f\x9c\x30\x10\xbd\xf7\x57\x4c\ \xd5\x83\xdb\x03\xc6\xdf\x86\x28\x24\x52\x57\xea\x29\xbd\x25\x97\ \xde\x68\xf0\x82\x9b\x5d\x58\x01\x5d\xb6\xff\xbe\x66\xd7\x60\x4a\ \xaa\xf4\x92\x43\x15\x90\x30\xf3\x18\xbf\x99\xe7\xf1\x98\xeb\xdb\ \xd3\x7e\x07\x47\xd3\x76\xb6\xa9\x33\x44\x31\x41\x60\xea\xc7\xa6\ \xb0\x75\x99\xa1\x87\xfb\x2f\x51\x82\x6e\x6f\xde\x5d\xbf\x8f\x22\ \xb8\xaf\x6c\x07\x5b\xbb\x33\x30\xe4\x1d\x94\xa6\x36\x6d\xde\x9b\ \x02\xbe\xff\x82\xe2\x68\xbb\x63\xb9\x07\x86\x13\x88\x22\xe7\xef\ \xac\x25\x2b\x45\xe0\xe2\xd4\x5d\x86\xaa\xbe\x3f\x5c\xc5\xf1\x30\ \x0c\x78\xe0\xb8\x69\xcb\x98\x11\x42\x62\xe7\xef\x5d\xae\x4e\x3b\ \x5b\x3f\xfd\xcd\x91\xa6\x69\x1a\x9f\xbf\x22\x18\x6c\xd1\x57\x19\ \x52\x1c\x3b\x50\x1d\x7a\x04\x95\xb1\x65\xd5\x4f\x90\x1e\xa1\xa3\ \x35\xc3\xe7\xe6\x94\x21\xa9\xb0\x20\xa9\x00\xc9\x71\x22\x13\x0e\ \x7e\x9a\x1f\x35\x72\x09\x97\x60\x8b\x0c\x1d\xf2\xd2\xd0\x8b\xd9\ \xb7\x79\xdd\x6d\x9b\x76\x9f\xa1\x7d\xde\xb7\xf6\xf4\x91\x38\x67\ \xc5\x94\x00\x32\xde\x93\x31\x71\x53\xaa\x47\xf2\x4f\xe3\xec\x43\ \xde\x57\xe0\xe8\xbe\x42\x8a\xb9\xd0\x82\x41\xc4\x38\x26\x94\xde\ \x05\xc0\xbf\x3c\x47\x36\xcf\x90\x7f\x03\x8b\x39\x12\x53\x29\x29\ \x05\x9a\x62\x29\x38\x85\x88\x62\x2d\x95\x54\xc0\x19\xa6\x6c\x36\ \x37\x20\x04\x56\xa9\x4a\x83\x83\x14\x38\x49\x99\x0a\x14\x33\x30\ \xe7\xfa\x02\x32\x09\x9c\x01\xae\xb0\xd2\x42\x6e\x02\x22\x08\x4e\ \x94\x4a\x42\x64\xf7\xc2\x94\x14\x53\x6a\xde\xdc\x84\xdc\x27\x87\ \x59\xdd\x44\x31\x03\x3e\xca\xdd\x7a\xa5\xbf\xa1\x71\xab\xee\x32\ \xf4\x41\x6f\xc7\x1b\xc5\xae\x2e\x71\xf9\x8a\xa5\x0d\x42\x53\xac\ \x29\x49\x97\x42\xdd\xbe\x22\x9c\x2d\x84\x6a\xcc\x09\xd5\xb3\xd0\ \x8b\xb9\x14\xea\x1d\x82\x50\x4f\x11\x84\x4e\x51\x02\x22\xb1\xa4\ \x89\x0c\x24\x17\x76\x1f\xe3\x3c\x2c\xaa\x7c\x81\x43\xd2\x7e\xf2\ \x5a\xc5\xbc\x6e\x75\x53\x1b\x04\x5d\xdf\x36\x4f\xc6\xad\x22\x39\ \x5f\x13\x10\xb9\x2e\x34\x8f\xf9\x21\x43\x6d\xf3\xb3\x2e\xfe\x80\ \x7f\x34\xb6\x5e\xe3\x7b\xdb\x9b\x76\x67\xdd\xe0\x4e\x03\x82\x09\ \xd7\x72\xfe\xe6\x5b\x99\xbb\x7c\x38\x65\xaf\x5f\xa7\xf5\x0a\xbe\ \xe1\x1e\xf4\x0a\xdf\x5c\x09\x5f\x68\x35\xc9\x30\x4b\xf4\xe2\x4c\ \x51\x0c\x8b\x84\xcf\x67\x8a\x37\x17\xad\x36\x39\x84\x6a\x79\x8a\ \xf5\x46\xf9\x6f\x96\xf1\xf2\x70\xbf\xc8\x9b\xdf\xf9\x80\xe2\xe1\ \ \x00\x00\x03\xe6\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x43\x68\x65\x76\x72\x6f\x6e\x5f\x63\x69\x72\x63\x6c\x65\ \x64\x5f\x72\x69\x67\x68\x74\x22\x20\x78\x6d\x6c\x6e\x73\x3d\x22\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x22\x0d\x0a\x09\x20\x78\x3d\x22\x30\x70\x78\ \x22\x20\x79\x3d\x22\x30\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\ \x78\x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\ \x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\ \x64\x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\ \x31\x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\ \x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x74\x72\ \x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\ \x32\x34\x20\x30\x20\x30\x20\x32\x34\x20\x30\x20\x30\x29\x27\x3e\ \x0d\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x31\x31\x2c\x31\ \x30\x4c\x38\x2e\x36\x39\x38\x2c\x37\x2e\x34\x39\x34\x63\x2d\x30\ \x2e\x31\x39\x36\x2d\x30\x2e\x31\x39\x38\x2d\x30\x2e\x31\x39\x36\ \x2d\x30\x2e\x35\x31\x39\x2c\x30\x2d\x30\x2e\x37\x31\x38\x63\x30\ \x2e\x31\x39\x36\x2d\x30\x2e\x31\x39\x37\x2c\x30\x2e\x35\x31\x35\ \x2d\x30\x2e\x31\x39\x37\x2c\x30\x2e\x37\x31\x2c\x30\x6c\x32\x2e\ \x38\x30\x37\x2c\x32\x2e\x38\x36\x34\x0d\x0a\x09\x63\x30\x2e\x31\ \x39\x36\x2c\x30\x2e\x31\x39\x39\x2c\x30\x2e\x31\x39\x36\x2c\x30\ \x2e\x35\x32\x2c\x30\x2c\x30\x2e\x37\x31\x37\x6c\x2d\x32\x2e\x38\ \x30\x37\x2c\x32\x2e\x38\x36\x34\x63\x2d\x30\x2e\x31\x39\x35\x2c\ \x30\x2e\x31\x39\x39\x2d\x30\x2e\x35\x31\x34\x2c\x30\x2e\x31\x39\ \x38\x2d\x30\x2e\x37\x31\x2c\x30\x63\x2d\x30\x2e\x31\x39\x36\x2d\ \x30\x2e\x31\x39\x37\x2d\x30\x2e\x31\x39\x36\x2d\x30\x2e\x35\x31\ \x38\x2c\x30\x2d\x30\x2e\x37\x31\x37\x4c\x31\x31\x2c\x31\x30\x7a\ \x20\x4d\x31\x30\x2c\x30\x2e\x34\x0d\x0a\x09\x63\x35\x2e\x33\x30\ \x32\x2c\x30\x2c\x39\x2e\x36\x2c\x34\x2e\x32\x39\x38\x2c\x39\x2e\ \x36\x2c\x39\x2e\x36\x63\x30\x2c\x35\x2e\x33\x30\x33\x2d\x34\x2e\ \x32\x39\x38\x2c\x39\x2e\x36\x2d\x39\x2e\x36\x2c\x39\x2e\x36\x53\ \x30\x2e\x34\x2c\x31\x35\x2e\x33\x30\x33\x2c\x30\x2e\x34\x2c\x31\ \x30\x43\x30\x2e\x34\x2c\x34\x2e\x36\x39\x38\x2c\x34\x2e\x36\x39\ \x38\x2c\x30\x2e\x34\x2c\x31\x30\x2c\x30\x2e\x34\x7a\x20\x4d\x31\ \x30\x2c\x31\x38\x2e\x33\x35\x34\x0d\x0a\x09\x63\x34\x2e\x36\x31\ \x33\x2c\x30\x2c\x38\x2e\x33\x35\x34\x2d\x33\x2e\x37\x34\x2c\x38\ \x2e\x33\x35\x34\x2d\x38\x2e\x33\x35\x34\x63\x30\x2d\x34\x2e\x36\ \x31\x34\x2d\x33\x2e\x37\x34\x31\x2d\x38\x2e\x33\x35\x34\x2d\x38\ \x2e\x33\x35\x34\x2d\x38\x2e\x33\x35\x34\x63\x2d\x34\x2e\x36\x31\ \x35\x2c\x30\x2d\x38\x2e\x33\x35\x34\x2c\x33\x2e\x37\x34\x2d\x38\ \x2e\x33\x35\x34\x2c\x38\x2e\x33\x35\x34\x0d\x0a\x09\x43\x31\x2e\ \x36\x34\x35\x2c\x31\x34\x2e\x36\x31\x34\x2c\x35\x2e\x33\x38\x35\ \x2c\x31\x38\x2e\x33\x35\x34\x2c\x31\x30\x2c\x31\x38\x2e\x33\x35\ \x34\x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\ \x76\x67\x3e\x0d\x0a\ \x00\x00\x03\xf5\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x43\x68\x65\x76\x72\x6f\x6e\x5f\x63\x69\x72\x63\x6c\x65\ \x64\x5f\x6c\x65\x66\x74\x22\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\ \x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\ \x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\x6e\x73\ \x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\ \x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\x78\ \x6c\x69\x6e\x6b\x22\x0d\x0a\x09\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x74\x72\x61\ \x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x32\ \x34\x20\x30\x20\x30\x20\x32\x34\x20\x30\x20\x30\x29\x27\x3e\x0d\ \x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x31\x31\x2e\x33\x30\ \x32\x2c\x36\x2e\x37\x37\x36\x63\x2d\x30\x2e\x31\x39\x36\x2d\x30\ \x2e\x31\x39\x37\x2d\x30\x2e\x35\x31\x35\x2d\x30\x2e\x31\x39\x37\ \x2d\x30\x2e\x37\x31\x2c\x30\x4c\x37\x2e\x37\x38\x35\x2c\x39\x2e\ \x36\x34\x31\x63\x2d\x30\x2e\x31\x39\x36\x2c\x30\x2e\x31\x39\x39\ \x2d\x30\x2e\x31\x39\x36\x2c\x30\x2e\x35\x32\x2c\x30\x2c\x30\x2e\ \x37\x31\x37\x6c\x32\x2e\x38\x30\x37\x2c\x32\x2e\x38\x36\x34\x0d\ \x0a\x09\x63\x30\x2e\x31\x39\x35\x2c\x30\x2e\x31\x39\x39\x2c\x30\ \x2e\x35\x31\x34\x2c\x30\x2e\x31\x39\x38\x2c\x30\x2e\x37\x31\x2c\ \x30\x63\x30\x2e\x31\x39\x36\x2d\x30\x2e\x31\x39\x37\x2c\x30\x2e\ \x31\x39\x36\x2d\x30\x2e\x35\x31\x38\x2c\x30\x2d\x30\x2e\x37\x31\ \x37\x4c\x39\x2c\x31\x30\x6c\x32\x2e\x33\x30\x32\x2d\x32\x2e\x35\ \x30\x36\x43\x31\x31\x2e\x34\x39\x38\x2c\x37\x2e\x32\x39\x36\x2c\ \x31\x31\x2e\x34\x39\x38\x2c\x36\x2e\x39\x37\x36\x2c\x31\x31\x2e\ \x33\x30\x32\x2c\x36\x2e\x37\x37\x36\x7a\x0d\x0a\x09\x20\x4d\x31\ \x30\x2c\x30\x2e\x34\x63\x2d\x35\x2e\x33\x30\x32\x2c\x30\x2d\x39\ \x2e\x36\x2c\x34\x2e\x32\x39\x38\x2d\x39\x2e\x36\x2c\x39\x2e\x36\ \x63\x30\x2c\x35\x2e\x33\x30\x33\x2c\x34\x2e\x32\x39\x38\x2c\x39\ \x2e\x36\x2c\x39\x2e\x36\x2c\x39\x2e\x36\x73\x39\x2e\x36\x2d\x34\ \x2e\x32\x39\x37\x2c\x39\x2e\x36\x2d\x39\x2e\x36\x43\x31\x39\x2e\ \x36\x2c\x34\x2e\x36\x39\x38\x2c\x31\x35\x2e\x33\x30\x32\x2c\x30\ \x2e\x34\x2c\x31\x30\x2c\x30\x2e\x34\x7a\x20\x4d\x31\x30\x2c\x31\ \x38\x2e\x33\x35\x34\x0d\x0a\x09\x63\x2d\x34\x2e\x36\x31\x35\x2c\ \x30\x2d\x38\x2e\x33\x35\x34\x2d\x33\x2e\x37\x34\x2d\x38\x2e\x33\ \x35\x34\x2d\x38\x2e\x33\x35\x34\x63\x30\x2d\x34\x2e\x36\x31\x34\ \x2c\x33\x2e\x37\x33\x39\x2d\x38\x2e\x33\x35\x34\x2c\x38\x2e\x33\ \x35\x34\x2d\x38\x2e\x33\x35\x34\x63\x34\x2e\x36\x31\x33\x2c\x30\ \x2c\x38\x2e\x33\x35\x34\x2c\x33\x2e\x37\x34\x2c\x38\x2e\x33\x35\ \x34\x2c\x38\x2e\x33\x35\x34\x0d\x0a\x09\x43\x31\x38\x2e\x33\x35\ \x34\x2c\x31\x34\x2e\x36\x31\x34\x2c\x31\x34\x2e\x36\x31\x33\x2c\ \x31\x38\x2e\x33\x35\x34\x2c\x31\x30\x2c\x31\x38\x2e\x33\x35\x34\ \x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\ \x67\x3e\x0d\x0a\ \x00\x00\x02\xc9\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x73\ \x74\x79\x6c\x65\x3d\x22\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\ \x6b\x67\x72\x6f\x75\x6e\x64\x3a\x6e\x65\x77\x20\x30\x20\x30\x20\ \x35\x31\x32\x20\x35\x31\x32\x3b\x22\x20\x78\x6d\x6c\x3a\x73\x70\ \x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\ \x0a\x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\x6f\x69\x6e\x74\x73\ \x3d\x22\x34\x38\x30\x2c\x32\x35\x36\x20\x33\x38\x34\x2c\x31\x36\ \x30\x20\x33\x38\x34\x2c\x32\x33\x36\x20\x32\x37\x36\x2c\x32\x33\ \x36\x20\x32\x37\x36\x2c\x31\x32\x38\x20\x33\x35\x32\x2c\x31\x32\ \x38\x20\x32\x35\x36\x2c\x33\x32\x20\x31\x36\x30\x2c\x31\x32\x38\ \x20\x32\x33\x36\x2c\x31\x32\x38\x20\x32\x33\x36\x2c\x32\x33\x36\ \x20\x31\x32\x38\x2c\x32\x33\x36\x20\x31\x32\x38\x2c\x31\x36\x30\ \x20\x33\x32\x2c\x32\x35\x36\x20\x31\x32\x38\x2c\x33\x35\x32\x20\ \x0d\x0a\x09\x31\x32\x38\x2c\x32\x37\x36\x20\x32\x33\x36\x2c\x32\ \x37\x36\x20\x32\x33\x36\x2c\x33\x38\x34\x20\x31\x36\x30\x2c\x33\ \x38\x34\x20\x32\x35\x36\x2c\x34\x38\x30\x20\x33\x35\x32\x2c\x33\ \x38\x34\x20\x32\x37\x35\x2e\x38\x2c\x33\x38\x34\x20\x32\x37\x35\ \x2e\x34\x2c\x32\x37\x35\x2e\x35\x20\x33\x38\x34\x2c\x32\x37\x35\ \x2e\x38\x20\x33\x38\x34\x2c\x33\x35\x32\x20\x22\x2f\x3e\x0d\x0a\ \x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x05\xca\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x70\x61\x74\x68\x20\ \x64\x3d\x22\x4d\x34\x35\x30\x2e\x36\x37\x39\x2c\x32\x37\x33\x2e\ \x35\x63\x2d\x31\x34\x2e\x35\x38\x35\x2d\x31\x34\x2e\x35\x37\x37\ \x2d\x33\x36\x2e\x30\x35\x34\x2d\x31\x35\x2e\x38\x39\x2d\x35\x30\ \x2e\x36\x33\x39\x2d\x31\x2e\x33\x31\x32\x6c\x2d\x34\x31\x2e\x36\ \x38\x37\x2c\x34\x31\x2e\x36\x36\x34\x63\x2d\x31\x30\x2e\x38\x35\ \x32\x2c\x31\x30\x2e\x38\x33\x36\x2d\x32\x33\x2e\x39\x33\x2c\x31\ \x30\x2e\x38\x35\x39\x2d\x33\x31\x2e\x35\x36\x34\x2c\x31\x2e\x38\ \x35\x32\x0d\x0a\x09\x63\x2d\x35\x2e\x30\x35\x37\x2d\x35\x2e\x39\ \x36\x38\x2d\x33\x2e\x30\x36\x31\x2d\x32\x34\x2e\x33\x37\x34\x2d\ \x31\x2e\x36\x34\x34\x2d\x33\x36\x2e\x30\x34\x39\x6c\x32\x30\x2e\ \x39\x30\x37\x2d\x31\x37\x31\x2e\x38\x34\x39\x63\x31\x2e\x38\x36\ \x37\x2d\x31\x35\x2e\x33\x35\x33\x2d\x39\x2e\x30\x37\x2d\x33\x30\ \x2e\x31\x38\x35\x2d\x32\x34\x2e\x34\x33\x2d\x33\x32\x2e\x30\x35\ \x31\x0d\x0a\x09\x63\x2d\x31\x35\x2e\x33\x35\x38\x2d\x31\x2e\x38\ \x36\x37\x2d\x32\x39\x2e\x33\x32\x32\x2c\x39\x2e\x39\x33\x39\x2d\ \x33\x31\x2e\x31\x39\x31\x2c\x32\x35\x2e\x32\x38\x39\x4c\x32\x36\ \x37\x2e\x33\x37\x2c\x32\x33\x36\x2e\x30\x32\x31\x63\x2d\x31\x2e\ \x32\x30\x35\x2c\x33\x2e\x33\x35\x38\x2d\x33\x2e\x37\x39\x2c\x33\ \x2e\x39\x33\x38\x2d\x34\x2e\x30\x38\x31\x2d\x30\x2e\x35\x38\x32\ \x4c\x32\x35\x35\x2e\x34\x34\x2c\x36\x30\x0d\x0a\x09\x63\x30\x2d\ \x31\x35\x2e\x34\x36\x35\x2d\x31\x32\x2e\x35\x34\x32\x2d\x32\x38\ \x2d\x32\x38\x2e\x30\x31\x34\x2d\x32\x38\x63\x2d\x31\x35\x2e\x34\ \x37\x33\x2c\x30\x2d\x32\x38\x2e\x30\x31\x35\x2c\x31\x32\x2e\x35\ \x33\x35\x2d\x32\x38\x2e\x30\x31\x35\x2c\x32\x38\x6c\x2d\x30\x2e\ \x35\x35\x32\x2c\x31\x37\x36\x2e\x37\x35\x32\x63\x30\x2e\x31\x34\ \x36\x2c\x32\x2e\x30\x34\x2d\x31\x2e\x36\x30\x34\x2c\x32\x2e\x36\ \x32\x34\x2d\x31\x2e\x39\x32\x2c\x30\x2e\x32\x39\x34\x4c\x31\x37\ \x32\x2e\x30\x31\x36\x2c\x39\x39\x2e\x30\x37\x37\x0d\x0a\x09\x63\ \x2d\x32\x2e\x37\x35\x2d\x31\x35\x2e\x32\x31\x39\x2d\x31\x37\x2e\ \x33\x32\x33\x2d\x32\x36\x2e\x32\x30\x33\x2d\x33\x32\x2e\x35\x34\ \x38\x2d\x32\x33\x2e\x34\x35\x33\x63\x2d\x31\x35\x2e\x32\x32\x37\ \x2c\x32\x2e\x37\x34\x38\x2d\x32\x35\x2e\x33\x33\x39\x2c\x31\x38\ \x2e\x31\x38\x37\x2d\x32\x32\x2e\x35\x39\x31\x2c\x33\x33\x2e\x34\ \x30\x33\x6c\x32\x32\x2e\x31\x39\x33\x2c\x31\x36\x31\x2e\x34\x35\ \x35\x0d\x0a\x09\x63\x30\x2e\x30\x32\x33\x2c\x32\x2e\x38\x37\x32\ \x2d\x30\x2e\x39\x34\x31\x2c\x34\x2e\x35\x31\x33\x2d\x32\x2e\x33\ \x30\x38\x2c\x30\x2e\x38\x33\x31\x6c\x2d\x33\x33\x2e\x31\x30\x39\ \x2d\x38\x38\x2e\x35\x31\x37\x63\x2d\x35\x2e\x31\x38\x2d\x31\x34\ \x2e\x35\x37\x32\x2d\x32\x31\x2e\x31\x39\x36\x2d\x32\x33\x2e\x30\ \x36\x35\x2d\x33\x35\x2e\x37\x37\x36\x2d\x31\x37\x2e\x38\x38\x39\ \x0d\x0a\x09\x63\x2d\x31\x34\x2e\x35\x37\x39\x2c\x35\x2e\x31\x37\ \x37\x2d\x32\x32\x2e\x32\x30\x31\x2c\x32\x32\x2e\x30\x36\x31\x2d\ \x31\x37\x2e\x30\x32\x33\x2c\x33\x36\x2e\x36\x33\x31\x6c\x35\x38\ \x2e\x30\x34\x32\x2c\x31\x38\x39\x2e\x36\x32\x35\x63\x30\x2e\x33\ \x30\x33\x2c\x31\x2e\x30\x34\x36\x2c\x30\x2e\x36\x32\x34\x2c\x32\ \x2e\x30\x38\x35\x2c\x30\x2e\x39\x35\x33\x2c\x33\x2e\x31\x31\x38\ \x6c\x30\x2e\x31\x32\x31\x2c\x30\x2e\x33\x39\x0d\x0a\x09\x63\x30\ \x2e\x30\x31\x31\x2c\x30\x2e\x30\x33\x31\x2c\x30\x2e\x30\x32\x35\ \x2c\x30\x2e\x30\x35\x38\x2c\x30\x2e\x30\x33\x35\x2c\x30\x2e\x30\ \x38\x38\x43\x31\x32\x36\x2e\x30\x37\x39\x2c\x34\x34\x34\x2e\x32\ \x33\x33\x2c\x31\x37\x32\x2e\x35\x37\x2c\x34\x38\x30\x2c\x32\x32\ \x37\x2e\x34\x32\x37\x2c\x34\x38\x30\x63\x33\x35\x2e\x31\x31\x36\ \x2c\x30\x2c\x37\x31\x2e\x35\x39\x31\x2d\x31\x32\x2e\x33\x37\x38\ \x2c\x39\x39\x2e\x33\x35\x37\x2d\x33\x33\x2e\x36\x37\x32\x0d\x0a\ \x09\x63\x30\x2e\x30\x30\x31\x2c\x30\x2c\x30\x2e\x30\x30\x33\x2d\ \x30\x2e\x30\x30\x32\x2c\x30\x2e\x30\x30\x33\x2d\x30\x2e\x30\x30\ \x32\x63\x32\x39\x2e\x39\x39\x2d\x31\x38\x2e\x30\x35\x31\x2c\x31\ \x32\x36\x2e\x30\x37\x31\x2d\x31\x32\x31\x2e\x33\x34\x37\x2c\x31\ \x32\x36\x2e\x30\x37\x31\x2d\x31\x32\x31\x2e\x33\x34\x37\x43\x34\ \x36\x37\x2e\x34\x34\x35\x2c\x33\x31\x30\x2e\x34\x30\x32\x2c\x34\ \x36\x35\x2e\x32\x36\x36\x2c\x32\x38\x38\x2e\x30\x38\x2c\x34\x35\ \x30\x2e\x36\x37\x39\x2c\x32\x37\x33\x2e\x35\x7a\x22\x2f\x3e\x0d\ \x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x03\xc4\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x30\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4d\x61\x67\x6e\x69\x66\x79\x69\x6e\x67\x5f\x67\x6c\x61\ \x73\x73\x22\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\ \x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\x6e\x73\x3a\x78\x6c\x69\ \x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\ \x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\x78\x6c\x69\x6e\x6b\ \x22\x20\x78\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x79\x3d\x22\ \x30\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\x30\x20\ \x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\x6e\x61\x62\x6c\ \x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\x3d\x22\x6e\x65\ \x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x78\ \x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\ \x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x32\x34\x20\x30\x20\ \x30\x20\x32\x34\x20\x30\x20\x30\x29\x27\x3e\x0d\x0a\x3c\x70\x61\ \x74\x68\x20\x64\x3d\x22\x4d\x31\x37\x2e\x35\x34\x35\x2c\x31\x35\ \x2e\x34\x36\x37\x6c\x2d\x33\x2e\x37\x37\x39\x2d\x33\x2e\x37\x37\ \x39\x63\x30\x2e\x35\x37\x2d\x30\x2e\x39\x33\x35\x2c\x30\x2e\x38\ \x39\x38\x2d\x32\x2e\x30\x33\x35\x2c\x30\x2e\x38\x39\x38\x2d\x33\ \x2e\x32\x31\x63\x30\x2d\x33\x2e\x34\x31\x37\x2d\x32\x2e\x39\x36\ \x31\x2d\x36\x2e\x33\x37\x37\x2d\x36\x2e\x33\x37\x38\x2d\x36\x2e\ \x33\x37\x37\x0d\x0a\x09\x43\x34\x2e\x38\x36\x39\x2c\x32\x2e\x31\ \x2c\x32\x2e\x31\x2c\x34\x2e\x38\x37\x2c\x32\x2e\x31\x2c\x38\x2e\ \x32\x38\x37\x63\x30\x2c\x33\x2e\x34\x31\x36\x2c\x32\x2e\x39\x36\ \x31\x2c\x36\x2e\x33\x37\x37\x2c\x36\x2e\x33\x37\x37\x2c\x36\x2e\ \x33\x37\x37\x63\x31\x2e\x31\x33\x37\x2c\x30\x2c\x32\x2e\x32\x2d\ \x30\x2e\x33\x30\x39\x2c\x33\x2e\x31\x31\x35\x2d\x30\x2e\x38\x34\ \x34\x6c\x33\x2e\x37\x39\x39\x2c\x33\x2e\x38\x30\x31\x0d\x0a\x09\ \x63\x30\x2e\x33\x37\x32\x2c\x30\x2e\x33\x37\x31\x2c\x30\x2e\x39\ \x37\x35\x2c\x30\x2e\x33\x37\x31\x2c\x31\x2e\x33\x34\x36\x2c\x30\ \x6c\x30\x2e\x39\x34\x33\x2d\x30\x2e\x39\x34\x33\x43\x31\x38\x2e\ \x30\x35\x31\x2c\x31\x36\x2e\x33\x30\x37\x2c\x31\x37\x2e\x39\x31\ \x36\x2c\x31\x35\x2e\x38\x33\x38\x2c\x31\x37\x2e\x35\x34\x35\x2c\ \x31\x35\x2e\x34\x36\x37\x7a\x20\x4d\x34\x2e\x30\x30\x34\x2c\x38\ \x2e\x32\x38\x37\x0d\x0a\x09\x63\x30\x2d\x32\x2e\x33\x36\x36\x2c\ \x31\x2e\x39\x31\x37\x2d\x34\x2e\x32\x38\x33\x2c\x34\x2e\x32\x38\ \x32\x2d\x34\x2e\x32\x38\x33\x63\x32\x2e\x33\x36\x36\x2c\x30\x2c\ \x34\x2e\x34\x37\x34\x2c\x32\x2e\x31\x30\x37\x2c\x34\x2e\x34\x37\ \x34\x2c\x34\x2e\x34\x37\x34\x63\x30\x2c\x32\x2e\x33\x36\x35\x2d\ \x31\x2e\x39\x31\x38\x2c\x34\x2e\x32\x38\x33\x2d\x34\x2e\x32\x38\ \x33\x2c\x34\x2e\x32\x38\x33\x0d\x0a\x09\x43\x36\x2e\x31\x31\x31\ \x2c\x31\x32\x2e\x37\x36\x2c\x34\x2e\x30\x30\x34\x2c\x31\x30\x2e\ \x36\x35\x32\x2c\x34\x2e\x30\x30\x34\x2c\x38\x2e\x32\x38\x37\x7a\ \x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\ \x3e\x0d\x0a\ \x00\x00\x04\xa2\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x33\ \x2e\x39\x35\x37\x33\x35\x20\x2d\x33\x32\x2e\x31\x32\x43\x20\x34\ \x2e\x31\x35\x35\x35\x36\x20\x2d\x33\x39\x2e\x32\x37\x34\x35\x20\ \x36\x2e\x39\x38\x34\x37\x33\x20\x2d\x34\x36\x2e\x31\x30\x34\x37\ \x20\x31\x31\x2e\x39\x30\x33\x36\x20\x2d\x35\x31\x2e\x33\x30\x33\ \x39\x43\x20\x32\x37\x2e\x34\x34\x31\x31\x20\x2d\x36\x37\x2e\x37\ \x32\x36\x39\x20\x35\x33\x2e\x33\x30\x32\x31\x20\x2d\x36\x31\x2e\ \x35\x34\x30\x35\x20\x35\x36\x2e\x31\x35\x32\x33\x20\x2d\x34\x32\ \x2e\x35\x30\x32\x32\x43\x20\x35\x37\x2e\x36\x32\x37\x20\x2d\x33\ \x32\x2e\x36\x35\x31\x39\x20\x35\x30\x2e\x35\x38\x35\x36\x20\x2d\ \x32\x33\x2e\x35\x36\x32\x31\x20\x34\x30\x2e\x36\x37\x39\x34\x20\ \x2d\x32\x32\x2e\x35\x32\x38\x31\x27\x20\x66\x69\x6c\x6c\x3d\x27\ \x6e\x6f\x6e\x65\x27\x20\x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\x30\ \x30\x30\x30\x30\x30\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\ \x6e\x65\x63\x61\x70\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\ \x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\x72\ \x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\ \x65\x72\x6c\x69\x6d\x69\x74\x3d\x27\x31\x30\x2e\x30\x33\x37\x35\ \x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\x27\ \x32\x2e\x35\x30\x39\x33\x37\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\ \x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\ \x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\ \x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\ \x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\ \x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x33\x2e\x39\x35\x37\x33\ \x35\x27\x20\x63\x79\x3d\x27\x2d\x33\x32\x2e\x31\x32\x27\x20\x66\ \x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\ \x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\ \x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\ \x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\ \x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\ \x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\ \x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x31\x31\x2e\x39\x30\x33\ \x36\x27\x20\x63\x79\x3d\x27\x2d\x35\x31\x2e\x33\x30\x33\x39\x27\ \x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\ \x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\ \x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\ \x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\ \x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\ \x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\ \x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x35\x36\x2e\x31\ \x35\x32\x33\x27\x20\x63\x79\x3d\x27\x2d\x34\x32\x2e\x35\x30\x32\ \x32\x27\x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\ \x27\x20\x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\ \x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\ \x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\ \x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\ \x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\ \x3e\x0a\x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x34\x30\ \x2e\x36\x37\x39\x34\x27\x20\x63\x79\x3d\x27\x2d\x32\x32\x2e\x35\ \x32\x38\x31\x27\x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\ \x30\x30\x27\x20\x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\ \x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\ \x3e\ \x00\x00\x02\x7d\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x38\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\x3e\ \x0d\x0a\x09\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x34\x32\ \x37\x2c\x32\x33\x34\x2e\x36\x32\x35\x48\x31\x36\x37\x2e\x32\x39\ \x36\x6c\x31\x31\x39\x2e\x37\x30\x32\x2d\x31\x31\x39\x2e\x37\x30\ \x32\x4c\x32\x35\x36\x2c\x38\x35\x4c\x38\x35\x2c\x32\x35\x36\x6c\ \x31\x37\x31\x2c\x31\x37\x31\x6c\x32\x39\x2e\x39\x32\x32\x2d\x32\ \x39\x2e\x39\x32\x34\x4c\x31\x36\x37\x2e\x32\x39\x36\x2c\x32\x37\ \x37\x2e\x33\x37\x35\x48\x34\x32\x37\x56\x32\x33\x34\x2e\x36\x32\ \x35\x7a\x22\x2f\x3e\x0d\x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\ \x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x02\xf7\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x73\ \x74\x79\x6c\x65\x3d\x22\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\ \x6b\x67\x72\x6f\x75\x6e\x64\x3a\x6e\x65\x77\x20\x30\x20\x30\x20\ \x35\x31\x32\x20\x35\x31\x32\x3b\x22\x20\x78\x6d\x6c\x3a\x73\x70\ \x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\ \x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x34\x31\x37\x2e\x34\ \x2c\x32\x32\x34\x48\x32\x38\x38\x56\x39\x34\x2e\x36\x63\x30\x2d\ \x31\x36\x2e\x39\x2d\x31\x34\x2e\x33\x2d\x33\x30\x2e\x36\x2d\x33\ \x32\x2d\x33\x30\x2e\x36\x63\x2d\x31\x37\x2e\x37\x2c\x30\x2d\x33\ \x32\x2c\x31\x33\x2e\x37\x2d\x33\x32\x2c\x33\x30\x2e\x36\x56\x32\ \x32\x34\x48\x39\x34\x2e\x36\x43\x37\x37\x2e\x37\x2c\x32\x32\x34\ \x2c\x36\x34\x2c\x32\x33\x38\x2e\x33\x2c\x36\x34\x2c\x32\x35\x36\ \x0d\x0a\x09\x63\x30\x2c\x31\x37\x2e\x37\x2c\x31\x33\x2e\x37\x2c\ \x33\x32\x2c\x33\x30\x2e\x36\x2c\x33\x32\x48\x32\x32\x34\x76\x31\ \x32\x39\x2e\x34\x63\x30\x2c\x31\x36\x2e\x39\x2c\x31\x34\x2e\x33\ \x2c\x33\x30\x2e\x36\x2c\x33\x32\x2c\x33\x30\x2e\x36\x63\x31\x37\ \x2e\x37\x2c\x30\x2c\x33\x32\x2d\x31\x33\x2e\x37\x2c\x33\x32\x2d\ \x33\x30\x2e\x36\x56\x32\x38\x38\x68\x31\x32\x39\x2e\x34\x63\x31\ \x36\x2e\x39\x2c\x30\x2c\x33\x30\x2e\x36\x2d\x31\x34\x2e\x33\x2c\ \x33\x30\x2e\x36\x2d\x33\x32\x0d\x0a\x09\x43\x34\x34\x38\x2c\x32\ \x33\x38\x2e\x33\x2c\x34\x33\x34\x2e\x33\x2c\x32\x32\x34\x2c\x34\ \x31\x37\x2e\x34\x2c\x32\x32\x34\x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\ \x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x02\xb7\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x35\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\x3e\ \x0d\x0a\x09\x09\x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\x6f\x69\ \x6e\x74\x73\x3d\x22\x34\x30\x35\x2c\x31\x33\x36\x2e\x37\x39\x38\ \x20\x33\x37\x35\x2e\x32\x30\x32\x2c\x31\x30\x37\x20\x32\x35\x36\ \x2c\x32\x32\x36\x2e\x32\x30\x32\x20\x31\x33\x36\x2e\x37\x39\x38\ \x2c\x31\x30\x37\x20\x31\x30\x37\x2c\x31\x33\x36\x2e\x37\x39\x38\ \x20\x32\x32\x36\x2e\x32\x30\x32\x2c\x32\x35\x36\x20\x31\x30\x37\ \x2c\x33\x37\x35\x2e\x32\x30\x32\x20\x31\x33\x36\x2e\x37\x39\x38\ \x2c\x34\x30\x35\x20\x32\x35\x36\x2c\x32\x38\x35\x2e\x37\x39\x38\ \x20\x0d\x0a\x09\x09\x09\x33\x37\x35\x2e\x32\x30\x32\x2c\x34\x30\ \x35\x20\x34\x30\x35\x2c\x33\x37\x35\x2e\x32\x30\x32\x20\x32\x38\ \x35\x2e\x37\x39\x38\x2c\x32\x35\x36\x20\x09\x09\x22\x2f\x3e\x0d\ \x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\ \x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x02\xf2\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x30\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x43\x69\x72\x63\x6c\x65\x22\x20\x78\x6d\x6c\x6e\x73\x3d\ \x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\ \x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\ \x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\ \x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\ \x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x35\x31\x32\x70\x78\ \x22\x20\x79\x3d\x22\x35\x31\x32\x70\x78\x22\x0d\x0a\x09\x20\x76\ \x69\x65\x77\x42\x6f\x78\x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\ \x35\x31\x32\x22\x20\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\ \x67\x72\x6f\x75\x6e\x64\x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\ \x35\x31\x32\x20\x35\x31\x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\ \x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\ \x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\ \x74\x72\x69\x78\x28\x32\x34\x20\x30\x20\x30\x20\x32\x34\x20\x30\ \x20\x30\x29\x27\x3e\x0d\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\ \x4d\x31\x30\x2c\x30\x2e\x34\x43\x34\x2e\x36\x39\x38\x2c\x30\x2e\ \x34\x2c\x30\x2e\x34\x2c\x34\x2e\x36\x39\x38\x2c\x30\x2e\x34\x2c\ \x31\x30\x43\x30\x2e\x34\x2c\x31\x35\x2e\x33\x30\x32\x2c\x34\x2e\ \x36\x39\x38\x2c\x31\x39\x2e\x36\x2c\x31\x30\x2c\x31\x39\x2e\x36\ \x63\x35\x2e\x33\x30\x31\x2c\x30\x2c\x39\x2e\x36\x2d\x34\x2e\x32\ \x39\x38\x2c\x39\x2e\x36\x2d\x39\x2e\x36\x30\x31\x0d\x0a\x09\x43\ \x31\x39\x2e\x36\x2c\x34\x2e\x36\x39\x38\x2c\x31\x35\x2e\x33\x30\ \x31\x2c\x30\x2e\x34\x2c\x31\x30\x2c\x30\x2e\x34\x7a\x20\x4d\x31\ \x30\x2c\x31\x37\x2e\x35\x39\x39\x63\x2d\x34\x2e\x31\x39\x37\x2c\ \x30\x2d\x37\x2e\x36\x2d\x33\x2e\x34\x30\x32\x2d\x37\x2e\x36\x2d\ \x37\x2e\x36\x53\x35\x2e\x38\x30\x32\x2c\x32\x2e\x34\x2c\x31\x30\ \x2c\x32\x2e\x34\x63\x34\x2e\x31\x39\x37\x2c\x30\x2c\x37\x2e\x36\ \x30\x31\x2c\x33\x2e\x34\x30\x32\x2c\x37\x2e\x36\x30\x31\x2c\x37\ \x2e\x36\x0d\x0a\x09\x53\x31\x34\x2e\x31\x39\x37\x2c\x31\x37\x2e\ \x35\x39\x39\x2c\x31\x30\x2c\x31\x37\x2e\x35\x39\x39\x7a\x22\x2f\ \x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\ \x0a\ \x00\x00\x03\x36\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x3e\x0d\x0a\x09\ \x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\x6f\x69\x6e\x74\x73\x3d\ \x22\x33\x39\x36\x2e\x37\x39\x35\x2c\x33\x39\x36\x2e\x38\x20\x33\ \x32\x30\x2c\x33\x39\x36\x2e\x38\x20\x33\x32\x30\x2c\x34\x34\x38\ \x20\x34\x34\x38\x2c\x34\x34\x38\x20\x34\x34\x38\x2c\x33\x32\x30\ \x20\x33\x39\x36\x2e\x37\x39\x35\x2c\x33\x32\x30\x20\x09\x22\x2f\ \x3e\x0d\x0a\x09\x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\x6f\x69\ \x6e\x74\x73\x3d\x22\x33\x39\x36\x2e\x38\x2c\x31\x31\x35\x2e\x32\ \x30\x35\x20\x33\x39\x36\x2e\x38\x2c\x31\x39\x32\x20\x34\x34\x38\ \x2c\x31\x39\x32\x20\x34\x34\x38\x2c\x36\x34\x20\x33\x32\x30\x2c\ \x36\x34\x20\x33\x32\x30\x2c\x31\x31\x35\x2e\x32\x30\x35\x20\x09\ \x22\x2f\x3e\x0d\x0a\x09\x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\ \x6f\x69\x6e\x74\x73\x3d\x22\x31\x31\x35\x2e\x32\x30\x35\x2c\x31\ \x31\x35\x2e\x32\x20\x31\x39\x32\x2c\x31\x31\x35\x2e\x32\x20\x31\ \x39\x32\x2c\x36\x34\x20\x36\x34\x2c\x36\x34\x20\x36\x34\x2c\x31\ \x39\x32\x20\x31\x31\x35\x2e\x32\x30\x35\x2c\x31\x39\x32\x20\x09\ \x22\x2f\x3e\x0d\x0a\x09\x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\ \x6f\x69\x6e\x74\x73\x3d\x22\x31\x31\x35\x2e\x32\x2c\x33\x39\x36\ \x2e\x37\x39\x35\x20\x31\x31\x35\x2e\x32\x2c\x33\x32\x30\x20\x36\ \x34\x2c\x33\x32\x30\x20\x36\x34\x2c\x34\x34\x38\x20\x31\x39\x32\ \x2c\x34\x34\x38\x20\x31\x39\x32\x2c\x33\x39\x36\x2e\x37\x39\x35\ \x20\x09\x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\ \x76\x67\x3e\x0d\x0a\ \x00\x00\x04\x3d\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x33\ \x2e\x39\x35\x37\x33\x35\x20\x2d\x33\x32\x2e\x31\x32\x4c\x20\x31\ \x31\x2e\x39\x30\x33\x36\x20\x2d\x35\x31\x2e\x33\x30\x33\x39\x4c\ \x20\x35\x36\x2e\x31\x35\x32\x33\x20\x2d\x34\x32\x2e\x35\x30\x32\ \x32\x4c\x20\x34\x30\x2e\x36\x37\x39\x34\x20\x2d\x32\x32\x2e\x35\ \x32\x38\x31\x27\x20\x66\x69\x6c\x6c\x3d\x27\x6e\x6f\x6e\x65\x27\ \x20\x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\x30\x30\x30\x30\x30\x30\ \x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\ \x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\ \x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\x72\x6f\x75\x6e\x64\x27\ \x20\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\ \x69\x74\x3d\x27\x31\x30\x2e\x30\x33\x37\x35\x27\x20\x73\x74\x72\ \x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\x27\x32\x2e\x35\x30\x39\ \x33\x37\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\ \x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\ \x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\ \x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\ \x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\x63\x6c\x65\ \x20\x63\x78\x3d\x27\x33\x2e\x39\x35\x37\x33\x35\x27\x20\x63\x79\ \x3d\x27\x2d\x33\x32\x2e\x31\x32\x27\x20\x66\x69\x6c\x6c\x3d\x27\ \x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\x27\x36\x2e\x30\x32\ \x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\ \x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\ \x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\ \x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\ \x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\x63\x6c\x65\ \x20\x63\x78\x3d\x27\x31\x31\x2e\x39\x30\x33\x36\x27\x20\x63\x79\ \x3d\x27\x2d\x35\x31\x2e\x33\x30\x33\x39\x27\x20\x66\x69\x6c\x6c\ \x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\x27\x36\x2e\ \x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\ \x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\ \x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\ \x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\x39\x20\ \x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\x63\ \x6c\x65\x20\x63\x78\x3d\x27\x35\x36\x2e\x31\x35\x32\x33\x27\x20\ \x63\x79\x3d\x27\x2d\x34\x32\x2e\x35\x30\x32\x32\x27\x20\x66\x69\ \x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\x27\ \x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\ \x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\ \x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\ \x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\ \x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\ \x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x34\x30\x2e\x36\x37\x39\x34\ \x27\x20\x63\x79\x3d\x27\x2d\x32\x32\x2e\x35\x32\x38\x31\x27\x20\ \x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\ \x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\ \x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\ \x00\x00\x03\x52\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x70\x61\x74\x68\x20\ \x64\x3d\x22\x4d\x34\x33\x37\x2e\x33\x33\x34\x2c\x31\x34\x34\x48\ \x32\x35\x36\x2e\x30\x30\x36\x6c\x2d\x34\x32\x2e\x36\x36\x38\x2d\ \x34\x38\x48\x37\x34\x2e\x36\x36\x36\x43\x35\x31\x2e\x31\x39\x37\ \x2c\x39\x36\x2c\x33\x32\x2c\x31\x31\x35\x2e\x31\x39\x38\x2c\x33\ \x32\x2c\x31\x33\x38\x2e\x36\x36\x37\x76\x32\x33\x34\x2e\x36\x36\ \x36\x43\x33\x32\x2c\x33\x39\x36\x2e\x38\x30\x32\x2c\x35\x31\x2e\ \x31\x39\x37\x2c\x34\x31\x36\x2c\x37\x34\x2e\x36\x36\x36\x2c\x34\ \x31\x36\x68\x33\x36\x32\x2e\x36\x36\x38\x0d\x0a\x09\x43\x34\x36\ \x30\x2e\x38\x30\x33\x2c\x34\x31\x36\x2c\x34\x38\x30\x2c\x33\x39\ \x36\x2e\x38\x30\x32\x2c\x34\x38\x30\x2c\x33\x37\x33\x2e\x33\x33\ \x33\x56\x31\x38\x36\x2e\x36\x36\x37\x43\x34\x38\x30\x2c\x31\x36\ \x33\x2e\x31\x39\x38\x2c\x34\x36\x30\x2e\x38\x30\x33\x2c\x31\x34\ \x34\x2c\x34\x33\x37\x2e\x33\x33\x34\x2c\x31\x34\x34\x7a\x20\x4d\ \x34\x34\x38\x2c\x33\x37\x33\x2e\x33\x33\x33\x0d\x0a\x09\x63\x30\ \x2c\x35\x2e\x37\x38\x32\x2d\x34\x2e\x38\x38\x35\x2c\x31\x30\x2e\ \x36\x36\x37\x2d\x31\x30\x2e\x36\x36\x36\x2c\x31\x30\x2e\x36\x36\ \x37\x48\x37\x34\x2e\x36\x36\x36\x43\x36\x38\x2e\x38\x38\x34\x2c\ \x33\x38\x34\x2c\x36\x34\x2c\x33\x37\x39\x2e\x31\x31\x35\x2c\x36\ \x34\x2c\x33\x37\x33\x2e\x33\x33\x33\x56\x31\x37\x36\x68\x33\x37\ \x33\x2e\x33\x33\x34\x63\x35\x2e\x37\x38\x31\x2c\x30\x2c\x31\x30\ \x2e\x36\x36\x36\x2c\x34\x2e\x38\x38\x35\x2c\x31\x30\x2e\x36\x36\ \x36\x2c\x31\x30\x2e\x36\x36\x37\x0d\x0a\x09\x56\x33\x37\x33\x2e\ \x33\x33\x33\x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\ \x0a\ \x00\x00\x04\xd5\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x33\ \x2e\x39\x35\x37\x33\x35\x20\x2d\x33\x32\x2e\x31\x32\x43\x20\x32\ \x2e\x32\x38\x39\x32\x32\x20\x2d\x33\x39\x2e\x33\x31\x31\x33\x20\ \x36\x2e\x33\x36\x37\x30\x32\x20\x2d\x34\x36\x2e\x32\x33\x38\x36\ \x20\x31\x31\x2e\x39\x30\x33\x36\x20\x2d\x35\x31\x2e\x33\x30\x33\ \x39\x43\x20\x32\x39\x2e\x36\x36\x38\x37\x20\x2d\x36\x37\x2e\x35\ \x35\x36\x38\x20\x35\x35\x2e\x32\x32\x39\x32\x20\x2d\x36\x30\x2e\ \x36\x34\x32\x20\x35\x36\x2e\x31\x35\x32\x33\x20\x2d\x34\x32\x2e\ \x35\x30\x32\x32\x43\x20\x35\x36\x2e\x36\x31\x33\x36\x20\x2d\x33\ \x33\x2e\x34\x33\x38\x31\x20\x34\x39\x2e\x31\x31\x33\x32\x20\x2d\ \x32\x36\x2e\x35\x39\x35\x39\x20\x34\x30\x2e\x36\x37\x39\x34\x20\ \x2d\x32\x32\x2e\x35\x32\x38\x31\x43\x20\x32\x35\x2e\x33\x39\x39\ \x35\x20\x2d\x31\x35\x2e\x31\x35\x38\x32\x20\x37\x2e\x31\x39\x39\ \x33\x35\x20\x2d\x31\x38\x2e\x31\x34\x33\x36\x20\x33\x2e\x39\x35\ \x37\x33\x35\x20\x2d\x33\x32\x2e\x31\x32\x5a\x27\x20\x66\x69\x6c\ \x6c\x3d\x27\x6e\x6f\x6e\x65\x27\x20\x73\x74\x72\x6f\x6b\x65\x3d\ \x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x73\x74\x72\x6f\x6b\x65\ \x2d\x6c\x69\x6e\x65\x63\x61\x70\x3d\x27\x72\x6f\x75\x6e\x64\x27\ \x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\ \x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\ \x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3d\x27\x31\x30\x2e\x30\ \x33\x37\x35\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\ \x68\x3d\x27\x32\x2e\x35\x30\x39\x33\x37\x27\x2f\x3e\x0a\x3c\x2f\ \x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\ \x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\ \x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\ \x0a\x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x33\x2e\x39\ \x35\x37\x33\x35\x27\x20\x63\x79\x3d\x27\x2d\x33\x32\x2e\x31\x32\ \x27\x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\ \x20\x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\ \x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\ \x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\ \x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\ \x0a\x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x31\x31\x2e\ \x39\x30\x33\x36\x27\x20\x63\x79\x3d\x27\x2d\x35\x31\x2e\x33\x30\ \x33\x39\x27\x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\ \x30\x27\x20\x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\ \x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\ \x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\ \x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\ \x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\ \x27\x3e\x0a\x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x35\ \x36\x2e\x31\x35\x32\x33\x27\x20\x63\x79\x3d\x27\x2d\x34\x32\x2e\ \x35\x30\x32\x32\x27\x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\ \x30\x30\x30\x27\x20\x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\ \x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\ \x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\ \x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\ \x34\x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\ \x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\ \x27\x34\x30\x2e\x36\x37\x39\x34\x27\x20\x63\x79\x3d\x27\x2d\x32\ \x32\x2e\x35\x32\x38\x31\x27\x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\ \x30\x30\x30\x30\x30\x27\x20\x72\x3d\x27\x36\x2e\x30\x32\x32\x35\ \x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\ \x73\x76\x67\x3e\ \x00\x00\x03\x22\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x3e\x0d\x0a\x09\ \x3c\x63\x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x22\x32\x35\x36\x22\ \x20\x63\x79\x3d\x22\x32\x38\x30\x22\x20\x72\x3d\x22\x36\x33\x22\ \x2f\x3e\x0d\x0a\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x34\ \x34\x30\x2c\x39\x36\x68\x2d\x38\x38\x6c\x2d\x33\x32\x2d\x33\x32\ \x48\x31\x39\x32\x6c\x2d\x33\x32\x2c\x33\x32\x48\x37\x32\x63\x2d\ \x32\x32\x2e\x30\x39\x32\x2c\x30\x2d\x34\x30\x2c\x31\x37\x2e\x39\ \x30\x38\x2d\x34\x30\x2c\x34\x30\x76\x32\x37\x32\x63\x30\x2c\x32\ \x32\x2e\x30\x39\x32\x2c\x31\x37\x2e\x39\x30\x38\x2c\x34\x30\x2c\ \x34\x30\x2c\x34\x30\x68\x33\x36\x38\x63\x32\x32\x2e\x30\x39\x32\ \x2c\x30\x2c\x34\x30\x2d\x31\x37\x2e\x39\x30\x38\x2c\x34\x30\x2d\ \x34\x30\x0d\x0a\x09\x09\x56\x31\x33\x36\x43\x34\x38\x30\x2c\x31\ \x31\x33\x2e\x39\x30\x38\x2c\x34\x36\x32\x2e\x30\x39\x32\x2c\x39\ \x36\x2c\x34\x34\x30\x2c\x39\x36\x7a\x20\x4d\x32\x35\x36\x2c\x33\ \x39\x32\x63\x2d\x36\x31\x2e\x38\x35\x35\x2c\x30\x2d\x31\x31\x32\ \x2d\x35\x30\x2e\x31\x34\x35\x2d\x31\x31\x32\x2d\x31\x31\x32\x73\ \x35\x30\x2e\x31\x34\x35\x2d\x31\x31\x32\x2c\x31\x31\x32\x2d\x31\ \x31\x32\x73\x31\x31\x32\x2c\x35\x30\x2e\x31\x34\x35\x2c\x31\x31\ \x32\x2c\x31\x31\x32\x0d\x0a\x09\x09\x53\x33\x31\x37\x2e\x38\x35\ \x35\x2c\x33\x39\x32\x2c\x32\x35\x36\x2c\x33\x39\x32\x7a\x22\x2f\ \x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\ \x0a\ \x00\x00\x02\x7f\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x73\ \x74\x79\x6c\x65\x3d\x22\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\ \x6b\x67\x72\x6f\x75\x6e\x64\x3a\x6e\x65\x77\x20\x30\x20\x30\x20\ \x35\x31\x32\x20\x35\x31\x32\x3b\x22\x20\x78\x6d\x6c\x3a\x73\x70\ \x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\ \x0a\x3c\x70\x6f\x6c\x79\x67\x6f\x6e\x20\x70\x6f\x69\x6e\x74\x73\ \x3d\x22\x32\x38\x38\x2c\x39\x36\x20\x33\x33\x37\x2e\x39\x2c\x31\ \x34\x35\x2e\x39\x20\x32\x37\x34\x2c\x32\x30\x39\x2e\x37\x20\x32\ \x37\x34\x2c\x32\x30\x39\x2e\x37\x20\x31\x34\x35\x2e\x39\x2c\x33\ \x33\x37\x2e\x39\x20\x39\x36\x2c\x32\x38\x38\x20\x39\x36\x2c\x34\ \x31\x36\x20\x32\x32\x34\x2c\x34\x31\x36\x20\x31\x37\x34\x2e\x31\ \x2c\x33\x36\x36\x2e\x31\x20\x33\x35\x37\x2e\x34\x2c\x31\x38\x32\ \x2e\x39\x20\x33\x36\x36\x2e\x31\x2c\x31\x37\x34\x2e\x31\x20\x0d\ \x0a\x09\x34\x31\x36\x2c\x32\x32\x34\x20\x34\x31\x36\x2c\x39\x36\ \x20\x22\x2f\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x04\x4e\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x33\ \x2e\x39\x35\x37\x33\x35\x20\x2d\x33\x32\x2e\x31\x32\x4c\x20\x31\ \x31\x2e\x39\x30\x33\x36\x20\x2d\x35\x31\x2e\x33\x30\x33\x39\x4c\ \x20\x35\x36\x2e\x31\x35\x32\x33\x20\x2d\x34\x32\x2e\x35\x30\x32\ \x32\x4c\x20\x34\x30\x2e\x36\x37\x39\x34\x20\x2d\x32\x32\x2e\x35\ \x32\x38\x31\x4c\x20\x33\x2e\x39\x35\x37\x33\x35\x20\x2d\x33\x32\ \x2e\x31\x32\x5a\x27\x20\x66\x69\x6c\x6c\x3d\x27\x6e\x6f\x6e\x65\ \x27\x20\x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\x30\x30\x30\x30\x30\ \x30\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\ \x70\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\ \x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\x72\x6f\x75\x6e\x64\ \x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\ \x6d\x69\x74\x3d\x27\x31\x30\x2e\x30\x33\x37\x35\x27\x20\x73\x74\ \x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\x27\x32\x2e\x35\x30\ \x39\x33\x37\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\ \x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\ \x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\ \x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\ \x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\x63\x6c\ \x65\x20\x63\x78\x3d\x27\x33\x2e\x39\x35\x37\x33\x35\x27\x20\x63\ \x79\x3d\x27\x2d\x33\x32\x2e\x31\x32\x27\x20\x66\x69\x6c\x6c\x3d\ \x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\x27\x36\x2e\x30\ \x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\ \x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\ \x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\ \x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\x39\x20\x31\ \x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\x63\x6c\ \x65\x20\x63\x78\x3d\x27\x31\x31\x2e\x39\x30\x33\x36\x27\x20\x63\ \x79\x3d\x27\x2d\x35\x31\x2e\x33\x30\x33\x39\x27\x20\x66\x69\x6c\ \x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\x27\x36\ \x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\ \x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\ \x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\ \x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\x36\x39\ \x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\x69\x72\ \x63\x6c\x65\x20\x63\x78\x3d\x27\x35\x36\x2e\x31\x35\x32\x33\x27\ \x20\x63\x79\x3d\x27\x2d\x34\x32\x2e\x35\x30\x32\x32\x27\x20\x66\ \x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x72\x3d\ \x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\ \x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\ \x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x30\x20\ \x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\x38\x2e\x34\x36\ \x36\x39\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\x3e\x0a\x3c\x63\ \x69\x72\x63\x6c\x65\x20\x63\x78\x3d\x27\x34\x30\x2e\x36\x37\x39\ \x34\x27\x20\x63\x79\x3d\x27\x2d\x32\x32\x2e\x35\x32\x38\x31\x27\ \x20\x66\x69\x6c\x6c\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\ \x72\x3d\x27\x36\x2e\x30\x32\x32\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\ \x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\ \x00\x00\x04\xca\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\x72\ \x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\x75\ \x73\x74\x72\x61\x74\x6f\x72\x20\x31\x39\x2e\x32\x2e\x31\x2c\x20\ \x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\x2d\ \x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\x6e\ \x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\x20\ \x20\x2d\x2d\x3e\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\x20\x73\ \x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\x57\x33\ \x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\x2f\x2f\ \x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\ \x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\x73\x2f\ \x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\x67\x31\ \x31\x2e\x64\x74\x64\x22\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\ \x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x0a\x09\x20\x69\x64\x3d\ \x22\x73\x76\x67\x34\x36\x31\x39\x22\x20\x69\x6e\x6b\x73\x63\x61\ \x70\x65\x3a\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x30\x2e\x39\x31\ \x2b\x64\x65\x76\x65\x6c\x2b\x6f\x73\x78\x6d\x65\x6e\x75\x20\x72\ \x31\x32\x39\x31\x31\x22\x20\x73\x6f\x64\x69\x70\x6f\x64\x69\x3a\ \x64\x6f\x63\x6e\x61\x6d\x65\x3d\x22\x74\x72\x69\x61\x6e\x67\x6c\ \x65\x2d\x73\x74\x72\x6f\x6b\x65\x64\x2d\x31\x35\x2e\x73\x76\x67\ \x22\x20\x78\x6d\x6c\x6e\x73\x3a\x63\x63\x3d\x22\x68\x74\x74\x70\ \x3a\x2f\x2f\x63\x72\x65\x61\x74\x69\x76\x65\x63\x6f\x6d\x6d\x6f\ \x6e\x73\x2e\x6f\x72\x67\x2f\x6e\x73\x23\x22\x20\x78\x6d\x6c\x6e\ \x73\x3a\x64\x63\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x70\x75\x72\ \x6c\x2e\x6f\x72\x67\x2f\x64\x63\x2f\x65\x6c\x65\x6d\x65\x6e\x74\ \x73\x2f\x31\x2e\x31\x2f\x22\x20\x78\x6d\x6c\x6e\x73\x3a\x69\x6e\ \x6b\x73\x63\x61\x70\x65\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\ \x77\x77\x2e\x69\x6e\x6b\x73\x63\x61\x70\x65\x2e\x6f\x72\x67\x2f\ \x6e\x61\x6d\x65\x73\x70\x61\x63\x65\x73\x2f\x69\x6e\x6b\x73\x63\ \x61\x70\x65\x22\x20\x78\x6d\x6c\x6e\x73\x3a\x72\x64\x66\x3d\x22\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x31\x39\x39\x39\x2f\x30\x32\x2f\x32\x32\x2d\x72\x64\x66\ \x2d\x73\x79\x6e\x74\x61\x78\x2d\x6e\x73\x23\x22\x20\x78\x6d\x6c\ \x6e\x73\x3a\x73\x6f\x64\x69\x70\x6f\x64\x69\x3d\x22\x68\x74\x74\ \x70\x3a\x2f\x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2e\x73\x6f\x75\ \x72\x63\x65\x66\x6f\x72\x67\x65\x2e\x6e\x65\x74\x2f\x44\x54\x44\ \x2f\x73\x6f\x64\x69\x70\x6f\x64\x69\x2d\x30\x2e\x64\x74\x64\x22\ \x20\x78\x6d\x6c\x6e\x73\x3a\x73\x76\x67\x3d\x22\x68\x74\x74\x70\ \x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\ \x30\x30\x2f\x73\x76\x67\x22\x0a\x09\x20\x78\x6d\x6c\x6e\x73\x3d\ \x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\ \x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\ \x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\ \x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\ \x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\x20\ \x79\x3d\x22\x30\x70\x78\x22\x20\x77\x69\x64\x74\x68\x3d\x22\x36\ \x34\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x36\x34\x70\ \x78\x22\x0a\x09\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\x30\x20\ \x30\x20\x31\x35\x20\x31\x35\x22\x20\x73\x74\x79\x6c\x65\x3d\x22\ \x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\ \x64\x3a\x6e\x65\x77\x20\x30\x20\x30\x20\x31\x35\x20\x31\x35\x3b\ \x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\x65\ \x73\x65\x72\x76\x65\x22\x3e\x0a\x3c\x70\x61\x74\x68\x20\x69\x64\ \x3d\x22\x72\x65\x63\x74\x33\x33\x33\x38\x22\x20\x69\x6e\x6b\x73\ \x63\x61\x70\x65\x3a\x63\x6f\x6e\x6e\x65\x63\x74\x6f\x72\x2d\x63\ \x75\x72\x76\x61\x74\x75\x72\x65\x3d\x22\x30\x22\x20\x73\x6f\x64\ \x69\x70\x6f\x64\x69\x3a\x6e\x6f\x64\x65\x74\x79\x70\x65\x73\x3d\ \x22\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x63\x22\x20\x64\ \x3d\x22\x4d\x37\x2e\x35\x32\x34\x33\x2c\x31\x2e\x35\x30\x30\x34\ \x0a\x09\x43\x37\x2e\x32\x34\x32\x39\x2c\x31\x2e\x34\x39\x31\x33\ \x2c\x36\x2e\x39\x37\x38\x37\x2c\x31\x2e\x36\x34\x32\x33\x2c\x36\ \x2e\x38\x33\x33\x36\x2c\x31\x2e\x38\x39\x35\x32\x6c\x2d\x35\x2e\ \x35\x2c\x39\x2e\x38\x36\x39\x32\x43\x31\x2e\x30\x32\x31\x38\x2c\ \x31\x32\x2e\x33\x30\x37\x38\x2c\x31\x2e\x33\x39\x35\x2c\x31\x32\ \x2e\x39\x39\x39\x39\x2c\x32\x2c\x31\x33\x68\x31\x31\x0a\x09\x63\ \x30\x2e\x36\x30\x35\x2d\x30\x2e\x30\x30\x30\x31\x2c\x30\x2e\x39\ \x37\x38\x32\x2d\x30\x2e\x36\x39\x32\x32\x2c\x30\x2e\x36\x36\x36\ \x34\x2d\x31\x2e\x32\x33\x35\x35\x6c\x2d\x35\x2e\x35\x2d\x39\x2e\ \x38\x36\x39\x32\x43\x38\x2e\x30\x33\x30\x32\x2c\x31\x2e\x36\x35\ \x37\x39\x2c\x37\x2e\x37\x38\x38\x34\x2c\x31\x2e\x35\x30\x39\x32\ \x2c\x37\x2e\x35\x32\x34\x33\x2c\x31\x2e\x35\x30\x30\x34\x7a\x20\ \x4d\x37\x2e\x35\x2c\x33\x2e\x38\x39\x39\x33\x6c\x34\x2e\x31\x32\ \x36\x37\x2c\x37\x2e\x34\x37\x30\x34\x0a\x09\x48\x33\x2e\x33\x37\ \x33\x33\x4c\x37\x2e\x35\x2c\x33\x2e\x38\x39\x39\x33\x7a\x22\x2f\ \x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\ \x00\x00\x03\x0c\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x30\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x43\x68\x65\x63\x6b\x22\x20\x78\x6d\x6c\x6e\x73\x3d\x22\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\x20\x79\ \x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x76\x69\x65\x77\x42\x6f\ \x78\x3d\x22\x30\x20\x30\x20\x32\x30\x20\x32\x30\x22\x20\x65\x6e\ \x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\x3d\ \x22\x6e\x65\x77\x20\x30\x20\x30\x20\x32\x30\x20\x32\x30\x22\x20\ \x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\ \x72\x76\x65\x22\x3e\x0d\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\ \x4d\x38\x2e\x32\x39\x34\x2c\x31\x36\x2e\x39\x39\x38\x63\x2d\x30\ \x2e\x34\x33\x35\x2c\x30\x2d\x30\x2e\x38\x34\x37\x2d\x30\x2e\x32\ \x30\x33\x2d\x31\x2e\x31\x31\x31\x2d\x30\x2e\x35\x35\x33\x4c\x33\ \x2e\x36\x31\x2c\x31\x31\x2e\x37\x32\x34\x63\x2d\x30\x2e\x34\x36\ \x35\x2d\x30\x2e\x36\x31\x33\x2d\x30\x2e\x33\x34\x34\x2d\x31\x2e\ \x34\x38\x36\x2c\x30\x2e\x32\x37\x2d\x31\x2e\x39\x35\x31\x0d\x0a\ \x09\x63\x30\x2e\x36\x31\x35\x2d\x30\x2e\x34\x36\x37\x2c\x31\x2e\ \x34\x38\x38\x2d\x30\x2e\x33\x34\x34\x2c\x31\x2e\x39\x35\x33\x2c\ \x30\x2e\x32\x37\x6c\x32\x2e\x33\x35\x31\x2c\x33\x2e\x31\x30\x34\ \x6c\x35\x2e\x39\x31\x31\x2d\x39\x2e\x34\x39\x32\x63\x30\x2e\x34\ \x30\x37\x2d\x30\x2e\x36\x35\x32\x2c\x31\x2e\x32\x36\x37\x2d\x30\ \x2e\x38\x35\x32\x2c\x31\x2e\x39\x32\x31\x2d\x30\x2e\x34\x34\x35\ \x0d\x0a\x09\x63\x30\x2e\x36\x35\x33\x2c\x30\x2e\x34\x30\x36\x2c\ \x30\x2e\x38\x35\x34\x2c\x31\x2e\x32\x36\x36\x2c\x30\x2e\x34\x34\ \x36\x2c\x31\x2e\x39\x32\x4c\x39\x2e\x34\x37\x38\x2c\x31\x36\x2e\ \x33\x34\x63\x2d\x30\x2e\x32\x34\x32\x2c\x30\x2e\x33\x39\x31\x2d\ \x30\x2e\x36\x36\x31\x2c\x30\x2e\x36\x33\x35\x2d\x31\x2e\x31\x32\ \x2c\x30\x2e\x36\x35\x36\x43\x38\x2e\x33\x33\x36\x2c\x31\x36\x2e\ \x39\x39\x38\x2c\x38\x2e\x33\x31\x36\x2c\x31\x36\x2e\x39\x39\x38\ \x2c\x38\x2e\x32\x39\x34\x2c\x31\x36\x2e\x39\x39\x38\x7a\x22\x2f\ \x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x04\xaa\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x30\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x43\x6f\x64\x65\x22\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\ \x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\ \x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\x6e\x73\ \x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\ \x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\x78\ \x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x32\x34\x70\x78\x22\x20\x79\ \x3d\x22\x32\x34\x70\x78\x22\x0d\x0a\x09\x20\x76\x69\x65\x77\x42\ \x6f\x78\x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\ \x20\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\ \x6e\x64\x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\ \x35\x31\x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\ \x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x74\ \x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\ \x28\x32\x34\x20\x30\x20\x30\x20\x32\x34\x20\x30\x20\x30\x29\x27\ \x3e\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x35\x2e\x37\x31\x39\ \x2c\x31\x34\x2e\x37\x35\x63\x2d\x30\x2e\x32\x33\x36\x2c\x30\x2d\ \x30\x2e\x34\x37\x34\x2d\x30\x2e\x30\x38\x33\x2d\x30\x2e\x36\x36\ \x34\x2d\x30\x2e\x32\x35\x32\x4c\x2d\x30\x2e\x30\x30\x35\x2c\x31\ \x30\x6c\x35\x2e\x33\x34\x31\x2d\x34\x2e\x37\x34\x38\x43\x35\x2e\ \x37\x34\x38\x2c\x34\x2e\x38\x38\x37\x2c\x36\x2e\x33\x38\x2c\x34\ \x2e\x39\x32\x32\x2c\x36\x2e\x37\x34\x37\x2c\x35\x2e\x33\x33\x35\ \x0d\x0a\x09\x63\x30\x2e\x33\x36\x37\x2c\x30\x2e\x34\x31\x33\x2c\ \x30\x2e\x33\x33\x2c\x31\x2e\x30\x34\x35\x2d\x30\x2e\x30\x38\x33\ \x2c\x31\x2e\x34\x31\x32\x4c\x33\x2e\x30\x30\x35\x2c\x31\x30\x6c\ \x33\x2e\x33\x37\x38\x2c\x33\x2e\x30\x30\x32\x63\x30\x2e\x34\x31\ \x33\x2c\x30\x2e\x33\x36\x37\x2c\x30\x2e\x34\x35\x2c\x30\x2e\x39\ \x39\x39\x2c\x30\x2e\x30\x38\x33\x2c\x31\x2e\x34\x31\x32\x0d\x0a\ \x09\x43\x36\x2e\x32\x36\x39\x2c\x31\x34\x2e\x36\x33\x37\x2c\x35\ \x2e\x39\x39\x34\x2c\x31\x34\x2e\x37\x35\x2c\x35\x2e\x37\x31\x39\ \x2c\x31\x34\x2e\x37\x35\x7a\x20\x4d\x31\x34\x2e\x36\x36\x34\x2c\ \x31\x34\x2e\x37\x34\x38\x4c\x32\x30\x2e\x30\x30\x35\x2c\x31\x30\ \x6c\x2d\x35\x2e\x30\x36\x2d\x34\x2e\x34\x39\x38\x63\x2d\x30\x2e\ \x34\x31\x33\x2d\x30\x2e\x33\x36\x37\x2d\x31\x2e\x30\x34\x35\x2d\ \x30\x2e\x33\x33\x2d\x31\x2e\x34\x31\x31\x2c\x30\x2e\x30\x38\x33\ \x0d\x0a\x09\x63\x2d\x30\x2e\x33\x36\x37\x2c\x30\x2e\x34\x31\x33\ \x2d\x30\x2e\x33\x33\x2c\x31\x2e\x30\x34\x35\x2c\x30\x2e\x30\x38\ \x33\x2c\x31\x2e\x34\x31\x32\x4c\x31\x36\x2e\x39\x39\x35\x2c\x31\ \x30\x6c\x2d\x33\x2e\x36\x35\x39\x2c\x33\x2e\x32\x35\x32\x63\x2d\ \x30\x2e\x34\x31\x33\x2c\x30\x2e\x33\x36\x37\x2d\x30\x2e\x34\x35\ \x2c\x30\x2e\x39\x39\x39\x2d\x30\x2e\x30\x38\x33\x2c\x31\x2e\x34\ \x31\x32\x43\x31\x33\x2e\x34\x35\x2c\x31\x34\x2e\x38\x38\x37\x2c\ \x31\x33\x2e\x37\x32\x35\x2c\x31\x35\x2c\x31\x34\x2c\x31\x35\x0d\ \x0a\x09\x43\x31\x34\x2e\x32\x33\x36\x2c\x31\x35\x2c\x31\x34\x2e\ \x34\x37\x34\x2c\x31\x34\x2e\x39\x31\x37\x2c\x31\x34\x2e\x36\x36\ \x34\x2c\x31\x34\x2e\x37\x34\x38\x7a\x20\x4d\x39\x2e\x39\x38\x36\ \x2c\x31\x36\x2e\x31\x36\x35\x6c\x32\x2d\x31\x32\x63\x30\x2e\x30\ \x39\x31\x2d\x30\x2e\x35\x34\x35\x2d\x30\x2e\x32\x37\x37\x2d\x31\ \x2e\x30\x36\x2d\x30\x2e\x38\x32\x32\x2d\x31\x2e\x31\x35\x31\x0d\ \x0a\x09\x63\x2d\x30\x2e\x35\x34\x37\x2d\x30\x2e\x30\x39\x32\x2d\ \x31\x2e\x30\x36\x31\x2c\x30\x2e\x32\x37\x37\x2d\x31\x2e\x31\x35\ \x2c\x30\x2e\x38\x32\x32\x6c\x2d\x32\x2c\x31\x32\x63\x2d\x30\x2e\ \x30\x39\x31\x2c\x30\x2e\x35\x34\x35\x2c\x30\x2e\x32\x37\x37\x2c\ \x31\x2e\x30\x36\x2c\x30\x2e\x38\x32\x32\x2c\x31\x2e\x31\x35\x31\ \x43\x38\x2e\x38\x39\x32\x2c\x31\x36\x2e\x39\x39\x36\x2c\x38\x2e\ \x39\x34\x36\x2c\x31\x37\x2c\x39\x2e\x30\x30\x31\x2c\x31\x37\x0d\ \x0a\x09\x43\x39\x2e\x34\x38\x31\x2c\x31\x37\x2c\x39\x2e\x39\x30\ \x35\x2c\x31\x36\x2e\x36\x35\x33\x2c\x39\x2e\x39\x38\x36\x2c\x31\ \x36\x2e\x31\x36\x35\x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\ \x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x03\x4c\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x32\x31\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\ \x3e\x0d\x0a\x09\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x32\ \x35\x36\x2c\x31\x35\x32\x63\x2d\x35\x37\x2e\x32\x2c\x30\x2d\x31\ \x30\x34\x2c\x34\x36\x2e\x38\x2d\x31\x30\x34\x2c\x31\x30\x34\x73\ \x34\x36\x2e\x38\x2c\x31\x30\x34\x2c\x31\x30\x34\x2c\x31\x30\x34\ \x73\x31\x30\x34\x2d\x34\x36\x2e\x38\x2c\x31\x30\x34\x2d\x31\x30\ \x34\x53\x33\x31\x33\x2e\x32\x2c\x31\x35\x32\x2c\x32\x35\x36\x2c\ \x31\x35\x32\x7a\x20\x4d\x32\x35\x36\x2c\x34\x38\x0d\x0a\x09\x09\ \x09\x43\x31\x34\x31\x2e\x36\x30\x31\x2c\x34\x38\x2c\x34\x38\x2c\ \x31\x34\x31\x2e\x36\x30\x31\x2c\x34\x38\x2c\x32\x35\x36\x73\x39\ \x33\x2e\x36\x30\x31\x2c\x32\x30\x38\x2c\x32\x30\x38\x2c\x32\x30\ \x38\x73\x32\x30\x38\x2d\x39\x33\x2e\x36\x30\x31\x2c\x32\x30\x38\ \x2d\x32\x30\x38\x53\x33\x37\x30\x2e\x33\x39\x39\x2c\x34\x38\x2c\ \x32\x35\x36\x2c\x34\x38\x7a\x20\x4d\x32\x35\x36\x2c\x34\x32\x32\ \x2e\x34\x0d\x0a\x09\x09\x09\x63\x2d\x39\x31\x2e\x35\x31\x38\x2c\ \x30\x2d\x31\x36\x36\x2e\x34\x2d\x37\x34\x2e\x38\x38\x33\x2d\x31\ \x36\x36\x2e\x34\x2d\x31\x36\x36\x2e\x34\x53\x31\x36\x34\x2e\x34\ \x38\x32\x2c\x38\x39\x2e\x36\x2c\x32\x35\x36\x2c\x38\x39\x2e\x36\ \x53\x34\x32\x32\x2e\x34\x2c\x31\x36\x34\x2e\x34\x38\x32\x2c\x34\ \x32\x32\x2e\x34\x2c\x32\x35\x36\x53\x33\x34\x37\x2e\x35\x31\x38\ \x2c\x34\x32\x32\x2e\x34\x2c\x32\x35\x36\x2c\x34\x32\x32\x2e\x34\ \x7a\x22\x2f\x3e\x0d\x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\ \x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x01\x1c\ \x3c\ \x73\x76\x67\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\ \x30\x2f\x73\x76\x67\x22\x20\x77\x69\x64\x74\x68\x3d\x22\x35\x31\ \x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x35\x31\x32\ \x70\x78\x22\x0a\x20\x20\x20\x20\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x3e\x0a\ \x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\ \x74\x72\x69\x78\x28\x34\x38\x20\x30\x20\x30\x20\x34\x38\x20\x34\ \x38\x20\x34\x38\x29\x27\x3e\x0a\x20\x20\x3c\x70\x61\x74\x68\x20\ \x64\x3d\x22\x4d\x30\x20\x30\x76\x32\x68\x2e\x35\x63\x30\x2d\x2e\ \x35\x35\x2e\x34\x35\x2d\x31\x20\x31\x2d\x31\x68\x31\x2e\x35\x76\ \x35\x2e\x35\x63\x30\x20\x2e\x32\x38\x2d\x2e\x32\x32\x2e\x35\x2d\ \x2e\x35\x2e\x35\x68\x2d\x2e\x35\x76\x31\x68\x34\x76\x2d\x31\x68\ \x2d\x2e\x35\x63\x2d\x2e\x32\x38\x20\x30\x2d\x2e\x35\x2d\x2e\x32\ \x32\x2d\x2e\x35\x2d\x2e\x35\x76\x2d\x35\x2e\x35\x68\x31\x2e\x35\ \x63\x2e\x35\x35\x20\x30\x20\x31\x20\x2e\x34\x35\x20\x31\x20\x31\ \x68\x2e\x35\x76\x2d\x32\x68\x2d\x38\x7a\x22\x20\x2f\x3e\x0a\x3c\ \x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\x0a\ \x00\x00\x03\x7c\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x36\x2e\x34\x30\x39\x34\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x32\ \x2e\x30\x30\x37\x35\x20\x2d\x32\x2e\x30\x30\x37\x35\x4c\x20\x36\ \x32\x2e\x32\x33\x32\x35\x20\x2d\x32\x2e\x30\x30\x37\x35\x4c\x20\ \x36\x32\x2e\x32\x33\x32\x35\x20\x2d\x36\x32\x2e\x32\x33\x32\x35\ \x4c\x20\x32\x2e\x30\x30\x37\x35\x20\x2d\x36\x32\x2e\x32\x33\x32\ \x35\x4c\x20\x32\x2e\x30\x30\x37\x35\x20\x2d\x32\x2e\x30\x30\x37\ \x35\x5a\x27\x20\x66\x69\x6c\x6c\x3d\x27\x6e\x6f\x6e\x65\x27\x20\ \x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\ \x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\x3d\ \x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\ \x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\ \x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\ \x74\x3d\x27\x31\x30\x2e\x30\x33\x37\x35\x27\x20\x73\x74\x72\x6f\ \x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\x27\x34\x2e\x30\x31\x35\x27\ \x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\ \x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\ \x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\ \x36\x34\x20\x35\x36\x2e\x34\x30\x39\x34\x20\x31\x31\x37\x2e\x38\ \x35\x38\x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\ \x20\x34\x37\x2e\x31\x37\x36\x32\x20\x2d\x33\x32\x2e\x31\x32\x43\ \x20\x34\x37\x2e\x31\x37\x36\x32\x20\x2d\x34\x30\x2e\x34\x33\x35\ \x33\x20\x34\x30\x2e\x34\x33\x35\x33\x20\x2d\x34\x37\x2e\x31\x37\ \x36\x32\x20\x33\x32\x2e\x31\x32\x20\x2d\x34\x37\x2e\x31\x37\x36\ \x32\x43\x20\x32\x33\x2e\x38\x30\x34\x37\x20\x2d\x34\x37\x2e\x31\ \x37\x36\x32\x20\x31\x37\x2e\x30\x36\x33\x37\x20\x2d\x34\x30\x2e\ \x34\x33\x35\x33\x20\x31\x37\x2e\x30\x36\x33\x37\x20\x2d\x33\x32\ \x2e\x31\x32\x43\x20\x31\x37\x2e\x30\x36\x33\x37\x20\x2d\x32\x33\ \x2e\x38\x30\x34\x37\x20\x32\x33\x2e\x38\x30\x34\x37\x20\x2d\x31\ \x37\x2e\x30\x36\x33\x37\x20\x33\x32\x2e\x31\x32\x20\x2d\x31\x37\ \x2e\x30\x36\x33\x37\x43\x20\x34\x30\x2e\x34\x33\x35\x33\x20\x2d\ \x31\x37\x2e\x30\x36\x33\x37\x20\x34\x37\x2e\x31\x37\x36\x32\x20\ \x2d\x32\x33\x2e\x38\x30\x34\x37\x20\x34\x37\x2e\x31\x37\x36\x32\ \x20\x2d\x33\x32\x2e\x31\x32\x5a\x27\x20\x66\x69\x6c\x6c\x3d\x27\ \x23\x30\x30\x30\x30\x30\x30\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\ \x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\ \x00\x00\x02\xa1\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x38\x2e\x31\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x53\x61\x76\x65\x22\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\ \x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\ \x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\x6c\x6e\x73\ \x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\ \x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\x78\ \x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x35\x31\x32\x70\x78\x22\x20\ \x79\x3d\x22\x35\x31\x32\x70\x78\x22\x0d\x0a\x09\x20\x76\x69\x65\ \x77\x42\x6f\x78\x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\ \x6f\x75\x6e\x64\x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\ \x32\x20\x35\x31\x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\ \x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\ \x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\ \x69\x78\x28\x32\x34\x20\x30\x20\x30\x20\x32\x34\x20\x30\x20\x30\ \x29\x27\x3e\x0d\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x31\ \x35\x2e\x31\x37\x33\x2c\x32\x48\x34\x43\x32\x2e\x38\x39\x39\x2c\ \x32\x2c\x32\x2c\x32\x2e\x39\x2c\x32\x2c\x34\x76\x31\x32\x63\x30\ \x2c\x31\x2e\x31\x2c\x30\x2e\x38\x39\x39\x2c\x32\x2c\x32\x2c\x32\ \x68\x31\x32\x63\x31\x2e\x31\x30\x31\x2c\x30\x2c\x32\x2d\x30\x2e\ \x39\x2c\x32\x2d\x32\x56\x35\x2e\x31\x32\x37\x4c\x31\x35\x2e\x31\ \x37\x33\x2c\x32\x7a\x20\x4d\x31\x34\x2c\x38\x63\x30\x2c\x30\x2e\ \x35\x34\x39\x2d\x30\x2e\x34\x35\x2c\x31\x2d\x31\x2c\x31\x48\x37\ \x0d\x0a\x09\x43\x36\x2e\x34\x35\x2c\x39\x2c\x36\x2c\x38\x2e\x35\ \x34\x39\x2c\x36\x2c\x38\x56\x33\x68\x38\x56\x38\x7a\x20\x4d\x31\ \x33\x2c\x34\x68\x2d\x32\x76\x34\x68\x32\x56\x34\x7a\x22\x2f\x3e\ \x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \ \x00\x00\x02\xfc\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x20\x69\x64\x3d\ \x22\x49\x63\x6f\x6e\x5f\x32\x30\x5f\x22\x3e\x0d\x0a\x09\x3c\x67\ \x3e\x0d\x0a\x09\x09\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x32\ \x35\x36\x2c\x34\x38\x43\x31\x34\x31\x2e\x36\x30\x31\x2c\x34\x38\ \x2c\x34\x38\x2c\x31\x34\x31\x2e\x36\x30\x31\x2c\x34\x38\x2c\x32\ \x35\x36\x73\x39\x33\x2e\x36\x30\x31\x2c\x32\x30\x38\x2c\x32\x30\ \x38\x2c\x32\x30\x38\x73\x32\x30\x38\x2d\x39\x33\x2e\x36\x30\x31\ \x2c\x32\x30\x38\x2d\x32\x30\x38\x53\x33\x37\x30\x2e\x33\x39\x39\ \x2c\x34\x38\x2c\x32\x35\x36\x2c\x34\x38\x7a\x20\x4d\x32\x35\x36\ \x2c\x34\x32\x32\x2e\x33\x39\x39\x0d\x0a\x09\x09\x09\x63\x2d\x39\ \x31\x2e\x35\x31\x38\x2c\x30\x2d\x31\x36\x36\x2e\x33\x39\x39\x2d\ \x37\x34\x2e\x38\x38\x32\x2d\x31\x36\x36\x2e\x33\x39\x39\x2d\x31\ \x36\x36\x2e\x33\x39\x39\x53\x31\x36\x34\x2e\x34\x38\x32\x2c\x38\ \x39\x2e\x36\x2c\x32\x35\x36\x2c\x38\x39\x2e\x36\x53\x34\x32\x32\ \x2e\x34\x2c\x31\x36\x34\x2e\x34\x38\x32\x2c\x34\x32\x32\x2e\x34\ \x2c\x32\x35\x36\x53\x33\x34\x37\x2e\x35\x31\x38\x2c\x34\x32\x32\ \x2e\x33\x39\x39\x2c\x32\x35\x36\x2c\x34\x32\x32\x2e\x33\x39\x39\ \x7a\x22\x2f\x3e\x0d\x0a\x09\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x67\ \x3e\x0d\x0a\x3c\x2f\x73\x76\x67\x3e\x0d\x0a\ \x00\x00\x01\xdd\ \x00\ \x00\x06\xe4\x78\x9c\xcd\x54\x4d\x6f\x9b\x40\x10\x3d\x13\x29\xff\ \x61\xba\xb7\x4a\xec\x17\xc4\xd4\xa6\xa6\x51\xfd\x21\xcb\x52\x9a\ \x58\x6a\xea\xaa\xa7\x0a\xc3\x16\x50\x28\x20\x58\xc0\xce\xaf\xef\ \xee\x92\x54\x51\x95\xfa\x18\xfb\xb0\x33\xda\x79\x6f\xde\xbc\x65\ \x24\xa6\xd7\xfb\xdf\x39\x74\xa2\x6e\xb2\xb2\x08\x10\x27\x0c\x81\ \x28\xa2\x32\xce\x8a\x24\x40\xad\xfc\x85\xc7\xe8\xfa\xd3\xe5\xc5\ \xf4\x1d\xc6\xb0\x12\x85\xa8\x43\x59\xd6\x3e\x7c\x8e\xcb\x9d\x80\ \x75\x9e\xb7\x8d\x34\x25\xe0\x1e\x71\x08\xb7\xe1\xeb\x76\x05\xcb\ \x7d\x55\xd6\x12\x36\x79\x9b\xe0\x75\x01\xc4\x14\xb7\xc3\x10\x1f\ \x3c\xc2\x18\xcc\xda\x2c\x8f\x81\xbd\x07\xc0\xd8\xe8\x2f\xee\xe6\ \xf7\x3f\x36\x4b\x68\xba\x04\x36\xdf\x66\x37\xeb\x39\x20\x4c\xe9\ \x77\x77\x4e\xe9\xe2\x7e\x61\x24\x38\xe1\x94\x2e\x6f\x11\xa0\x54\ \xca\xca\xa7\xb4\xef\x7b\xd2\xbb\xa4\xac\x13\xba\xaa\xc3\x2a\xcd\ \xa2\x86\x2a\x22\xd5\x44\xd5\x44\x95\x18\xe7\x24\x96\x31\xd2\x33\ \xb4\xf4\x8b\xa7\x72\x04\x59\x1c\xa0\x9b\xf0\x20\xea\x9f\xea\xa2\ \xbe\x44\xd1\x04\xaf\x48\x3b\x8c\x31\x2d\xf5\x44\xf1\xf7\x79\x56\ \x3c\xbc\x46\xe4\x93\xc9\x84\x1a\x54\x51\x03\xc4\xaa\x3d\x82\xc3\ \x90\x2f\x2f\x2c\xe8\xb3\x58\xa6\x01\x1a\x71\x47\x03\xa9\xc8\x92\ \x54\xfe\xbd\x76\x99\xe8\x67\xa5\xee\x02\x06\xaa\xa6\x0f\x82\x46\ \x1e\x72\x11\x20\x51\x84\xbb\x5c\xe0\x5d\x18\x3d\x24\x75\xd9\x16\ \xb1\x5f\x88\x1e\x5e\x30\x3f\x1a\x6f\x7e\x53\x85\x91\xa2\x57\xb5\ \x68\x44\xdd\x09\xf3\xea\x44\x05\x6b\x88\xd6\xb4\x0a\x65\x0a\xea\ \xd1\x5f\xb8\xc7\x6c\x3e\x72\x89\x1b\x31\xdb\x25\x1f\xb0\x6b\x7b\ \x2a\xaa\xa3\x73\x8a\x47\x8c\x8c\x22\xac\x00\x9b\xe9\x22\x76\xf1\ \x13\xdc\x0d\x10\x33\x98\xfb\xdc\xa0\x73\x6a\x00\xd3\xa2\x4b\xb6\ \x51\xd4\x67\x6b\xe6\x3c\xea\x4f\x60\x59\xf4\x1f\x1f\xce\x78\x7c\ \x16\x3e\xae\xb8\x77\x3a\x1f\x53\xfa\xff\x25\x39\x63\xfe\x26\xa6\ \xcc\x9c\x23\x4b\x3a\x07\x1f\x7a\x49\x27\xf3\x71\x6c\x49\x57\x6c\ \xf2\x26\xa6\xcc\x9c\x23\x4b\x3a\x07\x1f\x7a\x49\x27\xf3\x31\x2c\ \xe9\x39\xaa\x7f\xb6\xca\x7f\x00\x99\x18\x96\x19\ \x00\x00\x04\x1c\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x27\x31\x2e\ \x30\x27\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x27\x55\x54\x46\ \x2d\x38\x27\x3f\x3e\x0a\x3c\x21\x2d\x2d\x20\x54\x68\x69\x73\x20\ \x66\x69\x6c\x65\x20\x77\x61\x73\x20\x67\x65\x6e\x65\x72\x61\x74\ \x65\x64\x20\x62\x79\x20\x64\x76\x69\x73\x76\x67\x6d\x20\x32\x2e\ \x38\x20\x2d\x2d\x3e\x0a\x3c\x73\x76\x67\x20\x76\x65\x72\x73\x69\ \x6f\x6e\x3d\x27\x31\x2e\x31\x27\x20\x78\x6d\x6c\x6e\x73\x3d\x27\ \x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\ \x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x27\x20\x78\x6d\x6c\x6e\ \x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x27\x68\x74\x74\x70\x3a\x2f\x2f\ \x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\x39\x2f\ \x78\x6c\x69\x6e\x6b\x27\x20\x77\x69\x64\x74\x68\x3d\x27\x36\x33\ \x2e\x39\x39\x39\x36\x70\x74\x27\x20\x68\x65\x69\x67\x68\x74\x3d\ \x27\x36\x33\x2e\x39\x39\x39\x37\x70\x74\x27\x20\x76\x69\x65\x77\ \x42\x6f\x78\x3d\x27\x35\x36\x2e\x34\x30\x39\x34\x20\x35\x33\x2e\ \x38\x35\x38\x33\x20\x36\x33\x2e\x39\x39\x39\x36\x20\x36\x33\x2e\ \x39\x39\x39\x37\x27\x3e\x0a\x3c\x67\x20\x69\x64\x3d\x27\x70\x61\ \x67\x65\x31\x27\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\ \x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\ \x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\ \x20\x35\x36\x2e\x34\x30\x39\x34\x20\x31\x31\x37\x2e\x38\x35\x38\ \x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x32\ \x2e\x30\x30\x37\x35\x20\x2d\x32\x2e\x30\x30\x37\x35\x4c\x20\x36\ \x32\x2e\x32\x33\x32\x35\x20\x2d\x32\x2e\x30\x30\x37\x35\x4c\x20\ \x36\x32\x2e\x32\x33\x32\x35\x20\x2d\x36\x32\x2e\x32\x33\x32\x35\ \x4c\x20\x32\x2e\x30\x30\x37\x35\x20\x2d\x36\x32\x2e\x32\x33\x32\ \x35\x4c\x20\x32\x2e\x30\x30\x37\x35\x20\x2d\x32\x2e\x30\x30\x37\ \x35\x5a\x27\x20\x66\x69\x6c\x6c\x3d\x27\x6e\x6f\x6e\x65\x27\x20\ \x73\x74\x72\x6f\x6b\x65\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\ \x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\x3d\ \x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\ \x69\x6e\x65\x6a\x6f\x69\x6e\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\ \x73\x74\x72\x6f\x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\ \x74\x3d\x27\x31\x30\x2e\x30\x33\x37\x35\x27\x20\x73\x74\x72\x6f\ \x6b\x65\x2d\x77\x69\x64\x74\x68\x3d\x27\x34\x2e\x30\x31\x35\x27\ \x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\ \x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\ \x39\x36\x32\x36\x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\ \x36\x34\x20\x35\x36\x2e\x34\x30\x39\x34\x20\x31\x31\x37\x2e\x38\ \x35\x38\x29\x27\x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\ \x20\x32\x2e\x30\x30\x37\x35\x20\x2d\x33\x32\x2e\x31\x32\x4c\x20\ \x36\x32\x2e\x32\x33\x32\x35\x20\x2d\x33\x32\x2e\x31\x32\x27\x20\ \x66\x69\x6c\x6c\x3d\x27\x6e\x6f\x6e\x65\x27\x20\x73\x74\x72\x6f\ \x6b\x65\x3d\x27\x23\x30\x30\x30\x30\x30\x30\x27\x20\x73\x74\x72\ \x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x63\x61\x70\x3d\x27\x72\x6f\x75\ \x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x6a\ \x6f\x69\x6e\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\ \x6b\x65\x2d\x6d\x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3d\x27\x31\ \x30\x2e\x30\x33\x37\x35\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x77\ \x69\x64\x74\x68\x3d\x27\x34\x2e\x30\x31\x35\x27\x2f\x3e\x0a\x3c\ \x2f\x67\x3e\x0a\x3c\x67\x20\x74\x72\x61\x6e\x73\x66\x6f\x72\x6d\ \x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x30\x2e\x39\x39\x36\x32\x36\ \x34\x20\x30\x20\x30\x20\x30\x2e\x39\x39\x36\x32\x36\x34\x20\x35\ \x36\x2e\x34\x30\x39\x34\x20\x31\x31\x37\x2e\x38\x35\x38\x29\x27\ \x3e\x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x27\x4d\x20\x33\x32\x2e\ \x31\x32\x20\x2d\x32\x2e\x30\x30\x37\x35\x4c\x20\x33\x32\x2e\x31\ \x32\x20\x2d\x36\x32\x2e\x32\x33\x32\x35\x27\x20\x66\x69\x6c\x6c\ \x3d\x27\x6e\x6f\x6e\x65\x27\x20\x73\x74\x72\x6f\x6b\x65\x3d\x27\ \x23\x30\x30\x30\x30\x30\x30\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\ \x6c\x69\x6e\x65\x63\x61\x70\x3d\x27\x72\x6f\x75\x6e\x64\x27\x20\ \x73\x74\x72\x6f\x6b\x65\x2d\x6c\x69\x6e\x65\x6a\x6f\x69\x6e\x3d\ \x27\x72\x6f\x75\x6e\x64\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x6d\ \x69\x74\x65\x72\x6c\x69\x6d\x69\x74\x3d\x27\x31\x30\x2e\x30\x33\ \x37\x35\x27\x20\x73\x74\x72\x6f\x6b\x65\x2d\x77\x69\x64\x74\x68\ \x3d\x27\x34\x2e\x30\x31\x35\x27\x2f\x3e\x0a\x3c\x2f\x67\x3e\x0a\ \x3c\x2f\x67\x3e\x0a\x3c\x2f\x73\x76\x67\x3e\ \x00\x00\x03\x46\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x73\ \x74\x79\x6c\x65\x3d\x22\x65\x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\ \x6b\x67\x72\x6f\x75\x6e\x64\x3a\x6e\x65\x77\x20\x30\x20\x30\x20\ \x35\x31\x32\x20\x35\x31\x32\x3b\x22\x20\x78\x6d\x6c\x3a\x73\x70\ \x61\x63\x65\x3d\x22\x70\x72\x65\x73\x65\x72\x76\x65\x22\x3e\x0d\ \x0a\x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x34\x33\x37\x2e\x35\ \x2c\x33\x38\x36\x2e\x36\x4c\x33\x30\x36\x2e\x39\x2c\x32\x35\x36\ \x6c\x31\x33\x30\x2e\x36\x2d\x31\x33\x30\x2e\x36\x63\x31\x34\x2e\ \x31\x2d\x31\x34\x2e\x31\x2c\x31\x34\x2e\x31\x2d\x33\x36\x2e\x38\ \x2c\x30\x2d\x35\x30\x2e\x39\x63\x2d\x31\x34\x2e\x31\x2d\x31\x34\ \x2e\x31\x2d\x33\x36\x2e\x38\x2d\x31\x34\x2e\x31\x2d\x35\x30\x2e\ \x39\x2c\x30\x4c\x32\x35\x36\x2c\x32\x30\x35\x2e\x31\x4c\x31\x32\ \x35\x2e\x34\x2c\x37\x34\x2e\x35\x0d\x0a\x09\x63\x2d\x31\x34\x2e\ \x31\x2d\x31\x34\x2e\x31\x2d\x33\x36\x2e\x38\x2d\x31\x34\x2e\x31\ \x2d\x35\x30\x2e\x39\x2c\x30\x63\x2d\x31\x34\x2e\x31\x2c\x31\x34\ \x2e\x31\x2d\x31\x34\x2e\x31\x2c\x33\x36\x2e\x38\x2c\x30\x2c\x35\ \x30\x2e\x39\x4c\x32\x30\x35\x2e\x31\x2c\x32\x35\x36\x4c\x37\x34\ \x2e\x35\x2c\x33\x38\x36\x2e\x36\x63\x2d\x31\x34\x2e\x31\x2c\x31\ \x34\x2e\x31\x2d\x31\x34\x2e\x31\x2c\x33\x36\x2e\x38\x2c\x30\x2c\ \x35\x30\x2e\x39\x0d\x0a\x09\x63\x31\x34\x2e\x31\x2c\x31\x34\x2e\ \x31\x2c\x33\x36\x2e\x38\x2c\x31\x34\x2e\x31\x2c\x35\x30\x2e\x39\ \x2c\x30\x4c\x32\x35\x36\x2c\x33\x30\x36\x2e\x39\x6c\x31\x33\x30\ \x2e\x36\x2c\x31\x33\x30\x2e\x36\x63\x31\x34\x2e\x31\x2c\x31\x34\ \x2e\x31\x2c\x33\x36\x2e\x38\x2c\x31\x34\x2e\x31\x2c\x35\x30\x2e\ \x39\x2c\x30\x43\x34\x35\x31\x2e\x35\x2c\x34\x32\x33\x2e\x34\x2c\ \x34\x35\x31\x2e\x35\x2c\x34\x30\x30\x2e\x36\x2c\x34\x33\x37\x2e\ \x35\x2c\x33\x38\x36\x2e\x36\x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\x73\ \x76\x67\x3e\x0d\x0a\ \x00\x00\x03\x26\ \x3c\ \x3f\x78\x6d\x6c\x20\x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\ \x30\x22\x20\x65\x6e\x63\x6f\x64\x69\x6e\x67\x3d\x22\x75\x74\x66\ \x2d\x38\x22\x3f\x3e\x0d\x0a\x3c\x21\x2d\x2d\x20\x47\x65\x6e\x65\ \x72\x61\x74\x6f\x72\x3a\x20\x41\x64\x6f\x62\x65\x20\x49\x6c\x6c\ \x75\x73\x74\x72\x61\x74\x6f\x72\x20\x31\x36\x2e\x32\x2e\x31\x2c\ \x20\x53\x56\x47\x20\x45\x78\x70\x6f\x72\x74\x20\x50\x6c\x75\x67\ \x2d\x49\x6e\x20\x2e\x20\x53\x56\x47\x20\x56\x65\x72\x73\x69\x6f\ \x6e\x3a\x20\x36\x2e\x30\x30\x20\x42\x75\x69\x6c\x64\x20\x30\x29\ \x20\x20\x2d\x2d\x3e\x0d\x0a\x3c\x21\x44\x4f\x43\x54\x59\x50\x45\ \x20\x73\x76\x67\x20\x50\x55\x42\x4c\x49\x43\x20\x22\x2d\x2f\x2f\ \x57\x33\x43\x2f\x2f\x44\x54\x44\x20\x53\x56\x47\x20\x31\x2e\x31\ \x2f\x2f\x45\x4e\x22\x20\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\ \x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x47\x72\x61\x70\x68\x69\x63\ \x73\x2f\x53\x56\x47\x2f\x31\x2e\x31\x2f\x44\x54\x44\x2f\x73\x76\ \x67\x31\x31\x2e\x64\x74\x64\x22\x3e\x0d\x0a\x3c\x73\x76\x67\x20\ \x76\x65\x72\x73\x69\x6f\x6e\x3d\x22\x31\x2e\x31\x22\x20\x69\x64\ \x3d\x22\x4c\x61\x79\x65\x72\x5f\x31\x22\x20\x78\x6d\x6c\x6e\x73\ \x3d\x22\x68\x74\x74\x70\x3a\x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\ \x6f\x72\x67\x2f\x32\x30\x30\x30\x2f\x73\x76\x67\x22\x20\x78\x6d\ \x6c\x6e\x73\x3a\x78\x6c\x69\x6e\x6b\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x31\x39\x39\ \x39\x2f\x78\x6c\x69\x6e\x6b\x22\x20\x78\x3d\x22\x30\x70\x78\x22\ \x20\x79\x3d\x22\x30\x70\x78\x22\x0d\x0a\x09\x20\x77\x69\x64\x74\ \x68\x3d\x22\x35\x31\x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\ \x3d\x22\x35\x31\x32\x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\ \x3d\x22\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\x32\x22\x20\x65\ \x6e\x61\x62\x6c\x65\x2d\x62\x61\x63\x6b\x67\x72\x6f\x75\x6e\x64\ \x3d\x22\x6e\x65\x77\x20\x30\x20\x30\x20\x35\x31\x32\x20\x35\x31\ \x32\x22\x20\x78\x6d\x6c\x3a\x73\x70\x61\x63\x65\x3d\x22\x70\x72\ \x65\x73\x65\x72\x76\x65\x22\x3e\x0d\x0a\x3c\x67\x3e\x0d\x0a\x09\ \x3c\x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x32\x35\x36\x2c\x33\x38\ \x38\x63\x2d\x37\x32\x2e\x35\x39\x37\x2c\x30\x2d\x31\x33\x32\x2d\ \x35\x39\x2e\x34\x30\x35\x2d\x31\x33\x32\x2d\x31\x33\x32\x63\x30\ \x2d\x37\x32\x2e\x36\x30\x31\x2c\x35\x39\x2e\x34\x30\x33\x2d\x31\ \x33\x32\x2c\x31\x33\x32\x2d\x31\x33\x32\x63\x33\x36\x2e\x33\x2c\ \x30\x2c\x36\x39\x2e\x32\x39\x39\x2c\x31\x35\x2e\x34\x2c\x39\x32\ \x2e\x34\x30\x36\x2c\x33\x39\x2e\x36\x30\x31\x4c\x32\x37\x38\x2c\ \x32\x33\x34\x68\x31\x35\x34\x56\x38\x30\x0d\x0a\x09\x09\x6c\x2d\ \x35\x31\x2e\x36\x39\x38\x2c\x35\x31\x2e\x37\x30\x32\x43\x33\x34\ \x38\x2e\x34\x30\x36\x2c\x39\x39\x2e\x37\x39\x38\x2c\x33\x30\x34\ \x2e\x34\x30\x36\x2c\x38\x30\x2c\x32\x35\x36\x2c\x38\x30\x63\x2d\ \x39\x36\x2e\x37\x39\x37\x2c\x30\x2d\x31\x37\x36\x2c\x37\x39\x2e\ \x32\x30\x33\x2d\x31\x37\x36\x2c\x31\x37\x36\x73\x37\x38\x2e\x30\ \x39\x34\x2c\x31\x37\x36\x2c\x31\x37\x36\x2c\x31\x37\x36\x0d\x0a\ \x09\x09\x63\x38\x31\x2e\x30\x34\x35\x2c\x30\x2c\x31\x34\x38\x2e\ \x32\x38\x37\x2d\x35\x34\x2e\x31\x33\x34\x2c\x31\x36\x39\x2e\x34\ \x30\x31\x2d\x31\x32\x38\x48\x33\x37\x38\x2e\x38\x35\x43\x33\x36\ \x30\x2e\x31\x30\x35\x2c\x33\x35\x33\x2e\x35\x36\x31\x2c\x33\x31\ \x31\x2e\x37\x31\x32\x2c\x33\x38\x38\x2c\x32\x35\x36\x2c\x33\x38\ \x38\x7a\x22\x2f\x3e\x0d\x0a\x3c\x2f\x67\x3e\x0d\x0a\x3c\x2f\x73\ \x76\x67\x3e\x0d\x0a\ \x00\x00\x01\x69\ \x3c\ \x73\x76\x67\x20\x78\x6d\x6c\x6e\x73\x3d\x22\x68\x74\x74\x70\x3a\ \x2f\x2f\x77\x77\x77\x2e\x77\x33\x2e\x6f\x72\x67\x2f\x32\x30\x30\ \x30\x2f\x73\x76\x67\x22\x20\x77\x69\x64\x74\x68\x3d\x22\x35\x31\ \x32\x70\x78\x22\x20\x68\x65\x69\x67\x68\x74\x3d\x22\x35\x31\x32\ \x70\x78\x22\x20\x76\x69\x65\x77\x42\x6f\x78\x3d\x22\x30\x20\x30\ \x20\x35\x31\x32\x20\x35\x31\x32\x22\x3e\x3c\x67\x20\x74\x72\x61\ \x6e\x73\x66\x6f\x72\x6d\x3d\x27\x6d\x61\x74\x72\x69\x78\x28\x32\ \x34\x20\x30\x20\x30\x20\x32\x34\x20\x30\x20\x30\x29\x27\x3e\x3c\ \x70\x61\x74\x68\x20\x64\x3d\x22\x4d\x34\x2e\x33\x34\x20\x31\x35\ \x2e\x36\x36\x41\x37\x2e\x39\x37\x20\x37\x2e\x39\x37\x20\x30\x20\ \x30\x20\x30\x20\x39\x20\x31\x37\x2e\x39\x34\x56\x31\x30\x48\x35\ \x56\x38\x68\x34\x56\x35\x2e\x38\x33\x61\x33\x20\x33\x20\x30\x20\ \x31\x20\x31\x20\x32\x20\x30\x56\x38\x68\x34\x76\x32\x68\x2d\x34\ \x76\x37\x2e\x39\x34\x61\x37\x2e\x39\x37\x20\x37\x2e\x39\x37\x20\ \x30\x20\x30\x20\x30\x20\x34\x2e\x36\x36\x2d\x32\x2e\x32\x38\x6c\ \x2d\x31\x2e\x34\x32\x2d\x31\x2e\x34\x32\x68\x35\x2e\x36\x36\x6c\ \x2d\x32\x2e\x38\x33\x20\x32\x2e\x38\x33\x61\x31\x30\x20\x31\x30\ \x20\x30\x20\x30\x20\x31\x2d\x31\x34\x2e\x31\x34\x20\x30\x4c\x2e\ \x31\x20\x31\x34\x2e\x32\x34\x68\x35\x2e\x36\x36\x6c\x2d\x31\x2e\ \x34\x32\x20\x31\x2e\x34\x32\x7a\x4d\x31\x30\x20\x34\x61\x31\x20\ \x31\x20\x30\x20\x31\x20\x30\x20\x30\x2d\x32\x20\x31\x20\x31\x20\ \x30\x20\x30\x20\x30\x20\x30\x20\x32\x7a\x22\x2f\x3e\x3c\x2f\x67\ \x3e\x3c\x2f\x73\x76\x67\x3e\x0a\ " qt_resource_name = b"\ \x00\x05\ \x00\x6f\xa6\x53\ \x00\x69\ \x00\x63\x00\x6f\x00\x6e\x00\x73\ \x00\x15\ \x0f\xc4\x59\xe7\ \x00\x73\ \x00\x75\x00\x62\x00\x64\x00\x69\x00\x72\x00\x65\x00\x63\x00\x74\x00\x6f\x00\x72\x00\x79\x00\x2d\x00\x6c\x00\x65\x00\x66\x00\x74\ \x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x12\ \x0c\x5e\xd4\xa7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x6c\x00\x6f\x00\x63\x00\x61\x00\x74\x00\x65\x00\x2e\x00\x73\x00\x76\ \x00\x67\ \x00\x12\ \x08\x55\xef\xc7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x64\x00\x65\x00\x6c\x00\x65\x00\x74\x00\x65\x00\x2e\x00\x73\x00\x76\ \x00\x67\ \x00\x19\ \x0a\x43\x45\xc7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x61\x00\x72\x00\x72\x00\x6f\x00\x77\x00\x2d\x00\x66\x00\x6f\x00\x72\ \x00\x77\x00\x61\x00\x72\x00\x64\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x08\ \x0b\x07\x57\xa7\ \x00\x65\ \x00\x64\x00\x69\x00\x74\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x19\ \x0f\xef\x7b\xe7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x63\x00\x6f\x00\x6c\x00\x6f\x00\x72\x00\x2d\x00\x70\x00\x61\x00\x6c\ \x00\x65\x00\x74\x00\x74\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x10\ \x08\xe4\xaf\x47\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x64\x00\x6f\x00\x6e\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x11\ \x01\x60\xbc\x47\ \x00\x73\ \x00\x6f\x00\x63\x00\x69\x00\x61\x00\x6c\x00\x2d\x00\x70\x00\x79\x00\x74\x00\x68\x00\x6f\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\ \ \x00\x07\ \x0c\xf8\x5a\x07\ \x00\x65\ \x00\x79\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x0a\ \x01\xca\x6d\x87\ \x00\x62\ \x00\x75\x00\x63\x00\x6b\x00\x65\x00\x74\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x10\ \x04\xa9\x22\xc7\ \x00\x66\ \x00\x69\x00\x6c\x00\x6c\x00\x65\x00\x64\x00\x62\x00\x75\x00\x63\x00\x6b\x00\x65\x00\x74\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x1d\ \x06\xec\xf4\xc7\ \x00\x63\ \x00\x68\x00\x65\x00\x76\x00\x72\x00\x6f\x00\x6e\x00\x2d\x00\x77\x00\x69\x00\x74\x00\x68\x00\x2d\x00\x63\x00\x69\x00\x72\x00\x63\ \x00\x6c\x00\x65\x00\x2d\x00\x72\x00\x69\x00\x67\x00\x68\x00\x74\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x1c\ \x04\x66\xe1\x67\ \x00\x63\ \x00\x68\x00\x65\x00\x76\x00\x72\x00\x6f\x00\x6e\x00\x2d\x00\x77\x00\x69\x00\x74\x00\x68\x00\x2d\x00\x63\x00\x69\x00\x72\x00\x63\ \x00\x6c\x00\x65\x00\x2d\x00\x6c\x00\x65\x00\x66\x00\x74\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x0e\ \x05\xed\x38\x67\ \x00\x61\ \x00\x72\x00\x72\x00\x6f\x00\x77\x00\x2d\x00\x6d\x00\x6f\x00\x76\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x10\ \x06\xe3\xaf\xe7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x68\x00\x61\x00\x6e\x00\x64\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x14\ \x0f\xa5\xe0\xc7\ \x00\x6d\ \x00\x61\x00\x67\x00\x6e\x00\x69\x00\x66\x00\x79\x00\x69\x00\x6e\x00\x67\x00\x2d\x00\x67\x00\x6c\x00\x61\x00\x73\x00\x73\x00\x2e\ \x00\x73\x00\x76\x00\x67\ \x00\x0d\ \x05\x20\xce\x87\ \x00\x6f\ \x00\x70\x00\x65\x00\x6e\x00\x63\x00\x75\x00\x72\x00\x76\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x16\ \x01\xfb\x76\x27\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x61\x00\x72\x00\x72\x00\x6f\x00\x77\x00\x2d\x00\x62\x00\x61\x00\x63\ \x00\x6b\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x0e\ \x0f\xcb\xd5\xc7\ \x00\x70\ \x00\x6c\x00\x75\x00\x73\x00\x2d\x00\x72\x00\x6f\x00\x75\x00\x6e\x00\x64\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x11\ \x0c\xdb\x38\xe7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x63\x00\x6c\x00\x6f\x00\x73\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \ \x00\x0a\ \x0a\x2d\x1b\xc7\ \x00\x63\ \x00\x69\x00\x72\x00\x63\x00\x6c\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x12\ \x04\xb2\x21\x47\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x65\x00\x78\x00\x70\x00\x61\x00\x6e\x00\x64\x00\x2e\x00\x73\x00\x76\ \x00\x67\ \x00\x0f\ \x07\x0e\xc4\x87\ \x00\x6f\ \x00\x70\x00\x65\x00\x6e\x00\x70\x00\x6f\x00\x6c\x00\x79\x00\x67\x00\x6f\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x17\ \x07\x87\x48\x27\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x66\x00\x6f\x00\x6c\x00\x64\x00\x65\x00\x72\x00\x2d\x00\x6f\x00\x70\ \x00\x65\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x0f\ \x04\xf2\xa7\x87\ \x00\x63\ \x00\x6c\x00\x6f\x00\x73\x00\x65\x00\x64\x00\x63\x00\x75\x00\x72\x00\x76\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x12\ \x08\x79\x97\xe7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x63\x00\x61\x00\x6d\x00\x65\x00\x72\x00\x61\x00\x2e\x00\x73\x00\x76\ \x00\x67\ \x00\x10\ \x0c\x57\x65\x47\ \x00\x61\ \x00\x72\x00\x72\x00\x6f\x00\x77\x00\x2d\x00\x72\x00\x65\x00\x73\x00\x69\x00\x7a\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x11\ \x0c\xa7\xc7\x47\ \x00\x63\ \x00\x6c\x00\x6f\x00\x73\x00\x65\x00\x64\x00\x70\x00\x6f\x00\x6c\x00\x79\x00\x67\x00\x6f\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\ \ \x00\x17\ \x06\xc6\x02\xa7\ \x00\x74\ \x00\x72\x00\x69\x00\x61\x00\x6e\x00\x67\x00\x6c\x00\x65\x00\x2d\x00\x73\x00\x74\x00\x72\x00\x6f\x00\x6b\x00\x65\x00\x64\x00\x2d\ \x00\x31\x00\x35\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x09\ \x0b\x9e\x89\x07\ \x00\x63\ \x00\x68\x00\x65\x00\x63\x00\x6b\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x08\ \x05\xa8\x57\x87\ \x00\x63\ \x00\x6f\x00\x64\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x1b\ \x0e\xb5\x68\xe7\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x72\x00\x61\x00\x64\x00\x69\x00\x6f\x00\x2d\x00\x62\x00\x75\x00\x74\ \x00\x74\x00\x6f\x00\x6e\x00\x2d\x00\x6f\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x08\ \x0c\xf7\x55\x87\ \x00\x74\ \x00\x65\x00\x78\x00\x74\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x0a\ \x0a\xc8\x62\x67\ \x00\x63\ \x00\x65\x00\x6e\x00\x74\x00\x65\x00\x72\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x08\ \x08\xc8\x55\xe7\ \x00\x73\ \x00\x61\x00\x76\x00\x65\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x1c\ \x08\x8a\x79\x07\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x72\x00\x61\x00\x64\x00\x69\x00\x6f\x00\x2d\x00\x62\x00\x75\x00\x74\ \x00\x74\x00\x6f\x00\x6e\x00\x2d\x00\x6f\x00\x66\x00\x66\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x08\ \x08\xf7\x57\x07\ \x00\x67\ \x00\x72\x00\x69\x00\x64\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x10\ \x08\x89\xfa\x47\ \x00\x63\ \x00\x65\x00\x6e\x00\x74\x00\x65\x00\x72\x00\x6f\x00\x72\x00\x69\x00\x67\x00\x69\x00\x6e\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x0f\ \x09\x76\x60\xc7\ \x00\x63\ \x00\x6c\x00\x6f\x00\x73\x00\x65\x00\x2d\x00\x72\x00\x6f\x00\x75\x00\x6e\x00\x64\x00\x2e\x00\x73\x00\x76\x00\x67\ \x00\x13\ \x03\x24\x75\x47\ \x00\x61\ \x00\x6e\x00\x64\x00\x72\x00\x6f\x00\x69\x00\x64\x00\x2d\x00\x72\x00\x65\x00\x66\x00\x72\x00\x65\x00\x73\x00\x68\x00\x2e\x00\x73\ \x00\x76\x00\x67\ \x00\x0a\ \x0f\x68\x53\xe7\ \x00\x61\ \x00\x6e\x00\x63\x00\x68\x00\x6f\x00\x72\x00\x2e\x00\x73\x00\x76\x00\x67\ " qt_resource_struct_v1 = b"\ \x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\ \x00\x00\x00\x00\x00\x02\x00\x00\x00\x29\x00\x00\x00\x02\ \x00\x00\x01\x40\x00\x00\x00\x00\x00\x01\x00\x00\x15\x17\ \x00\x00\x01\x7c\x00\x00\x00\x00\x00\x01\x00\x00\x20\x8a\ \x00\x00\x02\xd0\x00\x00\x00\x00\x00\x01\x00\x00\x41\x73\ \x00\x00\x06\x06\x00\x00\x00\x00\x00\x01\x00\x00\x89\xb1\ \x00\x00\x01\xfc\x00\x00\x00\x00\x00\x01\x00\x00\x2c\x71\ \x00\x00\x01\x96\x00\x01\x00\x00\x00\x01\x00\x00\x26\x62\ \x00\x00\x03\x66\x00\x00\x00\x00\x00\x01\x00\x00\x4c\xa0\ \x00\x00\x03\xe8\x00\x00\x00\x00\x00\x01\x00\x00\x57\x71\ \x00\x00\x02\xb0\x00\x00\x00\x00\x00\x01\x00\x00\x3c\xcd\ \x00\x00\x04\xd0\x00\x00\x00\x00\x00\x01\x00\x00\x6e\x23\ \x00\x00\x02\x3a\x00\x00\x00\x00\x00\x01\x00\x00\x30\x6a\ \x00\x00\x04\x84\x00\x00\x00\x00\x00\x01\x00\x00\x66\x45\ \x00\x00\x02\x5c\x00\x00\x00\x00\x00\x01\x00\x00\x33\x37\ \x00\x00\x01\xbc\x00\x00\x00\x00\x00\x01\x00\x00\x28\x87\ \x00\x00\x03\x90\x00\x00\x00\x00\x00\x01\x00\x00\x4f\xda\ \x00\x00\x03\xb4\x00\x00\x00\x00\x00\x01\x00\x00\x54\x1b\ \x00\x00\x00\x6a\x00\x00\x00\x00\x00\x01\x00\x00\x04\xd8\ \x00\x00\x04\x0c\x00\x00\x00\x00\x00\x01\x00\x00\x5c\x4a\ \x00\x00\x05\xbc\x00\x00\x00\x00\x00\x01\x00\x00\x82\x47\ \x00\x00\x05\x68\x00\x00\x00\x00\x00\x01\x00\x00\x7d\x66\ \x00\x00\x05\x52\x00\x00\x00\x00\x00\x01\x00\x00\x7a\xc1\ \x00\x00\x01\x1a\x00\x00\x00\x00\x00\x01\x00\x00\x12\x9a\ \x00\x00\x05\xa6\x00\x01\x00\x00\x00\x01\x00\x00\x80\x66\ \x00\x00\x05\xe2\x00\x00\x00\x00\x00\x01\x00\x00\x86\x67\ \x00\x00\x03\x4c\x00\x00\x00\x00\x00\x01\x00\x00\x49\xaa\ \x00\x00\x00\x94\x00\x00\x00\x00\x00\x01\x00\x00\x07\x7e\ \x00\x00\x05\x38\x00\x00\x00\x00\x00\x01\x00\x00\x77\x41\ \x00\x00\x00\xcc\x00\x00\x00\x00\x00\x01\x00\x00\x09\xff\ \x00\x00\x04\xb8\x00\x00\x00\x00\x00\x01\x00\x00\x6b\x13\ \x00\x00\x04\x36\x00\x00\x00\x00\x00\x01\x00\x00\x5f\x70\ \x00\x00\x00\x40\x00\x00\x00\x00\x00\x01\x00\x00\x00\x70\ \x00\x00\x04\x5c\x00\x00\x00\x00\x00\x01\x00\x00\x61\xf3\ \x00\x00\x03\x24\x00\x00\x00\x00\x00\x01\x00\x00\x46\xef\ \x00\x00\x05\x22\x00\x00\x00\x00\x00\x01\x00\x00\x76\x21\ \x00\x00\x01\x68\x00\x00\x00\x00\x00\x01\x00\x00\x1c\x9b\ \x00\x00\x04\xe6\x00\x00\x00\x00\x00\x01\x00\x00\x72\xd1\ \x00\x00\x06\x32\x00\x00\x00\x00\x00\x01\x00\x00\x8c\xdb\ \x00\x00\x02\x82\x00\x00\x00\x00\x00\x01\x00\x00\x39\x05\ \x00\x00\x00\x10\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\ \x00\x00\x03\x02\x00\x00\x00\x00\x00\x01\x00\x00\x43\xf4\ \x00\x00\x00\xe2\x00\x00\x00\x00\x00\x01\x00\x00\x0d\x6f\ " qt_resource_struct_v2 = b"\ \x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x00\x00\x00\x02\x00\x00\x00\x29\x00\x00\x00\x02\ \x00\x00\x00\x00\x00\x00\x00\x00\ \x00\x00\x01\x40\x00\x00\x00\x00\x00\x01\x00\x00\x15\x17\ \x00\x00\x01\x6f\xa6\xde\xd7\x4a\ \x00\x00\x01\x7c\x00\x00\x00\x00\x00\x01\x00\x00\x20\x8a\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x02\xd0\x00\x00\x00\x00\x00\x01\x00\x00\x41\x73\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x06\x06\x00\x00\x00\x00\x00\x01\x00\x00\x89\xb1\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x01\xfc\x00\x00\x00\x00\x00\x01\x00\x00\x2c\x71\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x01\x96\x00\x01\x00\x00\x00\x01\x00\x00\x26\x62\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x03\x66\x00\x00\x00\x00\x00\x01\x00\x00\x4c\xa0\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x03\xe8\x00\x00\x00\x00\x00\x01\x00\x00\x57\x71\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x02\xb0\x00\x00\x00\x00\x00\x01\x00\x00\x3c\xcd\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x04\xd0\x00\x00\x00\x00\x00\x01\x00\x00\x6e\x23\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x02\x3a\x00\x00\x00\x00\x00\x01\x00\x00\x30\x6a\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x04\x84\x00\x00\x00\x00\x00\x01\x00\x00\x66\x45\ \x00\x00\x01\x6f\xa6\xde\xd7\x4a\ \x00\x00\x02\x5c\x00\x00\x00\x00\x00\x01\x00\x00\x33\x37\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x01\xbc\x00\x00\x00\x00\x00\x01\x00\x00\x28\x87\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x03\x90\x00\x00\x00\x00\x00\x01\x00\x00\x4f\xda\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x03\xb4\x00\x00\x00\x00\x00\x01\x00\x00\x54\x1b\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x00\x6a\x00\x00\x00\x00\x00\x01\x00\x00\x04\xd8\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x04\x0c\x00\x00\x00\x00\x00\x01\x00\x00\x5c\x4a\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x05\xbc\x00\x00\x00\x00\x00\x01\x00\x00\x82\x47\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x05\x68\x00\x00\x00\x00\x00\x01\x00\x00\x7d\x66\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x05\x52\x00\x00\x00\x00\x00\x01\x00\x00\x7a\xc1\ \x00\x00\x01\x6f\xa6\xde\xd7\x4a\ \x00\x00\x01\x1a\x00\x00\x00\x00\x00\x01\x00\x00\x12\x9a\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x05\xa6\x00\x01\x00\x00\x00\x01\x00\x00\x80\x66\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x05\xe2\x00\x00\x00\x00\x00\x01\x00\x00\x86\x67\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x03\x4c\x00\x00\x00\x00\x00\x01\x00\x00\x49\xaa\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x00\x94\x00\x00\x00\x00\x00\x01\x00\x00\x07\x7e\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x05\x38\x00\x00\x00\x00\x00\x01\x00\x00\x77\x41\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x00\xcc\x00\x00\x00\x00\x00\x01\x00\x00\x09\xff\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x04\xb8\x00\x00\x00\x00\x00\x01\x00\x00\x6b\x13\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x04\x36\x00\x00\x00\x00\x00\x01\x00\x00\x5f\x70\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x00\x40\x00\x00\x00\x00\x00\x01\x00\x00\x00\x70\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x04\x5c\x00\x00\x00\x00\x00\x01\x00\x00\x61\xf3\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x03\x24\x00\x00\x00\x00\x00\x01\x00\x00\x46\xef\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x05\x22\x00\x00\x00\x00\x00\x01\x00\x00\x76\x21\ \x00\x00\x01\x6f\xa6\xde\xd7\x4a\ \x00\x00\x01\x68\x00\x00\x00\x00\x00\x01\x00\x00\x1c\x9b\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x04\xe6\x00\x00\x00\x00\x00\x01\x00\x00\x72\xd1\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x06\x32\x00\x00\x00\x00\x00\x01\x00\x00\x8c\xdb\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ \x00\x00\x02\x82\x00\x00\x00\x00\x00\x01\x00\x00\x39\x05\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x00\x10\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\ \x00\x00\x01\x6f\xa6\xde\xd7\x4a\ \x00\x00\x03\x02\x00\x00\x00\x00\x00\x01\x00\x00\x43\xf4\ \x00\x00\x01\x6f\xa6\xde\xd7\x49\ \x00\x00\x00\xe2\x00\x00\x00\x00\x00\x01\x00\x00\x0d\x6f\ \x00\x00\x01\x6f\xa6\xde\xd7\x48\ " qt_version = [int(v) for v in QtCore.qVersion().split('.')] if qt_version < [5, 8, 0]: rcc_version = 1 qt_resource_struct = qt_resource_struct_v1 else: rcc_version = 2 qt_resource_struct = qt_resource_struct_v2 def qInitResources(): QtCore.qRegisterResourceData(rcc_version, qt_resource_struct, qt_resource_name, qt_resource_data) def qCleanupResources(): QtCore.qUnregisterResourceData(rcc_version, qt_resource_struct, qt_resource_name, qt_resource_data) qInitResources() asymptote-2.62/GUI/xasyTransform.py0000644000000000000000000000170413607467113016056 0ustar rootroot#!/usr/bin/env python3 import xasy2asy as x2a import PyQt5.QtGui as Qg import PyQt5.QtCore as Qc import numpy as np import math class xasyTransform: @classmethod def makeRotTransform(cls, theta, origin): if isinstance(origin, Qc.QPointF) or isinstance(origin, Qc.QPoint): origin = (origin.x(), origin.y()) rotMat = (math.cos(theta), -math.sin(theta), math.sin(theta), math.cos(theta)) shift = x2a.asyTransform((0, 0, 1 - rotMat[0], -rotMat[1], -rotMat[2], 1 - rotMat[3])) * origin return x2a.asyTransform((shift[0], shift[1], rotMat[0], rotMat[1], rotMat[2], rotMat[3])) @classmethod def makeScaleTransform(cls, sx, sy, origin): if isinstance(origin, Qc.QPointF) or isinstance(origin, Qc.QPoint): origin = (origin.x(), origin.y()) shiftMat = x2a.asyTransform((0, 0, 1 - sx, 0, 0, 1 - sy)) * origin return x2a.asyTransform((shiftMat[0], shiftMat[1], sx, 0, 0, sy)) asymptote-2.62/GUI/res/0000755000000000000000000000000013607467113013413 5ustar rootrootasymptote-2.62/GUI/res/icons.qrc0000644000000000000000000000325713607467113015244 0ustar rootroot icons/android-arrow-back.svg icons/android-arrow-forward.svg icons/android-folder-open.svg icons/save.svg icons/code.svg icons/android-camera.svg icons/plus-round.svg icons/grid.svg icons/magnifying-glass.svg icons/center.svg icons/centerorigin.svg icons/edit.svg icons/android-delete.svg icons/android-hand.svg icons/arrow-move.svg icons/arrow-resize.svg icons/android-refresh.svg icons/anchor.svg icons/eye.svg icons/android-expand.svg icons/chevron-with-circle-left.svg icons/chevron-with-circle-right.svg icons/bucket.svg icons/filledbucket.svg icons/android-color-palette.svg icons/openpolygon.svg icons/closedpolygon.svg icons/opencurve.svg icons/closedcurve.svg icons/triangle-stroked-15.svg icons/circle.svg icons/text.svg icons/social-python.svg icons/subdirectory-left.svg icons/android-done.svg icons/android-close.svg icons/check.svg icons/android-radio-button-on.svg icons/android-radio-button-off.svg icons/android-locate.svg icons/close-round.svg asymptote-2.62/GUI/res/icons/0000755000000000000000000000000013607467113014526 5ustar rootrootasymptote-2.62/GUI/res/icons/subdirectory-left.svg0000644000000000000000000000015413607467113020715 0ustar rootrootasymptote-2.62/GUI/res/icons/code.svg0000644000000000000000000000225213607467113016162 0ustar rootroot asymptote-2.62/GUI/res/icons/save.svg0000644000000000000000000000124113607467113016203 0ustar rootroot asymptote-2.62/GUI/res/icons/plus-round.svg0000644000000000000000000000136713607467113017366 0ustar rootroot asymptote-2.62/GUI/res/icons/closedcurve.svg0000644000000000000000000000232513607467113017567 0ustar rootroot asymptote-2.62/GUI/res/icons/android-close.svg0000644000000000000000000000126713607467113020000 0ustar rootroot asymptote-2.62/GUI/res/icons/android-radio-button-off.svg0000644000000000000000000000137413607467113022051 0ustar rootroot asymptote-2.62/GUI/res/icons/centerorigin.svg0000644000000000000000000000203413607467113017736 0ustar rootroot asymptote-2.62/GUI/res/icons/closedpolygon.svg0000644000000000000000000000211613607467113020130 0ustar rootroot asymptote-2.62/GUI/res/icons/android-done.svg0000644000000000000000000000117113607467113017612 0ustar rootroot asymptote-2.62/GUI/res/icons/closedcurve.asy0000644000000000000000000000015113607467113017557 0ustar rootrootdefaultpen(2.5); path p=W..NW..ENE..0.5*SE..cycle; draw(p); dot(p,linewidth(12)); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/close-round.svg0000644000000000000000000000150613607467113017503 0ustar rootroot asymptote-2.62/GUI/res/icons/center.svg0000644000000000000000000000157413607467113016536 0ustar rootroot asymptote-2.62/GUI/res/icons/magnifying-glass.svg0000644000000000000000000000170413607467113020510 0ustar rootroot asymptote-2.62/GUI/res/icons/opencurve.svg0000644000000000000000000000224213607467113017255 0ustar rootroot asymptote-2.62/GUI/res/icons/android-radio-button-on.svg0000644000000000000000000000151413607467113021707 0ustar rootroot asymptote-2.62/GUI/res/icons/anchor.svg0000644000000000000000000000055113607467113016522 0ustar rootroot asymptote-2.62/GUI/res/icons/filledbucket.svg0000644000000000000000000000365713607467113017717 0ustar rootroot asymptote-2.62/GUI/res/icons/android-expand.svg0000644000000000000000000000146613607467113020153 0ustar rootroot asymptote-2.62/GUI/res/icons/android-color-palette.svg0000644000000000000000000000244713607467113021446 0ustar rootroot asymptote-2.62/GUI/res/icons/openpolygon.svg0000644000000000000000000000207513607467113017624 0ustar rootroot asymptote-2.62/GUI/res/icons/center.asy0000644000000000000000000000015713607467113016527 0ustar rootrootdefaultpen(4); draw(scale(2)*shift(-0.5,-0.5)*unitsquare); fill(scale(0.5)*unitcircle); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/android-arrow-back.svg0000644000000000000000000000117513607467113020721 0ustar rootroot asymptote-2.62/GUI/res/icons/arrow-resize.svg0000644000000000000000000000117713607467113017706 0ustar rootroot asymptote-2.62/GUI/res/icons/android-arrow-forward.svg0000644000000000000000000000117513607467113021465 0ustar rootroot asymptote-2.62/GUI/res/icons/opencurve.asy0000644000000000000000000000014213607467113017247 0ustar rootrootdefaultpen(2.5); path p=W..NW..ENE..0.5*SE; draw(p); dot(p,linewidth(12)); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/chevron-with-circle-right.svg0000644000000000000000000000174613607467113022246 0ustar rootroot asymptote-2.62/GUI/res/icons/android-locate.svg0000644000000000000000000000214413607467113020135 0ustar rootroot asymptote-2.62/GUI/res/icons/arrow-move.svg0000644000000000000000000000131113607467113017341 0ustar rootroot asymptote-2.62/GUI/res/icons/bucket.svg0000644000000000000000000000272413607467113016531 0ustar rootroot asymptote-2.62/GUI/res/icons/android-folder-open.svg0000644000000000000000000000152213607467113021077 0ustar rootroot asymptote-2.62/GUI/res/icons/bucket.asy0000644000000000000000000000111513607467113016517 0ustar rootroot// Empty bucket: asy bucket -f svg // Filled bucket: asy bucket -f svg -u fill=true -o filledbucket defaultpen(3.5); real h=4; real r=3; path left=(-r,h)--(-r,0); path right=(r,0)--(r,h); path bottom=xscale(r)*arc(0,1,180,360); real H=0.9h; path Left=(-r,H/2)--(-r,0); path Right=(r,0)--(r,H/2); bool fill=false; // Set to true for filled bucket. usersetting(); if(fill) fill(Left--bottom--Right--shift(0,H)*xscale(r)*arc(0,1,0,180)--cycle,gray); draw(shift(0,h)*xscale(r)*unitcircle); draw(left--bottom--right); draw(shift(0,h)*scale(r)*arc(0,1,0,180)); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/social-python.svg0000644000000000000000000000360013607467113020037 0ustar rootroot asymptote-2.62/GUI/res/icons/android-refresh.svg0000644000000000000000000000144613607467113020330 0ustar rootroot asymptote-2.62/GUI/res/icons/android-hand.svg0000644000000000000000000000271213607467113017601 0ustar rootroot asymptote-2.62/GUI/res/icons/android-delete.svg0000644000000000000000000000124213607467113020126 0ustar rootroot asymptote-2.62/GUI/res/icons/edit.svg0000644000000000000000000000155413607467113016201 0ustar rootroot asymptote-2.62/GUI/res/icons/android-camera.svg0000644000000000000000000000144213607467113020116 0ustar rootroot asymptote-2.62/GUI/res/icons/chevron-with-circle-left.svg0000644000000000000000000000176513607467113022064 0ustar rootroot asymptote-2.62/GUI/res/icons/openpolygon.asy0000644000000000000000000000014213607467113017612 0ustar rootrootdefaultpen(2.5); path p=W--NW--ENE--0.5*SE; draw(p); dot(p,linewidth(12)); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/grid.svg0000644000000000000000000000334413607467113016200 0ustar rootroot asymptote-2.62/GUI/res/icons/text.svg0000644000000000000000000000043413607467113016234 0ustar rootroot asymptote-2.62/GUI/res/icons/centerorigin.asy0000644000000000000000000000017413607467113017736 0ustar rootrootdefaultpen(4); draw(scale(2)*shift(-0.5,-0.5)*unitsquare); draw((-1,0)--(1,0)); draw((0,-1)--(0,1)); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/check.svg0000644000000000000000000000141413607467113016324 0ustar rootroot asymptote-2.62/GUI/res/icons/closedpolygon.asy0000644000000000000000000000015113607467113020122 0ustar rootrootdefaultpen(2.5); path p=W--NW--ENE--0.5*SE--cycle; draw(p); dot(p,linewidth(12)); shipout(pad(64,64)); asymptote-2.62/GUI/res/icons/circle.svg0000644000000000000000000000136213607467113016512 0ustar rootroot asymptote-2.62/GUI/res/icons/eye.svg0000644000000000000000000000175313607467113016037 0ustar rootroot asymptote-2.62/GUI/res/icons/triangle-stroked-15.svg0000644000000000000000000000231213607467113020746 0ustar rootroot asymptote-2.62/GUI/Widg_addLabel.py0000644000000000000000000000626113607467113015643 0ustar rootroot#!/usr/bin/env python3 from pyUIClass.widg_addLabel import Ui_Form import PyQt5.QtWidgets as Qw import PyQt5.QtGui as Qg import labelEditor import xasyUtils as xu class Widg_addLabel(Qw.QWidget): def __init__(self, info): super().__init__() self.ui = Ui_Form() self.info = info self.ui.setupUi(self) self.setFixedSize(self.size()) if 'alignIndex' not in self.info.keys(): self.info['alignIndex'] = 0 if 'shift_x' not in self.info.keys(): self.info['shift_x'] = None if 'shift_y' not in self.info.keys(): self.info['shift_y'] = None if 'align' not in self.info.keys(): self.info['align'] = (0, 0) if self.info['shift_x'] is not None: self.ui.txtShiftX.setText(str(self.info['shift_x'])) if self.info['shift_y'] is not None: self.ui.txtShiftY.setText(str(self.info['shift_y'])) self.ui.cmbFontSize.setCurrentText(str(self.info['fontSize']) if self.info['fontSize'] is not None else '-') self.ui.cmbAlign.setCurrentIndex(self.info['alignIndex']) validator = Qg.QDoubleValidator() self.ui.txtShiftX.setValidator(validator) self.ui.txtShiftY.setValidator(validator) self.ui.cmbFontSize.setValidator(validator) self.ui.cmbAlign.currentTextChanged.connect(self.updateCheck) self.ui.cmbAlign.currentIndexChanged.connect(self.cmbIndexUpdate) self.ui.txtShiftX.textEdited.connect(self.shftXUpdate) self.ui.txtShiftY.textEdited.connect(self.shftYUpdate) self.ui.btnAdvancedEdit.clicked.connect(self.btnAdvancedEditClicked) self.ui.cmbFontSize.currentTextChanged.connect(self.cmbFontSizeTextChanged) self.updateCheck(self.ui.cmbAlign.currentText()) def cmbFontSizeTextChanged(self, text: str): tryParseVal = xu.tryParse(text, float) self.info['fontSize'] = tryParseVal def btnAdvancedEditClicked(self): advancedEditDialog = labelEditor.labelEditor(self.ui.txtLabelText.text()) advancedEditDialog.show() result = advancedEditDialog.exec_() if result == Qw.QDialog.Accepted: self.ui.txtLabelText.setText(advancedEditDialog.getText()) @property def labelText(self): return self.ui.txtLabelText.text() def updateCheck(self, a0): self.ui.txtShiftX.setEnabled(a0 == 'Custom') self.ui.txtShiftY.setEnabled(a0 == 'Custom') def shftXUpdate(self, text): if text: self.info['shift_x'] = float(text) self.updateAlign() def shftYUpdate(self, text): if text: self.info['shift_y'] = float(text) self.updateAlign() def updateAlign(self): index = self.ui.cmbAlign.currentIndex() self.info['alignIndex'] = index if self.ui.cmbAlign.currentText() == 'Custom': self.info['align'] = (self.info['shift_x'], self.info['shift_y']) elif self.ui.cmbAlign.currentText() == 'None': self.info['align'] = (0, 0) else: self.info['align'] = self.ui.cmbAlign.currentText() def cmbIndexUpdate(self, index): self.updateAlign() asymptote-2.62/GUI/xasyStrings.py0000644000000000000000000000112713607467113015533 0ustar rootroot#!/usr/bin/env python3 import gettext p = property class xasyString: def __init__(self, lang=None): s = self if lang is None: _ = lambda x: x else: lng = gettext.translation('base', localedir='GUI/locale', languages=[lang]) lng.install() _ = lng.gettext s.rotate = _('Rotate') s.scale = _('Scale') s.translate = _('Translate') s.fileOpenFailed = _('File Opening Failed.') s.fileOpenFailedText = _('File could not be opened.') s.asyfyComplete = _('Ready.') asymptote-2.62/GUI/xasyBezierInterface.py0000644000000000000000000003235613607467113017153 0ustar rootroot#!/usr/bin/env python3 import xasy2asy as x2a import xasyUtils as xu import PyQt5.QtCore as Qc import PyQt5.QtGui as Qg import PyQt5.QtWidgets as Qw import Widg_editBezier as Web import InplaceAddObj import math class CurrentlySelctedType: none = -1 node = 0 ctrlPoint = 1 class InteractiveBezierEditor(InplaceAddObj.InplaceObjProcess): editAccepted = Qc.pyqtSignal() editRejected = Qc.pyqtSignal() def __init__(self, parent: Qc.QObject, obj: x2a.xasyDrawnItem, info: dict={}): super().__init__(parent) self.info = info self.asyPathBackup = x2a.asyPath.fromPath(obj.path) self.asyPath = obj.path self.curveMode = self.asyPath.containsCurve assert isinstance(self.asyPath, x2a.asyPath) self.transf = obj.transfKeymap[obj.transfKey][0] self._active = True self.currentSelMode = None # (Node index, Node subindex for ) self.currentSelIndex = (None, 0) self.nodeSelRects = [] self.ctrlSelRects = [] self.setSelectionBoundaries() self.lastSelPoint = None self.preCtrlOffset = None self.postCtrlOffset = None self.inTransformMode = False self.opt = None self.prosectiveNodes = [] self.prospectiveCtrlPts = [] def setSelectionBoundaries(self): self.nodeSelRects = self.handleNodeSelectionBounds() if self.curveMode: self.ctrlSelRects = self.handleCtrlSelectionBoundaries() def handleNodeSelectionBounds(self): nodeSelectionBoundaries = [] for node in self.asyPath.nodeSet: if node == 'cycle': nodeSelectionBoundaries.append(None) continue selEpsilon = 6/self.info['magnification'] newRect = Qc.QRect(0, 0, 2 * selEpsilon, 2 * selEpsilon) x, y = self.transf * node x = int(round(x)) y = int(round(y)) newRect.moveCenter(Qc.QPoint(x, y)) nodeSelectionBoundaries.append(newRect) return nodeSelectionBoundaries def handleCtrlSelectionBoundaries(self): ctrlPointSelBoundaries = [] for nodes in self.asyPath.controlSet: nodea, nodeb = nodes selEpsilon = 6/self.info['magnification'] newRect = Qc.QRect(0, 0, 2 * selEpsilon, 2 * selEpsilon) newRectb = Qc.QRect(0, 0, 2 * selEpsilon, 2 * selEpsilon) x, y = self.transf * nodea x2, y2 = self.transf * nodeb x = int(round(x)) y = int(round(y)) x2 = int(round(x2)) y2 = int(round(y2)) newRect.moveCenter(Qc.QPoint(x, y)) newRectb.moveCenter(Qc.QPoint(x2, y2)) ctrlPointSelBoundaries.append((newRect, newRectb)) return ctrlPointSelBoundaries def postDrawPreview(self, canvas: Qg.QPainter): assert canvas.isActive() dashedPen = Qg.QPen(Qc.Qt.DashLine) dashedPen.setWidthF(1/self.info['magnification']) # draw the base points canvas.save() canvas.setWorldTransform(self.transf.toQTransform(), True) epsilonSize = 6/self.info['magnification'] if self.info['autoRecompute'] or not self.curveMode: ctrlPtsColor = 'gray' else: ctrlPtsColor = 'red' canvas.setPen(dashedPen) canvas.drawPath(self.asyPath.toQPainterPath()) nodePen = Qg.QPen(Qg.QColor('blue')) nodePen.setWidthF(1/self.info['magnification']) ctlPtsPen = Qg.QPen(Qg.QColor(ctrlPtsColor)) ctlPtsPen.setWidthF(1/self.info['magnification']) for index in range(len(self.asyPath.nodeSet)): point = self.asyPath.nodeSet[index] if point != 'cycle': basePoint = Qc.QPointF(point[0], point[1]) canvas.setPen(nodePen) canvas.drawEllipse(basePoint, epsilonSize, epsilonSize) else: point = self.asyPath.nodeSet[0] basePoint = Qc.QPointF(point[0], point[1]) if self.curveMode: if index != 0: canvas.setPen(ctlPtsPen) postCtrolSet = self.asyPath.controlSet[index - 1][1] postCtrlPoint = Qc.QPointF(postCtrolSet[0], postCtrolSet[1]) canvas.drawEllipse(postCtrlPoint, epsilonSize, epsilonSize) canvas.setPen(dashedPen) canvas.drawLine(basePoint, postCtrlPoint) if index != len(self.asyPath.nodeSet) - 1: canvas.setPen(ctlPtsPen) preCtrlSet = self.asyPath.controlSet[index][0] preCtrlPoint = Qc.QPointF(preCtrlSet[0], preCtrlSet[1]) canvas.drawEllipse(preCtrlPoint, epsilonSize, epsilonSize) canvas.setPen(dashedPen) canvas.drawLine(basePoint, preCtrlPoint) canvas.restore() def getPreAndPostCtrlPts(self, index): isCycle = self.asyPath.nodeSet[-1] == 'cycle' if index == 0 and not isCycle: preCtrl = None else: preCtrl = self.asyPath.controlSet[index - 1][1] if index == len(self.asyPath.nodeSet) - 1 and not isCycle: postCtrl = None else: postCtrl = self.asyPath.controlSet[index % (len(self.asyPath.nodeSet) - 1)][0] return preCtrl, postCtrl def findLinkingNode(self, index, subindex): """index and subindex are of the control points list.""" if subindex == 0: return index else: if self.asyPath.nodeSet[index + 1] == 'cycle': return 0 else: return index + 1 def resetObj(self): self.asyPath.setInfo(self.asyPathBackup) self.setSelectionBoundaries() def mouseDown(self, pos, info, mouseEvent: Qg.QMouseEvent=None): self.lastSelPoint = pos if self.inTransformMode: return if self.prosectiveNodes and not self.inTransformMode: self.currentSelMode = CurrentlySelctedType.node self.currentSelIndex = (self.prosectiveNodes[0], 0) self.inTransformMode = True self.parentNodeIndex = self.currentSelIndex[0] elif self.prospectiveCtrlPts and not self.inTransformMode: self.currentSelMode = CurrentlySelctedType.ctrlPoint self.currentSelIndex = self.prospectiveCtrlPts[0] self.inTransformMode = True self.parentNodeIndex = self.findLinkingNode(*self.currentSelIndex) if self.inTransformMode: parentNode = self.asyPath.nodeSet[self.parentNodeIndex] # find the offset of each control point to the node if not self.curveMode: return preCtrl, postCtrl = self.getPreAndPostCtrlPts(self.parentNodeIndex) if parentNode == 'cycle': parentNode = self.asyPath.nodeSet[0] self.parentNodeIndex = 0 if preCtrl is not None: self.preCtrlOffset = xu.funcOnList( preCtrl, parentNode, lambda a, b: a - b) else: self.preCtrlOffset = None if postCtrl is not None: self.postCtrlOffset = xu.funcOnList( postCtrl, parentNode, lambda a, b: a - b) else: self.postCtrlOffset = None def mouseMove(self, pos, event: Qg.QMouseEvent): if self.currentSelMode is None and not self.inTransformMode: # in this case, search for prosective nodes. prospectiveNodes = [] prospectiveCtrlpts = [] for i in range(len(self.nodeSelRects)): rect = self.nodeSelRects[i] if rect is None: continue if rect.contains(pos): prospectiveNodes.append(i) self.prosectiveNodes = prospectiveNodes if not self.info['autoRecompute'] and self.curveMode: for i in range(len(self.ctrlSelRects)): recta, rectb = self.ctrlSelRects[i] if recta.contains(pos): prospectiveCtrlpts.append((i, 0)) if rectb.contains(pos): prospectiveCtrlpts.append((i, 1)) self.prospectiveCtrlPts = prospectiveCtrlpts else: self.prospectiveCtrlPts = [] if self.inTransformMode: index, subindex = self.currentSelIndex deltaPos = pos - self.lastSelPoint newNode = (pos.x(), pos.y()) if self.currentSelMode == CurrentlySelctedType.node: # static throughout the moving if self.asyPath.nodeSet[index] == 'cycle': return self.asyPath.setNode(index, newNode) # if also move node: if self.curveMode: checkPre, checkPost = self.getPreAndPostCtrlPts(index) if 1 == 1: # TODO: Replace this with an option to also move control pts. if checkPre is not None: self.asyPath.controlSet[index - 1][1] = xu.funcOnList( newNode, self.preCtrlOffset, lambda a, b: a + b ) if checkPost is not None: self.asyPath.controlSet[index][0] = xu.funcOnList( newNode, self.postCtrlOffset, lambda a, b: a + b ) if self.info['autoRecompute']: self.quickRecalculateCtrls() elif self.currentSelMode == CurrentlySelctedType.ctrlPoint and self.curveMode: self.asyPath.controlSet[index][subindex] = newNode parentNode = self.asyPath.nodeSet[self.parentNodeIndex] if parentNode == 'cycle': parentNode = self.asyPath.nodeSet[0] isCycle = True else: isCycle = False if self.parentNodeIndex == 0 and self.asyPath.nodeSet[-1] == 'cycle': isCycle = True rawNewNode = xu.funcOnList(newNode, parentNode, lambda a, b: a - b) rawAngle = math.atan2(rawNewNode[1], rawNewNode[0]) newNorm = xu.twonorm(rawNewNode) if self.info['editBezierlockMode'] >= Web.LockMode.angleLock: otherIndex = 1 - subindex # 1 if 0, 0 otherwise. if otherIndex == 0: if index < (len(self.asyPath.controlSet) - 1) or isCycle: newIndex = 0 if isCycle else index + 1 oldOtherCtrlPnt = xu.funcOnList( self.asyPath.controlSet[newIndex][0], parentNode, lambda a, b: a - b) if self.info['editBezierlockMode'] >= Web.LockMode.angleAndScaleLock: rawNorm = newNorm else: rawNorm = xu.twonorm(oldOtherCtrlPnt) newPnt = (rawNorm * math.cos(rawAngle + math.pi), rawNorm * math.sin(rawAngle + math.pi)) self.asyPath.controlSet[newIndex][0] = xu.funcOnList( newPnt, parentNode, lambda a, b: a + b) else: if index > 0 or isCycle: newIndex = -1 if isCycle else index - 1 oldOtherCtrlPnt = xu.funcOnList( self.asyPath.controlSet[newIndex][1], parentNode, lambda a, b: a - b) if self.info['editBezierlockMode'] >= Web.LockMode.angleAndScaleLock: rawNorm = newNorm else: rawNorm = xu.twonorm(oldOtherCtrlPnt) newPnt = (rawNorm * math.cos(rawAngle + math.pi), rawNorm * math.sin(rawAngle + math.pi)) self.asyPath.controlSet[newIndex][1] = xu.funcOnList( newPnt, parentNode, lambda a, b: a + b) def recalculateCtrls(self): self.quickRecalculateCtrls() self.setSelectionBoundaries() def quickRecalculateCtrls(self): self.asyPath.controlSet.clear() self.asyPath.computeControls() def mouseRelease(self): if self.inTransformMode: self.inTransformMode = False self.currentSelMode = None self.setSelectionBoundaries() def forceFinalize(self): self.objectUpdated.emit() def createOptWidget(self, info): self.opt = Web.Widg_editBezier(self.info, self.curveMode) self.opt.ui.btnOk.clicked.connect(self.editAccepted) self.opt.ui.btnCancel.clicked.connect(self.editRejected) self.opt.ui.btnForceRecompute.clicked.connect(self.recalculateCtrls) return self.opt def getObject(self): pass def getXasyObject(self): pass asymptote-2.62/GUI/requirements.txt0000644000000000000000000000007113607467113016104 0ustar rootrootnumpy==1.11.0 cson==0.7 PyQt5==5.11 rsvg-convert==2.42.3 asymptote-2.62/GUI/DebugFlags.py0000644000000000000000000000020313607467113015172 0ustar rootroot#!/usr/bin/env python3 keepFiles = False printFoutTranscript = False printDeconstTranscript = False forceRasterizationSVG = False asymptote-2.62/GUI/PrimitiveShape.py0000644000000000000000000000453713607467113016136 0ustar rootroot#!/usr/bin/env python3 import xasy2asy as x2a import numpy as np import math import PyQt5.QtCore as Qc import PyQt5.QtGui as Qg class PrimitiveShape: # The magic number. # see https://www.desmos.com/calculator/lw6j7khikj for unitcircle # optimal_ctl_pt = 0.5447 @staticmethod def pos_to_tuple(pos): if isinstance(pos, tuple) or isinstance(pos, np.ndarray): return pos elif isinstance(pos, Qc.QPoint) or isinstance(pos, Qc.QPointF): return pos.x(), pos.y() else: raise TypeError("Position must be a valid type!") @staticmethod def euclideanNorm(p1, p2): x1, y1 = PrimitiveShape.pos_to_tuple(p1) x2, y2 = PrimitiveShape.pos_to_tuple(p2) normSq = ((x1 - x2) ** 2) + ((y1 - y2) ** 2) return math.sqrt(normSq) @classmethod def circle(cls, position, radius): pos_x, pos_y = PrimitiveShape.pos_to_tuple(position) newCircle = x2a.asyPath() ptsList = [(pos_x + radius, pos_y), (pos_x, pos_y + radius), (pos_x - radius, pos_y), (pos_x, pos_y - radius), 'cycle'] # cycle doesn't work for now. lkList = ['..', '..', '..', '..'] newCircle.initFromNodeList(ptsList, lkList) return newCircle @classmethod def inscribedRegPolygon(cls, sides, position, radius, starting_rad, qpoly=False): pos_x, pos_y = PrimitiveShape.pos_to_tuple(position) lkList = ['--'] * sides ptsList = [] for ang in np.linspace(starting_rad, starting_rad + math.tau, sides, endpoint=False): ptsList.append((pos_x + radius * math.cos(ang), pos_y + radius * math.sin(ang))) if qpoly: ptsList.append((pos_x + radius * math.cos(starting_rad), pos_y + radius * math.sin(starting_rad))) qpoints = [Qc.QPointF(x, y) for (x, y) in ptsList] return Qg.QPolygonF(qpoints) else: ptsList.append('cycle') newPoly = x2a.asyPath() newPoly.initFromNodeList(ptsList, lkList) return newPoly @classmethod def exscribedRegPolygon(cls, sides, position, length, starting_rad, qpoly=False): ang = math.tau/sides # see notes adjusted_radius = length / math.cos(ang/2) return cls.inscribedRegPolygon(sides, position, adjusted_radius, starting_rad - ang/2, qpoly) asymptote-2.62/findsym.pl0000755000000000000000000000233513607467113014212 0ustar rootroot#!/usr/bin/env perl ##### # findsym.pl # Andy Hammerlindl 2010/06/01 # # Extract static symbols used in builtin.cc and write code so that they are # translated only once when creating the symbol table. ##### $outname = shift(@ARGV); if (not $outname) { print STDERR "usage ./findsym.pl out_symbols.h file1.cc file2.cc ...\n"; exit(1); } open(header, ">$outname") || die("Couldn't open $outname for writing"); print header <) { while (m/SYM\(([_A-Za-z][_A-Za-z0-9]*)\)/gx) { $symbols{ $1 } = 1; } } } foreach my $s (sort keys %symbols) { add($s); } asymptote-2.62/tr.cc0000644000000000000000000002452613607467113013143 0ustar rootroot/* This file is released under version 2 of the GNU Library General Public * License (see the files LICENSE.LIBRARY and LICENSE). */ /* $Id: tr.c,v 1.9 1998/01/29 16:56:54 brianp Exp $ */ /* * $Log: tr.c,v $ * Revision 1.9 1998/01/29 16:56:54 brianp * allow trOrtho() and trFrustum() to be called at any time, minor clean-up * * Revision 1.8 1998/01/28 19:47:39 brianp * minor clean-up for C++ * * Revision 1.7 1997/07/21 17:34:38 brianp * added tile borders * * Revision 1.6 1997/07/21 15:47:35 brianp * renamed all "near" and "far" variables * * Revision 1.5 1997/04/26 21:23:25 brianp * added trRasterPos3f function * * Revision 1.4 1997/04/26 19:59:36 brianp * set CurrentTile to -1 before first tile and after last tile * * Revision 1.3 1997/04/22 23:51:15 brianp * added WIN32 header stuff, removed tabs * * Revision 1.2 1997/04/19 23:26:10 brianp * many API changes * * Revision 1.1 1997/04/18 21:53:05 brianp * Initial revision * */ /* * Tiled Rendering library * Version 1.1 * Copyright (C) Brian Paul */ #include "common.h" #ifdef HAVE_GL #include #include #include #include #include "tr.h" #ifdef WIN32 #include #endif #define DEFAULT_TILE_WIDTH 256 #define DEFAULT_TILE_HEIGHT 256 #define DEFAULT_TILE_BORDER 0 namespace gl { void frustum(GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble nearVal, GLdouble farVal); void ortho(GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble nearVal, GLdouble farVal); } using gl::frustum; using gl::ortho; struct _TRctx { /* Final image parameters */ GLint ImageWidth, ImageHeight; GLenum ImageFormat, ImageType; GLvoid *ImageBuffer; /* Tile parameters */ GLint TileWidth, TileHeight; GLint TileWidthNB, TileHeightNB; GLint TileBorder; GLenum TileFormat, TileType; GLvoid *TileBuffer; /* Projection parameters */ GLboolean Perspective; GLdouble Left; GLdouble Right; GLdouble Bottom; GLdouble Top; GLdouble Near; GLdouble Far; /* Misc */ TRenum RowOrder; GLint Rows, Columns; GLint CurrentTile; GLint CurrentTileWidth, CurrentTileHeight; GLint CurrentRow, CurrentColumn; GLint ViewportSave[4]; }; /* * Misc setup including computing number of tiles (rows and columns). */ static void Setup(TRcontext *tr) { if (!tr) return; tr->Columns = (tr->ImageWidth + tr->TileWidthNB - 1) / tr->TileWidthNB; tr->Rows = (tr->ImageHeight + tr->TileHeightNB - 1) / tr->TileHeightNB; tr->CurrentTile = 0; assert(tr->Columns >= 0); assert(tr->Rows >= 0); } TRcontext *trNew(void) { TRcontext *tr = (TRcontext *) calloc(1, sizeof(TRcontext)); if (tr) { tr->TileWidth = DEFAULT_TILE_WIDTH; tr->TileHeight = DEFAULT_TILE_HEIGHT; tr->TileBorder = DEFAULT_TILE_BORDER; tr->RowOrder = TR_BOTTOM_TO_TOP; tr->CurrentTile = -1; } return (TRcontext *) tr; } void trDelete(TRcontext *tr) { if (tr) free(tr); } void trTileSize(TRcontext *tr, GLint width, GLint height, GLint border) { if (!tr) return; assert(border >= 0); assert(width >= 1); assert(height >= 1); assert(width >= 2*border); assert(height >= 2*border); tr->TileBorder = border; tr->TileWidth = width; tr->TileHeight = height; tr->TileWidthNB = width - 2 * border; tr->TileHeightNB = height - 2 * border; Setup(tr); } void trTileBuffer(TRcontext *tr, GLenum format, GLenum type, GLvoid *image) { if (!tr) return; tr->TileFormat = format; tr->TileType = type; tr->TileBuffer = image; } void trImageSize(TRcontext *tr, GLint width, GLint height) { if (!tr) return; tr->ImageWidth = width; tr->ImageHeight = height; Setup(tr); } void trImageBuffer(TRcontext *tr, GLenum format, GLenum type, GLvoid *image) { if (!tr) return; tr->ImageFormat = format; tr->ImageType = type; tr->ImageBuffer = image; } GLint trGet(TRcontext *tr, TRenum param) { if (!tr) return 0; switch (param) { case TR_TILE_WIDTH: return tr->TileWidth; case TR_TILE_HEIGHT: return tr->TileHeight; case TR_TILE_BORDER: return tr->TileBorder; case TR_IMAGE_WIDTH: return tr->ImageWidth; case TR_IMAGE_HEIGHT: return tr->ImageHeight; case TR_ROWS: return tr->Rows; case TR_COLUMNS: return tr->Columns; case TR_CURRENT_ROW: if (tr->CurrentTile<0) return -1; else return tr->CurrentRow; case TR_CURRENT_COLUMN: if (tr->CurrentTile<0) return -1; else return tr->CurrentColumn; case TR_CURRENT_TILE_WIDTH: return tr->CurrentTileWidth; case TR_CURRENT_TILE_HEIGHT: return tr->CurrentTileHeight; case TR_ROW_ORDER: return (GLint) tr->RowOrder; default: return 0; } } void trRowOrder(TRcontext *tr, TRenum order) { if (!tr) return; if (order==TR_TOP_TO_BOTTOM || order==TR_BOTTOM_TO_TOP) tr->RowOrder = order; } void trOrtho(TRcontext *tr, GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar) { if (!tr) return; tr->Perspective = GL_FALSE; tr->Left = left; tr->Right = right; tr->Bottom = bottom; tr->Top = top; tr->Near = zNear; tr->Far = zFar; } void trFrustum(TRcontext *tr, GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar) { if (!tr) return; tr->Perspective = GL_TRUE; tr->Left = left; tr->Right = right; tr->Bottom = bottom; tr->Top = top; tr->Near = zNear; tr->Far = zFar; } void trPerspective(TRcontext *tr, GLdouble fovy, GLdouble aspect, GLdouble zNear, GLdouble zFar ) { GLdouble xmin, xmax, ymin, ymax; static const double halfradians=acos(-1.0)/360.0; ymax = zNear * tan(fovy * halfradians); ymin = -ymax; xmin = ymin * aspect; xmax = ymax * aspect; trFrustum(tr, xmin, xmax, ymin, ymax, zNear, zFar); } void trBeginTile(TRcontext *tr) { GLint tileWidth, tileHeight, border; GLdouble left, right, bottom, top; if (!tr) return; if (tr->CurrentTile <= 0) { Setup(tr); /* Save user's viewport, will be restored after last tile rendered */ glGetIntegerv(GL_VIEWPORT, tr->ViewportSave); } /* which tile (by row and column) we're about to render */ if (tr->RowOrder==TR_BOTTOM_TO_TOP) { tr->CurrentRow = tr->CurrentTile / tr->Columns; tr->CurrentColumn = tr->CurrentTile % tr->Columns; } else if (tr->RowOrder==TR_TOP_TO_BOTTOM) { tr->CurrentRow = tr->Rows - (tr->CurrentTile / tr->Columns) - 1; tr->CurrentColumn = tr->CurrentTile % tr->Columns; } else { /* This should never happen */ abort(); } assert(tr->CurrentRow < tr->Rows); assert(tr->CurrentColumn < tr->Columns); border = tr->TileBorder; /* Compute actual size of this tile with border */ if (tr->CurrentRow < tr->Rows-1) tileHeight = tr->TileHeight; else tileHeight = tr->ImageHeight - (tr->Rows-1) * (tr->TileHeightNB) + 2 * border; if (tr->CurrentColumn < tr->Columns-1) tileWidth = tr->TileWidth; else tileWidth = tr->ImageWidth - (tr->Columns-1) * (tr->TileWidthNB) + 2 * border; /* Save tile size, with border */ tr->CurrentTileWidth = tileWidth; tr->CurrentTileHeight = tileHeight; glViewport(0, 0, tileWidth, tileHeight); /* tile size including border */ /* compute projection parameters */ left = tr->Left + (tr->Right - tr->Left) * (tr->CurrentColumn * tr->TileWidthNB - border) / tr->ImageWidth; right = left + (tr->Right - tr->Left) * tileWidth / tr->ImageWidth; bottom = tr->Bottom + (tr->Top - tr->Bottom) * (tr->CurrentRow * tr->TileHeightNB - border) / tr->ImageHeight; top = bottom + (tr->Top - tr->Bottom) * tileHeight / tr->ImageHeight; if (tr->Perspective) frustum(left, right, bottom, top, tr->Near, tr->Far); else ortho(left, right, bottom, top, tr->Near, tr->Far); } int trEndTile(TRcontext *tr) { GLint prevRowLength, prevSkipRows, prevSkipPixels; if (!tr) return 0; assert(tr->CurrentTile>=0); /* be sure OpenGL rendering is finished */ glFlush(); /* save current glPixelStore values */ glGetIntegerv(GL_PACK_ROW_LENGTH, &prevRowLength); glGetIntegerv(GL_PACK_SKIP_ROWS, &prevSkipRows); glGetIntegerv(GL_PACK_SKIP_PIXELS, &prevSkipPixels); /*glGetIntegerv(GL_PACK_ALIGNMENT, &prevAlignment);*/ if (tr->TileBuffer) { GLint srcX = tr->TileBorder; GLint srcY = tr->TileBorder; GLint srcWidth = tr->TileWidthNB; GLint srcHeight = tr->TileHeightNB; glReadPixels(srcX, srcY, srcWidth, srcHeight, tr->TileFormat, tr->TileType, tr->TileBuffer); } if (tr->ImageBuffer) { GLint srcX = tr->TileBorder; GLint srcY = tr->TileBorder; GLint srcWidth = tr->CurrentTileWidth - 2 * tr->TileBorder; GLint srcHeight = tr->CurrentTileHeight - 2 * tr->TileBorder; GLint destX = tr->TileWidthNB * tr->CurrentColumn; GLint destY = tr->TileHeightNB * tr->CurrentRow; /* setup pixel store for glReadPixels */ glPixelStorei(GL_PACK_ROW_LENGTH, tr->ImageWidth); glPixelStorei(GL_PACK_SKIP_ROWS, destY); glPixelStorei(GL_PACK_SKIP_PIXELS, destX); /*glPixelStorei(GL_PACK_ALIGNMENT, 1);*/ /* read the tile into the final image */ glReadPixels(srcX, srcY, srcWidth, srcHeight, tr->ImageFormat, tr->ImageType, tr->ImageBuffer); } /* restore previous glPixelStore values */ glPixelStorei(GL_PACK_ROW_LENGTH, prevRowLength); glPixelStorei(GL_PACK_SKIP_ROWS, prevSkipRows); glPixelStorei(GL_PACK_SKIP_PIXELS, prevSkipPixels); /*glPixelStorei(GL_PACK_ALIGNMENT, prevAlignment);*/ /* increment tile counter, return 1 if more tiles left to render */ tr->CurrentTile++; if (tr->CurrentTile >= tr->Rows * tr->Columns) { /* restore user's viewport */ glViewport(tr->ViewportSave[0], tr->ViewportSave[1], tr->ViewportSave[2], tr->ViewportSave[3]); tr->CurrentTile = -1; /* all done */ return 0; } else return 1; } #endif asymptote-2.62/texfile.h0000644000000000000000000002474713607467113014025 0ustar rootroot/***** * texfile.h * John Bowman 2003/03/14 * * Encapsulates the writing of commands to a TeX file. *****/ #ifndef TEXFILE_H #define TEXFILE_H #include #include #include #include "common.h" #include "pair.h" #include "bbox.h" #include "pen.h" #include "util.h" #include "interact.h" #include "path.h" #include "array.h" #include "psfile.h" #include "settings.h" #include "process.h" namespace camp { template void texdocumentclass(T& out, bool pipe=false) { if(settings::latex(settings::getSetting("tex")) && (pipe || !settings::getSetting("inlinetex"))) out << "\\documentclass[12pt]{article}" << newl; } template void texuserpreamble(T& out, mem::list& preamble=processData().TeXpreamble, bool pipe=false) { for(mem::list::iterator p=preamble.begin(); p != preamble.end(); ++p) { out << stripblanklines(*p); if(pipe) out << newl << newl; } } template void latexfontencoding(T& out) { out << "\\makeatletter%" << newl << "\\let\\ASYencoding\\f@encoding%" << newl << "\\let\\ASYfamily\\f@family%" << newl << "\\let\\ASYseries\\f@series%" << newl << "\\let\\ASYshape\\f@shape%" << newl << "\\makeatother%" << newl; } template void texpreamble(T& out, mem::list& preamble=processData().TeXpreamble, bool pipe=false, bool ASYbox=true) { texuserpreamble(out,preamble,pipe); string texengine=settings::getSetting("tex"); if(settings::context(texengine)) out << "\\disabledirectives[system.errorcontext]%" << newl; if(ASYbox) out << "\\newbox\\ASYbox" << newl << "\\newdimen\\ASYdimen" << newl; out << "\\def\\ASYprefix{" << stripFile(settings::outname()) << "}" << newl << "\\long\\def\\ASYbase#1#2{\\leavevmode\\setbox\\ASYbox=\\hbox{#1}%" << "\\ASYdimen=\\ht\\ASYbox%" << newl << "\\setbox\\ASYbox=\\hbox{#2}\\lower\\ASYdimen\\box\\ASYbox}" << newl; if(!pipe) out << "\\long\\def\\ASYaligned(#1,#2)(#3,#4)#5#6#7{\\leavevmode%" << newl << "\\setbox\\ASYbox=\\hbox{#7}%" << newl << "\\setbox\\ASYbox\\hbox{\\ASYdimen=\\ht\\ASYbox%" << newl << "\\advance\\ASYdimen by\\dp\\ASYbox\\kern#3\\wd\\ASYbox" << "\\raise#4\\ASYdimen\\box\\ASYbox}%" << newl << "\\setbox\\ASYbox=\\hbox{#5\\wd\\ASYbox 0pt\\dp\\ASYbox 0pt\\ht\\ASYbox 0pt\\box\\ASYbox#6}%" << newl << "\\hbox to 0pt{\\kern#1pt\\raise#2pt\\box\\ASYbox\\hss}}%" << newl << "\\long\\def\\ASYalignT(#1,#2)(#3,#4)#5#6{%" << newl << "\\ASYaligned(#1,#2)(#3,#4){%" << newl << settings::beginlabel(texengine) << "%" << newl << "}{%" << newl << settings::endlabel(texengine) << "%" << newl << "}{#6}}" << newl << "\\long\\def\\ASYalign(#1,#2)(#3,#4)#5{" << "\\ASYaligned(#1,#2)(#3,#4){}{}{#5}}" << newl << settings::rawpostscript(texengine) << newl; } // Work around bug in dvips.def: allow spaces in file names. template void dvipsfix(T &out) { if(!settings::pdf(settings::getSetting("tex"))) { out << "\\makeatletter" << newl << "\\def\\Ginclude@eps#1{%" << newl << " \\message{<#1>}%" << newl << " \\bgroup" << newl << " \\def\\@tempa{!}%" << newl << " \\dimen@\\Gin@req@width" << newl << " \\dimen@ii.1bp%" << newl << " \\divide\\dimen@\\dimen@ii" << newl << " \\@tempdima\\Gin@req@height" << newl << " \\divide\\@tempdima\\dimen@ii" << newl << " \\special{PSfile=#1\\space" << newl << " llx=\\Gin@llx\\space" << newl << " lly=\\Gin@lly\\space" << newl << " urx=\\Gin@urx\\space" << newl << " ury=\\Gin@ury\\space" << newl << " \\ifx\\Gin@scalex\\@tempa\\else rwi=\\number\\dimen@\\space\\fi" << newl << " \\ifx\\Gin@scaley\\@tempa\\else rhi=\\number\\@tempdima\\space\\fi" << newl << " \\ifGin@clip clip\\fi}%" << newl << " \\egroup}" << newl << "\\makeatother" << newl; } } template void texdefines(T& out, mem::list& preamble=processData().TeXpreamble, bool pipe=false) { if(pipe || !settings::getSetting("inlinetex")) texpreamble(out,preamble,pipe); if(pipe) { // Make tex pipe aware of a previously generated aux file. string name=auxname(settings::outname(),"aux"); std::ifstream fin(name.c_str()); if(fin) { std::ofstream fout("texput.aux"); string s; while(getline(fin,s)) fout << s << endl; } } string texengine=settings::getSetting("tex"); if(settings::latex(texengine)) { if(pipe || !settings::getSetting("inlinetex")) { out << "\\usepackage{graphicx}" << newl; if(!pipe) { dvipsfix(out); out << "\\usepackage{color}" << newl; } } if(pipe) { out << "\\begin{document}" << newl; latexfontencoding(out); } } else if(!settings::context(texengine)) { out << "\\input graphicx" << newl // Fix miniltx path parsing bug: << "\\makeatletter" << newl << "\\def\\filename@parse#1{%" << newl << " \\let\\filename@area\\@empty" << newl << " \\expandafter\\filename@path#1/\\\\}" << newl << "\\def\\filename@path#1/#2\\\\{%" << newl << " \\ifx\\\\#2\\\\%" << newl << " \\def\\reserved@a{\\filename@simple#1.\\\\}%" << newl << " \\else" << newl << " \\edef\\filename@area{\\filename@area#1/}%" << newl << " \\def\\reserved@a{\\filename@path#2\\\\}%" << newl << " \\fi" << newl << " \\reserved@a}" << newl << "\\makeatother" << newl; dvipsfix(out); if(!pipe) out << "\\input picture" << newl; } } template bool setlatexfont(T& out, const pen& p, const pen& lastpen) { if(p.size() != lastpen.size() || p.Lineskip() != lastpen.Lineskip()) { out << "\\fontsize{" << p.size()*settings::ps2tex << "}{" << p.Lineskip()*settings::ps2tex << "}\\selectfont%" << newl; return true; } return false; } template bool settexfont(T& out, const pen& p, const pen& lastpen, bool latex) { string font=p.Font(); if(font != lastpen.Font() || (!latex && p.size() != lastpen.size())) { out << font << "%" << newl; return true; } return false; } class texfile : public psfile { protected: bbox box; bool inlinetex; double Hoffset; int level; public: string texengine; texfile(const string& texname, const bbox& box, bool pipe=false); virtual ~texfile(); void prologue(); virtual void beginpage() {} void epilogue(bool pipe=false); virtual void endpage() {} void setlatexcolor(pen p); void setpen(pen p); void setfont(pen p); void gsave(bool tex=true); void grestore(bool tex=true); void beginspecial(); void endspecial(); void beginraw(); void endraw(); void begingroup() {++level;} void endgroup() {--level;} bool toplevel() {return level == 0;} void beginpicture(const bbox& b); void endpicture(const bbox& b); void writepair(pair z) { *out << z; } void miniprologue(); void writeshifted(path p, bool newPath=true); double hoffset() {return Hoffset;} // Draws label transformed by T at position z. void put(const string& label, const transform& T, const pair& z, const pair& Align); void beginlayer(const string& psname, bool postscript); void endlayer(); }; class svgtexfile : public texfile { mem::stack clipstack; size_t clipcount; size_t gradientcount; size_t gouraudcount; size_t tensorcount; bool inspecial; static string nl; public: svgtexfile(const string& texname, const bbox& box, bool pipe=false) : texfile(texname,box,pipe) { clipcount=0; gradientcount=0; gouraudcount=0; tensorcount=0; inspecial=false; } void writeclip(path p, bool newPath=true) { write(p,false); } void dot(path p, pen, bool newPath=true); void writeshifted(pair z) { write(conj(z)*settings::ps2tex); } void translate(pair z) {} void concat(transform t) {} void beginspecial(); void endspecial(); // Prevent unwanted page breaks. void beginpage() { beginpicture(box); } void endpage() { endpicture(box); } void begintransform(); void endtransform(); void clippath(); void beginpath(); void endpath(); void newpath() { beginspecial(); begintransform(); beginpath(); } void moveto(pair z) { *out << "M"; writeshifted(z); } void lineto(pair z) { *out << "L"; writeshifted(z); } void curveto(pair zp, pair zm, pair z1) { *out << "C"; writeshifted(zp); writeshifted(zm); writeshifted(z1); } void closepath() { *out << "Z"; } string rgbhex(pen p) { p.torgb(); return p.hex(); } void properties(const pen& p); void color(const pen &p, const string& type); void stroke(const pen &p, bool dot=false); void strokepath(); void fillrule(const pen& p, const string& type="fill"); void fill(const pen &p); void begingradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, const pen& penb, const pair& b, double rb); void gradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, bool extenda, const pen& penb, const pair& b, double rb, bool extendb); void gouraudshade(const pen& p0, const pair& z0, const pen& p1, const pair& z1, const pen& p2, const pair& z2); void begingouraudshade(const vm::array& pens, const vm::array& vertices, const vm::array& edges); void gouraudshade(const pen& pentype, const vm::array& pens, const vm::array& vertices, const vm::array& edges); void begintensorshade(const vm::array& pens, const vm::array& boundaries, const vm::array& z); void tensorshade(const pen& pentype, const vm::array& pens, const vm::array& boundaries, const vm::array& z); void beginclip(); void endclip0(const pen &p); void endclip(const pen &p); void endpsclip(const pen &p) {} void setpen(pen p) {if(!inspecial) texfile::setpen(p);} void gsave(bool tex=false); void grestore(bool tex=false); }; } //namespace camp #endif asymptote-2.62/record.h0000644000000000000000000000526213607467113013632 0ustar rootroot/***** * record.h * Andy Hammerlindl 2003/07/09 * * The type for records and modules in the language. *****/ #ifndef RECORD_H #define RECORD_H #include "types.h" #include "env.h" #include "frame.h" #include "access.h" namespace vm { struct lambda; } using trans::frame; using trans::protoenv; using trans::varEntry; using trans::tyEntry; namespace types { class record : public ty { // The base name of this type. symbol name; // The frame. Like a frame for a function, it allocates the accesses // for fields and specifies the size of the record. frame *level; // The runtime representation of the record used by the virtual machine. vm::lambda *init; public: // The name bindings for fields of the record. protoenv e; // These are name bindings that should be added to the enclosing environment // after translation of the record is completed. Constructors implicitly // defined by "operator init" are stored here. protoenv postdefenv; record(symbol name, frame *level); ~record(); symbol getName() { return name; } bool isReference() { return true; } size_t hash() const { // Use the pointer, as two records are equivalent only if they are the // same object. return (size_t)this; } // Initialize to null by default. trans::access *initializer(); frame *getLevel(bool statically = false) { if (statically) { frame *f=level->getParent(); return f ? f : level; } else return level; } vm::lambda *getInit() { return init; } // Allocates a new dynamic field in the record. trans::access *allocField(bool statically) { frame *underlevel = getLevel(statically); assert(underlevel); return underlevel->allocLocal(); } // Create a statically enclosed record from this record. record *newRecord(symbol id, bool statically); void print(ostream& out) const { out << name; } void debug(ostream& out) const { out << "struct " << name << endl; out << "types:" << endl; out << "re-implement" << endl; //out << te; out << "fields: " << endl; out << "re-implement" << endl; //out << ve; } }; // A record that is being used just for its fields and types, and has no real // initializer. This is for modules such as settings that are built into the // language. class dummyRecord : public record { public: dummyRecord(symbol name); dummyRecord(string s); // Convenient functions for adding fields. void add(string name, ty *t, trans::access *a, trans::permission perm=trans::PUBLIC); void add(string name, function *t, vm::bltin f, trans::permission perm=trans::PUBLIC); }; } //namespace types #endif asymptote-2.62/fileio.h0000644000000000000000000004702013607467113013621 0ustar rootroot/****** * fileio.h * Tom Prince and John Bowman 2004/05/10 * * Handle input/output ******/ #ifndef FILEIO_H #define FILEIO_H #include #include #include #include "common.h" #ifdef HAVE_RPC_RPC_H #include "xstream.h" #endif #include "pair.h" #include "triple.h" #include "guide.h" #include "pen.h" #include "camperror.h" #include "interact.h" #include "errormsg.h" #include "util.h" #include "process.h" namespace vm { extern bool indebugger; } namespace camp { extern string tab; extern string newline; enum Mode {NOMODE,INPUT,OUTPUT,UPDATE,BINPUT,BOUTPUT,BUPDATE,XINPUT,XOUTPUT, XUPDATE,OPIPE}; static const string FileModes[]= {"none","input","output","output(update)", "input(binary)","output(binary)","output(binary,update)", "input(xdr)","output(xdr)","output(xdr,update)","output(pipe)"}; extern FILE *pipeout; inline void openpipeout() { int fd=intcast(settings::getSetting("outpipe")); if(!pipeout && fd >= 0) pipeout=fdopen(fd,"w"); if(!pipeout) { ostringstream buf; buf << "Cannot open outpipe " << fd; reportError(buf); } } class file : public gc { protected: string name; bool check; // Check whether input file exists. Mode type; Int nx,ny,nz; // Array dimensions bool linemode; // Array reads will stop at eol instead of eof. bool csvmode; // Read comma-separated values. bool wordmode; // Delimit strings by white space instead of eol. bool singlereal; // Read/write single-precision XDR/binary reals. bool singleint; // Read/write single-precision XDR/binary ints. bool signedint; // Read/write signed XDR/binary ints. bool closed; // File has been closed. bool standard; // Standard input/output bool binary; // Read in binary mode. bool nullfield; // Used to detect a final null field in csv+line mode. string whitespace; size_t index; // Terminator index. public: bool Standard() {return standard;} void standardEOF() { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) cout << endl; #endif } template void purgeStandard(T&) { if(standard) { int c; if(cin.eof()) standardEOF(); else { cin.clear(); while((c=cin.peek()) != EOF) { cin.ignore(); if(c == '\n') break; } } } } void purgeStandard(string&) { if(cin.eof()) standardEOF(); } void dimension(Int Nx=-1, Int Ny=-1, Int Nz=-1) {nx=Nx; ny=Ny; nz=Nz;} file(const string& name, bool check=true, Mode type=NOMODE, bool binary=false, bool closed=false) : name(name), check(check), type(type), linemode(false), csvmode(false), wordmode(false), singlereal(false), singleint(true), signedint(true), closed(closed), standard(name.empty()), binary(binary), nullfield(false), whitespace("") {dimension();} virtual void open() {} void Check() { if(error()) { ostringstream buf; buf << "Cannot open file \"" << name << "\""; reportError(buf); } } virtual ~file() {} bool isOpen() { if(closed) { ostringstream buf; buf << "I/O operation attempted on "; if(name != "") buf << "closed file \'" << name << "\'"; else buf << "null file"; reportError(buf); } return true; } string filename() {return name;} virtual bool eol() {return false;} virtual bool nexteol() {return false;} virtual bool text() {return false;} virtual bool eof() {return true;} virtual bool error() {return true;} virtual void close() {} virtual void clear() {} virtual Int precision(Int) {return 0;} virtual void flush() {} virtual size_t tell() {return 0;} virtual void seek(Int, bool=true) {} string FileMode() {return FileModes[type];} void unsupported(const char *rw, const char *type) { ostringstream buf; buf << rw << " of type " << type << " not supported in " << FileMode() << " mode"; reportError(buf); } void noread(const char *type) {unsupported("Read",type);} void nowrite(const char *type) {unsupported("Write",type);} virtual void Read(bool&) {noread("bool");} virtual void Read(Int&) {noread("int");} virtual void Read(double&) {noread("real");} virtual void Read(float&) {noread("real");} virtual void Read(pair&) {noread("pair");} virtual void Read(triple&) {noread("triple");} virtual void Read(char&) {noread("char");} virtual void Read(string&) {noread("string");} virtual void readwhite(string&) {noread("string");} virtual void write(bool) {nowrite("bool");} virtual void write(Int) {nowrite("int");} virtual void write(double) {nowrite("real");} virtual void write(const pair&) {nowrite("pair");} virtual void write(const triple&) {nowrite("triple");} virtual void write(const string&) {nowrite("string");} virtual void write(const pen&) {nowrite("pen");} virtual void write(guide *) {nowrite("guide");} virtual void write(const transform&) {nowrite("transform");} virtual void writeline() {nowrite("string");} virtual void ignoreComment() {}; virtual void csv() {}; template void ignoreComment(T&) { ignoreComment(); } void ignoreComment(string&) {} void ignoreComment(char&) {} template void read(T& val) { if(binary) Read(val); else { if(standard) clear(); if(errorstream::interrupt) throw interrupted(); else { ignoreComment(val); val=T(); if(!nullfield) Read(val); csv(); whitespace=""; } } } Int Nx() {return nx;} Int Ny() {return ny;} Int Nz() {return nz;} void Nx(Int n) {nx=n;} void Ny(Int n) {ny=n;} void Nz(Int n) {nz=n;} void LineMode(bool b) {linemode=b;} bool LineMode() {return linemode;} void CSVMode(bool b) {csvmode=b; if(b) wordmode=false;} bool CSVMode() {return csvmode;} void WordMode(bool b) {wordmode=b; if(b) csvmode=false;} bool WordMode() {return wordmode;} void SingleReal(bool b) {singlereal=b;} bool SingleReal() {return singlereal;} void SingleInt(bool b) {singleint=b;} bool SingleInt() {return singleint;} void SignedInt(bool b) {signedint=b;} bool SignedInt() {return signedint;} }; class opipe : public file { public: opipe(const string& name) : file(name,false,OPIPE) {standard=false;} void open() { openpipeout(); } bool text() {return true;} bool eof() {return pipeout ? feof(pipeout) : true;} bool error() {return pipeout ? ferror(pipeout) : true;} void clear() {if(pipeout) clearerr(pipeout);} void flush() {if(pipeout) fflush(pipeout);} void seek(Int pos, bool begin=true) { if(!standard && pipeout) { clear(); fseek(pipeout,pos,begin ? SEEK_SET : SEEK_END); } } size_t tell() { return pipeout ? ftell(pipeout) : 0; } void write(const string& val) { fprintf(pipeout,"%s",val.c_str()); } void write(bool val) { ostringstream s; s << val; write(s.str()); } void write(Int val) { ostringstream s; s << val; write(s.str()); } void write(double val) { ostringstream s; s << val; write(s.str()); } void write(const pair& val) { ostringstream s; s << val; write(s.str()); } void write(const triple& val) { ostringstream s; s << val; write(s.str()); } void write(const pen &val) { ostringstream s; s << val; write(s.str()); } void write(guide *val) { ostringstream s; s << *val; write(s.str()); } void write(const transform& val) { ostringstream s; s << val; write(s.str()); } void writeline() { fprintf(pipeout,"\n"); if(errorstream::interrupt) throw interrupted(); } }; class ifile : public file { protected: istream *stream; std::fstream *fstream; char comment; std::ios::openmode mode; bool comma; public: ifile(const string& name, char comment, bool check=true, Mode type=INPUT, std::ios::openmode mode=std::ios::in) : file(name,check,type), stream(&cin), fstream(NULL), comment(comment), mode(mode), comma(false) {} // Binary file ifile(const string& name, bool check=true, Mode type=BINPUT, std::ios::openmode mode=std::ios::in) : file(name,check,type,true), mode(mode) {} ~ifile() {close();} void open() { if(standard) { if(mode & std::ios::binary) reportError("Cannot open standard input in binary mode"); stream=&cin; } else { if(mode & std::ios::out) name=outpath(name); stream=fstream=new std::fstream(name.c_str(),mode); if(mode & std::ios::out) { if(error()) { delete fstream; std::ofstream f(name.c_str()); f.close(); stream=fstream=new std::fstream(name.c_str(),mode); } } index=processData().ifile.add(fstream); if(check) Check(); } } bool eol(); bool nexteol(); bool text() {return true;} bool eof() {return stream->eof();} bool error() {return stream->fail();} void close() { if(!standard && fstream) { fstream->close(); closed=true; delete fstream; fstream=NULL; processData().ifile.remove(index); } } void clear() {stream->clear();} void seek(Int pos, bool begin=true) { if(!standard && fstream) { clear(); fstream->seekg(pos,begin ? std::ios::beg : std::ios::end); } } size_t tell() { if(fstream) return fstream->tellg(); else return 0; } void csv(); virtual void ignoreComment(); // Skip over white space void readwhite(string& val) {val=string(); *stream >> val;} void Read(bool &val) {string t; readwhite(t); val=(t == "true");} void Read(Int& val) {*stream >> val;} void Read(double& val) {*stream >> val;} void Read(pair& val) {*stream >> val;} void Read(triple& val) {*stream >> val;} void Read(char& val) {stream->get(val);} void Read(string& val); }; class iofile : public ifile { public: iofile(const string& name, char comment=0) : ifile(name,comment,true,UPDATE,std::ios::in | std::ios::out) {} Int precision(Int p) { return p == 0 ? stream->precision(settings::getSetting("digits")) : stream->precision(p); } void flush() {if(fstream) fstream->flush();} void write(bool val) {*fstream << (val ? "true " : "false ");} void write(Int val) {*fstream << val;} void write(double val) {*fstream << val;} void write(const pair& val) {*fstream << val;} void write(const triple& val) {*fstream << val;} void write(const string& val) {*fstream << val;} void write(const pen& val) {*fstream << val;} void write(guide *val) {*fstream << *val;} void write(const transform& val) {*fstream << val;} void writeline() { *fstream << newline; if(errorstream::interrupt) throw interrupted(); } }; class ofile : public file { protected: ostream *stream; std::ofstream *fstream; std::ios::openmode mode; public: ofile(const string& name, Mode type=OUTPUT, std::ios::openmode mode=std::ios::trunc) : file(name,true,type), stream(&cout), fstream(NULL), mode(mode) {} ~ofile() {close();} void open() { if(standard) { if(mode & std::ios::binary) reportError("Cannot open standard output in binary mode"); stream=&cout; } else { name=outpath(name); stream=fstream=new std::ofstream(name.c_str(),mode | std::ios::trunc); stream->precision(settings::getSetting("digits")); index=processData().ofile.add(fstream); Check(); } } bool text() {return true;} bool eof() {return stream->eof();} bool error() {return stream->fail();} void close() { if(!standard && fstream) { fstream->close(); closed=true; delete fstream; fstream=NULL; processData().ofile.remove(index); } } void clear() {stream->clear();} Int precision(Int p) { return p == 0 ? stream->precision(settings::getSetting("digits")) : stream->precision(p); } void flush() {stream->flush();} void seek(Int pos, bool begin=true) { if(!standard && fstream) { clear(); fstream->seekp(pos,begin ? std::ios::beg : std::ios::end); } } size_t tell() { if(fstream) return fstream->tellp(); else return 0; } bool enabled() {return !standard || settings::verbose > 1 || interact::interactive || !settings::getSetting("quiet");} void write(bool val) {*stream << (val ? "true " : "false ");} void write(Int val) {*stream << val;} void write(double val) {*stream << val;} void write(const pair& val) {*stream << val;} void write(const triple& val) {*stream << val;} void write(const string& val) {*stream << val;} void write(const pen& val) {*stream << val;} void write(guide *val) {*stream << *val;} void write(const transform& val) {*stream << val;} void writeline(); }; class ibfile : public ifile { public: ibfile(const string& name, bool check=true, Mode type=BINPUT, std::ios::openmode mode=std::ios::in) : ifile(name,check,type,mode | std::ios::binary) {} template void iread(T& val) { val=T(); if(fstream) fstream->read((char *) &val,sizeof(T)); } void Read(bool& val) {iread(val);} void Read(Int& val) { if(signedint) { if(singleint) {int ival; iread(ival); val=ival;} else iread(val); } else { if(singleint) {unsigned ival; iread(ival); val=Intcast(ival);} else {unsignedInt ival; iread(ival); val=Intcast(ival);} } } void Read(char& val) {iread(val);} void Read(string& val) {char c; iread(c); val=c;} void Read(double& val) { if(singlereal) {float fval; iread(fval); val=fval;} else iread(val); } }; class iobfile : public ibfile { public: iobfile(const string& name) : ibfile(name,true,BUPDATE,std::ios::in | std::ios::out) {} void flush() {if(fstream) fstream->flush();} template void iwrite(T val) { if(fstream) fstream->write((char *) &val,sizeof(T)); } void write(bool val) {iwrite(val);} void write(Int val) { if(signedint) { if(singleint) iwrite(intcast(val)); else iwrite(val); } else { if(singleint) iwrite(unsignedcast(val)); else iwrite(unsignedIntcast(val)); } } void write(const string& val) {iwrite(val);} void write(const pen& val) {iwrite(val);} void write(guide *val) {iwrite(val);} void write(const transform& val) {iwrite(val);} void write(double val) { if(singlereal) iwrite((float) val); else iwrite(val); } void write(const pair& val) { write(val.getx()); write(val.gety()); } void write(const triple& val) { write(val.getx()); write(val.gety()); write(val.getz()); } void writeline() {} }; class obfile : public ofile { public: obfile(const string& name) : ofile(name,BOUTPUT,std::ios::binary) {} template void iwrite(T val) { if(fstream) fstream->write((char *) &val,sizeof(T)); } void write(bool val) {iwrite(val);} void write(Int val) { if(signedint) { if(singleint) iwrite(intcast(val)); else iwrite(val); } else { if(singleint) iwrite(unsignedcast(val)); else iwrite(unsignedIntcast(val)); } } void write(const string& val) {iwrite(val);} void write(const pen& val) {iwrite(val);} void write(guide *val) {iwrite(val);} void write(const transform& val) {iwrite(val);} void write(double val) { if(singlereal) iwrite((float) val); else iwrite(val); } void write(const pair& val) { write(val.getx()); write(val.gety()); } void write(const triple& val) { write(val.getx()); write(val.gety()); write(val.getz()); } void writeline() {} }; #ifdef HAVE_RPC_RPC_H class ixfile : public file { protected: xdr::ioxstream *fstream; xdr::xios::open_mode mode; public: ixfile(const string& name, bool check=true, Mode type=XINPUT, xdr::xios::open_mode mode=xdr::xios::in) : file(name,check,type,true), fstream(NULL), mode(mode) {} void open() { fstream=new xdr::ioxstream(name.c_str(),mode); index=processData().ixfile.add(fstream); if(check) Check(); } void close() { if(fstream) { fstream->close(); closed=true; delete fstream; fstream=NULL; processData().ixfile.remove(index); } } ~ixfile() {close();} bool eof() {return fstream ? fstream->eof() : true;} bool error() {return fstream ? fstream->fail() : true;} void clear() {if(fstream) fstream->clear();} void seek(Int pos, bool begin=true) { if(!standard && fstream) { clear(); fstream->seek(pos,begin ? xdr::xios::beg : xdr::xios::end); } } size_t tell() { if(fstream) return fstream->tell(); else return 0; } void Read(Int& val) { if(signedint) { if(singleint) {int ival=0; *fstream >> ival; val=ival;} else {val=0; *fstream >> val;} } else { if(singleint) {unsigned ival=0; *fstream >> ival; val=Intcast(ival);} else {unsignedInt ival=0; *fstream >> ival; val=Intcast(ival);} } } void Read(double& val) { if(singlereal) {float fval=0.0; *fstream >> fval; val=fval;} else { val=0.0; *fstream >> val; } } void Read(pair& val) { double x,y; Read(x); Read(y); val=pair(x,y); } void Read(triple& val) { double x,y,z; Read(x); Read(y); Read(z); val=triple(x,y,z); } }; class ioxfile : public ixfile { public: ioxfile(const string& name) : ixfile(name,true,XUPDATE,xdr::xios::out) {} void flush() {if(fstream) fstream->flush();} void write(Int val) { if(signedint) { if(singleint) *fstream << intcast(val); else *fstream << val; } else { if(singleint) *fstream << unsignedcast(val); else *fstream << unsignedIntcast(val); } } void write(double val) { if(singlereal) *fstream << (float) val; else *fstream << val; } void write(const pair& val) { write(val.getx()); write(val.gety()); } void write(const triple& val) { write(val.getx()); write(val.gety()); write(val.getz()); } }; class oxfile : public file { xdr::oxstream *fstream; public: oxfile(const string& name) : file(name,true,XOUTPUT), fstream(NULL) {} void open() { fstream=new xdr::oxstream(outpath(name).c_str(),xdr::xios::trunc); index=processData().oxfile.add(fstream); Check(); } void close() { if(fstream) { fstream->close(); closed=true; delete fstream; fstream=NULL; processData().oxfile.remove(index); } } ~oxfile() {close();} bool eof() {return fstream ? fstream->eof() : true;} bool error() {return fstream ? fstream->fail() : true;} void clear() {if(fstream) fstream->clear();} void flush() {if(fstream) fstream->flush();} void seek(Int pos, bool begin=true) { if(!standard && fstream) { clear(); fstream->seek(pos,begin ? xdr::xios::beg : xdr::xios::end); } } size_t tell() { if(fstream) return fstream->tell(); else return 0; } void write(Int val) { if(signedint) { if(singleint) *fstream << intcast(val); else *fstream << val; } else { if(singleint) *fstream << unsignedcast(val); else *fstream << unsignedIntcast(val); } } void write(double val) { if(singlereal) *fstream << (float) val; else *fstream << val; } void write(const pair& val) { write(val.getx()); write(val.gety()); } void write(const triple& val) { write(val.getx()); write(val.gety()); write(val.getz()); } }; #endif extern ofile Stdout; extern file nullfile; } // namespace camp #endif // FILEIO_H asymptote-2.62/mathop.h0000644000000000000000000001443113607467113013642 0ustar rootroot/***** * mathop.h * Tom Prince 2005/3/18 * * Defines some runtime functions used by the stack machine. * *****/ #ifndef MATHOP_H #define MATHOP_H #include #include "stack.h" #include "mod.h" #include "triple.h" namespace run { template struct less { bool operator() (T x, T y, size_t=0) {return x < y;} }; template struct lessequals { bool operator() (T x, T y, size_t=0) {return x <= y;} }; template struct equals { bool operator() (T x, T y, size_t=0) {return x == y;} }; template struct greaterequals { bool operator() (T x, T y, size_t=0) {return x >= y;} }; template struct greater { bool operator() (T x, T y, size_t=0) {return x > y;} }; template struct notequals { bool operator() (T x, T y, size_t=0) {return x != y;} }; template struct And { bool operator() (T x, T y, size_t=0) {return x && y;} }; template struct Or { bool operator() (T x, T y, size_t=0) {return x || y;} }; template struct Xor { bool operator() (T x, T y, size_t=0) {return x ^ y;} }; template struct plus { T operator() (T x, T y, size_t=0) {return x+y;} }; template struct minus { T operator() (T x, T y, size_t=0) {return x-y;} }; template struct times { T operator() (T x, T y, size_t=0) {return x*y;} }; template <> struct times { camp::triple operator() (double x, camp::triple y, size_t=0) {return x*y;} }; template struct timesR { T operator () (T y, double x, size_t=0) {return x*y;} }; extern void dividebyzero(size_t i=0); extern void integeroverflow(size_t i=0); template struct divide { T operator() (T x, T y, size_t i=0) { if(y == 0) dividebyzero(i); return x/y; } }; template <> struct divide { camp::triple operator() (camp::triple x, double y, size_t=0) {return x/y;} }; inline bool validInt(double x) { return x > Int_MIN-0.5 && x < Int_MAX+0.5; } inline void checkInt(double x, size_t i) { if(validInt(x)) return; integeroverflow(i); } inline Int Intcast(double x) { if(validInt(x)) return (Int) x; integeroverflow(0); return 0; } template<> struct plus { Int operator() (Int x, Int y, size_t i=0) { if((y > 0 && x > Int_MAX-y) || (y < 0 && x < Int_MIN-y)) integeroverflow(i); return x+y; } }; template<> struct minus { Int operator() (Int x, Int y, size_t i=0) { if((y < 0 && x > Int_MAX+y) || (y > 0 && x < Int_MIN+y)) integeroverflow(i); return x-y; } }; template<> struct times { Int operator() (Int x, Int y, size_t i=0) { if(y == 0) return 0; if(y < 0) {y=-y; x=-x;} if((y > int_MAX || x > int_MAX/(int) y || x < int_MIN/(int) y) && (x > Int_MAX/y || x < Int_MIN/y)) integeroverflow(i); return x*y; } }; template<> struct divide { double operator() (Int x, Int y, size_t i=0) { if(y == 0) dividebyzero(i); return ((double) x)/(double) y; } }; template void Negate(vm::stack *s) { T a=vm::pop(s); s->push(-a); } inline Int Negate(Int x, size_t i=0) { if(x < -Int_MAX) integeroverflow(i); return -x; } template<> inline void Negate(vm::stack *s) { s->push(Negate(vm::pop(s))); } inline double pow(double x, double y) { return ::pow(x,y); } template T pow(T x, Int y) { if(y == 0) return 1.0; if(x == 0.0 && y > 0) return 0.0; if(y < 0) {y=-y; x=1/x;} T r=1.0; for(;;) { if(y & 1) r *= x; if((y >>= 1) == 0) return r; x *= x; } } template struct power { T operator() (T x, T y, size_t=0) {return pow(x,y);} }; template <> struct power { Int operator() (Int x, Int p, size_t i=0) { if(p == 0) return 1; Int sign=1; if(x < 0) { if(p % 2) sign=-1; x=-x; } if(p > 0) { if(x == 0) return 0; Int r = 1; for(;;) { if(p & 1) { if(r > Int_MAX/x) integeroverflow(i); r *= x; } if((p >>= 1) == 0) return sign*r; if(x > Int_MAX/x) integeroverflow(i); x *= x; } } else { if(x == 1) return sign; ostringstream buf; if(i > 0) buf << "array element " << i << ": "; buf << "Only 1 and -1 can be raised to negative exponents as integers."; vm::error(buf); return 0; } } }; template struct mod { T operator() (T x, T y, size_t i=0) { if(y == 0) dividebyzero(i); return portableMod(x,y); } }; template struct quotient { Int operator() (Int x, Int y, size_t i=0) { if(y == 0) dividebyzero(i); if(y == -1) return Negate(x); // Implementation-independent definition of integer division: round down Int q=x/y; if(q >= 0 || y*q == x) return q; return q-1; } }; template struct min { T operator() (T x, T y, size_t=0) {return x < y ? x : y;} }; template struct max { T operator() (T x, T y, size_t=0) {return x > y ? x : y;} }; template inline T Min(T a, T b) { return (a < b) ? a : b; } template inline T Max(T a, T b) { return (a > b) ? a : b; } template struct minbound { camp::pair operator() (camp::pair z, camp::pair w) { return camp::pair(Min(z.getx(),w.getx()),Min(z.gety(),w.gety())); } camp::triple operator() (camp::triple u, camp::triple v) { return camp::triple(Min(u.getx(),v.getx()),Min(u.gety(),v.gety()), Min(u.getz(),v.getz())); } }; template struct maxbound { camp::pair operator() (camp::pair z, camp::pair w) { return camp::pair(Max(z.getx(),w.getx()),Max(z.gety(),w.gety())); } camp::triple operator() (camp::triple u, camp::triple v) { return camp::triple(Max(u.getx(),v.getx()),Max(u.gety(),v.gety()), Max(u.getz(),v.getz())); } }; template void realReal(vm::stack *s) { double x=vm::pop(s); s->push(func(x)); } template class op> void binaryOp(vm::stack *s) { T b=vm::pop(s); T a=vm::pop(s); s->push(op()(a,b)); } template void interp(vm::stack *s) { double t=vm::pop(s); T b=vm::pop(s); T a=vm::pop(s); s->push((1-t)*a+t*b); } } // namespace run #endif //MATHOP_H asymptote-2.62/libatomic_ops-7.6.10.tar.gz0000644000000000000000000172766613607467120016727 0ustar rootroot‹Jey\ì[{wÚÆ¶Ï¿GŸb®ãS›„_qÚø¸µ²Í-.হvŠ…4€j!©aB›ÞÏ~{f$„±Sw­ÓvµBföû5{&?tÒh껃(•W桹»S}öïýìàóêÕKú½ÿjo§ø;û<ÛÝ?Ø?Ü;Ü{¹»÷lgwÏØËgÿAŸŒ‘ì÷È'xHÿ]Ûª_ØæÔû÷‰æððàýïîìã]¦ÿƒÒÿÞáþ«gìÙgýÿéŸç¬?áli ‘8É‚m߬˜ÆMÉ0-ֲ߲Z»n—Y§i[=›]â_mw—µ»¬öå—»¬×·Zu«[gV¿}ѨõX£ÕëÞXû”õÏ=Ö±jßYg¶iý‰/þÞñDøQÈ”õ±hÄVPc¦ñü9«Gó0ˆÏ0ÞE36õÇ“”üÐc›F g wy˜VEê žÃÄßt«lõûíIšÆâuµ:öÓÉlhºÑ´êßM¿º‚´:÷oýj¶ªÄbgÌË,JŒ«7õ·g5&ü”+X5ŸÏÍÉ0ⓩ釣¨:v«%Pm"*z8))ÎÆ ùÌÝ!Ÿ³wÒYBàÀ¹sü@Rïkª=~ǃ(ž‚1ðGÀ%‹§òPÒ’kCw>Ÿk‰ÇŽ{ nXœDw¾Ü‚OýJ%JrŽër!X±‰“xsVÑ3=CÁfS‰/Ø,öÀ‹bž8)„-HÚ gÓ!OHNâN 'W²h225Á•ê '¢9[@•À4O0¹‘Ç_Æ ÌsRæE MjÖS©Ž!ü$ áC'‘¡@Ù&-¼pn³E|4bÿ޳p‚˜é,H}pBÜE‰`Ó4Ô"cn¹',ˆÜÛÊ(áŠ2Ðߊ@eJĉ™;‘£Ú~ÌóG#ß4æ)À$ÄhYêzî›…Î]ä{ò‚ a$æ\ì*ŒCGp/CÙ @ÀáÀ–X¥ø2w‚¡<¶êÍ,e~ʦ΂E®ë'€×@¯sLHÿ<EÉÔ ]úB)À~Äø¼ð¥ÉÍa^ÒL‰…)±<ä©B›pÇ# 'ÎtJ"ŒÄñüñT”O];æñ&­Ì=ðែ¦’.ßU—.2ò!mølÃ‹Ü C̆ž·&›×¦ÜáßA ÍMB½0e2lRR8òdzdùr8ó 7ñã"‹ˆð‚ÌaUPUHæ Ù †5ƒÃ†ªô…àA–7f5ƒÌ½=‚ú½H~Á’ E¹/Œœb&&Ñ èçQr 0$©Ü™ ?ú…k ˹¢YCuÑÈ(be•Ê„ñ yP¤™‚vGI4•«Že‚á€phŠÉMF,€àîŒXù‰H!Ú¥aK-Ã[R%Д`ÊG™ü\OXÌAêÎ4Σ9ù BÞ9¤H@®V†#Õ´ Á")d™ü-dÒí¡2˜x úS⛜ 5¸[c=¬ƒõV›šÝê5Zgfú!5×¹Œã€8%!;>9‘3AÈ ÈC…»~à§¾ŽàGG Q³$n¢ 2—æ+é9ë4U¤ÍÔ'Væâ›ˆ£$(K»)Ð帷&l†tU|AJ\¼ÑþØÑ2g½˜»> Œ‘Â0Þúáþ^õðà5‰[¥¸L2§b”.YvTèþ4FÌ&IG•VŽ`aÉ, eð‡žÄÒ³U>€ Ç™¡-rÖ¡¡{Œ!±“¨qâ;¼rÂWõhœw*—?T;V¥ÛèÕ^Cµ«Xüîn¥Ò©¥%°Mc¬‚Ý#º!–ú*wÑ4mÁ†~›HµÃ`‘…éKd&×Õ¢<…=!ö2«A>‰?œ™eö?3J}*‰qˆ—Ĭò­atޏÏÏK(›PA I×J †îPZ7®Îüô|6„@?¹ RÓK”]øˆäK Bô/Hž±"Åp÷VÅbâ(grB*Á‚§dªdíôÈÁ!€ÆHæà¹Êüéf€¿I¨ØU<ƒÏ%ügȓɦE¢D@ÛKd@Ö2•ÆUŒ^K#”KÒ"=,ñüœ©¤š:ã1÷ª _EÕ\í€ )Ÿ£KPY12ézH> e¹’s‹UÝ:BÁ©”úöçã•âN!B}5 aJÔ"”­È…ša¥¨¼zó±{ƒÔ…Àï |ÉR•†:©B Ózºð…„ÈÊ+2r21™4þ ñKUéGUìí¾Ú=ÜWcµBX+keog÷Õ`çÀD„5Ç¿” òý$š"˜ÐUËIn1-/µ%$%gè-'4Cõžð—ض¶A%.ƒâÈ@KŒÝòœÖ£š¸/ 4éð~å@a•¸2<isT5@ä/Ý^^ÄŸ¾wÐP‘É0ŒÛÀHÛ’2™BXtbòN¢Ajaû‰WA%•.TT¸#¤þ- ´qÚï÷QsºB?JÓTCT–2 žÎb³Dì3œ*aRîRî\Önk\ÍÔ<}wD³‘5J’$ÉŸPô´‘;…´Z/d̾`o$w/ ƒ½(¼ØvKl÷ë¯w+øq@¢ø'ÑLHŤ€p,ò{š.(UC&Ü3sH`¾&0=˜¢;KœUƒø#P¾&£Üeç| Ü­t¨\Lê¿ÑÿW”û§úÿËýÃûþÚé³ÿÿŸö,Q]²”JÐ4ëj¦ »‚=S÷|ÅHʘo #”Œr‹Bm†b“LD£” P¥žsj‡L#‘ªÆ•l ̹ì0»©êÉØÞrjâÑanà)NzÄdÛ+oqQ5ÝèWDº¸n)SÿÀÂmž7(“h–ú¡n:Þïµ.Ù™ìù¬3kf`Ôù-¢.¬&Ipjm§|Ù†| Çtù {E5ïh—5R S’ÆzÓné“C³ôÚ0*OüÆjÉlš ¥Ã“¬/¤Ø©q`ÓŒ{eÝÜ1wBeÒ63t èÈlHÝ9j@mdýßLµR玑ëËÆùJÞÐümÙÆïé%‰ÄãN`èÖqöJ2@_Å&,™˜Ìdƒ/{øØ•( ´\ÿ†2в¤³ á"kÐo.ÙŠI½bR¦ÆH±¤e,OfªØ P›Zk,£NÞKLMµˆ¤£Ì'ºýžs‚Ìh–„@©:Î^ÄèÒö¾¢kêry¾ì¼VÖã a’¥NÚ³»JÜêàb©UýJLh/?äZ`Ò‘h{Ÿ³“È^F Åû0xê ªžÔ*›d½ç6ëµOûo­®Í蘶Ûþ¾Q·ëlÃêáy£ÌÞ6úçíË>ÃŒ®Õê¿£]«õŽ}×hÕËÌþ¡Óµ{=Öî‹N³ac¬Ñª5/ëÈ!ì ÖµÚ}” ð^í·!Ô v€]ØÝÚ9­7f£ÿ®lœ6ú-‚yÚî2‹u¬n¿Q»lZ]Ö¹ìvÚ=èëÛj´N»Àb_Ø-ìŽé˜ºÍìïñÀzçV³I¨ ëÔw{ò ºÝy×mœ÷Ùy»Y·1øÆeTè(T`ªÖ´eV·.¬3[®jJ× iŠ:ööܦ!Âgáo­ßh·ˆZ»Õïâ± .»ý|éÛFÏ.3«Û ¤ÊN»í‹²AâÄŠ¶‚uØãK($j¶¢L¡g:nϲºm5‹ŽØ%‹Ùdó÷ƒG1WNÝÄBx<ly„%OÈüñÃO•mɰ–<oèÌ»Rçp8QyË}ìÄɪiCîȳױ“ é¨Í…ÑK˜Ê¡Vã²á§‚åN™òx|à$ò¬7öAÁë§ðõ@0”×.¬¾ÝmXÍÛ–¦­,›Yozíæeßn¾#óÉ\Ûµ]7HKʲ©!ešÕgïÚ—PÊÛƒv¿ûð›%Õ(‘ž®=[¤Ê–¥ ų$ŽHÙ)½'5¤„ò}•Ý*·Ãe[Où½Y¤€’º ŒúPÏãYP[ÆE5Ã×'ÈDt–,Œ' ›&™ës|sG9y.§£•߆÷ÊJ\*Õ·6LºÚ#Ë?˜œðõe„TS*å”~Öi2Øéžî é¸Ç Çt(%H~ò I_½YV“X9Õ'ß„X¤ùÝ™ÉIª¾>™7³#uöCd»jV“„' vÑ¥ƒ„ éPãP• ú–AÞÙFµ)ÏÆˆŠÏ½¿?ÞÿñÃ?·ÿ³px¸¿ìÿí¼’û¿ÝÏû¿¿¦ÿSPôÊeæèË0l×Ü}©r~¡)hÏÙI~Eeà‡Ø2FñÐg»&Sè$ä€Ò¦#¯•OéÔQÅ~#¤3ðç*èÉÁ£:Ó«Ždx  ŒQs6 åf\Ä+YP¦[]óRŸŸ–±TÆ#¼Èö*]e±NAŠ8t„>Q7P(ÍÉÔ½<€Ð<èlÎt8Vx¼üÒLóü€\^ “WSøh!˜›—ÚTed•H9Û@ð2€ª‰ÖUàÌ2Ò;P…‹î1´YÆÕȉ¾cŽT1†Uk¶k çâ@ršFñ@•0¥ªã‘ëæô@êW?¦Ù2»?}z@¦Ò(¢ð¤¬¿N• šðÀ[1;Éã‹õ&û‘Åÿ ENùƒòªÝt\e­yŸ3ó“% ×Ú­ÓÆÙ%4T·;v«n·j »WR8–â+õTVk_\´[^†»°ƒÐXVN•´Nƒ£—0%cz«-ĺ%{†¢®hÈĶ´ ‰œ®"+^ÍI6¹Ö´­Öà´Ñ´{ìxuPÖ±ù+ëbðý “ çnМÐ؉Šeô¼ö²nŸZ—ÍþʤÌ’åc>²+-ZÂ?³[ xº‡ƒF˜°Ž‡Þ¦U?2Fe È6OŽ “¹Âí¤ÈNz3Ö_¯ãÅ ‰vù(ôÚ—Ýš£ÔèòQšŸRphmÒ¡Z-˜é²ó hrÚ†Qt—Y.üF[Èùª$Ï’R]f °RÑ.SbßT=~W é6ñÞ7_ëYãaƒ|Ê]˜ìÚu‡'\tbŠd4Çûi ¯l›òY;ß( æ.”U|[⣉?ã­›£U(X¯å/Å´ô@Hf”ÝŒ—äÇQþ-W?~,”°r¦‹‰V8*†fp ³‚ZáDçæ @ËÍœvê|Àšƒ9Fô˜4´L ².~’(ªWïÍ+Ð}ýâãûê5>_T!™5Ð(•ı*ˆé2²,ƒ—9R7Õs š5É!ˆÜ7Ö)ý>N¶‚Wò­tÂîaf6¶X•™/®«Õÿôÿª¨CË×Û4Zª^ýX}ʯ|½[ÞÒÀ›ßþ?{ÿÚØÄ•¬ Ã÷Wú/¼_zdÍHb$‰‰3[€'>mËdÛŽhKm[Y­QKOàùío]UµÝj“d²ï¹'ÌÔÝë|¨U«W}_ +ÏÛ/·v‰¡gQùq©Y:¥v—Já'û®\^Å;ï¡’Q^1 .oÕ¿þu¤ M¯½9­¹ëÖÏ!_Y(ûjÝ+òih²‡žfëå¶|Òè|A»hܪX_Õ-×´TzgJ¥Ÿ§á§ OŠ?%f é¢û§Ý§·ÿ•.ŸŒ–CZ5ÞTnMÈÕÍF¦ïÜ”.ädº~v,tãŸ|_C süø‘ðÇ?ÑÙ…Ï”«d%ôò¼èåļ|jljKR:_%6ͦ,Ý ¦­qŽ íH©VÊÜèeözýš_ç1Yì-ï“¿yõ¦­¸ÙîBhB¬w"›2°¬k†’Ê !2VœFë˜ =ðóîÛròâi{«³/Ù?ËV F|Âè¡M)|Â<úµßàLáßí7‡ÊVG™þ|F§äaë€ßàžÝØ>x¾×4?Ï¿§Ô’ùŽ÷Àhð³þ–·–syæžä ¤æ½ÈàhGó‹×ß? 66ðsc¿ZùÝêÈ1j;{›móRå›Mô ?à}&‡Kï›”üo—‡Í½—gúº¿Ï/÷÷ù·Ë­¿éí/™ÃzͯÍó€Sâ_<íãÀçgü¢7ÛÛ‡{{<7ú“Þu~Ü9:Ü’—ú›Þíì?ßÚå—òóYÐÞxµ×åñ’_úf×¾1ií›Czóò Íýáôü¦MýäüëYð¤x!)Ì£<¹»Ë3ýiß™«Þ3ÿÙ}u×»g¹W.½Ü=˾ñRÒsQY™Ï‚íM|ÜÞÄ/;eú“Þm=ß{þwy'?ùy!Ofnô'ÞíïÉ‹ý=zÚíJzú—žý2]©´Kìtéù uðc×H” ^? vZ[»ÜyþçïÛØÔòJ~ãíîÖ "V]Ó¾Ì úþ=-.fðŸéÏgÁ.Õî~µ7·å ¿žÔN¬)¼ÒŸüNW…ü¢7¦¶=©…ÿyüȾyüèY ’¼³BýÑ}~„õ;÷Õ½tév[;~üì¾b’w_úßåKA-_„¾ri޶ýïô辩pÃÿ®¯ÆvHÿ ¥ØbÚÁŸäç³à µKÓŒWòëYÐióâ¤ð[tòÂè%:¯Ú²Çø=cqó3~< _'¢¡kÖ~x}°mÎR{ÄÿY¾Êd¾Y•ýö/Ÿæ»ÿΥʖáÞPŠ^·7íÊÙa~›·BõÍoóÖ£y™ª†ÑuòmG0¹£{j¾{¯$Í?fpׯüðLÏõ‰yK?Ÿ)kä½å‡gÁÙ`¤=•_ÏD’ãIpD² QjßÊ£ùÖÏÜz0ï/CbS¿Gýdâ¾È³~5m±3âd‰Ïô§¼›$ÉÔ{¯ô-13'¿èÍûyÿžvaª0øÀ7r÷(ò*'§bé•íº{Ò/Úqó[ß&.qbRºN{ômz5ÔÆéÏgAF6úÌ=áËyb_óÏgžDQ^›§g•>“_üÆIKŸ¹'ú¹’©Ò>è{*ršùf^< ®"³zä½yGÿtÇüJ~> ¸†ûʼxŒûçúA~Ñ;9f^Š¥œ’¢è åHM¡)—™º¥žšµž^F“¸ïw0û†RXJ`(@z“BfeÞÚ'#Õô¥™*ç´+ȶ_u¹'û%ñ3%.‡[M™ôÝP3oyçßy©´Y˜¥>í{æ9ŸtŽÚÏ~ ”ùRïè“Èš5Ù5¢« hvŽ^¼ØzÓ×5eGè¿öA,´VV, 57±Œ$¶Ü{vÎ0*"8ø›êëî©d¬R˜©"RŸ{ª¢w¬½'7>¾ 棸ô‰j× º¾Xg-Œ® šÇIL;Þ+&Í U®ŸC¬(*\ÖÓÅžõ´¢bb½'ß#ïÍi’ï9ÍÓ=£xºÇ·ÙŠkª™4ÔÜja£$‚ÁÅ(ôM–*OWÛ¹"¸ÒÏ—˜kÅ7Í9ù²Ê–±›g)ÍNÒßÜŒÜÏ$qóò‹çÄ ¡+*?t¹™3ª…ÍlcÑÁ™(¼ÊÏŒ`>‹Hã*º9‹k•§Ÿkì/.Z:!2ÅàÖA] ¨2¬n‚8ÛÖáQ'«Ÿîýâ6 š«ñ– ^¸“y 2š•ÏT›×Ùüºz‹J\ qbés8j¨šk-¸×¹Ñýæ0 ‚“ó°I¯Ò°‹¿ /Ñ0TD}m^ltïY¹šU.â$|ë•|b˜î¨=OÉI¤ !ãô¼Î<ƒ ’ÈbKÖøä^hi4@r ¬ÌÎI¹*¥§†ŒØt…Ò0Ô­ÔÄä^‘0˜‹óªÊ¢¹eýu¥§ýu'þ^.=UƒÛl"÷’K‰iøQ×…•ŠÖX¼yïúÎ÷Œâ¥b>ÓÛÿŒØJ?3Å™n™26mpXjv]øËÀª‚ÝBà¶­¿](˜‡º#§ ð•ÜäÁd½pDŒåÂ"ñpx«‹4„œ“6T6̱xã8”Ð$zÇη”oMe˜"¥î±~ÄSpˆ4–á½;•cæÁµÎœ<3Þ`3îCáxã‹§¹z*˜9íÔÓiÉ16M¶;ËóÇ ²IƒUIæZçNi(ɼmµe.mIxÕóÐ,CÓJmø(kQkKëV!£êÍd³Æìmè~†2¸r’1¬jyÓ·c¨T£iɆ]Ͱ%!_9“WG \»¯ßKþnð;÷Ö2^¹%o04¶‚P@< Ò…é mƒ>´0v O< jéö.¯’~8ûëäúCøó§ðä©­Ûv.Û=K3uÈŒF…úþÉÓ$ä×Ó8æ 𬚓,¡ÿ÷ͶËÎÛZ¤–“÷¬½Ÿ2óÓ$”ÕŒTRéô´S€P3¸²nÝi`ÕíUˆ³à¶”Ù3ó»G.gæ¥)JYl*ÝX¼‘ÌnâÍcv‹ ¤7EÄfÊŸÇ^–Ì@ù»)·³2G¼Ÿ?äs;s{(³gü̦ Þ†ñwHn·ø9Çivwd'4ÃaxÙìlúæAùµô‹Ö»¿Z W3òÎ/h,e]δ€e ‡fuØE‹Ìþz^¼œ÷Ú[{GLJìÔS!Ö­ùøaó«oê›ÖàNïrqs€öøƒV£Þ÷ÑdèÕÎ’{ÄfM®˜ÒÂ4¾L“°Šã­s“þÀSø,OkÆ»:þÐc”ëfÐÜÝk¿Ê-ø}üç"ÿ2ü§ÇVç🾢ÿýáÿû{ü9,Ä+Pm)ƒ° 8w4Äök¸²0Â,¨¶ÔÃ2oŒ’Fç@`Î@% #ÁžÅQ.žC@À‰Õ‡–±Í?0n@dᕦ6löá»Qr^Ó«@£X¦Œ×­`P ÒÂ(ŒØ£¢[COᔄ®\`„ T>ö»ØpFf¤ˆ‹YÄØv~Å [=4ãf€( a=ÃÆÖà&r»Ðøñ.¼Sñ$ŽÓ´ÎnÁÂÂeÓž1ƒÀ8S€/2e0+¯@ševH–/@À(5¨µ#踧Úf6M hìu:™9~EÀØ\ Ÿ)o–*B{¦ˆ…0› !CB0Êl < Må¢zH£¹ßÒW,(Ì5™F ‘FhPО¾z˜&2U¸ ÀЂÅÁè}¢¹•ÊÚŽ¨ß»6‚ñÀ .<ÏLŸŽ„‘@8_E½ ÝdÀc3Ȇcñ—E$ Î(FŒ™@¸\š‡–L#½ŽÆ¹A …ÃÀ4s®”Ÿ<5Tï×62N#¥ÉˆÎyÂ’ÛóˆWR€ð†$c+‚ç÷\ãa9º¤®Å£ ùFx µL)Ÿ c¢ÑZ½±Áœ`Ë2œõÞ”9fIÁÝæ]ÂÎ> Ï4‹:¯-™ê ž çu6àÍàNÄšÚ‘Q<¬xû"™Ð _ÕýíÍ-€N?ª…×fX€ý!hÃy41 w™èR´¢ù›ŒÐCœŒ*á ¨ìq ¾Ð˜6^»a`Ô~ƒÐ }•€L+/Uø:V„Uˆtg`«?Ä ?¢­š\Âß!ua õQ|X{ŧ·´Ö§Œ#q})`A6`,Jo^°¬$,`•øO~m2Ý—AA4e쑞™“XvFl9bY…Ø£ìÙ¡1Kê!ðv‰rbâWùpF¶±QOãQñS>:¢›Òd:EL‹±êb 0ã"3Eéͨ×ðæË02”(Ñ”‚ÞålôŽõ|¶ÍÞë f‡g–‹Jƒx”&³IOP²êÁÕU4Ö@NÞ&ÃfŠè(äª%tÍö`4ûP7Ø›LÃçM¹pŒ¨gÐÉ|œ876ºžÄÔ¡Ú©†åI€Sß»¬Kl«( ZDŸbÚ›Ñá¡hÕé0š€ZÔZ9P´± Á …‚½Âà™ˆvÖ±å©\L¿l#:µ eÀ‰G䫺ºó‡/±ö5AÓb*v †Z¢´C1Ã脈'<¨&¬þÏŒˆ ÓãGß^™qE›Îˆ0ƒIovÅœ–œ¸e25²C€HÑ’áøáb}Jôá˜@*> ñº½ Áõð0ÖÉÝ,5î·!v¾ —ï{Œ¸ tÞ_D ïÛºªè|—ÈÊ?kOå}†©J±÷Zrtã–wcÁ‰(ÅxXàeïÿž1å¿èþ¿úä«'+ùûÿÃGàý.8~‘¢5p1æÄ¬CÊ|Tbï_–A$¶@Õ)ˆœåXâX ÷œäsnB„’n =­Ë`üáV žƒiqE³‘WM>Ÿï+ö‹ªàètÌ>8†{¥ÁÔ¿ ¥ñdÌä dæ0Vjá!ÔîÙØzb¦¼þ­‘ö“ïL ?faXºip‹8ª†1C¿f#ô 'ç…l–Îè2ù ø8Ðñ¢ÏÜ| z¨³€o<†F9$õŽƒH~@eÐi†ˆG1.ã6¤^€!ÃDð!ÎyDçôˆ˜?â­Y¦·c¶ld¬Ö–w 1÷>s*ùg¢_2ä ™Þmžaù;¹@û¡ÔÔ'óCƒ©Ìû@âÝá&š#J¦ ­Í¢á’†9¹º²áû˜-f] xÜ4$6j"Б >T\ÅrŒ3#Éa#ðU‰E×Tb&5 £‹’‡l2~ÒÓÀÅMa4ðàL"¤! ãh/jq°÷Cûà‡­öëµ åð"hHm¨N…ÏUQ7ú´€"ÄkñŠ7ȹ.ÍWgƒQdrÐU¨*p#Ѱf£¸ÚÒ ‚«¹ÿFZetyD[×"û­åDyÌòT@¾§@¦S³<(ò.â­Ž¯h68™Âz&^]LÚ°ª¢9Ù}LÀÙg¾mÀaéݽÏÜôõ.æ ¬1ÈAüa ‘deyâj¤á‹„¦Ö„ñ£‚od Su*|±”½ÌöÄfL,Ð ›>Õ«ßÌÞØÍ•.‚nj¥ºA¢s\*y Ñ>bÔÚÿu´uÐîn´:u±Òð(Ó&šëLoc"Õ`‘)³JºÔä.$÷ê׃þô²&¢5¾Ê€úT£i W-š ¾_Ô = ñaÂÜM@ÈX¥´]èˆPa M¨`OþÈ´ž{s¼žúNF8'Ѥ/ŒçÖ¾`òAW\/â"®Ž©bó‚’VÕoú™LÐyófÄcî*ßc˜{F”ÍÊ0dF2£7ÏíºT´ä¹ÞÔõnIï{+S9B4dø>f§¼—‡'N%ƒÄtœ&&W´ÀIˆªqó¢î·ºVYÓÓG1þ°Â.è”þäùü k¬8Ÿ‚›¾È2Í\ßGÙF¢³JkjPñ1¶³‘Jm±Ä/hÙ×— ÿ‰3‘²•¡CÏâ „¹£L\vêQ›™PÃÍeŸ+á}ŠÃ#6-e,t|;ì¸6aN¨6Ž˜Îm•’ÜFÀÕ㺟 Š˜žI¨qjEÆGÓKQñ±ä±bæ³ÈºŽˆñœêÇ+ èû!È¡Q%¸,úÖäN2l|N…çSB(˜À,"šýDX1í£ûfÐá€Ù¹2ˆô Œ2S™±Àµc†åºA£Œ3šÆ©Ûl6Ã=o|íã«®†&RÓq<™.NΟýôÔÈÅ© cÒÕ +¡Ò˜ÌFŠG¤Ð1ž"#*b‰¥Ñšil7¦~#pù5‘‘™c>7@|‡8×p(t’Rc¿ÅÀ~×=ý6÷­òRßU¿¥AO¿«©È ßø #Ž—Úo j•ç+äjeÇŠ¦/PF9†ë8žqþT5“Yæ‹…Åá-)—¾X°Ü5•È’qµfñuv“0òéél˜E4ÌòWÍsG—…$êWYù¾OÀ÷ …„÷9ܳ«Dnœ»¯MiMJUHç³×åa_wiä ãs‰3›Ø8Z2g<‰Ð0y —ù¼ ˆ]˜–Niø£-¸®ÃLDIhU2ÐI e™z]›oÀJQ \µíüþ϶^j_©Í•œÎÎ~‹’«ÈY«6Vj5ú~˘q ­B+:ŸìdòËÊL& ‹üðKËüP\èÀi.í½ä¶å™¯!Þa±j©R+gLVYUr ”¯D”µ([Ò@‰܆´¬ba£ ,ð¼2¡ý3ž$&‹Kì ¥%SÌó¬uB96÷™‡ð—Ù¿åh<Õmš~vŸ£ðCk›Zës™>‚•X@Ò¸+|@5ga—J¢©O4À¡°dÉ«Ñu†O‡xD¤\ÌV)óbô+ÓëÄ0^RH§}ÈÜ›m¿…aûß:lÛ­žfÑX¤çĘååŠàÖ©=ØŸ0S-Ü æaj¸ËH™BøD˜ÀŒ‹òÐg҆Ʌ!ÝñTæFFKH“tªiK²Ç"‡PžºTÜI …^ò›ª­šˆ{š¹ž¹±H=º"ö´þ®Š­Ý­Ã­ÖöÖ·\)‡¦ÁÌüf¦!Ó2¬l+²’QWNuoD—á.Ãu¯šlÜ?5ñ‡¹G* Ó£¦žr©ÉîO5f¬6ˆúïéJÃWÆÔ¿cqYtkÇ¥ÓݦTÊÅœ«i=—èXM È¥Ñdy°®zl¹´Ç¸Ì"Õ8¬ ï¼™Í©®ë-P¿"…Êñg›Årn]6`júªõCÛ~‡ J/g°=ãPYد*ŸñKªjûYBŒ¬3kÏš_ÒQÊý²úu7òŸùE;åájãl`¤û)ñÜ =~ĉ讖ւÄ‚1`$],p[ÆÈñXÚ7àȃbLu&3ÜÏ ÊÁõ Âˆ%¥eIôz³I Ã%60ô:5ý1†~…å?ÔÅHdߪ ¨Ûš’—ÃäŒX#æRXµ77z4bàqnÄ¢KÆÑ‰Âd gزӼñŠªÂD705*ìá «¹‘ðzs÷"£+½˜I…{|¿ag‘%Ëd–$¡kšÊiÔ¼†µP Û¾~L÷œíYïÝ´™s5œ¹OkÏk7ož ÎaúœA°w°ÙfܽÝÎáPO :kG¾Ä%d\.>ç|«uè]>ÈZvRÅXV@'¬Œ¯ µ—ѹùà˜-á  •´ÕjÖÓh1Ë4aí8³S"Tœ—}c5P1r´«öÈE²ÓFUXNîLí§#RlÏ\Õågéj75°ðŒ×®¤}ªl»öÉfi¦ í‚1ìtv¢Ð…âxßZÞ£ð~ í®¾V•%ÄW?"¡ZÓOØ j*pm86ŽØ³=;1<±1®ŸÞÐrø–.dñwkµä4—DQÁ€yṵ„›Õyâ$›ÐfÐÄLÿÖÂv4B*ãÍÕÌÉΠ‹&b;Ððˆ¹qñNÕü:Õ‚'ù ºQMÊÖÂíhúùjDÃ"f^!¨r-ìÌÎÒø3Û÷o+A¾{‚M{‹Z)s¿ÂÞ8—hôÅ©à|6fÓþ-è^#2¬8~LóÍÐAÑýÙD C¸yvð ÇìöÚéÍpw‹§—Îh˜y•í’·5ùüµÕÞ=oÈc…ˆÖ¤xq ´°¬rÖThW6¨©%/™L畺9Åégo4|øÒr1p²žå1Òå&– !ÛNPY4P=v5CF;á¬ÄY4&‘ö’D·+Ìï-Èg¦ÞiìæØ,kªâ‹ØéUæ< ¥&ôÏÔ=W†5J0[IwâÆI‡x4EÃXvi­^;úý/oŠoÜ^é"•o%…r޳VìiBå¶z'³ØŒº‡kñô3R5š¥g„ZYS§æj×› _`êN fø&þºªD%m¾.×Ûz†Œ™K”ôfOü<3º¨tŽ77ú ¬g”x4¾jÆz‹|~\´Å(…=wX—9­€²¯ž>žîªÉ€ïÒù{Axý°&³7~vYü“Q b‰ª<Å}=Ƀ±+„Îooàë|]èM0Œ÷¢¥!Yy‡ûÚ6ÞŽâÞlÛØËóó;aË=œ³¯ce'TzqnèG®„Osf-Fì–ÆV4 Bõø‚[·èD˜üpÔI¹ßë"h·ÖxÊÆHˆHZFóSdžÈš`œÝˆu¯$¾ê ¸n¦+a¨›g¥j5Ž3* ]£\˜û§… ÿæ Û±Ù¢0Ø&oÝ~霄Ég=° °k²ÕXê4o0Â2²š(L=›>VÀOb8k»ëª¢‡Y»$oXÍ1/Œl,2!ƒ×|FÒ}×FB5bi-+ëYÏ@‚H³$öGÑlÌF9Ý-W¡}f‡w±Ê¡™Ëx6—½GÑ0ÎÕj7fÊî €@‚ ŠfjJþkT<‰^F#ñOÄ9*Ó8Oñ_ÜÎLAðýÞ<ìÎd9¹5ÞÀî ÎbG¥pakš#¤Z¯8†…6ìà ”Eš2GD¸ÏÆ,*s7eO¥bcy÷`)´™= = Ç+ç+9ÎZ QMÄ’,2æø¥FN¦Éˆ)´•@B2€bÞÂ0[GºCãÄcé:m+¶<‚©‰f'”¨z_DœÎ fkª5 8ZŽ loľp> ›ê¿˜xæ×‘`N&„ø³Èà3#Y#J}zYòŽtäšçõàr:¯-/³€tØŒzWÍdr±ÜS—Ôfïüêo}ºŸ®¯7Î+ÍœP‡;‡­ï3ð&Övß) H™áÃD¨ %Q; ¦Æ¹a‹7y`ýrFIß#†žwÈ_,D× v›®'ÌX°ä+Æyiàj¾˜B](©ˆRÁ?ÑÚR#¤ƒ ˆ$€¸†¥)³ŠBK&¹Í¬N:žkLUä³{ß+“©U„–({ ’»ä\„ÄÌžÛ¼ïœ3BWÁë ªzÉ+6ï^ÄÎɘ«¸b©µ%!ܼ68Èï±òøª¸ Y½µ5¢ª&p¦‘£>µÐkWÌE*37!Š<ÚÅ`¦¨fçÂZ:@fÉ‚¬07'sâ¿+ž3&sFÚjŠ€Þ·àS/[Á¶¶9Ð}wÿðÀbà ›¦Ù½°b/'†ñH¶²w# é鲪‹%®d·ý敹JüB¸èÖëž–I,þÖÔìûÖ—DÆwi+Z"Ðì8‚AuYÕÄà!îÜ,¶oßR覬YÑ(ï›\GCñÚÖ¥j\TùF¦HåÐIÖcV.|”ñ$‘è4䊢‡\þÖðoƒÿaaþuòŸ‡Våä?ÿÿñûü?Ä9_Ø9c§ŠùÏk¬ åH(ë΄)9Ÿ ºs¶ØcÕŽ y@HŒ(gÌÊAy8ë=` ZGôå£ÑàƒÓ^WL¤à5Æôx™ê’Nz@‡EìŠ"5ˆÅH«5Æö !³MWOcÈ%#Å‹¢l„[hM4œöæ<¬…³QXâ¯>îwó*=Ÿ–ì5NîÉ“™jáØSTùs¶’ÝÓ ¬IÕ뜙d6°ÖÉ)mŒ îgÉξøî eå£Á©Š…ù¸ÅTÐ`#Îwã\Ý“@Ù3MˆZ‹!h3ÄÞ¤ÍàQ ТÊÏf` ·NŽN‹ÝÆX\lÊ:¾Éjòˆ*â2ç”ÞâTÇ\ZfæÔ%Ÿ¸6£¶.ù~襰¾ò$ŠVÓEÕ4Dþh—’¹J.¶úµfƒ‚ÆÖ[jÀèªÿ%wõõPšEEÁç|GX>çHŒÜe]ïIE¥Ȱ/)Nó¸òæP€ª %n+nîâþÊ]8‚Óêx8cöe 1@µfUǃ‘4Ы5vxç0 æÄbƒ?4`aQ9œ¡iœÃH¬lšZÝêtŽèLüa‹®5a5£îÎ6ªVw2Ñçª5õœy·˜p9¢’°˜Å —ïã‰s)¬ÐK±V÷¡.ìÑD±ˆ¾.èÀܳWë®î?–½ðåZpÚ,ñT¦¸ÿsòÇŸÿ%þ/c¡þ–¬Ñ“¯¾ZÀÿ}•ÁÿêÁâÿVŸ<úêþï÷ø³ô§p™ˆåô2X uÞ‰æÛÃ>Ôpׯ Ô?c…F×+pqøü×à À‘3ž*×±¾ú`åaãÁW‡šž< —£à „TØ æ`Â.ÕZ¸òÍ7ß4(é£ðΦqclÏö*§ÚÑi…` —"äV REnÖO½âJË÷‰¼YœÈ˜ŽŠL=M&«,§µ˜²¢³jšÁ„˜ŠA†Em~j,Hdq•o®U¢í7@„ž•‚K¤ijÒžºÙk»ÂŸˆëáuF N%€ ½uøjïè0líþ¾n´v|j!quÅhŠ0[&¸ ß@&¿î´6^QŽÖó­í­ÃÑü[‡»íN'|±w¶ÂýÖÁáÖÆÑvë Ü?:Øßë´!G 5ÊËXrP§„=8b]þ‘fOfÖèÀ˜¸> •Æ7ŸŸ" &‹ZÔrÕ p¼£dZgC—oU×v}}ݼÍXѦ:îtù;n C[™ÈQ±I1wÛ`AEÄŽrkÛ" ð”ÑTªók¤+ªH ¼£P‘îy[yf¢Ä´fÓ©>:º±ÌˆYݺBYðæßƒtÅs¥È;Ó Q¦\¯„ÑÔÆcO½!Ê·j„°5Œ?Ðæ¢‰ÜÞGá· þyÖïõš3Àf_›g ¨ÄÛ\ÿƒJE¼½5²æößÐ 8vbF*åa£qÇ·XÙFm½š¥p廿¬^tQ_WëËwaÉ8tÙ¶3A‡‡†aïçç®ÎEø‚“\‹ÜîÚ¦áŽyQ/…ì»ÊòÅAšAÀªœ'I3Yójk^Vššk3aé‰ÀÎIÀj"ë™iwŽ.Œ’\½N–迲Ðûlú•ÝO¥ Žît£$Öföó¬é[ëL¤îGv™‰ 0‚Ùô*QQ'iþÏ.†wv m‘2 žÞ_«›VÖKá·ÙQ Œ·Ê‚¬ÇåitžÞ¯SV‰D]®¯Õ+…Å|Ê.TöQºš›§@â#óçù  ž±¬ñVHU$RGz»^¹Wá£øšgÙû<®W|Ý0ï æ.uÚ:nìÛ­1‘xx7ØÖ[¶Ç¡ß±ÄSTˆ`_šÁŒÈàd½õ|c³ýâå«­¿¿½³»·ÿ_ã^¿ùñ¿¹õè¬Gy/.ÿónx5JÆÿ˜¤ÓÙûë7ÿ úÄÝMÓuº}?|ôÕã'_D@.\/ÿÌe*ÿÌEÐxq„y\Á–äâÅ ‡’{)³ívDæ] pžñœ»n˜,Xé›+öºåÿ„û h‚h€6s>Rðª\>‹&Í$ôÎþ'¼Hœ ïšT~Ê_ö“f “N]×_ Cþµ áÇ@ã¾§:9áã«RþY¦—ö©²ü—OÓ'Í“* 'µòÇæþÉ ^îSAeú›N¼O[…T£{°•š%ª'4®ÌåæáÉÊ2Ê Š–5Ö#oT±ð3¸ÅV;f´\ôzçÃèb=ìGéåÿDÄÌg*¨šLzØîW¬Yø“(}À¶Ù`?!JH"J¡K50#ü'é°?D9ÖXˆg\ÞoÏÂLœÅÀûÅuFUB£šWÈEÌìvá€èÔ¼/~%÷Õ¥Q1Z½…A0w³ë†VÚÍ„’[«QRÛõï-þõðrl×õRøjß/l<ØØÑÈ?´X‰Ò È£ïÆŽãþ×é%¯åÂj01o®ÒiŸ„W¡áÌÜÌð J:Ãιy1@;̯۩n|ð›áÀÍéÝ\€ŸêÎÖKú3l̰Þ¥â¦^¥ï{WéMzk3)Ñ Û½ñ˜WÃõ2±6Z<ûö(4gÿ;yb‚ ë¶=Cjh#N{‘0‚úF=¬KK('|è”F©_¥½g»H’ƘšI.-kR"2?F7R³&Ç h¤z˜™;èJóí,ú‡ìhÛØÙ¤ÿ˜J@ˆj]¤©CDièrC5¼º"ŠräÀ® nD°§Þ×ß°uúxiÈ ¦¶Ú!À &#dW^—™)±¸¦ìøv@ãd^”K°8U7ȯ>ªìQˆ’W›,LË*ªlı˜~õ™Ârv{Xª*q7Ö8_ï#ttüùE«sH§çŸƶ7› 0¦ž Ò&˜èD¥9¸^Ò+sÁlôj x>¢.ÑÌ?#¦pçÐ;®Ípcx3Ç#=Q9¥P¯téÌ”MÀ7QæL/çSZáœ2ó¦lÚ:׈2À+Ðé±Î’³kÊx6h>xW„bÆÔHE8QâQßÏõÄËAÍÅšç%Ÿè‚”ûC¤ÆYÉYšPÏÙ4ºñ°ù!|¹±aϰ”×!ƒÁ=88m¡e[;Ïíö6v²tº‚¸œª ´¡ž@HJSãEIÅ—u»‹î¸ÆÙœÙ§‰å`°.*ÂÛÆJT˜Ã¡r°“(g%åý{yƒ=<ôÞÉhÐý“kÎÒ,B(0é¯!iƒî]'c=Žþb¦á:®ôCëü”QŠÀÔG!¡ºP’¶hLôži l%XdÁ0#ö™]wŸóU_+cP)ýÄÚ¡E£µV|måÃÜ|Õ¤ЖӮjïn¶w7¶ÚîÞÑáþÑ¡Ïô¹+µøZ€@ͳôŠv×ÎŽ€ýS%æl çÎk³óûI±énàiŽP!¬ú–† þŸ¢ urŽ\‹õ‚i<.+ÔŒŠ!ìMéÌ˨6Ú<ïÃ>ùQ$Ä/øzЃ=G0L`%ÈÍ`Ã"wÊQËÜÛqCÑeç_Ú‹¶Y7{O(ÌëqÝæÈmØß~»›”þuÕ¿’„káÉI)Ó]òMc ã³Y1Œ„ƒSnîu²D`¬Hõ'ƒ÷12dïY&ÆVôµüÓñOkt—ÃåJx¢vó©RæËcåtídÙO—»Ÿ‡ße¼¤ Û„²±‚8Ï^Ð…˜¥ "*©¼Á·à(9©ƒÐŠ9¨ŽkñÀð]}5ÜÜçO|R§F°QÏnq@j1Woâ¾÷1ìA,¦™òÙ{3V;wâüuËNb1ŠsæÄ5 éiä)TïdÃdŠ ±¾ì½–½P¼Þph £ôy2Og&3É5K½KzµómÄä3Òˆ½¢Ue­"p¬3EèÞ)Û0œA6¥¹*8¤ý¾-и‚ •Ž„,ÇÃ!}9¶÷|>h([j@Ü¢žÞÕ":d0õÃ~ëð·Ä÷2Çxpø.EF5šÐ *NëÈkEñHÈéuô&\yÐ\}À+_¢½ÁŸ¸{[1- éI„ F˜yNÜà;u‡`A„x îj³x¡*Äÿõ"“°Bÿ+•GÃ9¹˜n´þ><9À™Ÿ–*/÷+"2ûؼ¯´¡üñ£HÉ–×øó|ååpŠø.G>ŠÉx‹ËqÍÝg˜ó'Ù×jêÝÑû@/á~£_XæB^’D,®M¼·Sƒ®§zO£{àšÔÞð=Ç õ™¬„t…ÑÈÆÌB4˜H:^ jy.••gÇæ&N=-\ ¨=‚á]_$8TÖS“ÍSòßálø¬8ãu¾ÛÅ U‹AÌ,oåxfîÜWÔÞvØ Ðá`ÌN"â3*žWÆIªêSQŽÇ*– &UBzCž\«\b¿pH- ‘¥áÖÁÖ~sÍÉ™¦¥ Ùló\ ‹F6$íhvu&ˆÀVD›†ÕG¾ylîKRøãæjÈN‘_¯|³ ª¡o¿2DÔh_ÁÄQÖM¥æ§Z úÌyÀWži*e™+Kkt?ªÒú¾9å’èpø~} ‘£ž'k†L¤ËKÍû¢ö+^F*_ÊF-ßÍM3¯…ï fßc68,£#§\ÃoНaÏ ‘[ó8•|û?+ü¿Ò¥çßœFƒ5Ë0npÂ-Ú")¦šéܽ‡ó 53,ÉÖÈËβ‰i޵„¼°!ì´µî’Å>µºk{·`” l&Ó.nHÅ(’*:f2Sµ²‰Öí©Ñ‹Y©¾Ë@Fè´þ ¦[e²Z{j1ãHr¬!aŽ=]¸•>è§Wö¿ÜárËmeJ~VV7g¹o«ëÅïrsÓðRè24õß¹²…ßÎ}ÓSñ×€+¥Ìãjöñañù¨$ÏÚ„æí KUÁSá‰þå/áX='ôY¤ƒÖ½6í)µ aõp0º¡gvZÍ‹&VDpõ"5·licNø ùMsõ1ôbëÍNH¨4Œæ³èUÄȱ§ˆd,¾òFÏr¥ö&P›0®hùûÈ8™‘U~¨—#í„ÉL?~NÅÛO]eû~QfãKù6è/p䈮šÍ(®—ÈíøP8$‚5UbȸM¢Á²rRa>`0‚žzI«e]:xÓ ¼èe/å1Ó&¹öø…‹}¤:­£TÎv1)á,¸ð dKhΘñüUªÄ,ÇÐ`pEg)J˜MCž…! %ûàá7zÑù.§ÔÆ+- #L ¡Äò ÃbÎË2/¹ƒš1%Eì†4`*˜C–å`Ð+² ^ÇÎELd-$~èö«¤–¼kvk@Wœµ–'ý8Ï1̉C.ÒrÜnC l ª¬[@ލ ãá°ÂÍ_«p!¹ ùMý®ÖÜð‘1 Ãû'Ub_jôïIùãÉÊÚÇñç$$·1!*÷`©¾åLP¯›Ñdfà¸}0*)½Œ ©ÏäÒÅËD :ü$ò°ñ,‘cÓêm¹ (j]c®¬§¾‡Ë òV1M´°Jÿ€ØwÆF97r³VI!7\«%€`ûHáy] K2!WäÛXÝ密øîS¿‡¨•zjø¦Ò<]¯è¶²+*¹€ŽŸW'wЏLQ›È #¬Â$I¦¡g–&$Â3Øê,•«;SÚ½jÐ #Ô— +CdyµÄ3æäª,ôŒh^ÄÉÚ3« ­†ã^ 1 ,᩵¦@–R&kl!!4Ôüº Œ%‘GÍA¯e‹Ï4èÚ¢šÐ’dWpî==ÝÆX-…G&ŒÚŒî¼ó÷Ï„¤Åi*â@vE†U»¯Ê>î\¤YÀÆ©•KÆ–UÙ°~ ³` ŠŸ§Nø'pÞj™5‹Šœª^qP˜êÊ›…7ÂJê6t”ïK‘÷uÙ%}+K(eÚ…*ñÒ‚aÆp¥m°×8b[ 9—¸‹GæhwÒ’eXŸÀ\r¹;Yb]*Vœ:& eÆ.Z.Þ]²pj”VðT1Ó k¨šzO®¨@Ê¡EW<ûoœŽáJ¸®< W¾¢'ºå`2]_yðgâzÙ¼¡'Ái“Cr6.¦8!ûÆ„î …‹tŽ ä™¦5Q˜äºJûT–L{JáêwËÄn-fáwâÚË¡*&H_¡óœo§9à œ=Ò¥a±æ²É¸¸vèkÙz,¾g)±°STt ,ˆž½å§Í¥31LmöÙˆ˜K@ˆòÅC¦Ì3ı ]%3›ËòFß3b¡‹'‚G`Çcž]uØ] ='WÞê{e½•m)J¥)xñ52ëÄ2K”v˜å”œƒÂ9±…jø¨(ð‚Çç]X&{Z²+ÖÁ×p³)¼5ì¥5 Y..ÿz.®ˆw{›3F6/+"S Yõ>®0tãx•ù:ömz‹ç‡òú‘Çî}‘ëRøvÎ|M(0\}ë}_³¼!ÌEEéT·ÌaýÌá¯×°ðâ7Pˆ™ŸéE(lb¹~²RjþOYÖÿTEúŸWüÿª“•.Ç%ÆGþg¤þÜár9ÛØ«ýkgêÕ>¨ƒèñ#˾‰ÖlZð1¬L8pG†R¹79iÔ3D­Ú%ñ_q]í?e'8 2’SÇGŽA’Ë)ßOúÓš!3|¬wÌ(‘Ô·‡Y»÷r£“³( ñHAÙd‘ïÌ G,6^Іh ¤óãGÌ?e4+f…á—ó¯–õ E:¾œ¨Ÿ•É ^VÔ¿EVäi‹û"™Ð]„B’ð׋¾\îs€;ÃßJ§øÛïó•ÔÑ>a¼›®¸Êj½üó\ˆåŸÂûËËó¯Ã“HÎç?@nž;ξøTùÌ­õ—I×ç'„ÅgØHŽ4Ê¾Ê ª7Å0Hôs.Ë»äqâ–G§B5ËU 1ÛY(èZ."""²ý[F²“ïu|-Ä}pü›+uïEÿ7ˆDþð¸¹ÚøêÁ£ÐböšW®C¤nœCºÈÍWØñ׌¦ær²äÓ 4h– ‰û¿Œ¾ÜÀ,#„ ÂZ3Ü+¦ÄÎ8˜®*¬ÅÀÄ:K²K£wšË°ÕÎŒKžRÑ Ù NK&ý$Š:'n2ƒÇ²{½S©ñ†–à…›k’B4÷ >§…ÛH2À>ÓB2m`ðÍÂvû¡øÁXÑj–rÁÿ (/²H1á®éú”LDinf`ê Wå6Jm»s‰2 cºl)L1YG[íŸ%ÏÄõ«Ï$šËä] Ôµægu}SOÁ¾É«/6‹3©XÑr729Hþß×`1Áu>ï¸'P©ÁEì[=¡ñLþŒæƒÇïhwA{êzK±™Öy¦ý7þœgSæR9ƒ½²ÿ…OÕEÂó âEáí[ùIì»mH&kae.ïÿ f~"4O™—Pöš“žcž‘‡>fßÑÜúþgOܲøš~ñ¾X'yIdML¢4øˆgµõz3‰¯œJLuCµLFFŠèé” B Â"më<®™ ·iâ.÷Nœcs³Ë"ëÔ­ÑH(*µAgÔjDPñµRk꘿W5èP–, #Ï_Áu¥ËË'+Ëüãäd®Ë Ê〘¥aÙ:[à–ÞÆÌÜ×PÑvÊRÊ.¥VJpz,UNVh ,éCSõ(…˜´WAY«nÞ·ÉÑ„—¦â9¾lΔ²¯ @Þù$º`mQÓÅ£¾ñ(²KæÖ›¤u„ù7·‘X%`…côû¢v?r16À¤)¸€D;£x@AκÇ<ĉ Ò+uÒK%®†D„ <¯,iÁ–§:ÒEé¶‹±ðR1šrœò}hPî‹ _4^Ü{Lj($ƒT -ïE4é3? y#±jÉ-äA ²J¶‹ÍôF‰á›w;®…Õ¨ßo\ÒЄ¦| Fó‹4¬À$®AWŒ«1ŸÝSƒÝ•ÖˆõÌh—²‰ÄΚRýyí¦ñç«Wø«ß¤¿^åRòÏÒXQâ£ÃÜWš]z¯€ÜøÖ¦ ÿÿÿüÿ¨Çxƒ´ý3hü…ñŸVVŸ¬~µêáÿ?þ?V®>\ýÿÿwÁÿ÷@X³Ö-™×A¸Ò\ù*lÜoXÀq<¢ø?þ"ã*‘ƒð¿ Sà½ì-ЏãW6„m¿`šˆÐùÆ€ýg"0ˆ.„ѰLVô{?R\Z÷Ãôñ FŒ/äÃh;NãÉ{Žuû¯æ¯[?ðS¶¾Fß¦Šš3Œ®-p?Ÿ5‹¡û? ÜOù  û‰GxԜөv^=nmt7öv_l½ìî´6öº›[ÓzxLIèûlT=î¶vŠ“œÖ\¢EÅf®–ŸÕNé¹v´Ž÷¶ûCû ³µ·{ ¾ ÁlWñc¿µñ}ëeÛ% óQÑýÑPJ¯JGÅ5Ô¨„ÕæãoNëõh|®ê±ó^гÛ=̰˜ýœÍÑ $0õ(É‚ò¿&mÚȪ`¬DW®¼m\Bˆ´šÆëâ÷†Cþ÷%_jôæâ¯Ó7¯l`¤&¨c‡jczÄ·²>t¾ý¤ÇðpªiõÞEÀ–¶p6´RôÑy¥É36GV¶‚C¤Ðî)­» JC¤ÑùØ6…fqŠöåÍ¥J\† Ìʨ‹WƒÑàjveƒ§„á>¢ŽŠ™ˆTY—Ü˦îÿãò èÆD«®×XЃ­ÃÖvõxS`ƒXìP~ »…š‹€Æ¶Í\N­ih‹l…®vʧ)w]Xæè-\·xy~¹ì šS’þ¼±Ñêü5§Ÿ '…¤ïãÇïÖË™D/¶[/ SòJÎÿ¢ÂÖÁËî­ƒê1¾ÒŠ*j׉k´¡­jY¯¿±%—/† Çê.(FPj³…pz„%¿õ¢»·È;m”4|ëqbç„õôQ1µáÎç ˜ÒnûÍ~kw3¼ëŸ?Ö¿[ÿ÷gqQv÷ßêñy’€ß¶ƒFk ÇQ9êu£Ù¸, D:éÑoØUYˆ¹jSA]EˆXªÄ&,Ù•ºËÜlЧ¢÷ïd¬÷Ã{6A/Ë-1ÌÀe2bç*ÝÂ¥ÂÆ•E™a$j›XNÌÅ/ñ¡ŒŠÐ)µ9a~ KâƶWþ(Ðp)±f1Þ¥ÉsGm$þ>BÜÛz`¬ ÅM›©¸ƒq0lªg¯Eó6b=Œ’6ÚßxÆ«`X¿!Ä|M^0c'° iÆ÷d͇%ãÀBØ1¨³-ûš |\ÏY…ï?ùâxdMÏ8ªßwÔû.Œúð$e…Ò$ÊTz­]æE,M6-A°91PVþ–g+ ¯­’ß_6y—êQ6õª«Ëç3õÌ—c&«þEÍþƒ˜DÕçÈÛK^Œ]7<^}J@,.¹Ú#¨› ªÖµ KÐu‹¹¨LAìMÄ3 ½É¼‘®ZÙ`F:׿@V×,Ó¬%kiaý^̧TìM‰Ρ°En2IÞ©A¹ÄÔX¯ìp0°)îÙn/˜¦ñtÄoŠ/7HhÑI}'ÍÏL+&lp~.‘˜`OÄC©à>¦9u*q§ó²Û>8Ø#ÎüØÑÀÁ!ô¶W:JëïHwR1ú7K!Yì„ôlYSÅwqß_QÛæ)QóA±ùÎQ¡ÿÍ·oàǶˆÂóøœòQ!z0µ`'> ½,~×r·û GY°AyqšÂ(»Ž_FzîH¯4õŒ{ž'V–ÁŠX£wàüÓ˜±{ïÓ™w¿nØ =? npq+¼ù¦ˆ±nXó0ZTPlá[Ù’ÌjÅÌJ¡'´,¥; ‡fzc#Œ§½¦¹G˜Ð•u©6JÅ…›Ž7 8™f䯙+>Hâb 1ŽEÒ•‰ÁY'ˆmT1s)D¹˜ÐÒÆF©N¿yƒöžÿ}Ãü+oŽöñ‚š\zIŸóuÌ8z2áÓ¸w9üc¦n™Â—°o?_g#Í©GC[>H–þkèl`RìÎríÅîÿ‰\½q²@æ&pÍl¢,^Q#ÉnÆÚSÇmŠr+ì &½1ÑÁR‘8¬6B¤þ†$~‰‘ œlÑȸ±Ê*†S°m÷¡|ãæØÎJL>KøýÏ Åò£%£…ÉY†»µ»±}´Ù.L@¡mm|/_³z† #Þao½T¦#W³ÚºK\wjÍöæ š6­§;dÃÊÿ&¯Èùlˆ³òH‰•¢¸êL¨ü ¡UŸi>% ›¥¦šº 1:DÉ×3ÃVþ™˜Ðö›ÃFòÉ&ºŒf)'-ÁNó•<§7GXLD¿Z“×$аnž/¬DÐ4KÀ,Ò‘ESâcÁQ8œ L©¡.Ï85[÷˜<Œˆbú)p9äÁÑEÝljT\M´ÃC©›–ÊphKá5/¶¦ŠF÷,:ýSv{Ç SÑà|íÒ‡r<ƒàŽÃ›®A$᰾Σê^®S,¥ºçp†­÷¶í¯„8þè"Ëo÷ùc軦xób§A±‹ \*=Y…UH±y$Ò›Ë(µåpÔ7º]ÞÄS6g¦[ÆhDÄž&³‹KÃ@\08¸!ô‚ÙN >zg·4=j1ÄJ¤ŒÙÜàjõ¼A6+yá*ίãüjÅ5Áç*r°7Áí*·þŽr@f7PO¹£u³O\rƒ_ž£S>´yæÓ!}³™Ë,lv,Œah²Ê™Îåè¹ï鹇­~g“Ä“ ]“L*FæÊ‘ô|ƒ¿ ý‚þ²rKöÇ¿ »¹/È(Þóì7ÿ)l¤¸ï ½ŸË”ƒ x‘é€Á1÷& jP·6æ,4¤é ÆÉl¯ì6Û\EpÞÒ¨¨ ¾×4¾ G ©ŒÐ´a ¬¦itáÀÃ%"#t^ÑÈFo@6 dm,¶‚ ùÚ´9_ƒ ‰L¨±³_çî=i>àåIs…7¸½fÈ5¯¾ýJ¶Ë޾VyD+¹6VÂÌÿøÑ-H†LqÙäµìV1‹&\{ꃼßíŽcȆÍT@Èùã•MW׿¢K·Ö~ç»,¦_V³ÙÞßÙÛl«ØIÛ]„,TJVÆÈçVòXîIé3gÝŸè° e3Ò™Ò]š€Sò(j ®4ÎÌUäyÑ3DÜöÆ`ï¶ m¡w!sá€5T­JÎJ•Öm^Z`¥ª‚Ðb)év»µ¹µû²»¹w˜×‘™|á±²·jôÐí'ÓOˆ‚Rr†sÒm+Íõ:Û&'-•&Áþ¯½Ûz¾Ýö¥p 35¼&аN—Κýnçð€Œ»çq£!3Ú(̆}ÿ•½©æ±"$&“ ©¨|…{]\A:fƒ$º™ÒÂfçKä°jëŽl–,={8ùѺ¯A7G,8\–%>§!ìl·:¯Ö+'•ŒhçŒ×+ôo…õ„¹ÍÁù0 woVf£fë]¨-Jæ ±í\˜?—B”„/ 'RÉl\„¥×üÿ)*Çî­úÏÚ äô0·hRhsÿ̸=Ži'€¯¾Ä 5$¤Õ*ëxÏpøa‡› E+–hWÊ ‚BÓ½#ŒñtSŠÎc ±‘„po.ÂR6æ²×ט›¤‘ð俍Êõ[ÛíŽ\ïŸTî׸^wèpð•„E§$¡~Ï–Á_•}·˜Ôaºù‡žˆ‹íËv^(Þ·Ïüſ䀥®Î-ÀÓÕy)ƒË³&1Qßš ½"YÐ0{ÆFºTcô꜊ŒâU™º¦“Oð “V+Ã))zÀ¥X©@ßänFrc Ì} àÂq2æWèt_=E‡ì¼€ÁàFàê À{-æ%qJ÷HàoM<Ö0ò­n-S›h¬¥°`Ík)/‰X>Н5J6æØµÈ%XgIas®/“¡‹Æþ|ˆh&&»k,CcFï’aÂP‰•M"äÕ´úàÑ׿š‹Õ†He4(¬©aÍ«(Ò é=xðÀÆ&2iý§¥æ}7©4ió~ýM}\±‹†Ûô¦˜Á4‘v“q4™®¿¥“’hÀ«œ½ö6h¨Ô fd|ܪÜß8¡ËÂjÔCOˆ&â&++Ó"¬…µ]ŸÖn&‰*è]E†Bе²xˆâåñlËËt:ðÖÃȆªN±š.Ó¯y™B½÷Ÿ)ÙKY\[qV /²nµ*H§’nþçñbŸe!ô2ðË™ŒìG…lFÀiìɨ£ 6™y?ˆ¼{‘Ç¥õ”3[ðzæ+,êA “ïTy@Brœ] i£j>*ÍýŠ ªW‡D†ò³”ÜÏ:K’iÊAÈ2zϳc–¬'—»+ÝÎ_Í›ò Šw·±ZVÿCÖþ¬}‰·>ËÄ©k¬Í¼ž-ÉÝO2—•’^‡9ƒwáhdwdbùæ¯7ô}üŸaèëíƒw+j›iBœØ¬wÉ‚¼+Õ‰„›=–!â9r“Ì&Æ©_r÷âÉTÄnqr65Œ!D´ÒQSž .hɘݰbu8ð¬Ë`©˜AñlÉ4Mw£»—ñö<ëïŸêüsùýxÖ[dë¡z´Ò%ww¯A;ik·}Z+Êq,¾‚Ó;[HçH”âÒñkõÌ´X—d{·Ñ¸°ˆnÀÆE°êGÖêx[HˆÆj󫵺ÓKtÆñ%"kãH‡ƒ»T£> ÖÇÙè!®A!9Ú³è4è2§›qÜPŸoƒª7ïéÌŒ¾±ûÐX÷àEÑvЇˆÑSq½g5–ÌñÔì¥Bƒƒ{Ž~0R|üËØ4’]ÌxAä1çë‚|Š›Œ”M7…Ч‡ÈdÛ™I2¶c.—îäl¦ãsíÕ[kÞ¶þ:‰ó)„CCˆ”¨Ÿ]ò4oü³s[#—ûi?cðCZõc¶Æu9qõø'*î¸ÕøïÓ¿²sk¹ÐäðV÷óù º£¶v;‡­ímkŒ.b øjG&õÒà#¢ô–zFiˆÛØ*W?“>NÝ;ÊØT¥‚-WÒŒù–êš“ápfîò0(‹ùŠRjl5KbT8ÄV¿öÊim숓‹'Ôè$Ë‹b¾©§Û†Ð7žwM6›q¼’ïMk™ùà’Yƒù¼§cAñOYYâuoƒ0•Ô׉/±Ì¿Ñm `“ÚlsY7‘É1ÈXnüøFÝ×nª €Ð´DÚT ŸÓ…«µE­WlöëŠtÇ¥ûhìæË&Ðó_ ,jÞ@€Š<|™&ïÍ[©Ìé%±é5`ÿiïjü±M¼Ö'v»U8ºŸDý–˨È"œSÌEéäÌ•tèÎTñªÝÚl˜Ì—DkãIQZT±µûb̨ŠÁè\Uþ€ù‡c×ÓX,Nsx°µ¿øœÕ ºñŸ„©-Ñ4ØùÀõ“.}Vy«|6EÄÕ’½: —Æ·[;Ë+Íošàe#YÜ"ÀA¬¨f¼WðËAÉ Ïî4ð8þör:¯-/³acób4k&“‹eŽéò>^¾œ^ —ÍÐ/Ó5jµñàÉòUzÁøŒM|þîW²òH q;“mq»cÞ™åªNòÀCF×ï,‹YâûLÉDJD¹éàLÅ·­}âõ`ƒU;xŠ ìY‰ *11¿(âàa4e"_ ™Òzýý-³ JJ„y!C6§LÍêEc?vs„p±‡À>‘× ÿ÷ôœ*È;Ž>ÌçÄKÎwïžËè>¿r*ÐzŸHQÞwM:0^´·;íÜ 5¢¨hBƒ8¹3­+¼ä-*Óys.l[(/j}¼µašyQË}a±Ÿo›¸â,j½­u6û‚æI‹K¾[o?ýþ¹FÞ>ЦÛÊw<ùMµµ ÎÁÑv»ãX CãÃh$²û3`ˆžSKûM»ýæï#Pí@ÂŒ"*8gä[ÅwMã,¼;ûT÷¦a3'D¢R —aM2€ðÌ4›ªî²L.›9Ž&Ã&ÊâÔÙ\ä¿‹b”Ç“ä=1ËìDVб<(2|1ßUê)yYÞ•Ü0t¯³õFlÇ Êbß’óÙ‚lÃñíÍ(UJŒ.^RÓX‰œtïû§Æ6wcƒÎr&º2½èÃÝ3MgWb:Áèlbµ8|yï Æ|ƒî$Ôãâb‚¤Š|éÅñõ< ÁHšš)c詀̚Q…%µð¤÷K» ×‹ÇSõŽ¡zÞ 6zßÙìbiåÁ׫_³Žö†qbjǧîû΢¸ºh¾fÐêŽ1[‚΀} ä*T™\U´,£YXû?U´Òp‰ë¤ÈùÒ¸ ¸V2JßÓ G€‰Em„Ìñⲉë¢àÃÓõžL̯ɹ1"ãiÔkâR|÷—ÕðÛo+´_+Á^2NÿØt’mª„²žÌdãŠkD¢>ÇZ„ n¦A22^ Ö²®.¨¶â®€áhœWŒ•‘…ަlÔ&“hr(ÌãYL×ãšG¬óUÒ+ÓHcDvÛHSreü"^K°¯ÁÙ¬a%VmͲ@4Ÿ£“5¦µ‘6Gñtùý ¾nŽ/Çô׿z´ú]싊?R²†YOÏ”wRÊÄÒXaUê^HÑ)ûùgqœKš2Þ°6”ÖÛm:H5}°O]ñÙlÓ*uÇ´R`¢×<樘3R@¶7ÏHn­i¬nD\PÛÀ0³qßgK˜ŒKµ¯òµ†t ú6\5ñMWyoêm0­ X²Ó­ މªj Z3¼|Xî#Ü+“Ãþñ¨±ÅD±(b´êO;ˆr`ê"é¾ÚÛû>¬òAª@-Ƥ#à°-c²“878F¥ÍöÜö´®Fh j¦õTZ^ãÅ =c¸ U‚sºAÛŠaÚV*Ê~üý>¥9]­»t%5¹X/¯ðO®±ÛKf£éúJáÞJê‚ü°ˆg+ ±æË¤•èKZ>" éϵû¡1ŸÈøÜ¸×ù†b[9÷:ük¸òÖ³÷c» 1Ç€u°Ž]2±—ÂïræÃiíí²®ÇãÓ|=  ×ÿÃvÌ®P‡ëôe=Œ»ðõœ‡áõdóvò9ô´ŒòŒ¤Ÿ]Ñ › ó úe¹"Áwåð Ť”×GúçžÆàråø€}±O“4ÒËŠ59½%oqÖ’Y›½+a!®ÿÃÿŒÅ•·“U‹Ë!ÃésL'•0ê3uá­M#"‹ÙO¦9°…p§ÓØÜë˜û]dž/G¤å¨.7Í)­7Om°ÁÜk«ìó7߯ÀwáXoz~;™],ŒÉUaáY½¬—Ë,šqÖ/ã*"î%ݳaxÿ[lï³DË$¹ ÿ>¸ wâ›nTÿÉ6@ŒD´µ{HÿÑ‘ w)øè0Pcƒ§îfÇÂ#H·ç¼œ½ž÷B,hÄÖˆgØ iÓH,¬íƒÖÓõ•†‰ŠL;‡ÖU+➉uä›êAÒâ“§°ì¨hÃfjE;†M‰^> „›ÍŒ|GìPÓ•¼Y|ËÖ{'Léc/O÷scy*ñ^aC˜PkÀ6´$ÑyŠ˜]jq‘q˜©¥MáµË 2™ìº¡yw§´2?ÿÝ3Y¸Æ³©§7”˜u ³‘Åã²^“lôì/Ógù12‹ÞÔXÁg©cK,ãqqçµÅí“›E†XÈuÍ,9·X®5±ñ½Ér%,“œ§×q£qZ0‚ÇâìL/ç‹pp2ÆØ= 9{>3þú¬Çb0b°„ Bä­f–Ð2„e´žÉñÄÎüñQ§Ÿ–uuãz oKu*êÿ‚Ö×ýÕ` p£^øí·¡êÀhô“Át-¸÷Œ/RÆs‰‘öõ£jˆƒæþ«½Ý×ì{.-…[çòŒq½´\äì|q¤WIŽ‘;³ì,ÉÃÎ"Å™² ÔOY;HkÚw)-•çåÁW[š"qâ g83BCX©CKhêUÒÔ§ƒåÉP_%N$ï½#ìXßJcŒoX+ã,Ô·¦ÑY¤‚Uªà­â>ݧq9±c|¢ƒÏW¿»úoà»¶r‘ÖnS/½h¬Ká.‹×nÂçÍÂÞg0¹œ'ÍzH#ë„Ð":nfà…0J7L$æ : aÀâ~ç܃š®ïÏžÒIIÝ/¼Q ÞôÇüÝÌ+9ãkËug²%Ô®|ú(Ú³µt 4â1Äe§•x$Âm«;a –,Fsh¤Œ¸úwžxú†GÅ­"ðÚ—¸ÕæJ*G˜Ï¯ˆ‘98Ú¥i,¯¬Õ¹!Žú ëßÌFŸÊ«¥OnÁ”WjÖ|>WÊgä'6 À9s3*[„Œð<lJÞ—ôY|ÂÀ0MFêŠÙ Ì_êl›i%&IÜÉꈑµ/@ágÏÜÂñ1p7‘KŸá˜K,¢´b^¨£uü:‰NAü…“RA" iÎã6xbF"bžÍ.Ê`󟳣gü¡d#D4ƒ´1ÄN½ŽñwÉ—xs³î²”<ŸÂq‰¯[4CýXÑXàreLØÖjfÈâá8vØJâb ÂãÕü#êÒghP—­Ý—Ûmcåu;úuÞ™?“›J\üù±‹ÛÃÙ˜X¼ÙY:%BBüüñOÓ²{ʆiF”3¾­lt15“”ps…?Ûø1ÀìðFaEƒÇ¬¦†‚pñKà‹l—\#ô~¯Wæù¡b#k„…,îC§ªÿÞFËJJRI$ÆtõâF#ñ¿† %WkØ©HN‹[ÝÑfC»õ.»× »ÀùÔ¢|ÞÝ%©ù½qÖò­û ÊFÐݽÃ7~™7‡‰{XÌRÎ)_ƒrq5Zº#ïù>ÛÆiç”õ–y‚ÉküÿèKy÷ºùÉ£7Û€=u—H'Ë1V§Ì×Ðv œ¨ËÅAÎr.~âAư¦ÙÙôjú5§³"-ÙÛ-pEGWÕã ûÒ‡ñ†aœ‘E•ÀB%¤À¤Ã‰Ø@LÔ‹X„dóÃÛíõº½n¢öuZ4™‡mF¿1 ®®zÌk/ëH¶`kì5ÇsŒv°yÄC>ìõšœñE‹‚,N¿L_W-ÚwÎï¢#ÎoniÂÎÙ-ñ°`þAüjÂfZ¼ƒº"-3þ!°‘ŽbÐÒe´i½¼‘Y¿a,^.W]ðj]âiçÓìGÖ݆í=:Þè9¨0øÃ3°‘Øw«üØ„èšâ£zéE‰3Ȱ]ËCPÌ·}”y¨3‡p†æŠ¤ÊqTxŸ^ÏFʯ|@§ò\ñÌ#:´LöÂßNR1”Ib•º^[µ0IMÉžækoE<® (ƒË„"'ƒŸîÀ“iIX±ÁˆZ¥Ó&A¼_ï0¬`-¥Å$&ž4¦D¶h0>ØxeÖÁš§°I&]7iNU ˜àº””ñÒä2tÔ(=¸ØL¬3^olÔø:ŒT>‡k’ Z‚^…eëííóÖ׫k²Ð¡ÂÒ£îÞî†çÀahRx¼(bê¼bÝì_5M^ÀÐÛº¹i"ZÚX-*F˜†jWÂñ¤»ò æ_Ãä‚ì⛈æaÔÆ6š¹áè+bå¢-Ò0Þ¹(äú‘ñ¦ s”v¯âµòöÖn{wZ‹RøÝ_œÑîtà Fé»/Xæ‚+qÑ7Àßf°ýY/ÿ-pøÏ¹OÊ ×9`š$^\?—KX{~:Íʳ¯<µz–X¾!X­h$ÚÔ?€2ëÙ÷†+`²ÚwßsN—bE×Â`þù@ðéìqYÀ=Â) [%u@V'Bl ›2€ˆDW˜Ò›ªËuBHmtf¢kyñ|8ßð|½TT¢ ÿmMŸœœ”N–NÊ'9©œ°Üsx~zª‡¬í¥6|qÛ¸e§5#¸qˆ‰èyK}'áɽÛëÔBØzÍ…òuu ¦H…Î—Š Š!6‡b°&bo˜œ©õ†‰%Á©8V•u6¥ÁÝ™©Ä½±­Xb¤…eÂæZ¯‚ˆ=Ì®†ƒÑ»§âS&Ö ?wè0”têŽxZ¼!cCÒq¬yÑŒj|Á»ÒîI,híùäÌ!H–ŠØ½G|¼(5Œ³„¦nD‹Ò!-åx”[›JzÖÄâå™ñÀ„Û<‰qº×dcÔP0»«¼’²ôñ£|.ë>hÄÿW3Wÿغþ}æÈ¢yÑ–ˆÇáŠÕë¸Ý&w#â–öàs-p÷„½w\øš‘¯æ(#¬ÙoôjÖ·'q°šÄŒ¼ÃS¡Ýþ÷àù˜€"öÞ‰Ð5§*Ý»U’Êžã~Ö%ê1n†Æ·Ný!˜<1ÑH%ÐoN,±Ìî ³sF;{SÆ%ºÖ‹+êŽýu1ÁV24J*¹‰\„OX5óÖ¿ÈÍÕ•[þÓm13媟=å™Ñ*j?7[ÝnvY‹Öên$·C[}&NÐRøŠï~ŠÒ®®@“˜õÆû[›3î:ÈjµÅd¬ðì"ÍÍ$Öß`œ¾Ï-º›oþsAϛԚÎ}FÞ ñ¦4±Õ]ÞϾ!ì›û¬wãÓÎ4׸…*7¨[#Øâ¬¬cO*x9s¾Cß|³ú5+n««Ÿ0y7³ÉG>´òRc aÍšsmPLA˜"iW“v%e7ŸÁN·½ñj¯z|\aøÀrõyë \ý¡V èÇnF?W8FX@‹+cñS®"[mΰ§rzZƒû†5ß «îÂãá-æã;ÈàöäÄ[Ÿû"Áò2…Y !¦QâYUÊ?T,2§ PEx’4Ü:ØzÃR€¦ØÙý°.ßåÉ.[¼-ZÆ5Qšó–‹Òä‹*N”±IAaÑÎ5s`7‹NI胼‰¤OНV4îÌËÝ£šXíEìüŒKNb,p.ÆÕÓ€Œ§Œˆ~6ÑŠSÏ<æ\|Sôy”°sXõI’¦ ‘ã•wiHëêüfEht£æÇcþ.J}ÆqI pyÛôOäwe[ÞC@”U`ÀßÝÙQCrvcíèk·º@1´Ñ¼Ò®#‰. j¢Ü·ÄŒòLƒÃsÆq_Œ+ü\qžþjÖï ñ²}§•\sPZ“õŠw¤^>o/X;™ ­%Qv!ˆ¿sv)¸ˆæFoÂ Ë 2F¥ØåYUm`Id?éâU<;ÑËàh`o?nN×­K> ê>’¶tŒ:ELÄÍÌ2Ý­6—›Å^Èé8Ì»‡{{ÛÕcÂ𘇌~¬ñµ/3ÃF‹ÉÚçûUƒÆ®‘–<Z˜m¡žäñŽÚ={ŒüÐ:Ø#þû  ¯L@=„TÊC̺ZS-’gæ÷3¬i/ZÁ|d €W;Çlárv%~ƒ­!à/éz1;za £Q†Ý˜«!}ÉÔn¬V2•—ŸÕ|åŒË1Ÿ¢”Ž`n{±gЯA¦Eúè?Ì6H`/övZ‡·˜aÝ:æX}L¡³[ âcy P5ƒ}}ÿ¤R+ŒiF?À Œ£Ñ ÈÓ—n‰i~)]J_³>ó‘ˆÁ€L‚Õ– ÏÑʵö†i gÁø)w™ÒÐ3šÌxüü´î”ù‹_ÿw¡˜M7éé³-ž\›5œÝŸz—8äíØ V695^¶.{¡û%|›­µÀœ†&Q|è[Â=îúÀgÌBlÁcÈÜ8pWÁRè"…k*Ûýè\Š„„T|UHTœVÍf3Ãgsë€êWþ™~bV>UŒ!®PŒ=€óR8á]<“~š_o¡‚ ÒÞ¡æò¢b›`ÌõÊÅh†¤™+ºÅÖã`‚ ¨Ò {ãAÂñ4+AÉðþ‰5Âܯû­GÜEÜ)Ke]>¥Jhç+›ò¥«PIŠê¢t‹3–6K¡ô9\ †V¾ùúk³OÌö¤ÖºšÉÀùàCÜo¤ÄøÑÏxØO›~4C+6Ψ}u…ø0ººK4£x´µiL4—[›ˆLÛ™ÖjÝ îË. %ÌQB táøï4uTÎ2åC™“>|ýðÑC[–•B<üêë¯kMßmîCw6误>øæÉÊW+”tõ'jqÃÈÓMš Hm]úLøÆ²éL-qwk,7oÛölÃÆõWŒ«x‚7œü~u¥fF€†© ´%‹ùQ "#À7l1 覀ÁŒ-ƒ+sªà9AQn75®SpµåT•êqŸ ú&ç$Vï¤dä#Æð-¥jÌ Ú`-ž}ë]˜D‹-Ôncˆw`†C³m¡Ôˆ½àõªËÕz—úrjÆ¡7…YeËœàÚ¸ÿ匸ær@:ûÑу‘‰Çí…!^ؽ—¦{¿¨{¹î]üòîÝÖ»S:ÃX B_åQôå# ë÷´¸`HòÇ}yŧÀ’i)|I‹*Ó&†g—ÆàGnžð<‚ŠSŒHû –¿¹â\‹É¢Ù ø%Ù]PŠÒb |n)nÅmõf໼[ë,c‘}7“‹Q@D=+!»‘xW‰›XÎP}óê‘FÀð¿MïRñ×tvM|S2¼àëÿg"wÈ÷ÿóÇŸÁšÚˆnoƒ^7§'ÍÇÍ•ËVº]ýu ŒÀãÇðïÃ'«ü9ÂÀÊW«ÿg…®W¯>z°úÐÃ'ÿ'ü·HíŒý÷ßäуͭƒN¸{["^=Týà¸D8ø%hl…W‚`üîB,ž@æ×Ãr•–{sØ.Iw³uØ¢DöŲ[lÍq/%P8Ü–ª1ì›>r@"v.ÝͽN‰i—šmÊØØÛÿ.ÊíÖæN»yÕâQpí7‡­îæVçRAbqšée,-…‡{›{k¸ ÊEÅU'7ŽÈ¶Ò\yø×ºFåèñÆ(-®%‹¢Ô¬’®’Þ&²…‰ÈJ;ÚG­8vÍËöa‡Ž%¯PØ"-±/ ‘õÔAdZâ?48TKà¿Z+Jp¯\…Àøú†ƒòÙˆyÔŠróïÖ å Qµ‘­ôõôû߇þcþNá·"O¾újý_Yyðè¥ÿ_á'úÿ ÐÿßáÏÒŸÂå³Áh9½ÔHs:ït=‹ÒAo>¾†ñR ä‡òpë«4kO+›««O"ðp£Hå¶ò…¶3æwN릦#,õÔfF—ƪ2(}SñþUZÄuSëH^²qïÐh1·½xGªoÒK–j<ËE~ªb4c••]ÕHÑý…E®±…Ê œt\Òâ®ú†Ü*s¾LÆêø×bhoÎb“ƒ¦^ܯ·_톭ÝÃ×­ƒƒÖîáO­îEvŒU5 Uˆ&º¼" °Ó>ØxE9ZÏ·¶·Dû_lî¶;(ØÂV¸ß:8ÜÚ8Ún„ûGû{4tD~MùoÌsšªO£"ö¡Ï€ÊW-ßœéô‰ˆy‰Nô³“Äö3‰nÈZ^„ìm‘L%ØJhþPʨü¥°%0 lJÆàf¥<Àím¨ã®JsÌ^8vN­²ë(š0ØCd'˜gQÕ”)ûeñø-ÅÙ{ëu^÷W¬EP­ÌúÖ5ªxäÚî¯ykn5Óa“™X€(ø£5[É«»-â/FcTPÇà‚.ËP¨` ^°RãÛ¢hßaE¥Ù:fï¤DT1óM_ÛôÜv ™|yk‹†£ç¢#ó@# Ža_,qØ Lð0a/ޱØ]°†øfœ4&ñP†±<È£³ àˆ2] ³Q­?ÖÇóÁZX¾_Ò¸,ÓêJø4OÎÕàñÊÞ7-Ò‡o¿Ý^¯a–ì6ø ^uëÀ@¡Ã䢙Xçð”`’ºçlLK6êfS®5Ä2®ÿ|§GɧS|ë%ÃdÂ5¤îCAb~Mú îš-&Ÿ¨ÎÆÁÖþaxì=4ˆ·=ÚiïvNƒCŽæâz»×7ò»Î™¨/¢Î³a€› ãG#‹rºoa•3Çu)ŸÓÎK-tC[¦ƒ<½œO5‘™­ZhG7ŸÄÌc†1ŸÄ[„t©ðF(Ÿ0»’kan|ç’Ï­ÚZX0âùl5}Až¼¼_ ýÝ_ŒÞGÃA_×$¼QW*%‘SR—‘eÈ¡(€ÿÁÇ¢¬éz`PÅìsèˆ3éJeÿÑŸž’-ÂLA)¼[fò\ f†îZ‚™Û’æ§x4+¥Í !¶Ê¹9±:»Í¥¬µl¡Ùª]—ØgïAq%šÏºõæòz‹-g¿~¯1¥øfÔ®¢B¤åèj™/ºt•_Sû éM—KKkÈØ‰]¯üÿŽ<}¸rU á÷ÝÇë‹ÉH_¯òë—„Ž£à þ°b>l3‡|a>Ÿ gúù~>œ±ÍÿÕ…)ï+~¿C}§“ŸÒ)·€^‹Î`7‘½eÁÝÑDnWÎUpyœ“Ç©ŸtAÖ+â4fWXhWÊSSNk†‚¤Ó ‘Ìh–ÒéúÊê7OòT W¼/ø_V½/V2yúŸf>}Ŭ‰#Ö`N`1,±GJågt(»fCBĤÁ-„y²ÂŒÖbÍ”5¯µo¾±ËdzM;=¦­yõ”¤Œ ±ûu¬[/Š^’1†è ÉGSË:™ò×øX“ Tò®‘ß9jcR] “³hØ(J\ZW 'Ñ ÁEɰ~ƒQC §q¡¼ªré› føƒ¹` ¢2`M×H¢!´,— D2Ro¿5"rK¬]£éë÷VÀ‰ÏQ~‘†¸P7Ø…÷„¿'Ô×RVÒRÊ&ƒJõ絛Ɵ¬^á¯~“þz•KÉ?ÿI nä¾Ò͌ޫä¦Äî®ý?¤¶ÿ‘ò_U¢ü–¢ÑÅú¿GW¿z”Óÿ­>ZùCÿ÷»ü)òœ`iW{·}ÐÚ÷žoom„ô_{·ÓøZüàÄžŸÑAºòÍ7+A0‡5õõ7uþôáo=¿BšhônHgugJ©é@yA—ªËð¶“zø´§¥wö³¸ÍeŸîˆWg8N$îŸ?ªl­±!N#i6G`zYr)xJÆ„ÎNO=üNª…áóŠ›Në ¤—‘ÌòugŠ%\ÕÅ,‚D8ŽEl}[Uø˜6ÓÝ0 OæäôVpÏèCð™¦bþlÄs‹$ðcH©YžÈã£â–ÌÒ ÜÒOƒA Ò9ºQÄ^¯/;@¬Ô%X~XJ!`DˆO"^µ^H²-Z¦™ÎõàË J3ØÛqŠ`Ì :¦îÝMârM´Xôõ&”¶˜ð«Œºìó„—ÖkE JÁ6b02ÚÆgAƒ&ñ9`%ÅCFç¯ÎÑ?ǪŸ:¸7[Ô²tnéåç ç¶Ö¾Þâðö“l£¹öI àŸ]ðJxÁC‰ý•4Rí ½¬Õ ZTÈlÒ“ðà¿%%Ô ÁÀ q;˜Ö3.Åf¡f#e‡ø›ÚØ“V¢Ð\¤½fÜŸª—„ÇW‚ÚerŒo@·ðì&È:ÖÏS½´î»H\ X€oXäÁÅÓ`œ ú­U,v®ÝH”a®DJb8ZÑé;ù”`V&±UkIª&¤¬i¾ÚÑéÚ Œ'ä‡rÏHÅ3h d%«6£pFý‘dý–¿hÚÍ1wñ‡ÀF9R¼@R’Ò!¯›+WÀöÜc&áy«Òæ–p¦SÕEo@EpÅàÃv¬0®‰'Ý”]ÆyçoxƒÕíRó–´ZÞÊã(d}׎ôR\9®Ìb`% ß&ãY0ôk0 ÌÔl2Z°JT}u ¶xL76xžôìÑ™uxÁUWk4~´Ïu™x§Õõå€Uñq_Ð6Ÿw8¬û3œQ˜fêãV·è²*¸c@WêYIMWP*ßõfYð&à4¶.8 g›“ÙGc6Sa˜œZÒBºgÎÑíåqŒU°øP d3Ü4sw¡}R‹Ô_AÔ\2j̵Y¢—Ôsžµ4%ƒQ4„Ø@º„3FceóQ:Iú3u¾å3$U- Ò<ÄÔkØ{SV ÇQÚ‹™ÅÈNÂç!›øÞdÈ“ '°Õ;5ní4–S‘F˜Q ÆøÌȆ¯c¦­LAØ©ˆý"A'ÒcO…Žƒ‘••<èöà°çgð~ÐþäŒ ‰TbÙ°cZ›=Þmêƒi‹ádÓµ>UL4ÅÓ\·Î$W‘¨5a?¤-¤!ÐÉö;³,”h~ÌÒª(·*O¯1î6]ÄÌZÓ°`ðaØËç“Ñ2 =ÄF¡Ô³ÚTì@ß W¥Ú ø¿ÛyéÃöÁN'lín†6dšhÛõVa°v°õüˆaô‘pgosëÅÖF /P僦èj Ø&]›<ò£Á< Ì•L tÇáñÐxŽ‹<ÊРKÁ˜K£å}5P£g¦ÚXPÊy ]Ú—ö•êâ@W˜±Íç3ÂëZ/¢¥(,qWÎ"ÙÚâħ¥#B2¼/}}C‡ìdð>B¬/i¼ëð0º^ Œÿ1kÿ° %mοØ/Ù6΢8«¹d¨'wÖÛÐ_{P÷E$¨ÝÁ6ê,ºÀU_™$ªKź͠QìÕ o%Žìú©ŸG™™°ä×^Ú]×m"§ýþ$618Kt”hy·M¸…DÇ•Ñïl’L'Sfà¸eYºž ½em6Œ$Sè”J7KÕÉy0™æ†^)´a{à¨aœ\ý g^–ÀcÜ?÷œ+ÄÜòÀ4Õ¸zÏ-´ÀÔ\…¼O<ò …ÈÇ@ÖLŨŸ-®5ƒ×VÀ¬‹l2‹5XdŠZÌ!d; o'&2+Máh¢›»Üh ã¦ÅTRŸ©Áôúœ6xh@éŽe¥?˜WF›h~ì˜áC3ôfÉ,JíDs˜° ŽÚM¡Ì0h#ýTÛiJy´½a4¸ Ã< ßA5 ”ÞÔ°zdKÍñu.!G§J(·@ÅV6ñÌÐ7[t€4ÌQº»¢Çd‡.c—äê 26H65M•%¹ö0'k-oÆ—7)‚g躖ÍlînR“p{ÆÜ'kK¦  å•™Æ––úˆí­KŽË€JEö´¹pj¾LðW᳦váI*eÎæÚÁk`‹õÆ‹Gw–ÞsÕ5õšgþÊÜØÄ3,ûTŽ:ƒ§??±êx8Q<9çpk>{0`­%Â(˜õp¬@-ø–(v7¡ ´0Âw$бQçC˜7E†â……/R_F~±ø"Tƒ;„±¡r`v}è.vØ 5'½ ìøŒ™lbÙ-1·aô‡Cs~¡8ƒ ó~_çh"—â8¼jÛR®ïD{dOÓxxnäf¨mxA«ß¯] 2ø"2e†¼.D,CLoæ9„Ì‘ÇH‰¹ÂšµÀÊP8é•X>§‡‰]®\¥Û|1 `è»Ä{6ε\-9‹T,Ú™u>– ‡8C;¢41¨‡°í³쪡Å4æ°{W4ÄïãTQÆý-¨Hr¸øb‡Ö æ¨×Ï„N6Û|ÞI9zIJ(ÍU ùólj3¹5ÇÆ©¶ØŒq¬P¹™0è›Ñ ¦®Çoê™%e˜ ¢æ2D(ÈŽ€È‚hDc 2`xáP>±å#LíD«1<æŒ Œúr•nMâ‹hÒg,]ð3— âø°z«lÆX<¾xEñSK/uœø,_äÉ™OM§/F¢dr¹›@ã”;4V„”îiH³Ä1¾½ªøvÄâ‰\…M¦“dX8ØÞý)™ÀÌq(‘“MÌ«N€ú¼5²ñ‡ëtRCRqQ2Åê•GúÁÈ~yV‹é#¿¼…©á9 ß'ÃÇS Ko:M&°Ìõ·Ða}:›òçµN¨¦„m‚e~Ñ!÷ðvN=ß…|ëqƒ”³Ôp?«5Q|Õ›ZyxÌQ÷˜Þ€!+8~ƒŽÙq+܆ՙ¨E<ÅïÊí9ö©Õc`©Ñ¸"èlàÜusv,W´3ˆjà,G#…rwºîy³k}ׇŌ 5Ùîðëäõ¨´ä*š €Âc„DN`ˆ3G˜±§4„uËÍ÷,²û‰9îz(– ÌXÓ›¨ó”eqÒ¯D6`nÁÞ*˜?b‚pSW~\¨Q"^|fÝóEªì2~ñİÚ:pþz­ @½¸õçF<ãN‘œÌ<0ß'çïÝæ`ñøKO~Áô­®ÁH ]° ¼++³§z0óÉÑŸÓI-è2XžECjËHè™r1ªÖéÀ9‹G~Â."sÒ#EÀ¡ÇЦ}>«õùÍ+± ÙUÇ´¨#Š$:¥ g2úʹd”e玨ˆ@LÚÂ*B™Ž+{r"s*µÍ^Ìhãàzä€f^1 朂êsýñ· «ûF‰¹ ÄÐì±¢ÐJz,Oëg«âÖ.ÒB-8~| 0O5/†Pô?Ì\ÑŠfî´êâ ¾£ed¼¦= €ß'wV Â2&ÞlÿqQ¢Q˜oQO%­*P®=ÒÊræìèÑ!>Ç-x¥ƒÅòv;‰˜Œ:âQé\µl0w©ZšWK©•«5¹B°ëDšÑÊ\s«Ï°ÛÌŒradÃ|~±•*©nt/ÓÐöž 081#!4!'-òƒY†GŽeÀ"1kêp54ìk-Ôgd¡bñÆšòõIOzCÍ=NŠMˆ—¦ˆ<ظ¼VUXPýâÚA>¡bªk¤SÚåÙH±8D˜ÇŒ ´ Y݆f|ÁAg=EbŃa4î<»ìæ¦ š'´ª8cÄ0˜8CÛ0Þ9V•I±i]¡óêl(„e8@ &žº¯dêÌíοkF·-{II=5¯µ¼`Zk»ž˜W8Ô™¸à‹Ð6«ÕUQðiÐ4Ík>Ä Þ¨g1 ¯»œ Ôõp][E¾Þçû#åvÆ0Ò 4<Ã_çD÷U/.±×D´ÝcÏ®©?R‘nfާ‰ Í‰ðÔ}‰ŽOZl›ä1wÃQ«‡ÇMÑ¢p8$áOnãô?ÓãŒ}CnéâgwFã_«-0:eý"F#²‰³’DO×oÚE»›IÑšíx^ÔXS(yÐÁ rËóÙ„µUÛ½‚9‘z%´wM¥­Jx]ÓP\²‚«dw’«“D[ú»gêÊT…’G¹¹ Ù“f¸u.ç:KSh‹Z½Îº´ÿϬÁ’<áQ¼Ë©¨ŸbDqàÄ&ѹΧÑ@\VEñ,xÏ6EzÝNgqZ«Þ*d^˜Ç‘ÖNÕ—¼ÑVãÇ <„´bG©kΡxÑ6™*£o«È푺(Ûd/㸀èõÚ“qq^±¾PS(d÷%ú‰2ã) xhy¥ƒ«Ù¶i,ª"Q_Ðr¡l¥£ú¯´ñìöbxsr]6=ùç&œ·Y˜ öžZÌ)Efv­!l'&¤á$¹¡[ÂMƒ­ ¼Íí± ¦"~Âõ&l‘“Xõš*Xhex#B{ûD·Hf*¨ÒE¦<|¯PãOQY‡—#‹ àA–zÁ›¡OŸàÐ²Ò žä[š/,œ§ò™“G!B`<#­^‘Ýò¦Œ™É“£—‹Àfì͆@ELz³+¸#oDCGÂc¿xÏ&5™¤Ñ¦˜DžR"gê¶”#YB_-ô§[‰Ûx6a V r£™™éùÌO²ë=C”ÔU<öôF…g,­36{*ª¹Á€Ñ¸–eKʧÙÊ/#½Ð w^ ŽOjÐ鋉–h,2Ýý:3ÅÂó×­x5°©äˆ‹q†YýcÈ÷8ÐÊÏcœ Z½µÎ ›€¶µP­ÆÞį¡ÀŸ°†~sMŠûYíLºôJ†‰JÏ“‘È»S&œlÕÒó®l1Kœé©ÊPgc«ìe{ªå¾ï€Aeí ÎC¶º‚ÓÇT°Z#ÈÊ l[Mû1ÒFŠñ‰µ–P2¨'¡âËdÀ<áan×øË”­ãÐPÔá>Û:]ëñŒ†!~/à,ž?­²Ø ¹Sîë¦Ñ¬å¥Ëjÿš#X𢴶P3Q¾q(½›b©¸ÅvãÔZþ-]H´ãFæ ‰@ùâ•fÚ1 `‚ä,–:` €‹äãKVŸgºèY¼Ð±&Џ@è°íŠsùËdÍ8 ˜Ê0—n¡³T+`„ã­‘h¦àèYÏ’bâñÚÀP¤LϽ&"¢é¹/ªîñ,éßÎê7M6ƒYh“Ž‘2¦“øý€U·2å0oVï±40°*  Z˜ˆ; þ51_ý2xï`]Ò? r:L؀ݙRŽ‘#9Äy-$¶v ”A°`˜Â‹µWam)EÉA ‘!™·6à:40®BÚˆ)¤9žQ§5^"§Í®Î≳5Wc‰0Åwõ\Ú¹{„PJÏšNÚhwÁ§Tw—8>±†çïîħY~ÚXˆý iT21&™ª2˜DÖ"(Xs}÷°”5ÌVÁäTd7Ö€%1l¾É‘˜ [Säœ!vKš†w4Ö¨Þî`VaÎø„ á„üúö¨©jï2;8ÇSËJc1»\f‡@­éÁ½»‹´r†ö°ÚHŸÌ}fäsÕ-†Œ‚3GrsÐí€+bL­í³:là ãq7ÀO´äû®-0¿H¢!ïn ýb–pâùÌ®ÇCOÀ¯Œ«OÆFJJ®{e‡ 6ô%Pmæl°"º ~ÆjwÏBSñ¢Xi†ÏÛ­£N;<|Õ5ªT¸Õ1v²›á‹ƒv;Ü{n¼VbéÚHá—«Y¯JµÇÏí7‡íÝÃp¿}°³uxH¥=ÿ1líïSáXi»õÑÞl´÷ÃׯڻÁнEíé¶ak7|}°uTIÓ܃­—¯ÃW{Û›í¶ß]¦Ú9£ dµ;µã‡­Íl§J­5»dqºLãÑ9`v}¿µ»YÛ[\PûÍþA»Cý¨ì­jq›>nínlm²iðs*awïÆ‰zFí<Üã¡1iMéÔ*?ÈÃ{Á–øø^<„T øÁVçû°Õ t`ÿë¨e ¢Ñå <»¸Éÿ‘–Ñ^¸ÓúQLµÔåAÍ´¶ÜÙUA‹Â­ÎÖó=ŒÁsjDþ¢†`@0E›­ÖËv§ØEÀU«yy=ìì·7¶ðƒ¾ÓÒ£¹Þ–Q¡]ô_G˜Ez¡…„-šNt ëP§ {km׬ª;¿/«®îÜúúØÞë`±… ÆÊ-¦Ÿ·u—Æ‹·Skcã耶R µ¦sD›mk—'%@y7olšýÄãâè`nQÍ{4„(’ך³È:µ:¯pëUµñJg/ÌìÚÃW4ÏÛ”¬µùÃ(ÔÐ^èlé˜ìi :Ž‹¨õ–søgs¼cªßZE{(xm Dm“p—¸"=SdÕ#´O'ð0Ó)®l“³¶ô\âÔ–OOÕ vI§ÝUDœ6KíA%W@½™Ç l#²ëK\E'µw—Á4ÈrXZŸ9hFÏyÔꔘÑ8ÑÑít©fÊñPÖä7ñuª`tøÊ”FçèZls_™ÄlȪ(|QU k÷RqZËBâ$ÞÇ7ªÚ".߀Í9“d¶ôAQ\†bhŒ˜Ù/Y¾¡DŒÿHÅ[á8á«[ìØ8¤¬RpÜÎÁ)èêúãÉùa7âê¢+Sô]RÎCâ "±9¸H¶ÿŽËÊúd ƒ…ï¨.ìsGßI½¿ 'ÛYþœÆ¦ïî œ¦’m§4ãRò¸œE¨œ…𥰜lUòë€9Qįƒæ´nHwçä¿S4b¥›Çç|Š‹/ÃsÞ‰W¶°ôç—#À…æM'øÖ$¸ið£Dœ °°‰³ŽaÔ6IFÔ'ñ"D¼+#‘f ;2v¬uC!ûI„¡œXÓ_D±7ÛI Xn?ì{‘±ˆeœ™‘—#âÆßË5À,ñÇßÔs;:Ìîæ¹Ü€ûQ·ÓÖóÎÞ6q$Û?úÜôS^º €‘‡oÙáõºÒt#OÜéÃÇA<4°B9Á%¨Ç•4™»ÛS¿º^ÅoHS,\.oƸ²>ÌÙ†›öqln]ÁÆY7ヒ¹p.ôRÛ;gŒjM\}I•îÇ„ô$ô1_èXá¹H6M=žD¢Ïà,®*²Ñ£¼c ÈU<šÑ€ÅWi£Zηn 1§¡ ¾&ÚY¶áƒ3'‰‰¦$7”­jœå­Õ²æ¾Š'µPÜ¿'AŠ»þPt"#±{‡RîvNŠçuJΟÅp ƒó`ïúTœ<_©={s‹1 䨨Jà°h™ŠWÆÉMÒ¿źÓY xvc+3"×Þ!àQ”kåTÐ[oW HcÓBÚ©x§¡´À^&­YéUöw´&|õÞ!^•õ­XœÀ_œVÉá í´dô]=\!nm22  ØùPÆG:0ž`?Ð R ðúh2ªar¬~Y xγ§Àªã&>)Š Ì$ÐeƒØœM" RiN`ÌÈÙ3™˜ÓŠÕ”Ò ù£ ~ž>µæ+n¤MB®5©ñïKgülæñ1‚b|Œy!èhM¿þ“ ñ›A#=y²ÿŸVŸäã¿<üêü§ß ÿßÀÿ3ìul±¿`Sbë¥lµ2‰ "9c:jPâ¦SöC>Tzí£yõ¨nQÍ›—Íø1²¼ÆÓ^³fð^ ×k@œÓ =H”Äð Þ§~eÜÅlVšË¶A•féRñ«öÿÕ£åßzkܶÿ±]lü•Úÿ+~õÇþÿ_›ÿløµßÿïÑ"ü¿•‡Ož<òâ¿Ð:YyôÕêã?èÿïBÿÃìL‡†!âÆÎˆo3šÂ³¿ï ¨ô†‰LA?9®G8óåÁ£ýõU?ŸðßßÔm(˜¯rZC0†^¾v¬z§—L§Ê°ÄW£Z>ÔãES1Á+rB«Ûä œDÌFÆvo:Ɉ·2WZù5øÄy D¬s¡`£CcTÌl­õ©ÂŽ1—Šwƒ¯r#3¦ñ‡䕯ž 8oˆTlfE gI2M£=Æì™ø<8[ze‚ã’ ìÈFGÖJü*êM’4|?ˆnr³ýâh—9€Ö‘<ÔpºËÝŠ…C";cÔ ëŸ„WºœCú,øØkœ>%pLüACn·ö·êbœ*–/6æ ^š¨#NbzÃ1ˆõ sN/éÎsƳ^·ÃÁס³+÷Þ±´¸B¼ŠÆ]º0›."VÐ(\ž¥“e†;\Ö2¼ø—ªü¼ŠYa.@Àå3b¸ŒÎx ½Œ¤3÷g—–ÎÀº„nmÒÈLŒM*ˆZHeŒgê;ƒFúßGt™wáÑˆÖØ$­IÉWÑdŽvhuªÕ2²ÆcÙI œÖÕà‚ÙÔí”óskd¼çþ¤°¨à¢~ݤ<” GÃh5¢p†ìM'\E%©[¾æj¹dç…„p—LÅŽ„G›ÆòBÎÀDu? tŸÁƒ¸2D¥‰ ÊCÂòé¯F)çÍT—+²[ Â©¯kPŸ×¢*±›‰ìnPCò«1muÔ»Q×AéRc…NU×5 ¦5I£ýIt yŸ+Õ•Yw«lª"Ë©ÂÜ/…?Š…U4U+ñ9¡ Ä€ª¦}P]xï̈t`}Q3X™0µÞûœ±M¸Ò|ÅŒ®VaH¦ †iaË)i–îhrØ:LÑÕâ‚ ‰J ¡Mìà°Ñ¢’ébê /±È,x»Ä›¾êñöáÄ™íÃv÷‡öAgkou5¦¹ÆÅå' ªSÆí­ç‡{{Ûôïî÷íƒîÞþ!gºwì ]˜ª¦Ak]i@·ýò ½OEäÊð¾å2v·»6ÁÆ«½îóÖÆ÷íVçU¶!·¤+.±óª½½ÝÝÚÝ:Ì5gþû‚~ì ïˆ3Ômm½)lN>MAIÜâíÃÖÖnACü¯ÅÍ8l½ü¡uPÜý6?Û‡›Û]ºµÛ9lmoÏÏkAš%í´÷öÛ»óóšùºx7övö·¶Û ÇÐ&(.c{oãûâà/­Ö5‹²÷¶7»­ƒW[?´®í|ºSqðcws}ívÚÛ/ {“O³¸m<õÝîÞÂvùinïå«ÖÁ&oQ’¶þžæÓ..yïùß7· æ=û}Á²Y˜Ûûø™ñ¡9Ak7ö6Ûf£-ìÚ ·ýîÂ4eÿÖÕáRP>lÿÖË­Êç¾- ™Ôâ—»G h¦~\œõ ½½×Úì"Jí\û‹ÒÌ—´ÙÞ§ÎÑ|ÕÞø¾»Ó>|µ·9WTa¢Ï­mÝÔÝݽîÁááÖí7—úöY{¹½÷¼…Ÿ;ÏQÂÖ~ûÖ%_ü®­ßÇ´Þ©åû…“œ_žWÉÛ·¼KvKy{CšßÍöâÅ›K–+Ï?U Žî¹Ï‹³wÚ›‹3ãcM%Êö¼Õi#Ô_y÷¿e6Ãþ|ÿìo·Ûó$¹0UAiÊÝÜZVAš|Iv×Éèç{•ÿ|Ëoí/&¼ò¹ø˜’=º¹ýbc·øÐôܾË6¤ÑßÚОßJ sI23{»/¶^.ägôs™Úê0«ò¢Õ9\ÈÓ&ZÀS´vië¾y³€¯0_oÉüâÉ“[2ãë-™_nüý–Ìøºxf¤q];’ øõLªÛ¡°¤ÂŸkÓ›7wk•Kwûä|¾e KÊ×Ióq§¶yénŸû϶mqIù:iºïÔ6/ÝíKë³m[\R¾Îƒ»-´ƒ»¬´ƒÏ/µƒ;¬µB2ÿ½¸!/ˆx3Jé ›‘IPP†± în¶^oí 5í̵ Ý-÷_ZÌûûÅdÁOPxËlï·Ú8h»ÿu´@ë  Q Ò-º·~îF~Çë8'+&—öÓÂl sm,ÌTL×í'd»]ÿ“Î.¢É¯ÖýÜAÿóàÑ£9ýý|ð‡þç÷Òÿ˜™†îGÅ̯›"F7ìH·àOúçVå~~}›î§@óãé}^Âé‡føC4»¸ŒF¢óùFå󨛋x´sô²uP }ÐTéh€õÐýŸd0ªvÚûõ°uðr7¿ƒ—«Ífóñ ·ý¡ïûƒ³v@j9«ü¢Kàb -Àñ© ÓkÁ’bïá~)¶hÂ2øÝ8£é`²˜žFÚn´¸¯ZÝÆjóñªÁÙaM†ƒuXáöyyÐÃËÈD€·£W=ÖÑ8­f¬ÊK¸üuZ7®úv—WO½/&ÛªäÿðØ=­•ÐE‰8htÕþ(?«Õj†º›Öt‹š#%¯æ´ Ú4înõêbèE“êöVç°¦}÷˜›ùh4Ï8Ô‘!m–´iµ–FïLcêoÖVˆŽÀ(ÒÙšA(N Ym~õQCýc–LMCý<áz˜9jºöú4;ŽÒü¤> qM£!½z°¦Îý¡³ï5&ûvåÒHåÁÊÜ<ô¹¥Ù!ÎÏ,µh6âtTDyÅŽ~4Ìou§µq°×€ Bÿ¿cÞS­Ã½ƒÏïËü&=ˆU3ë f2M#¬‹aOL8ÁØ«Øú*iC…·e2Uˆ‘ú_Øt€ºÓæòÄÇÆð¼hÒ¿¸X¤‰ßšˆI_uGÖ“•³§re"Z@/›à¿OÞÅýš4ËkÂI‰%þàÜÏsÍJïøý@j`“ŽQé‡U»ªÐ0q›/ìùs5žÞÔ<[Ñò‚ÂßB£ ÉRIJÎ-I¢sˆuyÃ;v^¯  Åò”Î/~Y]ãæ=6}p¡X÷Ì12Ð4#~¬—žâïU¥ºó“«3ÂqÑ/¶Þ4@ àoH¿ia½ ±þå×ÝŽŒ»ž'zNÓ`ŽiÐãÐ<ŽiMZYà¢x¨øÝÉ9 rMVMi¯…úg83Ü€æ6¨J1à, ž)E^qÿMîÏŸT:ÐêŠQfeÌ1Iíˆý Â ZáwáÃÓšG>ÅÏÒK½L»tˆº–cľµÓ®Ô’ Ói4 Ž™&x¹I‡> (*¼Š¤¶LªtvΩ‚{÷N3´/O=µÚ1å5MÔõxjÛé5„—iæƒÖ]3ÿ3+wp®»hìàbJw?ùáQSz8ÚÝú/ü»»wØàß¿nç×ôÖy† YO€›Ø"¡º– Ú·L^ÕnØ6ÜøTîœL¸Õ4è9hFˆÔ>Ðô'¿È²#dך%˜m·ü€>ÿ¡š~C6°:–W˲,œõ^èè‘¡7— Yù‘¦)Ň)jº=¹7³@;ëÒ>ªnnm!ú¾ý#¦tû¨ýyN5;¦ 9zY-¯ÖLÝóõÒ’;{ßøÕwŽžA3îÖ*­¦¨qkå‡Ò¾ùq9§´+½¦KÛ‹ÚÂEÚå!Tè!&Í_.^«¼õaÞÒÿ„V岤çÄÙ}|{ÇtÔéDzÑ8<Àcúõ¢µÝiÿ6;x~Û K5;sKXf TŽ–¼ŒÅqùñüô à(¥Ýœëa†^É üúãvá´sS|~ù+w­dÃò¥‘>;‚ŸG³á´Ê%.¼SQ«ûÞïŽëåS€H‚<ø'¿5§ ü;ìÔ;ɱ97FÕGÄ2?ãuuïž‚s«EfÁ⦃þÖ·!/7¾þó¨2²ÿDûÿáÔxBÿz àíò¿+«Oæí¿Wžü!ÿûÝän¦!Ì‚B¥÷îÝkÜo8õ6+ï…‚½_nÐýï/Ü{f“ˆo¢+è3OâGëü›Ìä;k,¥ÙkRD³O !Òom|ßz™±x\m>j>Îʼ„í¶ò)3RB-É•HdÜ®¶s½ÂÙ*¼e°9ÿ5 ›ííj=Ìä ËkÞÐu(ŽBʳlÆ}ðý£&Í•bê¡bjÿ ¤ù—þÛIù×êVVˆäÏÑÿ‡W¾úƒþÿNôßm¿ÑtãÕiAÆ¿ÿ 9Ú¼‹×ÏÊ7ß<†¶g…éøÃ_r(¼L&}¢Ó;ÑôŸƒ‹w1¨2Jýw?2‚˜gq¨gPcðœó ´•GŸ·B<ާÖËÅ9Àû,¦û¡‰:¸»›~ s™cS ç/A¡ÁYç]¿Dhé·ZúBBKwBbö”ÉG1x7‹[^7¡„–²PæfÑg"çyñ±ÁÆš9›ÑÍͺ#y3áÀ=ÕOÇ+Ü3û+ùmàÆ <™y˜¥.¨­ƒ$¦œdi~|!†\ú50JK¿DiéË ”Ðå_ ]¨-Æá' Þ(a‹{9Ž×–—¯¯¯›£Y3™\,›¸&Ëß5Á,yŽ…_‡Û‡ìõÁÒ±ˆ9hÿWUÙ½b Ó%×h0RÑâ`*1=©Uæ¬ðz]ô -ÖHg#aF¹ÎŒP[swÙibD£B&—e(+ø§±’ÕµY¡ÃÃSx:½í\CË+X—Dl㉠`KÌ–S'IÐ?Yrå©úV­¼†‰8Û“>?ÚÚÞÜÜ:øìj0ÔîØØØ¦} W.Çw6š¥3`]F€…¢¶{c9_;HÔáÛñuÿ­„ ¾Þ?Ò?÷î׸Äïït^viíºa±rhŽhȘ¼ô®/é LÇ”DçbOkáÓ§AœF½@‡AUõXÜ£: DQ™›†:'bªÏ«ð:Ó…žÓ»Àv©Ó}Ñn´¥Ï(LÌØüMÌÞº­£7]ÔÓ:Ú>äÒôy›vzª]œ¶0gnÑÁ»ð+‘šý£Å¹7ï¾Ó„èâ)œN Sö"mœ‰{ ûÐld|”ÛhË$ z 5Œ¤i2‚HìlЯÿÔý%>n5þ»{úײmˆIÆ!ì(U jï½øˆÕ¶øÈïíÖÿØÝƒÃÁk¼Ø¡ÁÚêîìmm·kZÚl OL“Ù1u8•³/؇g¹ÂΔ™;-ŠÐxb×6°®ïøh<Ž×2ó¹}¨+Éíz /IÖ¢¥ Aþ2[dÎi°pF3~j>»_*=¥¯',e—ÄJóµ^2ÇÇ''˧§îM¯õ.3ŸäŸ!¦°„½ž—ȾÏ&À«w_ôE&ûIã~晞Î&qôξâ³J‚‹3? ´ßS"µëo˰ç K¦›%ªº 8àRúçæýå?ÿ™.Vþ©Œ1ÑØA”6þüçÒÛà¯êE“o9÷®º±±@]ñÔ…ñáØ â ;¤Ð‘¯T,ÞT ”‰ˆ«¸±Qa|@{Ú0¾ÁurTEàŸÔÔ Œè„ù0=–• ”` ?êìÆ™c‰oz3Ϫøkš™¿‘_úsÛHŧªèk¡Q6έüòJà=®—¬‰ÀÛÚ°Ž?:ÜÚîþ¢³pgË<Âúè€)+ ^ªàÃM’Á{Ó¡©Ù4Š/ Œ§AÃʼ;Ç?»Q0…J~ÜæÛtZ«äǾ MÁZH'Öþz©7ç¥Ožw~X/]½wÏ;ë¥É•<›E^0 f„ä4ð%×õìb¶/þµv÷v·6ZÛÝW{Ãù©Í$aÞjÑô›øÑRqhÖs2 š±a­.`GðÉ™ªÚ˰Ó"2³¼T®TGCðôÀ”è Û$ç|.I¿àc7I½ïói¸iõÎ7¹ ßš¥Ô¹ªs3¨ÝEŒ˜ðùE³j¾íîÜ^îönWç™cn5þITïJá_þâÇzi8 i)×tÎgæôµFß3ØVñ=‘ÆÆL‹ò¶³ÙÝi½én·wó#„H¯xÚ¢^×=ðØïIèEg#&DÔ0Á¥¤T+îøCì—Ñö"I—cŠ)ân‹Èâ{p½z[’ç‹XaÀÓ´¡ÂwŒ—öm³¹u¾¾­´ÿ7á±þâ`o‡=2éaqÍäƒE‰2Ô ºœAöö—tx@ƒÁγ–Òè¥Ápðr£OÌ¡Ëh-BX9™FŒÇ5 ÿ™^jœçxêÅR© ßýÀì3 £ž2ÆÐÑHÌ&ñUòžîuÉyxBüQ/Óš›$¼ƒFaé¤üów^™ÛÑ_©¾O¥§¡¸(z¤šÃÝ=¹ 眘~!¿¨ŒÀͨ€%sÃyØzéagðp ªt­£Ý`ýxLS“v¹´®–F» IºWÑÅ Ç{άàRÙ}èö®ú¥p=¬¸z*Þ"¶Ç-X«GTÿ†e´t2-$­(úT­½Ðà>ö÷÷‰7$ÚQ=+Â#›ñóvoô<ôß+­&²³ÓÚÝìX–X¥ 9@– ½Õ>>n*b^x_‡ù¤³³t:˜ªî´Áh½ö“èÈŒÆ&t á ò.±ÁñRø<ê½K‡,èn°"']Ödb0»4vMïÕ ”½ÛíQû¦ˆ F=j¬ÿu¹Éë•tù¤z|\z[>99==©-Ÿœœ¬,_Tx#rÄ’`t—€Kª†çìV¼°Xb·J½ÅuT17v:Œn¡S: àÝÒ²5ù\›ŠÊ¬-Sbî>’þøýÖC÷kFÍvá79ohr£×iýжŸ½1„g w÷-ÏÛ”'EõbÈŠf”Õl ·Tü¹/"\J‹Û»‡Òúq'§øV¿°p}±¼ºâ+áU4y—¨C¬·ºFt›N¢ÁPlA­)]•mœõËD¥È(8mŠÓðö&³"ÝÎMa¶;ó«*1Çú[ó´l\Ià½bN©Òÿ[ovÚkaV|#Ðbõ—ûÌñÀ'‚N¨ˆÒdîUÉfÍf»³q°¥°°´f; º4¼loþí·ò„V϶€Ñ40’Ƹ֙¡ðNû?ÓyÍ_…ú¢&ŰÞX3º ~Vê)[‚uz€èFtê® çÃZ=6Ò¶Ü0¤ÒT-¯«Ÿ8«ÖèFc_I"Ï’ËX¸ ç#¦KpÞY“}âÞ<6«ˆ/U=4ÞSy6>¸<:t]Å.XùEoµ°ÕGéŽes‡“—sq“ÂÅáëî…õc™"b?<÷¾/iUG<ˬé Ò‡4…}·nd$G‰Ò{ÐÑ ÿÒ­ñk6C~-hõâ˜evi·N]褾ãzmWK5ë׫Xù¥®ryç¸|u|Ò˜êÀçÏ‚Œ:;«ÉpçÒfœGóNÉ®ñ¿ŽøäE¼è1€bÀ¹ïÁé0í!PXŒµRËp¼rÇôôߊÉ#›3ëù8¿ª½EpZó”A‹zø¥EñzZPØgÊᙴ΂þ"”‹ù¿h/Äl•…KÑ’¨•Ì2´½ú·º°Ùý/i÷ja»MÞ®lµß§Ý¹Ju뀽ŸLœáÛõpU¯Ûå \cWæ\c=BíÁ ù@2E„Ç÷ª.ö£•¼J`;5XІâ]]DŠ;ç¹|‡6E–ùw¤ÃÖáQ‡Øô×: wžJö_ÌFNhÊU®.ÄAÂÔN£çÅlibŒýპD*¸Ÿ²3 ólc㦨˜ŒA»<á 1Úrxä@.¸3bS8ÆIöXþˆ ÜÉäÝ¢[wv0Kå•õŠ5;¥GgV^$›-½­|fü[bzÉÂkÛ{Áp ,ÑeúýOë,œ„†…ƒvhÜe ‘ž™rÉÈ‹aî ôSÆ1âÐ4ˆLÂè5™:8`h<r<Б»mÔe¤ÅM,Ï0é|Õµ+G–€blÙûYXÅRòØÂ[¬­©ÏYø-åÿΛ~¾Û„,ÌOŠ?sC[ï=C‹Í‘G+-AÖ[ªhWµ8³F ¶Ej]°, îH+sýÇ@P$+ ~»>É.X¶ß~=FP’uš`½ÆiEˆQVã6W¡")‡`ô> YK‚Ö­WÌQTÉQ'gÄ,ãã zÞ7âD©Ú¦Ph‰ŠØ5r'7²ýEñknÍU1`+^}T#èHtªHĹ‘éyUQ3¦¡]•9_9ÁŒ„\â°¸T%;Á ¤!ýO3ÆDÌqÿElcj ¿É¥ÜØ,˜¯Ì²ô 0Š˜`%â&ãß8íÉ•“Ê]žÃü¡ø™ªr·o¿¾p|YYš[.)™®—O­xT.%Ùïíc/Éêç“d¿~I;O]g3ì]¢¸'ã‚aÎÞ.ü5 Ôäv¥² æV¯wÚòŽ%£†îèE' ”[³š—ÑÖŒÀæzzvm• ³hGð†3ôÂW]¨è) o¯2¬Z×Óù Ø&¶§¾—¶¨A'™òä¨PsÕóq!™Ï.ôÛ®÷£dÑÕtþ0È“¹ÏÜÊ*hÓm4pÉ0|Ái–¹`ܵê¾’ë†ÄiÊÒò;2›ò!•‘iÉE~¥k~d½óæ´pÅ;¥}›Sïõ h$ÿræìf—éhäÄ÷ v*~¦ný²Á“ðG…ƒz’Th`=Á+”uÞPþ¥‚…i8 ºQ[¢%y1¬©ÊßѬdœç¸ëNáȼŸ`Feé—+\![z Ã$û,·)q>3ëìý씥Rª7Ž(ÉöÎô­@ç‚“Ñ8&4‹Ù3_¥#F¿?lm¶»[/ÚÛ1ÁU¯=:Øà¯³už‘˜«)(7Šx6³£žÈÉÍLoj^<úþŒ®Ö=ÑGØÈR"FìÕ9šc¥¥‰éßi2©8‚µ«V´€u‰¨(ˆEbìÁâ "Iâc÷åÒ´f50ÇóÊŪ9}sŠšã2[óú øø1luºí7[‡Õ†e³ŸÖ+.YÅê|î0ÐðùŽÓ)C¨ Af˜L)†ÛºÌ¬Ÿ¬ŸâÏJ¡4Òå;v÷v•è­Ÿ]˜¼ÓÚRMùe S«×ð®á«ýÆÑ›ð]zÉ]ÝßëÀ^•·êxBëK™ïÉE<õÜ…as0í $Åà<ÜØd,ŽxÚ ª³¬Gåm-ün¹¿_Áðaõ»¿¬À¼ÏOÌÛq•so*…–XåC©æQå¢×•à3Wc6µ¬°ée%°v•koY Œ5$½4?ùÛ@µØåËÒ mH\(§c”èX3xâ´NäŹzÎÓ¾‡#a—Ñ«ïÌ¥ˆDR©ß~Ka’öÞ‹à¤||ºxo*Á§ÀJNÔÈÊÚЩ9*èP±Øì8< N=#+;­YO=6Ñv±ã?oñž’žªË¸ö±DUsÖuIW’´¶‚’-›~ÓE¸‹ë—ÜZrù¹eán\HÁGFÚƒ‰ïåàl0펈€˜Ü©6IÝû>ßDÓ$©'››ÍJÙ-˜žu£1uüÕÓÔÿ÷™§Fl>Îoh¤tßç§ÒÏ\°Åÿo›ì6@ž-ãËön›èO{Sbâ°a~ñ™xGóÇ_¾4†ˆQØ»dO+±8C‰2x8äóO9>Zþ4 àx >„÷8ˆŽœ øôÖ8qâ(a#3A2a÷ Øº ˜ˆv‡O æ˜Ê «Ž»žä,…T–þT¡óå3ç²¯Æ Î5À§‹ µ´„¸T–Ö}Æ‘«¿»A†ÇéÆÄÎÕ°ý,é+¬‹˜à¹Á4##kÏÀ‹+î?ãI*Ë58÷£Çž¶ õ+››Ð„€®¦³Þ% ÏU’”¾c ¥ª5ÏSs·dZ¯áa VÓi}>c•\wÌžõ¡¥²Ôè› `o_€C_wÚ€T¶=hÓ$¢-Äa:ÚÃõޱïÊ+8ÊZ:³ÀfÓ¬K …sô6/Àr”v¯ˆ*¯‚ˆp’ƒDlŸuL‘B¤"©Yª>Y\7uD\Ð:-„­ÿn#»éy€¥z}}±I|Ž©€}„p¥É”Ê~½Ë«¤þõCX^qâ/Ë ^͘½Lb¢}É8Ãf‚°£VÊqn|®99/0õ «²É$8ºíl§kuØ®â@8ÞfàÉám òÁ+Áö‰9JG”ÅÞ Ä7ØòþÍeåÚ‡ÓOÈìînmÐÅËšéºûÚÖ‘Ðã’KV„ƒÙȃ bœ k¥ka:;snZ½Ù„©\F ý¡."¿^NăÑ€ÚrØM·~ºN¬\Ï-™ßï¾3ÝM.„Å#vþ¡„Ï÷ÞTÔO×;Uü)üî/sÅZ#¼6ÖK'AEÒWIJ9†!¸ «dzÉçáÂ^Ö™ÁA€˜7³ Û[¹iæ ó<³†( 8—W `ëôß ‚£4ºˆi¶œ†ÇÁç4 î6.ë´vÙç„ÿ˜{M^*>=ð ø$6ðJ&qR6—ãÈAä‹n ‚Π֋ÈÈÎw°¸¿ÂxÁŒ@£ ýølv¡IîŒèôÑ–XFiÄLc׋ê[úÑÐ1x¦PYß5KfŽ À)MvºicŸ2P¹WáiÍî OÊ›Ïí!´†¯kA¡£,Ó¾ðI+kr™ Á\àÊçàUÆ4Øš½ŽbÀ8Šs(ŠˆbÝG®c„¡üˆ6a¼¯/y› 1þÓ:uvé4`žXœËŽWN «ëÖÓGüŽUã‡Ðò€¸ƒ1-wóWz*ød ϧëù/9ÿeq~¤*È,‹ ¹ûœ»osó—õ5—T2’þƒ“6„ÐÈO~ó›9C‰¸ )ä~ÍÀsµöªÇ³Ãäb4ø'd’¬¡Yã! i¥Wx×J+‹n0·dˆ¢-ýöÂ}Ö/)ÞB¬°å²ØÄ5•ý~Z/¿‚CÚ &àú«Ôº˜–ëÇÏ Vn/Ä O2öÕSlA5‘“=¨™Ê,áW°¶¡Ï´ÕÀx Ä3È2âçv&ã±!¼k9•\„=.(B|hÁÒ¤pßÜë00©K"RCˆ"ßÅcˆŒ’±à­ÚýŠm0äš „`Ù)ª‡ñùyÌŽÄ·ô†I*&ê~KX€iØycV'q 5j,%ŸÍ·m Î7ÍA=ëáþ³¾&œÛ x7YM`ÚÙHœ*ZÂéºlèÌ;³9K‹Ž{·üT"šY/ cêµñÎÜD9“/+o5ØXÊ8fu ´?RZkc΢«TsM„a¤Fær–g+åîÉv8E®´–™2ŠÈ@p«Ûÿq=H9¤‹fE…‘•r³E¹[µž9º^t£+9åÐS%_§tÁC–ùº •EÀB‹ð-»ªa8¯x-ÙÀ†Íbá¸Ñ8qÆvL3˜ïšüZ4)拚œéÎX ‹à1k ‡Hïü‚±Ê?3ü$_§“hL…ì„'¥²&91ÇéJ)\ WÕ¯8)Ù4%-ÔÈN!%%rí'(¾lFìz9ôØrÃ^=ÃjY¹¤ZXÖ^â2fó,5dN‹ŸávÞVñ«Uh?ÎøGcD•'0ÿÈÙ+ÿx»?Ö½ÃöZ¸q)¸XW‘hÒÜÆx>m¤ót˜$ïàÖg]&y’¼PFáò†|+†oƒÁ°<Ô¬®ïì ½t˜ìÀC—æ,ŠŽÔB!½IaƒÐí5x%/ëÙè‚]ž×BºÐÃÛýÇŠƒó:SWLsy%„ÐDçÔCܸTÛ„@ÌœE`XÄ*Â%Ž?:OâPlu8¾’4Ã5Ô h[Av,pJ^f¦#ð#tYþ„ÇZÄõŠ9+üZOGz­¿äõÁ½9Ø‘ªÈ VçT«]Ä>Y<C‘Eš…^¹Í’ BÒ §=Ëaàd Ò[\° [¹2NIÞÒÕ€¡tJ¥ÜT]œé×Äò2²!S®ª’oáZy¥’f>{¯ö6 û`¾q˜Ž’ë9‹,š‰G •}-ež×ìxåk®*þš3غrYޭׯÛ9q%§2‹.˜ÅrVÏàP’“36¶XÙÜŠŒíÜÅÄJüî½{÷lO«êJµñ׿â‹÷áÍýô2Éåy¹§_þ½²¹^nü]¿ÑIE7 Ÿ<ɦxñäI6Eî³iÐk¢Ö½Äƒ’¹T&•Óðع;-¯»»†µ,á|åc“s›Ü*53±F´i¥$бò´Sí ͼãl[€©ž³mÔ™[ÔráqçA‘p±·PÀ¬K"”^йÕ=W¦µ Ê+æF‹³ïºÞsëGê„ì—{‚ƒü+þX¾ÝSÁX#°tv†èôj¢Ä8 φ]t°‚n \ƒÅp§Œ®mt¿†`[”/ÖÚ…É™¸WöÜŸa‹“%#Œ84™U_Ä ¢âV¥Þþgé× ˜[[þ40]à™Ü?꼪¾L dg뀲êñË=\|y#¼L,µ^]O Ò³fØO>$"¯wu—¼»½É©«¦ dXª¸^ôz‰‡@L3úà8ÉÌ}8êuÙâZ²ý˰-=—¢Ë?gÓâÊN© „ýq{ *âÌö.ÕYqÉLŠþ–’!yܲ»‚ä]`ki±\ß¼±d$G×=ÒIJ`ÿ]-›½¦AéUúD߯Ôý‚J9u®R¼«e³¶Ò\·T¹1_ã†_á†Ö>  ŒûCtæ¸uz¬ÐòtÔ‚–(ÒÚpðÎgÁŽ!h{.AD°%PX¯ x ·ô µdºåNØ¢\™ÖéI7—³8¯¹z¹œÅy3§n¶™÷ŠÆš?åïjÙ €B&öp¾?Ù ²M™·w©$ÛñL™O¡ x³¸øÓÏ/T¦ÐþØî-^¨|¨æÆnϯvoq}¦¡¹qP°1ü´¹~øã`ÃR,&fp~Cìœxª–>8ÂEo°2$¦6Ž´üõ¯5 1ŸTh„ÛŸ–¹\œc£ ÃÂÔ2Á69Û…i2%çùÔÚ¯ l‘šù¸sCrk’Ï¥Ð~ß–ä`#=Ãõ-ò}ÌYàyTù ง¡ Cb–ßoXäïV¸:HÕ,ä¶13æ,ö׊LÔÆF1Ç’ASázlñ®N{/ã@qçƒ^Al)‚Ûë1Ÿ$Eò­l+U•Š¶Â„3/þ¦ý_’Èa^GY ®UCPîrc£)öÖônl4÷Sanî.±®“x®¥¦³ÕæÂø' ÜOŠ!œ\S¥êqìBÚ±^´S9¤é̼»kÈDfÉ8¥™¼è>ßÃ?ûÛ­Ã[°0“E̵‰È·xç[óÛOZp×¹CÚ_3q2Jw™¶Æ¤`æ &G§M ñfw³uðzkWî8;ø/ÎF]Ä’,.å´~\¬' ÃÉe4N“þ ,núÑäz0rqKâñfçǨ…q+½¹šMCü^;-L¾»ÓÞ„Ñmx<ºŠûƒé-I··ö÷ÄåyœÜ’lÏÄŽJÄWéö„Ù¤òÓ$ÎF†ð{åð!!d(ÚÑ`,¦ŠÍÞ7_·^ˆ9SHãp†È¿°  Y³Ø ÷:á›ÂºÜÔÔcå(à GüB,¥‚Ï—mÆðö>œÓ:M8€†ÆÑ‘>}¾x;ö^ùÃ~RÑxx®÷-™Šºlì…gƒQ4ܵt™¥;•ÿ˜˜¸Áô¶j•ÍG§¢\áåÑ¢"‹¤zŒ"Šsq•ôgJÂô€¦­"xùјO†^×%õ·(ÉúÈÄÿÊ0r!0ãÞRøÜ.´~0 }Í5­kr¬T A¶?ôc”qvcâñ*¼Âœ×ƒÅ_È5¹að_§7a4Í™Ær„Â3ñX¥RWÔÌi8ô¢>˜»i÷ ~šp¬zKû7ôt?¸'„æªçIR¤víçIÏj` A;s/ÚŽ¬DôÆsnp£_r}X¼Á̃*Hã»wõ|pë¶…­}}_gã|p+}~ÜïêÑeD› %ËR«a¿[˜ç®éiƒ¾‘+¯› ’±îª>ÜõŠJÒ&cÉm-lšÂ:ë~~ãžÆ÷áÝï}YŽÈ×éúzÐÚÁ¡rÌ^A÷>×#™ü|2@÷l‡ýîs“n'ú«G,jõ ªÔ¥(˜ ÷Ñ?éútåÛoC£åêJyúœ)îWkáÏ¡RÙÕ§Ÿ2öÖ¨;Gô=;[AòY²)…}A1àÀ£mj˜evLävkC>“÷µ´v··žgK¸µÊ¢ ·Õó¹IÄòçîÁçÎ?°Lé~5¼Ùܪª7—ïÞÇß¶ªâã0{ÞñXò6YÑ™t'2­ƒê¶S OŒ\úÙ6ä!L{Šv÷uÞ•Ãå ÚÌAäOî,A¾âMà³Z~扗»O·#Cà\HÛÏ^ WšÇÇVVO­|Ÿ€¢‰„ÙîÎF"èî¯WÊׯ} Ë?_?AõG¦Šñ1eÞ¿SiD[§ %AØï^ÁýZ¸¤?ïšÖ­Ja¬>Ïþ˜®_qànÁ‘°JãarÃŒ¶AœP+Q[†¢ßÐåDÕÙu¡?|ýX˜9\YòŹìÙbQÒ7ÃMö麡KÁjðÁôo™ðÃ?ï´6ö:oæz{ïG¸-w[/Û‡ ÊþàS'3yÏõû_?¾ßAøúþGy¥ÏÇÇ߬°ãü½/›Oå»°êyÐQ—®ããzóN¥~á¼¢Šß¤­¹ˆÈ¾óŽ#KÆÕb!Ó˜57Mò˜ÊJ9ÃXWo[ײˆY)®J’"aº^áÑ+f·ÊÂCÒ†¨5e¢ô†&jR.ú)Íc2uK5ÿ_Y$ Úw+7Äû¾¯‰Å«×”,A%Ù1qµ` Tl…¦™’¸J˜h®wÊdñ姈Qy›Ê÷LÀÏêÝ‘,6õ…±‘ÜêèF4›ˆ¤C6eNÖZÜÍakFäº@RXSÛ#…!SÂÐ¥]¨É»Ã^=,¯Ô„õR"æ+®g]q¾úL"ë éäð+J˜^ÒÁ^ÓØ³ nÙÅKÁ«ƒc‚tMÁ•w¡—‘J*o|é=C]±añh‡“Ò Çy—jasÂöüïOxYŽâë®—z>æ^ñþóØ"Íü”ã­?•`ëàí@³Âùì'@dU­¹³' UéuÐ*«+¢?;à…¡mŽYMù%¥`ÁØ]sçÑ­˜X…^ãFã%.X9JÎEKÒòboeß~|®Ý3ú2ŒïÔþÛ`FQN ¿!lߟ~üéc÷c%ü–Šu§Ëä¿£WÙcídÁ¹öÿýß;/ÙCûNsUiŠIÏu¬8*ð`œ+[‘ŠbÙï :“I_üþU >„C€fÑew¦~&SãLÞœslß©×1 %‡ЉkZã ªÀ( –ÝÉa2‹µhü •Š >t•¿În¬’Ï[nø>Šì¢8WMÎMÑûb•{¯]ÝV°þCkÛ‡6®ÏeéZTcc—{›®@ #Sà•B0ôò÷é@†@™«ןYðw+M=Ñn+‚ 7† k,r̻ϹLFoÚ.l«Ç;:¯òц<ÍW™xÖŒÞú¼µñ}g»Õyu+Þþ ¬®Kà4 n÷9‡÷‰bCÝ_ÄŒŸñ]à‰Ç1Æ"/g&,;槃Þl)+­³Ðjóñ+±eD‰~Ÿ·-¨·+ Œ9šT>¤FH†¥†l…VMµbáRI…VýˆÊ8&Ò:ÛÉZa,ëìHbzðf½ròûü©\£ ýõ™Ï’Æ`±tik÷eõøRŽ(-SœXæ:±-åõù€ø¡ºu)L-D„_ld Üê\ãKoÞVµpƒ … .ÅÛKoèí_þ"îÙ&›ŸIp_ó¹Joø½#2^ÆJà”G¦ÈóðÏé/(ÙNFsþ-…G©ú¸Y\fŒn– øÉut“²c™c0‡áÏÅ„-Àaž‡a–3Kš7_fô‰cîúr«hrÑlÊÖ|ŸÐ¶–1°Ð­€ª‡,Ìo¤ñ8Rx½l †&fÑý ¡E–ïXˆ##æàºÚ£íÃê±¼7[ü´ ÍŸI6Ÿ‚FH> 0‚ç+ÚFÎ!Ð:G/_¶; eZôžQrn•)ÿü¼•Gšaäîÿï¼ïm•‹÷õ瓸t y²,L/¼‡§“‚AØù‹ ão Ì¦1à £…{8›Cs²¶‡|ŒYƒrE8àÅ«—¡eø“œ©B¹bPƒóSPânnD¼7éaʆ—öÜbÙ©9N‹ŽNs¬úÿÁÞÞa‘‡óɧV,VàšI’LáU#ž¢ÈU=6¯‘­Ó¥¡ÙWôÄêq£½ÛÐϾ]{¶¾¹uðlí»gÂhw‡9Jº¨ld.A ³FD›²„U½š»L%5Í DÜ‚sÞ:HÔšð‹eM+F9ì)#à9x©ö“B]ùÙHüáwlŠЙ ;PÁ4…»Râ4_äEÀM‘ÖLýJ†ü6¡ %Ú±7qZ 4w/7622"¯´·,}hð6ƒœ91«zú”+Y…¸_†„øM*)3Ç9ræŒMq£äc¥Ró^Hñ9Z˜)ûÔO¡‰‡r»çæs„Á3æè"ø Þ’oš§ZRÔ¹J~vZkŒ’OsÛÍ}·^=¨X–NÂïÓ­HÁn.X—¢z—,Élâ-Xu/?‹CÞÐò"›²½Ûz¾ ;Œï Pæ²Üœ—Vw$¶œ¼µÑ7ä÷N/­s{¯?H!BiÌ¥¥Ô i!Ù`:U½b„Ó³I½OŒ–™iê§B}½©Ø8Z(„‚÷¬ˆ 4^›Èµ RG$ ðDÌ/+?mÕ–N›‰©¸HcrøÍÀÙ–àPDt)½ß¸Ï>ð:Ô»‚ ×z¾Åø!1ºìG´rÞ9$0A\†AгâøûªUgÇàiÅ·É2Þ#¼“iÖ~ì¶!‚pµÔ¼ýÌ]xËW¿³ÁhYñÒçüWldb6ÚÛ/Wa©ðjÿèMw«õø®wíõ‡«Á=k~ÀÉ?*Höø‘M¦Š'¦9CX”Rªû4¢ƒÉàÃã_?¤2¡ŸÔã¥S 1…•òöÖn{w¯–ìuªôkƺXë‹·{1šu‡9aü—LͽûW!û‘íÍub×¶7Ãþ§°qÏ®ž¥Wƒq _ajrWfpAZJ:z¸êR‹´eQ†ÇΤìyÛÏ4á·êŽß®½¸cÛ?2©r­æõxË¢ ¨»)­íÆ}Z(¿Ånÿ__šñÕl¸NSùKi‚›..‰ÿ~âyp$ÁME&ÏC–"ü¢FìtžÏ•}6MskóþvA²a.Ù¯i†.ÊLù#$lá¹­–‘¶ô™µ÷áëÇ]4ï€ç}–öï7ˆx|4oeA~'×ñdܳ+ô#Ý=Ò‡ß
    ; $new_header = join "", @header; if ($new_header ne $orig_header) { open HEADER, ">", "$prefix.h"; print HEADER $new_header; } if ($errors) { unlink("$prefix.h"); unlink("$prefix.cc"); } exit($errors); asymptote-2.62/drawclipbegin.h0000644000000000000000000000352613607467113015167 0ustar rootroot/***** * drawclipbegin.h * John Bowman * * Begin clip of picture to specified path. *****/ #ifndef DRAWCLIPBEGIN_H #define DRAWCLIPBEGIN_H #include "drawelement.h" #include "path.h" #include "drawpath.h" namespace camp { class drawClipBegin : public drawSuperPathPenBase { bool gsave; bool stroke; public: void noncyclic() { reportError("cannot clip to non-cyclic path"); } drawClipBegin(const vm::array& src, bool stroke, pen pentype, bool gsave=true, const string& key="") : drawElement(key), drawSuperPathPenBase(src,pentype), gsave(gsave), stroke(stroke) { if(!stroke && !cyclic()) noncyclic(); } virtual ~drawClipBegin() {} bool beginclip() {return true;} void bounds(bbox& b, iopipestream& iopipe, boxvector& vbox, bboxlist& bboxstack) { bboxstack.push_back(b); bbox bpath; if(stroke) strokebounds(bpath); else drawSuperPathPenBase::bounds(bpath,iopipe,vbox,bboxstack); bboxstack.push_back(bpath); } bool begingroup() {return true;} bool svg() {return true;} void save(bool b) { gsave=b; } bool draw(psfile *out) { if(gsave) out->gsave(); if(empty()) return true; out->beginclip(); writepath(out,false); if(stroke) strokepath(out); out->endclip(pentype); return true; } bool write(texfile *out, const bbox& bpath) { if(gsave) out->gsave(); if(empty()) return true; if(out->toplevel()) out->beginpicture(bpath); out->begingroup(); out->beginspecial(); out->beginraw(); writeshiftedpath(out); if(stroke) strokepath(out); out->endclip(pentype); out->endraw(); out->endspecial(); return true; } drawElement *transformed(const transform& t) { return new drawClipBegin(transpath(t),stroke,transpen(t),gsave,KEY); } }; } #endif asymptote-2.62/program.cc0000644000000000000000000000631313607467113014157 0ustar rootroot/***** * program.cc * Tom Prince * * The list of instructions used by the virtual machine. *****/ #include #include "util.h" #include "callable.h" #include "program.h" namespace vm { static const char* opnames[] = { #define OPCODE(name, type) #name, #include "opcodes.h" #undef OPCODE }; static const Int numOps = (Int)(sizeof(opnames)/sizeof(char *)); static const char optypes[] = { #define OPCODE(name, type) type, #include "opcodes.h" #undef OPCODE }; #ifdef DEBUG_BLTIN mem::map bltinRegistry; void registerBltin(bltin b, string s) { bltinRegistry[b] = s; } string lookupBltin(bltin b) { return bltinRegistry[b]; } #endif ostream& operator<< (ostream& out, const item& i) { if (i.empty()) return out << "empty"; if (isdefault(i)) return out << "default"; #if COMPACT // TODO: Try to guess the type from the value. Int n = get(i); double x = get(i); void *p = get(i); if (n == BoolTruthValue) return out << "true"; if (n == BoolFalseValue) return out << "false"; if (std::abs(n) < 1000000) return out << n; if (fabs(x) < 1e30 and fabs(x) > 1e-30) return out << x; return out << ""; #else // TODO: Make a data structure mapping typeids to print functions. else if (i.type() == typeid(Int)) out << "Int, value = " << get(i); else if (i.type() == typeid(double)) out << "real, value = " << get(i); else if (i.type() == typeid(string)) out << "string, value = " << get(i); else if (i.type() == typeid(callable)) out << *(get(i)); else if (i.type() == typeid(frame)) { out << "frame"; # ifdef DEBUG_FRAME { frame *f = get(i); if (f) out << " " << f->getName(); else out << " "; } # endif } else out << "type " << demangle(i.type().name()); #endif return out; } void printInst(ostream& out, const program::label& code, const program::label& base) { out.width(4); out << offset(base,code) << " "; Int i = (Int)code->op; if (i < 0 || i >= numOps) { out << "<>" << i; return; } out << opnames[i]; switch (optypes[i]) { case 'n': { out << " " << get(*code); break; } case 't': { item c = code->ref; out << " " << c; break; } case 'b': { #ifdef DEBUG_BLTIN string s=lookupBltin(get(*code)); out << " " << (!s.empty() ? s : "") << " "; #endif break; } case 'o': { char f = out.fill('0'); out << " i"; out.width(4); out << offset(base,get(*code)); out.fill(f); break; } case 'l': { #ifdef DEBUG_FRAME out << " " << get(*code)->name << " "; #endif break; } default: { /* nothing else to do */ break; } }; } void print(ostream& out, program *base) { program::label code = base->begin(); bool active = true; while (active) { if (code->op == inst::ret || code->op < 0 || code->op >= numOps) active = false; printInst(out, code, base->begin()); out << '\n'; ++code; } } } // namespace vm asymptote-2.62/bezierpatch.h0000644000000000000000000001221313607467113014646 0ustar rootroot/***** * bezierpatch.h * Authors: John C. Bowman and Jesse Frohlich * * Render Bezier patches and triangles. *****/ #ifndef BEZIERPATCH_H #define BEZIERPATCH_H #include "drawelement.h" namespace camp { #ifdef HAVE_GL extern const double Fuzz4; struct BezierPatch { vertexBuffer data; bool transparent; bool color; double epsilon; double Epsilon; double res2; double Res2; // Reduced resolution for Bezier triangles flatness test. typedef GLuint (vertexBuffer::*vertexFunction)(const triple &v, const triple& n); vertexFunction pvertex; bool Onscreen; void init(double res); triple normal(triple left3, triple left2, triple left1, triple middle, triple right1, triple right2, triple right3) { triple rp=right1-middle; triple lp=left1-middle; triple n=triple(rp.gety()*lp.getz()-rp.getz()*lp.gety(), rp.getz()*lp.getx()-rp.getx()*lp.getz(), rp.getx()*lp.gety()-rp.gety()*lp.getx()); if(abs2(n) > epsilon) return unit(n); triple lpp=bezierPP(middle,left1,left2); triple rpp=bezierPP(middle,right1,right2); n=cross(rpp,lp)+cross(rp,lpp); if(abs2(n) > epsilon) return unit(n); triple lppp=bezierPPP(middle,left1,left2,left3); triple rppp=bezierPPP(middle,right1,right2,right3); return unit(9.0*cross(rpp,lpp)+ 3.0*(cross(rp,lppp)+cross(rppp,lp)+ cross(rppp,lpp)+cross(rpp,lppp))+ cross(rppp,lppp)); } triple derivative(triple p0, triple p1, triple p2, triple p3) { triple lp=p1-p0; if(abs2(lp) > epsilon) return lp; triple lpp=bezierPP(p0,p1,p2); if(abs2(lpp) > epsilon) return lpp; return bezierPPP(p0,p1,p2,p3); } virtual double Distance(const triple *p) { triple p0=p[0]; triple p3=p[3]; triple p12=p[12]; triple p15=p[15]; // Check the flatness of a Bezier patch. double d=Distance2(p15,p0,normal(p3,p[2],p[1],p0,p[4],p[8],p12)); // Determine how straight the edges are. d=max(d,Straightness(p0,p[1],p[2],p3)); d=max(d,Straightness(p0,p[4],p[8],p12)); d=max(d,Straightness(p3,p[7],p[11],p15)); d=max(d,Straightness(p12,p[13],p[14],p15)); // Determine how straight the interior control curves are. d=max(d,Straightness(p[4],p[5],p[6],p[7])); d=max(d,Straightness(p[8],p[9],p[10],p[11])); d=max(d,Straightness(p[1],p[5],p[9],p[13])); return max(d,Straightness(p[2],p[6],p[10],p[14])); } struct Split3 { triple m0,m2,m3,m4,m5; Split3() {} Split3(triple z0, triple c0, triple c1, triple z1) { m0=0.5*(z0+c0); triple m1=0.5*(c0+c1); m2=0.5*(c1+z1); m3=0.5*(m0+m1); m4=0.5*(m1+m2); m5=0.5*(m3+m4); } }; // Approximate bounds by bounding box of control polyhedron. bool offscreen(size_t n, const triple *v) { if(bbox2(n,v).offscreen()) { Onscreen=false; return true; } return false; } virtual void render(const triple *p, bool straight, GLfloat *c0=NULL); void render(const triple *p, GLuint I0, GLuint I1, GLuint I2, GLuint I3, triple P0, triple P1, triple P2, triple P3, bool flat0, bool flat1, bool flat2, bool flat3, GLfloat *C0=NULL, GLfloat *C1=NULL, GLfloat *C2=NULL, GLfloat *C3=NULL); void append() { if(transparent) transparentData.Append(data); else { if(color) colorData.Append(data); else materialData.append(data); } } void queue(const triple *g, bool straight, double ratio, bool Transparent, GLfloat *colors=NULL) { data.clear(); Onscreen=true; transparent=Transparent; color=colors; init(pixel*ratio); render(g,straight,colors); } }; struct BezierTriangle : public BezierPatch { public: BezierTriangle() : BezierPatch() {} double Distance(const triple *p) { triple p0=p[0]; triple p6=p[6]; triple p9=p[9]; // Check how far the internal point is from the centroid of the vertices. double d=abs2((p0+p6+p9)*third-p[4]); // Determine how straight the edges are. d=max(d,Straightness(p0,p[1],p[3],p6)); d=max(d,Straightness(p0,p[2],p[5],p9)); return max(d,Straightness(p6,p[7],p[8],p9)); } void render(const triple *p, bool straight, GLfloat *c0=NULL); void render(const triple *p, GLuint I0, GLuint I1, GLuint I2, triple P0, triple P1, triple P2, bool flat0, bool flat1, bool flat2, GLfloat *C0=NULL, GLfloat *C1=NULL, GLfloat *C2=NULL); }; struct Triangles : public BezierPatch { public: Triangles() : BezierPatch() {} void queue(size_t nP, const triple* P, size_t nN, const triple* N, size_t nC, const prc::RGBAColour* C, size_t nI, const uint32_t (*PI)[3], const uint32_t (*NI)[3], const uint32_t (*CI)[3], bool transparent); void append() { if(transparent) transparentData.Append(data); else triangleData.Append(data); } }; extern void sortTriangles(); #endif } //namespace camp #endif asymptote-2.62/drawpath3.h0000644000000000000000000001231613607467113014247 0ustar rootroot/***** * drawpath3.h * * Stores a path3 that has been added to a picture. *****/ #ifndef DRAWPATH3_H #define DRAWPATH3_H #include "drawelement.h" #include "path3.h" #include "beziercurve.h" namespace camp { class drawPath3 : public drawElement { protected: const path3 g; triple center; bool straight; prc::RGBAColour color; bool invisible; Interaction interaction; triple Min,Max; bool billboard; size_t centerIndex; public: #ifdef HAVE_GL BezierCurve R; #endif void init() { billboard=interaction == BILLBOARD && !settings::getSetting("offscreen"); centerIndex=0; } drawPath3(path3 g, triple center, const pen& p, Interaction interaction, const string& key="") : drawElement(key), g(g), center(center), straight(g.piecewisestraight()), color(rgba(p)), invisible(p.invisible()), interaction(interaction), Min(g.min()), Max(g.max()) { init(); } drawPath3(const double* t, const drawPath3 *s) : drawElement(s->KEY), g(camp::transformed(t,s->g)), straight(s->straight), color(s->color), invisible(s->invisible), interaction(s->interaction), Min(g.min()), Max(g.max()) { init(); center=t*s->center; } virtual ~drawPath3() {} bool is3D() {return true;} void bounds(const double* t, bbox3& B) { if(t != NULL) { const path3 tg(camp::transformed(t,g)); B.add(tg.min()); B.add(tg.max()); } else { B.add(Min); B.add(Max); } } void ratio(const double* t, pair &b, double (*m)(double, double), double, bool &first) { pair z; if(t != NULL) { const path3 tg(camp::transformed(t,g)); z=tg.ratio(m); } else z=g.ratio(m); if(first) { b=z; first=false; } else b=pair(m(b.getx(),z.getx()),m(b.gety(),z.gety())); } void meshinit() { if(billboard) centerIndex=centerindex(center); } bool write(prcfile *out, unsigned int *, double, groupsmap&); bool write(jsfile *out); void render(double, const triple&, const triple&, double, bool remesh); drawElement *transformed(const double* t); }; class drawNurbsPath3 : public drawElement { protected: size_t degree; size_t n; triple *controls; double *weights; double *knots; prc::RGBAColour color; bool invisible; triple Min,Max; #ifdef HAVE_LIBGLM GLfloat *Controls; GLfloat *Knots; #endif public: drawNurbsPath3(const vm::array& g, const vm::array* knot, const vm::array* weight, const pen& p, const string& key="") : drawElement(key), color(rgba(p)), invisible(p.invisible()) { size_t weightsize=checkArray(weight); string wrongsize="Inconsistent NURBS data"; n=checkArray(&g); if(n == 0 || (weightsize != 0 && weightsize != n)) reportError(wrongsize); controls=new(UseGC) triple[n]; size_t k=0; for(size_t i=0; i < n; ++i) controls[k++]=vm::read(g,i); if(weightsize > 0) { size_t k=0; weights=new(UseGC) double[n]; for(size_t i=0; i < n; ++i) weights[k++]=vm::read(weight,i); } else weights=NULL; size_t nknots=checkArray(knot); if(nknots <= n+1 || nknots > 2*n) reportError(wrongsize); degree=nknots-n-1; run::copyArrayC(knots,knot,0,NoGC); #ifdef HAVE_LIBGLM Controls=NULL; #endif } drawNurbsPath3(const double* t, const drawNurbsPath3 *s) : drawElement(s->KEY), degree(s->degree), n(s->n), weights(s->weights), knots(s->knots), color(s->color), invisible(s->invisible) { controls=new(UseGC) triple[n]; for(unsigned int i=0; i < n; ++i) controls[i]=t*s->controls[i]; #ifdef HAVE_LIBGLM Controls=NULL; #endif } bool is3D() {return true;} void bounds(const double* t, bbox3& b); virtual ~drawNurbsPath3() {} bool write(prcfile *out, unsigned int *, double, groupsmap&); void displacement(); void ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first); void render(double size2, const triple& Min, const triple& Max, double perspective, bool remesh); drawElement *transformed(const double* t); }; // Draw a pixel. class drawPixel : public drawElement { triple v; pen p; prc::RGBAColour color; double width; bool invisible; triple Min,Max; public: #ifdef HAVE_GL Pixel R; #endif drawPixel(const triple& v, const pen& p, double width, const string& key="") : drawElement(key), v(v), p(p), color(rgba(p)), width(width), invisible(p.invisible()) {} void bounds(const double* t, bbox3& B) { Min=Max=(t != NULL) ? t*v : v; B.add(Min); } void ratio(const double* t, pair &b, double (*m)(double, double), double, bool &first) { triple V=(t != NULL) ? t*v : v; pair z=pair(xratio(V),yratio(V)); if(first) { b=z; first=false; } else b=pair(m(b.getx(),z.getx()),m(b.gety(),z.gety())); } void render(double size2, const triple& b, const triple& B, double perspective, bool remesh); bool write(prcfile *out, unsigned int *, double, groupsmap&); bool write(jsfile *out); drawElement *transformed(const double* t); }; } #endif asymptote-2.62/stm.h0000644000000000000000000001046013607467113013153 0ustar rootroot/***** * stm.h * Andy Hammerlindl 2002/8/30 * * Statements are objects in the language that do something on their * own. Statements are different from declarations in that statements * do not modify the environment. Translation of a statements puts the * stack code to run it into the instruction stream. *****/ #ifndef STM_H #define STM_H #include "types.h" #include "symbol.h" #include "dec.h" namespace trans { class coenv; } namespace absyntax { using trans::coenv; using sym::symbol; class stm : public runnable { public: stm(position pos) : runnable(pos) {} void prettyprint(ostream &out, Int indent); void transAsField(coenv &e, record *) { // Ignore the record. trans(e); } void trans(coenv &e) = 0; }; class emptyStm : public stm { public: emptyStm(position pos) : stm(pos) {} void prettyprint(ostream &out, Int indent); void trans(coenv &) {} }; // Wrapper around a block to use it as a statement. class blockStm : public stm { block *base; public: blockStm(position pos, block *base) : stm(pos), base(base) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e) { return base->trans(e); } // A block is guaranteed to return iff its last statement is // guaranteed to return. bool returns() { return base->returns(); } }; // A statement that consist of a single expression to evaluate. class expStm : public stm { exp *body; public: expStm(position pos, exp *body) : stm(pos), body(body) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); // Should be called when running an expStm at the interactive prompt. // The code will "write" the value of the expression at the prompt if // possible. void interactiveTrans(coenv &e); }; class ifStm : public stm { exp *test; stm *onTrue; stm *onFalse; public: ifStm(position pos, exp *test, stm* onTrue, stm* onFalse = 0) : stm(pos), test(test), onTrue(onTrue), onFalse(onFalse) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); // An if statement is guaranteed to return iff both its pieces are // guaranteed to return. bool returns() { if (onTrue == 0 || onFalse == 0) return false; return onTrue->returns() && onFalse->returns(); } }; class whileStm : public stm { exp *test; stm *body; public: whileStm(position pos, exp *test, stm *body) : stm(pos), test(test), body(body) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; class doStm : public stm { stm *body; exp *test; public: doStm(position pos, stm *body, exp *test) : stm(pos), body(body), test(test) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; class forStm : public stm { runnable *init; exp *test; runnable *update; stm *body; public: forStm(position pos, runnable *init, exp *test, runnable *update, stm *body) : stm(pos), init(init), test(test), update(update), body(body) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; class extendedForStm : public stm { ty *start; symbol var; exp *set; stm *body; public: extendedForStm(position pos, ty *start, symbol var, exp *set, stm *body) : stm(pos), start(start), var(var), set(set), body(body) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; class breakStm : public stm { public: breakStm(position pos) : stm(pos) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; class continueStm : public stm { public: continueStm(position pos) : stm(pos) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; class returnStm : public stm { exp *value; public: returnStm(position pos, exp *value = 0) : stm(pos), value(value) {} void prettyprint(ostream &out, Int indent); void trans(coenv &e); // A return statement is, of course, guaranteed to return. bool returns() { return true; } }; // Used at the start of for loops. class stmExpList : public stm { mem::list stms; public: stmExpList(position pos) : stm(pos) {} // To ensure list deallocates properly. virtual ~stmExpList() {} void add(stm *s) { stms.push_back(s); } void prettyprint(ostream &out, Int indent); void trans(coenv &e); }; } // namespace absyntax #endif asymptote-2.62/runlabel.cc0000644000000000000000000004047613607467143014327 0ustar rootroot/***** Autogenerated from runlabel.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runlabel.in" /***** * runlabel.in * * Runtime functions for label operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 19 "runlabel.in" #include "picture.h" #include "drawlabel.h" #include "locate.h" using namespace camp; using namespace vm; using namespace settings; typedef array realarray; typedef array stringarray; typedef array penarray; typedef array patharray; typedef array patharray2; using types::realArray; using types::stringArray; using types::penArray; using types::pathArray; using types::pathArray2; void cannotread(const string& s) { ostringstream buf; buf << "Cannot read from " << s; error(buf); } void cannotwrite(const string& s) { ostringstream buf; buf << "Cannot write to " << s; error(buf); } pair readpair(stringstream& s, double hscale=1.0, double vscale=1.0) { double x,y; s >> y; s >> x; return pair(hscale*x,vscale*y); } string ASYx="/ASYx {( ) print ASYX sub 12 string cvs print} bind def"; string ASYy="/ASYy {( ) print ASYY sub 12 string cvs print} bind def"; string pathforall="{(M) print ASYy ASYx} {(L) print ASYy ASYx} {(C) print ASYy ASYx ASYy ASYx ASYy ASYx} {(c) print} pathforall"; string currentpoint="print currentpoint ASYy ASYx "; string ASYinit="/ASYX currentpoint pop def /ASYY currentpoint exch pop def "; string ASY1="ASY1 {"+ASYinit+"/ASY1 false def} if "; void endpath(std::ostream& ps) { ps << ASY1 << pathforall << " (M) " << currentpoint << "currentpoint newpath moveto} bind def" << endl; } void fillpath(std::ostream& ps) { ps << "/fill {closepath "; endpath(ps); } void showpath(std::ostream& ps) { ps << ASYx << newl << ASYy << newl << "/ASY1 true def" << newl << "/stroke {strokepath "; endpath(ps); fillpath(ps); } array *readpath(const string& psname, bool keep, bool pdf=false, double hscale=1.0, double vsign=1.0) { double vscale=vsign*hscale; array *PP=new array(0); char *oldPath=NULL; string dir=stripFile(outname()); if(!dir.empty()) { oldPath=getPath(); setPath(dir.c_str()); } mem::vector cmd; cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dBATCH"); cmd.push_back("-P"); if(safe) cmd.push_back("-dSAFER"); #ifdef __MSDOS__ const string null="NUL"; #else const string null="/dev/null"; #endif string epsdriver=getSetting("epsdriver"); cmd.push_back("-sDEVICE="+epsdriver); cmd.push_back("-sOutputFile="+null); cmd.push_back(stripDir(psname)); iopipestream gs(cmd,"gs","Ghostscript"); while(gs.running()) { stringstream buf; string s=gs.readline(); if(s.empty()) break; if(!pdf) gs << newl; // Workaround broken stringstream container in MacOS 10.9 libc++. #if defined(__APPLE__) || defined(__FreeBSD__) || defined(__FreeBSD_kernel__ ) for(string::iterator i=s.begin(); i != s.end(); ++i) { if(isalpha(*i) && *i != 'e') {buf << " ";} buf << *i; } #else buf << s; #endif if(verbose > 2) cout << endl; mem::vector nodes; solvedKnot node; bool active=false; array *P=new array(0); PP->push(P); while(!buf.eof()) { char c; buf >> c; if(c == '>') break; switch(c) { case 'M': { node.pre=node.point=readpair(buf,hscale,vscale); node.straight=false; break; } case 'L': { pair point=readpair(buf,hscale,vscale); pair delta=(point-node.point)*third; node.post=node.point+delta; node.straight=true; nodes.push_back(node); active=true; node.pre=point-delta; node.point=point; break; } case 'C': { pair point=readpair(buf,hscale,vscale); pair pre=readpair(buf,hscale,vscale); node.post=readpair(buf,hscale,vscale); node.straight=false; nodes.push_back(node); active=true; node.pre=pre; node.point=point; break; } case 'c': { if(active) { if(node.point == nodes[0].point) nodes[0].pre=node.pre; else { pair delta=(nodes[0].point-node.point)*third; node.post=node.point+delta; nodes[0].pre=nodes[0].point-delta; node.straight=true; nodes.push_back(node); } P->push(path(nodes,nodes.size(),true)); // Discard noncyclic paths nodes.clear(); } active=false; node.straight=false; break; } } } } if(oldPath != NULL) setPath(oldPath); if(!keep) unlink(psname.c_str()); return PP; } // Autogenerated routines: #ifndef NOSYM #include "runlabel.symbols.h" #endif namespace run { #line 214 "runlabel.in" // void label(picture *f, string *s, string *size, transform t, pair position, pair align, pen p); void gen_runlabel0(stack *Stack) { pen p=vm::pop(Stack); pair align=vm::pop(Stack); pair position=vm::pop(Stack); transform t=vm::pop(Stack); string * size=vm::pop(Stack); string * s=vm::pop(Stack); picture * f=vm::pop(Stack); #line 216 "runlabel.in" f->append(new drawLabel(*s,*size,t,position,align,p)); } #line 220 "runlabel.in" // bool labels(picture *f); void gen_runlabel1(stack *Stack) { picture * f=vm::pop(Stack); #line 221 "runlabel.in" {Stack->push(f->havelabels()); return;} } #line 225 "runlabel.in" // realarray* texsize(string *s, pen p=CURRENTPEN); void gen_runlabel2(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); string * s=vm::pop(Stack); #line 226 "runlabel.in" texinit(); processDataStruct &pd=processData(); string texengine=getSetting("tex"); setpen(pd.tex,texengine,p); double width,height,depth; texbounds(width,height,depth,pd.tex,*s); array *t=new array(3); (*t)[0]=width; (*t)[1]=height; (*t)[2]=depth; {Stack->push(t); return;} } #line 243 "runlabel.in" // patharray2* _texpath(stringarray *s, penarray *p); void gen_runlabel3(stack *Stack) { penarray * p=vm::pop(Stack); stringarray * s=vm::pop(Stack); #line 244 "runlabel.in" size_t n=checkArrays(s,p); if(n == 0) {Stack->push(new array(0)); return;} string prefix=cleanpath(outname()); string psname=auxname(prefix,"ps"); string texname=auxname(prefix,"tex"); string dviname=auxname(prefix,"dvi"); bbox b; string texengine=getSetting("tex"); bool xe=settings::xe(texengine) || settings::lua(texengine) || settings::context(texengine); texfile tex(texname,b,true); tex.miniprologue(); for(size_t i=0; i < n; ++i) { tex.setfont(read(p,i)); if(i != 0) { if(texengine == "context") tex.verbatimline("}\\page\\hbox{%"); else if(texengine == "luatex" || texengine == "tex" || texengine == "pdftex") tex.verbatimline("\\eject"); else tex.verbatimline("\\newpage"); } if(!xe) { tex.verbatimline("\\special{ps:"); tex.verbatimline(ASYx); tex.verbatimline(ASYy); tex.verbatimline("/ASY1 true def"); tex.verbatimline("/show {"+ASY1+ "currentpoint newpath moveto false charpath "+pathforall+ "} bind def"); tex.verbatimline("/V {"+ASY1+"Ry neg Rx 4 copy 4 2 roll 2 copy 6 2 roll 2 copy (M) print ASYy ASYx (L) print ASYy add ASYx (L) print add ASYy add ASYx (L) print add ASYy ASYx (c) print} bind def}"); } tex.verbatimline(read(s,i)+"\\ %"); } tex.epilogue(true); tex.close(); int status=opentex(texname,prefix,!xe); string pdfname,pdfname2,psname2; bool keep=getSetting("keep"); bool legacygs=false; if(!status) { if(xe) { // Use legacy ghostscript driver for gs-9.13 and earlier. string epsdriver=getSetting("epsdriver"); legacygs=epsdriver == "epswrite"; pdfname=auxname(prefix,"pdf"); pdfname2=auxname(prefix+"_","pdf"); psname2=auxname(prefix+"_","ps"); if(!fs::exists(pdfname)) {Stack->push(new array(n)); return;} std::ofstream ps(psname.c_str(),std::ios::binary); if(!ps) cannotwrite(psname); showpath(ps); mem::vector pcmd; pcmd.push_back(getSetting("gs")); pcmd.push_back("-q"); pcmd.push_back("-dNOCACHE"); pcmd.push_back("-dNOPAUSE"); pcmd.push_back("-dBATCH"); if(safe) pcmd.push_back("-dSAFER"); pcmd.push_back("-sDEVICE=pdfwrite"); pcmd.push_back("-sOutputFile="+pdfname2); pcmd.push_back(pdfname); status=System(pcmd,0,true,"gs"); if(status == 0) { mem::vector cmd; cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dNOCACHE"); cmd.push_back("-dNOPAUSE"); cmd.push_back("-dBATCH"); if(safe) cmd.push_back("-dSAFER"); cmd.push_back("-sDEVICE="+epsdriver); // Work around eps2write bug that forces all postscript to first page. cmd.push_back("-sOutputFile="+psname2+(legacygs ? "" : "%d")); cmd.push_back(pdfname2); status=System(cmd,0,true,"gs"); if(legacygs) { std::ifstream in(psname2.c_str()); ps << in.rdbuf(); } else { for(unsigned int i=1; i <= n ; ++i) { ostringstream buf; buf << psname2 << i; const string& s=buf.str(); const char *name=s.c_str(); std::ifstream in(name,std::ios::binary); ps << in.rdbuf(); ps << "(>\n) print flush\n"; in.close(); if(!keep) unlink(name); } } ps.close(); } } else { if(!fs::exists(dviname)) {Stack->push(new array(n)); return;} mem::vector dcmd; dcmd.push_back(getSetting("dvips")); dcmd.push_back("-R"); dcmd.push_back("-Pdownload35"); dcmd.push_back("-D600"); push_split(dcmd,getSetting("dvipsOptions")); if(verbose <= 2) dcmd.push_back("-q"); dcmd.push_back("-o"+psname); dcmd.push_back(dviname); status=System(dcmd,0,true,"dvips"); } } else error("texpath failed"); if(!keep) { // Delete temporary files. unlink(texname.c_str()); if(!getSetting("keepaux")) unlink(auxname(prefix,"aux").c_str()); unlink(auxname(prefix,"log").c_str()); if(xe) { unlink(pdfname.c_str()); unlink(pdfname2.c_str()); } else unlink(dviname.c_str()); if(settings::context(texengine)) { unlink(auxname(prefix,"top").c_str()); unlink(auxname(prefix,"tua").c_str()); unlink(auxname(prefix,"tuc").c_str()); unlink(auxname(prefix,"tui").c_str()); } } {Stack->push(xe ? readpath(psname,keep,!legacygs,0.1) : readpath(psname,keep,false,0.12,-1.0)); return;} } #line 387 "runlabel.in" // patharray2* textpath(stringarray *s, penarray *p); void gen_runlabel4(stack *Stack) { penarray * p=vm::pop(Stack); stringarray * s=vm::pop(Stack); #line 388 "runlabel.in" size_t n=checkArrays(s,p); if(n == 0) {Stack->push(new array(0)); return;} string prefix=cleanpath(outname()); string outputname=auxname(prefix,getSetting("textoutformat")); string textname=auxname(prefix,getSetting("textextension")); std::ofstream text(textname.c_str()); if(!text) cannotwrite(textname); for(size_t i=0; i < n; ++i) { text << getSetting("textprologue") << newl << read(p,i).Font() << newl << read(s,i) << newl << getSetting("textepilogue") << endl; } text.close(); string psname=auxname(prefix,"ps"); std::ofstream ps(psname.c_str()); if(!ps) cannotwrite(psname); showpath(ps); mem::vector cmd; cmd.push_back(getSetting("textcommand")); push_split(cmd,getSetting("textcommandOptions")); cmd.push_back(textname); iopipestream typesetter(cmd); typesetter.block(true,false); mem::vector cmd2; cmd2.push_back(getSetting("gs")); cmd2.push_back("-q"); cmd2.push_back("-dNOCACHE"); cmd2.push_back("-dNOPAUSE"); cmd2.push_back("-dBATCH"); cmd2.push_back("-P"); if(safe) cmd2.push_back("-dSAFER"); cmd2.push_back("-sDEVICE="+getSetting("epsdriver")); cmd2.push_back("-sOutputFile=-"); cmd2.push_back("-"); iopipestream gs(cmd2,"gs","Ghostscript"); gs.block(false,false); // TODO: Simplify by connecting the pipes directly. while(true) { string out; if(typesetter.isopen()) { typesetter >> out; if(!out.empty()) gs << out; else if(!typesetter.running()) { typesetter.pipeclose(); gs.eof(); } } string out2; gs >> out2; if(out2.empty() && !gs.running()) break; ps << out2; } ps.close(); if(verbose > 2) cout << endl; bool keep=getSetting("keep"); if(!keep) // Delete temporary files. unlink(textname.c_str()); {Stack->push(readpath(psname,keep,false,0.1)); return;} } #line 461 "runlabel.in" // patharray* _strokepath(path g, pen p=CURRENTPEN); void gen_runlabel5(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); path g=vm::pop(Stack); #line 462 "runlabel.in" array *P=new array(0); if(g.size() == 0) {Stack->push(P); return;} string prefix=cleanpath(outname()); string psname=auxname(prefix,"ps"); bbox b; psfile ps(psname,false); ps.prologue(b); ps.verbatimline(ASYx); ps.verbatimline(ASYy); ps.verbatimline("/stroke {"+ASYinit+pathforall+"} bind def"); ps.resetpen(); ps.setpen(p); ps.write(g); ps.strokepath(); ps.stroke(p); ps.verbatimline("(M) "+currentpoint); ps.epilogue(); ps.close(); array *a=readpath(psname,getSetting("keep")); {Stack->push(a->size() > 0 ? read(a,0) : a); return;} } } // namespace run namespace trans { void gen_runlabel_venv(venv &ve) { #line 214 "runlabel.in" addFunc(ve, run::gen_runlabel0, primVoid(), SYM(label), formal(primPicture(), SYM(f), false, false), formal(primString(), SYM(s), false, false), formal(primString(), SYM(size), false, false), formal(primTransform(), SYM(t), false, false), formal(primPair(), SYM(position), false, false), formal(primPair(), SYM(align), false, false), formal(primPen(), SYM(p), false, false)); #line 220 "runlabel.in" addFunc(ve, run::gen_runlabel1, primBoolean(), SYM(labels), formal(primPicture(), SYM(f), false, false)); #line 225 "runlabel.in" addFunc(ve, run::gen_runlabel2, realArray(), SYM(texsize), formal(primString(), SYM(s), false, false), formal(primPen(), SYM(p), true, false)); #line 243 "runlabel.in" addFunc(ve, run::gen_runlabel3, pathArray2() , SYM(_texpath), formal(stringArray() , SYM(s), false, false), formal(penArray() , SYM(p), false, false)); #line 387 "runlabel.in" addFunc(ve, run::gen_runlabel4, pathArray2() , SYM(textpath), formal(stringArray() , SYM(s), false, false), formal(penArray() , SYM(p), false, false)); #line 461 "runlabel.in" addFunc(ve, run::gen_runlabel5, pathArray() , SYM(_strokepath), formal(primPath(), SYM(g), false, false), formal(primPen(), SYM(p), true, false)); } } // namespace trans asymptote-2.62/glrender.cc0000644000000000000000000013011313607467113014306 0ustar rootroot/***** * glrender.cc * John Bowman, Orest Shardt, and Supakorn "Jamie" Rassameemasmuang * Render 3D Bezier paths and surfaces. *****/ #ifdef __CYGWIN__ #define _POSIX_C_SOURCE 200809L #endif #include #include #include #include #include "common.h" #include "locate.h" #include "seconds.h" #include "statistics.h" #include "bezierpatch.h" #include "beziercurve.h" #include "picture.h" #include "bbox3.h" #include "drawimage.h" #include "interact.h" #ifdef HAVE_GL #include "tr.h" #ifdef HAVE_LIBGLUT #ifdef __MSDOS__ #ifndef FGAPI #define FGAPI GLUTAPI #endif #ifndef FGAPIENTRY #define FGAPIENTRY APIENTRY #endif #endif #define GLUT_BUILDING_LIB #endif // HAVE_LIBGLUT #ifdef HAVE_LIBGLUT #ifdef FREEGLUT #include #endif #endif #include "shaders.h" #ifdef HAVE_LIBOPENIMAGEIO #include #endif using settings::locateFile; using utils::seconds; namespace camp { Billboard BB; GLint pixelShader; GLint noNormalShader; GLint materialShader; GLint colorShader; GLint transparentShader; vertexBuffer material0Data; vertexBuffer material1Data; vertexBuffer materialData; vertexBuffer colorData; vertexBuffer transparentData; vertexBuffer triangleData; const size_t Nbuffer=10000; const size_t nbuffer=1000; GLuint attributeBuffer; GLuint indicesBuffer; } #endif /* HAVE_GL */ #ifdef HAVE_LIBGLM using camp::Material; using camp::Maxmaterials; using camp::Nmaterials; using camp::nmaterials; using camp::MaterialMap; namespace camp { std::vector material; MaterialMap materialMap; size_t materialIndex; size_t Maxmaterials; size_t Nmaterials=1; size_t nmaterials=48; } namespace gl { bool outlinemode=false; bool glthread=false; bool initialize=true; using camp::picture; using camp::drawRawImage; using camp::transform; using camp::pair; using camp::triple; using vm::array; using vm::read; using camp::bbox3; using settings::getSetting; using settings::Setting; bool Iconify=false; bool ignorezoom; int Fitscreen; bool queueExport=false; bool readyAfterExport=false; bool remesh; int Mode; double Aspect; bool View; int Oldpid; string Prefix; const picture* Picture; string Format; int fullWidth,fullHeight; int Width,Height; double oWidth,oHeight; int screenWidth,screenHeight; int maxWidth; int maxHeight; int maxTileWidth; int maxTileHeight; double Angle; bool orthographic; double H; double xmin,xmax; double ymin,ymax; double zmin,zmax; double Xmin,Xmax; double Ymin,Ymax; pair Shift; pair Margin; double X,Y; int x0,y0; double cx,cy; double Xfactor,Yfactor; double ArcballFactor; static const double pi=acos(-1.0); static const double degrees=180.0/pi; static const double radians=1.0/degrees; double *Background; size_t Nlights=1; // Maximum number of lights compiled in shader size_t nlights; // Actual number of lights size_t nlights0; triple *Lights; double *Diffuse; double *Specular; bool antialias; double Zoom; double Zoom0; double lastzoom; GLint lastshader=-1; using glm::dvec3; using glm::dmat3; using glm::mat3; using glm::mat4; using glm::dmat4; using glm::value_ptr; using glm::translate; mat3 normMat; dmat3 dnormMat; mat4 projViewMat; mat4 viewMat; dmat4 dprojMat; dmat4 dprojViewMat; dmat4 dviewMat; dmat4 drotateMat; const double *dprojView; const double *dView; double BBT[9]; GLuint ubo; unsigned int framecount; template inline T min(T a, T b) { return (a < b) ? a : b; } template inline T max(T a, T b) { return (a > b) ? a : b; } glm::vec4 vec4(triple v) { return glm::vec4(v.getx(),v.gety(),v.getz(),0); } glm::vec4 vec4(double *v) { return glm::vec4(v[0],v[1],v[2],v[3]); } void setDimensions(int Width, int Height, double X, double Y) { double Aspect=((double) Width)/Height; double xshift=(X/Width+Shift.getx()*Xfactor)*Zoom; double yshift=(Y/Height+Shift.gety()*Yfactor)*Zoom; double Zoominv=1.0/lastzoom; if(orthographic) { double xsize=Xmax-Xmin; double ysize=Ymax-Ymin; if(xsize < ysize*Aspect) { double r=0.5*ysize*Aspect*Zoominv; double X0=2.0*r*xshift; double Y0=(Ymax-Ymin)*Zoominv*yshift; xmin=-r-X0; xmax=r-X0; ymin=Ymin*Zoominv-Y0; ymax=Ymax*Zoominv-Y0; } else { double r=0.5*xsize/(Aspect*Zoom); double X0=(Xmax-Xmin)*Zoominv*xshift; double Y0=2.0*r*yshift; xmin=Xmin*Zoominv-X0; xmax=Xmax*Zoominv-X0; ymin=-r-Y0; ymax=r-Y0; } } else { double r=H*Zoominv; double rAspect=r*Aspect; double X0=2.0*rAspect*xshift; double Y0=2.0*r*yshift; xmin=-rAspect-X0; xmax=rAspect-X0; ymin=-r-Y0; ymax=r-Y0; } } void updateProjection() { dprojViewMat=dprojMat*dviewMat; projViewMat=mat4(dprojViewMat); dprojView=value_ptr(dprojViewMat); } void frustum(GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble nearVal, GLdouble farVal) { dprojMat=glm::frustum(left,right,bottom,top,nearVal,farVal); updateProjection(); } void ortho(GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble nearVal, GLdouble farVal) { dprojMat=glm::ortho(left,right,bottom,top,nearVal,farVal); updateProjection(); } void setProjection() { setDimensions(Width,Height,X,Y); if(orthographic) ortho(xmin,xmax,ymin,ymax,-zmax,-zmin); else frustum(xmin,xmax,ymin,ymax,-zmax,-zmin); } void updateModelViewData() { // Like Fortran, OpenGL uses transposed (column-major) format! dnormMat=dmat3(glm::inverse(dviewMat)); double *T=value_ptr(dnormMat); for(size_t i=0; i < 9; ++i) BBT[i]=T[i]; normMat=mat3(dnormMat); } bool Xspin,Yspin,Zspin; bool Animate; bool Step; #ifdef HAVE_GL void idle() { glutIdleFunc(NULL); Xspin=Yspin=Zspin=Animate=Step=false; } #endif void home(bool webgl=false) { X=Y=cx=cy=0.0; #ifdef HAVE_GL #ifdef HAVE_LIBGLUT if(!webgl && !getSetting("offscreen")) idle(); #endif #endif dviewMat=dmat4(1.0); dView=value_ptr(dviewMat); viewMat=mat4(dviewMat); drotateMat=dmat4(1.0); updateModelViewData(); remesh=true; lastzoom=Zoom=Zoom0; setDimensions(Width,Height,0,0); framecount=0; } #ifdef HAVE_GL double T[16]; #ifdef HAVE_LIBGLUT timeval lasttime; timeval lastframetime; int oldWidth,oldHeight; bool queueScreen=false; string Action; double lastangle; int window; #endif using utils::statistics; statistics S; #ifdef HAVE_LIBOPENIMAGEIO GLuint envMapBuf; GLuint initHDR() { GLuint tex; glGenTextures(1, &tex); auto imagein = OIIO::ImageInput::open(locateFile("res/studio006.hdr").c_str()); OIIO::ImageSpec const& imspec = imagein->spec(); // uses GL_TEXTURE1 for now. glActiveTexture(GL_TEXTURE1); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); glBindTexture(GL_TEXTURE_2D, tex); std::vector pixels(imspec.width*imspec.height*3); imagein->read_image(pixels.data()); glTexImage2D(GL_TEXTURE_2D, 0, GL_RGB, imspec.width, imspec.height, 0, GL_RGB, GL_FLOAT, pixels.data()); glGenerateMipmap(GL_TEXTURE_2D); imagein->close(); glActiveTexture(GL_TEXTURE0); return tex; } #endif GLint shaderProg,shaderProgColor; void *glrenderWrapper(void *a); #ifdef HAVE_LIBOSMESA OSMesaContext ctx; unsigned char *osmesa_buffer; #endif #ifdef HAVE_PTHREAD pthread_t mainthread; pthread_cond_t initSignal=PTHREAD_COND_INITIALIZER; pthread_mutex_t initLock=PTHREAD_MUTEX_INITIALIZER; pthread_cond_t readySignal=PTHREAD_COND_INITIALIZER; pthread_mutex_t readyLock=PTHREAD_MUTEX_INITIALIZER; void endwait(pthread_cond_t& signal, pthread_mutex_t& lock) { pthread_mutex_lock(&lock); pthread_cond_signal(&signal); pthread_mutex_unlock(&lock); } void wait(pthread_cond_t& signal, pthread_mutex_t& lock) { pthread_mutex_lock(&lock); pthread_cond_signal(&signal); pthread_cond_wait(&signal,&lock); pthread_mutex_unlock(&lock); } #endif void initShaders() { Nlights=nlights == 0 ? 0 : max(Nlights,nlights); Nmaterials=max(Nmaterials,nmaterials); shaderProg=glCreateProgram(); string vs=locateFile("shaders/vertex.glsl"); string fs=locateFile("shaders/fragment.glsl"); if(vs.empty() || fs.empty()) { cerr << "GLSL shaders not found." << endl; exit(-1); } std::vector shaderParams; #if HAVE_LIBOPENIMAGEIO if (getSetting("envmap")) { shaderParams.push_back("ENABLE_TEXTURE"); envMapBuf=initHDR(); } #endif std::vector shaders; shaders.push_back(ShaderfileModePair(vs.c_str(),GL_VERTEX_SHADER)); shaders.push_back(ShaderfileModePair(fs.c_str(),GL_FRAGMENT_SHADER)); if(orthographic) shaderParams.push_back("ORTHOGRAPHIC"); shaderParams.push_back("WIDTH"); camp::pixelShader=compileAndLinkShader(shaders,Nlights,Nmaterials, shaderParams); shaderParams.pop_back(); camp::noNormalShader=compileAndLinkShader(shaders,Nlights,Nmaterials, shaderParams); shaderParams.push_back("NORMAL"); camp::materialShader=compileAndLinkShader(shaders,Nlights,Nmaterials, shaderParams); shaderParams.push_back("COLOR"); camp::colorShader=compileAndLinkShader(shaders,Nlights,Nmaterials, shaderParams); shaderParams.push_back("TRANSPARENT"); camp::transparentShader=compileAndLinkShader(shaders,Nlights,Nmaterials, shaderParams); } void deleteShaders() { glDeleteProgram(camp::transparentShader); glDeleteProgram(camp::colorShader); glDeleteProgram(camp::materialShader); glDeleteProgram(camp::pixelShader); glDeleteProgram(camp::noNormalShader); } void setBuffers() { glGenBuffers(1,&camp::attributeBuffer); glGenBuffers(1,&camp::indicesBuffer); glGenBuffers(1,&ubo); GLuint vao; glGenVertexArrays(1,&vao); glBindVertexArray(vao); camp::material0Data.reserve0(); camp::material1Data.reserve1(); camp::materialData.reserve(); camp::colorData.Reserve(); camp::triangleData.Reserve(); camp::transparentData.Reserve(); } void drawscene(int Width, int Height) { #ifdef HAVE_PTHREAD static bool first=true; if(glthread && first && !getSetting("offscreen")) { wait(initSignal,initLock); endwait(initSignal,initLock); first=false; } #endif if((nlights == 0 && Nlights > 0) || nlights > Nlights || nmaterials > Nmaterials) { deleteShaders(); initShaders(); lastshader=-1; } glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); triple m(xmin,ymin,zmin); triple M(xmax,ymax,zmax); double perspective=orthographic ? 0.0 : 1.0/zmax; double size2=hypot(Width,Height); if(remesh) camp::drawElement::center.clear(); Picture->render(size2,m,M,perspective,remesh); remesh=false; } // Return x divided by y rounded up to the nearest integer. int Quotient(int x, int y) { return (x+y-1)/y; } void Export() { glReadBuffer(GL_BACK_LEFT); glPixelStorei(GL_PACK_ALIGNMENT,1); glFinish(); try { size_t ndata=3*fullWidth*fullHeight; unsigned char *data=new unsigned char[ndata]; if(data) { TRcontext *tr=trNew(); int width=Quotient(fullWidth,Quotient(fullWidth,min(maxTileWidth,Width))); int height=Quotient(fullHeight,Quotient(fullHeight, min(maxTileHeight,Height))); if(settings::verbose > 1) cout << "Exporting " << Prefix << " as " << fullWidth << "x" << fullHeight << " image" << " using tiles of size " << width << "x" << height << endl; unsigned border=min(min(1,width/2),height/2); trTileSize(tr,width,height,border); trImageSize(tr,fullWidth,fullHeight); trImageBuffer(tr,GL_RGB,GL_UNSIGNED_BYTE,data); setDimensions(fullWidth,fullHeight,X/Width*fullWidth,Y/Width*fullWidth); (orthographic ? trOrtho : trFrustum)(tr,xmin,xmax,ymin,ymax,-zmax,-zmin); size_t count=0; do { trBeginTile(tr); drawscene(fullWidth,fullHeight); ++count; } while (trEndTile(tr)); if(settings::verbose > 1) cout << count << " tile" << (count != 1 ? "s" : "") << " drawn" << endl; trDelete(tr); picture pic; double w=oWidth; double h=oHeight; double Aspect=((double) fullWidth)/fullHeight; if(w > h*Aspect) w=(int) (h*Aspect+0.5); else h=(int) (w/Aspect+0.5); // Render an antialiased image. drawRawImage *Image=new drawRawImage(data,fullWidth,fullHeight, transform(0.0,0.0,w,0.0,0.0,h), antialias); pic.append(Image); pic.shipout(NULL,Prefix,Format,false,View); delete Image; delete[] data; } } catch(handled_error) { } catch(std::bad_alloc&) { outOfMemory(); } setProjection(); bool offscreen=getSetting("offscreen"); #ifdef HAVE_LIBGLUT if(!offscreen) glutPostRedisplay(); #endif #ifdef HAVE_PTHREAD if(glthread && readyAfterExport && !offscreen) { readyAfterExport=false; endwait(readySignal,readyLock); } #endif } void nodisplay() { } void destroywindow() { glutDestroyWindow(glutGetWindow()); } // Return the greatest power of 2 less than or equal to n. inline unsigned int floorpow2(unsigned int n) { n |= n >> 1; n |= n >> 2; n |= n >> 4; n |= n >> 8; n |= n >> 16; return n-(n >> 1); } void quit() { #ifdef HAVE_LIBOSMESA if(getSetting("offscreen")) { if(osmesa_buffer) delete[] osmesa_buffer; if(ctx) OSMesaDestroyContext(ctx); exit(0); } #endif #ifdef HAVE_LIBGLUT if(glthread) { bool animating=getSetting("animating"); if(animating) Setting("interrupt")=true; home(); Animate=getSetting("autoplay"); #ifdef HAVE_PTHREAD if(!interact::interactive || animating) { idle(); glutDisplayFunc(nodisplay); endwait(readySignal,readyLock); } #endif if(interact::interactive) glutHideWindow(); } else { glutDestroyWindow(window); exit(0); } #endif } void mode() { remesh=true; switch(Mode) { case 0: // regular outlinemode=false; nlights=nlights0; lastshader=-1; glPolygonMode(GL_FRONT_AND_BACK,GL_FILL); ++Mode; break; case 1: // outline outlinemode=true; nlights=0; glPolygonMode(GL_FRONT_AND_BACK,GL_LINE); ++Mode; break; case 2: // wireframe outlinemode=false; Mode=0; break; } #ifdef HAVE_LIBGLUT if(!getSetting("offscreen")) glutPostRedisplay(); #endif } // GUI-related functions #ifdef HAVE_LIBGLUT bool capsize(int& width, int& height) { bool resize=false; if(width > maxWidth) { width=maxWidth; resize=true; } if(height > maxHeight) { height=maxHeight; resize=true; } return resize; } void reshape0(int width, int height) { X=(X/Width)*width; Y=(Y/Height)*height; Width=width; Height=height; setProjection(); glViewport(0,0,Width,Height); } void windowposition(int& x, int& y, int width=Width, int height=Height) { pair z=getSetting("position"); x=(int) z.getx(); y=(int) z.gety(); if(x < 0) { x += screenWidth-width; if(x < 0) x=0; } if(y < 0) { y += screenHeight-height; if(y < 0) y=0; } } void setsize(int w, int h, bool reposition=true) { int x,y; capsize(w,h); if(reposition) { windowposition(x,y,w,h); glutPositionWindow(x,y); } glutReshapeWindow(w,h); reshape0(w,h); glutPostRedisplay(); } void fullscreen(bool reposition=true) { Width=screenWidth; Height=screenHeight; reshape0(Width,Height); if(reposition) glutPositionWindow(0,0); glutReshapeWindow(Width,Height); glutPostRedisplay(); } void fitscreen(bool reposition=true) { if(Animate && Fitscreen == 2) Fitscreen=0; switch(Fitscreen) { case 0: // Original size { Xfactor=Yfactor=1.0; setsize(oldWidth,oldHeight,reposition); break; } case 1: // Fit to screen in one dimension { oldWidth=Width; oldHeight=Height; int w=screenWidth; int h=screenHeight; if(w >= h*Aspect) w=(int) (h*Aspect+0.5); else h=(int) (w/Aspect+0.5); setsize(w,h,reposition); break; } case 2: // Full screen { Xfactor=((double) screenHeight)/Height; Yfactor=((double) screenWidth)/Width; fullscreen(reposition); break; } } } void togglefitscreen() { ++Fitscreen; if(Fitscreen > 2) Fitscreen=0; fitscreen(); } void initTimer() { gettimeofday(&lasttime,NULL); gettimeofday(&lastframetime,NULL); } void idleFunc(void (*f)()) { initTimer(); glutIdleFunc(f); } void screen() { if(glthread && !interact::interactive) fitscreen(false); } void nextframe(int) { #ifdef HAVE_PTHREAD endwait(readySignal,readyLock); #endif double framedelay=getSetting("framedelay"); if(framedelay > 0) usleep((unsigned int) (1000.0*framedelay+0.5)); if(Step) Animate=false; } void display() { if(queueScreen) { if(!Animate) screen(); queueScreen=false; } bool fps=settings::verbose > 2; drawscene(Width,Height); if(fps) { if(framecount < 10) // Measure steady-state framerate seconds(); else { double s=seconds(); if(s > 0.0) { double rate=1.0/s; S.add(rate); cout << "FPS=" << rate << "\t" << S.mean() << " +/- " << S.stdev() << endl; } } ++framecount; } glutSwapBuffers(); #ifdef HAVE_PTHREAD if(glthread && Animate) { queueExport=false; double delay=1.0/getSetting("framerate"); timeval tv; gettimeofday(&tv,NULL); double seconds=tv.tv_sec-lastframetime.tv_sec+ ((double) tv.tv_usec-lastframetime.tv_usec)/1000000.0; lastframetime=tv; double milliseconds=1000.0*(delay-seconds); double framedelay=getSetting("framedelay"); if(framedelay > 0) milliseconds -= framedelay; if(milliseconds > 0) glutTimerFunc((int) (milliseconds+0.5),nextframe,0); else nextframe(0); } #endif if(queueExport) { Export(); queueExport=false; } if(!glthread) { if(Oldpid != 0 && waitpid(Oldpid,NULL,WNOHANG) != Oldpid) { kill(Oldpid,SIGHUP); Oldpid=0; } } } void update() { glutDisplayFunc(display); Animate=getSetting("autoplay"); glutShowWindow(); if(Zoom != lastzoom) remesh=true; lastzoom=Zoom; double cz=0.5*(zmin+zmax); dviewMat=translate(translate(dmat4(1.0),dvec3(cx,cy,cz))*drotateMat, dvec3(0,0,-cz)); dView=value_ptr(dviewMat); viewMat=mat4(dviewMat); setProjection(); updateModelViewData(); glutPostRedisplay(); } void updateHandler(int) { queueScreen=true; update(); if(interact::interactive || !Animate) { glutShowWindow(); } } void animate() { Animate=!Animate; if(Animate) { if(Fitscreen == 2) { togglefitscreen(); togglefitscreen(); } update(); } else idle(); } void reshape(int width, int height) { if(glthread) { static bool initialize=true; if(initialize) { initialize=false; Signal(SIGUSR1,updateHandler); } } if(capsize(width,height)) glutReshapeWindow(width,height); reshape0(width,height); remesh=true; } void shift(int x, int y) { double Zoominv=1.0/Zoom; X += (x-x0)*Zoominv; Y += (y0-y)*Zoominv; x0=x; y0=y; update(); } void pan(int x, int y) { if(orthographic) { double Zoominv=1.0/Zoom; X += (x-x0)*Zoominv; Y += (y0-y)*Zoominv; } else { cx += (x-x0)*(xmax-xmin)/Width; cy += (y0-y)*(ymax-ymin)/Height; } x0=x; y0=y; update(); } void capzoom() { static double maxzoom=sqrt(DBL_MAX); static double minzoom=1.0/maxzoom; if(Zoom <= minzoom) Zoom=minzoom; if(Zoom >= maxzoom) Zoom=maxzoom; if(Zoom != lastzoom) remesh=true; lastzoom=Zoom; } void zoom(int x, int y) { if(ignorezoom) {ignorezoom=false; y0=y; return;} double zoomFactor=getSetting("zoomfactor"); if(zoomFactor > 0.0) { double zoomStep=getSetting("zoomstep"); const double limit=log(0.1*DBL_MAX)/log(zoomFactor); double stepPower=zoomStep*(y0-y); if(fabs(stepPower) < limit) { Zoom *= pow(zoomFactor,stepPower); capzoom(); y0=y; setProjection(); glutPostRedisplay(); } } } void mousewheel(int wheel, int direction, int x, int y) { double zoomFactor=getSetting("zoomfactor"); if(zoomFactor > 0.0) { if(direction > 0) Zoom *= zoomFactor; else Zoom /= zoomFactor; capzoom(); setProjection(); glutPostRedisplay(); } } struct arcball { double angle; triple axis; arcball(double x0, double y0, double x, double y) { triple v0=norm(x0,y0); triple v1=norm(x,y); double Dot=dot(v0,v1); if(Dot > 1.0) Dot=1.0; else if(Dot < -1.0) Dot=-1.0; angle=acos(Dot); axis=unit(cross(v0,v1)); } triple norm(double x, double y) { double norm=hypot(x,y); if(norm > 1.0) { double denom=1.0/norm; x *= denom; y *= denom; } return triple(x,y,sqrt(max(1.0-x*x-y*y,0.0))); } }; inline double glx(int x) { return 2.0*x/Width-1.0; } inline double gly(int y) { return 1.0-2.0*y/Height; } void rotate(int x, int y) { if(x != x0 || y != y0) { arcball A(glx(x0),gly(y0),glx(x),gly(y)); triple v=A.axis; drotateMat=glm::rotate(2*A.angle/lastzoom*ArcballFactor, glm::dvec3(v.getx(),v.gety(),v.getz()))* drotateMat; x0=x; y0=y; update(); } } double Degrees(int x, int y) { return atan2(0.5*Height-y-Y,x-0.5*Width-X)*degrees; } void rotateX(double step) { dmat4 tmpRot(1.0); tmpRot=glm::rotate(tmpRot,glm::radians(step),dvec3(1,0,0)); drotateMat=tmpRot*drotateMat; update(); } void rotateY(double step) { dmat4 tmpRot(1.0); tmpRot=glm::rotate(tmpRot,glm::radians(step),dvec3(0,1,0)); drotateMat=tmpRot*drotateMat; update(); } void rotateZ(double step) { dmat4 tmpRot(1.0); tmpRot=glm::rotate(tmpRot,glm::radians(step),dvec3(0,0,1)); drotateMat=tmpRot*drotateMat; update(); } void rotateX(int x, int y) { double angle=Degrees(x,y); rotateX(angle-lastangle); lastangle=angle; } void rotateY(int x, int y) { double angle=Degrees(x,y); rotateY(angle-lastangle); lastangle=angle; } void rotateZ(int x, int y) { double angle=Degrees(x,y); rotateZ(angle-lastangle); lastangle=angle; } #ifndef GLUT_WHEEL_UP #define GLUT_WHEEL_UP 3 #endif #ifndef GLUT_WHEEL_DOWN #define GLUT_WHEEL_DOWN 4 #endif string action(int button, int mod) { size_t Button; size_t nButtons=5; switch(button) { case GLUT_LEFT_BUTTON: Button=0; break; case GLUT_MIDDLE_BUTTON: Button=1; break; case GLUT_RIGHT_BUTTON: Button=2; break; case GLUT_WHEEL_UP: Button=3; break; case GLUT_WHEEL_DOWN: Button=4; break; default: Button=nButtons; } size_t Mod; size_t nMods=4; switch(mod) { case 0: Mod=0; break; case GLUT_ACTIVE_SHIFT: Mod=1; break; case GLUT_ACTIVE_CTRL: Mod=2; break; case GLUT_ACTIVE_ALT: Mod=3; break; default: Mod=nMods; } if(Button < nButtons) { array *left=getSetting("leftbutton"); array *middle=getSetting("middlebutton"); array *right=getSetting("rightbutton"); array *wheelup=getSetting("wheelup"); array *wheeldown=getSetting("wheeldown"); array *Buttons[]={left,middle,right,wheelup,wheeldown}; array *a=Buttons[button]; size_t size=checkArray(a); if(Mod < size) return read(a,Mod); } return ""; } void timeout(int) { } void mouse(int button, int state, int x, int y) { int mod=glutGetModifiers(); string Action=action(button,mod); if(Action == "zoomin") { glutMotionFunc(NULL); mousewheel(0,1,x,y); return; } if(Action == "zoomout") { glutMotionFunc(NULL); mousewheel(0,-1,x,y); return; } if(state == GLUT_DOWN) { if(Action == "rotate") { x0=x; y0=y; glutMotionFunc(rotate); } else if(Action == "shift") { x0=x; y0=y; glutMotionFunc(shift); } else if(Action == "pan") { x0=x; y0=y; glutMotionFunc(pan); } else if(Action == "zoom" || Action == "zoom/menu") { y0=y; glutMotionFunc(zoom); } else if(Action == "rotateX") { lastangle=Degrees(x,y); glutMotionFunc(rotateX); } else if(Action == "rotateY") { lastangle=Degrees(x,y); glutMotionFunc(rotateY); } else if(Action == "rotateZ") { lastangle=Degrees(x,y); glutMotionFunc(rotateZ); } } else { glutMotionFunc(NULL); } } double spinstep() { timeval tv; gettimeofday(&tv,NULL); double step=getSetting("spinstep")* (tv.tv_sec-lasttime.tv_sec+ ((double) tv.tv_usec-lasttime.tv_usec)/1000000.0); lasttime=tv; return step; } void xspin() { rotateX(spinstep()); } void yspin() { rotateY(spinstep()); } void zspin() { rotateZ(spinstep()); } void expand() { double resizeStep=getSetting("resizestep"); if(resizeStep > 0.0) setsize((int) (Width*resizeStep+0.5),(int) (Height*resizeStep+0.5)); } void shrink() { double resizeStep=getSetting("resizestep"); if(resizeStep > 0.0) setsize(max((int) (Width/resizeStep+0.5),1), max((int) (Height/resizeStep+0.5),1)); } void spinx() { if(Xspin) idle(); else { idleFunc(xspin); Xspin=true; Yspin=Zspin=false; } } void spiny() { if(Yspin) idle(); else { idleFunc(yspin); Yspin=true; Xspin=Zspin=false; } } void spinz() { if(Zspin) idle(); else { idleFunc(zspin); Zspin=true; Xspin=Yspin=false; } } void showCamera() { projection P=camera(); cout << endl << "currentprojection=" << (P.orthographic ? "orthographic(" : "perspective(") << endl << "camera=" << P.camera << "," << endl << "up=" << P.up << "," << endl << "target=" << P.target << "," << endl << "zoom=" << P.zoom; if(!orthographic) cout << "," << endl << "angle=" << P.angle; if(P.viewportshift != pair(0.0,0.0)) cout << "," << endl << "viewportshift=" << P.viewportshift*Zoom; if(!orthographic) cout << "," << endl << "autoadjust=false"; cout << ");" << endl; } void keyboard(unsigned char key, int x, int y) { switch(key) { case 'h': home(); update(); break; case 'f': togglefitscreen(); break; case 'x': spinx(); break; case 'y': spiny(); break; case 'z': spinz(); break; case 's': idle(); break; case 'm': mode(); break; case 'e': Export(); break; case 'c': showCamera(); break; case '+': case '=': case '>': expand(); break; case '-': case '_': case '<': shrink(); break; case 'p': if(getSetting("reverse")) Animate=false; Setting("reverse")=Step=false; animate(); break; case 'r': if(!getSetting("reverse")) Animate=false; Setting("reverse")=true; Step=false; animate(); break; case ' ': Step=true; animate(); break; case 17: // Ctrl-q case 'q': if(!Format.empty()) Export(); quit(); break; } } void setosize() { oldWidth=(int) ceil(oWidth); oldHeight=(int) ceil(oHeight); } #endif // end of GUI-related functions void exportHandler(int=0) { #ifdef HAVE_LIBGLUT bool offscreen=getSetting("offscreen"); if(!Iconify && !offscreen) glutShowWindow(); #endif readyAfterExport=true; Export(); #ifdef HAVE_LIBGLUT if(!Iconify && !offscreen) glutHideWindow(); #endif glutDisplayFunc(nodisplay); } static bool glinitialize=true; projection camera(bool user) { if(glinitialize) return projection(); camp::Triple vCamera,vUp,vTarget; double cz=0.5*(zmin+zmax); double *Rotate=value_ptr(drotateMat); if(user) { for(int i=0; i < 3; ++i) { double sumCamera=0.0, sumTarget=0.0, sumUp=0.0; int i4=4*i; for(int j=0; j < 4; ++j) { int j4=4*j; double R0=Rotate[j4]; double R1=Rotate[j4+1]; double R2=Rotate[j4+2]; double R3=Rotate[j4+3]; double T4ij=T[i4+j]; sumCamera += T4ij*(R3-cx*R0-cy*R1-cz*R2); sumUp += T4ij*R1; sumTarget += T4ij*(R3-cx*R0-cy*R1); } vCamera[i]=sumCamera; vUp[i]=sumUp; vTarget[i]=sumTarget; } } else { for(int i=0; i < 3; ++i) { int i4=4*i; double R0=Rotate[i4]; double R1=Rotate[i4+1]; double R2=Rotate[i4+2]; double R3=Rotate[i4+3]; vCamera[i]=R3-cx*R0-cy*R1-cz*R2; vUp[i]=R1; vTarget[i]=R3-cx*R0-cy*R1; } } return projection(orthographic,vCamera,vUp,vTarget,Zoom, 2.0*atan(tan(0.5*Angle)/Zoom)/radians, pair(X/Width+Shift.getx(), Y/Height+Shift.gety())); } void init() { #ifdef HAVE_LIBGLUT mem::vector cmd; cmd.push_back(settings::argv0); if(!interact::interactive && Iconify) cmd.push_back("-iconic"); push_split(cmd,getSetting("glOptions")); char **argv=args(cmd,true); int argc=cmd.size(); #ifndef __APPLE__ glutInitContextProfile(GLUT_CORE_PROFILE); #endif glutInit(&argc,argv); screenWidth=glutGet(GLUT_SCREEN_WIDTH); screenHeight=glutGet(GLUT_SCREEN_HEIGHT); #endif } void init_osmesa() { #ifdef HAVE_LIBOSMESA // create context and buffer if(settings::verbose > 1) cout << "Allocating osmesa_buffer of size " << screenWidth << "x" << screenHeight << "x4x" << sizeof(GLubyte) << endl; osmesa_buffer=new unsigned char[screenWidth*screenHeight*4*sizeof(GLubyte)]; if(!osmesa_buffer) { cerr << "Cannot allocate image buffer." << endl; exit(-1); } ctx = OSMesaCreateContextExt(OSMESA_RGBA,16,0,0,NULL); if(!ctx) { cerr << "OSMesaCreateContext failed." << endl; exit(-1); } if(!OSMesaMakeCurrent(ctx,osmesa_buffer,GL_UNSIGNED_BYTE, screenWidth,screenHeight )) { cerr << "OSMesaMakeCurrent failed." << endl; exit(-1); } int z=0, s=0, a=0; glGetIntegerv(GL_DEPTH_BITS,&z); glGetIntegerv(GL_STENCIL_BITS,&s); glGetIntegerv(GL_ACCUM_RED_BITS,&a); if(settings::verbose > 1) cout << "Offscreen context settings: Depth=" << z << " Stencil=" << s << " Accum=" << a << endl; if(z <= 0) { cerr << "Error initializing offscreen context: Depth=" << z << endl; exit(-1); } #endif // HAVE_LIBOSMESA } #endif /* HAVE_GL */ // angle=0 means orthographic. void glrender(const string& prefix, const picture *pic, const string& format, double width, double height, double angle, double zoom, const triple& m, const triple& M, const pair& shift, const pair& margin, double *t, double *background, size_t nlightsin, triple *lights, double *diffuse, double *specular, bool view, int oldpid) { Iconify=getSetting("iconify"); width=max(width,1.0); height=max(height,1.0); if(zoom == 0.0) zoom=1.0; Prefix=prefix; Picture=pic; Format=format; nlights0=nlights=nlightsin; Lights=lights; Diffuse=diffuse; Specular=specular; View=view; Angle=angle*radians; Zoom0=zoom; Oldpid=oldpid; Shift=shift/zoom; Margin=margin; Background=background; Xmin=m.getx(); Xmax=M.getx(); Ymin=m.gety(); Ymax=M.gety(); zmin=m.getz(); zmax=M.getz(); orthographic=Angle == 0.0; H=orthographic ? 0.0 : -tan(0.5*Angle)*zmax; ignorezoom=false; Mode=0; Xfactor=Yfactor=1.0; pair maxtile=getSetting("maxtile"); maxTileWidth=(int) maxtile.getx(); maxTileHeight=(int) maxtile.gety(); if(maxTileWidth <= 0) maxTileWidth=1024; if(maxTileHeight <= 0) maxTileHeight=768; bool webgl=Format == "html"; #ifdef HAVE_GL #ifdef HAVE_PTHREAD static bool initializedView=false; #endif bool offscreen=getSetting("offscreen"); if(offscreen && !webgl) { screenWidth=maxTileWidth; screenHeight=maxTileHeight; static bool osmesa_initialized=false; if(!osmesa_initialized) { osmesa_initialized=true; init_osmesa(); } } if(glinitialize) { if(!webgl) init(); Fitscreen=1; } #endif static bool initialized=false; if(!(initialized && (interact::interactive || getSetting("animating")))) { antialias=getSetting("antialias") > 1; double expand; if(webgl) expand=1.0; else { expand=getSetting("render"); if(expand < 0) expand *= (Format.empty() || Format == "eps" || Format == "pdf") ? -2.0 : -1.0; if(antialias) expand *= 2.0; } oWidth=width; oHeight=height; Aspect=width/height; // Force a hard viewport limit to work around direct rendering bugs. // Alternatively, one can use -glOptions=-indirect (with a performance // penalty). pair maxViewport=getSetting("maxviewport"); maxWidth=(int) ceil(maxViewport.getx()); maxHeight=(int) ceil(maxViewport.gety()); if(maxWidth <= 0) maxWidth=max(maxHeight,2); if(maxHeight <= 0) maxHeight=max(maxWidth,2); fullWidth=(int) ceil(expand*width); fullHeight=(int) ceil(expand*height); if(webgl) { Width=fullWidth; Height=fullHeight; } else { if(screenWidth <= 0) screenWidth=maxWidth; else screenWidth=min(screenWidth,maxWidth); if(screenHeight <= 0) screenHeight=maxHeight; else screenHeight=min(screenHeight,maxHeight); Width=min(fullWidth,screenWidth); Height=min(fullHeight,screenHeight); if(Width > Height*Aspect) Width=min((int) (ceil(Height*Aspect)),screenWidth); else Height=min((int) (ceil(Width/Aspect)),screenHeight); } home(webgl); setProjection(); if(webgl) return; ArcballFactor=1+8.0*hypot(Margin.getx(),Margin.gety())/hypot(Width,Height); #ifdef HAVE_GL for(int i=0; i < 16; ++i) T[i]=t[i]; remesh=true; Aspect=((double) Width)/Height; if(maxTileWidth <= 0) maxTileWidth=screenWidth; if(maxTileHeight <= 0) maxTileHeight=screenHeight; #ifdef HAVE_LIBGLUT setosize(); #endif if(View && settings::verbose > 1) cout << "Rendering " << stripDir(prefix) << " as " << Width << "x" << Height << " image" << endl; #endif } #ifdef HAVE_GL bool havewindow=initialized && glthread && !offscreen; #ifdef HAVE_LIBGLUT unsigned int displaymode=GLUT_DOUBLE | GLUT_RGBA | GLUT_DEPTH; #endif #ifdef __APPLE__ displaymode |= GLUT_3_2_CORE_PROFILE; #endif camp::clearMaterialBuffer(); #ifdef HAVE_PTHREAD if(glthread && initializedView && !offscreen) { if(!View) readyAfterExport=queueExport=true; pthread_kill(mainthread,SIGUSR1); return; } #endif #ifdef HAVE_LIBGLUT if(!offscreen) { if(View) { int x,y; if(havewindow) glutDestroyWindow(window); windowposition(x,y); glutInitWindowPosition(x,y); glutInitWindowSize(1,1); Int multisample=getSetting("multisample"); if(multisample <= 1) multisample=0; if(multisample) displaymode |= GLUT_MULTISAMPLE; glutInitDisplayMode(displaymode); int samples; #ifdef FREEGLUT #ifdef GLUT_INIT_MAJOR_VERSION while(true) { if(multisample > 0) glutSetOption(GLUT_MULTISAMPLE,multisample); #endif #endif string title=string(settings::PROGRAM)+": "+prefix; window=glutCreateWindow(title.c_str()); GLint samplebuf[1]; glGetIntegerv(GL_SAMPLES,samplebuf); samples=samplebuf[0]; #ifdef FREEGLUT #ifdef GLUT_INIT_MAJOR_VERSION if(samples < multisample) { multisample=floorpow2(multisample-1); if(multisample > 1) { glutReshapeWindow(1,1); glutDisplayFunc(destroywindow); glutShowWindow(); glutMainLoopEvent(); continue; } } break; } #endif #endif if(settings::verbose > 1 && samples > 1) cout << "Multisampling enabled with sample width " << samples << endl; glutDisplayFunc(display); glutShowWindow(); } else if(!havewindow) { glutInitWindowSize(maxTileWidth,maxTileHeight); glutInitDisplayMode(displaymode); window=glutCreateWindow(""); glutHideWindow(); } } #endif // HAVE_LIBGLUT initialized=true; GLint val; glGetIntegerv(GL_MAX_UNIFORM_BLOCK_SIZE,&val); Maxmaterials=val/sizeof(Material); if(nmaterials > Maxmaterials) nmaterials=Maxmaterials; if(glinitialize) { glinitialize=false; int result = glewInit(); if (result != GLEW_OK) { cerr << "GLEW initialization error." << endl; exit(-1); } initShaders(); setBuffers(); } glClearColor(Background[0],Background[1],Background[2],Background[3]); #ifdef HAVE_LIBGLUT if(!offscreen) { Animate=getSetting("autoplay") && glthread; if(View) { if(!getSetting("fitscreen")) Fitscreen=0; fitscreen(); setosize(); } } #endif glEnable(GL_BLEND); glEnable(GL_DEPTH_TEST); glEnable(GL_VERTEX_PROGRAM_POINT_SIZE); glBlendFunc(GL_SRC_ALPHA,GL_ONE_MINUS_SRC_ALPHA); mode(); if(View && !offscreen) { #ifdef HAVE_LIBGLUT #ifdef HAVE_PTHREAD initializedView=true; #endif glutReshapeFunc(reshape); glutKeyboardFunc(keyboard); glutMouseFunc(mouse); glutDisplayFunc(display); glutMainLoop(); #endif // HAVE_LIBGLUT } else { if(glthread && !offscreen) { if(havewindow) { readyAfterExport=true; #ifdef HAVE_PTHREAD pthread_kill(mainthread,SIGUSR1); #endif } else { initialized=true; readyAfterExport=true; Signal(SIGUSR1,exportHandler); exportHandler(); } } else { exportHandler(); quit(); } } #endif /* HAVE_GL */ } } // namespace gl #endif #ifdef HAVE_GL namespace camp { string getLightIndex(size_t const& index, string const& fieldName) { ostringstream buf; buf << "lights[" << index << "]." << fieldName; return Strdup(buf.str()); } string getCenterIndex(size_t const& index) { ostringstream buf; buf << "Centers[" << index << "]"; return Strdup(buf.str()); } template void registerBuffer(const std::vector& buffervector, GLuint bufferIndex, GLint type=GL_ARRAY_BUFFER) { if(!buffervector.empty()) { glBindBuffer(type,bufferIndex); glBufferData(type,buffervector.size()*sizeof(T), buffervector.data(),GL_STATIC_DRAW); } } void setUniforms(const vertexBuffer& data, GLint shader) { bool normal=shader != pixelShader && shader != noNormalShader; if(shader != gl::lastshader) { glUseProgram(shader); gl::lastshader=shader; glUniform1i(glGetUniformLocation(shader,"nlights"),gl::nlights); for(size_t i=0; i < gl::nlights; ++i) { triple Lighti=gl::Lights[i]; size_t i4=4*i; glUniform3f(glGetUniformLocation(shader, getLightIndex(i,"direction").c_str()), (GLfloat) Lighti.getx(),(GLfloat) Lighti.gety(), (GLfloat) Lighti.getz()); glUniform3f(glGetUniformLocation(shader, getLightIndex(i,"color").c_str()), (GLfloat) gl::Diffuse[i4],(GLfloat) gl::Diffuse[i4+1], (GLfloat) gl::Diffuse[i4+2]); } #if HAVE_LIBOPENIMAGEIO // textures if (settings::getSetting("envmap")) { glActiveTexture(GL_TEXTURE1); glBindBuffer(GL_TEXTURE_2D, gl::envMapBuf); glUniform1i(glGetUniformLocation(shader, "environmentMap"), 1); glActiveTexture(GL_TEXTURE0); } #endif } GLuint binding=0; GLint blockindex=glGetUniformBlockIndex(shader,"MaterialBuffer"); glUniformBlockBinding(shader,blockindex,binding); registerBuffer(data.materials,gl::ubo,GL_UNIFORM_BUFFER); glBindBufferBase(GL_UNIFORM_BUFFER,binding,gl::ubo); glUniformMatrix4fv(glGetUniformLocation(shader,"projViewMat"),1,GL_FALSE, value_ptr(gl::projViewMat)); glUniformMatrix4fv(glGetUniformLocation(shader,"viewMat"),1,GL_FALSE, value_ptr(gl::viewMat)); if(normal) glUniformMatrix3fv(glGetUniformLocation(shader,"normMat"),1,GL_FALSE, value_ptr(gl::normMat)); } void drawBuffer(vertexBuffer& data, GLint shader) { if(data.indices.empty()) return; bool pixel=shader == pixelShader; bool normal=shader != noNormalShader && !pixel; bool color=shader == colorShader || shader == transparentShader; const size_t size=sizeof(GLfloat); const size_t intsize=sizeof(GLint); const size_t bytestride=color ? sizeof(VertexData) : (normal ? sizeof(vertexData) : (pixel ? sizeof(vertexData0) : sizeof(vertexData1))); if(color) registerBuffer(data.Vertices,attributeBuffer); else if(normal) registerBuffer(data.vertices,attributeBuffer); else if(pixel) registerBuffer(data.vertices0,attributeBuffer); else registerBuffer(data.vertices1,attributeBuffer); registerBuffer(data.indices,indicesBuffer,GL_ELEMENT_ARRAY_BUFFER); glBindBuffer(GL_ARRAY_BUFFER,attributeBuffer); glBindBuffer(GL_ELEMENT_ARRAY_BUFFER,indicesBuffer); camp::setUniforms(data,shader); glVertexAttribPointer(positionAttrib,3,GL_FLOAT,GL_FALSE,bytestride, (void *) 0); glEnableVertexAttribArray(positionAttrib); if(normal && gl::Nlights > 0) { glVertexAttribPointer(normalAttrib,3,GL_FLOAT,GL_FALSE,bytestride, (void *) (3*size)); glEnableVertexAttribArray(normalAttrib); } else if(pixel) { glVertexAttribPointer(widthAttrib,1,GL_FLOAT,GL_FALSE,bytestride, (void *) (3*size)); glEnableVertexAttribArray(widthAttrib); } glVertexAttribIPointer(materialAttrib,1,GL_INT,bytestride, (void *) ((normal ? 6 : (pixel ? 4 : 3))*size)); glEnableVertexAttribArray(materialAttrib); if(color) { glVertexAttribPointer(colorAttrib,4,GL_UNSIGNED_BYTE,GL_TRUE,bytestride, (void *) (6*size+intsize)); glEnableVertexAttribArray(colorAttrib); } glDrawElements(normal ? GL_TRIANGLES : (pixel ? GL_POINTS : GL_LINES), data.indices.size(),GL_UNSIGNED_INT,(void *) 0); glDisableVertexAttribArray(positionAttrib); if(normal && gl::Nlights > 0) glDisableVertexAttribArray(normalAttrib); if(pixel) glDisableVertexAttribArray(widthAttrib); glDisableVertexAttribArray(materialAttrib); if(color) glDisableVertexAttribArray(colorAttrib); glBindBuffer(GL_UNIFORM_BUFFER,0); glBindBuffer(GL_ARRAY_BUFFER,0); glBindBuffer(GL_ELEMENT_ARRAY_BUFFER,0); } void drawMaterial0() { drawBuffer(material0Data,pixelShader); material0Data.clear(); } void drawMaterial1() { drawBuffer(material1Data,noNormalShader); material1Data.clear(); } void drawMaterial() { drawBuffer(materialData,materialShader); materialData.clear(); } void drawColor() { drawBuffer(colorData,colorShader); colorData.clear(); } void drawTriangle() { drawBuffer(triangleData,transparentShader); triangleData.clear(); } void drawTransparent() { sortTriangles(); glDepthMask(GL_FALSE); // Enable transparency drawBuffer(transparentData,transparentShader); glDepthMask(GL_TRUE); // Disable transparency transparentData.clear(); } void drawBuffers() { drawMaterial0(); drawMaterial1(); drawMaterial(); drawColor(); drawTriangle(); drawTransparent(); } void clearMaterialBuffer() { material.clear(); material.reserve(nmaterials); materialMap.clear(); materialIndex=0; } void setMaterial(vertexBuffer& data, draw_t *draw) { if(materialIndex >= data.materialTable.size() || data.materialTable[materialIndex] == -1) { if(data.materials.size() >= Maxmaterials) (*draw)(); size_t size0=data.materialTable.size(); data.materialTable.resize(materialIndex+1); for(size_t i=size0; i < materialIndex; ++i) data.materialTable[i]=-1; data.materialTable[materialIndex]=data.materials.size(); data.materials.push_back(material[materialIndex]); } materialIndex=data.materialTable[materialIndex]; } } #endif /* HAVE_GL */ asymptote-2.62/util.h0000644000000000000000000001064313607467113013330 0ustar rootroot/***** * util.h * Andy Hammerlindl 2004/05/10 * * A place for useful utility functions. *****/ #ifndef UTIL_H #define UTIL_H #include #include #include #ifdef __CYGWIN__ extern "C" int sigaddset(sigset_t *set, int signum); extern "C" int sigemptyset(sigset_t *set); extern "C" int sigaction(int signum, const struct sigaction *act, struct sigaction *oldact); #endif #include #include "common.h" #include // Demangle a typeid name (if the proper library is installed. string demangle(const char *s); // Duplicate a string. char *Strdup(string s); char *StrdupNoGC(string s); char *StrdupMalloc(string s); // Strip the directory from a filename. string stripDir(string name); // Strip the file from a filename, returning the directory. string stripFile(string name); // Strip the extension from a filename. string stripExt(string name, const string& suffix=""); void writeDisabled(); // Replace spaces in file part of name with underscores. string cleanpath(string name); // Construct the full output path. string outpath(string name); // Construct a filename from the original, adding aux at the end, and // changing the suffix. string buildname(string filename, string suffix="", string aux=""); // Construct an alternate filename for a temporary file in the current // directory. string auxname(string filename, string suffix=""); // Cast argument to a string. template string String(T x) { ostringstream buf; buf << x; return buf.str(); } typedef void (*sighandler_t)(int); // Portable signal (sigaction wrapper). sighandler_t Signal(int signum, sighandler_t handler); // Split string S and push the pieces onto vector a. void push_split(mem::vector& a, const string& S); // Wrapper to append /c start "" to MSDOS cmd. void push_command(mem::vector& a, const string& s); // Return an argv array corresponding to the fields in command delimited // by spaces not within matching single quotes. char **args(const mem::vector &args, bool quiet=false); // Similar to the standard system call except allows interrupts and does // not invoke a shell. int System(const mem::vector &command, int quiet=0, bool wait=true, const char *hint=NULL, const char *application="", int *pid=NULL); #if defined(__DECCXX_LIBCXX_RH70) extern "C" char *strsignal(int sig); extern "C" double asinh(double x); extern "C" double acosh(double x); extern "C" double atanh(double x); extern "C" double cbrt(double x); extern "C" double erf(double x); extern "C" double erfc(double x); extern "C" double lgamma(double x); extern "C" double remainder(double x, double y); extern "C" double hypot(double x, double y) throw(); extern "C" double jn(Int n, double x); extern "C" double yn(Int n, double x); extern "C" int isnan(double); #endif #if defined(__DECCXX_LIBCXX_RH70) || defined(__CYGWIN__) extern "C" int usleep(useconds_t); extern "C" int kill(pid_t pid, int sig) throw(); extern "C" int snprintf(char *str, size_t size, const char *format,...); #include extern "C" FILE *fdopen(int fd, const char *mode); extern "C" int fileno(FILE *); extern "C" char *strptime(const char *s, const char *format, struct tm *tm); extern "C" int setenv(const char *name, const char *value, int overwrite); extern "C" int unsetenv(const char *name); #endif extern bool False; // Strip blank lines (which would break the bidirectional TeX pipe) string stripblanklines(const string& s); const char *startPath(); const char* setPath(const char *s, bool quiet=false); const char *changeDirectory(const char *s); extern char *startpath; void backslashToSlash(string& s); void spaceToUnderscore(string& s); string Getenv(const char *name, bool msdos); char *getPath(char *p=NULL); void execError(const char *command, const char *hint, const char *application); // This invokes a viewer to display the manual. Subsequent calls will only // pop-up a new viewer if the old one has been closed. void popupHelp(); #ifdef __CYGWIN__ inline long long llabs(long long x) {return x >= 0 ? x : -x;} extern "C" char *initstate (unsigned seed, char *state, size_t size); extern "C" long random (void); #endif inline Int Abs(Int x) { #ifdef HAVE_LONG_LONG return llabs(x); #else #ifdef HAVE_LONG return labs(x); #else return abs(x); #endif #endif } unsigned unsignedcast(Int n); unsignedInt unsignedIntcast(Int n); int intcast(Int n); Int Intcast(unsignedInt n); #endif asymptote-2.62/runfile.h0000644000000000000000000000171113607467143014016 0ustar rootroot/***** Autogenerated from runfile.in; changes will be overwritten *****/ #ifndef runfile_H #define runfile_H namespace run { void nullFile(vm::stack *); void namePart(vm::stack *); void modePart(vm::stack *); void dimensionSetHelper(vm::stack *); void dimensionSet(vm::stack *); void dimensionPart(vm::stack *); void lineSetHelper(vm::stack *); void lineSet(vm::stack *); void linePart(vm::stack *); void csvSetHelper(vm::stack *); void csvSet(vm::stack *); void csvPart(vm::stack *); void wordSetHelper(vm::stack *); void wordSet(vm::stack *); void wordPart(vm::stack *); void singlerealSetHelper(vm::stack *); void singlerealSet(vm::stack *); void singlerealPart(vm::stack *); void singleintSetHelper(vm::stack *); void singleintSet(vm::stack *); void singleintPart(vm::stack *); void signedintSetHelper(vm::stack *); void signedintSet(vm::stack *); void signedintPart(vm::stack *); void readSetHelper(vm::stack *); void readSet(vm::stack *); } #endif // runfile_H asymptote-2.62/fundec.cc0000644000000000000000000001737713607467113013770 0ustar rootroot/***** * fundec.h * Andy Hammerlindl 2002/8/29 * * Defines the semantics for defining functions. Both the newexp syntax, and * the abbreviated C-style function definition. *****/ #include "fundec.h" #include "errormsg.h" #include "coenv.h" #include "stm.h" #include "runtime.h" namespace absyntax { using namespace trans; using namespace types; using mem::list; varinit *Default=new definit(nullPos); void formal::prettyprint(ostream &out, Int indent) { prettyname(out, keywordOnly ? "formal (keyword only)" : "formal", indent); base->prettyprint(out, indent+1); if (start) start->prettyprint(out, indent+1); if (defval) defval->prettyprint(out, indent+1); } types::formal formal::trans(coenv &e, bool encodeDefVal, bool tacit) { return types::formal(getType(e,tacit), getName(), encodeDefVal ? (bool) getDefaultValue() : 0, getExplicit()); } types::ty *formal::getType(coenv &e, bool tacit) { types::ty *bt = base->trans(e, tacit); types::ty *t = start ? start->getType(bt, e, tacit) : bt; if (t->kind == ty_void && !tacit) { em.error(getPos()); em << "cannot declare parameters of type void"; return primError(); } return t; } void formal::addOps(coenv &e, record *r) { base->addOps(e, r); if (start) start->addOps(base->trans(e, true), e, r); } void formals::prettyprint(ostream &out, Int indent) { prettyname(out, "formals",indent); for (list::iterator p = fields.begin(); p != fields.end(); ++p) (*p)->prettyprint(out, indent+1); } void formals::addToSignature(signature& sig, coenv &e, bool encodeDefVal, bool tacit) { for (list::iterator p = fields.begin(); p != fields.end(); ++p) { formal& f=**p; types::formal tf = f.trans(e, encodeDefVal, tacit); if (f.isKeywordOnly()) sig.addKeywordOnly(tf); else sig.add(tf); } if (rest) { if (!tacit && rest->getDefaultValue()) { em.error(rest->getPos()); em << "rest parameters cannot have default values"; } sig.addRest(rest->trans(e, encodeDefVal, tacit)); } } // Returns the types of each parameter as a signature. // encodeDefVal means that it will also encode information regarding // the default values into the signature signature *formals::getSignature(coenv &e, bool encodeDefVal, bool tacit) { signature *sig = new signature; addToSignature(*sig,e,encodeDefVal,tacit); return sig; } // Returns the corresponding function type, assuming it has a return // value of types::ty *result. function *formals::getType(types::ty *result, coenv &e, bool encodeDefVal, bool tacit) { function *ft = new function(result); addToSignature(ft->sig,e,encodeDefVal,tacit); return ft; } void formals::addOps(coenv &e, record *r) { for(list::iterator p = fields.begin(); p != fields.end(); ++p) (*p)->addOps(e, r); if (rest) rest->addOps(e, r); } // Another helper class. Does an assignment, but relying only on the // destination for the type. class basicAssignExp : public exp { varEntry *dest; varinit *value; public: basicAssignExp(position pos, varEntry *dest, varinit *value) : exp(pos), dest(dest), value(value) {} void prettyprint(ostream &out, Int indent) { prettyname(out, "basicAssignExp", indent); } types::ty *getType(coenv &) { return dest->getType(); } types::ty *trans(coenv &e) { // This doesn't handle overloaded types for the destination. value->transToType(e, getType(e)); dest->encode(WRITE, pos, e.c); return getType(e); } }; void transDefault(coenv &e, position pos, varEntry *v, varinit *init) { // This roughly translates into the statement // if (isDefault(x)) // x=init; // where x is the variable in v and isDefault is a function that tests // whether x is the default argument token. v->encode(READ, pos, e.c); label end = e.c.fwdLabel(); e.c.useLabel(inst::jump_if_not_default, end); init->transToType(e, v->getType()); v->encode(WRITE, pos, e.c); e.c.encodePop(); e.c.defLabel(end); } void formal::transAsVar(coenv &e, Int index) { symbol name = getName(); if (name) { trans::access *a = e.c.accessFormal(index); assert(a); // Suppress error messages because they will already be reported // when the formals are translated to yield the type earlier. types::ty *t = getType(e, true); varEntry *v = new varEntry(t, a, 0, getPos()); // Translate the default argument before adding the formal to the // environment, consistent with the initializers of variables. if (defval) transDefault(e, getPos(), v, defval); e.e.addVar(name, v); } } void formals::trans(coenv &e) { Int index = 0; for (list::iterator p=fields.begin(); p!=fields.end(); ++p) { (*p)->transAsVar(e, index); ++index; } if (rest) { rest->transAsVar(e, index); ++index; } } void fundef::prettyprint(ostream &out, Int indent) { result->prettyprint(out, indent+1); params->prettyprint(out, indent+1); body->prettyprint(out, indent+1); } function *fundef::transType(coenv &e, bool tacit) { bool encodeDefVal=true; return params->getType(result->trans(e, tacit), e, encodeDefVal, tacit); } function *fundef::transTypeAndAddOps(coenv &e, record *r, bool tacit) { result->addOps(e,r); params->addOps(e,r); function *ft=transType(e, tacit); e.e.addFunctionOps(ft); if (r) r->e.addFunctionOps(ft); return ft; } varinit *fundef::makeVarInit(function *ft) { struct initializer : public varinit { fundef *f; function *ft; initializer(fundef *f, function *ft) : varinit(f->getPos()), f(f), ft(ft) {} void prettyprint(ostream &out, Int indent) { prettyname(out, "initializer", indent); } void transToType(coenv &e, types::ty *target) { assert(ft==target); f->baseTrans(e, ft); } }; return new initializer(this, ft); } void fundef::baseTrans(coenv &e, types::function *ft) { string name = id ? string(id) : string(""); // Create a new function environment. coder fc = e.c.newFunction(getPos(), name, ft); coenv fe(fc,e.e); // Translate the function. fe.e.beginScope(); params->trans(fe); body->trans(fe); types::ty *rt = ft->result; if (rt->kind != ty_void && rt->kind != ty_error && !body->returns()) { em.error(body->getPos()); em << "function must return a value"; } fe.e.endScope(); // Put an instance of the new function on the stack. vm::lambda *l = fe.c.close(); e.c.encode(inst::pushclosure); e.c.encode(inst::makefunc, l); } types::ty *fundef::trans(coenv &e) { // I don't see how addFunctionOps can be useful here. // For instance, in // // new void() {} == null // // callExp has to search for == before translating either argument, and the // operator cannot be added before translation. (getType() is not allowed to // manipulate the environment.) // A new function expression is assigned to a variable, given as a return // value, or used as an argument to a function. In any of these // // We must still addOps though, for the return type and formals. ex: // // new guide[] (guide f(int)) { // return sequence(f, 10); // }; function *ft=transTypeAndAddOps(e, (record *)0, false); assert(ft); baseTrans(e, ft); return ft; } void fundec::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "fundec '" << id << "'\n"; fun.prettyprint(out, indent); } void fundec::trans(coenv &e) { transAsField(e,0); } void fundec::transAsField(coenv &e, record *r) { function *ft = fun.transTypeAndAddOps(e, r, false); assert(ft); createVar(getPos(), e, r, id, ft, fun.makeVarInit(ft)); } } // namespace absyntax asymptote-2.62/newexp.cc0000644000000000000000000001025513607467113014016 0ustar rootroot/***** * newexp.cc * Andy Hammerlindl 2003/07/28 * * Handles the abstract syntax for expressions the create new objects, * such as record, array, and function constructors. *****/ #include "newexp.h" #include "stm.h" #include "runtime.h" #include "runarray.h" #include "coenv.h" #include "inst.h" using namespace types; using trans::coder; using trans::coenv; using vm::inst; namespace absyntax { void printFrame(frame *f) { if (f == 0) { cerr << '0'; } else { cerr << f << " of "; printFrame(f->getParent()); } } void newRecordExp::prettyprint(ostream &out, Int indent) { prettyname(out, "newRecordExp", indent); } bool newRecordExp::encodeLevel(position pos, coenv &e, trans::tyEntry *ent) { record *r = dynamic_cast(ent->t); assert(r); // The level needed on which to allocate the record. frame *level = r->getLevel()->getParent(); if (ent->v) { // Put the record on the stack. For instance, in code like // import imp; // new imp.t; // we are putting the instance of imp on the stack, so we can use it to // allocate an instance of imp.t. ent->v->getLocation()->encode(trans::READ, pos, e.c); // Adjust to the right frame. For instance, in the last new in // struct A { // struct B { // static struct C {} // } // B b=new B; // } // A a=new A; // new a.b.C; // we push a.b onto the stack, but need a as the enclosing frame for // allocating an instance of C. record *q = dynamic_cast(ent->v->getType()); return e.c.encode(level, q->getLevel()); } else return e.c.encode(level); } types::ty *newRecordExp::transFromTyEntry(position pos, coenv &e, trans::tyEntry *ent) { types::ty *t = ent->t; if (t->kind == ty_error) return t; else if (t->kind != ty_record) { em.error(pos); em << "type '" << *t << "' is not a structure"; return primError(); } // Put the enclosing frame on the stack. if (!encodeLevel(pos, e, ent)) { em.error(pos); em << "allocation of struct '" << *t << "' is not in a valid scope"; return primError(); } record *r = dynamic_cast(t); assert(r); // Encode the allocation. e.c.encode(inst::makefunc,r->getInit()); e.c.encode(inst::popcall); return t; } types::ty *newRecordExp::trans(coenv &e) { return transFromTyEntry(getPos(), e, result->transAsTyEntry(e, 0)); } types::ty *newRecordExp::getType(coenv &e) { types::ty *t = result->trans(e, true); if (t->kind != ty_error && t->kind != ty_record) return primError(); else return t; } void newArrayExp::prettyprint(ostream &out, Int indent) { prettyname(out,"newArrayExp",indent); celltype->prettyprint(out, indent+1); if (dimexps) dimexps->prettyprint(out, indent+1); if (dims) dims->prettyprint(out, indent+1); if (ai) ai->prettyprint(out, indent+1); } types::ty *newArrayExp::trans(coenv &e) { types::ty *c = celltype->trans(e); if (c->kind == ty_void) { em.error(getPos()); em << "cannot declare array of type void"; return primError(); } if (dims) c = dims->truetype(c); if (ai) { ai->transToType(e, c); return c; } else if (dimexps || dims) { if (dimexps) { for (size_t i = 0; i < dimexps->size(); ++i) { (*dimexps)[i]->transToType(e, types::primInt()); c = new types::array(c); } } if (dims) { for (size_t i = 0; i < dims->size(); ++i) { e.c.encode(inst::intpush,0); } } e.c.encode(inst::intpush, (Int) ((dimexps ? dimexps->size():0) + (dims ? dims->size():0))); e.c.encode(inst::builtin, run::newDeepArray); return c; } else { em.compiler(getPos()); em << "new array expression must have either dims or dimexps"; return primError(); } } types::ty *newArrayExp::getType(coenv &e) { types::ty *c = celltype->trans(e); if (c->kind == ty_void) { return primError(); } if (dims) c = dims->truetype(c); if (dimexps) { Int depth = (Int)dimexps->size(); while (depth > 0) { c = new types::array(c); depth--; } } return c; } } // namespace absyntax asymptote-2.62/quaternion.cc0000644000000000000000000001351313607467113014675 0ustar rootroot/*********************************************************************** quaternion.cc - A quaternion class ------------------------------------------------------------------- GLUI User Interface Toolkit (LGPL) Copyright (c) 1998 Paul Rademacher WWW: http://sourceforge.net/projects/glui/ Forums: http://sourceforge.net/forum/?group_id=92496 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 ************************************************************************ Feb 1998, Paul Rademacher (rademach@cs.unc.edu) Oct 2003, Nigel Stewart - GLUI Code Cleaning ************************************************************************/ #include "quaternion.h" #include /******************************************* constructors **************/ quat::quat() { *this = quat_identity(); } quat::quat(const float x, const float y, const float z, const float w) { v.set( x, y, z ); s = w; } quat::quat(const vec3 &_v, const float _s) { set( _v, _s ); } quat::quat(const float _s, const vec3 &_v) { set( _v, _s ); } quat::quat(const float *d) { v[0] = d[0]; v[1] = d[1]; v[2] = d[2]; s = d[3]; } quat::quat(const double *d) { v[0] = (float) d[0]; v[1] = (float) d[1]; v[2] = (float) d[2]; s = (float) d[3]; } quat::quat(const quat &q) { v = q.v; s = q.s; } void quat::set(const vec3 &_v, const float _s) { v = _v; s = _s; } quat &quat::operator=(const quat &q) { v = q.v; s = q.s; return *this; } /******** quat friends ************/ quat operator + (const quat &a, const quat &b) { return quat( a.s+b.s, a.v+b.v ); } quat operator - (const quat &a, const quat &b) { return quat( a.s-b.s, a.v-b.v ); } quat operator - (const quat &a ) { return quat( -a.s, -a.v ); } quat operator * ( const quat &a, const quat &b) { return quat( a.s*b.s - a.v*b.v, a.s*b.v + b.s*a.v + (a.v^b.v) ); } quat operator * ( const quat &a, const float t) { return quat( a.v * t, a.s * t ); } quat operator * ( const float t, const quat &a ) { return quat( a.v * t, a.s * t ); } mat4 quat::to_mat4() const { float xs, ys, zs, wx, wy, wz, xx, xy, xz, yy, yz, zz; float t = 2.0f / (v*v + s*s); xs = v[VX]*t; ys = v[VY]*t; zs = v[VZ]*t; wx = s*xs; wy = s*ys; wz = s*zs; xx = v[VX]*xs; xy = v[VX]*ys; xz = v[VX]*zs; yy = v[VY]*ys; yz = v[VY]*zs; zz = v[VZ]*zs; mat4 matrix( 1.0f-(yy+zz), xy+wz, xz-wy, 0.0f, xy-wz, 1.0f-(xx+zz), yz+wx, 0.0f, xz+wy, yz-wx, 1.0f-(xx+yy), 0.0f, 0.0f, 0.0f, 0.0f, 1.0f ); return matrix; } /************************************************* quat_identity() *****/ /* Returns quaternion identity element */ quat quat_identity() { return quat( vec3( 0.0, 0.0, 0.0 ), 1.0 ); } /************************************************ quat_slerp() ********/ /* Quaternion spherical interpolation */ quat quat_slerp(const quat &from, const quat &to, float t) { quat to1; float omega, cosom, sinom, scale0, scale1; /* calculate cosine */ cosom = from.v * to.v + from.s + to.s; /* Adjust signs (if necessary) */ if ( cosom < 0.0 ) { cosom = -cosom; to1 = -to; } else { to1 = to; } /* Calculate coefficients */ if ((1.0 - cosom) > FUDGE ) { /* standard case (slerp) */ omega = (float) acos( cosom ); sinom = (float) sin( omega ); scale0 = (float) sin((1.0 - t) * omega) / sinom; scale1 = (float) sin(t * omega) / sinom; } else { /* 'from' and 'to' are very close - just do linear interpolation */ scale0 = 1.0f - t; scale1 = t; } return scale0 * from + scale1 * to1; } /********************************************** set_angle() ************/ /* set rot angle (degrees) */ void quat::set_angle(float f) { vec3 axis = get_axis(); static const double halfradians=acos(-1.0)/360.0; f *= halfradians; s = (float) cos( f ); v = axis * (float) sin( f ); } /********************************************** scale_angle() ************/ /* scale rot angle (degrees) */ void quat::scale_angle(float f) { set_angle( f * get_angle() ); } /********************************************** get_angle() ************/ /* get rot angle (degrees). Assumes s is between -1 and 1 */ float quat::get_angle() const { static const double degrees2=360.0/acos(-1.0); return (float) (acos( s ) * degrees2); } /********************************************* get_axis() **************/ vec3 quat::get_axis() const { float scale = (float) sin( acos( s ) ); if ( scale < FUDGE && scale > -FUDGE ) return vec3( 0.0, 0.0, 0.0 ); else return v / scale; } /******************************************* quat::print() ************/ void quat::print(FILE *dest, const char *name) const { fprintf( dest, "%s: v:<%3.2f %3.2f %3.2f> s:%3.2f\n", name, v[0], v[1], v[2], s ); } asymptote-2.62/symbol.cc0000644000000000000000000002132013607467113014010 0ustar rootroot/***** * symbol.cc * Andy Hammerlindl 2002/06/18 * * Creates symbols from strings so that multiple calls for a symbol of * the same string will return an identical object. *****/ #include #include using std::strlen; #include "settings.h" #include "symbol.h" namespace sym { const char USED = 1; const char SKIP = 2; struct symbolRecord { // When a symbol is entered into the table, its hash is computed. If the // corresponding entry in the table is full, this value is incremented until // an empty slot is found. hashplus stores the end value. // Each symbol has a unique hashplus value, even if there is a collision in // the original hashing function. uint hashplus; // Whether the cell of the table is empty, in use, or a "skip" entry due to // a resizing of the table. unsigned char flag; // Pointer to a copy of the string (allocated on the heap). This string // will never be deallocated. Symbols, in essence, last forever. char *s; }; // The table size must be a power of two so that (h % tableSize) can be // replaced by (h & tableMask). 1 << 15 was chosen based on the number of // unique symbols (roughly 4000) which occured in all of the base modules. const size_t SYMBOL_TABLE_BASE_CAPACITY = 1 << 15; symbolRecord baseSymbolTable[SYMBOL_TABLE_BASE_CAPACITY]; symbolRecord *table = baseSymbolTable; size_t tableCapacity = SYMBOL_TABLE_BASE_CAPACITY; uint tableMask = 0; size_t tableSize = 0; symbolRecord &recordByHashplus(uint h) { return table[h & tableMask]; } GCInit symbol::initialize; symbol symbol::nullsym; symbol symbol::initsym; symbol symbol::castsym; symbol symbol::ecastsym; const char *nullsymstr = ""; void initTable() { tableMask = (uint)(tableCapacity - 1); tableSize = 0; // Set every entry to empty. (Is this faster than memsetting the whole // thing?) for (size_t i = 0; i < tableCapacity; ++i) table[i].flag = 0; // The zeroth entry is reserved for the "null" symbol. if (table == baseSymbolTable) { table[0].flag = USED; table[0].s = new char[strlen(nullsymstr) + 1]; strcpy(table[0].s, nullsymstr); ++tableSize; symbol::nullsym.hashplus = 0; symbol::initsym = symbol::opTrans("init"); symbol::castsym = symbol::opTrans("cast"); symbol::ecastsym = symbol::opTrans("ecast"); } } // Hashing constants found experimentally to reduce collision (a little). const uint A = 25191, B = 16342, C = 1746, D = 18326; // Hash the string into an integer. Experimental testing has shown that // hashing only the first few letters seems to be faster than hashing deeper // into the string, even though this approach causes more hash collisions. uint hash(const char *s, size_t len) { uint h = s[0]; if (len == 2) return h; h += A*s[1]; if (len == 3) return h; h += B*s[2]; if (len == 4) return h; h += C*s[3]; if (len == 5) return h; h += D*s[4]; return h+len; } /* Under normal circumstances, the initial table should be large enough for * all of the symbols used and will never be resized. Just in case the * program encounters a large number of distinct symbols, we implement * resizing of the table. */ void resizeTable() { symbolRecord *oldTable = table; size_t oldSize = tableSize; size_t oldCapacity = tableCapacity; tableCapacity *= 4; table = new symbolRecord[tableCapacity]; initTable(); // The null symbol is a special case. table[0] = oldTable[0]; ++tableSize; #if 0 printf("old:\n"); for (size_t i = 0; i < oldCapacity; ++i) { symbolRecord &r = oldTable[i]; if (r.flag != USED) continue; printf(" %u -> %s\n", r.hashplus, r.s); } #endif for (size_t i = 1; i < oldCapacity; ++i) { symbolRecord &r = oldTable[i]; if (r.flag != USED) continue; // Entries that were skipped over when this symbol was entered into the // old hash table may not appear in the same spot in the new hash table. // Put "SKIP" entries in their place, so that the symbol will still be // found. for (uint h = hash(r.s, strlen(r.s)+1); h < r.hashplus; ++h) { symbolRecord &skipr = recordByHashplus(h); if (skipr.flag == 0) skipr.flag = SKIP; } // Enter the symbol in its spot. symbolRecord &newr = recordByHashplus(r.hashplus); assert(newr.flag != USED); newr.flag = USED; newr.hashplus = r.hashplus; newr.s = r.s; ++tableSize; } #if 0 printf("new:\n"); for (size_t i = 0; i < tableCapacity; ++i) { symbolRecord &r = table[i]; if (r.flag != USED) continue; printf(" %u -> %s\n", r.hashplus, r.s); } #endif assert(tableSize == oldSize); // Debugging resize. for (size_t i = 1; i < oldCapacity; ++i) { symbolRecord &r = oldTable[i]; if (r.flag != USED) continue; symbolRecord &newr = recordByHashplus(r.hashplus); assert(newr.hashplus == r.hashplus); assert(newr.flag != 0); assert(newr.flag != SKIP); assert(newr.flag == USED); assert(newr.s = r.s); if (strncmp(r.s, "gensym", 6) != 0) assert(symbol::rawTrans(r.s, strlen(r.s)+1).hashplus == r.hashplus); } #if 0 // Diagnostics. uint empty=0, used=0, skip=0; for (size_t i = 0; i < tableCapacity; ++i) { symbolRecord &r = table[i]; if (r.flag == 0) ++empty; else if (r.flag == USED) ++used; else if (r.flag == SKIP) ++skip; else assert("Unknown flag" == 0); } cout << "Resized symbol table. " << "empty: " << empty << "used: " << used << "skip: " << skip << endl; #endif } symbol symbolize(uint h) { symbol s; s.hashplus = h; return s; } // Handles the insertion of a new symbol into a table the has been resized (or // needs resizing). symbol advancedInsert(const char *s, size_t len) { if (2*tableSize >= tableCapacity) resizeTable(); uint hashplus = hash(s, len); #if 1 assert(s != 0); assert(len > 0); assert(2*tableSize <= tableCapacity); #endif // We know the symbol is not in the table. Just search for the first unused // entry (either empty or a skip entry) and insert there. for (;;) { symbolRecord &r = recordByHashplus(hashplus); if (r.flag != USED) { r.flag = USED; r.s = new char[len]; memcpy(r.s, s, len); assert(r.s[len-1] == '\0'); r.hashplus = hashplus; ++tableSize; assert(2*tableSize <= tableCapacity); return symbolize(hashplus); } ++hashplus; } assert("Unreachable code" == 0); return symbol::nullsym; } symbol symbol::gensym(string s) { // Gensym can be inserted as if it were a normal string not already in the // table. advancedInsert handles this. s = "gensym " + s; return advancedInsert(s.c_str(), s.size() + 1); } symbol symbol::rawTrans(const char *s, size_t len) { uint hashplus = sym::hash(s, len); #if 1 assert(s != 0); assert(len > 0); assert(2*tableSize <= tableCapacity); #endif // Search through the table till we find the symbol already translated or // an empty field. for (;;) { symbolRecord &r = recordByHashplus(hashplus); // Translating pre-existing symbols is more common, so check for it first. if (r.hashplus == hashplus && r.flag == USED && strncmp(r.s, s, len) == 0) { return symbolize(hashplus); } // Then check for an empty entry, in which case the entry is added. if (r.flag == 0) { // Test if the table needs resizing before entering a new symbol, or if // the table has already been resized. In either case, the symbol will // be added to a resized table which may contain skip entries, and a // more involved insertion routine is needed. if (2*tableSize >= SYMBOL_TABLE_BASE_CAPACITY) return advancedInsert(s, len); r.flag = USED; r.s = new char[len]; memcpy(r.s, s, len); assert(r.s[len-1] == '\0'); r.hashplus = hashplus; ++tableSize; assert(2*tableSize <= tableCapacity); return symbolize(hashplus); } // A case where a different symbol is in the spot, continue along the // table. ++hashplus; } assert("Unreachable code" == 0); return symbol::nullsym; } symbol::operator string () const { symbolRecord &r = recordByHashplus(this->hashplus); return (string)r.s; } ostream& operator<< (ostream& out, const symbol sym) { symbolRecord &r = recordByHashplus(sym.hashplus); return out << r.s; } } // end namespace sym /* Define all of operator symbols SYM_PLUS, etc. */ #define OPSYMBOL(str, name) \ sym::symbol name = sym::symbol::opTrans(str) #include "opsymbols.h" #undef OPSYMBOL /* Define all of the symbols of the type SYM(name) in selected files. */ #define ADDSYMBOL(name) \ sym::symbol PRETRANSLATED_SYMBOL_##name = sym::symbol::literalTrans(#name) #include "allsymbols.h" #undef ADDSYMBOL asymptote-2.62/runsystem.in0000644000000000000000000001177713607467113014614 0ustar rootroot/***** * runsystem.in * * Runtime functions for system operations. * *****/ callable* => voidFunction() callableBp* => breakpointFunction() runnable* => primCode() #include "process.h" #include "stack.h" #include "locate.h" using namespace camp; using namespace settings; using vm::bpinfo; using vm::bplist; using vm::getPos; using vm::Default; using vm::nullfunc; using vm::item; using absyntax::runnable; typedef callable callableBp; namespace run { extern string emptystring; } function *voidFunction() { return new function(primVoid()); } function *breakpointFunction() { return new function(primString(),primString(),primInt(),primInt(), primCode()); } void clear(string file, Int line, bool warn=false) { bpinfo bp(file,line); for(mem::list::iterator p=bplist.begin(); p != bplist.end(); ++p) { if(*p == bp) { cout << "cleared breakpoint at " << file << ": " << line << endl; bplist.remove(bp); return; } } if(warn) cout << "No such breakpoint at " << file << ": " << line << endl; } namespace run { void breakpoint(stack *Stack, runnable *r) { callable *atBreakpointFunction=processData().atBreakpointFunction; if(atBreakpointFunction && !nullfunc::instance()->compare(atBreakpointFunction)) { position curPos=getPos(); Stack->push(curPos.filename()); Stack->push((Int) curPos.Line()); Stack->push((Int) curPos.Column()); Stack->push(r ? r : vm::Default); atBreakpointFunction->call(Stack); // returns a string } else Stack->push(""); } } string convertname(string name, const string& format) { if(name.empty()) return buildname(outname(),format,""); name=outpath(name); return format.empty() ? name : format+":"+name; } namespace run { void purge(Int divisor=0) { #ifdef USEGC if(divisor > 0) GC_set_free_space_divisor((GC_word) divisor); GC_gcollect(); #endif } void updateFunction(stack *Stack) { callable *atUpdateFunction=processData().atUpdateFunction; if(atUpdateFunction && !nullfunc::instance()->compare(atUpdateFunction)) atUpdateFunction->call(Stack); } void exitFunction(stack *Stack) { callable *atExitFunction=processData().atExitFunction; if(atExitFunction && !nullfunc::instance()->compare(atExitFunction)) atExitFunction->call(Stack); } } // Autogenerated routines: string outname() { return outname(); } void atupdate(callable *f) { processData().atUpdateFunction=f; } callable *atupdate() { return processData().atUpdateFunction; } void atexit(callable *f) { processData().atExitFunction=f; } callable *atexit() { return processData().atExitFunction; } void atbreakpoint(callableBp *f) { processData().atBreakpointFunction=f; } void breakpoint(runnable *s=NULL) { breakpoint(Stack,s); } string locatefile(string file, bool full=true) { return locateFile(file,full); } void stop(string file, Int line, runnable *s=NULL) { file=locateFile(file); clear(file,line); cout << "setting breakpoint at " << file << ": " << line << endl; bplist.push_back(bpinfo(file,line,s)); } void breakpoints() { for(mem::list::iterator p=bplist.begin(); p != bplist.end(); ++p) cout << p->f.name() << ": " << p->f.line() << endl; } void clear(string file, Int line) { file=locateFile(file); clear(file,line,true); } void clear() { bplist.clear(); } void warn(string s) { Warn(s); } void nowarn(string s) { noWarn(s); } void warning(string s, string t, bool position=false) { if(settings::warn(s)) { em.warning(position ? getPos() : nullPos,s); em << t; } } // Strip directory from string string stripdirectory(string *s) { return stripDir(*s); } // Strip directory from string string stripfile(string *s) { return stripFile(*s); } // Strip file extension from string string stripextension(string *s) { return stripExt(*s); } // Call ImageMagick convert. Int convert(string args=emptystring, string file=emptystring, string format=emptystring) { string name=convertname(file,format); mem::vector cmd; cmd.push_back(getSetting("convert")); push_split(cmd,args); cmd.push_back(name); bool quiet=verbose <= 1; char *oldPath=NULL; string dir=stripFile(outname()); if(!dir.empty()) { oldPath=getPath(); setPath(dir.c_str()); } Int ret=System(cmd,quiet ? 1 : 0,true,"convert", "your ImageMagick convert utility"); if(oldPath != NULL) setPath(oldPath); if(ret == 0 && verbose > 0) cout << "Wrote " << (file.empty() ? name : file) << endl; return ret; } // Call ImageMagick animate. Int animate(string args=emptystring, string file=emptystring, string format=emptystring) { #ifndef __MSDOS__ string name=convertname(file,format); if(view()) { mem::vector cmd; cmd.push_back(getSetting("animate")); push_split(cmd,args); cmd.push_back(name); return System(cmd,0,false,"animate","your animated GIF viewer"); } #endif return 0; } void purge(Int divisor=0) { purge(divisor); } asymptote-2.62/asy.list0000644000000000000000000062166113607467357013715 0ustar rootrootstring stripfile(string s); string stripsuffix(string f, string suffix=); real cbrt(real x); real[] cbrt(real[] a); pen RGB(int r, int g, int b); cputime cputime(); string stripdirectory(string s); real sqrtEpsilon; string stripextension(string s); version version; void nosetpagesize(); void texpreamble(string s); pen beveljoin; string cputimeformat; real Cos(real deg); string insert(string s, int pos, string t); marginT EndDotMargin(path, pen); pen heavyred; pen black; pen heavyblue; filltype dotfilltype; pen heavygreen; pen heavycyan; marginT PenMargin(path, pen)(real begin, real end); marginT PenMargin(path, pen); int realDigits; pen heavymagenta; marginT PenMargins(path, pen); void newl(file file); void seek(file f, int pos); string verbatim(string s); pen heavygray; pen heavygrey; void markuniform(picture pic=, frame f, path g)(pair z(real t), real a, real b, int n); void markuniform(picture pic=, frame f, path g)(bool centered=, int n, bool rotated=); real[] mintimes(path p); real[] mintimes(path3 p); bool straight(path p, int t); bool straight(path3 p, int t); pen makepen(path p); real dotsize(pen p=); real[] curlSpecifier(guide g, int t); real straightness(path3 p, int t); real straightness(triple z0, triple c0, triple c1, triple z1); real log10(real x); real[] log10(real[] a); pen paleblue; bool prc0(string format=); string xasyKEY(); void xasyKEY(string s); int CTZ(int a); void _shipout(string prefix=, frame f, frame preamble=, string format=, bool wait=, bool view=, transform t=); real barfactor; pen Magenta; real cos(real x); real[] cos(real[] a); pair cos(explicit pair z); int intMax; bool cyclic(guide g); bool cyclic(path p); bool cyclic(path3 p); void printBytecode(); transform Rotate(transform)(pair z); transform Rotate(transform t); path subpath(path p, int a, int b); path subpath(path p, real a, real b); path3 subpath(path3 p, int a, int b); path3 subpath(path3 p, real a, real b); bool isnan(real x); string jobname(string name); void print_random_addresses(int n=); void attach(picture dest=, frame src, pair position, pair align, bool group=, filltype filltype=, bool above=); void attach(picture dest=, frame src, pair position=, bool group=, filltype filltype=, bool above=); real[] quadraticroots(real a, real b, real c); pair[] quadraticroots(explicit pair a, explicit pair b, explicit pair c); pen darkcyan; string[] file3; real[] maxtimes(path p); real[] maxtimes(path3 p); filltype FillDraw; filltype FillDraw(real xmargin=, real ymargin=, pen fillpen=, pen drawpen=); void initdefaults(); void erase(frame f); string erase(string s, int pos, int n); void erase(picture pic=); pair E; int Ceil(real x); pair I; pair SSW; pen magenta; pair WSW; pair N; bool view(); void usersetting(); pair S; void nowarn(string s); transform rotate(real angle, pair z=); int quotient(int x, int y); transform rotation(transform t); pair W; int rand(); pen ZapfChancery(string series=, string shape=); int XOR(int a, int b); void atupdate(void f()); void atupdate()(); void unfill(frame f, path[] g, bool copy=); void unfill(picture pic=, path[] g, bool copy=); bool Bar(picture, path, pen, marginT(path, pen))(real size=); bool Bar(picture, path, pen, marginT(path, pen)); bool eol(file f); pen zerowinding; void atbreakpoint(string f(string, int, int, code)); void savedefaults()(); bool MidArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=); bool MidArrow(picture, path, pen, marginT(path, pen)); bool MidArcArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=); bool MidArcArrow(picture, path, pen, marginT(path, pen)); void grestore(frame f); pair extension(pair p, pair q, pair p, pair q); pen extendcap; int ceil(real x); pen thick(pen p=); pair left; int Suppress; file input(string name=, bool check=, string comment=, string mode=); int SuppressQuiet; real[] texsize(string s, pen p=); string nativeformat(); bool invisible(pen p); pen invisible(); pen invisible; bool CCW; void usetypescript(string s, string encoding=); path randompath(int n, bool cumulate=, guide join(... guide[])=); int system(string[] s); int system(string s); void bar(picture pic, pair a, pair d, pen p=); picture bar(pair a, pair d, pen p=); side NoSide; file stdout; transform Shift(transform t); real fmod(real x, real y); real offset(pen p); pen rgb(pen p); pen rgb(real r, real g, real b); pen rgb(string s); real inch; bool ArcArrow(picture, path, pen, marginT(path, pen)); bool ArcArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=, position position=); bool ArcArrows(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=); bool ArcArrows(picture, path, pen, marginT(path, pen)); pen currentpen; pair precontrol(path p, int t); pair precontrol(path p, real t); triple precontrol(path3 p, int t); triple precontrol(path3 p, real t); light currentlight; pen royalblue; picture currentpicture; frame currentpatterns; int JOIN_IN; int JOIN_OUT; projection currentprojection; real orient(pair a, pair b, pair c); real orient(triple a, triple b, triple c, triple d); pen linetype(real[] pattern, real offset=, bool scale=, bool adjust=); real[] linetype(pen p=); pen linetype(string pattern, real offset=, bool scale=, bool adjust=); real xpart(pair z); real xpart(triple v); side Center; real ypart(pair z); real ypart(triple v); real zpart(triple v); frame orientation(frame); pen Courier(string series=, string shape=); real simpson(real f(real), real a, real b, real acc=, real dxmax=); transform shift(transform t); transform shift(pair z); transform shift(real x, real y); transform shift(frame f, pair align); real asinh(real x); real[] asinh(real[] a); pen orange; pen darkgray; slice lastcut(path p, path knife); pen darkgreen; pen darkgrey; transform xscale(real x); transform shiftless(transform t); real[][] shiftless(real[][] t); transform yscale(real y); void usleep(int microseconds); real cosh(real x); real[] cosh(real[] a); position MidPoint; real Sin(real deg); void assert(bool b, string s=); pen Palatino(string series=, string shape=); real incircle(pair a, pair b, pair c, pair d); frame Landscape(frame f); pen purple; string italic(string s); real atan(real x); real[] atan(real[] a); real acos(real x); real[] acos(real[] a); int popcount(int a); pair minbound(pair a, pair b); triple minbound(triple a, triple b); pair minbound(pair[] a); pair minbound(pair[][] a); pair minbound(pair[][][] a); triple minbound(triple[] a); triple minbound(triple[][] a); triple minbound(triple[][][] a); void restore(); pen basealign(int n); int basealign(pen p=); pen basealign; int min(int a, int b); int[] min(int a, int[] b); int[] min(int[] a, int b); int[] min(int[] a, int[] b); int min(int[] a); int min(int[][] a); int min(int[][][] a); real min(real a, real b); real[] min(real a, real[] b); real[] min(real[] a, real b); real[] min(real[] a, real[] b); real min(real[] a); real min(real[][] a); real min(real[][][] a); string min(string a, string b); string[] min(string a, string[] b); string[] min(string[] a, string b); string[] min(string[] a, string[] b); string min(string[] a); string min(string[][] a); string min(string[][][] a); pair min(pen p); pair min(frame f); pair min(explicit path p); pair min(path[] p); triple min(path3 p); pair min(picture pic, bool user=); real min(... real[] a); real min(real m, scaling s, coord[] c); real min(real m, scaling s, coord[] c); int min(... int[] a); filltype RadialShade(pen penc, pen penr); int search(int[] a, int key); int search(real[] a, real key); int search(string[] a, string key); int search(void()()[] a, void key()(), bool less(void()(), void()())); int search(picture[] a, picture key, bool less(picture, picture)); int search(real[] a, real key, bool less(real, real)); int search(guide[] a, guide key, bool less(guide, guide)); int search(object[] a, object key, bool less(object, object)); int search(pair[] a, pair key, bool less(pair, pair)); int search(coord[] a, coord key, bool less(coord, coord)); int search(Label[] a, Label key, bool less(Label, Label)); int search(frame[] a, frame key, bool less(frame, frame)); int search(coord[] a, coord key, bool less(coord, coord)); int search(Legend[] a, Legend key, bool less(Legend, Legend)); int search(int[] a, int key, bool less(int, int)); int search(bool3[] a, bool3 key, bool less(bool3, bool3)); int search(string[] a, string key, bool less(string, string)); int search(path[] a, path key, bool less(path, path)); int search(pen[] a, pen key, bool less(pen, pen)); int search(bool[] a, bool key, bool less(bool, bool)); int search(triple[] a, triple key, bool less(triple, triple)); int search(marker[] a, marker key, bool less(marker, marker)); filltype RadialShadeDraw(real xmargin=, real ymargin=, pen penc, pen penr, pen drawpen=); real sin(real x); real[] sin(real[] a); pair sin(explicit pair z); pen deepcyan; void restoredefaults(); path[] plus; pair expi(real angle); triple expi(real polar, real azimuth); void endclip(frame f); void endclip(picture pic=); pen opacity(real opacity=, string blend=); real opacity(pen p); real[] solve(real[][] a, real[] b, bool warn=); real[][] solve(real[][] a, real[][] b, bool warn=); int rename(string from, string to); void DOSendl(file file); string debugger(string file, int line, int column, code s=); string getc(file f); bool debugging; void shipout(string prefix=, frame f, string format=, bool wait=, bool view=, string options=, string script=, light light=, projection P=, transform t=); void shipout(string prefix=, picture pic=, frame orientation(frame)=, string format=, bool wait=, bool view=, string options=, string script=, light light=, projection P=); void shipout3(string prefix, frame f, string format=, real width, real height, real angle, real zoom, triple m, triple m, pair shift, pair margin, real[][] t, real[] background, triple[] lights, real[][] diffuse, real[][] specular, bool view=); void shipout3(string prefix, frame f, string format=); string getstring(string name=, string default=, string prompt=, bool store=); int debuggerlines; frame bbox(picture pic=, real xmargin=, real ymargin=, pen p=, filltype filltype=); frame pad(picture pic=, real xsize=, real ysize=, filltype filltype=); real radians(real degrees); bool pdf(); void _eval(string s, bool embedded, bool interactivewrite=); void _eval(code s, bool embedded); path[][] textpath(string[] s, pen[] p); void radialshade(frame f, path[] g, bool stroke=, pen pena, pair a, real ra, bool extenda=, pen penb, pair b, real rb, bool extendb=, bool copy=); void radialshade(picture pic=, path[] g, bool stroke=, pen pena, pair a, real ra, bool extenda=, pen penb, pair b, real rb, bool extendb=, bool copy=); pair maxbound(pair a, pair b); triple maxbound(triple a, triple b); pair maxbound(pair[] a); pair maxbound(pair[][] a); pair maxbound(pair[][][] a); triple maxbound(triple[] a); triple maxbound(triple[][] a); triple maxbound(triple[][][] a); string Embed(string name, string text=, string options=, real width=, real height=); pair postcontrol(path p, int t); pair postcontrol(path p, real t); triple postcontrol(path3 p, int t); triple postcontrol(path3 p, real t); int max(int a, int b); int[] max(int a, int[] b); int[] max(int[] a, int b); int[] max(int[] a, int[] b); int max(int[] a); int max(int[][] a); int max(int[][][] a); real max(real a, real b); real[] max(real a, real[] b); real[] max(real[] a, real b); real[] max(real[] a, real[] b); real max(real[] a); real max(real[][] a); real max(real[][][] a); string max(string a, string b); string[] max(string a, string[] b); string[] max(string[] a, string b); string[] max(string[] a, string[] b); string max(string[] a); string max(string[][] a); string max(string[][][] a); pair max(pen p); pair max(frame f); pair max(explicit path p); pair max(path[] p); triple max(path3 p); real max(real M, scaling s, coord[] c); int max(... int[] a); pair max(picture pic, bool user=); real max(... real[] a); real max(real M, scaling s, coord[] c); Label Label(Label L, pair position, align align=, pen p=, transform embed(transform)=, filltype filltype=); Label Label(string s, string size=, explicit position position, align align=, pen p=, transform embed(transform)=, filltype filltype=); Label Label(Label L, explicit position position, align align=, pen p=, transform embed(transform)=, filltype filltype=); Label Label(explicit pair position, align align=, pen p=, transform embed(transform)=, filltype filltype=); Label Label; Label Label(string s=, string size=, align align=, pen p=, transform embed(transform)=, filltype filltype=); Label Label(string s, string size=, pair position, align align=, pen p=, transform embed(transform)=, filltype filltype=); Label Label(Label L, align align=, pen p=, transform embed(transform)=, filltype filltype=); string font(pen p=); pen font(string name, string options=); pen font(string encoding, string family, string series, string shape); pen font(string name, real size, string options=); string outdirectory(); marker markthin(path g, pen p=, real thin(real fraction)=, filltype filltype=); int intMin; pen white; side RightSide; string replace(string s, string[][] translate); string replace(string s, string before, string after); transform fixedscaling(picture pic=, pair min, pair max, pen p=, bool warn=); pen Symbol(string series=, string shape=); slice firstcut(path p, path knife); pen squarecap; pen squarepen; pen deepyellow; real barsize(pen p=); bool EndArrow(picture, path, pen, marginT(path, pen)); bool EndArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=, position position=); bool EndArcArrow(picture, path, pen, marginT(path, pen)); bool EndArcArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=, position position=); void tensorshade(frame f, path[] g, bool stroke=, pen fillrule=, pen[][] p, path[] b=, pair[][] z=, bool copy=); void tensorshade(picture pic=, path[] g, bool stroke=, pen fillrule=, pen[][] p, path[] b=, pair[][] z=, bool copy=); void tensorshade(frame f, path[] g, bool stroke=, pen fillrule=, pen[] p, path b=, pair[] z); void tensorshade(picture pic=, path[] g, bool stroke=, pen fillrule=, pen[] p, path b=, pair[] z); void tensorshade(frame f, path[] g, bool stroke=, pen fillrule=, pen[] p, path b=); void tensorshade(picture pic=, path[] g, bool stroke=, pen fillrule=, pen[] p, path b=); string[] split(string s, string delimiter=); void addSaveFunction(void s()()); object embed3(string, frame, string, string, string, light, projection); filltype NoFill; real colatitude(triple v, bool warn=); void label(frame f, string s, string size, transform t, pair position, pair align, pen p); void label(picture pic=, Label L, align align=, pen p=, filltype filltype=); void label(pair origin, picture pic=, Label L, align align=, pen p=, filltype filltype=); void label(frame f, Label L, pair position, align align=, pen p=, filltype filltype=); void label(picture pic=, Label L, pair position, align align=, pen p=, filltype filltype=); void label(frame f, Label L, align align=, pen p=, filltype filltype=); void label(picture pic=, Label L, explicit guide g, align align=, pen p=, filltype filltype=); void label(picture pic=, Label L, explicit path g, align align=, pen p=, filltype filltype=); real fabs(real x); real[] fabs(real[] a); bool labels(frame f); light light(pen diffuse=, pen specular=, pen background=, real x, real y, real z); light light(pen diffuse=, pen specular=, pen background=, real specularfactor= ... triple[] position); light light(pen[] diffuse, pen[] specular=, pen background=, real specularfactor=, triple[] position); light light(explicit light light); real remainder(real x, real y); int byte(real x); real camerafactor; pen lightred; real labelmargin; real labelmargin(pen p=); pen lightblue; pen lightgreen; pair right; string outformat(string format=); pen lightcyan; pen lightmagenta; pen lightyellow; pen lightgray; pen lightolive; pen lightgrey; string upcase(string s); pen darkblue; pen darkbrown; path[] strokepath(path g, pen p=); real erf(real x); void saveline(string name, string value, bool store=); pen fuchsia; filltype filltype(int type=, pen fillpen=, pen drawpen=, void fill2(frame f, path[] g, pen fillpen)); pen Bookman(string series=, string shape=); path box(frame dest, frame src=, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); path box(frame f, Label L, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); path box(pair a, pair b); frame[] fit(string prefix=, picture[] pictures, string format=, bool view=, string options=, string script=, projection P=); void seekeof(file f); path unitcircle; pair[] conj(pair[] a); pair[][] conj(pair[][] a); pair conj(pair z); pen deepgray; pen deepgreen; pen deepgrey; marker[] Mark; marker Mark(int n); real aTan(real x); void _begingroup3(frame f, string name, real compression, real granularity, bool closed, bool tessellate, bool dobreak, bool nobreak, triple center, int interaction); path[] MarkPath; string graphic(string name, string options=); real aCos(real x); void texreset(); string graphicscale(real x); int[] complement(int[] a, int n); path[] complement(frame f, path[] g); pen Cyan; marginT NoMargin(path, pen); marginT NoMargin(path, pen)(); path[][] _texpath(string[] s, pen[] p); real sinh(real x); real[] sinh(real[] a); real[] _cputime(); position EndPoint; hsv hsv(real h, real s, real v); hsv hsv(pen p); void deconstruct(frame f, frame preamble=, transform t=); void deconstruct(picture pic=); int sgn(real x); node node(void d(frame f, transform t, transform T, pair lb, pair rt), string key=); pair minAfterTransform(transform t, path[] p); int seconds(string t=, string format=); pen cyan; pen grey; real cm; filltype Fill; filltype Fill(real xmargin=, real ymargin=, pen p=); pen olive; pen darkolive; int ascii(string s); real arcarrowangle; real arcarrowfactor; real mm; real arcarrowsize(pen p=); real calculateScaling(string dir, coord[] coords, real size, bool warn=); real calculateScaling(string dir, coord[] coords, real size, bool warn=); real calculateScaling(string dir, coord[] m, coord[] M, real size, bool warn=); real calculateScaling(string dir, coord[] m, coord[] M, real size, bool warn=); triple gettriple(string name=, triple default=, string prompt=, bool store=); void drawpixel(frame f, triple v, pen p, real width=); pen fontsize(real size, real lineskip); real fontsize(pen p=); pen fontsize(real size); void close(file f); real lineskip(pen p=); pen dashed; pair maxAfterTransform(transform t, path[] p); int[][] triangulate(pair[] z); void fill(frame f, path[] g, pen p=, bool copy=); path fill(frame dest, frame src, filltype filltype=, real xmargin=, real ymargin=); void fill(picture pic=, path[] g, pen p=, bool copy=); void fill(pair origin, picture pic=, path[] g, pen p=); pair midpoint(path p); real exp(real x); real[] exp(real[] a); pair exp(explicit pair z); pen linejoin(int n); int linejoin(pen p=); real ldexp(real x, int e); pen rgba(real[] a); real[] rgba(pen p); string time(string format=); string time(int seconds, string format=); void prepend(frame dest, frame src); real pt; settings settings; int MoveQuiet; marginT EndMargin(path, pen); pen nullpen; side LeftSide; path nullpath; guide[] copy(guide[] a, int depth=); real[] copy(real[] a, int depth=); triple[] copy(triple[] a, int depth=); bool[] copy(bool[] a, int depth=); real[][] copy(real[][] a, int depth=); pen[] copy(pen[] a, int depth=); coord[] copy(coord[] a, int depth=); object[] copy(object[] a, int depth=); marker[] copy(marker[] a, int depth=); Legend[] copy(Legend[] a, int depth=); pen[][] copy(pen[][] a, int depth=); path[] copy(path[] a, int depth=); string[] copy(string[] a, int depth=); void()()[] copy(void()()[] a, int depth=); int[] copy(int[] a, int depth=); string[][] copy(string[][] a, int depth=); frame[] copy(frame[] a, int depth=); pair[] copy(pair[] a, int depth=); bool3[] copy(bool3[] a, int depth=); coord[] copy(coord[] a, int depth=); Label[] copy(Label[] a, int depth=); picture[] copy(picture[] a, int depth=); pair[][] copy(pair[][] a, int depth=); real[] abs(pair[] a); real[] abs(triple[] a); real abs(real x); real[] abs(real[] a); real abs(pair z); real abs(triple v); int abs(int x); pen pink; real inches; path ellipse(frame dest, frame src=, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); path ellipse(frame f, Label L, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); path ellipse(pair c, real a, real b); pair getpair(string name=, pair default=, string prompt=, bool store=); void axialshade(frame f, path[] g, bool stroke=, pen pena, pair a, bool extenda=, pen penb, pair b, bool extendb=, bool copy=); void axialshade(picture pic=, path[] g, bool stroke=, pen pena, pair a, bool extenda=, pen penb, pair b, bool extendb=, bool copy=); string locale(string s=); real dirtime(path p, pair z); void copyPairOrTriple(pairOrTriple dest, pairOrTriple src); real[] colors(pen p); void filloutside(picture pic=, path[] g, pen p=, bool copy=); void filloutside(frame f, path[] g, pen p=, bool copy=); pen[] colorPen; real _findroot(real f(real), real a, real b, real tolerance, real fa, real fb); pen colorless(pen p); pen solid; string colorspace(pen p); void warn(string s); pen deepblue; pen palered; real[] map(real f(pair), pair[] a); int[] map(int f(real), real[] a); bool3[] map(bool3 f(bool3), bool3[] a); frame[] map(frame f(frame), frame[] a); coord[] map(coord f(coord), coord[] a); Legend[] map(Legend f(Legend), Legend[] a); pen[][] map(pen[] f(pen[]), pen[][] a); triple[] map(triple f(triple), triple[] a); pen[] map(pen f(pen), pen[] a); coord[] map(coord f(coord), coord[] a); Label[] map(Label f(Label), Label[] a); pair[] map(pair f(pair), pair[] a); object[] map(object f(object), object[] a); string[] map(string f(string), string[] a); picture[] map(picture f(picture), picture[] a); void()()[] map(void f()()(void()()), void()()[] a); pair[][] map(pair[] f(pair[]), pair[][] a); real[] map(real f(real), real[] a); marker[] map(marker f(marker), marker[] a); int[] map(int f(int), int[] a); string[][] map(string[] f(string[]), string[][] a); bool[] map(bool f(bool), bool[] a); path[] map(path f(path), path[] a); real[][] map(real[] f(real[]), real[][] a); guide[] map(guide f(guide), guide[] a); path unstraighten(path p); path3 unstraighten(path3 p); void _image(frame f, real[][] data, pair initial, pair final, pen[] palette=, transform t=, bool copy=, bool antialias=); void _image(frame f, pen[][] data, pair initial, pair final, transform t=, bool copy=, bool antialias=); void _image(frame f, pen f(int, int), int width, int height, pair initial, pair final, transform t=, bool antialias=); pair arcpoint(path p, real L); pen Pen(int n); int rfind(string s, string t, int pos=); pair minratio(frame f); pair minratio(triple[][] p, pair b); pair minratio(path3 g); string toplocation(); int[] sequence(int n); pen[][] sequence(pen[] f(int), int n); coord[] sequence(coord f(int), int n); object[] sequence(object f(int), int n); marker[] sequence(marker f(int), int n); Legend[] sequence(Legend f(int), int n); int[] sequence(int f(int), int n); string[][] sequence(string[] f(int), int n); pair[] sequence(pair f(int), int n); guide[] sequence(guide f(int), int n); pen[] sequence(pen f(int), int n); void()()[] sequence(void f()()(int), int n); bool[] sequence(bool f(int), int n); string[] sequence(string f(int), int n); pair[][] sequence(pair[] f(int), int n); bool3[] sequence(bool3 f(int), int n); coord[] sequence(coord f(int), int n); Label[] sequence(Label f(int), int n); picture[] sequence(picture f(int), int n); real[][] sequence(real[] f(int), int n); real[] sequence(real f(int), int n); int[] sequence(int n, int m); triple[] sequence(triple f(int), int n); path[] sequence(path f(int), int n); frame[] sequence(frame f(int), int n); triple minbezier(triple[][] p, triple b); path trim(path g, real begin, real end); marginT DotMargin(path, pen)(real begin, real end); marginT DotMargin(path, pen); marginT DotMargins(path, pen); string string(int x); string string(real x, int digits=); string cd(string s=); int size(guide g); pair size(frame f); int size(path p); int size(path[] p); int size(path3 p); void size(picture dest, picture src); pair size(picture pic, bool user=); void size(picture pic=, transform t); void size(picture pic=, real x, real y=, bool keepAspect=); void size(picture pic=, real xsize, real ysize, pair min, pair max); void clear(file f); void clear(string file, int line); void clear(); void clear(string file, string text); pen mediumred; pen mediumblue; pen mediumgreen; pen mediumcyan; pen mediummagenta; pair arcdir(path p, real L); pen mediumyellow; pen mediumgray; string downcase(string s); pen mediumgrey; transform transform(pen p); string readline(string prompt=, string name=, bool tabcompletion=); void beep(); pair relpoint(path p, real l); pair[][] transpose(pair[][] a); pen[][] transpose(pen[][] a); string[][] transpose(string[][] a); real[][] transpose(real[][] a); pen overwrite(int n); int overwrite(pen p=); pen linewidth(real x); real linewidth(pen p=); transformation transformation(real[][] modelview); transformation transformation(real[][] modelview, real[][] projection); pair maxratio(frame f); pair maxratio(triple[][] p, pair b); pair maxratio(path3 g); triple maxbezier(triple[][] p, triple b); void layer(frame f); void layer(picture pic=); void DOSnewl(file file); pen cmyk(pen p); pen cmyk(real c, real m, real y, real k); pen blue; pen evenodd; int precision(file f=, int digits=); path3 path3(triple[] pre, triple[] point, triple[] post, bool[] straight, bool cyclic); bool piecewisestraight(path p); bool piecewisestraight(path3 p); void stop(string file, int line, code s=); void stop(string file, string text, code s=); pair reldir(path p, real l); pen TimesRoman(string series=, string shape=); slice cut(path p, path knife, int n); bool is3D(frame f); bool is3D(string format=); void add(frame dest, frame src); void add(picture dest=, frame src, pair position, pair align, bool group=, filltype filltype=, bool above=); void add(frame dest, frame src, pair position, pair align, bool group=, filltype filltype=, bool above=); void add(picture src, bool group=, filltype filltype=, bool above=); void add(picture pic=, void d(frame f, transform t), bool exact=); void add(picture pic=, void d(frame f, real[][] t, picture pic, projection P), bool exact=); void add(picture pic=, void d(picture, real[][]), bool exact=); void add(picture dest, picture src, bool group=, filltype filltype=, bool above=); void add(picture dest, picture src, pair position, bool group=, filltype filltype=, bool above=); void add(picture dest=, object F, pair position=, bool group=, filltype filltype=, bool above=); void add(frame dest, frame src, filltype filltype, bool above=); void add(frame dest, frame src, bool group, filltype filltype=, bool above=); void add(frame dest, frame src, pair position, bool group=, filltype filltype=, bool above=); void add(picture dest=, frame src, pair position=, bool group=, filltype filltype=, bool above=); void add(picture pic=, Label L); void add(picture pic=, void d(picture, transform), bool exact=); void add(frame f, transform t=, Label L); void add(picture src, pair position, bool group=, filltype filltype=, bool above=); plain plain; void purge(int divisor=); int Round(real x); real sqrt(real x); real[] sqrt(real[] a); pair sqrt(explicit pair z); string[] spinner; real[] times(path p, real x); real[] times(path p, explicit pair z); void drawbeziertriangle(frame f, triple[][] p, triple center, bool straight, pen[] p, real opacity, real shininess, real metallic, real fresnel0, real prcshininess, pen[] colors, int interaction, bool prc=); void Draw(picture pic=, path g, pen p=); filltype Draw; void Draw(picture pic=, explicit path[] g, pen p=); filltype Draw(real xmargin=, real ymargin=, pen p=); void tab(file file); plain_scaling plain_scaling; string file(string s); plain_bounds plain_bounds; string outprefix(string prefix=); object object(Label L, path e(frame dest, frame src=, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=), real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); object object(frame f); object object(Label L); file stdin; void()()[] array(int n, void value()(), int depth=); bool[] array(int n, bool value, int depth=); string[] array(int n, string value, int depth=); pair[][] array(int n, pair[] value, int depth=); bool3[] array(int n, bool3 value, int depth=); coord[] array(int n, coord value, int depth=); Label[] array(int n, Label value, int depth=); picture[] array(int n, picture value, int depth=); real[][] array(int n, real[] value, int depth=); real[] array(int n, real value, int depth=); triple[] array(int n, triple value, int depth=); path[] array(int n, path value, int depth=); frame[] array(int n, frame value, int depth=); pen[][] array(int n, pen[] value, int depth=); coord[] array(int n, coord value, int depth=); object[] array(int n, object value, int depth=); marker[] array(int n, marker value, int depth=); Legend[] array(int n, Legend value, int depth=); int[] array(int n, int value, int depth=); string[][] array(int n, string[] value, int depth=); pair[] array(int n, pair value, int depth=); guide[] array(int n, guide value, int depth=); pen[] array(int n, pen value, int depth=); string[] array(string s); bool BeginBar(picture, path, pen, marginT(path, pen)); bool BeginBar(picture, path, pen, marginT(path, pen))(real size=); triple perp(triple v, triple u); int find(bool[] a, int n=); int find(string s, string t, int pos=); position BeginPoint; marginT BeginMargin(path, pen); path buildcycle(... path[] p); bool BeginArrow(picture, path, pen, marginT(path, pen)); bool BeginArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=, position position=); marginT BeginPenMargin(path, pen); int round(real x); marginT BeginDotMargin(path, pen); bool BeginArcArrow(picture, path, pen, marginT(path, pen)); bool BeginArcArrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=, position position=); pen roundcap; void buildRestoreThunk()(); pen roundjoin; int sourceline(string file, string text); void buildRestoreDefaults()(); path roundbox(frame dest, frame src=, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); path roundbox(frame f, Label L, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); real asin(real x); real[] asin(real[] a); pair endpoint(path p); real latitude(triple v, bool warn=); int sum(int[] a); real sum(real[] a); pair sum(pair[] a); triple sum(triple[] a); int sum(bool[] a); void xmap(string key, transform t=); real inf; real arctime(path p, real l); real arctime(path3 p, real dval); pen palemagenta; void draw(frame f, triple[][] p, triple center, bool straight, pen[] p, real opacity, real shininess, real metallic, real fresnel0, real prcshininess, pen[] colors, int interaction, bool prc=); void draw(frame f, triple[] p, real[] knot, real[] weights=, pen p); void draw(frame f, triple[][] p, real[] uknot, real[] vknot, real[][] weights=, pen[] p, real opacity, real shininess, real metallic, real fresnel0, real prcshininess, pen[] colors); void draw(frame f, triple[] v, int[][] vi, triple[] n, int[][] ni, pen[] p, real opacity, real shininess, real metallic, real fresnel0, real prcshininess, pen[] c=, int[][] ci=); void draw(picture pic=, path[] g, pen fillrule=, pen[] p); object draw(picture pic=, Label L, path e(frame dest, frame src=, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=), pair position, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); void draw(frame f, explicit path[] g, pen p=); void draw(picture pic=, guide[] g, pen p=, Label legend=, marker marker=); void draw(pair origin, picture pic=, guide[] g, pen p=, Label legend=, marker marker=); void draw(picture pic=, explicit path[] g, pen p=, Label legend=, marker marker=); void draw(pair origin, picture pic=, explicit path[] g, pen p=, Label legend=, marker marker=); object draw(picture pic=, Label L, path e(frame dest, frame src=, real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=), real xmargin=, real ymargin=, pen p=, filltype filltype=, bool above=); void draw(frame f, guide[] g, pen p=); void draw(frame f, path g, pen p=); void draw(picture pic=, Label L=, path g, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(pair origin, picture pic=, Label L=, path g, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(frame f, path g, pen p=, bool arrow(picture, path, pen, marginT(path, pen))); int mantissaBits; real identity(real x); real[] identity(real[] a); transform identity(); real[][] identity(int n); transform identity; real[][] identity4; marker[] MarkFill; pen pattern(string s); string pattern(pen p); transform invert; transform inverse(transform t); real[][] inverse(real[][] a); pair unit(pair z); triple unit(triple v); triple min3(frame f); triple min3(pen p); void begin(picture pic=, string name, string id=, bool visible=); void drawPRCdisk(frame f, real[][] t, pen[] p, real opacity, real shininess); void drawPRCtube(frame f, path3 center, path3 g, pen[] p, real opacity, real shininess); int CLZ(int a); void drawPRCsphere(frame f, real[][] t, bool half=, pen[] p, real opacity, real shininess, int type); arrowhead DefaultHead; void drawPRCcylinder(frame f, real[][] t, pen[] p, real opacity, real shininess); void beginclip(frame f, path[] g, bool stroke=, pen fillrule=, bool copy=); void beginclip(picture pic=, path[] g, bool stroke=, pen fillrule=, bool copy=); void begingroup(frame f); void begingroup(picture pic=); marker nomarker; pair beginpoint(path p); real azimuth(triple v, bool warn=); real angle(pair z, bool warn=); real angle(transform t); pair ENE; frame pack(pair align= ... object[] inset); void gsave(frame f); void write(file file=, string s=, bool x, void suffix(file)= ... bool[]); void write(file file=, string s=, explicit bool[] a ... bool[][]); void write(file file=, bool[][]); void write(file file=, bool[][][]); void write(file file=, string s=, int x, void suffix(file)= ... int[]); void write(file file=, string s=, explicit int[] a ... int[][]); void write(file file=, int[][]); void write(file file=, int[][][]); void write(file file=, string s=, real x, void suffix(file)= ... real[]); void write(file file=, string s=, explicit real[] a ... real[][]); void write(file file=, real[][]); void write(file file=, real[][][]); void write(file file=, string s=, pair x, void suffix(file)= ... pair[]); void write(file file=, string s=, explicit pair[] a ... pair[][]); void write(file file=, pair[][]); void write(file file=, pair[][][]); void write(file file=, string s=, triple x, void suffix(file)= ... triple[]); void write(file file=, string s=, explicit triple[] a ... triple[][]); void write(file file=, triple[][]); void write(file file=, triple[][][]); void write(file file=, string s=, string x, void suffix(file)= ... string[]); void write(file file=, string s=, explicit string[] a ... string[][]); void write(file file=, string[][]); void write(file file=, string[][][]); void write(file file=, string s, void suffix(file)=); void write(file file=, string s=, transform x, void suffix(file)= ... transform[]); void write(file file=, string s=, guide x, void suffix(file)= ... guide[]); void write(file file=, string s=, pen x, void suffix(file)= ... pen[]); void write(file file, string s=, explicit guide[] x, void suffix(file)=); void write(string s=, cputime c, string format=, void suffix(file)=); void write(string s=, explicit path[] x, void suffix(file)=); void write(file file, void suffix(file)=); void write(file file=, string s=, pen[] p); void write(void suffix(file)=); void write(file file, string s=, explicit path[] x, void suffix(file)=); void write(file file=, align align, void suffix(file)=); void write(pairOrTriple a); void write(file file, string s=, cputime c, string format=, void suffix(file)=); void write(string s=, bool3 b, void suffix(file)=); void write(file file, string s=, bool3 b, void suffix(file)=); void write(string s=, explicit guide[] x, void suffix(file)=); void write(file file=, Label L, void suffix(file)=); void save()(); marginT EndPenMargin(path, pen); pair NNE; real[] tridiagonal(real[] a, real[] b, real[] c, real[] f); pen Dotted; pen Dotted(pen p=); pair dir(real degrees); pair dir(explicit pair z); triple dir(explicit triple z); triple dir(real colatitude, real longitude); pair dir(path p, int t, int sign=, bool normalize=); pair dir(path p, real t, bool normalize=); triple dir(path3 p, int t, int sign=, bool normalize=); triple dir(path3 p, real t, bool normalize=); pair dir(path p); pair dir(path p, path q); int[][] diagonal(... int[]); real[][] diagonal(... real[]); pair[][] diagonal(... pair[]); real reltime(path p, real l); void marknodes(picture pic=, frame f, path g); real newton(int iterations=, real f(real), real fprime(real), real x, bool verbose=); real newton(int iterations=, real f(real), real fprime(real), real x1, real x2, bool verbose=); string TeXify(string s); bool3 default; pair[] controlSpecifier(guide g, int t); void defaultpen(pen p); pen defaultpen(); pen defaultpen; void defaultpen(real w); transform Slant(transform t); triple max3(frame f); triple max3(pen p); string defaultformat(int n, string trailingzero=, bool fixed=, bool signed=); string defaultformat; pen dashdotted; string defaultseparator; string asydir(); string defaultfilename; real longitude(triple v, bool warn=); bool Blank(picture, path, pen, marginT(path, pen)); tensionSpecifier tensionSpecifier(guide g, int t); marker marker(frame f=, void markroutine(picture pic=, frame f, path g)=, bool above=); marker marker(path[] g, void markroutine(picture pic=, frame f, path g)=, pen p=, filltype filltype=, bool above=); int Move; string location(); string locatefile(string file, bool full=); pen dotted; string blend(pen p); arrowhead HookHead; arrowhead HookHead(real dir=, real barb=); marker[] concat(... marker[][]); real[] concat(... real[][]); picture[] concat(... picture[][]); pair[] concat(... pair[][]); object[] concat(... object[][]); pen[] concat(... pen[][]); coord[] concat(... coord[][]); Label[] concat(... Label[][]); path[] concat(... path[][]); coord[] concat(... coord[][]); Legend[] concat(... Legend[][]); int[] concat(... int[][]); void()()[] concat(... void()()[][]); bool3[] concat(... bool3[][]); string[] concat(... string[][]); triple[] concat(... triple[][]); frame[] concat(... frame[][]); guide[] concat(... guide[][]); bool[] concat(... bool[][]); int OR(int a, int b); real log1p(real x); real[] log1p(real[] a); real infinity; bool alias(pair[][] a, pair[][] b); bool alias(guide[] a, guide[] b); bool alias(marginT a, marginT b); bool alias(coord[] a, coord[] b); bool alias(light a, light b); bool alias(align a, align b); bool alias(Legend[] a, Legend[] b); bool alias(processtime a, processtime b); bool alias(pair[] a, pair[] b); bool alias(scaling a, scaling b); bool alias(coord a, coord b); bool alias(coords3 a, coords3 b); bool alias(node a, node b); bool alias(Label a, Label b); bool alias(int[] a, int[] b); bool alias(string[][] a, string[][] b); bool alias(slice a, slice b); bool alias(freezableBounds a, freezableBounds b); bool alias(transformation a, transformation b); bool alias(scaleT a, scaleT b); bool alias(object[] a, object[] b); bool alias(marker a, marker b); bool alias(real[][] a, real[][] b); bool alias(bool3 a, bool3 b); bool alias(bool3[] a, bool3[] b); bool alias(autoscaleT a, autoscaleT b); bool alias(ScaleT a, ScaleT b); bool alias(side a, side b); bool alias(cputime a, cputime b); bool alias(string[] a, string[] b); bool alias(frame[] a, frame[] b); bool alias(coords2 a, coords2 b); bool alias(scaling a, scaling b); bool alias(pairOrTriple a, pairOrTriple b); bool alias(object a, object b); bool alias(marker[] a, marker[] b); bool alias(bool[] a, bool[] b); bool alias(void()()[] a, void()()[] b); bool alias(pen[][] a, pen[][] b); bool alias(filltype a, filltype b); bool alias(simplex a, simplex b); bool alias(coord[] a, coord[] b); bool alias(projection a, projection b); bool alias(Label[] a, Label[] b); bool alias(arrowhead a, arrowhead b); bool alias(path[] a, path[] b); bool alias(triple[] a, triple[] b); bool alias(coord a, coord b); bool alias(bounds a, bounds b); bool alias(Legend a, Legend b); bool alias(position a, position b); bool alias(real[] a, real[] b); bool alias(pen[] a, pen[] b); bool alias(hsv a, hsv b); bool alias(coords2 a, coords2 b); bool alias(picture a, picture b); bool alias(picture[] a, picture[] b); real pi; int getint(string name=, int default=, string prompt=, bool store=); int bitreverse(int a, int bits); bool IgnoreAspect; void postscript(frame f, string s); void postscript(frame f, string s, pair min, pair max); void postscript(picture pic=, string s); void postscript(picture pic=, string s, pair min, pair max); transform slant(real s); void breakpoint(code s=); void breakpoints(); void endgroup(frame f); void endgroup(picture pic=); void endgroup3(frame f); int Floor(real x); pair gamma(explicit pair z); real gamma(real x); real pow10(real x); real[] pow10(real[] a); real[][] AtA(real[][] a); real bp; int[] sort(int[] a); int[][] sort(int[][] a); real[] sort(real[] a); real[][] sort(real[][] a); string[] sort(string[] a); string[][] sort(string[][] a); coord[] sort(coord[] a, bool less(coord, coord), bool stable=); object[] sort(object[] a, bool less(object, object), bool stable=); marker[] sort(marker[] a, bool less(marker, marker), bool stable=); Legend[] sort(Legend[] a, bool less(Legend, Legend), bool stable=); path[] sort(path[] a, bool less(path, path), bool stable=); pen[][] sort(pen[][] a, bool less(pen[], pen[]), bool stable=); pair[][] sort(pair[][] a, bool less(pair[], pair[]), bool stable=); pen[] sort(pen[] a, bool less(pen, pen), bool stable=); bool[] sort(bool[] a, bool less(bool, bool), bool stable=); void()()[] sort(void()()[] a, bool less(void()(), void()()), bool stable=); frame[] sort(frame[] a, bool less(frame, frame), bool stable=); bool3[] sort(bool3[] a, bool less(bool3, bool3), bool stable=); coord[] sort(coord[] a, bool less(coord, coord), bool stable=); Label[] sort(Label[] a, bool less(Label, Label), bool stable=); picture[] sort(picture[] a, bool less(picture, picture), bool stable=); int[] sort(int[] a, bool less(int, int), bool stable=); string[][] sort(string[][] a, bool less(string[], string[]), bool stable=); real[] sort(real[] a, bool less(real, real), bool stable=); string[] sort(string[] a, bool less(string, string), bool stable=); pair[] sort(pair[] a, bool less(pair, pair), bool stable=); real[][] sort(real[][] a, bool less(real[], real[]), bool stable=); triple[] sort(triple[] a, bool less(triple, triple), bool stable=); guide[] sort(guide[] a, bool less(guide, guide), bool stable=); pen salmon; bool ignore; pen Pentype(int n); pen chartreuse; void latticeshade(frame f, path[] g, bool stroke=, pen fillrule=, pen[][] p, transform t=, bool copy=); void latticeshade(picture pic=, path[] g, bool stroke=, pen fillrule=, pen[][] p, bool copy=); pair[] pairs(real[] x, real[] y); void eval(code s, bool embedded=); void eval(string s, bool embedded=); bool Arrow(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=, position position=); bool Arrow(picture, path, pen, marginT(path, pen)); bool Arrows(picture, path, pen, marginT(path, pen))(arrowhead arrowhead=, real size=, real angle=, filltype filltype=); bool Arrows(picture, path, pen, marginT(path, pen)); int tell(file f); pen Yellow; pair up; guide reverse(guide g); string reverse(string s); path reverse(path p); path3 reverse(path3 p); triple[] reverse(triple[] a); int[] reverse(int[] a); real[] reverse(real[] a); int[] reverse(int n); string[] reverse(string[] a); pair[] reverse(pair[] a); bool[] reverse(bool[] a); void _labelpath(frame f, string s, string size, path g, string justify, pair offset, pen p); int floor(real x); void resetdefaultpen(); real aSin(real x); pen darkred; transform Scale(transform t); pen mean(pen[] p, real opacity(real[])=); pen[] mean(pen[][] palette, real opacity(real[])=); string mktemp(string s); void sleep(int seconds); void drawstrokepath(picture pic=, path g, pen strokepen, pen p=); void arrow(picture pic=, Label L=, pair b, pair dir, real length=, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=); picture arrow(arrowhead arrowhead=, path g, pen p=, real size=, real angle=, filltype filltype=, position position=, bool forwards=, marginT margin(path, pen)=, bool center=); void unitsize(picture pic=, real x, real y=, real z=); picture arrow2(arrowhead arrowhead=, path g, pen p=, real size=, real angle=, filltype filltype=, marginT margin(path, pen)=); path unitsquare; real arrowdir; real arrowbarb; pen yellow; int delete(string s); pen miterjoin; arrowhead SimpleHead; real arrowangle; real arrowlength; pen miterlimit(real x); real miterlimit(pen p=); real arrowfactor; real arrowsize(pen p=); real Tan(real deg); real arrowsizelimit; real arrow2sizelimit; real arrowhookfactor; real arrowtexfactor; void comma(file file); void deletepreamble(); real[] arrowbasepoints(path base, path left, path right, real default=); path arrowbase(path r, pair y, real t, real size); int choose(int n, int k); real hypot(real x, real y); path[] _strokepath(path g, pen p=); void pause(string w=); int ocgindex; pen springgreen; pen brown; bool scale(pen p); transform scale(real x); transform scale(real x, real y); real[][] scale(real x, real y, real z); scaleT scaleT(real T(real x), real Tinv(real x), bool logarithmic=, bool automin=, bool automax=); string baseline(string s, string template=); int[] findall(bool[] a); real[][] scale3(real s); int AND(int a, int b); real polar(triple v, bool warn=); real radius(path p, real t); real radius(path3 p, real t); real radius(triple z0, triple c0, triple c1, triple z1, real t); transform scaleless(transform t); void makedraw(frame f, path g, pen p, int depth=); simplex simplex(real[] c, real[][] A, real[] b, bool phase1=, bool dual=); simplex simplex(real[] c, real[][] A, int[] s, real[] b); simplex simplex; real nan; pair down; path arc(pair c, real r, real angle1, real angle2); path arc(pair c, explicit pair z1, explicit pair z2, bool direction=); path arc(pair c, real r, real angle1, real angle2, bool direction); real[] cubicroots(real a, real b, real c, real d); pen green; real tan(real x); real[] tan(real[] a); pen longdashed; pair point(guide g, int t); pair point(path p, int t); pair point(path p, real t); triple point(path3 p, int t); triple point(path3 p, real t); pair point(picture pic=, pair dir, bool user=); pair point(object F, pair dir, transform t=); pair point(frame f, pair dir); void progress(bool3 init=); pen longdashdotted; void usepackage(string s, string options=); void drawarrow(frame f, arrowhead arrowhead=, path g, pen p=, real size=, real angle=, filltype filltype=, position position=, bool forwards=, marginT margin(path, pen)=, bool center=); void drawarrow2(frame f, arrowhead arrowhead=, path g, pen p=, real size=, real angle=, filltype filltype=, marginT margin(path, pen)=); pen fillrule(int n); int fillrule(pen p); pair ESE; pair project(triple v, real[][] t); bool prc(string format=); projection projection(triple camera, triple up=, triple target=, triple normal=, real zoom=, real angle=, pair viewportshift=, bool showtarget=, bool autoadjust=, bool center=, transformation projector(triple camera, triple up, triple target)); void endl(file file); marginT TrueMargin(path, pen)(real begin, real end); pair bezier(pair a, pair b, pair c, pair d, real t); triple bezier(triple a, triple b, triple c, triple d, real t); pair SSE; pair bezierP(pair a, pair b, pair c, pair d, real t); triple bezierP(triple a, triple b, triple c, triple d, real t); pair bezierPP(pair a, pair b, pair c, pair d, real t); triple bezierPP(triple a, triple b, triple c, triple d, real t); real[] _projection(); pair bezierPPP(pair a, pair b, pair c, pair d); triple bezierPPP(triple a, triple b, triple c, triple d); real Jn(int n, real x); int randMax; path nurb(pair z0, pair z1, pair z2, pair z3, real w0, real w1, real w2, real w3, int m); align NoAlign; bool EndBar(picture, path, pen, marginT(path, pen)); bool EndBar(picture, path, pen, marginT(path, pen))(real size=); Legend Legend(string label, pen plabel=, pen p=, frame mark=, bool above=); real Yn(int n, real x); int NOT(int a); pen[] monoPen; bool CW; bool all(bool[] a); real atanh(real x); real[] atanh(real[] a); frame UpsideDown(frame f); pair realmult(pair z, pair w); triple realmult(triple u, triple v); real acosh(real x); real[] acosh(real[] a); real realEpsilon; pair NW; real norm(real[] a); real norm(real[][] a); real norm(triple[][] a); int length(guide g); int length(string s); real length(pair z); real length(triple v); int length(path p); int length(path3 p); pair SW; void flush(file f); pen thin(); pen palecyan; void warning(string s, string t, bool position=); frame legend(picture pic=, int perline=, real xmargin=, real ymargin=, real linelength=, real hskip=, real vskip=, real maxwidth=, real maxheight=, bool hstretch=, bool vstretch=, pen p=); picture legend(Legend[] Legend, int perline=, real linelength, real hskip, real vskip, real maxwidth=, real maxheight=, bool hstretch=, bool vstretch=); real Degrees(real radians); picture legenditem(Legend legenditem, real linelength); real legendhskip; real legendvskip; pen darkmagenta; real change2(triple[][] a); real legendmargin; bool None(picture, path, pen, marginT(path, pen)); real dotfactor; real legendlinelength; string minipage(string s, real width=); real legendmaxrelativewidth; real cross(explicit pair z, explicit pair w); triple cross(triple u, triple v); path cross(int n, bool round=, real r=); string operator +(string a, string b); int operator +(int a, int b); int[] operator +(int a, int[] b); int[] operator +(int[] a, int b); int[] operator +(int[] a, int[] b); int[][] operator +(int[][] a, int[][] b); int operator +(int a); int[] operator +(int[] a); real operator +(real a, real b); real[] operator +(real a, real[] b); real[] operator +(real[] a, real b); real[] operator +(real[] a, real[] b); real[][] operator +(real[][] a, real[][] b); real operator +(real a); real[] operator +(real[] a); pair operator +(pair a, pair b); pair[] operator +(pair a, pair[] b); pair[] operator +(pair[] a, pair b); pair[] operator +(pair[] a, pair[] b); pair[][] operator +(pair[][] a, pair[][] b); pair operator +(pair a); pair[] operator +(pair[] a); triple operator +(triple a, triple b); triple[] operator +(triple a, triple[] b); triple[] operator +(triple[] a, triple b); triple[] operator +(triple[] a, triple[] b); triple[][] operator +(triple[][] a, triple[][] b); triple operator +(triple a); triple[] operator +(triple[] a); pen operator +(pen a, pen b); transform operator +(transform a, transform b); pen operator +(pen p, real w); pen[] operator +(pen a, pen[] b); pen operator +(real w, pen p); string operator +(... string[] a); marginT operator +(path, pen)(marginT ma(path, pen), marginT mb(path, pen)); pen[] operator +(pen[] a, pen b); int operator -(int a, int b); int[] operator -(int a, int[] b); int[] operator -(int[] a, int b); int[] operator -(int[] a, int[] b); int[][] operator -(int[][] a, int[][] b); int operator -(int a); int[] operator -(int[] a); int[][] operator -(int[][] a); real operator -(real a, real b); real[] operator -(real a, real[] b); real[] operator -(real[] a, real b); real[] operator -(real[] a, real[] b); real[][] operator -(real[][] a, real[][] b); real operator -(real a); real[] operator -(real[] a); real[][] operator -(real[][] a); pair operator -(pair a, pair b); pair[] operator -(pair a, pair[] b); pair[] operator -(pair[] a, pair b); pair[] operator -(pair[] a, pair[] b); pair[][] operator -(pair[][] a, pair[][] b); pair operator -(pair a); pair[] operator -(pair[] a); pair[][] operator -(pair[][] a); triple operator -(triple a, triple b); triple[] operator -(triple a, triple[] b); triple[] operator -(triple[] a, triple b); triple[] operator -(triple[] a, triple[] b); triple[][] operator -(triple[][] a, triple[][] b); triple operator -(triple a); triple[] operator -(triple[] a); triple[][] operator -(triple[][] a); int operator *(int a, int b); int[] operator *(int a, int[] b); int[] operator *(int[] a, int b); int[] operator *(int[] a, int[] b); int[][] operator *(int a, int[][] b); int[][] operator *(int[][] a, int b); real operator *(real a, real b); real[] operator *(real a, real[] b); real[] operator *(real[] a, real b); real[] operator *(real[] a, real[] b); real[][] operator *(real a, real[][] b); real[][] operator *(real[][] a, real b); pair operator *(pair a, pair b); pair[] operator *(pair a, pair[] b); pair[] operator *(pair[] a, pair b); pair[] operator *(pair[] a, pair[] b); pair[][] operator *(pair a, pair[][] b); pair[][] operator *(pair[][] a, pair b); triple[] operator *(real a, triple[] b); triple[][] operator *(real a, triple[][] b); triple[] operator *(triple[] a, real b); triple[][] operator *(triple[][] a, real b); pen operator *(real a, pen b); pen operator *(pen a, real b); transform operator *(transform a, transform b); pair operator *(transform t, pair z); path operator *(transform t, path g); pen operator *(transform t, pen p); frame operator *(transform t, frame f); frame operator *(real[][] t, frame f); real[] operator *(real[][] a, real[] b); real[] operator *(real[] a, real[][] b); int[][] operator *(int[][] a, int[][] b); real[][] operator *(real[][] a, real[][] b); pair[][] operator *(pair[][] a, pair[][] b); triple operator *(real[][] t, triple v); triple operator *(real x, triple v); triple operator *(triple v, real x); path3 operator *(real[][] t, path3 g); side operator *(real x, side s); Label operator *(real[][] t, Label L); picture operator *(transform t, picture orig); object operator *(transform t, explicit object F); path[] operator *(transform t, explicit path[] p); Label operator *(transform t, Label L); pair[] operator *(transform t, pair[] z); bounds operator *(transform t, bounds b); picture operator *(real[][] t, picture orig); bool operator init(); int operator init(); real operator init(); string operator init(); pair operator init(); triple operator init(); transform operator init(); guide operator init(); path operator init(); path3 operator init(); pen operator init(); frame operator init(); file operator init(); marginT operator init(); light operator init(); align operator init(); processtime operator init(); filltype operator init(); simplex operator init(); projection operator init(); arrowhead operator init(); slice operator init(); transformation operator init(); scaleT operator init(); marker operator init(); hsv operator init(); coords2 operator init(); picture operator init(); coords2 operator init(); scaling operator init(); pairOrTriple operator init(); object operator init(); scaling operator init(); coord operator init(); coords3 operator init(); node operator init(); Label operator init(); coord operator init(); bounds operator init(); Legend operator init(); position operator init(); bool3 operator init(); autoscaleT operator init(); ScaleT operator init(); side operator init(); cputime operator init(); real operator cast(int); pair operator cast(int); pair operator cast(real); path operator cast(pair); guide operator cast(pair); guide operator cast(path); path operator cast(guide); file operator cast(null); real[] operator cast(int[]); pair[] operator cast(int[]); pair[] operator cast(real[]); real[][] operator cast(int[][]); pair[][] operator cast(int[][]); pair[][] operator cast(real[][]); bool operator cast(file); bool[] operator cast(file); bool[][] operator cast(file); bool[][][] operator cast(file); int operator cast(file); int[] operator cast(file); int[][] operator cast(file); int[][][] operator cast(file); real operator cast(file); real[] operator cast(file); real[][] operator cast(file); real[][][] operator cast(file); pair operator cast(file); pair[] operator cast(file); pair[][] operator cast(file); pair[][][] operator cast(file); triple operator cast(file); triple[] operator cast(file); triple[][] operator cast(file); triple[][][] operator cast(file); string operator cast(file); string[] operator cast(file); string[][] operator cast(file); string[][][] operator cast(file); guide operator cast(cycleToken tok); guide operator cast(curlSpecifier spec); guide operator cast(tensionSpecifier t); align operator cast(side side); guide[] operator cast(path[] g); pair operator cast(pairOrTriple a); triple operator cast(pairOrTriple a); frame operator cast(object F); hsv operator cast(pen p); bool3[] operator cast(bool[] b); position operator cast(pair x); object operator cast(Label L); Label operator cast(object F); pair operator cast(position P); object operator cast(frame f); guide[] operator cast(pair[] z); path[] operator cast(guide[] g); bool operator cast(bool3 b); align operator cast(pair dir); path[] operator cast(guide g); path[] operator cast(pair[] z); align operator cast(triple dir); path[] operator cast(path p); bool[] operator cast(bool3[] b); bool3 operator cast(bool b); position operator cast(int x); object operator cast(string s); pen operator cast(hsv hsv); position operator cast(real x); Label operator cast(string s); pen deepred; bool error(file f); string operator ecast(int); string operator ecast(real); string operator ecast(pair); string operator ecast(triple); int operator ecast(string); real operator ecast(string); pair operator ecast(string); triple operator ecast(string); int operator ecast(real); int[] operator ecast(real[]); real[] operator ecast(string[] a); int[] operator ecast(string[] a); pair operator tuple(real x, real y); triple operator tuple(real x, real y, real z); transform operator tuple(real x, real y, real xx, real xy, real yx, real yy); real operator /(real a, real b); real[] operator /(real a, real[] b); real[] operator /(real[] a, real b); real[] operator /(real[] a, real[] b); real[][] operator /(real[][] a, real b); pair operator /(pair a, pair b); pair[] operator /(pair a, pair[] b); pair[] operator /(pair[] a, pair b); pair[] operator /(pair[] a, pair[] b); pair[][] operator /(pair[][] a, pair b); triple[] operator /(triple[] a, real b); real operator /(int a, int b); real[] operator /(int[] a, int b); real[] operator /(int a, int[] b); real[] operator /(int[] a, int[] b); triple operator /(triple v, real x); path[] texpath(string s, pen p, bool tex=, bool bbox=); path[] texpath(Label L, bool tex=, bool bbox=); bool uptodate(); int operator #(int a, int b); int[] operator #(int a, int[] b); int[] operator #(int[] a, int b); int[] operator #(int[] a, int[] b); int operator %(int a, int b); int[] operator %(int a, int[] b); int[] operator %(int[] a, int b); int[] operator %(int[] a, int[] b); real operator %(real a, real b); real[] operator %(real a, real[] b); real[] operator %(real[] a, real b); real[] operator %(real[] a, real[] b); bool operator ^(bool a, bool b); bool[] operator ^(bool a, bool[] b); bool[] operator ^(bool[] a, bool b); bool[] operator ^(bool[] a, bool[] b); int operator ^(int a, int b); int[] operator ^(int a, int[] b); int[] operator ^(int[] a, int b); int[] operator ^(int[] a, int[] b); real operator ^(real a, real b); real[] operator ^(real a, real[] b); real[] operator ^(real[] a, real b); real[] operator ^(real[] a, real[] b); pair operator ^(pair a, pair b); pair[] operator ^(pair a, pair[] b); pair[] operator ^(pair[] a, pair b); pair[] operator ^(pair[] a, pair[] b); transform operator ^(transform t, int n); real operator ^(real x, int y); pair operator ^(pair z, int y); bool operator ==(bool a, bool b); bool[] operator ==(bool a, bool[] b); bool[] operator ==(bool[] a, bool b); bool[] operator ==(bool[] a, bool[] b); bool operator ==(bool[][] a, bool[][] b); bool operator ==(int a, int b); bool[] operator ==(int a, int[] b); bool[] operator ==(int[] a, int b); bool[] operator ==(int[] a, int[] b); bool operator ==(int[][] a, int[][] b); bool operator ==(real a, real b); bool[] operator ==(real a, real[] b); bool[] operator ==(real[] a, real b); bool[] operator ==(real[] a, real[] b); bool operator ==(real[][] a, real[][] b); bool operator ==(pair a, pair b); bool[] operator ==(pair a, pair[] b); bool[] operator ==(pair[] a, pair b); bool[] operator ==(pair[] a, pair[] b); bool operator ==(pair[][] a, pair[][] b); bool operator ==(triple a, triple b); bool[] operator ==(triple a, triple[] b); bool[] operator ==(triple[] a, triple b); bool[] operator ==(triple[] a, triple[] b); bool operator ==(triple[][] a, triple[][] b); bool operator ==(string a, string b); bool[] operator ==(string a, string[] b); bool[] operator ==(string[] a, string b); bool[] operator ==(string[] a, string[] b); bool operator ==(string[][] a, string[][] b); bool[] operator ==(pen[] a, pen[] b); bool operator ==(pen a, pen b); bool operator ==(transform a, transform b); bool operator ==(file a, file b); bool operator ==(path a, path b); bool operator ==(path3 a, path3 b); bool operator ==(bool3 a, bool3 b); bool operator ==(autoscaleT a, autoscaleT b); bool operator ==(ScaleT a, ScaleT b); bool operator ==(side a, side b); bool operator ==(cputime a, cputime b); bool operator ==(coords2 a, coords2 b); bool operator ==(scaling a, scaling b); bool operator ==(pairOrTriple a, pairOrTriple b); bool operator ==(object a, object b); bool operator ==(filltype a, filltype b); bool operator ==(simplex a, simplex b); bool operator ==(projection a, projection b); bool operator ==(arrowhead a, arrowhead b); bool operator ==(coord a, coord b); bool operator ==(bounds a, bounds b); bool operator ==(Legend a, Legend b); bool operator ==(position a, position b); bool operator ==(hsv a, hsv b); bool operator ==(coords2 a, coords2 b); bool operator ==(picture a, picture b); bool operator ==(bool3 a, bool b); bool operator ==(marginT a, marginT b); bool operator ==(light a, light b); bool operator ==(align a, align b); bool operator ==(processtime a, processtime b); bool operator ==(scaling a, scaling b); bool operator ==(coord a, coord b); bool operator ==(coords3 a, coords3 b); bool operator ==(node a, node b); bool operator ==(Label a, Label b); bool operator ==(bool a, bool3 b); bool operator ==(slice a, slice b); bool operator ==(freezableBounds a, freezableBounds b); bool operator ==(transformation a, transformation b); bool operator ==(scaleT a, scaleT b); bool operator ==(marker a, marker b); bool operator !=(bool a, bool b); bool[] operator !=(bool a, bool[] b); bool[] operator !=(bool[] a, bool b); bool[] operator !=(bool[] a, bool[] b); bool operator !=(bool[][] a, bool[][] b); bool operator !=(int a, int b); bool[] operator !=(int a, int[] b); bool[] operator !=(int[] a, int b); bool[] operator !=(int[] a, int[] b); bool operator !=(int[][] a, int[][] b); bool operator !=(real a, real b); bool[] operator !=(real a, real[] b); bool[] operator !=(real[] a, real b); bool[] operator !=(real[] a, real[] b); bool operator !=(real[][] a, real[][] b); bool operator !=(pair a, pair b); bool[] operator !=(pair a, pair[] b); bool[] operator !=(pair[] a, pair b); bool[] operator !=(pair[] a, pair[] b); bool operator !=(pair[][] a, pair[][] b); bool operator !=(triple a, triple b); bool[] operator !=(triple a, triple[] b); bool[] operator !=(triple[] a, triple b); bool[] operator !=(triple[] a, triple[] b); bool operator !=(triple[][] a, triple[][] b); bool operator !=(string a, string b); bool[] operator !=(string a, string[] b); bool[] operator !=(string[] a, string b); bool[] operator !=(string[] a, string[] b); bool operator !=(string[][] a, string[][] b); bool[] operator !=(pen[] a, pen[] b); bool operator !=(pen a, pen b); bool operator !=(transform a, transform b); bool operator !=(file a, file b); bool operator !=(path a, path b); bool operator !=(path3 a, path3 b); bool operator !=(bool3 a, bool3 b); bool operator !=(autoscaleT a, autoscaleT b); bool operator !=(ScaleT a, ScaleT b); bool operator !=(side a, side b); bool operator !=(cputime a, cputime b); bool operator !=(coords2 a, coords2 b); bool operator !=(scaling a, scaling b); bool operator !=(pairOrTriple a, pairOrTriple b); bool operator !=(object a, object b); bool operator !=(filltype a, filltype b); bool operator !=(simplex a, simplex b); bool operator !=(projection a, projection b); bool operator !=(arrowhead a, arrowhead b); bool operator !=(coord a, coord b); bool operator !=(bounds a, bounds b); bool operator !=(Legend a, Legend b); bool operator !=(position a, position b); bool operator !=(hsv a, hsv b); bool operator !=(coords2 a, coords2 b); bool operator !=(picture a, picture b); bool operator !=(bool3 a, bool b); bool operator !=(marginT a, marginT b); bool operator !=(light a, light b); bool operator !=(align a, align b); bool operator !=(processtime a, processtime b); bool operator !=(scaling a, scaling b); bool operator !=(coord a, coord b); bool operator !=(coords3 a, coords3 b); bool operator !=(node a, node b); bool operator !=(Label a, Label b); bool operator !=(bool a, bool3 b); bool operator !=(slice a, slice b); bool operator !=(freezableBounds a, freezableBounds b); bool operator !=(transformation a, transformation b); bool operator !=(scaleT a, scaleT b); bool operator !=(marker a, marker b); bool operator <(int a, int b); bool[] operator <(int a, int[] b); bool[] operator <(int[] a, int b); bool[] operator <(int[] a, int[] b); bool operator <(real a, real b); bool[] operator <(real a, real[] b); bool[] operator <(real[] a, real b); bool[] operator <(real[] a, real[] b); bool operator <(string a, string b); bool[] operator <(string a, string[] b); bool[] operator <(string[] a, string b); bool[] operator <(string[] a, string[] b); bool operator <=(int a, int b); bool[] operator <=(int a, int[] b); bool[] operator <=(int[] a, int b); bool[] operator <=(int[] a, int[] b); bool operator <=(real a, real b); bool[] operator <=(real a, real[] b); bool[] operator <=(real[] a, real b); bool[] operator <=(real[] a, real[] b); bool operator <=(string a, string b); bool[] operator <=(string a, string[] b); bool[] operator <=(string[] a, string b); bool[] operator <=(string[] a, string[] b); bool operator <=(coord a, coord b); bool operator <=(coord a, coord b); void srand(int seed); bool operator >(int a, int b); bool[] operator >(int a, int[] b); bool[] operator >(int[] a, int b); bool[] operator >(int[] a, int[] b); bool operator >(real a, real b); bool[] operator >(real a, real[] b); bool[] operator >(real[] a, real b); bool[] operator >(real[] a, real[] b); bool operator >(string a, string b); bool[] operator >(string a, string[] b); bool[] operator >(string[] a, string b); bool[] operator >(string[] a, string[] b); bool operator >=(int a, int b); bool[] operator >=(int a, int[] b); bool[] operator >=(int[] a, int b); bool[] operator >=(int[] a, int[] b); bool operator >=(real a, real b); bool[] operator >=(real a, real[] b); bool[] operator >=(real[] a, real b); bool[] operator >=(real[] a, real[] b); bool operator >=(string a, string b); bool[] operator >=(string a, string[] b); bool[] operator >=(string[] a, string b); bool[] operator >=(string[] a, string[] b); bool operator >=(coord a, coord b); bool operator >=(coord a, coord b); filltype UnFill(real xmargin=, real ymargin=); filltype UnFill; real degrees(pair z, bool warn=); real degrees(real radians); bool[] operator !(bool[] a); bool operator !(bool b); path[] operator ^^(path p, path q); path[] operator ^^(explicit path[] p, path q); path[] operator ^^(path p, explicit path[] q); path[] operator ^^(explicit path[] p, explicit path[] q); guide operator ::(... guide[]); pen Helvetica(string series=, string shape=); transform reflect(pair a, pair b); bool Bars(picture, path, pen, marginT(path, pen)); bool Bars(picture, path, pen, marginT(path, pen))(real size=); void none(file file); int factorial(int n); real log(real x); real[] log(real[] a); pair log(explicit pair z); guide operator ..(... guide[]); guide operator ..(... guide[])(tensionSpecifier t); path polygon(int n); guide operator --(... guide[]); guide operator ---(... guide[]); pen NewCenturySchoolBook(string series=, string shape=); void()()[] saveFunctions; bool operator &(bool a, bool b); bool[] operator &(bool a, bool[] b); bool[] operator &(bool[] a, bool b); bool[] operator &(bool[] a, bool[] b); path operator &(path p, path q); path3 operator &(path3 p, path3 q); path operator &(path p, cycleToken tok); bool operator |(bool a, bool b); bool[] operator |(bool a, bool[] b); bool[] operator |(bool[] a, bool b); bool[] operator |(bool[] a, bool[] b); string texify(string s); guide operator controls(pair zout, pair zin); guide operator controls(pair z); bool empty(frame f); tensionSpecifier operator tension(real tout, real tin, bool atleast); tensionSpecifier operator tension(real t, bool atLeast); void end(picture pic=); curlSpecifier operator curl(real gamma, int p); guide operator spec(pair z, int p); string substr(string s, int pos, int n=); pen paleyellow; file output(string name=, bool update=, string comment=, string mode=); pen ZapfDingbats(string series=, string shape=); real tanh(real x); real[] tanh(real[] a); real interp(real a, real b, real t); pair interp(explicit pair a, explicit pair b, real t); triple interp(triple a, triple b, real t); pen interp(pen a, pen b, real t); frame Seascape(frame f); bool interior(int windingnumber, pen fillrule); real[] intersect(path p, path q, real fuzz=); real[] intersect(path3 p, path3 q, real fuzz=); real[] intersect(path3 p, triple[][] p, real fuzz=); bool interactive(); real[][] intersections(path p, path q, real fuzz=); real[] intersections(path p, explicit pair a, explicit pair b, real fuzz=); real[][] intersections(path3 p, path3 q, real fuzz=); real[][] intersections(path3 p, triple[][] p, real fuzz=); int animate(string args=, string file=, string format=); void generate_random_backtrace(); pair intersectionpoint(path p, path q, real fuzz=); pair[] intersectionpoints(path p, path q, real fuzz=); pair[] intersectionpoints(explicit path[] p, explicit path[] q, real fuzz=); void asy(string format, bool overwrite= ... string[] s); bool latex(); bool adjust(pen p); pen adjust(pen p, real arclength, bool cyclic); pair Align; void exit(); real[] uniform(real a, real b, int n); pair viewportsize; pair viewportmargin; string VERSION; real insphere(triple a, triple b, triple c, triple d, triple e); void filldraw(picture pic=, path[] g, pen fillpen=, pen drawpen=); void filldraw(frame f, path[] g, pen fillpen=, pen drawpen=); real dot(real[] a, real[] b); pair dot(pair[] a, pair[] b); real dot(explicit pair z, explicit pair w); real dot(triple u, triple v); void dot(picture pic=, Label[] L=, explicit path g, align align=, string format=, pen p=, filltype filltype=); marker dot(pen p=, filltype filltype=); void dot(picture pic=, pair z, pen p=, filltype filltype=); void dot(frame f, pair z, pen p=, filltype filltype=); void dot(picture pic=, Label L, pen p=, filltype filltype=); void dot(picture pic=, Label[] L=, pair[] z, align align=, string format=, pen p=, filltype filltype=); void dot(picture pic=, path[] g, pen p=, filltype filltype=); marker dot; void dot(picture pic=, Label L, pair z, align align=, string format=, pen p=, filltype filltype=); void list(string s, bool imports=); pair NNW; string phantom(string s); void atexit(void f()); void atexit()(); real getreal(string name=, real default=, string prompt=, bool store=); int convert(string args=, string file=, string format=); pair WNW; pen palegray; pen palegreen; pen palegrey; void clip(frame f, path[] g, bool stroke=, pen fillrule=, bool copy=); void clip(picture pic=, path[] g, bool stroke=, pen fillrule=, bool copy=); marginT Margin(path, pen)(real begin, real end); marginT Margin(path, pen); position Relative(real position); side Relative(explicit pair align); marginT Margins(path, pen); pair truepoint(picture pic=, pair dir, bool user=); real arclength(path p); real arclength(path3 p); bool finite(real x); bool finite(pair z); bool finite(triple v); void updatefunction(); bool implicitshipout; void _draw(frame f, path g, pen p); void _draw(frame f, path3 g, triple center=, pen p, int interaction=); void _draw(picture pic, path g, pen p, marginT margin(path, pen)); frame align(frame f, pair align); object align(object F, pair align); path[] align(path[] g, transform t=, pair position, pair align, pen p=); real unitrand(); string[] history(string name, int n=); string[] history(int n=); coord[] maxcoords(coord[] in, bool operator <=(coord, coord)); coord[] maxcoords(coord[] in, bool operator <=(coord, coord)); pen AvantGarde(string series=, string shape=); frame enclose(string prefix=, object F, string format=); int count; real atan2(real y, real x); bool inside(explicit path[] g, pair z, pen fillrule=); bool inside(path g, pair z, pen fillrule=); int inside(path p, path q, pen fillrule=); pair inside(path p, pen fillrule=); pair rectify(pair dir); arrowhead TeXHead; bool initialized(int a); bool initialized(real a); bool initialized(pair a); bool initialized(triple a); path[] margin(path[] g, real xmargin, real ymargin); pair relative(picture pic=, pair z); real erfc(real x); int windingnumber(path[] p, pair z); real expansionfactor; void addArrow(picture pic, arrowhead arrowhead, path g, pen p, real size, real angle, filltype filltype, real position); void exitfunction(); pen gray(pen p); pen gray(real gray); pen gray; real relativedistance(real theta, real phi, real t, bool atleast); path circle(pair c, real r); void overloadedMessage(file file); pen deepmagenta; real circlescale; string math(string s); real circleprecision; int Allow; real determinant(real[][] a); void functionshade(frame f, path[] g, bool stroke=, pen fillrule=, string shader=, bool copy=); void functionshade(picture pic=, path[] g, bool stroke=, pen fillrule=, string shader, bool copy=); pen red; pair[] dirSpecifier(guide g, int t); void abort(string s=); bool Aspect; string hex(pen p); int hex(string s); path brace(pair a, pair b, real amplitude=); void deactivatequote(picture pic=); string format(string format, int x, string locale=); string format(string format, bool forcemath=, string separator, real x, string locale=); string format(string format=, bool forcemath=, real x, string locale=); real expm1(real x); real[] expm1(real[] a); void activatequote(picture pic=); int undefined; transform zeroTransform; string ask(string prompt); frame[] fit2(picture[] pictures, picture all); pen linecap(int n); int linecap(pen p=); string outname(); void newpage(frame f); void newpage(picture pic=); pen fontcommand(string s); real bracemidangle; pair accel(path p, int t, int sign=); pair accel(path p, real t); triple accel(path3 p, int t, int sign=); triple accel(path3 p, real t); frame Portrait(frame f); real braceinnerangle; real braceouterangle; void tex(frame f, string s); void tex(frame f, string s, pair min, pair max); void tex(picture pic=, string s); void tex(picture pic=, string s, pair min, pair max); real bracedefaultratio; bool prconly(string format=); pen Black; triple size3(frame f); void size3(picture pic=, real x, real y=, real z=, bool keepAspect=); bool eof(file f); frame dotframe(pen p=, filltype filltype=); frame dotframe; real realMax; pair NE; real realMin; path nib(pen p); file _outpipe; void gouraudshade(frame f, path[] g, bool stroke=, pen fillrule=, pen[] p, pair[] z, int[] edges, bool copy=); void gouraudshade(frame f, path[] g, bool stroke=, pen fillrule=, pen[] p, int[] edges, bool copy=); void gouraudshade(picture pic=, path[] g, bool stroke=, pen fillrule=, pen[] p, pair[] z, int[] edges, bool copy=); void gouraudshade(picture pic=, path[] g, bool stroke=, pen fillrule=, pen[] p, int[] edges, bool copy=); pair[] fft(pair[] a, int sign=); pair SE; pen nobasealign; sCAD operator init(); real animationdelay; animation operator init(); frame NoBox(frame f); frame BBox(frame)(real xmargin=, real ymargin=, pen p=, filltype filltype=); void annotate(picture pic=, string title, string text, pair position); void babel(string s); path removeDuplicates(path p); path uncycle(path p, real t); path[] bezulate(path[] p); real[][] intersections(pair a, pair b, path p); void connect(path[] paths, path[] result, path[] patch); int countIntersections(path[] p, pair start, pair end); real duplicateFuzz; path subdivide(path p); bool isDuplicate(pair a, pair b, real relSize); bool checkSegment(path g, pair p, pair q); path section(path p, real t1, real t2, bool loop=); real fuzz; real maxrefinements; path[][] containmentTree(path[] paths); binarytree searchtree(... int[] keys); object draw(picture pic=, binarytreeNode node, pair pos, int height, real minDist, real levelDist, real nodeDiameter, pen p=, bool condensed=); void draw(picture pic=, binarytree tree, real minDist=, real nodeMargin=, pen p=, bool condensed=); real nodeMarginDefault; key key(int n, bool active=); binarytree binarytree(... key[] keys); binarytreeNode binarytreeNode(int key); key nil; real minDistDefault; binarytreeNode operator init(); key operator init(); binarytree operator init(); key operator cast(int n); int operator cast(key k); int[] operator cast(key[] k); line intersection(face a, face b); real epsilon; splitface split(face a, face cut, projection P); face operator init(); line operator init(); half operator init(); splitface operator init(); bsp operator init(); picture operator cast(face f); face operator cast(path3 p); void add(picture pic=, face[] faces, projection P=); list_data Set2; list_data YlOrBr; list_data YlGn; list_data BuPu; list_data tab20; list_data tab20b; list_data tab20c; seg_data gist_earth; seg_data gist_ncar; seg_data gist_stern; list_data PuBuGn; seg_data hot; list_data Blues; seg_data autumn; list_data PuBu; list_data plasma; seg_data nipy_spectral; seg_data spring; list_data Set3; list_data Dark2; seg_data bone; seg_data hsv; list_data bwr; list_data viridis; list_data Reds; list_data inferno; seg_data copper; seg_data pink; list_data YlOrRd; seg_data gray; list_data RdYlGn; seg_data CMRmap; seg_data winter; list_data Greys; list_data Purples; list_data BuGn; list_data Oranges; list_data RdGy; seg_data binary; list_data magma; list_data cividis; seg_data operator init(); list_data operator init(); list_data BrBG; list_data seismic; list_data Greens; list_data YlGnBu; list_data PuRd; real[] makeMappingArray(int N, triple[] data, real gamma=); seg_data coolwarm; list_data RdPu; list_data RdBu; list_data twilight; list_data twilight_shifted; seg_data wistia; list_data brg; list_data Pastel1; list_data Pastel2; list_data GnBu; list_data Accent; list_data PuOr; list_data Spectral; list_data PiYG; list_data OrRd; seg_data cool; list_data PRGn; list_data Set1; list_data tab10; list_data Paired; seg_data jet; seg_data summer; list_data RdYlBu; segment case1(pair p0, pair p1, int edge); void draw(picture pic=, Label[] L=, guide[][] g, pen[] p); void draw(picture pic=, Label[] L=, guide[][] g, pen p=); pen[][] interior(picture pic=, guide[][] g, pen[] palette); pen[] extend(pen[] palette, pen below, pen above); guide[][] connect(pair[][][] points, real[] c, guide join(... guide[])); segment case2(pair p0, pair p1, pair p2, real v0, real v1, real v2, int edge); void collect(pair[][][] points, real[] c); segment case3(pair p0, pair p1, pair p2, real v0, real v1, real v2, int edge=); segment checktriangle(pair p0, pair p1, pair p2, real v0, real v1, real v2, int edge=); segment operator init(); void addseg(pair[][] gds, segment seg); void fill(picture pic=, guide[][] g, pen[][] palette); guide[][] contour(pair[][] z, real[][] f, real[][] midpoint=, real[] c, guide join(... guide[])=); guide[][] contour(real[][] f, real[][] midpoint=, pair a, pair b, real[] c, guide join(... guide[])=); guide[][] contour(real f(real, real), pair a, pair b, real[] c, int nx=, int ny=, guide join(... guide[])=); guide[][] contour(real f(pair), pair a, pair b, real[] c, int nx=, int ny=, guide join(... guide[])=); guide[][] contour(pair[] z, real[] f, real[] c, guide join(... guide[])=); real eps; surface surface(vertex[][] g); weighted operator init(); bucket operator init(); vertex operator init(); object operator init(); vertex[][] contour3(triple[][][] v, real[][][] f, real[][][] midpoint=, projection P=); vertex[][] contour3(real[][][] f, real[][][] midpoint=, triple a, triple b, projection P=); vertex[][] contour3(real f(real, real, real), triple a, triple b, int nx=, int ny=, int nz=, projection P=); real eps; void draw(TreeNode root, pair pos); real treeNodeStep; void drawAll(TreeNode node, frame f); real layout(int level, TreeNode node); TreeNode operator init(); void add(TreeNode child, TreeNode parent); real treeLevelStep; real treeMinNodeWidth; TreeNode makeNode(TreeNode parent=, frame f); TreeNode makeNode(TreeNode parent=, Label label); string link(string label, string text=); string embed(string name, string text=, string options=, real width=, real height=); string embedplayer(string name, string text=, string options=, real width=, real height=); string link(string label, string text=); string embed(string name, string text=, string options=, real width=, real height=, string image=); string hyperlink(string url, string text); real gluonratio; real gluonamplitude; void drawGluon(picture pic=, path p, real amp=, real width=, pen fgpen=, bool erasebg=, pen bgpen=, real vertexangle=, real margin=); void drawGhost(picture pic=, path p, pen fgpen=, bool arrow(picture, path, pen, marginT(path, pen))=, bool erasebg=, pen bgpen=, real vertexangle=, real margin=); void drawVertex(picture pic=, pair xy, real r=, pen fgpen=); void drawVertexO(picture pic=, pair xy, real r=, pen fgpen=, bool erasebg=, pen bgpen=); void drawVertexX(picture pic=, pair xy, real r=, pen fgpen=); void drawVertexBox(picture pic=, pair xy, real r=, pen fgpen=); void drawVertexBoxO(picture pic=, pair xy, real r=, pen fgpen=, bool erasebg=, pen bgpen=); void drawVertexOX(picture pic=, pair xy, real r=, pen fgpen=, bool erasebg=, pen bgpen=); void drawVertexTriangle(picture pic=, pair xy, real r=, pen fgpen=); void drawVertexTriangleO(picture pic=, pair xy, real r=, pen fgpen=, bool erasebg=, pen bgpen=); void drawVertexBoxX(picture pic=, pair xy, real r=, pen fgpen=, bool erasebg=, pen bgpen=); void do_overpaint(picture pic, path p, pen bgpen, real halfwidth, real vertexangle); void texshipout(string stem, picture pic=, bool xalign=); pen doublelinepen; real doublelinespacing; void drawDoubleLine(picture pic=, path p, pen fgpen=, real dlspacing=, bool arrow(picture, path, pen, marginT(path, pen))=, bool erasebg=, pen bgpen=, real vertexangle=, real margin=); void drawScalar(picture pic=, path p, pen fgpen=, bool arrow(picture, path, pen, marginT(path, pen))=, bool erasebg=, pen bgpen=, real vertexangle=, real margin=); bool overpaint; path photon(path p, real amp=, real width=); pen photonpen; real photonratio; real photonamplitude; string includegraphicscommand; pen momarrowpen; real momarrowsize(pen p=); real momarrowlength; real momarrowoffset; real momarrowmargin; real momarrowfactor; bool XYAlign; pen vertexpen; real vertexsize; path momArrowPath(path p, align align, position pos, real offset=, real length=); void drawPhoton(picture pic=, path p, real amp=, real width=, pen fgpen=, bool erasebg=, pen bgpen=, real vertexangle=, real margin=); bool YAlign; pen backgroundpen; pen scalarpen; pen fermionpen; pen bigvertexpen; real bigvertexsize; real minvertexangle; void drawMomArrow(picture pic=, path p, align align, position pos=, real offset=, real length=, pen fgpen=, bool arrow(picture, path, pen, marginT(path, pen))=, bool erasebg=, pen bgpen=, real margin=); void fmdefaults(); real linemargin; pen ghostpen; void drawFermion(picture pic=, path p, pen fgpen=, bool arrow(picture, path, pen, marginT(path, pen))=, bool erasebg=, pen bgpen=, real vertexangle=, real margin=); bool currentarrow(picture, path, pen, marginT(path, pen)); bool currentmomarrow(picture, path, pen, marginT(path, pen)); bool appendsuffix; path gluon(path p, real amp=, real width=); pen gluonpen; Dir Left; block roundrectangle(object body, pair center=, pen fillpen=, pen drawpen=, real ds=, real dw=, real minwidth=, real minheight=); block diamond(object body, pair center=, pen fillpen=, pen drawpen=, real ds=, real dw=, real height=, real minwidth=, real minheight=); void draw(picture pic=, block block, pen p=); real minblockwidth; real minblockheight; real defaultexcursion; path path(pair[] point ... flowdir[] dir); Dir Up; real mincirclediameter; flowdir Vertical; block rectangle(object header, object body, pair center=, pen headerpen=, pen bodypen=, pen drawpen=, real dx=, real minheaderwidth=, real minheaderheight=, real minbodywidth=, real minbodyheight=); block rectangle(object body, pair center=, pen fillpen=, pen drawpen=, real dx=, real minwidth=, real minheight=); block parallelogram(object body, pair center=, pen fillpen=, pen drawpen=, real dx=, real slope=, real minwidth=, real minheight=); block blockconnector(block, block)(picture pic, transform t, pen p=, marginT margin(path, pen)=); block circle(object body, pair center=, pen fillpen=, pen drawpen=, real dr=, real mindiameter=); flowdir operator init(); block operator init(); Dir operator init(); block operator --(block b1, Label label); block operator --(block b1, Dir dir); block operator --(block b, bool arrowbar(picture, path, pen, marginT(path, pen))); flowdir Horizontal; block bevel(object body, pair center=, pen fillpen=, pen drawpen=, real dh=, real dw=, real minwidth=, real minheight=); Dir Right; Dir Down; int[] numarray; point midpoint(segment s); point midpoint(side side); point isotomicconjugate(triangle t, point M); bool Finite(explicit point z); real rd(real x, real y, real z); point circumcenter(point A, point B, point C); point circumcenter(triangle t); circle circumcircle(point A, point B, point C); circle circumcircle(triangle t); point point(coordsys R, pair p, real m=); point point(explicit pair p, real m); point point(coordsys R, explicit point M, real m=); point point(explicit vector u); point point(circle c, abscissa l); point point(ellipse el, abscissa l); point point(parabola p, abscissa l); point point(hyperbola h, abscissa l); point point(explicit conic co, abscissa l); point point(line l, abscissa x); point point(line l, explicit real x); point point(line l, explicit int x); point point(explicit circle c, explicit real x); point point(explicit circle c, explicit int x); point point(explicit ellipse el, explicit real x); point point(explicit ellipse el, explicit int x); point point(explicit parabola p, explicit real x); point point(explicit parabola p, explicit int x); point point(explicit hyperbola h, explicit real x); point point(explicit hyperbola h, explicit int x); point point(explicit conic co, explicit real x); point point(explicit conic co, explicit int x); point point(arc a, abscissa l); point point(arc a, real x); pair point(explicit arc a, int x); point point(explicit mass m); point point(explicit vertex V); point point(trilinear tri); point point(circle c, point M); point point(circle c, explicit vector v); bool finite(explicit point p); void dot(picture pic=, Label L, explicit point Z, align align=, string format=, pen p=); real dot(point A, point B); real dot(point A, explicit pair B); real dot(explicit pair A, point B); void dot(picture pic=, Label L, explicit mass M, align align=, string format=, pen p=); void dot(picture pic=, triangle t, pen p=); real[] realquarticroots(real a, real b, real c, real d, real e); point origin; point origin(coordsys R=); void draw(picture pic=, Label L=, line l, bool dirA=, bool dirB=, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, Label legend=, marker marker=, path pathModifier(path)=); void draw(picture pic=, Label[] L=, line[] l, align align=, pen[] p=, bool arrow(picture, path, pen, marginT(path, pen))=, Label[] legend=, marker marker=, path pathModifier(path)=); void draw(picture pic=, Label[] L=, line[] l, align align=, pen p, bool arrow(picture, path, pen, marginT(path, pen))=, Label[] legend=, marker marker=, path pathModifier(path)=); void draw(picture pic=, Label L=, circle c, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(picture pic=, Label L=, ellipse el, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(picture pic=, Label L=, parabola parabola, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(picture pic=, Label L=, hyperbola h, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(picture pic=, Label L=, explicit conic co, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(picture pic=, Label L=, arc a, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, Label legend=, marker marker=); void draw(picture pic=, triangle t, pen p=, marker marker=); void draw(picture pic=, triangle[] t, pen p=, marker marker=); coordsys defaultcoordsys; string defaultmassformat; line radicalline(circle c1, circle c2); point radicalcenter(circle c1, circle c2); point radicalcenter(circle c1, circle c2, circle c3); ellipse ellipse(point F1, point F2, real a); ellipse ellipse(point F1, point F2, point M); ellipse ellipse(point C, real a, real b, real angle=); ellipse ellipse(bqe bqe); ellipse ellipse(point M1, point M2, point M3, point M4, point M5); path arctopath(arc a, int n); bool inside(ellipse el, point M); bool inside(parabola p, point M); int ellipsenodesnumber(real a, real b); int ellipsenodesnumber(real a, real b, real angle1, real angle2, bool dir); int ellipsenodesnumberfactor; bool byfoci; transform reflect(line l); transform reflect(line l1, line l2, bool safe=); real[] bangles(picture pic=, parabola p); real[][] bangles(picture pic=, hyperbola h); abscissa relabscissa(real x); abscissa relabscissa(int x); abscissa relabscissa(line l, point M); abscissa relabscissa(circle c, point M); abscissa relabscissa(ellipse el, point M); abscissa relabscissa(conic co, point M); abscissa relabscissa(arc a, point M); circle incircle(point A, point B, point C); circle incircle(triangle t); mass masscenter(... mass[] M); vector unit(point M); vector unit(vector u); line Ox(coordsys R=); line Ox; conic conic(point F, line l, real e); conic conic(point M1, point M2, point M3, point M4, point M5); conic conic(bqe bqe); bool defined(point P); string conictype(bqe bqe); triangle antipedal(triangle t, point M); void clipdraw(picture pic=, Label L=, path g, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, bool bar(picture, path, pen, marginT(path, pen))=, real xmargin=, real ymargin=, Label legend=, marker marker=); real perpfactor; int conicnodesfactor; int conicnodesnumber(conic co, real angle1, real angle2, bool dir=); line altitude(vertex V); line altitude(side side); point isogonalconjugate(triangle t, point M); point isogonal(side side, point M); line isogonal(vertex V, point M); triangle isogonal(triangle t, point M); line hline(coordsys R=); line hline; int[] tricoef(side side); path arcfromfocus(conic co, real angle1, real angle2, int n=, bool direction=); line sector(int n=, int p=, line l1, line l2, real angle=, bool sharp=); path arcfromcenter(ellipse el, real angle1, real angle2, bool direction=, int n=); path arcfromcenter(hyperbola h, real angle1, real angle2, int n=, bool direction=); path arcfromcenter(explicit conic co, real angle1, real angle2, int n, bool direction=); line vline(coordsys R=); line vline; vector vector(coordsys R=, pair v); vector vector(point M); real[] intersect(path g, explicit pair p, real fuzz=); real[] intersect(path g, explicit point P, real fuzz=); int sgnd(real x); int sgnd(int x); circle excircle(point A, point B, point C); circle excircle(side side); line extend(line l); point intersectionpoint(line l1, line l2); pair[] intersectionpoints(pair A, pair B, real a, real b, real c, real d, real f, real g); pair[] intersectionpoints(pair A, pair B, real[] equation); point[] intersectionpoints(line l, path g); point[] intersectionpoints(triangle t, line l, bool extended=); point[] intersectionpoints(line l, triangle t, bool extended=); point[] intersectionpoints(line l, circle c); point[] intersectionpoints(circle c, line l); point[] intersectionpoints(line l, ellipse el); point[] intersectionpoints(ellipse el, line l); point[] intersectionpoints(line l, parabola p); point[] intersectionpoints(parabola p, line l); point[] intersectionpoints(line l, hyperbola h); point[] intersectionpoints(hyperbola h, line l); point[] intersectionpoints(line l, conic co); point[] intersectionpoints(conic co, line l); point[] intersectionpoints(bqe bqe1, bqe bqe2); point[] intersectionpoints(conic co1, conic co2); point[] intersectionpoints(triangle t, conic co, bool extended=); point[] intersectionpoints(conic co, triangle t, bool extended=); point[] intersectionpoints(ellipse a, ellipse b); point[] intersectionpoints(ellipse a, circle b); point[] intersectionpoints(circle a, ellipse b); point[] intersectionpoints(ellipse a, parabola b); point[] intersectionpoints(parabola a, ellipse b); point[] intersectionpoints(ellipse a, hyperbola b); point[] intersectionpoints(hyperbola a, ellipse b); point[] intersectionpoints(circle a, parabola b); point[] intersectionpoints(parabola a, circle b); point[] intersectionpoints(circle a, hyperbola b); point[] intersectionpoints(hyperbola a, circle b); point[] intersectionpoints(parabola a, parabola b); point[] intersectionpoints(parabola a, hyperbola b); point[] intersectionpoints(hyperbola a, parabola b); point[] intersectionpoints(hyperbola a, hyperbola b); point[] intersectionpoints(circle c1, circle c2); point[] intersectionpoints(conic co, arc a); point[] intersectionpoints(arc a, conic co); point[] intersectionpoints(arc a1, arc a2); point[] intersectionpoints(line l, arc a); point[] intersectionpoints(arc a, line l); point intouch(side side); triangle intouch(triangle t); point orthocentercenter(point A, point B, point C); point orthocentercenter(triangle t); real rf(real x, real y, real z); bool concurrent(... line[] l); real inradius(point A, point B, point C); real inradius(triangle t); pen addpenline; pen addpenline(pen p); pen addpenarc; pen addpenarc(pen p); void label(picture pic=, Label L, explicit mass M, align align=, string format=, pen p=, filltype filltype=); void label(picture pic=, Label L, vertex V, pair align=, real alignFactor=, pen p=, filltype filltype=); void label(picture pic=, Label LA=, Label LB=, Label LC=, triangle t, real alignAngle=, real alignFactor=, pen p=, filltype filltype=); real abs(coordsys R, pair m); real abs(explicit point M); point curpoint(line l, real x); point curpoint(explicit circle c, real x); point curpoint(explicit ellipse el, real x); point curpoint(explicit parabola p, real x); point curpoint(conic co, real x); point curpoint(arc a, real x); line bisector(line l1, line l2, real angle=, bool sharp=); line bisector(point A, point B, point C, point D, real angle=, bool sharp=); line bisector(segment s, real angle=); line bisector(point A, point B, real angle=); line bisector(vertex V, real angle=); line bisector(side side); bqe canonical(bqe bqe); point bisectorpoint(side side); abscissa angabscissa(real x, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); abscissa angabscissa(int x, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); abscissa angabscissa(circle c, point M); abscissa angabscissa(ellipse el, point M, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); abscissa angabscissa(hyperbola h, point M, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); abscissa angabscissa(parabola p, point M); abscissa angabscissa(explicit conic co, point M); abscissa angabscissa(arc a, point M); pair locate(point P); point locate(pair p); pair locate(explicit vector v); bool samecoordsys(bool warn= ... point[] M); bool samecoordsys(bool warn= ... bqe[] bqes); triangle extouch(triangle t); triangle extouch(side side); coordsys canonicalcartesiansystem(ellipse el); coordsys canonicalcartesiansystem(parabola p); coordsys canonicalcartesiansystem(hyperbola h); coordsys canonicalcartesiansystem(explicit conic co); arc arc(ellipse el, real angle1, real angle2, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=, bool direction=); arc arc(ellipse el, explicit abscissa x1, explicit abscissa x2, bool direction=); arc arc(ellipse el, point M, point N, bool direction=); arc arc(explicit arc a, abscissa x1, abscissa x2); arc arc(explicit arc a, point M, point N); path arc(explicit pair B, explicit pair A, explicit pair C, real r); void markrightangle(picture pic=, point A, point O, point B, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); real epsgeo; real sharpangle(line l1, line l2); bool isparabola(bqe bqe); real sharpdegrees(line l1, line l2); real exradius(point A, point B, point C); real exradius(side side); abscissa nodabscissa(real x); abscissa nodabscissa(int x); abscissa nodabscissa(line l, point M); abscissa nodabscissa(circle c, point M); abscissa nodabscissa(ellipse el, point M); abscissa nodabscissa(parabola p, point M); abscissa nodabscissa(conic co, point M); abscissa nodabscissa(arc a, point M); coordsys coordsys(line l); coordsys coordsys(conic co); coordsys coordsys(ellipse el); pair coordinates(point M); real length(explicit point M); real length(segment s); int arcnodesnumber(explicit arc a); point[] standardizecoordsys(coordsys R=, bool warn= ... point[] M); int nodesystem; bool collinear(vector u, vector v); point centroid(point A, point B, point C); point centroid(triangle t); int angularsystem; path square(pair z1, pair z2); point symmedian(triangle t); point symmedian(side side); line symmedian(vertex V); triangle symmedial(triangle t); int curvilinearsystem; bqe bqe(coordsys R=, real a, real b, real c, real d, real e, real f); bqe bqe(point M1, point M2, point M3, point M4, point M5); arc arccircle(point A, point M, point B); arc arccircle(point A, point B, real angle, bool direction=); point relpoint(line l, real x); point relpoint(explicit circle c, real x); point relpoint(explicit ellipse el, real x); point relpoint(explicit parabola p, real x); point relpoint(explicit hyperbola h, real x); point relpoint(explicit conic co, explicit real x); point relpoint(explicit conic co, explicit int x); point relpoint(arc a, real x); point changecoordsys(coordsys R, point M); vector changecoordsys(coordsys R, vector v); line changecoordsys(coordsys R, line l); bqe changecoordsys(coordsys R, bqe bqe); conic changecoordsys(coordsys R, conic co); real angle(explicit point M, coordsys R=, bool warn=); real angle(explicit vector v, coordsys R=, bool warn=); real angle(line l, coordsys R=); real angle(line l1, line l2); real angle(arc a); point[] fermat(triangle t); real arclength(circle c); real arclength(ellipse el); real arclength(ellipse el, real angle1, real angle2, bool direction=, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); real arclength(parabola p, real angle); real arclength(parabola p, real angle1, real angle2); real arclength(parabola p); real arclength(arc a); line reverse(line l); arc reverse(arc a); point gergonne(triangle t); real focusToCenter(ellipse el, real a); hyperbola hyperbola(point P1, point P2, real ae, bool byfoci=); hyperbola hyperbola(point F1, point F2, point M); hyperbola hyperbola(point C, real a, real b, real angle=); hyperbola hyperbola(bqe bqe); hyperbola hyperbola(point M1, point M2, point M3, point M4, point M5); side opposite(vertex V); vertex opposite(side side); int hyperbolanodesnumber(hyperbola h, real angle1, real angle2); path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)(conic co); int hyperbolanodesnumberfactor; line parallel(point M, line l); line parallel(point M, explicit vector dir); line parallel(point M, explicit pair dir); bool parallel(line l1, line l2, bool strictly=); transform projection(point A, point B); transform projection(point A, point B, point C, point D, bool safe=); transform projection(line l); transform projection(line l1, line l2, bool safe=); bool degenerate(conic c); bool degenerate(circle c); bool degenerate(ellipse el); line line(point A, bool extendA=, point B, bool extendB=); line line(segment s); line line(real a, point A=); line line(point A=, real a); line line(int a, point A=); line line(coordsys R=, real slope, real origin); line line(coordsys R=, real a, real b, real c); line line(circle c); line line(explicit side side); line complementary(explicit line l); line[] complementary(explicit segment s); arc complementary(arc a); point ppoint(arc a, real x); path fromFocus(conic co, real angle1, real angle2, int n, bool direction); bool between(point M, point O, point N); bool sameside(point M, point N, point O); bool sameside(point M, point P, line l); point[] sameside(point M, line l1, line l2); arc arcsubtended(point A, point B, real angle); void distance(picture pic=, Label L=, point A, point B, bool rotated=, real offset=, pen p=, pen joinpen=, bool arrow(picture, path, pen, marginT(path, pen))=); real distance(point M, line l); real distance(line l, point M); point incenter(point A, point B, point C); point incenter(triangle t); void write(explicit line l); void write(explicit segment s); void write(trilinear tri); triangle incentral(triangle t); point arcsubtendedcenter(point A, point B, real angle); real Infinity; circle circle(explicit point C, real r); circle circle(point A, point B); circle circle(segment s); circle circle(point A, point B, point C); circle circle(triangle t); circle circle(inversion i); point angpoint(conic co, real angle); point angpoint(explicit circle c, real x); point angpoint(explicit ellipse el, real x, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); point angpoint(explicit parabola p, real x); point angpoint(explicit hyperbola h, real x, path polarconicroutine(conic co, real angle1, real angle2, int n, bool direction)=); point angpoint(arc a, real angle); triangle orthic(triangle t); int circlenodesnumber(real r); int circlenodesnumber(real r, real angle1, real angle2); path compassmark(pair O, pair A, real position, real angle=); bool byvertices; int circlenodesnumberfactor; transform xscale(real k, point M); transform yscale(real k, point M); transform scale(real k, point M); transform scale(real k, point A, point B, point C, point D, bool safe=); transform scale(real k, line l1, line l2, bool safe=); point operator +(explicit point P1, explicit point P2); point operator +(explicit point P1, explicit pair p2); point operator +(explicit pair p1, explicit point p2); point operator +(point M, explicit vector v); point operator +(explicit pair m, explicit vector v); vector operator +(explicit vector v1, explicit vector v2); line operator +(line l, vector u); conic operator +(conic c, explicit point M); conic operator +(conic c, explicit pair m); conic operator +(conic c, vector v); circle operator +(explicit circle c, explicit point M); circle operator +(explicit circle c, pair m); circle operator +(explicit circle c, vector m); abscissa operator +(real x, explicit abscissa a); abscissa operator +(explicit abscissa a, real x); abscissa operator +(int x, explicit abscissa a); arc operator +(explicit arc a, point M); arc operator +(explicit arc a, vector v); mass operator +(mass M1, mass M2); mass operator +(explicit mass M, real x); mass operator +(explicit mass M, int x); point operator -(explicit point P); point operator -(explicit point P1, explicit point P2); point operator -(explicit point P1, explicit pair p2); point operator -(explicit pair p1, explicit point P2); point operator -(point M, explicit vector v); vector operator -(explicit vector v); point operator -(explicit pair m, explicit vector v); vector operator -(explicit vector v1, explicit vector v2); line operator -(line l, vector u); conic operator -(conic c, explicit point M); conic operator -(conic c, explicit pair m); conic operator -(conic c, vector v); circle operator -(explicit circle c, explicit point M); circle operator -(explicit circle c, pair m); circle operator -(explicit circle c, vector m); abscissa operator -(explicit abscissa a); abscissa operator -(real x, explicit abscissa a); abscissa operator -(explicit abscissa a, real x); abscissa operator -(int x, explicit abscissa a); arc operator -(explicit arc a, point M); arc operator -(explicit arc a, vector v); mass operator -(mass M1, mass M2); mass operator -(explicit mass M, real x); mass operator -(explicit mass M, int x); pair operator *(coordsys R, pair p); path operator *(coordsys R, path g); coordsys operator *(transform t, coordsys R); point operator *(real x, explicit point P); point operator *(transform t, explicit point P); point operator *(explicit point P1, explicit point P2); point operator *(explicit point P1, explicit pair p2); point operator *(explicit pair p1, explicit point p2); vector operator *(real x, explicit vector v); vector operator *(transform t, explicit vector v); vector operator *(explicit point M, explicit vector v); line operator *(transform t, line l); line operator *(real x, line l); line operator *(int x, line l); line operator *(point M, line l); circle operator *(real x, explicit circle c); circle operator *(int x, explicit circle c); ellipse operator *(transform t, ellipse el); parabola operator *(transform t, parabola p); ellipse operator *(transform t, circle c); hyperbola operator *(transform t, hyperbola h); conic operator *(transform t, conic co); ellipse operator *(real x, ellipse el); abscissa operator *(real x, explicit abscissa a); abscissa operator *(explicit abscissa a, real x); arc operator *(transform t, explicit arc a); arc operator *(real x, explicit arc a); arc operator *(int x, explicit arc a); mass operator *(real x, explicit mass M); mass operator *(int x, explicit mass M); mass operator *(transform t, mass M); triangle operator *(transform T, triangle t); point operator *(inversion i, point P); circle operator *(inversion i, line l); circle operator *(inversion i, circle c); arc operator *(inversion i, segment s); path operator *(inversion i, triangle t); coordsys operator init(); point operator init(); vector operator init(); line operator init(); segment operator init(); bqe operator init(); conic operator init(); circle operator init(); ellipse operator init(); parabola operator init(); hyperbola operator init(); abscissa operator init(); arc operator init(); mass operator init(); triangle operator init(); trilinear operator init(); inversion operator init(); pair operator cast(point P); pair[] operator cast(point[] P); point operator cast(pair p); point[] operator cast(pair[] p); guide operator cast(point p); path operator cast(point p); point operator cast(vector v); vector operator cast(pair v); vector operator cast(explicit point v); pair operator cast(explicit vector v); align operator cast(vector v); line operator cast(segment s); segment operator cast(line l); ellipse operator cast(circle c); conic operator cast(parabola p); conic operator cast(hyperbola h); conic operator cast(ellipse el); conic operator cast(circle c); path operator cast(ellipse el); path operator cast(circle c); path operator cast(parabola p); path operator cast(hyperbola h); path operator cast(conic co); abscissa operator cast(explicit position position); abscissa operator cast(real x); abscissa operator cast(int x); path operator cast(explicit arc a); guide operator cast(explicit arc a); point operator cast(mass m); mass operator cast(point M); point[] operator cast(mass[] m); mass[] operator cast(point[] P); mass operator cast(pair m); path operator cast(mass M); guide operator cast(mass M); line operator cast(side side); point operator cast(vertex V); point operator cast(trilinear tri); circle operator cast(inversion i); inversion operator cast(circle c); circle operator ecast(ellipse el); ellipse operator ecast(conic co); parabola operator ecast(conic co); hyperbola operator ecast(conic co); circle operator ecast(conic c); void lineinversion(); pair operator /(pair p, coordsys R); point operator /(explicit point P, real x); point operator /(real x, explicit point P); vector operator /(explicit vector v, real x); line operator /(line l, real x); line operator /(line l, int x); circle operator /(explicit circle c, real x); circle operator /(explicit circle c, int x); ellipse operator /(ellipse el, real x); abscissa operator /(real x, explicit abscissa a); abscissa operator /(explicit abscissa a, real x); abscissa operator /(int x, explicit abscissa a); arc operator /(explicit arc a, real x); mass operator /(explicit mass M, real x); mass operator /(explicit mass M, int x); transform scaleO(real x); real operator ^(point M, explicit circle c); bool operator ==(coordsys c1, coordsys c2); bool operator ==(explicit point M, explicit point N); bool operator ==(explicit vector u, explicit vector v); bool operator ==(line l1, line l2); bool operator !=(explicit point M, explicit point N); bool operator !=(line l1, line l2); transform xscaleO(real x); transform yscaleO(real x); line[] operator ^^(line l1, line l2); line[] operator ^^(line l1, line[] l2); line[] operator ^^(line[] l2, line l1); line[] operator ^^(line[] l1, line[] l2); triangle[] operator ^^(triangle[] t1, triangle t2); triangle[] operator ^^(... triangle[] t); real elle(real phi, real k); point excenter(point A, point B, point C); point excenter(side side); mass mass(point M, real m); mass mass(explicit point P); mass mass(coordsys R, explicit pair p, real m); bool operator @(point m, line l); bool operator @(point M, conic co); bool operator @(point M, explicit circle c); bool operator @(point M, arc a); triangle triangle(line l1, line l2, line l3); trilinear trilinear(triangle t, real a, real b, real c); trilinear trilinear(triangle t, point M); trilinear trilinear(triangle t, real f(real, real, real), real a=, real b=, real c=); triangle triangleAbc(real alpha, real b, real c, real angle=, point A=); triangle triangleabc(real a, real b, real c, real angle=, point A=); triangle anticomplementary(triangle t); vector dir(vertex V); real degrees(explicit point M, coordsys R=, bool warn=); real degrees(vector v, coordsys R=, bool warn=); real degrees(line l, coordsys R=); real degrees(line l1, line l2); real degrees(arc a); segment segment(point A, point B); segment segment(line l); segment segment(explicit side side); real linemargin; real linemargin(); line Oy(coordsys R=); line Oy; path fromCenter(conic co, real angle1, real angle2, int n, bool direction); void markarc(picture pic=, Label L=, int n=, real radius=, real space=, arc a, pen sectorpen=, pen markpen=, marginT margin(path, pen)=, bool arrow(picture, path, pen, marginT(path, pen))=, marker marker=); real approximate(real t); real[] approximate(real[] T); void markangle(picture pic=, Label L=, int n=, real radius=, real space=, explicit line l1, explicit line l2, explicit pair align=, bool arrow(picture, path, pen, marginT(path, pen))=, pen p=, filltype filltype=, marginT margin(path, pen)=, marker marker=); void markangle(picture pic=, Label L=, int n=, real radius=, real space=, explicit line l1, explicit line l2, explicit vector align, bool arrow(picture, path, pen, marginT(path, pen))=, pen p=, filltype filltype=, marginT margin(path, pen)=, marker marker=); transform hprojection(line l, bool safe=); point conj(explicit point M); vector conj(explicit vector u); hyperbola conj(hyperbola h); transform vprojection(line l, bool safe=); parabola parabola(point F, line l); parabola parabola(point F, point vertex); parabola parabola(point F, real a, real angle); parabola parabola(bqe bqe); parabola parabola(point M1, point M2, point M3, line l); parabola parabola(point M1, point M2, point M3, point M4, point M5); bool onpath(picture pic=, path g, point M, pen p=); int parabolanodesnumber(parabola p, real angle1, real angle2); int parabolanodesnumberfactor; path NoModifier(path); coordsys currentcoordsys; point foot(vertex V); point foot(side side); path currentpolarconicroutine(conic co, real angle1, real angle2, int n, bool direction); transform rotate(explicit pair dir); transform rotate(explicit vector dir); transform rotate(explicit point dir); real EPS; transform rotateO(real a); line perpendicular(point M, line l); line perpendicular(point M, explicit vector normal); line perpendicular(point M, explicit pair normal); bool perpendicular(line l1, line l2); void perpendicular(picture pic=, pair z, pair align, pair dir=, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); void perpendicular(picture pic=, pair z, pair align, path g, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); real binomial(real n, real k); void perpendicularmark(picture pic=, point z, explicit pair align, explicit pair dir=, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); void perpendicularmark(picture pic=, point z, vector align, vector dir=, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); void perpendicularmark(picture pic=, point z, explicit pair align, path g, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); void perpendicularmark(picture pic=, point z, vector align, path g, real size=, pen p=, marginT margin(path, pen)=, filltype filltype=); void perpendicularmark(picture pic=, line l1, line l2, real size=, pen p=, int quarter=, marginT margin(path, pen)=, filltype filltype=); pair attract(pair m, path g, real fuzz=); point attract(point M, path g, real fuzz=); void Drawline(picture pic=, Label L=, pair P, bool dirP=, pair Q, bool dirQ=, align align=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, Label legend=, marker marker=, path pathModifier(path)=); bool simeq(point A, point B, real fuzz=); bool simeq(point a, real b, real fuzz=); point inverse(real k, point A, point M); circle inverse(real k, point A, line l); circle inverse(real k, point A, circle c); arc inverse(real k, point A, segment s); inversion inversion(real k, point C); inversion inversion(point C, real k); inversion inversion(circle c1, circle c2, real sgn=); inversion inversion(circle c1, circle c2, circle c3); inversion inversion(circle c); coordsys cartesiansystem(pair O=, pair i, pair j); line tangent(circle c, abscissa x); line tangent(circle c, point M); line tangent(circle c, explicit vector v); line tangent(ellipse el, abscissa x); line tangent(parabola p, abscissa x); line tangent(hyperbola h, abscissa x); line tangent(explicit arc a, abscissa x); line tangent(explicit arc a, point M); line[] tangents(circle c, point M); line[] tangents(ellipse el, point M); line[] tangents(parabola p, point M); line[] tangents(hyperbola h, point M); real centerToFocus(ellipse el, real a); bqe equation(ellipse el); bqe equation(parabola p); bqe equation(hyperbola h); bqe equation(explicit conic co); triangle tangential(triangle t); triangle pedal(triangle t, point M); line pedal(side side, point M); string massformat(string format=, string s, mass M); int relativesystem; triangle cevian(triangle t, point P); point cevian(side side, point P); line cevian(vertex V, point P); void drawline(picture pic=, triangle t, pen p=); void addMargins(picture pic=, real lmargin=, real bmargin=, real rmargin=, real tmargin=, bool rigid=, bool allObject=); triangle medial(triangle t); line median(vertex V); line median(side side); void show(picture pic=, Label lo=, Label li=, Label lj=, coordsys R, pen dotpen=, pen xpen=, pen ypen=, pen ipen=, pen jpen=, bool arrow(picture, path, pen, marginT(path, pen))=); void show(Label L, vector v, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=); void show(picture pic=, line l, pen p=); void show(picture pic=, Label LA=, Label LB=, Label LC=, Label La=, Label Lb=, Label Lc=, triangle t, pen p=, filltype filltype=); line isotomic(vertex V, point M); point isotomic(side side, point M); triangle isotomic(triangle t, point M); abscissa curabscissa(real x); abscissa curabscissa(int x); abscissa curabscissa(line l, point M); abscissa curabscissa(circle c, point M); abscissa curabscissa(ellipse el, point M); abscissa curabscissa(parabola p, point M); abscissa curabscissa(conic co, point M); abscissa curabscissa(arc a, point M); string DefaultFormat(real); string DefaultLogFormat(real)(int base); string DefaultLogFormat(real); guide graph(pair f(real), real, real, int)(guide join(... guide[])); guide[] graph(pair f(real), real, real, int)(guide join(... guide[]), bool3 cond(real)); guide graph(picture pic=, real f(real), real a, real b, int n=, real T(real)=, guide join(... guide[])=); guide[] graph(picture pic=, real f(real), real a, real b, int n=, real T(real)=, bool3 cond(real), guide join(... guide[])=); guide graph(picture pic=, real x(real), real y(real), real a, real b, int n=, real T(real)=, guide join(... guide[])=); guide[] graph(picture pic=, real x(real), real y(real), real a, real b, int n=, real T(real)=, bool3 cond(real), guide join(... guide[])=); guide graph(picture pic=, pair z(real), real a, real b, int n=, real T(real)=, guide join(... guide[])=); guide[] graph(picture pic=, pair z(real), real a, real b, int n=, real T(real)=, bool3 cond(real), guide join(... guide[])=); guide graph(picture pic=, pair[] z, guide join(... guide[])=); guide[] graph(picture pic=, pair[] z, bool3[] cond, guide join(... guide[])=); guide graph(picture pic=, real[] x, real[] y, guide join(... guide[])=); guide[] graph(picture pic=, real[] x, real[] y, bool3[] cond, guide join(... guide[])=); scientific scientific(real x); void Left(picture, axisT)(bool extend=); void Left(picture, axisT); autoscaleT defaultS; void XEquals(picture, axisT)(real x, bool extend=); void YEquals(picture, axisT)(real y, bool extend=); string LogFormat(real)(int base); string LogFormat(real); axisT axis; void axis(picture pic=, Label L=, path g, path g2=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=), ticklocate locate, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, int[] divisor=, bool above=, bool opposite=); void drawtick(frame f, transform T, path g, path g2, ticklocate locate, real val, real Size, int sign, pen p, bool extend); real maxlength(pair a, pair b, int nx, int ny); void errorbar(picture pic, pair z, pair dp, pair dm, pen p=, real size=); void errorbars(picture pic=, pair[] z, pair[] dp, pair[] dm=, bool[] cond=, pen p=, real size=); void errorbars(picture pic=, real[] x, real[] y, real[] dpx, real[] dpy, real[] dmx=, real[] dmy=, bool[] cond=, pen p=, real size=); void errorbars(picture pic=, real[] x, real[] y, real[] dpy, bool[] cond=, pen p=, real size=); void xlimits(picture pic=, real min=, real max=, bool crop=); string conditionlength; void ylimits(picture pic=, real min=, real max=, bool crop=); tickvalues None(tickvalues v); scaleT Logarithmic; void limits(picture pic=, pair min, pair max, bool crop=); void crop(picture pic=); picture vectorfield(path vector(real), path g, int n, bool truesize=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=); picture vectorfield(path vector(pair), pair a, pair b, int nx=, int ny=, bool truesize=, real maxlength=, bool cond(pair z)=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=); string OmitFormat(real)(string s= ... real[] x); guide Straight(... guide[]); int Min; string trailingzero; void label(picture pic, Label L, pair z, real x, align align, string format, pen p); void labelx(picture pic=, Label L=, explicit pair z, align align=, string format=, pen p=); void labelx(picture pic=, Label L=, real x, align align=, string format=, pen p=); void labelx(picture pic=, Label L, string format=, explicit pen p=); path Arc(pair c, real r, real angle1, real angle2, bool direction, int n=); path Arc(pair c, real r, real angle1, real angle2, int n=); path Arc(pair c, explicit pair z1, explicit pair z2, bool direction=, int n=); void labely(picture pic=, Label L=, explicit pair z, align align=, string format=, pen p=); void labely(picture pic=, Label L=, real y, align align=, string format=, pen p=); void labely(picture pic=, Label L, string format=, explicit pen p=); pair labeltick(frame d, transform T, path g, ticklocate locate, real val, pair side, int sign, real Size, string ticklabel(real), Label F, real norm=); void labelaxis(frame f, transform T, Label L, path g, ticklocate locate=, int sign=, bool ticklabels=); void xtick(picture pic=, explicit pair z, pair dir=, real size=, pen p=); void xtick(picture pic=, real x, pair dir=, real size=, pen p=); void xtick(picture pic=, Label L, explicit pair z, pair dir=, string format=, real size=, pen p=); void xtick(picture pic=, Label L, real x, pair dir=, string format=, real size=, pen p=); void ytick(picture pic=, explicit pair z, pair dir=, real size=, pen p=); void ytick(picture pic=, real y, pair dir=, real size=, pen p=); void ytick(picture pic=, Label L, explicit pair z, pair dir=, string format=, real size=, pen p=); void ytick(picture pic=, Label L, real y, pair dir=, string format=, real size=, pen p=); picture secondaryX(picture primary=, void f(picture)); picture secondaryY(picture primary=, void f(picture)); tickvalues OmitTickIntervals(tickvalues)(real[] a, real[] b); tickvalues OmitTickInterval(tickvalues)(real a, real b); tickvalues OmitTick(tickvalues)(... real[] x); Label Break; tickvalues Break(tickvalues)(real, real); scaleT Linear; scaleT Linear(bool automin=, bool automax=, real s=, real intercept=); pair tickMin(picture pic); pair tickMax(picture pic); string autoformat(string format=, real norm ... real[] a); real linear(real)(real S(real x)=, real Min, real Max); pair polar(real r, real theta); string Format(real)(string s=); guide polargraph(picture pic=, real r(real), real a, real b, int n=, guide join(... guide[])=); guide polargraph(picture pic=, real[] r, real[] theta, guide join(... guide[])=); void LeftTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void LeftTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks, real[] ticks=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void LeftTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=); tickvalues NoZero(tickvalues); string NoZeroFormat(real); guide Hermite(... guide[])(real[] splinetype(real[], real[])); guide Hermite(... guide[]); path Circle(pair c, real r, int n=); bool axiscoverage(int N, transform T, path g, ticklocate locate, real Step, pair side, int sign, real Size, Label F, string ticklabel(real), real norm, real limit); scaleT Broken(real a, real b, bool automin=, bool automax=); scaleT BrokenLog(real a, real b, bool automin=, bool automax=); void Ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(int sign, Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks=, real[] ticks=, int N=, bool begin=, bool end=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void Ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(int sign, Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void Ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void Ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks, real[] ticks=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void Ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=); string noprimary; void xequals(picture pic=, Label L=, real x, bool extend=, real ymin=, real ymax=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=); void yequals(picture pic=, Label L=, real y, bool extend=, real xmin=, real xmax=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=); pair Scale(picture pic=, pair z); real ScaleX(picture pic=, real x); real ScaleY(picture pic=, real y); void xaxisAt(picture pic=, Label L=, void axis(picture, axisT), real xmin=, real xmax=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=, bool opposite=); tickvalues generateticks(int sign, Label F=, string ticklabel(real)=, int N, int n=, real Step=, real step=, real Size=, real size=, transform T, pair side, path g, real limit, pen p, ticklocate locate, int[] divisor, bool opposite); void yaxisAt(picture pic=, Label L=, void axis(picture, axisT), real ymin=, real ymax=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=, bool opposite=); void xaxis(picture pic=, Label L=, void axis(picture, axisT)=, real xmin=, real xmax=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=); void yaxis(picture pic=, Label L=, void axis(picture, axisT)=, real ymin=, real ymax=, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=, bool autorotate=); void checkconditionlength(int x, int y); real xtrans(transform t, real x); void Top(picture, axisT)(bool extend=); void Top(picture, axisT); real ytrans(transform t, real y); void scale(picture pic=, scaleT x, scaleT y=, scaleT z=); void scale(picture pic=, bool xautoscale=, bool yautoscale=, bool zautoscale=); int[] divisors(int a, int b); scientific operator init(); bounds operator init(); ticklocate operator init(); locateT operator init(); tickvalues operator init(); axisT operator init(); int Both; void axes(picture pic=, Label xlabel=, Label ylabel=, bool extend=, pair min=, pair max=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=, marginT margin(path, pen)=, bool above=); string signedtrailingzero; path[] segment(pair[] z, bool[] cond, guide join(... guide[])=); ticklocate ticklocate(real a, real b, autoscaleT S=, real tickmin=, real tickmax=, real time(real)=, pair dir(real)=); pair ticklabelshift(pair align, pen p=); pair zero(real); void Bottom(picture, axisT)(bool extend=); void Bottom(picture, axisT); void BottomTop(picture, axisT)(bool extend=); void BottomTop(picture, axisT); real zerotickfuzz; real upscale(real b, real a); bool logaxiscoverage(int N, transform T, path g, ticklocate locate, pair side, int sign, real Size, Label F, string ticklabel(real), real limit, int first, int last); string baselinetemplate; void NoTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(); void NoTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=); void tick(picture pic=, pair z, pair dir, real size=, pen p=); void tick(picture pic=, Label L, real value, explicit pair z, pair dir, string format=, real size=, pen p=); int Value; scaleT Log; scaleT Log(bool automin=, bool automax=); void Right(picture, axisT)(bool extend=); void Right(picture, axisT); void RightTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void RightTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks, real[] ticks=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void RightTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=); int Max; void XZero(picture, axisT)(bool extend=); void XZero(picture, axisT); void YZero(picture, axisT)(bool extend=); void YZero(picture, axisT); bounds autoscale(real Min, real Max, scaleT scale=); void autoscale(picture pic=, void axis(picture, axisT)); guide Spline(... guide[]); void LeftRight(picture, axisT)(bool extend=); void LeftRight(picture, axisT); path3[] segment(triple[] v, bool[] cond, void join(flatguide3)(... void(flatguide3)[])=); locateT operator init(); void Straight(flatguide3)(... void(flatguide3)[]); void graph(flatguide3)(triple F(real), real, real, int)(void join(flatguide3)(... void(flatguide3)[])); void(flatguide3)[] graph(triple F(real), real, real, int)(void join(flatguide3)(... void(flatguide3)[]), bool3 cond(real)); void graph(flatguide3)(picture pic=, real x(real), real y(real), real z(real), real a, real b, int n=, void join(flatguide3)(... void(flatguide3)[])=); void(flatguide3)[] graph(picture pic=, real x(real), real y(real), real z(real), real a, real b, int n=, bool3 cond(real), void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(picture pic=, triple v(real), real a, real b, int n=, void join(flatguide3)(... void(flatguide3)[])=); void(flatguide3)[] graph(picture pic=, triple v(real), real a, real b, int n=, bool3 cond(real), void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(picture pic=, triple[] v, void join(flatguide3)(... void(flatguide3)[])=); void(flatguide3)[] graph(picture pic=, triple[] v, bool3[] cond, void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(picture pic=, real[] x, real[] y, real[] z, void join(flatguide3)(... void(flatguide3)[])=); void(flatguide3)[] graph(picture pic=, real[] x, real[] y, real[] z, bool3[] cond, void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(triple F(path, real), path p, int n=, void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(triple F(pair), path p, int n=, void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(picture pic=, real f(pair), path p, int n=, void join(flatguide3)(... void(flatguide3)[])=); void graph(flatguide3)(real f(pair), path p, int n=, real T(pair), void join(flatguide3)(... void(flatguide3)[])=); void(flatguide3)[][] lift(real f(real x, real y), guide[][] g, void join(flatguide3)(... void(flatguide3)[])=); void(flatguide3)[][] lift(real f(pair z), guide[][] g, void join(flatguide3)(... void(flatguide3)[])=); triple polar(real r, real theta, real phi); void polargraph(flatguide3)(real r(real, real), real theta(real), real phi(real), int n=, void join(flatguide3)(... void(flatguide3)[])=); bool uperiodic(triple[][] a); bool vperiodic(triple[][] a); void OutTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void OutTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks, real[] ticks=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void OutTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=); void axis(picture pic=, Label L=, path3 g, path3 g2=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=), ticklocate locate, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, int[] divisor=, bool above=, bool opposite=); void Bounds(picture, axisT)(int type=, int type2=, triple align=, bool extend=); void Bounds(picture, axisT); void XZZero(picture, axisT)(triple align=, bool extend=); void XZZero(picture, axisT); void YZZero(picture, axisT)(triple align=, bool extend=); void YZZero(picture, axisT); void xaxis3At(picture pic=, Label L=, void axis(picture, axisT), real xmin=, real xmax=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, bool above=, bool opposite=, bool opposite2=, bool primary=); void yaxis3At(picture pic=, Label L=, void axis(picture, axisT), real ymin=, real ymax=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, bool above=, bool opposite=, bool opposite2=, bool primary=); void zaxis3At(picture pic=, Label L=, void axis(picture, axisT), real zmin=, real zmax=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, bool above=, bool opposite=, bool opposite2=, bool primary=); void xaxis3(picture pic=, Label L=, void axis(picture, axisT)=, real xmin=, real xmax=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, bool above=); void yaxis3(picture pic=, Label L=, void axis(picture, axisT)=, real ymin=, real ymax=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, bool above=); void zaxis3(picture pic=, Label L=, void axis(picture, axisT)=, real zmin=, real zmax=, pen p=, void ticks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, bool above=); surface surface(triple[][] f, bool[][] cond=); surface surface(real[][] f, real[] x, real[] y, real[] xsplinetype(real[], real[])=, real[] ysplinetype(real[], real[])=, bool[][] cond=); surface surface(real[][] f, pair a, pair b, real[] xsplinetype(real[], real[]), real[] ysplinetype(real[], real[])=, bool[][] cond=); surface surface(real[][] f, pair a, pair b, bool[][] cond=); surface surface(triple f(pair z), pair a, pair b, int nu=, int nv=, bool cond(pair z)=); surface surface(triple f(pair z), pair a, pair b, int nu=, int nv=, real[](real[], real[])[] usplinetype, real[](real[], real[])[] vsplinetype=, bool cond(pair z)=); surface surface(real f(pair z), pair a, pair b, int nx=, int ny=, bool cond(pair z)=); surface surface(real f(pair z), pair a, pair b, int nx=, int ny=, real[] xsplinetype(real[], real[]), real[] ysplinetype(real[], real[])=, bool cond(pair z)=); void XYEquals(picture, axisT)(real x, real y, triple align=, bool extend=); triple Dir(real)(triple dir); void draw(picture pic=, Label[] L=, void(flatguide3)[][] g, pen[] p, light light=, string name=, render render=, interaction interaction=); void draw(picture pic=, Label[] L=, void(flatguide3)[][] g, pen p=, light light=, string name=, render render=, interaction interaction=); void Ticks3(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(int sign, Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks=, real[] ticks=, int N=, bool begin=, bool end=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void Ticks3(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(int sign, Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); real maxlength(triple f(pair z), pair a, pair b, int nu, int nv); void drawtick(picture pic, real[][] T, path3 g, path3 g2, ticklocate locate, real val, real Size, int sign, pen p, bool extend); triple tickMin3(picture pic); triple tickMax3(picture pic); triple Scale(picture pic=, triple v); real ScaleZ(picture pic=, real z); picture vectorfield(path3 vector(pair v), triple f(pair z), pair a, pair b, int nu=, int nv=, bool truesize=, real maxlength=, bool cond(pair z)=, pen p=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=, string name=, render render=); path3 Circle(triple c, real r, triple normal=, int n=); void InTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void InTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks, real[] ticks=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void InTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=); void Spline(flatguide3)(... void(flatguide3)[]); void InOutTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, tickvalues modify(tickvalues)=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void InOutTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, real[] Ticks, real[] ticks=, real Size=, real size=, bool extend=, pen pTick=, pen ptick=); void InOutTicks(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=); void axes3(picture pic=, Label xlabel=, Label ylabel=, Label zlabel=, bool extend=, triple min=, triple max=, pen p=, bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, marginT3 margin(path3, pen)=); void label(picture pic, Label L, triple v, real x, align align, string format, pen p); void labelx(picture pic=, Label L=, triple v, align align=, string format=, pen p=); void labely(picture pic=, Label L=, triple v, align align=, string format=, pen p=); void labeltick(picture pic, real[][] T, path3 g, ticklocate locate, real val, int sign, real Size, string ticklabel(real), Label F, real norm=); void labelaxis(picture pic, real[][] T, Label L, path3 g, ticklocate locate=, int sign=, bool ticklabels=); void labelx3(picture pic=, Label L=, real x, align align=, string format=, pen p=); void labely3(picture pic=, Label L=, real y, align align=, string format=, pen p=); void labelz(picture pic=, Label L=, triple v, align align=, string format=, pen p=); void labelz3(picture pic=, Label L=, real z, align align=, string format=, pen p=); void autoscale3(picture pic=, void axis(picture, axisT)); void xtick(picture pic=, triple v, triple dir=, real size=, pen p=); void xtick(picture pic=, Label L, triple v, triple dir=, string format=, real size=, pen p=); void ytick(picture pic=, triple v, triple dir=, real size=, pen p=); void ytick(picture pic=, Label L, triple v, triple dir=, string format=, real size=, pen p=); void xtick3(picture pic=, real x, triple dir=, real size=, pen p=); void xtick3(picture pic=, Label L, real x, triple dir=, string format=, real size=, pen p=); void ytick3(picture pic=, real y, triple dir=, real size=, pen p=); void ytick3(picture pic=, Label L, real y, triple dir=, string format=, real size=, pen p=); void ztick(picture pic=, triple v, triple dir=, real size=, pen p=); void ztick(picture pic=, Label L, triple v, triple dir=, string format=, real size=, pen p=); void ztick3(picture pic=, real z, triple dir=, real size=, pen p=); void ztick3(picture pic=, Label L, real z, triple dir=, string format=, real size=, pen p=); triple defaultdir(triple X, triple Y, triple Z, bool opposite=, projection P); real xtrans(real[][] t, real x); real ytrans(real[][] t, real y); real ztrans(real[][] t, real z); ticklocate ticklocate(real a, real b, autoscaleT S=, real tickmin=, real tickmax=, real time(real)=, triple dir(real)); triple ticklabelshift(triple align, pen p=); path3 Arc(triple c, triple v1, triple v2, triple normal=, bool direction=, int n=); path3 Arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=, bool direction, int n=); path3 Arc(triple c, real r, real theta1, real phi1, real theta2, real phi2, triple normal=, int n=); void limits(picture pic=, triple min, triple max); void XZEquals(picture, axisT)(real x, real z, triple align=, bool extend=); void YZEquals(picture, axisT)(real y, real z, triple align=, bool extend=); void XYZero(picture, axisT)(triple align=, bool extend=); void XYZero(picture, axisT); void zlimits(picture pic=, real min=, real max=, bool crop=); void tick(picture pic=, triple v, triple dir, real size=, pen p=); void tick(picture pic=, Label L, real value, triple v, triple dir, string format=, real size=, pen p=); surface bispline(real[][] z, real[][] p, real[][] q, real[][] r, real[] x, real[] y, bool[][] cond=); void NoTicks3(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=)(); void NoTicks3(picture, real[][], Label, path3, path3, pen, bool(picture, path3, material, marginT3(path3, pen), light, light), marginT3(path3, pen), ticklocate, int[], bool opposite=, bool primary=); bool Crop; int ngraph; real epsilon; real axiscoverage; real Ticksize; bool NoCrop; real ticksize; int nmesh; int nCircle; real ylabelwidth; real axislabelfactor; real[] clamped(real[], real[])(real slopea, real slopeb); real[] natural(real[] x, real[] y); real[] monotonic(real[] x, real[] y); real[] notaknot(real[] x, real[] y); real[] linear(real[] x, real[] y); string morepoints; guide hermite(real[] x, real[] y, real[] splinetype(real[], real[])=); void checklengths(int x, int y, string text=); void checkincreasing(real[] x); real[] periodic(real[] x, real[] y); string differentlengths; real[] Spline(real[] x, real[] y); real[](real[], real[])[] Spline; grid3(picture pic)[] YXYgrid(position pos=); grid3(picture pic)[] YXYgrid; grid3 operator init(); ticksgridT operator init(); grid3(picture pic)[] operator cast(grid3 gridroutine(picture pic)); grid3(picture pic)[][] operator cast(grid3(picture pic)[] gridroutine); grid3(picture pic)[][] operator cast(grid3 gridroutine(picture pic)); triple X(picture pic); triple Y(picture pic); triple Z(picture pic); grid3(picture pic)[] XYXgrid(position pos=); grid3(picture pic)[] XYXgrid; grid3(picture pic)[] XY_XZgrid(position posa=, position posb=); grid3(picture pic)[] XY_XZgrid; grid3(picture pic)[] ZX_ZYgrid(position posa=, position posb=); grid3(picture pic)[] ZX_ZYgrid; grid3 XYgrid(picture pic)(position pos=); grid3 XYgrid(picture pic); grid3 ZYgrid(picture pic)(position pos=); grid3 ZYgrid(picture pic); position middle; void grid3(picture pic=, grid3(picture pic)[][] gridroutine=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, pen pGrid=, pen pgrid=, bool above=); void grid3(picture pic=, grid3(picture pic)[][] gridroutine, int N=, int n=, real Step=, real step=, bool begin=, bool end=, pen[] pGrid, pen[] pgrid, bool above=); ticksgridT OutTicks()(Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, real Size=, real size=, pen pTick=, pen ptick=, grid3(picture pic)[][] gridroutine, pen pGrid=, pen pgrid=); triple YZ(picture pic); triple ZX(picture pic); void xaxis3(picture pic=, Label L=, void axis(picture, axisT)=, pen p=, ticksgridT ticks(), bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, bool above=); void yaxis3(picture pic=, Label L=, void axis(picture, axisT)=, pen p=, ticksgridT ticks(), bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, bool above=); void zaxis3(picture pic=, Label L=, void axis(picture, axisT)=, pen p=, ticksgridT ticks(), bool arrow(picture, path3, material, marginT3(path3, pen), light, light)=, bool above=); grid3(picture pic)[] ZXZgrid(position pos=); grid3(picture pic)[] ZXZgrid; position top; grid3(picture pic)[] XZXgrid(position pos=); grid3(picture pic)[] XZXgrid; ticksgridT InTicks()(Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, real Size=, real size=, pen pTick=, pen ptick=, grid3(picture pic)[][] gridroutine, pen pGrid=, pen pgrid=); ticksgridT InOutTicks()(Label F=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, bool begin=, bool end=, real Size=, real size=, pen pTick=, pen ptick=, grid3(picture pic)[][] gridroutine, pen pGrid=, pen pgrid=); grid3(picture pic)[] YX_YZgrid(position posa=, position posb=); grid3(picture pic)[] YX_YZgrid; position bottom; grid3 YXgrid(picture pic)(position pos=); grid3 YXgrid(picture pic); grid3 ZXgrid(picture pic)(position pos=); grid3 ZXgrid(picture pic); triple XY(picture pic); grid3(picture pic)[][] XYZgrid(position pos=); grid3(picture pic)[][] XYZgrid; grid3(picture pic)[] ZYZgrid(position pos=); grid3(picture pic)[] ZYZgrid; grid3 XZgrid(picture pic)(position pos=); grid3 XZgrid(picture pic); grid3 YZgrid(picture pic)(position pos=); grid3 YZgrid(picture pic); grid3(picture pic)[] YZYgrid(position pos=); grid3(picture pic)[] YZYgrid; real fspline(real)(real[] x, real[] y, real[] splinetype(real[], real[])=); real pwhermite(real)(real[] x, real[] y, real[] dy); horner diffdiv(real[] x, real[] y); horner hdiffdiv(real[] x, real[] y, real[] dy); horner operator init(); real fhorner(real)(horner sh); void labelpath(frame f, Label L, path g, string justify=, pen p=); void labelpath(picture pic=, Label L, path g, string justify=, pen p=); string LeftJustified; string Centered; string RightJustified; surface labelpath(string s, path3 p, real angle=, triple optional=); triple[] firstframe(path3 p, triple optional=); triple[] nextframe(path3 p, real reltimestart, triple[] start, real reltimeend, int subdiv=); real eps; triple nextnormal(triple p, triple q); string[] lm_infmsg; void lm_qrfac(int m, int n, real[] a, bool pivot, int[] ipvt, real[] rdiag, real[] acnorm, real[] wa); void lm_qrsolv(int n, real[] r, int ldr, int[] ipvt, real[] diag, real[] qtb, real[] x, real[] sdiag, real[] wa); FitControl defaultControl; real LM_MACHEP; real LM_SQRT_DWARF; real LM_SQRT_GIANT; void lm_lmpar(int n, real[] r, int ldr, int[] ipvt, real[] diag, real[] qtb, real delta, lm_real_type par, real[] x, real[] sdiag, real[] wa1, real[] wa2); void lm_lmdif(int m, int n, real[] x, real[] fvec, real ftol, real xtol, real gtol, int maxfev, real epsfcn, real[] diag, int mode, real factor, lm_int_type info, lm_int_type nfev, real[] fjac, int[] ipvt, real[] qtf, real[] wa1, real[] wa2, real[] wa3, real[] wa4, void evaluate(real[] par, int m_dat, real[] fvec, lm_data_type data, lm_int_type info), void printout(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev), lm_data_type data); void lm_minimize(int m_dat, int n_par, real[] par, void evaluate(real[] par, int m_dat, real[] fvec, lm_data_type data, lm_int_type info), void printout(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev), lm_data_type data, lm_control_type control); FitResult fit(real[] xdata, real[] ydata, real[] errors, real function(real[], real), real[] parameters, FitControl control=); FitResult fit(real[] xdata, real[] ydata, real function(real[], real), real[] parameters, FitControl control=); real lm_enorm(int n, real[] x, int offset=); lm_data_type operator init(); lm_int_type operator init(); lm_real_type operator init(); lm_control_type operator init(); FitControl operator init(); FitResult operator init(); real SQR(real x); string[] lm_shortmsg; void lm_evaluate_default(real[] par, int m_dat, real[] fvec, lm_data_type data, lm_int_type info); string pad(string str, int count, string pad=); string pad(int num, int digits, string pad=); string pad(real num, int digits, string pad=); real LM_USERTOL; real LM_DWARF; void lm_print_quiet(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev); void lm_print_default(int n_par, real[] par, int m_dat, real[] fvec, lm_data_type data, int iflag, int iter, int nfev); real barmarksize(pen p=); real barmarksizefactor; marker CrossIntervalMarker(int i=, int n=, real size=, real space=, real angle=, pair offset=, bool rotated=, pen p=, frame uniform=, bool above=); marker StickIntervalMarker(int i=, int n=, real size=, real space=, real angle=, pair offset=, bool rotated=, pen p=, frame uniform=, bool above=); frame crossframe(int n=, real size=, pair space=, real angle=, pair offset=, pen p=); real crossmarksize(pen p=); real crossmarksizefactor; frame stickframe(int n=, real size=, pair space=, real angle=, pair offset=, pen p=); frame stickframe; real stickmarksize(pen p=); real stickmarkspace(pen p=); real stickmarksizefactor; real stickmarkspacefactor; frame duplicate(path g, int n=, pair space=, pen p=); marker CircleBarIntervalMarker(int i=, int n=, real barsize=, real radius=, real angle=, pair offset=, bool rotated=, pen p=, filltype filltype=, bool circleabove=, frame uniform=, bool above=); frame circlebarframe(int n=, real barsize=, real radius=, real angle=, pair offset=, pen p=, filltype filltype=, bool above=); real circlemarkradius(pen p=); real circlemarkradiusfactor; marker operator *(transform T, marker m); marker TildeIntervalMarker(int i=, int n=, real size=, real space=, real angle=, pair offset=, bool rotated=, pen p=, frame uniform=, bool above=); frame tildeframe(int n=, real size=, pair space=, real angle=, pair offset=, pen p=); frame tildeframe; real tildemarksize(pen p=); real tildemarksizefactor; void markangle(picture pic=, Label L=, int n=, real radius=, real space=, pair A, pair O, pair B, bool arrow(picture, path, pen, marginT(path, pen))=, pen p=, filltype filltype=, marginT margin(path, pen)=, marker marker=); real markanglespace(pen p=); real markanglespace; real markangleradius(pen p=); real markangleradius; real markanglespacefactor; real markangleradiusfactor; void markinterval(picture pic=, frame f, path g)(int n=, frame f, bool rotated=); real[] partialsum(real[] a); real[] partialsum(real[] a, real[] dx); int[] partialsum(int[] a); int[] partialsum(int[] a, int[] dx); real cot(real x); int unique(real[] a, real x); int unique(string[] a, string x); int quadrant(real degrees); pair exp(explicit pair z); string nopoint; real intersect(pair p, pair q, pair z); real intersect(triple P, triple Q, triple n, triple Z); real interpolate(real[] x, real[] y, real x0, int i); real interpolate(real[] x, real[] y, real x0); triple intersectionpoint(triple n0, triple P0, triple n1, triple P1); pair[] quarticroots(real a, real b, real c, real d, real e); bool lexorder(pair a, pair b); bool lexorder(triple a, triple b); bool square(real[][] m); real sec(real x); bool rectangular(real[][] m); bool rectangular(pair[][] m); bool rectangular(triple[][] m); bool polygon(path p); pair unityroot(int n, int k=); real acot(real x); pair[][] fft(pair[][] a, int sign=); real slope(path g, real x, int n=); real slope(path g, explicit pair z, int n=); picture grid(int Nx, int Ny, pen p=); rootfinder_settings operator init(); real frac(real x); real asec(real x); int[][] segmentlimits(bool[] b); int[][] segment(bool[] b); real time(path g, real x, int n=); real time(path g, explicit pair z, int n=); real[] leastsquares(real[][] A, real[] b, bool warn=); bool increasing(real[] a, bool strict=); real[] zero(int n); real[][] zero(int n, int m); real findroot(real f(real), real a, real b, real tolerance=, real fa=, real fb=); real acsc(real x); real value(path g, real x, int n=); real value(path g, explicit pair z, int n=); real csc(real x); pair log(explicit pair z); void drawline(picture pic=, pair P, pair Q, pen p=); path cutbefore(path p, path q); path cutafter(path p, path q); path cuttings; void draw(picture pic=, obj o, light light=); obj operator *(real[][] T, obj o); obj operator init(); real[][] finiteDifferenceJacobian(real[] f(real[]), real[] t, real[] h=); RKTableau E_Euler; real error(real error, real initial, real lowOrder, real norm, real diff); RKTableau RK5; real stepfactor; RKTableau RK4; real[] newton(int iterations=, real[] f(real[]), real[][] jacobian(real[]), real[] t); real phi1(real x); solution integrate(real y, real c=, real f(real t, real y), real a, real b=, real h=, int n=, bool dynamic=, real tolmin=, real tolmax=, real dtmin=, real dtmax=, RKTableau tableau, bool verbose=); Solution integrate(real[] y, real[] f(real t, real[] y), real a, real b=, real h=, int n=, bool dynamic=, real tolmin=, real tolmax=, real dtmin=, real dtmax=, RKTableau tableau, bool verbose=); RKTableau RK3; void expfactors(real x, coefficients a); real phi2(real x); void report(real old, real h, real t); real[] solveBVP(real[] f(real, real[]), real a, real b=, real h=, int n=, bool dynamic=, real tolmin=, real tolmax=, real dtmin=, real dtmax=, RKTableau tableau, bool verbose=, real[] initial(real[]), real[] discrepancy(real[]), real[] guess, int iterations=); RKTableau Euler; RKTableau E_PC; RKTableau RK2; real phi3(real x); void write(solution S); void write(Solution S); coefficients operator init(); RKTableau operator init(); solution operator init(); Solution operator init(); RKTableau E_RK2; RKTableau RK3BS; RKTableau RK5F; real adjust(real h, real error, real tolmin, real tolmax, RKTableau tableau); RKTableau RK5DP; real[] Coeff; RKTableau PC; RKTableau E_RK3BS; pen[] Grayscale(int NColors=); bounds Range(picture pic, real min, real max)(bool automin=, real min=, bool automax=, real max=); pen[] Wheel(int NColors=); void image(frame f, real[][] data, pair initial, pair final, pen[] palette, bool transpose=, transform t=, bool copy=, bool antialias=); void image(frame f, pen[][] data, pair initial, pair final, bool transpose=, transform t=, bool copy=, bool antialias=); bounds image(picture pic=, real[][] f, bounds range(picture pic, real min, real max)=, pair initial, pair final, pen[] palette, bool transpose=, bool copy=, bool antialias=); bounds image(picture pic=, real f(real, real), bounds range(picture pic, real min, real max)=, pair initial, pair final, int nx=, int ny=, pen[] palette, bool antialias=); void image(picture pic=, pen[][] data, pair initial, pair final, bool transpose=, bool copy=, bool antialias=); void image(picture pic=, pen f(int, int), int width, int height, pair initial, pair final, bool transpose=, bool antialias=); bounds image(picture pic=, pair[] z, real[] f, bounds range(picture pic, real min, real max)=, pen[] palette); bounds image(picture pic=, real[] x, real[] y, real[] f, bounds range(picture pic, real min, real max)=, pen[] palette); pen[] cmyk(pen[] Palette); pen[] BWRainbow(int NColors, bool two); pen[] BWRainbow(int NColors=); pen[] BWRainbow2(int NColors=); transform swap; bounds Automatic(picture pic, real min, real max); real[] sequencereal; pen[] Rainbow(int NColors=); pen[] adjust(picture pic, real min, real max, real rmin, real rmax, pen[] palette); pen[] Gradient(int NColors= ... pen[] p); pen[] quantize(pen[] Palette, int n); void NoTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(int sign=); bounds Full(picture pic, real min, real max); void PaletteTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(int sign=)(Label format=, string ticklabel(real)=, bool beginlabel=, bool endlabel=, int N=, int n=, real Step=, real step=, pen pTick=, pen ptick=); void PaletteTicks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(int sign=); pen[] palette(real[] f, pen[] palette); pen[][] palette(real[][] f, pen[] palette); void palette(picture pic=, Label L=, bounds bounds, pair initial, pair final, void axis(picture, axisT)=, pen[] palette, pen p=, void ticks(frame, transform, Label, pair, path, path, pen, bool(picture, path, pen, marginT(path, pen)), marginT(path, pen), ticklocate, int[], bool opposite=)(int sign=)=, bool copy=, bool antialias=); picture brick(real Hx=, real Hy=, pen p=); picture crosshatch(real H=, pen p=); picture hatch(real H=, pair dir=, pen p=); real hatchepsilon; picture checker(real Hx=, real Hy=, pen p=); void add(string name, picture pic, pair lb=, pair rt=); frame tiling(string name, picture pic, pair lb=, pair rt=); picture tile(real Hx=, real Hy=, pen p=, filltype filltype=); void grestore(picture pic=); pen textpen; void gsave(picture pic=); pair align; rational[][] rationalidentity(int n); int gcd(int m, int n); rational min(rational a, rational b); rational abs(rational r); string texstring(rational r); bool rectangular(rational[][] m); string string(rational r); void write(file fout, string s=, rational r, void suffix(file)=); void write(string s=, rational r, void suffix(file)=); void write(file fout=, string s=, rational[] a, void suffix(file)=); void write(file fout=, string s=, rational[][] a, void suffix(file)=); rational operator +(rational r, rational s); rational operator -(rational r); rational operator -(rational r, rational s); rational[] operator -(rational[] r); rational operator *(rational r, rational s); rational operator init(); rational operator cast(int p); rational[] operator cast(int[] a); rational[][] operator cast(int[][] a); real operator ecast(rational r); rational operator /(rational r, rational s); bool operator ==(rational r, rational s); bool[] operator ==(rational[] r, rational s); bool operator ==(rational[] r, rational[] s); bool operator ==(rational[][] r, rational[][] s); bool operator !=(rational r, rational s); bool operator <(rational r, rational s); bool[] operator <(rational[] r, rational s); bool operator <=(rational r, rational s); bool[] operator <=(rational[] r, rational s); bool operator >(rational r, rational s); bool[] operator >(rational[] r, rational s); bool operator >=(rational r, rational s); bool[] operator >=(rational[] r, rational s); rational sum(rational[] a); int lcm(int m, int n); rational max(rational a, rational b); rational max(rational[] a); simplex operator init(); void simplexPhase1(rational[] c, rational[][] A, rational[] b, int[] Bindices); void simplexTableau(rational[][] E, int[] Bindices, int I=, int J=); void simplexStandard(rational[] c, rational[][] A, int[] s=, rational[] b); void simplexPhase2(); void simplexWrite(rational[][] E, int[] Bindices, int, int); path roundedpath(path A, real R, real S=); simplex operator init(); void display(frame[] f, real margin=, pair align=, pen p=, pen figuremattpen=, bool final=); void display(frame f, real margin=, pair align=, pen p=, pen figuremattpen=, bool final=); void display(string[] s, real margin=, string[] captions=, string caption=, pair align=, pen p=, pen figuremattpen=, bool final=); void display(string s, string caption=, pair align=, pen p=, pen figuremattpen=, bool final=); void multifigure(string[] slist, string options=, string caption=, pair align=, pen p=, pen figuremattpen=, bool step=); int page; void subitem(string s, pen p=); pen pagenumberpen; pair pagenumberalign; pair pagenumberposition; void indexedfigure(string prefix, int first, int last, string options=, string caption=, pair align=, pen p=, pen figuremattpen=, bool step=); string texcolor(pen p); void color(string name, string color); pen foregroundcolor; void bibliography(string name); void bibliographystyle(string name); int[] lastnode; real aboveequationskip; void nextpage(pen p=); void asyfigure(string s, string options=, string caption=, pair align=, pen p=, pen figuremattpen=, filltype filltype=, bool newslide=); void asyfilecode(bool center=, string s, string options=, string caption=, pair align=, pen p=, pen figuremattpen=, real indent=, real skip=, filltype filltype=, bool newslide=); bool itemstep; real itemskip; void remark(bool center=, string s, pair align=, pen p=, real indent=, bool minipage=, real skip=, filltype filltype=, bool step=); void filecode(bool center=, string s, pen p=, real indent=, real skip=, filltype filltype=); void usersetting(); bool landscape; real codeskip; void newslide(bool stepping=); pen itempen; bool reverse; void reversevideo(); void vbox(string s, pen p=); void asycode(bool center=, string s, string options=, string caption=, string preamble=, pair align=, pen p=, pen figuremattpen=, real indent=, real skip=, filltype filltype=, bool newslide=); void exitfunction(); bool havepagenumber; void item(string s, pen p=, bool step=); real pageheight; real pagewidth; picture background; void background(); pen backgroundcolor; void normalvideo(); void title(string s, pair position=, pair align=, pen p=, bool newslide=); pen titlepen; real titleskip; pair dateskip; pair titlealign; pen titlepagepen; pen authorpen; void titlepage(string title, string author, string institution=, string date=, string url=, bool newslide=); pair titlepageposition; pen codepen; void erasestep(int erasenode); bool checkposition(); void setpens(pen red=, pen blue=, pen steppen=); string cropcode(string s); void code(bool center=, string s, pen p=, real indent=, real skip=, filltype filltype=); transform tinv; pair urlskip; void numberpage(pen p=); pen urlpen; bool allowstepping; pair currentposition; int[] firstnode; bool firststep; string asywrite(string s, string preamble=); pair startposition; string oldbulletcolor; string newbulletcolor; pen datepen; void incrementposition(pair z); pen institutionpen; void skip(real n=); bool stepping; real pagemargin; pen steppagenumberpen; bool empty(); void currentexitfunction(); void step(); string[] codefile; void outline(string s=, pair position=, pair align=, pen p=); void center(string s, pen p=); void equation(string s, pen p=); void equations(string s, pen p=); void asyinclude(string s, real xsize=, real ysize=); void figure(string[] s, string options=, real margin=, string[] captions=, string caption=, pair align=, pen p=, pen figuremattpen=, bool final=); void figure(string s, string options=, string caption=, pair align=, pen p=, pen figuremattpen=, bool final=); real figureborder; pen figuremattpen; string bullet; int preamblenodes; string bulletcolor(string color); real minipagewidth; real minipagemargin; real stepfraction; path curve(pair c, real f(real, real), pair a, pair b); path curve(pair c, real f(real), pair a, pair b); picture slopefield(real f(real, real), pair a, pair b, int nx=, int ny=, real tickfactor=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=); picture slopefield(real f(real), pair a, pair b, int nx=, int ny=, pen p=, bool arrow(picture, path, pen, marginT(path, pen))=); real B03(real t); patch[] maketriangle(path3 external, real f(triple), triple grad(triple), bool allowsubdivide=); real B23(real t); path3 pathinface(positionedvector v1, positionedvector v2, triple facenorm, triple edge1normout, triple edge2normout); path3 pathinface(positionedvector v1, positionedvector v2, int face, int edge1face, int edge2face); path3 bisector(path3 edgecycle, int[] savevertices); int XHIGH; int YHIGH; int ZHIGH; real(real)[] bernstein; path3 pathbetween(positionedvector v1, positionedvector v2); path3 pathbetween(path3 edgecycle, int vertex1, int vertex2); patch patchwithnormals(path3 external, triple[] u0normals, triple[] u1normals, triple[] v0normals, triple[] v1normals); patch patchwithnormals(path3 external, triple normalat(triple)); real angledegrees(triple a, triple b); triple projecttospan(triple toproject, triple v1, triple v2, real mincoeff=); real[] projecttospan_findcoeffs(triple toproject, triple v1, triple v2, bool warn=); triple nGrad(triple)(real f(triple)); patch[] quadpatches(path3 edgecycle, positionedvector[] corners, real f(triple), triple grad(triple), triple a, triple b, bool usetriangles); triple normalout(int face); int[] makecircle(edge[] edges); real B13(real t); bool check_fpt_zero(triple testpoint, real f(triple), triple grad(triple)); bool checkptincube(triple pt, triple a, triple b); bool checkpt(triple testpt, real f(triple), triple grad(triple), triple a, triple b); int XLOW; int YLOW; int ZLOW; pathwithnormals_settings operator init(); intset operator init(); int_to_intset operator init(); edge operator init(); positionedvector operator init(); evaluatedpoint operator init(); gridwithzeros operator init(); string operator cast(edge e); string operator cast(edge[] edges); string operator cast(positionedvector vv); triple operator cast(evaluatedpoint p); surface implicitsurface(real f(triple)=, real ff(real, real, real)=, triple a, triple b, int n=, bool keyword overlapedges=, int keyword nx=, int keyword ny=, int keyword nz=, int keyword maxdepth=, bool keyword usetriangles=); bool operator ==(edge a, edge b); patch[] triangletoquads(path3 external, real f(triple), triple grad(triple), triple a, triple b); patch trianglewithnormals(path3 external, triple n1, triple n2, triple n3); evaluatedpoint[][][] make3dgrid(triple a, triple b, int nx, int ny, int nz, real f(triple), bool allowzero=); real B33(real t); evaluatedpoint[][] slice(evaluatedpoint[][] a, int start1, int end1, int start2, int end2); evaluatedpoint[][][] slice(evaluatedpoint[][][] a, int start1, int end1, int start2, int end2, int start3, int end3); positionedvector[][] slice(positionedvector[][] a, int start1, int end1, int start2, int end2); positionedvector[][][] slice(positionedvector[][][] a, int start1, int end1, int start2, int end2, int start3, int end3); int NULL_VERTEX; revolution operator *(real[][] t, revolution r); skeleton operator init(); revolution operator init(); revolution sphere(triple c=, real r, int n=); path line(path p, path q, real[] t); surface surface(revolution r, int n=, pen color(int i, real j)=); void draw(picture pic=, revolution r, int m=, int n=, pen frontpen=, pen backpen=, pen longitudinalpen=, pen longitudinalbackpen=, light light=, string name=, render render=, projection P=); real[] tangent(path p, path q, bool side); pen defaultbackpen; path[] cylinder(path3 base, real h, triple axis=, projection P); revolution cylinder(triple c=, real r, real h, triple axis=); revolution cone(triple c=, real r, real h, triple axis=, int n=); real rms(real[] A); int[] frequency(real[] data, real[] bins); int[] frequency(real[] data, real a, real b, int n); int[][] frequency(real[] x, real[] y, real[] xbins, real[] ybins); int[][] frequency(real[] x, real[] y, pair a, pair b, int nx, int ny=); int[][] frequency(pair[] z, pair a, pair b, int nx, int ny=); real mean(real[] A); void histogram(picture pic=, real[] bins, real[] count, real low=, pen fillpen=, pen drawpen=, bool bars=, Label legend=, real markersize=); void histogram(picture pic=, real[] data, real a, real b, int n, bool normalize=, real low=, pen fillpen=, pen drawpen=, bool bars=, Label legend=, real markersize=); int bins(real[] data, int max=); path topbox(pair a, pair b); path halfbox(pair a, pair b); real stdev(real[] A); real variance(real[] A); real legendmarkersize; real variancebiased(real[] A); real Gaussian(real x, real sigma); real Gaussian(real x); linefit operator init(); pair Gaussrandpair(); real Gaussrand(); real skewness(real[] A); linefit leastsquares(real[] x, real[] y); real kurtosis(real[] A); real kurtosisexcess(real[] A); Relation r4a; pair[] endpoints(guide[] a); Relation r3; picture tableau(frame[] cards, bool number=); pair min(pair[] z); Component bp; Component phi; real gapfactor; Component bm; Braid apply(Relation r, Braid b, int step, int place); Relation operator -(Relation r); Component operator init(); Braid operator init(); Relation operator init(); Syzygy operator init(); Relation r4b; Component wye; pair max(pair[] z); real hwratio; pen Orchid; pen WildStrawberry; pen Magenta; pen BrickRed; pen CadetBlue; pen CarnationPink; pen SpringGreen; pen MidnightBlue; pen OliveGreen; pen Apricot; pen Salmon; pen Cyan; pen Red; pen RawSienna; pen Mahogany; pen Gray; pen Plum; pen BlueGreen; pen Cerulean; pen Blue; pen BlueViolet; pen RedOrange; pen Goldenrod; pen ForestGreen; pen BurntOrange; pen Tan; pen Aquamarine; pen Brown; pen Lavender; pen RubineRed; pen TealBlue; pen White; pen Purple; pen Bittersweet; pen Orange; pen OrangeRed; pen Fuchsia; pen Peach; pen PineGreen; pen Dandelion; pen Black; pen NavyBlue; pen Rhodamine; pen YellowOrange; pen ProcessBlue; pen Maroon; pen YellowGreen; pen LimeGreen; pen Green; pen GreenYellow; pen Sepia; pen Emerald; pen Mulberry; pen RedViolet; pen SkyBlue; pen SeaGreen; pen VioletRed; pen Violet; pen Periwinkle; pen Thistle; pen Yellow; pen JungleGreen; pen DarkOrchid; pen CornflowerBlue; pen RoyalBlue; pen Melon; pen RoyalPurple; pen Turquoise; int lookup(tree t, int key); tree newtree(); void write(file out=, tree t); tree operator init(); tree add(tree t, int key, int value); bool contains(tree t, int key); real trembleFuzz(); real trembleAngle; real trembleRandom; real trembleFrequency; tremble operator init(); real magneticRadius; real[] sample(path3 g, real r, real relstep=); path3 roundedpath(path3 A, real r); int coloredNodes; int coloredSegments; surface surface(rmf[] R, real[] t, coloredpath cp, transform T(real), bool cyclic); surface tube(path3 g, coloredpath section, transform T(real)=, real corner=, real relstep=); coloredpath operator init(); coloredpath operator cast(path p); coloredpath operator cast(guide p); real degrees(rmf a, rmf b); string VERSION; pen Orchid; pen Indigo; pen Beige; pen SlateBlue; pen SlateGray; pen Seashell; pen Magenta; pen GhostWhite; pen CadetBlue; pen DeepPink; pen SpringGreen; pen MidnightBlue; pen Olive; pen OliveDrab; pen Salmon; pen Chocolate; pen LavenderBlush; pen Cyan; pen Gainsboro; pen Wheat; pen Ivory; pen PeachPuff; pen PapayaWhip; pen Red; pen Pink; pen MintCream; pen DarkTurquoise; pen Lime; pen Gray; pen SteelBlue; pen MediumBlue; pen MediumOrchid; pen MediumPurple; pen MediumSeaGreen; pen MediumSlateBlue; pen MediumAquamarine; pen MediumSpringGreen; pen MediumTurquoise; pen MediumVioletRed; pen Plum; pen Blue; pen Gold; pen BlueViolet; pen Goldenrod; pen ForestGreen; pen Chartreuse; pen NavajoWhite; pen Tan; pen LemonChiffon; pen DarkMagenta; pen AntiqueWhite; pen PaleTurquoise; pen IndianRed; pen Aquamarine; pen Crimson; pen Aqua; pen Azure; pen LawnGreen; pen Brown; pen BurlyWood; pen Moccasin; pen DarkBlue; pen Lavender; pen Peru; pen White; pen Purple; pen WhiteSmoke; pen DimGray; pen Orange; pen OrangeRed; pen Fuchsia; pen Bisque; pen Honeydew; pen RosyBrown; pen Black; pen Sienna; pen Khaki; pen FireBrick; pen Snow; pen Maroon; pen YellowGreen; pen LimeGreen; pen OldLace; pen Green; pen GreenYellow; pen DarkOliveGreen; pen DarkOrange; pen DarkCyan; pen FloralWhite; pen DarkRed; pen Silver; pen BlanchedAlmond; pen PowderBlue; pen DarkGray; pen DarkGreen; pen DarkGoldenrod; pen SkyBlue; pen SeaGreen; pen DarkViolet; pen Teal; pen AliceBlue; pen Violet; pen HotPink; pen SandyBrown; pen DodgerBlue; pen SaddleBrown; pen Tomato; pen DarkKhaki; pen DeepSkyBlue; pen Thistle; pen LightBlue; pen LightCoral; pen Yellow; pen LightCyan; pen PaleGreen; pen Linen; pen LightGoldenrodYellow; pen LightGreen; pen LightGrey; pen PaleGoldenrod; pen LightPink; pen LightSalmon; pen LightSeaGreen; pen Navy; pen LightSkyBlue; pen PaleVioletRed; pen DarkOrchid; pen LightSlateGray; pen LightSteelBlue; pen CornflowerBlue; pen LightYellow; pen rgbint(int r, int g, int b); pen Cornsilk; pen Coral; pen MistyRose; pen DarkSalmon; pen DarkSeaGreen; pen RoyalBlue; pen DarkSlateBlue; pen DarkSlateGray; pen Turquoise; asymptote-2.62/inst.h0000644000000000000000000000370213607467113013326 0ustar rootroot/***** * inst.h * Andy Hammerlindl 2002/06/27 * * Descibes the items and instructions that are used by the virtual machine. *****/ #ifndef INST_H #define INST_H #include #include #include "errormsg.h" #include "item.h" #include "vm.h" namespace vm { // Forward declarations struct inst; class stack; class program; // A function "lambda," that is, the code that runs a function. // It also needs the closure of the enclosing module or function to run. struct lambda : public gc { // The instructions to follow. program *code; // The index of the link to the parent closure in the frame corresponding to // this function. size_t parentIndex; // The total number of items that will be stored in the closure of this // function. Includes a link to the higher closure, the parameters, and the // local variables. // NOTE: In order to help garbage collection, this could be modified to // have one array store escaping items, and another to store non- // escaping items. size_t framesize; // States whether any of the variables escape the function, in which case a // closure needs to be allocated when the function is called. It is // initially set to "maybe" and it is computed the first time the function // is called. enum { NEEDS_CLOSURE, DOESNT_NEED_CLOSURE, MAYBE_NEEDS_CLOSURE} closureReq; #ifdef DEBUG_FRAME string name; lambda() : closureReq(MAYBE_NEEDS_CLOSURE), name("") {} virtual ~lambda() {} #else lambda() : closureReq(MAYBE_NEEDS_CLOSURE) {} #endif }; // The code run is just a string of instructions. The ops are actual commands // to be run, but constants, labels, and other objects can be in the code. struct inst : public gc { enum opcode { #define OPCODE(name,type) name, #include "opcodes.h" #undef OPCODE }; opcode op; position pos; item ref; }; template inline T get(const inst& it) { return get(it.ref); } } // namespace vm #endif asymptote-2.62/pen.h0000644000000000000000000006677413607467113013155 0ustar rootroot/***** * pen.h * John Bowman 2003/03/23 * *****/ #ifndef PEN_H #define PEN_H #include #include "transform.h" #include "settings.h" #include "bbox.h" #include "common.h" #include "path.h" #include "array.h" namespace camp { class LineType { public: vm::array pattern; // Array of PostScript style line pattern entries. double offset; // The offset in the pattern at which to start drawing. bool scale; // Scale the line type values by the pen width? bool adjust; // Adjust the line type values to fit the arclength? bool isdefault; LineType() : offset(0.0), scale(true), adjust(true), isdefault(true) {} LineType(vm::array pattern, double offset, bool scale, bool adjust) : pattern(pattern), offset(offset), scale(scale), adjust(adjust), isdefault(false) {} void Scale(double factor) { size_t n=pattern.size(); for(size_t i=0; i < n; i++) pattern[i]=vm::read(pattern,i)*factor; offset *= factor; } }; extern const char* DEFPAT; extern const char* DEFLATEXFONT; extern const char* DEFCONTEXTFONT; extern const char* DEFTEXFONT; extern const double DEFWIDTH; extern const Int DEFCAP; extern const Int DEFJOIN; extern const double DEFMITER; extern const transform nullTransform; static const struct invisiblepen_t {} invisiblepen={}; static const struct setlinewidth_t {} setlinewidth={}; static const struct setfont_t {} setfont={}; static const struct setfontsize_t {} setfontsize={}; static const struct setpattern_t {} setpattern={}; static const struct setlinecap_t {} setlinecap={}; static const struct setlinejoin_t {} setlinejoin={}; static const struct setmiterlimit_t {} setmiterlimit={}; static const struct setoverwrite_t {} setoverwrite={}; static const struct initialpen_t {} initialpen={}; static const struct resolvepen_t {} resolvepen={}; extern const char* PSCap[]; extern const char* Cap[]; extern const Int nCap; extern const char* Join[]; extern const Int nJoin; enum overwrite_t {DEFWRITE=-1,ALLOW,SUPPRESS,SUPPRESSQUIET,MOVE,MOVEQUIET}; extern const char* OverwriteTag[]; extern const Int nOverwrite; enum FillRule {DEFFILL=-1,ZEROWINDING,EVENODD}; extern const char* FillRuleTag[]; extern const Int nFill; enum BaseLine {DEFBASE=-1,NOBASEALIGN,BASEALIGN}; extern const char* BaseLineTag[]; extern const Int nBaseLine; enum ColorSpace {DEFCOLOR=0,INVISIBLE,GRAYSCALE,RGB,CMYK,PATTERN}; extern const size_t ColorComponents[]; extern const char* ColorDeviceSuffix[]; extern const unsigned nColorSpace; inline bool operator == (const vm::array& a, const vm::array& b) { size_t asize=a.size(); size_t bsize=b.size(); if(asize != bsize) return false; for(size_t i=0; i < asize; ++i) if(vm::read(a,i) != vm::read(b,i)) return false; return true; } inline bool operator == (const LineType& a, const LineType& b) { return a.pattern == b.pattern && a.offset == b.offset && a.scale == b.scale && a.adjust == b.adjust; } inline ostream& operator << (ostream& out, const vm::array& a) { out << "["; size_t n=a.size(); if(n > 0) { out << vm::read(a,0); for(size_t i=1; i < n; ++i) out << " " << vm::read(a,i); } out << "]"; return out; } class Transparency { public: string blend; double opacity; bool isdefault; Transparency() : blend("Compatible"), opacity(1.0), isdefault(true) {} Transparency(const string& blend, double opacity) : blend(blend), opacity(opacity), isdefault(false) {} }; inline bool operator == (const Transparency& a, const Transparency& b) { return a.blend == b.blend && a.opacity == b.opacity; } extern const char* BlendMode[]; extern const Int nBlendMode; const double bytescale=256.0*(1.0-DBL_EPSILON); // Map [0,1] to [0,255] inline unsigned int byte(double r) { if(r < 0.0) r=0.0; else if(r > 1.0) r=1.0; return (int)(bytescale*r); } class pen; pen& defaultpen(); class pen : public gc { LineType line; // Width of line, in PS units. double linewidth; path P; // A polygonal path defining a custom pen nib; // nullpath means the default (typically circular) nib. string font; double fontsize; double lineskip; ColorSpace color; double r,g,b; // RGB or CMY value double grey; // grayscale or K value string pattern; // The name of the user-defined fill/draw pattern FillRule fillrule; // Zero winding-number (default) or even-odd rule BaseLine baseline; // Align to TeX baseline? Transparency transparency; Int linecap; Int linejoin; double miterlimit; overwrite_t overwrite; // The transformation applied to the pen nib for calligraphic effects. // nullTransform means the default (typically identity) transformation. transform t; public: static double pos0(double x) {return x >= 0 ? x : 0;} void greyrange() {if(grey > 1.0) grey=1.0;} void rgbrange() { double sat=rgbsaturation(); if(sat > 1.0) { double scale=1.0/sat; r *= scale; g *= scale; b *= scale; } } void cmykrange() { double sat=cmyksaturation(); if(sat > 1.0) { double scale=1.0/sat; r *= scale; g *= scale; b *= scale; grey *= scale; } } void colorless() { r=g=b=grey=0.0; color=DEFCOLOR; } pen() : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(const LineType& line, double linewidth, const path& P, const string& font, double fontsize, double lineskip, ColorSpace color, double r, double g, double b, double grey, const string& pattern, FillRule fillrule, BaseLine baseline, const Transparency& transparency, Int linecap, Int linejoin, double miterlimit, overwrite_t overwrite, const transform& t) : line(line), linewidth(linewidth), P(P), font(font), fontsize(fontsize), lineskip(lineskip), color(color), r(r), g(g), b(b), grey(grey), pattern(pattern), fillrule(fillrule), baseline(baseline), transparency(transparency), linecap(linecap), linejoin(linejoin), miterlimit(miterlimit), overwrite(overwrite), t(t) {} pen(invisiblepen_t) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(INVISIBLE), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setlinewidth_t, double linewidth) : line(), linewidth(linewidth), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(path P) : line(), linewidth(DEFWIDTH), P(P), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(const LineType& line) : line(line), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setfont_t, string font) : line(), linewidth(DEFWIDTH), P(nullpath), font(font), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setfontsize_t, double fontsize, double lineskip) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(fontsize), lineskip(lineskip), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setpattern_t, const string& pattern) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(PATTERN), r(0), g(0), b(0), grey(0), pattern(pattern), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(FillRule fillrule) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(fillrule), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(BaseLine baseline) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(baseline), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(const Transparency& transparency) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(transparency), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setlinecap_t, Int linecap) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(linecap), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setlinejoin_t, Int linejoin) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(linejoin), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {} pen(setmiterlimit_t, double miterlimit) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(miterlimit), overwrite(DEFWRITE), t(nullTransform) {} pen(setoverwrite_t, overwrite_t overwrite) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(DEFCOLOR), r(0), g(0), b(0), grey(0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(overwrite), t(nullTransform) {} explicit pen(double grey) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(GRAYSCALE), r(0.0), g(0.0), b(0.0), grey(pos0(grey)), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {greyrange();} pen(double r, double g, double b) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(RGB), r(pos0(r)), g(pos0(g)), b(pos0(b)), grey(0.0), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {rgbrange();} pen(double c, double m, double y, double k) : line(), linewidth(DEFWIDTH), P(nullpath), font(""), fontsize(0.0), lineskip(0.0), color(CMYK), r(pos0(c)), g(pos0(m)), b(pos0(y)), grey(pos0(k)), pattern(DEFPAT), fillrule(DEFFILL), baseline(DEFBASE), transparency(), linecap(DEFCAP), linejoin(DEFJOIN), miterlimit(DEFMITER), overwrite(DEFWRITE), t(nullTransform) {cmykrange();} // Construct one pen from another, resolving defaults pen(resolvepen_t, const pen& p) : line(LineType(p.line.pattern,p.line.offset,p.line.scale,p.line.adjust)), linewidth(p.width()), P(p.Path()), font(p.Font()), fontsize(p.size()), lineskip(p.Lineskip()), color(p.colorspace()), r(p.red()), g(p.green()), b(p.blue()), grey(p.gray()), pattern(""), fillrule(p.Fillrule()), baseline(p.Baseline()), transparency(Transparency(p.blend(), p.opacity())), linecap(p.cap()), linejoin(p.join()), miterlimit(p.miter()), overwrite(p.Overwrite()), t(p.getTransform()) {} static pen initialpen() { return pen(LineType(vm::array(0),0.0,true,true),0.5,nullpath,"", 12.0*settings::tex2ps,12.0*1.2*settings::tex2ps,GRAYSCALE, 0.0,0.0,0.0,0.0,"",ZEROWINDING,NOBASEALIGN, Transparency(),1,1,10.0,ALLOW,identity); } pen(initialpen_t) : line(), linewidth(-2.0), P(nullpath), font(""), fontsize(-1.0), lineskip(-1.0), color(INVISIBLE), r(0.0), g(0.0), b(0.0), grey(0.0), pattern(DEFPAT), fillrule(DEFFILL), baseline(NOBASEALIGN), transparency(),linecap(-2), linejoin(-2), miterlimit(-1.0), overwrite(DEFWRITE), t(nullTransform) {} double width() const { return linewidth == DEFWIDTH ? defaultpen().linewidth : linewidth; } path Path() const { return P.empty() ? defaultpen().P : P; } double size() const { return fontsize == 0.0 ? defaultpen().fontsize : fontsize; } string Font() const { if(font.empty()) { if(defaultpen().font.empty()) { string texengine=settings::getSetting("tex"); if(settings::latex(texengine)) return DEFLATEXFONT; else if(texengine == "none") return settings::getSetting("textinitialfont"); else { ostringstream buf; // Work around misalignment in ConTeXt switchtobodyfont if font is not found. if(texengine == "context") buf << "\\switchtobodyfont[" << DEFCONTEXTFONT << "," << size()*settings::ps2tex << "pt]\\removeunwantedspaces%" << newl; else buf << "\\font\\ASYfont=" << DEFTEXFONT << " at " << size()*settings::ps2tex << "pt\\ASYfont"; return buf.str(); } } else return defaultpen().font; } return font; } double Lineskip() const { return lineskip == 0.0 ? defaultpen().lineskip : lineskip; } const LineType *linetype() const { return line.isdefault ? &defaultpen().line : &line; } void adjust(double factor) { if(line.isdefault) line=defaultpen().line; line.Scale(factor); } void setstroke(const vm::array& s) {line.pattern=s;} void setoffset(const double& offset) {line.offset=offset;} string fillpattern() const { return pattern == DEFPAT ? (string)"" : pattern; } FillRule Fillrule() const { return fillrule == DEFFILL ? defaultpen().fillrule : fillrule; } bool evenodd() const { return Fillrule() == EVENODD; } bool inside(Int count) const { return evenodd() ? count % 2 : count != 0; } BaseLine Baseline() const { return baseline == DEFBASE ? defaultpen().baseline : baseline; } Transparency transp() const { return transparency.isdefault ? defaultpen().transparency : transparency; } string blend() const { return transparency.isdefault ? defaultpen().transparency.blend : transparency.blend; } double opacity() const { return transparency.isdefault ? defaultpen().transparency.opacity : transparency.opacity; } Int cap() const { return linecap == DEFCAP ? defaultpen().linecap : linecap; } Int join() const { return linejoin == DEFJOIN ? defaultpen().linejoin : linejoin; } double miter() const { return miterlimit == DEFMITER ? defaultpen().miterlimit : miterlimit; } overwrite_t Overwrite() const { return overwrite == DEFWRITE ? defaultpen().overwrite : overwrite; } ColorSpace colorspace() const { return color == DEFCOLOR ? defaultpen().color : color; } string hex() const { int n=ColorComponents[colorspace()]; ostringstream buf; buf.setf(std::ios::hex,std::ios::basefield); buf.fill('0'); switch(n) { case 0: break; case 1: buf << std::setw(2) << byte(gray()); break; case 3: buf << std::setw(2) << byte(red()) << std::setw(2) << byte(green()) << std::setw(2) << byte(blue()); break; case 4: buf << std::setw(2) << byte(cyan()) << std::setw(2) << byte(magenta()) << std::setw(2) << byte(yellow()) << std::setw(2) << byte(black()); break; default: break; } return buf.str(); } bool invisible() const {return colorspace() == INVISIBLE;} bool grayscale() const {return colorspace() == GRAYSCALE;} bool rgb() const {return colorspace() == RGB;} bool cmyk() const {return colorspace() == CMYK;} double gray() const {return color == DEFCOLOR ? defaultpen().grey : grey;} double red() const {return color == DEFCOLOR ? defaultpen().r : r;} double green() const {return color == DEFCOLOR ? defaultpen().g : g;} double blue() const {return color == DEFCOLOR ? defaultpen().b : b;} double cyan() const {return red();} double magenta() const {return green();} double yellow() const {return blue();} double black() const {return gray();} double rgbsaturation() const {return max(max(r,g),b);} double cmyksaturation() const {return max(rgbsaturation(),black());} void greytorgb() { r=g=b=grey; grey=0.0; color=RGB; } void rgbtogrey() { grey=0.299*r+0.587*g+0.114*b; // Standard YUV luminosity coefficients r=g=b=0.0; color=GRAYSCALE; } void greytocmyk() { grey=1.0-grey; r=g=b=0.0; color=CMYK; } void rgbtocmyk() { double sat=rgbsaturation(); grey=1.0-sat; if(sat) { double scale=1.0/sat; r=1.0-r*scale; g=1.0-g*scale; b=1.0-b*scale; } color=CMYK; } void cmyktorgb() { double sat=1.0-grey; r=(1.0-r)*sat; g=(1.0-g)*sat; b=(1.0-b)*sat; grey=0.0; color=RGB; } void cmyktogrey() { cmyktorgb(); rgbtogrey(); } void togrey() { if(rgb()) rgbtogrey(); else if(cmyk()) cmyktogrey(); } void torgb() { if(cmyk()) cmyktorgb(); else if(grayscale()) greytorgb(); } void tocmyk() { if(rgb()) rgbtocmyk(); else if(grayscale()) greytocmyk(); } void settransparency(const pen& p) { transparency=p.transparency; } void setfont(const pen& p) { font=p.font; } void setfillrule(const pen& p) { fillrule=p.fillrule; } void convert() { if(settings::gray || settings::bw) { if(rgb()) rgbtogrey(); else if(cmyk()) cmyktogrey(); if(settings::bw) {grey=(grey == 1.0) ? 1.0 : 0.0;} } else if(settings::rgb && cmyk()) cmyktorgb(); else if(settings::cmyk && rgb()) rgbtocmyk(); } // Try to upgrade to the specified colorspace. bool promote(ColorSpace c) { if(color == c) return true; switch(color) { case PATTERN: case INVISIBLE: break; case DEFCOLOR: { return true; break; } break; case GRAYSCALE: { if(c == RGB) {greytorgb(); return true;} else if(c == CMYK) {greytocmyk(); return true;} break; } case RGB: { if(c == CMYK) {rgbtocmyk(); return true;} break; } case CMYK: { break; } } return false; } friend pen operator * (double x, const pen& q) { pen p=q; if(x < 0.0) x = 0.0; switch(p.color) { case PATTERN: case INVISIBLE: case DEFCOLOR: break; case GRAYSCALE: { p.grey *= x; p.greyrange(); break; } case RGB: { p.r *= x; p.g *= x; p.b *= x; p.rgbrange(); break; } case CMYK: { p.r *= x; p.g *= x; p.b *= x; p.grey *= x; p.cmykrange(); break; } } return p; } friend pen operator + (const pen& p, const pen& q) { pen P=p; pen Q=q; if(P.color == PATTERN && P.pattern.empty()) P.color=DEFCOLOR; ColorSpace colorspace=(ColorSpace) max((Int) P.color,(Int) Q.color); if(!(p.transparency.isdefault && q.transparency.isdefault)) P.transparency.opacity=max(p.opacity(),q.opacity()); switch(colorspace) { case PATTERN: case INVISIBLE: case DEFCOLOR: break; case GRAYSCALE: { P.grey += Q.grey; P.greyrange(); break; } case RGB: { if(P.color == GRAYSCALE) P.greytorgb(); else if(Q.color == GRAYSCALE) Q.greytorgb(); P.r += Q.r; P.g += Q.g; P.b += Q.b; P.rgbrange(); break; } case CMYK: { if(P.color == GRAYSCALE) P.greytocmyk(); else if(Q.color == GRAYSCALE) Q.greytocmyk(); if(P.color == RGB) P.rgbtocmyk(); else if(Q.color == RGB) Q.rgbtocmyk(); P.r += Q.r; P.g += Q.g; P.b += Q.b; P.grey += Q.grey; P.cmykrange(); break; } } return pen(q.line.isdefault ? p.line : q.line, q.linewidth == DEFWIDTH ? p.linewidth : q.linewidth, q.P.empty() ? p.P : q.P, q.font.empty() ? p.font : q.font, q.fontsize == 0.0 ? p.fontsize : q.fontsize, q.lineskip == 0.0 ? p.lineskip : q.lineskip, colorspace,P.r,P.g,P.b,P.grey, q.pattern == DEFPAT ? p.pattern : q.pattern, q.fillrule == DEFFILL ? p.fillrule : q.fillrule, q.baseline == DEFBASE ? p.baseline : q.baseline, q.transparency.isdefault ? p.transparency : q.transparency, q.linecap == DEFCAP ? p.linecap : q.linecap, q.linejoin == DEFJOIN ? p.linejoin : q.linejoin, q.miterlimit == DEFMITER ? p.miterlimit : q.miterlimit, q.overwrite == DEFWRITE ? p.overwrite : q.overwrite, q.t.isNull() ? p.t : q.t); } friend pen interpolate(const pen& p, const pen& q, double t) { pen P=p; pen Q=q; if(P.color == PATTERN && P.pattern.empty()) P.color=DEFCOLOR; ColorSpace colorspace=(ColorSpace) max((Int) P.color,(Int) Q.color); switch(colorspace) { case PATTERN: case INVISIBLE: case DEFCOLOR: case GRAYSCALE: break; case RGB: { if(P.color == GRAYSCALE) P.greytorgb(); else if(Q.color == GRAYSCALE) Q.greytorgb(); break; } case CMYK: { if(P.color == GRAYSCALE) P.greytocmyk(); else if(Q.color == GRAYSCALE) Q.greytocmyk(); if(P.color == RGB) P.rgbtocmyk(); else if(Q.color == RGB) Q.rgbtocmyk(); break; } } return (1-t)*P+t*Q; } friend bool operator == (const pen& p, const pen& q) { return *(p.linetype()) == *(q.linetype()) && p.width() == q.width() && p.Path() == q.Path() && p.Font() == q.Font() && p.Lineskip() == q.Lineskip() && p.size() == q.size() && p.colorspace() == q.colorspace() && (!(p.grayscale() || p.cmyk()) || p.gray() == q.gray()) && (!(p.rgb() || p.cmyk()) || (p.red() == q.red() && p.green() == q.green() && p.blue() == q.blue())) && p.pattern == q.pattern && p.Fillrule() == q.Fillrule() && p.Baseline() == q.Baseline() && p.transp() == q.transp() && p.cap() == q.cap() && p.join() == q.join() && p.miter() == q.miter() && p.Overwrite() == q.Overwrite() && p.t == q.t; } friend bool operator != (const pen& p, const pen& q) { return !(p == q); } friend ostream& operator << (ostream& out, const pen& p) { out << "("; if(p.line.isdefault) out << "default"; else out << p.line.pattern; if(p.line.offset) out << p.line.offset; if(!p.line.scale) out << " bp"; if(!p.line.adjust) out << " fixed"; if(p.linewidth != DEFWIDTH) out << ", linewidth=" << p.linewidth; if(!p.P.empty()) out << ", path=" << p.P; if(p.linecap != DEFCAP) out << ", linecap=" << Cap[p.linecap]; if(p.linejoin != DEFJOIN) out << ", linejoin=" << Join[p.linejoin]; if(p.miterlimit != DEFMITER) out << ", miterlimit=" << p.miterlimit; if(!p.font.empty()) out << ", font=\"" << p.font << "\""; if(p.fontsize) out << ", fontsize=" << p.fontsize; if(p.lineskip) out << ", lineskip=" << p.lineskip; if(p.color == INVISIBLE) out << ", invisible"; else if(p.color == GRAYSCALE) out << ", gray=" << p.grey; else if(p.color == RGB) out << ", red=" << p.red() << ", green=" << p.green() << ", blue=" << p.blue(); else if(p.color == CMYK) out << ", cyan=" << p.cyan() << ", magenta=" << p.magenta() << ", yellow=" << p.yellow() << ", black=" << p.black(); if(p.pattern != DEFPAT) out << ", pattern=" << "\"" << p.pattern << "\""; if(p.fillrule != DEFFILL) out << ", fillrule=" << FillRuleTag[p.fillrule]; if(p.baseline != DEFBASE) out << ", baseline=" << BaseLineTag[p.baseline]; if(!p.transparency.isdefault) { out << ", opacity=" << p.transparency.opacity; out << ", blend=" << p.transparency.blend; } if(p.overwrite != DEFWRITE) out << ", overwrite=" << OverwriteTag[p.overwrite]; if(!p.t.isNull()) out << ", transform=" << p.t; out << ")"; return out; } const transform getTransform() const { return t.isNull() ? defaultpen().t : t; } // The bounds of the circle or ellipse the pen describes. bbox bounds() const { double maxx, maxy; pair shift; if(!P.empty()) return P.bounds(); transform t=getTransform(); if(t.isIdentity()) { maxx = 1; maxy = 1; shift = pair(0,0); } else { double xx = t.getxx(), xy = t.getxy(), yx = t.getyx(), yy = t.getyy(); // These are the maximum x and y values that a linear transform can map // a point in the unit circle. This can be proven by the Lagrange // Multiplier theorem or by properties of the dot product. maxx = length(pair(xx,xy)); maxy = length(pair(yx,yy)); shift = t*pair(0,0); } bbox b; pair z=0.5*width()*pair(maxx,maxy); b += z + shift; b += -z + shift; return b; } friend pen transformed(const transform& t, const pen& p) { pen ret = p; if(!p.P.empty()) ret.P = p.P.transformed(t); ret.t = p.t.isNull() ? t : t*p.t; return ret; } }; pen transformed(const transform& t, const pen &p); } #endif asymptote-2.62/process.h0000644000000000000000000000567313607467113014040 0ustar rootroot/***** * process.h * Andy Hammerlindl 2006/08/19 * * Handles processing blocks of code (including files, strings, and the * interactive prompt, for listing and parse-only modes as well as actually * running it. *****/ #ifndef PROCESS_H #define PROCESS_H #include "common.h" #include "stm.h" #include "stack.h" #include "pipestream.h" #include "callable.h" #include "pen.h" #include "transform.h" #ifdef HAVE_RPC_RPC_H #include "xstream.h" #endif // Process the code respecting the parseonly and listvariables flags of // settings. void processCode(absyntax::block *code); void processFile(const string& filename, bool purge=false); void processPrompt(); // Run the code in its own environment. void runCode(absyntax::block *code); void runString(const string& s, bool interactiveWrite=false); void runFile(const string& filename); void runPrompt(); // Run the code in a given run-time environment. typedef vm::interactiveStack istack; void runCodeEmbedded(absyntax::block *code, trans::coenv &e, istack &s); void runStringEmbedded(const string& str, trans::coenv &e, istack &s); void runPromptEmbedded(trans::coenv &e, istack &s); // Basic listing. void doUnrestrictedList(); template class terminator { public: typedef mem::vector Pointer; Pointer pointer; // Return first available index size_t available() { size_t index=0; for(typename Pointer::iterator p=pointer.begin(); p != pointer.end(); ++p) { if(*p == NULL) {return index;} ++index; } pointer.push_back(NULL); return index; } size_t add(T *p) { size_t index=available(); pointer[index]=p; return index; } void remove(size_t index) { pointer[index]=NULL; } ~terminator() { for(typename Pointer::iterator p=pointer.begin(); p != pointer.end(); ++p) { if(*p != NULL) { (*p)->~T(); (*p)=NULL; } } } }; class texstream : public iopipestream { public: ~texstream(); }; typedef std::pair linecolumn; typedef mem::map xkey_t; typedef mem::deque xtransform_t; typedef mem::map xmap_t; struct processDataStruct { texstream tex; // Bi-directional pipe to latex (to find label bbox) mem::list TeXpipepreamble; mem::list TeXpreamble; vm::callable *atExitFunction; vm::callable *atUpdateFunction; vm::callable *atBreakpointFunction; camp::pen defaultpen; camp::pen currentpen; // For xasy: string fileName; position topPos; string KEY; xkey_t xkey; xmap_t xmap; terminator ofile; terminator ifile; #ifdef HAVE_RPC_RPC_H terminator ixfile; terminator oxfile; #endif processDataStruct() { atExitFunction=NULL; atUpdateFunction=NULL; atBreakpointFunction=NULL; defaultpen=camp::pen::initialpen(); currentpen=camp::pen(); } }; processDataStruct &processData(); #endif asymptote-2.62/drawgroup.h0000644000000000000000000000555413607467113014372 0ustar rootroot/***** * drawgroup.h * John Bowman * * Group elements in a picture to be deconstructed as a single object. *****/ #ifndef DRAWGROUP_H #define DRAWGROUP_H #include "drawelement.h" namespace camp { class drawBegin : public drawElement { public: drawBegin() {} virtual ~drawBegin() {} bool begingroup() {return true;} }; class drawEnd : public drawElement { public: drawEnd() {} virtual ~drawEnd() {} bool endgroup() {return true;} }; class drawBegin3 : public drawElementLC { string name; double compression; double granularity; bool closed; // render the surface as one-sided; may yield faster rendering bool tessellate; // use tessellated mesh to store straight patches bool dobreak; // force breaking bool nobreak; // force grouping for transparent patches triple center; int interaction; public: drawBegin3(string name, double compression, double granularity, bool closed, bool tessellate, bool dobreak, bool nobreak, triple center, int interaction) : name(name), compression(compression), granularity(granularity), closed(closed), tessellate(tessellate), dobreak(dobreak), nobreak(nobreak), center(center), interaction(interaction) {} virtual ~drawBegin3() {} bool begingroup() {return true;} bool begingroup3() {return true;} bool write(prcfile *out, unsigned int *count, double compressionlimit, groupsmap& groups) { groupmap& group=groups.back(); if(name.empty()) name="group"; groupmap::const_iterator p=group.find(name); unsigned c=(p != group.end()) ? p->second+1 : 0; group[name]=c; ostringstream buf; buf << name; if(c > 0) buf << "-" << (c+1); if(interaction == BILLBOARD) buf << "-" << (*count)++ << "\001"; prc::PRCoptions options(compression > 0.0 ? max(compression,compressionlimit) : 0.0, granularity,closed,tessellate,dobreak,nobreak); groups.push_back(groupmap()); const string& s=buf.str(); out->begingroup(s.c_str(),&options,T); return true; } drawBegin3(const double* t, const drawBegin3 *s) : drawElementLC(t, s), name(s->name), compression(s->compression), granularity(s->granularity), closed(s->closed), tessellate(s->tessellate), dobreak(s->dobreak), nobreak(s->nobreak), interaction(s->interaction) { center=t*s->center; } drawElement *transformed(const double* t) { return new drawBegin3(t,this); } }; class drawEnd3 : public drawElement { public: drawEnd3() {} virtual ~drawEnd3() {} bool endgroup() {return true;} bool endgroup3() {return true;} bool write(prcfile *out, unsigned int *, double, groupsmap& groups) { groups.pop_back(); out->endgroup(); return true; } }; } GC_DECLARE_PTRFREE(camp::drawBegin); GC_DECLARE_PTRFREE(camp::drawEnd); #endif asymptote-2.62/virtualfieldaccess.cc0000644000000000000000000000160513607467113016363 0ustar rootroot/***** * virtualfieldaccess.cc * Andy Hammerlindl 2009/07/23 * * Implements the access subclass used to read and write virtual fields. *****/ #include "virtualfieldaccess.h" #include "coder.h" namespace trans { void virtualFieldAccess::encode(action act, position pos, coder &e) { switch(act) { case CALL: if (caller) { caller->encode(CALL, pos, e); } else { this->encode(READ, pos, e); e.encode(inst::popcall); } return; case READ: assert(getter); getter->encode(CALL, pos, e); return; case WRITE: if (setter) setter->encode(CALL, pos, e); else { em.error(pos); em << "virtual field is read-only"; } return; } } void virtualFieldAccess::encode(action act, position pos, coder &e, frame *) { e.encode(inst::pop); encode(act, pos, e); } } // namespace trans asymptote-2.62/knot.h0000644000000000000000000003001413607467113013320 0ustar rootroot/***** * knot.h * Andy Hammerlindl 200/02/10 * * Describes a knot, a point and its neighbouring specifiers, used as an * intermediate structure in solving paths. *****/ #ifndef KNOT_H #define KNOT_H #include #include #include #include "mod.h" #include "pair.h" #include "path.h" namespace camp { using mem::vector; // The choice of branch cuts of atan2 disguishes between y=+0.0 and y=-0.0 in // the case where x<0. This can lead to strange looking paths being // calculated from guides of the form a..b..cycle. To avoid these degenerate // cases, the niceAngle routine moves the branch cut so that the sign of a // zero won't matter. double niceAngle(pair z); // A cyclic vector: ie. a vector where the index is taken mod the size of the // vector. template class cvector : public vector { public: cvector() {} cvector(size_t n) : vector(n) {} cvector(size_t n, const T& t) : vector(n,t) {} cvector(const vector& v) : vector(v) {} T& operator[](Int j) { return vector::operator[](imod(j,(Int) this->size())); } const T& operator[](Int j) const { return vector::operator[](imod(j,(Int) this->size())); } }; // Forward declaration. class knotlist; /* A linear equation (one of a set of equations to solve for direction through knots in a path). The i-th equation is: pre*theta[i-1] + piv*theta[i] + post*theta[i+1] = aug where indices are taken mod n. */ struct eqn { double pre,piv,post,aug; eqn(double pre, double piv, double post, double aug) : pre(pre), piv(piv), post(post), aug(aug) {} friend ostream& operator<< (ostream& out, const eqn& e) { return out << e.pre << " * pre + " << e.piv << " * piv + " << e.post << " * post = " << e.aug; } }; // A direction specifier, telling how the path behaves coming in or out of a // point. The base class represents the "open" specifier. class spec : public gc { public: virtual ~spec() {} // If the knot is open, it gives no restriction on the behavior of the // path. virtual bool open() { return true; } virtual bool controlled() { return false; } virtual pair control() {return pair(0.0,0.0);} virtual double curl() { return -1.0; } virtual pair dir() { return pair(0.0,0.0); } // When a knot has a restriction on one side but is open on the other, the // restriction implies a restriction on the other side. This is the partner // restriction defined here, where the pair argument is for the location of // the knot. virtual spec *outPartner(pair) { return this; } virtual spec *inPartner(pair) { return this; } virtual void print(ostream&) const {} }; inline ostream& operator<< (ostream& out, spec& s) { s.print(out); return out; } // Specifier used at an endpoint. class endSpec : public spec { public: bool open() { return false; } // Returns an equation used to solve for the thetas along the knot. These are // called by eqnprop in the non-cyclic case for the first and last equations. virtual eqn eqnOut(Int j, knotlist& l, cvector& d, cvector& psi) = 0; virtual eqn eqnIn (Int j, knotlist& l, cvector& d, cvector& psi) = 0; }; // A specifier with a given direction (in radians). class dirSpec : public endSpec { double given; public: // Direction should be given in the range [-PI,PI] dirSpec(double given) : given(given) {} dirSpec(pair z) : given(niceAngle(z)) {} pair dir() { return expi(given); } eqn eqnOut(Int j, knotlist& l, cvector& d, cvector& psi); eqn eqnIn (Int j, knotlist& l, cvector& d, cvector& psi); void print(ostream& out) const { out << "{dir(" << degrees(given) << ")}"; } }; // A curl specifier. The curvature at the end knot should be gamma times the // curvature at the neighbouring knot. class curlSpec : public endSpec { double gamma; public: // Gamma should be non-negative. curlSpec(double gamma=1.0) : gamma(gamma) { if(gamma < 0) reportError("curl cannot be less than 0"); } double curl() { return gamma; } eqn eqnOut(Int j, knotlist& l, cvector& d, cvector& psi); eqn eqnIn (Int j, knotlist& l, cvector& d, cvector& psi); void print(ostream& out) const { out << "{curl " << gamma << "}"; } }; // A specifier with a control point. All information for this portion of the // curve has been determined. class controlSpec : public spec { public: pair cz; bool straight; controlSpec(pair cz, bool straight=false) : cz(cz), straight(straight) {} bool open() { return false; } bool controlled() { return true; } pair control() { return cz; } // The partner spec will be a dirSpec in the same direction the specifier // takes the path, unless the velocity is zero, then it uses a curl // specifier. spec *outPartner(pair); spec *inPartner(pair); void print(ostream& out) const { // NOTE: This format cannot be read back in. out << "{control " << cz << "}"; } }; // The tension information for one side of a knot. struct tension { double val; bool atleast; tension(double val=1.0, bool atleast=false) : val(val), atleast(atleast) { if(val < 0.75) reportError("tension cannot be less than 3/4"); } }; inline ostream& operator<<(ostream& out, tension t) { return out << "tension" << (t.atleast ? " atleast " : " ") << t.val; } // A knot, a point with specifiers to double the path coming in and going out // of the knot. struct knot { pair z; spec *in; spec *out; tension tin, tout; knot() {} knot(pair z, spec *in, spec *out, tension tin=tension(), tension tout=tension()) : z(z), in(in), out(out), tin(tin), tout(tout) {} double alpha() { return 1.0/tout.val; } double beta() { return 1.0/tin.val; } }; ostream& operator<<(ostream& out, const knot& k); // Abstract base class for a section of a guide. class knotlist { public: virtual ~knotlist() {} virtual Int length() = 0; virtual bool cyclic() = 0; // Returns the number of knots. Int size() { return cyclic() ? length() : length() + 1; } bool empty() { return size()==0; } virtual knot& cell(Int) = 0; virtual knot& operator[] (Int i) { #if 0 assert(cyclic() || (0 <= i && i <= length())); // Bounds check. #endif return cell(i); } knot& front() { return (*this)[0]; } knot& back() { return (*this)[length()]; } }; // Defines a knotlist as a piece of another knotlist. class subknotlist : public knotlist { knotlist& l; Int a,b; public: subknotlist(knotlist& l, Int a, Int b) : l(l), a(a), b(b) {} Int length() { return b-a; } bool cyclic() { return false; } knot& cell(Int i) { return l[a+i]; } }; struct simpleknotlist : public knotlist { cvector nodes; bool cycles; simpleknotlist(cvector nodes, bool cycles=false) : nodes(nodes), cycles(cycles) {} Int length() { return cycles ? (Int) nodes.size() : (Int) nodes.size() - 1; } bool cyclic() { return cycles; } knot& cell(Int j) { return nodes[j]; } }; // A protopath is a path being made. struct protopath { bool cycles; Int n; mem::vector nodes; protopath(Int n, bool cycles) : cycles(cycles), n(n), nodes(n) {} solvedKnot& operator[](Int j) { return nodes[imod(j,n)]; } bool& straight(Int j) { return (*this)[j].straight; } pair& pre(Int j) { return (*this)[j].pre; } pair& point(Int j) { return (*this)[j].point; } pair& post(Int j) { return (*this)[j].post; } void controlEnds() { if (!cycles) { solvedKnot& start=(*this)[0]; solvedKnot& end=(*this)[n-1]; start.pre=start.point; end.post=end.point; } } // Once all the controls are set, return the final (constant) path. path fix() { return path(nodes,n,cycles); } }; // Represents properties that can be computed along a knotlist. // Examples include distances (d), turning angles (psi), and the linear // equations used to solve for the thetas. template class knotprop { protected: knotlist& l; // Calculate the property for the usual case in the iteration (and for a // cyclic knot, the only case), at the index given. virtual T mid(Int) = 0; // The special cases, these default to the usual case: mid. virtual T solo(Int j) // Calculates the property for a list of length 0. { return mid(j); } virtual T start(Int j) // Calculates it at the start of the list. { return mid(j); } virtual T end(Int j) // Calculate it at the end. { return mid(j); } virtual cvector linearCompute() { Int n=l.length(); cvector v; if (n==0) v.push_back(solo(0)); else { v.push_back(start(0)); for (Int j=1; j cyclicCompute() { Int n=l.length(); cvector v; for (Int j=0; j linearBackCompute() { Int n=l.length(); cvector v; if (n==0) v.push_back(solo(0)); else { v.push_back(end(n)); for (Int j=1; j cyclicBackCompute() { Int n=l.length(); cvector v; for (Int j=1; j<=n; ++j) v.push_back(mid(n-j)); return v; } public: virtual ~knotprop() {} virtual cvector compute() { return l.cyclic() ? cyclicCompute() : linearCompute(); } // Compute the values in the opposite order. This is needed for instance if // the i-th calculation needed a result computed in the i+1-th, such as in the // back substitution for solving thetas. virtual cvector backCompute() { cvector v=l.cyclic() ? cyclicBackCompute() : linearBackCompute(); // Even though they are computed in the backwards order, return them in the // standard order. reverse(v.begin(),v.end()); return v; } knotprop(knotlist& l) : l(l) {} }; // A knot transforms, it takes in one knotlist and transforms it knot for knot // into a new one. class knottrans : public knotprop { protected: virtual knot mid(Int j) { /* By default, just copy the knot. */ return l[j]; } public: virtual ~knottrans() {} knottrans(knotlist& l) : knotprop(l) {} virtual simpleknotlist trans() { return simpleknotlist(compute(),l.cyclic()); } }; // Like a knotprop, but it doesn't compute a vector of values for the knot. It // iterates over the knotlist calling method for side-effect. For instance, // this is used to plug control points into protopaths. class knoteffect { protected: knotlist& l; virtual void mid(Int) = 0; // The special cases, these default to the usual case: mid. virtual void solo(Int j) { mid(j); } virtual void start(Int j) { mid(j); } virtual void end(Int j) { mid(j); } virtual void linearExec() { Int n=l.length(); if (n==0) solo(0); else { start(0); for (Int j=1; j& z); double velocity(double theta, double phi, tension t); } // namespace camp GC_DECLARE_PTRFREE(camp::eqn); GC_DECLARE_PTRFREE(camp::tension); #endif // KNOT_H asymptote-2.62/configure0000755000000000000000000104604613607467121014117 0ustar rootroot#! /bin/sh # Guess values for system-dependent variables and create Makefiles. # Generated by GNU Autoconf 2.69 for Asymptote 2.62. # # Report bugs to . # # # Copyright (C) 1992-1996, 1998-2012 Free Software Foundation, Inc. # # # This configure script is free software; the Free Software Foundation # gives unlimited permission to copy, distribute and modify it. ## -------------------- ## ## M4sh Initialization. ## ## -------------------- ## # Be more Bourne compatible DUALCASE=1; export DUALCASE # for MKS sh if test -n "${ZSH_VERSION+set}" && (emulate sh) >/dev/null 2>&1; then : emulate sh NULLCMD=: # Pre-4.2 versions of Zsh do word splitting on ${1+"$@"}, which # is contrary to our usage. Disable this feature. alias -g '${1+"$@"}'='"$@"' setopt NO_GLOB_SUBST else case `(set -o) 2>/dev/null` in #( *posix*) : set -o posix ;; #( *) : ;; esac fi as_nl=' ' export as_nl # Printing a long string crashes Solaris 7 /usr/bin/printf. as_echo='\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\' as_echo=$as_echo$as_echo$as_echo$as_echo$as_echo as_echo=$as_echo$as_echo$as_echo$as_echo$as_echo$as_echo # Prefer a ksh shell builtin over an external printf program on Solaris, # but without wasting forks for bash or zsh. if test -z "$BASH_VERSION$ZSH_VERSION" \ && (test "X`print -r -- $as_echo`" = "X$as_echo") 2>/dev/null; then as_echo='print -r --' as_echo_n='print -rn --' elif (test "X`printf %s $as_echo`" = "X$as_echo") 2>/dev/null; then as_echo='printf %s\n' as_echo_n='printf %s' else if test "X`(/usr/ucb/echo -n -n $as_echo) 2>/dev/null`" = "X-n $as_echo"; then as_echo_body='eval /usr/ucb/echo -n "$1$as_nl"' as_echo_n='/usr/ucb/echo -n' else as_echo_body='eval expr "X$1" : "X\\(.*\\)"' as_echo_n_body='eval arg=$1; case $arg in #( *"$as_nl"*) expr "X$arg" : "X\\(.*\\)$as_nl"; arg=`expr "X$arg" : ".*$as_nl\\(.*\\)"`;; esac; expr "X$arg" : "X\\(.*\\)" | tr -d "$as_nl" ' export as_echo_n_body as_echo_n='sh -c $as_echo_n_body as_echo' fi export as_echo_body as_echo='sh -c $as_echo_body as_echo' fi # The user is always right. if test "${PATH_SEPARATOR+set}" != set; then PATH_SEPARATOR=: (PATH='/bin;/bin'; FPATH=$PATH; sh -c :) >/dev/null 2>&1 && { (PATH='/bin:/bin'; FPATH=$PATH; sh -c :) >/dev/null 2>&1 || PATH_SEPARATOR=';' } fi # IFS # We need space, tab and new line, in precisely that order. Quoting is # there to prevent editors from complaining about space-tab. # (If _AS_PATH_WALK were called with IFS unset, it would disable word # splitting by setting IFS to empty value.) IFS=" "" $as_nl" # Find who we are. Look in the path if we contain no directory separator. as_myself= case $0 in #(( *[\\/]* ) as_myself=$0 ;; *) as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. test -r "$as_dir/$0" && as_myself=$as_dir/$0 && break done IFS=$as_save_IFS ;; esac # We did not find ourselves, most probably we were run as `sh COMMAND' # in which case we are not to be found in the path. if test "x$as_myself" = x; then as_myself=$0 fi if test ! -f "$as_myself"; then $as_echo "$as_myself: error: cannot find myself; rerun with an absolute file name" >&2 exit 1 fi # Unset variables that we do not need and which cause bugs (e.g. in # pre-3.0 UWIN ksh). But do not cause bugs in bash 2.01; the "|| exit 1" # suppresses any "Segmentation fault" message there. '((' could # trigger a bug in pdksh 5.2.14. for as_var in BASH_ENV ENV MAIL MAILPATH do eval test x\${$as_var+set} = xset \ && ( (unset $as_var) || exit 1) >/dev/null 2>&1 && unset $as_var || : done PS1='$ ' PS2='> ' PS4='+ ' # NLS nuisances. LC_ALL=C export LC_ALL LANGUAGE=C export LANGUAGE # CDPATH. (unset CDPATH) >/dev/null 2>&1 && unset CDPATH # Use a proper internal environment variable to ensure we don't fall # into an infinite loop, continuously re-executing ourselves. if test x"${_as_can_reexec}" != xno && test "x$CONFIG_SHELL" != x; then _as_can_reexec=no; export _as_can_reexec; # We cannot yet assume a decent shell, so we have to provide a # neutralization value for shells without unset; and this also # works around shells that cannot unset nonexistent variables. # Preserve -v and -x to the replacement shell. BASH_ENV=/dev/null ENV=/dev/null (unset BASH_ENV) >/dev/null 2>&1 && unset BASH_ENV ENV case $- in # (((( *v*x* | *x*v* ) as_opts=-vx ;; *v* ) as_opts=-v ;; *x* ) as_opts=-x ;; * ) as_opts= ;; esac exec $CONFIG_SHELL $as_opts "$as_myself" ${1+"$@"} # Admittedly, this is quite paranoid, since all the known shells bail # out after a failed `exec'. $as_echo "$0: could not re-execute with $CONFIG_SHELL" >&2 as_fn_exit 255 fi # We don't want this to propagate to other subprocesses. { _as_can_reexec=; unset _as_can_reexec;} if test "x$CONFIG_SHELL" = x; then as_bourne_compatible="if test -n \"\${ZSH_VERSION+set}\" && (emulate sh) >/dev/null 2>&1; then : emulate sh NULLCMD=: # Pre-4.2 versions of Zsh do word splitting on \${1+\"\$@\"}, which # is contrary to our usage. Disable this feature. alias -g '\${1+\"\$@\"}'='\"\$@\"' setopt NO_GLOB_SUBST else case \`(set -o) 2>/dev/null\` in #( *posix*) : set -o posix ;; #( *) : ;; esac fi " as_required="as_fn_return () { (exit \$1); } as_fn_success () { as_fn_return 0; } as_fn_failure () { as_fn_return 1; } as_fn_ret_success () { return 0; } as_fn_ret_failure () { return 1; } exitcode=0 as_fn_success || { exitcode=1; echo as_fn_success failed.; } as_fn_failure && { exitcode=1; echo as_fn_failure succeeded.; } as_fn_ret_success || { exitcode=1; echo as_fn_ret_success failed.; } as_fn_ret_failure && { exitcode=1; echo as_fn_ret_failure succeeded.; } if ( set x; as_fn_ret_success y && test x = \"\$1\" ); then : else exitcode=1; echo positional parameters were not saved. fi test x\$exitcode = x0 || exit 1 test -x / || exit 1" as_suggested=" as_lineno_1=";as_suggested=$as_suggested$LINENO;as_suggested=$as_suggested" as_lineno_1a=\$LINENO as_lineno_2=";as_suggested=$as_suggested$LINENO;as_suggested=$as_suggested" as_lineno_2a=\$LINENO eval 'test \"x\$as_lineno_1'\$as_run'\" != \"x\$as_lineno_2'\$as_run'\" && test \"x\`expr \$as_lineno_1'\$as_run' + 1\`\" = \"x\$as_lineno_2'\$as_run'\"' || exit 1 test \$(( 1 + 1 )) = 2 || exit 1" if (eval "$as_required") 2>/dev/null; then : as_have_required=yes else as_have_required=no fi if test x$as_have_required = xyes && (eval "$as_suggested") 2>/dev/null; then : else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR as_found=false for as_dir in /bin$PATH_SEPARATOR/usr/bin$PATH_SEPARATOR$PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. as_found=: case $as_dir in #( /*) for as_base in sh bash ksh sh5; do # Try only shells that exist, to save several forks. as_shell=$as_dir/$as_base if { test -f "$as_shell" || test -f "$as_shell.exe"; } && { $as_echo "$as_bourne_compatible""$as_required" | as_run=a "$as_shell"; } 2>/dev/null; then : CONFIG_SHELL=$as_shell as_have_required=yes if { $as_echo "$as_bourne_compatible""$as_suggested" | as_run=a "$as_shell"; } 2>/dev/null; then : break 2 fi fi done;; esac as_found=false done $as_found || { if { test -f "$SHELL" || test -f "$SHELL.exe"; } && { $as_echo "$as_bourne_compatible""$as_required" | as_run=a "$SHELL"; } 2>/dev/null; then : CONFIG_SHELL=$SHELL as_have_required=yes fi; } IFS=$as_save_IFS if test "x$CONFIG_SHELL" != x; then : export CONFIG_SHELL # We cannot yet assume a decent shell, so we have to provide a # neutralization value for shells without unset; and this also # works around shells that cannot unset nonexistent variables. # Preserve -v and -x to the replacement shell. BASH_ENV=/dev/null ENV=/dev/null (unset BASH_ENV) >/dev/null 2>&1 && unset BASH_ENV ENV case $- in # (((( *v*x* | *x*v* ) as_opts=-vx ;; *v* ) as_opts=-v ;; *x* ) as_opts=-x ;; * ) as_opts= ;; esac exec $CONFIG_SHELL $as_opts "$as_myself" ${1+"$@"} # Admittedly, this is quite paranoid, since all the known shells bail # out after a failed `exec'. $as_echo "$0: could not re-execute with $CONFIG_SHELL" >&2 exit 255 fi if test x$as_have_required = xno; then : $as_echo "$0: This script requires a shell more modern than all" $as_echo "$0: the shells that I found on your system." if test x${ZSH_VERSION+set} = xset ; then $as_echo "$0: In particular, zsh $ZSH_VERSION has bugs and should" $as_echo "$0: be upgraded to zsh 4.3.4 or later." else $as_echo "$0: Please tell bug-autoconf@gnu.org and $0: http://sourceforge.net/projects/asymptote about your $0: system, including any error possibly output before this $0: message. Then install a modern shell, or manually run $0: the script under such a shell if you do have one." fi exit 1 fi fi fi SHELL=${CONFIG_SHELL-/bin/sh} export SHELL # Unset more variables known to interfere with behavior of common tools. CLICOLOR_FORCE= GREP_OPTIONS= unset CLICOLOR_FORCE GREP_OPTIONS ## --------------------- ## ## M4sh Shell Functions. ## ## --------------------- ## # as_fn_unset VAR # --------------- # Portably unset VAR. as_fn_unset () { { eval $1=; unset $1;} } as_unset=as_fn_unset # as_fn_set_status STATUS # ----------------------- # Set $? to STATUS, without forking. as_fn_set_status () { return $1 } # as_fn_set_status # as_fn_exit STATUS # ----------------- # Exit the shell with STATUS, even in a "trap 0" or "set -e" context. as_fn_exit () { set +e as_fn_set_status $1 exit $1 } # as_fn_exit # as_fn_mkdir_p # ------------- # Create "$as_dir" as a directory, including parents if necessary. as_fn_mkdir_p () { case $as_dir in #( -*) as_dir=./$as_dir;; esac test -d "$as_dir" || eval $as_mkdir_p || { as_dirs= while :; do case $as_dir in #( *\'*) as_qdir=`$as_echo "$as_dir" | sed "s/'/'\\\\\\\\''/g"`;; #'( *) as_qdir=$as_dir;; esac as_dirs="'$as_qdir' $as_dirs" as_dir=`$as_dirname -- "$as_dir" || $as_expr X"$as_dir" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$as_dir" : 'X\(//\)[^/]' \| \ X"$as_dir" : 'X\(//\)$' \| \ X"$as_dir" : 'X\(/\)' \| . 2>/dev/null || $as_echo X"$as_dir" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q'` test -d "$as_dir" && break done test -z "$as_dirs" || eval "mkdir $as_dirs" } || test -d "$as_dir" || as_fn_error $? "cannot create directory $as_dir" } # as_fn_mkdir_p # as_fn_executable_p FILE # ----------------------- # Test if FILE is an executable regular file. as_fn_executable_p () { test -f "$1" && test -x "$1" } # as_fn_executable_p # as_fn_append VAR VALUE # ---------------------- # Append the text in VALUE to the end of the definition contained in VAR. Take # advantage of any shell optimizations that allow amortized linear growth over # repeated appends, instead of the typical quadratic growth present in naive # implementations. if (eval "as_var=1; as_var+=2; test x\$as_var = x12") 2>/dev/null; then : eval 'as_fn_append () { eval $1+=\$2 }' else as_fn_append () { eval $1=\$$1\$2 } fi # as_fn_append # as_fn_arith ARG... # ------------------ # Perform arithmetic evaluation on the ARGs, and store the result in the # global $as_val. Take advantage of shells that can avoid forks. The arguments # must be portable across $(()) and expr. if (eval "test \$(( 1 + 1 )) = 2") 2>/dev/null; then : eval 'as_fn_arith () { as_val=$(( $* )) }' else as_fn_arith () { as_val=`expr "$@" || test $? -eq 1` } fi # as_fn_arith # as_fn_error STATUS ERROR [LINENO LOG_FD] # ---------------------------------------- # Output "`basename $0`: error: ERROR" to stderr. If LINENO and LOG_FD are # provided, also output the error to LOG_FD, referencing LINENO. Then exit the # script with STATUS, using 1 if that was 0. as_fn_error () { as_status=$1; test $as_status -eq 0 && as_status=1 if test "$4"; then as_lineno=${as_lineno-"$3"} as_lineno_stack=as_lineno_stack=$as_lineno_stack $as_echo "$as_me:${as_lineno-$LINENO}: error: $2" >&$4 fi $as_echo "$as_me: error: $2" >&2 as_fn_exit $as_status } # as_fn_error if expr a : '\(a\)' >/dev/null 2>&1 && test "X`expr 00001 : '.*\(...\)'`" = X001; then as_expr=expr else as_expr=false fi if (basename -- /) >/dev/null 2>&1 && test "X`basename -- / 2>&1`" = "X/"; then as_basename=basename else as_basename=false fi if (as_dir=`dirname -- /` && test "X$as_dir" = X/) >/dev/null 2>&1; then as_dirname=dirname else as_dirname=false fi as_me=`$as_basename -- "$0" || $as_expr X/"$0" : '.*/\([^/][^/]*\)/*$' \| \ X"$0" : 'X\(//\)$' \| \ X"$0" : 'X\(/\)' \| . 2>/dev/null || $as_echo X/"$0" | sed '/^.*\/\([^/][^/]*\)\/*$/{ s//\1/ q } /^X\/\(\/\/\)$/{ s//\1/ q } /^X\/\(\/\).*/{ s//\1/ q } s/.*/./; q'` # Avoid depending upon Character Ranges. as_cr_letters='abcdefghijklmnopqrstuvwxyz' as_cr_LETTERS='ABCDEFGHIJKLMNOPQRSTUVWXYZ' as_cr_Letters=$as_cr_letters$as_cr_LETTERS as_cr_digits='0123456789' as_cr_alnum=$as_cr_Letters$as_cr_digits as_lineno_1=$LINENO as_lineno_1a=$LINENO as_lineno_2=$LINENO as_lineno_2a=$LINENO eval 'test "x$as_lineno_1'$as_run'" != "x$as_lineno_2'$as_run'" && test "x`expr $as_lineno_1'$as_run' + 1`" = "x$as_lineno_2'$as_run'"' || { # Blame Lee E. McMahon (1931-1989) for sed's syntax. :-) sed -n ' p /[$]LINENO/= ' <$as_myself | sed ' s/[$]LINENO.*/&-/ t lineno b :lineno N :loop s/[$]LINENO\([^'$as_cr_alnum'_].*\n\)\(.*\)/\2\1\2/ t loop s/-\n.*// ' >$as_me.lineno && chmod +x "$as_me.lineno" || { $as_echo "$as_me: error: cannot create $as_me.lineno; rerun with a POSIX shell" >&2; as_fn_exit 1; } # If we had to re-execute with $CONFIG_SHELL, we're ensured to have # already done that, so ensure we don't try to do so again and fall # in an infinite loop. This has already happened in practice. _as_can_reexec=no; export _as_can_reexec # Don't try to exec as it changes $[0], causing all sort of problems # (the dirname of $[0] is not the place where we might find the # original and so on. Autoconf is especially sensitive to this). . "./$as_me.lineno" # Exit status is that of the last command. exit } ECHO_C= ECHO_N= ECHO_T= case `echo -n x` in #((((( -n*) case `echo 'xy\c'` in *c*) ECHO_T=' ';; # ECHO_T is single tab character. xy) ECHO_C='\c';; *) echo `echo ksh88 bug on AIX 6.1` > /dev/null ECHO_T=' ';; esac;; *) ECHO_N='-n';; esac rm -f conf$$ conf$$.exe conf$$.file if test -d conf$$.dir; then rm -f conf$$.dir/conf$$.file else rm -f conf$$.dir mkdir conf$$.dir 2>/dev/null fi if (echo >conf$$.file) 2>/dev/null; then if ln -s conf$$.file conf$$ 2>/dev/null; then as_ln_s='ln -s' # ... but there are two gotchas: # 1) On MSYS, both `ln -s file dir' and `ln file dir' fail. # 2) DJGPP < 2.04 has no symlinks; `ln -s' creates a wrapper executable. # In both cases, we have to default to `cp -pR'. ln -s conf$$.file conf$$.dir 2>/dev/null && test ! -f conf$$.exe || as_ln_s='cp -pR' elif ln conf$$.file conf$$ 2>/dev/null; then as_ln_s=ln else as_ln_s='cp -pR' fi else as_ln_s='cp -pR' fi rm -f conf$$ conf$$.exe conf$$.dir/conf$$.file conf$$.file rmdir conf$$.dir 2>/dev/null if mkdir -p . 2>/dev/null; then as_mkdir_p='mkdir -p "$as_dir"' else test -d ./-p && rmdir ./-p as_mkdir_p=false fi as_test_x='test -x' as_executable_p=as_fn_executable_p # Sed expression to map a string onto a valid CPP name. as_tr_cpp="eval sed 'y%*$as_cr_letters%P$as_cr_LETTERS%;s%[^_$as_cr_alnum]%_%g'" # Sed expression to map a string onto a valid variable name. as_tr_sh="eval sed 'y%*+%pp%;s%[^_$as_cr_alnum]%_%g'" test -n "$DJDIR" || exec 7<&0 &1 # Name of the host. # hostname on some systems (SVR3.2, old GNU/Linux) returns a bogus exit status, # so uname gets run too. ac_hostname=`(hostname || uname -n) 2>/dev/null | sed 1q` # # Initializations. # ac_default_prefix=/usr/local ac_clean_files= ac_config_libobj_dir=. LIBOBJS= cross_compiling=no subdirs= MFLAGS= MAKEFLAGS= # Identity of this package. PACKAGE_NAME='Asymptote' PACKAGE_TARNAME='asymptote' PACKAGE_VERSION='2.62' PACKAGE_STRING='Asymptote 2.62' PACKAGE_BUGREPORT='http://sourceforge.net/projects/asymptote' PACKAGE_URL='' # Factoring default headers for most tests. ac_includes_default="\ #include #ifdef HAVE_SYS_TYPES_H # include #endif #ifdef HAVE_SYS_STAT_H # include #endif #ifdef STDC_HEADERS # include # include #else # ifdef HAVE_STDLIB_H # include # endif #endif #ifdef HAVE_STRING_H # if !defined STDC_HEADERS && defined HAVE_MEMORY_H # include # endif # include #endif #ifdef HAVE_STRINGS_H # include #endif #ifdef HAVE_INTTYPES_H # include #endif #ifdef HAVE_STDINT_H # include #endif #ifdef HAVE_UNISTD_H # include #endif" ac_unique_file="absyn.cc" ac_subst_vars='LTLIBOBJS LIBOBJS PTHREAD_CFLAGS PTHREAD_LIBS PTHREAD_CC ax_pthread_config GLEW OPTIONS INCL GCPPLIB GCLIB GCOPTIONS ATOMICVERSION ASYGLVERSION GCVERSION getopt CXXCPP YFLAGS YACC SET_MAKE INSTALL_DATA INSTALL_SCRIPT INSTALL_PROGRAM LEXLIB ac_ct_CXX CXXFLAGS CXX LEX_OUTPUT_ROOT LEX contextdir latexdir TEXI2DVI kpsewhich Datadir host_os host_vendor host_cpu host build_os build_vendor build_cpu build EGREP GREP CPP OBJEXT EXEEXT ac_ct_CC CPPFLAGS LDFLAGS CFLAGS CC VERSION target_alias host_alias build_alias LIBS ECHO_T ECHO_N ECHO_C DEFS mandir localedir libdir psdir pdfdir dvidir htmldir infodir docdir oldincludedir includedir localstatedir sharedstatedir sysconfdir datadir datarootdir libexecdir sbindir bindir program_transform_name prefix exec_prefix PACKAGE_URL PACKAGE_BUGREPORT PACKAGE_STRING PACKAGE_VERSION PACKAGE_TARNAME PACKAGE_NAME PATH_SEPARATOR SHELL' ac_subst_files='' ac_user_opts=' enable_option_checking with_latex with_context with_docdir enable_texlive_build enable_gc enable_gc_debug enable_gc_full_debug enable_sigsegv enable_readline enable_static enable_fftw enable_gsl enable_gl enable_offscreen enable_OpenImageIO ' ac_precious_vars='build_alias host_alias target_alias CC CFLAGS LDFLAGS LIBS CPPFLAGS CPP CXX CXXFLAGS CCC YACC YFLAGS CXXCPP' # Initialize some variables set by options. ac_init_help= ac_init_version=false ac_unrecognized_opts= ac_unrecognized_sep= # The variables have the same names as the options, with # dashes changed to underlines. cache_file=/dev/null exec_prefix=NONE no_create= no_recursion= prefix=NONE program_prefix=NONE program_suffix=NONE program_transform_name=s,x,x, silent= site= srcdir= verbose= x_includes=NONE x_libraries=NONE # Installation directory options. # These are left unexpanded so users can "make install exec_prefix=/foo" # and all the variables that are supposed to be based on exec_prefix # by default will actually change. # Use braces instead of parens because sh, perl, etc. also accept them. # (The list follows the same order as the GNU Coding Standards.) bindir='${exec_prefix}/bin' sbindir='${exec_prefix}/sbin' libexecdir='${exec_prefix}/libexec' datarootdir='${prefix}/share' datadir='${datarootdir}' sysconfdir='${prefix}/etc' sharedstatedir='${prefix}/com' localstatedir='${prefix}/var' includedir='${prefix}/include' oldincludedir='/usr/include' docdir='${datarootdir}/doc/${PACKAGE_TARNAME}' infodir='${datarootdir}/info' htmldir='${docdir}' dvidir='${docdir}' pdfdir='${docdir}' psdir='${docdir}' libdir='${exec_prefix}/lib' localedir='${datarootdir}/locale' mandir='${datarootdir}/man' ac_prev= ac_dashdash= for ac_option do # If the previous option needs an argument, assign it. if test -n "$ac_prev"; then eval $ac_prev=\$ac_option ac_prev= continue fi case $ac_option in *=?*) ac_optarg=`expr "X$ac_option" : '[^=]*=\(.*\)'` ;; *=) ac_optarg= ;; *) ac_optarg=yes ;; esac # Accept the important Cygnus configure options, so we can diagnose typos. case $ac_dashdash$ac_option in --) ac_dashdash=yes ;; -bindir | --bindir | --bindi | --bind | --bin | --bi) ac_prev=bindir ;; -bindir=* | --bindir=* | --bindi=* | --bind=* | --bin=* | --bi=*) bindir=$ac_optarg ;; -build | --build | --buil | --bui | --bu) ac_prev=build_alias ;; -build=* | --build=* | --buil=* | --bui=* | --bu=*) build_alias=$ac_optarg ;; -cache-file | --cache-file | --cache-fil | --cache-fi \ | --cache-f | --cache- | --cache | --cach | --cac | --ca | --c) ac_prev=cache_file ;; -cache-file=* | --cache-file=* | --cache-fil=* | --cache-fi=* \ | --cache-f=* | --cache-=* | --cache=* | --cach=* | --cac=* | --ca=* | --c=*) cache_file=$ac_optarg ;; --config-cache | -C) cache_file=config.cache ;; -datadir | --datadir | --datadi | --datad) ac_prev=datadir ;; -datadir=* | --datadir=* | --datadi=* | --datad=*) datadir=$ac_optarg ;; -datarootdir | --datarootdir | --datarootdi | --datarootd | --dataroot \ | --dataroo | --dataro | --datar) ac_prev=datarootdir ;; -datarootdir=* | --datarootdir=* | --datarootdi=* | --datarootd=* \ | --dataroot=* | --dataroo=* | --dataro=* | --datar=*) datarootdir=$ac_optarg ;; -disable-* | --disable-*) ac_useropt=`expr "x$ac_option" : 'x-*disable-\(.*\)'` # Reject names that are not valid shell variable names. expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null && as_fn_error $? "invalid feature name: $ac_useropt" ac_useropt_orig=$ac_useropt ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'` case $ac_user_opts in *" "enable_$ac_useropt" "*) ;; *) ac_unrecognized_opts="$ac_unrecognized_opts$ac_unrecognized_sep--disable-$ac_useropt_orig" ac_unrecognized_sep=', ';; esac eval enable_$ac_useropt=no ;; -docdir | --docdir | --docdi | --doc | --do) ac_prev=docdir ;; -docdir=* | --docdir=* | --docdi=* | --doc=* | --do=*) docdir=$ac_optarg ;; -dvidir | --dvidir | --dvidi | --dvid | --dvi | --dv) ac_prev=dvidir ;; -dvidir=* | --dvidir=* | --dvidi=* | --dvid=* | --dvi=* | --dv=*) dvidir=$ac_optarg ;; -enable-* | --enable-*) ac_useropt=`expr "x$ac_option" : 'x-*enable-\([^=]*\)'` # Reject names that are not valid shell variable names. expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null && as_fn_error $? "invalid feature name: $ac_useropt" ac_useropt_orig=$ac_useropt ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'` case $ac_user_opts in *" "enable_$ac_useropt" "*) ;; *) ac_unrecognized_opts="$ac_unrecognized_opts$ac_unrecognized_sep--enable-$ac_useropt_orig" ac_unrecognized_sep=', ';; esac eval enable_$ac_useropt=\$ac_optarg ;; -exec-prefix | --exec_prefix | --exec-prefix | --exec-prefi \ | --exec-pref | --exec-pre | --exec-pr | --exec-p | --exec- \ | --exec | --exe | --ex) ac_prev=exec_prefix ;; -exec-prefix=* | --exec_prefix=* | --exec-prefix=* | --exec-prefi=* \ | --exec-pref=* | --exec-pre=* | --exec-pr=* | --exec-p=* | --exec-=* \ | --exec=* | --exe=* | --ex=*) exec_prefix=$ac_optarg ;; -gas | --gas | --ga | --g) # Obsolete; use --with-gas. with_gas=yes ;; -help | --help | --hel | --he | -h) ac_init_help=long ;; -help=r* | --help=r* | --hel=r* | --he=r* | -hr*) ac_init_help=recursive ;; -help=s* | --help=s* | --hel=s* | --he=s* | -hs*) ac_init_help=short ;; -host | --host | --hos | --ho) ac_prev=host_alias ;; -host=* | --host=* | --hos=* | --ho=*) host_alias=$ac_optarg ;; -htmldir | --htmldir | --htmldi | --htmld | --html | --htm | --ht) ac_prev=htmldir ;; -htmldir=* | --htmldir=* | --htmldi=* | --htmld=* | --html=* | --htm=* \ | --ht=*) htmldir=$ac_optarg ;; -includedir | --includedir | --includedi | --included | --include \ | --includ | --inclu | --incl | --inc) ac_prev=includedir ;; -includedir=* | --includedir=* | --includedi=* | --included=* | --include=* \ | --includ=* | --inclu=* | --incl=* | --inc=*) includedir=$ac_optarg ;; -infodir | --infodir | --infodi | --infod | --info | --inf) ac_prev=infodir ;; -infodir=* | --infodir=* | --infodi=* | --infod=* | --info=* | --inf=*) infodir=$ac_optarg ;; -libdir | --libdir | --libdi | --libd) ac_prev=libdir ;; -libdir=* | --libdir=* | --libdi=* | --libd=*) libdir=$ac_optarg ;; -libexecdir | --libexecdir | --libexecdi | --libexecd | --libexec \ | --libexe | --libex | --libe) ac_prev=libexecdir ;; -libexecdir=* | --libexecdir=* | --libexecdi=* | --libexecd=* | --libexec=* \ | --libexe=* | --libex=* | --libe=*) libexecdir=$ac_optarg ;; -localedir | --localedir | --localedi | --localed | --locale) ac_prev=localedir ;; -localedir=* | --localedir=* | --localedi=* | --localed=* | --locale=*) localedir=$ac_optarg ;; -localstatedir | --localstatedir | --localstatedi | --localstated \ | --localstate | --localstat | --localsta | --localst | --locals) ac_prev=localstatedir ;; -localstatedir=* | --localstatedir=* | --localstatedi=* | --localstated=* \ | --localstate=* | --localstat=* | --localsta=* | --localst=* | --locals=*) localstatedir=$ac_optarg ;; -mandir | --mandir | --mandi | --mand | --man | --ma | --m) ac_prev=mandir ;; -mandir=* | --mandir=* | --mandi=* | --mand=* | --man=* | --ma=* | --m=*) mandir=$ac_optarg ;; -nfp | --nfp | --nf) # Obsolete; use --without-fp. with_fp=no ;; -no-create | --no-create | --no-creat | --no-crea | --no-cre \ | --no-cr | --no-c | -n) no_create=yes ;; -no-recursion | --no-recursion | --no-recursio | --no-recursi \ | --no-recurs | --no-recur | --no-recu | --no-rec | --no-re | --no-r) no_recursion=yes ;; -oldincludedir | --oldincludedir | --oldincludedi | --oldincluded \ | --oldinclude | --oldinclud | --oldinclu | --oldincl | --oldinc \ | --oldin | --oldi | --old | --ol | --o) ac_prev=oldincludedir ;; -oldincludedir=* | --oldincludedir=* | --oldincludedi=* | --oldincluded=* \ | --oldinclude=* | --oldinclud=* | --oldinclu=* | --oldincl=* | --oldinc=* \ | --oldin=* | --oldi=* | --old=* | --ol=* | --o=*) oldincludedir=$ac_optarg ;; -prefix | --prefix | --prefi | --pref | --pre | --pr | --p) ac_prev=prefix ;; -prefix=* | --prefix=* | --prefi=* | --pref=* | --pre=* | --pr=* | --p=*) prefix=$ac_optarg ;; -program-prefix | --program-prefix | --program-prefi | --program-pref \ | --program-pre | --program-pr | --program-p) ac_prev=program_prefix ;; -program-prefix=* | --program-prefix=* | --program-prefi=* \ | --program-pref=* | --program-pre=* | --program-pr=* | --program-p=*) program_prefix=$ac_optarg ;; -program-suffix | --program-suffix | --program-suffi | --program-suff \ | --program-suf | --program-su | --program-s) ac_prev=program_suffix ;; -program-suffix=* | --program-suffix=* | --program-suffi=* \ | --program-suff=* | --program-suf=* | --program-su=* | --program-s=*) program_suffix=$ac_optarg ;; -program-transform-name | --program-transform-name \ | --program-transform-nam | --program-transform-na \ | --program-transform-n | --program-transform- \ | --program-transform | --program-transfor \ | --program-transfo | --program-transf \ | --program-trans | --program-tran \ | --progr-tra | --program-tr | --program-t) ac_prev=program_transform_name ;; -program-transform-name=* | --program-transform-name=* \ | --program-transform-nam=* | --program-transform-na=* \ | --program-transform-n=* | --program-transform-=* \ | --program-transform=* | --program-transfor=* \ | --program-transfo=* | --program-transf=* \ | --program-trans=* | --program-tran=* \ | --progr-tra=* | --program-tr=* | --program-t=*) program_transform_name=$ac_optarg ;; -pdfdir | --pdfdir | --pdfdi | --pdfd | --pdf | --pd) ac_prev=pdfdir ;; -pdfdir=* | --pdfdir=* | --pdfdi=* | --pdfd=* | --pdf=* | --pd=*) pdfdir=$ac_optarg ;; -psdir | --psdir | --psdi | --psd | --ps) ac_prev=psdir ;; -psdir=* | --psdir=* | --psdi=* | --psd=* | --ps=*) psdir=$ac_optarg ;; -q | -quiet | --quiet | --quie | --qui | --qu | --q \ | -silent | --silent | --silen | --sile | --sil) silent=yes ;; -sbindir | --sbindir | --sbindi | --sbind | --sbin | --sbi | --sb) ac_prev=sbindir ;; -sbindir=* | --sbindir=* | --sbindi=* | --sbind=* | --sbin=* \ | --sbi=* | --sb=*) sbindir=$ac_optarg ;; -sharedstatedir | --sharedstatedir | --sharedstatedi \ | --sharedstated | --sharedstate | --sharedstat | --sharedsta \ | --sharedst | --shareds | --shared | --share | --shar \ | --sha | --sh) ac_prev=sharedstatedir ;; -sharedstatedir=* | --sharedstatedir=* | --sharedstatedi=* \ | --sharedstated=* | --sharedstate=* | --sharedstat=* | --sharedsta=* \ | --sharedst=* | --shareds=* | --shared=* | --share=* | --shar=* \ | --sha=* | --sh=*) sharedstatedir=$ac_optarg ;; -site | --site | --sit) ac_prev=site ;; -site=* | --site=* | --sit=*) site=$ac_optarg ;; -srcdir | --srcdir | --srcdi | --srcd | --src | --sr) ac_prev=srcdir ;; -srcdir=* | --srcdir=* | --srcdi=* | --srcd=* | --src=* | --sr=*) srcdir=$ac_optarg ;; -sysconfdir | --sysconfdir | --sysconfdi | --sysconfd | --sysconf \ | --syscon | --sysco | --sysc | --sys | --sy) ac_prev=sysconfdir ;; -sysconfdir=* | --sysconfdir=* | --sysconfdi=* | --sysconfd=* | --sysconf=* \ | --syscon=* | --sysco=* | --sysc=* | --sys=* | --sy=*) sysconfdir=$ac_optarg ;; -target | --target | --targe | --targ | --tar | --ta | --t) ac_prev=target_alias ;; -target=* | --target=* | --targe=* | --targ=* | --tar=* | --ta=* | --t=*) target_alias=$ac_optarg ;; -v | -verbose | --verbose | --verbos | --verbo | --verb) verbose=yes ;; -version | --version | --versio | --versi | --vers | -V) ac_init_version=: ;; -with-* | --with-*) ac_useropt=`expr "x$ac_option" : 'x-*with-\([^=]*\)'` # Reject names that are not valid shell variable names. expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null && as_fn_error $? "invalid package name: $ac_useropt" ac_useropt_orig=$ac_useropt ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'` case $ac_user_opts in *" "with_$ac_useropt" "*) ;; *) ac_unrecognized_opts="$ac_unrecognized_opts$ac_unrecognized_sep--with-$ac_useropt_orig" ac_unrecognized_sep=', ';; esac eval with_$ac_useropt=\$ac_optarg ;; -without-* | --without-*) ac_useropt=`expr "x$ac_option" : 'x-*without-\(.*\)'` # Reject names that are not valid shell variable names. expr "x$ac_useropt" : ".*[^-+._$as_cr_alnum]" >/dev/null && as_fn_error $? "invalid package name: $ac_useropt" ac_useropt_orig=$ac_useropt ac_useropt=`$as_echo "$ac_useropt" | sed 's/[-+.]/_/g'` case $ac_user_opts in *" "with_$ac_useropt" "*) ;; *) ac_unrecognized_opts="$ac_unrecognized_opts$ac_unrecognized_sep--without-$ac_useropt_orig" ac_unrecognized_sep=', ';; esac eval with_$ac_useropt=no ;; --x) # Obsolete; use --with-x. with_x=yes ;; -x-includes | --x-includes | --x-include | --x-includ | --x-inclu \ | --x-incl | --x-inc | --x-in | --x-i) ac_prev=x_includes ;; -x-includes=* | --x-includes=* | --x-include=* | --x-includ=* | --x-inclu=* \ | --x-incl=* | --x-inc=* | --x-in=* | --x-i=*) x_includes=$ac_optarg ;; -x-libraries | --x-libraries | --x-librarie | --x-librari \ | --x-librar | --x-libra | --x-libr | --x-lib | --x-li | --x-l) ac_prev=x_libraries ;; -x-libraries=* | --x-libraries=* | --x-librarie=* | --x-librari=* \ | --x-librar=* | --x-libra=* | --x-libr=* | --x-lib=* | --x-li=* | --x-l=*) x_libraries=$ac_optarg ;; -*) as_fn_error $? "unrecognized option: \`$ac_option' Try \`$0 --help' for more information" ;; *=*) ac_envvar=`expr "x$ac_option" : 'x\([^=]*\)='` # Reject names that are not valid shell variable names. case $ac_envvar in #( '' | [0-9]* | *[!_$as_cr_alnum]* ) as_fn_error $? "invalid variable name: \`$ac_envvar'" ;; esac eval $ac_envvar=\$ac_optarg export $ac_envvar ;; *) # FIXME: should be removed in autoconf 3.0. $as_echo "$as_me: WARNING: you should use --build, --host, --target" >&2 expr "x$ac_option" : ".*[^-._$as_cr_alnum]" >/dev/null && $as_echo "$as_me: WARNING: invalid host type: $ac_option" >&2 : "${build_alias=$ac_option} ${host_alias=$ac_option} ${target_alias=$ac_option}" ;; esac done if test -n "$ac_prev"; then ac_option=--`echo $ac_prev | sed 's/_/-/g'` as_fn_error $? "missing argument to $ac_option" fi if test -n "$ac_unrecognized_opts"; then case $enable_option_checking in no) ;; fatal) as_fn_error $? "unrecognized options: $ac_unrecognized_opts" ;; *) $as_echo "$as_me: WARNING: unrecognized options: $ac_unrecognized_opts" >&2 ;; esac fi # Check all directory arguments for consistency. for ac_var in exec_prefix prefix bindir sbindir libexecdir datarootdir \ datadir sysconfdir sharedstatedir localstatedir includedir \ oldincludedir docdir infodir htmldir dvidir pdfdir psdir \ libdir localedir mandir do eval ac_val=\$$ac_var # Remove trailing slashes. case $ac_val in */ ) ac_val=`expr "X$ac_val" : 'X\(.*[^/]\)' \| "X$ac_val" : 'X\(.*\)'` eval $ac_var=\$ac_val;; esac # Be sure to have absolute directory names. case $ac_val in [\\/$]* | ?:[\\/]* ) continue;; NONE | '' ) case $ac_var in *prefix ) continue;; esac;; esac as_fn_error $? "expected an absolute directory name for --$ac_var: $ac_val" done # There might be people who depend on the old broken behavior: `$host' # used to hold the argument of --host etc. # FIXME: To remove some day. build=$build_alias host=$host_alias target=$target_alias # FIXME: To remove some day. if test "x$host_alias" != x; then if test "x$build_alias" = x; then cross_compiling=maybe elif test "x$build_alias" != "x$host_alias"; then cross_compiling=yes fi fi ac_tool_prefix= test -n "$host_alias" && ac_tool_prefix=$host_alias- test "$silent" = yes && exec 6>/dev/null ac_pwd=`pwd` && test -n "$ac_pwd" && ac_ls_di=`ls -di .` && ac_pwd_ls_di=`cd "$ac_pwd" && ls -di .` || as_fn_error $? "working directory cannot be determined" test "X$ac_ls_di" = "X$ac_pwd_ls_di" || as_fn_error $? "pwd does not report name of working directory" # Find the source files, if location was not specified. if test -z "$srcdir"; then ac_srcdir_defaulted=yes # Try the directory containing this script, then the parent directory. ac_confdir=`$as_dirname -- "$as_myself" || $as_expr X"$as_myself" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$as_myself" : 'X\(//\)[^/]' \| \ X"$as_myself" : 'X\(//\)$' \| \ X"$as_myself" : 'X\(/\)' \| . 2>/dev/null || $as_echo X"$as_myself" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q'` srcdir=$ac_confdir if test ! -r "$srcdir/$ac_unique_file"; then srcdir=.. fi else ac_srcdir_defaulted=no fi if test ! -r "$srcdir/$ac_unique_file"; then test "$ac_srcdir_defaulted" = yes && srcdir="$ac_confdir or .." as_fn_error $? "cannot find sources ($ac_unique_file) in $srcdir" fi ac_msg="sources are in $srcdir, but \`cd $srcdir' does not work" ac_abs_confdir=`( cd "$srcdir" && test -r "./$ac_unique_file" || as_fn_error $? "$ac_msg" pwd)` # When building in place, set srcdir=. if test "$ac_abs_confdir" = "$ac_pwd"; then srcdir=. fi # Remove unnecessary trailing slashes from srcdir. # Double slashes in file names in object file debugging info # mess up M-x gdb in Emacs. case $srcdir in */) srcdir=`expr "X$srcdir" : 'X\(.*[^/]\)' \| "X$srcdir" : 'X\(.*\)'`;; esac for ac_var in $ac_precious_vars; do eval ac_env_${ac_var}_set=\${${ac_var}+set} eval ac_env_${ac_var}_value=\$${ac_var} eval ac_cv_env_${ac_var}_set=\${${ac_var}+set} eval ac_cv_env_${ac_var}_value=\$${ac_var} done # # Report the --help message. # if test "$ac_init_help" = "long"; then # Omit some internal or obsolete options to make the list less imposing. # This message is too long to be a string in the A/UX 3.1 sh. cat <<_ACEOF \`configure' configures Asymptote 2.62 to adapt to many kinds of systems. Usage: $0 [OPTION]... [VAR=VALUE]... To assign environment variables (e.g., CC, CFLAGS...), specify them as VAR=VALUE. See below for descriptions of some of the useful variables. Defaults for the options are specified in brackets. Configuration: -h, --help display this help and exit --help=short display options specific to this package --help=recursive display the short help of all the included packages -V, --version display version information and exit -q, --quiet, --silent do not print \`checking ...' messages --cache-file=FILE cache test results in FILE [disabled] -C, --config-cache alias for \`--cache-file=config.cache' -n, --no-create do not create output files --srcdir=DIR find the sources in DIR [configure dir or \`..'] Installation directories: --prefix=PREFIX install architecture-independent files in PREFIX [$ac_default_prefix] --exec-prefix=EPREFIX install architecture-dependent files in EPREFIX [PREFIX] By default, \`make install' will install all the files in \`$ac_default_prefix/bin', \`$ac_default_prefix/lib' etc. You can specify an installation prefix other than \`$ac_default_prefix' using \`--prefix', for instance \`--prefix=\$HOME'. For better control, use the options below. Fine tuning of the installation directories: --bindir=DIR user executables [EPREFIX/bin] --sbindir=DIR system admin executables [EPREFIX/sbin] --libexecdir=DIR program executables [EPREFIX/libexec] --sysconfdir=DIR read-only single-machine data [PREFIX/etc] --sharedstatedir=DIR modifiable architecture-independent data [PREFIX/com] --localstatedir=DIR modifiable single-machine data [PREFIX/var] --libdir=DIR object code libraries [EPREFIX/lib] --includedir=DIR C header files [PREFIX/include] --oldincludedir=DIR C header files for non-gcc [/usr/include] --datarootdir=DIR read-only arch.-independent data root [PREFIX/share] --datadir=DIR read-only architecture-independent data [DATAROOTDIR] --infodir=DIR info documentation [DATAROOTDIR/info] --localedir=DIR locale-dependent data [DATAROOTDIR/locale] --mandir=DIR man documentation [DATAROOTDIR/man] --docdir=DIR documentation root [DATAROOTDIR/doc/asymptote] --htmldir=DIR html documentation [DOCDIR] --dvidir=DIR dvi documentation [DOCDIR] --pdfdir=DIR pdf documentation [DOCDIR] --psdir=DIR ps documentation [DOCDIR] _ACEOF cat <<\_ACEOF System types: --build=BUILD configure for building on BUILD [guessed] --host=HOST cross-compile to build programs to run on HOST [BUILD] _ACEOF fi if test -n "$ac_init_help"; then case $ac_init_help in short | recursive ) echo "Configuration of Asymptote 2.62:";; esac cat <<\_ACEOF Optional Features: --disable-option-checking ignore unrecognized --enable/--with options --disable-FEATURE do not include FEATURE (same as --enable-FEATURE=no) --enable-FEATURE[=ARG] include FEATURE [ARG=yes] --enable-texlive-build automatically determine sysdir from kpsewhich --enable-gc[=system] enable system Boehm garbage collector [=VERSION] enable local VERSION of Boehm garbage collector [=PREFIX] use Boehm garbage collector installed in PREFIX --enable-gc-debug enable (slow) garbage collector debugging --enable-gc-full-debug enable (very slow) garbage collector backtrace --enable-sigsegv[=yes] enable GNU Stack Overflow Handler --enable-readline[=yes] enable GNU Readline Library --enable-static[=no] link against static libraries --enable-fftw[=yes] enable FFTW Library --enable-gsl[=yes] enable GNU Scientific Library --enable-gl[=yes] enable OpenGL Library --enable-offscreen[=no] enable experimental offscreen rendering using OSMesa library --enable-openimageio[=no] enable experimental OpenImageIO Library Optional Packages: --with-PACKAGE[=ARG] use PACKAGE [ARG=yes] --without-PACKAGE do not use PACKAGE (same as --with-PACKAGE=no) --with-latex=PATH specify path to LaTeX installation --with-context=PATH specify path to ConTeXt installation --with-docdir=PATH alternate documentation installation directory Some influential environment variables: CC C compiler command CFLAGS C compiler flags LDFLAGS linker flags, e.g. -L if you have libraries in a nonstandard directory LIBS libraries to pass to the linker, e.g. -l CPPFLAGS (Objective) C/C++ preprocessor flags, e.g. -I if you have headers in a nonstandard directory CPP C preprocessor CXX C++ compiler command CXXFLAGS C++ compiler flags YACC The `Yet Another Compiler Compiler' implementation to use. Defaults to the first program found out of: `bison -y', `byacc', `yacc'. YFLAGS The list of arguments that will be passed by default to $YACC. This script will default YFLAGS to the empty string to avoid a default value of `-d' given by some make applications. CXXCPP C++ preprocessor Use these variables to override the choices made by `configure' or to help it to find libraries and programs with nonstandard names/locations. Report bugs to . _ACEOF ac_status=$? fi if test "$ac_init_help" = "recursive"; then # If there are subdirs, report their specific --help. for ac_dir in : $ac_subdirs_all; do test "x$ac_dir" = x: && continue test -d "$ac_dir" || { cd "$srcdir" && ac_pwd=`pwd` && srcdir=. && test -d "$ac_dir"; } || continue ac_builddir=. case "$ac_dir" in .) ac_dir_suffix= ac_top_builddir_sub=. ac_top_build_prefix= ;; *) ac_dir_suffix=/`$as_echo "$ac_dir" | sed 's|^\.[\\/]||'` # A ".." for each directory in $ac_dir_suffix. ac_top_builddir_sub=`$as_echo "$ac_dir_suffix" | sed 's|/[^\\/]*|/..|g;s|/||'` case $ac_top_builddir_sub in "") ac_top_builddir_sub=. ac_top_build_prefix= ;; *) ac_top_build_prefix=$ac_top_builddir_sub/ ;; esac ;; esac ac_abs_top_builddir=$ac_pwd ac_abs_builddir=$ac_pwd$ac_dir_suffix # for backward compatibility: ac_top_builddir=$ac_top_build_prefix case $srcdir in .) # We are building in place. ac_srcdir=. ac_top_srcdir=$ac_top_builddir_sub ac_abs_top_srcdir=$ac_pwd ;; [\\/]* | ?:[\\/]* ) # Absolute name. ac_srcdir=$srcdir$ac_dir_suffix; ac_top_srcdir=$srcdir ac_abs_top_srcdir=$srcdir ;; *) # Relative name. ac_srcdir=$ac_top_build_prefix$srcdir$ac_dir_suffix ac_top_srcdir=$ac_top_build_prefix$srcdir ac_abs_top_srcdir=$ac_pwd/$srcdir ;; esac ac_abs_srcdir=$ac_abs_top_srcdir$ac_dir_suffix cd "$ac_dir" || { ac_status=$?; continue; } # Check for guested configure. if test -f "$ac_srcdir/configure.gnu"; then echo && $SHELL "$ac_srcdir/configure.gnu" --help=recursive elif test -f "$ac_srcdir/configure"; then echo && $SHELL "$ac_srcdir/configure" --help=recursive else $as_echo "$as_me: WARNING: no configuration information is in $ac_dir" >&2 fi || ac_status=$? cd "$ac_pwd" || { ac_status=$?; break; } done fi test -n "$ac_init_help" && exit $ac_status if $ac_init_version; then cat <<\_ACEOF Asymptote configure 2.62 generated by GNU Autoconf 2.69 Copyright (C) 2012 Free Software Foundation, Inc. This configure script is free software; the Free Software Foundation gives unlimited permission to copy, distribute and modify it. _ACEOF exit fi ## ------------------------ ## ## Autoconf initialization. ## ## ------------------------ ## # ac_fn_c_try_compile LINENO # -------------------------- # Try to compile conftest.$ac_ext, and return whether this succeeded. ac_fn_c_try_compile () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack rm -f conftest.$ac_objext if { { ac_try="$ac_compile" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compile") 2>conftest.err ac_status=$? if test -s conftest.err; then grep -v '^ *+' conftest.err >conftest.er1 cat conftest.er1 >&5 mv -f conftest.er1 conftest.err fi $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } && { test -z "$ac_c_werror_flag" || test ! -s conftest.err } && test -s conftest.$ac_objext; then : ac_retval=0 else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=1 fi eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_c_try_compile # ac_fn_c_try_run LINENO # ---------------------- # Try to link conftest.$ac_ext, and return whether this succeeded. Assumes # that executables *can* be run. ac_fn_c_try_run () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack if { { ac_try="$ac_link" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } && { ac_try='./conftest$ac_exeext' { { case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_try") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; }; }; then : ac_retval=0 else $as_echo "$as_me: program exited with status $ac_status" >&5 $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=$ac_status fi rm -rf conftest.dSYM conftest_ipa8_conftest.oo eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_c_try_run # ac_fn_c_try_cpp LINENO # ---------------------- # Try to preprocess conftest.$ac_ext, and return whether this succeeded. ac_fn_c_try_cpp () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack if { { ac_try="$ac_cpp conftest.$ac_ext" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_cpp conftest.$ac_ext") 2>conftest.err ac_status=$? if test -s conftest.err; then grep -v '^ *+' conftest.err >conftest.er1 cat conftest.er1 >&5 mv -f conftest.er1 conftest.err fi $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } > conftest.i && { test -z "$ac_c_preproc_warn_flag$ac_c_werror_flag" || test ! -s conftest.err }; then : ac_retval=0 else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=1 fi eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_c_try_cpp # ac_fn_c_check_header_compile LINENO HEADER VAR INCLUDES # ------------------------------------------------------- # Tests whether HEADER exists and can be compiled using the include files in # INCLUDES, setting the cache variable VAR accordingly. ac_fn_c_check_header_compile () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $2" >&5 $as_echo_n "checking for $2... " >&6; } if eval \${$3+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ $4 #include <$2> _ACEOF if ac_fn_c_try_compile "$LINENO"; then : eval "$3=yes" else eval "$3=no" fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi eval ac_res=\$$3 { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno } # ac_fn_c_check_header_compile # ac_fn_cxx_try_compile LINENO # ---------------------------- # Try to compile conftest.$ac_ext, and return whether this succeeded. ac_fn_cxx_try_compile () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack rm -f conftest.$ac_objext if { { ac_try="$ac_compile" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compile") 2>conftest.err ac_status=$? if test -s conftest.err; then grep -v '^ *+' conftest.err >conftest.er1 cat conftest.er1 >&5 mv -f conftest.er1 conftest.err fi $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } && { test -z "$ac_cxx_werror_flag" || test ! -s conftest.err } && test -s conftest.$ac_objext; then : ac_retval=0 else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=1 fi eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_cxx_try_compile # ac_fn_cxx_try_link LINENO # ------------------------- # Try to link conftest.$ac_ext, and return whether this succeeded. ac_fn_cxx_try_link () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack rm -f conftest.$ac_objext conftest$ac_exeext if { { ac_try="$ac_link" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link") 2>conftest.err ac_status=$? if test -s conftest.err; then grep -v '^ *+' conftest.err >conftest.er1 cat conftest.er1 >&5 mv -f conftest.er1 conftest.err fi $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } && { test -z "$ac_cxx_werror_flag" || test ! -s conftest.err } && test -s conftest$ac_exeext && { test "$cross_compiling" = yes || test -x conftest$ac_exeext }; then : ac_retval=0 else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=1 fi # Delete the IPA/IPO (Inter Procedural Analysis/Optimization) information # created by the PGI compiler (conftest_ipa8_conftest.oo), as it would # interfere with the next link command; also delete a directory that is # left behind by Apple's compiler. We do this before executing the actions. rm -rf conftest.dSYM conftest_ipa8_conftest.oo eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_cxx_try_link # ac_fn_cxx_try_cpp LINENO # ------------------------ # Try to preprocess conftest.$ac_ext, and return whether this succeeded. ac_fn_cxx_try_cpp () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack if { { ac_try="$ac_cpp conftest.$ac_ext" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_cpp conftest.$ac_ext") 2>conftest.err ac_status=$? if test -s conftest.err; then grep -v '^ *+' conftest.err >conftest.er1 cat conftest.er1 >&5 mv -f conftest.er1 conftest.err fi $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } > conftest.i && { test -z "$ac_cxx_preproc_warn_flag$ac_cxx_werror_flag" || test ! -s conftest.err }; then : ac_retval=0 else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=1 fi eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_cxx_try_cpp # ac_fn_cxx_check_header_mongrel LINENO HEADER VAR INCLUDES # --------------------------------------------------------- # Tests whether HEADER exists, giving a warning if it cannot be compiled using # the include files in INCLUDES and setting the cache variable VAR # accordingly. ac_fn_cxx_check_header_mongrel () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack if eval \${$3+:} false; then : { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $2" >&5 $as_echo_n "checking for $2... " >&6; } if eval \${$3+:} false; then : $as_echo_n "(cached) " >&6 fi eval ac_res=\$$3 { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } else # Is the header compilable? { $as_echo "$as_me:${as_lineno-$LINENO}: checking $2 usability" >&5 $as_echo_n "checking $2 usability... " >&6; } cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ $4 #include <$2> _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_header_compiler=yes else ac_header_compiler=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_header_compiler" >&5 $as_echo "$ac_header_compiler" >&6; } # Is the header present? { $as_echo "$as_me:${as_lineno-$LINENO}: checking $2 presence" >&5 $as_echo_n "checking $2 presence... " >&6; } cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include <$2> _ACEOF if ac_fn_cxx_try_cpp "$LINENO"; then : ac_header_preproc=yes else ac_header_preproc=no fi rm -f conftest.err conftest.i conftest.$ac_ext { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_header_preproc" >&5 $as_echo "$ac_header_preproc" >&6; } # So? What about this header? case $ac_header_compiler:$ac_header_preproc:$ac_cxx_preproc_warn_flag in #(( yes:no: ) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: accepted by the compiler, rejected by the preprocessor!" >&5 $as_echo "$as_me: WARNING: $2: accepted by the compiler, rejected by the preprocessor!" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: proceeding with the compiler's result" >&5 $as_echo "$as_me: WARNING: $2: proceeding with the compiler's result" >&2;} ;; no:yes:* ) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: present but cannot be compiled" >&5 $as_echo "$as_me: WARNING: $2: present but cannot be compiled" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: check for missing prerequisite headers?" >&5 $as_echo "$as_me: WARNING: $2: check for missing prerequisite headers?" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: see the Autoconf documentation" >&5 $as_echo "$as_me: WARNING: $2: see the Autoconf documentation" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: section \"Present But Cannot Be Compiled\"" >&5 $as_echo "$as_me: WARNING: $2: section \"Present But Cannot Be Compiled\"" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $2: proceeding with the compiler's result" >&5 $as_echo "$as_me: WARNING: $2: proceeding with the compiler's result" >&2;} ( $as_echo "## -------------------------------------------------------- ## ## Report this to http://sourceforge.net/projects/asymptote ## ## -------------------------------------------------------- ##" ) | sed "s/^/$as_me: WARNING: /" >&2 ;; esac { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $2" >&5 $as_echo_n "checking for $2... " >&6; } if eval \${$3+:} false; then : $as_echo_n "(cached) " >&6 else eval "$3=\$ac_header_compiler" fi eval ac_res=\$$3 { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } fi eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno } # ac_fn_cxx_check_header_mongrel # ac_fn_cxx_check_func LINENO FUNC VAR # ------------------------------------ # Tests whether FUNC exists, setting the cache variable VAR accordingly ac_fn_cxx_check_func () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $2" >&5 $as_echo_n "checking for $2... " >&6; } if eval \${$3+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Define $2 to an innocuous variant, in case declares $2. For example, HP-UX 11i declares gettimeofday. */ #define $2 innocuous_$2 /* System header to define __stub macros and hopefully few prototypes, which can conflict with char $2 (); below. Prefer to if __STDC__ is defined, since exists even on freestanding compilers. */ #ifdef __STDC__ # include #else # include #endif #undef $2 /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char $2 (); /* The GNU C library defines this for functions which it implements to always fail with ENOSYS. Some functions are actually named something starting with __ and the normal name is an alias. */ #if defined __stub_$2 || defined __stub___$2 choke me #endif int main () { return $2 (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : eval "$3=yes" else eval "$3=no" fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext fi eval ac_res=\$$3 { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno } # ac_fn_cxx_check_func # ac_fn_c_try_link LINENO # ----------------------- # Try to link conftest.$ac_ext, and return whether this succeeded. ac_fn_c_try_link () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack rm -f conftest.$ac_objext conftest$ac_exeext if { { ac_try="$ac_link" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link") 2>conftest.err ac_status=$? if test -s conftest.err; then grep -v '^ *+' conftest.err >conftest.er1 cat conftest.er1 >&5 mv -f conftest.er1 conftest.err fi $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } && { test -z "$ac_c_werror_flag" || test ! -s conftest.err } && test -s conftest$ac_exeext && { test "$cross_compiling" = yes || test -x conftest$ac_exeext }; then : ac_retval=0 else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=1 fi # Delete the IPA/IPO (Inter Procedural Analysis/Optimization) information # created by the PGI compiler (conftest_ipa8_conftest.oo), as it would # interfere with the next link command; also delete a directory that is # left behind by Apple's compiler. We do this before executing the actions. rm -rf conftest.dSYM conftest_ipa8_conftest.oo eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_c_try_link # ac_fn_cxx_check_type LINENO TYPE VAR INCLUDES # --------------------------------------------- # Tests whether TYPE exists after having included INCLUDES, setting cache # variable VAR accordingly. ac_fn_cxx_check_type () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $2" >&5 $as_echo_n "checking for $2... " >&6; } if eval \${$3+:} false; then : $as_echo_n "(cached) " >&6 else eval "$3=no" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ $4 int main () { if (sizeof ($2)) return 0; ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ $4 int main () { if (sizeof (($2))) return 0; ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : else eval "$3=yes" fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi eval ac_res=\$$3 { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno } # ac_fn_cxx_check_type # ac_fn_cxx_try_run LINENO # ------------------------ # Try to link conftest.$ac_ext, and return whether this succeeded. Assumes # that executables *can* be run. ac_fn_cxx_try_run () { as_lineno=${as_lineno-"$1"} as_lineno_stack=as_lineno_stack=$as_lineno_stack if { { ac_try="$ac_link" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } && { ac_try='./conftest$ac_exeext' { { case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_try") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; }; }; then : ac_retval=0 else $as_echo "$as_me: program exited with status $ac_status" >&5 $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 ac_retval=$ac_status fi rm -rf conftest.dSYM conftest_ipa8_conftest.oo eval $as_lineno_stack; ${as_lineno_stack:+:} unset as_lineno as_fn_set_status $ac_retval } # ac_fn_cxx_try_run cat >config.log <<_ACEOF This file contains any messages produced by compilers while running configure, to aid debugging if configure makes a mistake. It was created by Asymptote $as_me 2.62, which was generated by GNU Autoconf 2.69. Invocation command line was $ $0 $@ _ACEOF exec 5>>config.log { cat <<_ASUNAME ## --------- ## ## Platform. ## ## --------- ## hostname = `(hostname || uname -n) 2>/dev/null | sed 1q` uname -m = `(uname -m) 2>/dev/null || echo unknown` uname -r = `(uname -r) 2>/dev/null || echo unknown` uname -s = `(uname -s) 2>/dev/null || echo unknown` uname -v = `(uname -v) 2>/dev/null || echo unknown` /usr/bin/uname -p = `(/usr/bin/uname -p) 2>/dev/null || echo unknown` /bin/uname -X = `(/bin/uname -X) 2>/dev/null || echo unknown` /bin/arch = `(/bin/arch) 2>/dev/null || echo unknown` /usr/bin/arch -k = `(/usr/bin/arch -k) 2>/dev/null || echo unknown` /usr/convex/getsysinfo = `(/usr/convex/getsysinfo) 2>/dev/null || echo unknown` /usr/bin/hostinfo = `(/usr/bin/hostinfo) 2>/dev/null || echo unknown` /bin/machine = `(/bin/machine) 2>/dev/null || echo unknown` /usr/bin/oslevel = `(/usr/bin/oslevel) 2>/dev/null || echo unknown` /bin/universe = `(/bin/universe) 2>/dev/null || echo unknown` _ASUNAME as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. $as_echo "PATH: $as_dir" done IFS=$as_save_IFS } >&5 cat >&5 <<_ACEOF ## ----------- ## ## Core tests. ## ## ----------- ## _ACEOF # Keep a trace of the command line. # Strip out --no-create and --no-recursion so they do not pile up. # Strip out --silent because we don't want to record it for future runs. # Also quote any args containing shell meta-characters. # Make two passes to allow for proper duplicate-argument suppression. ac_configure_args= ac_configure_args0= ac_configure_args1= ac_must_keep_next=false for ac_pass in 1 2 do for ac_arg do case $ac_arg in -no-create | --no-c* | -n | -no-recursion | --no-r*) continue ;; -q | -quiet | --quiet | --quie | --qui | --qu | --q \ | -silent | --silent | --silen | --sile | --sil) continue ;; *\'*) ac_arg=`$as_echo "$ac_arg" | sed "s/'/'\\\\\\\\''/g"` ;; esac case $ac_pass in 1) as_fn_append ac_configure_args0 " '$ac_arg'" ;; 2) as_fn_append ac_configure_args1 " '$ac_arg'" if test $ac_must_keep_next = true; then ac_must_keep_next=false # Got value, back to normal. else case $ac_arg in *=* | --config-cache | -C | -disable-* | --disable-* \ | -enable-* | --enable-* | -gas | --g* | -nfp | --nf* \ | -q | -quiet | --q* | -silent | --sil* | -v | -verb* \ | -with-* | --with-* | -without-* | --without-* | --x) case "$ac_configure_args0 " in "$ac_configure_args1"*" '$ac_arg' "* ) continue ;; esac ;; -* ) ac_must_keep_next=true ;; esac fi as_fn_append ac_configure_args " '$ac_arg'" ;; esac done done { ac_configure_args0=; unset ac_configure_args0;} { ac_configure_args1=; unset ac_configure_args1;} # When interrupted or exit'd, cleanup temporary files, and complete # config.log. We remove comments because anyway the quotes in there # would cause problems or look ugly. # WARNING: Use '\'' to represent an apostrophe within the trap. # WARNING: Do not start the trap code with a newline, due to a FreeBSD 4.0 bug. trap 'exit_status=$? # Save into config.log some information that might help in debugging. { echo $as_echo "## ---------------- ## ## Cache variables. ## ## ---------------- ##" echo # The following way of writing the cache mishandles newlines in values, ( for ac_var in `(set) 2>&1 | sed -n '\''s/^\([a-zA-Z_][a-zA-Z0-9_]*\)=.*/\1/p'\''`; do eval ac_val=\$$ac_var case $ac_val in #( *${as_nl}*) case $ac_var in #( *_cv_*) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: cache variable $ac_var contains a newline" >&5 $as_echo "$as_me: WARNING: cache variable $ac_var contains a newline" >&2;} ;; esac case $ac_var in #( _ | IFS | as_nl) ;; #( BASH_ARGV | BASH_SOURCE) eval $ac_var= ;; #( *) { eval $ac_var=; unset $ac_var;} ;; esac ;; esac done (set) 2>&1 | case $as_nl`(ac_space='\'' '\''; set) 2>&1` in #( *${as_nl}ac_space=\ *) sed -n \ "s/'\''/'\''\\\\'\'''\''/g; s/^\\([_$as_cr_alnum]*_cv_[_$as_cr_alnum]*\\)=\\(.*\\)/\\1='\''\\2'\''/p" ;; #( *) sed -n "/^[_$as_cr_alnum]*_cv_[_$as_cr_alnum]*=/p" ;; esac | sort ) echo $as_echo "## ----------------- ## ## Output variables. ## ## ----------------- ##" echo for ac_var in $ac_subst_vars do eval ac_val=\$$ac_var case $ac_val in *\'\''*) ac_val=`$as_echo "$ac_val" | sed "s/'\''/'\''\\\\\\\\'\'''\''/g"`;; esac $as_echo "$ac_var='\''$ac_val'\''" done | sort echo if test -n "$ac_subst_files"; then $as_echo "## ------------------- ## ## File substitutions. ## ## ------------------- ##" echo for ac_var in $ac_subst_files do eval ac_val=\$$ac_var case $ac_val in *\'\''*) ac_val=`$as_echo "$ac_val" | sed "s/'\''/'\''\\\\\\\\'\'''\''/g"`;; esac $as_echo "$ac_var='\''$ac_val'\''" done | sort echo fi if test -s confdefs.h; then $as_echo "## ----------- ## ## confdefs.h. ## ## ----------- ##" echo cat confdefs.h echo fi test "$ac_signal" != 0 && $as_echo "$as_me: caught signal $ac_signal" $as_echo "$as_me: exit $exit_status" } >&5 rm -f core *.core core.conftest.* && rm -f -r conftest* confdefs* conf$$* $ac_clean_files && exit $exit_status ' 0 for ac_signal in 1 2 13 15; do trap 'ac_signal='$ac_signal'; as_fn_exit 1' $ac_signal done ac_signal=0 # confdefs.h avoids OS command line length limits that DEFS can exceed. rm -f -r conftest* confdefs.h $as_echo "/* confdefs.h */" > confdefs.h # Predefined preprocessor variables. cat >>confdefs.h <<_ACEOF #define PACKAGE_NAME "$PACKAGE_NAME" _ACEOF cat >>confdefs.h <<_ACEOF #define PACKAGE_TARNAME "$PACKAGE_TARNAME" _ACEOF cat >>confdefs.h <<_ACEOF #define PACKAGE_VERSION "$PACKAGE_VERSION" _ACEOF cat >>confdefs.h <<_ACEOF #define PACKAGE_STRING "$PACKAGE_STRING" _ACEOF cat >>confdefs.h <<_ACEOF #define PACKAGE_BUGREPORT "$PACKAGE_BUGREPORT" _ACEOF cat >>confdefs.h <<_ACEOF #define PACKAGE_URL "$PACKAGE_URL" _ACEOF # Let the site file select an alternate cache file if it wants to. # Prefer an explicitly selected file to automatically selected ones. ac_site_file1=NONE ac_site_file2=NONE if test -n "$CONFIG_SITE"; then # We do not want a PATH search for config.site. case $CONFIG_SITE in #(( -*) ac_site_file1=./$CONFIG_SITE;; */*) ac_site_file1=$CONFIG_SITE;; *) ac_site_file1=./$CONFIG_SITE;; esac elif test "x$prefix" != xNONE; then ac_site_file1=$prefix/share/config.site ac_site_file2=$prefix/etc/config.site else ac_site_file1=$ac_default_prefix/share/config.site ac_site_file2=$ac_default_prefix/etc/config.site fi for ac_site_file in "$ac_site_file1" "$ac_site_file2" do test "x$ac_site_file" = xNONE && continue if test /dev/null != "$ac_site_file" && test -r "$ac_site_file"; then { $as_echo "$as_me:${as_lineno-$LINENO}: loading site script $ac_site_file" >&5 $as_echo "$as_me: loading site script $ac_site_file" >&6;} sed 's/^/| /' "$ac_site_file" >&5 . "$ac_site_file" \ || { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "failed to load site script $ac_site_file See \`config.log' for more details" "$LINENO" 5; } fi done if test -r "$cache_file"; then # Some versions of bash will fail to source /dev/null (special files # actually), so we avoid doing that. DJGPP emulates it as a regular file. if test /dev/null != "$cache_file" && test -f "$cache_file"; then { $as_echo "$as_me:${as_lineno-$LINENO}: loading cache $cache_file" >&5 $as_echo "$as_me: loading cache $cache_file" >&6;} case $cache_file in [\\/]* | ?:[\\/]* ) . "$cache_file";; *) . "./$cache_file";; esac fi else { $as_echo "$as_me:${as_lineno-$LINENO}: creating cache $cache_file" >&5 $as_echo "$as_me: creating cache $cache_file" >&6;} >$cache_file fi # Check that the precious variables saved in the cache have kept the same # value. ac_cache_corrupted=false for ac_var in $ac_precious_vars; do eval ac_old_set=\$ac_cv_env_${ac_var}_set eval ac_new_set=\$ac_env_${ac_var}_set eval ac_old_val=\$ac_cv_env_${ac_var}_value eval ac_new_val=\$ac_env_${ac_var}_value case $ac_old_set,$ac_new_set in set,) { $as_echo "$as_me:${as_lineno-$LINENO}: error: \`$ac_var' was set to \`$ac_old_val' in the previous run" >&5 $as_echo "$as_me: error: \`$ac_var' was set to \`$ac_old_val' in the previous run" >&2;} ac_cache_corrupted=: ;; ,set) { $as_echo "$as_me:${as_lineno-$LINENO}: error: \`$ac_var' was not set in the previous run" >&5 $as_echo "$as_me: error: \`$ac_var' was not set in the previous run" >&2;} ac_cache_corrupted=: ;; ,);; *) if test "x$ac_old_val" != "x$ac_new_val"; then # differences in whitespace do not lead to failure. ac_old_val_w=`echo x $ac_old_val` ac_new_val_w=`echo x $ac_new_val` if test "$ac_old_val_w" != "$ac_new_val_w"; then { $as_echo "$as_me:${as_lineno-$LINENO}: error: \`$ac_var' has changed since the previous run:" >&5 $as_echo "$as_me: error: \`$ac_var' has changed since the previous run:" >&2;} ac_cache_corrupted=: else { $as_echo "$as_me:${as_lineno-$LINENO}: warning: ignoring whitespace changes in \`$ac_var' since the previous run:" >&5 $as_echo "$as_me: warning: ignoring whitespace changes in \`$ac_var' since the previous run:" >&2;} eval $ac_var=\$ac_old_val fi { $as_echo "$as_me:${as_lineno-$LINENO}: former value: \`$ac_old_val'" >&5 $as_echo "$as_me: former value: \`$ac_old_val'" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: current value: \`$ac_new_val'" >&5 $as_echo "$as_me: current value: \`$ac_new_val'" >&2;} fi;; esac # Pass precious variables to config.status. if test "$ac_new_set" = set; then case $ac_new_val in *\'*) ac_arg=$ac_var=`$as_echo "$ac_new_val" | sed "s/'/'\\\\\\\\''/g"` ;; *) ac_arg=$ac_var=$ac_new_val ;; esac case " $ac_configure_args " in *" '$ac_arg' "*) ;; # Avoid dups. Use of quotes ensures accuracy. *) as_fn_append ac_configure_args " '$ac_arg'" ;; esac fi done if $ac_cache_corrupted; then { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} { $as_echo "$as_me:${as_lineno-$LINENO}: error: changes in the environment can compromise the build" >&5 $as_echo "$as_me: error: changes in the environment can compromise the build" >&2;} as_fn_error $? "run \`make distclean' and/or \`rm $cache_file' and start over" "$LINENO" 5 fi ## -------------------- ## ## Main body of script. ## ## -------------------- ## ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu VERSION=$PACKAGE_VERSION # =========================================================================== # http://www.gnu.org/software/autoconf-archive/ax_pthread.html # =========================================================================== # # SYNOPSIS # # AX_PTHREAD([ACTION-IF-FOUND[, ACTION-IF-NOT-FOUND]]) # # DESCRIPTION # # This macro figures out how to build C programs using POSIX threads. It # sets the PTHREAD_LIBS output variable to the threads library and linker # flags, and the PTHREAD_CFLAGS output variable to any special C compiler # flags that are needed. (The user can also force certain compiler # flags/libs to be tested by setting these environment variables.) # # Also sets PTHREAD_CC to any special C compiler that is needed for # multi-threaded programs (defaults to the value of CC otherwise). (This # is necessary on AIX to use the special cc_r compiler alias.) # # NOTE: You are assumed to not only compile your program with these flags, # but also link it with them as well. e.g. you should link with # $PTHREAD_CC $CFLAGS $PTHREAD_CFLAGS $LDFLAGS ... $PTHREAD_LIBS $LIBS # # If you are only building threads programs, you may wish to use these # variables in your default LIBS, CFLAGS, and CC: # # LIBS="$PTHREAD_LIBS $LIBS" # CFLAGS="$CFLAGS $PTHREAD_CFLAGS" # CC="$PTHREAD_CC" # # In addition, if the PTHREAD_CREATE_JOINABLE thread-attribute constant # has a nonstandard name, defines PTHREAD_CREATE_JOINABLE to that name # (e.g. PTHREAD_CREATE_UNDETACHED on AIX). # # Also HAVE_PTHREAD_PRIO_INHERIT is defined if pthread is found and the # PTHREAD_PRIO_INHERIT symbol is defined when compiling with # PTHREAD_CFLAGS. # # ACTION-IF-FOUND is a list of shell commands to run if a threads library # is found, and ACTION-IF-NOT-FOUND is a list of commands to run it if it # is not found. If ACTION-IF-FOUND is not specified, the default action # will define HAVE_PTHREAD. # # Please let the authors know if this macro fails on any platform, or if # you have any other suggestions or comments. This macro was based on work # by SGJ on autoconf scripts for FFTW (http://www.fftw.org/) (with help # from M. Frigo), as well as ac_pthread and hb_pthread macros posted by # Alejandro Forero Cuervo to the autoconf macro repository. We are also # grateful for the helpful feedback of numerous users. # # Updated for Autoconf 2.68 by Daniel Richard G. # # LICENSE # # Copyright (c) 2008 Steven G. Johnson # Copyright (c) 2011 Daniel Richard G. # # 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 . # # As a special exception, the respective Autoconf Macro's copyright owner # gives unlimited permission to copy, distribute and modify the configure # scripts that are the output of Autoconf when processing the Macro. You # need not follow the terms of the GNU General Public License when using # or distributing such scripts, even though portions of the text of the # Macro appear in them. The GNU General Public License (GPL) does govern # all other use of the material that constitutes the Autoconf Macro. # # This special exception to the GPL applies to versions of the Autoconf # Macro released by the Autoconf Archive. When you make and distribute a # modified version of the Autoconf Macro, you may extend this special # exception to the GPL to apply to your modified version as well. #serial 18 # This is what autoupdate's m4 run will expand. It fires # the warning (with _au_warn_XXX), outputs it into the # updated configure.ac (with AC_DIAGNOSE), and then outputs # the replacement expansion. # This is an auxiliary macro that is also run when # autoupdate runs m4. It simply calls m4_warning, but # we need a wrapper so that each warning is emitted only # once. We break the quoting in m4_warning's argument in # order to expand this macro's arguments, not AU_DEFUN's. # Finally, this is the expansion that is picked up by # autoconf. It tells the user to run autoupdate, and # then outputs the replacement expansion. We do not care # about autoupdate's warning because that contains # information on what to do *after* running autoupdate. test "$CXXFLAGS" || CXXFLAGS="-std=c++11" test "$CFLAGS" || CFLAGS="-g -O3" ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu if test -n "$ac_tool_prefix"; then # Extract the first word of "${ac_tool_prefix}gcc", so it can be a program name with args. set dummy ${ac_tool_prefix}gcc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CC="${ac_tool_prefix}gcc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi fi if test -z "$ac_cv_prog_CC"; then ac_ct_CC=$CC # Extract the first word of "gcc", so it can be a program name with args. set dummy gcc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ac_ct_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ac_ct_CC"; then ac_cv_prog_ac_ct_CC="$ac_ct_CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ac_ct_CC="gcc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi ac_ct_CC=$ac_cv_prog_ac_ct_CC if test -n "$ac_ct_CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_ct_CC" >&5 $as_echo "$ac_ct_CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi if test "x$ac_ct_CC" = x; then CC="" else case $cross_compiling:$ac_tool_warned in yes:) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: using cross tools not prefixed with host triplet" >&5 $as_echo "$as_me: WARNING: using cross tools not prefixed with host triplet" >&2;} ac_tool_warned=yes ;; esac CC=$ac_ct_CC fi else CC="$ac_cv_prog_CC" fi if test -z "$CC"; then if test -n "$ac_tool_prefix"; then # Extract the first word of "${ac_tool_prefix}cc", so it can be a program name with args. set dummy ${ac_tool_prefix}cc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CC="${ac_tool_prefix}cc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi fi fi if test -z "$CC"; then # Extract the first word of "cc", so it can be a program name with args. set dummy cc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else ac_prog_rejected=no as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then if test "$as_dir/$ac_word$ac_exec_ext" = "/usr/ucb/cc"; then ac_prog_rejected=yes continue fi ac_cv_prog_CC="cc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS if test $ac_prog_rejected = yes; then # We found a bogon in the path, so make sure we never use it. set dummy $ac_cv_prog_CC shift if test $# != 0; then # We chose a different compiler from the bogus one. # However, it has the same basename, so the bogon will be chosen # first if we set CC to just the basename; use the full file name. shift ac_cv_prog_CC="$as_dir/$ac_word${1+' '}$@" fi fi fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi fi if test -z "$CC"; then if test -n "$ac_tool_prefix"; then for ac_prog in cl.exe do # Extract the first word of "$ac_tool_prefix$ac_prog", so it can be a program name with args. set dummy $ac_tool_prefix$ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CC="$ac_tool_prefix$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$CC" && break done fi if test -z "$CC"; then ac_ct_CC=$CC for ac_prog in cl.exe do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ac_ct_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ac_ct_CC"; then ac_cv_prog_ac_ct_CC="$ac_ct_CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ac_ct_CC="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi ac_ct_CC=$ac_cv_prog_ac_ct_CC if test -n "$ac_ct_CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_ct_CC" >&5 $as_echo "$ac_ct_CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$ac_ct_CC" && break done if test "x$ac_ct_CC" = x; then CC="" else case $cross_compiling:$ac_tool_warned in yes:) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: using cross tools not prefixed with host triplet" >&5 $as_echo "$as_me: WARNING: using cross tools not prefixed with host triplet" >&2;} ac_tool_warned=yes ;; esac CC=$ac_ct_CC fi fi fi test -z "$CC" && { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "no acceptable C compiler found in \$PATH See \`config.log' for more details" "$LINENO" 5; } # Provide some information about the compiler. $as_echo "$as_me:${as_lineno-$LINENO}: checking for C compiler version" >&5 set X $ac_compile ac_compiler=$2 for ac_option in --version -v -V -qversion; do { { ac_try="$ac_compiler $ac_option >&5" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compiler $ac_option >&5") 2>conftest.err ac_status=$? if test -s conftest.err; then sed '10a\ ... rest of stderr output deleted ... 10q' conftest.err >conftest.er1 cat conftest.er1 >&5 fi rm -f conftest.er1 conftest.err $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } done cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF ac_clean_files_save=$ac_clean_files ac_clean_files="$ac_clean_files a.out a.out.dSYM a.exe b.out" # Try to create an executable without -o first, disregard a.out. # It will help us diagnose broken compilers, and finding out an intuition # of exeext. { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether the C compiler works" >&5 $as_echo_n "checking whether the C compiler works... " >&6; } ac_link_default=`$as_echo "$ac_link" | sed 's/ -o *conftest[^ ]*//'` # The possible output files: ac_files="a.out conftest.exe conftest a.exe a_out.exe b.out conftest.*" ac_rmfiles= for ac_file in $ac_files do case $ac_file in *.$ac_ext | *.xcoff | *.tds | *.d | *.pdb | *.xSYM | *.bb | *.bbg | *.map | *.inf | *.dSYM | *.o | *.obj ) ;; * ) ac_rmfiles="$ac_rmfiles $ac_file";; esac done rm -f $ac_rmfiles if { { ac_try="$ac_link_default" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link_default") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; }; then : # Autoconf-2.13 could set the ac_cv_exeext variable to `no'. # So ignore a value of `no', otherwise this would lead to `EXEEXT = no' # in a Makefile. We should not override ac_cv_exeext if it was cached, # so that the user can short-circuit this test for compilers unknown to # Autoconf. for ac_file in $ac_files '' do test -f "$ac_file" || continue case $ac_file in *.$ac_ext | *.xcoff | *.tds | *.d | *.pdb | *.xSYM | *.bb | *.bbg | *.map | *.inf | *.dSYM | *.o | *.obj ) ;; [ab].out ) # We found the default executable, but exeext='' is most # certainly right. break;; *.* ) if test "${ac_cv_exeext+set}" = set && test "$ac_cv_exeext" != no; then :; else ac_cv_exeext=`expr "$ac_file" : '[^.]*\(\..*\)'` fi # We set ac_cv_exeext here because the later test for it is not # safe: cross compilers may not add the suffix if given an `-o' # argument, so we may need to know it at that point already. # Even if this section looks crufty: it has the advantage of # actually working. break;; * ) break;; esac done test "$ac_cv_exeext" = no && ac_cv_exeext= else ac_file='' fi if test -z "$ac_file"; then : { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error 77 "C compiler cannot create executables See \`config.log' for more details" "$LINENO" 5; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: yes" >&5 $as_echo "yes" >&6; } fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for C compiler default output file name" >&5 $as_echo_n "checking for C compiler default output file name... " >&6; } { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_file" >&5 $as_echo "$ac_file" >&6; } ac_exeext=$ac_cv_exeext rm -f -r a.out a.out.dSYM a.exe conftest$ac_cv_exeext b.out ac_clean_files=$ac_clean_files_save { $as_echo "$as_me:${as_lineno-$LINENO}: checking for suffix of executables" >&5 $as_echo_n "checking for suffix of executables... " >&6; } if { { ac_try="$ac_link" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; }; then : # If both `conftest.exe' and `conftest' are `present' (well, observable) # catch `conftest.exe'. For instance with Cygwin, `ls conftest' will # work properly (i.e., refer to `conftest.exe'), while it won't with # `rm'. for ac_file in conftest.exe conftest conftest.*; do test -f "$ac_file" || continue case $ac_file in *.$ac_ext | *.xcoff | *.tds | *.d | *.pdb | *.xSYM | *.bb | *.bbg | *.map | *.inf | *.dSYM | *.o | *.obj ) ;; *.* ) ac_cv_exeext=`expr "$ac_file" : '[^.]*\(\..*\)'` break;; * ) break;; esac done else { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "cannot compute suffix of executables: cannot compile and link See \`config.log' for more details" "$LINENO" 5; } fi rm -f conftest conftest$ac_cv_exeext { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_exeext" >&5 $as_echo "$ac_cv_exeext" >&6; } rm -f conftest.$ac_ext EXEEXT=$ac_cv_exeext ac_exeext=$EXEEXT cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include int main () { FILE *f = fopen ("conftest.out", "w"); return ferror (f) || fclose (f) != 0; ; return 0; } _ACEOF ac_clean_files="$ac_clean_files conftest.out" # Check that the compiler produces executables we can run. If not, either # the compiler is broken, or we cross compile. { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether we are cross compiling" >&5 $as_echo_n "checking whether we are cross compiling... " >&6; } if test "$cross_compiling" != yes; then { { ac_try="$ac_link" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_link") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } if { ac_try='./conftest$ac_cv_exeext' { { case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_try") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; }; }; then cross_compiling=no else if test "$cross_compiling" = maybe; then cross_compiling=yes else { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "cannot run C compiled programs. If you meant to cross compile, use \`--host'. See \`config.log' for more details" "$LINENO" 5; } fi fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $cross_compiling" >&5 $as_echo "$cross_compiling" >&6; } rm -f conftest.$ac_ext conftest$ac_cv_exeext conftest.out ac_clean_files=$ac_clean_files_save { $as_echo "$as_me:${as_lineno-$LINENO}: checking for suffix of object files" >&5 $as_echo_n "checking for suffix of object files... " >&6; } if ${ac_cv_objext+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF rm -f conftest.o conftest.obj if { { ac_try="$ac_compile" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compile") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; }; then : for ac_file in conftest.o conftest.obj conftest.*; do test -f "$ac_file" || continue; case $ac_file in *.$ac_ext | *.xcoff | *.tds | *.d | *.pdb | *.xSYM | *.bb | *.bbg | *.map | *.inf | *.dSYM ) ;; *) ac_cv_objext=`expr "$ac_file" : '.*\.\(.*\)'` break;; esac done else $as_echo "$as_me: failed program was:" >&5 sed 's/^/| /' conftest.$ac_ext >&5 { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "cannot compute suffix of object files: cannot compile See \`config.log' for more details" "$LINENO" 5; } fi rm -f conftest.$ac_cv_objext conftest.$ac_ext fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_objext" >&5 $as_echo "$ac_cv_objext" >&6; } OBJEXT=$ac_cv_objext ac_objext=$OBJEXT { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether we are using the GNU C compiler" >&5 $as_echo_n "checking whether we are using the GNU C compiler... " >&6; } if ${ac_cv_c_compiler_gnu+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { #ifndef __GNUC__ choke me #endif ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_compiler_gnu=yes else ac_compiler_gnu=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_cv_c_compiler_gnu=$ac_compiler_gnu fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_c_compiler_gnu" >&5 $as_echo "$ac_cv_c_compiler_gnu" >&6; } if test $ac_compiler_gnu = yes; then GCC=yes else GCC= fi ac_test_CFLAGS=${CFLAGS+set} ac_save_CFLAGS=$CFLAGS { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether $CC accepts -g" >&5 $as_echo_n "checking whether $CC accepts -g... " >&6; } if ${ac_cv_prog_cc_g+:} false; then : $as_echo_n "(cached) " >&6 else ac_save_c_werror_flag=$ac_c_werror_flag ac_c_werror_flag=yes ac_cv_prog_cc_g=no CFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_prog_cc_g=yes else CFLAGS="" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : else ac_c_werror_flag=$ac_save_c_werror_flag CFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_prog_cc_g=yes fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_c_werror_flag=$ac_save_c_werror_flag fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_cc_g" >&5 $as_echo "$ac_cv_prog_cc_g" >&6; } if test "$ac_test_CFLAGS" = set; then CFLAGS=$ac_save_CFLAGS elif test $ac_cv_prog_cc_g = yes; then if test "$GCC" = yes; then CFLAGS="-g -O2" else CFLAGS="-g" fi else if test "$GCC" = yes; then CFLAGS="-O2" else CFLAGS= fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $CC option to accept ISO C89" >&5 $as_echo_n "checking for $CC option to accept ISO C89... " >&6; } if ${ac_cv_prog_cc_c89+:} false; then : $as_echo_n "(cached) " >&6 else ac_cv_prog_cc_c89=no ac_save_CC=$CC cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include struct stat; /* Most of the following tests are stolen from RCS 5.7's src/conf.sh. */ struct buf { int x; }; FILE * (*rcsopen) (struct buf *, struct stat *, int); static char *e (p, i) char **p; int i; { return p[i]; } static char *f (char * (*g) (char **, int), char **p, ...) { char *s; va_list v; va_start (v,p); s = g (p, va_arg (v,int)); va_end (v); return s; } /* OSF 4.0 Compaq cc is some sort of almost-ANSI by default. It has function prototypes and stuff, but not '\xHH' hex character constants. These don't provoke an error unfortunately, instead are silently treated as 'x'. The following induces an error, until -std is added to get proper ANSI mode. Curiously '\x00'!='x' always comes out true, for an array size at least. It's necessary to write '\x00'==0 to get something that's true only with -std. */ int osf4_cc_array ['\x00' == 0 ? 1 : -1]; /* IBM C 6 for AIX is almost-ANSI by default, but it replaces macro parameters inside strings and character constants. */ #define FOO(x) 'x' int xlc6_cc_array[FOO(a) == 'x' ? 1 : -1]; int test (int i, double x); struct s1 {int (*f) (int a);}; struct s2 {int (*f) (double a);}; int pairnames (int, char **, FILE *(*)(struct buf *, struct stat *, int), int, int); int argc; char **argv; int main () { return f (e, argv, 0) != argv[0] || f (e, argv, 1) != argv[1]; ; return 0; } _ACEOF for ac_arg in '' -qlanglvl=extc89 -qlanglvl=ansi -std \ -Ae "-Aa -D_HPUX_SOURCE" "-Xc -D__EXTENSIONS__" do CC="$ac_save_CC $ac_arg" if ac_fn_c_try_compile "$LINENO"; then : ac_cv_prog_cc_c89=$ac_arg fi rm -f core conftest.err conftest.$ac_objext test "x$ac_cv_prog_cc_c89" != "xno" && break done rm -f conftest.$ac_ext CC=$ac_save_CC fi # AC_CACHE_VAL case "x$ac_cv_prog_cc_c89" in x) { $as_echo "$as_me:${as_lineno-$LINENO}: result: none needed" >&5 $as_echo "none needed" >&6; } ;; xno) { $as_echo "$as_me:${as_lineno-$LINENO}: result: unsupported" >&5 $as_echo "unsupported" >&6; } ;; *) CC="$CC $ac_cv_prog_cc_c89" { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_cc_c89" >&5 $as_echo "$ac_cv_prog_cc_c89" >&6; } ;; esac if test "x$ac_cv_prog_cc_c89" != xno; then : fi ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu { $as_echo "$as_me:${as_lineno-$LINENO}: checking how to run the C preprocessor" >&5 $as_echo_n "checking how to run the C preprocessor... " >&6; } # On Suns, sometimes $CPP names a directory. if test -n "$CPP" && test -d "$CPP"; then CPP= fi if test -z "$CPP"; then if ${ac_cv_prog_CPP+:} false; then : $as_echo_n "(cached) " >&6 else # Double quotes because CPP needs to be expanded for CPP in "$CC -E" "$CC -E -traditional-cpp" "/lib/cpp" do ac_preproc_ok=false for ac_c_preproc_warn_flag in '' yes do # Use a header file that comes with gcc, so configuring glibc # with a fresh cross-compiler works. # Prefer to if __STDC__ is defined, since # exists even on freestanding compilers. # On the NeXT, cc -E runs the code through the compiler's parser, # not just through cpp. "Syntax error" is here to catch this case. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #ifdef __STDC__ # include #else # include #endif Syntax error _ACEOF if ac_fn_c_try_cpp "$LINENO"; then : else # Broken: fails on valid input. continue fi rm -f conftest.err conftest.i conftest.$ac_ext # OK, works on sane cases. Now check whether nonexistent headers # can be detected and how. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include _ACEOF if ac_fn_c_try_cpp "$LINENO"; then : # Broken: success on invalid input. continue else # Passes both tests. ac_preproc_ok=: break fi rm -f conftest.err conftest.i conftest.$ac_ext done # Because of `break', _AC_PREPROC_IFELSE's cleaning code was skipped. rm -f conftest.i conftest.err conftest.$ac_ext if $ac_preproc_ok; then : break fi done ac_cv_prog_CPP=$CPP fi CPP=$ac_cv_prog_CPP else ac_cv_prog_CPP=$CPP fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CPP" >&5 $as_echo "$CPP" >&6; } ac_preproc_ok=false for ac_c_preproc_warn_flag in '' yes do # Use a header file that comes with gcc, so configuring glibc # with a fresh cross-compiler works. # Prefer to if __STDC__ is defined, since # exists even on freestanding compilers. # On the NeXT, cc -E runs the code through the compiler's parser, # not just through cpp. "Syntax error" is here to catch this case. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #ifdef __STDC__ # include #else # include #endif Syntax error _ACEOF if ac_fn_c_try_cpp "$LINENO"; then : else # Broken: fails on valid input. continue fi rm -f conftest.err conftest.i conftest.$ac_ext # OK, works on sane cases. Now check whether nonexistent headers # can be detected and how. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include _ACEOF if ac_fn_c_try_cpp "$LINENO"; then : # Broken: success on invalid input. continue else # Passes both tests. ac_preproc_ok=: break fi rm -f conftest.err conftest.i conftest.$ac_ext done # Because of `break', _AC_PREPROC_IFELSE's cleaning code was skipped. rm -f conftest.i conftest.err conftest.$ac_ext if $ac_preproc_ok; then : else { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "C preprocessor \"$CPP\" fails sanity check See \`config.log' for more details" "$LINENO" 5; } fi ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu { $as_echo "$as_me:${as_lineno-$LINENO}: checking for grep that handles long lines and -e" >&5 $as_echo_n "checking for grep that handles long lines and -e... " >&6; } if ${ac_cv_path_GREP+:} false; then : $as_echo_n "(cached) " >&6 else if test -z "$GREP"; then ac_path_GREP_found=false # Loop through the user's path and test for each of PROGNAME-LIST as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH$PATH_SEPARATOR/usr/xpg4/bin do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_prog in grep ggrep; do for ac_exec_ext in '' $ac_executable_extensions; do ac_path_GREP="$as_dir/$ac_prog$ac_exec_ext" as_fn_executable_p "$ac_path_GREP" || continue # Check for GNU ac_path_GREP and select it if it is found. # Check for GNU $ac_path_GREP case `"$ac_path_GREP" --version 2>&1` in *GNU*) ac_cv_path_GREP="$ac_path_GREP" ac_path_GREP_found=:;; *) ac_count=0 $as_echo_n 0123456789 >"conftest.in" while : do cat "conftest.in" "conftest.in" >"conftest.tmp" mv "conftest.tmp" "conftest.in" cp "conftest.in" "conftest.nl" $as_echo 'GREP' >> "conftest.nl" "$ac_path_GREP" -e 'GREP$' -e '-(cannot match)-' < "conftest.nl" >"conftest.out" 2>/dev/null || break diff "conftest.out" "conftest.nl" >/dev/null 2>&1 || break as_fn_arith $ac_count + 1 && ac_count=$as_val if test $ac_count -gt ${ac_path_GREP_max-0}; then # Best one so far, save it but keep looking for a better one ac_cv_path_GREP="$ac_path_GREP" ac_path_GREP_max=$ac_count fi # 10*(2^10) chars as input seems more than enough test $ac_count -gt 10 && break done rm -f conftest.in conftest.tmp conftest.nl conftest.out;; esac $ac_path_GREP_found && break 3 done done done IFS=$as_save_IFS if test -z "$ac_cv_path_GREP"; then as_fn_error $? "no acceptable grep could be found in $PATH$PATH_SEPARATOR/usr/xpg4/bin" "$LINENO" 5 fi else ac_cv_path_GREP=$GREP fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_path_GREP" >&5 $as_echo "$ac_cv_path_GREP" >&6; } GREP="$ac_cv_path_GREP" { $as_echo "$as_me:${as_lineno-$LINENO}: checking for egrep" >&5 $as_echo_n "checking for egrep... " >&6; } if ${ac_cv_path_EGREP+:} false; then : $as_echo_n "(cached) " >&6 else if echo a | $GREP -E '(a|b)' >/dev/null 2>&1 then ac_cv_path_EGREP="$GREP -E" else if test -z "$EGREP"; then ac_path_EGREP_found=false # Loop through the user's path and test for each of PROGNAME-LIST as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH$PATH_SEPARATOR/usr/xpg4/bin do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_prog in egrep; do for ac_exec_ext in '' $ac_executable_extensions; do ac_path_EGREP="$as_dir/$ac_prog$ac_exec_ext" as_fn_executable_p "$ac_path_EGREP" || continue # Check for GNU ac_path_EGREP and select it if it is found. # Check for GNU $ac_path_EGREP case `"$ac_path_EGREP" --version 2>&1` in *GNU*) ac_cv_path_EGREP="$ac_path_EGREP" ac_path_EGREP_found=:;; *) ac_count=0 $as_echo_n 0123456789 >"conftest.in" while : do cat "conftest.in" "conftest.in" >"conftest.tmp" mv "conftest.tmp" "conftest.in" cp "conftest.in" "conftest.nl" $as_echo 'EGREP' >> "conftest.nl" "$ac_path_EGREP" 'EGREP$' < "conftest.nl" >"conftest.out" 2>/dev/null || break diff "conftest.out" "conftest.nl" >/dev/null 2>&1 || break as_fn_arith $ac_count + 1 && ac_count=$as_val if test $ac_count -gt ${ac_path_EGREP_max-0}; then # Best one so far, save it but keep looking for a better one ac_cv_path_EGREP="$ac_path_EGREP" ac_path_EGREP_max=$ac_count fi # 10*(2^10) chars as input seems more than enough test $ac_count -gt 10 && break done rm -f conftest.in conftest.tmp conftest.nl conftest.out;; esac $ac_path_EGREP_found && break 3 done done done IFS=$as_save_IFS if test -z "$ac_cv_path_EGREP"; then as_fn_error $? "no acceptable egrep could be found in $PATH$PATH_SEPARATOR/usr/xpg4/bin" "$LINENO" 5 fi else ac_cv_path_EGREP=$EGREP fi fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_path_EGREP" >&5 $as_echo "$ac_cv_path_EGREP" >&6; } EGREP="$ac_cv_path_EGREP" { $as_echo "$as_me:${as_lineno-$LINENO}: checking for ANSI C header files" >&5 $as_echo_n "checking for ANSI C header files... " >&6; } if ${ac_cv_header_stdc+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include #include #include int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_header_stdc=yes else ac_cv_header_stdc=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext if test $ac_cv_header_stdc = yes; then # SunOS 4.x string.h does not declare mem*, contrary to ANSI. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include _ACEOF if (eval "$ac_cpp conftest.$ac_ext") 2>&5 | $EGREP "memchr" >/dev/null 2>&1; then : else ac_cv_header_stdc=no fi rm -f conftest* fi if test $ac_cv_header_stdc = yes; then # ISC 2.0.2 stdlib.h does not declare free, contrary to ANSI. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include _ACEOF if (eval "$ac_cpp conftest.$ac_ext") 2>&5 | $EGREP "free" >/dev/null 2>&1; then : else ac_cv_header_stdc=no fi rm -f conftest* fi if test $ac_cv_header_stdc = yes; then # /bin/cc in Irix-4.0.5 gets non-ANSI ctype macros unless using -ansi. if test "$cross_compiling" = yes; then : : else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include #if ((' ' & 0x0FF) == 0x020) # define ISLOWER(c) ('a' <= (c) && (c) <= 'z') # define TOUPPER(c) (ISLOWER(c) ? 'A' + ((c) - 'a') : (c)) #else # define ISLOWER(c) \ (('a' <= (c) && (c) <= 'i') \ || ('j' <= (c) && (c) <= 'r') \ || ('s' <= (c) && (c) <= 'z')) # define TOUPPER(c) (ISLOWER(c) ? ((c) | 0x40) : (c)) #endif #define XOR(e, f) (((e) && !(f)) || (!(e) && (f))) int main () { int i; for (i = 0; i < 256; i++) if (XOR (islower (i), ISLOWER (i)) || toupper (i) != TOUPPER (i)) return 2; return 0; } _ACEOF if ac_fn_c_try_run "$LINENO"; then : else ac_cv_header_stdc=no fi rm -f core *.core core.conftest.* gmon.out bb.out conftest$ac_exeext \ conftest.$ac_objext conftest.beam conftest.$ac_ext fi fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_header_stdc" >&5 $as_echo "$ac_cv_header_stdc" >&6; } if test $ac_cv_header_stdc = yes; then $as_echo "#define STDC_HEADERS 1" >>confdefs.h fi # On IRIX 5.3, sys/types and inttypes.h are conflicting. for ac_header in sys/types.h sys/stat.h stdlib.h string.h memory.h strings.h \ inttypes.h stdint.h unistd.h do : as_ac_Header=`$as_echo "ac_cv_header_$ac_header" | $as_tr_sh` ac_fn_c_check_header_compile "$LINENO" "$ac_header" "$as_ac_Header" "$ac_includes_default " if eval test \"x\$"$as_ac_Header"\" = x"yes"; then : cat >>confdefs.h <<_ACEOF #define `$as_echo "HAVE_$ac_header" | $as_tr_cpp` 1 _ACEOF fi done { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether byte ordering is bigendian" >&5 $as_echo_n "checking whether byte ordering is bigendian... " >&6; } if ${ac_cv_c_bigendian+:} false; then : $as_echo_n "(cached) " >&6 else ac_cv_c_bigendian=unknown # See if we're dealing with a universal compiler. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #ifndef __APPLE_CC__ not a universal capable compiler #endif typedef int dummy; _ACEOF if ac_fn_c_try_compile "$LINENO"; then : # Check for potential -arch flags. It is not universal unless # there are at least two -arch flags with different values. ac_arch= ac_prev= for ac_word in $CC $CFLAGS $CPPFLAGS $LDFLAGS; do if test -n "$ac_prev"; then case $ac_word in i?86 | x86_64 | ppc | ppc64) if test -z "$ac_arch" || test "$ac_arch" = "$ac_word"; then ac_arch=$ac_word else ac_cv_c_bigendian=universal break fi ;; esac ac_prev= elif test "x$ac_word" = "x-arch"; then ac_prev=arch fi done fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext if test $ac_cv_c_bigendian = unknown; then # See if sys/param.h defines the BYTE_ORDER macro. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include int main () { #if ! (defined BYTE_ORDER && defined BIG_ENDIAN \ && defined LITTLE_ENDIAN && BYTE_ORDER && BIG_ENDIAN \ && LITTLE_ENDIAN) bogus endian macros #endif ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : # It does; now see whether it defined to BIG_ENDIAN or not. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include int main () { #if BYTE_ORDER != BIG_ENDIAN not big endian #endif ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_c_bigendian=yes else ac_cv_c_bigendian=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi if test $ac_cv_c_bigendian = unknown; then # See if defines _LITTLE_ENDIAN or _BIG_ENDIAN (e.g., Solaris). cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include int main () { #if ! (defined _LITTLE_ENDIAN || defined _BIG_ENDIAN) bogus endian macros #endif ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : # It does; now see whether it defined to _BIG_ENDIAN or not. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include int main () { #ifndef _BIG_ENDIAN not big endian #endif ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_c_bigendian=yes else ac_cv_c_bigendian=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi if test $ac_cv_c_bigendian = unknown; then # Compile a test program. if test "$cross_compiling" = yes; then : # Try to guess by grepping values from an object file. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ short int ascii_mm[] = { 0x4249, 0x4765, 0x6E44, 0x6961, 0x6E53, 0x7953, 0 }; short int ascii_ii[] = { 0x694C, 0x5454, 0x656C, 0x6E45, 0x6944, 0x6E61, 0 }; int use_ascii (int i) { return ascii_mm[i] + ascii_ii[i]; } short int ebcdic_ii[] = { 0x89D3, 0xE3E3, 0x8593, 0x95C5, 0x89C4, 0x9581, 0 }; short int ebcdic_mm[] = { 0xC2C9, 0xC785, 0x95C4, 0x8981, 0x95E2, 0xA8E2, 0 }; int use_ebcdic (int i) { return ebcdic_mm[i] + ebcdic_ii[i]; } extern int foo; int main () { return use_ascii (foo) == use_ebcdic (foo); ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : if grep BIGenDianSyS conftest.$ac_objext >/dev/null; then ac_cv_c_bigendian=yes fi if grep LiTTleEnDian conftest.$ac_objext >/dev/null ; then if test "$ac_cv_c_bigendian" = unknown; then ac_cv_c_bigendian=no else # finding both strings is unlikely to happen, but who knows? ac_cv_c_bigendian=unknown fi fi fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ $ac_includes_default int main () { /* Are we little or big endian? From Harbison&Steele. */ union { long int l; char c[sizeof (long int)]; } u; u.l = 1; return u.c[sizeof (long int) - 1] == 1; ; return 0; } _ACEOF if ac_fn_c_try_run "$LINENO"; then : ac_cv_c_bigendian=no else ac_cv_c_bigendian=yes fi rm -f core *.core core.conftest.* gmon.out bb.out conftest$ac_exeext \ conftest.$ac_objext conftest.beam conftest.$ac_ext fi fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_c_bigendian" >&5 $as_echo "$ac_cv_c_bigendian" >&6; } case $ac_cv_c_bigendian in #( yes) $as_echo "#define WORDS_BIGENDIAN 1" >>confdefs.h ;; #( no) ;; #( universal) $as_echo "#define AC_APPLE_UNIVERSAL_BUILD 1" >>confdefs.h ;; #( *) as_fn_error $? "unknown endianness presetting ac_cv_c_bigendian=no (or yes) will help" "$LINENO" 5 ;; esac ac_aux_dir= for ac_dir in "$srcdir" "$srcdir/.." "$srcdir/../.."; do if test -f "$ac_dir/install-sh"; then ac_aux_dir=$ac_dir ac_install_sh="$ac_aux_dir/install-sh -c" break elif test -f "$ac_dir/install.sh"; then ac_aux_dir=$ac_dir ac_install_sh="$ac_aux_dir/install.sh -c" break elif test -f "$ac_dir/shtool"; then ac_aux_dir=$ac_dir ac_install_sh="$ac_aux_dir/shtool install -c" break fi done if test -z "$ac_aux_dir"; then as_fn_error $? "cannot find install-sh, install.sh, or shtool in \"$srcdir\" \"$srcdir/..\" \"$srcdir/../..\"" "$LINENO" 5 fi # These three variables are undocumented and unsupported, # and are intended to be withdrawn in a future Autoconf release. # They can cause serious problems if a builder's source tree is in a directory # whose full name contains unusual characters. ac_config_guess="$SHELL $ac_aux_dir/config.guess" # Please don't use this var. ac_config_sub="$SHELL $ac_aux_dir/config.sub" # Please don't use this var. ac_configure="$SHELL $ac_aux_dir/configure" # Please don't use this var. # Make sure we can run config.sub. $SHELL "$ac_aux_dir/config.sub" sun4 >/dev/null 2>&1 || as_fn_error $? "cannot run $SHELL $ac_aux_dir/config.sub" "$LINENO" 5 { $as_echo "$as_me:${as_lineno-$LINENO}: checking build system type" >&5 $as_echo_n "checking build system type... " >&6; } if ${ac_cv_build+:} false; then : $as_echo_n "(cached) " >&6 else ac_build_alias=$build_alias test "x$ac_build_alias" = x && ac_build_alias=`$SHELL "$ac_aux_dir/config.guess"` test "x$ac_build_alias" = x && as_fn_error $? "cannot guess build type; you must specify one" "$LINENO" 5 ac_cv_build=`$SHELL "$ac_aux_dir/config.sub" $ac_build_alias` || as_fn_error $? "$SHELL $ac_aux_dir/config.sub $ac_build_alias failed" "$LINENO" 5 fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_build" >&5 $as_echo "$ac_cv_build" >&6; } case $ac_cv_build in *-*-*) ;; *) as_fn_error $? "invalid value of canonical build" "$LINENO" 5;; esac build=$ac_cv_build ac_save_IFS=$IFS; IFS='-' set x $ac_cv_build shift build_cpu=$1 build_vendor=$2 shift; shift # Remember, the first character of IFS is used to create $*, # except with old shells: build_os=$* IFS=$ac_save_IFS case $build_os in *\ *) build_os=`echo "$build_os" | sed 's/ /-/g'`;; esac { $as_echo "$as_me:${as_lineno-$LINENO}: checking host system type" >&5 $as_echo_n "checking host system type... " >&6; } if ${ac_cv_host+:} false; then : $as_echo_n "(cached) " >&6 else if test "x$host_alias" = x; then ac_cv_host=$ac_cv_build else ac_cv_host=`$SHELL "$ac_aux_dir/config.sub" $host_alias` || as_fn_error $? "$SHELL $ac_aux_dir/config.sub $host_alias failed" "$LINENO" 5 fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_host" >&5 $as_echo "$ac_cv_host" >&6; } case $ac_cv_host in *-*-*) ;; *) as_fn_error $? "invalid value of canonical host" "$LINENO" 5;; esac host=$ac_cv_host ac_save_IFS=$IFS; IFS='-' set x $ac_cv_host shift host_cpu=$1 host_vendor=$2 shift; shift # Remember, the first character of IFS is used to create $*, # except with old shells: host_os=$* IFS=$ac_save_IFS case $host_os in *\ *) host_os=`echo "$host_os" | sed 's/ /-/g'`;; esac test "$prefix" = NONE && prefix=/usr/local Datadir=$datadir test "$Datadir" = '${datarootdir}' && Datadir=$datarootdir test "$Datadir" = '${prefix}/share' && Datadir=$prefix/share # Check whether --with-latex was given. if test "${with_latex+set}" = set; then : withval=$with_latex; if test "x$withval" != "x" ; then latexdir=$withval fi else # Extract the first word of "kpsewhich", so it can be a program name with args. set dummy kpsewhich; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_kpsewhich+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$kpsewhich"; then ac_cv_prog_kpsewhich="$kpsewhich" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_kpsewhich="true" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi kpsewhich=$ac_cv_prog_kpsewhich if test -n "$kpsewhich"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $kpsewhich" >&5 $as_echo "$kpsewhich" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi if test "x$kpsewhich" = "xtrue"; then latexdir=`kpsewhich -expand-var='$TEXMFLOCAL'/tex/latex` else latexdir=$prefix/share/texmf/tex/latex as_ac_File=`$as_echo "ac_cv_file_$latexdir/base/latex.ltx" | $as_tr_sh` { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $latexdir/base/latex.ltx" >&5 $as_echo_n "checking for $latexdir/base/latex.ltx... " >&6; } if eval \${$as_ac_File+:} false; then : $as_echo_n "(cached) " >&6 else test "$cross_compiling" = yes && as_fn_error $? "cannot check for file existence when cross compiling" "$LINENO" 5 if test -r "$latexdir/base/latex.ltx"; then eval "$as_ac_File=yes" else eval "$as_ac_File=no" fi fi eval ac_res=\$$as_ac_File { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } if eval test \"x\$"$as_ac_File"\" = x"yes"; then : else latexdir=/usr/share/texmf/tex/latex as_ac_File=`$as_echo "ac_cv_file_$latexdir/base/latex.ltx" | $as_tr_sh` { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $latexdir/base/latex.ltx" >&5 $as_echo_n "checking for $latexdir/base/latex.ltx... " >&6; } if eval \${$as_ac_File+:} false; then : $as_echo_n "(cached) " >&6 else test "$cross_compiling" = yes && as_fn_error $? "cannot check for file existence when cross compiling" "$LINENO" 5 if test -r "$latexdir/base/latex.ltx"; then eval "$as_ac_File=yes" else eval "$as_ac_File=no" fi fi eval ac_res=\$$as_ac_File { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } if eval test \"x\$"$as_ac_File"\" = x"yes"; then : fi fi fi fi # Check whether --with-context was given. if test "${with_context+set}" = set; then : withval=$with_context; if test "x$withval" != "x" ; then contextdir=$withval fi else # Extract the first word of "kpsewhich", so it can be a program name with args. set dummy kpsewhich; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_kpsewhich+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$kpsewhich"; then ac_cv_prog_kpsewhich="$kpsewhich" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_kpsewhich="true" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi kpsewhich=$ac_cv_prog_kpsewhich if test -n "$kpsewhich"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $kpsewhich" >&5 $as_echo "$kpsewhich" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi if test "x$kpsewhich" = "xtrue"; then contextdir=`kpsewhich -expand-var='$TEXMFLOCAL'/tex/context/third` else contextdir=$prefix/share/texmf/tex/context/third fi fi for ac_prog in texi2dvi do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_TEXI2DVI+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$TEXI2DVI"; then ac_cv_prog_TEXI2DVI="$TEXI2DVI" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_TEXI2DVI="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi TEXI2DVI=$ac_cv_prog_TEXI2DVI if test -n "$TEXI2DVI"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $TEXI2DVI" >&5 $as_echo "$TEXI2DVI" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$TEXI2DVI" && break done test -n "$TEXI2DVI" || TEXI2DVI="@echo \*\*\*\*\*\*\*\*\*\* Please install texi2dvi or put http://asymptote.sourceforge.net/asymptote.pdf in the doc directory: cannot execute texi2dvi" latexdir=$latexdir/asymptote contextdir=$contextdir/asymptote { $as_echo "$as_me:${as_lineno-$LINENO}: Using $latexdir for LaTeX style file" >&5 $as_echo "$as_me: Using $latexdir for LaTeX style file" >&6;} { $as_echo "$as_me:${as_lineno-$LINENO}: Using $contextdir for ConTeXT style file" >&5 $as_echo "$as_me: Using $contextdir for ConTeXT style file" >&6;} docdir=$Datadir/doc/asymptote # Check whether --with-docdir was given. if test "${with_docdir+set}" = set; then : withval=$with_docdir; if test "x$withval" != "x" ; then docdir=$withval fi fi sysdir=$Datadir/asymptote # Check whether --enable-texlive-build was given. if test "${enable_texlive_build+set}" = set; then : enableval=$enable_texlive_build; if test "x$enableval" = "xyes" ; then sysdir="" fi fi cat >>confdefs.h <<_ACEOF #define ASYMPTOTE_SYSDIR "$sysdir" _ACEOF cat >>confdefs.h <<_ACEOF #define ASYMPTOTE_DOCDIR "$docdir" _ACEOF ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu # Checks for programs. ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu if test -z "$CXX"; then if test -n "$CCC"; then CXX=$CCC else if test -n "$ac_tool_prefix"; then for ac_prog in g++ c++ gpp aCC CC cxx cc++ cl.exe FCC KCC RCC xlC_r xlC do # Extract the first word of "$ac_tool_prefix$ac_prog", so it can be a program name with args. set dummy $ac_tool_prefix$ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CXX+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CXX"; then ac_cv_prog_CXX="$CXX" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CXX="$ac_tool_prefix$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CXX=$ac_cv_prog_CXX if test -n "$CXX"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CXX" >&5 $as_echo "$CXX" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$CXX" && break done fi if test -z "$CXX"; then ac_ct_CXX=$CXX for ac_prog in g++ c++ gpp aCC CC cxx cc++ cl.exe FCC KCC RCC xlC_r xlC do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ac_ct_CXX+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ac_ct_CXX"; then ac_cv_prog_ac_ct_CXX="$ac_ct_CXX" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ac_ct_CXX="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi ac_ct_CXX=$ac_cv_prog_ac_ct_CXX if test -n "$ac_ct_CXX"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_ct_CXX" >&5 $as_echo "$ac_ct_CXX" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$ac_ct_CXX" && break done if test "x$ac_ct_CXX" = x; then CXX="g++" else case $cross_compiling:$ac_tool_warned in yes:) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: using cross tools not prefixed with host triplet" >&5 $as_echo "$as_me: WARNING: using cross tools not prefixed with host triplet" >&2;} ac_tool_warned=yes ;; esac CXX=$ac_ct_CXX fi fi fi fi # Provide some information about the compiler. $as_echo "$as_me:${as_lineno-$LINENO}: checking for C++ compiler version" >&5 set X $ac_compile ac_compiler=$2 for ac_option in --version -v -V -qversion; do { { ac_try="$ac_compiler $ac_option >&5" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compiler $ac_option >&5") 2>conftest.err ac_status=$? if test -s conftest.err; then sed '10a\ ... rest of stderr output deleted ... 10q' conftest.err >conftest.er1 cat conftest.er1 >&5 fi rm -f conftest.er1 conftest.err $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } done { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether we are using the GNU C++ compiler" >&5 $as_echo_n "checking whether we are using the GNU C++ compiler... " >&6; } if ${ac_cv_cxx_compiler_gnu+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { #ifndef __GNUC__ choke me #endif ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_compiler_gnu=yes else ac_compiler_gnu=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_cv_cxx_compiler_gnu=$ac_compiler_gnu fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_cxx_compiler_gnu" >&5 $as_echo "$ac_cv_cxx_compiler_gnu" >&6; } if test $ac_compiler_gnu = yes; then GXX=yes else GXX= fi ac_test_CXXFLAGS=${CXXFLAGS+set} ac_save_CXXFLAGS=$CXXFLAGS { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether $CXX accepts -g" >&5 $as_echo_n "checking whether $CXX accepts -g... " >&6; } if ${ac_cv_prog_cxx_g+:} false; then : $as_echo_n "(cached) " >&6 else ac_save_cxx_werror_flag=$ac_cxx_werror_flag ac_cxx_werror_flag=yes ac_cv_prog_cxx_g=no CXXFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_prog_cxx_g=yes else CXXFLAGS="" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : else ac_cxx_werror_flag=$ac_save_cxx_werror_flag CXXFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_prog_cxx_g=yes fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_cxx_werror_flag=$ac_save_cxx_werror_flag fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_cxx_g" >&5 $as_echo "$ac_cv_prog_cxx_g" >&6; } if test "$ac_test_CXXFLAGS" = set; then CXXFLAGS=$ac_save_CXXFLAGS elif test $ac_cv_prog_cxx_g = yes; then if test "$GXX" = yes; then CXXFLAGS="-g -O2" else CXXFLAGS="-g" fi else if test "$GXX" = yes; then CXXFLAGS="-O2" else CXXFLAGS= fi fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu for ac_prog in flex lex do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_LEX+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$LEX"; then ac_cv_prog_LEX="$LEX" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_LEX="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi LEX=$ac_cv_prog_LEX if test -n "$LEX"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $LEX" >&5 $as_echo "$LEX" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$LEX" && break done test -n "$LEX" || LEX=":" if test "x$LEX" != "x:"; then cat >conftest.l <<_ACEOF %% a { ECHO; } b { REJECT; } c { yymore (); } d { yyless (1); } e { /* IRIX 6.5 flex 2.5.4 underquotes its yyless argument. */ yyless ((input () != 0)); } f { unput (yytext[0]); } . { BEGIN INITIAL; } %% #ifdef YYTEXT_POINTER extern char *yytext; #endif int main (void) { return ! yylex () + ! yywrap (); } _ACEOF { { ac_try="$LEX conftest.l" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$LEX conftest.l") 2>&5 ac_status=$? $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } { $as_echo "$as_me:${as_lineno-$LINENO}: checking lex output file root" >&5 $as_echo_n "checking lex output file root... " >&6; } if ${ac_cv_prog_lex_root+:} false; then : $as_echo_n "(cached) " >&6 else if test -f lex.yy.c; then ac_cv_prog_lex_root=lex.yy elif test -f lexyy.c; then ac_cv_prog_lex_root=lexyy else as_fn_error $? "cannot find output from $LEX; giving up" "$LINENO" 5 fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_lex_root" >&5 $as_echo "$ac_cv_prog_lex_root" >&6; } LEX_OUTPUT_ROOT=$ac_cv_prog_lex_root if test -z "${LEXLIB+set}"; then { $as_echo "$as_me:${as_lineno-$LINENO}: checking lex library" >&5 $as_echo_n "checking lex library... " >&6; } if ${ac_cv_lib_lex+:} false; then : $as_echo_n "(cached) " >&6 else ac_save_LIBS=$LIBS ac_cv_lib_lex='none needed' for ac_lib in '' -lfl -ll; do LIBS="$ac_lib $ac_save_LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ `cat $LEX_OUTPUT_ROOT.c` _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_lex=$ac_lib fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext test "$ac_cv_lib_lex" != 'none needed' && break done LIBS=$ac_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_lex" >&5 $as_echo "$ac_cv_lib_lex" >&6; } test "$ac_cv_lib_lex" != 'none needed' && LEXLIB=$ac_cv_lib_lex fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether yytext is a pointer" >&5 $as_echo_n "checking whether yytext is a pointer... " >&6; } if ${ac_cv_prog_lex_yytext_pointer+:} false; then : $as_echo_n "(cached) " >&6 else # POSIX says lex can declare yytext either as a pointer or an array; the # default is implementation-dependent. Figure out which it is, since # not all implementations provide the %pointer and %array declarations. ac_cv_prog_lex_yytext_pointer=no ac_save_LIBS=$LIBS LIBS="$LEXLIB $ac_save_LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #define YYTEXT_POINTER 1 `cat $LEX_OUTPUT_ROOT.c` _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_prog_lex_yytext_pointer=yes fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_lex_yytext_pointer" >&5 $as_echo "$ac_cv_prog_lex_yytext_pointer" >&6; } if test $ac_cv_prog_lex_yytext_pointer = yes; then $as_echo "#define YYTEXT_POINTER 1" >>confdefs.h fi rm -f conftest.l $LEX_OUTPUT_ROOT.c fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu if test -z "$CXX"; then if test -n "$CCC"; then CXX=$CCC else if test -n "$ac_tool_prefix"; then for ac_prog in g++ c++ gpp aCC CC cxx cc++ cl.exe FCC KCC RCC xlC_r xlC do # Extract the first word of "$ac_tool_prefix$ac_prog", so it can be a program name with args. set dummy $ac_tool_prefix$ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CXX+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CXX"; then ac_cv_prog_CXX="$CXX" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CXX="$ac_tool_prefix$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CXX=$ac_cv_prog_CXX if test -n "$CXX"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CXX" >&5 $as_echo "$CXX" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$CXX" && break done fi if test -z "$CXX"; then ac_ct_CXX=$CXX for ac_prog in g++ c++ gpp aCC CC cxx cc++ cl.exe FCC KCC RCC xlC_r xlC do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ac_ct_CXX+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ac_ct_CXX"; then ac_cv_prog_ac_ct_CXX="$ac_ct_CXX" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ac_ct_CXX="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi ac_ct_CXX=$ac_cv_prog_ac_ct_CXX if test -n "$ac_ct_CXX"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_ct_CXX" >&5 $as_echo "$ac_ct_CXX" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$ac_ct_CXX" && break done if test "x$ac_ct_CXX" = x; then CXX="g++" else case $cross_compiling:$ac_tool_warned in yes:) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: using cross tools not prefixed with host triplet" >&5 $as_echo "$as_me: WARNING: using cross tools not prefixed with host triplet" >&2;} ac_tool_warned=yes ;; esac CXX=$ac_ct_CXX fi fi fi fi # Provide some information about the compiler. $as_echo "$as_me:${as_lineno-$LINENO}: checking for C++ compiler version" >&5 set X $ac_compile ac_compiler=$2 for ac_option in --version -v -V -qversion; do { { ac_try="$ac_compiler $ac_option >&5" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compiler $ac_option >&5") 2>conftest.err ac_status=$? if test -s conftest.err; then sed '10a\ ... rest of stderr output deleted ... 10q' conftest.err >conftest.er1 cat conftest.er1 >&5 fi rm -f conftest.er1 conftest.err $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } done { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether we are using the GNU C++ compiler" >&5 $as_echo_n "checking whether we are using the GNU C++ compiler... " >&6; } if ${ac_cv_cxx_compiler_gnu+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { #ifndef __GNUC__ choke me #endif ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_compiler_gnu=yes else ac_compiler_gnu=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_cv_cxx_compiler_gnu=$ac_compiler_gnu fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_cxx_compiler_gnu" >&5 $as_echo "$ac_cv_cxx_compiler_gnu" >&6; } if test $ac_compiler_gnu = yes; then GXX=yes else GXX= fi ac_test_CXXFLAGS=${CXXFLAGS+set} ac_save_CXXFLAGS=$CXXFLAGS { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether $CXX accepts -g" >&5 $as_echo_n "checking whether $CXX accepts -g... " >&6; } if ${ac_cv_prog_cxx_g+:} false; then : $as_echo_n "(cached) " >&6 else ac_save_cxx_werror_flag=$ac_cxx_werror_flag ac_cxx_werror_flag=yes ac_cv_prog_cxx_g=no CXXFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_prog_cxx_g=yes else CXXFLAGS="" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : else ac_cxx_werror_flag=$ac_save_cxx_werror_flag CXXFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_prog_cxx_g=yes fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_cxx_werror_flag=$ac_save_cxx_werror_flag fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_cxx_g" >&5 $as_echo "$ac_cv_prog_cxx_g" >&6; } if test "$ac_test_CXXFLAGS" = set; then CXXFLAGS=$ac_save_CXXFLAGS elif test $ac_cv_prog_cxx_g = yes; then if test "$GXX" = yes; then CXXFLAGS="-g -O2" else CXXFLAGS="-g" fi else if test "$GXX" = yes; then CXXFLAGS="-O2" else CXXFLAGS= fi fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu # Find a good install program. We prefer a C program (faster), # so one script is as good as another. But avoid the broken or # incompatible versions: # SysV /etc/install, /usr/sbin/install # SunOS /usr/etc/install # IRIX /sbin/install # AIX /bin/install # AmigaOS /C/install, which installs bootblocks on floppy discs # AIX 4 /usr/bin/installbsd, which doesn't work without a -g flag # AFS /usr/afsws/bin/install, which mishandles nonexistent args # SVR4 /usr/ucb/install, which tries to use the nonexistent group "staff" # OS/2's system install, which has a completely different semantic # ./install, which can be erroneously created by make from ./install.sh. # Reject install programs that cannot install multiple files. { $as_echo "$as_me:${as_lineno-$LINENO}: checking for a BSD-compatible install" >&5 $as_echo_n "checking for a BSD-compatible install... " >&6; } if test -z "$INSTALL"; then if ${ac_cv_path_install+:} false; then : $as_echo_n "(cached) " >&6 else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. # Account for people who put trailing slashes in PATH elements. case $as_dir/ in #(( ./ | .// | /[cC]/* | \ /etc/* | /usr/sbin/* | /usr/etc/* | /sbin/* | /usr/afsws/bin/* | \ ?:[\\/]os2[\\/]install[\\/]* | ?:[\\/]OS2[\\/]INSTALL[\\/]* | \ /usr/ucb/* ) ;; *) # OSF1 and SCO ODT 3.0 have their own names for install. # Don't use installbsd from OSF since it installs stuff as root # by default. for ac_prog in ginstall scoinst install; do for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_prog$ac_exec_ext"; then if test $ac_prog = install && grep dspmsg "$as_dir/$ac_prog$ac_exec_ext" >/dev/null 2>&1; then # AIX install. It has an incompatible calling convention. : elif test $ac_prog = install && grep pwplus "$as_dir/$ac_prog$ac_exec_ext" >/dev/null 2>&1; then # program-specific install script used by HP pwplus--don't use. : else rm -rf conftest.one conftest.two conftest.dir echo one > conftest.one echo two > conftest.two mkdir conftest.dir if "$as_dir/$ac_prog$ac_exec_ext" -c conftest.one conftest.two "`pwd`/conftest.dir" && test -s conftest.one && test -s conftest.two && test -s conftest.dir/conftest.one && test -s conftest.dir/conftest.two then ac_cv_path_install="$as_dir/$ac_prog$ac_exec_ext -c" break 3 fi fi fi done done ;; esac done IFS=$as_save_IFS rm -rf conftest.one conftest.two conftest.dir fi if test "${ac_cv_path_install+set}" = set; then INSTALL=$ac_cv_path_install else # As a last resort, use the slow shell script. Don't cache a # value for INSTALL within a source directory, because that will # break other packages using the cache if that directory is # removed, or if the value is a relative name. INSTALL=$ac_install_sh fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $INSTALL" >&5 $as_echo "$INSTALL" >&6; } # Use test -z because SunOS4 sh mishandles braces in ${var-val}. # It thinks the first close brace ends the variable substitution. test -z "$INSTALL_PROGRAM" && INSTALL_PROGRAM='${INSTALL}' test -z "$INSTALL_SCRIPT" && INSTALL_SCRIPT='${INSTALL}' test -z "$INSTALL_DATA" && INSTALL_DATA='${INSTALL} -m 644' ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu if test -n "$ac_tool_prefix"; then # Extract the first word of "${ac_tool_prefix}gcc", so it can be a program name with args. set dummy ${ac_tool_prefix}gcc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CC="${ac_tool_prefix}gcc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi fi if test -z "$ac_cv_prog_CC"; then ac_ct_CC=$CC # Extract the first word of "gcc", so it can be a program name with args. set dummy gcc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ac_ct_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ac_ct_CC"; then ac_cv_prog_ac_ct_CC="$ac_ct_CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ac_ct_CC="gcc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi ac_ct_CC=$ac_cv_prog_ac_ct_CC if test -n "$ac_ct_CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_ct_CC" >&5 $as_echo "$ac_ct_CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi if test "x$ac_ct_CC" = x; then CC="" else case $cross_compiling:$ac_tool_warned in yes:) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: using cross tools not prefixed with host triplet" >&5 $as_echo "$as_me: WARNING: using cross tools not prefixed with host triplet" >&2;} ac_tool_warned=yes ;; esac CC=$ac_ct_CC fi else CC="$ac_cv_prog_CC" fi if test -z "$CC"; then if test -n "$ac_tool_prefix"; then # Extract the first word of "${ac_tool_prefix}cc", so it can be a program name with args. set dummy ${ac_tool_prefix}cc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CC="${ac_tool_prefix}cc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi fi fi if test -z "$CC"; then # Extract the first word of "cc", so it can be a program name with args. set dummy cc; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else ac_prog_rejected=no as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then if test "$as_dir/$ac_word$ac_exec_ext" = "/usr/ucb/cc"; then ac_prog_rejected=yes continue fi ac_cv_prog_CC="cc" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS if test $ac_prog_rejected = yes; then # We found a bogon in the path, so make sure we never use it. set dummy $ac_cv_prog_CC shift if test $# != 0; then # We chose a different compiler from the bogus one. # However, it has the same basename, so the bogon will be chosen # first if we set CC to just the basename; use the full file name. shift ac_cv_prog_CC="$as_dir/$ac_word${1+' '}$@" fi fi fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi fi if test -z "$CC"; then if test -n "$ac_tool_prefix"; then for ac_prog in cl.exe do # Extract the first word of "$ac_tool_prefix$ac_prog", so it can be a program name with args. set dummy $ac_tool_prefix$ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$CC"; then ac_cv_prog_CC="$CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_CC="$ac_tool_prefix$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi CC=$ac_cv_prog_CC if test -n "$CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CC" >&5 $as_echo "$CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$CC" && break done fi if test -z "$CC"; then ac_ct_CC=$CC for ac_prog in cl.exe do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ac_ct_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ac_ct_CC"; then ac_cv_prog_ac_ct_CC="$ac_ct_CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ac_ct_CC="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi ac_ct_CC=$ac_cv_prog_ac_ct_CC if test -n "$ac_ct_CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_ct_CC" >&5 $as_echo "$ac_ct_CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$ac_ct_CC" && break done if test "x$ac_ct_CC" = x; then CC="" else case $cross_compiling:$ac_tool_warned in yes:) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: using cross tools not prefixed with host triplet" >&5 $as_echo "$as_me: WARNING: using cross tools not prefixed with host triplet" >&2;} ac_tool_warned=yes ;; esac CC=$ac_ct_CC fi fi fi test -z "$CC" && { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "no acceptable C compiler found in \$PATH See \`config.log' for more details" "$LINENO" 5; } # Provide some information about the compiler. $as_echo "$as_me:${as_lineno-$LINENO}: checking for C compiler version" >&5 set X $ac_compile ac_compiler=$2 for ac_option in --version -v -V -qversion; do { { ac_try="$ac_compiler $ac_option >&5" case "(($ac_try" in *\"* | *\`* | *\\*) ac_try_echo=\$ac_try;; *) ac_try_echo=$ac_try;; esac eval ac_try_echo="\"\$as_me:${as_lineno-$LINENO}: $ac_try_echo\"" $as_echo "$ac_try_echo"; } >&5 (eval "$ac_compiler $ac_option >&5") 2>conftest.err ac_status=$? if test -s conftest.err; then sed '10a\ ... rest of stderr output deleted ... 10q' conftest.err >conftest.er1 cat conftest.er1 >&5 fi rm -f conftest.er1 conftest.err $as_echo "$as_me:${as_lineno-$LINENO}: \$? = $ac_status" >&5 test $ac_status = 0; } done { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether we are using the GNU C compiler" >&5 $as_echo_n "checking whether we are using the GNU C compiler... " >&6; } if ${ac_cv_c_compiler_gnu+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { #ifndef __GNUC__ choke me #endif ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_compiler_gnu=yes else ac_compiler_gnu=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_cv_c_compiler_gnu=$ac_compiler_gnu fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_c_compiler_gnu" >&5 $as_echo "$ac_cv_c_compiler_gnu" >&6; } if test $ac_compiler_gnu = yes; then GCC=yes else GCC= fi ac_test_CFLAGS=${CFLAGS+set} ac_save_CFLAGS=$CFLAGS { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether $CC accepts -g" >&5 $as_echo_n "checking whether $CC accepts -g... " >&6; } if ${ac_cv_prog_cc_g+:} false; then : $as_echo_n "(cached) " >&6 else ac_save_c_werror_flag=$ac_c_werror_flag ac_c_werror_flag=yes ac_cv_prog_cc_g=no CFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_prog_cc_g=yes else CFLAGS="" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : else ac_c_werror_flag=$ac_save_c_werror_flag CFLAGS="-g" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { ; return 0; } _ACEOF if ac_fn_c_try_compile "$LINENO"; then : ac_cv_prog_cc_g=yes fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ac_c_werror_flag=$ac_save_c_werror_flag fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_cc_g" >&5 $as_echo "$ac_cv_prog_cc_g" >&6; } if test "$ac_test_CFLAGS" = set; then CFLAGS=$ac_save_CFLAGS elif test $ac_cv_prog_cc_g = yes; then if test "$GCC" = yes; then CFLAGS="-g -O2" else CFLAGS="-g" fi else if test "$GCC" = yes; then CFLAGS="-O2" else CFLAGS= fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $CC option to accept ISO C89" >&5 $as_echo_n "checking for $CC option to accept ISO C89... " >&6; } if ${ac_cv_prog_cc_c89+:} false; then : $as_echo_n "(cached) " >&6 else ac_cv_prog_cc_c89=no ac_save_CC=$CC cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include struct stat; /* Most of the following tests are stolen from RCS 5.7's src/conf.sh. */ struct buf { int x; }; FILE * (*rcsopen) (struct buf *, struct stat *, int); static char *e (p, i) char **p; int i; { return p[i]; } static char *f (char * (*g) (char **, int), char **p, ...) { char *s; va_list v; va_start (v,p); s = g (p, va_arg (v,int)); va_end (v); return s; } /* OSF 4.0 Compaq cc is some sort of almost-ANSI by default. It has function prototypes and stuff, but not '\xHH' hex character constants. These don't provoke an error unfortunately, instead are silently treated as 'x'. The following induces an error, until -std is added to get proper ANSI mode. Curiously '\x00'!='x' always comes out true, for an array size at least. It's necessary to write '\x00'==0 to get something that's true only with -std. */ int osf4_cc_array ['\x00' == 0 ? 1 : -1]; /* IBM C 6 for AIX is almost-ANSI by default, but it replaces macro parameters inside strings and character constants. */ #define FOO(x) 'x' int xlc6_cc_array[FOO(a) == 'x' ? 1 : -1]; int test (int i, double x); struct s1 {int (*f) (int a);}; struct s2 {int (*f) (double a);}; int pairnames (int, char **, FILE *(*)(struct buf *, struct stat *, int), int, int); int argc; char **argv; int main () { return f (e, argv, 0) != argv[0] || f (e, argv, 1) != argv[1]; ; return 0; } _ACEOF for ac_arg in '' -qlanglvl=extc89 -qlanglvl=ansi -std \ -Ae "-Aa -D_HPUX_SOURCE" "-Xc -D__EXTENSIONS__" do CC="$ac_save_CC $ac_arg" if ac_fn_c_try_compile "$LINENO"; then : ac_cv_prog_cc_c89=$ac_arg fi rm -f core conftest.err conftest.$ac_objext test "x$ac_cv_prog_cc_c89" != "xno" && break done rm -f conftest.$ac_ext CC=$ac_save_CC fi # AC_CACHE_VAL case "x$ac_cv_prog_cc_c89" in x) { $as_echo "$as_me:${as_lineno-$LINENO}: result: none needed" >&5 $as_echo "none needed" >&6; } ;; xno) { $as_echo "$as_me:${as_lineno-$LINENO}: result: unsupported" >&5 $as_echo "unsupported" >&6; } ;; *) CC="$CC $ac_cv_prog_cc_c89" { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_prog_cc_c89" >&5 $as_echo "$ac_cv_prog_cc_c89" >&6; } ;; esac if test "x$ac_cv_prog_cc_c89" != xno; then : fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether ${MAKE-make} sets \$(MAKE)" >&5 $as_echo_n "checking whether ${MAKE-make} sets \$(MAKE)... " >&6; } set x ${MAKE-make} ac_make=`$as_echo "$2" | sed 's/+/p/g; s/[^a-zA-Z0-9_]/_/g'` if eval \${ac_cv_prog_make_${ac_make}_set+:} false; then : $as_echo_n "(cached) " >&6 else cat >conftest.make <<\_ACEOF SHELL = /bin/sh all: @echo '@@@%%%=$(MAKE)=@@@%%%' _ACEOF # GNU make sometimes prints "make[1]: Entering ...", which would confuse us. case `${MAKE-make} -f conftest.make 2>/dev/null` in *@@@%%%=?*=@@@%%%*) eval ac_cv_prog_make_${ac_make}_set=yes;; *) eval ac_cv_prog_make_${ac_make}_set=no;; esac rm -f conftest.make fi if eval test \$ac_cv_prog_make_${ac_make}_set = yes; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: yes" >&5 $as_echo "yes" >&6; } SET_MAKE= else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } SET_MAKE="MAKE=${MAKE-make}" fi for ac_prog in 'bison -y' byacc do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_YACC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$YACC"; then ac_cv_prog_YACC="$YACC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_YACC="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi YACC=$ac_cv_prog_YACC if test -n "$YACC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $YACC" >&5 $as_echo "$YACC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$YACC" && break done test -n "$YACC" || YACC="yacc" if test "$GXX" = yes ; then ac_gcc_version=`echo __GNUC__ | $CC -E - | grep -v ^\#` ac_clang=`echo __clang__ | $CC -E - | grep -v ^\#` if test "$ac_gcc_version" -lt 4; then CFLAGS=$CFLAGS" -finline-limit=400" else if test "$ac_clang" != 1; then CFLAGS=$CFLAGS" -fno-var-tracking" fi fi fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu { $as_echo "$as_me:${as_lineno-$LINENO}: checking how to run the C++ preprocessor" >&5 $as_echo_n "checking how to run the C++ preprocessor... " >&6; } if test -z "$CXXCPP"; then if ${ac_cv_prog_CXXCPP+:} false; then : $as_echo_n "(cached) " >&6 else # Double quotes because CXXCPP needs to be expanded for CXXCPP in "$CXX -E" "/lib/cpp" do ac_preproc_ok=false for ac_cxx_preproc_warn_flag in '' yes do # Use a header file that comes with gcc, so configuring glibc # with a fresh cross-compiler works. # Prefer to if __STDC__ is defined, since # exists even on freestanding compilers. # On the NeXT, cc -E runs the code through the compiler's parser, # not just through cpp. "Syntax error" is here to catch this case. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #ifdef __STDC__ # include #else # include #endif Syntax error _ACEOF if ac_fn_cxx_try_cpp "$LINENO"; then : else # Broken: fails on valid input. continue fi rm -f conftest.err conftest.i conftest.$ac_ext # OK, works on sane cases. Now check whether nonexistent headers # can be detected and how. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include _ACEOF if ac_fn_cxx_try_cpp "$LINENO"; then : # Broken: success on invalid input. continue else # Passes both tests. ac_preproc_ok=: break fi rm -f conftest.err conftest.i conftest.$ac_ext done # Because of `break', _AC_PREPROC_IFELSE's cleaning code was skipped. rm -f conftest.i conftest.err conftest.$ac_ext if $ac_preproc_ok; then : break fi done ac_cv_prog_CXXCPP=$CXXCPP fi CXXCPP=$ac_cv_prog_CXXCPP else ac_cv_prog_CXXCPP=$CXXCPP fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $CXXCPP" >&5 $as_echo "$CXXCPP" >&6; } ac_preproc_ok=false for ac_cxx_preproc_warn_flag in '' yes do # Use a header file that comes with gcc, so configuring glibc # with a fresh cross-compiler works. # Prefer to if __STDC__ is defined, since # exists even on freestanding compilers. # On the NeXT, cc -E runs the code through the compiler's parser, # not just through cpp. "Syntax error" is here to catch this case. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #ifdef __STDC__ # include #else # include #endif Syntax error _ACEOF if ac_fn_cxx_try_cpp "$LINENO"; then : else # Broken: fails on valid input. continue fi rm -f conftest.err conftest.i conftest.$ac_ext # OK, works on sane cases. Now check whether nonexistent headers # can be detected and how. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include _ACEOF if ac_fn_cxx_try_cpp "$LINENO"; then : # Broken: success on invalid input. continue else # Passes both tests. ac_preproc_ok=: break fi rm -f conftest.err conftest.i conftest.$ac_ext done # Because of `break', _AC_PREPROC_IFELSE's cleaning code was skipped. rm -f conftest.i conftest.err conftest.$ac_ext if $ac_preproc_ok; then : else { { $as_echo "$as_me:${as_lineno-$LINENO}: error: in \`$ac_pwd':" >&5 $as_echo "$as_me: error: in \`$ac_pwd':" >&2;} as_fn_error $? "C++ preprocessor \"$CXXCPP\" fails sanity check See \`config.log' for more details" "$LINENO" 5; } fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu ac_fn_cxx_check_header_mongrel "$LINENO" "tr1/unordered_map" "ac_cv_header_tr1_unordered_map" "$ac_includes_default" if test "x$ac_cv_header_tr1_unordered_map" = xyes; then : fi cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include std::tr1::unordered_map map; int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : $as_echo "#define HAVE_TR1_UNORDERED_MAP 1" >>confdefs.h else ac_fn_cxx_check_header_mongrel "$LINENO" "unordered_map" "ac_cv_header_unordered_map" "$ac_includes_default" if test "x$ac_cv_header_unordered_map" = xyes; then : $as_echo "#define HAVE_UNORDERED_MAP 1" >>confdefs.h else ac_fn_cxx_check_header_mongrel "$LINENO" "ext/hash_map" "ac_cv_header_ext_hash_map" "$ac_includes_default" if test "x$ac_cv_header_ext_hash_map" = xyes; then : else OPTIONS=$OPTIONS"-DNOHASH " fi fi fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext ASYGLVERSION=1.00 GCVERSION=8.0.4 ATOMICVERSION=7.6.10 GCFILE=gc-$GCVERSION ac_cv_use_gc="system" as_ac_File=`$as_echo "ac_cv_file_$GCFILE.tar.gz" | $as_tr_sh` { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $GCFILE.tar.gz" >&5 $as_echo_n "checking for $GCFILE.tar.gz... " >&6; } if eval \${$as_ac_File+:} false; then : $as_echo_n "(cached) " >&6 else test "$cross_compiling" = yes && as_fn_error $? "cannot check for file existence when cross compiling" "$LINENO" 5 if test -r "$GCFILE.tar.gz"; then eval "$as_ac_File=yes" else eval "$as_ac_File=no" fi fi eval ac_res=\$$as_ac_File { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } if eval test \"x\$"$as_ac_File"\" = x"yes"; then : ac_cv_use_gc=$GCVERSION fi # Check whether --enable-gc was given. if test "${enable_gc+set}" = set; then : enableval=$enable_gc; if test "x$enableval" != "xyes" ; then ac_cv_use_gc=$enableval fi fi OPTIONS="-D_FILE_OFFSET_BITS=64 " GCLIB= GCPPLIB= INCL="-I." GCNAME="Boehm Garbage Collector" GCOPTIONS="--disable-shared" if test "x$ac_cv_use_gc" != "xno" ; then OPTIONS=$OPTIONS"-DUSEGC " case _$ac_cv_use_gc in _|_system|_*[\\/]*) if test "x$ac_cv_use_gc" = "xsystem" ; then INCL="-I. -I$prefix/include/gc -I/usr/include/gc" LIBS=$LIBS"-L$prefix/lib " else INCL="-I$ac_cv_use_gc/include/gc" LIBS=$LIBS"-L$ac_cv_use_gc/lib " fi CPPFLAGS_SAVE=$CPPFLAGS CPPFLAGS=$CPPFLAGS" $INCL" ac_fn_cxx_check_header_mongrel "$LINENO" "gc.h" "ac_cv_header_gc_h" "$ac_includes_default" if test "x$ac_cv_header_gc_h" = xyes; then : { $as_echo "$as_me:${as_lineno-$LINENO}: checking for GC_malloc in -lgc" >&5 $as_echo_n "checking for GC_malloc in -lgc... " >&6; } if ${ac_cv_lib_gc_GC_malloc+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lgc $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char GC_malloc (); int main () { return GC_malloc (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_gc_GC_malloc=yes else ac_cv_lib_gc_GC_malloc=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_gc_GC_malloc" >&5 $as_echo "$ac_cv_lib_gc_GC_malloc" >&6; } if test "x$ac_cv_lib_gc_GC_malloc" = xyes; then : LIBS=$LIBS"-lgc " { $as_echo "$as_me:${as_lineno-$LINENO}: enabling system $GCNAME" >&5 $as_echo "$as_me: enabling system $GCNAME" >&6;} else GCDIR=$GCFILE INCL="-I. -I\$(GC)/include" GCLIB="\$(GC)/.libs/libgc.a" { $as_echo "$as_me:${as_lineno-$LINENO}: $GCNAME library not found" >&5 $as_echo "$as_me: $GCNAME library not found" >&6;} fi else GCDIR=$GCFILE GCLIB="\$(GC)/.libs/libgc.a" INCL="-I. -I\$(GC)/include" { $as_echo "$as_me:${as_lineno-$LINENO}: $GCNAME header file not found" >&5 $as_echo "$as_me: $GCNAME header file not found" >&6;} fi CPPFLAGS=$CPPFLAGS_SAVE ;; *) GCVERSION=$ac_cv_use_gc GCFILE=gc-$GCVERSION GCDIR=$GCFILE { $as_echo "$as_me:${as_lineno-$LINENO}: enabling local $GCNAME $GCDIR" >&5 $as_echo "$as_me: enabling local $GCNAME $GCDIR" >&6;} GCLIB="\$(GC)/.libs/libgc.a" INCL="-I. -I\$(GC)/include" ;; esac else { $as_echo "$as_me:${as_lineno-$LINENO}: disabling the $GCNAME" >&5 $as_echo "$as_me: disabling the $GCNAME" >&6;} fi # Check whether --enable-gc-debug was given. if test "${enable_gc_debug+set}" = set; then : enableval=$enable_gc_debug; if test "x$ac_cv_use_gc" != "xno" ; then if test "x$enableval" = "xyes" ; then OPTIONS=$OPTIONS"-DGC_DEBUG " { $as_echo "$as_me:${as_lineno-$LINENO}: *** Enabling GC debugging: remember to make clean ***" >&5 $as_echo "$as_me: *** Enabling GC debugging: remember to make clean ***" >&6;} { $as_echo "$as_me:${as_lineno-$LINENO}: *** Set the environment variable GC_FIND_LEAK at runtime ***" >&5 $as_echo "$as_me: *** Set the environment variable GC_FIND_LEAK at runtime ***" >&6;} fi fi fi # Check whether --enable-gc-full-debug was given. if test "${enable_gc_full_debug+set}" = set; then : enableval=$enable_gc_full_debug; if test "x$ac_cv_use_gc" != "xno" ; then if test "x$enableval" = "xyes" ; then OPTIONS=$OPTIONS"-DGC_DEBUG -DGC_BACKTRACE " GCOPTIONS=$GCOPTIONS"--enable-gc-debug " { $as_echo "$as_me:${as_lineno-$LINENO}: *** Enabling GC backtrace debugging; remember to make gc-clean ***" >&5 $as_echo "$as_me: *** Enabling GC backtrace debugging; remember to make gc-clean ***" >&6;} fi fi fi INCL=$INCL" -I/usr/include/tirpc" if test "$OSTYPE" = "msdos"; then CPPFLAGS=$CPPFLAGS" -D__MSDOS__ -I/usr/include/w32api -I/usr/include -DCALLBACK=__stdcall $INCL" else CPPFLAGS=$CPPFLAGS" $INCL" fi ac_fn_cxx_check_func "$LINENO" "getopt_long_only" "ac_cv_func_getopt_long_only" if test "x$ac_cv_func_getopt_long_only" = xyes; then : $as_echo "#define HAVE_GNU_GETOPT_H 1" >>confdefs.h else getopt="getopt getopt1" fi # Checks for libraries. { $as_echo "$as_me:${as_lineno-$LINENO}: checking for library containing lgamma" >&5 $as_echo_n "checking for library containing lgamma... " >&6; } if ${ac_cv_search_lgamma+:} false; then : $as_echo_n "(cached) " >&6 else ac_func_search_save_LIBS=$LIBS cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char lgamma (); int main () { return lgamma (); ; return 0; } _ACEOF for ac_lib in '' m c; do if test -z "$ac_lib"; then ac_res="none required" else ac_res=-l$ac_lib LIBS="-l$ac_lib $ac_func_search_save_LIBS" fi if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_search_lgamma=$ac_res fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext if ${ac_cv_search_lgamma+:} false; then : break fi done if ${ac_cv_search_lgamma+:} false; then : else ac_cv_search_lgamma=no fi rm conftest.$ac_ext LIBS=$ac_func_search_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_search_lgamma" >&5 $as_echo "$ac_cv_search_lgamma" >&6; } ac_res=$ac_cv_search_lgamma if test "$ac_res" != no; then : test "$ac_res" = "none required" || LIBS="$ac_res $LIBS" else as_fn_error $? "*** Please install libm on your system ***" "$LINENO" 5 fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for deflate in -lz" >&5 $as_echo_n "checking for deflate in -lz... " >&6; } if ${ac_cv_lib_z_deflate+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lz $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char deflate (); int main () { return deflate (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_z_deflate=yes else ac_cv_lib_z_deflate=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_z_deflate" >&5 $as_echo "$ac_cv_lib_z_deflate" >&6; } if test "x$ac_cv_lib_z_deflate" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBZ 1 _ACEOF LIBS="-lz $LIBS" else as_fn_error $? "*** Please install libz or zlib-devel on your system ***" "$LINENO" 5 fi ac_ext=c ac_cpp='$CPP $CPPFLAGS' ac_compile='$CC -c $CFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CC -o conftest$ac_exeext $CFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_c_compiler_gnu ax_pthread_ok=no # We used to check for pthread.h first, but this fails if pthread.h # requires special compiler flags (e.g. on True64 or Sequent). # It gets checked for in the link test anyway. # First of all, check if the user has set any of the PTHREAD_LIBS, # etcetera environment variables, and if threads linking works using # them: if test x"$PTHREAD_LIBS$PTHREAD_CFLAGS" != x; then save_CFLAGS="$CFLAGS" CFLAGS="$CFLAGS $PTHREAD_CFLAGS" save_LIBS="$LIBS" LIBS="$PTHREAD_LIBS $LIBS" { $as_echo "$as_me:${as_lineno-$LINENO}: checking for pthread_join in LIBS=$PTHREAD_LIBS with CFLAGS=$PTHREAD_CFLAGS" >&5 $as_echo_n "checking for pthread_join in LIBS=$PTHREAD_LIBS with CFLAGS=$PTHREAD_CFLAGS... " >&6; } cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char pthread_join (); int main () { return pthread_join (); ; return 0; } _ACEOF if ac_fn_c_try_link "$LINENO"; then : ax_pthread_ok=yes fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ax_pthread_ok" >&5 $as_echo "$ax_pthread_ok" >&6; } if test x"$ax_pthread_ok" = xno; then PTHREAD_LIBS="" PTHREAD_CFLAGS="" fi LIBS="$save_LIBS" CFLAGS="$save_CFLAGS" fi # We must check for the threads library under a number of different # names; the ordering is very important because some systems # (e.g. DEC) have both -lpthread and -lpthreads, where one of the # libraries is broken (non-POSIX). # Create a list of thread flags to try. Items starting with a "-" are # C compiler flags, and other items are library names, except for "none" # which indicates that we try without any flags at all, and "pthread-config" # which is a program returning the flags for the Pth emulation library. ax_pthread_flags="pthreads none -Kthread -kthread lthread -pthread -pthreads -mthreads pthread --thread-safe -mt pthread-config" # The ordering *is* (sometimes) important. Some notes on the # individual items follow: # pthreads: AIX (must check this before -lpthread) # none: in case threads are in libc; should be tried before -Kthread and # other compiler flags to prevent continual compiler warnings # -Kthread: Sequent (threads in libc, but -Kthread needed for pthread.h) # -kthread: FreeBSD kernel threads (preferred to -pthread since SMP-able) # lthread: LinuxThreads port on FreeBSD (also preferred to -pthread) # -pthread: Linux/gcc (kernel threads), BSD/gcc (userland threads) # -pthreads: Solaris/gcc # -mthreads: Mingw32/gcc, Lynx/gcc # -mt: Sun Workshop C (may only link SunOS threads [-lthread], but it # doesn't hurt to check since this sometimes defines pthreads too; # also defines -D_REENTRANT) # ... -mt is also the pthreads flag for HP/aCC # pthread: Linux, etcetera # --thread-safe: KAI C++ # pthread-config: use pthread-config program (for GNU Pth library) case ${host_os} in solaris*) # On Solaris (at least, for some versions), libc contains stubbed # (non-functional) versions of the pthreads routines, so link-based # tests will erroneously succeed. (We need to link with -pthreads/-mt/ # -lpthread.) (The stubs are missing pthread_cleanup_push, or rather # a function called by this macro, so we could check for that, but # who knows whether they'll stub that too in a future libc.) So, # we'll just look for -pthreads and -lpthread first: ax_pthread_flags="-pthreads pthread -mt -pthread $ax_pthread_flags" ;; darwin*) ax_pthread_flags="-pthread $ax_pthread_flags" ;; esac if test x"$ax_pthread_ok" = xno; then for flag in $ax_pthread_flags; do case $flag in none) { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether pthreads work without any flags" >&5 $as_echo_n "checking whether pthreads work without any flags... " >&6; } ;; -*) { $as_echo "$as_me:${as_lineno-$LINENO}: checking whether pthreads work with $flag" >&5 $as_echo_n "checking whether pthreads work with $flag... " >&6; } PTHREAD_CFLAGS="$flag" ;; pthread-config) # Extract the first word of "pthread-config", so it can be a program name with args. set dummy pthread-config; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_ax_pthread_config+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$ax_pthread_config"; then ac_cv_prog_ax_pthread_config="$ax_pthread_config" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_ax_pthread_config="yes" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS test -z "$ac_cv_prog_ax_pthread_config" && ac_cv_prog_ax_pthread_config="no" fi fi ax_pthread_config=$ac_cv_prog_ax_pthread_config if test -n "$ax_pthread_config"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ax_pthread_config" >&5 $as_echo "$ax_pthread_config" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi if test x"$ax_pthread_config" = xno; then continue; fi PTHREAD_CFLAGS="`pthread-config --cflags`" PTHREAD_LIBS="`pthread-config --ldflags` `pthread-config --libs`" ;; *) { $as_echo "$as_me:${as_lineno-$LINENO}: checking for the pthreads library -l$flag" >&5 $as_echo_n "checking for the pthreads library -l$flag... " >&6; } PTHREAD_LIBS="-l$flag" ;; esac save_LIBS="$LIBS" save_CFLAGS="$CFLAGS" LIBS="$PTHREAD_LIBS $LIBS" CFLAGS="$CFLAGS $PTHREAD_CFLAGS" # Check for various functions. We must include pthread.h, # since some functions may be macros. (On the Sequent, we # need a special flag -Kthread to make this header compile.) # We check for pthread_join because it is in -lpthread on IRIX # while pthread_create is in libc. We check for pthread_attr_init # due to DEC craziness with -lpthreads. We check for # pthread_cleanup_push because it is one of the few pthread # functions on Solaris that doesn't have a non-functional libc stub. # We try pthread_create on general principles. cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include static void routine(void *a) { a = 0; } static void *start_routine(void *a) { return a; } int main () { pthread_t th; pthread_attr_t attr; pthread_create(&th, 0, start_routine, 0); pthread_join(th, 0); pthread_attr_init(&attr); pthread_cleanup_push(routine, 0); pthread_cleanup_pop(0) /* ; */ ; return 0; } _ACEOF if ac_fn_c_try_link "$LINENO"; then : ax_pthread_ok=yes fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS="$save_LIBS" CFLAGS="$save_CFLAGS" { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ax_pthread_ok" >&5 $as_echo "$ax_pthread_ok" >&6; } if test "x$ax_pthread_ok" = xyes; then break; fi PTHREAD_LIBS="" PTHREAD_CFLAGS="" done fi # Various other checks: if test "x$ax_pthread_ok" = xyes; then save_LIBS="$LIBS" LIBS="$PTHREAD_LIBS $LIBS" save_CFLAGS="$CFLAGS" CFLAGS="$CFLAGS $PTHREAD_CFLAGS" # Detect AIX lossage: JOINABLE attribute is called UNDETACHED. { $as_echo "$as_me:${as_lineno-$LINENO}: checking for joinable pthread attribute" >&5 $as_echo_n "checking for joinable pthread attribute... " >&6; } attr_name=unknown for attr in PTHREAD_CREATE_JOINABLE PTHREAD_CREATE_UNDETACHED; do cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include int main () { int attr = $attr; return attr /* ; */ ; return 0; } _ACEOF if ac_fn_c_try_link "$LINENO"; then : attr_name=$attr; break fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext done { $as_echo "$as_me:${as_lineno-$LINENO}: result: $attr_name" >&5 $as_echo "$attr_name" >&6; } if test "$attr_name" != PTHREAD_CREATE_JOINABLE; then cat >>confdefs.h <<_ACEOF #define PTHREAD_CREATE_JOINABLE $attr_name _ACEOF fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking if more special flags are required for pthreads" >&5 $as_echo_n "checking if more special flags are required for pthreads... " >&6; } flag=no case ${host_os} in aix* | freebsd* | darwin*) flag="-D_THREAD_SAFE";; osf* | hpux*) flag="-D_REENTRANT";; solaris*) if test "$GCC" = "yes"; then flag="-D_REENTRANT" else flag="-mt -D_REENTRANT" fi ;; esac { $as_echo "$as_me:${as_lineno-$LINENO}: result: ${flag}" >&5 $as_echo "${flag}" >&6; } if test "x$flag" != xno; then PTHREAD_CFLAGS="$flag $PTHREAD_CFLAGS" fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for PTHREAD_PRIO_INHERIT" >&5 $as_echo_n "checking for PTHREAD_PRIO_INHERIT... " >&6; } if ${ax_cv_PTHREAD_PRIO_INHERIT+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include int main () { int i = PTHREAD_PRIO_INHERIT; ; return 0; } _ACEOF if ac_fn_c_try_link "$LINENO"; then : ax_cv_PTHREAD_PRIO_INHERIT=yes else ax_cv_PTHREAD_PRIO_INHERIT=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ax_cv_PTHREAD_PRIO_INHERIT" >&5 $as_echo "$ax_cv_PTHREAD_PRIO_INHERIT" >&6; } if test "x$ax_cv_PTHREAD_PRIO_INHERIT" = "xyes"; then : $as_echo "#define HAVE_PTHREAD_PRIO_INHERIT 1" >>confdefs.h fi LIBS="$save_LIBS" CFLAGS="$save_CFLAGS" # More AIX lossage: must compile with xlc_r or cc_r if test x"$GCC" != xyes; then for ac_prog in xlc_r cc_r do # Extract the first word of "$ac_prog", so it can be a program name with args. set dummy $ac_prog; ac_word=$2 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $ac_word" >&5 $as_echo_n "checking for $ac_word... " >&6; } if ${ac_cv_prog_PTHREAD_CC+:} false; then : $as_echo_n "(cached) " >&6 else if test -n "$PTHREAD_CC"; then ac_cv_prog_PTHREAD_CC="$PTHREAD_CC" # Let the user override the test. else as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. for ac_exec_ext in '' $ac_executable_extensions; do if as_fn_executable_p "$as_dir/$ac_word$ac_exec_ext"; then ac_cv_prog_PTHREAD_CC="$ac_prog" $as_echo "$as_me:${as_lineno-$LINENO}: found $as_dir/$ac_word$ac_exec_ext" >&5 break 2 fi done done IFS=$as_save_IFS fi fi PTHREAD_CC=$ac_cv_prog_PTHREAD_CC if test -n "$PTHREAD_CC"; then { $as_echo "$as_me:${as_lineno-$LINENO}: result: $PTHREAD_CC" >&5 $as_echo "$PTHREAD_CC" >&6; } else { $as_echo "$as_me:${as_lineno-$LINENO}: result: no" >&5 $as_echo "no" >&6; } fi test -n "$PTHREAD_CC" && break done test -n "$PTHREAD_CC" || PTHREAD_CC="${CC}" else PTHREAD_CC=$CC fi else PTHREAD_CC="$CC" fi # Finally, execute ACTION-IF-FOUND/ACTION-IF-NOT-FOUND: if test x"$ax_pthread_ok" = xyes; then $as_echo "#define HAVE_PTHREAD 1" >>confdefs.h : else ax_pthread_ok=no fi ac_ext=cpp ac_cpp='$CXXCPP $CPPFLAGS' ac_compile='$CXX -c $CXXFLAGS $CPPFLAGS conftest.$ac_ext >&5' ac_link='$CXX -o conftest$ac_exeext $CXXFLAGS $CPPFLAGS $LDFLAGS conftest.$ac_ext $LIBS >&5' ac_compiler_gnu=$ac_cv_cxx_compiler_gnu # Check whether --enable-sigsegv was given. if test "${enable_sigsegv+set}" = set; then : enableval=$enable_sigsegv; fi if test "x$enable_sigsegv" != "xno"; then { $as_echo "$as_me:${as_lineno-$LINENO}: checking for stackoverflow_install_handler in -lsigsegv" >&5 $as_echo_n "checking for stackoverflow_install_handler in -lsigsegv... " >&6; } if ${ac_cv_lib_sigsegv_stackoverflow_install_handler+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lsigsegv $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char stackoverflow_install_handler (); int main () { return stackoverflow_install_handler (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_sigsegv_stackoverflow_install_handler=yes else ac_cv_lib_sigsegv_stackoverflow_install_handler=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_sigsegv_stackoverflow_install_handler" >&5 $as_echo "$ac_cv_lib_sigsegv_stackoverflow_install_handler" >&6; } if test "x$ac_cv_lib_sigsegv_stackoverflow_install_handler" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBSIGSEGV 1 _ACEOF LIBS="-lsigsegv $LIBS" fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for sched_yield in -lrt" >&5 $as_echo_n "checking for sched_yield in -lrt... " >&6; } if ${ac_cv_lib_rt_sched_yield+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lrt $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char sched_yield (); int main () { return sched_yield (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_rt_sched_yield=yes else ac_cv_lib_rt_sched_yield=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_rt_sched_yield" >&5 $as_echo "$ac_cv_lib_rt_sched_yield" >&6; } if test "x$ac_cv_lib_rt_sched_yield" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBRT 1 _ACEOF LIBS="-lrt $LIBS" fi # Check whether --enable-readline was given. if test "${enable_readline+set}" = set; then : enableval=$enable_readline; fi # Check whether --enable-static was given. if test "${enable_static+set}" = set; then : enableval=$enable_static; fi LDSTATIC="" STATIC="" DYNAMIC="" if test "x$enable_static" = "xyes"; then LDSTATIC="-static " STATIC="-Wl,-Bstatic " DYNAMIC="-Wl,-Bdynamic " fi if test "x$enable_readline" != "xno"; then cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include #include int main () { #ifndef RL_READLINE_VERSION abort #endif ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : LDFLAGS0=$LDFLAGS LDFLAGS=$LDFLAGS$LDSTATIC { $as_echo "$as_me:${as_lineno-$LINENO}: checking for history_list in -lreadline" >&5 $as_echo_n "checking for history_list in -lreadline... " >&6; } if ${ac_cv_lib_readline_history_list+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lreadline $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char history_list (); int main () { return history_list (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_readline_history_list=yes else ac_cv_lib_readline_history_list=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_readline_history_list" >&5 $as_echo "$ac_cv_lib_readline_history_list" >&6; } if test "x$ac_cv_lib_readline_history_list" = xyes; then : $as_echo "#define HAVE_LIBREADLINE 1" >>confdefs.h LIBS=$LIBS$STATIC"-lreadline "$DYNAMIC else if test "x$enable_static" = "xyes"; then { ac_cv_lib_readline_history_list=; unset ac_cv_lib_readline_history_list;} LDFLAGS=$LDFLAGS0 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for history_list in -lreadline" >&5 $as_echo_n "checking for history_list in -lreadline... " >&6; } if ${ac_cv_lib_readline_history_list+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lreadline $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char history_list (); int main () { return history_list (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_readline_history_list=yes else ac_cv_lib_readline_history_list=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_readline_history_list" >&5 $as_echo "$ac_cv_lib_readline_history_list" >&6; } if test "x$ac_cv_lib_readline_history_list" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBREADLINE 1 _ACEOF LIBS="-lreadline $LIBS" else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find GNU readline 4.3 or later: will compile without readline support ***" >&5 $as_echo "$as_me: *** Could not find GNU readline 4.3 or later: will compile without readline support ***" >&6;} fi else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find GNU readline 4.3 or later: will compile without readline support ***" >&5 $as_echo "$as_me: *** Could not find GNU readline 4.3 or later: will compile without readline support ***" >&6;} fi fi LDFLAGS=$LDFLAGS0 else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find GNU readline 4.3 or later: will compile without readline support ***" >&5 $as_echo "$as_me: *** Could not find GNU readline 4.3 or later: will compile without readline support ***" >&6;} fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext LDFLAGS0=$LDFLAGS LDFLAGS=$LDFLAGS$LDSTATIC { $as_echo "$as_me:${as_lineno-$LINENO}: checking for tgetent in -ltinfo" >&5 $as_echo_n "checking for tgetent in -ltinfo... " >&6; } if ${ac_cv_lib_tinfo_tgetent+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-ltinfo $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char tgetent (); int main () { return tgetent (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_tinfo_tgetent=yes else ac_cv_lib_tinfo_tgetent=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_tinfo_tgetent" >&5 $as_echo "$ac_cv_lib_tinfo_tgetent" >&6; } if test "x$ac_cv_lib_tinfo_tgetent" = xyes; then : $as_echo "#define HAVE_LIBTINFO 1" >>confdefs.h LIBS=$LIBS$STATIC"-ltinfo "$DYNAMIC else if test "x$enable_static" = "xyes"; then { ac_cv_lib_tinfo_tgetent=; unset ac_cv_lib_tinfo_tgetent;} LDFLAGS=$LDFLAGS0 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for tgetent in -ltinfo" >&5 $as_echo_n "checking for tgetent in -ltinfo... " >&6; } if ${ac_cv_lib_tinfo_tgetent+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-ltinfo $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char tgetent (); int main () { return tgetent (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_tinfo_tgetent=yes else ac_cv_lib_tinfo_tgetent=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_tinfo_tgetent" >&5 $as_echo "$ac_cv_lib_tinfo_tgetent" >&6; } if test "x$ac_cv_lib_tinfo_tgetent" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBTINFO 1 _ACEOF LIBS="-ltinfo $LIBS" else { $as_echo "$as_me:${as_lineno-$LINENO}: perhaps tgetent is in -lncurses" >&5 $as_echo "$as_me: perhaps tgetent is in -lncurses" >&6;} fi else { $as_echo "$as_me:${as_lineno-$LINENO}: perhaps tgetent is in -lncurses" >&5 $as_echo "$as_me: perhaps tgetent is in -lncurses" >&6;} fi fi LDFLAGS=$LDFLAGS0 for ac_header in ncurses/curses.h ncurses.h curses.h do : as_ac_Header=`$as_echo "ac_cv_header_$ac_header" | $as_tr_sh` ac_fn_cxx_check_header_mongrel "$LINENO" "$ac_header" "$as_ac_Header" "$ac_includes_default" if eval test \"x\$"$as_ac_Header"\" = x"yes"; then : cat >>confdefs.h <<_ACEOF #define `$as_echo "HAVE_$ac_header" | $as_tr_cpp` 1 _ACEOF break fi done LDFLAGS0=$LDFLAGS LDFLAGS=$LDFLAGS$LDSTATIC { $as_echo "$as_me:${as_lineno-$LINENO}: checking for setupterm in -lncurses" >&5 $as_echo_n "checking for setupterm in -lncurses... " >&6; } if ${ac_cv_lib_ncurses_setupterm+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lncurses $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char setupterm (); int main () { return setupterm (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_ncurses_setupterm=yes else ac_cv_lib_ncurses_setupterm=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_ncurses_setupterm" >&5 $as_echo "$ac_cv_lib_ncurses_setupterm" >&6; } if test "x$ac_cv_lib_ncurses_setupterm" = xyes; then : $as_echo "#define HAVE_LIBCURSES 1" >>confdefs.h LIBS=$LIBS$STATIC"-lncurses "$DYNAMIC else if test "x$enable_static" = "xyes"; then { ac_cv_lib_ncurses_setupterm=; unset ac_cv_lib_ncurses_setupterm;} LDFLAGS=$LDFLAGS0 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for setupterm in -lncurses" >&5 $as_echo_n "checking for setupterm in -lncurses... " >&6; } if ${ac_cv_lib_ncurses_setupterm+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lncurses $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char setupterm (); int main () { return setupterm (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_ncurses_setupterm=yes else ac_cv_lib_ncurses_setupterm=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_ncurses_setupterm" >&5 $as_echo "$ac_cv_lib_ncurses_setupterm" >&6; } if test "x$ac_cv_lib_ncurses_setupterm" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBNCURSES 1 _ACEOF LIBS="-lncurses $LIBS" else { $as_echo "$as_me:${as_lineno-$LINENO}: checking for setupterm in -lcurses" >&5 $as_echo_n "checking for setupterm in -lcurses... " >&6; } if ${ac_cv_lib_curses_setupterm+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lcurses $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char setupterm (); int main () { return setupterm (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_curses_setupterm=yes else ac_cv_lib_curses_setupterm=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_curses_setupterm" >&5 $as_echo "$ac_cv_lib_curses_setupterm" >&6; } if test "x$ac_cv_lib_curses_setupterm" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBCURSES 1 _ACEOF LIBS="-lcurses $LIBS" fi fi else { $as_echo "$as_me:${as_lineno-$LINENO}: checking for setupterm in -lcurses" >&5 $as_echo_n "checking for setupterm in -lcurses... " >&6; } if ${ac_cv_lib_curses_setupterm+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lcurses $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char setupterm (); int main () { return setupterm (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_curses_setupterm=yes else ac_cv_lib_curses_setupterm=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_curses_setupterm" >&5 $as_echo "$ac_cv_lib_curses_setupterm" >&6; } if test "x$ac_cv_lib_curses_setupterm" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBCURSES 1 _ACEOF LIBS="-lcurses $LIBS" fi fi fi LDFLAGS=$LDFLAGS0 fi # Check whether --enable-fftw was given. if test "${enable_fftw+set}" = set; then : enableval=$enable_fftw; fi if test "x$enable_fftw" != "xno"; then ac_fn_cxx_check_header_mongrel "$LINENO" "fftw3.h" "ac_cv_header_fftw3_h" "$ac_includes_default" if test "x$ac_cv_header_fftw3_h" = xyes; then : LDFLAGS0=$LDFLAGS LDFLAGS=$LDFLAGS$LDSTATIC { $as_echo "$as_me:${as_lineno-$LINENO}: checking for fftw_execute in -lfftw3" >&5 $as_echo_n "checking for fftw_execute in -lfftw3... " >&6; } if ${ac_cv_lib_fftw3_fftw_execute+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lfftw3 $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char fftw_execute (); int main () { return fftw_execute (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_fftw3_fftw_execute=yes else ac_cv_lib_fftw3_fftw_execute=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_fftw3_fftw_execute" >&5 $as_echo "$ac_cv_lib_fftw3_fftw_execute" >&6; } if test "x$ac_cv_lib_fftw3_fftw_execute" = xyes; then : $as_echo "#define HAVE_LIBFFTW3 1" >>confdefs.h LIBS=$LIBS$STATIC"-lfftw3 "$DYNAMIC else if test "x$enable_static" = "xyes"; then { ac_cv_lib_fftw3_fftw_execute=; unset ac_cv_lib_fftw3_fftw_execute;} LDFLAGS=$LDFLAGS0 { $as_echo "$as_me:${as_lineno-$LINENO}: checking for fftw_execute in -lfftw3" >&5 $as_echo_n "checking for fftw_execute in -lfftw3... " >&6; } if ${ac_cv_lib_fftw3_fftw_execute+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lfftw3 $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char fftw_execute (); int main () { return fftw_execute (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_fftw3_fftw_execute=yes else ac_cv_lib_fftw3_fftw_execute=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_fftw3_fftw_execute" >&5 $as_echo "$ac_cv_lib_fftw3_fftw_execute" >&6; } if test "x$ac_cv_lib_fftw3_fftw_execute" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBFFTW3 1 _ACEOF LIBS="-lfftw3 $LIBS" else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libfftw3: will compile without optional fast Fourier transforms. ***" >&5 $as_echo "$as_me: *** Could not find libfftw3: will compile without optional fast Fourier transforms. ***" >&6;} fi else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libfftw3: will compile without optional fast Fourier transforms. ***" >&5 $as_echo "$as_me: *** Could not find libfftw3: will compile without optional fast Fourier transforms. ***" >&6;} fi fi LDFLAGS=$LDFLAGS0 else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Header file fftw3.h not found: will compile without optional fast Fourier transforms. ***" >&5 $as_echo "$as_me: *** Header file fftw3.h not found: will compile without optional fast Fourier transforms. ***" >&6;} fi fi # Checks for header files. { $as_echo "$as_me:${as_lineno-$LINENO}: checking for sys/wait.h that is POSIX.1 compatible" >&5 $as_echo_n "checking for sys/wait.h that is POSIX.1 compatible... " >&6; } if ${ac_cv_header_sys_wait_h+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include #ifndef WEXITSTATUS # define WEXITSTATUS(stat_val) ((unsigned int) (stat_val) >> 8) #endif #ifndef WIFEXITED # define WIFEXITED(stat_val) (((stat_val) & 255) == 0) #endif int main () { int s; wait (&s); s = WIFEXITED (s) ? WEXITSTATUS (s) : 1; ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_header_sys_wait_h=yes else ac_cv_header_sys_wait_h=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_header_sys_wait_h" >&5 $as_echo "$ac_cv_header_sys_wait_h" >&6; } if test $ac_cv_header_sys_wait_h = yes; then $as_echo "#define HAVE_SYS_WAIT_H 1" >>confdefs.h fi for ac_header in fenv.h stddef.h libintl.h do : as_ac_Header=`$as_echo "ac_cv_header_$ac_header" | $as_tr_sh` ac_fn_cxx_check_header_mongrel "$LINENO" "$ac_header" "$as_ac_Header" "$ac_includes_default" if eval test \"x\$"$as_ac_Header"\" = x"yes"; then : cat >>confdefs.h <<_ACEOF #define `$as_echo "HAVE_$ac_header" | $as_tr_cpp` 1 _ACEOF fi done for ac_header in fpu_control.h do : ac_fn_cxx_check_header_mongrel "$LINENO" "fpu_control.h" "ac_cv_header_fpu_control_h" "$ac_includes_default" if test "x$ac_cv_header_fpu_control_h" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_FPU_CONTROL_H 1 _ACEOF fi done for ac_func in feenableexcept do : ac_fn_cxx_check_func "$LINENO" "feenableexcept" "ac_cv_func_feenableexcept" if test "x$ac_cv_func_feenableexcept" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_FEENABLEEXCEPT 1 _ACEOF fi done cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include "xstream.h" int main () { ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : { $as_echo "$as_me:${as_lineno-$LINENO}: checking for library containing xdrstdio_create" >&5 $as_echo_n "checking for library containing xdrstdio_create... " >&6; } if ${ac_cv_search_xdrstdio_create+:} false; then : $as_echo_n "(cached) " >&6 else ac_func_search_save_LIBS=$LIBS cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char xdrstdio_create (); int main () { return xdrstdio_create (); ; return 0; } _ACEOF for ac_lib in '' nsl tirpc; do if test -z "$ac_lib"; then ac_res="none required" else ac_res=-l$ac_lib LIBS="-l$ac_lib $ac_func_search_save_LIBS" fi if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_search_xdrstdio_create=$ac_res fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext if ${ac_cv_search_xdrstdio_create+:} false; then : break fi done if ${ac_cv_search_xdrstdio_create+:} false; then : else ac_cv_search_xdrstdio_create=no fi rm conftest.$ac_ext LIBS=$ac_func_search_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_search_xdrstdio_create" >&5 $as_echo "$ac_cv_search_xdrstdio_create" >&6; } ac_res=$ac_cv_search_xdrstdio_create if test "$ac_res" != no; then : test "$ac_res" = "none required" || LIBS="$ac_res $LIBS" fi $as_echo "#define HAVE_RPC_RPC_H 1" >>confdefs.h else { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: *** Broken rpc headers; XDR support disabled ***" >&5 $as_echo "$as_me: WARNING: *** Broken rpc headers; XDR support disabled ***" >&2;} fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext # Check whether --enable-gsl was given. if test "${enable_gsl+set}" = set; then : enableval=$enable_gsl; fi if test "x$enable_gsl" != "xno"; then ac_fn_cxx_check_header_mongrel "$LINENO" "gsl/gsl_sf.h" "ac_cv_header_gsl_gsl_sf_h" "$ac_includes_default" if test "x$ac_cv_header_gsl_gsl_sf_h" = xyes; then : { $as_echo "$as_me:${as_lineno-$LINENO}: checking for gsl_sf_debye_6 in -lgsl" >&5 $as_echo_n "checking for gsl_sf_debye_6 in -lgsl... " >&6; } if ${ac_cv_lib_gsl_gsl_sf_debye_6+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lgsl -lgslcblas $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char gsl_sf_debye_6 (); int main () { return gsl_sf_debye_6 (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_gsl_gsl_sf_debye_6=yes else ac_cv_lib_gsl_gsl_sf_debye_6=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_gsl_gsl_sf_debye_6" >&5 $as_echo "$ac_cv_lib_gsl_gsl_sf_debye_6" >&6; } if test "x$ac_cv_lib_gsl_gsl_sf_debye_6" = xyes; then : $as_echo "#define HAVE_LIBGSL 1" >>confdefs.h LIBS=$LIBS"-lgsl -lgslcblas " else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libgsl: will compile without optional special functions. ***" >&5 $as_echo "$as_me: *** Could not find libgsl: will compile without optional special functions. ***" >&6;} fi else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Header file gsl_sf.h not found: will compile without optional special functions. ***" >&5 $as_echo "$as_me: *** Header file gsl_sf.h not found: will compile without optional special functions. ***" >&6;} fi fi # Check whether --enable-gl was given. if test "${enable_gl+set}" = set; then : enableval=$enable_gl; fi # Check whether --enable-offscreen was given. if test "${enable_offscreen+set}" = set; then : enableval=$enable_offscreen; fi # Check whether --enable-OpenImageIO was given. if test "${enable_OpenImageIO+set}" = set; then : enableval=$enable_OpenImageIO; fi ac_fn_cxx_check_header_mongrel "$LINENO" "glm/glm.hpp" "ac_cv_header_glm_glm_hpp" "$ac_includes_default" if test "x$ac_cv_header_glm_glm_hpp" = xyes; then : $as_echo "#define HAVE_LIBGLM 1" >>confdefs.h else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find glm header files: will compile without WebGL or OpenGL support ***" >&5 $as_echo "$as_me: *** Could not find glm header files: will compile without WebGL or OpenGL support ***" >&6;} fi if test "x$enable_gl" != "xno"; then for ac_header in ncurses/curses.h ncurses.h curses.h do : as_ac_Header=`$as_echo "ac_cv_header_$ac_header" | $as_tr_sh` ac_fn_cxx_check_header_mongrel "$LINENO" "$ac_header" "$as_ac_Header" "$ac_includes_default" if eval test \"x\$"$as_ac_Header"\" = x"yes"; then : cat >>confdefs.h <<_ACEOF #define `$as_echo "HAVE_$ac_header" | $as_tr_cpp` 1 _ACEOF break fi done if test "x$enable_openimageio" = "xyes"; then ac_fn_cxx_check_header_mongrel "$LINENO" "OpenEXR/ImathVec.h" "ac_cv_header_OpenEXR_ImathVec_h" "$ac_includes_default" if test "x$ac_cv_header_OpenEXR_ImathVec_h" = xyes; then : ac_fn_cxx_check_header_mongrel "$LINENO" "OpenImageIO/imageio.h" "ac_cv_header_OpenImageIO_imageio_h" "$ac_includes_default" if test "x$ac_cv_header_OpenImageIO_imageio_h" = xyes; then : { $as_echo "$as_me:${as_lineno-$LINENO}: checking for open in -lOpenImageIO" >&5 $as_echo_n "checking for open in -lOpenImageIO... " >&6; } if ${ac_cv_lib_OpenImageIO_open+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lOpenImageIO $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char open (); int main () { return open (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_OpenImageIO_open=yes else ac_cv_lib_OpenImageIO_open=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_OpenImageIO_open" >&5 $as_echo "$ac_cv_lib_OpenImageIO_open" >&6; } if test "x$ac_cv_lib_OpenImageIO_open" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBOPENIMAGEIO 1 _ACEOF LIBS="-lOpenImageIO $LIBS" fi fi fi fi case "$OSTYPE" in msdos) { $as_echo "$as_me:${as_lineno-$LINENO}: checking for GC_throw_bad_alloc in -lgccpp" >&5 $as_echo_n "checking for GC_throw_bad_alloc in -lgccpp... " >&6; } if ${ac_cv_lib_gccpp_GC_throw_bad_alloc+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lgccpp $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char GC_throw_bad_alloc (); int main () { return GC_throw_bad_alloc (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_gccpp_GC_throw_bad_alloc=yes else ac_cv_lib_gccpp_GC_throw_bad_alloc=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_gccpp_GC_throw_bad_alloc" >&5 $as_echo "$ac_cv_lib_gccpp_GC_throw_bad_alloc" >&6; } if test "x$ac_cv_lib_gccpp_GC_throw_bad_alloc" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBGCCPP 1 _ACEOF LIBS="-lgccpp $LIBS" fi ac_fn_cxx_check_header_mongrel "$LINENO" "GL/glut.h" "ac_cv_header_GL_glut_h" "$ac_includes_default" if test "x$ac_cv_header_GL_glut_h" = xyes; then : $as_echo "#define HAVE_LIBGLUT 1" >>confdefs.h LIBS=$LIBS"-lfreeglut " else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libfreeglut: will compile without OpenGL support ***" >&5 $as_echo "$as_me: *** Could not find libfreeglut: will compile without OpenGL support ***" >&6;} fi ac_fn_cxx_check_header_mongrel "$LINENO" "GL/gl.h" "ac_cv_header_GL_gl_h" "$ac_includes_default" if test "x$ac_cv_header_GL_gl_h" = xyes; then : $as_echo "#define HAVE_LIBGL 1" >>confdefs.h LIBS=$LIBS"-lopengl32 glew.o" else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libopengl32: will compile without OpenGL support ***" >&5 $as_echo "$as_me: *** Could not find libopengl32: will compile without OpenGL support ***" >&6;} fi ;; darwin*) { $as_echo "$as_me:${as_lineno-$LINENO}: checking for GC_throw_bad_alloc in -lgccpp" >&5 $as_echo_n "checking for GC_throw_bad_alloc in -lgccpp... " >&6; } if ${ac_cv_lib_gccpp_GC_throw_bad_alloc+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lgccpp $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char GC_throw_bad_alloc (); int main () { return GC_throw_bad_alloc (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_gccpp_GC_throw_bad_alloc=yes else ac_cv_lib_gccpp_GC_throw_bad_alloc=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_gccpp_GC_throw_bad_alloc" >&5 $as_echo "$ac_cv_lib_gccpp_GC_throw_bad_alloc" >&6; } if test "x$ac_cv_lib_gccpp_GC_throw_bad_alloc" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBGCCPP 1 _ACEOF LIBS="-lgccpp $LIBS" fi ac_fn_cxx_check_header_mongrel "$LINENO" "OpenGL/gl.h" "ac_cv_header_OpenGL_gl_h" "$ac_includes_default" if test "x$ac_cv_header_OpenGL_gl_h" = xyes; then : $as_echo "#define HAVE_LIBGL 1" >>confdefs.h fi ac_fn_cxx_check_header_mongrel "$LINENO" "GLUT/glut.h" "ac_cv_header_GLUT_glut_h" "$ac_includes_default" if test "x$ac_cv_header_GLUT_glut_h" = xyes; then : $as_echo "#define HAVE_LIBGLUT 1" >>confdefs.h LIBS=$LIBS"-framework GLUT -framework OpenGL -framework Cocoa glew.o " else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find GLUT: will compile without OpenGLLUT support ***" >&5 $as_echo "$as_me: *** Could not find GLUT: will compile without OpenGLLUT support ***" >&6;} fi ;; *) { $as_echo "$as_me:${as_lineno-$LINENO}: checking for GC_throw_bad_alloc in -lgccpp" >&5 $as_echo_n "checking for GC_throw_bad_alloc in -lgccpp... " >&6; } if ${ac_cv_lib_gccpp_GC_throw_bad_alloc+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lgccpp $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char GC_throw_bad_alloc (); int main () { return GC_throw_bad_alloc (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_gccpp_GC_throw_bad_alloc=yes else ac_cv_lib_gccpp_GC_throw_bad_alloc=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_gccpp_GC_throw_bad_alloc" >&5 $as_echo "$ac_cv_lib_gccpp_GC_throw_bad_alloc" >&6; } if test "x$ac_cv_lib_gccpp_GC_throw_bad_alloc" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBGCCPP 1 _ACEOF LIBS="-lgccpp $LIBS" fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for glutMainLoop in -lglut" >&5 $as_echo_n "checking for glutMainLoop in -lglut... " >&6; } if ${ac_cv_lib_glut_glutMainLoop+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lglut $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char glutMainLoop (); int main () { return glutMainLoop (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_glut_glutMainLoop=yes else ac_cv_lib_glut_glutMainLoop=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_glut_glutMainLoop" >&5 $as_echo "$ac_cv_lib_glut_glutMainLoop" >&6; } if test "x$ac_cv_lib_glut_glutMainLoop" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBGLUT 1 _ACEOF LIBS="-lglut $LIBS" else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libglut: will compile without OpenGL support ***" >&5 $as_echo "$as_me: *** Could not find libglut: will compile without OpenGL support ***" >&6;} fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for glDepthMask in -lGL" >&5 $as_echo_n "checking for glDepthMask in -lGL... " >&6; } if ${ac_cv_lib_GL_glDepthMask+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lGL $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char glDepthMask (); int main () { return glDepthMask (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_GL_glDepthMask=yes else ac_cv_lib_GL_glDepthMask=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_GL_glDepthMask" >&5 $as_echo "$ac_cv_lib_GL_glDepthMask" >&6; } if test "x$ac_cv_lib_GL_glDepthMask" = xyes; then : $as_echo "#define HAVE_LIBGL 1" >>confdefs.h LIBS=$LIBS"-lGL " GLEW="glew.o " { $as_echo "$as_me:${as_lineno-$LINENO}: checking for glXGetProcAddressARB in -lGLX" >&5 $as_echo_n "checking for glXGetProcAddressARB in -lGLX... " >&6; } if ${ac_cv_lib_GLX_glXGetProcAddressARB+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lGLX $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char glXGetProcAddressARB (); int main () { return glXGetProcAddressARB (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_GLX_glXGetProcAddressARB=yes else ac_cv_lib_GLX_glXGetProcAddressARB=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_GLX_glXGetProcAddressARB" >&5 $as_echo "$ac_cv_lib_GLX_glXGetProcAddressARB" >&6; } if test "x$ac_cv_lib_GLX_glXGetProcAddressARB" = xyes; then : GLEW=$GLEW"-lGLX " fi else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libGL: will compile without OpenGL support ***" >&5 $as_echo "$as_me: *** Could not find libGL: will compile without OpenGL support ***" >&6;} fi esac if test "x$enable_offscreen" = "xyes"; then { $as_echo "$as_me:${as_lineno-$LINENO}: checking for OSMesaCreateContext in -lOSMesa" >&5 $as_echo_n "checking for OSMesaCreateContext in -lOSMesa... " >&6; } if ${ac_cv_lib_OSMesa_OSMesaCreateContext+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lOSMesa $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char OSMesaCreateContext (); int main () { return OSMesaCreateContext (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_OSMesa_OSMesaCreateContext=yes else ac_cv_lib_OSMesa_OSMesaCreateContext=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_OSMesa_OSMesaCreateContext" >&5 $as_echo "$ac_cv_lib_OSMesa_OSMesaCreateContext" >&6; } if test "x$ac_cv_lib_OSMesa_OSMesaCreateContext" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LIBOSMESA 1 _ACEOF LIBS="-lOSMesa $LIBS" else { $as_echo "$as_me:${as_lineno-$LINENO}: *** Could not find libOSMesa: will compile without offscreen rendering support ***" >&5 $as_echo "$as_me: *** Could not find libOSMesa: will compile without offscreen rendering support ***" >&6;} fi fi fi # Checks for typedefs, structures, and compiler characteristics. ac_fn_cxx_check_type "$LINENO" "pid_t" "ac_cv_type_pid_t" "$ac_includes_default" if test "x$ac_cv_type_pid_t" = xyes; then : else cat >>confdefs.h <<_ACEOF #define pid_t int _ACEOF fi ac_fn_cxx_check_type "$LINENO" "size_t" "ac_cv_type_size_t" "$ac_includes_default" if test "x$ac_cv_type_size_t" = xyes; then : else cat >>confdefs.h <<_ACEOF #define size_t unsigned int _ACEOF fi ac_fn_cxx_check_type "$LINENO" "ptrdiff_t" "ac_cv_type_ptrdiff_t" "$ac_includes_default" if test "x$ac_cv_type_ptrdiff_t" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_PTRDIFF_T 1 _ACEOF fi ac_fn_cxx_check_type "$LINENO" "long long" "ac_cv_type_long_long" "$ac_includes_default" if test "x$ac_cv_type_long_long" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LONG_LONG 1 _ACEOF fi ac_fn_cxx_check_type "$LINENO" "long" "ac_cv_type_long" "$ac_includes_default" if test "x$ac_cv_type_long" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_LONG 1 _ACEOF fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for an ANSI C-conforming const" >&5 $as_echo_n "checking for an ANSI C-conforming const... " >&6; } if ${ac_cv_c_const+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ int main () { #ifndef __cplusplus /* Ultrix mips cc rejects this sort of thing. */ typedef int charset[2]; const charset cs = { 0, 0 }; /* SunOS 4.1.1 cc rejects this. */ char const *const *pcpcc; char **ppc; /* NEC SVR4.0.2 mips cc rejects this. */ struct point {int x, y;}; static struct point const zero = {0,0}; /* AIX XL C 1.02.0.0 rejects this. It does not let you subtract one const X* pointer from another in an arm of an if-expression whose if-part is not a constant expression */ const char *g = "string"; pcpcc = &g + (g ? g-g : 0); /* HPUX 7.0 cc rejects these. */ ++pcpcc; ppc = (char**) pcpcc; pcpcc = (char const *const *) ppc; { /* SCO 3.2v4 cc rejects this sort of thing. */ char tx; char *t = &tx; char const *s = 0 ? (char *) 0 : (char const *) 0; *t++ = 0; if (s) return 0; } { /* Someone thinks the Sun supposedly-ANSI compiler will reject this. */ int x[] = {25, 17}; const int *foo = &x[0]; ++foo; } { /* Sun SC1.0 ANSI compiler rejects this -- but not the above. */ typedef const int *iptr; iptr p = 0; ++p; } { /* AIX XL C 1.02.0.0 rejects this sort of thing, saying "k.c", line 2.27: 1506-025 (S) Operand must be a modifiable lvalue. */ struct s { int j; const int *ap[3]; } bx; struct s *b = &bx; b->j = 5; } { /* ULTRIX-32 V3.1 (Rev 9) vcc rejects this */ const int foo = 10; if (!foo) return 0; } return !cs[0] && !zero.x; #endif ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_c_const=yes else ac_cv_c_const=no fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_c_const" >&5 $as_echo "$ac_cv_c_const" >&6; } if test $ac_cv_c_const = no; then $as_echo "#define const /**/" >>confdefs.h fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for inline" >&5 $as_echo_n "checking for inline... " >&6; } if ${ac_cv_c_inline+:} false; then : $as_echo_n "(cached) " >&6 else ac_cv_c_inline=no for ac_kw in inline __inline__ __inline; do cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #ifndef __cplusplus typedef int foo_t; static $ac_kw foo_t static_foo () {return 0; } $ac_kw foo_t foo () {return 0; } #endif _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_c_inline=$ac_kw fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext test "$ac_cv_c_inline" != no && break done fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_c_inline" >&5 $as_echo "$ac_cv_c_inline" >&6; } case $ac_cv_c_inline in inline | yes) ;; *) case $ac_cv_c_inline in no) ac_val=;; *) ac_val=$ac_cv_c_inline;; esac cat >>confdefs.h <<_ACEOF #ifndef __cplusplus #define inline $ac_val #endif _ACEOF ;; esac { $as_echo "$as_me:${as_lineno-$LINENO}: checking return type of signal handlers" >&5 $as_echo_n "checking return type of signal handlers... " >&6; } if ${ac_cv_type_signal+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include #include int main () { return *(signal (0, 0)) (0) == 1; ; return 0; } _ACEOF if ac_fn_cxx_try_compile "$LINENO"; then : ac_cv_type_signal=int else ac_cv_type_signal=void fi rm -f core conftest.err conftest.$ac_objext conftest.$ac_ext fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_type_signal" >&5 $as_echo "$ac_cv_type_signal" >&6; } cat >>confdefs.h <<_ACEOF #define RETSIGTYPE $ac_cv_type_signal _ACEOF # Checks for library functions. for ac_header in vfork.h do : ac_fn_cxx_check_header_mongrel "$LINENO" "vfork.h" "ac_cv_header_vfork_h" "$ac_includes_default" if test "x$ac_cv_header_vfork_h" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_VFORK_H 1 _ACEOF fi done for ac_func in fork vfork do : as_ac_var=`$as_echo "ac_cv_func_$ac_func" | $as_tr_sh` ac_fn_cxx_check_func "$LINENO" "$ac_func" "$as_ac_var" if eval test \"x\$"$as_ac_var"\" = x"yes"; then : cat >>confdefs.h <<_ACEOF #define `$as_echo "HAVE_$ac_func" | $as_tr_cpp` 1 _ACEOF fi done if test "x$ac_cv_func_fork" = xyes; then { $as_echo "$as_me:${as_lineno-$LINENO}: checking for working fork" >&5 $as_echo_n "checking for working fork... " >&6; } if ${ac_cv_func_fork_works+:} false; then : $as_echo_n "(cached) " >&6 else if test "$cross_compiling" = yes; then : ac_cv_func_fork_works=cross else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ $ac_includes_default int main () { /* By Ruediger Kuhlmann. */ return fork () < 0; ; return 0; } _ACEOF if ac_fn_cxx_try_run "$LINENO"; then : ac_cv_func_fork_works=yes else ac_cv_func_fork_works=no fi rm -f core *.core core.conftest.* gmon.out bb.out conftest$ac_exeext \ conftest.$ac_objext conftest.beam conftest.$ac_ext fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_func_fork_works" >&5 $as_echo "$ac_cv_func_fork_works" >&6; } else ac_cv_func_fork_works=$ac_cv_func_fork fi if test "x$ac_cv_func_fork_works" = xcross; then case $host in *-*-amigaos* | *-*-msdosdjgpp*) # Override, as these systems have only a dummy fork() stub ac_cv_func_fork_works=no ;; *) ac_cv_func_fork_works=yes ;; esac { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: result $ac_cv_func_fork_works guessed because of cross compilation" >&5 $as_echo "$as_me: WARNING: result $ac_cv_func_fork_works guessed because of cross compilation" >&2;} fi ac_cv_func_vfork_works=$ac_cv_func_vfork if test "x$ac_cv_func_vfork" = xyes; then { $as_echo "$as_me:${as_lineno-$LINENO}: checking for working vfork" >&5 $as_echo_n "checking for working vfork... " >&6; } if ${ac_cv_func_vfork_works+:} false; then : $as_echo_n "(cached) " >&6 else if test "$cross_compiling" = yes; then : ac_cv_func_vfork_works=cross else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Thanks to Paul Eggert for this test. */ $ac_includes_default #include #ifdef HAVE_VFORK_H # include #endif /* On some sparc systems, changes by the child to local and incoming argument registers are propagated back to the parent. The compiler is told about this with #include , but some compilers (e.g. gcc -O) don't grok . Test for this by using a static variable whose address is put into a register that is clobbered by the vfork. */ static void #ifdef __cplusplus sparc_address_test (int arg) # else sparc_address_test (arg) int arg; #endif { static pid_t child; if (!child) { child = vfork (); if (child < 0) { perror ("vfork"); _exit(2); } if (!child) { arg = getpid(); write(-1, "", 0); _exit (arg); } } } int main () { pid_t parent = getpid (); pid_t child; sparc_address_test (0); child = vfork (); if (child == 0) { /* Here is another test for sparc vfork register problems. This test uses lots of local variables, at least as many local variables as main has allocated so far including compiler temporaries. 4 locals are enough for gcc 1.40.3 on a Solaris 4.1.3 sparc, but we use 8 to be safe. A buggy compiler should reuse the register of parent for one of the local variables, since it will think that parent can't possibly be used any more in this routine. Assigning to the local variable will thus munge parent in the parent process. */ pid_t p = getpid(), p1 = getpid(), p2 = getpid(), p3 = getpid(), p4 = getpid(), p5 = getpid(), p6 = getpid(), p7 = getpid(); /* Convince the compiler that p..p7 are live; otherwise, it might use the same hardware register for all 8 local variables. */ if (p != p1 || p != p2 || p != p3 || p != p4 || p != p5 || p != p6 || p != p7) _exit(1); /* On some systems (e.g. IRIX 3.3), vfork doesn't separate parent from child file descriptors. If the child closes a descriptor before it execs or exits, this munges the parent's descriptor as well. Test for this by closing stdout in the child. */ _exit(close(fileno(stdout)) != 0); } else { int status; struct stat st; while (wait(&status) != child) ; return ( /* Was there some problem with vforking? */ child < 0 /* Did the child fail? (This shouldn't happen.) */ || status /* Did the vfork/compiler bug occur? */ || parent != getpid() /* Did the file descriptor bug occur? */ || fstat(fileno(stdout), &st) != 0 ); } } _ACEOF if ac_fn_cxx_try_run "$LINENO"; then : ac_cv_func_vfork_works=yes else ac_cv_func_vfork_works=no fi rm -f core *.core core.conftest.* gmon.out bb.out conftest$ac_exeext \ conftest.$ac_objext conftest.beam conftest.$ac_ext fi fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_func_vfork_works" >&5 $as_echo "$ac_cv_func_vfork_works" >&6; } fi; if test "x$ac_cv_func_fork_works" = xcross; then ac_cv_func_vfork_works=$ac_cv_func_vfork { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: result $ac_cv_func_vfork_works guessed because of cross compilation" >&5 $as_echo "$as_me: WARNING: result $ac_cv_func_vfork_works guessed because of cross compilation" >&2;} fi if test "x$ac_cv_func_vfork_works" = xyes; then $as_echo "#define HAVE_WORKING_VFORK 1" >>confdefs.h else $as_echo "#define vfork fork" >>confdefs.h fi if test "x$ac_cv_func_fork_works" = xyes; then $as_echo "#define HAVE_WORKING_FORK 1" >>confdefs.h fi for ac_func in dup2 floor memset strchr tgamma lgamma memrchr do : as_ac_var=`$as_echo "ac_cv_func_$ac_func" | $as_tr_sh` ac_fn_cxx_check_func "$LINENO" "$ac_func" "$as_ac_var" if eval test \"x\$"$as_ac_var"\" = x"yes"; then : cat >>confdefs.h <<_ACEOF #define `$as_echo "HAVE_$ac_func" | $as_tr_cpp` 1 _ACEOF fi done for ac_func in strftime do : ac_fn_cxx_check_func "$LINENO" "strftime" "ac_cv_func_strftime" if test "x$ac_cv_func_strftime" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_STRFTIME 1 _ACEOF else # strftime is in -lintl on SCO UNIX. { $as_echo "$as_me:${as_lineno-$LINENO}: checking for strftime in -lintl" >&5 $as_echo_n "checking for strftime in -lintl... " >&6; } if ${ac_cv_lib_intl_strftime+:} false; then : $as_echo_n "(cached) " >&6 else ac_check_lib_save_LIBS=$LIBS LIBS="-lintl $LIBS" cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ /* Override any GCC internal prototype to avoid an error. Use char because int might match the return type of a GCC builtin and then its argument prototype would still apply. */ #ifdef __cplusplus extern "C" #endif char strftime (); int main () { return strftime (); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_intl_strftime=yes else ac_cv_lib_intl_strftime=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext LIBS=$ac_check_lib_save_LIBS fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_intl_strftime" >&5 $as_echo "$ac_cv_lib_intl_strftime" >&6; } if test "x$ac_cv_lib_intl_strftime" = xyes; then : $as_echo "#define HAVE_STRFTIME 1" >>confdefs.h LIBS="-lintl $LIBS" fi fi done for ac_func in strptime do : ac_fn_cxx_check_func "$LINENO" "strptime" "ac_cv_func_strptime" if test "x$ac_cv_func_strptime" = xyes; then : cat >>confdefs.h <<_ACEOF #define HAVE_STRPTIME 1 _ACEOF fi done { $as_echo "$as_me:${as_lineno-$LINENO}: checking for error_at_line" >&5 $as_echo_n "checking for error_at_line... " >&6; } if ${ac_cv_lib_error_at_line+:} false; then : $as_echo_n "(cached) " >&6 else cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include int main () { error_at_line (0, 0, "", 0, "an error occurred"); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_lib_error_at_line=yes else ac_cv_lib_error_at_line=no fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_lib_error_at_line" >&5 $as_echo "$ac_cv_lib_error_at_line" >&6; } if test $ac_cv_lib_error_at_line = no; then case " $LIBOBJS " in *" error.$ac_objext "* ) ;; *) LIBOBJS="$LIBOBJS error.$ac_objext" ;; esac fi { $as_echo "$as_me:${as_lineno-$LINENO}: checking for _LARGEFILE_SOURCE value needed for large files" >&5 $as_echo_n "checking for _LARGEFILE_SOURCE value needed for large files... " >&6; } if ${ac_cv_sys_largefile_source+:} false; then : $as_echo_n "(cached) " >&6 else while :; do cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #include /* for off_t */ #include int main () { int (*fp) (FILE *, off_t, int) = fseeko; return fseeko (stdin, 0, 0) && fp (stdin, 0, 0); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_sys_largefile_source=no; break fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext cat confdefs.h - <<_ACEOF >conftest.$ac_ext /* end confdefs.h. */ #define _LARGEFILE_SOURCE 1 #include /* for off_t */ #include int main () { int (*fp) (FILE *, off_t, int) = fseeko; return fseeko (stdin, 0, 0) && fp (stdin, 0, 0); ; return 0; } _ACEOF if ac_fn_cxx_try_link "$LINENO"; then : ac_cv_sys_largefile_source=1; break fi rm -f core conftest.err conftest.$ac_objext \ conftest$ac_exeext conftest.$ac_ext ac_cv_sys_largefile_source=unknown break done fi { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_cv_sys_largefile_source" >&5 $as_echo "$ac_cv_sys_largefile_source" >&6; } case $ac_cv_sys_largefile_source in #( no | unknown) ;; *) cat >>confdefs.h <<_ACEOF #define _LARGEFILE_SOURCE $ac_cv_sys_largefile_source _ACEOF ;; esac rm -rf conftest* # We used to try defining _XOPEN_SOURCE=500 too, to work around a bug # in glibc 2.1.3, but that breaks too many other things. # If you want fseeko and ftello with glibc, upgrade to a fixed glibc. if test $ac_cv_sys_largefile_source != unknown; then $as_echo "#define HAVE_FSEEKO 1" >>confdefs.h fi ac_config_headers="$ac_config_headers config.h" ac_config_files="$ac_config_files Makefile doc/Makefile doc/png/Makefile" cat >confcache <<\_ACEOF # This file is a shell script that caches the results of configure # tests run on this system so they can be shared between configure # scripts and configure runs, see configure's option --config-cache. # It is not useful on other systems. If it contains results you don't # want to keep, you may remove or edit it. # # config.status only pays attention to the cache file if you give it # the --recheck option to rerun configure. # # `ac_cv_env_foo' variables (set or unset) will be overridden when # loading this file, other *unset* `ac_cv_foo' will be assigned the # following values. _ACEOF # The following way of writing the cache mishandles newlines in values, # but we know of no workaround that is simple, portable, and efficient. # So, we kill variables containing newlines. # Ultrix sh set writes to stderr and can't be redirected directly, # and sets the high bit in the cache file unless we assign to the vars. ( for ac_var in `(set) 2>&1 | sed -n 's/^\([a-zA-Z_][a-zA-Z0-9_]*\)=.*/\1/p'`; do eval ac_val=\$$ac_var case $ac_val in #( *${as_nl}*) case $ac_var in #( *_cv_*) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: cache variable $ac_var contains a newline" >&5 $as_echo "$as_me: WARNING: cache variable $ac_var contains a newline" >&2;} ;; esac case $ac_var in #( _ | IFS | as_nl) ;; #( BASH_ARGV | BASH_SOURCE) eval $ac_var= ;; #( *) { eval $ac_var=; unset $ac_var;} ;; esac ;; esac done (set) 2>&1 | case $as_nl`(ac_space=' '; set) 2>&1` in #( *${as_nl}ac_space=\ *) # `set' does not quote correctly, so add quotes: double-quote # substitution turns \\\\ into \\, and sed turns \\ into \. sed -n \ "s/'/'\\\\''/g; s/^\\([_$as_cr_alnum]*_cv_[_$as_cr_alnum]*\\)=\\(.*\\)/\\1='\\2'/p" ;; #( *) # `set' quotes correctly as required by POSIX, so do not add quotes. sed -n "/^[_$as_cr_alnum]*_cv_[_$as_cr_alnum]*=/p" ;; esac | sort ) | sed ' /^ac_cv_env_/b end t clear :clear s/^\([^=]*\)=\(.*[{}].*\)$/test "${\1+set}" = set || &/ t end s/^\([^=]*\)=\(.*\)$/\1=${\1=\2}/ :end' >>confcache if diff "$cache_file" confcache >/dev/null 2>&1; then :; else if test -w "$cache_file"; then if test "x$cache_file" != "x/dev/null"; then { $as_echo "$as_me:${as_lineno-$LINENO}: updating cache $cache_file" >&5 $as_echo "$as_me: updating cache $cache_file" >&6;} if test ! -f "$cache_file" || test -h "$cache_file"; then cat confcache >"$cache_file" else case $cache_file in #( */* | ?:*) mv -f confcache "$cache_file"$$ && mv -f "$cache_file"$$ "$cache_file" ;; #( *) mv -f confcache "$cache_file" ;; esac fi fi else { $as_echo "$as_me:${as_lineno-$LINENO}: not updating unwritable cache $cache_file" >&5 $as_echo "$as_me: not updating unwritable cache $cache_file" >&6;} fi fi rm -f confcache test "x$prefix" = xNONE && prefix=$ac_default_prefix # Let make expand exec_prefix. test "x$exec_prefix" = xNONE && exec_prefix='${prefix}' DEFS=-DHAVE_CONFIG_H ac_libobjs= ac_ltlibobjs= U= for ac_i in : $LIBOBJS; do test "x$ac_i" = x: && continue # 1. Remove the extension, and $U if already installed. ac_script='s/\$U\././;s/\.o$//;s/\.obj$//' ac_i=`$as_echo "$ac_i" | sed "$ac_script"` # 2. Prepend LIBOBJDIR. When used with automake>=1.10 LIBOBJDIR # will be set to the directory where LIBOBJS objects are built. as_fn_append ac_libobjs " \${LIBOBJDIR}$ac_i\$U.$ac_objext" as_fn_append ac_ltlibobjs " \${LIBOBJDIR}$ac_i"'$U.lo' done LIBOBJS=$ac_libobjs LTLIBOBJS=$ac_ltlibobjs : "${CONFIG_STATUS=./config.status}" ac_write_fail=0 ac_clean_files_save=$ac_clean_files ac_clean_files="$ac_clean_files $CONFIG_STATUS" { $as_echo "$as_me:${as_lineno-$LINENO}: creating $CONFIG_STATUS" >&5 $as_echo "$as_me: creating $CONFIG_STATUS" >&6;} as_write_fail=0 cat >$CONFIG_STATUS <<_ASEOF || as_write_fail=1 #! $SHELL # Generated by $as_me. # Run this file to recreate the current configuration. # Compiler output produced by configure, useful for debugging # configure, is in config.log if it exists. debug=false ac_cs_recheck=false ac_cs_silent=false SHELL=\${CONFIG_SHELL-$SHELL} export SHELL _ASEOF cat >>$CONFIG_STATUS <<\_ASEOF || as_write_fail=1 ## -------------------- ## ## M4sh Initialization. ## ## -------------------- ## # Be more Bourne compatible DUALCASE=1; export DUALCASE # for MKS sh if test -n "${ZSH_VERSION+set}" && (emulate sh) >/dev/null 2>&1; then : emulate sh NULLCMD=: # Pre-4.2 versions of Zsh do word splitting on ${1+"$@"}, which # is contrary to our usage. Disable this feature. alias -g '${1+"$@"}'='"$@"' setopt NO_GLOB_SUBST else case `(set -o) 2>/dev/null` in #( *posix*) : set -o posix ;; #( *) : ;; esac fi as_nl=' ' export as_nl # Printing a long string crashes Solaris 7 /usr/bin/printf. as_echo='\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\\' as_echo=$as_echo$as_echo$as_echo$as_echo$as_echo as_echo=$as_echo$as_echo$as_echo$as_echo$as_echo$as_echo # Prefer a ksh shell builtin over an external printf program on Solaris, # but without wasting forks for bash or zsh. if test -z "$BASH_VERSION$ZSH_VERSION" \ && (test "X`print -r -- $as_echo`" = "X$as_echo") 2>/dev/null; then as_echo='print -r --' as_echo_n='print -rn --' elif (test "X`printf %s $as_echo`" = "X$as_echo") 2>/dev/null; then as_echo='printf %s\n' as_echo_n='printf %s' else if test "X`(/usr/ucb/echo -n -n $as_echo) 2>/dev/null`" = "X-n $as_echo"; then as_echo_body='eval /usr/ucb/echo -n "$1$as_nl"' as_echo_n='/usr/ucb/echo -n' else as_echo_body='eval expr "X$1" : "X\\(.*\\)"' as_echo_n_body='eval arg=$1; case $arg in #( *"$as_nl"*) expr "X$arg" : "X\\(.*\\)$as_nl"; arg=`expr "X$arg" : ".*$as_nl\\(.*\\)"`;; esac; expr "X$arg" : "X\\(.*\\)" | tr -d "$as_nl" ' export as_echo_n_body as_echo_n='sh -c $as_echo_n_body as_echo' fi export as_echo_body as_echo='sh -c $as_echo_body as_echo' fi # The user is always right. if test "${PATH_SEPARATOR+set}" != set; then PATH_SEPARATOR=: (PATH='/bin;/bin'; FPATH=$PATH; sh -c :) >/dev/null 2>&1 && { (PATH='/bin:/bin'; FPATH=$PATH; sh -c :) >/dev/null 2>&1 || PATH_SEPARATOR=';' } fi # IFS # We need space, tab and new line, in precisely that order. Quoting is # there to prevent editors from complaining about space-tab. # (If _AS_PATH_WALK were called with IFS unset, it would disable word # splitting by setting IFS to empty value.) IFS=" "" $as_nl" # Find who we are. Look in the path if we contain no directory separator. as_myself= case $0 in #(( *[\\/]* ) as_myself=$0 ;; *) as_save_IFS=$IFS; IFS=$PATH_SEPARATOR for as_dir in $PATH do IFS=$as_save_IFS test -z "$as_dir" && as_dir=. test -r "$as_dir/$0" && as_myself=$as_dir/$0 && break done IFS=$as_save_IFS ;; esac # We did not find ourselves, most probably we were run as `sh COMMAND' # in which case we are not to be found in the path. if test "x$as_myself" = x; then as_myself=$0 fi if test ! -f "$as_myself"; then $as_echo "$as_myself: error: cannot find myself; rerun with an absolute file name" >&2 exit 1 fi # Unset variables that we do not need and which cause bugs (e.g. in # pre-3.0 UWIN ksh). But do not cause bugs in bash 2.01; the "|| exit 1" # suppresses any "Segmentation fault" message there. '((' could # trigger a bug in pdksh 5.2.14. for as_var in BASH_ENV ENV MAIL MAILPATH do eval test x\${$as_var+set} = xset \ && ( (unset $as_var) || exit 1) >/dev/null 2>&1 && unset $as_var || : done PS1='$ ' PS2='> ' PS4='+ ' # NLS nuisances. LC_ALL=C export LC_ALL LANGUAGE=C export LANGUAGE # CDPATH. (unset CDPATH) >/dev/null 2>&1 && unset CDPATH # as_fn_error STATUS ERROR [LINENO LOG_FD] # ---------------------------------------- # Output "`basename $0`: error: ERROR" to stderr. If LINENO and LOG_FD are # provided, also output the error to LOG_FD, referencing LINENO. Then exit the # script with STATUS, using 1 if that was 0. as_fn_error () { as_status=$1; test $as_status -eq 0 && as_status=1 if test "$4"; then as_lineno=${as_lineno-"$3"} as_lineno_stack=as_lineno_stack=$as_lineno_stack $as_echo "$as_me:${as_lineno-$LINENO}: error: $2" >&$4 fi $as_echo "$as_me: error: $2" >&2 as_fn_exit $as_status } # as_fn_error # as_fn_set_status STATUS # ----------------------- # Set $? to STATUS, without forking. as_fn_set_status () { return $1 } # as_fn_set_status # as_fn_exit STATUS # ----------------- # Exit the shell with STATUS, even in a "trap 0" or "set -e" context. as_fn_exit () { set +e as_fn_set_status $1 exit $1 } # as_fn_exit # as_fn_unset VAR # --------------- # Portably unset VAR. as_fn_unset () { { eval $1=; unset $1;} } as_unset=as_fn_unset # as_fn_append VAR VALUE # ---------------------- # Append the text in VALUE to the end of the definition contained in VAR. Take # advantage of any shell optimizations that allow amortized linear growth over # repeated appends, instead of the typical quadratic growth present in naive # implementations. if (eval "as_var=1; as_var+=2; test x\$as_var = x12") 2>/dev/null; then : eval 'as_fn_append () { eval $1+=\$2 }' else as_fn_append () { eval $1=\$$1\$2 } fi # as_fn_append # as_fn_arith ARG... # ------------------ # Perform arithmetic evaluation on the ARGs, and store the result in the # global $as_val. Take advantage of shells that can avoid forks. The arguments # must be portable across $(()) and expr. if (eval "test \$(( 1 + 1 )) = 2") 2>/dev/null; then : eval 'as_fn_arith () { as_val=$(( $* )) }' else as_fn_arith () { as_val=`expr "$@" || test $? -eq 1` } fi # as_fn_arith if expr a : '\(a\)' >/dev/null 2>&1 && test "X`expr 00001 : '.*\(...\)'`" = X001; then as_expr=expr else as_expr=false fi if (basename -- /) >/dev/null 2>&1 && test "X`basename -- / 2>&1`" = "X/"; then as_basename=basename else as_basename=false fi if (as_dir=`dirname -- /` && test "X$as_dir" = X/) >/dev/null 2>&1; then as_dirname=dirname else as_dirname=false fi as_me=`$as_basename -- "$0" || $as_expr X/"$0" : '.*/\([^/][^/]*\)/*$' \| \ X"$0" : 'X\(//\)$' \| \ X"$0" : 'X\(/\)' \| . 2>/dev/null || $as_echo X/"$0" | sed '/^.*\/\([^/][^/]*\)\/*$/{ s//\1/ q } /^X\/\(\/\/\)$/{ s//\1/ q } /^X\/\(\/\).*/{ s//\1/ q } s/.*/./; q'` # Avoid depending upon Character Ranges. as_cr_letters='abcdefghijklmnopqrstuvwxyz' as_cr_LETTERS='ABCDEFGHIJKLMNOPQRSTUVWXYZ' as_cr_Letters=$as_cr_letters$as_cr_LETTERS as_cr_digits='0123456789' as_cr_alnum=$as_cr_Letters$as_cr_digits ECHO_C= ECHO_N= ECHO_T= case `echo -n x` in #((((( -n*) case `echo 'xy\c'` in *c*) ECHO_T=' ';; # ECHO_T is single tab character. xy) ECHO_C='\c';; *) echo `echo ksh88 bug on AIX 6.1` > /dev/null ECHO_T=' ';; esac;; *) ECHO_N='-n';; esac rm -f conf$$ conf$$.exe conf$$.file if test -d conf$$.dir; then rm -f conf$$.dir/conf$$.file else rm -f conf$$.dir mkdir conf$$.dir 2>/dev/null fi if (echo >conf$$.file) 2>/dev/null; then if ln -s conf$$.file conf$$ 2>/dev/null; then as_ln_s='ln -s' # ... but there are two gotchas: # 1) On MSYS, both `ln -s file dir' and `ln file dir' fail. # 2) DJGPP < 2.04 has no symlinks; `ln -s' creates a wrapper executable. # In both cases, we have to default to `cp -pR'. ln -s conf$$.file conf$$.dir 2>/dev/null && test ! -f conf$$.exe || as_ln_s='cp -pR' elif ln conf$$.file conf$$ 2>/dev/null; then as_ln_s=ln else as_ln_s='cp -pR' fi else as_ln_s='cp -pR' fi rm -f conf$$ conf$$.exe conf$$.dir/conf$$.file conf$$.file rmdir conf$$.dir 2>/dev/null # as_fn_mkdir_p # ------------- # Create "$as_dir" as a directory, including parents if necessary. as_fn_mkdir_p () { case $as_dir in #( -*) as_dir=./$as_dir;; esac test -d "$as_dir" || eval $as_mkdir_p || { as_dirs= while :; do case $as_dir in #( *\'*) as_qdir=`$as_echo "$as_dir" | sed "s/'/'\\\\\\\\''/g"`;; #'( *) as_qdir=$as_dir;; esac as_dirs="'$as_qdir' $as_dirs" as_dir=`$as_dirname -- "$as_dir" || $as_expr X"$as_dir" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$as_dir" : 'X\(//\)[^/]' \| \ X"$as_dir" : 'X\(//\)$' \| \ X"$as_dir" : 'X\(/\)' \| . 2>/dev/null || $as_echo X"$as_dir" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q'` test -d "$as_dir" && break done test -z "$as_dirs" || eval "mkdir $as_dirs" } || test -d "$as_dir" || as_fn_error $? "cannot create directory $as_dir" } # as_fn_mkdir_p if mkdir -p . 2>/dev/null; then as_mkdir_p='mkdir -p "$as_dir"' else test -d ./-p && rmdir ./-p as_mkdir_p=false fi # as_fn_executable_p FILE # ----------------------- # Test if FILE is an executable regular file. as_fn_executable_p () { test -f "$1" && test -x "$1" } # as_fn_executable_p as_test_x='test -x' as_executable_p=as_fn_executable_p # Sed expression to map a string onto a valid CPP name. as_tr_cpp="eval sed 'y%*$as_cr_letters%P$as_cr_LETTERS%;s%[^_$as_cr_alnum]%_%g'" # Sed expression to map a string onto a valid variable name. as_tr_sh="eval sed 'y%*+%pp%;s%[^_$as_cr_alnum]%_%g'" exec 6>&1 ## ----------------------------------- ## ## Main body of $CONFIG_STATUS script. ## ## ----------------------------------- ## _ASEOF test $as_write_fail = 0 && chmod +x $CONFIG_STATUS || ac_write_fail=1 cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 # Save the log message, to keep $0 and so on meaningful, and to # report actual input values of CONFIG_FILES etc. instead of their # values after options handling. ac_log=" This file was extended by Asymptote $as_me 2.62, which was generated by GNU Autoconf 2.69. Invocation command line was CONFIG_FILES = $CONFIG_FILES CONFIG_HEADERS = $CONFIG_HEADERS CONFIG_LINKS = $CONFIG_LINKS CONFIG_COMMANDS = $CONFIG_COMMANDS $ $0 $@ on `(hostname || uname -n) 2>/dev/null | sed 1q` " _ACEOF case $ac_config_files in *" "*) set x $ac_config_files; shift; ac_config_files=$*;; esac case $ac_config_headers in *" "*) set x $ac_config_headers; shift; ac_config_headers=$*;; esac cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 # Files that config.status was made for. config_files="$ac_config_files" config_headers="$ac_config_headers" _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 ac_cs_usage="\ \`$as_me' instantiates files and other configuration actions from templates according to the current configuration. Unless the files and actions are specified as TAGs, all are instantiated by default. Usage: $0 [OPTION]... [TAG]... -h, --help print this help, then exit -V, --version print version number and configuration settings, then exit --config print configuration, then exit -q, --quiet, --silent do not print progress messages -d, --debug don't remove temporary files --recheck update $as_me by reconfiguring in the same conditions --file=FILE[:TEMPLATE] instantiate the configuration file FILE --header=FILE[:TEMPLATE] instantiate the configuration header FILE Configuration files: $config_files Configuration headers: $config_headers Report bugs to ." _ACEOF cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 ac_cs_config="`$as_echo "$ac_configure_args" | sed 's/^ //; s/[\\""\`\$]/\\\\&/g'`" ac_cs_version="\\ Asymptote config.status 2.62 configured by $0, generated by GNU Autoconf 2.69, with options \\"\$ac_cs_config\\" Copyright (C) 2012 Free Software Foundation, Inc. This config.status script is free software; the Free Software Foundation gives unlimited permission to copy, distribute and modify it." ac_pwd='$ac_pwd' srcdir='$srcdir' INSTALL='$INSTALL' test -n "\$AWK" || AWK=awk _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 # The default lists apply if the user does not specify any file. ac_need_defaults=: while test $# != 0 do case $1 in --*=?*) ac_option=`expr "X$1" : 'X\([^=]*\)='` ac_optarg=`expr "X$1" : 'X[^=]*=\(.*\)'` ac_shift=: ;; --*=) ac_option=`expr "X$1" : 'X\([^=]*\)='` ac_optarg= ac_shift=: ;; *) ac_option=$1 ac_optarg=$2 ac_shift=shift ;; esac case $ac_option in # Handling of the options. -recheck | --recheck | --rechec | --reche | --rech | --rec | --re | --r) ac_cs_recheck=: ;; --version | --versio | --versi | --vers | --ver | --ve | --v | -V ) $as_echo "$ac_cs_version"; exit ;; --config | --confi | --conf | --con | --co | --c ) $as_echo "$ac_cs_config"; exit ;; --debug | --debu | --deb | --de | --d | -d ) debug=: ;; --file | --fil | --fi | --f ) $ac_shift case $ac_optarg in *\'*) ac_optarg=`$as_echo "$ac_optarg" | sed "s/'/'\\\\\\\\''/g"` ;; '') as_fn_error $? "missing file argument" ;; esac as_fn_append CONFIG_FILES " '$ac_optarg'" ac_need_defaults=false;; --header | --heade | --head | --hea ) $ac_shift case $ac_optarg in *\'*) ac_optarg=`$as_echo "$ac_optarg" | sed "s/'/'\\\\\\\\''/g"` ;; esac as_fn_append CONFIG_HEADERS " '$ac_optarg'" ac_need_defaults=false;; --he | --h) # Conflict between --help and --header as_fn_error $? "ambiguous option: \`$1' Try \`$0 --help' for more information.";; --help | --hel | -h ) $as_echo "$ac_cs_usage"; exit ;; -q | -quiet | --quiet | --quie | --qui | --qu | --q \ | -silent | --silent | --silen | --sile | --sil | --si | --s) ac_cs_silent=: ;; # This is an error. -*) as_fn_error $? "unrecognized option: \`$1' Try \`$0 --help' for more information." ;; *) as_fn_append ac_config_targets " $1" ac_need_defaults=false ;; esac shift done ac_configure_extra_args= if $ac_cs_silent; then exec 6>/dev/null ac_configure_extra_args="$ac_configure_extra_args --silent" fi _ACEOF cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 if \$ac_cs_recheck; then set X $SHELL '$0' $ac_configure_args \$ac_configure_extra_args --no-create --no-recursion shift \$as_echo "running CONFIG_SHELL=$SHELL \$*" >&6 CONFIG_SHELL='$SHELL' export CONFIG_SHELL exec "\$@" fi _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 exec 5>>config.log { echo sed 'h;s/./-/g;s/^.../## /;s/...$/ ##/;p;x;p;x' <<_ASBOX ## Running $as_me. ## _ASBOX $as_echo "$ac_log" } >&5 _ACEOF cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 # Handling of arguments. for ac_config_target in $ac_config_targets do case $ac_config_target in "config.h") CONFIG_HEADERS="$CONFIG_HEADERS config.h" ;; "Makefile") CONFIG_FILES="$CONFIG_FILES Makefile" ;; "doc/Makefile") CONFIG_FILES="$CONFIG_FILES doc/Makefile" ;; "doc/png/Makefile") CONFIG_FILES="$CONFIG_FILES doc/png/Makefile" ;; *) as_fn_error $? "invalid argument: \`$ac_config_target'" "$LINENO" 5;; esac done # If the user did not use the arguments to specify the items to instantiate, # then the envvar interface is used. Set only those that are not. # We use the long form for the default assignment because of an extremely # bizarre bug on SunOS 4.1.3. if $ac_need_defaults; then test "${CONFIG_FILES+set}" = set || CONFIG_FILES=$config_files test "${CONFIG_HEADERS+set}" = set || CONFIG_HEADERS=$config_headers fi # Have a temporary directory for convenience. Make it in the build tree # simply because there is no reason against having it here, and in addition, # creating and moving files from /tmp can sometimes cause problems. # Hook for its removal unless debugging. # Note that there is a small window in which the directory will not be cleaned: # after its creation but before its name has been assigned to `$tmp'. $debug || { tmp= ac_tmp= trap 'exit_status=$? : "${ac_tmp:=$tmp}" { test ! -d "$ac_tmp" || rm -fr "$ac_tmp"; } && exit $exit_status ' 0 trap 'as_fn_exit 1' 1 2 13 15 } # Create a (secure) tmp directory for tmp files. { tmp=`(umask 077 && mktemp -d "./confXXXXXX") 2>/dev/null` && test -d "$tmp" } || { tmp=./conf$$-$RANDOM (umask 077 && mkdir "$tmp") } || as_fn_error $? "cannot create a temporary directory in ." "$LINENO" 5 ac_tmp=$tmp # Set up the scripts for CONFIG_FILES section. # No need to generate them if there are no CONFIG_FILES. # This happens for instance with `./config.status config.h'. if test -n "$CONFIG_FILES"; then ac_cr=`echo X | tr X '\015'` # On cygwin, bash can eat \r inside `` if the user requested igncr. # But we know of no other shell where ac_cr would be empty at this # point, so we can use a bashism as a fallback. if test "x$ac_cr" = x; then eval ac_cr=\$\'\\r\' fi ac_cs_awk_cr=`$AWK 'BEGIN { print "a\rb" }' /dev/null` if test "$ac_cs_awk_cr" = "a${ac_cr}b"; then ac_cs_awk_cr='\\r' else ac_cs_awk_cr=$ac_cr fi echo 'BEGIN {' >"$ac_tmp/subs1.awk" && _ACEOF { echo "cat >conf$$subs.awk <<_ACEOF" && echo "$ac_subst_vars" | sed 's/.*/&!$&$ac_delim/' && echo "_ACEOF" } >conf$$subs.sh || as_fn_error $? "could not make $CONFIG_STATUS" "$LINENO" 5 ac_delim_num=`echo "$ac_subst_vars" | grep -c '^'` ac_delim='%!_!# ' for ac_last_try in false false false false false :; do . ./conf$$subs.sh || as_fn_error $? "could not make $CONFIG_STATUS" "$LINENO" 5 ac_delim_n=`sed -n "s/.*$ac_delim\$/X/p" conf$$subs.awk | grep -c X` if test $ac_delim_n = $ac_delim_num; then break elif $ac_last_try; then as_fn_error $? "could not make $CONFIG_STATUS" "$LINENO" 5 else ac_delim="$ac_delim!$ac_delim _$ac_delim!! " fi done rm -f conf$$subs.sh cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 cat >>"\$ac_tmp/subs1.awk" <<\\_ACAWK && _ACEOF sed -n ' h s/^/S["/; s/!.*/"]=/ p g s/^[^!]*!// :repl t repl s/'"$ac_delim"'$// t delim :nl h s/\(.\{148\}\)..*/\1/ t more1 s/["\\]/\\&/g; s/^/"/; s/$/\\n"\\/ p n b repl :more1 s/["\\]/\\&/g; s/^/"/; s/$/"\\/ p g s/.\{148\}// t nl :delim h s/\(.\{148\}\)..*/\1/ t more2 s/["\\]/\\&/g; s/^/"/; s/$/"/ p b :more2 s/["\\]/\\&/g; s/^/"/; s/$/"\\/ p g s/.\{148\}// t delim ' >$CONFIG_STATUS || ac_write_fail=1 rm -f conf$$subs.awk cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 _ACAWK cat >>"\$ac_tmp/subs1.awk" <<_ACAWK && for (key in S) S_is_set[key] = 1 FS = "" } { line = $ 0 nfields = split(line, field, "@") substed = 0 len = length(field[1]) for (i = 2; i < nfields; i++) { key = field[i] keylen = length(key) if (S_is_set[key]) { value = S[key] line = substr(line, 1, len) "" value "" substr(line, len + keylen + 3) len += length(value) + length(field[++i]) substed = 1 } else len += 1 + keylen } print line } _ACAWK _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 if sed "s/$ac_cr//" < /dev/null > /dev/null 2>&1; then sed "s/$ac_cr\$//; s/$ac_cr/$ac_cs_awk_cr/g" else cat fi < "$ac_tmp/subs1.awk" > "$ac_tmp/subs.awk" \ || as_fn_error $? "could not setup config files machinery" "$LINENO" 5 _ACEOF # VPATH may cause trouble with some makes, so we remove sole $(srcdir), # ${srcdir} and @srcdir@ entries from VPATH if srcdir is ".", strip leading and # trailing colons and then remove the whole line if VPATH becomes empty # (actually we leave an empty line to preserve line numbers). if test "x$srcdir" = x.; then ac_vpsub='/^[ ]*VPATH[ ]*=[ ]*/{ h s/// s/^/:/ s/[ ]*$/:/ s/:\$(srcdir):/:/g s/:\${srcdir}:/:/g s/:@srcdir@:/:/g s/^:*// s/:*$// x s/\(=[ ]*\).*/\1/ G s/\n// s/^[^=]*=[ ]*$// }' fi cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 fi # test -n "$CONFIG_FILES" # Set up the scripts for CONFIG_HEADERS section. # No need to generate them if there are no CONFIG_HEADERS. # This happens for instance with `./config.status Makefile'. if test -n "$CONFIG_HEADERS"; then cat >"$ac_tmp/defines.awk" <<\_ACAWK || BEGIN { _ACEOF # Transform confdefs.h into an awk script `defines.awk', embedded as # here-document in config.status, that substitutes the proper values into # config.h.in to produce config.h. # Create a delimiter string that does not exist in confdefs.h, to ease # handling of long lines. ac_delim='%!_!# ' for ac_last_try in false false :; do ac_tt=`sed -n "/$ac_delim/p" confdefs.h` if test -z "$ac_tt"; then break elif $ac_last_try; then as_fn_error $? "could not make $CONFIG_HEADERS" "$LINENO" 5 else ac_delim="$ac_delim!$ac_delim _$ac_delim!! " fi done # For the awk script, D is an array of macro values keyed by name, # likewise P contains macro parameters if any. Preserve backslash # newline sequences. ac_word_re=[_$as_cr_Letters][_$as_cr_alnum]* sed -n ' s/.\{148\}/&'"$ac_delim"'/g t rset :rset s/^[ ]*#[ ]*define[ ][ ]*/ / t def d :def s/\\$// t bsnl s/["\\]/\\&/g s/^ \('"$ac_word_re"'\)\(([^()]*)\)[ ]*\(.*\)/P["\1"]="\2"\ D["\1"]=" \3"/p s/^ \('"$ac_word_re"'\)[ ]*\(.*\)/D["\1"]=" \2"/p d :bsnl s/["\\]/\\&/g s/^ \('"$ac_word_re"'\)\(([^()]*)\)[ ]*\(.*\)/P["\1"]="\2"\ D["\1"]=" \3\\\\\\n"\\/p t cont s/^ \('"$ac_word_re"'\)[ ]*\(.*\)/D["\1"]=" \2\\\\\\n"\\/p t cont d :cont n s/.\{148\}/&'"$ac_delim"'/g t clear :clear s/\\$// t bsnlc s/["\\]/\\&/g; s/^/"/; s/$/"/p d :bsnlc s/["\\]/\\&/g; s/^/"/; s/$/\\\\\\n"\\/p b cont ' >$CONFIG_STATUS || ac_write_fail=1 cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 for (key in D) D_is_set[key] = 1 FS = "" } /^[\t ]*#[\t ]*(define|undef)[\t ]+$ac_word_re([\t (]|\$)/ { line = \$ 0 split(line, arg, " ") if (arg[1] == "#") { defundef = arg[2] mac1 = arg[3] } else { defundef = substr(arg[1], 2) mac1 = arg[2] } split(mac1, mac2, "(") #) macro = mac2[1] prefix = substr(line, 1, index(line, defundef) - 1) if (D_is_set[macro]) { # Preserve the white space surrounding the "#". print prefix "define", macro P[macro] D[macro] next } else { # Replace #undef with comments. This is necessary, for example, # in the case of _POSIX_SOURCE, which is predefined and required # on some systems where configure will not decide to define it. if (defundef == "undef") { print "/*", prefix defundef, macro, "*/" next } } } { print } _ACAWK _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 as_fn_error $? "could not setup config headers machinery" "$LINENO" 5 fi # test -n "$CONFIG_HEADERS" eval set X " :F $CONFIG_FILES :H $CONFIG_HEADERS " shift for ac_tag do case $ac_tag in :[FHLC]) ac_mode=$ac_tag; continue;; esac case $ac_mode$ac_tag in :[FHL]*:*);; :L* | :C*:*) as_fn_error $? "invalid tag \`$ac_tag'" "$LINENO" 5;; :[FH]-) ac_tag=-:-;; :[FH]*) ac_tag=$ac_tag:$ac_tag.in;; esac ac_save_IFS=$IFS IFS=: set x $ac_tag IFS=$ac_save_IFS shift ac_file=$1 shift case $ac_mode in :L) ac_source=$1;; :[FH]) ac_file_inputs= for ac_f do case $ac_f in -) ac_f="$ac_tmp/stdin";; *) # Look for the file first in the build tree, then in the source tree # (if the path is not absolute). The absolute path cannot be DOS-style, # because $ac_f cannot contain `:'. test -f "$ac_f" || case $ac_f in [\\/$]*) false;; *) test -f "$srcdir/$ac_f" && ac_f="$srcdir/$ac_f";; esac || as_fn_error 1 "cannot find input file: \`$ac_f'" "$LINENO" 5;; esac case $ac_f in *\'*) ac_f=`$as_echo "$ac_f" | sed "s/'/'\\\\\\\\''/g"`;; esac as_fn_append ac_file_inputs " '$ac_f'" done # Let's still pretend it is `configure' which instantiates (i.e., don't # use $as_me), people would be surprised to read: # /* config.h. Generated by config.status. */ configure_input='Generated from '` $as_echo "$*" | sed 's|^[^:]*/||;s|:[^:]*/|, |g' `' by configure.' if test x"$ac_file" != x-; then configure_input="$ac_file. $configure_input" { $as_echo "$as_me:${as_lineno-$LINENO}: creating $ac_file" >&5 $as_echo "$as_me: creating $ac_file" >&6;} fi # Neutralize special characters interpreted by sed in replacement strings. case $configure_input in #( *\&* | *\|* | *\\* ) ac_sed_conf_input=`$as_echo "$configure_input" | sed 's/[\\\\&|]/\\\\&/g'`;; #( *) ac_sed_conf_input=$configure_input;; esac case $ac_tag in *:-:* | *:-) cat >"$ac_tmp/stdin" \ || as_fn_error $? "could not create $ac_file" "$LINENO" 5 ;; esac ;; esac ac_dir=`$as_dirname -- "$ac_file" || $as_expr X"$ac_file" : 'X\(.*[^/]\)//*[^/][^/]*/*$' \| \ X"$ac_file" : 'X\(//\)[^/]' \| \ X"$ac_file" : 'X\(//\)$' \| \ X"$ac_file" : 'X\(/\)' \| . 2>/dev/null || $as_echo X"$ac_file" | sed '/^X\(.*[^/]\)\/\/*[^/][^/]*\/*$/{ s//\1/ q } /^X\(\/\/\)[^/].*/{ s//\1/ q } /^X\(\/\/\)$/{ s//\1/ q } /^X\(\/\).*/{ s//\1/ q } s/.*/./; q'` as_dir="$ac_dir"; as_fn_mkdir_p ac_builddir=. case "$ac_dir" in .) ac_dir_suffix= ac_top_builddir_sub=. ac_top_build_prefix= ;; *) ac_dir_suffix=/`$as_echo "$ac_dir" | sed 's|^\.[\\/]||'` # A ".." for each directory in $ac_dir_suffix. ac_top_builddir_sub=`$as_echo "$ac_dir_suffix" | sed 's|/[^\\/]*|/..|g;s|/||'` case $ac_top_builddir_sub in "") ac_top_builddir_sub=. ac_top_build_prefix= ;; *) ac_top_build_prefix=$ac_top_builddir_sub/ ;; esac ;; esac ac_abs_top_builddir=$ac_pwd ac_abs_builddir=$ac_pwd$ac_dir_suffix # for backward compatibility: ac_top_builddir=$ac_top_build_prefix case $srcdir in .) # We are building in place. ac_srcdir=. ac_top_srcdir=$ac_top_builddir_sub ac_abs_top_srcdir=$ac_pwd ;; [\\/]* | ?:[\\/]* ) # Absolute name. ac_srcdir=$srcdir$ac_dir_suffix; ac_top_srcdir=$srcdir ac_abs_top_srcdir=$srcdir ;; *) # Relative name. ac_srcdir=$ac_top_build_prefix$srcdir$ac_dir_suffix ac_top_srcdir=$ac_top_build_prefix$srcdir ac_abs_top_srcdir=$ac_pwd/$srcdir ;; esac ac_abs_srcdir=$ac_abs_top_srcdir$ac_dir_suffix case $ac_mode in :F) # # CONFIG_FILE # case $INSTALL in [\\/$]* | ?:[\\/]* ) ac_INSTALL=$INSTALL ;; *) ac_INSTALL=$ac_top_build_prefix$INSTALL ;; esac _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 # If the template does not know about datarootdir, expand it. # FIXME: This hack should be removed a few years after 2.60. ac_datarootdir_hack=; ac_datarootdir_seen= ac_sed_dataroot=' /datarootdir/ { p q } /@datadir@/p /@docdir@/p /@infodir@/p /@localedir@/p /@mandir@/p' case `eval "sed -n \"\$ac_sed_dataroot\" $ac_file_inputs"` in *datarootdir*) ac_datarootdir_seen=yes;; *@datadir@*|*@docdir@*|*@infodir@*|*@localedir@*|*@mandir@*) { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $ac_file_inputs seems to ignore the --datarootdir setting" >&5 $as_echo "$as_me: WARNING: $ac_file_inputs seems to ignore the --datarootdir setting" >&2;} _ACEOF cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 ac_datarootdir_hack=' s&@datadir@&$datadir&g s&@docdir@&$docdir&g s&@infodir@&$infodir&g s&@localedir@&$localedir&g s&@mandir@&$mandir&g s&\\\${datarootdir}&$datarootdir&g' ;; esac _ACEOF # Neutralize VPATH when `$srcdir' = `.'. # Shell code in configure.ac might set extrasub. # FIXME: do we really want to maintain this feature? cat >>$CONFIG_STATUS <<_ACEOF || ac_write_fail=1 ac_sed_extra="$ac_vpsub $extrasub _ACEOF cat >>$CONFIG_STATUS <<\_ACEOF || ac_write_fail=1 :t /@[a-zA-Z_][a-zA-Z_0-9]*@/!b s|@configure_input@|$ac_sed_conf_input|;t t s&@top_builddir@&$ac_top_builddir_sub&;t t s&@top_build_prefix@&$ac_top_build_prefix&;t t s&@srcdir@&$ac_srcdir&;t t s&@abs_srcdir@&$ac_abs_srcdir&;t t s&@top_srcdir@&$ac_top_srcdir&;t t s&@abs_top_srcdir@&$ac_abs_top_srcdir&;t t s&@builddir@&$ac_builddir&;t t s&@abs_builddir@&$ac_abs_builddir&;t t s&@abs_top_builddir@&$ac_abs_top_builddir&;t t s&@INSTALL@&$ac_INSTALL&;t t $ac_datarootdir_hack " eval sed \"\$ac_sed_extra\" "$ac_file_inputs" | $AWK -f "$ac_tmp/subs.awk" \ >$ac_tmp/out || as_fn_error $? "could not create $ac_file" "$LINENO" 5 test -z "$ac_datarootdir_hack$ac_datarootdir_seen" && { ac_out=`sed -n '/\${datarootdir}/p' "$ac_tmp/out"`; test -n "$ac_out"; } && { ac_out=`sed -n '/^[ ]*datarootdir[ ]*:*=/p' \ "$ac_tmp/out"`; test -z "$ac_out"; } && { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: $ac_file contains a reference to the variable \`datarootdir' which seems to be undefined. Please make sure it is defined" >&5 $as_echo "$as_me: WARNING: $ac_file contains a reference to the variable \`datarootdir' which seems to be undefined. Please make sure it is defined" >&2;} rm -f "$ac_tmp/stdin" case $ac_file in -) cat "$ac_tmp/out" && rm -f "$ac_tmp/out";; *) rm -f "$ac_file" && mv "$ac_tmp/out" "$ac_file";; esac \ || as_fn_error $? "could not create $ac_file" "$LINENO" 5 ;; :H) # # CONFIG_HEADER # if test x"$ac_file" != x-; then { $as_echo "/* $configure_input */" \ && eval '$AWK -f "$ac_tmp/defines.awk"' "$ac_file_inputs" } >"$ac_tmp/config.h" \ || as_fn_error $? "could not create $ac_file" "$LINENO" 5 if diff "$ac_file" "$ac_tmp/config.h" >/dev/null 2>&1; then { $as_echo "$as_me:${as_lineno-$LINENO}: $ac_file is unchanged" >&5 $as_echo "$as_me: $ac_file is unchanged" >&6;} else rm -f "$ac_file" mv "$ac_tmp/config.h" "$ac_file" \ || as_fn_error $? "could not create $ac_file" "$LINENO" 5 fi else $as_echo "/* $configure_input */" \ && eval '$AWK -f "$ac_tmp/defines.awk"' "$ac_file_inputs" \ || as_fn_error $? "could not create -" "$LINENO" 5 fi ;; esac done # for ac_tag as_fn_exit 0 _ACEOF ac_clean_files=$ac_clean_files_save test $ac_write_fail = 0 || as_fn_error $? "write failure creating $CONFIG_STATUS" "$LINENO" 5 # configure is writing to config.log, and then calls config.status. # config.status does its own redirection, appending to config.log. # Unfortunately, on DOS this fails, as config.log is still kept open # by configure, so config.status won't be able to write to it; its # output is simply discarded. So we exec the FD to /dev/null, # effectively closing config.log, so it can be properly (re)opened and # appended to by config.status. When coming back to configure, we # need to make the FD available again. if test "$no_create" != yes; then ac_cs_success=: ac_config_status_args= test "$silent" = yes && ac_config_status_args="$ac_config_status_args --quiet" exec 5>/dev/null $SHELL $CONFIG_STATUS $ac_config_status_args || ac_cs_success=false exec 5>>config.log # Use ||, not &&, to avoid exiting from the if with $? = 1, which # would make configure fail if this is the last instruction. $ac_cs_success || as_fn_exit 1 fi if test -n "$ac_unrecognized_opts" && test "$enable_option_checking" != no; then { $as_echo "$as_me:${as_lineno-$LINENO}: WARNING: unrecognized options: $ac_unrecognized_opts" >&5 $as_echo "$as_me: WARNING: unrecognized options: $ac_unrecognized_opts" >&2;} fi if test "x$GCDIR" != "x" ; then as_ac_File=`$as_echo "ac_cv_file_$GCDIR.tar.gz" | $as_tr_sh` { $as_echo "$as_me:${as_lineno-$LINENO}: checking for $GCDIR.tar.gz" >&5 $as_echo_n "checking for $GCDIR.tar.gz... " >&6; } if eval \${$as_ac_File+:} false; then : $as_echo_n "(cached) " >&6 else test "$cross_compiling" = yes && as_fn_error $? "cannot check for file existence when cross compiling" "$LINENO" 5 if test -r "$GCDIR.tar.gz"; then eval "$as_ac_File=yes" else eval "$as_ac_File=no" fi fi eval ac_res=\$$as_ac_File { $as_echo "$as_me:${as_lineno-$LINENO}: result: $ac_res" >&5 $as_echo "$ac_res" >&6; } if eval test \"x\$"$as_ac_File"\" = x"yes"; then : else echo echo Please put the Boehm garbage collector tar.gz files in the asymptote directory. echo FOR EXAMPLE, USE THE COMMANDS: echo echo wget https://github.com/ivmai/bdwgc/releases/download/v$GCVERSION/$GCFILE.tar.gz echo wget http://www.ivmaisoft.com/_bin/atomic_ops/libatomic_ops-$ATOMICVERSION.tar.gz echo exit 1 fi fi asymptote-2.62/fpu.h0000644000000000000000000000123213607467113013137 0ustar rootroot#ifndef FPU_H #define FPU_H #ifdef __GNU_VISIBLE #undef __GNU_VISIBLE #define __GNU_VISIBLE 1 #endif #include "common.h" #ifdef HAVE_FEENABLEEXCEPT #include inline int fpu_exceptions() { int excepts=0; #ifdef FE_INVALID excepts |= FE_INVALID; #endif #ifdef FE_DIVBYZERO excepts |= FE_DIVBYZERO; #endif #ifdef FE_OVERFLOW excepts |= FE_OVERFLOW; #endif return excepts; } inline void fpu_trap(bool trap=true) { // Conditionally trap FPU exceptions on NaN, zero divide and overflow. if(trap) feenableexcept(fpu_exceptions()); else fedisableexcept(fpu_exceptions()); } #else inline void fpu_trap(bool=true) {} #endif #endif

    §ßtæö~·Õ†»ÉÔ@]ht=ˆ¬ 0 JO@Àਃ2ÒÁt¦Ñ,…éñBŠè!m«¡¯8à©8ÙãZÖøRØOÐxY©~œ•(ó1. û«EY¶ð+âr€ÒÉ‘‘ì ˆ%#퀔0Jni¡/ H»¾˜(›‰ßípOŠ÷o–§!òX¸Þj¢È/`¢ ÝÁCÊpN K’DØ•b–ؽ;¶O•÷)¿r÷ *}¸Ú• ¨Î{R¡†*LÎmô“òŽôZ«Ûçñ#b_³M.¬|8÷8U©°»QXöè‡Ïçî"]6#6ôÝ*îrZ/·ŒEÑþÕKCÒßqq,. h”ï2Q44ÌE¹ï’7Ÿu!9½­Suÿ. ¸}¦>ÏJ3/ö’‡ÍÕ÷_)•ß…½p.™xªûG$å[Rã ~¬DaƈH µæì[VP+†T?£ ãa´a¦Œ_ +óGD0Ù ”ÁgÝ L‚br.‰´F¬r¯§ö|x뀈PÙ†ÚÛÖÛêøô´Ž¿jÖ§)S¶˜~%§^%\èÞ~FK—3ºÉd÷9|gtWº»Þ ,\m~Ý|Pã‹^®4Y 4Ši•>Å¡ÂóÂ.Zg†[3#ïMƒYrJ“!ÍUúûq©¿ÛÁåh“ï?0w­rçMM컆¸ÔÀ¿ÑQCEGÍrV ÍŸÛˆ”Ke‰©Ûîw-ÍmûÂâ,+) 0ÔßÕæê ´Žf>»TÙ*óøÂG &ºD>w`†Mß§Ö5ä‡ðcx1‰ÇZN±P¦&/g°Ÿ<—w¼ÅËTöøKÃsÖj3㎷À;©ðnÖùÛ]6Và­$Sd}bBžôÞ¥ëEÂ'+÷ÅkõòÿŸ½/ohãHú~ÿEŸ¢wPV–Äaì$xI‚Øl¸À±wƒ4À¬%¢‘ Äv>û[GwO÷Òc'Ùwƒ¤™î껺ººêW1˜£´‹Ó nÁB—7Žªâ”¢wK|@ Ùµq´î?ʯ-^ýíáøcLßÈA´—•žQÚ´ zIEC§Þ&=â;èÀ2³Ä Kø‹*Úâ å'õcRé‰Ö;jQ¼ÒÆŸJ/Q óK 1Ù¦/<‚§ò":q3yN7E¡x °Ñðn½„^–EÕ䘛ÙfÖ4×µRä̫ة&®]ÇÔF°$jÞ/ŒàÂA2 …­~8–¦Sº÷8ªËxg‰‹àj, Q=áqm´ÙjEa.³vsFÅú^ZÅ¢Eœ¢’ËX‰;ƒÇj$´;N U Ë &*È0³’ýB^>d‡¿®î–S^%)œøh¦'sEð§/ùŠÿÒ£;êyL&CðŒìdÝ€mˆT{›­ƒÝMxÔx¹óÓÖDkeç¡ËX“´ƒêõÃ*Ù ªbMjÆÉ0ˆ^‘;}[_‹_âS˜LÁ©ÜÿñîO­ò¨Pv®Š¡Û'ÛE«X~Iåò×DÁüØ„J9m¨'í,/,ÙÝN-Ýu=“íÌ‹Mo„AÈúžEó¨(Nh¿­abêxÕ2™ã<   Uø6µ%Ê0pèÙ–31ýÓÕU•!J8î[I£)N׿²ô´NqHfè_¡3*†Nƒ³’Ôš8Å´Ç¿5•3wm$šEÚœ¸žNäÿõ)d³hÊM4ÑËLÏ|”I M1RzÅBv¶eRÆ7tɪ$ruÉ‘¸ŽÚ×íIšÖz|¾’Ø0Ó‡ÝL«áüTr³8aÖ: K¯¬U»PÌn¦¼aä2^«›P@J6£Ä2³02Gü-ÎÏÈ{K²,·Éªøiãh… š÷V­°ja~nî”Aåk( pŒEÌX;~Õh@^ãÉöÆÎî«£­Ü—ó¸' óŒÉhùÑMdØþ(f•kå,§&[Çe(vß(ò¬€O))çD™Âík"ÂÜ™¢¸ÊâH.ØÀ´sš0ÿðêVôcG¤Eõ†Y…@Ä2šwËï·Ü0ô¯úÊí©0Æ´ùJa?•—+QÜiÑui.0[Ž¢ÍÚˆ”W**à©‹ãEVŽ#×''wG7Á!¨òãŠúe¯ß©3…Hïl "b>ÔshsMIÕ4z¡#0‡¹fJÒn²tá'°±¢Lú\q}7>_¡øxT:€¼˜ÇIä‡hŸÁf1OèвS(² YÍã©íï=‚Ë—oÍ92 Ù÷xܲh¨´=…‰ø(ÍÉúˆ\žÖêÜɛËÍbíïÅøp‹5رJf&qŠâg ª§›õ5‘Èö÷D¶bJªµ™q”ÉœkÜtšßkMÞmYÙ0ž|Š@^‰¨8Fj'†ÒAÉ´°+!:òbU¨µëÖ,~â«!AgeY L0PQÚŠö¯…à‹ÕÐ%|Šá¿qäÒH”“wö§Å³âŠ9LŠG?!½†lü äÓ÷ÞêýÓèýSÛ:>¶Ëú5†«‡cÁ^oìîlÛØÎñ}I¤nW#,ÊÀNû9…€ÇíÏ&LØù­{¹Ô}ßjÖßõ3Ê’d°!§îñ lÙÔ ž8²N1çš&›Jz´$y•ìÙÏÉ© “ •ì5>/6(² º1a™y©X­Zã™Ø –³¡‹,f˜ÄÖM²B‘ä…÷å†Ôø{r=›ïEúÃHg"g´À iƒËÍÂ5W#®¸šÆ5c\ÕàšÖÍÁ3ckZ¤,ô‡à—‰b¢_x–ÚÛxÓÚÝÚ/Ìg›CÛ)Sïûû;ÝÖ˃c¥kž½zpn÷Ü[¿7׿J§$²Ò@ëI'—Yr³¶áßÈÚ7Œ $ðœÛ„»L‘¡üõ%éKÀÞ3ëÏ›QL:õêƒ/ìaç?Wƒ<ÐÓ=%Åf¬òƒaèitЫf4ºƒȱÇÞ:2&¦ß'…¤$UF~Àðº=x¤ñ<‹]YZZw¶‘yBrßA_VöP«Ë»Î˜P ý˜C"BV¥.Äî2°Ðù—ŒÐyɲ»–ªp¿¼Q)ÓÝ.ÂfIa Hh›^fU©ý¼¾¼²òÍ7ϘÜòÊÁzAƒÑ°V)kàóª?Ö}úªßrðÊèåxØ1{VD”{YGû4)|WI€Œ\zþH±Õi“¦.óéP½hø9ÇÕ–Ñ\GÅûÉ0ðÞyà ¯-?3Z×¾»Bðß Í ~i{Wí¶9^ûýooQ.‰Ú‹³ïè„]Ž»=ôùG'í‘ûÖS-æN}‚äÇ8C\ö浸")ôéC“} ]¬šýv {’êÀFA:Zx„–ËñÖ ±xä†h]•™- 73¨¤<{:püþÕë;Ä›Æ„ëæ½#r3-× ~Gß7s])áhLq•UcEYÒ…îåq‹†såÉÓ·ÕŒŽKV…÷£R(þƒóƒq´¦ÝÉÉ»™P‘DTÀRXYª+»]å¶EÎÃýø=8l~³üíŠ(ƒ¨°²¸òãâ›Ãʤ€©Í™Ð#¿©hÔ÷üýpä#òÙÝ•û~Ï#!…¢¦Žiqö¼^0¼›¥<·ç_¹Ah¹Žå@tÞbðhÊѬ0TC˜f°©`|èhª€tãE]«Ã¹Vß#„õ™¥¾‘ÆYjYñÛн‚í½K¨ˆÊ¢¾ö½‘üfk§ç9ÊžŽ¯çƒ1Z Ðü~üÍÓçÇ›UŠ‰í¹ ˜€¸à¿ÅÙ}9"‰Å-¿‹!^õCÅÛ#[nIoѹ™5í …õëÀk Ñy!†ŠyËè ³–Ë“QŠžÒÉ<}òäñÓ¹y?Rã(¬p½š@m ¶¢ÌÚ!]÷Òƒ]íWà%Æö¸ÍP™=Ä^Šæ¢X=¿wæñøÜ˜5Ä«ý[=þ¯=ñ¶÷f°ˆá ÛîÊÓ•åÕUš¯ ƒ=a‰µíeÂLJÖW&íkß>}ºôQƒ \1fŸg®%s=Û88^œº",—šðæ°.^Â~.¶Þ¾õ°âõ›°Y2 Eè‘ÁŒKÓÁëŸíûm ¸©M²µ¤Åާ “—‚Œ´¤L fT‹·=H³Œõ?ŽŸ®ÖÅŽÚÕž‹Æ§xïE²Y|ˆÇ.†®f5!C‡Xœ°½)β^ÊdÍãÊàæ¬œ(c<}üÍ*SÉ^ºÔò4/;…¨ý‚âY;£ÎM{œ…å…JæîŸe¼//§,k·Ì†-­¬.-™îBÈ>híàÉ»§ô ­ÖWÆ7jö½e°~Nv1è»XôFíElábû²ÞYÄ+"/ágǦ”„œ<üˆÎù*‡ô‘+…‹õ…ÓÓ9qv¶¸XÊÉ’¯|ýô›DgMì¤óò4‘ dcÑE]LjY*G;±k§ÙÏÔ0š‹gËÕ=¹Øà'2B£oçÅʆð‡! F#XNþÊðò¶‚àw4" 3C_)VQË?JTÃ…ÏZŸô rPøZ<Õ,‹ñX¬‚@úT|-¾yÆ–åQßʳV1ún|•);js‚üŠ×‹ïé³V|¯BÓO2Ä ¯?~ÔÕÞ¹´N RBÅÇF;ÒR·7Jñ•ÅUê.M*vì¤+_:\»ÝK%)ºm”ZcÉILפ³¢»TFõØÍ5^ô¼çú¾9÷úï”Ò,µkkÑrÀ ù|³Ó3=ãÖi0ÛU^*zùkžä¾ƒµÅ±÷Üq¯’»—ÈOMN_<ËçŸ2Ä(™¢ƒ9A„¦’$Ç£PB0ÑÞQϱd¬þpÄšpê ¬JÕÔ¨§®Æ 8þUC⹫ÁÂÁ¥‹¾ËúÈÙxôÈbáªn ]÷ð²ñ̈Ÿ°ûÁT1DôáS-Ft“–Ñfz*Œ"ź<UwF:( ñèD…ãE±M¤$GOý“xÒÊy&Fo^jF6|‘ÓSW \*#qæ)ÖÌj§Sˆ™Äô<†¹/Þtu’«tßK3ƒ˜flº&Є 5æ" ™ˆëÌB‘—RŠqññrkcs먵¹»ÝØŸÁÒLmyò h^§{Ùîׯ9f;ÿ‰vö»¯6·ô-ƒHݪƒ­yô/xrp¸µß:ÞÚÝeyŸ²³];9zµUöïÚëÚ«ãÆÁÑVêõ ›:ªôÛ»ÇÆÑÁñqoˆvö_<ˆÁF,ô§Ýš´««o-87åe‹ñcCygÉlWX£K—Õ3µ,¯°;îãy¦¿¾ôŒ÷ƒÖ¤À¡·¾¬ž -°|¶ÂÙÔ­²I¡ˆ•!/^·†0kNçé/¯”MOμñã‡Ð#aýÚ1†¶½D3jnëe”îr}W˜‡mÖ¿,¯ÂQÇðæZâèdw³õb÷àùÆ.;‹_¸7wùéÜœ•„zhÅ;̽¹käMÏm%Q¹Ó“.Qª²ªùâ,{.nýïè°cfÜÝø÷¿ZG­ýƒ×ÊmÎÒ6ß[HG߀â" ÈFHZJÛT ‹Ø7(ˆ& ‰N}‚o’­1Ò˾Sé¢ÖëÞ‹HL b¥‹ˆXu‘µ›L)žÒ¤eTÊ¢•M-žÒ¦–oÉȃø¡¿&g®×Úå;?”|{ýÚït<²—A»9+d©"TFÝeÐu¶¼ AŸV dOoe÷LØþy:u.iµ^ì¿j´Zxv)—ËúçúºxL—¤êÑÞÎ>´·%¾Ã‚BÒ‰¿ÃG騶Kå ÐuG ôêµZårÔ¾²#ÏãN¥Ry¦»Âʬc쬮€à©£ï(ü)R,aÓºètQs'ÊKUsñ}ˆRåëxs4´o1y«€.E©òYñ}dñ^ît1½¬:TM¨½òz± j¶úÌŒ£&SjŠeÁ[É8µˆ%?3,Ø‘¦€“Fˆ„8]{sN``fuº $@2nÒ3xB¹4ááSH ¿w>WåYáã™ç(éâ„‚¥mõ“¼O·Æy·\_T‰ŸQ@¹g¢’fldfWyËà‰U1·Eý<Ò²ÜÆÆ¥"Іjå6ÑÏð~%ñ^N“· ðúqÌɆFcMÝx™Î×.ˆö|ý_|ÌÞ8ðò(H‹E Ôå*Škæã4Qľdå˜]¶ø›Eà ,È­Çë‘L`=oᤛø²ÅÆì:M$ª€t.‰“шù}“Ð=ÝÒÜÓ—ŒéЂcSK¬R&‡ÒQÒ¾vák·ÁÍã•øõ›Uà.¸ËpÓ ´îõRÈðÇt –-9EG‚.î *Iû½ŽØy_¸W.¾ÂÙ gÙév›ŠÃx|* ŸU±”JÕº˜ó4¥)wÝÎýú^:qKÙY*² ôy4¼Ã&áý^}ëÐ׌Ç|r¸Íc¤É÷ñJÏï @döþšé¨Ã8¤å0ÉÔµ(Ž%RI•š¿y|Öï3jÉÆÊ@‚ÜÈx¸gXÔòixÝU ç´—™,Òx§mÏìáìàxÚ$²ˆd +å:U*š!V”D«'d…r‚ÉêÛ$ÃwÜJƒhz…RÉrnÝŽÔþƒÚì$í$u~ÙE^}ãOü«Ýë¢é.wÃ÷Úr*‹så8_¦)¥÷yû¯-ôL±ÝŠeÿ°ƒ }çÚ TãðP¹ÁËo6¤:Ž¢aö»Ö5‰¶èÔÖº&­¸ÎìèÜ¢¶i÷œBar$Ó›.BÉõYéÞt5Uå@Ckm@(!ûU1ñ¦i•µó ‚¿ŒZƒ?í>¦!”ÄI+ªì0]0‰º<Õ›dÏs+±ò¥ ÑœHÛÿËÔÖ;Vo¶izˆû:@_é’ÒûB×[¶=”A¨Ñ%Èòð+ØAî  ½S@b ¡3Sb)\Çl¼ã …ÞÛŽ½%…ZÇúÉ ¾Œ½§ãaºç!t]Œ A¢^qþò0œìaø—s`Ò9МLã ''Á¬ÉOÑ ~Áû:Æ:t²g`²ócOÒ<ãI´—`¼ädÊ,¿™¼\4Õq†q#ÆnD"R‡ßv;äþ±cÙ>°±¼D»ˆÞ± ¾Ox'á"ês8÷ÈëѰr íÐq´uìZÇÊHñà¡ ±|:ìIŽ®Ÿ«êâ3;‰Üêõ”­$Õ·ÒBJ0{3Jt´™;ÝDf휩B„!iHÙã{ÜÀ’²nñåt|8sqÉGÒé,±t) ª‰î"y p9Ò%T–´Õ*Mh11Ûg’[’RÅp*`mIa‚ˆ0‘ƒªÅt-9W‡þštç¬Vt^F”VâHèks3ôGža\pïp³ßù–U„ȼ%rkŠºŸz›öÕhèøh4“×p|AvûÂÀ‰Ò_/¬¨^Ð>«¿P ­…4Ôߟ ³ŠÓ¸oÙñÑ{ ­PŽbôÖT^H¯7Žà¬P*6¥HˆQk¬DÂj‰Ä‘R-"kÿ)Ñõý JͺäÝÀQÃ}„õkRÿf¼ƒÚ' ›¢×Àh½#n<‰fBˇìªæ×¸bJ]óÑBŠ–>i3žÿssçhºQ™ZõÄqÑ8hÄÎÔïÂ)#fÕImfŠÙ,B'Ÿkk°¿Ôcd^§WQü¥½ãÚæÁq4b”ºŠ0ÅXN%™3’6ÉÈÔ"Jº=¾“K­ô®LY4óÅAstW,™1¼ šŽŠJ Ïhk£ÚII9¤- à”*  ¹fspÄÅÀ©E›.øäШS0<ÊZ¯öÿïÕÅ6Š’TµOÆluèð´É¶ *ÔÚø¢UNâD«€3HE„Tsö™3,æDÿrãh³q°¹…çqŒ*4ë®cí<Ò÷‚Œl•‰A?gœG@Ó>f¤P¼BéÈAa´³ã– r´[ˆ%Û¸1-5ÞÎùÃXvŒòÉ0±¬ÃqŸ¾ÃXzñÄ:¢yZÅÆ£ Ç*OÌ&WVAú·à¾¡[Ýú5ÓaìôL•(¸?ý[VQœEo‡ÃEr”Õ{p’pû~Ø‹ð^ŒÁDÒµ µH-½ñe,5ôWÓãÆÉþœ¬ÐÕ /õ¾ˆÏÕ;Eˆ¸(ä‰ “1Ÿ¶\w¡7GµQP»ðj mbÌwÔ¢@Õ±Ù1/¶]Bù¥éê*°%CŒ¡“¯Ô_BÚ–L‹ÒHäH¨Š&°ŠZ¶$RÕ"%fQ ó:¹êÕ÷Ú^ò²L­HD蕦d% s.Ö–}öË+G¿ ¬•ý™XºÛ7BaûXÆÎaÁ`Ú$¼È!I©3U±[/޶f›Ð*¡¦ë„¾ýJìXêN,‚·Œâd!ä¶´pˆ[ÚG šüÑÉ“ãƒ(b„ƒóDÔISD¸˜fýˆ UaG‘¯Ñ£ZÇ»_9+sfÆqŸOŒNRä¿£h}ÒDs{çÍÞ–¨á\CE):‡žÛeSªÐfB!ÚŒàÄ#‚Nä–2 £1¥#-EJ² ·êF3½oŽ ÏdÃb†ƒ±4§=ÅÅ-+iÆ—BqTÔG†DJ/£9–@k´3Û‹z­D¨Ñ[‡G[­½Wû/dÐäÝã“©7.äFÀ”´7î_y-âSˆe[®àÌWV­†–8GZ8.ÍÓùTÂñ‰¢bæW!•Î…,Ož4Ü¡yoQÈÕ–Ð1W ™R¬KFu£ºi­’ñ¤[V®Š¾`p&GIŠ}¤Hrbï=4wGkðÈ ýt kŽ6]–¾Rô£Bž9:Äï`ÈqúÈxLµ é¬iB¹è¸ƒt2êÈž­­ÂçÆÚþM%zHT§UqýU'ð?̾AÙ7òÕ*Þ6M\å…’»® *`´¸:tð\6UýáøÃ+ÊJõ¶G_X‹‘šÓ/¯7sVLsv¥‚×ÅâUé\4ñ¥m:qš·k D£\b2ý$Ñ…µT›©déšd±KòW²œ©­—×ê I2ûcá^]œ¤C\õcá,BÎf&ñ6ï¶ÿ'߆4è(<ý ïŽN`—Ûf`MŠn§NUo "½í0Æò’eæ^š$«|ÊÅ1ÑAEÁ«½Ã<Ørñ·¬iàx÷Û['¯`¯KO™Åí•ÞÄ–ª¤¡˜†z³{ÆH!w±’7»ÂĈ²)2E$UpÿÍ[X/-þ¬7×µÅêâîLd=I³S–,˜êÔââ`Ad9ïÉý¾åý²^ ?¬7˧§µ»µ_ÏÎÖš•ÍåW± $ò,~XÔ‰d(b.3×#èzŽ£+ÃèÒKÔ4…P!h]tʦ«Ù ­V.:ø°«Ä¹i>/–[¿Ð|fZEã–Iò¿V¼9Ïv˜ƒC¤t³aħ VÍËM™ož02ŒV;(¤¥@Á~ƒzw¢¯³‰²_÷ê°Q:AèK^ŠKë°"ÎQaÄ.¤}ܧ»Dˆä«²„Ù„YX¡ªõÖ½Sþb$öÞÃ®Š¢‹ÙàtºÔg…êÊ^bˆ¡zHÛ1§ŒŸ¼MyéÌñ3Ç4Ä…ûÑ„IP¤{ŒkxãäàKpÎèìóâàmUôÙ2›Er «†T;4IZaUi ‘7€¤Cò&3øy’ž†Pª` b·ñÅ•<°ÖëR‡<ê Zimã·”V!jÅÖi D†¯*j”¶‰”˃2Õ‚ÐPÅÆð5æ”sªÄ^~<{ŒÈ%Ü. ‡Ð8Â7;*›Ñ3½À Y.©ÎqVB;`4ÄÛ‡”5ëÒì)«õ•ïuô&B¯¢µHCj6þYúòtx:‹Ï„ƒÌÉY¬GßÔÃ…µ¬ç‹ðBO7«ï³¯.8ZuKêRk¨á&ŒË ž¯2c¼ ¬ BT2^Љ%ÄŸúÉî¶k‘Zq‰R2÷Ut¢C¨Äa˜¶Ü3¨:r?(žo½ØÙïŽq;æ%¶éÛâ‡fßyö‘œò ÿe@ª'發ÐAtx°ôLŽ0ÞÖúð`›\›}ñ`·g¿V«HÏ>´K)ÒKTDzZDÿ¬;Ë߬ãóUTú£GÊcì#ë%ß›ñ¦ÊQ%¡–f~³9°Ñq9ü(røKŒÊ­ÕŒdóÿ~,èâ± j(ºWâo”NOùÅÙTßJl½ÄJ/c6b ªvþc‰¹ÒÆëµ-¶{`Ä…á0P ò€Š,°a6Ö;A¸HÛe—¾ªÐB^Âúl²Ìl›‹Âç‘ûÖ‡ÅTÙçÜâ8ÝÞc#ƒçû»+LJçJ©IÊYDM¨lÑ´x]”aD@þ”JÌÝpÊížáOþUÂX/ø³T@põ¸^½ÛÇ.C! ¥ê6?¼¶à9 éwæÏ„ÆX»÷aLY?è·Fw ‰ÌBùe°¸ LG6jœ‚êªNwJg92ˆ¤…©véßêBµª5¾ìŠÓð,F×@;‰`a”[Öç'è÷´²Éô°gO1ØG*=¢Óªbx™ä]ŽôeIGk– +‡Ä›Bý¾²{ÞÝy~´qô¯–º«|zÚRjA—ÖN)³¹_HÀ›Ødœ׿}L£Õû“OÉ–Åšô$eÚ²éŽÚú}÷é*[¶àX·cû®{ðIdp½³ñ”±íf<îÙÙ†×xËåb#½iÍñØ#J¬(]ŽØ­+õoŸÔo«ÐÓÝ.ôôŠ„Ž"÷¡/'›( SÀ¤Ãê@êŒ ™$1£kÀÈrúù¿‰z‰2‚Ð+‹VHÁâÊë{J]Ë‹q(DD*aKõRU]ØÒ¥40O_çФÝa”Õ6‡$ÞyÝ`@èÍaßÀiµ¼Ø9° ðèq}©^°c}›¥0‹WQ®‚úééÒ2läÖ¯ú‚ÔloŠØ®ÃŠ ô‚À JILˆo¿®”Èñ‰ÉBÄ|À8%ă}uxa£.ž0µ¸§B ®™ sphk1˜6Ï1å6kë‹¡Ÿ¯k‡~›,©ÜP†êy½ QjœR]œÑ/5±¤aQíÂEdBƒ-¡›Œ}Ǩ³á€¥X¯¯£:Šfٳ㌽F×Êt¡£·`÷’ÛÓÍ•±F%þÁ{úé]Ñpðg©ks–VМúO4õuÄS¢Z5.£„HÖÊX3UÝ44FF¥ê&­Ü$ ¡Yª†+@q9ì%X%HC¹wF$.üÑßYU~¼‚ýötµÂÅ Œè ³Úá‡D‚^ k*„0fàfÆPåf+‘„ؽ]O(QûΚ^c7Â&·`~·x~W‹øêÕ’k[óShAHôCŒZ½8YlAúêÐ$i$$E3Åá¨lô­ãº8TØRˆz¿diѾ®Ä*ß@adƒw Ø@ÜärL÷3—cŒ&Ïãm¯ÂWAþ?tœdb©,íóP ;dÜ—5¢kcHý\2AJ9VšžªW˼õ š— ºK +4-€Æ?°?¾Ãs "ä3ì=®‡è½KFü²Ü`ÐÕhØìz ß_é}E©\kW‘vW÷‘@SäËérj\ÕbzÛ£€õEÆ;a°ãÝÓò@ý§ÓÊY4 ¯é jÀÌ ÓÜÐØ0q=ÅûBëœ2ŒO„”‹(o8PÚHQEP`«ïø ÏÒ§P/ûüE’ùÌg#£/q¿ª.`_^¢¾Þ¾Ò{ÑQ½H½W>SÔUtOÞ¨*õz×¹ç|™:h¸¤’ó/ï¶Aj‚M1‘–¹<˜F“x’º#Š@¤nÏÔÂGᨊ3£­`w=LOUÓ&çgì>h'ËžëP£v—d®CîwºTo2džÖc™ha(Ôu§ˆ;=ÿl*èòعãÕDfÞßŠŠ¼¬9ê$!Þíü-ŽVSǶ>¤òLrjÊß"#6þÈJ§Ù¶Ácý+ %£¿b:¹2”>_Z˜cKq›[òÞ] +ªä't[_6ÅI¯ŽC †>5‚H…˰Çþ(”9Cc~‡…ǬÞZw°LYv±•Tý\\ë9ò´EÉ’¿“&ÁÑ‘a¦ÕŠ3¼ÓÕk5uÉñŠãT"šöüàÞ (ƒP6ûÐÜ#u¸6ï(·;ÑåÛ ÝýÖ1º2é–¤Oõ0¨LZ²©Ý6qEuËÓ‹ÝXݱ•?u±»r­ßc Ÿ(e(VÒõ·RC*T#h¡ŸjÆ,òPÌ´•yÆ1ÖùçÄñ•¥¥¯U€!)@úkû2š“ThÊ£¹)ZÎ3ªFBfð-íWIº¯\ƒ…ß…¯»!œÍµ(j"¹t¢æ¯^øÝ$UêåÞÓoÞV¦Ö¡îßšÂä#ó¢Á§¶â{ùæcK§¾ç&¶ï ŒZ‚W(²ÍKžŸ/0Ù9œ•‹ì¶´¸`”lš'ÐD”å­ŸÓ„BÍ:­Ñ:»ˆ¬Eš¥RøÕÏõº{ûyñìl¡YiFd‹_5—¿ÂD@Uu%Ó©Bôár`ë´Ñ.ïHÍé<3çÁÕKp˼èJ œþ‹râ<²ÇÚ…Xʪ3éTlØñOOWŸ|–‹ ëŽâwX³ïŽæ f »iÝi’QÑÅìq geÌ9»S®¦®p)kì÷ÍòrôumCÿ‚¤ÝóFäS¯=Ó °rÏ[ Oš8uŠlãvQk¢lÉ•½Ÿr«*=¥Çeõ›¡1Y5©*GÕã–©u$ïQéŒSS8F¡g;TÊy›Ü0‰²jÍfHÞ nB/ãr»CúñätM¹yÓÓ‹F£Zl·[¨[•ª"†«jëA¨ÂtŽ eG,xsw×`…FË<Ë*‹õ:†œA•^\Ì*¤Ë^X7©X?×ÕlñÁùoJ¢í’ |^$ËXv쩵‰ÛÖY"ï͢&…?ýg|?Ó”B±Ýˆ"y>+±ëþÈ‚¹,Pá 4ÓÉÎÞµz¦’jy1)(Ê”Z¼SA¶dÄ}t›•À0ˆÂê¥P‰ß#œóŒþˆ&p+Q¼@¢¨Ø³øý3}ýT*dI@ ÛÍ…É@CJ½DuévÓÁŒagT¿iM?eßZÄ$@МÄtË#J¢$xíXºd´8I=½È€^rmÈ€^l›¶½‹@p±t.SInôŸžÖÏÎkhUíÖ–`Øcc\‘SUL]Ìz¥Yê"pwà;U ¾©1W ‡Àï¿xu”©X¤¾‘6é€÷i`U“˜fT9üi âàfê¦1¸iC9¸ùä‘L?dÄU±¯ý>´65ìK&brµÝÕ¬zßÅH³bïø§†bÙfŸ³uÔg‹©[õ¶±íøÐjªU¦MæÈÒ” =ýËp½¸³},÷õÒ³’T qW•Á+ºã%"qa–¢AN¿˜»°½#Ú†v`Ó1¡¥I _y¡ ç›úcŽîº|»¨ípteyjK£T6H½ã‹‹ á`µ¿¢`pe2È„Æ4>_ýúN+ì> ^—žŒ#–ÑÀ¼Ž!Éyïø_ÇÜÎú´ÒF‚Y)sI}hÂ?v­àߢ‰§$·öëFíßggÍfeíƒXl²‡§øö¤Ò¹½†’=ª;lQ·äXeç B„æÄî³Rj2쀀—ÞxÙx°Ëý@Ú×ÿ­ÂØ}>P“À˜koC#Ù[Oà.ÐÂr]l/"žåÑÆoËkü í'w,$¤)]«É*ÌÁé­gÇ ¹±5“F)ìò>u›4 ÿ—lׇ¤÷Zf%ŒuŽPœ9¦á)›ã”ž¶k¿6`¡‘‡™æe×^€ÁœÕ}ª‹qÈQ8—>§ä›ZŸ¾Zs-ƒ›.'±0+SÆ”qÐVGÒ}Ã2E¼­"†¦ã‘ôÔ1¬\0xͧ a¸§ _e¯~UΡ4ª&Ÿƒ÷íŽZ'N%e×üëðñ@‡?…@?AF‚_ )IIHì醒¸¢Jx8Urù¹(RPjA3—dgxxéõ5d\4 ß#  ëì¶CØ2õ¿¼ÊCs…Š^»ƒ0èÜQeêä0¢‰WJ0‘ü†¾¹”h¤ÍJëΙÔcq*¶¦+k~Ùݵù¯m˜¡})ÓZ¬áÀ>†N_õ;Fà¤Ùƒj{<=Ówè?ÿâ<õ wÿó›Ö„Ññm‚&­d§–?²ï\oûï?…nušš{ðrèyaWUgè^ýË./+ŒC¿·A\0ÏÑX00fˆ‹ldI¦Ÿ]Œ¡Ñ¾€Œ†¥–†Ã[žÿ ï"J¨&n†qÇÁÅ0ÏÁÅX,1dýlý<™îÜ4ROUŸÈfžž®<&«jƒ6Çp¤Ž^èh ‘g¢Ÿj’n­¨³i¥™.VÖ²áïdpu¿‹ìäJˆ5c‹Æ|T³²ÍioSk3;PcSÖFÊ,’­XQFùyö~*Rf|,úq­ÉG0ôÓüD3O’å­‡L¢@ý¸%'ŸƒÚrAˆR§<]­/×—c‰àÉôúËi1­úl²6 zbµþT üÊš=X7w×®ÿvü»l$™Ò‹4Â¥€_yÿ÷œ¸$2erL”.‚`´xô¼E¾d‰€žò™Ìx„F^O‰ ™3Æ~0¾ý×~Y^Òß–å6ø‚ 䕲ÄU™&ØþmJ·ÒÁ»½.ΉqHðPåz Cû±•·ÌHû¡5ÿÂq?óÏ¥4#ôCӬŵ•ò„U’-YëëîéŒtêZ%ß„ú×d‹,Ð|å€ò»ì’÷Ù#•@‡%´Î{yøêM ÝûZ{›[1@ºìkju×3(Ù²púS'F5e ÅÈÆ!ìrÖçéjZ}ž®ÎZéòhä]îBÖ„í~â„íæ˜°0 R…3ñØäÎÇ/!Õÿê”Î1/îÊRKMŒv;4:…)³"ó̘€ªIŸ÷öƳÀp>"\‰\EÊ:v‹OŒ?͘ÚÊ›—‡µWoPäÅ;:-ˆ°ÜÀÙoÌ9á"ž=4yòäIUð]@R/É–„j_¢ÂÐYÎõ»+eˆÀÐdN¬:^¸£ ÇÍÖ(8“S¯[Xæ:”»70oˆ¾à7_ð?…\Wçíp¿‰Çõ[iƒ´,ʇ[U¾õÙÚÝ®ä2´š&ÐM”¼|¨À”·ðËSüÒ)h ¤R'õ$o$qÄ ~aܾ̥Çʤ!0 Z] †<7÷@ÓfŽ=¡mrØÀÂÜ¥o-»œÓkö±þ"2™"k²¦ £y{À©êX•užYô5± 0½ÝM¼uÖflõÞ*c~¢qÐW®®2¼ñGíkÆgÝÝä™Q{¼òaÁ¿Âù°Pëá©xå"ìù|jüŽ¡±ˆW ŸõÜ+¿½þx¥váÔ´«õ™zß&ää ëA²x²OW²ø¡ yºŠ¤`ËUE<]½0À¿’Ä!CD~hÚOWÍ6T&7¸ïÁœ©õ\èØ¸EH%Kñ½&úqæ³a¶R”4…ýÃ’UÕã©vœ“h:Ó8Fâ3¶Lí©Šæ»ÄCŒ7]%]*¹›·ƒËËzøË½ÃÕÁ?1Mô ¦Ý{PaÙ2S¿3 üNrCD`¼aâ÷¤ÚEÄmUÃÈiÜ2ßÿ<[á,[YÜXøw'im'ãz¢úÚ'·0QîM …¾Ûn{vL.pˆ:‚0'ˆ…6ÌXè;#08œý%‡ÁóµO²µ1¯R¶p5„ü›e«Íž:¢Fp’DuH>‘zbøáU/+CjP”õRm×°ÌæÉϱRQÍm»‚·íE(Ôô†©üvïj°¥âŒe]˜l¡zÿ’å>Ýf¾ÖŸÉl~2 Žf=2¡ßíÐ9`€Ï{DëÚG­ã‡¤gKèŸ`$T«0'úmï­°ûV4÷D~øÃw<û¯„-sîX Kîb¼õd¨ÂöÖ–ÿòdfK®O…’‹à¥.)\™%HYqÊ{Ž——r!°F¥«ÕdÔ¸ UN ­¬\TIö€IvT¬¯B„\Né a‹Ü1è|²¶Âþ¯§H–Q. %Øõ½Šm•O¼¦‚éMF­…­VØœz•ù³Ì [õLÙ*Ù‰ûÞèùñ&ðž:œß*QOê —?®8£eh ؽlq«èçSdSNÕ}ï& §0´ÔÙþOî%ìŒè ‚Zÿ¥ŸbÿÇŒÙŽOïnzÏ`{x<•&r Ú ý«l˜ãê3kX´øñ«pÎsòÇsó>99®šÓ¤ØCÑzýŒœô¾|ôaG®(×þ4ϲvS¦Ç‹+Q”K4Ú.ùË ¥hU¯£Œ}E® ü $Ùòy„Íê02Éßÿ®!¬¬†}·^,³ÿ„¿hÐHŠÃε §îG©#×ÁöJ½µb¹ü L¹âûùw+Î\-™UfëßÇ–vꤊpпN"¥ÝKQ?FVæöt È’É}‘Úï}}¿‹ûz]pÿ¦x(ätºÈír1«·÷_ïñô¾¯Ÿ7{yßÓ%dBgx„ÄÝA˜ó\>Æ>Wåç“ä~Oÿô€3 5“oo Ô i=ù{·{ƒî0„çY+Z,B™Lâ7ŽÞ°#1a².W”šú/ÝôgÓ¦æa_èС»K)Ò2Å6I‰Š&Ø£<ºÕæ(4¨(½­fKu¿˜„Sܵ3µ›ã–„lÛDdšö“ð˜"TRgÞ…ïÓž>ë¸Ø€%`ØC¼ó@ö*Ó–°ïWrà(Nw»)UùG¯ö# µÖG‡°’Ó‡£À÷›š>ÝE$Wƒ27‰RŠ@'÷‰RŠs‡ž‡ {‡4a”·áÃô°é™K¬>™GÔï§ÅIÈÞCb—‘UNØ×Wô÷'ïÈ8 Ýão ü~gâWû;oÔJ_߬¤pÐvð;ïoŠ-'/ž° „Oks)>xÓýF£Ý}4¸”ž'‡Û ’FêûÚÈ^y#Žè Ä¡†gå·Ø( ­ ¯ÿH|ŸÕâsIÐÊ5U£(!BähªÛd8Àä †lL¡cƧ°«ÛŒðÑ’ªËfE-ìH°¨Ã!d‰ðût¢’ËKŠ5W»KZö,IBæN¡ í&caÑûxfƒ[©¼âôØŽ§¥"YÑQC” d±AI+N)/…£7£ËwÂh¿ˆÌa´’¡µvÒÂL&{м‘Mœn3!¤ò•S …Dl—µf,Œ‡oR£(UÛ„È­aï(è{Uù+‘Ú†"ô°[F캱lh´¬ËTô._ÇЮu-ÿ,ÙçA¼å²Â'×Ìi:ˆ‹¥º¢ŠyÇ¿yø%šMéºcúdA©nJV‘‡Þ°ç‡4ãÉmJû;]’€²»# áv™°VI”×lá³UTƒíµ£]bÄšxn,ÊWj¶}z!:}þb XýPÛqB‚8f®§&®U$pE7ÂÊ* /ì ± ǨŠSÞ-Úb€½ o•—C—¶Y¹³ %\žã‘ôNÂPeÁM?9E’‚±µì__{´FÐI:X–É_BgΞYK¼sÑr‰w\¶Y3yˆÍ“­"²7a,`’ø`U`ÓÁ™sgªEJY)›²UâÖí ë·ýô½8yШ/jÂj»<«Ì“Aôë'xì?=m6#D|¿†ßÏÈØ7º‘•qK „2„¹¯ybdâÆ·çÊFÎB ’.§-$WŸ1`¨ X€žh4Ý÷zw8Ùé/„Y2Q˜NŒU¬¥?¢ÚÕÐŒ¯ëÃ@Ð:¬SþÃã7uŒ{;ìya×ê`ÈcÜÂÆ£Á˜vIJ¬ñYÃ*QBΆ¼wôZEžmwÄŽ¦ô¯°.dã¢`Іù:º×7«†¬; ¯ ¦¾¨ j5,øY!ëKjLë gVe{¦pfS¡U£)œ•”üu½nßû^êD‹Åeï }6ÈĤN¢…;t9Û"¯³>¤;rí´ÉS±ãáqØA©ý¶Õ>P¤Þ9'Ê,t 7ô®¼Ûõsˆ!…•IqÄš0i4Ëõ…fÅ9GBF ÒÚ…IÐÐo²Í6 rn3µQbů+>P`^Q¤UkwÕÛI Æ‹9Öðƒ}PYC7ÿø2­ƒm±üÝßW ………ñÚRd¬6^µ6vw6ŽÉÑ'¹o‹ôý¼BÛƒÛ&õ~m¹¾JØÏ70£Øæö…ÏÝ%Œ¤ƒŒB€ %µP¯$$•üÒ‰—O`ÿéx—ã¾!ŸP(™¤ÊJÅ÷°à4•ˆõXáüÅömúY)˜ö’©S*š;Öܲ‹27¨Ôºå©Šq‹Mó5¾«€ÿ[“ƒ{@=ÙÝ´:_u¼B$¦ó©ôXA7 8ôkø•ÏÁ†<‘ľ†çG[ÿ÷jçˆ=ËЩ¬Õhh Ð|רØ?Øßilì¶^ŸLIòüÕ@iRÍã­Io 14þžjˆVX­çw7Ž_rB¬ËÆÑ‹Öë“—åSàeµnGÉõÇ­—[»‡­ã“#eeÜnhîÔp‡hhŸ Þã¨;⇬ý Uƒëýà‡µï~Ð^w§¦V)ÆNááŒ;:r‹“ÉÍÇý@Væ. õng²Ê|^4PúÀ {Õn‹yÿÔ0k >¡ªW¶>’ˆSEyv2ë ~tGÜ2:àkº…ÚBÍ c@tD×s™ühèr¶¶ 9l.°àGãa_y×pd 9î•Má8v—Á˜|ƒ›]J-£”¢Z0¸p_=?>ñjegéå+v7õ­ÊIt;¡ÔÖtån©1Q4„?ãˆZg„=ˆ˜¼!ÚUb‰ŒD÷=5XÅJ:ö¡Âzm%d—Í×⧉”3§•‚*³Fâ åSÿÒ¼æ¡1>Æ{ŽƒxùLv à‰WMåL1L0^º8·3Vkú:ÉšE¶/ïMèMsãJ‚•ÙG ÙÙjàÐka÷`c3ó0[):&!…T®Ób–~­&ŽNö¶#ß„¤‡÷µÑ…˜A¦Ù¨iKjfèÕ`@úÒm©àâ?¨­¡Ç$IsÓ»' ü |~šöb½T– óÌGÅ´„<°Eã ¦ƒ²•ƒ B'aÒq¬äŽ¶Æ‘ÙpÚd­¢ÈJ0õ#— )ær¹ÂjÚ‚KœXp*téªó¨ ®*ãg$ N¥ <‰ÿ2ÔI­m æÅ›nm˜ÙàÀì½:Ínu~‚t4/FW˜am´Ì)ˆë[“hYô¢KIKËc¬4‹ûmÆV^¤CA5 оN'ÜÌ\,fN¬ˆJjÏ„ùÍùjB,-¯<^}òôëo¾u/ÚPBü·øNÅÔýj…£ŸæWj’­ 2iÚÜ\[/nn~,(îÇ­í­“WGº¾²Bâ«J"-^teq"¸]¶ÜÑ:ðT£(£vŽa%Åñ¿ÝˆZ˜ZmÌ‚Hö,ÂZ=´ž¨„õ³Eûÿú‹%Ãʳ)%¬ÄJ3.ÕÈ›løäèÕ~cãd+åþO͉vt}>Žûmœ£.+ÑE¯?ðR«"›vŧ&’q…'Çåš×.Å(ƒ&73Jõº¯?ó¬J¸^P³Å»/2aRj“¬ VduéÛ§ª*dy˜{¶âŠJ³4'³ÌeõǺû†´ö`¥¡2n0 5Ògš1™­É«g4Î#©WÝÛ:yy°™y¯ /ät£k4ãÿNÞ¯xý6^ÛÌ›Ç%Þ”ø} Éb`•pVí-í‡#¿Æ—F¢~ÓîÀÓ5“S+{ E:oÕ–‘!ØWåÄN»H„úðKû>6A­0.)ôÕàúÒë%©à(!ꤡ°ñ±Ùk{te¬ã‚ˆ,Óƒ®;€5òÖMBÔ TN³:¼,!zd ‡Î|ÃV/ j‡Ò©:aÒ•b.¦êK9¼´Ç=BfRGgƳgi$0+Q¸aØ‚Dkm•ŠoÕ=\_Î8®%uœÔôR^žw Ï2òŽê =Êa\òžžÒëÙ™cc*ÃU¤¦¶ÌAcSl *¥}üöWž†Q‘ÛÞ-ªÈÐËĪì\âÕGZ¢j•På“-úè¯`Ýýá҆ߥ¡'‡aè•iMdt!ÝG.0ªÐÉtÝ…äûF¼„ª’Òª‹8Û«g{œT¥JÛö OºÕÎ%ìøPØ“ée™c·µ»-0^Í·¨¶¥Dµ…g{»ggÇÏEYÞU± øÁ`4„w¾HuÀ)º «í¦¦Œ+{"£ J»*Ça#Ú+HhÞ|ƒõÐ^Éï°WJxíÁá;:‡óûÒÎwÔsý~=¼Îß?ß~óT›cú=\šèÙæînvKãS>4öÙ„ñ§Ù]äÛ€Qç†Á;¥ý‘óWÉ:iOB¶%:Án?“e!ð´h'.éK0„qoPbð-é |ã±xÅ%WiµâÕ.‚j)„0ÖGK7æÐ< WæûÎEQ1À§¤jÝD{ˆ1˜eô)j^üèyiEàŽ€Y“Ñcx×oG(ÚÁÃ8¡ú,µ§~áaËÏ_¨ù¿yZ®/P‹Ð0XÍšÀ‡•ï? ¼š;ìÕn3 @3kOW+“šX^–L7ÄèÜ;ÏÛ¯½)S .Ž=O ë…{µPÖ¿¾€&\]/ÑLxYù>{áÄÚ2!\e~˜šo5‘† –(È.ÀÔŒÂQïËÝDï%R =„Å .ÉqÀP¿Fªq† Á@E*ô]oT •jí"€éɦÖ=V÷]ZÙîzėǃºuY0u ËÛÐKP‹²6tœ°Ê¢/£B@³Ê¤ó„SåûŽGÌhà^ÅaïJVÙ±1¶v¬„Ñ.ÀNÄBîõ…ó”˜À&(\®é¡×J¸,ÿ¼â8Wõ•x¨«\­žc*洞ö.-?>À¤­Ù*ÂÚ±yÍÖFTÊà-ÆFl‡;2väÔpC§ù+U‹þ`µOEÍxR)£ØQù¾,Nw÷@î¨|o7ƒw™Ê÷§Uȶ 7jG;Ç Ay›uú(ånžŒ³#Û×M\¦~â ÈÚÉŸÍz|d¬Å“§¾‰znû)ñ\æÅáNƒ¼5SHN`ÿF“*‰Þ%4Úºšu—D‘­ßÆÈ¡¦l Ë ¥6T¬"ßû?*7aÊ ÉJ±4SÜ PQ°ƒMTRcFØ#*Éxf´‡JjȆ…JvpÙ»ùÄC¸ç/Õ@ýä îþ#­§÷£è›šG<ò°êiÓÉ"¨™yß» §{Þ‰ðpòvâü>çzîwÃ謓€¦Ì? Ò±?ñçCr `RLŸyz¢d‚Œåïht•?‹‰}5C®‡™­¸8üPàŽhó4 b/–Sü$¯¨åƒ©[hºP)eJböýö°2ƒ )s…Þ/c¯?ªL8­i¦Pz˜î¹hrw‰Š©NC#}jåœY*gÔÆ™*ÝØ:Uodi¦!´ï‘ɤìI1Sóf ÂÐÄè«np±^@Mb«ຣý@Û÷8E2ˆqèÒ—dĦSnÇ“z'©¤ ¯8PÊÈQIµ6BÄë¥â†WÔñ¶ðŠs7.ž·MoërûêÅõKç?ÿ|ûcw··×߇¿üßð(<Œ_½ûéæõí›»ýúoß ›åz½YY ›‹§§Íe£õçÕ³Å+i‚iÞÖSï"ÆCl®ÓV@!u¸ŠÙCi\I¥;>ýýï"•¦²¦Œ¹V¤¥µl÷Ø+Kß )¥BÊM iç,¶¦øñšÍ·JŠ9&“Gª‡ØºéÛåL*g‚U†´- Uã @T ßíÊk{›VÛi%±9­1ûg(Zßø%/÷Lç„ý½\Î ®x~¼YÃ‹Š½ãš2/ëJÀcïHuSØßËᦰ‰˜Z’(÷{•ÈL /q÷÷L#[41Üß3Íî'0Öm³Çý½uÈnØCö{­QÀý½žðeé÷¦x hXÜ ¬1Q Ý$D¿ç( ‘.]G­Qo)ÈØN« ƒó§šG¸b¸÷zÝKëÿ·1»ß×%f#ç1G†4Ô ÈnX·1î6жü&f§Ì“æÉséFÇÐ{¬¹ åçù& ß ÓF§£°©J¨“^þ¥„ÒwtµIFXAêÈgÄ< ³«\(B÷.\C* ´õÖ„d¬Ê6Îyîÿªè-˜æd8~ºZ ±J*]7FÛ^"á]À;·ë[ú2$€5h”€Î†¡‘ Z¼ÿj·*øÈÐ^*ćxgëõ£;ågËèQ¼7ÏIçœDhz…26zè÷û©êÐÃ0–**\»Î)ci5lµç4kU6©:¹½LF˜s f6ÇÜ‘­§L1Ľ€à0%v¶²* tð-™F‹üÊ5Ço‰Ê b^‰š ± S0ì‚¿7ŠæÂÙ”;™UÁLÅI9“½åË!åAGNºt—îÀl ý1F€ }ûŽ}#ްDì]£­ÈKýg?MûЬÈð"ÕÞ$)K^¾“öeF[úÁG6ÅR‹YY½[É"ƈÝa½Rly^lú4&` ¼þ5!}èÒå>19¼N†Uól¼Ûy¾³/ k}½1eßТ%ne´×¢wáqYDщ‹Dl¥þ[Qßì^kF°ÛsU¾¨…w½‹ ŠÚµçvÐBwòL$‡€ÆÁö¶vp’”ÖlšŽ}E‘Ⱥ–z…AÃËËÄg¦þfÇÒîL¢ã(k¿ÉhO€ÇýçGϰÇù!.C¡H!í?7¦K ‘w¡%eï7å ¨@… c.ݶY\Á¦j<Ì“ÍçëN<Þžé,á`D/4?oi›Œé…¾\šò…2eBàŒlÐ A¤[+îîìoí¬‘k—4ti:@âïÇ Æo¼Øjí‚ µ½YÑD#±³E—Ó–Õ$†ùÛq!æi¬qš§ /C:Oó4IIô‰ž&L1ÓÓD¿¶Ì_nmmîîÝÞÙÝ:Ë„Ï+>Õ4—SòÌyÍqÜ(èZ©¼DZÜ“ÉbÒ2’$þ‡|ÒµèÄÿ4P‘c@{ºz¸<°IRkÏPcwÎÊþ¾àW‚âð6K¥pñçS ½{¶°H¡¾ð½8ưVˆ¶Aú£´3  ×™n–Ÿ!ÞØ†àU9ù æuAvaå ² ÉÎUO±â›å­7(‘7?HÐÃf¥YæJIúІÅ*Ceÿ%*0íß:Í"Bìg&ƒƒ¶üU‹£d-Ÿ;œº#•¦ù©g†¯‘ûH‘ “Ї*[Š9 ÌÒî­l„@!ËtÔÁw–Ô-cà/6³“?”¬ß ŸJ´šÁx¾Ò.Ÿ]ÈŒ-sªxågäOëä†Zë·‡5ó¶Zs^¨s¹wS­Þ )µ¨OºUAm©u{7ÉÔ«;”)œ"~HHjóÎÎ)+6Þ¼ò{‡·Ñi‚G+ØJSW§O±²INç~ÿ utr²S>=ÙxAPÀ•éG¸¸£•&buN*äãŸ6ŽÕƒœµÆP«âþÈï³3¬…Êza2ÏÑv»¥ã ’ÜØ§}g.±$jo4îQí²Ôdš’%4Þ‡n’Í‚°‡çàðdç`Ÿ7}]­\$*ÃÑÈço ¼‹Bº”ª ?x]!LÞŠRJñk%˜72ÑÌítгfÉn’s¦é´ÇqŒ‚”z&–¢„Î9å;d¯~ô9êðRÈôÑ™Ç7c“Ýr_}±{ð¸çñ¿öžìg‹˜IU;gNÞ<N½Ûxýcò¥©Èz÷yPËRx‚ºNÂýËpô½º $îÞVº²Úá2èvƒìj¨7;ÞïÕ“h½É;Dv±¿§@7)W´Æøþ#ì{—À{c·Ûâ2[ä £VP›]Å»}OENP{k‰ž„#bÃ]\z7"èväöG~x‡‚"¶«õª bÏm]ˆ×„"¨Â@. ܾLñýßþ&žU襆D´»p ‚j lvR´™+¯: -„¡\ø…ßÖK§§Ï›0p0ÏÎJHì}ìØmt-"”Þ[ƒBeðÂÜ CDªzƒèÂ&µ^BÑ©µQû·[ûí†äW6jV¨ MÒ-È®¨iU‘ŽÿPOõ­#6l×þ„m€±æÒy™7 ÷‹ã“ךµ2OVÛšíë»f´æ·cMY¤t7FVˆhüœ´}Îè}iat™šæÿÌD¦•¡™póÈHcÆ—2ýÅÕŠ2 ÌN”Ç1Ñ·ñ‚âElÒIxK$×Î5%Úþ+XßÖ L>,/ÂxvLÚšÔR¯s¾öS¤NÊ‚¡Ĩ#žQe"s¬¤r™  ý²a'ñAÿº2ØCÇ¹Ñ ¤‡[d,‘d/£ Å‰Ö\bpXÂS QvD}A¢+›Ëpq¨¼ÎÐyæ…,2¶âGC·J/f¼º¼d-€º±Ú¸Fä¦uo×Ôr=RÑ‹V‹¢áÀ¢-ÑÉUHU+šËÏdÕEØDPˆ÷M§¹Ütª¢ü.ð;h¥¿ô±š Š$&ƒ˜6%x7X2“‘ògÔÀ¸( é «â$y}¾‘Ltn²wÒ+¨1Dãb÷zúã)’#¸èYŠAn­¶”ip›!À"¹íˆ2¤ë¸5!w«°¾&*;žž±Z5ܽ«æ•·)9¤q .âE ·}]/LèjºšÐ0‚E«;š=7NR&Þ6—ËšWFÚ¢\Âês!%¯5%gèISòÀ^‘¿ÝNg[ßĦòÊ”ñ6G#n4dMÖê?qAäm{‰æß›ËrRß³ˆ}¢þZ†6ÂJ󱎩çï3´_j'©EðY:j"ˈúj¦O²»Ó_B iín£2dÁÀï×.ìTÁÚ>TÓ(¡•i$hié¶ù~©ºÜüXbÌØ[ ;¯l¤ÚdFÈ {§=Á0 0¦¨BuÕ ŽûhÜІ J”FÝ>'ÍÛPÂ^Þ"QÇNË!»5VíèI%»¨*X¬ª%$s§2ä{—ðŸ”P_çÍùörØfß\¦û{™¹Ù\ðŸÃ¾úRwÄJCÈ‹#Za¨Ì´‡#ím÷­G`­‘Á ·Â½'lë׿#SFFè(­|ò%MHîÇÚ’Éìè·‰½¸®Ðy»¡45jûmñçÓ¾?SsYŇôçY¼.”œ¸‡,ˆ’Ž`0 ÁTFD;–¾Û]«é¡ êåíúÏk9s’.jYëÄÌë |OÐ,'öˆf…_ÉÛ £¸"³Æ"3ôâbQ²<)øÒrÊbôZÙ¸-Ó \ÌQ°Ø)I¾iÙñêˆq” •¡ 2Û½C¦Ï[ôœ¢¡&nÍäu^Ò2+Š©R˜÷/­'èî8Äÿ R@sŽx_˜÷ú jHZC+l¼e~ø¬@;©z‚,–öÖJæ‹÷ÓÊú¨ ÀY‚×xåÊ{£˜õ’[zfѪ_*ZŠ eM S¼S1êòk¸¾äwt–<,£“ÍH,“5À¨ÏÎMwúŽ—ƒ/#Fð¶"µêGBzì'--ê÷»öDä;Œš"ý®—~(qºR6ÎFðJöË/žþpv†z%‘‚ÏœNëÙ¦]O‹)×׆9î Š×vðÕ>C¦Ê`•N:äx¯—†Þ.”*7,/£ôášT+3MT3­PLTBX§]vL® »S*%ÊWRgª ?㮯çöÇ„Ø+%PoJYêqUrn}úL=×7œU \8Kå ÝýÌõ´ò~Z•ٗ߸’‰ñS­ÆØhé~ifEbžmQª¸#]bqZtŽÉ¤áޏ ÑC¿R)öqŸìP¡€~ì³ñ È40JXóî4r[òeYñrÀÉéÖ:“„›®´Ù›”hà·s¤bÉT™ªÍd.ÝxC9YõèQä[„·%܉T†"µòFí´­òÅ›7ñ–ÓÚVª½îVKS“›õ/É‹R!'ª€[„P-Jáß;o4ŠŒN=æ¶ŸiŽ‚Žöõ H7‘Ñ "@"—Ds`X˜Ë_÷çªò± ·¹Æ¸T»„º—"XnlÏ¿r% V6À*ˆ¸Á7TÈ>êß<)¤ñ¶p/ðÒj ¯Šzhpv3Ó=*«váèñô›·ñJlï¼ÙÛZSz¦È´ëé7K+K ’ÁÙÒÁÚ¸QˆmésX9iw¡bÂ:8öºím­Í¿"‹0DnʈÄfé@ÿÚŸ¢¡öú'eL0¶¥ˆH¤W’À<|ñƒâŒxz¾¬žßoÃÑ5^´u c™Ô$×dÕçÝRÈj}“¡pWêOÀ Ú+väÖPR†½@³`èäzèFIs’ŒH,èv€ÝiÞyQ®Õ:lÇRsÇ£ ¦ìv¢Hár曌÷EãŸÒ0xî4çÚDïö§(¥,÷ˆ ÁˆZù9ÆRR¼i.cæ²B:²tæ|ÂP[.c>D‘ç}=LxRs¥%*ŒÅÞËÖæ¿à˜Í{ùŒL² Ï=P/ÅÀ:ÿ¹ ŒúnþóÅáa¤à”¼.Áa)¨³œµ° Ž’'®»—˜¬n¬O8rPæ^Þ-ˆD2&¼Æ£­ç¨˜%XuK½•AP#ˆ[Ž| ­[¤…! ÂH¿*‘q‘S× è¹*Ù.i+ß1nÃ0Œ{‡ºNú„ÛaˆŸ¾×VÛt®A©ýˆ ˜„ø(¾«¡RƤGŠÑoÅᆂÕÁ!u ¼dt݈„LTG·%d¦âH‡/ Û4â…h›Ù)OvEº[šy\^"VŒf—$áúa BŸ¶ƒwδµOâ„¿Šæ¡ˆÇõçÿí¿‰¢_£q÷œ #ïj €M…ê ª"ÀáÆ#®‹ZäÎhTƒzƒú좔*©”:r?©, Z=ƒK[QMæ2DÕ¹éR*miÓåÔY¤l-©j-fþ¼}Øêk;kL ëmkÂ:ìÌ%ÒfF§} Ç(»Î¥ú͵oÛ×O¿a,¢yñbˆ÷#/aÔC:¬(ÿ~›·~N­ÖZ¸SÃImžG>_ ÕÆ¢EÞ¨ü dDý$cØjp¢lì¶6wŽææÁð¢îŠâÞO{[úq£Äsò#ðo ªó¶Ö]Ç‚0Šº%¿ 5÷2ÖÜC‰WsY"Î×§l!'ê“Îq按‚ºæGhUβ~d6¡J]]·oÉÓ-wZCI\­”QϺ££®¡LÖidÄMë[QÁŽ­Ù_FžÞŠÔçf:ª£P kàýM÷£ E#)Xío,-'?ú·¤Ë—6ª«Ýß³‰ÉwÎÜx?ÈÀsj;{ôos{WϹ!Ѭ™¹G" 1-ÇD”2¡Á^иâ›o| üÚ;?ùáØíÒÊ(÷C° y/ëß!€É <ÇÍìèw|o–41œÁï9waè·”x *¤`&ˆyÄÄ·zÎþ5”Af?üuļøqcgF6uP ¢=àò9»*) Ð|íA{Aèj¡cž%x¦à~qûÍÓÖÓUEIglÂ;¶þð£›Î÷gW;-õí–êVV£ì8RYμh¨öA˜SËKtE£ œ&š1÷@ºý¼qù@1¸‚ɈÊU›Ù²‡0ª]”^ ƒñ€æ@ûtöfEï}„Þ¨]í[C$ÀµåþÂÛoҊΣ#Çö–ø¥pêÛ¡àïž;”Þžh]·Ñ\»ŠÄ.²¾ôcò„¸*^õáô-A¨É,ߺˆtŸÊð¸ý·]¦¸íÒè^\ÝvOOÛ Œ ðAý3ZÏ÷Ä›]ñM}©*¾­/¡ èð°Aí{Þ{/¼¾÷YGþ—ûŒü/üÍFRÅ5é‰?~2Ñ.Ÿür®÷ö…ãq¿)æ®OhÊ?©;Ûnò¨ûÏà¼}üò¨ ¬zŠÜßÉîú·t÷`œ]¾ùæ­ýà]8i3ÖWήy-ÚU>†`pÑœ{®ñc(<Òtª¥˜¤§ø$M…q;¡ãÏ#3Ü_6àî>2Å#:DKp¥¾Z_þ¤s’Åv7ý+{1Î~gå ÿìz„±¥ù»O’´‘ÓûæP+®¶Z_©k“áqôfX¹ÆçSå1›ÓÝ—ÏÉsÿƒûãBñ„aÎ ÂÕ|dzïoï¹¾>Mê²ÚI.…qÛï|.uˆFH0qÒ#9h _øÌø°³8¥“ÁëMjؾ9=öƒþ1Ÿk¯Þàs}µôi*± ôî– #gºDh»ý»à2ïârû&!zLŠ™‰‰Xõ»š™üehò—¡É_†&mh’ei¢n>äEÈ_–&ÿÅ–&jS“?´ÉÇÿ¨‘Cò~åáÍþÀæ4ÌSÃNÆM þÉ–Ùõ†¢Éо¥Ò=X&º;°•tï ŽI)MVƒ!ÿeÐYeWýßË3s3eDÙë}d€ò]ôX53øObyòûØ<=¨Á‹!*'@dŒ,òãqÇÕ§j±9ôßÁÇJ}¥0‹ÊòtÉ,Å; C&åi‡í®Ÿ³íŽf›¯” ;³¸Ð¼ Ü¡w*1#Ÿ*TŠƒõj‘Bzi«‚ëù¬âg<5ýþ6Bz¤ŒUð§”72W¬7÷ ªe)¶÷7^ˆm˜¡Ûnáò,kNàÕÒ¬jlëvïy0ù´òßrlø¯ß'Y%Ý“ eʪ‘ÄI’¢]#¹UçWò«XsÊÚ^çA$I2ÏIë;ò¨qCôeÈŽ 9Œ¢<]Œ ¯#ïg<"¤Z2ÅdÛ‰Æ:Ÿ4¤eji+ £šYY†y3b·`VÛ©<Ö4oÉmÚ¢<îÛÓ&L\=›wvUg‚Å‚¬ G•éÆ,zòæ²f‘¼ð¡ÛFŸ©#.°#v]W›ç7õeÕŽîå·O>Sýõ!a†&¤ðf-ÌeHs³nýs3Ý‚Ýç6$ºÿPfÎÛîÅЇù9lÄRí¡TU ʼnßGäúÆìùɸ|•^W—_-¿|»¤¾<‘_xd,™-f@¥ Ey6³¾ÇFpÎq *A;ùP—Еyƒ<⹄A€7ÕŸiÝñ-ßCymCZ»Çeð?íbæÓö£¢·]eÅŸ—Ú>Ч¯´Šj ]Ô¢ZËKõåªX^®/§[I}†±ùeÖ±±-£,agšQ”4ˆi&l*®Cªx¾ ~7ÅééríkŒ•|õMýôt©öX™—ñõwÄ„Óáµ^0ÆãþÐkW}ÿW¨‚<(2¶ž§ù°¤Ý‚Þï"7×°•t oê¥íDë+° '¬'¢Ê7Ìái(k·?RÝÕm¾ž¿0ƒIl£ùר†¦véŸ$;«­í½,m©¿ÕvÐäýàsVv£‡³Ç%Å` åØ÷n |:£òGC™pï]æ¿Ba<ñâõ‡1Ü,Ž·—Ó6ˇ8‚ ;† ÁC4ƒ¶|é)4ád(¥<)ãI /÷åsüƯèÛ '“ çV=Ø£=iAjk´{ÛßW+øÉ ™.O°G£ø;ú×ãû/Šßƒ'=ø=Pɺ*=„)‘Y×ÙíôþDƒíjçdZ3×yÊ]§®Â(皌›Z>ÔYy¶Ä ü*…ô<Ê÷úRE_$[d2SÛ”Ê`¼£öûWˆå¸VˆÁ|äGëÈŽ2º Ìuˆh½†:ÿþÏ5‡/æsâŠ^UÎäÝ¡-bMgQ´=%hxAF!Kx^'ÂYªšÎ”x=Wã%´ÛÔ®,æ,µP˜/8û½tc~·=b€@‰ê9_ø„Ëáé±Du¹¹(s¥Ò㦵›ÁG£‚LŸ{Þ™Kyæj˜}nv„³Pѧ-øšoIå¼Tׄqe䉭æ¹K žŠÃ“5^F‘R7:_ºÇ´Í ©|ý§mCe¬iåF‚ц­oº©EÝt£’^"ö³4pM³Ëj@eE„Ãì¥Bð¤/ª›îd& ÷BÆY‡·£Þ@n6ÔiëÍÉKÑØ—šuÃîÎþ™}ª“…«nÊ’“™¢U‡yR(³Lc™Ù»kÄ y4qpL’©cËï'ÄܕƢsè úp–¸¼”yüÁ¬óǮƘwžGâ¨V¬Eæz"Ç-Äê1¨L«ôx¬ÞxÌÜI±vã›ôrocg{ëºúà`7="¿:ÙÙ=ÆP߯vOŽïwrüÞ”¸Ä9ãø&ï*ÓìöhÚË(w7+Ñ0Ä{F5ôÓ˜ºl– pç[í^'T7Ãû{°ü àJ!–݇ùæ{ý6FÃ)¦ÆÈ¡0¥f©.ÖÄâ"~ŃÊn:®IÑ.±¯N»;îx-H dUNKª;¶··0ñóÝ­Öõ´µ}º³yÖª/”Î ©à’¼³œõÆ“&ŒˆbA]ïÔŽ”µT@±Zƒ$P ÜsQ %ÛIuFò-2Ó ½T¿§È¼–1㸔®*¥ŠQÆôý¾S{½àüb4ôÜQ¨¢”yî[ÑC™˜O©¥TдX ¼°ö€Œ¢Âµ‡Ý ÐlS¸¡p^;º®×hC^X`I¼õî€cvPgÃv2uÂ[lí² ªÊÕb2ÑNO'RŽ¢cU Ôª”Ä%4qŒÁó‰\»ï”ÙôãЃÓBÛ‹w÷šS;tˆ¦ÙÛ >\ßZÈØ4ÐîÌÌ$^xLh˜¼VjÏW™ ƽyK+ã=V¢\ÆÐ^+b}]8'NCÊD6ãžÇ¼v*ã |ʱ¹ÎðÕãêrv]DÕ©ã{.ÈÌdÌ4H ’¡#>’ýî#þÏ\¼µqúµb äê¨s }ÐÂ-¼¼Á~“|ÃëxŽá®~N±­‹‹‡Íeâ#ç¢vØ\u¿TÛ~Š?øwÚ,§ŽÁÌd±Xž0N˳Œ“TßM¶q‰oæ˜ÔévéAD#%8¸ic—©!mwÓt ©\¿ÔÚµ»ÛÚÙC{6ØqG;‡'G’õOó{ð­NNÙÅŸ)ªø‹£c M'ÎÎqÿ£o4•MåÅæ2…ˆZ|&ƒÜÁã⦷ŒDôTþŠ2,þ¼Ãt;ϰ¬ ­•4ÃN›§ßOK§­³G©®ñ¢uºÍ{.=¼öÜNëTÇ¥‡'-˜3OZ>1ö³TÝP¦2æ £ÈÊQU¥5÷îèšbÞÙR Ùý¶0ú+í·QØšD:ôÎkÙ¥ú33)çOÏC™™, ªrØâgz‰–ÃE wUuj‘ž&5•­‘j;Áù§Uç&}BS;xF0‘½èo¢N×ñ‡™ýKÔr/ ;ySRC›!Ãän‹'½ì†§‡­Ý)å‡×@TÍkN;îkcF;“ßùѵ†˜>.va=À1p€ qŠâÛ~pÓ·“ö‚θ›=Ãåë)<èvZj-`>˜è7ùKF˜™at=DNº—Þ亹 ®šv"é<›‹G¼W™‰_xfø“¸59º†dÏ6] Ì>LrZ×ÁÇÃQ|ÌRx>‘ˆídÿŽÕ¡˜æ^‰säëXd™¯`ÞyC¾›!ª@‹îDI”KdãTªK$Í#F`ÐP¿+­} Y®ü>Åó†\È%!¶H]À‰‚Œå×à„ðá¢ý¡¾ÐMŸ “°‚W–\YâE»T%rnÈa ÝŒReÑ=ƒŒ%¹:ä{ý°RÃ85Ÿ\ñÎíú:f<‡g©Šœb…[È”}Þ¸)»tÚãÃê¢9D¸t²ô•Ž $Ï=¼$s^ÿ’è!pnae¶ýÅÖ¹„!pÙôø±ì–—Ðî—,8TzAyÃÑ «P©RHáô FléÓ¹·ï½ó†jžrŹQ*ø,Ž|ÃçaÔ9¹¥Û¸ƒ¬þȇû•Ї¡ý#Š ÛéwÅ~0‚Œ±¿ÝÎp¾Å'9ž)"øEðŽŒ”a®]`×&+X/¤ëR¤à´€ûËS·Â6䘠^Ÿn*xùºh¹0 ã‚ÒÙÒp`3\"@œÎÕíñÆ ‡Î Ãq/ êê*Ն̿緇A\Ž O}*ÖHKÚt¢æ¸ÇÚñÒlJ ¼PL¿€ÔQ#׫k“ÕÝM *ŠÊß·ÐÍ2T±)žƒt4ò»a³ÒTµ©(0œŒD§§+¬Sœ˜N;…Ç u²†\F¢L5¥Ã¼ó%nÛS¦OÇŠ¹½s)Ì#vB±»Y¥•Ûh`H(xoH-¤Ækßg‘„ÑÁ˃/2éÝÃ|WN@šY1¯ââ¤Õ¾²ÈÓ†ðs$`Ľä2ÅÒ6¸‘ŽG#¹{’»Zá)M*:Y¢‚-`8ôÑåi÷=ô_…Ú0Ÿ4{»›­£Wûtí?¬NäÉáŠäeߊœ¨”qâÍ8C§©É4%ÕGý¶÷B²o;~ÇôůÕH0­É¡ô°Û´£¸@TpESCÚ쌹ԥeà"Í’R¬BÖA¯¤Ó$ŠŸ {œ&yë½KÝ›´\´2” æ‰ÚG,žah|ÂÅòéÏ•³æ£J3l>‚sfÄPä"%p‡‹…Jv)¸£ulbiYYÃ3sYB¶=X^ªAn“À¬yè?ðírD Õ¿}\_ª¯4Åô: Šã˯ëE½^Y"Ëy©ìÁÎ>Ä«äoê+)ÄTíùJé&hö–«¿"Ô}-)§{æ]Ødù$n°U.6ªÑ.Æ·n @µî$ZGš£|:´}¶(‚8hvàðåïþ¾R(,,,ˆ×¼›®ÅjQ@¬Æ¾ Á_¼‘V±ŽCOžØ‘ ³·1itdjŸ„s¹¿&Øh@í¯Sæä–¸KW1Á(àS#¥ÝúFÌw‘»`LTÔ†Ž ™r‡”p¼“·n 0x–”›)‘Y©¯,áÝÉëtKÖ :r£ïÉKíÏí¢£j͹K öÍÍúGÇGºóSÞˆ”å2j ›ü«1‡BUxõ(à|†eä–Ô–ÈSGvw¤R“ú˜èV¹Å–)äèM÷o´Aɯµ€²–¦›ÐΔrA´MiÀÑž(r SÔX†¹è®ø·RV¨wÜ‘û[q«ñò@8óÒB­¨ÆX{³åßÝy~´qô¯ÖΦXv0¶üŒùÚ::Þ9ØÅžûŸ`x G[?í0‰¡÷ÎG.˜ÊÆ‘€ÿZ‹œz@ùoÅ£}„ À¿•Û1¼Ï2è‰Úã•Jæ€Osj»–l3‰‚¥—¼Óà9ê 3éLÑeÍðÄ–G¼5ØT½îeš3—K‹o*DáHòÏ ô×⹇€É.lÍÿøÏðâñÁ–×wtèaXòi:ªÀa˜N4Z8Óeë$ˆŠH»ÃwžÌëƒlŽ€‚`­‚]åŒÕߘ«=ÐòO²$6´ Þ˜Sc ì4y²‘þLÙ©VÁUMÊUè ÒX¨‡ý$HÇ­hsw7Lqv™yŠßO€‡jײ¯èòM”l“o–âÕÍy×s—]ó×½êç^5C4 $³q+S û°÷­bÄc`!ôMlK÷Ê«¡Ù€Ð`_µdÆ*ãn¦Ÿ2Cš#UJkr9i€´*r»x_sÇö:¬!zLZP톘ߟEÞ{UÔGðêtŽñ3—KÒN'ÛÀÝ]´.l–Oc3å¬ëcà‡ƒøtÊè)¬|äÄj}Tä:PõMÊ:©P,%Êþ._æKÿ7ýÝš ™yßIò©»– ëùÅ¥í©×©[ŽDWÒêû)[Ú4yíž›Vx=ônG|ÍRï¤ÅÛMëd–•¥”.Šï¹ã¾*Ê (~;û;';ûÇ'û-q²u´§~¤œÔQçêo…9I_Y¡ÞtTš¦“&‰gP€Fì½Ú=Ù9ÜÝûûÇ/7޶6sЋzZr¯w‹7³zÆÉ­tÑ!~´Ó÷G'Þ°ç,vr”Œ3øßˆ_Vûw{8¢/ÙksúŸVoX³jÆOJ\*Ìpêük‚ēövéßò:spn8¿E1f•uáœÓ¼Yþ%¾7œ1mZÆ/Ý–;Î3Œ÷š(3–®é€ÀÖ,×É̳Õ\^¼‚~û5añ} f³™û¿h ›&(ÛI{•’AGÅj¤ÐNÅTM5&Œc'à.@ßqìð}ÓÁŽ¡í9JGU™‰ô½gÂöxI¦o:ç¼’·Üs<Ó»™ Dr Î¥ö&de†ÿíR„0ø¿Ý±¢¶×zÀÆJl3±J ÀZªTætÜßȳ‘Ÿáe’xÍWâ†$zi%$Ô8Ù8Xgâ¨æb­¨öþ¥ ¶J3 | Ù8-<åi”@EeΨ²,¡x„‰Ô¦LEÆ?‚5Ý>8Oê ½V‚6˜äçÌP¶Û ½QA5–;žÛe}Û½‰$Jj›~é½ ¯‡°ñ%æUƒ#ÌMŒð¿±óy§H«¸È&.' ¥œöY…3wj¼wž‰|Ý\ûÕèåþؽœ˜Ê/JfeÔ§(礌]¥ª9EÜ,2ËòÈI(ísÉ䤓wÞK×ëµI*%(ë7ë–<]‚³»æ ¿ÈZ“Åæò³Å‰Š¢a®ž»kbá™øøl¶üŸwŒð©ì÷ZØúƒ½Í®\Ò,-^3Äï‘ aš_PjëJÉ{€å@¿¸{Dˆ¿— Un&ܯÚ=”Ú nv ‚0>{šd<9 ÜÏPunêY Ù÷|/£®|ÔÀÇéÜìËsÌϸ6?}u ñI_zyÖÝ-9scN¹ ¼Ï•›Ü®™5õN«µµ»ÝjáÁwþ-QÓÛêÕwmz2&ìsê42œÚoºílèžu»øÀz¦ [Z¾ëé‡-œ¸CRßCIb«#Ƥ“H’1(W¥Çx3\x¾½)Všõo¦ÙmÝǺ}c´iÖJý›ú‚ò%1ìG%óVƳDa‚í1·KÅÆ#›®¸%-ÑÈkMûÚãá•G†²£@ŒWC·C5$2ÊNÖ6þ7Ÿ!ʛ䭳Ñgók –âSj6¡%"‘-‰µòPb[š“,o GDÐë¦Jš²­•6µ ËYèÇÏc¸÷×ÊK]y÷7€Ð`¯é¯&lì5Ý÷Jñçñ|À'OðIå“ú‘a[Þƒ¡ D–ø´þír}©þX9¼²ût£ùãÆÁï¼Þ£ªÿáVý!¥Œp¯¡×ýú»0»Ãª ±ví_]“72ÛÁw(<2Á–LoÛ¬™s²_Šì)=Ëu3œÅ™Èæ úrQãG°,é~É»…š±2eŠüH„x>F`Z* ` Ô-Œ*©®Ñ1RÆýÝømϺÀ®KQ÷¡¸àƒ8£Í}a+§ü¢ûC{þ9§˜çTqV Ä÷ÃZÏ’N1ÚÉp$ã¡Wy·#K^Õv“åVµ XBë´KûTë®\·ö é¿¶ú?üVoûÖ©¸¼̤eëÇb H³ñ£Y­5îíý™ À{‰ž`¸Óã0îyÁ%o¼¥—t@Þ2žØç°2ѳ05ÁÃÛô§[afÏR\ˆ³ØCÙà‹­µÄô;y²¼"j/éïÅÞÚñÑVª+Rj‰‘¹ Âu¬1X„ìi5cdpHâMÉI0X»;Ïißf£—az…½À­ä8 üKŸij»õÙ \ã)ÄÉÐwåµ_Ù³> Æ×–¼ïù$ˆqÍTëP>èÃø¿|‘nœ\ÂQPaâ»] ±b›§§²ñä´J:-Æ!RóF˨ }iàcHäd»£½.M–œ'A£"Äõ¤è:"ó°¸DÃ…®ésP3Â+vi’íµ0 q¶äeÃsž”À«ûAËë†wüÆâ‰Ÿý:÷¸¯sŸú:÷鈯s“à^ç>ëuî“^çîò:7#ÄëÜ_ø®Ù¸¡sJäý ÙõŠì:‡GlþH ?ÄÁ/$ðD:ŒtvN0i<<ÞÛŬ¸¨ÂÑ]W¿®#ë¬] G]›ÞónØ«vâMÚåqýkŽ.+¤‰³É±TH,ƒ®ÛÄz¶SÑn‘/B¿çw]Á®á¼Ž2¶q9NÁsÉý'´:·eœeŸ“•Ê)ÚƒµŸa R™}4€“·p­¶¥bÆ€0GL¤îq«‘t'”¢´wM½IÖÛX†¤:}?o¿ãDšÞñœAîy½ ´*>P¾ÐpŸíâB¹o=+Çe³ù¿)§£òÄœhZ¦×Ýõ°%…¬ì,²à¼xºªä¾Ä«Ç+Š‚ÏR»*)¾a9Ûí÷Sæ²ZU÷ÿ{W,±{Qp(´‹êtC1QøÌ82cj}†U±÷“ÈÅx¬$“÷»ûWfÚVSüúþèû_ ï_ô=ìø§§«OÒaç&ëß´/÷ýÉ?-Ûä(l|;›Ñ½™ç&²¹&3á<36³ŒÎŒúuvïÁÈléWfã/J÷Ðϯnœ›v‹ùC‰mžð@#ü5`;qM<É’vž¥Z¤µÈÈ;“CgQŒk‹˜ãÏ‹5R´Ô0uâÿ‘ÄÜÙå™Å™@ÚJ†:³59†ÛùaBg`kï;! ¦¥”17øŠ^ãIE§v@9:ã"þ¤²o¿&‰êT‡Lÿòò-†cÏžš³@šÎ=tôù¹?R@„*Å7ö£q ñ0ü-g¨£M²È"óQ·OL36jzå5¹Ùööu/èÀIlÖF·“ð©Â\dÄbdéŽä¬Df»îüpðêäðÕÉödµŒé+žì¶ÒRóægÑ5½‘Éc –‰÷a¡¾õf«b‘YÞlFéFÁ6a¤“L¯l1ù,%£U”ŒÌF©3òë4ö6öw¶·Ž¡g¡ •KöP1Êé$q ïœÆl“5•–‰Äk¬)‰?E»ñ°í­¥%'£FïÖ‰e»QèÏ®¤Å8K±°˜óbƒ¥/”Zdðéá^þKÅ Û£4~+ׯÊÝGëUy·µn»¸¨Œüyã„*ÿ6eÿHß;t¦n³oQ·qÓ®TvcJg±;eÈ£ ³ 2™ÆŸÞ³&Ù~`/â§²Îû„kÒù¨ãåYfxí sg“67Ž^ïì·vwöÜ‚ÃâÖÆÉ«£­ã2ŽÓ¹ßÎâŸüBÔ®ã Nyý‘::E§dû¡ç=?ÞD˜Å:Yä)éqÈ¡$ ýèÑp´T”6 #w#V6Ì!ô+”Ä"Ćí1º1E‘9•=Ÿ5¥ùbÎíëÀëºIOß}µ¶ö‰cÇ tŸÆk…+àŠ@ÎeW,dË´ñºÊÅ•Bš3v…O—Ð|8LCëgæÙÎ…ºÄ^TM¼Ï°åö‡õZŸ¯úš:î»#G Ö.°=®ÐÇz)k/¶4ÇÑ–Þl±®þ¼=ý0}3=´Ë=×Ùcš»Wä0DË¡à•†’M_Óƒ¶ÊD®ÖºWˆkwŸX<ÂovÚûÜŸc®^Æ·ß&œvÓÌ“gV¸J–ž…Ó}tAúb%ísÓ?%ÔÆoTyç6=¿#=_à<ŠdïݤrJ³³Mh;®Ç -ý”fškõ34RßGÌf§"Çoú”M·^›a’'µœ’Ù¬¡×¿ ,§¥þ­p¢¸´k†¶ÉF½@ RVê€í÷eq³D1áòRÚ*TîT°«©&/÷B3¡»Ž!…d¯Å™˜]®å"×D$ôe,6.3Œ‰;2¥ËfŸäs³Ìï¹w6éÀÒ _ôû°›ø£‡ùÍVâMÃCQr G­L·”áƒæÅ¶{1ôÛžxîu»P}áávZ ʼn߿ Èmún\ ô9®.&^ÿ~ÑUò¦ŵS~Vµ¤ì³üåHÿ½ÝíOP¥ÿ×>}ï& §¿ã-}þö|i&1By Ñ/ýˆ¨—è #//|`ÍW‰ÃMíR_r£Gñb·SƒIçé\ÚãŒÃël'Q]Å_…sžsŸ§»®õI’XPÔ«IãÆO 6Ÿ³Êêçïíû4.[4ÌG&S NÄðgúÅÞ,¸ë ;»\l–½y¤œ+™Ù~¥Üñ€âG±³¿s²³|²±ßØ'[G{êǤ@tPåß s’¾2=FG¡¦£Ò4‰Ñâl 'bïÕîÉÎáî–Ø?Ø?~¹q´µ™››¿OOîõnaDóSÚ.:ä'°Ó÷G'Þ°ç,vr”Œ+àßhYûw{8¢/÷74˜^o¿7ˆÖWvâÒLÀûMXòÁã-¯3ç†ó[´q)*pÀ?§y³üKüpcîW6-ãš¿/wœgÈÃeÆÒ5pñgâX\l5—¯ ß~ãÈRɸVîÿ¢)lÚ¶n§ÑÄctßKÂ[è:âÎXî,¦°ñ­åòñÌšç)Ø%0Ü(ZûÅÔ‡Í…Ò ‡·tÀ›?³&;ë<6¡/S:òËôâEåôgU¼‹kÏ@ðù„bÖ»!/¸(\…ÛaP¼tªõ€C .ë¿gTðRûþÀ—M4aþ$‹œFãÏ¥]Æ‹5/uÏSäŠs†çp—Âù*_…ÍfßIÞ:Í¢Ï"b££o)!º?3òRF§vMÐIŽ‘4áx:q`’ø}h»š$u’êã+#1T¹EŠ;é¡j[¢pϘèm2FoßÞFF7JŒ—ëTºw3­$µŒì5ô9˜þn¨œâ­ö+šh}ß$†Í‘q”îm½ ÅÑ­+E3Äß÷¶ûºwÈwµ2{ –Œè®rfÅkŸ¼Â¦tÄž½ÄîÝ5±ÉŸ0Öcôˆ¼s Žº»Å“ú’Ã62r´K9TT¤dNg ÷Ñ<çÕþîƒ+ÄĦGÃpnˆ £e¾d-Ä\ ÄOûêoÿã3©ñ3ÏÄ…6Ávê¡/”&Ýn¤¤Ô[Ù~rvFÿö£ú‚áöÎWž'ä[¨ìS‡0ÌÒU^ ]î§C/¢y«4îaS¦P[¢›F¥%àzÆ$/Õ…€ AÛÛÐ6CÔP¦4»5 Õ2ô.Ç]ñMž(LNÆLÇL?ôZá˜(VêOE¹çÞ]`˜ì'õåïSÌHÌ}nFQÉÈ18ú[¶G Q™BšéÉTé7“‹JÅð6n“ÏŠG|ÛòXèb Îçý2Fä2 õéCÜûÎFb±‡ÃRÈ|Uqáµ]lt=D?\¿OƤïjb=‘<¿±Ÿ¼ß÷ ´ëÙÇpâ,ÿ¡ \>O÷j‡ýÍx/ÙáPîë(óÐ(¿››hx¾[MÎãYD²IØ÷+y%6²úDÌ# "'_i—‹hßÿ=Ƕ}¯çõÙ¼~~^@m0m§5NXb8ÜÝØÛÝy.SÀüÏ8ŒÞ¾a¸tÆ J³¹÷kãÐCLéÄŠ0ý‹2 R-å´Æ6KæzœQ€ûþîC×Äüž¬ tv¡×B÷.$%ÆÉ¾#VâcäZwÀ§¼t¾i†¸.ín¶Ž^í^xé!–Aýñï ¼0©šùo¶£@¼) \Ø;LÚPt؆¢ïµg°*ºçl™ÁÜÂic  s:£™"nÌ‘bô•q-Î3¾!ÔAüñä`àõ_íï¼Ñ^õýÛ× ú|M¤@J;=]^:;[`¬¦Û|E‰ÛÁãúÊ;8¿a•Õt¨Ä,5I)UÜžJ³h-ÒæH®9•½”Ö…÷øêgÓ.Ä‹’Ó?$ýÞÕ˜Ñ"÷Åið‹ÏÙÖÔ%òÄœàòû“wO „NŽÿÚýýƒòµš-¼²¸ñDÏ¿ºÆ¸Ü¡á¦•Ü©c6iJ:ž‚1ò Ãz’çrûw ÑšeÅ7dLKt«ˆ4ã‡Ûo_ËXá$0êo?Ðñi©¤(Àá;y´R¡•ºw ‘C™G¨¤![$«Y“ÁCÕÕµ*žœFà_IØF”(jˆŽ[õæ"”ûî®v ½àEU‚ç²oëÅa²¯86ù2¼iÖÀ-Õ{ß¶}j@džf±ù/¾ûßÍÇwÇ#ã¼ÿ_–Ö¶,sFyˆ¢jýGßÏÒ}ĵ†*…>)Þ­ÖW éJîCÜŒKÂC ˜©n4Æðç¬RØh´öŽ_´Ž¶Ž_íž”O‹™iMßáÌtt™×vû-‚ç“v<‹ÞTnEžÇ\oÓ™Snn5vËä9Ïp‰øm ÿtu¼hŽ/1Úo™CÖÃaÜq¨i§ßÑ0Œ9ñç2þ9¶£Á'iÕà šÔ¬)¼XMv匱jN¥º´GºNŠ®GÈL³ãq0>Ž ‡ ]^˜/ Þ*næ}òòVûr’4€ÒÆ÷Žf˜s[̳':8 o?ÜbÔÝîä9$à ÔíðfŸ;¦PÁ†þ0¶ŽjѲë2ׯŒIŒE­˜…Òo%CÔ“è(ÒÁ‰]…ùîxp²'±" Õä0HMcÛÓ¢Š\ÄRM²'X}ÓiUë½ /ZìùPK‡RͰÆRS‚å;òN¸ÖE¨³k—æB›ä,ïc5BÞ:ŠpøÚí=·s'¨' ñU$³L …#¡S4k(S“À0Ù2i–ï­=®±DÁ©Ð9SºežåoLŽ×í ‰¾P˜“HÜ@$Äžò2D ß·ãÅÊP/ºm´v- *~rô¯ÖÖO»ex.sVÄÊw:½7‘bª˜_â#Xñ߸ã¬[bä­[z-÷¡u¾F[/Úà6²ÅM—ÚL¦’çNΩt{›]¯½ãÊE›Ÿ|¤m¨J–mÃz]6(Ùhèlô‹M“›­*f Ö¹ƒ¹ÉèIæHM\´+Íïš_Må^ÒthÂG3r!“©*f$hjÌÃÓ³¼â½Ëf¦Ìë K&³Š“º<ºÉÁkMsêŠåïþþ„obbËæ¬2Ëa¦8KóR¤¹ùÃ#b$ÞÛxˆyFhÍ’nli%È ™7¼×’ÑCu§ØÅ'Gºx4ã;BÛ­ pŸª àúLµV¥N·žRI E“±¾£ˆÒðÃx0áx…YH—Ȥ Áe+à ²‰¤þ¡r‡Þe×»EQ¦ÓEO³0­€Œ«ÀÉôu¸ßXÌAeØdL+V3.ð°Å¬B_§í’mh‡Üq+Ãa™1^|Z™¸Í–lÕ QDÏ…ôµpt×õ´<˜%FM/*S”SÅXƒA¾QRL–«.5·6qFà^ sYÉBi$Yn$…PÖ±rÓ3ÎL6%mî˜RÚ›U<Þ‘/缠ã_^zù†;^-s‡«o}B%òÔ×8 ¤ÎAmG³š€RÆ >µÇR˜¸E~›–êý$. -äÆO['bkcê­á“¿ N?°Kº|xÞ# •{Ãe€'3liÏÅàªU Ì(Ò!©iÜ'&Æ6ê0÷¨»nüO´Üí¨ à”'- ®*xÛn`Òºä ¤n+à ìàN€Ç¢z½ íØÐ±Mõ`tËaõÆþAëèädGF]²^î4Ò7Zi·áok÷ ñã±ñÖb‚Æóã·6ÿ…†L“Ìôrãh³q° DY6•)Tî݃íýÖ1eQMö6[íYééÈ#':ê$%ŽîX!„½T[u4.ÐÞ@ÒÅÎþ  V2”tÊ Ó‡:§¾»Œß:âýY }}·£t©ÄÍËÎ8aºã´”tÁIß}±±ó¦šTДŽ~)*$X‚Z¥€h¢‰–*QÃ9†²"õ+Y`Šà9<Å»Ãõo•é¨e¹aß¼™U§ê¨Ûmk sÈhû ÛÔV­;EóçoMdºIaKt¨s;$†Y‰bQ— †½߯CNOWkßj›EU)„ƒæØ† .:ízÝj© 7$[|[T-âwèr¥V’’¾ÇKKHƒ—è3777o«OÑâ ý|d8>ô)DyÃwÃÕêÂÔ¬JkØózÈŠl"?>>H0N˜’s55²nÓ0Eö]¿¼ãëÆê¶Ü‹&6—Ïø"yÝ2H|’Äqd»Vã·ßñì¤9‹Á"­>a+¨¬†(U½f˜$ú!3ƒÞÐRÍÁaHè‰ISpŠ ’oÞä%ï#LRx¹?²8©ÛŸ&PâŽôêdg÷X Ç,XN<ãïI1b…åt‚ª7+k^M B>¦Y_ezwÝj¼çø öN˜‘ä[©Æ9u>M´R‰ÂWÃ$:<: îhdÐè^ιã«ëõ“7lÓ.&M?zT)ä½ÞÌw=›/ˆzŒ\–¡Y!EP´îÒ¨M6M*äpÉn˜‘6ÝV¬ß³0ÕÙ)£äK3R.-‹Ö¬¥NA¹µ÷7ɪ'ïU’iÒÍKÇ}xû…©QN‹ñÇ…¤g‘qkn<)LrA*O Ó­‰ y=& ÷€˜B™n⑸Cú¡w0È{ìM˜á່ˆ"D±>Ý ´8¢í™8T®²-êx#oØ£+$Üä^¼Ê0r"‹o¼ÚÁ£€æ÷Ì­¦ lðVâˆ;P{<òöÃA èöÐ ºwò¾[¢©ùÐá:¤WE !Ó)áÂ#÷ñ`Ä»˜º> â2w0¿‹ñ&j²¢šttCQ‚xwWޤÇüú¶¶™]ƒ0¹ C‡`©EðÑ[N¶C±pzzv…@µ‚øXâòdsëñº=u¨ÌWÝyŒI/Æ­ÐD‹ C;b@ÊçDIþ0ctþƵ×~‹©œÄΤa‡ {DXÝ;uû©KU¿³.¹WðÊ…‡ìÅ ©#éú¡Ô"³®gxĤ„Ïš_$æÄa 8+¼ú~Ž:ä,1€ßÞ ¥l¦Rœ'P³b%ÉC#œ}ûw©nl÷Äð%iMû¼Yݬ$B[M¦1*4†Þæl@™-ÎW%eu£Qe8ÓP»7ÝÞ€ ¶ƒ‚z&RÚ¶Û§„]¤:W^˜vGíËl ì×¾£< B|qÿf³…›6‚hȈñˆr/zÁЫ‹òÞ^ŠÇ„2(¹ý¶êrátüòH ¦V#¡¼¦tT R€ X×ùñ¢úÛEp_tl"к2¡Y:w;ç@ãÝÓñv 4­esâ05‹xI|'â¡)R#þL<'©¥XÅ-„•’N“¨‚.Ðà°³”®³ØHëz éÃZà¡1Geƒ¯L}ƹ{ç¡{ eŠǬ<Úh刜8¢¡'PjT¼—$HÔ¡ºõ†/gFÌ‘ñ1Ì@h”ACqcÃ.’' {®*k¡*”œÏ À ƒ·]CÂ/DAp„’ªÛyû°{å©w\¶²ÿ¸„æ€,‹ ƒYÈVÜbó´>ÿ,|0 탆íÉêúÄë¥3†y tÀ¸°ëïgxÇjt-ãH$ÈHu[U:e†×¡Aïª;DêšsGWjó¸©ê=éº «ÓRf 1o͆ŒÊöÎðá£-­u•8?7¤´€U5°æè×N³¶ëHŽd¬D¢’ºlä¢1»y^ Ø8Ú3\â1ÔÇ3fÇ ÛC pmïà˜.ýzJ!- öȆF¹m8[Cwûmîðl:ÂÓ£''lÄßÊ”û®I.ŠÊ-8õ˸²œ§`a&Ñ0xCÙåGUI[YÞ‘"B K\ä$.s²ïr¸‚}±³ñtµ*m˨“ȶvM!Móy^Ü)®FòöÔ-jÚ;,@ŸýÊ ÛõÍ݈ªrAd¶P µŠìb“@:¡À ôК•ÛÁ+Â~à°ÙjÝ-óµ^ý§Š,½* c×úAUÄ;#I‡ìõÔÅ þgÒ!€¢ItŒ|#hÐáK6¹…Ù¥_£kn†ª9¼ÖƒJ¼ô‰…Ý»ñT<µ~Jñ³5>³>vé|S«†ðÁJÏÓõqŒ`µ~zºòøììƒñ½¾ð¸èÉEɹL %l%dUÁMõY×dúQ"õ|Ö»"4IŸ8þw èmô1½Œ fúŽ€ÓüM{ÃcïšA¦§_˜‹RßBÊ=ÿVž ׉&r ^ÒÊä˜Æ.æj’Þ³Ñ2væcèÆ“N›<¦}$¶óÖõÙûðÒ'CVig»,*‹aãµ"AzPæq1 ià€wÂRQ·P4ðtUNHÆ¡Z¦ÙÍKÀÊÎÝhn6Ž&abl\$W{'ÿ*™óK­³òI«hüà7/J$Á¼ØW°/lG–:B!ÏL­ ]ŽÄãv™†}(ª ™Nžª=½8¥i.Í›øé,"^´¸`-BÎÓ¬ ÇÛ`„ £yÈÁí¾3_"7ÖoUGdœç ¸;Ø­7Su ÔŸü»’MãÑ£ªøIÆyRBˆ ìÉ.}ÝÙ¨¡â¹7rÅcqäu=—×î<ð³à-Éš¼Å¿¨ÓY£wåA†ë[‹5ÚúÂÏ"¦p£M#“nJ¢‹½µã£­’-g&†,‘29n±ñ²Ö’)VÎv›‚R,LÊ’y‰‚`ã(G’0¦R˜nÇ495ˆ¡wå³e Î]ƒ£Ñ·B§ÜªæHi„G#6tÕnG.{»¡iƒöîF8r.+]kœm‚gEæ•:€û•¬Ý˜M1p9JØüÈù•ü"Ƹ¤;a o™Î•ªE :¶c¶ÅÑ(˜H“dl‰– LC)ž]µ}ÇÁ‘ÜäÔ^8Z5ÇRéLŸðhÏž²°$±¦0èÁÛ’Uä¦2s²|iäþÅfôøâÛ£æ wÚåÜ~ìÊÄ{}ö‰W"ö6_ínñµ5°òiqù¬2E¨›p y!+¹&·±µ/ùØ)¤“ž8K„É›n©hK‰[ŠsË\"Í$UNÑ”ˆgYÉ‘K‰µgÀ+ιæyv­Ô,Jæ¾™µMäÙ f‡ùTPk*ê÷Ú"ÇýÊeêÔ~ dê$se ¥Ó¤‹x£ÙNi¦¡-kpRÚ]|z˜™âÀ8©Ú§¬HE¦µ禯ùϱçf`¹"És«ŠÀ§³Ù¹¼±½x/U¬2ÿDÕ9u¶F0sñ#"{9‘$Ôñô}r·£ü¾Ó´ m¦,îíéuòÊ>!$Í‹­¸ó¼4³Œé E1˜…¦4{ÍzÆ„±Y`Ìòî G{å!Î80žæý­¸÷#BRd§(E“/‘ÜËKê‚\TV­Þ…ŠÈ“]‹i¨ðCóf­G‡LÖæH­K¿ ¯¼Îzé<¾¡Äx—c…ŽúŠ*×l–OO«âì¬Ù¬|ÅÕh6—¿ºrÎKI­5[ DZÄÄ&¼8ó{~×%Yñ:¸¡cƒqöB7Gt• êçKDC­ê|ÄCu,v%vCÕµ”÷týHs8—_pŠ9R9¥ß³“üS÷—hL#´~Y”ŠÊüv+aœºýüVÜ€ ¹qÔb]mFPitÀZJØéd½c+ÍÉóLƒÏÛû8§w?gP„ÙŸøJ=øBƒBÜî[ÏßÊq)qþo >º<1gD¯ÝëaKÊxÙY2¤ÒyñtUI ‰WWJŸ‰´8uñÝ}Ûí÷Sf´Z[÷ÿ{W,uOT.…µNw0ô«ÈìÕ({䳬½ŸD.&d%™¾‹Þ¿BÓ¶Ïl5ˆ¡´—ß/¼Ã´¢>€ÐÓ#kG­|.­‰H—:Âû¸Q¸V_€ñ¹L³yÌ dSÏ‹¡7¸Ͻ6™nûZüã?ËÇ?\ m0‹ï8`ʼnl–P•PÇjF-Èéòê/®ã…Þof)wdz %$!c¤œ,ÑÜÎ…Bò…éž`t/iÙ¤bç)?óë`8«¾@i·[è—Dø¦f†¯Ûg0·šZŸäOrRµï®nü>ÞlÁ‘ëê¿ nº|ÛƒáÂZqÅ_¼yS×~®ÚîbÒ~€_döÙ¼rïø§?Èß~›^óY.¦Á²L±ì_»§ññÖÃy^ÅÅ]T¯+¤’mת…9øg“æÉL"I˹´T5GÂñX ?³)\¶ÑˆiÚî{M'¸›(~Ê?ÚËØ€Éš¢F³FÎ¥"•!ª&lÝŸ|&ü$!ç6½e£[‚ÈFZïÝ$¢ŒOGyH¼h 2],û+//w0ðØŒŠ@þn\BŒ„±@¦©LULkbÄbñl Û :ìö„Vetù›JŒš6F•½¼ùNú£Õƒ 6czGYŽª&V‡ I¡Ý#™()mý¼¬&ò¬” J´[Êù3õuñŒtž¿’§¸"‹®â’Ћ8Å çÅãLäâ¯Î³gbA¿Ä))PŠxFŽàÏ6ߘÊ)e/üتÏå¶øéì!E©Îþ»øFŠÊîž|}În9Òå‘7QDX^Zø@ŸË)˜1&š@ÂÜø“йÙd‰tçÙö`¿Öº Ü…§« Ðû q‡»UŠ`î-£¤Ðµ:Û“IŸTí™Ü™Ó“§àdO’ f¬€VrO/øâæ¦KpsyÄ·I i&ÑîKœYݨ¤ä$›³g˜D’ã,ÃòÜuÊùä¸o) áD.€O¬$> _uF™üÌõ~˜:g­æ¢Ì§Éºs!äÎM“n9J÷‰òìÜòs"ÁÎ¥‰®sŸCfýƒ‹¬Ù*¹ BêÜ rKÖn<—ÜŽ+…¹„ßT ·vy¸ÓøB\ÔæHiÜôþ¦¦œþ»°Údã¾@þ?Ž7/âË‘=½í0›H‘G¨H¼Ê89ø}„ݼ==}¬pÒrH©sùEÓ¹ûIWSo¿óÉósóâ¥Û~»F˜Ü8ñ¸~ËØgnŸʸ¸ž/¼¶‹iµƒ(X!†ÝM‹F7d¯TMCg„<ÜózÁè@ÂpÜ£ý·Ý¡{…‘d°ZŒf‹îpß~‡¶Ij4¬ Œ¡<„Ìì „È;7)·9=„9Cñ}b’Bš<ót.iñ?Ð_ñÆ+™,ŧ2û6x¢÷9btÜç28%Ø^úM6´s|‹{ÀÛ4¨ÁBÂè ]­Bõ þæß"~4÷ˆÇ(î€Ì²†A9tçN¿]å7v*¶ŠÎ“<\pCB䯕R`SjB¸TšÔµƒSG”áߺÇ_Ö^½aŒ¬!W?E_0 ç@Jÿ”ªLåüéñr$ï‚<Ï&ˆ]ãÎÉÊØ0À3pØ A~.W–jßnÔþíÖ~}ÿñì¬YYlâ¿åÅ+LtþŒ9¸¡èá24#›EYb³^_X„žXDÍÀùô=7¾éÂkJ%ÇÅ3¼Ôѿ̅—K\ûß騬¨@Õ˜šÝ¡iÿ´ÚEš`4‹5Dñ¾PÍe`ù±8 üÀtöÐË*=ÃQy/8«¸>â!BZ=¬Ðþœ FS%wØñlÁ}&±ZRž,T£s{ÐÆ]Ý£O½£ö¥×Ì02Z´™WÛ›ø¦Îª÷"xGê¤Ê ¡ˆ*¡‘îD ñP8ÄG§“à H4Î3«8 ~(¾®/c ½ÈÝa×§P)ììÚéðZ•´p!‡^÷^t4Eù'Ûà(dÔ¯ëÎŒ×JZòýÜ±ìææò!~îJÝ'bÝÜœyuGè´ÆŒÂ€.Þ²8Æ£Þ åÃZ\Ÿxƒ0§4îQú’¨ùj¡—°Ì9S³;à–œ¢"ŠøŸ Ä1ó>L>m°¢¾Ëk~üáÞs_ SÏRX ®àŒƒ8$WíÁ agzˆÐgdK= Æ‹ã'ÙTÄ¡jSœž.מ B=BùSƳ4ÚC‘[ô  =¼~"U{¸¹î³f­ð—Fó¿@£9sLd©¿Œ¨Ä†êÆÃF•}ùçúB·ƒ>òͲÀ¯ð§ˆªÿåÅ?–ý团®û›ÐëXªº[‚¦„¹À_.®n»óÛy¾'Þì²Þ¤/U¾ÓbÝûÀ?ûN•Åšé½ ¯‡Ð‘ eI3Pñ¦[nÄU©ÉLÆÊųûð½¸ênwm””gÓ‘ÁÈ+'‚w€Ùúlq"ºE*q®^ìw×ÄÂ3ññÙì4hDð©ìéÇO±B0kCÃ4r.2Ièqeß=ùÅP—ûMшT"óž¶åIýÛ”ÁÎŒ'Qûƒ—”f¾_¤Ç©]F3äü¢Æ¬ÝLÒÆÜÌvµ#›Q}š@—lyw˜."×~5$侬„œl·”B926ê/ôç"»/i(„ ÂUs´x´ÜèÀ¶%þ´ËȈÎM0†½øÂ“‘Çtx‡LéÁê›’QýO½ÓWr·†tŠ]dÙÑ=„%]¦-]îk¿[w8áÊ/ÍáÈ‚NS¶>wýÛ ´Ñ@rÛ¹O¶p é}óÍÛû‘Ë'×,éÝ °åÖ‘ò38 Î}ft›Ä`ö½lY~Å$´Z[»Û­Êš8u¶DMKÙêÕwSöSf!âg>§Oñ­?iû`X@ck»éB‘볂˜MsxŽûÑÎÍâÀK0ùóâu0|ëƒ1FE é­®-ןD•m_cê™Üí^'¢Ä[ÓZi­Ö½j·E­‹ÿÁ·µ5§dNŽ…þ( »£_ú·é05)=&<"ü$ŠÐ…§Ë+ÐAáøª8q¼lN`a0ÙuýÓFbF¯ç¹ßMyjеŸ|-ª»ûWáœg¯ì«¡7PoÎ)°µ_XI›Ã¨-[—–Ó·h°HŒ¦4éú·¤Ó¤Ša|TÉZé–s¿pAxù—|®ÊÏ'™ÝþÁÍn‰cò6¼ý¶¹u¹ŸnV7Ár.22ì¼hUª΂!ÈKpKF–t\¸Gí]©¯Ö—¿Ö…!$OèÕtûª)7›ãn=î#*÷ÇCo.”îa¬•®ÙxàK•Oõ<ùtG²¹ó)±íñf¾”±ûƒ \­‡~’À¹™ÂYã¶è£zà´‚ ˜e|ИcÜO¨•ªxR¿¥ÅÚð/ V™G 9É´“’…×0³ ÈÒäÞVKê„—;ÆÐZÆM’TÎ,s£Œ³ã¤Â-dÏ:Õ}Ž.ûÍ>§ÍnÈz4]ï™y_e90¡!ʵ²R?=]Bw.òQ°Õ*1ìÓ9Žûª÷ÅÎЧÀÂà \ d ;R3Á€D€*@À^ˆ!ôE©ö«0.bKõHʵ¨¢³‡>ÞŠsÅJý©(÷Ü;8 ­ÔŸÔ—¿¯Ø¾Ž“Íq D˜° ÝöȺu7‘M¾¦š ¦eÊÙ+ÕâäÁÀïkmò{£6M¶3±Ã å*ôÅ-ö¯SíE ­ƒ5zØïÁNy¹Îy¿ÏI/”bJÃ~ûµÔR'½_Æ>´®T{Qû'ðE"  £*KM¸]\Ã^}¦µøâ¯Å7}ñ½økµ}þÕöâ3-´Kÿ¾:°£4ýWR蟛AÞ§òs3š·Ë]:C®¶÷q[¾NªgR…wá»Õ…ñÍ åáÇ“ƒ×µ¿óF?xÕ÷o_Ãx-]††žž./áû1¼ºÁW”¸<®¯¼{R_„+«z[X¡6V±a¥Â}¢'ÎÓÅô”,®’%¥™¨üP\ì׆Ö¬cš›N)£€,W*ç9s͵D õO¨ίÜÍU;êi³QØgjxbéú2\æÄ—ߟ¼Cæ9rÚðÖÄk8¦lìãÞŽ|D1èÎ'zþÕõ„ T5bú'Q²²P>7ÔpÎ#›&6ÏΜÁíß)ÜæÜt Š>°u ·{ãÞ…t8Ò÷_ ½ç¹ýPüOîðoäU:F* ¢U¥ Ñ`·{‡Þ„+Ávˆ^t|Ö1G=ÕZ\Ñi~Œ¯®U¡xYŒŽuð•í±];F*Ÿ¯’Cqí¹ïîj×Ðl*dÚ çyØJ¾Pî2 ÅkK™HêI¥ÏÝT´>ýr¦´f'Ÿ€…;›½®\j@}Ë­Üÿì<ôÁEskoNâè-JÙ^KNqI'Q2FIp;9 • §§è¤Ýí™ã´wî>ñ5·^/ÿ=˾y¿²ôGÁ öê >°ñ,ý×ßL½»½ †o¿ìeå—)̘·Ñhí¿hm¿Ú=)Ÿ3©œqåLüüÌ´d Ðvû­‹±OopÚc5 ±Š¾h4¤Å‹7oâ/w7å»ÝMÎ8çÓŸ¶6NÄÖÞáÉÁÑšzÊÖ`~ˆƒÓ‹;Ç] ˆRŒTk_¸ÿ¢ÀÐsÛÃj*qAÛ°Õ_yŠ&…=†ô÷|'ÀÿÑöƇ%ÓCä%4þÒ·k܇£l(xÛn„w뢨¢ÈÑI_ºd¯†^õºnéñ¿Ž[/w67·ö[»;Ï7·ËÐbýºq°w¸³»uÔ:Üi¤¿h´Ò_lÃßÖîAãG›âîÎþðöø%g¿Áªlþkco§!S¥e|¹q´Ù8ØÜÂêâ®KiŒÒ÷·w^È|—>ZßkëůLÞh¬»Àô\à•> 3ºñ~ËÝÍÆ›74ð{”€¼0é¼ B&0­~e<„$ð´ý®EB„¤n=‰§ˆÈ$ ƒ+I¶}{«ÉDOÓR¦×*ê,„£ø­.Ìê‚;jA%[Þp`çÁ‚ÝÝØÑ:<8,œUæypð&â( ü|ûÕ~£u|r´sãºÕjìoËZê?xA[d݈ûA«Ý¿DÊKÿXÍ%~àcHLJG[À¢èppüj¿——õ‹EÕ!Y2Ý–pÌ&º"#=Ü/41ô®<( Ä>ßíBvX•¨nð†ˆïë†×¨=ØF‹ÎпêÃO”Úi÷NSuE×s;x±6+n$ÊðŒ´éÑQ¦‡çèiòUr1Yê\˜çK5ì bxÁÖÁ°Lm·‹*1d ÷÷koŽw*ím÷]µ€¶¥mo Oƒ>…«Ò7Ew¢·*PŽVµ¹Ãwè9ñû¶ÒC!-°ÑÒjËQt ™Q/ôVAÀ†*”OÓGý¬zÚéwqêmýß«£-N¸¹ÕØmomk¿:<:xÑB»èÖó à!»Ç/!UÊ )W ï RœøáøÃ+,G f*–ã.Z¬²¹5&~l˜“~õ3>Yþê«g"ü ]¦ˆZ³øÕWÎ9íZˆü $ãäh ü(Ò¦½^W)ëG-­Î} û¦ƒŽÊZeö‚Û¦Ff\WzgYóÙZ*8qi(¬ÔÁ¢Òt‚¦–¢; ùV2žW§TìÑ{}‰ ¹4¼¶*­yò‘ÜŸ{Én9«N!¼u36§W';»°ãlmo€àq|VI› )3™ÒÍ‹M³{ÐÖ»ë¶4â“D"9úEpßð{‡.@;k×G‘ÃzGO$ Ù9SÞhá:³ÅÑ’[Q¼•B)CÜ•F¤Õ Uû†ß0Â-!Ýâ†Ñ"6‚P•²)ޝÙlÈœƒ¢Jƒ ²‘0·AŸ|ÎHézÖ±3*…šúè¶µ ¯IÿÓõFÂsÛ×”iä^IwÈÛ÷n°’ßÃ?VÃGõƒÓºEê$Oì—X"6%#˜*þ%È¡ËgUqŠÿá½Ìw†æÞm“óå?þݹu°]€v ÷Yâä](ã·ŠxZKÏÄÇ‚J‰ä˜0앹h·».ÈvÛALn0¾èúm”9·SK ýwîÈòJŸ¥½ýõ×¹ŠVö‹ fް¡m*úZÝ`ÈúžúñÊ.¬ W>q×—”ÞÙ‡êts ­VÏX©ûUéE㟹êÄã"x¨pà~$C<àT4K.Ü¡?ª!|ý˜>f/òÕÄm¿Åà‹Ø)¸«à—2–aLA–Q°CõpSØ]—UÚKQÇAÓœùra¡)j—ÝQŸ°Êl޾àºì5xëà)’Þ\ƒá„Äô>J ±Æ"µAw|å÷'dM¤%2|®Ä%~Ÿ-óåÛtüK<¸žý«µõÓÆnFB–R‘†#¤~*`¾|U ¤Ç²Óëj ·ž7Hø-J… 9 wŘCµK”s²šPæÝh¦°dðü¼Eóý[äAÙø€Üÿ¼w.zd\„:ä Xˆ”>èUÄœ|p«íâ%Bíˆþv#´ÕäªïB¹ÇR´OZÔ©½ß­}tä%'p«G$Ž(óàM-Û,9å1sE“*Zlo sW«9öÍ}ê5Q¼g{¨£6.%wÒgUwï|”»p¶Ÿ`ÓMO(éP¸Ý!œWïìü*7f U_×g™>d÷ÂHá¥üeØ`RN±y„5óJŸ¶Í_n™UrÊf!åÎïßçMûQ±0ÖúK³Òý³‰¦Së:<¦|cÙ§«Dê^yBˆŸ (+Ÿ b„6/Hí'ð&°ËìI.v¯9ãdƒ³úÛ:˜ý›yVˆzS÷efZ»ç¬wVOE 2úFË»SD/ÔAˆˆ|1Ÿ=Ã%pÕÇ~{BÉîÉÚ"er•4b¿¤EylÜÃã™ô…ñ]ŽÅX=7¡¢Ü H­mlëN0gÚ9`™ÇM{¬#ce ûÈìœ$s $™Y!å8š=RO+WħC¾Ù›«îiGåiÓxRíSRˆìÙ¬'°=iI£S£P0¶ 7â]ŽÃãÎ-ƒçÖQ'ãÖáˆ\ škÐ\V¼Õ{«k‚²kÈvá\Û“ÙDq™;•¾C·çpF¡ÉPÆijÌÒ‚ý3Ψm:<8:Á› £†CØHdô^L}é°J—í$Ôœ}–¦#oá4ah†g´¡{zú¸ö­4Ÿ’;ž+ן°šçc áðïÁšÅí­#ê]WZò¡,Úxôˆá™"e%ѺFa}Tå…‰?ª¢¡$ @FCüë\=zäà.¶yrt‚‘=‡IC2q"e¦Ð¯ÔQc|Ü™ ›N_…‡0óÉg’u†.dÚ&¨Ré5ˆ7&ù7D-˜æ.I¢O‰Y 1¯Â¿ô7ñ·«’üù³øÛßJç8Õ%AT.—Yƒ“Q|S“åéILçt¬ ·HÛIŽiêNÑDì d;³1´‰hëD"n:ÚYjeìÉʵɬô„÷rŽf&ÈÍD·ë eJC2-Ÿg})÷‚§Qðbƒ UÎR…’hºÒ¢'uÂZ‹NWÛ_­nQ…>E}/·úäÙ¤å uWÂW¾JÕÈ\ÉÛÁ|}ñõ×Qõ¡¦x‘5öQÿ©ÃP²`z <¯‡ã‹Ðûe G}¥¬„Þˆ®; „;w3ôG1eƒ]-HS’ÛG)®5uòi}Í÷êøe9jB¥`mÓ‡0¥M)Ÿéƒ*î+?ÄÆ`$òàv”×Â,—ùš ÍþZ¶UK*¹,S™Bn˰Â4ÀP»ÄÉøŸiÓMä ùMâR“ö@à [»KvÇ£ ‡àri©R¢´Û zAgÜõ2ºU¾œØõé¦{ã>9ô SíÊŠñÇ…¤ùV4ƒŠÆ“Â$˱¢ñ¤0ݳ×"Þšt}Z.é‘néå¯5ÃQ¡çEó¹€J²ñ¶ :Ï€DçõéJYÏ%pZ˜!% ëÖ¯_b¾ãdç“ ¤“B€¥Æuk¤ù™êu+ h´ ½ÒAJÙ³ 6"‡dCgWê: Û {YkÕ“Û&ßdY´ŒBCÁˆ[¤y ­1û™92Ñöx8dÊÇBRY¸ Œ_º]CÑ(Ý´ï^ã^L^Ëè= ‡ã¼(½‘Òåõ40=^Fýš¬¨ûhýÐVƒt ýqƒîç}kÉ÷oŠ÷"ydÝÌ­;Íä­É(ëÄ)L)™ì¡“ÅÚ·mQ™ò¢ 4ÊèŽzh,¡nàBòIÂé7r¯®¼Ž½{‘Ò)ò)Ƥ>Êh#CT×¶GLO1âÆâÄ /ìò=FŸl Ö¸³^z~€‡»'[ËþÈ|AÅlà®$ > üK5™lɈÝ^Á„ëºì3¶:Z/’Áa>´^|a=ŠÝ˰ÙÒ{˜%5–¦óѰ[ÚVIÔT“ÔS¤k¹RõëF£õ|ãx o¸á¬¦R‘¹×éë¯ †.ϲ¥2ÒÒ¯ñr«ñãÎ>ˆRþed'"CÛØ2ˆ¼Ò¨/n7Ý;«ÒËPØù˜>«S>‰'cA‹ghKAà’}±±ó¦š Kü@b¯FÕMyˆc€îȃAÒCV„Ì+0b»ŠÃF½êƒ%/-ýÛdže¦3Ȫ¶Õªšiyi ‡PMÜ'sÃ\wŠæÏßš*ðj“0ƒÍxÂPeyJçœ%£•œ$EBSiÎ]<ú¯Ê£¿jÇpÙÌU mCãÃýd5]z±[.W‹øÆCí™Ê<…ñ,ÐçTáu5ˆ2!GXª]ôU¿¨×ÑŠB•/|7\­.L˦è{^﵇È%$§å÷‰–«I‘ÿ ¢s+§·dj¥p|EY½5ÃrŠÍp¹œæÅžæÅžOY¬ðÂÑj"rë;/¬¦Í`8KØ}ƒ†I ¢Tg•I–½Ä¿þ×,{ÿkMwSlnóZóf¹šâ×ûÖè|S4òkî­<øckS0ζڠ‘Ô42”¿té þÒ|)A;]eP|_.Û­žÞŽj—óªÚ BãFÐøKð—þ`šþ Qs.¿}b«ú¢Šæïpõë+«þ¸ð‰Ú…¿t éþÒ)ü¥SøSêÒ9â_þÃÿ+þßQ ј¨ƒh¤ª ^4þùù,ð=BÜüÓ}çjxT-'Héø¥ˆúCj$´WŸr-EçåòGYŽaaN>QûSGÿ79ÏC)Df8å•è'Êó†£ÒGg2UCZÏ”ÕK–ÿ“v&y¯<ž$³&Ç'”ØËÇâôôì %Ûw¨Æ3ñ±„5y(™>)ÑÏ*ÏgJóY²ü¬’|LŽÏÙÂ=~Áí‹$y˜Ä5çªýåU>x$¸L9~¢œž±cMÞçþSt`Lqòn1 ޲²Ɉ µá-¶•cž rÄ]~¿ž[Ÿ÷ÇPÜ’»÷CíܸkgîØSÎZÖ|ß?hœìÈ}0c#ÏØÆ'oâY[xŽ:¶?£BXñnà`<`&¶åئœ±%[[l´wÄö؃ϿžþàûêÁ´mõ`Ö]šœº§^9wÔ/½Ÿ*¯[ܺ8ôïsèœý0ì¤þÚ7ï±o4pßl_æÎyð¥6Îà¯}ó¯}ó¿oßßí8¾í÷;辇¯´Åü¡÷ϣƔýó¨1ëþyÔHß?‡íœûg‚ÀÞ?K¡K9ö¶@zO;'[{Âù;4zàTÅòÒRU>qkSîwŸ¶¡'Tç¯Ý4ïnÊ[éì¤À¡;°þ¢½tÆ=4s³4oö#;­rm·#hÒF½–Î œ/ÎïÁ ,%¡q²yµ¹µýjßÖJ1\• ¼£Œ<"z!ìŸÐ 3åÙéžÖ~ÀîV@€VRëäà`· /ªâªýŸªº bFàH‹þ^éÁ“¤FWOÖÚ•¨¬¨  {üêùñIY%¨œÁÿNÏ•±Ðs€nð0× ¯Z»;ÇÔêXû,íÁ±¸mŠkQ[®¯Š ƒaétØVß…ßõGwk”ÐêÌY¬‚9Ö@¤ÃdÐfg4°³@h¬V 1ŠGi±'(A¹v$É©ýtÔ0» w‹è%&*›¤qù¶0èDb·†„€. ®‘1ð–×G°s±1È )ÕuÈÛË œYWCo€ûò;×ï—™1 /ý!Å"ÖP¥P ,ßL£ Æ7RÕ&~™uS¯·£×‘U>£ûNü²N•U…±G#HÞ‹°”¨9‘…J,„Ô€8.{hÒå–McË&Ò[G[ r˜H¼+Òº]ÁQul8¶ûA¿ê!òdÍëÀÑUc¡â”£˜3¢æI” ô×&Id–‚^ÅÜP=Ëu<ÿçæ«½žùwÜ{Ày!k™\oòEUY—n7ô*ÆIhÈï몂öÐèR¢‘”w¬l?(0MÔ­*ZìºÊ›»»XÃÙ8‰e-¸j1#¥ dÚdÈpêvQLM附º@~_—©c] K‘]¿¥_4Șr]XíWí?ÞÚŒµ…¼k¯ýVšÁ^Ž»Ý»š‚EÅr˜,¢*O p lchÁEL¸„ÙA¸â%G€Ã¡w Ò;ªÜH|¼„bàt˜Ú—ˆOÊýHœ«uü¢Ž‚Ïu TxÖ奾.þüfqщõQÔkÚh 7„âDà)WµHB$¸†ŸN3^ Úî¥!¬ñîMI`á=ŒÛn¬,¹V/±– :å——+*ü¦ k¸Zßð¥ÖÃÅà}KJ‘ ƒÃôýÿ¡ÝßÁÉÖC¸Ð¹áwWx}ä_=4’’>’4~‹˜™UóÈhTFþ5ú3H…f7ÈXdf’]lð p]M.¡*\1 ¤2seшGâ_¢ýŠçâ™sâ¿ùOë0cÒZAsÖ¶ÅàŪY1a¦!ÛØ€Œ-„·3à¨2É'@dHìÝàÊä¼OÈg¸F°<, \Á—:ÃŒ2F×)Ñ*vO@:¿¬ œm%8ÉÎ6ˆàðç™ o¸@Í7Ž6@f/P+C´˜Æ‘¥· £Ä‚0lÒ9­fþº^— wÐ|8T㥃¦ÇmÑ vTº=Æc„4¥’(ÊGŒpÚÒ‡ïPç㘔nh&èŠ,£b‹ù¸}§ Qó] ¼Ç~ ¦‘+XfTÆÎ¤ú“è2&Óso×—ä÷6°Îü‚³g§#Çápñvpµºxá÷iðC¹àFwı–CÜ­\e\PdÙ$3ÑùTç´ùºF`ŠÆDžýãmNÔAö9 ößÇè&Ža0!ʦjâm’ñœÝd ËCðÏ­}á,-¯<^}òôëo¾åG G|gç7·5µýÙ°´Ïá¤àî’[M«¾Q S ÷£ºX(-é´p¦r‹y="Lo/`ÿ~[óáæšT8ñg 8ŽÌ±¾GMõM«g„¼ƒg±¾jƒtb –“åvîwßÅGUfì—E·¸¸X‚~0•A(%8»ª–A©P“Zdª@ ̬VâyÔ?--‘,A Êï#‚gè!æQá̘ÝÈmyIÔº#=n4ah¦E”Í©tî݆ÂL,‰åó‚4fѪ]E`9Ú|!Z¥f¦èå„@#1Ø T"#“!ÔiüvË”ŽŸ‚Ô`ÊMðSK 9»Rœ0>ÄqW’57, ¿ÜÚÝmmomœ¼‚fLÐSr:ò/†>—hS(x°aå>ÆC8µÀs¼£ëÕ%(ý`Hâ Ecx?Ø A¼ÕœŸ@4O«nî0-Ê¢¼·±³»þté™÷Qoƒ?+dðxë*⻈3 «ÐS“Ò¯Ó_1¦ŸÒ™@A)Eò¦zß—ðO²ñf˜v‡;|Ê.H›·­çÍöÂÆqcg‡Á¯ ê͇t˜(5——–Kçd«¼QA yL(#lL.ÌfŸ/F 4z#ÒÎÊ`m¨ÂWq§¿á=aܾX ¹©Ç‡+û»ë%(³¹´º–WJüfwåøP¾Y~‚/( þWbì.Dx›Wm‰ÕÌ& Ìê™$<„ÊãKü¯d‚E=NDd·ëïtf@Ÿ F³ Yò…“¶T6`WG$¨IÕVEIž¿ÚÙÝÔil¹þ:¸!Õ uÈ|lh­{•j²zÇvöÜ ßìM¼»µÐúØw`¡¶P£f/ˆŠá_Àåiï3ú'´Gcûz°HLÁ5¥Ìu0Ù~й0ÝÍ㕤©?Õ¾»ºñûªF3Ñæ¬ÙÔ©þú:¹*]¿ÄBß¿½0È”Q’6±ç@#‰6}Á^悼£ûp^üBý›Þ‚XSÁã>+l;ˆ'9 ‰ƒ§K¤ë¨UN½V ÷k®ô˜ÈVL'—¥Ò“Yê ÄKfúiÙª‘“ ïâ3p ÚÉïÅ}P}"´ßŸÆ0¡Éæå”†¿(ĉ†óZÃDš)t²FèK°·i™ÀÞÌ9kÌ"›b1½¤ìYd%‹Ï"û¥9‹borÌ¢Œ7ŒlâÿýõïÏÿ¯ë_¸£Q‚AXûºþ´¾¼´Ø[]쎤†¹Þ[ýÔ2ðtþtu?½²d~â×Õ•§+ÿoùñêã§ðåÉÒ“ÿ·´¼º²´òÿÄŸª#¹1KúóOòo^¼ôº74’åQÐæÁ׸ö©úq౑Þ~PpëÃÃ*ù†¢ÞÔ ù*Ã~›j§áоC;šyCßíÂ1Ø\yÕ*Ÿ85Þ)Õ 4”£—  ¥´½d=.‡ ¡­|î3\ݲw88$Þ’,÷‰¾ŒF!úø¸·±ÿbw«ÅÉË{£ƒÿÏÞÿ?´q#ãðë×ø_x~Ùs¹§ØÆ„¤wPzPp®øiÓKrޱðÅØ>¯˜6yÿíÏÌèËJ»Ú]imé9wM¼Òh4ú6šFtZñX}X½d*–’$¦‹iU þE©ì³ù€ñ™r:_^ª7›Kk@ëë·*¿ïTþµZù{ó-ßÔ¨>mœÍdtìóÇb9(8h•°ã$µOÑ(|g[8!ÐÏî˜(;ŽŽ+8—†ôÚüùa‘‘±F©&Ñ„Z˜¾E U£ý6š{'ñÌø0òXïKkoË´ÏKÿ$”Ï”rE{B8 kçîs˯_²À.ðž÷aii­¤»ñqÛš1lÀžV ¡Pü8<:÷nóÏìÑÊÕäèqüX­üüžêåÕ…šPl$ýšXêà?èc]›Â/§§¼À©©?öOÏTºfè½D;¹6-GÍݾZ;-€2á̺;ÈŽÑ[Ã{£§·ÚW âˆj€Ž€Œ`ØëŽ—áSòº¿š¬+ì½˜ì® 1b™\VˆZZmÒÉÍ[Å.tÓ“¹Œ-Šø?Z1¸‚a‡ë0qØ\† -ðJ—#CaVÀ EÁ)Øùìº!† ´²A»‹ €…¶© |»ñ˜Õ˜éWÄZ œªÝ£›ýXžyÓqÞ ‹ÿ°¡³0þP-ðÄMÅÁŸÞ„ GwÏÙIgÑœ/p¦À^[ëÆ\e”î|K‡Ú!3 9g͆ÈF›88¤ÊÛx8±¸¿ðè…N¹ðôâm™ˆé-|uêC«7ÁXEÝ*z _”‘§œÃàà+"b|>âÒGEÏ_tñåQÏÄB¼×Þ`ècK_óx,Åýx[ÎFð±Û´Véôz JL=MØR˜.ýGN9>¾½ó±…®ÌÇýô,èbd¥ hâpÐ}!—‚ø©´t4a~b¢»®é}R>çĽÄVEqp„W@Ðíz»±Ï"Opd%A¢ļ¿¡_‰HäÖîµEÐ(f‡ ê.xì ŽŒ_³ PÊä¤Y }¡×Mb >èx¸óð§Óç;'t6–ÝÅ–ØX ‹¶³³ý]lÃn»BNòýAeâùutúc;­`\áa^$Yjâ[ÎdU Ÿîœ" ôàÀ¦’VwZa\¶à§§|â[ê7†aÑj¤¶ìì¿jž1÷t¦Í”¦°|`"d$ºï”Éz=ttˆ'(Z“ðMóÓãT‹©]åpVøt¹šÉOó«¤jª *TSbD´†ñ`2¥ÙŠÙ$›¼þ·YÊŽîÉÞvÊ!š¨í‰V–(߯ÅQ’®ä§›ÃX§¤±kœ ãÅë Ø9;/xIaÿ'ô¥lî7h¢»N3Ù\÷öwžBÕŒ%é},¼´º¾• ’—±å³šm ¼7ˆLwö ËÍ`R@Ÿ„+±ªJb北ENI)àŽ¼(\\ã `•»‚æ<Ô7tƒ<×—›:Aèä‘„O\ªåaÄhc¼› £l)¨¦™²×â{]LÑÌê9Ê'Õ”Ì>†­‰ßmÿ²Ý¦(]ºïÎ)*ãÒu7šèãLô‡ Ί«ëÎ)ù¯ìœnµ‚ˆcÀÈO\fN­°)^Ÿãv+½€éäàöœŒ#èó»qó sÌy[Ç‹<œUæÕøëþ! =ÐhyÚ›²fÙuËVÖvç+Wé2Í)Gn–_CÁ—Ù9dÓ-:¼àFM«Tز䲓Çî3“ψ H= Ä:Œ«÷M\Ú‹îÌÈJI¨8ñ€e%Xð%4Ø•úƒSƒÌaymg\ì£ Ÿ@cÚ¬.Ñi›Q<¿)úDšØ–ê+ Œ±ÿ0 tØ9yÆË.¿2$¿vÚ|Þ88±ï„ó"ݵýÃÆöÖñÏÏN·7~ÜFÑèµ9&¢‡€¼}[oI}MhÊ¢òáÖÒÇ;»?ï+­xï"à.ï¨púæO…b›¤› ¼éÓ“üï0éCíe.ðw±D¨Kö€=¥µ¥œÏ¬è/Gà.;|ôGxCoŠ<¦7Eè…‚ñ©‹nûŠhéC®X܈ôØÓ>t;þ[Ž ålø²r^,«DfŽû'ì‹OØtéÿ:™€åÖû–Wd\,K¢Cºðz>=S“g†‡d™j(̰~EB‰E£³¬o¥RáÛ899: ½ü¤È4Æ:àm¹`¾:Áî/D^rÙŠ>í¢ÆG“wR^ˆkFÖEŒÈ1æz”)&/q˜`„´ƒ¾ ôœDH½þ y¼ Óâ€ißà,½†‘yNn,ÄgØ…^š:ú›3‰|¥Œ¢8uÇ»ñ]Î\ñÆ£V§Ë¢ôônðXeT0e~6Ÿ¬Ã׊x¸õ¾§à÷ Æô„Š·{ð2§ðÜÙ¿&Æ÷´Ûó«Oãì*´µ`H…ð¶îe/èýôÏÆîYóÅÑ^þ1]úôJ•kè¢'Àÿˆ©rL¢gÂ[+øFŸÇü°5t蛵,­•«Úý'ë,žR¢òhí³~U?…5±Þ`ó™]ÑÎ.Þá§¿`9вŠÎ¹]°“Ǽú¡hr BúdÑ…L3„æ½–Ä„P šRü–t"?bÜFQ#«(C<Õ¹¡ædòà±ÅÅj2ÊtÁÆ<Œ°Qf9*Q`èà×8wåˆ$Éa˜l†¾[L((1®s¿‰h¦çÓþI\0KÇû"$b¸ó Ó Æ¢Iq[ñxDo0¢úIþh€º†¯'c¤:Ð× Çˆ”éÊ7pá ý;²—A?|Bíhj^S`YÝÐ$GzoTjl3ת9í:5+ÄÕjüP4kÙÒ9¨Ó›>ØqBWãŸl±èÌK”’Q*~¥(B7C ±+¦ƒ°ýÎq¦¡W,ž¨Ç£¥ækv—4)¸f/€&~®ÒI*ïÂ$ä'wì>"û‚©b&gIîDyp¶wÀxÛw’Np®ô j‚eAI¥ÓèrÜl|û#¿=­íƒÏ¼I_'bÓ`ËÙ¸­;a &ç õãÊÈB«@ 7vðì·cËn¦)P¸’jÈTP‹æÐ]ä~]ɳ0« ˆyqg÷ÖïÿÂÞÁbªÔæv5öûï'Üÿe×eåýßzýÿVácuýÿ¼Ç‹û¿_züüê°]íöóßÿ~²ž8þë«ßËñ__]ƒñ²^_Üÿ¾“?Ã0ÝéÖ6ûw»@Q'E¢ò±]€™‚!7·Ù¿ÛŠíÚñ)-ü½](¢X„œ¼pö}²°çíQ—v÷ o‡òQ-€~0v(ÀéБœPbá_…îD…_˜RºámsU@\eÞ.tσ ¯r°ô£ó³Wé…dvQÙB€ý¥?B¢?ÿïn*Öë¿2éó=Þï8ò‚Ìõÿ$²þ×V¿__]¬ÿûµþǃ!{@V|ëCâ„),?µµ\öÁ¼eej•8D6'XúC¥òs (ªis¾Úki\!.SYc(­ðç^ÿ»ôx×Áàr~K#yý?yòxíqdÿT___¬ÿ»øSØÚò^³a‹aYþ^Y}TY­{[[…ÂC¯ñPú¸æJ×7ÍöÕ¤ÿ¾9*;GÍn¿;î¶zÍ+¿5¤8«¼â<éw‚’×ÛC™+ÓÓîÔ+A±‡Í³Ó晈 Ê#a”ÂçºÄÃK>å^ù[YíL0h$RÂo(yþh4à·…ñi¨k`ƒv ØÖ‹§¡Ï `;:õ^!²_£÷ü¡¹’z\%Âßàµy ’…Wí{[7W·'(d¿ýºío•úZ¥nè¶v+£¹&è^ö1^öÀ;§Xþ –%uûã’·{º#-;ËÔjHYG6ò;³(>ïµè½Á>2Tléh\ó1à- tÃû=Àõ´ÕFÑQØmõ)"«´Gïîœ6ñùv\„-Çó‚±ßÆh·%îɺ{¹ßkbTZh´ m²5ºn~xR½‚ŒSnÄn!–'ë•noøh†³LF«—¿×üɺ·üâÔûRúK@Ù—<Ø‚3eçäEóùÎ/æCo8ê~À`qn¼ÖŘ…´íbhÞÖ¥%ߣ¨¶¥Ü×K`¯_NZ£Ž×ºláNƒèŸÑ›V''ûú«¥3±È9ˆ•yêP¦]ÈS¦}ãK]<S&Ê>QVáÿßó‰²{tüÛþá³ ˜Ôý6›µOOŸ–ïrØ«¬UW«ãéX ›DÑQná£Ý¯Éù7¾çÓ0òk0éšõ'b‰,_¶Û•ïkÓ'ëñq£ç[>ø£]ÿ£øl À$:iìì½hpp´jãcdÐÁ7ì-qÕ¯¶Ú4¨/Zï}Ý–‘ º}ZŽ™9vväa€‡à»‘Né±uÑc*k¢Ç0€ýÉþénåqZ‚ÝÈ#Û…;gÕ¶|é `‘ zÝŽ·ûÝwìñ6mqI€¼ÉÿÀÂ>w⋟YåññÌsãO4¡·uLŠ}r´n]ìAø…±Îîïø†Ek¤TA¦pËḉ«Ù“c/Æ´{¡ÅÀeO õYÃåÝþ³_ÅXó7ÞYÊ‹£Áµ×îuid•.áÆf˜45ZìÕ+Sk™ëK”sé÷ýQ· y ±XÎØ-’;&ðbÿøìx¢ ë ë÷È1×ÖŰқx0B­®m~_{±óªyxöçË©ª³6ÊðU =¹}HL˜6]™ôü©GŒX5â Bç³ Øª,ÑïfcÆÏãX.|Œy80œ;ôvËu7èAwc8ˆcãð}QT°P½ò„B ˆö$„íãñ@Ãê°3Œ&>ÁGhyYê ©‰'ÝÝ€f-b`^[t:Ι>=Ђ4ÛjÿwÒïxb  h™½•Ñowic€]·½²[ æùôèd·Á84l TŽà½GÕ¿}ç-ï0ö_VŠEb8ªÎ`‚Î<¸š<¶jp³A/3ÞºÀ„F Ÿž2Ó!9>›Ú4«Ùî"á,íI8pM ¾æU*Âí €€ |*‹›(x†£Agl¸ ;Xõü÷µ08-0Z5ed/¯ }ÜÉairYH††aC‚ï]Œ=yàbúµð/Ä̶åZmÁšƒå2òpe•hà(X=övN¡ÂËÞà¼Õ«œO.`G©àFp¤ïa4´ÐÙlîœ÷ˆ±`ý¾GÈ) ×Ðh±ð…Úñ‡ ’pÏñÕ–„«cY¡KŠwç-ÜÖ.¡ûüspùkÐ!¯%ï©ó½ ‰_¯®×¦{RwFî~$–"ôg3h!—Åå•-ÙË»»¼x¸Òé-(‚k¡³ùùËß›§ûÿû o#¬í÷.ÄØ‹8­n_ WDV1A·9uF‹R¬sEYœŠ@ÖñIã)>úrÿàlÿ°¹svôb÷”ú ÅÁ÷s(Ìò yØxuÖ<>;{7€í÷ñR>²M8Äô'䂳…ˆvÉú“$&û¢5ÂÍH{ £,ÊÁ§§7Zí¶Ï^ñâ+š&Zø.XwŒ|ö–[©Ë{G‡gÍ—§æ‹;Çeâà Âg²3â½ð®¯[C˜ØÈáúòa( UÈüŒ^ºD›¨0ÎÅ{¸p” £ptšâ´^(ˆ¹ßЇ¥F !æ0`á1¤‘Xsœ1ÓÉ·ùer”êÒþLkä z…6JІq㕾é^”µ|Š;I•ãV 3ö†eâc ù‘H½‚…Ïè1P#ò.c£Â%¸ ÕìP=ºâPVn’‘º· UÒ»6ý¸øÄacHµ$Q|l †Ò³2¹9¢Vp]aË*D]vônÃUkT ®`Q×`¸äx–ch"€8³ èxñ×Í'ëo9Špç.…[7£µÎáûÀ u:B jRÿ“‘±¡\dg®¦+j Eˆ+µ0 Q°1_¸.³`²ìÕ @ø‹è*¹(鑌wúÛá.U¿sÒhîî5OÝ9nö%*:µ Ì™4Œ2/ 3ZÇË|VþÔ‚4¹;=ƒÖVžM©×ð÷1ì7»Ç/Ò>uÎŒà€—5}8ˆÂUNåç&¶9ÖN¶Ñ7ϧg¬…3èô—_vˆô!™ÂØöűìâ³Öµg‡/ñ¥ÆIãÿ¶zÎUK¬š±D»×“kÁ^cò=ÜÓ3m°Ýò8 ¬shÚEäØÐ@‚¢Óàb·Ãò늉µEÉeV„Ð(¥ Û?=òvÿ¾>{(F€=× )✠¨‚ö€ù“É×XÛ ‡œãH¡ÌÞ1YõT¡­­÷‘¬3kýs¶êö5‹ÊlŒ£ãM„ãÝÜr)ß² ÿѨ9ð>€Ü(‘Éf &Bv¢¡"ÚÁ$»b4k@Î5®(—oFX!/5ò±÷IÃàKÈí£¹°Á–ÿWLrÔÁn¼EiTZ!o÷ ±sÂÅÅÝz=¶8¥þ¶¯Ù,y½5þ hF„a‘V1KÁ±Ò‘ᮣî`d˜ÂMHr.ämoçäå½ ÷ž„GˆpóZŽ‚Bõ–9ÅÍùÑwRø¤hž·F£.­èÙ&4·zÍ 2Æ»†oœ°¶k¿Vެ½ÕU`F£ÕŒ9Émæ›a÷üº]£ë7C¢i¯]V6CËÃM™k¶Ëò ïGÒçhCc¬°Ððß Â•A@&ä'ëE¸?ú@;Jørìabßv¤üv"9/nGݱ/ô$¶ÇA“Ï»—Õƒý³3ØãÔÝ>,¶«äó¹¤%(´LÙ³V×Mlu1–•)Ø<Ù‹¿(çÝiX’Où“.Ì8*8Må2™÷0×0È€“pôZSæãßbŽ›@É5ûÃë\Ÿ{ìo­o–¡CjZÿ‘…0äÂ2ø±Ûï >¢)‹j6Çe9ûh)(øi0ü£2 ƒ("‰õ‡W”áñC[»=«‘¨¡ß£Chntƒò n žüü/oû.5¥•OSÒßSs—§êºÃ=’›.Hdîa@·ßHñ²=ø G»xS'F&&t‰™´p܆¸|Z¥ Zd"`F:îPÂz(â±°¤r’ƒ…ô51s¤¥HÁ"9åO(H³l»7@« (á‘vþáé~‰BáGoø4:1YIœå Fû)îã’C#{èè¤Ñ_ðçÝäK³óÖáLˆ X:Æ£i\h*¢§^QüiõÚ¿Øn¡XAUåœ ¡xbIX÷¡ 43”4kí²W"ÙjZîøx#ª¬ êG¤À’ؼ¬œÑoÖ3W•„F!Œ}®ªÉUêKß"yE6P‰œ³‹’Ô×B,á¯+F=ØyvÚÎ{²CQ€×póÈ)£Šà¤r]’'0h Š…ïü´ÏtÚî0 ØJJÇÄü¾ƒ!xõõU!—ºýÓ;°žùÒâ:ß5½®-]ª×^èà`˜õéîB&üÍ5”hiªXº Sçp«*EξC±k- MŸÍ¬ÀZÚ{A¿Ã“Ý MØqbÂÌÚ•A–a¢ÌÜ$¤g‡j’£ 2T¤ó[%0¨>g &&k8ÃÍaèõ@!@@býnTŒZcâzE~÷¸:Õo12®Â…u/ ͸b¹ .0d'tÒyÔ¶ð:p¸Ëwñ2°âaÛA+Â0p¿!;-½¾ã™yõ(¾Ù¨8`Yâ=Ï vÀŒ“©E6ˆÖ:›‰¦‚åòw?—ñå>±RT‰GsíZFQ:ôÇF&ƒžy§/š¯ž¬7w~ÙÙ?À;Ĭº} &0¥]ŽTÜñ¹EŠf7–C[ÀÙÑÞGILÃ$'áOAK¯Â;™ùªL`·1mÖ¬Ó/»h3¾4ÌÛKüe¢ò:ÎÛUU  EÝ[[EM ÅV¿{3lž=_‘Úükdx5<Ø @äðyôŠ` m¸Y?`އqZ/ ´2á÷Èô•ºê§˜/}ì4ö¶«râ¨èn$pi'm5n‡ ͺt*–…Œ­Ú iÆ¡H(Äpœ%æ9‚ªÔ%âØ'ô!sEà'‚‘ã?éÎÇKªzî£ÊyËà"zœˆ´Êñ&)=¨ÜA2_¢ØdªŸ âÌn…Ý'¬ÓÞ27-~xò]Y-Œ¶½@¸ê¥ñvêÁlK¦Eyú¶Ø_öOÏh·ä[.½ Ëѹ^Oø[âêjuylPÆâSB¸T’ÕGT¯X€”Þ–w¶åÚï̓©&ëJ³@D’÷Ž&=y^«ÎÎêØÇ7ÇÈYê˜Ff«àšha Æ%æÈÄö&ÞÜW¨+²Þ\=Ó1$œ¦Ã±Ö‘r‘Îà!gEXüéй=k/Ú÷/Ù3Ú|["í Û-—§zè+,²zÃO#å$˜ ‚*ä&¸OðHø±ruA¾ßšæ"áÖ¨‹Ñ1g¹´å6ÍËÿw2à¾8~ûj ä+Màe-øçºr[q階IJÌ=Už _Ít÷øeøÊÄéicM3^þÄ‚ ZÑR™SêÞÁÁþO§Òâ…j(j- Ûôa€úF¢tÁj“>Ûìø/„ÈDЖ:Ûç@ÚEò½ãZ#ò¦"*óÝ‚­¼91vómD›tO±Õ^µŠeÅCš ò4ú£÷(ÁsIC;>Œˆ3í©® LÚ¢³Ÿqš€±iÅK v…gë'í­AsÜìHgwaA9 Ô£&±ú(Œéȯ§öpµUíß•Ãry!…Ρš§G/Ov§róúä&¿‹Ð|ýÙ89íŠO[Í#•­W±I6~±GV¯ðdi¤­|²JÖÄ~&f‚}! Ù†U¿Õ§f(% W¨[Ù'3ãG%KŽ —OLJ¾`žè¨@¥˜Ç™Ù@p8Í>¡:^JGRa½V 5TOÖÉÄ·u&xª…%a5ޝ®}4d±"P,ÂØy´Â[£ë•ðXTo…J¯¶©‡Nýz§ø-·vè, š!5¯¡¼FÈOy•˜fÜ"–ZŸ´å0þÖ¯´‡Cîó,ÇÜæxùøÖƒz?.È,äÐEº-/qæ˜T¿U\4œÔÊGÎs #sŸm]acPºVE'Ô ¤ot;*öbßêc©ÕÆÈ¥rQ4Ê«ªÞÒÓˆ¼\ð,!}W"š´‹6äg’tOÐÊÇ%t¨ o>° ƒ¦cRd>.^q–×ä'e “Näÿà±coÅ‘Cß‘äóøeÖ˜¿C‰v†ˆm O_R05õAÐü7¸óˆuL8ôò+jŽÚЬóQ€c2~k,Íø€ÏÕýÀص‹‹œNú»»5¶¡‡ãk@*xƒXú›£!ó3ç=ÊœÊchÂU„ÍýžÈÁÞIãÕ^íô ÿÑŠ)Õ" hƒExÖºÆCï8!UÔØìau•:×ç%ÕÔG|Â{]îDÓm Ï0IøV¢Â5Ú?¤ç z¾;¸a(â¤ø£‘R÷¢˜ªØê~ ûûߨö6›pQfÜ tD~¥Ü«°-W.r\;ÊI žX1ñ*fí‡{ïýò‡F¼ÚŨOdÀ‘<ªBî*ëyÁº‰-ͨ‹ ¢a–㸱[iGÁ/}²W‹MRçÍ?}<¦çn ®&àåJ¡Ç#3±¡ B/QKj¼¯¢xTƒ„`@Y×Q•”Ža`%µkŽDxy³†d;å·ÑÀ(FNöY·"ɉ03Çh¢ }õXD‚ÃêV*™¶vR••IvìP£`… ÿ# †ˆFÒQ€'1úq+ó! ¹"ïìAû%4¸ÐéF"u]¼ ª™0ш8ö©<Üð^»$º«ÓŒönŠ„]‰ï9±-GnjL.ÏK†õ‹à33 +Dé†Py•Ë—l㇥çs¹”ŒÅ‘£KqÊ)œŠyù¾p‘/Öp]#±‰ûq¡B¿€¨²£˜“W©Ý.áñåù9×’Õ˜›õS·H`L`èÂ#p‰º¤Î9å4“¾C—hµO€á´.üÐk+ÑÅ7)Òä.ÕÔ\ß&x¦^eCáÑăG“~ùD¯ç÷°Cå²8ñ‰½¨¶OÔàÐyŒŸØíhïè%F±gq÷É£ê„GBêòÛS'þn-Å"}m*ùLåæþ£4‘}?PpÑEì§û¯^û,¿¦„FùÈ=¦:Þ  ;%{Ю0Õ‚ÉyߎAu›»néÚ“ÒMòLŸÁ,s-öݲ¼RqÁ=ùo2S™ä¯—¤/%’ð’]-õXÜi8Ndê³âI&v³Š£Ô$?ÜG¤¨ ö‹ˆ·DôºU³In:âxXUÿ/ÄÚf×!vN…7¬b&QÎÿ˜Ûàzõ‘Tm™™€ß÷Å“ý]Sl¨aŸÄ&üØÁÄ#²5±ƒ”5ò©+‡¥Jý¤Ý“›4ÆäÑÏ®± ;Ü'Iž|²Y§*±$˜YQÛÍqÞ^ð›«;/Ïžœ®„ÇN*Üsøi·CBMÕjµù\\­@>ír}Š ãw ¡3^æç…2ÈÅ”cUíg¢"¦Ë*§ˆá)uOý&Çá^ã§—Ïp¶”¤W< Jt¢ÎnIŸf1Ú^ÐT0˜ÊZÀ~•Ô+ ­á¸O•fPÄN=“ÑÓ?r܃½„n­q‹PÒîÊ'–%1\ºyP»³´É|J•_É(ºhJ=•=ÅîÙ’)HQÐ…C´¶Ù²(&,ênÔ µ \èãNÜY”ÕÁÏoÙ²Aßy_¾¶ “O¿€ÈO“‹YijDYaãe©.ë¶3-ûÕËê h Á„B\„´N°”˜Œey™–D¿ëÖÐ(ä*⌳ í@…uyœ»LÁg„eôÄo.û|œŒå_&BDíZèá+Ü Ã;3r(ÎúÓŸ¶ý!3ÐEU1z™Þ$íáù0w®¤åÛðøÆ;lüz*yKdÓVLLv¼\6žöKWY¶«¸œÖoÁÉÓÍ}ÕÚ;uíJqÛT½Jmèƒ~I¹Z½ šm¿ž2>W¢Ñ(±5ÒG}ŒVÙ²V²<—àSÀ6‚0"F_ÌPyÜ9Á·AÎÇʬ¯þ¿—û',LˆÊ„¤£V8tþûb番±-tû“iízô*ÜU¦ÜPÃøH†£Mîìàããˆ,Û"4‹þ&]ÝWƒCpÙG¬†v‹„hŒÃÀŒqšó³‹©î"²>glüGQ/b.@<Þ¿±J‹C%®ù G­ËëV‚?¾!´{EþÂYz©ø=Rf)èûí^«{íB†ãïÖë5Ø”ëëòª1}]RšL‰ü^ÙèØÜav:à\] Ïàñ—Ð=鵬p½º¦è~a%Ü^“­×ÀE ^PDõ×ü7hÕhî•Фթ<„-€ß;ãEV®D²g/æïÙ”Ò— ߢz‹Ûe óêÕúzµ^^‘ýÊû³º^Wn+¬ùŠSÓªB&§¦ „²Ð]✠º˜&·Ùá-Íд„_4wŸî?ã§®ú16÷£½¯[Ýß+õpé3KMÐóý!¬þ^‹9©&=¼(*Îyœ›ÐªHÈÒ¬Ù˜õ³mT`PfîÜf±,/ž <:$IœLØ£ê#~Å ù }ô;¹ÜøÊCçnëVMed¤È°¿2®wM¡†`ÒuÙKj|‰ß]äm±H7ä—Ì*ªõz‘!V?É×l9Žîz8m_]ÖŸœ‹ § ìþ+j—VŠœàXÖp<"› eø ò]°ÀCþclÄV‘l¾z£8§c`»£2F¡„.1ד@§Ÿ©F† l(J\—T¾ÐEÓ '³‘³(.F}X£^äýÀ½,°&ý. B°IhËTœ2é»ùq$\Ó”0uÜ1^ÞH£¤)¶4éd¢ÌÅ÷Öèb@9#ƒ®Œ7Ôp¹1³ŽåÝ(ÌÂ#ÁµÕ¤Z8¢©v«jˆ+šuzE³œŠ-š#“ÞÐÔ k_bÕúC7NЭð~‰'ïå•:“ëë›RX•Ù€}æ¸ñ ŒQÂŽÙ¹ÂËD9a~ ·€Ž0ý­²úwýR—Íúà벂{K=aqTÚõzym*胆„Þ1oƒˆvõZÐW ³y†íK°ŒEXPí´Æ¨ë´í‹øì¡°ËFXz ˜ ìí?}Š×û|0ˆ‘»ù¹?þèûá%T6äc˜¼£x¿Kãºjĺ¤¢ü–r®!£ÁZC¥(CT¹†ÝšZÁþ˕OÖkÊN%ÃŒM|žIÖ^d'W?RØÛ…aGTv&X¤”뤃4Ãud™Æ‹ÊèÌb-®ÿ–x€ì8€¯¯¬E8}|Å…µ»‚“ð‚˜mü”SܯŠË‘™g¶ “¼8#VvjaZFÞ†;J|%—4'fœP\T[méÃq MÂIásÅ÷øš|wø*ê]làò=•KªQ3Äek%pFêY!qÔÆªäÁ´}q&@ÜjÅS‚#¡ÅOÞ'£5s†öˆLÈE §cÍsÐ* §{ ~Õv@rk œóh~„<åÕîógT~ÅHôÅDWÞVÿކAMÁ–óAŒÿJlfh73£!‘Ìsަð1lJ›“¡K†‘S.ÄÕDm†]¬ëñê”#«ok$ß²$$¤0Cý<ì>S.‰Š´×½ì‚¨ò¢Åø+¡cZ¼ö«Æ…¦qîàËäW©¢:}Îù‹H {,Å=Ddwèw„Ÿd¸Èå×lÚšT‹(EDÑcùë¼üðØ–¹EÒZ‹dÒŸN¤“ÔA‹… üS0…ÑûÐ…¬A²OùâἸ•·~·á¯ÞóR“þ˜ùðCtµ!‰[”sCBsP Ù¡²ÙG’ÅŽ9l¯DÆ„mu½¿ëŽ$ »³Y0e=™Ö&ãN‹]ý»p;Ú¯,‘lµjåç'?{RaF[FgX€ÃÓ}° ZìÀÙBå'GA(¡… ØÀ{A•Â&ž…üJÇ÷M9Eë49AZÓµu3S}[c|O—“؉t_yì»ÕÉ4—ˆÍ1wA€Š°ùSÕH ®Zñ)ÚÔ`ÈW‡W¯_Y_FÂic ŒÑô è-,Dµá΃²zg>&å’Σ½¡ºŸ<ùŽÓPÓG×*â]¸ýŽð&œßiðt;ÜÇ—ñDÖ 1!è¶çê÷(«­©a7øŠ~Ì’ÔcÞ2ˆÜ“vËû©5Bãx9.ÓبØ(¸OìØ“k/¾ÈnU• (- ÓÅ"äî&aL9'ƒ†…;Šó„»]P`gf÷/.K³Nª3ÝzúI[5 OtYSD•6K4¢7˜»/¿É¤ìØeÜvÙÄÃǪ‘‘„›ÿr·Åø¡ôèõ²ÜÝ $îæ®âbv•—óÉ <£3­¸õߢp)3è²|± $d†Z—·aäH#uç7x¥’´&Œxy4ù+1–B¹ ýoOaJÃàøëôþß÷õúzøþßãÕïéýçGß/Þÿ»‹?ßxÊ`{¡WLxyŒÛôc¶Å(~ˆÕÂ7Þ¶´NV8œŒ· ¸+_ýZÞ-{õ¿ÿ}½‚.ÞSdl§ƒ‹ñG´.<Å¥Kgå£*–>–ÇoÞ‚2"çƒ4@R@¸VÀ¼”0Â^›Bp“à;úò‰lH„—£Ö5æ†õtDÈÄ+ LNûQíÀ^ÎéFp$ƒýºöüèå(Ÿ¿y¿îœœìžý¶"b~Q´¤1kÛ˜U¯õqS80$ÁR:®ÂËs7´…7NvŸÆŸööÏ~ÃF?Ý?;lœžzON¼(ûêÙþî˃ïøåÉñÑi·qè_ìüÜ€aþåxçì¹·åm‹^[×M<ļìOš4g¶¼?¼7"- m°ò»WZZÆÒ_åeŸ`<×j“>üž,ÒEšÏNÏ"E0lJ þ l¹ä}û­š¹ûòdoÿ$pôM]ü÷35[×M(èZ{¼É·”l÷KK0aœçU>ãØ3´ž÷²·¹)¿–YX‹bòð Ÿn‡˜¢Ä#þ¹K§ª§¥$O‚¡øß®mª8ü)LÊ:§ÏZmöëª`ù­þ€}­¾OÔR̵­¥%ìtrèßþ´™e­Ïã”âÊ0ð•øÕž|øæÍë7Þ›o¡Ã6œ[oÞ¨ŠTõŽ‹—þ¼é—¼¢‚\ïÎOt¼Ô––Îüï5þåá_Pe­vY|'2ì*6Y Ö÷Ýa³‹5ì4àÃ&:ºô /½eFôb¾õ. ¤AjQ%¤^}¸´T«AÍTì3¯ôèðqiIo.¨91Íq@¾ ¦ì °KX D¨E%¡ÛÇEñyS^‹­‡Ÿ*•‡å°„Úñ•‡ûåh«Kû°öÂÚ€¥øÇCcíQæ(í‘ íQm/ÓKEÛ3¡í©h+¯;½ë·åd$¯ÿy–˜ΪÄXZÒ–7Ð#Ö*"òÎAƒ~oÀ× ýⳂ—bs"ätÑ Æ†Üò–µj¶ú›|'±¬r9DòÞ÷‡—ÔÓcxÞ[྿DMö(¿´Ì—kâÍïm„Q†8PøWÀ°Ÿñ||ö\áŸ*ÜîÀîn„[°Pÿø×és±ë|Wý¼´ŒÍÓl¥;gG'å"®³v§ÀÝ9šÁUsoçl‡+ÒÊ^¥íU®½'ëë*äñÉѳ“`êt÷dÿøÌÄÏ„3$Bˆ$$¢\ ßQº·‹y\~iÊÔ&ªTåÂáÑÉ‹ƒ&/  …㓆þ ;µ–À˼<Œ–Ф`9=‰\¿›¸¸z>ÎËmJØ.\^«&ã÷vO+%¥l‚ ñjag÷àh¨y±Ní _u/×ZmT{Õëu]þÙ¼^oÒ=Ç(øõz»´B XGâÙc~# ¹Áä²5J.ÌM» …ÿŸp&6"PÙ\•rºlŒ¡‘eHf^³/a|öÇýÆáî~ã´Ì껯\ØÛ‡Û=zñâèð‰ºÕ«J T1dqºÊœ,”™›A›æf+*‡E”z‡á~¾˜ŽæŠÃæÓýƒÆ)ÐÄWñvÍ$_íVûJ8.W{ƒKdaw¡E¨?ÐKòÄÂõ{¾¨ 1A|‘u ºÃ±˜04i©ýèÈ1_ `bé×UÓܰñ¦¬ˆs˜Ž“$t¹°ó¢ùKóXü‡æqsÓ¶Yâw,“?«­ Æ2¥Nk•ð?k*Hà+R¦âõ`Ö´Í$cÏCÌ$ÜzKÛ› VÎênÌ­q¤fHˆgÇë… ª6ü¤ Dh¯-6éÃÏ“¨§û¿4šg;'Ïg8†0•‘ßžÀêE»½þ¦|Ó³Tèy¦$Âð¶Ç ª)I]åëj|­"ÅCN½8ŸÜ5@ž¬aSàqk3ÀGêS DªÉÃÎ…~ c)Ñ^ àZS2ôz4äP&Ò‡ru„iŒ¶ú(h4y.kÊÌ—ÇÀ{pg{zœå$”¸úŸúƒO‡GüiF)Xص¬ö‘W©ˆk‘ÞµŽÿ¡ÖG;âÚߪºUÁÌíP®àw ÃÒ4%ñä¼ÙêüÏ1&C€c¼•$ЭwlµHV,ô†Rð© ÿ»,½ÛÔ± d-† 99´éB"]†jȧƒV\ûôIQ„¨€«*$UËÄd¶ ¼X3ÃZÁøÐŸþ]}Ø¡‚¿^·¦Pf}•yP=†MtiWV]Q{ý¶úèóæá§·µ7ðçÛôL 5GJ‡L­ÂEKÊTØ#›$F‡-€®‰õŒŠ™B¡>oHy3»NO«—ÚÍÆÄ‹Ôì}Ú,–¼šW}ø¦VûK€?à¿h3+o–1µ\{ýïÚ[ÐVÞÔWJìñ¿þ\öJ?5ží‚ZH÷z^«Å·@w±è}–iKKk˜¦|‘=/ÕÅDè^xËß}×瀢Õʘ–C¥ýæªÅ×V”›ž(î­nêõ-Ÿ9S.¼"ˆó«ËÞÞy‚a…4~¾õ>—hPÔ!YZZúËáfú_AíM¿æÁ¬Q ” HÕIvÔ$RšhPåËáP«üNZ?BcħO@™1³¡TQÚµ ñ”8‰›²ŸßS—AA²‚ld úW.pÙU®b¹¨Ù…¸¼Ö)«UQQDÚ >«‹— K°÷§ghznÀ¥–*%Ê+HåHã("öˆ[~Êr\• 7e&…[3ˆõnèæ«º%ëßH;†:£pøJ†KöG•HµW~5ù9<ŸUKË1)¡ËÐ(Ùˆ•î^Çq—Qè1I¬T ~#$v«ì¡m—þFу½”‰MÆÙˆÿÒ_<££ŽÀÝ™Úì¥ßaó—*ã!Mq¸T„?3“<ñë`ÿô¸\øÆ;Áƒ½ …ý(XWD\­ÙQÐ?G^¶—w épmãx"ÊÖ´r<{¶ÜÇXSmEZîå­ü êyûXT\Ä ÅÃþ`üP5ÚóµùßI÷â†cPÓÄ‘¼°<—nå7úÌw,¸Ò*r%`~ T]@1þ„ Qä–¿ê’Ï0âܪK – ìtÆ£° ì?ÖyìQˆ€‡ýïć–ÒÉ=n†×¬ð€ùܧ›ÂØq,€u*¾Ò!ÞÄ“ãk:«9—oa´®ñœCJ¹â¾öîãÀ­x‘‚¿žÁ:“¹UPŸFg v¶a«Ä&ªš6yÌg ÚzGw"Û ÜY¯$¾×-r»2—( ÿÈ|Ì>¥4CÂ6Ë·OF„>øåw…--ÏG²°Ë¿ÚìëD³~Ò²áÁËŸ€‡±õÇ3•"SI&±+¢½[¨zÖå8,v#ÅJ(†ÝRsÝôrœ¤˜ <9—b{påõÆÈ14`à÷¨ „ ]ÑÏŧʯP¨¦ßô² Óï ‚ý nf+W––Å1NªÂðßeÎ{ÑI@É×NžpË”ðEýÜ©Û×s½ sôà ؼÊÚêªGzèr׃Ž7ùî£÷Çg¯´Y’Û#ß G:*‘M».»Oü8Vî4s7p¢RÆhꊵN0y5Ytz“}À¬ guëÝðc‡Ÿ´ÚF¸ƒ•¿Y&DÁªC0à Š`jWÔÌ^‹g‚T)±ÄPœOưöPH›àãU—Æ£9&UÔ‹Ê2gtJ„²Yä]Ñq:ÉP˜ãý„ª>ê&0„ŠQÿ­i$¬ÆIÀ&ßÕXþš&6±îO/Î;)lƒvü%;B'c-³'LÍ\£vŠ6Çkh®¡œz5r9èÏš¡K V:HtMM!M€„àá/œ YóB¥2<ë€õà[¢mŒ{ã­;¢N5¾RÉ©zù{áÙ¿ö›Ã_ ³R9¤¬L(q‘¨tù{wH,L²išH»{ñš*g0À^p·—€”‚Œ¨$&-JMÿßoªµOhÁÇàuåÚ'TR.GÀz*ðøm´YÀ_KK¥‚tméå&`´’ñŸÛ ‹BwP þÀïжÖ8ùéè½ (;žЬ(–{yv„6Lúæ¿Yª´©n‡_,nE:óMÁ~ýy»°»‹?wwñ×Î)û½sʾöÇ/Žö"‘²¦ßaiþR{FÆÛ_)Y|l(~'$á¿øuŒ–)úÆ_rppvtDcÃBÚéo/^ží³DþR_¾8þiÿÙÏíBc÷ùQ“ú‹ýâ)‡2EÀœÉ”3HyvÒ öÐø~Õ€vRýÚ.<O„ød_áÏ6ÿ)ÓÄùضúæ†gbÛ‘¤Fžˆmë) Ä|›piÛ…ƒ=Ì<ØÃ_rÈøOHÛÿéè§²4ö“ÒDûcÃbÚñK8>‚¯Ã&ƒ‡áëLÅybiê·Ó&|ŸìœüÖn8†äí‹ýCj<ýÀïŸ(|±$öS÷Ÿ6§qú´Èÿ&lóŸÛ…CêªÃø«±·ƾð×vèÄ9…Iü'¥ñYÁ~AЍíˆÕBÿDú@)0Ðü~g0 sØ7Ï´È 0¶ùO–6 ÆJ:ÿ„¼9ö R>tE ýÚ. VÕäavñ°/üd‡üáá>ù˦‡_<‡7\ü橃x ÃF+Ÿ7¾îqâøÏí‚æP²~a Q,™~n+n,Y|m¤ÃÉ6ûE)¡‹Évø9x/ª”<£µ<‘°]À±Xû)ïáŸæ’ØÏí¦5JKØ. ;<ƒý‚98b\Ì®! ”%4 œA8Õ1×™éIm ž’Üh¤©òK¸‚¨. Ü9DÎ õ[æòY~ÉœZh–g“–°]ÜL™ÞÑ4Š·Aç:ÿSy_hn°°¾xðáž±óBH(•}ïz½ ZÖ5Ç'™QÐèɮŸžõJØnâ¡Í½£ÝÓæÙÉËÆ¶fÑ7v†–!ÝÕ8ÝæZœ Ðý®6¤#yáÁöFÁhzÛà’ü×8i¢4ÏèKðfñŒ>+€žÌ¢>;²û7`<à§É%c¡;o}À=ø &W$ºQªÒ)N¦ã(ˆ ÆÔ¨ÏæÉCÅÇäá<Ô@Âaàí\Z&‘©ìUu\a¿'Aˆ.Œ¡”]'ÉdgFã-m ·(ÈN¯[7ç~9¤`NÁìÀ¾Ú‘‰ž] äè³—§ºŽ~M¸nÙ9S!uÊb5®ÊÔÅ€D– šC[þ¨«\Z i9ü)82ViB¶QH`·éÚ³=(;yñs<¤Ô“]î–¹QxPaçÓ«½A¡`Ì]xUH ¼&þ]Íaq,"€©p¤wßÎp7ÛˆXÓYZÖg1Mœ‚éÀx-EÄÃsòOŸØ©-På²K‘…–Üž8Þ_ZæÊz· ØÙ{©¸)ø­„3ŸÑCÝ|KÀÌûÀä¢Bèô£¹¡ ¬³Åå:[¡SN­(ä$Ù°²R|Ç‘gtÒW£LNØá7å΂Ù~ÍÁYú5dt†¹PzÏ,á¦Ï .B¯3m^¨Ó@º9Ï6ˆ6vNjtB'¬ˆƒ’êbE$wG[ÆÙ ÏFN+e9ûåªÓ?ê‘>ÿ#Ðz»u—y. sæbˆÓñ§]Ic±0z)iyè's}äž(·±Lô^Ê^,âb({_r0º)a|‘sñÙ¥˜P>wP"E\ óf0M¢WG¾Á[€æò‚ž0x1§„÷fJÒ÷…ݲ_“Ë+vSUŠÇHÄ€?‹@® <~5weX¤¯Ç†zßÇ0@€U Сd¹^¦™MhDDXh”O–Jº¬¼B8¢©€ÿ,ÃÄm_±‹°ä¯BHeexëõÜãêâeV\?Ø/a”7‘¦µ²7€Â£ÝÀ_aoµ ®ŽtG€µ—]åmω£3Rµà?UÆù‰ì%ïQ.-ÉÛMe•!4àÞ*Q±Ÿk ü¬T`¼¤¤2“Î`Ü |¿Ï¯>`d§Ùm>SƒZ¨×jlª’‚S\Ú.J'”iB¹˜¨'b‰©¾, ¢* Œ€ˆfJõ¢Á²{6È )N#qa_V¤B‚Ï(Ö<ÃÓïIß‘½C7Üx"“¨yGE%•ÖµÀö|°€”xY‘ñ9ALeú)È÷/šòî(¨x¹Ú‡l&²L6àº:­´X4‹ÚÜhNªRk¨acR}J¡úb¡°¿·áœ¯„>“ä¼sûú}¸ãÅþ´…9iÐ%jÃÓýî è/Å ¤m¯@ýR‘‘d!Sj>z:¯`WÁ€sÚÈ;«"ìö)þöJ7rhqù0‚DLtÐr¦[ÕÈ’O*¨®åØÚÙôÒW‹qTy366µ‰z ๫}úZt°C×v‘¼åô&,-a'״‘e §jæzo]—Ïpò±QkîœÀÐ--=ó§hj”"Õq(l ÷ \Z’aKKßx•K²e©¼BNþC,U\Gz‚BbØw¬ß%N2#þf!Kv m¶´"÷‚ Ì‘§3 Çåe3ŠÊÀíª'ÆC06ž]?ÔÆë »†ÆK.RxF >j"ÔÌÈ bÄfc¢È¿Äþñ*]È~¦Pd³¾X`>œÜ—³Ê^êz ÖT ¥«&PàAç^忼µ”6Wý„ú5D"›Qà œinÐHR?6<µ€r¡¬þÜ0Þ3+(|ÒæGº{®/‹5BÌxýæMí-JÿØ`?Ë^À|­BXE¢ <Èš°“ˆÐ„f,ºÙjU7""Èû??AÄV¯P±Fa}Þ?Æ­\êà(F#Z³r‰ÃnISÏ{vÂþ9ýíüM~´†#ŽB<ÿÙí«_Ãú¥T mpG[æs/ÖxÔAôÉg4j© í:_§RnS1&2q( Õ *² Ë7™LõŽÜÙæ(—¦xÊ­Øe¶Íq1dÐFoúØés‹)"8z ê³¼S§F[d>xàñ‹E5¼¾ÕÙ>…µ+µÐ£V-„Ñä*“w¦…vPX¡qE±ù!æŒèCn»¨Jã…œŠåBq½†ªjZY!ÃÃòçÍçùEUÿV÷NÊøf—nQ^¯ îÜ-ë‰ùxóñ}œ¢—÷›MY·lœÞ<å~u™¸€íF×c¥wtâÚCèçáIB0¿h¥Kõ·Ü6I—7 ŠbiåÂHâXÍ0¡¸V›Âœû®¼ÎSÆVT} E‘ß”¢·@`U!uóbpdÈÉçY@nrk’MìðF@YæôýbW”Ì':«"åþEÙ¶¥L¼q O{,tk Z}Ñ‹äÉô7oŠÑ*ñO|ÜÚ DŠÃÓóû—ã«&Hªé šô» /Þ ÆåtÞÜ2 àe6RMl/lÆÆ‰ Sµ<¥‘ñúÊÉsT[–Å8ÃLwc@y‹ë7ß?~LäÅXØÊåà»gd^…/ë¿Ä¬¯¯{öhb]c„­ïF¥#ÜÓ®VI…L¡}8 †…õÃ]9¡#:¢Õ÷lz`ú»Sݯþ…ÕaûÙ¯JÅÿìM7µ~jS=þK!€EEùuçäpÿðÙ†WhÙešÐoÝ@ã¹¢Çn§Sˆ¥K,—1³[Çúâj§‚ ï0= Fÿ¤«.3+’·Ç76ÁT¾¬^£*{ ·JÛ¥ôùÉ?S oj~ꃤl‰Ç;cvÈæ±À¥Â[ˆ¢»ÒÝiÃÇÂnv9ia Tßç!Ã&99è«wQÁ€‡-zæè»§£VŸŽŸPÁÎÜäzÖõ\;òª¸z&r¶,œÆ¦@§¿ª¦Üg¦E´¹)ñ9Ž#˜ =IQ/€^SYÙ`¼ð4­ð¿DÙI_e Q®€¯§åe<4;Ó²ä¸4¤E_´JŒû<·ôÊGmõ„·ˆÕTf‚QäyfYˆ§ÔðF¶šŠ†À­+ÔR£x…ðÆEôOÉï|èfÂsÉ„âtÙÂÙ!•þÙ ‰_`÷p}êz)Y‘¶¼Òº~ù#*›lØ grÝ Þ{«ßºÎ×¢ªš¥´{…lé…õω#ÒÁ9±D$˜Ô±…âPŠõé3‹i ¨%7¥Vø9œàFH«YEÝ8­„7œÃ D”8³ O´í©ǃíeaÊ–²š”Ñýê&&‰ƒDÈ{O³V…»?3WuÍÆë.³\—#¦ëúýÔªµ­Ú%ýÒßSbËKKÃÿ1-G‹Ý<+@.¡‘½8J““£“ §nÈÓh@N8KÛü¡ç>;/)“HÆÎÃ?ðT[ÂçÈMäµ[}|³ª}Åìã—ê¡waXÒä[øŸ¼ Þ÷ÞAŸÿ×[åíWnqÂØ@Ï¿ïaKŒEoS]«šƒ£ô=‹Y¹UÃÖ2›ãV¼-£Ø¨˜±W¯'+¼€,×6é,úÚÚ×Ì-A~IZ¸KhbõâNš¼g" }ÞèYPœ_Jï´ëËÎbyâÜœOêw¬U¦Ðæ¡J)X–Ll’þ{|ðd‘ÁK«]…Ó»“…ÁÄ“Yôl]x·FÂcXnxà ™"¹Ú*1×6t¿x¯Uÿ}åQõÉ£2^èzvøÒ£ÃÇ1{ÙÛŸÒa(ö¡¼†·ÅŽÄ]*P½ƒ›`ì_{ô°¢·ŒòßéMð‹R¾c=.“pw޶}¿ƒq•«‡GWŒk£ð‹?_Õû¯<"ð<ŸFýþñã„÷_ëOÖbï¿®}¿þdñþë¼ÿú¯vÞíׂ+Xð¿ŽZá?"õN¼¸xì~f‡ñ z´™³{%ôg”ª…BІÍD¼XµµãW©¯VêëÕz}ÓûÆ{y¶k|öïVÃ"YøÎiŸ=W~í×þ÷ØþÝnß\ö'Aèý€ O°FžjG¾ö¬x–Þ}½aÎì…jtûø„6‹7OüóÝFíyÇ“óì^ݶßGF 5cJpEŽè òbí¦çwÉ#„w·¶‚¯±.W*Gü Ï2¾Ç7^Ç!¨¹©ó{mV¾&›ú–,¨ÏxMÖô–¬çútÍʧt&Y#¼À RE/`mþ Æ/ÊzïªõlÚ~—Ø?Ä“«‚^ZLR}ê—êÅBd¢²&6@Ì3Š8ÀÓ¶–øôÄc=',¸ÉZYà#Œtû#¼²üò*û?¡Mƒˆ5ºÇ[†\do@ÏïÐ'Œ+ú,T¨Ÿ±&C&õõ zqÞj(ÆVæ /[ý½þÁo"c[‚¿à–6Kü3qñF´É[Z)?µšÊ âé†%þ|²]Fèj&`©vz= Ö¥öª Ÿ,fßDh´Ï£· ÊÂÑîÊBŽu¸àX*Ó²¬@›k ³Ôh_ÔÛM„™Á XêtÜR¨lÚÔùÈX"­ÑeµŠRøNç?“`¬¼ÃŽ…€YØr”™#Jó¹ƒRR0¹F+B»5¤H1 Þ Ì}œN4ö[‘ ϧNÍ5ÂoõÞ„„­‚x—Bcu≕1›Pzo ƒ¾ði Q¬$ÐCÿUÛ û<`õÕeÀÏ¥5Oðó‡ÕpЇÕ׃£·¯Ïzûú?ÿ|[–7ø¢|d­¨l˜² .•§Îòd&FXlÇ÷ {´~6ZæÈʾ*ûe­©†j<¹ç©í+õÈ:FÎó£˜þ¨SÙÿ쌮g Pr1Ñ *â¶&< YJy¤ª÷ÙÉA21’¯î€Wwð9ÃIÝv™ÕD넽Â+òíñÝÖÉ•†”ÏŽ|¡{;pX)ĦWJT+Þ îµèAù%(‰þl¼º$ÊòY’¼-!‚b׿ŒˆÐW¬˜Þ?)ˆ•®b Ôz¿ïû‡UX¤¸êvwéŸötÊ>_½b‹±½ûö»ïÌS¯ßÊÙ0iÂf†8døé_˜ô/Æè§ù÷ÑOÿ¤çÿ‘L!‰ ãÜO$Ħ["‚ߟ„ÜG4¶ªŒ‚.Ç(CE÷ê4H!²Ð¡Q£f„Çî6Ħ cö¼R©\PÚ–V7¼ÃØiðš.¥¥U¯RýcX xl2ºf·9Š^©TÿªB(V® ÷¡üCVS¾~xÓ8zZx‰šÚ†dû¯Y%oñ×dÞzâ׺ãm¡Ó`vB.¥ð=ÀØdãê Ä4IĺB›¨ˆ›(èS1 °Na3í¦÷€r‡ €ꉯ†åO‡~ï' ûdg ðr¡Ï&Ó"[@éš ŠêûÖ%7?à ‚º÷R`Æ:nU`»â†PÞ¡E ßÇ+‹9Çß,q‡4 žŠŸ¡àW Øýr¸–þQGëÖ>ZlZˆZÒÌŽE3``µ½®½yó–~¶{U˜›J}2ôQù…æ/ýAáÙú¥14w<õQ"âUК* Hu)´Ù?!±¼’&­pYEJ*Úr ë(¬ÌITùÆ;x}ýáìKÌ.DÂŽ>ú]žÿ¦”àZl„XP\ì`­_Z3©±*7(òˆ"pH­öäTÀWñ®Œ°<ˆ±7^<,PÎâÜøËa!)5Ým õÍ0­­„— y–Œ„Ø%n¢õ>¶ðZ3”ö±Ù0‘òÓ»ýƒ÷è9Ež¬„ß±?êÃÂp}$š`š‘Ñ ¨£»ih» <ÐT+¹FŠ>r½f”·Öz|Q²%²y_ÇèùÂÌI(J07ØÂµyÆp48‘ý†?àS„¡¼¯ª,¿= úÂ!²¥ÁÇísžÒƒV`c¿Zh³ $¡´Õp ,'Ý,úôiÓƒ¯×­Êï;•½Ý ïÚ›j{©V =Í]„’w¹ð£VTacàðhÈ,áêߨVÞ–ÿO «’e¬fKì¸fX›Ã(°Ý „­=ÀÃ}0 ÂS¦+l3„ÄàªÒ¥Ø±-võd Ÿÿý€îË­N§r…&¯ÒÇQwìW°jJ€}cܽöQ͸âySøU¡~Ã+ê‡|Eˆ‰_õ×›Ê_W×®ñ¯Nþz¤Ÿ¿Ã\à—g»‘\¿ß¡Ë2thˆy HXøÜñù?Ù÷ŽÎÿ?z´;ÿR_œÿßùùÿ.hZ(Ì(ZMË»ð?zCØ8ûã.l<7Ÿt¸)ž7ùúø7Óìÿ¬Å¸lZ¼ÕÐàöh@– æþ J-7lDëÌ):¬ïÜ3D¼ѽ¤/Pßü>ÆÚ¯†æ‡Ua r0^/úS«ý¾‚Â*ê°B]éi}t,À®Z{È^„½¤ª™ìdWŸ*ì?Ÿþ걿‡ªÁäMzôõÑñÙþÑáÛjµª™±^¾hžaj¡€òtɘWZá†òqÀ1Åý¡Õùó•…ãg“—¡×ÁÀàYɹ…Ä®Sd0À¦A…G´‚ jÇ tyK}ØkÝ0¼”Œö/™…V€ßh`†/‘ Ì•°TÇü®”±÷°vþ †sƒ~]ù-ö÷+<9¹ÐbUPþ¼!žwÓj·ùILϟʺáolËÚu &ë/œÜ`rqѲ—i°Â?¢ o‹Å²a1&ð­à4 ü·DÀBé²Dªh÷²?‰×h> ³ª–ÐÛ§èDs>¹äŽ7i9£1:¦ýçÓ_#öwÀÿ銟ÂxìÊD“@·ÜyËÈ …{P9±nÕȸˆ'ý÷ýÁG¼Ã^Ö˜bΖ«H¾"jeƽPÓ¼ìânÇY®‰kÿú#:V”=mÁ4ÑMø"M” F˜9i3çèa>@4^⊨XÒ}dù*m!½`À>¡•¸-|$ÞŒ+ Æzò±E†I:é-3›pIö~ ³ ßÐ[~gI [úÜl…›åû½×ë¾'7¨9Ä´Ç*CD$¡$QxÐ kû8½‡&‡FÂpm fć3onz¢O˜Ôê=yä]û-Ø´Ä„€yr^]dlBÓ×Ê{W(•öÁoHL¡ý‰ü6ØDl[«ßî"mí’tŸù÷­‰ßEd›åu·ß½ž\‡ò“Ü®øÀ,“K¿Ú÷ǵ0‰¦–£¸„$ò ò½X.£ Ÿ€ˆ›óßO‚• j`ƒ3|­—·:¹ü#)Pfl5?,EÉ®‰º~Ô!÷ÇdØ '‡ÀÎä$º;±N} ‡³ÅùˆUµˆêÇLÈëõZ H  Ìà¶mõ“ب>…ÛW¾Î¤MЩ3±Dͦ7gê?û^n`È´›\V‘.)‡d9ïþîË~`ÇhB„ «§/ÀðÕ^‚“†Öº´P3Á¬öoÜ›k5XðJ‚þM_h¨ö Ún|á•þ¼.]¤!¡XnÛ/.íEË­bI&T[í RÐ"¾8{Ä…F¬(×Z¼%rññ±{¨OE“¢":’@ßRv Hz0ê{z…+úØ$QÙW`”C”=¥øg:/¡ 𱍮°ûtB—ôîN§Ž‘a ùI^ê”§†g$¶ŠÇlþžãƒW½^Ÿ…8F…N›àXÚ”C4IK0€e^4Tã p&£GO}‰:B®'^ÃS”Œ¹Hõî$yÿá'ösviË+UoØÁ[µo8h>[äf.‰ æüéÖœ™H­E÷ ØÙ~Âý}ò{Îä?m\t êZ;ýVïæwÁ¤¦q$J»Ð r“.^×kß`À5²+‰Šxçvˆ^ûnãòœ“e?4¢!btxû„^9ÃÐŒ¡KÜ9>ºZÑTHaJÅs숴‡1.à‡Ð[×r±Èœ´z¦.¡5jê”3 ¯7[÷ǘˆîï(±Ãɨ;˜²sÈnÂ+' ãÜçgý؀Ǩƒ ;¬m¡|y#Þÿ[ÞÙµâí½\ñöOö_•éFsà¡}óF4QGm¯¸Rk!¿Tl9ºð>Æð„ùÄ€1«L„û±k*èç7Ñ “ /‚&Í]wˆKž4vö^4ļéFšÌ”°±g·äQDW]Ⱦ@J-ê„ă.Å}Á€v¬w ¶(O&¡“¦ VãÐ÷ßãµbœ¦Ø«<´ž‡XqptL4FÔ-lJ W&i¥ª„r¥Ê½ÕLYQñð½\M†x®•tÖ¡þA赕%„—i5 3‡z/(rÀ]„“B{0ÂÕ§Z¼eá"Àw)Ð"ùY §½ð ùh‘¸‚ê³–Ë6Cn!èLH¨jÖåjA*†òlùƒz¶¼82þß=ÿ¥¨µ¹~ÿ}Òù/;.•ç¿õ5<ÿ}IÞãÅùï—E!™½kžiß9iìšL¬ÕbbÆFɶ _Cáñ3cøÒ^³,66L¯tF »ŽÊ‘ˆe¦¢Àsè!idoe%,:ö@³?vÉ)ª×cGLë.½àª5:‰x×~€—¨ðº_µfÚ]"éÆ FÂè;‹LŽn.Â7ÐS2ú_ëµÇyvÁ( lxi¢‘x¼¥2ôÞÁ¿tŒ´´ý¯£á ØxõjcãÒ[ú‡÷#dèéøv"Þ§âù€V›ŒÚÉØ„ä\ÒÚ“³/&½^j". '1ƒ’N'° IxFa3±›Ù4ýF8®½)*‹èêM±ëõS`ÙMö¹{öÛqcø÷X&ÉñÊS4cH­P¤º%‰ƒaU>mÌ­¤L-—nœ‹éi…'eGPm´ñù9Û¤t/û~§öðaMËNlŽ˜,æž+Æì©èNã<;/s~¸â˘·9GdîdÞÎTt™äÁÕ`4NA­ç§OsW\6ݧÅTÏAç|;1{9cÌšðyÇæH½­©é2íAöMÀl9×­ØLp;D³Ú–¢9tLö¤°C“5i:y^DÍu ¹ÌÉÎ`rÞóãò K·•l]ÐØÌOt³Ôº¹uXöäpA–5os Á| ¼…)g­úu7"gI:¾kóâxÿú‡Wi0¯ð÷‹?ê^ÜèX¼à¦?nM7´ª±ªœ§µcÞûÿTãž‘w Ùa¤ù…‡FP²ñÞÆ1d;³¯]¸\¸ßçZÿÜÚùßãõ'ê#ç¿×ê‹û¿wsÿWØM4³I±P{Xðª×uÛeo Æ wŸû{þx\9Fg›Q¯ [ý {Ñó_ üѿ֋‡n§€ØÍÿØ?Ü?Û§S¹“ t‘ ç>#c©é`o*,µ‘©¡fÒúÞ[l±!’–Ëèç&N „HÄãÀ‡ž]ŒTµxê:Ô€IË߀”7x-,OËJ®aŠz—«Ò‹ÔHi„w…ÏYµ97¹vN©^ìZ¯Ç+މɄiEl ¬§QXO$%]u+‚Éy2a˜™IXdCB§†wŸuj Å4|ñœäÚ0¥ÊÁ(Rã`”P¡ž‘\ß`”RÝ4Vß4±Â©mÓÔ*£L;R4›WÉ6›Ø"ζüëRÒezJ ¢è”æxÈcÏŽöŽ6¼NGæj©(ÿQÂI.c6¯ŽŒ^3e÷cQŒòÍ’¬»ÒŒ¾˜µ?Åwâ°±jÞò·ã ÎbÉô©  UŸêÉB=1«'Â(–­¦Èdu%„°ÔFœ ÔmJ ¬XŒkY“XòvÔ›9–[ݹ:«¤#Ÿ:”º6,çã`”ŠeªäÏ®.é¨4µIr„¨úf¤ªQ,KpµJÖ”¬^é éj–"£º•@‘–—®~™¡2Ô0 òŒ“-Mé‰b¡ž™JXªC® ¨Û´ ž1 Ò€mÕ8'ÂQ½Ê$\²RïÜ WK¥«{ Ô*9ÉêŸÛtP ¤ªƒ …‰ê¡=!|ºº˜@Ï4“ ©+ES+’’6Á µ2BŠ£z™^:·ših®«º)P8©j!;õ3uUçïëœ(榖&mÄ’YM éÏRW5H;µÕ@õB}]¨¯Iê+÷“°P_9dŠú*!lÕW×u›› [íÖÄ$–¼%õu¾„åW_¿|§Î¬¾jH稾¦­ ËùòM–©’?õUC¥«¯‚#ÄÔW™‘®¾r°Lõ•ÙÔWQSŠúªd¨¯qŠÌê«™"-/C}5Be©¯Ùä'[ªúªb£¾Jت¯Ž ¨Û´ ž1 Ò€­ÕWÂImÌ"\²S_ WKe¨¯fj•œõÕi:(ÒÕW3EaF²úêDOŸ¡¾šé™f4u¥hjERÒ&˜¥¾ê¤¸ª¯©¥ó«¯ñæ:«¯…›úª²T_ÓVuþ¾Î‰b~êkÂFì !%¨¯’þLõU…´T_ãT/Ô×…úš|úÚêX½¦¹‰òlûCWèz&8³ý¶:ŽÇ‚64˜‹ÝÚ)ë|Hšå|õ õâŽUƹž©¶:å¼3ŽÌí å§"s.ç¨Oô¶áS³ŽO5ÇФ³S£?*« õÔÔÎ35JEÒyiŒŠ0#ó¤4 ’}LÚê8œ‘¶:¤­ŽÓéh«“ïhÔžèz&Õõ´N„t8µ$–ŸA¦+!lOA]ˆ•E2Ï?[ãág«“zòÙê¸{¶:Ygž1*xjÚi§- 8óœ3FÃ4ˆ©Ól2ŒÛPöÁ¦¤ÀýT3©è,GšZsœg¶:®‡™¬„õIfšÌÙ³yÊÏó3¾Ú "‰G—H¶Å¹%³>´Ô(]¨| •/Iå£Ûç:Á¥(}<ßVës¯gÃ#d&PlI[’‘Pî–T¿ù•_ùû’]9³þ§ œ£˜¼¬æˆ$ɦ2wJ ‚H×ÙZ©<9]$ LE Lš «#ET2tÁ(%feÐD‰’“¡`²ôÁ,² “)U#TI°Q cð¶:¡áõlÊ멃 j­ÚLšY:Á!ˆjèHpX&C94Q)ÓSÔC‡a—àé ¢‰‘œ¬":Ð! 3”DÓ B¦n”L-H1oXYš¢J„«ª˜R6¿®m¦³²HÜ´EYÄR]L^©yû7‚ùiŒÆMÓZvIÐ9å™Jcg©5F©]¨ µ1ImÄ@hZ#‚¥(,ÛVgt‚®g‚#`LlEÛÑ`.vKêâ¼Hʯ,~±^œYS 1ÎQQLœô63$’ÄòS‘9%1ģ눴°c*"KM×&SAD “~H¤¨‡a~†v¡Â¬¨32TÃ8H–f˜AR|ò¤ê…Jý6jaÜV+t!ºžIu=m€!­5BkbIK%VBØ©ƒnÄÊ"Ê B‘œ¢ Úµ€NW TðÔd5Оœ¡h˜¦1u¢bšM†qÊÒÿ \Õ¿ä¢ùµ¿H•?,ï¦û‰–ª_âšÌÙ³yÊÏOï3m…¶‚H‚ÖÇÈÎTú$˜¥Î¡t¡ò-T¾ŒÐ<Ö'†|v˜×Ä|Åêöå”(9ŽÃÉË(»¡|nÈ™ÃúÜ«.ŸW Ÿ[:™Ì^iNs9Œ ‘qb™Ña¹Ã%Ÿ`ê<()$݉¦l(ù„S¯;;TÉg¥©aƒRN@ãd†Ês"jKvÊd¶ *ä|RšXÎ1ÀëÉ©uËêV“)»ˆkà!דU»ÅABå:qµmPŒ/&'Ê<‰Í1­bŬÂ%ÐÚšfÀÈêä6Ω%¡Ó|”NHM,ƒÍtÒkcæ€G³Ÿüjˆr?r> Îæ,³ŽÇLˆæ)ÏIqª°” i&Éý9©5 ³Â¬2Éöî© ž<Éñ.j®RuëbJ`÷Û•n´¥¿ÝÐJs'qæ K÷§·çsévî¸f..—ÆèH¿ûšÞW¹ƒ1%Þ…ÕNRX&«»±*¬m€¦Ä»²ZÅÙ¡šìïÎ&P™´)ù.m¬úÌðM9îÖZ’œå}â zË»óVº©NÒQeºªg¡³¨LÖ]Ó¨Ô,tY3¨NkK²qÒfj‹ºlu]S1=2W£êÖ­ªÛL ´N:±{cÔ éÙ:²[câ%œtfÛÆ(L/A‡N›Z`Ù:µ-™!+5ëØ6Dš¡2un[§é4N툜æ¢rjOfÒ®n££G(Ë£«§£˜Mg7tAÞñ¹îÂ;êòÙœ#ÿÏ‚g¾:~’@á ¦ß}·¿õžã¾û°°ØÚÄÞ–¶ñ€x†-@‚9Ùr•ª[Sk¡n´%¿+[À-;G[À}…¹Ú´ æm È\{.<¼u˜n °ê²Ü—âSîÃ'^…·¼og àÀ‰¶Qg–-@ƒ³±Ä©L±¤P©ØØŒ V¶K’“6Û Óem 0s²äiTݺUu› ”VÂÍàÜõº¹…-À©1ñn¶ËÆ(L/É2µ2À,l–d†¬4Á`A¤*Û`Iâ4Æ©‘Ó\TNíÉLÚÕ­l:e¹l©(f´Ä» ïø\wß]m™œ#ÿÏ‚gζ€ÂAL¿ñnÙ=Ç=÷…-`a °÷ ȺܮžeezƒgßX6͸©Û•afûV'Ïù³5Iæ²wwþ?GBçzòÿÅ»}Îþs¹­ž8ûgžÂt®’†i* æ~Âo¾–n¾‹ns=ëÖ¹ÎRŽô³}Ï­îÆêж'ùfÊÂ\»3|û»ä‘b®§÷­ŽÍÑ}«ã~nßêÌphïØº]Kꙓ#Üõ Þ¥ü8<«Ìé|Þ¹²œÝÉ|«“|,ßêdŸÉ·:Îò­ŽÕi¼™2ž•yïD/awo¦kjAØÔ²©%iÆ}ÕòÈÝú¦¶cù™Ûg»í~%;év–üâtÀny÷:’¹­»Þ·Î¼dmy³Úõ:õâõBvÑŸ-^¢ åÇ䧬é-ûѱ¸ ”£Lݲ‚ÛAÆV½ U …ïJž3©sÔ¤ïGßÏU™ž× tÉ aöÉ âR®©™³Føò\‹sV/Íe¾0áR‰juÚëYF(Å:ó™¤ÈzHV­Óß“K´R®­H5LÊlõ:û 9›BN ¶{cê–­©gO”dx7%Û±¤×Z4"„sгó4",h£i'R.3³tm×)#ËXhÛ‰Ô‰¼ }Û•6QÄFãN¤mjCÜ4uS[òÌ;°•Úíòö›+‚ï™_}ËñÚ[â+o™òŽƒòmÿ¾[N,sV¿s¼ì–ý¢›íKnÎ/¸-^n[èàN:øÅ¤×³UÁ6Kg0N ¸{‘º]„¶Œ-z’ÌeïJ÷ž+¡sÔ¼ïA·ÏUí±Ï[ëN_TÖS¤¥tLS1g;Ä©+ÜÄXbú6KMW·ÆNÛFÈDe›ªÊÒµC U;BYЦDY˜k£gÇá¬Ôl2ã“0[ÉVȱֱ£eœTlç†ÔíZRÏœ‰ànêµ[H™Ín€sЭs4@–³Ñ¬“¨yYzµã4E,´ê$ÊxV†NíH/a£Q'Ñ5µ lêNÙÔ’4ã¾j¥L+åÒ¥“ËϨJGší¬Icy7EZ”pÑ£Ó×}ÎÞÎdÎJ´iK·¸ThF{¦-Á,è¥ ýy¡?ÛĆs;ËÖ YƉËu¶=CÙºca%ÎKÞs×<Ôf ¹ãXr·EúüãÊÝÓ1ºHs·yfn¹’ÝGëÇæ,Ý¡CsÇ¡K>[×y`RL:»³v Ø)>]ÆÙ»N…e¬:׳ø$ê³ãÖeÍÇ ²‹a—û¬Þ©))‹Â:ª]¾3üÄÂy"Üå:ÓwkmÝ~"f—Ëù.×™¿C#ãðî±ðòû852Æ–3¢ãÙùä’±²öñòR}¬‰OƒµŽ gïSIûÔ…øé ÔO]ÉO—h\¢ìÍîƒ`h>÷f÷IÐ劾—ÏGÁ’{Í:F³c»¨|y|R…¾dHû8}î¾ I­YØh6›˜}N÷õ3­ŽzÊs?Ѻ[Y%ôNÎ æ9HMÇqDZýn‡ðùGù»ÃsAÿn1.€Ýâu^aÌ%‹xö}™;`bü€ô7í]´·}ÍÞÌ8³ÂÚÅpy‹Û\Ê)j`Fü«—í­à]‚æˆKÕœdèœ1g‹W»¡u·–Ö­'_f±\ÁóÄ5°o` Ü=ö`îx. ŒòÞŒP„VqrNÃhQûÈ„iñl OµTh7!‹î©áÓü”OIO•S\ÂÎg!Ï|Îw!úª½shÃ\qìøÔŒ£33²Û w˜#NCš—hýÐ9~CBKö•…}%Õ¾-M,7+ËL֒挶×âX°3«Å%Í™hîÊîräÏÑúò5ŒÖ\Í0ÆŠæm‰q2ÆtÜí1Öø§à9[eŒèuÃL”SÆl31€tóL²Þœb¡éXi:ŽvšN^SM'µÆ¢F@›Mj+³Í,¦³ñfFûͼL8³Yq\[]w™ 6%ÝÌ9¹K¶§ÆšJ8Øufk¬ …u§cgàé¸Ùx:3™y:Ζ‹VÄ¡2ì=ùÛ/lcõ±hÃÔ­Ó™Z1uoF–”de2SœËd…jFSPr9[ƒ"¨Ü B†Â.6!kN7ûxÍßœCZ =ÁDk\¦•ÈTÂÒP”ܪ…­ha+RmEÁÕ`4VEéÆ!>HÐäX6IØiÊ!Óä5Gðz6<@fEù-±r™6*íd´¹E ã„9ÚeœúŽš0ƒ­e¶㜞mrF)@HËèg‰Á 3€d<Ò !ïˆÔf$(MQ€dBȉU™¼FJ('Ñ ‘“EÉ$K›AFò4ˆTSB|ÁZA7ÂëÙ”×SÛêDoÝ`T¡3FK‚CP{‚±L&Áh¤Ò”Ac~UžIÊ`d¤d0J%DÏ΢c0Ê$cš@Ç4ƒ©%S R¢›•‘®(ŠëRÖZ)2#A‰uRZMJjÚÖŸ²:Ýû4‚zgZ%NŠfšb™­H:(Ž Eq¡(Ú*Šâº­Â(à³ÇÎI#ÌY¬n_N¹þé®ó¸’—XþÎÍ[¡xžŠç=Œ¹*¤z óVL-–¢Ódoç¦+¬–ý–;FJì‹Ä¨–ñ.ì[¨àÊZ³]ÐFá5P𢸦RªAØ(ÂfX+…Øšlã ÎV3#¤Y+ʦrN h¾†Õí[V·šLiEÜê R#>X(ØŽ ŠqS¸­¤0Ã$³ÎÍ3À½² ¥O@«“âÐêXx´:î®­Ž@uKáºki%âMî£Þ\g`¹óà{·Fýmâ»·Cu+¡ùnõ´ÞvaçX(aè#«S|—^͸/ùT_ç‹IAüìNù5`·€~Y§þ:¶Áýœ½’Z`è/Ó+ N“eпü^nÍIY!öasz$–Î0Ÿ7c‹ë“2»`¾Pù¼ \/#xà ^n ±ë¬p‚–Þ ¹§g¬°C€Át¯û¤Û‡tðfȦêÔ€é,-˜:7!]ðq K8ï Ls Q8»7„†(W¸ÂœÞ¶mÖqšº[ c˜Ç{"U8L†´lèîU‘Ôš…gaà± rè£ óétCü«\1 f([w,¬!Ê{›>µéHî<â-Ñ~aïç(ÝJ”ÄÛŒ…`¹–Ý—G‚Ê&F‚C‡æŸ˜3Ac‚I­b(¤=Ú›R1#¦‚Åî©Ð.]b-dRs ¸˜;ƒSS’W„}üÅ|±ÜŸBÏÂ’3£uÌ뉘Y._tÆ\±ƒÏ¬1Œ§FFyrVìF»Øy§d´¬C(ÇÔ˜ÖħÀÚGv´‘IûÔ…øé ÔO]ÉOgœâ>Î["Ñœ"@ÎkBÅ“+d¾Ø–¼kÆšÛ-ŇÌ›"MÜK´é³"¡% ãÌÂ8“nœ‰ ˆ¶ö™Ž£‰f6KKsVCsy,Ù™Ù\““ìL©eìl>3YBšî–ŸY?s³ÿÌhrnyÝi²Úu´åo0YYÜl*âbš±Á&V¦¡Ž¥u¨ãh êÌf#긛‰lZË2ÍÐŽxi+“‘M;¦Ž ™ÎÖ’iަd Sv$3ÑùŒHV¸fµ#%w“³))‚ÊÍšd(ìdP²ç~³Ù\ÎÛ²”!ÈåçìK±Öeš˜L%,­LÉ­Zš†&ÕÐÔíkf¦t³ô=Ì$Ù;MƒD M~s®gA\H”Ø+•jØq²çÜQ’Gõ0Þ&Í3ØXæ`S1LÒüóm0J, ò–¹ùÎ&ƒÉ#fâÈ0i¤™0ĺÔ"’ =;¹r—"kÊIi €ÒÍ éÔP r´ b KËO5¤B§ªs!¸žEq=ePM€tÖ­ Eu7•P°"4´%Kd `ê 5AI3ä¦SÀ$ F £ôÌôú£Œê§Æú§©L](˜f’ÝP ôDAìÔKû’Öšˆ å ª£“ªhR “·åÄUçÞ—9ŠçPò’«pRéÒT¸l•ÍAE[¨d •ÌN%zìT3®¢…PÚW®BuÛRÊ5OWÍðÄÒ·«ÒÝ‘3«x÷¨Ãç¡úéˆç«f®+‡ù^§MS Ó»)w‹”‰±+,£Vب6A•”5¦«”:X¶ji 0QÅL¡PËÏV9ͪ§%¹Æ š¥ØEˆ²TIM¥T¾< ªÛ¶¨n1iÒ ¸¨®Î Q#0dª²N ‰pQm-¢p5³ª›6Ò¡2U_KCNiT…-4e©Æ–äMSé›Z8ÍCáԚĤ ÚB•Ž•C¥NÇ0“jmh~Þx ¹"1¸©Ü™\"ßÏ€f®ªx’ à Õ¥GW°«#¢ÂBe_¨ì–*;?|·TÙ9t†Ê.¡\Tö<…ê¶¥”[~Τa‰¥oYeŸ?‘³«ì÷§Ã碲kˆç¬²g­+‡ùÞªLUÙS»)w¬‚”0‰ ,ƒX©ì6Ie5f¨ì˜…ʧ0YeO¦PË·PÙ6*»¹Æ š©²ëDÙªì†R.*{ŽÕm[T·˜4iœTv׆¨—ï³Uv—†Ä 8©ìv Q¸Z‚Êž2Ò¡²Uv;CNiVÙ³ 4eªìväMSé›Z8ÍCáԚĤ ÚFe×ÉÊ£²§b˜Me7?ïÝü\×òUö,.‘¿ïg@3_•=APpêÒ/ÜÛßµÏqÍ~¡²/TvëSö¬KõÊaR– tæMZÓ ‰c‰ºUfGourñÚÒc.zë§éó#oçè_¸‡çt|>—+éIs{ÆJÇ)x¦`nçåæ«äæûã6—ƳnŠk &ù€<ÓáÚêj©ly.n¤*Ì´:·¿Î­—r< ou,Â[çSðV'ÿ¸[#êV­¨gMˆDhÇcoâùùrñÊå´Û•xYÌꜻÕI<änu2O¸[×ãíVÇælÛHÏÉ:Õv¡‰°:Ï6Ò4Í&jêLÕÔŽ,ãiw€m{ߨ±ø¬G׳Ý*v¿Jœt8C q9®¶¼%œ Ǽª]ïg^¶¼õëzÕwq¿w¡æ:¨¹7JÉ0ùíµP4Ë|Ñ-.¹©Û•Ah+ÀØrw )¡ì-«»ó%pv…÷>tó\tÞy½˜8Íg« þ¤cšJˆ9)¾‰&u$=]8qÔ6󉾞¹m›ý„_C”+€[®;N5ëøÌŒìV»åñHæ’!íC½¹{ $µfaJY˜R,¾¹Ü%Ï|F9a(ÇÝòÜ%ëNE•0ùnD»Ó™ŽânÂÃÝ ¹s wÿFbžqãnïκÕÂtña|Ÿì»ìÙý—; \âÝöô7Ò]H·}ÝÈ3"ÍYÝwyfÙXÈ%ð\úÝx«÷ÏmÀâйߙÏhJ2p¾°t3Ý¥ÏÛȺS+ë¶.³Tžxu9îÜ[7.í¾.ï]|‡ÆE™kz4;›;úù¦^´¤up»”»û–D§@ÚÆº³½ÓŸAóÔžèinª§nd§Š‘ðf0ÇçÆ3ñÏ!0^ŽØYoŒ[ŠÎqòæ3àV·¬/WؼìXŽ/‰ç}F|ñ†øÂ ’à òì,!'cÈ,Væl&ÇÒX®3£a$Á™XnÙ 9ÔÒÔZœ4Ñ4Í3[ÓtÐ,šäB“´Ö$ÅõkRÈÔ,C@71o¹ºCAåŽeÝÈ™ÂDw¡‰ÞµsÒLïÝ(ÌIcÕqÏ]sµY„ns<¼›¡ÑföZî)±#£FXÆ‹°Ô|x²,ëÍÔ„uH+Ø@mšfœN­b¥)›í4f{ÒóØBPg¯I› ºi§9Wwh]Ýnb¥•qÔ¸ó4J «`£»6*^ÆQ#·o”Â5ô´)— h£±Û“òÝ$ ÞŽX3œ…FoOê4‹Ö©-±ÓœÔN]ÈM’ ì,úòYÒ‘Ìj0tEÞè ¹â68[ l8Lþq˜ Ó¼-IŠƒp™ŸÁ>2CŽ˜ KÃÂÒ`oiàÞö–^ ÛÒ - 9ËÕ *÷ó踮&"¸KíP;/KÃ}…yY4Üó·4X,B·9^+Ͳ4dõZî )Ñ-XÆX°µ4pðKƒ¨7ÛÒ AÚYâÔ¦ZR©Õ@ì, F`KKƒ5éÆylciЩs°4 :Zò5®îкºÝÄJ+ãjiÈÑ(5<•¥Á±Qñ2®–ëF)Ü1ÙÒ2å2­, Öä†|7ÑÒ`E¬ÎÆÒ`Mê4‹Ö©-±ÓœÔN]ÈM’ ,- :}9- ©Hf¶4Ä»"oX„\Ü- &ÿ8̆iî–†ÅA¸L`ú GÔƒ…¥aaipñiÈ t ŸºYøÉg^N88r/T·-ÅZ|gç„™Kß‘ïÂ\霟×½èöù9+Ì% AʘË,¦ctlS3OïsxsL›@YÑ¢Ì)ÕÁÆ+ßêvrÞÞ !‰Â0ßÖÿÀ> @¬ »çA«cçvÐêäñ9hufr8pnPݶEu‹I“XÀÝÉÀ­!ü?»!ÐÑ· GCdI[¯‚V'Í¥ Õ±ñ'hur8´:–žIòL Gúx[ï$ú¦VNóP8µ&Ѹ/[» ØÞ–wÇ0GÙnÇ»_‰OºŸ-9:XÞ{Ï‹æÜ\ï¹g^n·¼Ñîz}qw}¡»iço[ª²hò³vš ˜ùZžQÐÊUªn] ØÂÆx€m ÅïDKŸ;¥óÒÓïOßÏKUŸ×•i«a>óä©L|S 4?}=ñÊ„÷'­ÞÌ|o2ƱR”ö´wðàìÔö¬ÇËâk#MqOQ2 ÔRu·$Ù0Om”÷ì×#íŠ9ªïyU·nUÝf%—pUáCú²UcBH'->_c¢vz|J dv¶&ï>•d)+]>…J‘›©Í»Ó( Ùéó)4N툜æ¢rjO¦y·Tê^qÌbfµ~æ·s¼Ù˜øV£…Üä¤ÚۿИÏÜ•ûï2f¿Çhû£óû‹‹w¾£†1éõì|„ÎÖzŸ§PݶÂ[‚ÆX€aæÒw¢ÙÏ™Îyéõ÷¤Ûç¥Ô‡ˆç¯Óg­.‡Y âT¶©€™Ÿ>¢ÓÕyb21mž¥¦+óc«Ë#lŠ*OÕekò!˜"¡0UO¦0Ì·Óâã–J¼¹ñyi£Â+D9hðÑRŽ |ŽÕm[T·˜4‰\•w׆’lÓ 褹çjˆ,i§·'S/r³µvçé# YéìÉòÌLÝ™>^ÆN_O¦ojEà4…Skû²¥ª®•SSOÆ0³¢i¾³žŽåÝÔtQÂMKÏâ9{}4sWÑM"‚­ —  3ê3õs f©žG(]hç íÜ.âŸë9¼VÌ:ú_Îsù™J׋+±xòŸç£9Í]F¼=Êç-ðÑœãÞîy¿õ’γ> Lv~v}š;º`²_€Î“" Úù hÀŽQ3ýtJ¬#ºû$µÂ&a¶_Aœ,ÛÈ„3ø86)e8Ä*ÌëX<_Üœþ®­®»LÐì’9ãæôWpjl¼Dž‡³ø1866Æ¿3cÚú7䟪±Ò.Q3ü‘íÑÅ¢ S·FLgjÅÔ½é‘[ìÄyøOX šWÅÙý)4D¹b*æõ¯°ær³ŽÕ<ðÝV¬Å<þ©Bd2¤}ôEw¿Œ¤Ö,,@ ]$FÇ8 ™O¾›Âtå‹›0Káºki%üh‘]™ì²Ì||1é!!ëýºöüèå™·sø›÷ëÎÉÉÎáÙodLfFä±ß³¶ùXõZ7éÈ?ø¬®îõ°×èªQ«?¾ñÞ‹ÆÉîsÀ¸óÓþÁþÙoØè§ûg‡ÓSïéщ·åwNÎöw_ìœxÇ/OŽNиíÓÆYóÅÎÏíÂ/Ç;gϽ-o;µ;ÝÑv¡uÝlvƒæeÒ¤)³åýAØf™x•ß½ÒÒ2>hüÒ8(—h(ûÜhsѾ¿I~Oé‹"ÍçG§g‘"ãÑ$­Ä/“Óý£ÃrÉûö[5s÷åÉÞþI ®ÀÓtÑÅ?S#±uÍѤßïö/›ØáÀ7qŠ@‹´ïÇ/-ý1n.a³by•Ï8ôÜ>åý£ìmnʯ‡eÏo_ ¼bò (?öGýVÏóG£Á¿ANèvŠøSd5{œªRœ–’‡ç0·}(þã·k›*9¼:§ÏZmöëª`ù­þ€}­¾OÔ^ôZ—ÁÖÒvúÓƒg§›bØ—–#s¢¬õyƒR\Þ¡¿Ú“ß¼yýÆ{óàíò҆ó`ë͵Q‘ªÞ GЛ^é¯Á›~É+*Èõîüäá‘N1¨--øßküËÿ ÊZí²øNdØUl²@­ï»ÃfÖjØiÀ†Íñ¨ÕíA_zËŒè?Ä|ë]HƒÔ¢JH½úpi©Vƒš©Øg^',a€Ä¾YZÒ›»éubšã2€|ALÙà–°@þˆP l}Üíã¢ø¼©¯EŽÀÖÃO• t¿,¡v|åá~9ÚêÒ>¬½°6 @)þñÐXDG{‡9JE{dB{EÛ‹ÃôRÑöLh{*ÚÊëNcïúm9Éëž%f‡³*q––´å ôˆµŠˆ¼s‘ßðu}ÎÜø¬à¥Øœ9]gtüR—µj¶ú›|'±,ÐEeö{ß^ Žç½žáûKØà[°Ï@ù¥eþ»\Û>ÞÙýyçlGÁ(PøyWÀ°Ÿñ|ê·þ©Â!ÁíìîáF¸ õ>»ÎwÕÏK˘Ñoìì5NB$!åÌÞ~\äšò¸øÒ”©Í~ëÚ/N^ì4yQÝ(Ÿ4ôoØ©µ^æåa´T$ËéIç“n¯ÓÄÅÕóq^nSÂvájÚ ’ŒßÛ>­”t–²]h_ùí÷¢ O!‡©“¤ô,-7^5¯ÎÊjb“ût÷;!À›Â‚Žm¿”»†¾(ÈØ”f_Íz¹°MúõñÙó€æóæÙÉËÆ6‚´†CÐ]›uªæp|…ºm 1fbXKÀPQ«ƒL4ж‡;?4š§ÏwN{±rë4oƃa“‰– ˆ†5M»¬öZYxÛâ &|“ªZØÙ=8Ú…iö"$„I¦åZ« CÓêU¯×iÙòÏæõz³ãƒøõ:V6 °z<{Ì8S€†Ü`rÙ%æN* …ÿßà<Àö¤ºUmµ’ú—lŒ¡‘8!wŸî?{ o¯qÜ8Ükîî7NË¬Ž°ûÊ…½}X‰»G/^>Q·¢úñZÈráú=ç9ÄyP§ÀPYP|˜YsªWx÷ ±sØ|ºЀu«'’"³çµXƒ™ ÙpôÓ?»gnQ]ZÆt7ÃR¿²Ø^¨våÿj4”IñC{vÉôÂgJøÉråÿU88S«;Øÿéìèè€Cãž²FeܺÜÚÝeiB­COªT®‹ùþú‘&¼S+Ô&0ÙÊÔ "H ‡ww72úÏŽ>dh“Æ&ÀДØÝ=Ø£T8Ø?üyÎ}H®Åˆý`/iüdŸìÉ,ù³2¢EßpRE öbýI&SAV¤—}¬—Šú‰ï¶LHUvž^Ž$«Û¼a|/e/—Xø¦`(ÉØ¬È`’y&m±Š“ɳ7TŒQRÍt’bÒê£5§É•€nÿb [Èa ^ï휡ùàéÔtšµúŸúƒO‡GenƒÖ«‡eO(BX©peªìý¬ëC­Ña×~üV5`3¡ªuy Í'öE]ÇÔj‚Òš3˜†L§ y¹z\.|ã BËCv<>éû¡=~%ð‡-vV†ÀþeÀŽÈðÔhìwðºŠá¡|{dÜõüVû Ñܵ7è·ýyäÔ™ {xâD®ÿûXÔŒ:þÈë€âa0~¨ž6aÃ&ýî'Ý‹vþFMÛùõç²WÂæÿÔx¶èýáõ}ÿz8¾AÿÔMï37;wÇþ5š´WßBz}S…ª (ØÊòÂ[¹eøFsórÇ‹p”y˺d.Æ‚¥;VôPM©GDçƒÉ¨ cÐÅS: ݇–Ò‘©ù´F7Þ¹ßnM;ί^VWX§¶®}^ž]¹¦CFØš‚«Þi]ã\!Z£.ÞåÀ¾£ûÝ‹ D'g̾ 2(èo¾ã¡CõitÆ`g`¶J|Ù(Ùxš„ù¬A[ï°².³ÅcÅ/ª.жß-òâJð½É>اT¼)Cœ* ÝÖûÄ™ž>øåw…N` Öò‚Â.ÿjÓQ=¾i¶½Á(hv&××7¼a×—ý-zpË»Á¯~ž÷&ð×èr &sg‹UÎ,Pœ¸F°ÕD°Êc?ÞI‘êʛڙ`ñÛ#ŽŽNšgS/‹€áž@('EñZ£ç~IˆZ½­› ÉcØ–Î'/Šèó ?gG$läÆlq¬… Ç¿@QËÒR”YÞ5d8$¥ÿßëÕÍGõë’à‚8D,q-LÄ!ƒÄº–ˆCÈ×ÃÄëKQü± ãŒa :¤ˆõôð5¾j¶:ÿAwœ “l¦Ò9ÈÖ;¶ÅÊé+N¯JÁ§*üï²ônSÇ‚”m Ãpg?0ý ‰ti†}ú÷Ò’RqíÓ'å8ŽJ¸zIÕ²Ãf:x±f†µâ#ÿ®>l‚PaƺnM¡Ìú*%öçɈaÝ@g|V]Q{ý¶úèóæá§·µ7ðçÛôL 5GŠ ea(al ¦À[]ë3±b!7ÅRÞÌ®ÓÓê¥v³1ñ"5{Ÿ6‹%¯æU¾©Õþàø¯¶é+o–1µ\{ýïÚÛ‡KK+oê+%ŽLìabÿ".ûºX-âNU,ÂòiKKk˜¦|Q¦[ªo†wù»ïúP´ZÓrxtüßÇvEA ;£¨guS¯—hṵ̀½’öFœ_ÐulwàX!M`…Ÿo½Ï%uHDG–––þr¸™þWP{Ó¯y0k”(¥ y·év(²ðåðGxXùΞB‰ú$Xà_¼J³¡TQzWü…ïiÑÄ‘HÜ”ýD˜¸ ¾ìµ‰l€ OÑ5àÁdûn±\Ô¼Øèµ;eµ**#ŠÈkÆ«F>;ýáÚý÷kïÁÛ‡ý^¾]ÒE«`© IÏGw øûr|%ÀÃ-Ô.Zi]ïÂ_[ðßw^]B`Æ[œ*ñý¦ÿ¦_ıÚãÌ+\Çq¦ˆÞÉËÃâí®s>Ð뀿ƒ¬ŠnÐPãΙ‰‘¾VŒ½œ²T‚Éùr1­lqvûj_y3^”˜úÒR2”±;ΉwƇG:+0Ž­dB ˆƇJ†–7ØÐ(m¶™ŒQëÓC˜„)b3G$WeØRÓ»üsø3\&ÅH'å`‚'Ð9£I{ðqIBÊN ç@5§ƒ^kÔ ¼úªWÂí»´B,0ð?P|Œ°Æ‘7µ:]9HaPäì_ûý1÷nTÃVòVÅ/boŠÓ†îøètÿFôøó+ùtý‚9BW=ï×Áè=ˆè‡íuÑûøüÝž[ç=ä— ‘,Oü…ÌûÕé>ó_&Ÿì"hÞw~±ŒÝ— }Ì:)¸júR³â b…ê‡>úÜQ9ÐîÈÂ÷·ç_´p"’Ë#µ…M ÚZ:£.Ú ùv›Ó ßdiMÏ$ïJ…´ñ “sŠ1½È¡ü>Z•*W°;UÈW³œ&æ4YŽ,3Å œ¯hð”Úä©Eô'Á DtDŽÝ>ð|¶ë‰M•»ÈI©ú—v¸€ïœ ÒÁè†ö ²½ÁÒï¢ÝÒïø€?Å[Æév(ù#ˆ,Е³Õ¥J–.VlŒe…,qrÜ€±1õÛ…˜&½ÁÐUÄ#6l8w^0M³qøËþÉÑá‹Æáìk0×nØŒãÓðÅ‘|{@Ãpd+?ŽðàpDR¹óc|™I_ÒímPIad—Yh9Ô1hwI98zÖäK'ÐB¼8¾ºñ®Z@†fÎ' `ÑOS†±äp¢–7à‘±“¯0™\V`CK™DÂôè-i=ØÄà1ƒÑ˜›6 ˆFqi»ƒò€Ĉ-°Dè 1p3Dµ†`Ò#ôn2tl>fY¬ «‹c$óÉŸɦl H Ûò¦ £fÇÔÇŽ˜á,›°B«å‹Ÿ÷öOšÇe=²HtZZúÇ&Ö šIì¥ a(%ºj¬éŠÛ?ižÐ&'wQü0µ"SyS‚ñ)’P|çòVii»ÄÚ­A7ööOÉsíùÎÉ^³qrrtr*®°^7s2W†Ô<G)žŒ€ ­n²jèÃWOwö¸™ÓOÃΜá¡-Ü+F[¦±FFÜåãLˆ¹KŒe…^#8´nS™$!¹d‘-_:d‰%’Ö\ù°b¥î0ððƒÐc]‘K™îìÛ€-é” Œ…Grù׃0ß—»U¿ºâá¾õ¡…~L½›3nœ;‘!à{%ÜÚKq¤e:¹ñ•`ZÂK>¬9â p•–ÐÔ”ÄÇÕ [°¨quØŽFÝr] ‡úˆ6_üÕîtŠœ¯Õ‘¹Á~Ðêc4§I€g"×>lÅP2 }„,úà÷“ØùI‘u;!ÚÀm@‹jV·ßæw‘Øi »à }Íú—Ýõù¶ñÛ`rqÑV@Ç Øˆàe°Sß÷Z½`à•ÈRsºùâw^¼\•¨Y „© ôJ·é|ß÷Ç|ÚPwñ½™~ãÙ‹l…8ta9ê™ ¥„öJ:>Q,¤ k½Á@‘ªôNCÂáéë]ᤱû¼±û3ÕF:cX7žQCöË“Óý_ͳ“g òšaº>W© úrÿ¬¥¸ûM%˜`?,¿ñê¬qˆNãX~›y#nƒ6  Ü”öN Š“d Âɤ™‚²‰±“}eSãò˜¼ËÙõçê)-2ÃÐ&O»Š–yþÃ’zÜoaƦ®ÿP:ëaB›<ž¼© XóE††;<ÞE]Wn]ÔéÆ".ëù¡_XdCô:­ VHu~mƒÇì4V²:`ÑD1j2]u¢ˆ$".¹fç]\!&Ÿ¸¯±J,¢å®¶í„ÒïW|ª‡èWx¤O¿¡[Ov˜ðÑÆi΢¯,JÁäû!Ý7'?âqöËŽ§4+Šå^ž¡{0}óß,Uúo‡_,o}‰tv«qçן)áן· 䜳½»‹¿vNÙïSöµ×8~q´×‰ü“å±Kj<‡>0]+‡À RúÉ4©ãÊõ+„cßPþø˜éwˆÿ†Ôßž‘Ÿô¯”,>¶Ñ9Œ ñ_ü:Fÿ úÆ_rp€î=”Ä~BÚéo/^ží³DþR_¾8þiÿÙÏí0Σ&õûÅSeŠ€9“)gòì¤Aí¡ðM«Rኅ§â)ƒŸì+¼;²ÍÊ4qÕf[ýsÃë5Û‘¤F^®ÙÖSˆ3ø6áÒ2¶ 䨴}°‡¿äñŸ¶ÿÓÑOÿdiì'¥‰ö%ƆÿÄ´ã#–p|_‡MÿÂ×™Šó,Ä «ö·Stî:Ù9ù­)nô’· /vö©ñô¿nà"gIì7¦î?E®$èÓ ŸIÿ”Ã~n©«_à¯ÆÞþûÂ_Û ç&ñŸ”Ægû)¢¶#V ýód]¦K !€ÁEQð¤æåÉšŸa¿\¦æó$„Q/›15 ö‰wPû¹]8Ù9„aÆ$ök»pÚ É ÿàovÛ›%ˆ›ß´±Qþ€oœÜô?¶ ÌטŸ³ê÷vAiƒ¤½uHç`ÌP¿Y.Û’Dž¼r¿UÇb‘¯¦…P:Ž0 ÚMPhØ^"~‹T¶ ˆß"UáyZ¿ÏC¥bnøÉòz~ Eüfg0ùJƒùïd0–¥éc›û°D*üÜæÇ¹J*}lλ}ÞRök›Ý¤Snб›u­^·ÈTö)òÚÃI˜"} Hè~¿3…9ì›ç Z䈄w9·ùO–6 ÆJ:ÿ„¼9ö R>tE ýÚ.àM´Ë€VBnžá'»/Þ¤Ûƒ²éáÏá ¿yê ȰÑÊ'ä¯{œ8þs» ÝMÝ¿0çb “éç¶r£“%‹¯í‚¼»ºÍ~QJx[u;ü‚¼&ª”<CXjy"a»€Ú7Ë`¿ å=üÓRû¹]@ôFi Û…aç‚g°_"GŒ‹ù–)ƒ0å@‰@ gNõ@Ìuæ ¨6POÙ.„œ@p€à&À›g"U~‰[¥êmR~ÏTÎ õ[æòY~ÉœZh–g“–ù‚›)Ó;š¦@ñ6蘠ê\{xòªÄsÑÃOs{=¿W½Rô=ª+ Gƒ¥üê«qXÌ…ÐZ \áV ”Mgh©Á# ½FøÖz¿Â¤| ¤ƒm€n³?½Ü?Pý¨³iíj_ƒÝ@úP r3€ëÕüÒÿ¾áNŒL¦¥•a¶°h)v!¶À,HwwÙYÜdæê0—7µÛÇV×zÝ¢¿5Ðk[s¹–å9ï€JÔÊÞÎQóåiXŽT+ýRˆæƒ=–b$Rª~™Î8aUÅŠ1Â"…•½™.2fvcRAóJÀî;>iŠÅ„HÊÏîPc×ÄcÄXô‹5­Æ‰¨V‘+ÂQœ†p‘f!ôÖFêLmd:Æ&éä†~e8Š(W"Ò€Þ½¾ÔÖ¤ÑmËõ ÷n8g¡€ƒWXÅ•h4h$Â[çhùØÞym`ûf$V¾Õ†Àó8¦Ô ïx Z†gA•¨„ϱ cšyàçÊÒÝ98Õf÷§Aèø¡ä±0=äòæñ˜g[ýÇÐý´³ûóéÁÎéóm üŒž-IàÇÜøÁ ÊÜéôn³;й­õµÒ4Pçÿ¹µ¡zÅÁyÙÃŽ{·»yŒ©cq0{6ËN†ùr ¯7ßÑÃP¼÷wøÔþVŸ•Iw#b£Ì^©NQ„² ŽzPž„¸48‹ììÓæ‰fS6œ‰v5½梒Ö%ÒÚ˜'4³”ÞÙ÷qÂ,·m‚«,‘k™DZ,VŒUÇ}-,ñ Ìò;š}v|ví?g8ÿÏÝñ¨ëbOŽ 7.ël„LΑ=xY=ET/ºïþ§YÊùLeLåKLÛBv\ì;dC±3ä\<ÈÜ öc,hæ= u|A¡$‘x'ÓÃmñsýéÙFÎ }ÓÍbåß©r›kßJø˜yõ…bÇ×È4þ¤Ûe_DÎPÏøè©¶ÿÞ@G2G^’¯‰ û{ž!ʤðÑHŠRYÞô®ßw;PÙþž·´Ä¢Q0ö#°8ø]x0"$û*xÚ†ˆ{=v1€a¦t{åü­wÃwŠ÷H e\u/Ø)°ò(žESí;'0¾KKáâ6÷Ʀx ì§‹s(ÜxÜÍ¥% P UN¹çEkñ¯rI‡Ü<ºâMŒª.‹êÔÓC· b»(;ZxçHZgÆÁÌB0>¸èÚlLÛbPY OžPhçW›áSFlW11D$]òß­Þ¶ZOØ5´ZÎÛÂ3j”˜iQ÷$Í7§!Ã@ŽfG&‘‰ýãUºýL!Fk*ÚA{0ôÑAzTþ¦~Ö>ÖhzØ<`CR8:½~ó¦F7öÿ±Á~–½@\Pôߥ€Ç†ŽBÈS\ƒhºcÑ>H E«úDü›áÂ+©Qaø\%G‘Œ»}Q?VY0yåÀ”æµä˜½X’÷ì„ýsúÛ ø›.«16†ÁvÚx{ž…ÿéøøzNÇ+¡·a‰m²;ƒ«Á¤×ñü>JLaBЬ®‹Áý7= ‚‡_ç‡GÈóJ”½Åãë@2‹*†±nã+@aèn;/WýB—> 0òÛÝ¡Oá>0hE˜ïz Ÿ;×îy\¯Ò/V ˆ1nHš0Rz¢Ã&Zæ¿ñØÍ"¯„>JýÁ¨SBy D!eO„á™Ùåƒf‰OOœR4…!È@ì•^BmSO^‘C)E`Áì<¹Ÿo•èR?¯\»AïÅ`ûÊbQÁ´mû"â]™áÀ¤ŠÞXx°½žfú{*¯\Ó°Íc´èAC£zšƒ÷øãêb¨‡,YüÊzQ8dŽüΠ™r@ñùdd-°<(F ÖÒÐmVè2« ‚Ñ;}Û¤ 0$E[»”Œ÷Ô5C`-0›óa ¼8 ia‡š¤cO*ï–M›¹'#wJšÕpž*%ÒM­Ý Ãb%²h}„UëƲ"!ýâÓh8‚.,Fh7Ô°¶E…ïH| “|µ«ÇêÃÀ\€#¥QàÄÊDAŽ’Qàs©™(NÞ?NF1ed¤£xÅÈHBÁ:#ëŒô) E›JD!ØÍ;Ø©q `»¼ïà‘G¿¨–wl&«\(˜´ñÉ…-ñö…eð,ù ¶`:磭ÒVüO ßšì|¤þ§LlX“>õøÁb â§lßÅ@b• 9¹³h|¹Ôó(­®îネ¯Ï¤Ñž[`‡Š½+ð@Fß ï_0²-_ÝöJj“JÞ$h]úœ¡“X—˜. =Ôi[÷ƒ6tWÝ#ðkm3Ú'KK:…á{Í<›õ¨A³Å蟷0yq?âß~¿³…<­“ÐRµ”RÄÔÁUÿPÊ|þÆÃ+4A[Ð&³Ëg¶0V˃òÒõŒ‡{!ŶÓf‡6o°«ŠgGg;¸€“1ü|tYÜL‚Ç¥ÇB“ÒR@øËQ?9ƒGÃð÷&ÉðĈâ&ä®™‚ŸÀ ?sñ ?5 (×r<1 ‚§ðׂÖñ<Ú„jž²‚¤èP³Œ°½<-œ)]Èr“F8\››ªU Fé÷ÇÁƆ·Ññ‡ã« o­˜V2uód§„õäK*± Ñ2 ãƒÏÞ±>¨Ž¯‡ŠDÀ!¯?xfÈX*‹`HòÛg´"’`؃ޖ˜¯J• ‚Í 5]2B0©Aì‰Æ˜Õ&Š‹Wp«Kü3ãèïÀ…l9c ›Çõu‹G Í.‰Å²Žä™¤ì›‚ ‘adÅp^Æ{\ʱEÁH v)‹!lËݪÒW—• &S.Êa6°ÑÏÇ=ÍC¼}‡7ŽBë>ÏÓ‡,Dhè€ØË®çr=—]a!Ô”;Jj4<´e…”#ä]%힉¢õË O©Hdœ%IèhäÁ‚Ó$q ¤^~J $Õ—x«b™=¬CˆÈQò<‘ í b´ÝaàH䢶È[aaNÁ+¾^ì"Ú-wºCèFÕ&"xvüqŠò»ˆš–sXÓÆÇi ²cV­­˜QK·=õt[°‘p·m{¨9ʦužk™Ú]`ìX„Šdá éqHÔP(Z ÞÅ2|Û¤Bﲡ–Šjx…â{Ê$®÷‹Ûž±0ÜJ„JV“¨RO«Tôø–Ô×@Ìy‡{öé^󤱷Œç,12A¬ónÅE:ÒeêTð ƒÙmš°O£7²d7êzÏQÞÿ@gñ[LaoÅ®ãÉîŠäèýÅ2ÿw–¯8ö¯]õÍèÂW­€úswª f»Áúiéµ½¸œÔ‘À··Ý ‘êšú¶›ÐѺVBN.ln0'=’ ë®ÚñÌh‡&A¸÷p“m—'Òpûc¯:kPè Ô° s˜½Ó‹¢¦ë›‹Ê“‹LŒ 8÷+XX[°"yäO<òB¤ÅOÞ™| +4:/°SŸž}ȃتòƒ°Žú”†4dJLX®SÓÊ Kmø†Ï/ªÏ…ª{³áÒSagðòQkíE·o„ó*ã›!Ž/)}T¶¾_]…j§~Ûk_]:Þä»ÑÇ©÷ÇgïͦÉJ«6OyP˜º,´#wð&¥w"¦ä!ôóð$Ž@!˜¿Æ=¦½Õ¶Iºä¸YP¤Ú»Ã#ÿ8qÂ>ø‰ª&Tb7Sãjævôâá´RôȘžªk \“·ë%(*0‚6<ljE²!>\0‹WÚ·ø‰ãºá©_j.| sñ såc¥žüIŽXáï°7·³ˆáuÆjØxÿ©_*‰ÄL74çE`õõX¼#"e™éˆ„GÏ.c„ð²œNaìW›Bz:VºUQNÚ9²È1ß½$¶©‹Ù"HLØ »½¨µê¢«¹à’ÖÝm£CYÔŠEF̸‹; Ás¥¹ `@ai7+¤‘†Õ‘(éª7]ô‹Ê4MÈâùA€T%«O^bz3&½ U(\·ºôð˜?ªD°Í¶_z7G¼ÔEaeì÷;°£ÄÐt> ü¢,,™ùìePþâMëF¼eçC¿Ýmõ<ôËX4Y˜ªE½ût¨5-© k yò_"M æiMö4?qœÛêÄFdr˜7¼pÄ‘ Jò0ȉô¨”ü]-’èÅB×x±ÙDÛ™æ°YÀpÜ@Ň.#ŒþÝ(P ì ÿ¦tþc£@1¯‘Í^ 8÷¥…B„1«)Xƒò¡m²Æ£WR-ê—†A¥¥Ã/­@œf˜’Ê×°s–†­0ûV¡8Ða TÊñÕ²áÅÖõt0”Ô§•—´6µK@Bd–êßz¾˜b–ð| Ô¯¢?e?bÿñ~ý¥Š ðYÅr0K»èHÑïŠÄâi>”=~~tøÛ†·Ëüéoú ‹ñ"*RxYV@- ]ËqÑkÎæ„€×…{8>îËVT¡/dKµ¸”ùr¦åK×=Ø ¡U+–nZßá&ß$}I«k8²ž51M-Ûˆ¤ÈÊÕVªZ8B*.Su]FÖ¨ZrèkRŸš”¨‹Î+” c‹‡¦w‚R—ƒq¹D–†¡˜^l o´†µ‚ܱÕ4æb6É‘´«Ç'Ýý£—§Šv@>÷ÊËš>´wã-‹HëÊëQå ¹†X÷p˜ŠúÂTbŽðè&KÐE¿×|DÏUz蓽í‹áy¥Ý€ž›­V«%ïÚÐ9+€m¼Z3ŸUkÙG?Õšñ(£Z3ÛìI`øKf@A”ªµtãuÁž~#5X?L|¨õÖwð/ —¶ßáý-2Z¯^ml\zKÿð~¤{jzsä“Ï7´Ú$3%`’sé!Àäì‹ è{)¨‰¸,$œÄ J:DÀ‚öäÀ†ñùƒÄnfÓôñÌ›¢YýêM±ëõÓý5š8"ìs÷ì·ãÆÆÎQs,“äxå)š1¤V(ÒÝ’ŠÄÁ°*Ÿ6æVR¦–K7ÎNˆÅô´Â“2#¨6ÚW­QÛ¤t/û~§öðaMËNlŽ˜,æž+Æì©èNã<;/s~¸â˘·9GdîdÞÎTt™äÁÕ`4NA­ç§OsW\6ݧÅTÏAç|;1{9cÌšðyÇæH½­©é2íAöMÀl9×­ØLp;D³Ú–¢9tLö¤°C“5i:y^DÍu ¹ÌÉÎ`rÞóãò K·•l]ÐØÌOt³Ôº¹uXöäpA–5os Á| ¼…)g­úu7"¯Ö%é|J„cÀTi0¯ð÷‹?ê^ÜèX¼à¦?nM7´ª±ªŒ¯ÿHÿ9 Æž0 ¡Õ†Ùa¤ù¥×íÓµ^<(AÚdÜôËÜÌÒ`~…ž)‘7æñŶ2â>óߟî7ÞëGÕÇ_yT}ò¨Œž¾d×üÇŒ€ÑЋIøÐu[ÐÑAa”ݨƒÆ 2M×ݱ·Œg5§7Á/^ È„É2.ÓA̹¸Ú¾ßÁ'úª‡GWxÛa£ð‹?·úG{/¬ò}õIµ¾ÊÞTcã·gªcþú~mUýþ¬­>^]ý¿ú£õGOÖž¬­¯®ýßjýñêÚ£ÿ󾪎dY•ÿ~%j ÞCow0¼u/¯`}¶ËÞÚêêcï¹ÿ±çÇ•cÿÖ¨ãíùüÞ`xí÷Ç~=lõoV¼ƒêqÊ# :œ%¾œG~ø¶g9Q OiîE¾'ýŽ?B2–û£ë€â\ùÄbž1+¬w œ»Ûöºm¿¼$ð†˜\†ó:ò}ïtp1þز§ÀÝB†·éù]äC‚›yk+а œçf0yƒ!±E  øskŠ6íÓ£j3ºÌì}5²2ø )Y ¡Á“À‡½tÅHï×ý³çG/ϼÃßѯ;'';‡g¿mʧH¡7ªîõ°‡äZýñ vËÆÉîs€ßùiÿ`ÿì7$úéþÙaãô”xtâíxÇ;'gû»/vN¼ã—'ÇG§ªçáuµŒ>d-@<4X»GÇ¿áÃåt„>ùÑ¢ÕíØ5غ‹ ÕY¦G,ùþó20yaà,ò'Ç®Š…oü> 0–ãy?à™Ò zõ£Ž«Ùü0ý8½`ËAß‘1’,cœ2$üAD’Uÿb¹Hæt¼‘;ô;oúÅò&åŽüñdÔ÷Vñë3`G§VÉò²¬æ×ýÃGk$ê/aÕ»¿=£ôfÓœéeñFå§O!Í/Nw›ä…«&2Lð÷nC–R‘òçAô{x<“g(x±\Ùç?|doÛbϲ¦+yüå˜>1‚Ê›‘Œã_½ÚC1ðT 6.Ã($ˆ ²í è ­š/`Šýúhm·A]éšW­s#”n¡ïå²×D‡ºåJ½Œä°ÐE] M$ºôÌïn©Q:¯½÷bçUSé;ŽZMõê««±b"Ža¼h4Ç«?Aº®QðÖŽ\' Q5Ïö_4”øØóuà·h ’ÒS;T~­SÍóJÎ[­“wé⥺h±¬6î^û4=¤{ÀZ¬ /,#æ~¹€5ªˆ¡)=Ÿj†Ø÷¶¶ xó1UCч‰‰=ŒJ±¬c)³óÐå û;t¨–Y. üX+ >þƒÏÙ Îñ1øèh´â&–ìÚ‡­é&dýìMÔå5þù™Rù‘ú "ze' 'ÁŒ)ï¨o™ºùa#>Ë¥ÉïÉx(6 „àùŠwÖ¦î›ËCC'@%°$šÏñÉç㳓eA€lƒ7D¿ëUå3Ë!Þ“@,Cl&N‘rYÛ#ÿŠ;ãŠ7½@M goÍ=|ÝM®Zè5{ðkiyËÚ÷w2_o ¼ó‰y(Sÿ$Φ¡˜Åݰ§ºÐÆú¦×EV òÙwßuËœ†î[:ãô©˜ŽH¬ìP'o´û>2cjŸÄjIãd&Áão úþ`° {‚,>~ݰ%xi˜íqaÒg…Ùmq%¡3‘³ ï,$(£VË0e” &²ë‚ìèÉÂ#‹Ô¡Ÿqe€XR.­xn†þ(¼6Î&›Øòö_ìŸI\°`ÎcØú“ësP €!© CÄ‚2]˜³†7DM¯ÑÑ+Ò´mG1¼ yžØù©NT¶Pñ¸ É­3móIŽˆˆBzºðÇí«&èXMàÒ¡l¡%/ÃС°í•±\R—&©ž¢¥§‹í"íþ îõn¼ÿR˜I¿ÕnûÃ1Z}hàa Å¡‚. âÃÉh8üã`#±±åµ#ôêcÔ ì³Ô xhN Ž~®²â@áþáÁþaƒN­>®=F=}PÄ„¢&‡í½A‹µ•ÏÚ#@ëáíç ßmûg9êžž$¢{ÞÞ¯G'{ îï{£I¿ ë,ÿr´¿çµF—a7;}¨Ãñ4Gµ6ëñë(Ÿ~»© B  øSä"¥L[rs\Ä:䦜³bĶËüÿHÖn8ñ G›­ï¯¶$±Òò¦œ°ž÷ñ GjYÁoµÅÈ‹±­æ»ðÃû-ƒˆ” XÌ*g1¯°™(36eظ€0†òÆýa­¢ ‚(Ê5.ç=Ðgœ×îì4öT¡%‘§ª|5üåÜÎL‰‡Z¡²òox+£#þã}·Å&‡£ÊJÇKŠéQ3ÉL#§Çü牭Âà‡“eÅû6_B½þsÈŸ›WÇŸÏåIKöêriêÊJöA|±¼ÖJ£h#íøI{…IIÂÇ&ã¸Ã9ÿ¦´]L›Ñ4 Ó»Ù§UƒÓ¨ŽÓqê“Y- CU0C—t#D´f…öî2Rýº9Û¸`£¥ý¨é°–‚Å>Œ˜¼o˜%a&¸Þ¢ë€øzL®-MW ^¢O'̧À{­ð-M,jøê[]]¨+ê­->Dl…‰ôI…ËMä±¾ ¢JOƒ öç–> °øutöë)K1¶¥ˆ?lka›ÝŽÚ¡Ïw÷Ÿ'¿¶ºã§ƒÑ)´§çÑ#CËÊ\Ù?|ŠÁFå†_wöÏø“÷ÍUï‰ófÓö?¤Ô9;ÿ ‡U¸L6ƒàmšlL^Ãõö5gôouFçU"Ù7VÜZÛf°(àÛúkobÞcÂÍ$‰¨8OgÒ·ÜBåzäFФ†[í);ƒh˜>bŠPßµWû–âÕ«±eÁÈ|¹ç+f¹ˆ`áÖÚ×NeŠ#Ëäší~ú6YˆöûÎ9žíþµCæ"ƒoãon2ú«P†‚øP“ž»"þQ6ìlRdY!Ê*6kÕÆy¯aš^o‹©“QÅ]äu$¨•IåÍ+S!(ðhý±ÅNèôFÖÖÊ5-¡œ,þ ¬èIEÏÆ°•`’…>Ç4S–û'öÿ1ÝyºÿŸUøù8âÿóäñ“' ÿŸ/èÿóÝk¢.@Üíä£^Ï#x´þèzíEý€(XÃÚo¸¯º¥ð –Ì‘§ ;¹¥¬„>:ˆÈ |Ý5E÷J©ñj. ëÐâÞdŠñîrÔºæfçîX1\_û­>…V†íD9@Å\w: B=dÔn{•Æ ‚uû‚ŽY‰«ö™W¤¨˜Z&¤B,ÑɱûlÞyÿÈú MFèn‰~›è ‚gÕ—Áõ…`&ñvч¡H=`×Δ…ÿê•<ÿDkŸuÛà­Î«WQ÷€Œì÷ªÑ5+±sºM €µÃùÔù„:øØÚc(É}èÜU^0eñ<ªo…Ï3IZ:Tu¼P&y‘ie$3à ÁyÔ)%²uk@ݦõŒI`v¢»îDx09Ï&œY®ÛÎJeNüÅH-嘦G2DuT “$äUFŠ0#• (@=ŸIÎ4‘ži&ASWЦV$Å·:#}q0N ÛÂcL ­lq.]Žž¢¥·0޶¨žï¢h{´w´áít:XH€ókZ¢ÿ~õJº“KÁÓV°eÏ&g÷oNhúbIŽÝTM1k¯7I>a7è¹Ëߎƒ83À$S«+Ô}^\òº¿÷¿B ÍÑþóxµ¾öH·ÿ¬­®}¿¶°ÿ,ì?ÉöŸSŒõuÞ EÐêwÇ7ì ,ÿùî›ÝO¥«CXõyk4êú#@|ÝêƒzT™mdBVõ³f+€vŒ ßpÏ"™²ì3ÝŒ¶NøÀÇ¢cçQ;ª}íxË¼Ö ø+Y¬ßOÜšµÙ\_èóØl–W$û§ËMŒÌû§§Ð#’Hþ½Œ×•¤ͽfÑG†êý†½|·¬_Ä ¯†pWDƒñgSä¡3T3 €¢X¤Bˆ“¥¤|.A„w*ÜI1RqŸÏ©æÞH>\çZêɱ÷ûï›îf‚ßsX x;ÝŒ!¢s¸¹-PØdT³€r!åæÇM”­x¦|Šþº´zÐ-ì¼®&š+K‚Ð%Ó›˜(¢¥Qž% Z´:ÃL¤6þñ«P„³zè#’ÖÄÑ IØR×—Y\üTÓ°ªxŽi9ñ¬ø:âÆTÎ*Åì5îô_ àdŠ2eP<‰ðZ"žü%#¡Œ ÁäaY-‘Sþ.Ž+//ŽN~kžîà*ýWä"'ðݳ5åþ^ SÊŸ4ž6NšÏ‡Zà{BLuG/;eǰt’Úñõ^9½èIe¼ïÛçÎòßhgÂ'êéŠWÎ1áŽ4EOJW® ˜Æ‰ð˜;™²lÆŠòÀ.°| mJ(£­7£3ÒAØ»õGó€óÈHÏñ+Ôµe­M݇ æÞÃ@$£…*(ŸôÙð÷"l(³ Mt=QsØÇµ*¿SDzýã¼ŸÄæoF¡ÓÆYþ"ðM•b¾¦‹*ÍV1e5?jÇÓ3žÂ¢]_ g—U"«¼\YG%?N¤^+îD~=›þºaid ܪ¿ûnjM 3]¦#l¢œ˜u b°'¦RÉ"†í­_t»`B(ìAè\¤ï*Ëß+v\?,•ÀûC«@·Üâ%ìv¥\âž ´.ÚeÍÎÀ…ª¤ý!̆ÏÞ#Bð´¾vØ/âl¶¥T'oA멼¡(½a5 ÙÜÕGK!•Ç&[ÖuÀr…ãIá¸d9šW·m±½ ‹› JN8’—ÈÍ€’¼ukò4Þ¨ça} ¬QvƒIÇDÝé‹2qvA¬üíyW)\þöÜŽ…‡…Ì\%Ì·Yµ ´ÿްbßJ±$î­4,ÚWç6Ì›éÊI¼[æBGg³n ÒÇŒ;oÃ~ÃBœå’åþÆÈ«ÃæÛôy6§6Ñ„OeÔ‰¥–5ó ›Ž£roYݲiÄϳx´¡œdÑçn´%rh#œ¤mÝ–6?Ÿgòg…륱g´R}QîÜ¥ëßþþ{wVñw;î, ™×̶áÍ!°kŽÁ[qæ°TcÛí%ê»LÆLöÈ$¾,2±‹³ù²€Nî]®·a®²L'_±d–,AŒY6Ü¢¯³ù±ŠMñT~œXjY='±aÇ1LÎͪ۵«ÎHÌbÆñr’³SkÒy± ,$mÝ’4«¤%ðb…Ç¥ŠÊ Ç"!οüj„zæMŠ):¾1%`z”‚i}-y¿Š +‡7f <ÑEÆâõµŒá }g!…9t¥Ož$4wõIö1™9À`dɸBÀ”£²Øc*…ÝΊ-'*i‹Œ ¦üO[ÐÏÃ3ÕÆg*¨þ·ºy„ÖÖ,vñiÒM­Çhj5HS»Qš¦ÓÔzœ¦v5M©©q¨þ½…=ž1VÌ›]Œ÷…±zü}ÂP=Î)Àbn1r«‘R S:¡,F ÁÒ‘Ø”™6R–4RØ5ñ‘ú6æï­ŒñÙ›‚´°§ì õú÷e9˜Iƒì†víqmšñ?eoõ³SÃú÷æÝ”ñõú÷I{'³fÙí I°Ì~Ÿ°Y¦Ì$|Rð¥ì¦f¤æ=5f‹#;{æ¦ÊªÐXw˜DÄ6ØÀzƒ¸ÒÌîÖŒ< no9—¼=ÄËKœÕÛJ?\1pÿÀj£fŧ†1ŸÊA7mÚõ¦-±¥uøÔqܧyÞrW0»L‚i®Y0ÍœSã<°’]PÒh"$‚ÀV"¸Ò¦½tƒ·,K‘!vÂì2 Ò„e©ôi`1+C=²4Ò È 4EÜ’Å ä–BG&e ´°cé$Ñ#È=ÈNk©»›AÙ©S‚àqžašOB÷(]šoÂi;¢&f: Ê”:¨m’)D¸Aæ8·–98ª”ãë'm}æ“*od‚ŽÛŒ(“zhØbέD *=ôTŽ´IÐ8·4²”Žžº ö4ÇhO³‡{ê0ÞS·ŸæñiÖOcn%VPy]ª“hÐ BŹ­P!P¥t¶½H·£P HqAç0ä®B„,”:ä&âÜJ„PN)­$ˆTx¹¦çÉD6nKù!‘² J˜cD’øpž!>àÑ‚ô`†ä§¢ Òƒræ`< IÄ÷( _Šü`Bj¢§"ì3S~À ´]E$0 â¯ÁF~`¸’­7Øöp2u3áö¨ìÏ«·^$í¤Ú°…À0ØÈ Xzài8Â&± ±•ÜÀ±%÷ñÔi§î£<Íæ©ý8Ozšc¤§C=5µ•¼€åuqA¦°Á6ˆ |¬Û u¢¸À3†ÚQXEÒ‡ÚRTAm‡ÚUPeÒ†Ú$&ÀpØÈ á º•˜îx)b‚2Kr ·”’)[ž¤„;ê$ |›J–"—K-o•Özûá7ºPÊÞ¶Ä[Û)b,·FôøÐ‹ÓV_\~«j•©°rÍòÑ£ú“ÍXÞ¶\ûûZÝî~­ê’DwVÙU]-wù[ÂJ‚éa¡ššA¯1 =)MJm«D´ä†6 ^-ÖÉ]ÒÂð©‚žÔαSmþE $½ïoÆrpÒümmýÑfä"³tý£°ÂÊÄ&Bdb²Jp"Dæ%«£|‡•è­ÿ÷–¾†LýY›±«FJW³÷£´™CÖ>•¼Ý–f*bµ¯iÍ·–µ–ZÞ™O¼þžâ²•Tfù[Çú÷¨qÁ¿käãÑøhÆF2ÑÃ+µâUú¿UµõµX½ÕÒ¾Éklÿ=ºëºëLÉýìô[»ãºñ¶oV²sÔíÔål«þ>VõúZþªùÇù–kz§»šë.çaázoßm,ÞÄU{KK6}Î>º³ ×Èõ7XžOæ½DRÖÆ­¬‹ä sK‹ÁqdÄe‰ÊýëõD¹¿¾Vß4Š}{üè{³Ø÷d½¾jš‰DQçiÒÏ\Ö[z}–ua3cÕa ˛ƮԺ)I—JèѵUs‡>þ{ýû[íP×FÖZŽ|´m?^37®þýú“{Õ8ƒ°m§yîë+)ÚÎp%}=íLϺózshI=Ö ì¼ü .ÒJ­D¥b®ÕÛl ËPiyÍó#þçÕÜßyü}ýñãðý—ÇuzÿåûGõEüÏEüÏ?MüÏ{ýÓ%ögFäϬ¸ŸéQ?3c~fEü¼ÛxŸ·íÓ2Ö§m¤Ïûç3”Ï1>ïc„Ϥøž‰Ñ=b{&Gö´‰ë©Fõüšczþ "z.âyÎÏ3!šç"–gžXž‘íÎP+û…Â:5VašwæÐžN¹ß³°‡_–³[‡?TôßEęà ¦ÌÝE8ÄÛ ‡˜Ñõ ìØ=<¢^öK„Itii]%÷nÃ&Z“©³ñ{F1©5FW8Í&?{Xňÿ>†WŒ…I‹p‹÷,Übl¬¦‘ÁZ„_¼—ác㦤-Â1~=á3"2÷“y†gÔ aÓvâôó Û9¹÷ácì#š±çø§ç˜0þÓÈX„wü_ ï˜0)4Ébîñ<Ü£åy[æ¶;ÿðZ_MÈT[BZ¹†…ŒéÝïð1>I_„‹ü†‹4ú42ê‹ð‘Úð‘æ   '‹p’ÿKá$íΆ3·Ï¹‡—ÔjøJÂL¦I!iðó ;=¾ßá'c IO^„£ü3…£4ö4:Ú‹ð”ºð”Æ×¤ŽE¸Êÿ‰p•V. ÙûäÜÃWêUÜ÷0–áÌpºËü„µÔ 6‡· Çjæò« siàÙÂ]FfÃm†½¼Íªn)üe^’a0ï" ¦ \zÉ/S«þ „ÇÔ›ÿ%Âdê|‰p™:_ lf|î8|¦q| a4\_Úza5£«ünÂkçõ£;®öîÂmÆWÑ]„ÝŒM§{~S_/÷* §Ö‘wŽS«õÏ–3oç~Eá9憎÷#Lç=jí\ÂuæmÏW¶s¾Ln¾ó¾‡ï&¬{¾“㾓—É ßi‹G4ÃEš¡ ñ#€‰á;5¸; ß)ÿÖÂwF ¤á;íÁ™ÑF£ÿÞ„ï´hE†²k߉=~ÃwŠIž¾3’Ÿ¼8ÂwF²S–£MøÎèâPÒ¾êð²]_øN1‹ð³…ïÔ¦z<|gØÍ‹ðîá;“;×–'|§±¨MøÎŒ‚·¾3¹_Œp®á;Õbw¾Ó²EõÄu[á;mSï&|ç݈œÂwÊnY„ïœsøÎ䙹ßùÅÂwf J£Í¾S-üÃw:µXa“_ |§=©:G¿‡á;¿èà¾Söá"|ç¼Âw&ÏâEøÎ; ß™1 |:GøNµì— ßéÒX…iÞyøNk:uæ~ßÂw~QÎn¾3Ôá;gß™I_„ïü3†ï4ú42ê‹ðÞðÆ   '‹ðÿSá;­Î†3·Ïù‡ïTkøZÂw¦H!iðsß9¾çá;£ IO^„ïüS…ï4 ö4:Ú‹ð¾ð¦×¤ŽEøÎÿð6. ÙûäüÃwjUÜûðr;ÝeþÂwj'„ï”cµßùõ…ïŒðŒá;õÙp«á;o±ªÛ ß™“äEøÎ; ßiá—^òK…ïT«ÿá;µæ‘ð_$|§FÁ—ß„»ßiZ_EøN×ׄ¶ÞEøÎÈ*¿£ð¦yý莫½Ãð±Ut'á;£Óé~‡ïÔÖËý ß©väÝ…ïTký‡ïÌÙ¹_SøÎ;jâ= ßyZ;Ÿð9Ûóµ…ïœ+“[„ï¼ïá;Éàs/bw"%N;±@VÔNL<* (Ðbˆ¨B%Fê î,LghÕ»šE2#@§%¬0æ²ïMhÎ,ú3¡°j¾¹‹ïcDNšÌIá8ÕÌ„U—ˆSÍKZg6!8µ‰/¾êà›¬E_äMˆEØÍÙÂn†Ó;s“wð"à¦{ÀÍ„nÁä µ/gg3­ÔíÙLè‹8kxMYæŽbkÚ4¤n^5·U3“$ u7ñ4¿ÜÞâL“uÈ"’æœ#i&ÌÆEÍ/F3uDLÜôÿÏÞ—7´q$}ï¿Ö§è•µR„ÀW JsØl¸^„ç1ޤf-iı¶¿û[GŸ3£Œ1vðnÐLOwõ]]]]ý«ëhê”_=súŠ*vøp3§,¤Å³ï bæ×cñW€ËäÖ»Çʼ)¬Ì#÷(ó–€2ǵ3¾D¦Nøµð1§®£bŽ·ŽŒ9] -ö}×01¿ïžSnTïÑ0? sÄx½‡ÂüÂP˜cÚ=ç^Ó$ü*˜ÓV°ª zËØ—SÐbÔwõ2­©fiF~x—–fýN‚]:g2òýæò®Á\:½tawÓ=ÀåݸtzLÜC[~CЖcÏÆ/7 j©)ˆ–£VÙ1ÑoËÒ:¸û@–›pBï!,¿oË”ž¿°»þ¼òo^™2ŒÔp[ùw‡­œâ¸küÚú+5ýo­r¤`dì›Å©´ÎÒî8H¥ÃìÀ{xÊïž2ÙÝvßS~¿À”É®7‚Ç=$åß ’rò¡ìø5òæÁ(5ùo‰r”„12ò cPÚG¾w€Òa9¢-’‘® =©ÓÜòä4©¦Ïš/…;9±H:Öí N~½µåJ “Ü ÷˜“7Œ99b4ÞCN~5Èɱ=’ÆM¯8©S~E¼Éé+ªØáW@›œ²ϾƒX“_Å_j’[ïiò¦&GŒÜ{ É[š×þiÌø0“:á×B™œºŽŠ9Þ:Æät%´Ø÷]C˜üz¼{z€I¹Q½Ç—ü||Éãõ^ò ÃKŽi÷4ž{ pI“ð«`KN[Áª.è-#KNU@‹QßU\É´z¤ eø  JZšõ; *éœÉÈ÷{HÉ»)éôÒ…ÝM÷€’wPÒé1p'ù ÁIŽ=¿hÜ(˜¤¦üM`IŽZeÇD¿a$Ië@âîI:l ½‡‘ü¾a$SzþÂîú{É¿ˆdÊp0RÃ=„äßBrŠã®ñkëÔô¿üÈ‘:€‘±o=Ò:K»ãà‘?²ï¡#¿GèÈdw_Øý}ùýG&»Þ÷°‘+ØÈɇ²ã×È›Ôä¿ÌÈQÆÈÈ7ŒiùÞqÀH‡ñXa÷p‘ß\d¢›/œ~¾‹üþÀ"]n$Š{¨È¿TäD« ‹áÍEúw'R®)/ä~ (‘¦´#@"¹î1"¿=ŒÈX×~&D¤5¾(Bä—ÊçKD^§¼÷ø·‚9É´lL²¯…©óþà¦â_ÒdÿU !Mö_ÒmûÛ†L ùorjÓÑ´ZÞ*¤=›o 21Šn3Ï[„„t'Ì­ B:ãçnBš©q·ð uÞ¤Îò;Fƒ¼N³~K`·Q¿;‚yGªz3Pש̷†ys,íò®Aº{Ý;ééJÐNÊI‘ã"'aëÆÅŽÃØ‹›k—}$ŽdJì[”tËC–L׿L€˜¼j¢4UÏÝœºF¶ÂWm™ ýqñ(ÝI1 ˜25Ö¤©>ª25ÒÄÉ= xeú$K|ù¦á,cuüöq-Ý®¹¸ü<€Ë”)DºŒ7ù=äåÕ!/'5ôèÈ×ÁC`4Ì©’YXÌIí5&öU2“‰o 1óJu¬N˜†_ CsúB&£ßªæX⮯k¢{œÍÆÙœ4bï7¿àæt]3–=_‚3Iâ+bq^£ lõ+ s^µØi«ÁÄ뼋ǀ;cíyàySž“F÷=”ç-AyNÕc¹û5À=“¾ÊçÕ«Ÿ`²·ŽûyÅ2§- w ô¬ ÓC‚Æwë÷Ø Ÿ :iL߃„~aÐi:`,¿lh …¯‚zåºW“E¿eDÑ«9m ¸«£ck–jÙ˜rBq¨£içw~4ýT-þáô®’¦÷ÛEjÇÝC”ÞMˆÒô>L|¹-ý†@K§;€™rºQÓdßžéÄ}št7Œpšv&t÷¡NÓÙMúç{ðÓïütÜX¸H ÷p¨+8Ôq$EB¹Hý»¤^åÄqÊÅú @¦&3úv°S'ë6&'»Y4Õ´Î;«šÎ×R¿Þ­~@«cÀE긇^ý~¡WÇ †!çŒõoÆz…“ò)Ý›‡gMæó­à´N”f&§ºaäÖÔ“ù;ášÎÀÒ>Þƒº~W ®£;þ"½çïa^¿?˜×у Ez¹~ý{¿NoÜ1íêzóP°)ÝyLØäIãUoÐ (±)ÅëÃ{ÜØo7vTg&€lÚÈø¢H²_<Ã/)ûY¿Ç–½lÙ©M §IÿµÐf“…ø°³)MñUðgSÊñU€hSÊñ5iGtËmCÓŽž(ßFíÕMÇÖû6PkS¹Â-Á׎û _%ó[´1ßnÙ6}°ÝmˆÛ”™u·°n“z{ ·É¼¿côÛÏjèo ÷V+zGðpïZo÷³jõ­!ä~Fx•{סrÅ×@ʵKt% \;á$œÜ1q“Ø™c"Ç4ÇDMÁÑL‹=#7ùÖ rAòÅrSu°r¯˜†µNÉêÜxÜië3a7~Åfßw×™ £ qÓ"M˜Ý#€qÓâLšÏÓÀâ¦N¬ø‡o×­á·‰ëtÌ=$îçAâ&‡7Öà÷€¸WÄÐÌ#ã^wtúiÐp§IýeÁp'´ÕèÈW…ÂM¤½%$Ü«T°:~ö})Ü©‹˜ˆ};(¸_M»®Û@÷¸7Œ;a´ÞCà~5Ü©zfW¾n‚ÂWÄ¿½zÄÙéW@¿½b¡SÖ€;ˆ}ûõ—Œ+@ߺ­y|{SÈ·Fö=ðí-ßNÓã˜ú5`o¾êí•ëg®·Žy{µ§,w ñöë¯ÓÞÆ6ä÷x·Ÿw;a<ßÃÝ~a¸Û)Úï¾Øm’ÀWÁº½jÅ«‰‚ß2Òí• œÂøï*Îí¸z¥>&nå6å$ãN‚ܦž‘ÅÂï!nïÄmj¯]¤uÛ=ÀíݸMíÁø‡{xÛoÞvªs•韷MäðM`ÛNZŧHvÃȶ)=wØ6•ͤ~½‡µý¾amÇŒ„‹´¡pjû·µ3<’RÉ=¤íßÒö LjӭÑ_Ð6‘Ï·ƒg;Q‡11ÕÍ¢Ù¦œYÞq0ÛT~–öñÊö{„²ÝýiýdûýÙŽ IÁæÆöoc;ýá÷tkí̓Ø&²ùV0l'I0Ý0‚mÚQû°Me\)ßîák¿+øÚ‘Ý~‘Úï÷àµßxíÈ!”Xî¡kÿеS[kL¹¨Þm¢Iož6‘õwŒNû9Íü-ÓÞf=ï6í«òÍ@Ó~N¥¾5dÚ›g÷À´w˜6®àºØ´±B] ž6~tBíøèIËññ〖ãc§@[ŽH0­65þ­Ö¶Z·„YÛj] ¶¶uMäÚÔzÝðÚ+ÔjÂ&ýêí3±gî"Šm|’Œ²o2g;"ÚÓ~PÛQ“/åÛ7 m›¨ç·n›†Kyp{}€ÛÖt·­{˜Û€¹ÜØã¢_ìv,‰iðn§$ðe!o¯Šzû™À·_ûöŠ5­Nœ˜_ ÷*MKp;8¸wb¼n>ç=îM¢á¶îqï. îõ0qo÷Ž!ã^«%RØìWÀǽzÑÓWˆ;ˆ’{'”+å¦{ÞcåÞVnë.÷®Àå^ 1÷&@sïnîu!…éÞ:zî•˾XÜ5 Ý;±RL£› z¤û™Hº­{0ݯ ¦{<Ý›€Ô½;¨º×hjZño[÷ªÅN_î*Âî„Ú¥[n¶¾ Înú™Ê„Úur—üt¸{×wGõÝňλ‡Ý½›°»­1È»­{ðÝo|wÚ#©×¥…àMËä›@áb¥Ÿ.å cñ¦Ÿ4Ý}8ÞVk"oZÅîAy¿[PÞñãábÄ€¸‡æý[Aó¶&¢ó¶îzïz¯*]%ù—„éMËêÛAêF2M›ÅëM?:½ã½­ÖxÔÞ´JÝ÷~gÀ½cÁňQpßûýÂ÷¶&!ø¶îA|ÿÖ ¾W:ƒŸz¾y(ß´œ¾4ß)¤œiÒÝ0¦ïˆsÿ;ëÛjEöM­Ô=¸ïwî;®ó/Fõþ=Äï÷ñÛš€òÛºúý{ý^Åtdúõöæá~S³ºóˆ¿­«‚þ¦vÇ·€ûÛºôoëý÷ÛGÿÝ០œ>:¾(ð-dù¥`€?³è÷HÀ·‚|Æé(|-<à´b| HàÔæø*¨À©%ù*ÀÀ©%ùØÀ#;ç¶áÇMšo!øZ¦Ïãë~8Á#¸Ä-A› _)û[ 9ûn3xÔ°»Û°Á©óìn!§5ìí§åþãfcK·\Õ;‚"|÷j}3@ŸY¯o Kø‹0Åëà ÿãîýkGý1ìE¥§å'åê\…À‚+ýa·uñÚm¿]>ýŒ<æàß“'ðwáéüœý ÿªÕ…ùê?ª žÌ?™47ÿ¹êã…Gÿ!þñ-ýãÊÌéßoäß(„ëüyœÀ¸^õÏüvØ# T‰w=+6Ë»· omc07¶ê+×ò¶?ësô§ß7¶æ 8ƒµr§ÑXùã…7é_0|)ü»²FàRúU} ÷_î­-¯Ö3I!f(ž] Ê=ЧxýÆJÀdÖ×]óQ¢ËÝf{ØòÅÏÑ ³µ|ú‹„„Í‚°×. ¡#ö§È)µ¦¬SXe2Idù)‰ xÑûMYŒ$!»9Lšó Û Ï#7ü˜5ì§|šåîµµqËû;[+Ýzã¥Ûgj8l¿å÷~Ø=6AU†VÙ.­AŽP] kŸ½4[0ø~_˜_A|q7[}¡ìa¬ oÙ{ô>S #/U x.¿O“¡êAWütWÖšÕŠPËbouc}½±oHÛ¡¢7èC’ãÆ ‘xkùMÃj~|n…ŠêÜœN6¸ìù˜Œ@c‹bK‹ãÝfa†Ã`ñÒ±ÐÊ£ ò¤‰SX’P{þ`ØïF⟸jÂLŽ†Í¦E4ceöz2ƒäº<&£Y±8®Îš,Ä`˜H7HK^‚n_Jê7šA—ËÓðƒ~c ðgÉ Fàüþ[»qßágÌ3€2xù}È x%º¼¬*ªÒ‰_œnâý婟NàéÛ•\}ÿ¯!dŒv†¢,YHªŸ”o„|üú‰A«±/w_½iÔw^í­¬e¸+WýcoØ Lvó½ˆðL0:ç¬ð£žß àñRœƒSâîO‰£` –ŸoÈ£D:”löQá.‚AY\ãŸ<“ĆR­Þâ²5¨lX´F·7S›TÄ?¨C ¨ŽÈ?h‰FGQú)(‹lfTÙ²;¿ ïxà÷a¹ëãèæ(Û þÉ„ÇÆb6Ïü€(¸ÄÍ éˆŸõ]?þ¸CGW3®YÓ$±‰þ ¼‰E0+ˆð, r5‹gÚÀ .6(Q¹bSqV0àpª£‡Ö¬jðHƒ©Î “SlÜa«¨¿ŸWëÿ†Aëü6x7+¶_mn~våâ U ‹ÜJ(vPGƵe ¦Ñ[Š‘³~Æä˜9-dñq‡ôIryœ†6ŸTTrá¿yŠ©¿)‰¢M}Ì­Ûš™3¬òJc•Ç$D%b=ï¼;3ƒ S,P­ÐzŽÏÃæŸ>ystýÕö ,îjÕ`v$ÃðÔ³ØÜãYñdV<@á'gè«ükbmoogoŠ   ª¼³OOL€DÁ u7tgDZ^sΟŸâ.b)n´^ûýàøRÖ¬yv~+8¹®úmïræÉœ5nk¦šq“QOºøl´¤çL4è›0ú^§×ðú'•ÉÌÁ.æÔ&y·yÀ|Zý}goU‘åÝ N8³¹ûzgcUàLèð¬LÒ-Òßš˜IùT ”4We}f(—ÂŒ-“fˆFé—ãnaFæ‹ÁßáoÛã p›—ËÛ«›ké 'Y1üóí oWšITÕà]ù¸ Ñ«K±`ø…ðÀæ!š‰ˆZñ÷‰ö .³Äº¨u©ŽFR+}£µ¸`1 ˜¬¦ƒ>X­cgèò£öpC&I<¡`‹T»Fþñ°=+ &Hbû/w^í‹åí?ÐïË{{ËÛû,ÑŠB2ÒFRA§×Æâ÷½îà›akmo„šýåç›û`¡×7ö·×êuªàΞX»Ë{û+¯6—÷ÄÝúZYˆºïOjC®ҡβ•í4­q'ÕçÊ,f// –’7 bÙqp‚:ÜTM+HƒÛ;zš®m%]+ëÞ]„^k ÛX][¯Û[:p–à:^Е.Õ’£(rx½z={µ1K «Æh½²4ÔîAXÖþd{A”Z‹=®ü1Cÿ4b­ÀE©aT·s¤½åCƒ´–rW ØJhž Hu _ŽØPæ#ÔB9yT ›õý¶•̤’_’ioGiº,ñöJñçSˆ ‰O:…L†Ð0›0ùq"ÓYñ„–КŠ p¸‰m\‚ÖRÆÙÄ…CîK4$Èý ªR©®oÂ!Ï̲ÈJÞ!‘i\*¬M"ULJÕÇTeQ7UM¦1¢ÕçwG‚yŒõÜ–B/yk‚¼Ûntϼ~|rQ•¿*~©©çyÌÖÒ…£4)ƒý 9.">•®sÙPe6¢¸L©jï«>8B}B¢æ*ÑŒ[»·±R2?þ³ŠÅ—ue[…Y©”=óqÖIý£H‹íŽv~tZ.›ÞWŒkHϦ2ï-ŒxäD<¢.×Þ3 ³,Q1¬úÙ¥˜Ðpt‚Ö ¡ƒÔ}`w½÷E4ìK ×óȇ%wl°¯ù@7Œ<&‘dè¬q Îÿ%®Hx³Ó¡#¹#ÿ¢×÷#’nâ§,±Š]³¢G*J£Ùn—Ÿæ½Â¯{çByÉ E*h˜°ßB§Ò° âðwš°;`F~„^aÞÄêzäÖõhêº& ?¡îèY»%Vêk¿®ß Gãšáhúfø”I]–âBDÊ¢D&XR¾ÅÁ°n[°Æ¬.˜~ä¢2r™rÄuÝd r-Ý›ïÓ½Kgœ†£ˆ~K5ŠK¹Áößa÷½t‰!Çý=™•K‹Ë鴻ѭ¶£ÔE´ï\²ß~²Õ­c4¢á–gܪV©ÎVÚÇ_ʦ›ù‚D¢¤ßM„¶·“™Eî—ØZ8V¡ˆ \Üw÷BYjuÖ’ÿÕnÍB àÓH½"·³é2Á4*FØQóKéŸJÚ¾3-ÕãÑ©}Áö›ÿÚíW*¥ã;•†š æPÇóX ÑHu A‡xf´x³ŒñËf-Tókœh=b7cs²X»O!e§òÍ¡fþ™´|sÍØÌN:öáùÎÞæòöê ~Iu°Ž{Td7/¶—7;T©hÊz Ÿ¾Uß_«ï7Ö¶^m.ïoìl,K“F³×FøKoÐ$]‘]É´l%ˆ'iѯ…6üΰMÊœ¸Û؉À@¢ç3¯ME/£±¯§!…Â@nÌYlò%D›b.‡ªtìbÉ@yh“/§¥—T»²/^©x¦Œ²rU·®óפ&k¬¨É×yËêydÿÂáo rTîŽ[»b7‡­Ú¡|/–$ÎÈÈ6Nã“ót~-ƒÐ$¼6¬|¤×Dé¹K§4íäÊfÙµÏ-ÅçíÀ+]É4•BËt¼¾0KõWï ç^?˜åû…d¹¦¼÷sµ«”nMÈÄ!sKUwÙ"é 8«°—rl“êú%åË4Fƒ÷/(’/•ÉeóhŠl12‰¥èÔªÄôÙVê§9kÑR‹-1‰¥ƒîÓ'VšL1õ,Y4˜\yµµ‹¡$ÇÄ)ݧ}€g"” ‰`#iJäì†_ã7NF¡À\C¹IªjÛ`úÜÖjκÊ>TÁ{²ýæ^_#—(Ö¬¥P›µ·zKȦäXIPŸXîô-Z¢Hg{ŸÙ¤üfÏþh—BŒš&KqÑL—ºgj~ľÊéõ¤ó_´ø ¿ìùïÂBu.~þ[}òäþü÷+žÿÞýÞý~æÑ/Šâ«;ÛûÄç¶¶–w!Åî©!IÜ}Ö:þþSÚ}"żä,å ŒvùÕæ¾}O†‹jJ_ýJÄÕ'ÈÐ;Ãh€=þsͽ]Ã[…z8ŠÆ‚YÒbx¶{k VÕAˆ²wñ…¦n%Rr·¿ã!±]|ƒÖ¶+^œÍ à6×¶_ì¿ßLVDÊ$¥±(£ó\Þ{±†¦p MþßÚ„l¸È¶Fä/­Ê ·¾¿¼½º¼·ÚØZÞÜÜYqîañš®¡ŸœïÇÀŽfz!SÒ6ü®‡;¦NÇëÍ·±¤­*0¹A£‹æF=—øTìÂþÙ:[Ö œÏñC´»K™Lº­eÉ´¶5+ðg7JÞq …+²ß°Ñ¦p%cß3^º1Cçhêà ¥WS”‚øŒ€ªsZæ$‰™,h—5}¯I¬‹?SÞùM)ëRJ@?þhç$…7l¾ Ûeï[dšÑ’­ÿ¤Å3FD‚˜¬`z³ !´ ~ò•™EUm#¬Hè»(#M wø§ã¾th¡¶Ã>äm¸4¬=]TB¢êœ:ÖÕ‹ ­_2“.$ÎÛæÃ²X¥_¸uk¢µä„⸢; A?p Écp¼PÄ1䃽ø j> ‰ÙžøÑ¼%&«~ød–‹µç¯^4ö^m7v¶×hÿÈ'ÔV ÷ÔmÞ9âcÏœQô€~{IôÈäkðŸ¬Kº¹*ÞqÈÎr,lKÙ«¢pGاÉ2ÒB _VNýæ{– Úh¤­×DwØ9©BØ<ÚíòÂg4¤½¨‰Ä»'òð¨Q¥›HΪô,[#ðO×i‚„µÄ„ŸŽjÜθduc3›rãê{ôŸ5«m¦;. á‹.ø=¿9ðõý)Mé vØ\ ,ò„ɳMLª»c,Á¢Ê5mPL× ­[b£“©Nî®wéä<>ñ°à[sñmœâ@Ý?‰ èuìÌ žûs§'{›Î“tZÁ1YÓ§¦Àè!¡Ðù±: ‘­¸*™!uÁdå©Ý¶™ê˦À(’\¨±¢A&i}»U½ ´þªª½ç£0ís­/fé ŠØ„¶èb{€à ‡=DË'¦êÑ=‹nHgØ—Z Äpµ‹p²\”?G©¨¹ÏeãFàeñÒL(͘2–KË9Ýæ—KöÒ H]˜ÙDqa†ûeALX–ä´F;À=ÍY’ø "V—„{m&ìú&"Ú0õO¸ã¨ Ø#f À0°ä¯‚Å0„¼Gƒ aFúK2ëœ+8Lô¿ô#.y/ëà Ÿç%®ý 8ó¸Ïäÿ—%»j¨¡Éˆ‡AºÅç°Å{: pÄ45Åþ4ܱºQ0+RjáLÖ‡®)ÑT„y¿KÆ6´2ÛKoÊ)h¢ ¶bÚ1÷ë½Ã•²÷ÖMR™O -U1T5ý5mr#ÿeI%c/›Œ‘L>_6‰I'ŠûÿÅ­ðWj+ü•Ú G¦jÔ†ÿÄQõñcjKŽú†”ð[aÌj@×½Û0°§KÆ…ÆUµc¯°kƒ`õƒ,ìè¯ô¦~“…=Sغ4û¼Òþ% Ô–!ELS«€f‡³úÉÞìõbrL#µ'lP̦V ™FÓýD|FËRx\’d‡fatØ3.‡J@åíé΋nùåæTm0­PQ}bö”òûÊËWÛ¿ñ×™ªøùg'AÁ:!Ó¨þIsVòY¼Vy¦jgߔ։8~è ™q o&ÖÚÇÀ“ÏMî Âï÷½­¾sn®é8?‹*ÎQ—!Ç1´ãmÃâõUœ2¢’Ñe4Ä$âöŸ13éýW‘w⃘‰·vïhU JÍ™J99|rn ìú}ºÚ’Ìk“ÂÞý¶OJQ=$£@˜±³ukÜ:CpV7Ÿ OSÈ^žKf9hh©ß‰©éE~¤mXÔäµÀTYèpuô›L`ä’Pû`Ô JÕòY܆µKÂëÇÎeÌu_[¤™µä {ý­Èò$ïm|º¿öw“ç?RŸ{2ô£è†ŽFž>~œ~þS_xòt^Ÿÿ<ž{ú¹êÂÓêÂýùÏmü{øOQ9 º•è&êò`àwz´1£¾GÛq¯vƒ&ÈwÑe_é |™&µ94ªþôÓ|i~®úÈ=±Žbf ¨œÉ Ý]4ð:½Zã—ªÕÒÜ£< 9Ðq8ËE$É,ái Ä9R ¤}¨t ò„Ε®{¨4ÇJãΔT› Ì.ìi™ªj÷úáIßë\ó° ¨XÇMWNÃ)–q2Õ—JÕŽ=rrå 3Ç}}¯'ò‡BÌ‹êc'++ yç¯66W±ÑʆI*iߣYtYl‡ë2$®e¸´Ò*“Á÷›$[©C.N,Y5aAÿѵÈ`@àK,„¸~‚Üö=ä¸x»!‹ÉxiÓ(9gå‘ßÏg‘LÀ+ù)ld½æ)ùÚÃ3 N°K²$ÜÆ‹cƱׇâ%®V}­Û—³âÐnŒ<·ÙuK¾Ü©ï7VVòeñ;ŽQÚ…VÐ_,ûH6Bâ²µüXXÊvW•eó«ÕoB).¹ªÔRݨX°ÍJü€&ù “AcÉf³S¾q4 Ú­Zžû7‹ý‹@BµƒÜ¯Kb¦ß¥cqƒl¸Iç©´ü³JwØn/‰~²æ¯ö²9¥rSô²È*d×"*gk5ËCoF„ÕòÃþÖîêÆ^­ >Aø€R;œv¼è½˜{Jfå÷88D©ãžTš'oè_¶`çsˆ±iÖ”ºÈœ-é– YŸÄÇ”—Ž òúêÎdž˜lr¹’üˆßâåÂÚ"Ñ‚MÔI_ÊåÆ'Äæ¦)ý;{ƒ\”¯ÿ¸Ö¤ Ⱦ=Rh~[Z¦®8Muài&•g0dñ!Å™v)~jX¶ =bÏ˾®esTn ùª¼éÎо^Pìù4›“sd‚i¡™-Š"ÅÅ”Gè–2h­Åò6›âþk>ûI4ú‰—­¬Í5E þ&JÔ,30`ü€$ú€¸®]:¨X3«—Œpà/rbüU¼ø"ëT*K粆ªC²6[lЉ8Õ(È<@F?;[,ÄË€ CߊôÑý&[#à!P.‰q±dvñx*Ƨ·ÀÁ€áá9ÉœÈ w/aŸ\z§~!ÎQnC‰SîtŸ×W!j@ |Ô1Ìœœzÿ þÝ ›åþp€gæe¿5D©êQiîYiþQ!Cxd4‘ŽE¥ì ¨Ì ìF÷ÀîòþËZÿ.ª$4IrÄ`Zµ^m/o­5¶–W^nl¯!S :”:±9ÿñ£pc»ï»áyW¦ß[Û\[®[éû£Ò«˜núúõýµ-“<Š%7éeL79j›a;`ÒŸÊ^ÅTéyeslꟲ8{6ƒîðâ#ÈÉø_¥XÈ€³áì'Úˆ¥ÌÈ4¥ˆþ_4<ìÍ÷â¤Ø GIU /Á«°‰Sma ÂæÆó•Hê™Ì„‘‹¼ÌXÛÄÏ?—ÖvÖ­ ¤µ‘è1ð#`d„?ÿÀqÐxµ‚4™Ó°‰ƒX1,ÿVàð‹‰©B(nä[%} @‰d©s®¬³f8Õ ržô}•þDZy¹çƒ ÌØØï=ó'JC‹Òb…¤à¤K»(`e%Þóa÷ÁF€¶?¸é ÝÀ…´<*Ç;XßO‹±×ïr|š9bxLT¹¸í`/yPð«˜éE­‚à¹À RªŸ™sÚ³x½^Êι@œ„™@¶ö1=m/äNu0ìÁ"°(Š¥b©ë€¢ß>.ÎZï^8g1§i'h‹°aZG=ˆ, •¨„êÚ—˜>Ñ­yÊükmsÝΤ(Ωô‘ßFÐE,Yˆƒð¡†‘”?¼!RÚÙg°Á¿Á’е®Ap´ƒÁ%Ò#ë }BžižzÝ ê°#gÊWf´ßNÏ‚©ÝipÈÖo…~ÔÍH4‡m¯s¬‰‚Ïè± °Glq“#Ô >¡¿ãyιwÑ5p6ÝÉJN‘…\aÚ7íZ–Q¨9=/w@†éÓðúÍÓlæ3Ì˰®T‰_çd:g. Z,+è?6­â²4…Cd)›rä±ú€ñO;þ9*d^K’.t*Rщ“ˆ.øm%:m§F9²£¤ÄxìyÜö‘¬‚¤VÍI@lâ®Ç¾š8uæÎÌÉâP!=¤Ñ„¾=…ŽšHƒ'ž t‡‚ÔÐrÕ>"w-OßîÅÁ³';Ož½ÿØæß„&*~Œ`„6?žyÀ;F2{”†¨¿ (T£L2Á[KÎQôà䬥¿T:daàïÜwP[11àl `¶âNö_k+;ëëÀà ?)` xeœ<3†õÊš;Ãü&/ ßÙxó«ŒF5ŽÕ¥%Ä þA(´=0c^ìt‰¾®+\ Yõ¨®Ò’ȱâÝèI¸00ØJöÛ¼Ñír·Ÿ£Yä(â †r|XÛËðÂie?Ô÷¦1í{¿ß™\)a, ѬˆBd²q¡S@VP ¿1ßa 7¨ÞɬcÑà²Í*C”=J¨º‹7g9¢ÖâêS›ÉF©å1i>Þ¢ê+ë[ã ÞG­y­¼-5Þ•‹•ƒr—c§õë¤^Ù}ÕØÿcw­´µ¼ýj}yeÿÕÞÚ^é·µ½íµÍÒÎîÚÞòþÆö ¹¶.ò O`ÏJA´Ë³›‹j \]M@0%JÏ&NT$@SÉ]ÚÙÿŸJ¹aô)÷AÖüðg[¥U\|@OŸÈ•È-|Ò“²ø¸\¼GŸ{¹Ù1›ä®o>þ5kÉ$½¨ó•VÍ#69Þ™´‰…]LU®TI¸ÛïŸ<’[$’ [æ>Ê‚MícX6Ìq/sä¡ #n©Læ.§å]*“Ä{Au—§Ä‡ˆ‡_r@?žœ’†e³*1ás, ˆ‚¬$e¢#“…Ôb¸ÆòæîËå†b6vû©ZS ìJù'Fpw‹ƒ™rñ  Táa¿\ÌUª•îmtiŒÄæægyvíõ#13_{ò¨5ýªvÜYÊ,«%%Œ^~|•›+Ë2ƒ'üûlÊl(“ê¸Lü³ÇnŠò™fyl¢'#Rí®ŒNÖkz‰tO§L÷ÔIG¹Í¯—›ÓÎi~B½žÄò)?[y.Ó­ŒM÷,žnyS¦{~µt+odºÕ+¥ûiY&«ÀÛOãëø““–Úea|[º­ò´ü“L36Ÿ§2ͨÄn·Ü5B*`ø¬³elN(ÞëD<)Ä#îŽxømF艥yOƒ†:^¢éx\òý‘‡›Ú3¿MI«åyW"‘…§,‰ÍJgVµ@^ £ãtÁÍ>4¯üùv÷õþ›w @ð /òËÏWV×Ö_¼ÜøÏo›[Û;»ÿo¯¾ÿêõïoþø¿¼È{GÍ–|rü÷}»Ó {õ£Áðìüâò¸> „áµ7û‚N&ŽücÔUà‚'W îeD½!ÛhvÃn –œÕÝȭ˼>Ò‘Iö|J–srÝÔ j]Æn?€•ùwv§ØØÞWŠÆQ–Ž 2È×ùHl äXp!`ïwJ&Q‹Òd\4ÅîN}ã ‚‚òºò+ ±¬š:¨y8ñ]Õ&õW Õ¸¤ö`ûX.¸—@†K'Í„T¢UÍ1dE%';‚ö¯²'i —@( ¸˜®°@œÛªçâã¹Å…‚“{þ<èv åÇnâåNpâ_mo¼iðŽ·ñz„ #ÈàÎÓW—ÑÙ£¸ðóvÙ{‡dÞî„ïÞÖ£wS‰A¦£­­Î»°ß;½­¦HÒÚ©W~š³) OçJÁQ‡dYŸ-â©þWy½e§‰€¥ùßY'ô“y<š›K“)—>Æ$;Ø”ìmÔWŠ‹ÕòÛ¹êü;HúûAÔ .¬P݃ýNÉC«åG™ 9ö;E¢F‹’t‘2Ü©/ƈªÖãØ.™úÞü¯sÕÅ—¥Wo*[»»˜XA}ïÙT× V$O{=¯Z®–NaG û&ø^tz=—®<ÐÀv»(J¢[õä{}k·±ºRRÁ4q½÷¾ÿïól¯çÊç=ïø¨ì—;A[̬y}!×Ëbù½_ m¢² j$Onol®•ÍùPöp¦Â§|‚âjú³dÍ?Ї ²k¹ð%õ‹“a!£Ô©QHñ€Z »°(T«Å4ü…9qògýØT[Ý«ÿú;J}A³ô‰¦¨*Ív©{ñdD2žå8¿ç‹‹O±­õ§ "®ö,Âê3"Qêj)“²+ˆDÖO¹Ç>þ’Wßa],Ö‡]w&¦4NØÁy0(ç'kþ,¿+Êý«UßhØ}ôRæ{›ÅXzíÉ¢hgë¤×ê…m¿8:gHõÙ9ÏžÀ¾uyØûÞ«7:s¾ð»±pÃöž=Áåã¯Ã ,„spë&ÉÇj6BíXµÍ‡,fœ5'^lueŸt¡q+Ri[Æ–w>«Ÿ<*)©]£²ÒÕ³( ž7£Îžj¤Gl46wŸ«ô±Œ³û;õ¬hùPKŸîUð7]{`dÜL¦°8@÷9l%UÀ¦¯‹Gäú|¼MF•@›—lJ#i •dH$m¿Ã–³²=ßú°ÝBºR·ƒ±N)Áû)Ó˜¾—0Á„­ Æ+&s,~‘ÜŠÇ^ƨ›Ÿ ´r4Ÿ“lK¼Xn*ÈÎK…¥eEߦÈêÔkÁ¢àd¥‚ì¬TXZVômšVt›ÏÍ ´9÷˜Ød}ùÆDÍD»÷zm¿$¿Ž§#·ài¤Ôîü Ôx·¾Q2½ˆÔ*H£Û¼Gå…´t¯6÷÷6Þ¤¦¶a“:A½üFÑ(ÚDμ‹©iÌÏÍÏ-®lr) Ÿæ-˜wE°ÙF?o}Ö0ô½Þi ‚.&ñi_mmìÖi„ˬ|Ù#ÈCÈ? Žñ矤i{´‡Iô$Œ!ÝíÆµH^=§£“AHç2Å ˆð(@$è:û;‚LáÍ»‰ÊÑI@%[r’-Q26Z³ìãÄÌiˆ°Ð6°˜Á¦Y{^ˆEÆCç?vÉpìu—|®„˜ÉÒø ?¬˜ùW„zs ±xM´¤–E“½÷h"ù³þ£k’ìÑ‚ãýÀú2)_˜4Sd+剙¢<ø”!sÁØöH{Á~À”ô¹è+b ÁNËÁ<˜y;Wúé]ñ €Æ xþv(é°¡@ÓÖ¬€¸Š$Œ™·_Þ‚A\"‹ XÍ1~¢mÁ¸îÃ~cqùbF¸ŒV±µŽŒW¢€Žw1‚ JÏ ‹»›ÏJ 0Ò¡D#lãE­ÆK¦i–[¥AåàeXÇå¤2N›‘i ÊjÔ†ÅÓ3XIVÞT^½Y|j³Þg´ÔQÊæÅðâiJ*h`_Ü4º]Sôß2ìjöÆ¤Š­˯ƒ`g{±u2¼ÐúÍÕP` ÔÉÄàÐÔ w>£q®Úòìîí¬¬Õë;{µ]TbäbQìªùìYunN¼Ã™;:Fbd8ª·xuöÏ7¶—÷þhllï¯í­/¯¬}"-¨7ÖÉo_0yi—ÿ&¥½ÀÜ,e…iÈÖI ‰&çˆvl—û¨¥' M%Ò·‚ÇÏžŒÎ%®¿Ýzö¬¸¸¶{°[‘c{O{|½·àŒ„KDŒÆŽ~{à H¥6Ê„©N;¼Þ¬2Y$Šû7ÿý Â4¡q¯àóë”RTª´ Í£â”ôg‰$³Qc.-;1à „‘ïLf¤3w…θüCœ3: Jˆ?S)"N⚈_å¿Åå7¿.¾­Î¿+Wç ´G‚ 1_ž/Wq»É/Ux­ÔÞ~ewƒ”R¶=ÒZ{P]Þa©Ëâ$8óéL÷™8…­6O¢¹H`*ݳTœ‹rÉ+½Nt˜ÏJ’y,SžµµÅgO° ‹q}¯,SL·ë=ydŦ]ºšy„1ÃÔÕGÏ·‰Çâ02Ò¡>úPQâÖ…åsi¤æßC‰SRKì<°Øót² Å&çQ-Ì?æÒKñ°"¥Ãø}s’3ÊVVK¤é"éëŽ è êæñ 9S~ð€ ©Pcóàþ!ÿS­O^s¦@Ÿhà$xî ÑLÖ>/„ê/À¨{œåyŽŸ¥Äƒt§zÒD•CcÅû E@1vµr\Gx.äKØÒmÓþ®ØþéĹçh‰I.\”ãøí£ÇOž¾ƒæÅqƒæP«¶ñU;‚rˆÒ Þ=Ój!Qª[¦g,ýUÿÒjBys>Wdá†X¶=o0k0Š>˜,?éû(bwç÷µ½üÈÀ4¤ƒç::“ˆÂåˆà'fh;j÷zãç'G)mþÕÄ*÷~/߈ع¨xJ–Ö­Š.@Ee3Ds•¹ÊçÎpU¥)'·ÅÁÜþñ°£Nì#Rÿ~T xQiƒ]¶L[óGiŠ©é]n,M ™ë£M8Ù{'rHÓ`Z±ÙR›ù·×âK~£X|!è8â·²G-ƒ´9Þ©§µØŒ·ôz¬ÍVwßTæ›[|^Þ)×Ë í %KYåš•· ÞÁ: yCU«å„ò¨—\³O{°òëN"½C ­ù´=¦Ò>yú “¿Ü-½Rµ¹ûê O€©bÊoçž«ã˜ôK]FuO¹.TΨx¹Ëó”UÊÚͪžߊü>ëb¨3ww²ŸøºN®Oùl Ùhö† Ãq˜ˆ^_!®$'iìtC‘àk£`¥“`C|Õ÷ëi$Tã¹¥‘­'eþÇó ÝY¶™CC<Áfù»Ë ÔUsV’g‰$Õ´$U“da¾0jYIæ)—V¹­&På’HÍ)À|y®ËÖƒøùÉ£äçsó9ŸO~Îòl(hÜŠê\yžŠ¢ $¸"|~ÃwXäñóI‰Ïž²±q0R”¡/Π<#74ƒê;¯öVÖ\1Gû±Ca· ¤Ôcg8~?PDë*¨;Š ²h„F…•ÂKj0ÞQ±Q”îÇ$‚&L"A©¬‘Ž˜²öt%KÌ@#“QÏ»ÃnQ &fôØ,È»åKé ª±Õñ `È-Nn§ÄØ.,+R™™$ív¾4✌9ÚÂ|2ÂQÃJCXÐù”²¥¿!ˆµV“Ìuaîñ\‘ AÇ[ƒ?éI]XpYÉ<ÐëÊl ÍÿDzÿ ø‹×tÛ¿›5LfÅ‘ßô†’9oÔaÉkl­Äâ~2xFxF›µó]&4†rM+3ƒ¸2Ðñ¦qÒ™Ì?—~Ò¬>€þ¿olOèüæåÉy¸_ºµ±ýâ÷'&¤E:çO¥&ž&éÂ|")LƒI)AdKTõœ//Ì+Í™åÎ=YHœå«ÎhmNÌgä-ôÔâA>»“êÕK©”¼·mƒ¤ÄRê±£M²÷1÷©S.TèKŒ|…ÖAЄñ‹ç¼~wt}LŒ0„k[OíÔSæ°±lÍ RÀ\€}Ïòí£Çï€u©ëà?=&æ•~–Œ–ÝÚˆ$u„¼ gOÜ»ç:¹l‡´4AìV>d›wØù’×õ7 ¤E|ݬ4ìeOôú~i¾'¤ðôñaŸÊA‚ÐVê°(6æÂ~õý4ã,ìیʋ oh ÷¼VßO’rµ]cÓcåìAO§„½Ô™/í?¦&› ê|(6Ãð½² t BÉ„²GAÔ{û'ŠÜÅż+ýÅF@sˆ~n@@¥ãy%î.?-JL%u¬—Zt%Ù-?³£ã¹û¸èEãÅ…ÜGÇMª¼z½fZûÊ]Ý”MÜkޤ0eú'Úþ˜RX»ËñtÆP™ŽÂY9ƒ…ñ­&Ï4G÷5ƒ72Ñ¢Ó›"Ô‹‹ÃrS+í @̬!uæMÓxo~ ©9¹‘] ünäoPBZýc{ãM¥7¸X|¤˜¼ˆGå9ÆÁRwÅ”5º ­ƒN(QâÉ ÁCá{ýv`üì²ó“Ž¡¸0ì±WHé÷¢ ]©Û"¼,Ÿ¿ŒørÄSßËö-´Èÿkèwig©>$ÝÖ.Þ *½êäû‘!QÃããè4 I½†7ڵǶSòM ôä k€É%ŒQDhI" 3åw¾\¦Šo¯C¨a½0 Á™Äc} fb”6!zaw+¨àžåä䟇ðf!áP—É»a¿Ã(cä¥+]žžCž Æâ 8°Èô|,~yŒ¬«)Ä/Þ¤Z¯TæõJµqŒÓsr#!aȹþ奡µ­7ÔÖ®s‚ÇŠŒ!Ôe¢ úÖ¸’†Ñ|Éï\¤”ëÍ~½´@ ™õýÝÉøíƒ°—B5½Œi9Z”¢¦Ðˆ.ÛtãkÒCÅKÛ¡\vÑ„c¾lʰ„î|— á¢'M =á!Ò¤ëÿD­¸:ù¸±µÂ¨õß“^Z ù4X•NZŸ™3b]‚ñ‡×tØ»µ›c¬º ¸‚0Ôv¯/{¿ h9œ°å‡)ÉW’¬r|ro Žš1nŠøæ^6ÆãEºcÎïÈpž–/fÑ L±5|©û}„„zRÖȘÖÁç%ÐgÿÜbЫ¬ÁÉ,>zö¤X`»W'Às€)@Òc>ŽÇ,~,®øm¿¾ÒcqŸÈ¸R†?Õܶ¢^Ž©˜§à;EùóÊîK»—ÃÀ.V£Jó¨ŒM¥»Üiw£\|-Íë*¤ ðT®¸¸²¿ñþâc9!º08îèʚ[¸sÕ9¶IퟨÚLj5© yx™x KÀãjǹÉ;–ÂäòëÜâj i<./Än·ï¨ÔJœ#n=‘X)¯ß>¦µ›’ñ’ÓØÁ¯Ÿ<³Tgy†Ñ³qRòZa¦o²į¿Ò˜šƒŠÌÁz¾Ày—Óg‹i¡7ôÃÂ[Ï»õß–ÅBVëónÀ˱€§çªVFPû:-Xù¼Õˆ{Š~~ƒò^h©l-·oÿÿJÈ+úc`¯ðüÒP‚%αöJÓh:KE™ÎÀu®Ômöåžf!÷KõÉRaŽË¯'c6r“ÕãIYÙoú¾˜ÒÉ8Ân²â‰"l¯ìI8[F¿ßÝ[®ë«ƒË £»é|Õn¾Õ޾ZWO›Yo€òôgfæžù¸{E; æî(œÌi6„È€çFûÆÁJSt/ûu$¿áq„*~Šâ0öD*1 Kqjü¶»o¾X°½ÛŽ}Jl¸Jæ)JQßzû|í]]+¨ž-?u=Ž€nÁróÊëP)Ī›ÚA˜°¾q¥$ñ²E‹ úÑ;Ÿ„ÿî^{„üm—È’ÓÉ_©þ˜Jv×¶÷7^m1§•0j°‡ÈâpöZý]op*^ní Ø‹Ã‚:—'Í\üct¸±xB1$øy/@”ÎVy«üÜëƒèøïfsË Úå¿ £ò‹×¿ØRìòIoÇØ´*.®ï¿ayiQ¢_ø}¯Ý/ýsò=ÅŸã©[Çë¿÷eØVüRV–‹ì6X_•ø^õ‘?8G÷w(6†‘ î÷«(µþÛ‰]ï’1ÓË‹ÿs‹ù^÷øßÑy«Y–)±Xe[¾C‘¶õ¯µºIÒÜõ†íò‹>”ûß)4“cBÒ?K:æ¹"éx$(";,..W^½<ÑçE×?Š‹Ûk¿×KÆO5ãÂîe ã„QÌ·ÊŠ ÈüŠj¼( ̽Gæ:Æuuûe¯h;b±ï¶x·Òõ›̇)„â76"F·]HNÂçþóðbñ¹o ñY£õÁ’ˆÓŠ´ñ¯EÛ×çþ¬ØÝ]!—ˆå=òáÿñzîÞplð7©øÓl‡Ý1p¦å+À¸,hs*€ªAJïkGP}é,½\‘î)¦I=f2¤ÓÍsSRÖß”-Ö_í®í•Ü]<âa2ìùýI#¨<Aåñ•¨<AåÉ•¨<Aå镨<AåÙÕ¨ì"ÓŸžÉ$°øŸz½(l]Ž!ïË“®ã¤QJÚ~]‰äª×?º£.ø§O?ŠøW9>Çš/JKÍXR´ÛÔÞ×­kÔñâ0xDM!8;õÊÆ®%ÊË;¥¶/ªs"æœçê^}¤¸ôaЫøôZ3¯&™àÛÇöËnû6X¾Œj…¸B¢‰™×Hè*ÙÞ…Q¡"Æ ª ¢îØÇ8]ñP,“ÓGÿÂoI(j6‘›Ï&„¬ŸfîŠèÖ4éò&Tv*Þ€ð Zh=:ô"jg¡C•ƒIy„©’¶Ðt‡¼ °•…Xî^Æqjq-R¥y ‹“JÜöнø OQewÅX@Åißÿkô êO¹#a•Þ8øeWTô^…x#ÒäòÞ–ö.Aœ•Sïeœèì HtÌ  šäç*mJq§€°Z·å˜ƒ´(ÇIükÒ„E}Còÿm¿YDÿ… ˆÉùì§w“8Ë6^ª²±=Š!ƒC*±uQ cTõÊ_ú«{1©ªX3„«´!i Á|m§ôëâöÎ6vKœ,›ewý°4€ãwJÝèýøl·ëk°›C+ò¯@ko|¹¢þÔ´ La·>{±’¤O’‚þ*uÃ.žäcÍó¼>0]Ðrv¶G~(Eß [ŠÊxµ^)¦ÞO_ c瘥I5Úm{ÝŸô®$«N‚²jz6¡>ès¨; ÄÊ5û · yÙ«,hD>”¾ì`˜ óã'I¤yÉ.82$ÞJÓÛ_¥ÊŒæÅ‚5/R΋©Æf?æYS‡Æ¬äÏ6K¼­`ÕKU×íi«W5jèø¨:—H¶¶½öfL"¿ëÇFËouÈ…r›Ÿ“Læ·ÍD:œxd‡¹ôÑÞ 4+Лß6KÕRG“ºxßN%UÄn’d²ýúè$Á î•umƒöúðûê»Aõüo8‘­ÒqÛzûr*KšÅ>n_^áþXB9ñz«žzGk´–i.ë²2{5ÞÏ:‘°\Òa¤ŠE÷iGDz­"):±8öÝÚââ›5vGèu|%¸ð»AšùSôþr‚Ýž^c¤ôF>tÊE´¼Iɧߚœ ÆIIº¼7Ù´ÈëÇ“Êìë-Fœj@ù601I‘™&H3¿ü0/~þ éss‹¨µ”&kìÓQÊeȳ2™¢f?è#n£ë·Nrv-”à•^§7K–ÇÈóÄ€û~3<é¢çHº«ã³â2Ò¬ô_·AÞH½ÖY€íNâÄÈ §µvèµHBë„3È@¼¢Ÿ-­ág>c—ådçrh´ÓÁ ·X©œƒräyÝ®wZ>éËaÿÏý£Ê¯½š3 K^í¨5€ ݥ㚠s¸tzT{¹¶¼šÁÛ£7F:iÂöÚªë†Í±˜ÉÍ‘¤ëµû°ê]ZÍ0+zd"“‰`óCiÃv;<Ƕ†ï#NvѤ–ûD²hAñXÙÉé@ùè è¡Ëî?L§>¥gÂN¹Ýcüugâ>Síd±OiÒ§Dõ§Q™)o)™ÉOi)î«b!¤é”‰OñujÉ;ZÎÚaEÐò€- +‚”“3޹Ÿõ]"—Î ¯f2x%·Üg^?@¦-Bª„ÅŒ×j•NñÂLþ¼ üÒ1pc ˆDgW‰¦W˜7²¹,Ьž~µ|ÖÁ“¢ükñ²ô¯¹ùþiÅ"û”t 3ÿ¸‘íàÈ„ Ùa®ô´ü¤\«h¯Õ7“l‚æž>}Œ¿ Oççìß¹êãÇóó OþQ]x´ðdþÉüã¹'ÿ˜«.,ÀøÇ·ôoŽÿéßoäßê»é0®^КC}è³Õ/* Dö`ôáÚ¥'-{MX,APØòÞû8`s4j¤Œ£KÂ…XB¶/?ù‰¨:cN𘃤xDˆ£áIDË$J‹§Ã#<@«g/¨8$*AA‰!@e%ì]öiÝY)ˆêO?Í—àÏ“Y||;šê¼@ (Qt´ŽêQZUgÅF·©è\¦ç‚”|PJ@Ø%Ø1sjÚ´Ž$dؿѰÛ:¶ H(±\ÛPØY´“ôƒ£á€ïüwI)>¥”âáCü´õ(:…"ƒ½ˆSŽeùiTª #±gðç 8t}ë'³újys@WqÃ@¡‚ÄCö’ü[]À`ÑvÑ]ÜÕü_ý¥â¦?FþàÏø!ê!z!ÝuŒX)ÏÄ‚—íW››+[«5üðPìöýÒ£ò¼dóPaÄÎ1ID=ôÔ,Ϭrª?fsÿÎ~šeÃD;pÐ÷úä¥aäàÅ–Õ b™{ùØ'¤oô ‚véDä5ÅÙ‚0ÍH“•Å$µƒÌ "¹yÉ8K™ì6¯\äºh‡K*Wd&úyù,ã-•ZB•†Rp ë±êoS˜¥¦î,IE@:ÀϤ$!=¬bD\È(>¢MñÎn3кo¦!¬M»Ëû/õµÝå½åý=¹<ý³†¬W"7­>3ÃØåþÉ/‰u Êáß%ÁÅ[L¬ld[I bQX¼…eÅŠ•_¶ûÄ«ÁC±±^‡¿¿³rM›þ¬xG|sÕ?9 Nð,­ï7ƒÈo_Ê ¡¨a€ðÿ CbeA”yÈ÷gYí»<à~+ Q?*zHD@­Š¾Âù• ;úf6ŽEcÑÿ¡À¿/oþÆ×4›tÅ’ ´ A£Ós‚ kÉ%s b–s!&=b:(•ßé .Y4-2XËŠlö zŸÒÍÁ ~mÀWƒEÍîºAŠúaè†P¼Pö1;¼¶´(v.¡µŽkž¥s˜ ØÉBd‰ÚLÊ®fâÊÎöúÆ‹FýåÚæ&·17}­ê-¤û…b-rÎ]ú¾?ˆ-Òò›Xy’×ÕMC…I Tâ´_×¾Nízyi`¥¦Œ´ÀNí¾D3޶zˆ˜ ÉÏI~÷úÄydš©²LÜ]]E|Fnft™÷Þ F=5’.]`ùpúõ}X)›~GW¢œQ³¢fÌœÜ79zT¼1ãÇž`ry*Ñò$ffx…:+^åÊ<ñ:Ö¨V:»ËT,X†^8¡*®¦ìCá šyÉa»fGžÁkƒXÛý‚w¨û˜ q¼âºÛ ƒôu‘<Ãc;²9ì™#/À.ö§w< n$±8ùrÆâís‹Ì¼ˆUê±ï3aäßò¸Û ö2ÿø±Oyí£Évîá± –šÇ`Ï;A* ux$- xV©âsbIöblB|²W;·|±ïˆ46 £±©e-MÌAö ©‹9øʘì{,οnP!ãPÍ×òòq*½ÌAªbæà43Yîe$WËòxbZb¦Ã`†×A®ZÀÛ[ü=6qÄp'Éœ‰„ƒù~2RÕD‚—Z’FqhÙTèèâÕæbeƒ•ôƒÐ_«ÒÔÃó°œ,3_2KO¬â<Ú,§Wg\ìx‰BØW;ž[Ô‘Ð(€ ˜ÌðR/‹0Gq Va¢ôTRc/‘-có„¤sòð–2:scÑÙ â­2+%') È æŒÄßÑ“°ä=‰Ñ6X³`(Ò;î»a£ZË.9_sö[nsc{m{gLŒ¬MË«È;ùÌcÞɃdÇØJAÅ «€ÖV^îÜš6öÖ”¾ºf9üõwÚxVlÒ§TX9°n½hÑÃø‹Ù,dßXjOITuôùžr-‡î‰%”ŠÚ‘I ñ‰z›™UQ¢P€Èóî¬%{|á$@©¥$MóJ ÄA‘ج9—~¤8Nâ[7Ì@£eý\< ² Àr‚.…™”éŰ2œBé,eíì\ ™«AõX,:«ˆž¶Db1£U°º°Â?•"»[”åC‡ø äÚeóIÂã%z¤ç®‡bD¼Õåì"h×0‹"Ö‘3¼aɧÒ”“ÌQ~‡û Ñ‡¸K0zVG'¸ ¢dïk“GF?]…GBx̺£ QÁ‰©Õ<;;¤™> mQµ¦¤N*ÕhªBY+ÂUKE .1ƒ^Þæ@]€ÖóMk,ð€$}AN²àë)’;­OaNÓ+ÑÿsÚžsš¶áy–ÚêÇŠ2I-Ÿl‹‘Û³µçm3S;N&æ•þ~7¿›¿»y½Gm¬=ÈÓ×=TSéqîfkÙåª+P"ÅLŽ (ÐQF¿ËÎz ¦Ù ¸²†ã†Tu³¨¶ÚÌ:ËsBjTÚQKÙæf³ÑņMؽ÷gñ$ZØçÍd:LÚb¦6g6…Ì‘/†½“¾×bc$ó¨¼P~„§ÛtŒ ªOGÝÄ»d& u cö“’'í~”q+æM¶ÐW2ê‘d˜Îj°Y鍋ޣº—¬ÂÇ­UàY„ô\täñ3ÜЕRÍwÔü®º?*{Qò¨]lw‡ðé’’â u#Ä‹GOóTè94ømÉËqÀd¨ä!§:àÿK–ýÁ·%iõI)˜™Áª“iæ8g]„A ž G>ä@éÃc<®ëyÞ̬ln¬ìlîìáýÌ•µšx±·¶ÛØÙ݇‘Q¯e¤^Ú‰ãDÉŒ²&rŒêÔëÃn“à ÇY!q:¹©æì_/ïe‘‘1ó-ÀK¡£•3vº™B[?ðö0WÕ¶\uéS†”ô^³etÞxÅÂUÔ÷—÷_Õ3# Le©#Ù_±å9ò¬^”PªC3ûL‚¬,ŸÔ¶äªY‹Ç2¢Ñ2º(hú‰14WážWÅÁs[\=@‚€µ´'æ²8˜³¤Éò³¤wó/e[ß)ˇQ~”²¼[(²ÄNá1Ä»ó¤×F/^d<a A#{ÈAõ±«=ùˆö³©ë£ŽÅë_ª²Ê ¸¸é¢»%>€%Y¿"?Òº'>ÚZVap Fã—9™ ~ÊžB¢½œŸâ‘ß"Éýއ[²á8ÈsAþÂ’ºb gK—_²Q%_Ñ[ý|¾r‚†âa^2TìÚX"¬]Ìl>'cçU±¢¬‡ËlÙ^r‚W\T†¼1Á‹"ÿBÐ×A¡R¡vËUÌåÅÝéN&¨T k|Œq ô±3ú7b•ä£T×¶Ð{•U܃ÊU`xÎU>°tU&ŒŸÿŸOø‡c".|¹8uô) &‘DðÕJ¹²$þÊÊžKŽYë_žá›xfã™Á¥‘팉Of›rvÓr ¼.+ÅgièkÌ%TØI¦ Ø€ÅÎPTÃe &ÖúÆæÚXþº‚Ù%Jº!,ô…:{7,Ì¢/Y™ÙšU³ZG 0¾; Ì$Õåõzh猫 ü·ùjtqQæ¸ÈŠ‘«"  4jã€åÍ)rÈBJ_e{â·8þÈ"Þ{ Ð:óàÓ Ý—G‘†ù;‚wä¦HŠ^›@6A*ÿB¨’„v9é‡çxûöÌï9ضød„ÍUBÔU㽑Ê|Ù#`¿†^ oŽ54ÀÍÈxÁ–-èôÚ¾6ˆÈ6Cê‰øÄ•Ûò0¿6¿¤Oøåq<¯Õù‘ª,Öë:í=)$–ËúµƒÚY|Ê[J§q ~®*Ó€Ø%Ü6#¤*¨óòÞ „ÐOëm”A@Ê ûAq;>¶æ2äªt– $ ‘I¼ ¼Æ{ÇhØH³4o‡GrµôÜõnÇÇv®Â#< V‘µ›×?bO ÅVÑúAd×H ÁÛŠÜÌL¡@EA~n÷Vº&rº®¡†²š+QCb9ØXÒzgDi±{I͇€×”ü¿Dõ0ÑaH#c±bM,ñˆµ½½=ñ–ÏÄæÎ‹Æúê»Ñ<&­swx«=D½-Œ¹¹CmDdI‹7±¿_F'2;l`ΙÈf‡Ô°õ%§¬rB¼€ T8þ¬ Ãd¿ÛD¹‡ÉÉM‰/Å;4Üáý†#áÑmNè8Ü+’UˆSsšR.’ ¢¶‡$8´9•m¬Ã¨­ç¤nTF«ÚÖ¹¹G1 [>÷€}‹~.es ÙOÖq Ði¾¯Åßs±€øÆ%/Ѧ+|>éNÈÍãÆ>÷Hm©©Ýˆózü±Øª«hsLÁ™ACÑC¹ã`ÆC±#©«É¨õ5û†G.Ý[Â$å"ˆå2$#å7sÒK™GCäþ±¦…Ix@%˜Ñ#D²Jª²HåîĤ¯Ò4º’uŒd´šz°ò×ßÜ2( Ñ’+‡VÖZF€ZVFd” Iô寕µúbr¦îc±Ô®Z-‘´BAÔ╃#ÔbrèÜHsî ²%çæÈ•ÐÓnÆÓÉ“•+ˆˆ•k‰9Ä7´9 {°"­œz}¯‰šµ=¯{‚:N48é7Úþ›kyï¨ RÉÉiðß÷íN7ìýÕóó‹ËÿåeÔ͵ýýµ½z-¿ü|eumýÅËÿü¶¹µ½³ûÿöêû¯^ÿþæÿÓQ%Õœ“IΡ#£¶‚“`ù@EÄkw‡EbÓ!Á‰HimŸfç#¶O¥Ó¥“Qçí¨ÖÙ2››ê³`uÊKqçÛ¼õÍœ)g/˜E¤Á5—'ìByµû|(ž·q2lú¾X+‹­æ–w Ý:Sýi¡Zªþôì§ëÆýV±@~¸( ±X*dxÄ"P2cÑÓßÊÛÜ;®l·³yñ³QìÚã\n:"ÆÚ¥ŠÚŒ.²|=’¿‹Nè¶ Ã^’ N¢|Îêò|¶Z]˜QÒÏðüAõ`ÞÊÒ&S:è""ßG¿0ÿ/sþÜ ÍÓNØ?^¨ÅA~Ì*£ú£—w¯ã$w-•/v>ŒƒgÉ^pؤûz¯aŒæz"æû¾´òÔ8[DEAà^V}:F‰ÛƒØžªâGïíÛQ@±ÌDF¢0bHÃÊa•É) ȼ=é! šdƒ5­m'åµj—ˆÎö¬yJÌHäÞν›%fÒßûRHׯ@íDDf†öNrA‚˜L#‹’û‰&´Ý[€v`¤2ßF )„}àhiCr9ˆd]„ES÷Q”õüf€ª^˜]å4+$uqë]YÖ%™‘D”I '…©@ ìrgE¨€…LËRy––•84¶åï¾¼cp¨n*]Hƒ4:ÿ)u‹}¯!ø..šyòÅ#D±Y,(2ùù¥¥å+– ­é¼#lx^°<—¶²€Â䘺» ½3p>ï£ÓgÏÈàØÎ2 ö'åê¡øE˜C.yðgg/Umð@Å–Í—ºyŒÛ¨Ò1Ý©Íå䞪GÜÜ›+t-Œª/%bØðCÅN*…xb%ˆ ²Wyy€±è¥_|ƒ¨í.û£Ó1U•ÒâóRÔmÀ²GéòÒþ=¨ñ¡Ï"ç¡8 Ð]Ñ¢ŒT-ˆ®ØªÿÒ?z¨‡œ7eJÊ>ÛhBð,­,ÓϤ·—Ÿñ†À#šìÀ+£Ëº²Š–$½¼d{¨=ï#è[ÊElƒ½äÑ€Œfí£\&ð*>6{¢ÔÛËs¢Q-ï-kþÓê:ú2”nDIŸN¢¸/®Üínì–_œ2Œ#¸ºáÓ„Q•ÎàîwÆŒC… O`™òÍ’…wšðè!2 r†!´C³¡rª1¢ E‚bK@œn ‰‡šªúîEðN¢E€¶HQr‡ôÌqpQ#Ó®6‚¬àÇfÛñð#jôN€ …Gÿ•–[›Ïwžÿ§‹%j¸$®-t)Ú¶EÃ#>§ÙZß\~q¶–[“X"Ä­—ÜžèÒk¾ÇSàÌîòÊoË/Öˆ¬Ù>|ÎëûË{c¿ËöZža,̇úþÞÆö‹X:õüž´îìÁ z¥cqCáÕyÊÁ–vƒ¿†>5e-õ›“¬ÜÄ»`ëjï ¹JòëSúÐþwtŸlDÃ@ú˜ŠTïÕ²™‡2Pü ZAX>ý%#ñƒ_.¿&À Ö/éΟŠ{Ué,¢øìa<ž 5\ÉT8\“‰êû«+ „óÂ}¥bЂ¶¢øN ¤a"Èëà“•óþ* -Ê7ŒÌ7¥ÌÔ½\âcñOésÝ)ò]Ni¶Ö¶vöþˆåÖñ;aÿÒÉÍ. öÖ¨f£"ÄÛšRŒjéíý”þ ºƒ±Ý³¿ éâÙ´ Õˆ¯¶7 ›}S Z&A–F,?˜ëÑ€æ>ÌeX‚€5£Š¢Óh¬½Y[{³ßX_Þ¬¯e¬€ý½Wk™Í}É{Èl¯­­6–ë[2~¥èT´Ýý—{Ð;—2J,"®m/?ß„j¿\ÞƒôÏ £hœhu2¯gVˆá@ñö÷–3»ôª­î¬Ô]2BD`=„zÐ :{Ë0<ÈÀugggóÉ#þ…úíîd¶·ÖV7ö3«õ?¶^íol›ÛÞX_«Cc`”½åm @üsÐXÞËÀÿ¡hô šfõÕä³Ý€&Ú’q0èùÆvFýn®fÖ‘eÖè/ý©¯­bÛlýcÕཕ•åºÕ'v(W žV×v·vVù™Ú†žÜøi4•?¢æ^fy ž׫o.×_ò«¤ÀÏ”ãÿ5 >=Éá—ϰúbK@exÉvXYÁNà"n®Ê¢ªC#ÃÐç¿ðßÚ^ %s‡RþË[ »ŒÕµõåWÐðN<ß©oìÿáâËk*é°;ðúô„¿Ë[°îÐ,ލÖk´ÂtÇ~·Ìòï¿eÔaëÖoP³ÆnfcXèæ&q…]„‡~±·¼•¡·Œ4uñ†ÇíõÌò«ýfTôÈtá%™ÌòÊæÎÊòfF®nj±É¬üñ‚¯øsë£ó]]Þ_6…Xl÷õ«* T ¤F©'v¨Þš½¡|$”=ŒG¿2=c|È&?Fá‡_0cöKÊt…Œ ð#ÇãgšÀ¼åŸm¹W‡a³^Ïà>¶$¯øô À‘éEô·uŒ?­³N6þ"·MüÉLŽDþ¨‰(.rôÁ6Ýo™×Ëe!¢ã <õÛÃ, Nü•?ÄZ¯áÑeƒ4ñ,}‘¤)%1[ˆHŠ$1Q&.òÄE$GžÊĬÿI0ÎÏâ^žBÁƒRaûB8© ö‘ÛhžúM4¬RÁ¤êýa¯;pHH|¤Þo Ÿ VeÍKl— 5³~ÃSífur<È`dH ±O½à¢…Ô’ô~Ò6`„Ñ3tv‹J ]ƒ¦w èÞ÷*ìœÏœä›Eˆ "²aY * x4õ‡“fx¦kB¸RÓzÔÍ FrÉ´Gµ5ØI€üÎåv¼€)HlÚpí´Å âæDIû>oIŒ‘"”] éëXÊ“Áüv¯¦ßäUR¹ % VÃÚ¶xH$B#0ô‹ÉŽÕÊ™,öQ$ݪ"°±$l1(ë"IÓJ¨Üƒr6=s,A»{3µwÙÞÙ^Ë k R—Ôð 7äzdìHj¦…EÃãD˜;[kÑìü/ÃC¾¿˜0\Üe áŽÂ.´˜ÎÄ.pìõ¡]Tõb6W0&<ºo¨1#Ö@µÑ›ð° ›hÄÍoIXxØ  5B¶ƒ ÊnÖn•Êq⃰p¥Åw ã –½^q«ùx£Æ'Sh›%=Äq£¶'äÍ6-d+û¬,± šMr¡íZÈ‚½Ð2”÷šM¿G*·áÖà0BéS‚úFf1 ¯Dˆc¸ÒùZ= xýVT.H~[Ëç>X5øDX?Š''>FôÕ0ïDù)o3{Œ¤ ûÊ«%¿X?å­eÃNM-0ögØmæÝÕÈþ ]™·–-û“ Í»kœ„ÕÒyŒ—µÁhrÖ‘Oyµ|&âcx^-²ô•èB ^ ^™Ý (ÂkyZäÍŠŸ(ÉKÑ ñ‚yCŽPJÄÁéà5¾÷Ö” ßc£ƒ"v°íŸ!7—S“bÈ NYý ÿ˜(8é0¤1× ý’Ìζ۶­²9“¯Y>ÎØ¾UÂ…ø¬ú4¶*…#@¨BbˆÊ5ölõ“.–!”R6Ze <™’zuÞÈ °žÍ£~Rò—ܺš¥^VÕCVgt@ì^c¥s"Ø/Ö³yÔOêA5£%Ž$[±$AäuÍW‰$<ÇÉäÂA%ŸÍ£ÛZ*&7•Z|Š6çÍ~QµQñ’U±Ø§N–þî¾:oºd€õl“µRù˜š©E·/K"$` æFqÞì»Tn)íÄ)%™P½éJ¡¬)c¾ˆ1æ‹RQ¥QÜYžìíùÿ±PJÎZ^Óv>-akdçÌD"ÝX9ÉÜ%åÛ?K?–ÝS“¬püÌÁžcst9O C™- ;ƒXuxÎ_³"$šÃ¶ù°ÊɇäêåÇò»J£r"D/zoÊëctf²r;æ”) ‹™¾ ÁËdr;Ãùǃs)›Ó½¹XM³™"mW”ŸyY}?„!K¥­uC=¤Hâñ{TOò76u8²œ5,ß-2ö‹yÖOz¼s䔡NÇŽ=ê'õ cäT²€,-zö‹õlõ“.+§K–•XÎJõr…I)“ mTíÝý´¼ÛÓRvÖ—˜•)C ¶%%Þ–ðè2Ûý^J}×+‘rÞìëÙ<:éÕƒüugš]&žnV©ä,²µÅxÉ!Ö:ªc‘ÜWçÍ~‰Q2Ÿô“šÝv “ýp1Æ7¿üS3u±Aý¿DnôJ%Ô6adž¬0YØÚL *ŒhØòNu#ÍÁ»sÓ{¿¨)XÏæQ>ö‹)ĤÞêÌ·)FEólåÓi”F1:E;>U?$ ‹iÂÜWçÍ~±ž]"úI=È_þq‡¤[X™î¡O1Y©”°d5UMhü2.ÙˆðÑIRCGEO Kšq£aP,Šûš>.\+’Øøp›6Ö‰‰c[~LâñIG&—lD¢ÑIRŒŠž9ÑâñY³èI™ d¢ÀDbúI=ÈßX¯s*ÙËlðP´èÙ/Ö³yÔOºìœ.¥¬‘.Ÿó¤äo¬|‘U¼È*PìÙ<ê'] (½<a¼¿†Ï‚¤û¤ä/ÿ¨e“* ‹?ê'õÀeFX–,YçÿÉgó¨ŸÔƒüu›)rì"Ç íÍ~±ž­A™Hª%£‘¶®]'›dr²Bã±w÷5AÁ~±žÍ£~²“ÊßXƒº¥—íêZ?Sê™h·ªžŒš‰¤Pr£8oö‹õìÑt'»õIéë@õ‹õk=ü"Û,0õru~š’K_k‹âúI=ÈßXú–6Hš=-zö‹õlõ“.i„ZÇÌqŠ¯Î›ýbúƒÞÍ£~Rò7VS“Ÿ¬­1à+ÆJˆ½»¯öH¡û³õlõ“n3“s²Ýج˜RÄõ“z¿üãÖß¶N–-ÀA²4ÉëÙ<ê'õ ê`ÓO©ÅÆ–ö´”0ùlõ“Vf¸Ö MšUÄØ³yÔOøðÚ=KQfÑ‹Š(&qµøñ gË”àÛ8Y–73ïâÉ2©¸¾ì¹2uÔgŸ*Ç šv¦¬ôwfDÑÛ¦ù¬ˆîvÔÍ+£ì-]Œ=¿°”Ä6«¼PÌ`G½:oö‹^Ý.Ìé%=ê'õà.8æÎ„\nLÎrí{w_­÷Â>¹¼à³KýlÕe]ãHN׋’¾Ó!Ózw_­Âpˆýb=›Gý¤â g2V-g®›ã…K„Äœöâ07Šóf¿XÏæÑ4¦)B²5UÙaö,–ä‹âàа½|}¼@Èœ4ÈË ó}ŸŽsûº\Ã…ó)Ö ?õ»g’:ŠêŹvŒTóÎÔA¦Îç¡©ÞΕ~zG.%ÞþÓå«EQ˜ÀK UqFù¬Hå&†½ٮĭÂʦSìd}ãÍÖÚ¢ôW€†ú~'ÒYLWñr4Õj4¦0ª1É,ïÝ/ ;U‚Eô]žbF‘>‰Ü‡¤á‹ü&îâ'{pRvtfü¼V*10”ŠcV½F¥$W¼ø°é#|Éë+xí˪ªŸtòO¬k¦0<´Óoˆª…µêôØxí©&{$å‚DÖŠ_SשW¢ ]lÝra§Ñ+Xº;gnèi°_â60Ú#ò]Ó¼,«kD<ÃØxòGj””fÉ2°°mÞ2(Ë~kSŸ¸‡ôÖ! &w¥U°2žQ6SÒWª+Y+ˆ‰¥ýб‡—­é^ñªd᜹ºfÈÄ ï ŒˆÚt©³l_ñÁÄrP+†³5mâ72béžBS¾jQ×bnš³A€ímà¡xŽû¾ó3îÃMkÆVlt5Ÿ#Výë¢v;¯ojÉ¡‰——$¨U6ÇZq¬ô(1¬,<3ºyÞªÂ'¬×šóa§ÂcñËj‡í︈ò¡ †êS³å$&*!ÄŇñ9»d±F®„÷XW³œÉ¼ÂBx;'Þ²+¼wÙûöõò^\ýàk&³*T舠v;Ž{Q1ã—Oʳbeþ#LHU˜• <-Ð ÑTËBÔ}*n~pT¶|^¦©M±€¡Aùxض™fV™Yò¦ÑBÀa%V`ƒ"‚Ê{á3+²¹HY¤ .³jŒ8ÿZAæ’ÅúÌŽf‚Ü©»Ct(–H•D–¢© ¶•’Þ%aî'9ù"° Ò¦ÌÑY’Ä›Ñf²’Ê@¥×³Ö9\²ꋥijëSúkV™–Ìk¼´J\ž=ðSJèټ̑®Œ#@®­ä }žmì#ˆØ"}|+oý¶Þaþ+³ñkþ¼‹¥³R2B;tèÛ÷ýód=ëØ_ëúsd¨ôTCÒ¨.µä¬«{*ѱ+½R™ñó[Ã!áƒChˆw™L*òPี6tÝÝ[ƒm–.švËÙožHtK³Äó’Åļ9¡ë‡Øù÷6—Àž¥Vu®®éüSsNÉwmrÆZà¹Æ2š…V±ñ“ò n¤3•£Xå’aåª[zBš©Ÿ²†ŽÄáP$‹ÉxÚÙ)÷„T „<ξkÓ(楷!b2d–VI¢…¾}ÍXo^îl­å“¬CŒ#o¦ÝF?lÏ’ÒÕæDÄÛ0n€. †´‘ -;d¤“5(ñIYhå‘x+»Û‹{µ±¹*$^™9p~ëý/å8oO† †I)Š/‘¿Ü©ïËš‘Ž´Ä:RÒÏ3D–,m\°¸@½%šLJjŠa ¾XÛ]I["«ËØo‘šîó´Ó/³íŠzÙß´ ËÁ…” ìÃ%ëˆó¸´¦í³|† bp‡ÖjØÙ­3Þ‡ìJÃKyI‹¾6@xî„)°Œ ›‚¨õß!´¾¶¼ÿjoÍL•é‡ú8CŒ ójø ù¥Ö¥[jñà·5hñw"Aç-£zô†Åú¡Ê"sÄMª2ä!ä™a·.JÌ×µj¶àÔÄ¥3 …¹¬Sxe["(ÛÑ&'àÝ5燻yH5”ÜÎÀÇ1Äp?9P7ƒƒ™„¾‚òb £oèi)ÕïÛÅ5»% ±;:Ù³}¶lˆpsk€ü„$@ÔsÇÕ²yMLJ°-ìú%¬·¾ÓÙ$A½­íþö¢þNâÔÉóN[JQ>º¡;T,8žšÓRÇG‚ —d[J"cª#}ÿ2gÁ¤®pœÌEµš„ÆÅÿ½>dñçéŒ<•CÒ¨íÇ^msE"g02^±.Ì®³¢ô»ödŠƒcE³9;¡6¦„ËêUh4g»¬Ì•JìñèY Õ¨+Õªà¤ÂIªK¨ÉVÒýaŸø9I£Mt’Œú&øÛeÄÆ\ØŒyrOã$S6gA·Øå®Ô>0»$ 8 pª˜mX„ Œ±$e¯§¾:sÇNfqD;Í)°gUv§Ç>Ù‰£»+ŽáWÊëÖèFãX:‚2e.yÁE‰Ñ±kðø1:ë?úˆQÆMW{Öi] Rï½'²õ„ƒÍX»Eæ#c¨Iï»Ò_Ù¬©ç]Ùô¤;,AWZbNAGÆ46QD°¿7Á ˆÄü~‹ÒµoÝGé^ªì”dm¸&’“ÖÌ©*¹w¤|ð”Æ9,ÀºÎ:ØãöܨTŠ ‡âÊŠ!nUSú©Ã¤›LD8n{'8?$X8o‚î{õiV zS”6FûA~Á‚¢ÁÙ<˜ê£ÍV¬Â0ò"‰¦lQjB˜ëÆóºÞ´hR0‚{ÈŽ$â⨂´– Ó+TsL?³CĤ‚X©¬üø#ÉËýO5ÂXm6~V’ƒ¬Q¬äº~ÊÖnT}lRÔËukìù#ÙNˆ™–ÒãB5WÚS£²§§¤ÄÒQtL›†ãîÖéðé’òWâ// jvF<¸{Þ€ïèÇË '»!QmN³)r ÀCòLßÇJrÅi  ±͇€ß¶êž”t3éçIñhº[G‹ê$WÚ O[ˆŠ:OGݶ<õ8žP9~¾’£¥_ÊJ^ÇãHéQûWGxO90ѹ}jÂ(ÏÒÕŸôZ5«,à ^)Å8«Àé|•Ï¥øÌK°±LÜðÐ1,ÚsmS9i¾XÄÓE ÕÙ¸„ËêhÚµÞ?—ŒÛm¨3AsfiZŸ -'Oˆ@+'Ÿ'ò žÉö1催œº2Ζ'= ë ÙÚ¡Ê(E(G“.…JÌNŸ«*­?þyP&[ªé<ü¡XÙr9KÍì#p°™¸òЖÆ‰â%3” ¬|+oÿ$®•rùãÉÈèý]œ,oó²Ù›„ÍÓ¾¦åR1–ˆB…ÊCb;jMž«oñp·Þ™‡¼Qèç$²(˜ŽGA;\.fbÅpË¥ü$Ž{…€Áö;O Ä™wY8}~-ß‘´e÷oMUÙŠŠ&>Ô<Òüεă±£ìãØ‡ ›¿,ºÛ2Ki…âßQå°oBBÏâ).îÎFäšÒ–©%™Ô:nÚñT± i +–›0V6\sY0%›ã.FñIÚ‡³Í,Ž4Ôö Í¢^E¸Y´zåØ6'©˜X Úv-Ò®±â&·5cÒ&Ž*Ùx¼=)ãëf:2C-ª±Q}¼AüÔ3ˆ,~g¬ÐÀä£ÓN_‘1^J_Ñö’;Ьp¹¡èbÃÁ€ï0 \Ys±Ë–>ÌVS¹z-£Œc WæÄïÂNGÈ(ÍkçÏóå'?á±wï²O♕‚˜Ÿ«Î‹õ¾ï‹zx<8G.³A¬ÀšÝf9Cö &>™ÇÖ;Æt‘LG¥I*s‰a· û{,\͵ÏÒ&j¨a_{„Ü:“¹$DzêÒ³4™?„q‘þO<|ˆŸÓkÇAgY~—ݺ4Ñ ˜Cÿ²¡´¦ìÎ=3:m©”‘&ˆ¡’Q©áp”éÒÇ:´€º±§Rôä-O$Ñ2qØlú~ íÓrŸ)d>Hç¼ä•»–û ŸKÙ\5ûÉ|ÃQÕ|_‹¿çbŽßh]HÜ_ ØHîs(‡2;£Âd¥\3Ceð5+½edéžÍÁ!ÿð…>¬ÎP¶‡7ÅÙíoæñSeí£¿g²r‚Û5Ïq¯|b1QÅ>Èf3®ˆ¢¾èöË¡3”‡S/ôôª„wiãgqÍç"aG´¸Û È·xÉ:ÿ§(þ˜wb ›xUÞ^ØQª²lBtΜžÁO±’Á‰Tg-¸‘ŸÈW S¡èŸÍQˆÊ-³Æ…öGr,ÜwÇ^¨R÷¼å‹ó3¸œ\²¹ØeTmò)]¤PÎë+3ª‡bÕ'3S±6v—+»;bf QÅ.j¡Z ߶ŲÔíWvø…ä‚-ó-6#ùéí¾Ø0 µU¤FÐóž5tð€ž¸@çx©”‘%ì1ªwH%…ĺX É¥H©·ÄNèZ\~ÏÒ5Ð߀¯m¾#ÿµ^P¬å^¯íç#]¬²À-pKZNùÇxìÊöG|¯ÃGy¬ûbÔ·Fw«þÇ–Y¯[^°mìE€Nˆ”ShWÐì«V¼^ÞÛ+›¯V×êc…ϱÿpAGçz…ÔA¢ÆP\BЀîÈW­Þ’Æp–¡©1Õ{¨KDv÷ºØbS_šÆ¢{ÍfØGµEûÒ,C©Õþ2KÒ‡iÙ˜>ØÇíunž'¬JÛ€]\,ZFc¤'¸ëÖMà ×pœƒO‹oØ„f¨™ZN®ØˆâÖ-ÿ8*ŸŠ’6ó¶8»d™J=§[ÑËxç3“{dù«ÏÍÿ¢6NPº´-EVV>k•S.Z x@—UEÓÝe¾ï»Kи…_—¯ÏÈÕ·ïGh·¿ÀWxÄ:‹ˆå\‹ÜÎâ5E?áMùgMrg§ÝÄ–±×›$֩Μ%ÜÀn2þ2ó(m7™ÅKüým Ó*y/˱,÷‹É+!ØÉÑÝ8÷ú]ï®)ïݪ &u¿_q¿ØëÅy ÚçMÍS®½SDë•!š$>d Í6ó.‚„P$T’a×e;X¶[c;ß÷‘>Ęɗۈ©†Í—+ÉýOžÄ§â;kj¬Â­¶ôÒÕ¹—¹eAêrÚ`YlÃÍuÄ1Ègs@‡ Z‡Ä ïô6 øQr—u<ì6ÕÞjýÕö nO¦ÚP%öN”šwNWÙÿdRÊs¿éùÜM¯’ .¹â1_7lѯ¸4¤›Å£>bc?Ó $þE´üfÛÃë²P-ïxË¿ð:½¶?+^î–^½Õjšâû¼ã‡ÇŒB¥xØÒeй7ró,ž4î——t¨¡¸ è¯á‘èx¨ž¢µù4ì¡ýrûRûç8s!] ˜e@ÁÓ yJÛtlƒvÐ0ch"@4dÝc 3ì"ÙŠ;Êš ï.¿XY17±u;Q÷“ñ/´ ˜ÔhžEmtä7=´ÅK¬lÜñMV]I±ˆÈà[Ì"#ýz¾$K;@u‰‚å1Y“^ x4^qôz½¶ª-š½ö0Âÿ20–¡Ü"»’U5µ:kºÅÁ£Ûm‹Æ}±°FÆÑÀ;Øâ˜E0À[æmŸÀ³Øø š¢}î]F´ð@9_ÿ£Ž×­ÑŠÒÐÀÃZ¯9z8òÐÆ‚çÉLþ”`^Ÿ˜‘ñ"[CtQµØf˜ "%¼©«ë®F•ë0#ðð<ØÀ‰lâ½/:¾î}è¤ Þ`)»G6’øŸ ›[Ê|¡é 1øVÔuI'¦ˆþNõ8x2Ƚ‘7°Ûá‰& ›cyþ<"šµê¢8N›Ö°ÉJhsq†rÛÏÀÚÝe®"Mfi,-9ãØ²HÀ;!@f4Ôà½_Îd6„*diº]« nZi21+§¤˜`=£z£{¦p‹”Ù*¶%Æ¡rÿΨáHøP±Ú†²‚p¨¿BkoÇA'ì¶½*íÆ d€w»hÂÕÄáŒ~i5d¢nÁÅü!ƒ¼ê_‡ù½C ÕK,òG¶ÍvßwÃó®NÓ·Óô§KÙi¢éÒœÙiÎ&¤ÉÐåÖ£ [‘ z”::Œ—¯;Ô¥€ÿR ƒ ÈdØù§iá§$ý/Y,U ¢YzoÓ‹}J#›Nâ™Qù%ºŒèR­¦—ø4©ÙT!p©dùÔ§”¦wƒºvÒ~òÓ¨&]¾0jƒØÒNk?ùiºöã y–ŸR>õiD“Fs€ °£È;óëõZþ, zB“õF}mwyoygñz"eM_6’"[4ÔF”•pQC›8Óc-‹„…Ѝ ØD3¼•f¦ÿÃcÃìãÖX’i­àº‰åˆRl®ˆ‘™ôâ7ßï Ç+oéÅf°²TôƒÞ+t>0FÌ÷aD·$.5h ®CÃ^œ„Ä6Q2á9ž0vó¸r0n+Þêì·P²b‹\ÀÃâ!¡e<ÕükXy0²¡æ­¤'¯„²ÈV(Cº-B:çë|K„. {«böÖ°²=Ô­¤ÅÌhØëÁz޵#Å›^ü˜s-4—V¥°Î¶çxX[£-›‚‚¢;&0¶ªbžG– güâVèâ-#Ä´¼˜›âð’@ª <Õ/eÑ@t*ÌÙë:8º¦‹#‘(@ñ _´`SÑÙFÌЂ”…{6ªä+ùù/Ÿ¯œd€Ðº­dËR`UAôÊëæÉ΃=r^fgP¦ç]¬êQ‰«Nb™DFäø× ?”›v²=H þ½`(î!ˆchåŽ#—…ÿ²²éÅô >:08µ¼ƒê+øGÝAä(æ q 1H^n”®ë­í–žšváj’ƇS19N(HûC1IîGT`Š c/° oî{$»”[ÿ¥D¨f‹V¿‰lQ¸äW$ªõ„v¤Wuv(ÅÐãPM=iƒÇÔ´8П)#·¶¤6‰OKŸÒRTG§¨B …÷G{ýþ°‡¢9©i‚A¾5+šmßë{0¸;½vÊ`”ìBÜPÉ`äo¶%‘ض¸ÂÚ´Z€—ŸKÈ-bî‘Daë#ÞásD`Õ0;¦†ïÅìÛsT:ä/ðR‚ÜÇn{ §?õÕIÌV¾ž“^^Ã¥·ŽÁ·yiŽKã,,¬ù óëçõUñ¨<‡—¿ÊJ“ÇÖr´Ü°âU>hÔÐj…ogLäéˆ%†ÁìÁpÚÈ(cþLL¦H±°Vb£"FÙcCpÖPçÛ¨9q¹$U«‹ó~S¿Â>ðúO¬dQ7óŠf33f]“Ї‡30þèD *™;,\ØwQåσ™·^éË¥ÿk¼“s¥Ÿä» \DøÑF<\R«ã(ïàµrRP¤-x·ýI/=qPkíÍ ˆØ‡°pN­%Ѓ)¦—VÄÍæ\µTR‘»Rq%JóKŸŒs‹¬aÚdMA8 Ý6"ۛϗë/Ë{/^Ãgz®ï¼Ú[Y+¸ÈäNj,ç³â6ò=^À4f'„=>ì¾Ä2ÎàÁHäÖMwü³$t‚ô®Ö)„îu9ì`BÉ üC²üRÀÉãÛþy£2æÉ‡F<ìé¡~*ÕSœ'b=ÃÞuùbeÉVþœ&›šMK·žBûƒLá*|B1Š™È)RXEÙ4Á‰°¦†°AíS§k:B= ‰Ð||žIÀú®„HèùFB´ûÑíËìaÚ̈ëSŸIÂø˜•åï¢Eë6m_‡+N«¢{k|è^XG¹™ˆƒ!ÛX޾A£{Âê‹Ñ½a£/B‡– 7 J:J-oê Ü\‚R#éjÞj–ƒMª¹LÆî=>‹ŠÄNÝUÃä$8> c!ku V=<Ùó/ЧœÓÐ¿Ö ]±?ˆb%+²Ṫx¨\üB—”:¿X„´vGlJ¸•j¬ Ãí׬ÖäLOf —’ ¹±×k{õm‹˜ ¹±úþH:-¸©ç¯^ì­íîìí[ÔtØu¾ÚÛ´HÁ[ÖV¢mú¼S o¶túùmÄž¢c9:,(!™>§ Xá…š¨2<3¦ˆZ¨`€@D†Ï±CWT¸EhÒ¡þ “!*ót0¤{µ†ÞZœ yrÖ©•íõúÆþš ÁFÿ„.:9O ¦RárHA¸wAÚÆ¥ŒEŒe/nJ#À*[¹bGVJ  ¯,V¼´X156n²šðsvš‚íàxµ°r”·T±ª‹9¯cúƒ¦ÏòP`‘M‚èN‘C2Q<3ôµ¢8¬L‡M/—•}60Ÿe%£…å¡¿¢yúqA=TSû?k1²®—÷“µ O½‰j‡Y9Ь’·Ÿc¦ï™¦Jødé“ñ¼¡m²²)`¬râËAF/|˜¾NdŽÙ$r5_U‘‘a{—‰ûkFgh‚ Õ]÷ "¾+üzÔ>X[>ì%ÛQ֜܋Ç|Š -æÄ »˜8Z¬ƒ²ƒ¼KO(òG^tÊÔdE”NiÌ`š!8”lúPÛE €}ˆ§l`Ò Yéà ÊB¬þçÅî®ð;öG:#<;vÕ÷O „ayË£¯U|3tGÔë—¾“Íø›š@ Tf²æ›Ù¥A†”cÕ°<½¦þ+“_d ¹E2®W¦·pÃc‰+5ÃøÜ¿X¡ìg*¦V•÷CÈ DVDƒV;8*Ÿf'Ävá·59^tUʰƒQ, ’äÒHºñ°Ð¨ð¯¥\Jp½Íë½ß“2ƒ‡¦7¬$ã#&ªHè¬uuЦô¶[ÒÇGVÜ®n⎋ˆDy‹8ÒHŒ¬ŽUo0eqgs¦8jtcp!sE#É8™k¢ÇP²JAªÀ{¤·U®L^u :š¤®ë»øñç—“™]]ÅzzQ©qfQ‹u3•&U65çgVs¡)+VÐb\ì€L:@åæSnçÌ0R|øÁCÑ ŽñîkWº…8GsRê)™ö¦´âbCø< åÆy‹^+¿CŠ"³ŠE‘¡ÅaÓô²ZÒéua?«÷NÑêÔëžø-¶ M´ûâô=8%1ìÅé]˜yÀçŒW¨Þ<v¾È€Ítt`:‹Ké†ÊyÅŠÞl²öI›²³3`Áy0uõI×ñûÌÛáÝe£ê4E2*èÊÑöû ÓI™ ®cÊ11™™ôÇë”0|S–CsîÅJ"[:ËZì·!ðc;›T‹…,€ö¸z 5’h5 z-¦™TLd ‚$-;ÏT3ƒ¬È¥çŵ{¾Ìg+b™¥ÙamvñÌeyôéw#ò&å5¡¼æeÙÈnW8D Ž$x x›ßº¡¿ÂNæê™Z3'²DËFú^?ìÒ aÌM(Ù5)rñã[1¼”'=ð ´)Kóx2^!‡EýŽ-ÚÒyÚŒ¸¥Îæ‹üâ¥ß”‘ ê-4Ô> [t$Ëû½qH[dþÅöÐ5ÂÎközµ|1Vs Á6Ÿ1ÀLømE”šð•á`u¬ÔëK”m¿eº0Í0;I*§ 4sË«(+‹åÆIwX“R¨šÉ°'XoxA&wÓÔj׈Èi½à»¦ãÈzABr—¢S{ghe(#ª`¿òJÍ¢ËJ}²Ë¤AúY Ê7”qyꌣSxÿ¼L™†Æ3gl±&ç³Lny ãkÓ´è¬0•œE;½8P=}5ÏÐå±W ILDö6M,ÑöÌ¢æ‘3 …Òî3xû°‹¶ƒaÞgñFòë>{1ì¶XQsÄ%­¾wÞeXgiì¨ßû>ðŽˆŒ0÷Ѱ’xÙÁD~Ÿ–Vmƒ0˜11”7kXXÒ@‚Fk ´©9Exå‰ïh;‚awH~lóI½Ð4È× t.GÚ},—uŠ%€Š.m;Ù-W@¢€MñeÇPƒÏSÓ‚†CŠ-ÇSÊ(3Qr¥~îSk#/7…)glÈÌ´ÂFÃî#a™!³íÂÇу3˜Ðö8Ì\ý†¡taÝŒ¹l˜ˆ¿wH»x`»ñzWR3;ùvÝ¥[{Á¸s>hŒ%>Ó<§ ™Þ3”^¶6Åa±£ÉŸö¨¢¹Ý=VãŒ-õk¬D#Ü‹qòîqlÌóºÖ'U•´[Nö7Z@W_Èqn©X"‰7£…WS³  25Á´¿@ù>ìâá–’°l=´¼²ÎmkçC§\I+þ|)ŸA…Å…S¨Lt˜ ? FTåËðå–´y޲$8&¹%ö;GûÏ^û04wÄb£á0‘aÄl]ÚcçŠÈ÷ñX¹'¯‹†äÿÅo·£E™gÿ(-þM%dSª(ȼ‹h°$t¢CÙ*À WD¥T9A_Ã,ø_‡aàå‘)ùE<ê(vñ®Ç-,±&¯}„'³pÇ…á7êóä)iò8T@óWœ†BêdDAâ3æ#R1Õ§Äl¤NúŒÉÈ„Sæ¢Ýäø<íL¤¸<½¨µä<¤çÛ†”åØY(c˜I¨’¨9(ßov ²ï·)'a2ò¨iÈ1?{"2™ÑSQz®³{Û™‹òûäÙhgtÝùhÓø3’阓æcbVÊ^ûŒy©ˆ§ÌL·ømÚÙ)c󼓭'g¨|»Ý9*3;Ku3OM25Suȸ¹ÊÖî4Zäñß·G_/ÊzŸî…µm »ÓÌ&È'2î­ð¨ûVwº(,[°ôî"!Tª@%hŒr‰ ^Ù{~Õ®/X.œ‚lŽ€†ø_4{ÿcÂ.ÅZîƒù§êK:†× þ}-_-Wç±)Öqg퉓04ÞÈ$=¾ÏÑ“fK䙇ánfМß/`—F!ŠÈt=LA"†Çô]ò tžòpŸ”kýð=b]ô£Búóh“‚E¼Ox½d#‹5+èn):QVAmØÝ©ó+.¢hîm¼ñØË ê'’X1Ià~… BŽÐç]Døí°×»D½_3’$ }íU&:ŠZŠL+ô#ºüöß yµ š³tB>–º¬€wG6E¾v­x!t㥂%¨¿Þ“6âIÊÉ•r›m8é‡ÃžÈB‚ãc<ìÞ©WæÙI.31J§dx¡nþ´/õ1žv¼î h‰r¼úÙ]ׇ$´ÀH…zÜ;&a9:-£!ߎ±1)m:åþM}ì· Xl[RÎ\£ÇÏë«%k8Jò{F%‹¯ÐFñµ±]ß_ÞÜTZ/kõFXJÇvÍ­÷W¸ï C¸Ù ‡]¾ÎÛóCìŠsh|¼dŒŒ€¡EÔö€ßû&cC_Bª”3úÊ.ìÆ°°\&^®àßÊÛæÊ» À ¤™Ž/†!è7ýÉ 6SK‘–4a4O¿Ê‘fÌÐf§ÎŸe—éÏT 5åÐGB±ÉöØ©¯WI!X_Ù;«ûb¡<ÇV!ìš+<ïÊõ[L ™xUk® 3á9dåéf00ì)ÀÒü=ûIGlƒ†…eûÚÎ"là5s¢fˆŠØ’¹¾!S Ìéé!Už ´ n!~ð»Ä²)% +ƒn§§GN%'‹³[GéöUZ*iMÏpXçhdÏVÔëD'ÈÆUt&°ÀµU³Ã¨0wëºËÚàJ¸”3t‰ˆ7Ä)ý""·§-oïÁ‰>«¼Ú¿¶òéf:^· Ó_îÊÜÐUºFn¡ù„? 2‡«¸~Ákô~.èË;²ÈP1Þ/N2ë#¦ûÅ!Ã;ï‘Õ$)Ç“Z¥ÔSÄ,¹”«Øt³ºéE% ¤ùÍ@Zc’©ý†Ecº¸ºþ¦+ÕÉæôµ±m@‡)2-{Ú• FhªÀõ dy©ÎzPÛ…ÑØWŒPhôÓ.Øk|JïKªv,vŠŒåu æ&ÊmtQ û°°?˜Õ² 9zfu*¹%ÛÝy’賈ÉLÕu`Ošèƒ’Y}A™ ì ¥¶& Vô¤^ ¸sĆÀt–£¿H¦ç‹Ð-:Ÿ vƒË°kÂïšÝ@æœOÏ®µ{UrF|ãj…“pÒ¹Ù” ½j­A{Ûò爰{¯g^¿Uú„âÚÚ:Ý÷‘½/l“Ïrýd$Û@Þoµo¾©“%5v÷v^ì-o‘¸ «åsdЧ|&%m}eocwßIÊAS®.ï/;é0ÀN… OO=Ê_Gç£@.Yyn› P°×§š˜Ö‘7µü<ìFÞ±oõQ×I{ì9XxÊó nQ0/û‘Ƨ@ ·îlwEuÞ»}–0œ|·šíãZ>“g±Ž~2ª-HOÙƒ‡¹ƒòh&‚QßI¡)®‘]6ÁãÕHÒÙczÖâàÁ„ì%i•—Dó©ÙfPtyàzy>ÅÎÌ*480)ŽŽ|nxe~E±ò¸—S°4h2´…çPèd»´)'”BÚ4mÈKº ‡ÛñËg,1àoä"tiy %ú-qBR§ö*Ò:¹æEÛN‹Å˜ñO4âCF‰èÄ9IÞFèÉ<4}T(ãî†n A‹ŸâºÓ†aT#ØY1QÕq)ï ñ“gf|°Ó›”5r™¬-k¹¸¼b=oÄ!Hƥͱü°N‰D m™k‡×f5W$¼o,ëTèVÐR;z®¬ü¦ÈNæ –l''´3}#\x1å’b¬dn¥r£¼Db6ŽE׈J'®R´Ç<—¶ëžÒÑ´q ²›BŽOÉ, )dzfë’Y¡.h‘¦}Éà•òqã²"pOL«I ©±Å­MÌ&KåJb¹à˜–K€`ê°<5ªC*+š„ ‚Jò³›’–ß'K@d«h!›àÜ]HÎëGʘg¶`ÿÊF«Á-6•Fì%Èv¡]¥óˆnžÇåöÕÇjÁ“¡äÿ…sÁºÕ¬ i,’ņ†'H B˜°á`¿î”»ä áJ0YüXȨ¼a+ûžH/*C‚S"(…Ñéð½•Õ»Ää`Ôç“ü9úg†oUPû©þCýZBke™ç2 ØyiuÒÐGV̘Zk\¶ë³ÒšÍ3™Óÿ¡KNŽY+m gP-ùª4yã†Ú6ñr'´Œ\)£F/hÕÒ¦0/9Z7ÌdžCúFPˆÕ»¢ ȨÁ¦›û'rļÄQ‡fRÏÄ6ä5@K‡ìêkÙè‡?ˆ¥üai”–Z ’Œ²!A˜àÊG*>²Þ¦û[åxq”wë)‹sû!–tlyV¹$ˆ$w€òN…ÕçZ;BI™žŸUØEȱŽqÓ=*oÝÒn£–* HäÞU~ø¡r²U–X Ÿ«Tò™%¶í”Géö¥ÍrNg”=Dabí¢‡üÓ:õ’ÜZ&Â=/e­w¨|é*Ã:”dQ3×ú.`϶µQ¯ol¿5¼0koÕ¤:NSU> ;#x %&I¤–=È} ®ÿ -ìL² y¡íž ­KI—’*k\‰“‰, ,²ÛÇù)[†’k¬ôlN’¥R•Ú®Büµì ; ™Ù×LT‹qÛeä“—òÖ¹È éÌ obª*Nšž Z)ãô·;Ùl!?¯Ÿm“OÓey»ÏŒefÞíëô´éI³Vw#£æ¨Ö ºbfÄÂ.2YX»•+µ<½çq—ÔÕgx@mï²ÌTF1 ýËðÜ?ƒ5J%e0.)Al9 ³4-•'(¸Ú¢ÃÛ$3–—%D³,6½eºËÿÞW†§aWî¸ò|°›w¶qzc Y¡™xØ–¶‹ê<.c¤ˆ„×EèÜn¨»6UƒUP|ߺǻv¨ kË~ޏœá±TìXÉ>q»ÑMÝ` Nu<}&H&¦ŒžÖ?¦‰BqkØé\ŠtJK¨ÃÜðŒùš>$…Ižd´QX¢Øý<« jk¢“K˜j*†0tÚ*~‚£Ã¥›Éãœëhþ©&©þ±ÒTÿ–VÔn©ô˜“>\ŽÑKº[}ÿŸÕ}ó–±úH)ë㸘¹xÁ3ãÆÃÕuxr¸ÄV Jƒùª÷¶ñn'Ì!D¹0þ‰›ì;•uGú@vo‡¹6C¹‹üêþ p‹Z*/±Û}ÏWFó§Õî3q¦Oz™3“‡Èõ ÜôØI±o³¾}YV¿'nr¶…Ý·˜µÏŒ$p†+-jÁïDCæÒ ™« ô,dR$²Nˆ×%åCŒìÃpTµÓlc¢ýu&ŒS%Têè>Ó:vû9È6Çpظ²Ô‡%ªO[@tŸ1’|ÏdKQ6sm3¼]åµJ¤`ç“áRo¢‘MZ¢Ñ&6[¿­nì5¬©7²!·lb‹R {ƒJt|Žf)ŸÏV•i·Í ý°QÆõL9Œ¦ozSÔdjD©jbN:â/I»?Õ•O¼ó\tƒ†ÃAÐŽ "Ï68nœIßQ¦¾?*W‹í(>.jã ¬SÉÃx‰ .ÄõÁ»ÑµŽfüº[¢\1Í=Üï`‘­À‘‡î<ÓÜå,03^'À÷åNÝe¾ßÄ©»ÓF†ËAŸd?ãè]ñŸø:`…óÑ{Ü0Ë;/:ø§‹à?æ ã÷ê’Àµvç2í“§—ÿíäh ’*?Cx¿ÞËË£åen%5¶îŒ¨ŒÅʹÅÌŒîõ«O]±i+þðn[Ä*#‚þ™ïú'¹[Ë¿­•Pù ׈H€H‡A…),NF'v¦°¼abE&Ÿ8ðà‚Ì[W3~¬ô*Ày¢ÊÛ?-•Þ×°] Z½ôhŒ²@$™ë»G5ŽPIEüóÏò•O±k|W :ÍÀš°˜yðoªBþßÿþ÷¿þõ¯šlƒ¿æZìCrnGôÈÉ#š0–4Ño«ïÅ:ÝÀF†&Ìj7yìÊ„+ãPYF:`ïQ.–K,eh#KøkQNjãpÛ˜¶Ä…­ÀŸ&I7T[Øé#é¾Y…Ä'78ºrãÉA«c®='œÃ&hm¿íYû23ÙÊ KíÞËêCÚþ±( 9¬Þ˰d–ÖÌ­Eß쳬"¡áQU+ÔÊÖ–ó¡Á7S‰kˆC5Ûµ+ vçSÂcˆˆŽIO@pêÚ‡8fƒc6(fRe§ “œ]§$Z¢fá]|ÊgÚˆº}YË[ÕµõåW›ûˆFý|§¾±ÿGmŽÑºáˆïUƒÿ4ò;b<D®å°²Ïདྷžh!è:%B‹ /2 žH$Eœêà<£)&S58QC'º¶Œ¥#¿¿÷ ÆøÌóå½ÜÌëB!sÑ«ä1)óºV¥;h­0 #ÍÍ`²B¦¼ûrgûE¡¾åamÐUEö‘ÆSTŽL^Ì”˜½f®+îOA>©š.£Û˜&QŒ í¯kyì|F8cCÓæD”íFisiqâ¤Ò#¡¼¶Õx¾¼ò[}s¹þ]?˜Sê,š+(;Mi¨ÀÖld5jŸTâéi#7Ñ lyJ‡½& –gÙC!úV‚6ÊGè°7 iÉÕ Ûm²E¢ýPßï±áR¶´QÎJæÉZÞÎ0O¨ÔnìÓT–Ük£fêÒXe¶\h)×OÚÙ"wÌ *¾YNÉ`‰¶².ÙAVÚ¬Ñþ0nÆc;#k¡‹²øk^ž vÀÕ¢­üñ‚v8¿;z´×(n î4ÕÏV%5©Z^'?ÏÛ*C:×F#†êÇ=ìͺƒ`p©,P¥ŽvLº¿–wCÒaA-ÏN‰aNïÀ¸°ÜLNm¼&$¼%HôlVú* ²‹Hõ‘$B²b‘ýf¤N©@÷¹籄š#ªÎ'² Ebm§z!´ìQ›òí/ïŠV}ìÈðÖ'Kr²ËÌ¡,Ûób²]yO:Ñ–þZϽËH:ž‡5ayrÙ- AXë#iu‰w×è&8•å¯7,–fèòytJ[¢c¾¤.¸’Á2DôQ¸ÊPÖÐ ¹ð[‚Êâ j’<äÒéwÐ+¬ GÁèEö4lEN‡$dOˆ!°š6ÝxCSo¨m­÷pæÖòÐkÐ…hö‚.VçùªýYå¡0Da&›C\Töäiúñ˜/ŸáÅ.¬¢oØx(ò.9¥,¦ÅN9vÏÒ,ËK[7Ô× 2´úíü¶DÙç¾öÄ‹ZBisDÓ‚¨yQ4ìôÈ´ rD#]4Š&[RT°6ƒº >&ر£ðNNÈ…î{o$rM8}ˆÞéuÎÝuP4ŒbaèAUÖŽtó„JÙò!vX +°š"èñauîÙü3BÑ“5A‹OàCŸ§òY€ÃÝŸJíìëF3vöªA¨0û­Ò%çû¼ÖªBa‡„4ÇüÉ”žšË¿èÁÒMÆa¼Ð-R/¢b–½¥hD«>ç'§´·â=4ÀC_=õ•ˆNÝh+1~˜‡(¿¶½šÏìÀŠ÷ÏLæ,„STà^DþSâƒÂ" £cœYÞÑ’7L¡þa7á+z6òxM@YÙåKÇyHÊC…à€#Ëx?àk!è<43úÁi#ÀâÁ„èà'TNßíÇÒÃ^FQZÃÎNC{!(o†ÆRÊ„!<=ðB ¦Õ¢æ«ÐÅèeÑ `lDå®?¨œþy¹wÚû5hÕ?šÿ%“‘@<Ø€h%5žþ-2(e¥Ž¸“Íö°¥N#æjBqHßË00öXžÓl–åP¨?YR§w`Ê è­•¡ è t-‡`´g¾šëz¤+€  ¿-1ó"›[^YYÛÝoÀê¹¶·±³×ØÛ2WèjáÒuSÇ»·9öÙ‘ y±"ˆKtØ:+/œ#0 Š«Ëó8î,B£sw ©±´übæ»cz§£>ÿqÊ+nÍZ6ûXÎITá 0ω”ifÐ$lû'/*žÎ!#ÒÄÕ"ÓL ÷y)e!ÆF£™Ô{8}Ú—fžŸŸëu= çì HÒ®üEÙ a£9±Ö]My FcM‚‚¢£¨ Oõ°žPzµM5.ÝOÕ=<ùú~É cȾrÉ K’ݰ¼€›±~ÿ²%5™Ä_y^w›Àe³Y[=ÇXr §Âò£ÜB$ôvÄôå*² `™½+WL¥Î€?+þ‹÷Ö¤ƒpµæ“ûíë"÷DƒË6±z•™‚ÃPºÄ GÒÓ;Óœ4D±–}˜¥wÂõ¯Ñþ€§A ·„¯Õ—·xͱå&)”3\Y•³ìuµµsŒÍJ—§xß`CI½V+@v䵕hA×(ó¤öÒGZ•©ƒ™Î±{ßUZÛ¡ twÈ~¦C »ºòW†ÊJ aUj™1¨ÅvxNµÇ›Äiµ·\C˜|èÎíCKZa£¬)«Z)ošI[M_i< ]oáV½lê.ìêg²Òi¬Õ PÛŒåµY_k¹†jÙPMðP÷Ms‡“[6Íè3`ˆUÞm^–к„WÃq “IÐP ¦^œRÒ.9·–²c¢òý%ëŽ T¢¡ØäBÑËÀ,)¨­ºÊgîº.0›^-¿y4¹^ ˆ¼^oø-±ÊX‘xm±ãñ øž½5|›H'ÍæÜC:wÌêie匞VVRmžVVjôíÞâi´ÅµQÚp»3ÆOPœSàÌȾ¿úRƒ£#¶ÄpÐ×»eÌì#(Õ$¦qMq÷X‚ªôÝ*ÁtãZñîYŤËDØ^wŠ?˜9’RÖÌ„ápÝëC)|Ãþpë‡0[÷ÖöÓý¡´Cj¨Ðø°ï iV`8±#¬³ÀJÖÅ©SÞ=¿ªÌwC"ß½ÄwÏÆ'K|÷ß7tçÊä%c™ÃõxÁýÔ3õ…ºƒÔèl$,ÝðïÃ,%ä¸I\Yù ƒÐ]ù (×HÚPw"m·XwÝ ¦‡´ÖÕ‰º¡—ÁGá ›Š°AÞàtVã~)G{]‚Ú!B$w/ YÜMHO#ÖÐCÔ»Í9¢Ãïˆh2Ô˜öB ôNP 6DŸ ¾‚V—˜?h~DЂt½YÆȃÈ;¤ý¨/ëDâG23•¹Ä⤳¬ÇÊ žÒ¡¥”¤–ôJòÁHVæÚ¡ªerÚÆ»ôCõǼÈÊýÛÜGüéìZL%YÆ.T6Ûe˜4à§;]¢Ÿ{¯2…Ôýt/~&&|ú »A¿¬*Ü:˜Ë–²9Æq¢˜*2çü-/nßë+ﺾòî1˜¿ŸÒÒ¹êm²Ý÷¾WmÞ°jS¢Ù~d³˜¾“Éîq‘|ÍÒ\:oåGÕqdd*I;´ÝW¬ Í>$Âl­ß¥ùX;<É{!;÷–?ð‚vä:(`»ýð ¹!]áȬšíKÙÎYÚzSŽåÌuÖ«ÄÒP™›…òsÆ`À¶ÀeK2ÇPß90X8¥3Qz-JÉwɱ»°÷û—ÊNæ›3d ç,ÛAegfr;«0n³Œq{È?è•“"Pk2º¼ ï|3Ÿh © òú{ö {0¶ÉrVl´rú î“ä¨3ÝxL= bÞ`À€âµ’oÖr¿Ú+«å«"ZŒ„0ªsÞAø>FF§ƒDS6f-M”[tÝF+ü«så¢Â.KUuÛ²j¤ ‰¡à×X]¦Œ0‰jÔ4\sµ$i†„n'mÂ'ÉdUÉäU¾’¾ÌgÕBZ¿d*EôccE/Ãð¨d2AwAÓ[1üù6Žö›Ye>©Ë؃xQ³Aš´2‹2±8rx›á•É$þ-·êlÁ#,Áâð|¿ißgê #:è¥%ÑY¼;Ú÷Oð–SdO>ŒV,ï"´ï¤ËŽ|ÈoƒƒÛ‰£'2*NÞÁ  61*Ž©÷©Ã é"Ö4¶Ü)É\+N6ŒjÈ >F‰üf;‘…&+ªñðöOñ®X©ä•/YyËÃצ˜ØS‹˜…ìDî43ª/ŒOÙ^›_÷¤‰[dÛß~‡I)^É~º4¬yàcÔî‡åwF<Ðæ[ÀìÊÍðø˜ž­ˆ~[ô·×:âï8¨ðáèHþœÐoÇëÑ/¬œJÅ ùïÑ•DÈQÓT…¦•/ºtYðN3‘Ù€“´‘qNo÷ÙwÇÞÊ!O§1NþE˜¡µK{H—dqü•æËÕéYE^û‘[ i9hßì9ì†yº™Jg°‹Õ­ñã,£º‘¼ÿÄp7hêNé×Þ¬­½Ùˆcžçë ž¾gQ¶oƒ¢p¨·vNy`¼ìÒw—ÒA±u QÝÁ; ûƒR3è7‡Á@^ÁÃvÁÉ¥ù›vùšè ̘F)œ°¡ãI¨.þgõPw€¿ú,Í<Óô­wôޏM}ëh>6•º÷hVYq4H†^ƒ½+Þ`C¿ï²é÷ñÖIû’1óË™´QÌ \Ä ð…LÊ6Æ­‘E¡Ûgð ]2n,íhµCÿ¢×·[}QäßþY~W<˜9(—‹àØè+‘ëŠù9£‡  .!¹4ÕD Œ` !$â.Ê=‹1ï’½µ¸ÙA ŽK²¨Æò°Ãûñô5+½ƒQRé‡fGÃÖCÈŠÝ=3 DS¯!5º“ŠÞßðbH‚í0|¥é—‹ö‡×:󺼀SÞêæ­tªï0ì.`Xtjß`׺Ãu®xLvËù43?^ ï¹Ùvr;†>ž ‰•v 8Å¢Ú¢Ð2ÿg壨äSM©Ñvÿ+ïŸ>YK¦‘N°¥¤g&jtýáuUà¶®‚¦3j/©X‘%\IßcÕ•SPpÂk)’˜Ï$õH*\‰šrZ8SGyk*õG õ¶±¾áS$ Æ÷ ¹”½ÅuoS1Óbé]©I7¨ÒÒÄÅi²Üw)Ã}EÙmãXœ%íÍFžvj:(Ožtåmý¼˜9÷ÛmÏŽ@<:Þ+€¼Ó$4—ŒÄFQNÿX3·ryrtgÉ¢É }Ò£¯G‹™ ì—ÑÍÖ1ß¶u©±Mxçt‡nü?‡ýN>!v¥o¦Ì¶IjŠîº,&l!éâŒT·[û®´…[s÷; åTË0gôa–Ê9…+h³ÇYœY×YÚüÐV1¥óÕë-– ”rš`d¼ç˜²Ki–xó[¬uƒ¿ß„²ê¡ºDùs4haùô—˜új}csM¹ô…À¬q >dgEö<[€á%õ[Çܳ3ÇœXÇìóßÈhgjeXRÑå䪯0꽜^Ü»´†è“Ú?(Pã>¯?ìB­ÑÝi‚6»˜‘!Û'Oúæç{ÓŽÝKÙ|&¾™º‘=T9g÷OrCs=m‹äˆý”ùHlsçù¬}Dî/‡MŽ¿¾ o<!ŒQ-N/Ì¢0jpq4îÊjð08îÂgÑh@-V }ÃåvP „d‘àx̪&MÅÌUÕ_7«‚q„Ï=ö‰ÑÊÔíû®=ŠSÙQ#6­Ùk¹XF™ÏØ.©<)†ïFˆÝËy±²b7¾J KLÝ`¤—Zî?ÐÙù·G‹Lõ‘?ÇãÁÊŠ4d‹Dišý®›`¬}q³Ù8¹¦Û>YÍfãœhã¸ípÛ!yªèÄ’û‚X9xÛ!d»eKlR{›"Ø'“]vk”¨ H«»Y{æ'z0Ù±™N¿<ø–ºås9Ù×N/¦ï¥Ï঺ÍF0Rç{LgæòøãDÅ]ÆÐaÂV1&lòyÁöÚ®?3.EigÞ±ÝvY‰c˜–b:¹«ïÝÝ{À¥­é@Y(‹úŽXyöÓ¤+#c’NbóÍg?]›Ñ»dè.³êK¾³sÓŠt¯‚šôåz4èAǽÛ’Ú Ù°–®…ívxNr!d‘œ Â6T•î°î­ÔÅãòÓ¼ -G2wIöhˆÛl´¹À=¡TÞ‹™b¿¡ö¾ f¬˜ÅYa_!ea)ƒoAzÝë‹¢/fzðAB rX±ÇÛ2Ê)Xæ§ù^ïmðYŸC„Д䤠^d~³šè,ˆE˜Í™×@ÇâL¾åþ@ÌœÍöðØAàø„Êß Ýñ ’-ÈèØW3g‹5GX>lûúºxTž+è‘à/Ñl¢òŸÌáÑã)Áj¶Ñ¦©´¼]ß°Ðßñ ¬i°Ž‡Ý¦‚e„ƒËåBžÑv_l$…›­üÁÅË—yqê_Pݼ&ÚAâÑé "óéýS?Rp©ˆ÷¾gƒ]ÚÞ Ñ@0ìz¿}9Kg®h)GC„|c¡ï2ýhÃDþ"ÏÞ¬qtùlD‘•> J0>É%j«Å&Gˆê d¤‹ª?"Á•a?‡dUš›Ëÿ³AC‘×XÚ¤ÿ ôó4˪bJ^¿ï]BQÿç£B­s3æÑuÂY{l¨|Þ`çʤkµ9»M¾óN¡ H } f!=ÿàÁ3Ö'ŽÊ0:~„óó}ËE­&æÄ¯¢*E© ãGÁÆó-Ø=¡².o¼¡fHívîÌ=âöÚ6cÇköCуî„Òù}Ð3t«b€þüx(¤u8ó é%c}gg梀=Fe¿h7Ÿè²¿Å^‹Ž mãÒ:0CópÆÎÍ//hóĮиq¦x\àh^aé“ùWÍgl˜‘‚˜ÔŒ!—à w¥¿Ú^÷¤}Ö®g‡¥Á ð y^d”–A\+-{¢´Úx¹ûêM£¾ójoe- ošØX{³¿¶®}êF–í>Õí:¹Ð˜YgåE¾kI„¸|I:W”Ë”‚OÞsH²—­ ´•sïœ8ž–W©dÅhüP,¯4V–W^®5^/oJ•njV¤6¼àõä~]öhã·’–~Î'”#X}õºfnîöEÏ-öÉä&Á‚åuw‘Ò×+KZSŽte U2R€Æ.&ƳÅ-ÞûžÁh¿ëÊ}ž¾fØEXúAÈC¥qƒ: Š2¥g<‘Q*õl„wÿÐ mì¶4² YªõßGlsGR 鲺òÖjD^C@Ð,SÂu-—ïD·ÀL+Y†Í×÷ÔÅà}—([t”…(½14ïûä#„%¼ Á2Ýõ Èó(‡låÊ‚R8Ëî ÉËærÉW¼¤é°ÈIô†T{Ñ"Úi¸„VÅü’‚R¡>w¼ñ#X‰AmM‹yk©ÒwÇg®˜°€ Õ©[üØmDÙF³xqØmd¤枣ºœ`-vY8(ôÒd, „ÂŒµ/ëÕ±•9i——æSû"ÃJ„W G>ÇY©UŽ®Ic1â*”dœ˜áÂ1„|µ[Ž[ºë ¯îÐØ¤[Í~Ð#X(œ#o¶Öq¿…W„ú!nŽC(<ñ•íùPA0ñþ‰Ø¼áÞæ2Ì¥> ·xÖU<ÜœÐ-$IeY´!¿_Y½#ðìŒ/%± 3òw¤}/‘¯³N;‚ºBïV ôÌ2%ïÍPÌ)Ž_Ëäfa¯!‰V”øÁ++’Xvìh{%'q7¿ëe9ƒ˜ýM ÄE}GM@í:®‚ €¿qï‘£|Æ,f£Z¼€ëD™‚£bà3APð’ŒqµåéÀEecïw°>‘sZ—Öʱ5Xôvôeîgåƒ=ù%Z:–Eç6Ð-ïˆÝiÐb èz½^;hJ‹z: 2(ŠÙÿ ’|öûÃ'òjÔ°ÀGänI@·˜¢¬ÂÁðˆ)Püãc,@x,— ¦` Òcßt²_cu”Ò ŒãaŸ MuùF•Ï!ÑQx…ÜtDÁéÐt-ëìðÇÁ’Œ±1tP#Œî-OJ]2>yX<˜yë•þ·\ú¿¹ÒOB®rP­ôòâgQVnNŠûE®‘×–Ø¥OVò0‘5ŽoÐÜJ”ÐÑéýTˆÑ!•›´Éa“)ArcF`cÕX2`{u {8Ù§5-ùth7ä¬#é)WÒhï}Öz=ÑF=öÀ$ºÈLša{ØéŠgsb†²9(@$rî\þ+Ñ#åÔf—l§AóTz­¦«áàÌ‚ÜÑ„†¢âa¿]ÒºV⤠Xö2ßnk*4椻9šöþ.¾îôý¿†Pd¿¥*0¥“ªš¸0»°±J±a»Ùnj4b]ßNtÖ|*>òo'ºŒø9ˆ†^6ò ~ˆõ‹…µ‚rÐI?|sG!®â 6Ï4 B®%^ê§}ø¦çê/×67 ¡ÄÜ2:•‹ñs[ò‹ö¦ƒž‚]ŠŠuœ¥Ç l¹åC=NuLò'×H®[î mo™®Áx"Gåâ4´¡rΑaWƒˆ°DDÐÓ$ˆ`4{(G;<<4ŒvSjgØã6éñ~§3Üû^Geµ#tñÉë¥ò*­IÑ,ˆð¬ÖS… Íƒ´´0+œ úp£¬SþŽ ‰q+J[»³T½§å9ZQž–«ì±Ø£iˆÇË:¡À¨‹xÊ®¥UÅEΗ£¸,°På—l_õÄø@oYìÅW(TÈg€Ñž‚!•èYyn|ÎÜ‹V~»y·Ê†¿ÎP‹æceŒ¡›}ühy;á97zÁ*jÐhEhš-†b:Q #7 DÞ9–Gíy•µÌ´[ žx]}ãØFh '¦!mÌÊÊêÚ.ù,ÖìuŠäôúh‘NöûHìÏB¨™¦ˆ5`lŸ•cgl*Ï‘nhƒdJ"ö$™–Žñ-3ÅsmÆ@{<ˆ¸Ôˆô6È„¬Cð¢Èï «zöÄ«À^>¬¬,ו0Œì¨ìHƤ8Óµ+vÔ}ËõoOá·\¿WùÝ«üîU~•ߨÙ~•~÷º{ ݽ†î^Cw¯¡»×ÐÝkèî5t÷º{ ݽ†î5tãw_RG7Å^ä³µtcó©§›˜Jjê–ë#uucIܘ¶nBAÇéë iªÆÂÇëìT­NËz;°{ç­C‰# çAñŠ7´sÍàäi´ ¨@ÄOfY°¥‚&êIÁì3?8œè²çÚTç—ÌåøGªRš­åçËÊOò2´ïƒLc;ÿÚ4׿»1Òf’ƒÊÑ)é?a8Dmýl"ËxúR–ÔlñeKäóŠ ,x€~+øZT‰6-u± }¯µxƒÑ€¥ öí°_‡Ízö0wpðî P98€}úIó®£×6TuÁ’E«VHÍDé n>!¡ÂHĽ"çššC2,F Cu»¶å·½KO=r!F·A\š^cŸbßèŒQI¤kjç™×5†!ņJc•ÉüËUÔïµ YA¨*K‹7Eþ ŸÇ?2kz«w-¼r ~w;“vxtÄw"b7A‚ÅWýL7l` «–E¬[‘²X[y¹SËÜο^Ú“£~Œê<-º£4±y/Gþf”I‰Xä욃€ðì%&qÙš¿9œ‘$J}Tþ–ºq¶ôŠ}ˆLû „¯'éW%³Q›$ReßP¸ÑÎq7[ óÖ¥EòXü+ºALvÐÕ ª\¤ }¡9nvÛGžB:•×lÙ}M†/7TîÝ\>ðF!ÉòxæçŸ›û˜{/­äªë¡OºpIŠ„Ô½G_¨Û=d’}fAÿ@]º¨Ì-À®)ù3HÎÄñK‘7dIRuiÌð]o!g³x/›• @k·V±põsœ2¾v™Psg®ŒÔLd¸}5ðê9@ïÅ‰Ë çbŸûïzÀy7¢q¦×ñìî›t)ˆôHð¦ 0æÁœ6êk«×;03ÿðºÝ©Eoò¿ÊѤ饯ǵ­â©¥oµ2ç‹¿ôŒ¥ï¶Í»„ÕѪManoÊ6#‘>§~úé/ëöZ¤¶@¬,—ÔM ²$õÎi"4±ã@Uµ{ƒ|½hCa¼«ö ^_Ý#o9ùˆºóõå…Tç°Šã ¶íå­µÒæF}©=¿ªÊõ.6Ý üÑt=¿«²oU[¹^Ù1/Çó©Jê©ÕPq‘ç 5ᬈ 'á·épNy5Â…{Œoºií\ä"–³q¨ˆ\Ú]!%í*ÜùX‹¥L™EàA:!„ jsÎ/ÅfÏÉ $ÝŸ.øðN\0 =Í{ßï‘Ó!³ùT»kV7~p%g–¢¦K™±t&Eu®83ÿgu®@°t–tñ¬#òýNÄø•°u¥úÙ¸øvk]K¸úNø ´QTa| «o a½K½db²è¬Ä‚}¾5Ö+rŒ»-è¸wë?GhSÝfŒyuð=¤©Xáòñ:%·è#à ¬Ï$$=Pì¯ÉNÂE1ã.tØÜ˜?½?5 %_T£ÊŸo*•ìçKM¤O$‘‡ò"ºCÊ'¾|å}’g¢)(Œ•š^ì­íÞ€’IŠz—dƒX”Ê0êW.z'ð„ùæäê’ü{ƒ’6å ˆÔOSÉóú¦NHœù”⃪°“6e`}‡Ön¢!Óçè¹<=–f$ÿâ‚EÚ°K™Šß‰laæÑÍ îr0Iº †™/&²ì©$êPZŸnDöài7ZøPßYú0£Éù~myÁǦš Pœ±kþÚg-úTfO|Ô¨¢´&ò3ÞÇ£B>Îm=•Ʋ®eURšZF ã §µt™bíï)Tø7,O¬Ý@±6½D±öy"ÅZªL±v%¡b-ÆÞ×\±bíû–+Ö¦,d›pìÜ÷$A¬ÝŽ‘>ÈÒæßw"E¬})1bíjr„ÿE îV^–H”×wc•¨ã‰bÍ)Ö’2ÅÚç ÇSÇ…ŠõÏ*òÞQ±™7’ź ™B°Xw‹õq‚Åzº`±þ÷,ŽoX°X¿!Áb}zÁbýó‹õTÁbýJ‚ÅzŒç¯»‚Åú÷-X¬O%XÈ6áÞú~¤ŠõÛ‘*ÒGXÚäûN¤Šõ/%U¬_Mª8þ¢Rw+¯I7(U¬O’*Ö]©b=)U¬+©"¦åÇÎ ØØ.™”ŠÑ*4ßR -{J'Ýa š­ÑÉÌܲËÊ}ÀˆßØh·ì[ß–1`JÖrVÔ%NýU"2­V$Û;‘Ìn¾2r}ªµ[º<€¢ër4× "ámãYé”0i /Czªš]aó•3W0°uD- ¤n#†åX¹ÌìhêŠzk•À¥b©)Ï¥ðCªIÛ÷¸Øƒ¾GNS!]¿x'¾Ä,ž•W%‡=è‘H…Œâ:Øt‡ µ›lvb ÝFAKäæªó‡Ôù”4d"y»F»’”BŒ¬Í2û„ñŽ¢°. ±䕵·•whþüë"?ªëL}Å¿=¨å+oÿ¬¼ÃÿŠ•ƒòA¹’×||Åë†Ý éµÑ Hˇò^»e1aªŠ´HSÌ‚@‹'‡ùè_h’ù¯Ê¿N´“I^Ïã ´œÍéòeS ð –«¢!óÌFÿ2$ ç¬ÊØXYLr“O=7WkŠŒ}ß)›UÃfƒ„+tyÍò íÁPñùî¡×÷ñJ ßY!Av…5Í4Á¢K/ˆôwI5òJPߪ$»OòÀ}‘ï2e{NËë7& öàÚŽÏl+MÖrn~銢d»5ašr$gzJŽt½La8–¦ÊØDt2ÆGû·ö@³ûÍÕ8Þ´l €6-ÆÁq4fߣ·öÎGo+(…E(ãŽWN–•¢›Ùâè2ëHkr}ýÕÀ;÷ì…ÓPµx*Ã(h‰@ ß§R ¯.aaxËž€zå[¢ïÑêˆÌz“1«)ÑÊ^'^¥K»d=ßÅûïÇ’ß)•¾°Jgæ6×s’–è+ï„ÎåÅtHW1ƒBãrôèö@Y;íã½SkØ ±@ý³±TVÌ&3îŠð~IžìxŸ¯¯æa~?P ô?ãÓÎ&¨Ð pžN•B_·´±Î£FÕX'n®âþÞèm½×àùl“,Wt–Ë2˜Ö!¥‡R76®.Ãm&M[6W¯Í4Œç“¤Ã›$–€ñ"1 œ±F@Wgjr® t8ôà £`&Ì76]R_%» 楰y-ž÷pä3›:{¹LQbÊòdÃÑ8b~¥Ï,=œMe¤¥_H~'j¿u­-F‚fb´¦Æ °êd´Ï5¥z^_-áõÖ­z ïáq$±~4GG·S˜°\NGdä¸Bv°½õ™ë(òí-{ã1žG•]ζ½UƒäËëvƒ°AÕ¬‘Ö/Û5៺xÖn„¬uí‘°‚èj í)ì2– +@t;Y3C»–AcÐéA ZñݸzíŸV~H• íě͈ÀCüö±À/Ãæa‹XJÌTyc‰C® tcx$uð—˜(ÂI äAº\­§ü{4pyÄ ô…ZÆDË­–ržÇ=bõ¯<®ó°õ†$ŒƒÑ £`@»V§¥6{x‡|©Èh1v¯]dŸgÕ•rŒ£ð› Hꚸ¼iv,]Iº°CZ¶Oy$°Uÿƒœ?À؆²™DPãíW›³b+è¾øÉ“—ÂQuåwzƒËÌÞÒðl„èô@nsqy­A$TD ‚^ø ËdމS>Pòê¶Òsµ*T3’•lZ™¸öƒ¢…ù÷†¬=%‚A+[¯ “°ŸÈ*GÈÝKØ<>rÉñ)Q¸^ì ^2ôR¤b0Ñ÷²üÝÊš3gi-™4Æ 5©ì'àd¤ó4[9²R£Õ’))M?Ãz(ÙÑåìà‘ÐÑP¡Ê8|?ÂÑOÃ>²‹Ç]'L7:׿õþ7eÊËo‹qÆëç§Ìu•s¥Q«¦ùêxÈQò³Kó_luç“‘SVƒ–F•C¼l©ô•m–tÑŒö5ìô€/–ãKÃê«­ÝçÛ¶ƒÁé–'}7n¥ÑÕ‰PÉÒˆ, y¢„¯YsþñP¬]àuý5¬ÎÃ~ ÷Hñ,ôày`S„#‹nª=µËü}¾¦=0SÿŸ½ohãFÿÿºÅ=câ’k¡nI¹òúis§fm¯a/ö®ë]h’þíßyHZíË/H›Þ'¹+¶w¥‘4F£yä€ÚÆžb{âÆ¢)‘%„iée±‰©Žå =€Ÿëx*Iù®•𠍑?Ñ«kÎ+ML²™y=]kâlÄ®5Í+…,låPcü2m2åð±kb/T 2Ͳ‰çM¼+‘LMõ´˜î}a2qÌÏ5å$¡ñü“žx †*ÉRê^‹Ue™e.ŒPϲz?##Z›ÊÃîô>C.ÃØðª¼LŽŸ£d/Ü+Ÿ{e`îóbZ‰å—×õÂ,³Ø•«AH÷­±·Ÿœ¥å 1‘š¹‹/˜(Ú·-è©ß²LIŽÏ\‘¨¸GïKoqŒ¢vîœ`«\˜?ÖßQAªð—¸u:2%*]m†#wØw©a†¸±ý±êØ´ ÍÄO‹u‹!ëRm ¢Ü ÚØêµcc–Û)6Rïž<®o-SX¦U˜ªº/ÇÃ=V´±ÅÇŽÔ:á#Gr¨3Ã# ž˜ +õHÇajÞlóq:£žÝ™ä9¥fžúδt™Åv¥4œ†…'.Vñà)Â?pt,$XokÛ*Ìl,¿0¦‘Å(,\±i5S©q£œ˜M‹RÖ•,㥕ˆÚX6ë@w̧µx|$šÍ¦•‘#gô+d·’½2QàÃÅ;ÉÁBŒ¾ÄÀ`¬]ƒsO×ì%¿œ‘g÷k«±©)%jEë4®ûLMúѹ÷´Þ3nµz%‚ÙVŽ&!Y„hýi½ûÆÆ¤ÐA3äï6JÇÛáq‹7ñ¾× ó|NŠeªxý˜s!òÑ=wÞŠÜ>dW“ÛpêµÞ“—Y÷Bqpí[w0ˆ¾ã]…×2R}¹REÄ 䕳‚ŸÂ8g“ÇEƒ» [A·0 Éã’U,圠p`g»{mûc*{1Šq׺ÿ½µIɉ'öþõâô´"Ã6#¡ÑÉ©ï߈ñ VÂ;Ѷ»ý;X«‡óaÑ(íAßmw$¨TœÉÐr:l©sÛqÒ¯o¬­­‰öF5×AªÛã^O$ÆÊ<©;¦(£.Š`‡á]÷1誼¦wFx„c'3r(qW…È—áÇ•E"ɱÙ&€Û2væ¬4Ö76¾þz[Ú„nüHÚyÊÇ1r¯®Ce?ŸWÞXãô¥‚Ýcþ0uM̺,L©X®:4e ºãžx@CN)2•Æ”†QFˆ¤0oÄ×púDu/4Лk; |Ì%2aàÕõmct»«×Cå<_À—ŽsÕé˜dô³ë}s[?Ú7Ç‹T U«„òq©!à‹ßÐ~ë¨3RŸP ìsVè\*!“ÃA=€\î…®Ýïß©aÿì§‚¤×qõA‡‡ñWñöÃ}çý€FÜÐpWdå;,¡(#«7òs<‹ÀcRùR´á𚜨*†ÎÍ¡’bЀéÖhŒÓƒ•‰lä“T8B´F-õ’ÌÇpkÌögžþ¶] ×+\ ]{$×Lwd_<ӿý‘ã´ƒ.~õœP~󇎇_Ëñì0tß‘b€éûñ×OAT®èœÀÝ·HݽñùH´ëVÔJ qtÂ~†±VrD—fy<#¿‘¯¼ ±Udd'ˆÐñŠxÞurZÑQç²Á<}òäñÓ%Ìú#³èpæ-ÒÁ,q£þ¼Üév1‚žÝs`WûM]nåôc•*a2ñR4ëbóráÊ«âñ¥A5Ä«Ý[=ÿ?;œû 1ˆð°ín<ÝXßÜ$z½¶GÝ%ƒÐvWÆxÄ e†Ñ—'íkß<}ºöµÑ?Ø0¨Ï1×’¹žmœœ×§®ˆàž¼7ª‰0sÔþÛ·Cœö  ¤V|C8§pBrpúÀg=·ƒ„’à©À½-)8¼EªÅ/³E8h[@TÑŠjñ¶‡IR°ÿt _Ü"¼«=×í0ÞÍæT(÷Ѥ›ãÛÒŽŒînm¶7ÅYž“:šbÂhìÀ÷Lªœ(c<}üõ¦‘K'séÒÈck‹•%‰¢ú+Šg$vˆB¬®ó•~æî/rL¥"š{\Ûx÷du"‘­ml®­•î¨Z›ŽÿäÝSú6kãE}o™4.É›dçìEëh畨;a‡Ô;½Z·„cωE‚MßšJ@Ö,üˆŽª†Ò*õÚêë%ñ¦^/ÍÈoüãé×)TMDÑåÊ ¦†ŠfübÒ¸2áX:¯¾­Ã#ŒÄ¸OV› 931Á{²A·Ëâ¥Cô³qa1µÝ+”àÛNý¯(MÞÖcq™Ê #Û^[¬ÿ(ƒ$GÂ~|u¡=Ò5²=‰ˆ¯Íà£æI«}7¾¦ý(¯H£øž>«Å÷»'ÇÏ^´ø§LÚôñ£îöA/vV°eq Ø\uÑËÄ)a‚58„Ù˜:R ¯,¬º4¨Ä•ŒA\iYym÷{JN´;(³&г½‰Åö%%Ø 3µ˜WÆ{îï«KÇ{§â¬f¢&æ­x ôº¤#ÊRçìJ÷»tZ’%ƒÖ×ÿÁDîâÕz}C=3fÜpÑæTºŠ8]ôk¼¼Ï£\ŠY<Ùü %o&;%GŽÃ@Ý“áÎQ›aÉÄða‰-aÕV-v®-¤úe`bñƽòÜž *Ñ gcÊ=}à4“f)ѽƒ†ðíFè·èÍH¶ô ;¹hÖf÷££§ZŒC,Ϊ‘<¶jPluÌy¼0#›t¨”ç)œ/¤”OÊ©b÷!e²5<ÜSþ(”œ¹ïÛ1Ç’`š­â´úyÄÚﶸt îc*‡Ô(UG¥ûÄÁåLEºÏìGfI¹Œ'Hå+°„âù Ž+niÒ”‚F ¦!3³‡z s”Œõ§ï}3®ï†°4’×x¦÷ÿßR=8 DÔ!û+~Î’·i€SáÁ/vwþ}~¸óâh0†nßm‹âMSCå 8¡?ZiñaÄå癜1&Û&'Ý ¡Q²k^ÄV9Ögf»|òì_h÷öVËR¦½²|׈J}±QηQް•GŸµ²êj1ÝýÂdê˜OФ“ØŒçŸØ9é;‘tÒBãG!e ºÃù<ùK æ1‰×ÄŸ¬ñ…ïLóИûì˜MbIåõ¼0 Á,ê‘Ç„Ro?-+ÊðwÐmÇýôtÒÂûâóåó#©ˆŽÌ‡q~’`ú|4Õë[Ï,pUO.¦ÐöŽœŽåaä6•¬;DëΑ=rrÒN¬žwB„¢P&àˆÐÕðÚïÞçœÈ‡ûÊíÐ!¾T<Úyq°ÛÚ=Ú+R%±Ë ß›FI†t(–űƒ™7}²òàUN‡[µ“¦”ÅÛYeoóÀt¿Àx¹fVtLóZÂÛšKšoˆµ)•S}¢L|uUÞ뎼œS¡€#¢2¸`)$Ë"‚‚wv˜#–À`¯c­â[EûžÏä½$ÄÉÛCªË÷ží;1°Ù>šs“dA5"¬‹×¯GΕsûæM¼¦à•” Ò¸˜ð„îúx탣V6ô½n lc‹ñ9WQ:SЦօQP›”I·GŸ×`–ºUB}ÚãbzjÃÐb‘¼…!ƒ+ø]’ö¤-k~…ds»Ê¹ƒWɦ¿B-é{ú¼%S%˜¨Z!}N·ÝÛ×›ÕoÞA‰2)RµÉw=…¶#Í#ç¨tÝ×›O¦¶dÎÛþásñz ºGV«m"_¾9&V‚k­™Y'ô¡{Â$ÔxåRîÒ¤[44~ Ehõ0³d´DëÁ5À«£¹y-á™ R¯Q&é—´€ðóñðº¶ÛåKe6žÐéž•M —Î\?3~¹ýú©ÀP‹¨u¸ ?г½ÃÃü‘&;&/é q] âFy©s(™Âˆè&%Õ*Kpx’2ÿÍ@B|ü$þ³½ë Ih OfÚtïè)Éí¤T!hcÍós·\á(î·ö`ˆ&9Ò €ZòZÕ›¾ ±ÂÚîºÈ¿~°9˜g´Ä²,~äˆ+.E¬G''Êl{çu˜¡ âѸô @µyzOx`¿X:îjÕ}üõÓ•Ú*(„å fKàÃò÷†NÕ ª7hø‹?`˜Õ§›åIÃTB‚¨öJÊ¥Š–ŠÖó-ksòÉ$PçŽ#†µÂB#”ý¯­²ýVj˜ð²ü}þÂIŒ‡U®íaàwïæd}†ùud–]6’+´ZÀéZ- -‹v÷EUG™U¯²ýÛ ~ÞŽÕ͆» ¤YÖ¦0ÇrÑ;ˆ#t&À“ú ìÀè I!7”~àhˆ¶’€ ×öÙP oÆ^èö™ŒÑ"¿ï_' ަÎáÊsÀôâƒì͇=BÕóþ]¹î¾~ üµBñq:¡(ßuˆ í+4_àÍ@îÝ¥XˉŽíy£=€;¨’±ÔV/3]tõâž8ôJ¹¶Ý·ã9©êz8¾]_«m¬!]Ñu”QgŽk?ÝŒŽNŸ³ ÚéÏ Öjô³,b»4¯Óª8Øyº™ÃOŒÍW¡‡öxÃØ…%Ò¯‡C{õAzüZT'å”3Ê߯ˆ×‡G j”¿‚7–ò÷¯+PmUœîTÏÎwYNiÖècöÁ íµÖÓM9º~ŽïÃ’Ý2{UÎ\&³ô2Õ;IîH†Ò€V¨äõ§»‚ÑùoA(&ÀÅãÚm…Äjà'7×wâC³f“Àñ¡5t;øùÐæOÑÉZjÛÄbpðG+M X.*îíB›dŽ_Èþ-AèU­–õJ8ÜSÇ7>¬ZðWXeDá¤ñxiBZ–x\ÄK”9~¼! <ÝÄ÷O7c¯ŸnF ŒÇúÄUi8&fggÒqg€îEmG\á\Õ¨k†`Œ0à·«¸û`ü~?–©gÊ‘pöV¥уlb‹Î³$ëGêSÑÏý,¬x2ÅÀiVí97~ðô¡N1‘žs¶#L’ϸz½~`V½Ð§˜‡¿z·sN»òƒÚÒ鬜3~9#-\ZŸ‚Òóvo2˜Leš,ü ÷˜¼ê‚Þ¦ü|2'rGݹÕjÏYËð‰aš˜ÌØsoo`£Àï(Œ½<>x¥ýfV•ÛÌ|Ímj¿›Ç×%ùããuÑ ‚œÅýÐÁ˜æÚüÓˆ#£ŽøI†ˆžmûÎ W/£ ÒëŒÊs‚ÊYÉùuìxayÂYK/þÒ½QDÒÍ yèã®yîÃtËš­[F?¬©rJ\K£zì:Øé˜†agJ†H{ó-å9smD¶¨5RV96IyEÙD̘ žÐ( Ê±åù¸ÀéçÁDrÃTg¥UUR¯\ûpýÀ©©£–&*z„HöëNÆ0¬x’cáenï´Ÿuv»{Î~ïùÕ‹ë܃ÿþëíýÃÁ‘wìŸ Oý£³à<¼¿|÷ÓÍÏ·¯îþýÛ„LñRu„Ô›+µZ³\šõ×Íõ7êïÕvýÊÊqálر%VÌZx…LZ™0qÆÍNö¼þýï"¦ÊÞ’ýï˜+uû}üù æJÖçöððâääð!Â2¤ì€°ü®•úb60! ¬ÆV=~>aeW‹éî&SÇaé$#ÂFÏÿó¥OÂÑçž:YŒõ¹;ýó3.$kâGh¢lrZŽ“$™‡8{ð4“ßüNaò 'Ï g@Öù àXÔ®EU|ûmkgwÿä¹ø.•„£¾J‘£â5LŸI6iº„h9ºƒx6J0r³6² FÒœ$µf#jC§ÓPì)ãU øInÀQ+õ0á:Òg&¥Ÿ_œ<„=ÁÉ”ÏéMC•ø"™çKæ SÙøÙéÜÍb²ã…Iô0?ß‘ä’`6úéŸwÏA顜:îÞ4³0Cùù‡1ü;èçóÙñÒ_øÊ´¿ÄÚgÆLbË'»Ï…é$²èÑ?›É$Þýá÷زåøé^Nß—£™‡{ƒ€Õ˜w×&Lj±ñĽµÄ<,`®±õéÄÊ‘í¡QõCÈ• ê3ÛÎvŽž=ÀžÀ€2·~ÕÐe¾lù›€ÆU!~6;‚ìh1Õ÷ÂD²˜ PD“àXÑã?OÆÌ¢ùPM¡ìá4޳8ƒù,ù‰‰‚“4'ð–Êå¿ð™i¦ÂÛçÆ\â )§Û…(eQ‰3‡é$_þá2§j:.tªiü"ufJ&iâ1åÎûˆóö„ä©ðËYVR²ç²ØsBg4Àä”2òEÀê퇎ðûÝjÞqF«Ðí()ptxÕ’¿TLäØ-H ÀêÄ…Œ†€×Xý¾¬Ô¹ø]ñtsSUˆ ޽XÑÂä-:û,Ê™σ™Ù«˜õø÷¦lHTCÑ,Ò|q?­”àB`ó`J2Ha™á™ra! d`%I»ïwÞ¶LˆïùÀ½AFvŽÊz~:¾õä2 ªíê|Q–•ðnÏÅüË”Oj·VÀðÝâ{ü¨ZÅÝ]L ”QãpœÀ9 „(’ñý+£¯¾0Ð>¦§ÞÝÅ%/ϨäȪétŠF´KQçp“TQ´Ôos.iûFwƒ¶ßgp=[£[0ùm…7¨- míÎûñ‘à ä ¶¨qÅŽÀ$§¹aMJGŽŽ–v¿Å#l ÝáB·Éà 8X`{:¦ GèÞR˜D™Àf¯çÜà ’1÷(Èàk€q‡Ãsx/ûÀ#nkBü|M—Ò2·ÔR)½¹Ä÷û›Ø.¿áY¶‘ìá}§ohÜtFnÑHâÁªéÄ)(þÞ ð[£ôúÙîÞþ‹³ó‹7%u†á‡ˆe O kÉ)¡ºÓq(b"H,œ5Š:¾KP‡vØ(5W^·vªÿ±«¿½Q_È׺Y.1‡Gãk‰„ª\Z 9#d -úX¿/ÞÈx+3™„GU1sü‹ƒó‹ŸUýk—E1tŒJ¤†1X‘)þÅ)äEa0æK:äK&Æ¥#v/«Äÿ3Š˜!Œb{gQ 3OiT$ÂQ"i^‘YÂ2$±™h$þùñùÅË7±„]Ä,oŒ5ɲ ¦÷^{È!]L‘‚ÇܹqÒ•Fö@ÙÕŸ"ÛúUAñEJÄŸ=ß+eÎúM{Ô•ÈMœÙƒ7hQp¡žÝqÈgüèωCXM¦îëfÉÅKZ<|víÐŽVŠ/ƒõE¡äÒ,'ô[\¨aáBù¡ê`"Ö_DmU4Wj°TŠõæz}X² œîRy#צd¼‰U ÛžÈ0¬>âíx({ÐuÅ=ê:~ëÚ÷ß6¬Ìvñ¼4òD«…qy®tû}Wînc޶mÙ5„×ÂÝc@ê›Vs½ ÇóÊ,¼Zk+)höÎ`0Åk¼›,]ɨõsz r‰=Î",° n‚FNãé3™Bn;Ùƒ%¹ö5‡Â¦x®ÄÒ5ñS¶v LŸe€!0û]ôU¾`£Àƒ[É9n"rk+N0¬áöƒ¼¬ÌŽ>D¨6/uM±ÚK¦W(2p&ÅÖ»rì€*ER&h芠a‹1t4 š6.2ˆ †TµR&º2ÊåVŸ«uc$9&MÙ±"ÛÝ.œ-ƒ‰Cå)”%“cŽfÜÈ–ì5ôₘuìY šo®K¢^ Ä<Ñ•‡O‹ˆ$‰bj³c†ˆœAe#I-‚O‚¨‰,#ÂÕ\O³‘8Ò Ätb÷ìð9*£H¡C¸ ¬gc5 Fn0)â°è‚{–,sIÞ?¢tÛ|¿VYo~,ÁöŽÄ­(aŽÍÒ%fàãlUÒ¥Qèça|Ÿ½ÝÑœ‚¤LŒƒ&3f´«’;®Î(-Õi(Çz·Ô²„Õ²HoF<2"*‰¢Š`©¯¢–¬IœÊ8aà[[+j¼5ßöF`öÍu¶<ãÊÍæ†€ÿ,nðç‘:ú¸‚Pv…ô¡sa5S½3ÏN©ì1ÿ¶K9U…}'.X·èÝ¡W•Ú^XØÓ…ä~¬Ã£#˜ý6µ×$€~àsÌaLTŒ•Z­œ:¥\1h¯Î‚"ªavO¤¬Þ<{ÿÄèÞßרÓôKúùGÁTOVŸpd[ÃÇfù¹-ÔƒfQ<þ¸­K×Ù=yþ\œÿûèÙÉ¡¸Øyv¸_£\¡|â×01eØ•úLþxí¾1+Ÿ3P•-º¶ºŒ¹©:AmueèÂAPU®¿§Šf¯Þ4Öc]«çËZÝõ÷Á°ï†+ÐÙµJàUšÖVÓ*à ÜF0náh%ð^o¼©l”p.î† ¹þ~8¢]Ⱥ€õ¸UÕ­pW8Ëy po@Ì »ü·ßëû´“­6?Ôß{À­ÍfÄÚ#ñòxoÿ¹Pïà?€£Ö/Þ4Ë«+åT½÷no…©ðXɽFÓÚkZ;ò{½¹Ò,רøæßD… $Û•zóÇ樎X¦Ç6"80‡¼^ó{ý—×ÿüþBL¯‚éÏv²/Tœ˜‡lˆŠ†0™ÿ¤ÉTB‚Àˆ¥ïqÔjx%O¿œÅJÇæË[%q±¼¶úzI¼i®¤ö‡f_à«F;Ef‰EfäÅzQ²:)ðÒAqÊ"ôOhнR˜Å•7nõC¿Þ-I~É*ÊÝàð±"/c5THQ²gdø¼EÏѾ4Ë]-°müw)ûZ´?¼h¡Aû²‹†ðЗΰ?ð¿‚̬]K¼/,;ˆ˜’Ò€5S5àƒÛÚAÕd­´§–s_¼ÿ˜ÕÖGÕ’௔ßÍ4Jvi;«¼ÍVù+kåí5 ÞG1ÛFm7랲춣·¨ávlŸ;Æ ˜Ê?¹¹ðŽááQ¶¡çبÀg‹àNæYÚÍb2Y[¢ù(RW²ù`ÿÐÀË ¾.µ7™gé,ÁU ¸÷=÷×±Û»£Ô"ˆŸô›µÈ£ k`¬žù§zr¡\(w}ôX“ˆJ_](2Ð×ý;BùHºHp~•À³¯0ö9Š'á+ÌÏ`t•¯–Ì_,E}ÿ.”w)£.×É•˜=i^”Á¨Ð_'ÊyÀ¢eƒ¶Þ8e_A ½6جÈhøÙâ“tíš%[„°«0!@¢õóÁñã ñáCô¤µûïð#Ñ~H”ký¼»Ú۹ؑB¡ïö1_Š`pó×´Éï!ÑZ%Ÿ¡; 2ûgÇæh¨€‚¼ b9n[Uâýýn)Ðr¨ ÂθëW¥ÜÅрýCíZ»'ÇçÀVûæ@á˜Òkµ°÷ûY¦éú2oOÇÇ£lïƒØ>þêN³7‹æÚ‰VZÐͽ½Å ĉúzbm}ãñæ“§ÿøú» ̸—ümDÀp ±-Ò5¿êRPLbxoo«QÜÛû˜Ú)ööbFèÑHZdÝ ÁЦzèûxrIüêZ[ —(wáµ>–sžF»CéáP|>Þ9Ú¯œ£NãO´JW1±ºÝm‚o1{uitᩳUÇvbãªJ¦» ÇBÌÓc§)õ¾4PÓ6ÖÅ·Æ,„·‹[Og04eY“b° Úk êäÜHu"‹F¶ Zî,f¼×1…Äc*ešËçYÍÇ“ “ý2¹ùVÌð95&rÚEq."l$бXÀŠT'³lí“$'[8"my( ¾PÚbòfA›Y-ÏNSnAáÏŽÁ¥»ØÐ«'í?`eô&ÝìÈæÚ7OUW,3ÂÊtâLJúfkVn'd:’Í_­û„c‰·•%Y$Ú«I¢´ûq)¯Óia _< Ö„8ë)K¸gØ|ìáÐ±Ž³ü²ÙD­Àas#éI±õf‚ùÂýcÕ² Ö-=Hô{GÅ~ú V_7›õ7ÑïQtô‚–UæOâh Ïw:ºˆþ9ÜÞ~.ƪ6««±ßð‹x¥~¤}>$¿"9öÏ‘2R±Ôð,•…Æ ¾ª­Ö¿új[_ýÂv´vßµƒêW_(š)è`Ø¥ªR_EóþyŸK¶dÉ–Ìû¹$ þ•¶#¿¶'£m’ÏIõ¢ÌîØØï@¤©>éÙWvÈPt‰ ÔGJˆtsåûhc%!GGÈÈI­øª«Um©¼,ž£j¹À ÞÍì<; Ì—ò[h»;î°!tÿ(-t²ý.‹Wl?D)výQªò­0-­Þ§ºÛ%‘©>ý½+eãâxÊö Åèe´ŠW1û,åŠZúáô嫿™mìíÛ/,éEÅ(ql²ØÓM]L.»Lm“ŒÀ 4À9EïML‚ÓÉ`™,K¹%ØÖ¡KîÕxäXÿ·h#yÀ燔Ód…Ñ_ïÎCJK«œìÉCˆCßîUûÝ¢:pú½Çí`€L–ˆ –V™ârÊBQïñFTšÓÀæUxºÙfØiöohdj8f¿rF1cߟnªR‰^Óú™°ˆ 0ÜÖbu•³Õ~YJôRrã~HoQž‘AB‰>?ÝD,7"X)¢›8Ç]¨GçÏR°ÛaXK«‡Åú‰b÷é†\D1øž‰ <±ôEËZSÖÊí×O[(z¼íG¥tþ žòú0ôoœÑ°£WÔ8š¿Y‹È_˜¥òC0´G?lõ q쇆)êÁb-.úè|÷Ž|ëX& Üp, n0)8š½»øÛî+±M73b³·Œ;צ:ì"Ôõ±óL©Röc+ Vð‘`Ç ô»†ç /˜l+ &œwnÇÐÁÀ.o+9r@yHp „×ü®Éxìx9…G¾„S˜ø"îå.7?›ãÄårØ€2WH™/j“Kx^Ë} zPÐâ2¸ÍEPÔ¢Xš±K²ƒP_Ê—K>ÞhqÐæ7È¿ìâÔG³(ñ£·rÁ?Ý„óZ¼Ë™÷‡Ã•²2Ì"r•Ûéµ[X.^YÐl ·¨¬Q›q‘µÍÜ›4¸üŒÄ‘ ˳LL' 9«ö,u“Us7€I@r¦ju–Lž©é‡+:]Åi—ʼn'ÎwOÈ÷õÜá>ñ¤¢¬Eµ í’U-lC½q¿_í9Àh0³5©8]ö¹<ßùi?i“2ta`Ö<×ÔZ¿ªT(ÈÔØÇ@ÂÍWÎN¯œ§¢ítZTª……ÓÑòÓèP¨šá°Q*îžž üCH)¢=ßíŠjG(„éR™VT7EYÏÏ0©ÉU<ÜËIöM²6G‚­BëÄŸJ3Ú?1´<ù|fŕϘ>RfÅ‚äÇ_óø<¹›¼Ã¦‘ž!^ˆÿqJ¸‡ò;6 9ÚïTyÓnj,þÖÈ)ó #iø?š<Úm¯:±Qûº¶VÎU'ëµ5Ô_zl Û(w#D‘–XQ¬Îà{Fx`²f8ƒ?äàýE¶Í•m#ñż¬Hé¶"QˆI6£™î÷ Â^*çY«æÌ«“䘨”q]¡$‚Y¡E’A&8}>æ%€±(`¼µutcUØ‚Æ6HqÁ‡C`Í/ÙÔo@ñäÞÙp¾ÓžÊ Bwä'e«Åp . a‘J¥£Pu©B:‘‚1Šb=ÝñÆdt5#ˆŸÓz¶‚ KÓ*6Ýút©ŠtMЭIyóI‚Π8;?³àG;ÇÏ÷Ï/Z”c;/3iÓÐ8cŒ€¤€!JÕïKŠÿd¼‚ƒQLÃõ]Ü2á-F%TäÅ~¤r+Å 7¿i[Ï £BÝœqÆ2X÷Ð,¥ÊQ/eTs›¥aʨ¡Ç§à­È)3d2ŒøÚ~÷£;ÆB‚c7¸ŒC·ÿ çFì3ÏöÎÿ}ôòâà!d2*SS/F¹/"W¾Èeà+—,?ñKw¶˜1‚Â"™ŸaE”`Pæ‹?ïD˜½ÂhJu?§q¤û0 Ï”ßÄQñ`'Á‰¼'þT/|hÚÑ/ÂÝçÇ|’‹+·ó…™èfÑÃ^.SJ¿þÃxQãñÓ]4­_v™»8U¤dçŒ%¹ T ­O ¡z§ë>̽ƒúÌv‹ã£ý½ƒ‹Ø%PæîÀ¯ºÌ—Ý 7иÊ!ÄÏfS-¦ú^˜Hó3E4 þ=þóäÐ,šÕÊNã8‹3˜Ï’Ÿ˜(x0Ùso‰¡¾hÈ÷_ø|>Ÿ—xÊ$½Ï†ÝS'‹‰^&Âül %ÁÔÃ?O‚LÓwÈSF}›ÆQe Ÿ!¿ˆ†þ`Rc.ï0Ð+û…L“gŸó0Mf‡ SicQ)1“©Ä_ýá"7—yÚ¾H‡™ÒaD9’\LÉÐ`&Çþ”R¡O×÷!¤ÏŒÏŸ3f[>Ù}.L'‘EÆ“ vÊ'š}òI–]òÉ{ä Bã‰i‡|’²?>IÛŸDöÆŸRp|ºùp¢ãÓÍÏQx|ºùPâ#à*W€|ºÙˆJ}aöS„HÂV=~^‚$tµ˜î~a2u,(N"éd ”üüO)“Ôê©TœI°\Œá|žü%††‡/sxMñÉ_øÎLB&bî³c6‰%•×óÂ,s/q3ƒ ¥Þþ9"'¶!tât~;óÅNEN ¥DOÍK J"!‰†EÁhp¼°–~wÜwt¸mÌ7™/çWÌói³‡€0Œ©Õ¼S[8öj‹IéÈ /ZG//0ŒôËÃ}µ<—–ų;PC•ݸý>±$. LüÛÓf©ø9Âhß Ç¥À`°K†*k ã½sG¾‡)E£\÷‰Ž`mÏ÷ªÎ`Þ é&GQn&/ÅÀ–ϧ‹QzDuÝtU8T:B àUU½Æ©jG=Œ‘®ÝèºwðkU¥›£Ôà¾/óDËÐXëÛ˜·'ò¼ë¨Ò€ºÝ]¡žª~º Ñ,T»w :¸üUý¹_I 1j@fÄ›þ’37‘pLÔÑ`0˃ŒÉ_üxÐCTÒÉ=3šλÔ÷¯8Œ’kÈš%”ò¶bR;ÆÞãq>¥¢Å¼˜rq ofÜ›dCr„›]#s†eâi}Sî•зÓ¹=#I2% èÀ¦*vf‹5áÜRìUP0É.Ö7ñWT*>L\¼Dyָ㔦s3®QìïÛVÔçüLIUzÅì¡aœ džÈÔ±eN¼‡hFWs\@sJrš{°iç“DéM)KÝ<ìz*€<¶Ýï¶2ëÞ‡wçÁŒ8çãÜ“Òä—XÎKr›±-€TPQ¡TÌHÍPUd¶Y1ë[:¸×çŒ0u©¸„“üÉB.é93gð^ýòÆ‘³'¿÷2„?§…™†çY{Ùµ&,¸¨Â=WY(ZZHÛæf´-Td N·Åé”1í²"Z”sUAs%&wñjÇ ©fFTë˜Él稦"mîœÁ.6Žm¶Q9ÖД²ÐÏvŽžÅkÄ@f0áLC22·k3âÖ”t³âsѬWjõü1<,èly+.mÍ(÷ë%Kèɉ(Áy8 ÙD"W$I4Ù·™þ/kuqä‰(¹ó„>‘  –Ë&RS67+QkÝóÝ—ÑF#Êç®ñ2*Wé¬1)Ök¯×Ö7Þ” ú€-»ß÷oZcvPÐ¥âM¿ªo¼éÄŒOÐå ¤b**ˆ«3Až¶P³ í樵Õ2f) ¯âIíVø*å2’òhì¡TOÅúZí %­á„f¡»Î°ïßÑ10´GþZe0Ð0dÖ«“sJ^àúIìîöë§|ô¸›IpQõ8X‡åkbÏ÷J¡¸ƒ#kΫ Â‹\úþhg÷äüUkoÿôðäßGûÇ­‹³ûU¨¾ö±…gÇߕկŸ®V _¯~àGò÷ëoÖßp¼ñyfSžã€ü·ã!¡["êx]©ÍqÎEðÒÏDŒOz¢eg?Ê:Ä‚™ª.‡¡R1v, î‘ÝJ®ì“ÙÅ‚A£DØË‹|rDaô­À¢éUY¨µàk)™)³™ß¥w2ÿÙà |ž9ö-ޤ¹p+>/SÔeq¬4"¤×>vMA¢&1™ÝVö T³S–9 à`ì]92±$žµ~Ú9;Øyv¸/H¿,ªÓÿA)]Ë øZÆïE %ÌH ‚²Ÿ­–œ¡=¢Ã=5ê÷`×é„>†Ù—I÷¨o-šÏù^,% ´ÀÐ¹Š¸¹v;רdŽPe±,®íwØŒ;åÀ·à‘µwpöz þ¼Ù²à§<¸Q~'ðÅz5Êôç á¤Ä‰þÔ¸Ζ4T»dR§æôÍÖÖkøÜÙzƒ3žÔÓiÝãÚ ü«ïPõÙz•›®êBË}[†ï6F\Ȥ#L“øømqCm¶·ådÈãÕ­è‡Û^o4-™Š*Ê”¥ ¾Uõ«Ò¥h‹ëM+ çvk5  ¥­nåCj¦AU„VƒZõzIþJÞ02Ye«¶š3ÖÕ9Q–†@\ΙÿË‘úN‰ â’Ì ëmäw`wöGÓs"g׋¡9 ÉØ ð^{à = ÑãDå®b„wµøõ”‰vjW>Ñ{üh¤®åc%’Òðr±“;Ët{þÙû¯cÚAšdA#¡l#ÌÄa´‘ãèk],àÒx€&ö-õETÑ­RsUá žÝêøUf¯5’§3z[þ[™^^^GoPÝ" 7ßãÙGæÎÂHﶸvì.*90’>¥ÒÁ\¨m¾êtÈì@Ýuà_ᡇêK…td¶k™T8J8ìÞRš˜eq:rzðäÛ¾;pàvýbä[;œQˆ¿`:Z­ó‹½ÝV 71)ÏUP¡ÞáäeFUç¸j‹& ³Ž˜c@,]ÊÆe»'LƒÇΫ‹Šèt·@—ÜDé~䯮cÚóR `K†®Utz±ÿŽñQ–…Y">¿ƒ­ü–/,ì4]IÀ°à$Ù¹æ|Èðk…ÑN.»øSc Ö ¦?†!D˜),Q¯4†á ¨WXâüXfçsÔš0Ê ­¦"ûeñlä¿u¼-X2nÓÍÓwñn$ÄZ%×;¹¸c:K7­‘ä‰û±ÂôƒÛs8+å¼»a¥óûx¾G$g6¦ä€`H+™®Á{@+0§›äNËè"{Œš¸ Æd“8f×ËÆ§Æÿ)Î-ð ö(>Î ¶ dJ±È ½tKò12/ V©"`h­Ó³ýÓ³“ÝÖÁóýÃó}X.¾c{¼ü!xa¼uA¼êÖò±§uר4òåØ0 <éáÄxǹxù?€Ÿ±[S®Z3jäs™Vv;‹Õ”§@7`%Æm>³GWÉg¸!ÇŸõú¾MlhQ“9Y™Ì*…,ÓÐ ýr~Û‚47RÇìb ¼h ,c¸ÙÀiÿä\lÖn…B rmvN³;œÁj…tœ#{t‡;6RIíágPÍŒeNrÇ&°$¡ZœóN|@‚Û§‹H ºÛ¹F…HÖå£Á§á^¾'î2JÎwÅFm­¶!M¦QŠ"Ø‚Rµ(î‡RìPÊ*²(,˃‘{[ݬá5á•dlH,«Þ Rm”¨ÅØë£PÀ¦ÈUÛ ÜšiŠ´§¶ÌiÍn}E}Lq(͵`fVJ¢$þ.Önמ?/‹F¿m¬•ñ‚| ­Ã“Ÿ÷ÏV:e±R²KâÛ†Àïÿ;}À¯Òo%£øÅÉËÓSYܨú½(í”Ä#h~T*‹-„PÖqº½&‹Â+9íº%]DàÍÏJé¿YÅF©bAÎ(f à`isÍÉí…eYùÕÉÙ ¬µÔ]Yq¨•¿­ôÊejýoò >('¸¿œÌ³ÀºÁ—3_ºâ[±ñ6C÷Ñ#bZA“X×rE¡” KÐXèA£·xï&Åï¥A‚2šiÓA…nþyc†eµ&7˜‘S‹ì=ÅÕÀ÷(wH»Mš³MÜŠÚŽ=HoL¸îµ#M'Ó·#U"–;d ¯1€)⡳ãû;{ûgçb~-oæctd>8;x%žÔÃùû.¨ã2èðD?jèÆ[yßí {M)¤¤D§«BiüŽéVñ«ÚDô jàÕ,ÏKÊhj¹x´^§¬.ô¶ë³8 ÎÔjã2q 5EÝ1 ïk Pøº¾,(ú#™Q•NI?< M°nS¾”0hI³‹‚…³D;MUÓºm5›ä4cÁ„™òŠÓ¢Y´æÆ(ÀDÁ™£ƒ­ðR¬«¥FSK‡ºBz¢ºý^Ç30:#Nd5+kzܺžˆÓ…(]ß¾¦£„ð°wø|÷¸õCö¨ HÚçN¨Òïݘ¡ZåìªÕàÚÆ<ôxˆ½rß9^t5dßË ¬\æQà„±¿ðit—ËÀÔë„­\|[ Å÷§;»?î¼Ø¯J„˜¶Rº¢ºÀ4”E †r$·žŸ|éù©KËd}¥tèûoÑÇ_pª“IÒ#®ü6úŸÉQQØ IÍpQ¶ >«Ødú%2îu{鵞‹eñ$8|KÚÈhÐäX¸D5 €” —±ÿªuÝøÍðH!ˆ|¸%­Å•Α&äô­ÜkR8‹9[éË`.ÕíûCÇÃR…¨êë=Þ€W}~Nb_¹[t;SÈÊÌNnTüžäF0òÈ_¦É-ùþ˜Ú4~ŠÚ"€1rKªÜ«Ã\šÁ×­a.¹àk"Un1:…Td%ƒP> 9@m´Esº@’ýèŠÿ.c–4!û>Ep%IøÃ  =Ò ‰Ö Š˜ÀJzvV]( ð6‘¡`É–,93[1+ݹ˜rXL¬Hþ¾–(ö¿Ëo’({ ®“£4Þ[ö¨s ”§šAC§Ó(DæÝ•¸˜ƒ>Äsãjuµj»·¯ŸT¿y³ZÁù/,âgæ‡dâè¡ý¢ìÆ“²II“£­+Þ¹]g‚Zx!x1¥qO†ÁVŸceä³f(ÕâR3qè¨øv63†‚w£ÍxT.dÛ®%ï/^zo=ÿÆ‹Ö 55ŠØ½D)E©7=Muݪ¡¼š’¸¸‡_S²uøª¯ñS=ˬ"‹ÏŒOÀIâ3ÞK Eð’Í–“E Ëäeñæ YÕÌoì;$[rÿ¢­ _#¢Ã’˜å’¼d%¶îÇ>_‰·ÝðÆí†×È »aX„õïD)¸Õüú.à×ÖÓMøU‘`P@ÜÁ0VW7À Bh½W!fˆÍ Ðè[<‡CdMÂÙÇûûœìÇ/£‹{á^y¨Ç9yö¯ýÝ tßíqH–n¢TŠžn–ÈcNõHa#.t®QãÅWÇm' ÑmLp¾fE9ú?Þ(×bfäO7ÉZü½Q£úxãcÜT|kdl$ Å'Wˆ,Çé¬2ZºY”-t SH¼`sºð&/s4‘tÚc·Oœ 1øF4:ÝÂáÁ3 %Þ´e žáìô¼ÚýñH ÕkªN£T\9ÿaÿð°,Š+¡?lQ+]wT®Ë¢¥ÂäF(†ãÖ9YZâ—†Õ÷D5°¥c–™ïÿsþCë§ý³óƒ“cæŸÑ´ÀO8Ý‹ã“֋Óg­ó—ÏÎ/he/vÛÈnS.¹Pžë&¿]Œ·±f³( ÄFtWQ¼ÅÀ?éçM]~©ñbv¥A¯"#‚£óêÞÉyt¡C0tOÊ&²d Ôv®pI±¥O$¨$Ð%mlvßîá„–5 Ú—#zI˜—݉½dš®B:¼hÁ‚ß;8K¯[ZDpNm°"ÓR]&Ù_ƒÂÈEiH…\êÅî.pº~䆊®)²w¬JpFŽH§/à쌵{rxˆìèxçhÿ<3œ{„©6 Ô;Ûsƒk”Dm1÷z$î ü·Žy„-Ðô>ÖFruÅ{À¾.ìÊcð0åþò¢ï·A`Q ¶ >’XC² ÀªÇLÄTâ3ê –SØM:Üü:vGh²VªÙ%½ÍáJ”Š,‰‹sŹí8À ŽÎÚ­,ûØ\º„Z¶hda Äi¯¼q«ßUôCÖ{ü¨Pð¡s»»âî.•Ní»Òu‹d§¤ï°S8dDC7xßî.q>€Úé˜,ñB¾À/Ô`ì5¨ÞÇ{a”Ûã{ è{,rßlp0õ«áس¤Ói¡Œ@ÂDQmÈãi£˜,'=g |s¢ÃСG¬HJF<àtëÀ#üʵßU3 ‹)4zz´óâ`·µ{ÄãпG.Bt}>#õÔ¬H,ÒØWn‡Öe$~G/ZAåîRÔNÉ ôã×%Ã&b{Ó‚ÙeÕÉÛLÈãGwxQD‚øzÝlÖW߈B|¿…ßßÚ²šl§´SÛB¨:œf-ä¶ðè’‚â6¬ú8áz¢ ý´ :¼ –§*n+‡Ì#slÉè¨y#jžáV® Õ³) &6f£UÖ·²$½ä½8-ãÖÙÒÒäõ±dE•…Åþ¯¸‘såÜ6.³ , –Ø&ŒæJmµY¶.1¨¬¡bu/–X¢™9(#Dd§ñ¡@7íÊŽ£˜ì7†Ñ¥# Z@,)O|$ޝ Ö¿ûûF¡°ºº*~æˆL[Z-„g%>v—d{Ò¸ÚÀu‚ AHŒª‚ûqwÜš2ÜIT $l|(uœŽ广Á¶Œ0.®)¡Yq¬ÂÎ~hcÈ⽬•ê AA#Ìq­6èlÀÁÌz=G†¥OpÞC‘@AרQ‚Ò%H2ÂMŽ—NeR† x‡–¤°]” D€©x:ƒî_Ù£.Y¶ø=6—–² ù:ÀP ›øº‚>ëGc³¶bäèaˆ<øô-Á]ÂO˜<û xÌaO¡>Áh¯ª²kÿ„Í½æ® :Ò-r × #>›ÓêGRï–Á@â« Îï É&ÓLlÕG»â="J[kB¦Ž½ùÄAmÍsÝoZäŽ>æN7=Èö¢÷ ûô—mù/¼-Ï» Ùt¿lº_6Ý/›îÿÞ¦k(¤#lT4Ì Í ºîj%¾R™+W@¦e—/=‘; 5 R‰ñ¿íϲ,Îatv¡ÔÑÒÙ _ªÙ¨{i1&PeÒþ/ò†ŒZ²nªºÖÙÈ/Eþ¤[IòhôõZaºƒa_»6²£M =WÃ`ÖÎ[ ŠŒºÈ–Ž*ƒvÂÖdø¤2 KQœ;hxe­¼ý±]bô0TÏ®ˆ°¬ Ãsƒ‹[ä‰azf¨ð*õ_Šõÿ"VÕ»%-ˆQ˜ô8¡4.“q÷. ų#ÓycÞʼnzò¨°ì}†ÄZïYT™c*,ÃZÝùiçBì‚ؽ…O.TPkX%Ž×±‡°m0G2–\¼ç#Á#™±óIv\ºê\ÛÞ•ƒp°˜r7B#b¼Sá¥ÅÀgšÉR^龂çP™|Îî„ý;uƒb¾@êîúh^K„bQÓªv_ä/¤™×óíùtyºìãÞˆN–*Ú `zó–9 U7Rxï:i.1µ…’¨¾Ò\¦ÚƒÝX¾–Ñàæ€“®Ì[ï"‡Y<”êna¤;Õnb†.ãk4žpæRîÑ86z¬ÙŠ*ÝÇâc"`i6eaGU'3­´Û‡<@ªÖi&­ X@èð›<¤0š:HH-Ø„pQ´8¢O Â÷ÊS‘a7óÐsŸ÷‚¤² ¬¬—áHv $uÙ@ç«,ÈDþˆ¬l”aÓèùtcFé~Œq–™E©V—•Éœ>j áúǧ!ƒMöýïEׯªhÛ·téZ:ŒÐÍqÀôýq¿oQÁ`Å ]9‹ë»!@™¢LPë8/Áµ?îwùÔÒñG§©';u!ÅÅ;Á06Ã¥½sm€§سmLl@sÈîsÃ#‹fŽÝ‘ÃÚ†$¦8×%l«ÆHþØ|¿VYo~[/&©@l)—ÌJâõ/âͪÂs³&oµÍJOU*f”Ú*]böuäþb4ɘĪ5-ZÞ娖e¼µÁyËrÁàê8‘yóBÖÆY’j»YüxmQÑ‘…ÉEÓ DïÊQl­@^KòJ©ixž5¢<xÈ2 »#±¡±DÜžˆí» Ò9œcaçsUvÜr”øÃÛÒ¹'•gcÀ+¤(|ãhÁY¢†ß×cÛùíPÂÈÜ÷ã86~mb:¨¿%$o Ë_×í™n‡ñß%3"¦›ÈFuc>‹óß„ôtÃŽ‰çØ{L­Ãö™ÙÁP'W6ð3uß&ˆ‹LØu£Èn[ʃPÙÛ¦ Þôiygèv2žJÿ‚™¥)SþÉn¦„ѼKÙ¯%è’ôU)òã;“9ª¶:e ´‹¡¸ À«Ovk ÕªkKƒ;ÕŽ|Pµ730d¨Õ¤¶˜QàÖîȽ}¢¾<Å/¬ÏÐŽoñ‡ôËÏMùùÄ l˜VG‡{©& 0v·£ýT³@È êÜ]aqø6¼y¼Á é£ã\é3oU D* ¼ë³FF¾†® ·ÅÐé÷µ1ºK lRhHÄš¨äHµHcPq…BÚ²¸% ºdÄeªÇ5ŽË5cQ‡×QÐ, F “û1ž9 Í…¨v&"$E3™Kö»ÀEîúQhË•jµëä¿bC¿ê’¡pÙЫO$Œ½½ÃÃÖþ«Ó“³‹Rz‘šŒ ‘\žÀ/0ÞµâK“èG‡ ÓÑì'’\£¢Ä4ÒewÙïD![Û_²fíè‡ÖÞ¿1§E­™Â»`‹a/–$»¶Ý·ãédû«”çKbÃâÅÎA×øþé‹"VÕòº¥v£DgpiMíËÓÍjˆøtGüpZ}ùŠ›DäàËÇø2! Õù­ãÞ +eoåÕ…Û¡1">ÆK^ž tÀꓜÉ8HJ}:9Õ¦ì×á½út©mY<ú Ù ¬Lb4¹ýD"t=`¬îíëÇè\¡ô€‹Çµ[Z’Õ@¬@åù,®ÏÁˆàriK¨‚б»äU0rú~K&÷ ÜUFc-]Sl.èúA÷¿Wáѭaø<¶ö†½¯pëÀ$&%8ÀÅÐØuÜî2>f0H]°)h´fð¶IÞÓu)±ÜMIõ”K—)KSí3–ã(­†µê…>.ùÕ_=“„ÿßñ+¾¢D†ÝG*‘«]Z’i±r)—‡”Ð÷+‘¾,Jò=ƯèŽÃÚtqEAN.zÀλÍÕ£SÝQÃ6œ.æ=§c$/Iƒ¯þˆ2>ð*ü•”Ÿ4JÊs TšÍL I-œÒÃ!wwmd‘|úÛ¹ïàc£¶‘×( ±¯d>¥RÖý}V?ã†9c± u_6”  WKüÀ°`£:Ú—þcdZ"%©¡f6¨ šRÞ®ª6kù¸)Oôÿxœò‹·=sªíƒ- G ƒîÀ†H‰JyTø—Øs©èݾ‚nAæ—ÅñÎ ôG¶§g<Ÿ@Õœâ•RaŠ ;GÌǾ]mÝÕê•7Ƭ$ðû PêüM(82Õ2ÞHÀìYÜ~ý´õtS¥†áÞÜ!Ë4žšN]×Éœð!y’ð, OWI¥øT ÿ*WÈ6kCi¼ œ¿ØÝ5ä^G××´DjwÈ{ˆ:€ú تUW0œ{@C¸àÀz÷Ø¡}íÜéâëÚº¦“Þ7Oì–$'t)ƒwéÝk)gÛZš¶_-MÚ¨f‘,¢Î„LfËâ¹Ý¹°u_˜Þ Zj¡-çz÷ù›UÅûrÐ2™ÎrQ¤°¡Y“9Ù}æ?KÚªx¢¸í97<¢ÏøÑ8;ÍÌÿþ’ú£‰W3ˆµÈ¶OΟ×׳Øö"Âì¨k\Â-@‰¼ŸbŠ'ÈÌr¿—»½Ü냱'Ÿã7~Eß&Èn&™|ˆÒ³1‰à¡9?Øœ2¥1¾6«Raî…AºJÄ~Ö6Æ7¤0à_g'ºO±fï­F-Åô¨¥E.«Í¾õŒ=÷öHœ°Ôñ×6ø9|òŽN¢'pÄ{y|ðêÏEô³3iÑNíC¾ª^7N¢aÃ0êÙü<»¼Pߌ5‡¶º"Žç¤4úƒ4.ꃮP«{R‰3àü*h3ˆv’«æK¶ˆî̤RÙ:qnÖR Xi¿`P­7×›—rÎÂN 0¹ölf§ óÁLMi™8{8K(¼N˜ÅúI–£ÁgNn^­BaYG°„ì·xñ& éÞèJÂî„cŠ&³x-æ¸K¹§í²îD6yRfµ^žȪԢâJN òO±Yž´ø¿X-±ZþbµüÅjù³·ZŽXèj¯¬›u¯ŽJÏn£U3ðÀòd&ëVçN §ÕÂ8Z_³%Àƒ]Ñ ‰e&`³‰,²ÚK-&T)¸§·t¨n(Ïj|¡žYÚÝ:cHV¦d“ò´Ìkt0åp™Ü$L®v O³niƒó)wœCÆùã(Îò–Å΂Aà$ÅoÖêõ(¥¤¾Im~ër;KîiÏÒôN Ò[Á¢› vA¦? jÎ)NŒÈ»sÔOî1·Zƒš‹&½?à®böj¦%Yaö½%VÓÀøÖf¯¬z#þ€nªŒÜ@–Ì8•óº¨fA™WBé‡c‘LrÆÅÂâ¢íEóUoI€íÆ~r|ŸÓ_ŽËª`ëªô†‰÷/§¹É§¹/1“t&Æ’?Ñ,”±îŸr:[ô–@ØäSX¹‰'Y§±d}"K¶œ.9ÏÉ y`æÎÚ¹ø]1~t#j”›5}Ncü¾8À+Q# ]ob-ú‹«ÑÝQ]—â–uTsíÐp4Ênâ….…º(è(rÝXE¤$ìB Ø*>åææsÕ]|/"Ùw­–Áø?åa0=“´ ˱ðeÿþ²Ù¿¿ìß_öï/û÷—ýû/¹_Û£.©rP r\8}øºnL‚£Ö”£ìhtÖêûS°¬¬T|:^YÀOÆ&.ª£¥¿¾Óñ‡/nØù3ËÇ’bnŠuBŘ!„:¦ñ$÷½h¶Lঀ8ŒÍÔ }ŒÃU êïOpñ&a,ÚöüÔAH`üU"k™$.£Ì"a¸Þ9;>8~±%0pg)” L‰ÄÁmê%º¨þ·Di1¥ؽtÆ5nï¡@ol”¢ŠÐ¸?°i”wf®àÅr:òJÏHÀ¢4Ò+Åýr$*'Ý£'¦<\l<ó¡@·oŠ– ‚"^ü‹dk챩jWFàÃ監Å^w-éuÇTªR uÝ aü†²PN?ŽBë`Î’:!Cˆùjs.?©Î”Né²%Ùz÷γòªAf¯ÔïdϸÕRñø8´Û†ÆÄ”÷Îñ\¼¤Ç]þвÉ­¡;tôÞß,•‚zmUÔëø­ñÆÈXïWŠñÆJ’ÿ ¼ß ƒ(]²~ÎdæÃ–Ýüþ8to¡ãP >ÌäKß4öràzã u˜€\C%=Ù°(”w2Ê [#|/¹Þ×=´dür¨AÉ›àÈ ã~4ãògbÂ1¯’¢´8‰¿ÉÉ•] ¼Á¢ÛÂ…ÇÀ͵méºæ«e!óÓ+hêÄ@Î2”c¡íŽS•ˆƒ¥¡\HÙ©f•)}Õ×U1‘¹(A"œÅãHÝ™ÃþR<`FQÖ‡Ô•¨iY¯`š~C½›‘=ò.\+%NÖX.2£ó=G ÆGÓ¢ƒŠNW2”'÷ctrÏ© ±Ï.²ÀFíí·Új·¶ZâÆ”qP4ÎJÉÛJ¹ŒÑoЇ×èK"„ƒòÀµº(‰F‰Òøí¶Nž??ßÇ8·Ï÷[ÔÓÖó×{oZПB,(Mf-އ r‹«æOìRß #fᬱø·lXe®Øí2ª@·cìÈpUTTw¤³’a´ 6ÖÁ©ïTNJÙ´ c껎Ÿ†áà÷œ¢ãª"Ó2—çøô2TPë÷Ú KºêÝ r¢ð0‚»¢3î8 #yØ]M¼‚š£EË0Ç\<‘ø t÷ÝßHð®Cú‡šožµpdOНÇB¦tä®]Æ•£¸é!®cX!1"hÓ¾¶É7³í`€d’vÙ×»ïÃ?ŒQåTœ…Ÿ)×%9PpŠhÒ÷8 vŒR-qÃ'?**ë¹ýÖï…â'—Ìj ñx¹ö·Œèj2k§Ì%' ƒåµ$UÈÐ-z°ÐúqQ^ûC§®»ÿG¯>\P¤ ùú±Ò)’-©£µn¾èö‹þmn8r¯VÓd×bAgÉXƒ˜7¥àÃîxHf„¡ª+äª<óFµ ÐàâÓÞÖž`• /Ât‰âX“÷¶GVž£a§gw8©æ4–é&aqÉž·tCòºÓdÚp&'`Ýk0Ø‘°@9NLäÈ<hfèŽØ5G Ýí»á¹[fŽ–øþ ®Ê ²@|/õ j‹àVB›Ž-4TQI¨¥yÛ¨­S{² ÍÂö„k6;´†‘§iÔp!í”tH·dÎÇc²,TÞ„‡{¢ú޼ Ù‰PˆÕ¦h®@›âˆ¡Ûšå¦ê YM(ôzƒ‚M,%©2eN’7Ý”ø\mÒ¯KzÃä×K›æ§I'@<óA/&âHˆÃ½ ­ÒÝ]`4}xoÈÎ`DBëßP€EQ&ŽÄK)‰3{ijÃjH°:® ò/8Õ,TšŒp`é MPÆ8át:C¹+ÂP¬8Œ7Ë92•P×ašƒ±_ 7ÌÍCÁá^ëìåq ýÈdyâ)ÅY RÀ·"¿/‰E3$wªSå×Uùº¤Sw\ µ(q×u»f\¨j•$ÁªÊêí¾æéDüÕk§?Tî´EÊwS‚“Z¬b)#Ýäû9’f‘f½”è@ìxQÒeRÍ%IOgõ>£Ns-]⢌öŠçÇÖ»<Äö¹¾òK¹ù¨Ü šà,±¹Ähù^,¾ZÎo×R´*a‰¯­Kcb k°à£Ÿëk5Zý0}H5çûß®G`ðWí›ÇµµÚFSLožýðÚcQ«Õ’@6Èú¬PŽ`ÿ¡‚àëÚF0Õ{¶ÅÅGzš1Í„«(6òiRrþÙ|b¨dl8ØÈa{«ŸžîV¢‡u°—C§îdD¸¬àPËŒ‰ @XK3%xŠZ­D±IÇCÎ.„¿x³«°¼wýŸöÏÎNŽEq`ÿ×-álÿ§1rÞ¹ÈÃfƒ²s&à¿–²ÿuÛzN/žícX5|ðûJ§›F þ"x¢úx£ŸÐ âEõ0&S¤j(­—a>:=p°á œ+2lä±i ¶<§ßË–2u¨¦º Äúù3¼Ïœ0è¶ å·ÿµÿ³°¾£ƒ ’’’¸H:h!H7£rÔuAj½sd]d’ „µŠü3ÓãIº˜^žÏ\æ–§ hn(9¼iF-ò!#=R.TgKR†«mE²Uè1NŸ8ˆÊ¢IÁÞᡎ÷<AÎ&æB·ª†ê˜˜Ñ4’QÅrµð©˜§Ùzôhm<¤ÂeÍf©Tÿåõ³Ý½gço^‹7uÔ Ãgs…¬&šåzs]ìí\ìÔ·ƒú/ôªÕò­–.Oè[T°þËBê—×;?k¸shæy¬ UäëÖ›G™ÚHãEëõsVHÒÃkÔF¿Þ©þÇ®þ"/}þ|—†$,h`” Cˆ#ÿöf<äH.Jì~à«ËŒp,‚öè-Zü“ÑKmº„3T^é³É:@K¦Ð j•K *ÇÞŸíïU‹Åâ+±¹öÍSQ¢¹*6žn¬onŠGbýñæÆú?þ±ñõÚeRRÊÜkÐ(à >üò¡õÁJK´92)CøýÇ:rÐÚEzªt¼™Øø§A‘b#õø¶{Ó£…+vƒþû]×1øŒÚ©^ßA›(§„¯-D—2ã%®…•èNFCæ·½½´œÊ—¢%Éi{åoøoËòf8!»g¬÷çR؉&ôÓ°›ÆÑ©Îª U±ø$t«tUŸ^ÓI“´<Û+¥,Δ~Ùýä½à˘­Iª€ý{ì¦4û¨ÔYu@¤®³v Þ\ß®OTˆ¤s§ðÔÕß«Ûâãö|õ?íœàS‰çjйÃÞæw.mj€Ö…9‚®ÌR2é]iË6É+€¹*“GI+z*Ë€dãfÆ ÅÍÕ;i*H7ì‰ìd’áZβÛèo)uÊDa=_.XÉ«5qÉEµ4ÿrZú$+鮥û¯&!î…ìäR™e,Ñ17ÂŒ‹«Y®b<'Ä«a•AØhµöŸ·ZxÄÃu_Tõ5ªzõ]Ú#M€Ï)dr6/zllä»Uz8 Ê„-$ûòóa£Õ›ÖdP‘u'˜b:¤}"'ƒ:¡¿K\{?{¾'6šµ¯3mgæ´@Dm³QûùÒ&Þ°±“ÌR„ F†ç<•“–ìj’Ö†cV‹ÃŸ1]9dLúb<¼Ù]ê!Q¶„q“ÉoÙP>#¯ƒ R£€Ã^“Ì HdjHb Š§³43ƼAï ™ÉþPÚ¦¬ h,õe%Í~Q­³FdgŠ0sI¤²Fdû„è¬BÓìºá÷ø]ž{‰žÖk‰…9¹@­@Èÿií›õÚZí±r—cûÜé&Áç»'òJºþÙ­×%:=IqsTNg±I¾ÐûÍ,Âé–›K ‚Rtœ#½Q†\‡éëF¡ŽGN5tnؤ§oŠ'K|ŠÇĽäElt;í&6•uæË¦ù‡ošq?œd$U7®yIƼ¾§Ý Ïìã•N)ßC?N}íðQ ÷¿Ç[oy%bžÂ¦±Qy¢Q”ƒë^6dž]Y&• ¡Ïc?zµ÷·RÓñd}CT ¿í£­ó³ýLG„Ì#Œ]·ÅîØsjre¦fÇ å@þáÁ3Ú§TD±È€œ|/cÅqFÝžËÁª‡µé&yI]zžG1Ô~¹îµr$CrOTk¸ÿyþ(y«êŸáà{ä©Ìæ¿ß°E&Ù^š,Ò.FîíëMÓ†%æo–énF>l˜¿¼bäåØ>° ÉÚAwp*<(ôŃêèRˆ@®íwäAÖõ1&oþ4èºý"`i‚#áÑÎ$†ôÕ’JãgLrÀù<¿åxáèN‡¿‰8Y=³Û;ûºã¢óÁT·¤Ã ʪœ²XÃÚÕ]òH@?n ØsCQÈ·Å,ƒ®ìÞ€`üìbl ¿¯à“ë™ö[·ªÏ¢\Y„(G“éõc¿•ù(£(}÷­#Y)–,Ò”ƒ¢#‚àN‹iÙɳØ„õ³Å]¼F6Žý(aS%ñÖ¹£`“búé *û„uñœìÃx3@Öá¡*q0Ð%HÜ$°0¯rC)‰ kŒB?SB 1}ØGÇøFMVõÔ"€·¸GW7r†±æH¹nÕgë\_ ûæ-Y›¿§8Š++ꢯ X$V¯e¢{ÉÏ’~¶Êyq%·ƒp„/WÖ+ëerò¬á[nƬàô4Š¥…Eô`‰Däñwñ¦³Euœåh±¤Ä»L„\Æo?qב þ ý@ž½!óÄÓæ:Yí_ŠêéîðªÿGá1þà§äƒÿ¤1½ž‰é¹_Ÿ0ë3ÏŠÔùœÂcoî©`)ÀíèÐäÓ/Å~ñçv«âr »¾~]C¦XmBrÃEdzö®òTŠ\ÙšWËiàl7)²ÒC—¥q($¦ò<ÓG÷Æ‘ê|ÆOÁǪ]r-¡‘0O]¥’Hd`mCWT9í:°u‹l9ŸÌq*Ù¨µ`ô[XÉ‚÷Ï·ÈØ¿]³Wðoà×~*˶*pµåù‘¨®~‡!àWŒ4ûfõ;}Fuãµnü–ò€”Ù¨- ÉÂ}U\ ®G5¿œl+ ô¼£ÆhdS›i`¹­S[Á»ÑfeUÍÁ}Ûš€Ä¤¨¢ÐfíõÆã7ô·Ú*~ý„¤%ÆNŸ…nº±—ëoÙ¥†b…¤§[^VÀ(n‹²<]ÜË—h’.PŽ]~e³{¥ äþ6ºÁÁ[~ó¢Ð(LÉePÌYfó,®ˆh»nD2fµË~(Ô1£H*xcikç0ÔŒ´0ö ¡[ìUâiËg\¡±pYó$Ù]Åc»_¡8Ú,wc»Ê;Œx*^ /K°YNÞ2Ev>DàTÙDC¡!㜉¬{RtÌ„špÂ9:nœbÎkëŠ;ãׇ æ Ãs¸´šB^À¡GÄfmƒ•Ó%ƒÏ¬“•ÎÐhPÇ1Îâ§i:ÏÒ‘ÃÖ£ºe€?bk(.Cl‘ÆHÖ«â*ªÒSUäÒäÉÕž@#®¨2ª ˆXJ©$“¯ÕI–¥ßGØ"]Œ‘þ`Ih¶ñÉ‘ƒývºº¯øzËÔçFeý~¼Ø$-[¸ÑØòB¥‡ÙØ“Vb4$ƒQêè5 Í:¯{ŠÊ*¥Nc2:+©ˆa(ðFÝâ=! ›');æhp–fuÌ\š´5½;,I÷¡¤9y’ȧn½&«hü±Žò˜€:$4ãx”«1µ#ªÛ3Æo «HE©»#E„¡ÑÁ:œÚdDšé¤PêȽê1ÞQå Ÿ&X­Ê³s<¯£B®gâË|…lK¿rðq­N,¶d„íIÊ+Ž$¹ûïî£GñÛ͈'µ'Z©ðä¾ìTQÉõÌ m8QËQâ·|IÛÑ UP5‹}Á°­™‘²]l%çµD³¨VâÜ$’¦¨Â¼«I`Ý«aò“šƒD©ôDÔ—k&û¢¡ $©sÊ-$¨÷Qxp§\Qt\¤4 …˜rÐA©•çákQØhîÊñ lÆ6ƒ÷ÒòŒs5Mò”·d½¬.Øq…Hu`{“uxzû6|Y¹¾Bri¹BÊȶ›‡œ"©Y"‰Mê#añÂvÔwœÈ“OÅÊ vSbÀ‘ý䲨s“Šk{­c#*.ÍwÀQ*ÇCvÉÑ`=^4¤ÝZÊÊ#&">eJ!Ä¢lã¼ú]õoÅTa ÞÈNd¼m-–˜Heó„Áµk˜¸o¿míì¢ÙÄw©AõUŠÜ‡lµ^(€pP@7±R.¼ÇEƒòÐÈ Ç#O¬m>"fH=¯Õiáq‚&×’ê-ÝkŽÄjŽ,pº 5mu“Ÿ³`Q¯`Êñvý—5ùüD;ÍE¬ëÍõºz=Ä/%ä%§Él¼qÙ£3î‰]c¹”îÐ#cËbz Ö%ŨåDÄÈmñt³Ú†U͇"©ø’!%iCRW5#Œ¨ºƒIôÓ¼0œ0ŠW°u<È@€=ÂÿG”ûˆKÅRÌÄh‡“ìpþ¡¬Æ3RîÞo°õq0ªÃ¯-ü#ã°2;Ÿ¼ÂZ…ˆéOµ hËJ[RªÚ*ñæ&[…‰&ó$WÏsyÓ/c'ñRê:ûRcÍÃ6ƒ ªU×|[x³Sœ´½[Û€ÂK&Øj&•¼¢d u1qfºô2ågBá:6ÃlÙÅó- ÏGfe™ÖßæLXMœ ³×Vi®™)À_ln¬R–­A&ŽUý‰xµ´¤Q’Õ¥?#D…ò:HûõDÍX‚üœ1Åàx,BÉpÝöˆµ"ª‡ mJ{!9ºÎõÀïÂéeh¹ßåë ,EFw\¤JªA–Û°þyòòâôåÅ?ãĶ ò’/NN[Y¥y ‹Á5=ïÉGÈØù°ZÛµ_6ƒÈÅüGÖ†ã€Nºx²³Åô³ŒŠ±~ 4cJ#·ø\´s|ð|ÿ(°`ø°õXSk´3y ï¬ Æ#ªª,IöXCU~жmãQÇÙÊ*NFÓέŠõ8~QÏïdŒ±•é)—ÅËP({ÈTÍ£AþG„ЏÏuò5©”ÜÞŠ'aÕ~§XWÎ@¼QAŸÂ¯³yµÆ`&«ÎÏW®Xs„NÚ—z`<#éþy§Œ•!t°d2˜³xÅ–dCøXÂOeø;ÇV0éÌѵGòÄ0º¶‡ß½Ê¥[,Íó 9ë£÷|ì™-½|:/kç¦d%{ËÞu˜ !W‹þé‚E’ êÍQ)柶r‡P*HuIŽ¥w&{(¶c0•­ÄÛ¤GJý #‘*Û“4Ëí™]©œÒé©L×1gRJ`ïœQÛœ–Úh1|Rê¶P aq¹4³oôÏ4‹ü^q𦛩œ3J <5‹™£ÞT¢h³ˆ±ÏèþXèqt|màÀ@îÀ 0lsOÇýXŸ§õ³Ú†7}g¦þf4˜©ÁCmc‰#¢£äÞL‹îÍ„ìÞT° » ¤¾x‡GѰ‚ü¹Ha†á>r~‚'Ž,â)‰X‘ù”fõWãÛIAR^ˆêu2¦â¬AQJB4%2 l§#Çyv¾‡QƒÙCå.œm•#u=…k5_)Ñw=¢$ °-cð , ãô|ŒÞàQêa寓 ø¶ÜöP ×w; ªf$<}áIrÚ삽T1† Þ&^ ðH¡¶b«­l Œ¦ÂaØWq=@ÆÙœˆ¡Ìê­ ¿taô“¦mþH6BÙ:ÔÕf™Æ³¼i\8ôͲxéá4öìÐAŒƒx’’žÀ‘¦eäÏÎy8[Ò©?ª‡ÅÔcM+{ç§óÇD;Wäö8B±1@½¬¾¨`£ì¬Ð(ÈuGö&4¹›%eY >#q¦ôçÐÊõp|ûM*vH–G×Ô{Éâò’}ÜôµéšGmJ<”ûd,ú:kÝf×·¤s®Û¦CèàݤvJ“âŒN+Ò[àÈî3,sm|‚AékÂÉÆTr~rH,åDµ5Ó×roa( •\úŒÉ‹Œø%ð¡]"ˆ€bz!I÷غj*˘1Õ’¹(ÖײV…òȆ…QÉ´»š)D ú:Ž+mÌÅ<2ÉWÒh$„äëŒÛÌc÷ÊBÉ\D·4‰Þ–²Hmi¢ðÒÔ©_Z€H—æ£Ï¥ ¤™ÎЉķ¾ñ¥oû—®‡C{³‚d„7‰3I’sPžô¢ää#Sš™¼ÈŽQÉ¡çïÃ=Û¿ïÌ Ä½È¼´?ù”´?ݰ¡ãIJêÄE±¾^[‹)ñ“]CÓ cwNÈ V~8ýfcóÉãêںةaÕõÚÆšrí®ãõ3|ýªöøÉú?žTñïÓÚ‹S*Ix¯íïÑo$h œ­â{øDOOϯJË÷[ìYNî·=ºE‹z†òÐ^ÿIÁ4åŸ\¾V«±ÿ¶øX0œâÑåZíŲaI!/‰¾¥Bd¨…ì°m:ÊKìÔüJµrŸ2/¼üÌ0§˜)Î;»/ð©Š7¾3 ÐËѽDarn^HÄ4Êh,ÃŒ<6¥flµ-üöÇïøp$üM…É[ç ÐÛwMAÆ$K‹6 1Þjô ;¿"Y;CÊ 'Q6ø¦C2Ÿ81np­ï_iHåá­ïב`Ô›åªAîªmgmˆ¦¼‘ ](º%ݰ‹Ìkd.²-꿈ÕGX6Ö¦‰þBtuÔu{½L³ÚF:”¿y™•Eh†ŽÚÆÌ[ïiµ¸ÿ•foª?«&¡MR&ï™W3‡CÙÅì¾Ä—³Vg£\ÈV¨§Êø›óÞw÷Ѩÿ”â;e$·¹?Gœ¸±~ˆ6¿¬h'“NÈ1a"Säœvfi†opóKžóž&ÒÈ›D"wäÞR¨{üB‘î=ÔþùCCß9‡ÆàA#_F^ Z‰MWNi¿Ïjà„*C ˆ*pʬñ° ì·5r®ÜMÎÓYŠ¿¥l×†í ŠËØ}ˆõª#½Y¤šƒ>©X €)7ÔÚMŠqçÞVbö€²>¹;‘&”BØÈ€³°R”ÎkOûw*ØW)Îùný.øÆ´ÍÝ säí†7Õ¶w5¶¯ðf:@!L QÓ¨!`-¸Òyr~ÙéæÚ¡Îb£:ÜÖíNdžA WD«EÀåI^HË­DÙŤ¯lk)[Â2b $i¤øþ¦ÿ±çûy´¨werf{/Q k‰ ®`*eŒ‚©DÅœ¢j“ÏÂ*±™˜¤šY î't^Ôÿ²…‰{ÈYƒÉ‘'òŠm.eË™ufËU÷?Ãi£Õ"9âÄTzÿšš+j*&’ɹfÅAæèÓCŸi‡y€döXâ8cr«L+™’7Ë…ZvêY•Ù®¶‚qÀ™P‰Kœ¼<Ý‚^¦.\ÏíöÈí8â™ÓïCÏ„ƒ»x).5wu’W3߉n|ï4ÑéË 7ë„òÔ€ä¦é¼%Nf‡+=’ŸÏqoò îä<ç&ðƒ§ŸÚ¤ ¿½¨fÎÙâ…>E¹üÕ‹’z‰î|ò&¶í+ºJA@€P7ðü£ÞïÖ?uì̼:HŸ'ð̘—3.ˆKÃíö¡Wð\’ÀÌ€óòÄTÒÆà³QOÅ Ï8ýfFùv><¶æìlB´˜%gœDÖ% Yñ¤¯ŠfÌ“²+Îd#¬Š”^8pafò•r¹ÅÁñÁÅÁñùÅÎñØ?;R?&%m…Þý^X’ð•ó:6-U¦iM̬‡°s±#Ž^^œî‹ã“ãóvÎö÷f ަw·¨Õô#•±u«µ‡þž^8£UïÎÐ2RèÐô»úŸÎ(¤/‹[9Lï·‹ádüìLY-Ã!ÖxD)°ì.öÁ»ˆê8’0"%þéëcN…õÿ3¾ƒXpÂ?“EFØý¼µmx_ââ]ÜeÆ>{IÎO”< '¬¯ñUÐlzVú"Èj]Q0w únK§¨.U´ª×ÜË2Ц»'"&Ýõ`¬jÒéž?EÙ©©™y¤ö°È§°7ª·%J”õÌÂíÝGçö6²ÒÁ꘴ùxÞ¿›¸Ô2ˆ¯…™j>w 8‰½–²‚þUÃ[[­™Ä9'..äÒ̦¥žn”(/þ^؈,s9ðÅÆ{™©p‹E§9‚¨0WgáµÞ\ß®ÇÃï É¢¿%V·ÅÇíøûì0eàGñ%°0*Ä™²ìã "?EÙÝ—V-¥» ēښŦr6K* Rêåx8- éËÓýé“'ÄÄ¡Fh^`؉iŠYqÄR¦Bé^ØŸU÷9àÒ`çÆÿÄ…2ÁÄd!…zŽö83å²fÅèáV}ò†âY˜j«FÈ¾Ž¹ “>e˜:‚Ù“níð°q´p/9þíZ¥ù[wÚ$Ü4ÿ,G2´T½z»nÐ!a°KH–(S¡4hpz÷U6-´¡´ªÔ8Ùwœëä9‹ŽÔç<<±Q{*Vö]Û¯Ojëß—ÓWÌæ3%À«dª˜üé:a*Æ«,!-‘d)C{› jæ€å-2./[ý 7s‰DöQ,ð_ÇéNGj‡ö»þÈHöñ) ¦Le·ã4R²^E´Ž-óf†×#t 1ÓpJ§ÃeD¤xlßÃ1!\Ïåp®5X{.€ë°,„f>ÙQ^¨Ýk~V4åŽÌ„©áxäTiã¬>“¡uõYHÙý)üÿ‚»àÝfF DžeÚ§Ï-çíÆ‹n¼c˸¤É»Ršöad‹ï¿ÿž(z)pã±úò²€Ö1MzÉ ƒ~œî<“%€$þ;¢·/F~‘v-8sŒaä`0“M‡¶¢|PJ9–F4›¥¢2p§OŽjÏËG²1@އÁóû. çŽÒ}GK? ãpXåw°®l¾2{š¶J‡{­³—Ç-´Á,-B†µÇŸÜC<§ù·lQâõŒ¯¦ïW»|¿ê9 7ú Îæ„«Xs&Œ‰0ê˜%è~6n0‘sEÇßPGüñädèx/^é/=÷ögØŠÿ~òoj¯××Þ¬rL¬Û|L;þãÚÆ;ó¡ÐÆæ›I‡?Ú/+ÈhK“Ξzö¦Ín>‘ÞÏ>w›Êƒ“ %á%C7/Þ컯Ÿd@/>åX2‰õ‰Inòû“wOè£Ç~èlaØÿÝãã“ 2L–úTÔÞ8bà^]‡ð –I0:ÛŸ†¤ó`((¾À!KÉ ˜k¡GŒ/Å^¦Èü0¬XVYí‰6È‘>±R¡Û¹¦8¥ofoØóu>pj)J+ûN Ý*)_ÿŽÓâÞ8¥‘cD\åÌ8"9ø0²](n_]«æÉÂ^ð•Ä6Œ­¥“Ö‘ Žîl ¿e¿»«^œ¨Kð\â¶6׊ÏTºr9Îäó0¼aZ¦¡ÊÌw3¥ÉlΑØk¾ð­ÿ+|k'¯¿@tÝ× #)&F9õIŽq9§ÈäñÃPP ø!ÍÚ†!‡ ¸¨$TMLYZ”Œ^ÂfsÒœ ãÖ¦î iËvó ²›Ž_ÆÛ¿ÿ=9[ôOE7Œ ß°†é(VHü[.` QäçžÊ—{«}_hCÀ ç{(GH¶n‹YlÓB¼ß~¸ÅôÙ”úI†„ÍÍp’±»ÌßsÓÃıU îT)ÆlÌéçÉ7a*"X-ý^2voæwi8žpH68ÆÐNLÉbª ·cVCt½ûÈ™§Un‚½Àîš>4ZÉex!&½áK’Ïê (2t˜œ¦t®mr…íÐÖéôÐyêÖpWÆ×vN»Ý;1D%C€¯¢m¶yº@–ÒÂC›æ›—E÷=ŠÏl‚f(³Ð GÓäùe‘Ðb~F¨Tüb—R^Úr6§8j“ð=ü\µHÓj2N›VV›Ö—-4- ê‚š#—où¶Œ÷ø¡ i4Šßœ2Íâ÷°”Šº²%Û¡µ=†2襔p17²oû2};¿ÄGÀ’¿qoid¸ák%Ùðµíû÷ÞPÊvuó”Q^¥³25ªï¸ñh“ôÝ)5»+mÔd‡Óƒ‚éGG¦ì°•YOsÓ‹ÉŒA цÉÓ6šß5ÿ¾.šÊì¹iÑò¦‘ÑŽKe’Ò¢ÀþPÊClEÉ“ò׺t$ŽÒÓL(*ýqe²˜Ì4ß‘ª=;ú©Îã\ä>ŽoÙÛk¦ã[^Qb–Î8ªgˆbRÂG,™}¦ÿṲ̀ȧCb€lawBgä¡Û &l`“+Æ6­Â„³VÎ회n\¦ì 7p"Á ¶þ‹Ž·U¯ÔÏê%5M“J–ban3›ÓIWd²â~h[lsØr~m”‚æÊëêìêoo¶šåÍõW‰æS5êêºlžŠ!Ùµ8Á& Ù|½Ov:U~YÖŒ—³0 Zr`ñëZsŒu‹R%:qY0¢Ô'›å±¯6·¥ ·,™p¾XÉè•kÛbYSɰHëÒU¡rùV‡x „²]Þ¸A9@Æ2¡;KtB#øºšXqkË–UU-sÈ,ËÖ¤VÝÇí‘ ¿éù£0tD§ºXgQ­ÂI'¯µ~ºõÖÖñF$ïú#TâPà¬ïé’ò ºaàô{ìDnŠ-ZS H3æO†]ÉxÅ\ êÛuQ¿*]4{‘˜_&A•­óýÓ³‹“3lÁ2ZT·,NÞb|øœE‰“'º¢f‚›QÓ€ Ù ›‡ÎnñŠØ ž P ¦³ž¥1¼†Éq f€!!j5&ôp0leßR}Xƒx·Ò¨Ó(îžžÊ\P»òSû·óòàŠTùBÆÝ™Ùl9ç.´Oªµ«Ü$9†¾GYÇä™ÁÁ tmQŒ¦ô+ôlŽ}€¡KÕ%}8BbÆšµ‰zVðŽÜß pϹqF–ÏÅÄà·³—§Å Ôªo Y“U¯EßÔÃÕ´¼çuaEäÃ}ŠZÐ {tPw(${FÑÀ°¸¾az•“]ˆk,&çyÈ~)&¶À{v?–Ä}b/2;N:…faé!ºhE´Ç,L_î9P-¹” Ïö_‹÷gäÌK<§oõMÏÚþ(ÞsžRª ”vü1Y"¬mË^‡¨T:~¾-èëw(~â·jµL@8òV‘^b6¶ÎÔ?k–*flàóUÔú£GJsô‘“LFE°~ÔIè¥YßltÜ?Šòx¤@FíV«F±‚ù‰?tóØ CVàï‘óëk~þ:+j¼Â¯cbªgPúc‰9ÒÎÏ?ª´x ìÃ|yŽ?ú˜ÔÙ7*¨›åîV½ëuÚŠ¨:Î,ŒÅ– 6Ÿ3߯Ò,˜AÀ‚õ ©ç2Æ-Ðs.°…ÁóãÃóÓKð$”….·Ú÷V~As4üiáYCÞéP ú@n3òX+5™˜ŽƒÓØò^Š93~!•\ˆžŒ½ø3´« ®ã?ð‰ðLí¯ñSæU†ÞÉ»‰ÆØ{ [²WFέðnèÀ©˜„RIJpݰ¢˜4èql¢ºý)¨² |ª²ì­¥ÕêjL€ÝRjèÂ2ŠDž¸óǘ)š4¢Ú;Ä ¼ ÛˆÝ7$/ìL£m€Å¶à,,ö^dŽÂì“€³Ý9ø—¢pÛ½e‡º(&¬ygG‘ä½qwÇ#•„ÝCÓ£¶{Â_Ï–Áå3h¦”ÌŒlx'’ ú¸HÔÉ:k6jÿãS~xðŒŒxå¼I ¬ì8vIÚ˜Sd$7d@A8…pê;¶TPª§:JPJ|bE¼½Þ¬~óæaq—$+ºÂˆÍe<»LDe|¡§vh ¢Ýlt†cs{fü=QØ ÄÁÎÓM c¾©c¼Î7¹Æ[¾ãIÌó^K%^¥ù6B.‹ŸQ°D!p8:8>9Ãr ñÍ?Êdø%ÁÆÂ|° øp{%T-fÄaÀÒ߉TT’­„Eú®*}µ»_C;Q\Œ<éÏÉÞp-ÕW‚ÓVñŽÏ6¬ÀÅ€'a<£2[ŠRŒÓ5ÌH,?ÁàôÃ2¬‰Ÿ¯#ê #J¢ØqH­mô§¡ž§—n­¤'¢,d”,ƒ,£ðóŽhC¥[¤RÔqçZw¢†ñVÙ†$>•#$Þwc`Ô!ÌŠËØñˆ­bÌWe á²a‰C{#Ñm’n„AU¾‘ëÖ²³b$aà¬[`¡ ¯‡J XÚjèªUGùl/d$Gš¥O!„QÞšØé~E™¢@! BŽ:‹#§ûmœ! Z2±Ë¾Õ¡k]öXmB53R±GvûpTq2òé÷+x²­V»UXŠÒ¹«¼mh…’ ŸõÍÔ~>ùéýи…eî¨{ÓÆ4Ù0œÚODúž¦~ ¢t@lKVJk¦‚ a¸¯ñÖ!JõMÆ·”0"ý±¸Š‹)‰!¾+°©õûrߌ@´ÝðÆíU­<Þ@¼=Ý,s3¤¥"8x=Ô Ù Ž ïÜn f(ÆjÊóO倊è$‚Ñu`³'f¯U¥Ç~[o;XÉÝwÆ bTåyëðdgïäøðßL ôUØ{€lmŒúµ ¾íÐ$;¸ºT&=¤.E%;Ä'­Ìßç„2J¤¯£ºÎWÌ8ý© ¬RˆÒ:/î@¹ÑÒ¸¸AP¢ú]Œ¼ ÆNDf@ß-¦ïJ¿C¿”·¾æ¦À²<æÔ¿q07ÛdÑ/JÚÍ 7N”Ã"“ˇóeŒ/²OPë¸&NG~¾)¤šK·íéJ¡ö•#5à—¯çB›¸ ú†À²ï£\=0v4H(#ÿÙFÍ6æä”{WâèRB„Œ=Ù# Ã…î;v}\ÆË|6¬Ó$ °ºÂ[jÒpÙ` ëQ™È`|‹øøl Ñ»‹ë!zo“)€ƒ,×BëxÀàåÂGj›mû"û!æ‘¢v³3ö<ÄÁa5)}j±§Áó“³€ýEÆ;añö £¿öS9šŸ܇gŒ $m–¸–’xÐ*a€ sÙ+ó¢IâôFc6·¬ žŸ^#vêb¬yODq¯ª¬"{xÕ«·®l Z ƒˆ»[] 2û§ŽÔü²µ L¥š*™Ñ@å%µ…RÒšâ!-oyÞ9Šˆw’F"æÙD[jÁ£PT¡(3ÈrU÷ÇR%IŸm0>Þû%Æ¡–Dq}›dŽ@:U¡.îá²r:Û´¡Z–Ùj)U’úÑ°Š¸cÑóß)¢ÝÇû¶,a¡Ǭû»Ž•.{ŽªBLœ‹!dâõ[|S^+rb`‹Òëá %×ÑäŠ!’ŽÓS•öIÿš½…’¯„ºŒBx|`Î-eënÉGè`‹£L@›'‡bew‡ÒWA!ª•Ñ€½ä,hsŽÁü ŽY{l½ÇŸ²ÜŒUTù\ê¹ï´ÅȾ×Í’Ôèh0×*EÊîöõÍ\j¼Ò¸”ˆÈ,¼prå³ Í52©ßŽóŒ•N7Zš|1sxÜ:Ç•z$Ù$øåIK5mWRW±:½ÈUXñS¹-×økøC)G’­¡Ìz °¨®lŸÃj¤s> ¦@œv”¥Ä9¯þk b÷ÆÚÚ?ÄV?9ù¤¼ŽK§ ­´”GpS„¶‚ð)5k$ÕWØb]ÌØÛ‡¯‡ZnEyaÈòµ{µÂŸ&‘–O¿~[žÚ‡š{k„ÉG–Å.ŸÎŒpjº4ð8‘Ì „Uî¼ÕP©3{—ŸùÚG§¨H,õU£eÓR€QÙ=¦rÖój6òÕõKm¯Â~©¿Ym–›ÐâWÍõ¯(‹ý6ÙÑê.Ö³‡¥‚k8X°~uÙhù²sBfMk[Ì]×®s ðu^r¥Ô]?Û‘”?‘Šâ³?í†*cÍ™ªrj6躯7Ÿ|Š‹‰ØÄŸ°6æßÍ Å" ÓŽãçV=h£%y¿ËÉ ÌCÓ.$&ܧRÕÄê«õõèêÓFn›d]ºFà3o!³ˆÕ^ާ—A²©á…ÝG͈2éJuó“`mÕå³§ôxEýF]¦-Õ?¾QªÌÚ¨ ¬”,HÍ"ª/°0ª^ª¤{aÝ)[äÅ} ©¶sw…–‰Àôuûðæñ†q힤f(Þõo‚BfàÜ4¹fܬéM‰Ü@R!ßÑQDñA¦sc W©ØïÞá!Y¼±Àº×â SY¹^«ÕþPm—± Ùröbñ7.u7›E|p©Åtû$ü^Ï؇Æ1¬‘¨vˆÓÖXï͢…?Ým¾ƒiJƒ˜n-™´Èu dÃÜ–.¨ì}ðZKaŠÛ·” j¨ž©¢ZVL ‰²¤í”ÖõÀï ûÑm^Ã. »_”%~rØ™ï0lüH¤å söX¡dƒQ1ÿfñûm}ÅT*äI~ ßÏ›œ…É@SJX¢¾ôû:,î‹j"’7©ÙG¢ü»@¹ü"ߣ]z€DL79¢%J2nL_\2¢]Æø3‡WWkÝâ0¦¿ƒ›¿P®õ»«zéR–’<ܰąb¯koêU4íŒöŽØ†ùãå°ãbÞ«(ã;ð{èZq7iñ£±räz/~Žb* A“r÷p¬“Ä£®áOcº†7Sg+‹•M›´áÍ=ç,û ‘T«þìz0ؼ@x×ÂZöV:}Í’í¯ˆŽÎÚU¬ÙÄ7%}²y˜º¦Ç—ÓI³²ò4"ŽÌ:ÉÄíâÁósù¾5JÛÚ‰—-Lµu)Fž‘|$Šì‚UŠ8ýbYÂ&¾wr®sˆá˜Íúj¶ÁãË+TÎ|]{,‚ð®Ï÷„Ú–Fw–w¢Ž´eëOã @Þ¥»ë»ÂÂnE¡:WÈúŽÿ¤Ùùê÷À•f׋.tݺF„ç&"xF´¢Ë ®Ÿó8kÓ&JÛåå•°Ìåô¡ ÿØ‹&œƒìêo;Õÿ¼i6Ë[D½ÉÎüþØwJ—ñõ“æÚQÏ1Ô Ä Â~èêæ“¶Ýy+Ëáηäx«€ÕxªW<_š²ÿ­Œz9uß}ßÁ(Þ:9=Ee«wê§g'/Îv~_ßâ‡lÓ>­P3Wå5†)ÍžiÚ˜£6ŽfÒ%ìÞëÛ$0\Mò½ "ÅåTa¬rtcÙª¦´ýºSýmÈ }yrsÈ.‹²~ üPÝŠÚâg¿iÖ p$µé+u¦EbpbÓ·#ž¤öÚ˜2 ÚvH;yɲkðA¶m™>Ò%"À‘r¹à…„~à¾W+Níª&¬SiÁLên oÍ-µJ¬r^ƒ/Ç‹û/þ"ûé~¥ä#%É( (‰›*|GS¥–Å%¢Hù¨ÅË™$:ÑJ¯®ÆÒÄ£l‘%± ßi_á]ÈATEÚcôGáÑg§¥, ôÓ,Åó´%ñ„U’/9ëËêéÌsêZ%ÿ8â‘ç;Þ;ƒ²>[¹ÊIäOÙÙ•‡!´¨ûáô嫺ߵŽNööã>ô®™ÕíR"@ŠK¿ÙO­ÔŒ5”[H¨\fìÏÓͬþ<Ýœ·Ò%Qj`ˆ%_‡öjÁöïI°ýˆñÿFN)è‡×…sÐùPêÿ*IÏ@C{c­¥£Ó ̇Va UäžS_²)biŸc>1v½xDáIFίcw$c]²SFÐ_fNãÊ™N«/_¡ÈˆUvFZAß¿ÓÞ˜ 9åÊ€ 4ùxòäIE°ž?­uä›}(¢“&.£2µg»è5Ælá×ìÒ£/ìР'IÿÒ8õº…m6 Ü½ 8#÷öõã?ËSû/!•%•uŒ5ñ¸v+-ˆÖÅÊé~…ïsöŸ—g2“š&ÎM”»\èÅJÇ/Oñ‹2Pè¥'óänÉðü¸WIe×áàu’CÚêÈÕKD62à_cýÅÝŒä5ÿ\ÿ!™.‘G¬Ó¨g>>áÔuìJƒ)‹¾¦¶†‡©X¼È­6Øä„Phÿë{ÊJ7nع&ñ[î1eTo|Xµà¯°>¬VxÞhwˆOŸÂ2tÉŽá³}åv7ªm7TdWõºà䋨ƒtð,j䘮d;ðC7òtAÁ†«šxºÙ6À¿ÒÀ¡B~hØO7Í1”'ØÃÿÕFçOÚyÌ¢V)¾×@?Î}2Ì—AЦˆÿˆIªêñT+ÌI0­iœ ³=¦ö%E3ˆCâ!~¿‹Q–QÝHá¿×«ˆ¿¬Ò;\üËD¿°`Ö­áÛ–•¼îÈw»é £äàí¿'U.zV=ŒÜºc†÷Ÿf+œg+KšúÞsw’¶rË~ƒ‚m“NàSRæ0Cxv§ã Ùu˜*žcˆ¼‘CAˆó´ÙŸ…CÃußHe,m²¾^ÃF4„ºÊØÂÕòo–¬ö(j7:+uãYX}Ù8txäEžš~x5ˆõbJø~&vÂáÕø0–+Œù^ B‘3îÛU¼S¨ÂŠ?ü¡ã©l¬òüý"»Ýß½êÍeä>™åFTŒC”×û]’ú‡Èø™Î1ÔÕÞ& ‘@8ëà/n}*X¥`&{/w£¡"aFoE ‰ª‚6 ¶ä‹:E¡»é7šVVŒñ&ÍÂ’ ìÑÀxÜ*ÈG1wå4-KŠ/š’Ó\‹ªøöÛÖÎîþÉsñ]*2|}£mÅk°7×éÌSØhMW.¼Ç‰ÂMwä„㑇a ?"†H=¯Õi…@å¤y´d,cË@=”+Å“gÿÚ{ytŠª'ÜúRŽÙöÁŠ9 ^Èy¯­J\Z)+#‚?}âÇõ\üÿh€®xd‘±xÙ1áÇÜKw6cËi‚0ÉC‰DuPî)‹¤8u\µ=fYtéôÏlIFQ#‡¡X%´U¬B±U½»ÀÀxlµ,Í:0< »—±,Q×þ å‹¢®¡J,Äqáe² ¾4¾ €n€8ÂIJ „ÒqFèÜ"ˆñÕu¯ÐqåíöÙPfá j¥ˆ7‹ê+Q}§h÷—z 4 ì†â¹ÓõGvt±-Ǩ¤À§›•‚ÌtåÉLp¿©å³XfPî&QÊèä>QÊp=Ñt¸ztJh䣺æ Ó4þ`ä9s̲ÚdQ[L‹“0[¢v°ãÚíøkúû“wdH†Nú7Ð~?3ñËãƒW:…û*æsOsÐŽÿ'ïo‰mF^­Ñî{Òçäâô9‡c#õ}5´GWNÈù!„8ÕA`ù- &C«ÂkÿG$¾Oj:³ä¬ÿóés';ˆôçÏ_‡–ÊY~Mù‘‰y”Þ0UÃe$ *¨ÈGEê¶zþ¨5¢t ‹@Š1ˆ¢!¡X“2O]̉Zû¯öw[§gûÏ^‰Ý“£ÓƒÃý3vH1'€2öéN ñ vBÙÛä0§GPîcÔËü03“ÁÌÒtšÉå4žuàŠ:°Œ×ˆí%ÆWèdN]2j©ueƒ@Ñ*ƒÎȆ˜Ï¥É¶ |`œy[ÆD‡ðŒÞ(a.ERrCÿð¢uþïó¸CÑ`ì]![ÀN°»Ÿn’̲ ÒÅ¢7A9kò[G3žt[vŠóÑuµè0¡Y={g÷ÇèÏdF)IX‘iYcÜd€ü¼ µ£XÔdDæKÅ‹¢†Æ¡O™·ÕºS6 ¨ô×ý÷|¯êÜ™á 1¬DMãÓºF ¹r×B”„7<ºKÐqÈ< “©ædÚ¯k­°AáÔÚh\D)‰Œdè7Ž ûÍÊ,iFP$9 ÊŸ"øÚQNy»qç„ÕЯ¶jCGŒ[^Ž»4~±óâ§³‚ÄÊ2²Q6Ù hÆÓ3ªìhl9¡ ÒbÓ# m)Ó1qjqHIRŒµD"Ežn5 lM†2ÂH‘Qö “rg·æN×å cÀ’e›ªÅX&&Û» ¯©9L¢ÖçéÔWOº˜j”À$H1ÙúØÓ–2¸!Ì/j$¦dŒ÷´Žõº•»v#«lƲt= e7l‘9vDËâ¹i<™m¬Ž+„òeè i¶×2-üPŒ‰2u«f&H»ª[…b ™E£™ú¥Õçõ ö@ÔsÒF-¹µÙÍ¿ÍvûxW5{¬ÓÙ&žƒLÒïM|ÙâtˆºLÌrXçóŠñ„EÿB¶¯’Žñž€‚÷¦-»Ûmù^꥘zLÝ7BPĤX؉¡ÁCƒÙå4È`cq#c`øc:LK…s)5X·Hg$Œ…5pÙâvþ­š’·R‡P.©ö»ý ;rºplã%St»ƒcd!Ju1ãs„ ³lLÄÏÎ)6ãy¾ZØA1YÏ­ÂCØyÃóíëÝQêWòwÅpÄ l„>ÅÒ›-0VÌÎÙ_)ãݽ67DãLÞJÉsKf$£qã÷`{„&°2›€#« l€à0駦U]r½I==_vq ¢Õê ûãÿ+`b4hÉÚµ œ ¶@“ó·RÞNXµËžïïmæžA ´N¾^ñÉlÒ™~²éj±­-c©í-§ŒZ1œ"ê6»XCÜÞa*š„aŒ³dp\Œä vt×ïÎÏ?¥q¾âUJo¹@…l€yópápR§s½8}ŽËdNC7,‘y¾´?Wé0åªIhâ”!­ ž à;ïüD NsòÝôPåmC,ò£¢t&<6F´.,(`|åäŒ?êiz†ãï§Ì°*§VÌbü]AQL»;…ŧÊOæò]=œOÊè»_8ý|œ^Oc.¯•xPnÑDÃ7Jüuy~×XÉØ~¼Ø$Îß›5ä°ÿ®ó ìKm4&ó’ÏrX×<[ÓýØÖ±ô‹XúE,ýŸK‚%ï¦ 2Éâ“Ø¾ÿôŒ[ùÂþ ¬Á ‡læ`ø«²c D¢T>‹ˆ\˜I ”û²‰.OñŒžTùiUáËçóbr'° £Äxìü.ñW>ð¨AL9ð˜Å&x¢’Ó8†œ»¼]‚äý‰›Æo\£@uÉK’ä5IÜu.þNûÎék &ßmð÷re÷ôTÆÈPß"uÑÄèºv0*5@ëu¼Ö5™ÛèÊ–®-ª{?ìü´ßÚ;|¾{ÜBû„ÉáYnú¬ˆ+ìe“oŹū²–²þ1­˜mEüŒO+¦&Nñ·ï.n®2ï°•Ýt*|‡¨Ñ›Àøg¨ÞR*ÃÅv€¥´]'i;[:϶•³ XOI…»¶n_Þ¿5Ö¶ù·ç·Æò–ƺz‚&„òÙWû»q@ !8bÎw)΂›ÎáE ä2Ή3(U¶+ÀŽU° +Ú€ÐHFkÒeTî["èÚõwŠ“¯Ð‹ÍÇWj8»8Ük½8Éà€âÒGY(«Ûïô}(ÆCÚÆ‰Ç7Mñ$D$ïrWHè•LºþþG{?ïøóÓVÜ´r6ã&É'(—5- á~+Ä Q¯0–=†ßjÏùÞØ(§løÍâ÷ˆ3]Ù’Ðþ=–á"Wâ€w¡¸ÄKGiz+µº*¼M®ÃÛ¢Œí˜ÅÕ­¡9)ìÝõóÈ×á6A5åìÛUåFUˆcÖ*’Ô?`˜æ¬{ÍD.%¢±­‚ΞB[aœp§;ézÔˆUVYÌžÿp‘j$u®È,Áb¦Sy<â´Y<æ>>¿À›*ÍOM•|á>r+ƒÂøo{©{OIvx3ȶr¤Šˆ«ìʾHº_$Ý/’îI÷‹¤ûEÒý"éþ•%]µ£Ï/ðNª9QîUFü }z)X¶5]6 ’$'ó{Ñg¤\Žéš§ÄffÝmtgÒœ§•ÛÔ&˜£ž_Îr#Ȩ¢²Oæ;ÌÔ´D´¨ Ìߟ„ŸƒÑ-í{aüS¡©Mºô¯ÅÏ cHŒuLØ[• í §ƒ)’çÈ îüâìà”.ø«¨þÄQ²TÄA Cäx++*«]X4‘Acرø*=ªvöøÊŠˆUέ8öXL°æ¹@VkÈ'¹êä#ÂŒ”¦(·º¨¢g†3 YVÅ4^lóŒQ·¥G e{à_âÊ÷»@ZÍ:Ûõ%æ’1ñ\†©áߪ#i6ZÏç>±Îˆ“„x07xÏOBç'&CK&%zøFrW4îgŸü³Œ*A¼´d¤N8¦)n;|ݽé»ü°Ó4{¤¥³ÀMXè³T­ò°XLºø§v¨¬J[³8ûCk:>¦ÖM üNNÌOgì8ñÄÎÁ«JF¾>¯+2ÆC4ž  Q¤ÀC»ãTtoŒSfcâ¤"ŽÈz°[Ëæ¶{ûX®‡˜¢%îihvÝ`æl£gÆY ºÀ» P2˜1ãçïMYdV#j:ªš*VÔa¢ÕÌCx½©2 F]Â$ºÒ­W&×÷Œ‘g…CãÀGá¨ñ; ¼%3;+Çd-µ¾*P¦r‡Qÿ··—–––Õ4¢ÝE'D‡~èw-ð‚$/Z£nðn´YYZUâMÈ0 ‘¸aJ«)p®Gàl àß8RR7ò™¼R>œ•'(±ÄSor}'Ì\ë;Q7±¾—Å‘ýVÞCºT56r™6gÅ£;vŠž´¼0ÔhlÙdq¬g‹þ©·Œu>r°â²ÑÁ/á–HûB›…”è9+°ñÝ.F8-îJ ·6I)B¡ T•¬–¸žŸe…”¥õç)˜dó¡!k­ú•7nHS—øÓBaw—Dv>Äì¦THf…ÕP=Û’ÊFbY©‡j´¨2²oضÛ!rkßë8[,êž >Þàú+ê_-¤ÐõÙ ,hÁ‹èEã2š±˜ÝNT×B¹ …#  ËBÜ?C––ã7=5LDOºMùRå/iIÅT<8H;AÔÛ´n›ÅDÍ&]‘0g(ãI+þap¨Ì ËRyhŒ’”Ý™£:¼ëÊ¨Ž¤ª.~Pÿ$~É%…b¢„CûÊ ÜßÙ‰¾+F…¸‹ù"Ç‹%V7ew64êû§;/öÏþ³'s1ÛUTãw Öá³U³hžÅ*‡¹­ž{ët[Ì„³ £žFeê&PÇà¤Æ9œA|ÃÖLÒ‡²ÌÖÔ‘FªtKAÚæÅá¦H=£a¿Å¥øvaL— ü„”Ú×¶÷–ò˜a’Þl8ê9}’ëþåÄÎ;gdK 5ìÔYäF?8°ÁëÀ1ç¯ß£)’GmTÃæ´UXâ‡#÷:tõAXJ<§g˜íϘ°å¡µèxÃ)U4£tz»‡Ð—û^²iùxž–ó«$ü<Œ©žâS   b„´º=8^áY ÃÛÀ2UqNÚtÊض;oYBFå³ eD¸.¯±c¶èº½žƒ£@v·;ÂûB¬\Pw#JáTM˜f Ÿ«c^쉌GÇ’¦sd`,ÊçŒ-º^Ïø¨$}üõS¢bm˜ã9ÏøéH G´òŒf®©¯:%„!€ØƒCá*Š0 m;öæGÑ øž“²`ÛRÝsÇ¡ºTØÎÚR+«é‘Ó™5;Pa;ÜFj¢€±"áȇÑP„+šΞFöáÀCqwîJ#‡ª2ÕSÛ©Ñ~þó…ÝØ˜š+AÒ1b¢ÕÓÆ·*÷&à\c ’³¸ÝÆ;F¢S©}Wù¾Ñ 9¡Æ¥ßÝ£ Í›‘:e {MDEÙm®/£S‘1|(V¿q:]f‹ûèz·×5C7¿Ñï]PGD]úŠ¿©«¬ó‹½ÝÖû;{ûgçxtÓ/hÏ· ?µ~`‹÷UÉåVŒ+(b\˜`#uü¡‹kS-ÔÖûŸb¤êv5¹µ–ådë|·e‡·g;GxwŽkËÄØÐÙB¤¾å8~F·r:–.gt)öRöI5püìô…¼ ÍŒïv£‰ÊØ3U›‚À°]¯ÊnÈWª}£ƒÜH]ƒ—ÛMÀNõLˆƒÚ@IXqæL–Ò}O¡.6¬X‹‰zTæó¬é0F¤"³Ï_¯³±õ†c£‡†¤¦“ &³aš%’d+œYßÓiC»Ð¬víЮðdžü|Œ§õæf—e:ôV]öº¡F¤õºøoƒt(êHaÆØ‰)èõ¹;  °IØlÞAh?!µ5ßg\Ù£6n?.ÚÕø–û0W¸Ke%R­¨ø2ÓbIVàÈK×õmy€Zqù²ÒßFcÉhæ«+ÔÈ#á–¡ÜÙ0»æŒvðV¬¬Ñ^^v€õ£Õ5’+bíéÚšî ”üV¬Åº²¡Þ1G_AÌñèq ¦Iÿ0ëò¼ðýs¯«ñy òh…ÅvÞý(ˆœíöÙï‰öqàÀ¿9#¿ Øî“ÅÂsD;%mFƒ­K‰¾ã]…׉0|#Pp~ðâÙËsÂ%È.e¾r˜e#f65l:a&¼ 1'­³½ŸÏ0 wk÷l炾]œ½<ÞM!m#…µM9Q!ê<¬t;’„× ë±úO¶%mÄ(÷`´qPØ®ˆÓ³“‹toºGß>;¸Ø¯ˆ£ÓÖù;gû{DèÐåCÝa ·A…žïîïÅ:#õ!¬U IP…¤–`þ›ý Ýü€„_Ù ƒŒb}ø:N,2>! .JɆQ•ÔUÊ9×6‡.£•JóAZˆ$]Ù!­WŒ É‘þ@Äì>¯uRu!2âCý,×|DK¤$ÓÒ¤eöM|r€ YHÊðÂÒu§ôôìà§‹}(@|ðŠ‰€h ÎfÖæžiæ5н ¿¾qN³óÆñ©Å]%’sÔ)¿Ï|õGÜûsµ&@GNM/¼Uq5ð=Ì*ÚmúÈл6 "Ó]T?k;hû›T¥ *î® ÙãÊqÍ/³4˜XÚT/Œ&bÚ¸#àbÝŠ)î &¦ Ž&Ì­’ÔÀ{NèŒìô`W Wc­@VIv0hª¬/P¥ÝXP±‡p•^›˜¢ÝK•Ï´Ðàˆè1ñýÿî.º…îZ…Ä=ßîÙÉùyËŒ¢.—U/â^¬|g©K³ÕêjUƺÄ£ð‹jªe·,vé-¨ðÕëêÍãúÓÍ7’3rËjO^k.x™JSÐô¥¾ùF_îëT5º£s·I=N6§-):¡w÷v (!øC²S#/ü@´Zð²Õâ“›Ž®›y_6'ÄÄ-š vìÞÚ#ìu·PÁô!…x\Û¬=+çœ ­™uË¥JªÒÝù5ÃXeWû1Óu›¬K”ŠÄû‡ˆ‹?£„RƒHD0 =š•©`™5n@ê'µ‘ ]`vˆ‹ôÞ½š?X@jì lF_Ø"¨˜èeó½7(â^©rñ›…µ¦¬êžœ˜ÆºPdAI’™žØ6caçDÕã=òPAX»×=µ^5Ú¦ú3'¯Ÿ¾îrë&VX΂Pd%s-|Šuð`DÞé´n¨Çi"^=‘çø¢Ä­{—Cܱ÷rî’„m”I^‘ý¼ÿêâlGϧ¥P=—tý°Ô â#’ö3¬ªž Ùˆ8U( ëûÞýùÄä*# fì×±ë„ÛLÁjT™4¬_~¦Tœ=å&š%äŒþ|º¿·s|q°ÛÈ&ë¨JаuÍ|r¤‘ ²è"“>|*Õ;ß%›–cªlS½a¿¼ë¸rß9^ÍŽßK³.ÃÉq Çðiô˜Ë¼³ûb¬ø¶ ‹½NŠÝ1M]2ˆž!‘¤Íâ¹]‚g‹Ù×Ãñíââê£ÿ$§›Ÿdªø&!#<:ÙÕA˜¸” ½3³Ý.&Oÿ8L“¤~˜%Oã»D?«'É.êC[8;énSâ°?é°,v¼;Aã"ÞzmcÒ”ØÞn_u:ôÊÉ&ÿ¡Î.˜g$}RâgÉ3’6Î]ov€Fït»Ôdͼ'Ë!pÏÏöÎIkïà|çÙá~ í\œìžÏ‰†«ŽÿnòȱÄ̃ÅÂ9ãÃW°B3wAiYX­v0ÍŠ}åXœ¯wu¿×cgR<ÃÜߨ‡ S: ôw:c̱Å>ÇÞmoIú— /åú‘ì“•¢^Â¥ ^=i®¬7?l4?ùÒð…&S'™õWEl¼ïôznÇ…9@Ê8÷É4þ-%—¤ì“j ¿ì“7HpMɼɎ ˆ‚°‹â‘¨áÈ˳²ZøKÿûMÞNÈ«æägÑvCc+¢„±×'c2…]E,ÐGèÊJä܆ סúå ͬŒê@ç`ÏÁ¿4W^ÛÕßvªÿi½‘_֪ߴެ6ËÚj½¹^–.·Â9úšÐ~£Y,2ø(p ?èc{Ë+¼C“„èõ?êÚ(82 BQ¤›Õò쪯ŸwÎŽŽ_lI´¨ÙÑÀõRµÕ$¥%N¿ ¤íQ°í;a„-ÀüÁósøK8A¯âèå³óZ;g/~‚×ôýüäåÙî~YèèC®«BÈŠ½Þæ¬~';˜ˆ‘ÃNlB˜¤aN&vòrc¡{£$JÛB½Ìše]¶) ‘ì*•"Éð×±:‘{ ‰„v·Ëσ-(8F ýÔ0‚qÎ}ᘜÃÑ„ì¾ÑlJ·ä1ò|£¤6IñÍÂ’ÔKõV.•êWÛç —¬ƒ¹3jÙ}oŒÔç'Éñóð¢q“ƒšóëØ¥íNœžœS_YÑD8I ªÿ2K_f·ô¼Ë)€åÊô¡²ß¾¨ÿmõ6ª d’cÑé;r¥‹-ã;3_Ä//¯ß|Ø)ëJ!Ö\7õ`èKý÷º‚ªHÁA€^¬Þhn|”5¶ BIÊÌì…âÜ^:Ào¬, ,Q´¢ZuÜ ÇêM„qåcœ7Í60vÁ­†^03»6mmÜÛXÙ¼jr§ÛIŒ¿¡ª Ž˜óu昗”2Ib0V&+V³‹¨PŒé¡†ßoÁŠ€µ6x§lõ| z±ˆ™ßu©ä»ø0LVHëmt\K£–6%ô¡4óÔ‘´¨&cìánO›ÆÌ39žX#&Y4ÈBA‘çp§„[R{Ÿï£o?"µŽê[ü³NÈVÏÒ9Þ¹u:òmMÃ4ÆÏ¥â{þö±T(ìí??oÈ$»'ÇÏ^´~(pˆ¶ßþoРï¡þõ²¡üÄ]$œ-Riž<û×9J¦¦Ç¥ö·°qÜ]nÿ–ÅzMœ±ˆjþmÔÄéÈ¢ž•G³wp†ùq‘ù`´LöαÇpXƒ ø®±^[_‹J4ç—4òM)ß±¬èî¤o©Ä•Œ!PtR§Ö8nAÏk¡-ô#ša‰fñ½ní#`¨ ­¬Úá¤úV ôý»ÆËn5ŠQ«…ÂáEìq¨_, à'þÊñœ9IðyF ÓAtü™ ðŸ NÒP2fvkZA~­¡ÛíËâT©+ó4é¬:rˆNöÔö~c»(¹`’ñ™aÍ­‡ífÜ wcwñì¿Úßu zÔâgZ;b¸ ÅwjtY*𙇯ü‡/¦UO,®_ŸyLªÚ0šÂöSÊ»ç;/Ï…Yëx?Z(ù’V°…Qˆk¤‡Ã´Ç÷tÝÊ7°ÑÃD©¯ˆb¬QkY Ý­]2ÜAÈ9®L(އ(]Ä‹’QÂ9%| ˜Q~½°ü7Q<ÿaÿÓ¼ÐòXûNpû¨^={‘♵ÜÔ)sž#×hiL…°Ú®öƒa_áÈïŽ; \‹v¥ù§l¡—ö ƪÕôTÂ%³œÓ¾Oñ8U|ÔbS5y#ˆ“´¤b>ö,€¾x¡|T !7šéàï*câcSñ Æ ãŽ›Ælsj—E5ãŸX^ÆWG›Áµ8@O »/ ¬jòU^-@Ë3X(hðÌ<ǰh,ì½Ü9„]m“uÈþ«Gb™Ð{ôã¹®ã!ˆßÿçü‡ÖOûgç'ÇR_„1ýÁ˜œkƒërž*ïºÞŽ<<Ü=ÚklÑ) NaÕÍÚF,ZÎ`À]ºèŠ`ØwC"kßÅ÷ë¬â?­öÒ&.«û9 ¬D4Ra§ê=7 ;%P"]µWê»À>ªW¢¤!–%ü,‘¾-ô‡¡8>¡ü­ó—ÏÎ/b–¤«U¿lÊÿ‘¾uuè.FCçðæ\VÐC­ÑoQç…¼%-m£T()Ê¢D“ëlA¶ü[uL#;À+<éì%þ!êã`To»^}ˆ5zµ‚ä Ò¨þÿJºEÅ¢¦}Î]AW$òéQÞ·x©C7œÊX /ÇÈêV›H!Ft> '‰6}g~<úÁÞJc³·lžÐ4ãýÛoÁu-¾1ÒU€\EcXÒ° ëH^]RDíõpI†—¯ÔO«œ™2@O¢¢=oyÑ^9}tÒŽ5Ü_÷j4½¬fñM)£îÕå Qã¸Ó®ÓVŒ¤êé.ÄW÷ÇxmÑU{m¿{×(ÑJ ²U\ç««}L–-™úÄ Ø°öFˆœuK€ÔðJÝ'$Ut´Þ«Fq};~Ï4ºŠ_£Y²›¨U-A¡x[²Ìva a^&ËÕV¹€îÚeìIÏбˆ¨+To¨0b=Æ8“8…õ€Lã…TRAimã $ MV qlà{ÁVX#²aèßàü­c6½§;?´Î÷1pÐÅəܞþfØõ¢ÿb¬ í>+ø ÈØå6þ)m‹çô¨ˆ·wo+µ³á¢æ¤.„­¹ |ø ¼âÝ*m#î>òn°Œ·‘ð÷g‡=¶e êÐn“êÔsnȲº‚ô5QÆ¥˜p¤1ƒ­ÓÁøÿÆ>±27`c„ÉePøŠbhïàL†"B_^š³ ŒÚ«Bs(¥­ôˆ0-êðÏ;‡?ŠŠGHêZV—âÝ)ÝoVPìbcЮ܂q3Gk½ƒp%é+Öƒ^9ƒaxÇ&µr6@Š·–bÌÌVuk¯ÕG¸Ãúþ[uûÎ5g¶RÂhV)dƒ—…h‹"ëlx•®ñ¥­ùu³Y³*Ê"*ïUb ›-ì_þl úŸGÖ˜-hœÂÖâÛÝÑSaF,¹× ÉŠ¿6jQhq`úªD½¸¦ ©êø¼ R÷[uœj1.wyu]ƒ’ÒapÁwNP2 y¼mcÀ‡çMW@~ºêÞ=9:Ú9Þ+aˆ:O†Î!Œò P +Û(ZvSU‹Šª‘Ђ¹é0ϤòÒ,ª¥k$ÎEôv‹í ·”A#’_mKKV÷ðÚ߇҈•’%±2 éuÉ•^Ò-~doBkîÆ‰ÅW°‰V!hG gæÚU P—qV×ÖÄËŸŽQ|Áð3ÏÆ¡‚aT¤‘²Q[c©ZXñš:dᢇºˆ"Þß ëܹBÃl•O Å(!Å"-•VVJ°L`‰"c–zEb½AnÒEyêIm£¶¾YSÄ,Í%HâÙ?þIàG;‡ôGR¸íøME®F'±†rJEbEÙBPÊÆcÊd¸±ÂXv‹o2NÏ×¥"l]§çÒwôe³Qz_`dLJçÂò:xM¸ÛÚãÜ®¯ùwápçøÅËûÆ ù„|Löppµ‚ì/ÿœÐG.@üÛTÈ“àþÙÙÉ™x-óž¼h=ß{SÈ>Ëeý+hŸz먂‚éÿºÔDN X‘YS -ãdsH“Ü$®N"BÿÛ¥ìp³JžÀ鞎: P¸|E¤íxäØ ®†»³Ç“ƦcÒºVÏíXcäBZ&À:ÖˆkÔÈà|Ȥd¶+¤sJ£ž‰ªó«X“\O[y†n&DFV¨4LåŠU|l}ŒÞ!8ý' q›ï‰J9 Å äÅM%¥Õ5±‚‘ªìÖ5G]ø(bTdPšB £:ŸˆÐNÏ÷8Ÿj^Ôi§Ç1¬ÕŒ`å´H¿ŠâºÑ™¨”AæØõü®À³}I)ò¤#”H½ØÂ‚³üPÀ”aÑé™-FB8ÉiºAH²Xä‘£1h  ¸®w¬óø$ê6/ÚŸvÎÒÆ&›Þ ]LuÈ>(;¯õÈÄk}ûcÔnô»aTÒMË»[ ÿ¾ÜÏAx±Ãe)Î!º‡ª¨ŽºxÆ—~ï uä%9].KÖ~‹+Õî¾³áÕ;úÀ®ÁSbºñÉm ÃÝ{ˆps8(pà«‘Ó‡§l‡wé ºTè*= dŸÂ»!¦Å¿ŽíîˆR;H¸s¡,ŠÒší¾Ã¾é`ÎÜ 8ÉŸÅìUWrgillëíFî °Ï¬odhY…pJ1üS0ë÷‘eqýQ£YÄ5ù1º5\­-×eD|†#b‰Ƽsö¢V«eÎ6’œ3„«‚ÊĶ2æýÜg @Ò¨.ô9†µ¼O–2ºêƒàÖ—{fŸ§>>ñ4é²÷¤ãé=ˆ¹k'/<>PäLä”5®°)½(®¬”Ël™ çMs¶8ë¼öÿþ+c맆e šÑ@`EÎËY³“SGŸ‹ÿŒL«€â~²~™š0„Q ›oªeù¹Ô\±›åRÆŽ_P¹õŠYƒëXŽÙ+0ÇPT¯Ö¤è¦Ô*P¸ŒÐ3V;Ë»÷½ÁW«¢ž)r¨Öc%Ù”U*õØeŒ*ÖP_Œöõ»xäIäþè.¦õ©FYÏÑsBC~M«7QË´K²A94 O>px.J|A“ôˆ0^GÅúüoµY®¯K¢ùMJÅ+UèUs¥^o–sÞà$ÃóšIŸº5ܽekÒDí2ë¿ÀLÇnBËuÊÏŠv“h¢ÍßÅø§þË+¬ÿa_f-[†N,Ô¡D­¾-~-]"ËÙ¡ÕÜ%3'²a󨽆CpƒœQMÚÎ:£VŸ" ’ÝîÀruíþ÷màùÃ_GA8~ws{÷[I=Ü¿¸Ø?;o”vžíîí?ñÃÁ¿~<<:>9ýgç/úùÕ¿ÿ£‹J¨ÅX#ÅY´ë^¹!´¿¶¾ñxóÉÓ|ýBö² Äa W*öw8ií6}ËÏ yº¿T:Â[©¤Ç…*{Ç%J·wÍNé’ýW;pØ—`JK%ÊÅ?Ù3Á»Â‹»M^µ„P<«ßÞ•…)0¥5œä–Û³Õ×_Ëø¢˜¹L<­­_ŠïD<÷«±æ¥ë|¡nË–ª^Iä »ÃbQ~Ôœ[G}Å#m¤¼îªÇ°öô"5!à‹ºYU.×dx4x‹ŠŽèQÌ.Ší+4òï xÙ*gL¡ça:]£¤Rv2]”ÂAêk”¨^I¦”ES°6eF¬Šo|qå‡0]Ê; 'ÍOÿä϶{Ç%·Í>_î¨D»>Œžà]MÖß(‹½½8=ßâÙ|“2j{>¦ÊFŸÉ`[Â+ñÝ,ÏÅÍE‚™gŽiUÀ<î$ç{02»ã!¿^v†¢:<+q¥iÈy.枈¾—Я'!ED¬?þ2f=›IÅ ªŒ÷h0#!ŒÈµ5LÊ_xÔçëêHg”¯Dª+22Ó¡·Ù¬çtP»2ºSGÙ€ä¦ý5¤>.ª¬L$-_]¾4sÆ©eu$ï¤@§š€gZÖ';ÊÞ\#j¶´_PNè>¢YâŽüJ»|ü ÊͲ ­vËP®xé –K†·‹‚bŽ&á|£ºi•вtIu+°be¸/†Ôa"¢Ǽ‹×Vq†ý¿¾ª7å„,¯€–š\b€érƒÑwSv0º‹Â@ÔáÙd)A`i²Q|FÀó‰…¨.ÖêðÎìÅaDR®¡;QÛ¬éç‡û•9” ³GébÌ3ö8^ûpF–éK øRgÁÝE=úºaÏuK¿cÚ’¨*B#ßûÛFIçû~£L#£) ø|œRúÀR6 eÉà£7˜·? ²bæD\õÔ{Îc×°ˆ:hÝÜ}µ—'¿:K”_m_½þ%înõUë««’5oO´«¡Ùà:Ñ›G_ ‡“Ú, 2ÄS8åYíä˜þàÝŠÂY=aQĪÖI–@0¥‰’V­FfHð<7®~W<ºM6‡‹­7[š`é´«,Uù¶ôAû,y)QQ>ÙxG* %c4ùƒ éû¬è}V4Ñ2¥{† ÕÕìUŒ8’]Áuq.œ°SK¨¡\ÔUÉâv/Ô±—AÞʬí´ o «ùϣʚüVºl•ÖwÛ‘¿4€ÿ¨¿&-“°JáÊ4“ÜO;ãÐGé¤Å§ß Ëº÷“H°¢Ž\û9TVÆ0Yæhà_CO =ŠJ¨\UF ù(*sxpüc =ŠJÈ»¼s£„z„lœœâ? •1 íË0ÉcÞ ½r|û£Õ±þëeÁŠüǵëm,ÌùªU°@€@ÅémªÞ£»½p[$#6WõÙ' ™saN„-‹d@—oLøyÄ>‰ÖŸ»ún0LéiM ¦­V˜„Â*$:e¥‡ ËLŒ›‡yW.ÛF’a]Ãjš—Lõ%vÙòB—Î7Ò=UÑ2~­a뉋×Zó 9hn@‡¢NÇqÔ‚¥¨/Ù§^%ð 69>ñÆ#^0t:nÏåä’;¤!ÅPT˜ 2ê&-Gy¦ª /qL[HݯON/NŽßàÙñ5TÇ/¸«×`°×N(ÏålkEV…ø´Â*LºV€Ò?aiiÏ•V8 ^,cGZCqhøOÅÃ0ÚŽUM´ÿ+¶O1xñ ›³j7L㟼hf€d‡Ø•<³ÞT»€¬fU Ž ãeD¹ y2T_U° øGÞ“Žb”gEuœ³€G™p´ùvÁ6Ó½ÞºØ?:=ܹØ“5cj™|bh%N•‚Ë‹æþeZb‚]ØM5lŠæBN–‘k7*%$Ë©åTO …3Þ ÉJÏ·×a8 ¶êõ+7¼·kP°î¾Øn=¶cÕÝ €ð»ZÄææn̸C +áx©m²[öè*P'HŒf!êp^ꯛMËj^6‹oêxšü;Ft´$L¹P€Ë4 ñ6ÎDy¿-è¶Ø6àÉÛn¥ øâQíüЕfÑ<À9Þ‘¡™XÙ…mm}ƒ’xŠs¿Þ CyŽö,rùx‹ ñ.Êëp#°n ë² G¸F 0€ˆ;pqCL‹¢eÕt¬‚fU ­¶ÑR9 Èl˜Ô qJa,Ûn£Tä/¥B0êàyºTä/¥ÂÁ1Ìðá!<‘ßJ…£÷ÎZ§ðH~+v~þ~ÂßRAÛ7ñ7½ð­}óö[ ÷)åæó8j › H»?–‚™û]VÊ£M§E£$ˆ ±U`ÅË·Ëh¸ÆfW,¬³j·Z]m|/ã? G-Bdd¹®Îõ*Þ<Þrј=¦,JeX„¨0‰ Ö5’*Û½G«¹pSC¡{o³*]L•éo!•®A Q2PakYü ecu—+Wê 5·ÿ`pþè{ôUS_ä'è>[ ijçü ¿G_õ7õE~òþýI”Sö&Ÿ±¶ÙB@6&wÚê«þ¦¾ÈOþȃÍP y#ý ¿©/ò“?ðoWeoÚÇ>ðùɺrrãá~˜tÈCVöE„ï9?¤ñS‘JJ¥rJùBL Íæ)¹š¼8¶1m7é±#Ž%JQ/J–¢‰ø瀭Œ¹P_õ7õåOÁÍÄ‘ª£ÚcåA•åu }·ê kRBÅí@aÆèE4Mö  û%¦Åæu¼%@˜_/.@’ƒokP‰ȇÈõÐ¥pKwÚb,9^ç-:2ÄW¯XT‚ÿ¦¾ÈOþ £AøÆÂ,=K~ÕßÔùÉ&ƒ‘^´²8’µÊùgÌ•ÚùæÆʯW™Á,„<Ù¤†o¢RF³*áD>UHH’Ö˜¸9^TLþ¢Ä&$…5è6¿h¢@ë7¥zʼ̃’ï¢7zJ(±ÄÂr%ôQIcr#нÄü+é„«g­$Ò²¦¬œÝ?ϯJÍ0}øcÚ4…hFô;{d o:þ5dëÍâ*Ç„ñ×%~_Š\Ì× Ó Eýs,MδÄÎŽ¤Ò%¯(y»p½Ôkõjý >“l}yY`ÔøZ¬‹ååúöpûÿ+±ß糓W¨I<“ÖnRkˆ/“‹E=1z£.<Ýöðàøà¢ª5MË…(P[ôÃÂÊöø–ò‡UPŽ"?œV_¾"W0ä‚°KÚµ©;^Ùã 3îØPÖ‡”f]ZïÒ¿Îoô ¨oQP°EDC¡;þ°`ü´D©ôC(èôí»–RAGE3— ä­O¥Ë"ZÀDÅžãöU<ßßƒç …íÌf­Kkä¼s3©3B‹Å½5€ÅžÏ M;°èùŒ°(å™ßu 0êÑ|½ÁX-º(Ý'óíŒp%À¶:×p„eˆ*£€ ðù…flE², ~ÏX«UñcÆšI‡' #þbFh¨‡n‘;¯)z8”DýyÚ÷Sû³¶ŒÎªÝÔŒ§óÀIB˜«~º3J˜t´¿7c½WAŒ!àÏk¾8Û?5jâÏY)7QuŽºÏuŸÏQ÷ÐDÑá¬:>2jÍÚÖqëÜl ~ÎÌùo[A·‚\Œíë§3ÂÑÊ (Qð²¹+åA0*=˜±v?”†÷Q}õhvç§LJqôhvLJç§qôhvw­Ðo[Á“5ND^Fy¡c¸ÿ‰Ðcf„>r0u ' §óÁ†ƒ4|:#Œ†÷òÈœ ùdÆú]gØwÛL¿1pÂkßÄUÖë!böHqüÇ_Ì =²Áá›áaÔô–ç£Ú$/ñfFx{‡‡''æ²’Oæ’Ž0©^$RRüÇ\~¡[Ù1e“³™kµ8·•Y·¥ó[ÍÂ9YžµP!ž”ùÒ/gÝ¡/ÎLʧß3Ö=Û9>ð³.)'èúÚd¹ù¥flgwׇ©ég«•¤ÛÝy¨V%S4ê«G³Jt±n¿˜¹ß¼EwA‹Ýàë  ›ÕÐ:©,»Ø=[‚í±Óu:ýZSEïߢ‹—ïálMrÙe -}Zv·‹–37Vç¡ûÀ©¥dãù»cTŸ«gÞ E‰×zv?Ñ®ùrF¨P…¶æ,–Ÿz7{O#ßO‰|8Ÿ„8{˜«Õv½´th¼œ•·¶ÿKÒG¥3Ö>Úyq°ÛÂbýlöq¡Å‹J==)¦%G%ÖiEmqS`e½^òMà›þ¢pSZ·œsÑVS–*1ëªÂ[ÜNMV=œ™ÚŽžïŸ_´2kìù¬’ïù¿^^ÄD_ùhf}ÀþÞÁEL'€fÕ œšZ;ü9ëÙ)1ú“9FMeŸn&k?Ýœ•NÜv\Àf>-Œ pR„3žÎ¬ 1 N`; ’³^Ï'ñS¾êëgÈü±×‹hÞ[hõ$Wh xvèœ OŸYxfL¡¸ÑêÞÁV µ‘G&7µ¼"³žH¯}LË,“Õ@N‰9¥YBwÐâØý¢mìýç :šzÎͤF¬Ì¢mäíÄr PoÕÎ ‰;‘Ðx;«NÓïŽû©O烓ݽôËYiÚ•7nÅô÷ÆÓY±‡a:ZcO†ONJ1Y¯gÝGý|°©w³Þ›Ø£.æ G ¢²Öpn™ÛÐñß&´¡ËÌÛß'gAæ7‹Ák©xdù€u‘y[¸Þ8hfA–¯æ…\c"Y(c´dÀ˜:'c‰  é—3Bu½kg䆭öæÿ³÷¯}m\ÉÞ0|½{~è+ÜoV%ˆ{’%!Û\ÃiNœA¶h¤´-$Z2&†û³?uZ§>á$³÷ì{{&Hê^çC­ªZUÿr ôž/ÌŸ ßwP»$`Sñ_-¼—è²#§$K¯-Ì{ÿ¸ÓY2eÙ˜ÌÛ…ËEÏhMý2½7 ÏPQy©7‹ÞöObšT‡ÝÇ‹–4J¦¹E¹Ï£«Ïû?Kæ7€„öy4épÿœ’‹=J®ÊS¼¤Þ<¦¼¬áŠûxÑþsê£w{ì<^ôÎi6Ì!dÎÓ…¥|’ø9”Ðæ‘¸¯0…Ңܒ3©—·HI–Z‘îãÅKB!Ò¹%9å¥^.:£¼æ9O¦0|) Ç)m ”ûþ4¢àVâ3o;æÞt|ö-Å%Wé✧+½¢³åàÓÇžö´“:M³/]1·¬êMb”":´;Ò˧ É£¶8EI¹Ó8åx‚cq²Ï«‰5º½™æ×—“øÑ\Xú¾*õæqš‰Þ`4ö,M¼çŸSV‡Ð‚ ì0Âðg–Zhu˜Mó9ý¸7L‰åúñ¢+<[Ê#K(ížà \?Bü!÷eýÕ½ä³çÛ/6_ïžØî¦º˜ »X"xs,EôNe &Šâ.Ö¸&PÃDé`˜¿s4ì<ê¾gSc«`l@´/þî»Îî Á_¡Åq»¼Vr~‡¥{lÉPc̃°é„ë0ޱ€‹7Ù1‡o{p¼Úde†‰äó…|îâ»ý=ü¶ß9†mÄ_ɾ¾:–.ðKlMà[ž¡<öm=üxORöðD,'à[±Á¼Ü<¢?lˆ_³vØg´ €O¾Þ‡/[[øGçÑSÎ,¼LóZß~ÎO·•ã]ã=&­Ãžšlî<Ìܸ™„îU?œ{3”—dÜïæ=¾ä=ebbªÏ\„`cÍ}üðî$puÈå-W¼'À%»sˆ+þ@’ˆ*žQ‰Ã¯" -®Â|ݪ³D<½(æ°Ú,\|9ª(ìÉ(û¬P”óΨn¨õžˆORB£Þ^î Fªí1Åü3żâŽÜ$¹ì#Õk˜"øåÒz,B¾ä.rVkŸqjüÇä¿?h£HG߃ö™ñf;ß´3| ©Þš€ç ³KŠ2¶8YÀIMñ)¾Ã ‚?‰(ò›”SƒÍOíRËËJ¦€cK$ŠxtÕ?ïýŠ“©ÎøñÏn¢nדž.>PË깤^G¬Ÿs8Ö„2)i6ÝyìsÚòÂUxÓ ÌÞ¥Rzšý¼w©¼©râðÔQkÛ_~’šM(¶]À›Éhvye0ë ‚š>ºPmhO7Ç ù‘Õ½¨u휰u°27Ρ²q`ž­¿cHˆ°,ßYTÊ‚ÇòíÁ“£=þ1"ä’°LŸ0ðïp‡ø¨+â¯÷êaLÊ-øJAÙá~Þ£CÛçÃ*”|‡}ƒà]×aÜ=WS O“ñ?uArrP/ƒdÒÕ4¯‚JÊÁ:“òxö’ëµ3Ì0G•4 •-ÁS™Ä&;4M_(·Nk2ïEïc,Ïæ&?t›•ÝÒM2ÛèQ·±`f/©)ÇbÁ¼¤¦\âÉ¢E¤›BÆï/yBd¥>î>PZQ®¹ÅÖÌA÷>¯Št Î â7‹- ‡“òö>Þý!ÿémCÞé-záe-„EtiuL$¶†ó™ºúäy* &øöð5=t`‡ª¶k(!>0»¢e°ëŠÂ{P8\ TRRŽ¿TçOºz IñL–(Iú—Clš:9üņ@è; ¸ñàã$ö‹&“X£WφÇêY}­þ´®ýË=ouCnu¬6w¢%RjCRæ­ <)S€•‚"4Jc+eŠÑK£ ³–2ØKêÂF–õ+Æá…Lâa?v1æî@ŒŒ&¸Wäd§`h)r½¸5ïjK&q” zÚe„ Q¡ < ¾Åõ6â°Z ß~® ˜±>hT‰ôÖ˜^)ÜC2Âð ÁH´)Œô5€EˆKæFVÃ>ôa¥êóvÆl&þ.&ÜMeÁ™FG*¹Ž(À˰‡¹‰ F«Í ÐM’àÎ8LŽ{MD%\F¬•»]G ïóø‚àà9á "Öö9â^ð²{]†®…õRY°Vîèôz܃?ñ'†— „úS€hNÕla9÷vÑÀÙ=vaƒ„D0ÕûlCÝ£78G›q /…ê‰©Ô ^³ª5µ®Öžªµ¿”î-öt¤V&ˆ+ØîÔzÂ'4‘õ’éÙÙÊì:JÞ«'ß~‹ ¸~‹‘šËñ­ßп ¬–bWXL]ìAé^¹#V˜íú{0øgg.Ö$þçŒ8|«¿;Á`ô8`·ß‘¾À.2 £D[â¾c3$6#ì;޹1˜!ÆÁéREVŒ¢m@²Q“úÉ5áký¬ÀËõƒ÷‘pÁÝy"l·'mxgtèæ= Š©ð§í—;û°ÙX3DíÉy îCõ‹·`—¯üÓ-"žD´‹»“ûs'ò‰[%¶ÄFŽqßp/ˆ´s@iV¨¾×û¼rØZ2 f²aÓ ú®ù©Žs€i1©ÀxßY ’êPÈsQòꫯ¾(…ïAì_7B7›”„ÈN-°dÌ?³i¦q^ã铎 ŸÚvT]£mœµñr1¨iøÖ­ÎÒ ¿ü¢óŲ µŒ1@Ѓ)ïnÆ«)ú«AêëJ¯?¿«G<¿Ò©Ö/îPa3¸írãMc¨ÔŒÙ޾9s¢Ì•my“ë™ A#žS…²3~´„Ïí–]AO@`Úò…ù¦:öá*àÈ Ä£º1d¸?á–30zbjk€„Š"*îm»KdüÃÒU)i¼kŸù¬÷àm«Q—.ñÅé»/Þ®~Ñh”š0ƒJûð‘4BÛÇ ,Ãû©¢¥æp@E¶WêíOkÏþÚ¾oWêh Ó Ó¼= Úm„›üªq‰µ¾kpíex4„WXý°tΕ5Ì$9°ÁºRj4¥É­šß¢õ¹…cÑçÜŠõÏi·ÈgfU‰)á ÁÛR­} j´‡ñ²dV@ÎÄg–A>zùðú˜¿ŠìRt$¯¼‰¦WÔq§Ÿ`°¿Sxô6#b¾@ðêàÿ” +Ø7BÓ†}J,œÖñ — QˆW8v2=¬ªàÇ•bDë`ˆZ”aÅZø÷rzµB O×ÞVtSúÌlCõÕwºhøñõ× È-mqñ§ý·ú‘W$üfMÈñú£ QŒVYŽé¹<”~Qk'Ò‘µ*[QA yà‹—«þZ·ákõT+é§iå­À{¯Û_Ý«ÓÛ1b˜É{KŽLak¦& °VÒ¸ÅØ¼¢•¹ÿlü+0áã3»Ñ€Õb(¹Á”ü0d^. ý¼‘¸ —h\šG€æaˆ¸ïTð½ÿ”\ÝÝó ,­€M²hvu¯`t&·>±×Ʋú™€©®£[‘Ö¦R/3wŠ¢‰æÞ¦9A’ò C¿VP:,â÷$þÈ?~T ÷OúZDäºp”é- uA=¨ÒÝÉ&9ê‰xIуaNðgw4 $nS94@ÑÀ²Ò!/[(”KYw„²'ñ aœAý9Ð4T’õP8TÊÉ‘Ëùý E1–vRñ8Qn1±¢u—ü0†ùi…@ú–ÔÛUj}kÑ_ …H°"}mâ=/ó÷fÛ až\ò#=æ‘Lýà]s•Jl®âyõ‘N®Â«àqð²$Ä—N¾–n¦¿'vù3vÅ3,H–¨ŒÂöóe*)âs¤*­¦,ª¤dÍÚÓØ˜ ȷljaAäôFRyg7L¢aBz0¬r&õ+T­( 8œ•Þ|æV¢lõz„0…`×k½Q—zx.y}©²Z„èe:›ÆŒ]?žŒ0˜„¡À*骃…ÉzÈë|Ô›ucû¸äjèxDb–P=)9þØOLk¸gb#ŽT5]9·¤ PÿÏÌkÖGjÙë†\„¯æ6¸|4ÇþÁ|ÁŸÃ7ëuò3ÎÕAÔ¦vTÕs&“ˆ‚µPžžb8ŒWHý÷ñMFðPèM$š0\ÇSŠ\AqyëJjš‡BwCrE ã" ª8¸9NàÍhÒëLâÖiÇ—øöÔL³j™q‡uüÊc±‚ïñŠ›ô7Ò¹Ly[àW¦ŸŠù΋Rà ¤jmfÒÏ“áÀgb±(Õ^áÚ¤ÉAØ®´WVNß­TÞ®VÚ¦’©Ý8„¼k "íõ ]z®©öÓ 1.*Ì-ÀɲŽY f«øÞ”¤Šq‰‚5LÛʼ" Õô9|`ÎP™:´ôáÏCw¾ØaF¦;_`rÚvÎmYC訖3RBÊ+íRи\LÌx¼Há Ï+êùÚÚÖŸ h®Ø¯ŒÚ><’BF|ߢ’Û„.úXkì\ìuH/—Ç<­)Ñ.€R÷ÀÊŠ¢=m¬ÂPÉØéô2v0õ« mÏ!#Æ‹ƒÕkýëýï–ÏÔ¢²ŽÓT ýäs²úpÇÈj‡ ‘¡¥š/üYðäUš%À7·2!®‚c@ Ï3.SFð„Mš§/^ín½%¬xr‘·D ûÃYì†ñ4ù1i¶œ·«ÍÕ ¥oî®ÝlnáƒÂkiÌÌÒð-çË|[«HZµfÍ>^5%S>çt[Œ*_¾:;/Ž[eøðkS ¸?êÑçe'½ƒ¤ OÉ †bQðÃôhÈ0ìR»’ÑlÒÅä¶Á´L5)Ö›Ä7•Iº¨’~ŒSx®mT”ⱸhY!} Ô&0¡IaP–Õ®¾ëÔ¡¥àÏ$ɹ¨•HK:p5™op— ˜¹Ÿ!¶>óâÚ;·BÄ&6¿9‘ÜÇêùÁq-™Þ"ÍÁ¢ô=0÷F_£1¯¨Îš -9ñ1EE]ÊŒ>9…ƒÛ”Ž'°Ä·°ØÚ‚¾úJ™÷\2â*Ñu¹ËtÍ\÷ÑêIh>LmBq‘³^SÑa½¶Ûˆ é` D¥õÎz@ûÎZÒA.$þsøL­o¯úcì?ººOÔ™!Ù¡&ýn´•~=®W9T–”5Kt ¬ Ðåx4F¥¾ƒ#ˆnÂÂ5È?=œþ5V­¨ÔK7®‘'hÂËÕÛB³Iêb+´™H¯žá¼9ƒ¹jïîÞ¾k'w·‘Ü5å{UÝ]†¥¥³ÐV ¥×C} ÑúÈ“BÆE_´ÔÇš#¯eÛdC³Ë©—úhú¤ü@Ä×q³ü £EÃ1ÕdÝ7­©ƒmÒgrç'üfãžéI_}?žM'@i“`rp¸˜øî [ÞÐj 9Àa#Ûab1H`l‹íjNõÐ ¾¼Úþ IþjûŽ?Ú«JëX‰"Æ=2;’as·@zÔ”Žã­¯É´õ«;'¼Æj–j+9¥§‹tm=ý¨)æü‚’šµ&5½ dÖWÅ0™%E(þ›« ó;1•ÈUñ¡h‘)Z•­Ÿ/+ÚÏ‘,:›dn …‹6øŸ/Z¢|³|ØŸ©°Ì4»tôRˆt ñi’ã¬Wdt’Ùº¢ƒ3›lxwݪ{Oµ×:.$²ƒöKh¤N':RÈvÓ·wwÔty êõ€eà`}³–²Wt]4eéæe+” N½ÓwXíê]£^¿»òÜØ]™*–·hT9$DrßæÕÒ°ÛQéP©h~žxI[ŠN¿K?÷û]Z¦ñDm×M4Á0™×À,õÏû ÅÞ6K©føí’Æêx°úöÇ‹"KÈh",Ä $ê]7Ò8XžùE˳¼ÐÉt—¤Ð1Z2H'hÊWjʦf9¶´_¿4Ý™¼FñgQ;dôÌ¢@<€ÁüPPkÎXæ¶ä¡ÑñóΤ†ÓHw9©üŒ©¦É/pw/Ó6udBzfrHüCÎ!|²?QP¦—hRëÑtßåõÞKo¥+kQ‡Z4­‘ßsZÃ57¸nSN^ݺ,[÷ï‰Ô(Í:h¯½k c³è2zÑ4BhQ˜š*†?"ÃT2?~±ófo»©¯‚ºïAÔì/ßöЬ,¾Q·q4Ñ‘¹×ëß<áK [ns·(T³û4‰ãa«$L~Ñ K 'kìðXù'*þ~ÄWxU×ãQ×|Ç€]æÇ`ÔEŸ1ýMé{ȆŽÑ¥K Q·íÀ°5"tä´ê´Œ'3ÓŸÛ8Á#Ê4tõnU·¿êfâwÛJü%¤Ãma>ú—Í£ýý—ÍtsáÒVé—C4ÀÅeP«9­Õ‹‹ï?¦äõûÏ2¥TÞ*B&ùÊ ïWeùöÕ¥¼à±†çôE?ÖãþUY¾év¾*›ïú¥ÌÉWeþ"ÑÑê“Ó°{n„üúê24$ÑÞ[: _£“wý™ŽíªZê¬â¦;&«Ï.ÓCGtƒ£úšÛ¢2‡ÜásviO¬ø&>°Y#uõY÷@A¯/€_‡¢~ø¬°Á¸=¨ZfýèZ¾TÖ ù|•cs ô4ªý¶YûGç­þò¤ö··«?6¾8/%w?¦dœïÊAènú[‚sú¿Ê;ú¿Ê$Ú›J.OMr± Düݼ²Ç¿¶¿½ÊÜ$ö·WJ:™ÿÌ$õ{¨y%ùIÜ'™ ³Iݧ&¹‹œJ~˜—rnñKùÁ/Ë9»¸h pÏ%¿´šÚ5ñE, 4 Ðj³¬ÙÎ÷ú1iŸ-¶–JÞ5wºÙå‚/¶ÁŸ(éÌÞ§‡‘€ÓÇ6RgŽŠœs‹;B~y|ëI¿›«-,YKìù5ü–[Ãçž1öö;‚sOð&É ÚóUµÏœ¦"ø+êÜÌá<„ ÀËòZ9°-@2›Ä¢´“ ŸQÿ%-Ã3Æ“­+Sš—Ç¥r$kV»xs…êÛT4]³:¯xÕ¢'LJTöµ•ï´i›»˜m¾Êðä|+#OQ(êË.;‹Õ¬– ˜d«}B¿ÂÉì}×b(Ì’ ±o´j-ëÀú»5[ZƒÚë_xó‘S×÷ƌҔڕƒÁå»WÑð²xC&ÖSÇä3½¢ä±»¨lWœŽ¶KK¿oðHkkò¯XšõZºÅÐ^ŒÛ|=F¡ßD˜ðÕ:©Œ|Åz©]cøÚ–3¼ø(™F×c`[fÃ)ÚûAð©ÄÃΖcLµ˜†xiyð¤<åkÓj£É.Ë€˜Çé†p,ûrê±úZ­©”“,OùbJRøèŠa™eºæ]J¡kž/¬ÐMåÈSèæ$™[Ä" ]Ûÿ‘ ÝÍcí*=û%qµnnUA«0¼ñÌ»­1XEë,D·œ»ƒôyêëŽ\`l¹>”ÜhÄx.ä ú‰Î³ƒî§ÍÙt„{O1î,^jŠuú&U1Ÿ*yµ"¹ N{9/“za‰8Mà.¸à!øVr<ˆnU]ÄdfBnߌDÇ^âP8Äà½xŠ Lø›DN»ºïž©uœ¯\QÅÇ´õ°Uk[¯ WÑ¥ (:ÞÔË==H¦dD¾÷B Õñju6fÓl&múÑ…¹Œg%åõ…ñI»6׿µ/»šu4—&}81ˆ«†£JÎSÜ}“@¢ýº4—¢ÚÚAèÈWž‹`ùK¾S`êÄ·>[}l"ì_»Þ†4Ÿ’ì|ä¢8GìZKo`‡ñ²H/Ù¸£ÙûM+ÃtÂ"Ñ­x9‰Ç¡6b‹¶ 3ß!b¢4½Ú“§6žŒÐšIJ¡{ §¥´h¢ªÜ†ñ —ˆˆ}£1:¥¦Æ :®³QnsØ _³ØœËѨ§â>zSmî¼aº+r%·.…,—±¦õ'ÏþÊ›]Åa´aekïÕ+4þGæy‚7ë=$äž§êÙ“'OŒ1”h’ê»åúê¥{=ÉT×W«oª$/ñ¢¡6½™ËPÁ±3Ž&ÓœKÅë‹Ìñƒ>ylâ¼CÇ[”q‘£†Úù?õÚÐc=µÁ•‰¿ÍØ[Ü¢?$`\s@½ŸïUœQA„c|@[Š c Ìo„ £—WÈk‘‹µvÒxÇTK5P¨þŽW·ßJÒœˆD0¯'Nó¼Bç”ì¤Ì/ž:›)œáÒòŠ^V/Ъ·*œŒ@²A ¾U0 Úʇ¼â[:¾¤æžPK:)¤¼Â}®ˆ UB´-X~Á|F(#å½éƒÀ­Í XT†ôšÀ"Zv6±C’ÔŠ¤bL%¨\†3—‹Ä-Ž+Öį)òrÑve"]+ãÏ ÝÞïÜaUe3`¸»t•hÈmß Ÿ*,iLMpKÛ£«mÚŠ–Ò²B²×°vmËŒBJBƒ<=ÄÚD9ö\BÃe#â{ :šo6‘k3ñHƒ‰‡¬%æšJ<ÚN⸑„X°Ñ=¨Tø–µ–ÍÆØÉ_ ÚâŽÀ –Uov}}’ cN:ÔäC3ÏäðÅÚXîwC½q1‚{«{h¤úœöV„÷&›8]\²Éê'Bn»ç·„Ü”öT;(K’6”Ì(.£¸°B™4¶›Èb„'Vßï&XþB• ‰¸´ìX÷™X&tÌ ‹8jE#ÑU”Ÿƒ|»<ê&Jì%J #‚«³ü ’ÊŒ·ú°âo)Ú9kÿ‘_A_6…¦&3Ì b†Z”˜ZÆ»ñ˜ñÃG´¼Š[*€"œa±Ë;ôŒÌЛòr]ã„È24å„×\B]œsg&ª4ðèm­|[¸g‘®c· Ôx|ªË@F—OXÑ€ESÝ,ˆÔ"°êisó«ÑX€¶`ªõ6„Â/f¬LÀý³sòêàõ‰ÚÜÿï4Ž`1þºaÈ(-TBšî©úYÇÐ"Èü9ËWíG~jyÞ2#Þñ÷âiÔ$Üå_apÄ„>àjâ>ƒà&|xù"Zy°Šî€|pxLš¬Àî¬Òÿîj:7›››úåpVM..#i|_'̾Q=˜m3./ãž!ªŸ\B¶X̤*Ù ´^Š>@׫r&­0dZeH²†Ä£ÑÐȸ>îíõlȰjMÕ.‚3ãø×ãÎîÎOG›G¿vð¶¿µPLÂÀ_^^Vìö Ú7«jðÝ/tS5‰ùJ ý€yåÕ¯ŸÑA‚ÊJä1d"󔽟òrè»oõo®„50¬Z¡1r¤`¤zÙ‰}$ü|M.mà¨~8ʹÅ1Hz¦¸éE ¹(Ժ܎©ëŒRž˜ë¥q_;öèoùõ#i»FC "r!„ʈýæñQG™V¸ÉŸGCМÕ5:˜£ñcBz£ª–HèàÆ§©ñ»ÕäT8®Í7u‰`À¤¹LŽxR.~W2F#Ð7$Z7ìë2×ôJðê%â[Z¢—9¤åCæ,5¹ÕDnJãk¼—qŠB™2ã½ûȜŸkš)ÓLnsõT¨*äK#öGçÂàD"Xö;=æœb¤_]Œ_;/-)ÈùÁ/ä‘^€& —¶Il–78ÆŒNG‰ºŽ(xp·Ÿ3bCsÀ$ŒqªèÃaJ»è+8œ«P,ÀyXY«~=Îï«—Þ@Zª^©öM£pûH;æ5° .NFÁ ¶á™÷í£m֔Ɠ:ÇËàÙ5I ó”(¸ ˜Ä/Lâ6ñOÇÏk¸ÑöŽkÚúw ŠaRC¾ý=Ê´¿çîM@§¹'Ì1°Ùï¡Ù«ƒ²àCX­ÍùØ¿ž] è s "Ž üˆ€æx‰tÎüÀB8ƱlªV†£É5MH0 *uŒvŽñ‹Én‚¾b¾mº® ¥}A^ÌŒ)+b>«ÖŽeGZ5i‚¡ åu A_©Ãô 3Og“!{Þ2î„FÀíŒñK(µfb2èDœ…³Ãøc”~”ÆèÑN/Þ7Ô7>U!o›6¡ÏF°Æ§£m6ºa…1méˆò©çES™xdt¯Ð4Í)–Αœb½ç²t%JÃá£H<Æå%áZ(¯|Çô{­…´Mî-ƒÖ‰Mí9D²°Ðj9cê¹±_¨Ž¼Ì?Ð"ôHrn™– lÀX~8ªÃDðµ CÉä°7áݲᢵûœª0úJº.|FÀyµ0ßíÄ´Y¼ÚT4ª6õŒ"AìîZ$YÃrKàÊ$ßSÃ%ɨ‹>}zñ9EqXâ¨;Trñk}¼èH<õÒ&f›t€½ IËL0_†:eÝÄñ‘äüÃ͘í©û¦–te3ìi][6—},'ï‚cf )jUøÍÄÄÜ¡ »ƒ½®Œý\m8ÞÁ_sãoÐû¼a9¼ôþ+÷Ä})Œ¡C,ä1ܘDñ ntÜöe«<ç%à–ÒÁqêi ›·µ…/ñ§y«0ÄMR·¸(™âT“"5ïózM+S#EfÎáÝ$º‘©cX®-Ѷ—²q›4)/ ìäƒ&eÚ€‹Úh 1 ÑDøàü(Ps+Ô‰¬7*õŸè®Òµí±Ä0² rV9ÍàHSµƒS-Ò{]¥£R£þ$¯ó^<ªGÁKý™­`¢Š†‚/â^Ü{°}n ×G5ÕÉèJ׿YûzÉ ¿åÔá>&X ò4$&šìÅe®¡h·Ëû{õl /*=óT7í8•ùË©´œÃ½Š»‰Ó¢’ËúÖ³ÅF+(±ŒNN)eû=uÞ Rçý!Jv¸ë(³wÌ!÷±7Æ¢À°÷DÄË“V‹Â-"·Æ6…nø‹|-QÐPÀvÔX­81ëÎãK,Ÿ´1tVÃ)½·ùrg«³µâŒùJœÔ,™²Ò]‡ã±òÉ!Ñœg<æ'• û¨U#ý…’{Oh˜°ÇL"úã¹3 Õî©ç¿l½`|{}æqÛHÝUÇ äkW¹ùáÍ“Š·> ‡CŸ¼Â82›3øµ 0…ZWAWÖÜæTiÞ¥ø‚% z½ ă –yÂQ¸ŠºWµ^lýt9füô¸—ôÍ3(e:¯@µö¤þ¬®£ÍÙr¿yFB”säf¡%!Xx$ ñ§£8Ñjl¾zBâ—×Nx2ó[o{ñ4ÒG>›R}UŸ,:gÈ4 2L¡æbò~Q}y/ÎS‡›C[š$Ö`q–€P:¤éz—ÞLÆbb0~UÊ#jÊ”ÙST ÖçÅÇV¿æèiF”&X& #*gër1®XòC&x:xª°ÈÜ\ŒªùƒÜ ý]â;®´ª µwu?à·ç;g…µÄ¡aäÝÿºêÛðSB*§ÜÛéMQ`p6噜'¨6æ@¤Ñ&½zh9˘ÌòÃ܈ßó} Láu4Ý.MGOKÝòMGŠó€Çœy*½/µ™Æ ²C£²Dw‚®b°×‡o8؆‘Ô.¼ÃÈÑË4Ú !”Yß>îA:=jƒýͽí¼âÒÖÔc»“q0ÝCPÒVµ©=ºrL­}5ž]¡Ý¸âD(FހƓë~B‹— Eõ¨[PSQü'šÑqçGÇzrßäÈþ%US–åJN©©¨|#*=PCŽ´•/ie¤AHl;Ó5½@½Š‰—5LÝ‹TÎ ó»Ä÷ˆ¶¼*—‰ØzŠw¬ñ\/&Ñ%Aµ°‡ŽÄ„äë3B'»Ý ë^@s§:2®õŽæ‹Ã‘zÄBtfÎ2È pž×\Æ %ÂÑ,Ö?»ÔÁ§ õâçe{C”yIä™ „a €x<¶2ïöÊV7/¶#+?ǃ~8†œ.2éÍHI¬±Éð‰Nµ¢Ÿç4 '™;‰¿)“¹Ü«—tPo~Òòc}çä†":‘¤ $ Lž2<¿,¾¬"F†¨coÒu€òâ¸äÞ~D!‡á¼íÄzɵE?(yoÌSM{…ŠëmÎzZ§ì]¾ÑØ}îèªD½ÅáWI>² uÈãÄЦÌÎï’³Õ}WHw¸Aù:¨tWÓw÷¡\dk?‹. ê¢ßu4;¢×Ñ„ ˜2‹Éú}£­ü Ñ‘»0o/Y!´åê‚H4D5üèâ„L×qÖa„R1§µx8705uDâ…!•§{bðm¥£©™Ñ`%t~Ec^c2»ã(ëï÷¦7bÚåŽI½t3È/îf;ÀÄ|@.Ñ©©º6§ˆµ¼Ôç4Òî…çxÿfºŸô¯gƒi4ŒG³dpk ”j]’·j#}›öCÉ Âíä™Ýù÷Æh|_tý~èVœkX$îŠÔOóëéõ6±³e‹­YazB÷4$u‰ÍíÞÄwhyʘJ¾ôõ|nšÜ™ãö:ˆ?"WÉ$*©Æ*ÿen Þ¿{^æ•8‘žëEáÌù:!ÿ§@v7ww4{gZû|µ‘iA=?PºG:¼7.ø{ù*I ƒMg¨›÷Öƒš·º¢lµÄÙ€À©]ZryŹQ­ó’–”‹(y¦® ÷¨wNÀl/‘ó|n­æ¨b)8G°Ð›í“2t"tSõÎïœxÝn’TÔƒ´¢å‡G ´V»5ñ3œu|1åüÖ×MŽMn’¡F\¨qgw5íç\õT“ÈRà¼~µñˆa—Œ!²µÐ!—Slæ©-sdùñ6ꌌ. D¹*,¦9:ÄDôšÔ’£É{¶–ƒ¹5ùýø –“ç×)ÊQø6Ï\ÁÈ(AmB\LÌhÌ#mÛ ´õLåÆj&·róVÿ€n1Ž2ôo`Ÿï5 5JÝmm#œ¦†ÉŒ*¿@ÿSûgºvâñušÈdÏsøÁ¿®-:"óB³5Ž/ Å? 4>oPí×ÉPrdüœÝáD«KÈŸL¤Ú¾ÒG¡P„isÕË IGW–ó¦x-iûMk¥hlpdÐ8xyºîgIg×iŒ<)nÄñ+ÝÈüêçÍ£6æhGJ­–ÿ<¯M†Fi9ߤ¾°Q&¹x:!2 Å×ðÌ:àel¬wÏÔK€Þ¾»?MÍNGÌ3§·1EüV8ÄÄÓW’QjÎ=ÚèŒ|Í&*©QݦBËÄÞO—i Ñ=:Í­¹´îºQ9›ÅaS‰çF…m ŽÞ’7W)Õ:s¡1’›è6ÑŒŸ¤Þ7ïqžŸ4õé: —)¿]}æ95ZŸrÆçÊ<œm1ͳìéWEVãš™‘j¼g™*h¸¤›ú¨…|1A÷ K=óXÎ@7¼aEϬ™ÆŠ˜P ¾Êy|àh÷œs*cE™Ktµ¬7Lê>yÄ-¯ù7»Ùk]‘C /! Õ.QŸì®v7°Xx¤h ëíýçûjqöqýBy¦<€<;í¯÷·Nvö®nm?'s~)õõÑ6&FÁ¿ƒVâ1«ÜhíÝÙüiw› h!Qíáxÿ¤sõ£07ÈFΨwÈâ¯ã°!bnAn¬ŸíÇš¤¶‰m¼qh'ê…s‚e°(…£úÀ4›í÷Ð)º|Ú„?o›AiY#[³á(½CÂý60N°4‰2›®û…å4MA •Ã(ñÙb Õ!sø¶Ù<…ÏÍæ[ü›[è!•zøPóØ-N‚`na¡”}s±V¥ûf ×y›œ&Äéq)w­TJŸ,Ö÷ÇòºÃøh`É LÓ>"´ˆòZ«œ•Ñœ[AÆ;EÆÎÐPèÎ ¬Ry­¤ËùØ\Í+«9¥e Zm—ÔÎÅÞ·uÈÕh„F"SöœžI–f}5[@A_W9dÙYãž®[Ñ ËvÝnG{  ;Îûþ˜0†V+!÷ÆÌºt'ÀÑÖô5 ­§»È®Û¡`ò(´éPö½i©TŠ ðZkw»Q÷ÊyÁ?+ÊÄPäôÔíš$æç˜J8ôsùéem×V½ßð‹P‹²Q&Ä­U©tß;Ì“¶dJݽ@OM| Óýå—*ùòãFPûòËàLæEŸ ÒrçàÁ¿̨ÿñ©¬>@Ú¤„´ ¤s#¸ 8o„_'Qå%@«×)Œd‡YɈ JÐ[’½xµ·îÖÁîîöÖI%±cÑ?ô'£!]žéƒ¢ª#RPЇˆ.÷ØpvAÞÉõè}lÃ9bé_´Ð_×+?å±ë½Ã¨/Ì ùÏ1>¦ÈTp€»¤2|ôì# V ã¥Jø?æEâ8¸ÀÀ÷hÇòüÿ¾<NéR¹Š®}lD9¸Õ6ï —€äŸ ×a«¨m2ôÜ6™eD5'6‡Vn®n‰o9;ƒ®b+¥Ž~¸¸aùŸˆ”£ø+M#ŸÝÝ© ø¦ßi_hö¿þà¿…¯#ƒ+€E˜ü#‹N0ÎÍà ê—¸'ºW0Vêë&aÉz§‹“¡6 ô”ASËʉîT* ‚¶ý‰ÆÅÀƒ83™Ðêq~“±Œ`{–=ZŒÍLãÂQ…iðÓzæÏ‹[o‚ÎØëË3nÒŒ.«6Ò.ʵI*&Œ **‘UI…rèM<á¯Uá02`¯Q17 a¹n«´ŽÅ=9«Êøcæìùx—ïtWºì…Ž¡ðÄ~Ãn0Vq:¢há!#ðŽ l1!v®XÿMþy (]Ayò—üùF½ŠoñtZ;„ó½_ŸÇpèÆÄµã]y4„c|·~X/å”ñ7(cí¯j¸xµõ{Ñ0yß'¬†“W;ÇjoódûhgsWÁ÷ミwžƒ`³y ?«,ßlþt|°ûúd{÷Wµ`(Ôö›Ã£ícte^VGjgïpwgû9˜ˆSñúxËÛR¿ì«£ã¿3D„ct‰±CâI Çî%‚VÄÆnQ0[<ü‰!„ # -ŽG‚óZµŽ¦ˆ=#ÚgTy1vND¡Æ}†¥qZ'7!®ˆ~«Ç œlm¡aH(EŸ°#zÄ¿I‹‘Y°K'﬩,•xCÁçM-xliÄ5#óqÑ]3Ã\P½Tê ÐCg˜ ëƒw¼4‰J©´¹ÕÙÙß9Y9õÈÏÛê) ·U„ÙHšÆ%”6;¯+Ôèi¢áehÀXÎâ¤BÂÊ8Úþ•õú7 ?Àï­Íýƒý­ÍÝÎÉæÑËm¨ì-?žâhëùÎÑJ2é6lõ®›dosëè ƒ©N¯Ÿaæ=jugóõÉÁÞæß·WNÑ»9„1!põ.'ÚÛÜÙ?ÿ¶:{Ï·KN‘:våëÕ`Ö‹“ðFÙlʪº¡<Ø!/;[PFçÀüÜ<.¸Êƒˆæ9ÀÔX%SšcåMABgooóPmNÈ#çpg‹nëlC%×ÂHÁ tlaÞ½chÉ«í­¿Ã©¾‚Ec.Ïì«âðœ/·¶„I4lÚhlm[¯J)Ø-íãcxë¢mqZý¢¤1¶$„ª:D°¶ZëÞ^Þô‡J~!ÿ|c´e@¦è-mˆ=|uZ»yºÞøæÙ[ŒU‚ì ñÔµ 蔆“>Õy½ C­Ñ0ç+åüT˜~¥G’úÉÍ jGpJc‡–y&EÊ„Du:ð²Óq@)m'M€^#ÔRÓ¢âæiýYýµr<D“~R±fšö0¡¯èÎÓd±÷(L}ѪDóXú¤Rï¡['G¿bPäÃ]Ø)°·Kj¹A!§¥ù%„™Cñ¾ Øx!yßVÕ)²È:›‚- Fy‡#3¦E¶ÕAî””S…˜‰;îì¼X9•µ›J$ëÛð¶j”ƒøïTÏjP{.k­)=.¿Nt¼I8¾XÅóá&š u°Ïôr8ÕëÁ²5!ˆP¿GUP0Sú‘$u')g‚ìw»­ã»},ã^0æ¹ãm2cƼ±6 œ±þeûÍÉѦé@à?ãÁ}ÔãFØízÍ·!CRB0ôÕŠ'èb0U$Îâ{Ã¥ËÍŒ£yñy#©³cÖ_·Ÿw´³Õ*XÞ ­Y§6{ñ8©áÂU[æy€O]€-n9»í}¼FZ¹¡}A´?$œ«ZÅ×§Hí­ô¿ÓC4†Å@J11¶°Tòm…Úi ¹ìôQämÖ²Ùçc†N>²‚’À=WãÙÇ‚Càôë¼MŸÁ×ÿHÓÒ¯ÖUízš&¥ú€:¦ÝEgÍßǼ"¼³¦*ª¤ë0Gþtb ]zýaaç<áåVíbvK^EèÀ6EG¡óX]v»ÊâóÔ:Yá,Æ9ÔgÎ_|°fâ ñ?β/\ˆ65nØMýKiÅ -²Ì³¹2ú5¨éùö `WN÷Ÿoÿôú%”»E?—c—í«Ii—©¬uåtˆÖI˜ô»óû¥ÙÃL®9›íô93D(m­­)Ϋœ¼ù£Àœ´M†{ÎQB9C±‰œõ1v§ÌIgXê­cÿxµÃÄZºÜæ#K£Í¹ËîèCUÎ=¾~€éf+Åå¨.ºÜ¡+G4Œ·I†'gt°t²]²÷Sþ±­j5]Z@ŒÂ‰öÙ š*.Òà–—ñ±»fd¨Nüñ3!Eëp²å½µƒöÊZûn½}÷´}÷¬}—´ïX®]iÿÐÀ»ãœ1ì\p˜p5¦ÝizÞ2’y*õ’Vˆ= A=ßÁ›ÐÍÝnIçùÁÖqUbj_%¨”Bj G,<Š} ñXD%Âyǵ>©i‹á-ŸbÒŸòðuèÔC!kóUçd{ïpwó–sçðäÕw¸‚Ow€™íÒ½žO3FFO¯Ðé=Q+ûñô§ãç•z¦Ø¯·;û ¹ïnoºÇ4j­‡šƒ8¯TÜ{Æ$Æ Yx¶Bׄ¸ xðõ Ýεí4 v ¾¦;ÿm^:Ç;/a¨Ý6è #¨…_9&$î lÿa¯“ÜDã?°!¿ìì?]w×_úçëêøO˜ñ­mëww¶p‚O&Q7VðFÝ!íòÝÙ } îV]ÑâøÉULAÛÐl‚êÃeˆcÆ"5¡šÒµ¿ÜÞß>ÚÜÝùÇ6ˆý{Ÿv;[›Þ`¼@£÷ì<8A >ô12î´{ÕI§ÊéïáÑö‹í#§âçne‡ÈÎe¶%| á• g×çƒÛãMÂyL³L0ž^¿¶¯W#3{ØŸ}€H½•Ü»5^‘µÙBÚ8Ó+[ BèÏ´ÇõÍ7Ï:›?oîì"mq±3$ª{ãܲñêúy«ññ¯ßt¾yVÉ-ùøõÞvççã“M·P`,€Æá Äq<ù€±ŠŸ¶ß¸“ƈ&×êÃ7_çµiÔáæÑVçç¿ §–í^+½«>üík)Ž~çv°ûN°_áPÙÙ?Ù>‚}þ÷íç$ìmmÍG@ã—yà »}T‰ï«Ÿ… é`ifƤÕ9³÷zçðè`kûøøàÈéûsK0‰ýu0g`pbÜ^Àw8š‰½Ê[€ÐâÎ"$áþ a ­C0Î…râ²[™yâNµæpäÃ×{Ï(HëQ†Œ"’ßìZ=SáõÈ ½µb–cQñǿ÷¸óÓëÝ“ýb… 0ò.þWAR·3è ¼åc?µ×3Q§°ª¿l‘_¶7ÿüÉkdS°eÛ{¯áp/yÔ­7š‘ÜïM¯¨qHÜRD‹ÎYY²%2ª; Ô~¦^C¡}l[Åç›\€0¬“~IË—gF4ŸGÖ5M÷)ÆŠáçœ3Ónû#qÑçý”Ê´Ò³‰™Bè2¥áUåÛUŒ§?4¶K Û`³Â餶 ˆ™°hñÚ‰¥µ#q)ÐÚRãºrxp¼óF sG<Æ™AcfV“‹¼ÌŽa‘)ÞVÐDüCÜÑì¡(ÝñÊZi°"ïªzM'~UùùPr·BÇDz÷¤Ž˜ÀH|Þ>ß…â[µ¤›£ÞÆÓó¤ç(Óç2¹Žú\§æá*YõšÆ`ᢶìþ®]gò¬wé( üÆÛ¶§Šõ/zÑenŒœ ã#rA!=èÉÈàéw£!¦$t#]Œë­“Ó¼l³Ò·–‘Õ“E€Õ0‹hh{{ÝÎ+x™-uùÌåÕŸž„¼õ•ÖšˆrËÐá„uÄÜû#+Ç''½ƒHƒ*t°üüo"dc¨wõôªCÑÒHWî܇¹ò[À¦%>ñÄ€~‹w©¬¯6¶ìå«êÜݑɼ¿ Ç'ð†&›Ö“ÙÎå….\95I‡ü²fÉ *dâM`æ!Í~öñøý%_ºw–ãîÜ÷5ƒ¤÷ ­zëµ8œ½ÍýçÐl1x|[==}‹̽_Pþ$_ïƒiD?mmÁWäÕñ~ÂÏ·|½zðúäðõÉÿZîü;Ûÿóæ?Î4æ›gùö?kkß>ùöÛ5cÿó—'ÏÐþg}íéÿÚÿüKì¾Póþ°‘\•–—Õó Û¤`ˆ¥Ú“µÚ“§õ'k%vo¦ƒu…`øGE­ãMõŸþI}w ~Äè-Q¿,b=î;/ …OÑ–é/ÿê¿02ÔAX¨Ò²†úü°P¥eê3ÃBA ê£BaûMl»èPh³u´¹×W’|æ·„ák1å£Éåelƒ"ñã’Xv»UËËøãuÉêòþ†͆*¬74}­Õ0ÞKH#…߆E Lì)cú^2AéR©îÖ]øÏ4 핃R|€¹$Âð[;·,ܾ%iMìQw=ˆ§$¶?•˜Ðr EDªÿ‘ÁìÄí#qˆÐ5Þ"ÑFCÓ—i‘–¸c9qñFbŒƒu>MŒáH!{¶!Ü.‘mAûƸµHHÙs圱=ÑG†¢Çç‘Ëv¨!­»é'¨Ü{O¾ÝpÄ›ªü M ‘SoÚ¤2¸7/Б_ #BpÿÐ$ÉÈóAĶ+ÑÀ`xpjdVöf] mCˆå£›ÚMƒÍÀÁA {ž`§Ä—›>at½ÜQÐÅ›cþа‚™Ë Ñ—ÑC|°Ð¿â+ÍÄωŸÆŸoä9ÖŸÔ×¾Ý@yû„ÀñôžwÃQÁ$“ua°å,î–Ø3¡ôÙ $ö?×ÕÏÑì–U5øÏòbK>yö?€8qhà¿ñôóùˆ? º¤sàRÃ?+ºd…-]r&B,݋وœù$|@ôþ6bñ™LÄŸÍC<Š…iˆƒ,²g. ä%éÖÐÇ¡1ÅA#Š{ +çG)¤þ(®a±ã#ÑÆ‘ìÓÑ»K›E¨%Õ…ÕìÈ6ɦ´G(RPƒ¯´q’¨&ñhJÕ•6OyBþñŸŽ·Ÿ×à8¾WarGѶËwwá™#qbé°?Ðû‹Øá ¦Ý! š6nd¿‚Ïù\Çsä„ N¡Þˆ—®@«Ç<†I™à éó•ÐO8tÍœ“U†þÙ:‹åçèt3¿Æ)‹Ÿ`ü‡±c-G4DÀÅðüø‰ÛÎá/`¦„¡ƒúÝ*;,Røw4³1q‰‘:ã¡q*ù¢Tzþzswkóx»µ¶¡]æõ#ñÞûû1´¸ô@èlôT\ã H^QNÀèõï¿Zã+ …~§6üؽ»‹Ñ>š¤T>œÄµgõuënSûä gìÄy Í8Z»²üiíë ücpïºlöɽxÊduD¼ËŒ7‚z.öw<Éq4%/¥”AÕ.UhJ [!~†¥‚0஑èÙ r‰µ‘$û å*LXÿãjEqE?ÕÆ†µ`\Vû»Çj8ƒ–7˜4b}Æóýî9ʃ¾=#ÖÓ…¾âC¬^ê¼ì »Ù¡À!q ãÕŸù Ïtn¨v7÷_ÒŸ× ¨Ý­Îæî.~lüzH¿5aó„¾î»©ŽKæAH$ ÍÐRˆšò©Ì¥ÓbhûÔIýŠxIÓj—囓@¿Û¨ö²u*x’ê_;0eµÛe*¼-O6}sR·)Á[–äpÞbŽ‹~@(Äå=G4¢zi…B#ÊÏÌÇ-à&àp3z+î¼8I&rO[ZV)·B–†ƒVX K;¤oOÆKåá °² cvFc4é"*-É?èý5a1„`—“UáF¨¨2?Hê޹â'?ªlã/Z8«fþRáSq—®P`áõ‰ø'ÜP/èQÿ {…ÈÍÜáa¬§„æ£JDˆL³ ·ð‚‰çKGB¡w bш¬À,]YD6"2®µ,Xg¬ðZ¨L ×€¤ ¤H¨< 1˜ÌK ‹9~²¨&Èr±fÄké·ÀÊPnBjB6$AïË—ˆ›|¢ø¾½ÃÔ)ãÛÅÀÜ®ÛXWÂ~G~Xà,Ç#Ö«Õ4oN¼30Ø„† €± S§ó W5~$ª;­5BtUä‚ ‰E|ÄŶ8Z÷Tc±KÖll0“iG…UINe "Ë3fOJ‚~#DX}zý®étUàpë—&ˆQ¾7£¡€Ð·q{XƒƒìZ!ô"3oëè#¢ˆb< 2LO«Y˜ Ÿ0W«¼¦r;0[«¼®òVûô´Ð~C‚.í¹õ$ûø%/çn™È&_¤Yeø³¡è[Š´Ôš÷# r0¸.u•÷»‰¢ÌN™%{Mªj¿)"Ù›V=méÛo)›ZÉc¸;,N=’œÃäbÊ0Tõí7Û^¿ë-©»Qvk)KN¦ìÆ ¼IE\Züýá,vò1/‘NkwÀ3:‹ `ç‘Z™Ê++o"›.–À`éÃØ.Q–––t/sjÌ_ýœÇ«ËàkÙã?Õ:œdÂäRO«õ¡3óÕ|É]=víä79°Ç’âpäÁp$ûžÈrB~Ùc‹ ¦Í[A,t^†õÀ¯÷B…A×k:F£Õ̘sÄ'’©µ$&B‰Q†ä!¾Ã=¤V ‰¡w&€²ˆ££õl×q4$}( µ ýê„)„ü×È'ñmk:!þ[Ì].6  !sTiÔ†ÂàQ ª8\‹Ó¯‡BÒXj„µÄÅB>FiŽ¡¯Î‘ÂR|‚®í¢¯HtPó\*J0,è[/Ù9‡JÌãʈ{j[I#zø_ãü¡’!=}œÇ5µ®žªgê/êõ­!'~Õeï'pyþƒ’YÒ"1{oWÊ¿ý퟊ào°ãux’é-RøôÖÄœ+hËó©”%vkæL€µ?œÊY0žô‡Ó õdmý鳿|óí_ÿæT+” V,â¦ìLÿGá$uBï»-az=–ô×”ûT¥+Qˆ–[àpànåðS³/3TöB¹Ã§¾s²8 Ľçþ(M‘úN9˜Ø+&ÃËz™ÍHŸð3a Œ¿Õ×jíLÒXÞ]¿…¦_NSÝÁ³;-€¡¾•}CÔ㪋hRe1³?%UÝû8«Áhô^+ÚÍu‹¥·Ù”wÊ”òÎNâ&L›õÝ7¦mkOVWÖß­=©³“°2îé$F¡æšãß!·<Ä`0.W°öDÕþˆècÃ?.wÍx+l8ð¦ÄŠRæ¼S.“Køäî+:šY2i|_>C!§”ioT Q­‚³IŽ‘…ÈéË£íÃèéå$‚Š?KQ±CRÓ]§IS ØÎ;Rƒ³(¹‰9y™‘`k+bpzÊÝJ-ü_úó¿ôç!úC[íÿùÛ0Ÿá²›OnþKîÿaQÎs˜„ ƒ*Nñ:‰ý¤›{"f9º}¹¥[{ !àŒÒÂÔµ¼á²£Á@"@È]ôü 1È} R4ëO½>ê[3¢w¯f‘¡4…ŠÐŸ(›gV&ÒÿÖa+SÓþ%Ü „ø}™´‡ú9M“_UÛ–§/¼§/äéî~ç¸ †ª–È6!ózð÷ç;Gðä=JÓòègøýÁ¶äh¯Т•ß„ÕHVÁ‚¬„¿kbUx?Ï,Á.˜‹Ù€Öd؇ٞ&^˜ MÄan…É]ÃÜÑÄŒ¯ÞÕWøœÔS= Å1íOåT߀  Þ%LFç:៳žhæ3%Îd%W’ExYñ4²Ê wD±Ïðº3"xPÒ0‘w¹ö`±†iǸ—ÐHzÖ¡ö`;Û+§ ä·ÛoÛ•»v»½vwÉmÆ…„ [„áb£q…¡üvOWšŽHñ\sª–ÔœQ% ¬¤q9g`PÙFji¶³°G“ø2þÈ'’µ¾ k´©Dl™â=(F'ÃfàÚêȳåÅΞ¾­Ÿ¾ƒÎ®¶o¡·_ÝÍk‡/ŽÔÍÓu¹–¤@¢)tëèÆ¥‡6Ý dÍÙ aÓM¤`¯ÿã¤ã^ÅÎ2QM¼hÂHÇä?ä¹"q·èMÇY·4‡ðoþÞ]nÀšÔ_à_HâZØñÚº€'« ky_X,òaΛDMˆnPІ‚j|õÎÇ’Ø#$ á¾sAQÞz=ÁÀB©j¶2ê©Ê Ë¡—?¿Ö*&¾adp‰õŠ&=‹«û`à©I¹Ê¥bD oÔôf„?aJðP7ÐzÜ>Dç½@liºÝ»À:L ß0ì—XhI²8ÂVAµX‹n$]{'­°Ýùë:~7¿žñ/ó¤5DxXݽc¦· ›YB*>ÈÝøªÝ.5.éÑ;~¶^6ÅHª¯ô¾ ;NÒ¼m·+ÙÔ° ‡ç‰óŠkhË €Š |9G÷à+ Ÿú¢Ÿ5:Úàã2•ç“ëê8ù©ŸÇ0ìIÈóÁñ&Rº*X’ùŒÆˆ^ÞÉí¤ûÚ;›É‰¯Í­AIx‹Íœ”Ñ%mÄ–©@NÓ;n‹ BH7ðS5†¦¢Y-H/MÍ‚U(W上 ìºU )‚^6q½‰èÒ8Á¸Œ^sõ}<ÝÜS$A8f& VôP"m%®vZi!÷)ÀAè³vMè­Çôô$¸¶«&äñ] EÛñØX‹^Sy `y9£_×ö1=:‰ÉƒÑV´‰è(‰m&ä¡îË!2 Â.áBÁ“Ž,0IGªÛËañ€Œ`½°Ò`*ëjsˆú k¿Å“‘¶ýÓª~=—T ìzZƒ7(°ÜLÐDLBÞñ‘¾EiÝP’s ÈÆNÅÚj°Ý#¢YùvÌç›…¡Îјâ~‰WGŸPù8Ò¬¸F#4IN%¼Ñój/zaíʬPr¬i¦j͵šYÆ kG'ÛG{´ð«isÿx§CóÁ%ä g °qUK W†tõˆÐ1d®Ðlþr@§<Œ‘£?·åXLè«£`Ì:T‚ ÆÇU©£ÿ“é€5fGwª'­`MËÙ˰5„ú,§Rfï¿ÌÁ©ë#m-"N´¡þ?§O®C÷9.|¼vnð“Ë!Ÿ~ë'žÄ”ö©M| æž­§Ê"@ÏŸQZxÒ½8å7&elÑdÖÜ:4NfÉÔxxyS%J Øuñ„ÆüŒôŸÉåä‰g6ï™cyb3œ¹¯ýòh›dÊÓƒgÓœù5˜,KÒâ’k ój0eØts =Š.ÐZ(§$œ;/Õƒå¬ç–Ã3î¥{°¤gù£‡KÄKö`AÉ-ˆV–—Ìtï_ÌÊFË#hÍ›J9¾_h!Pìæ²óÎtVÊÅä’¦I¼s®XÝ!ª1”öI»æ Š}C¼¶žÜ*uhUâØ%±1^È®™ø"Œî8Ч¶ç#Þö+ÕÑâï`Œà0gËfäbÉ`DʧK7*§nmÃ92†ÿv_Z®ãY¤“B2(].âÀ„‰[ª‰Ù ÅÕM¨L‘4¦ìˆ¤N\vÀ{=ŠE¨ _gð1k ÙTFÃ`£BÁ%$Ç c¶6<”NR`Ë8aGᜨߒ+SÌyŒE}[ÓÁŽg8~ÚL94å¸894" ujóhDÚƒÃ>ßgÞ¿SáàðØ}ÍrÝ×-‘Þ ©7¼HAtH)NxZ_³–Ën#­%ðéÚúÛ:Ÿ=­?á¿nh['Š°Û¨Ã]8±þ#Õêtè`¿¬2Ùèé_±›J,/Sí©dÕD49ÀïQ]8øÐõ~ÂӛĴ3øŠÈz±‰Á¼mCer½”²÷Û¤ƒŽ’'ªíhC}üº¨sœ=²]‰à;ÍùÇ ô\¶lîì A»KÆu£!¶rP’bÝ»a„`þ]?>”*žŠ,Ó£ˆ–²ÿX¯kw«ÐݱŽuUš9c߬òÚ×­vyQÅïCí¨¶¬ <‹BàÑfêÑêÇ ·Î÷ ‘L!ù%÷)ªá#ÛÒ¢ØÖÒöÏñ(PG®Ì$D–ý]ˆ39"T`nŒ¦KlÁí6¢_µé9ĨH¦õæÕìüÌ|èöÏ JÍ—¬@û:22ëAzÎ0xNZm§îÍçŸÐž©‘7‹³aÿŸ Ρ=Q0Ó,^ô`©š{{ÙSøz«YÐФñ1¦œêÖ"2ë €L7´’ /¢!mššÄeâšV&TÊ ÖkVbYkëárTÀzv׊*ø ¹>Q-j€’j…¸ ¹­£«Ñ4ôŒ_= ÊÒÒ¥I¾}•LÂ(Å*âYäŽB¡Hë­ÝXÅß!%B+ÔéÃòZxjËNš1)ÄgPØ^©·+áYÉ9ØtÊrº\óÆw«PŽyøGGÐ×;Î×8  Ó+…ÒÙ¼å*j0›Z;rÉ2•_°¶÷q,0É?¥4—=¤(í:PžòÊ H_ÕÊCG“a:æžL¦Ò\FcðÙpûÞ–W¡y9Äèñ¥éeñ#]BøtEߣ»Uº¤S;sD>–ìÿ‡6>ÌXÌÈÞcP Œ†6(¾ 2nÂÛ×âCA¸9;¢MÀÀ4 1££P%³‹‹þG4]¢èQ“øzƒ_esTpô§&Ü •ƒœ1™£½ê÷bh`´Š Îæ`žC¸ÔÛ½½™§ 3u‡Jn§øÈ Eç¼æ Y«üimyyµq[·Ók…¼1×\‡³Õ†Þaryääý²±z_^w]¼V•*Hý4Åkòö K‹3+ +q ;cî¾ÖŠnçt7óèæžwgfí¡ß”sÊ!.ó ’ÒåIžžÅ¥f9¹ìŽŒzHûÇÙßf ’ò–õy–`ÒÍÆ“*xÿlnï?Wûˆ•{Ô9Ú>ÜÝÜÚÞÛÞ?yœÏ0á$]Z3ƒ†€˜@»èS]À_Âécs'„R²%¶AIÞ*¯:Ç:æòoûé‡8Àˆ$E\¯l)%íúí&/\3^e),ÈqÿõK¸÷‡¨ƒ'Iá0ÉPíI‹T˦ƒhî=ÁûLb kFŽtÆŒŠ¶ã&m^ 2MèaØ;kjgÿÅΛù™?ƒUÏ`–‹“Ky€pˆªÆøMýz=m<ƒï$tÊ«!¨·Cº¡…‹¡œw¥¤— ån•×Ì£1µ{ÀÛ“¥°à¸[éY¦4M->¼V†M®{Ò—*Ö•z6$öœÜ*HÄãrzå®Îi—©„¾oø;^ÈW­àt*ý‚ôì:=ùŠºîÀwN³7NTc겞Aà¹å@$Ùr¸¬©}pæ–!cì–Ál9É]ÙTvwwiòßû;ÊæNLpfý’S‡É]ýNÝ]†gÀ9jï§®Žn˜¡>(æªÞŸv†‹Õ Iš”ÈÚûcIŠShŠ´˜¨g\Sg5XG»\íÌ¥DnÅ.9 SŽb °Ù¦K}µ(VN韱y³æÒ]ÿåO¼úï© oð§ÛI×jå!b÷™fk4†”®»u€3HD§­)¨k ìv…¼ê¶ßm“Ù4^}ˆzì}9í”q-p~G‰‹YØ,·j CÙYDz§}l æ•\ÁHt!}KÊëÓíÐ@Åѳ=p…kH—Ò}0õĶrþº|@%*ä%„¦Ä|ø¨«Û1@ùz-Oçéîçî†K:ÿB n—/m–?Þ—?}ü’dOøäbñ?Ôðë»™¹Z”ŒÈïðq8ˆ)=삤¼¼vŸUž<²­8YC}ZP_ Ò^ÁD Ë×ÑG,sf,äú×+`Ó··NŽ~­dÙܵìY´²²ít 4’_–g’$‹W×:ÃÔ@N·6·\s^0¾'õ 3ù,2V1Í‚²cš¨gÒ˜²£“Áº×SZÅ} ëÖÂ’ƒÕ“­ÓU–ÔV+9©7rryjÛ¨_ȽnƒQ‘#&ž0ÆöRì–­Ò“)+w¬SàpÑ$"¯ré"§·iÕ˜ œ­ëT^<•¬ïÚØ@½2ãiäFìpï« Fª$/"´½Âˆ·vM‘ìh4NõÜ].Ó–^ÏÂcÕâm”Ó-wHSEÒC—ak2òªî”»MS°^MjËñÒåÒÂZ²ìSŽ3fô”½~€:èC"| —VsÈ;íðâxÖ±’ZÖV]´ÉçSƒÀ:0p°ìä6ap‹øŸh 蔑 Öm_{ŸÂ:øÂ¼,“ƒ´8–"°Íì˜ç÷ÚìæŸ°«x˜C§n0¤èD ì‰%.VhDØ%HºÙäÛ­õ VÉ+/Ã/Òåã} s?p:ܻ纗áDþ´yL É\¤@}6DŽ[š]ú4Ä7d‹Ù¥mÉX€Ôwñ›sÂĘ gÖŽ4ä‰"·" ‚ŽiqQ™…è&ýñ°ªtƒµ÷‡Q°°#d4uÇ4ÕÛy'¦A¼U8ÆOöaÔÓëñ}£üi­f¤{ÿtjª‚ÃG/Œ#R¹ó,â=û€ÓñTõ‰6C15(†,„ìvŸRë‰~êVÖÊå’Q)—²É%‹ a†#‹4±'uã/+’i¦ø3ɪŸ©êüó6ÊYÚTÒH\^ÖJò…x>aƒÈ<˜ðgh·N'Òê£Íýç{6R|D+Ã%ª¹ƒñ‰óÕžÜøø;ÄÌ~gv%ï[gôa…jú©ž<ùöÛ\!I%/çmMÜÜ ¹‰Ã Œ¥çÁèúœÈÆh¨¿ò¨€4á¡Ý/83²žò6jhK³d¡”–u‡rÁ8Øè<¡Óó^’üã¯Q…Ê.ؽÚl̾cYƧ?¨š‡€Ö¢yz‚ÊjLÜEÌd&ª(?õlRƒʦ¨Àæ0¥¡hŽ'äJêH!9X–PßxŠŠáÝÙã­[gJ×§œßÁº‹€ÔE×ôäî‚7 ÌE»R‡£¹½vz©z’ŠÒÜÙ—t¿÷FSô-HZa¾&ƒÒÒRr×h×w;„nD’â<.ÃãТ2 ÑÈ.=n´?­UÛ÷˜Ù$» Ósò—Ç«\†ÑÇ¡ÜGÚžÉhD„–æ mø(œklÀ©êV¶ñ]‹9…ï§®`— L¥˱3(,ÌrîAPqèÑ6y`` FøO´vf\År÷¦W÷7]ÓI†*l„* ²ÀO•ßÛ²_‚ÆäÑ9ù¦¤”¹:§Eô À0—±g£Ý‹“1Z–àIK,9lv`W·¦䲌‘ϾQ>ðë.BzŽU žã°Vl;n$ºMÔû»I,Ž;b;àÙRcßèóø*úÐÍ&zðƪ;诇3t;Wt†ÞÈîFªÊåÌùVg†#UÔ>ô{#3Múh¡Cnˆ—ɳº!q}Qƒ5AL= a£:åÈ©¨m‡tPY‚ ’k|Ž€»P®§8°Ë´RÔä-` Ç{?‘ë q4T7Š_R9E-À\0êh}î"òV|#g\¼aÙ|Ĉzb .ýAg„•D—Ó9[!wËÒnhoÃ\+T¡,[µÈç„L&Ÿ]\Ð2gH1qˆD€—_ЛÇ9í²‡åŒmẪMs,aªŽ&äbùMD[‡ßAÉc…€†dÉWä®ïЧia#¢9‘¿YöËÐúÀ0‡êÚ­bðà”‡‹gçöÙp¿wF…0ÂüŸ¶t„‡0ÏÍ1×X8b¿ªo‹þÔSxÍWû垢tFi¶'6ªåÒªª9Ä‹:[[ùpÑõº_Ü!EA@æbƒM¶X ¤YŒž-[XšìzzIh“ˆ¹«i±u”g»ß—U¿+›ú±úégíÚå¶Ef*Èk™ä6: òâÄøSÍLHýÐsa±GCb>ndìÊ`sæÃ:¦äZþàþ×JD¿É{Dä0.ùšÜÁýÚŠ/_Œ³; b֞„•ÑgÙ&Æu2NWâÑÆø$}Gµ©o…,²…”Ò ø»Px™˜ñ8ðC/Jf.8Ä_ýéHЏq0B»e­VÓâ‰ø¬=>ÚB©÷ùñ |,`ìä^#y%eŒi¶‚·¬T…· T[½”Óžù·{y5 =£ ïtÐ?'œuY\îzq¹ç3¿\½dèeGK ǧ¯&h´¸}…';aƒŠæ‘`HxÃF² ÈÁ˜Z’%÷¹ vI}¹x¼|J'ubÌtB'a MÜRŰ„½å$tOçmÓ–ÕÜÆX€C‰t{¬@Ì);@q/˜3^ÁÂý|@ Ìc‚ò–y–š·'¼3¦¿ØP{ãé¦sêaðvYáYúÐèIÉ‚eõŠ‚k±ç8ᇈ(!Èoš7ýbÑ‘«7Š'á¡22Óž»v¼RÒâÍÖïof3PÒÂô Z™v9z‹Ï$ñ# œÕÇ“[ uzj³4GE2g?@Ëçl–t]9•Ùy²˹Uøk+Öåuš+Ë”åiYq”½ˆ‚;š4ãñÎ+»*Ê ÖC1É9?ëx˜N¤­Ž£¶À }îõ]P‰ùí4 UËr.)·,-Ñ3 šrOû]rLfè]È©#cI6æžxyÄ1ž•„´i ­ÂöØýŠ*v©ÓvË‚pÕ"N3:Áä Yã”Ú€™úÅΆ\Fª| =Gn"A4Ö¹ÅëÄÃHÖæ¯©žÏ“Íol«0¡ûÞ1q`ôõòò† ë¸rÚn·Ï0L!¢¤I4A]s4¹l àvˆˆÛaÖoÄÈ Î OÁt©Ðˆ,AÍÛ™óEïÑ¥ ™ŸOt7ï6)XÈËä¡b‹Jµ·ZƨÂMæÎȲzî¬w²®v±GS€OíAtëâÇ­Zœu\Ú NkŒK./˜³ÅêN‚=¼^r` påÄ+(aáxçs-}O±'¼O¸ME¯KA)J´tF·¨nÓ6åƒÛº»lOÛÿo{¹ý®ýU{µ½Ò®´?µïÛwíöwíïÛ?´Ã¶j/½]½[…ÿ| ½³Û™)k pu~!é"påZ.=¸¾¹¬½Õü;ײ»„s°D+56ëÄÿäŸ*¸’zx:<`Qp¦ä)ÁÛÀÀK í‡àó›VH‰3$RH"04D]:­O\2ªÄ|ñ óÒ.át–™Ôfi¥]J†ŠxÄã iÂÁ·Éy´c.iøý„á3ÈÂgh¦> ÈŒ|îzrã­àþwv…å¶Ñåøõ üXÄõl6“/ߕ׾ü2” ¼Þ.Ó3Áàwš*P˜Nßð¾˜SßÚ{®NÑÑ¡³ýæðín ˆÌj¹Ñ¾n2‹Å§]bZ@±gX¥;6}CÛƒ>âäLœK1èÕp l>Œm$M7oÝZÆËs?ªÜfÜ@lGçÙô ¸11ǪÜÁZ¯…Íð~=”+×ëž‹£âß”çÒÀ¹4Û@”rM,RÆeq«à¨Žø¾™Qh(w|œÄ0X\Ò {·˜×• ú¡{¤Ñ×îs–Œ„GäÊù÷[@lëÎ1V> wÆÝ&ëSzz™éÁùݫͿFúäªXXƒÞ*ä«§ù+ÐÚ{xbà,é$3‚/N›9‰.bÉüëVîtÒ!{ož îŒØ_м!Ò@ iqÌ9šwœ¹–—mUšQÒÌò²l%:!o×~Û¬ýãIíoRÁLbŠ "æ(a'¬«³ ^Û¡#í=/ɇ‚ VzýKtlˆ01c¬‘-ƒñßĺiÛµ°,p -z‹`r«§_Ø&py•éjžœ€A “Æ»ö •Ö®4:íµF(Oß9å6:ËP›"È©µªŠ+“½£Šp}Y|®¶o±û`˜*]ÞÇ&#ªŸÏ¿Ö©¾úʹ &Wì®2ƒÂ½ cøü®hð‡\E³µÿ1n£ÆQTò€«¨nîÖæÉö˃£_ƒß;êNB÷”È„¼è ›¸¡\dwݼª«ttÀ]ˆB³šÂ8•é”À| „¹„T`&ÔÎÁ/yÃ4Ç2ÙTF’Ïy¬«Éâ«S;¾°„ PåœD‹¾…Ä"v Èi<Zcóþ¨wßÎxË.'Y¡I¢÷9ëa¼æeÆ%Ý:§jgÙ½·¦E$Mh犯·ÖðÏú\‡åÓ«ÚÏ¡žØËxÈqñ\ßG2D•¥Ò‹?ô)Ò.I¶8-:zDNúÉhH/÷GG‘Œ¦diЦû‰Z«ÿE}‡ëO$î–~þ¬þ,¢WÏjã§‘hžŠðX –ªó)!>9çFé@RñáLt«Ð ‹&Y¹7ƒ½ƒQ´=Wý ™±ŒFS8F£qÁ걿lö×£éG+,ô›ò£ÏÓuc`b"!^9ø¦º~Ö‘txXBG…ëðg«p7¸š}G»OÎÑÚ>îNñ,¹]{¯ÖªkCü\¯®ÓçÓêSú|V}FŸ©þ…>¿©~CŸßV¿¥Ï¿VÿJŸ«þmˆ+J»Ys¶V[¯Žæ íŠ+2·xäSœ\ÌF\‚ 'JB» Ò»Ô)½Š]¼ж!¬m)Ð{^‘„è6áâø5`äôièño}ç9–Jn óäƒ8-õñÌŸE;5ÂI¬ýóL6ç.²Ž>oÖð\n2£&‘¢(Y!ˆGo*ܾÈF6ÕJÔëÕ®0aÈÀ 5dîå F:©ÁÑp=® "œùUø¶¦ Öž4¸Y˜­/›·µ/Ÿ¬_ãŸ^þ¼Ú@ëõ“­À/‚¾þ6"v†¼Ýö _( ŸªƒnDf× SÊk¸y©æzÉoÁú“µgµ'kµ'ßÖŸ<•Ê)L˜Aœ®ªñ`vyÉ» >‰vÍ0ÖX´«ºÄ]ûˤ?r¤Ü—¨Èù¹®~Žf—WIPÅHÚo'ýË«©ZÙªÐÓüù‹zVIÇ£‹é ®Ôh_q®a×\–âYIæK’pc,3SÌQ0°Y]¨B@ÅÙåA6¹Þ?à# ,·6 Ä8ʹ·}´õjsÿdó§Ý“_‘h½Ø9Ùß>>V/Ž`\7Nv¶^ïn©Ã×G‡ÇÛu®Yˆt›& À>ÎÌùŒÝñ`s6  Xˆ@:Ù­º-ûEJ´[êËý×ê% êí#ºj¨ð0!B<Æ'0 ‚ŽЇSâ¹ë•òTW!åaü yÊÁË&2놘À[3·ã¶†9¹Â`ˆúü!°ÓóXàÐõ Å/;'¯^Ÿ¨Íý_Õ/›GG0¿nš,IC’êÉã°/Ÿ3gJ'–h^s†ö‚&‡0b§¨ .ÿ “)‡ÙÂaè‰>Jù-¼‡g ÝÏ# àÅ Pµi•–õwWÓé¸ÙhÜÜÜÔ/‡³úhrÙpIã{jÌá€Ü @vÃ(%´BqÑœƒÔÅÀv^Â~üQ ©»è÷&º2‚xy8÷.¸=9¤ ƒ†Äçˆ[ìâ` oM˜GF²·6ê,Ý¢à™$Œ*É6¥‹/`“D²4ª½?(8l%ŽïhÄÑ^^HdRöä@@v©ó]•!V”¾4`ïòšj⯺1~i EHc:jà™½¬§þÖ˜R*Ÿ°®ÕŸXp`=:ÖŒwY«6P’ïÍ®¯oõU§¤µwœÌÂR;êu -ƒýw‚’„C°crœë`­a­&­ 5å–˜šUèŠsl9<þX‹q+lÛ”má dX|ö–—ÈQèïºÑÈ-óÂ;80—ÄÓï-)í¤†µ+‰âU«aäí0§ñä™ÃÊÔ&4uÆ»“˜GFxÎX…H)'´3è¾E÷ŒÝW‘å&X>& é–3Ú"ƒÀ½8aüU ”da—“‘ ·=#Þ&ôÂ37šH±6Ì#Æ^"ÁMŸxºùÜjÃ'q´6 šL»ŒyâJU¨¨BnÑSK{$ÔnQ!gñt±µŒ†C «Ö žò Æ,‡X:ès¬'Û©Mò­5¡a¨Iz÷#¢½ú5[cÑè&È#,ûµ¬/L¸ #-…[n<,"ØrgCæÑ¹3„Cm– `|`¹!HâÊ— ¬xS½Ñ ’i†]ˆ¬×Žü#BGB·ÆÁÊ Üë†(²cм=#Â8ñ§&ñÅ@‡” ·‰DµÂÁgºÐ³žWf¬… ¬ë ƒ3Ò·ÎÎÈÖ•˜hÜ6P¬Þæ¼,x£‹_¯©:uWA|}ŽhÄžb•#¡Ðå<-.cŸc6'† Ä/F1—ØPw|›¦†P Ûðe-jŽI€AÙ/J;ƒœQ¤Ý9öÔ ÒS32ܨ—hàZ¡Öyzpx²s°ÿ(;G»¿Bjcã*á(£ç'ÚKKÔ÷dÊÐÉp"‘iåôsW‡9×!“»(Hò6!öô>ó–Zƒ„'Òƒ±ï1¡sÚZ ’4¡i¯7ÌRû¥ Ytp¾–VFyvÌöŸp>Žz*!Ägì “Qe³·Tü,^×Î`¯ücpsi–ÔØ>h~Y­€a¡1jž–ÚZ 飯+¬ŠfNÿ㌠M),\b½©5ùÄ,ä&ocÓ$Þ¡7ÞavQÈZ(a%ünç¦ô‹¯Të!¨E M#áÍ?ŠÔìFp4é8Ž£Aï¥ìâÂ1O¥'b`2Øø—“˜ÕP|ážLh,^¹ÃDãHñæ ¢“çz‰5 8­àõ‡m¶¢4Ñ1œ¾3—u¨¶0¤KÉ_¡ À›‹Eƒ|8|”E ÖÇš(’ë.}#X‰Jˆ„Ïf¢uhOB‘HÐK${„=I€xEB›ñ‚dć!¹û›¸…,ú‰ÔGüK;£pwæ›êÀ›çqwéXŽ& ^¬‰º g ²†x$°9^¯Gu9™4ŠÏ´b¾Ý°ØôéÔ Ð.[nT‡lM¯þÞÁŸ š!¡W2M÷’"}™²ôªíOµÍ7†1‰QëN‡5âéÐ |Ç™FØSîEÀah8júH†K¿Ôd:5ÿ #58‹èì=%êå­‘ ¼øÌR®çèíIr' ä¤û/‡ª^G°j×£}××ÝX³>†Õ˜÷Q;U&„! ­[w[ '·óÐ¥OòèÞw.Ë(KüœÁFÚäº0n•UÂX¿#=û¾ÏQ¾»Í}>O '½/œÿrê ÊÙÀ­ë âi6†šÆ²0ÝÇ aeaŒØó<KƒÅIÅzÛT˜ˆX`Ýõô}[$©DZr8tŽ BÎÖ×b+=j¤½žSÔ~‡Æ½Ž®²ƒûø{ð*Pë=OÝ„>Ž4J/»©Ë%¥®onl,Æôü“ ÜàlÙeûtYmœj×gŒÅU»À¤öe˜²ÏbëdµùúCHL•r Ûa8ßá"£e9è¶nþ5ÉR½_d¡.³1Ó²e4#à)i0SÅcͨs7åýc†]®¬0!ƒ´Èæ_㽂ÑÑ23 ¦œIÜf½¯•vˆ€ª(\˜ZIÃË÷“ŽõÃ;Ä”ÃÁ´ýTJ·á̰ ÐPDýg7=•Æ-澜ª'DRÈ!Ð'hó‚ͤFcB9ñBè…tWK*d«È?[M<–}ïãc1ç§è"Mò6S¥'h칤£×B‡òà¤2-…/A*Šû/£¦NBÛïË‹ T—Z~nt¡É[õÙv¤‡5õ/=bNßS½>“!‘L׆Aéu ¡Øü¦³å³¶¯·þ€ýKÈ\-¤+ðv°ÔIÖ4ÑãvqÙ.H4DË5L³â5ð³Bâô¢3*g³Õaû^Ï»¨?EyHúâzð{ˆ£ÓÅ?`„¥0o3õPsÍB¾ˆÍ Ð5î飕’¤•lÀ'M"_½Æ/éÚ‚¼µHÎEnAÀ}.´‚¼ª•ºhÕ]ëýëzÃFhÓ4³Ñ¦­„¡ëHª@Í”hw22pÿ¨eôÊÃÉÖŒsݹzEÇôýùÑkµZWn]}Iß-ºäÕ3_ày>heP_Y,q É9…¿N]Ý9¯2¥gÖT¦¯þT yï4(­Ã 3ÞØdjJ·%UYÁk BDhydº€wò¹N>lAçnv¼šæÁ]¹×›·…^YŸûÐ`!$:¼Ñš«JºÐs®5ˆÉpÌî|á®(–}©Wš$!÷Ùå•+!— üŸøª?ò‹ÒÃ)Ì8ad_ + ß5ŒÆ#Ž*†i4³£¯†kqL«BØ^Ó˜­žxƨÚÂsL¡ÈD…”žŒP¬´,B!!=oJf"³s7ÇäT'¹0MX íœ6-²>3O= ÎV)G–›»åÿ œeÅç-cŸ²,¦¸‘Ë5Òç¦è9/ÑœIðê)åT=ŸJæ™VÉàVj=2š$ñ†|Uõ]I“lœoñ #“_s„ã,û5ÕS9Übëôz“œ5š ¨ÜÇòl€I̸‘1ö½pFüEâNj•vVºœ“8ÍÐñoÑ©ò-=ÒK%ðÔ8ùOì(w  Š>ŒÂe†WtŽûÝýY7ë)aò£fP×Y¢…,¿Ó¾áÈ\Þ¹¿ìJé!ÇÞ=Rx˧P$”,-åµÇiŒiÉ/EMÐÖ‚éÒÌõuŸ$\ra×3ïÒ8Nî¿9†øhÛ–ŠÄ'£Ã,ËpË9…—»ïÄB¡î Dv)sŠÊ‹œž±Íרz…³_Ø Úó:’=FrFì3«Æu󸺇nL™ì?×ÁÄQyl«Hýg‰×Ê´êû3]yh¹Úõvi¾þÁjv+i:¡LÙLœ'Ÿ8,Bº„ѹ«}¨xŒOӭט!TLÿµ‚›ªýÃ]íªâŽë;½’Pb÷ÒZr4MЂȀ3Œ 6YxÓC1ÛHèÞ Ò,-Õj«-«xq>À}ç(œ–Ò2q¶Îà* æNp^¦ fZŒ€?8Gùƒ’R¾™áý¥på> …û¸ǧPùöû–ñ‚*Jg¡®ÂJ…ÿ>Àÿû Yí_0fµZ%ÐèmTO‰™Ñ¸ylà&GaÖMn1m¨éRV%:×ñsŨ‡oære‘‡nç– T- _•;¡Ôñr"‰†(g.Z¸j±pʆKìÅ•B5xMŽþ²òó•Wé¶•ò[ÍY²Ñû˜±7'Ûi´ö7èo¼X,£ÂVH@_õÒ¿u°â’`†Y¿Ëh¨à¥ñˆév•DhÕeMR—9\ÖsçÍÍÊ.•?]-ØÇ_~ÙZ½/L4áDË«­{wLƒE’EKœŠ-;¨U0™r=°TW4=7:yVDb°eíâƒÆøèR¤bÎgý,¢z)ORú¬¡‘àÎ9ºsø£Áµ0\x6w´>w˜´?w¦ÀtC¨­öJÚRuDiµœÉÞà–å?~uptrpx²®Ij«û\z»{œ½q½JíywÇK;änûõ¡ܬþß`{ÙQ[|yã@ûç‡îç%ÃÁ¤Í8G¸¼ÿó÷Ëïë+u"½Zk°Pó÷Œ?H™|õ¹+Üd¶‹œþ4ÆÌIÖóçaVƒ5=ŸÉk }p˜öŽPwåO‡›/·jhÍ{ÏÎdx8›Çø•äíØGõÓíž±£ø}œ#ÔÍ™ tjˆÑ¬ß-A3´­ñκ€6>9²üÇñ† öq_Zº*-y‰ÿªïú‚œºR¦yV¯SØ<’*aÿļ¡ÓÚ¿ÅׇαâI(}àÀžsೕ­Jã‹suiCÄ7É Ü$h×_¸ƒ¹ï|OîÚC˜uçFQ^~«oi:u4ÞyþºjÃõ,n¨O^%þ4Ë dî7eúÒ®œª'µ¿UkoWOü…ót­ö··t֮ܵ×T{ÝÍ8Îijºy´'¿§?™õå4?üÏ…<)À9Iãš„+ˆ¾ áÀ+®?«Ú-Ew‘…0Žœ'mñMÄG–âÁ3¦[ßì;†³Õ.–Rc8UZ¼vµEsºó6`”l¤±L^MæQüx o‚É®G¹æŠG€”â\ÌÛèóº0}†Šª©@ùž|Øý¯›lˆßï›T.ÖøAàr ÎÁl{oOχç+HˆÌ¢›úb^ØP†ƒW•˜dgáAˆ´L0îY¶žs@ò€w€Ö½ßÈnêÄU¾ÃŠôföBN™6YË‘¹ŽÇêtïàùvM4¦pCÎx¤tþµZ—üÞSªrñ-íº>ñ–tx/èOùsa¸wZ8Ô¶0D/%-ÓLPʳq0CðÏYÝɇSž‡_È%×fѾOµÞl C8NØaaªAàñ { ö9»·âÞwûN ²¾ï—3×ëÁdŸF—­“Í—î`o &]üñ¢Ky <·]§ê´û®Óö?ã²—î»çx¦Žºñ ן5\þžx•4Ç$†°°­Ýí÷zˆÿ :ÊR‰–µ¶/qJ"f[£iîÀºƒ8zNý´,içY·L”ýzÖ2š˜à((1£Í™JýŽ $a1X¯ðjtþŸPŠ.‚½ÓlŒ¨Cn ²S£#èPîÀÆ!5‰´ö´dª ûpæ{AÃKƒ#%liݘÌN“„6dü6 ÅÇF{ôÜ{ψÜéÐ&Rß:9uÆÙЯR&ÀÖÇà‰Cݒ؇’>+ŽqóÞ !\(>¾ð=ÓÖ¾dâàO8|6UK¡C CÄ9:?Ÿ0Ü%åù%á+£ÁÐÌI!CŠ6±õyùgÄX¯FivÀ½°K>r5»T¢fóg- ì „Å#à-΂Me}‡j@s\¨½7ëj˜·’ +ø;À%0v7\’i üaá4qგ9*áxk:rǯ¶wwS{a¢”wO¶¶Ò/ÕÅ ºLšôòÅîæËcwùؼ˜û¹Z¹Î~†ŽÆ|í zæ’^¨¤Io<‡ý.y[ë}¬s­”7_Ÿìmþ}ÛµnqÙwÊÑ)T[û/.£tä`¥ÁL}_jÒV ö}½äô&oFHƒɦqþ’¡Ù4ò-<Öka‰0¯ ËxŠé!‘Ne0Z©ƒŸþïöÖImÞõN‰BfºÄvÒË>Va}0 Êõ£fJé¬ Ýž˜LJBØ X+i´Û¿]nÔ˘àã´Q­ä…<·ƒQ£ôYÑI¨›Ž*/pÊ®Ø!±‘;Ö¾„7÷ºŽ/6ü——a-߯KG¾ §hû48»;?ÁxÖŽjǯ¶¶éý„Q$<ŽƒBóu4yÏBaÏ”ÚÚ2p9N¯0ZÍË£íCØbv$—X)‡³_ÿþ«5¬V ×˜Ó|“ªã4e3¬ÝŸb ìˆK–Q ‰7†Z9»°Dÿiíf©C—[ ÑÐA"˜IÉN7 4Ú¨úB#i µ®ƒ$Keä¶¼'\€~32‚±ŽPÆ„ë@9âqÒÄ„²c\Îgúì0±5ÍbMg”•c.9%Ø¥C4kÉ7ßê_G†ƒÁÅ1¤µ—]uN¨ù‚ÐdakÂ6°Ý|óµ!©ÁÙ?7&õ7ó¦×Ï`ýu'# Ú¥å8¬4 %Œ–J>­,Ë[ŒæB² ²IŸ0|0S¨CEÝŒª/ðx ؇Þñ`3ÿ¼}t¼s°ïåÑ7¬^'0îo¥Ä-7Åø8ê»ï:»'íƒ%#7ñàKã~Â’P6ÆÅðŒºyU »ÅØ{ãx uíìªÁQÁOô0×Ý"dÛI¬µU] óU‡I¤»žI.,Ó0·0D4ê]Fh*¢GÀ[Äÿ‡Ê–åÍîýˆ™½ë Ý>pz¯¨Ì–ªºEËø.8¨¶PCþ®Q-n©[*´*ÓËÇÜÆBwŒ”÷vŽ÷6O¶^i~i§æ„“ ¾vÙÑÒÙȹ¦dæÝPÅܪÒW¨d}ЭŸÞ”Wo0ÇÖýÍÑS©ÈÕDz]óKßvuz³qo»R©éKžÑC8…ÑZ¬_$3:x¿wºü¼bdð‰V$_ŒFUFX‹\œÌ¯GîJîø“?è/þÿîâ‡êÑ·-óëá›”;ú ¿øþ»»x¨|¹ƒ™_¼\dÜñ'Ð_üÿÝõªFߘ̯uêwðþ»{pžéþf~yæ¦æNÓ_ä“?è/þÿîfÕk¯˜{Gd8ô@ œ0S†ú‚^^ye1?¯‡ íòJöÈåçÀq84sôÍL4ô‘ÃfŠþÜF~sÜ»´ÿ™¶ð äÄ8e³<à¼ñ(IÈlXˆ HèZÐNcWÅ5žã3A!ش⎾їa±×¶K׋Ù}ÿH>,<_eQúéøü¸“ÏÚÀgMÀöLüëë²ý^ºŸ‡<0Ï·3ÝúŒñÅü†eO¯fª@­9«8:­LK¥$JXɸ˜G(S…¸~âÎ ÜÌI†F ?YØTúM˜Êm¨üÑèC`–qF†{¡”uAжÁ1óÐä`—“XŸ”r’iºM'CøaoÅ›¼¶l ›ž•‘Çm¯Õssòj┊Ès·zÀ—ZY^ÔzbÍM:Ž‚}˜ƒ¨ð¸Í7xMüN¬ßüýçr‡ —ø £ É? ±ÆÃëø—6XL°æ7, Üõ'7ÌÌó“ÜüïÕitYQ=DË»9äpNÌâI«íƒ?êìtAQßž|ÊŸ7sKËjÓ‚Œ͹ïò ΚÃÒÒ|ô…%}¡~áÏÄ_ÈeY?›5÷ßܲKwþùè <€Ca›œÛ)š–üQ§/5xJ­¾}¢jÜÙžÎVT9œ·Ö-›EªÍ -´C“î#aƒì,o) pBÐ…«å‡–Õñh€Á¤×mø/4@«%ÈŽöSÆr©{ÙoÀ¶’«Ã¯àWkí›gY·Qb¾lêB.»]S$ÿ­?D 4ïÀ/*¤ßkýåoßþõ¯ú*¬{{yÓ®ª;µz 3wC߯7O×éK7†é["m§#ø¬85|ûBá'†dò,ÆÏ¼¾ ;hJFÒ¨ïÁHÆø£ä Ú^º£mê:·{÷„g/e¸§‹•QÎНñÊšéÆéÿd'Ò[þ´F›®WcÞµ‹ë Œ×Ý_\¼ûîÒyÉÍõxŽguž‘K@nòˆ×ÛýâN~߇ák4g ,Vâóh+C%3裻8íu’«IüqÚjeþ†[$i;™†„AÍZ)Öí$ìvëDÇ©’'ë©{ƒ­Â‰3ºT-™¤¯k\îÜàùüfð|T(u;èdÚŠp.ÔÚ÷_­—\&=…j‘Ö)ƒ4gÕel H\+¦ˆ† fµCƒžI ´Ï¦â-ª[^8ÁµŠÌnMï ƒm±»[®zi6m´ZÈ~àqGÙ|˜Gœf™ƒ ¨:Ò9F†««‰£ "ƒ;J”QÆ )±d--Kðh ­ P÷=¢vÄ–}T\ÙŒ¿’ø$Á¿=¼• ¹XÎISºŽ.ûÝVøå—_îm¾ÜÙ2vð ä—XûN‚í7Û~¢RƦ¶•¹u†£ª{Õÿ€è¾öPÂ~4hQñ¹ò1$±Cá¤cgƒHC4뀩8²¤?¥€ÄŒ7)®-cöô5•Á¶D#‡š6 “; çq_LÉñ ù>2Ϧ~Ä]’”KOÝU¥@Ø‚ó£#Cr`òáHLÆÄÉ£¡3®1  pKxn‚lî‰wqt‡tïâÖJÎO $%÷ìö˜9¿Õäœ †gÐŒ‹ ¤™P9†m¥¸c&9öO<ñêZ÷ªÏ¡_ÉÊ‘½ \¦kÃDþ¾Š&=Œö2˜%W„lÛCöbŽ¿Æƒ7žhȬ¼fvÌu“Xˆ¼[– ÛÒ¾úª¾q Ô÷Ê·q†`õ “˜Å¦ë/vv·M˜kRæ†õAºþl}+V·î749º¸p4t‹ ÏÉçÎÂ~õ•g&«gÿäž ¼š3®™Á™ 1<ÀŸ7FÃ"1¦<@äâöX¼òÈP#' 8¦€*Ä’rØ,ÕO$à)lá*G×c/•DÖ4C©w#Ä®ÖqPo`Ã]œÿ€“7ð“þe« "í2¢˜0›88B0±×q„†(U2ébuä º… ãK ®˜ôªºe>''a²±juÝ¢áÜhòž@ÜB¬Ï‰FQ‹¼u`&Ç,­Öpä vÈï‰ù$Jý廯ž¨ïð‘¶¡¢› .¬ƒújM­«§êYi©7bÄNDž¶I0èö’#Üç(N,-µ—Ûv¶a“¶•Ù¤«ªbZŒ£H¼ÀÙ.Öv‰dÝ%jí“ï¾ú 6¹æšez6™RXà.çéÍå I‡ço¡%-YlÔëÁ϶ó¡Í>˜v¦È‹,Ç9LÕw¿cÓ›Ú­wØ£FÊq*û׎–×^ßFÞOÔa‰VÞ•üjR8ƈóòcÒ”£ˆ9ʆõAƒÅµrq1#Æ9K–Øi™ŠM ŘˆW#]äÇ|ÆÒ¡™ Kæ‹ÆGb‚®uT×€V¾è3Ã`-O7¤`©²Ó—7ô@xñiHnf+ ÕÀÿë2B8ŒéuÂÉ]5ת3j¶5ofm |~^7€6Ð#5$ø‰©TÞßC‰É•”™;§xþ—ïŽâ-a¨ »ÒÜÍ¥A*T®Èµ$J[ztiáRj[ß)Èîn´Ï­ƒ½½ÍýçÇufáQBílí=ÇQ ÀÒ*3´Ä&ÏÆÖMÓ›ÄèЧP c!&>2‡ÃäÑò|Qʶ»ðµyþEB€„aþ¿¡ñÔ@xRT­¥4’±Ý¾%€vP†và%” PÃäwÑ­·3Â5ð/\£U m]vÉÔ DŸý àPpa»ûoúSJ¦6*OY× ý›Œ*‚"úNî œ°ðóÑôŠŸà¤à"ŸÄÒ4­£u‹©áKŠ>}l õ=—r!^Ï+O+Uj›«ÅÕõÊJm’QÕDµÇp’TÃHLªéƒDêÆ Þ™Eê•aœÖ98¤dl·W+KuÞJæYÂ'õ†ó,mòŒí¦2¹M&#hàáæÉ+ M<`l ,°ÊqêZ¸àð-Û"ëÉ9€m<¦h­‚‹&ººT Õ¹•K—çäcý4Àœd<6-Qx¦‰|+DBÌ+À!ôE ÖG•s zɨHõ˜›¡±M9Ð"^r7H4JL¬ÇSyNˆ ÃË–HIÞðçV%-3£ývÈè mz×ÔKí‡Õfà<òG×KÂã¼æf^‹Z0'¢T‡akÑ‘×äpdVáƒ5ÈÅFÞ„ô‡pÚàµa4¹¤¸¸!(ºÄ­é+‡Éù_Rñ ½ôŽ¢ñ<ð ¡&n¢•üÝ+ôàèGìÒBw¬9"HFÑAsD ŒØU×^·Ÿh¸jã8/p<È–è‡(OJqHf°V¶w eñ5äê|±Äúh@1&×*¼ìv)¶})50…ÄÈÓ?›±À<‰#ó¡¿€öÇðTÏ[[¬öìiôOâ'ZRÞÚ¢ãmÉ Ó©m>¬ur©¶ž b)âã‘HZgþ‰L ·¶ÎÒõÏK,IÎ<;´Ý«ªŸÑð}¢gGO2 ¤¹'-­ì±ÅÖÖ¡ÜdÓ¥™ŒÈ֖Їú“ÑÔΆ¥àxpúž‚@×AÓŠò®<ûz£{jߦµÝ2¤ó6­w[`jU:­ûƉNn†MÔž LÖqyëK)f>»n;ÚHÛ`™™B8ß©±þFÈ®Ùal0¨Ûû/R.üF«Ë_¬¼Ò\ׯ‡½÷~+§¼—\…Ÿõ{ÀçK4 Äv¹ŽRaãÁ„åßBôµ}À[“°Ï´õL‚Ÿ8p©hÿ™+®Ñ †«ÆNit‘+HòäoF›Œ}uO#E›Ôu ‹ìã%³—ÙÅKßÄVUÀ&¦pTK¿Ç,ýiÆŽÿÉ'Cx€þljÍIºDFß·ïÌÑV·©YÀ—()ÌÛî&NMNã û›~ÂvA60™£T#홨ֈù1î™Éw|ŸN²$ÖA$á¬ÏkfFÒwt}íb&'3ŒM@΢$L俘×9 TÔŒ%–†fÀ ªÃñÍîˆ×Ž%œ€Plôq¢0gÜVª÷»üe8êïyËvrð¬X)´bÍ`t9š%|ÔQ@¯*ÕqB¯¹”þ”©xˆXH#Æ8ê°GçYq3 SbÞ Íè=Öi_ÊÀÚay½¦]ä&Vš¾Ð~Œc>—浪§EUI’LeeÇ‚Ý5´ o¸ò'w0îOÔwßá]ܲ*»ÏU-æJ©Ë¬òáÑÁË£Í=ÆSÒ:óŠuåÃàÓ‡ì¼úü@íœÇ)hc}Ö~ 5 òFˆg_…á{}Í!7u\•û¸Ö„'=ÜÙ’ÖÕK¸öø{«l§"MŸl®üìd3òÀ–JÖÙ­¼÷3*;ü¡Cý‡ûDÛ0Ææcÿiµ¡lÂIMÂÑÚ-ïÕöîáö‘zñz A0ÕòçÔâÀ¢¹@7·IÜÁyèÜ¥ëLG›§ëj7™{¸³fÀÿdÓn;ß‹Õäh‹¯/ƒœµ`5»6+`øˆaÔÿwÐ%DhHtœ¥ÑÅ›eïr‰9Bd™^sü¥|j‹3ðjK¶0¡-Óï'´–ÌÉý}„Ö%³Ø:"´æ¢ÉØÅ„3Úd”Ðu_*(apÜ>ŽàèjJ•&Í 0 œè3QëþðéúãuzÎŒ¦iž¤$39æoÍ=F…Ž Òü`;‘¢%ïIͳA#çʃR–˜ì9EŠ|ãèo{”ˆE½´ÀË%ûËj6‡Z÷Í…ÒÐ&âHnŽÁ$÷ä(§ÖÜsø­ 6|ÓÜe-PÉEþe—»ðvÏ¥;Ùº‚<ËÚ…‰É\È”…Ç3 §²øT,ÞÖ"<×pázU°ñˆQÊ{Èÿ–ÑÌð|œn’C˜oY±Ùwã¹&¤1ÐZXâ;$±&j¨µß=élýú’é™1–“hÁ‰{we­’¢ÓÄRlñ%ùá$H®°À(Ca7®¬c [ÈÞñ¯Ç>K½eIüÊS·>~QW;CVkak ʬŠÑ.sÒ Ëê¢}'ö¸?ô†KOéJ8¦‹þœhFL®*B”¡Ë%VÚ®öG³„y¦ØX–¥Ù¡ Jýå̧+OS= *tcv‘,Ö|TjÈøèfIÍÈ ç6l-“ÑÔ±D> diäe¹ΉI!éQGF»Ó‘nÝšºWp,:"2›9OF4k #IáézÅ.z ‹¢Ï®^Ú<Ù[$©Ä0ã01ˆ—HIÞöÉ=`<ikr®}.üQË™,àmZÔÍ>ȾÂh>ñå²²æUè/sM @sè~,hbq2ÇcÂi¶®…1ö_ ÉX´7 gg˜vÔÉÛ\äUÁÎ!p\iyÜ&>{¹%‡yvU!cB›ÎÙc)¡VÉRgW¾Cž_«•\ضÎ$ºyF¯M2dá“&Q„T—0v¹O‹4¡u¶BÅ4]±DÉ'¾]reˆ0iœª·«åF#|@¤ðg¤ Ù)¢SeCü5ü³ž‚½¤ç+‘3]†…Öô‡ôÚž‚qØ—õ2Ó¹±†I†EÝŸª´øÊˆ`(V÷‡3 ªèÑEž‡ºáÐ,š.+`JŠÖ*©)vú6Ÿ* óøâåZ†ÈÚ"›d$DÖJ>W5áØ=¶¿Î„Ö Ål r §Ž÷1–„Á<ˆ{n ⻵‘ŽØ.«âòàHâ9£ÅªË¥­‡ìZ!ÊÂãùâè`¯ƒáxûP˜¯æ¹~˜ZKö=,(Mþ¿–¤ðÇ.'< [N<:Øï*íJ‚ÐU¸&Ñ9ó<ŒnÒ Î ‡ܳԂ{ú˜G¾h¸èD$_d½=ý³Ö›T¡R½NjyŒb1°zƒ€4âèzezÜDé'£q/@[­86hjèüV÷ÏUŠ"ùÅX]÷…ÁÔXÖ¼;(©'­ ¹+¯Ý•×·¼^èóÓ|ÍNQº¼ÊOó”9E;®`7Âa9œÒQ Û[lÿv‡úisëïøy´}¸«ŽvðèÝcÏ÷¤°Y¤æ™˜ $”†³ë»ZSƒhÒùP,L-ÍÈÛ*9­ÏÝ7lÆòŒÍXÊk:8Aþ¨–‹Þ¥ŒªÒÅ®ëb]q2o„pQd ´Š&/ÛÅϽ’*©é¡sEãÜÌüÎ+¼„ø0z/ò_Xö¨#r.p̆ÄèƒØCY8†U÷ŽâAå—é@æ–B»æhÀrÈtÝn ÷­Ïc&)ñÅ0˜Mœ×&á15w·lxÌÜvdÛ»Š³£)†âÎÚq“xý£«`Ý?µ»ù_Yú¸Nb)@§ŒàX/d¦Ý*uGû‘zwmý![&ädLR3_{“nðÿ˜:ßNþ£¨FÐÿÎk|ž:Ò›¿\TŽ¥á¿H™×¶ÿ™ëù‘Ì£t²„ùñŠÑœV9Í[óÍýŠo>Š(Òºº›b%ÿh…+©[™²ÿ1*×dz)U¹þ‹˜})€X~œ¥ù¼~5‡×—²õ¿¯ÿ9ÇÓÃ{ºÈ£èÿ;;£¨<ÐÁ Ó‹/:c2òʇÑü¥?ìnõ|wÖ ¤ xôßch x¸vY·Šñr!açùö‹Î!¾Òv•×ÏJ©‹·–Iüÿ‡‡–mÕß.©·«h¬nŸ6ÞµW6ê«íÊj¹Ñ ýäí•í7‡G'Çí»ÝŸŽ6~mWÚ+Xˆd€#ÉôOùªïºiKC"‚²È¶ÒƒáÄx ª)š\¢“UöÅœ@“/®…“²jU;s›P÷X’·¦ Åþɤ‹¯[eŽcƒ%«hpõx39þ×¢¬š%¹x1&³1*Ê@y'©‡¤øæÊ ŸàoˆT~ c< Z‡@a-“h¾ý¸ƒ;$¯À+‰«›(¦ µ¸bˆÃ¤*ˆR#N:¶¹FKÞ8H€¶¶¦AÆr¦´„NGPH Ë.-¥[½d#]a*˜¨Kƒ¨äçÐõ»yù·s³ÛÇSÒžËÖ€D‚2}%Ü¥Úˆàì"HhÄ-˜JYÈœÛÑ ÃQà€hôœ°6 9 ÆHV£a7&¼Óî >²]Z5˜"u§júópg»Rà ©gqœ4\U¶ÀŽ38ß¡,~4Ó†o°ˆ.â ÔåþÂ% O*Hª¡õ3¿ +(K“²{‹w8ÊÏôF£GU¼Á¡uû…Tâì§v9"·fVÞ«À]X­LŠâT£]°¦J°pÍãK‡¸O~éçxq†Àa¨ûŸpûüX“ìRÆ—»àÖ_Îo7²@ö\<»¬céVWíp:J||#j{=¨_»àÄ^RJoÝ,o•jqÐÒ°8‹—æƒä.ÀŸIN£4ôY&ºCJz#En“ :…I`ö˜¨šøbiºQO/GŽ/P^•™EÆÃoH ŒlBçHœr¬/i„3í6ê¬ój“ÜÂ8§×{ÉG§¢gŒA†Æ¢´Æ -JádÉôɲ\´ Ôê*†}M𙌆7un›Vˆ{ç©Qí­–ÍQQ*>"à·gŽ›!“tGh Ɔ~ÄUCß`—iåc Öç‡À— ÀØ÷C´ÉÄí¨''ô]Ö9‡Â'AuÝÍnή<äv)ô¾8œø‘Žz‚ 0“p¤õ€9Œ'ÚgS1j~,¡·–µÝ6áÌY_ÏÚˆôH_°JF£Cï#gR‘Ë„8ín½8î_\'£·‹sµõ"Dy†ÏsùLø3¹vRu¿þšžv»ôÑï󯆲¢oã1~üèä:½xñöôÉßÞþ@ïpiàçF¸ÊË}`#ñ3ùÈEÌäcì­”„#kæL;¹3CIrŒ¸ÝéÈšÁH‡E­l%ÊŽo´OIzõe—²°ÖL/KI²„J}éÕm[ÍõpL=þ :Ù6rØ@Ë +$õ!,;f—4†~n\;鬳SÂ¥˜HvK>h1yüž05ÁmeJ•ƒœt~A–'‚¦¸‘Ó[®ÉäÉ´57ZiQ°6µ²#ÜCuÐîÍœmV¥ ôIŽlî;“ Oßþ¿ËïV?Ýo|÷ýAˆÿ[R_­TîÎʧoC·Æ;ä Ê*-Àg¾^€ÆsPðW㊈bþ[àÁxÔÊ Q1¬åü?ijŠ~„’rC\°ìC{Ó˜€Rd©ä“uŸ¥$Ž?³O)]Þ‰“#.š’?gB”B04EFó7tR4lã„ÔYÈô¶hÐ`ÿò_ž ò'˜vVôrÎÍd#­ ÍÕ$ê¸BO &q4‘„Ä‘ñ¦&2!YÓÛ±ˆ°6ºjg”hÚb™š8¦:ŒéˆÃ–r0SM;ÍVDñèŽ(´Tç²^¹ˆ‘A¼_pÀØ1Ž´D½Ž§W£^‚tÐŽ]f||º…'®ØE 4"Œ‘9-¶#¼ º³†d6h„%ai_eÿÂâî"xRI·ÌÔŠÇ>ïµÜq0V»‘ß?ZÅMcÐÑ ß{Çαaòå»újãË/7Tòe»~ú®þvµüå—áY"lú”uß3·kK­ãÃôŠt*ÕB|⇤‰Žßå—¹Ýáô¡/ŤOl0pLIæBí€òbíŽü 1IœEÓè˜@×ÑûXxÀá{☢£>FtAdXF‚%³7::8ª:­!|Ž,§BÒ,!&¬Mãᩔؽ|Ø£À"RGCFŽKÈPÔ*Mn%àO"‡Ê+ÙM~,«×5°l×x¡SØA\êOµ—O èúÄßYÞž k]ÑÜ£zg:ãŠu ²–У:’@ Îy@ËOÈd2hÜ«¢û5œ‰Ã® àqr¡æ &K´â(Tù`˜”&j…–fí?+ÆsØø)²®d`‰âN¤K0ÑàZJ¯¹òÑž*Û3ɇÇͪœlN½íÎÕLh†h|﮹ÀÁé–ͯÚ/s:‰ÆÀÌ/q#'pHáüÖþR*åº}º=™ï#çi}‹ÜGçð|žî÷Ÿ~Iù¡xKN°fÍE[°a D€¶½ô7Þ æ°ª65P‰ I ŽÐþ¥ÜzŠX”Œ?ÔGè(YKçI¯sÕïÅ£YÒI®0²y+G0ñެ/¼³[Óa³Z>ç¦ÊzìeAÎD¯M:r–0p òé£üáò‚LÔh¾XxL%s˜Ì Ý â0Ý¢;pÕDÇ·\çb¼X#æ"ÀÓ8·‚&™ÀYHÔ#ZÄš']j;ªäÐ Õm›FrÃ'ÝżãC3.ifõ×bêÅΘ–sÆÉÔ,½Üÿž<ÿ OCjþ/ÊtuOŒ°¡mÌÒ‰ÃÔåH±a²ÞµîÝAnhz½k!Û}Ì+ràîÖTXºqÚÝL,Q!ë?BÒë´Ê?l¨&Êæ Ã&9Vx¸G:œŽÌsÑŸ$Swþ멞kúî^Θ¾¥oÃt8ÎÐg \áÐ9€Æ£¤u×z„/ƒÚJï<ât Ó.vå ¿nÚüÃás‰|Y_©ùgÆãÏÃ<¥û•'{Í!ó¹T~YËlY¢!"¢œúŒy«z}Íä,‹ÜJË©u,x°({°|ö¿§Éÿž&ÿå§Éï:){Pü¡çÄ"YŠ#ר;­ ­%•GôÕãëá`¤£#ä+]àÓdUóóY¥Ã’£™4»Ïâ²Á@¤%IÓõ{nš³Ž_omm£mine0¨š†c[0Ñ fÍ…ÊŸÖ¾FXеb_S‘Æ”ˆôJò£×O`Yß*JBQZÑÍW”y˜Y=Ö…êêíEKX“‰ÓïriéúqJ õž=ûgÈÇ+t'o:˜ „S/y%X¶yb/9ºƒ8Ú¶0m—‚×X_“ã·‘¢òôཥßÖëuU«‘¢“ò*˜¶Ó£½šóš‚ÐÖ륒˜dbkÛ>² N=¦ÛÓ~Ñ®NTÃbk :Ò±~¸E"M(͙ڭLoÇr[6ÎûÃÆä:¬ ùªn%Ã'‹‘Zzw…6aí"¬ˆš±•KðãhZ¸“üZtüUMfFÝf çƒQôºm-Q[Q§¨?=“X>®kšÄƒ ¬RÒ‰c34(È›I^Ì•Òç̤l„­ƒ½C¨º&1«1ÅñÁ룭m×Ò–¶»sM)Øh'3*ævÏKZþÙh$)×lŒÕŒ3$F¦¤‰}æèàõÉáë“j_ä._8!/‚Ž“ó:æJZ=jŽÈ\¶ ÷ðõl0í2ù¸É\3*±€žá 1l§êqÞJ™KÃt?^”Í%— öŸ´WsÝa}j«€>ÁyR‹ÅÞKb[•Ìe©SÐÈeÞ.æ—nõÅîæK[ ‰¢G¼q·âgmF–‡¿zx³hÆ“·AÙcà¨ÛC¨}Ø‹&½Ð‹ fÈ»ÅÛeH+*gÐ>1ñáÏoY¨‘ò"“í·-XDÍdvžLûÓÙTgÝÒ«n„Ø*Fx,¶^J]ßsš*$ŒÂÜÍ*QÙ?“ðJnZ^"$ü["¹›Ú¥—ÈîÝ6¶ë§."ßiZõ;vho€±È•ÞŸJLCýÑ6;)™,·QnýI,•» òãÑBSGÁÊÒÍm K(£%L±ñBV΃™¯©”ÅÅUâÊœØÀ(iÎàa2 ¢­íû“L¯ µ‹ x°%±®²LØ%ÃØ>”ôðàm¢ÅfÈ^ëÀ™;[J&¿'`ÿÜ3k–ä®· ˜‚äê3—gV§»;?=ß9âu¶%Î Ôd¾gk–´º´Ç3— Ãf¥¥³ÜÌ'6Êq¢Ãkê%#ãÁðÆ2ÔHçã YJ'ý@#.¡¥^ƒðD8µðÏ5Ø¡ÆÙ'ÙHýçŒdÓ!! Fôgù©?we>s”%·ÚÙ?>ÙÜÝuÎ`XÌòÎEsM¼!JeÓ •752„u¶™µê$&‡"ñžÇ%1›¥‘’B¬/ìŽClø+RÅQK7‡7TLìšØ n™Š` tlö?Ö`Q¨Ã# Çoj¸PpÂÜ߸Îñ´º$ªÅÑñåö‘[5A`dc™K»°#µaCÜmÃÛ"X+t6ÿtü¼†%DŽIO’æ# ø †|½Jî²Àcõ3×f…M³ÿwo5ìâSç¬ôׂø ¶­ã´rÂò«ø®$ÁP)@!†vvÝjý£ÜâëlY>ŠÆwïáØ¹Ž’9lX ÐnXO^kæ,&øæó@ÂHÁÒäÞ- µeuPz‚”µ5 a3â‘)ý\N ãQ’à’À¼ç¨ š¨ŸvöiÑ*c7d`žðhÀ¹±Do…¯Ûd_'ŒTR9ÿì´êhÁyX®h缩tf‚v×ÄWdOg<$aåÓ9)"‰òÚPÎmÊ‚;ÃÅ%I6]­Ë¾ü¤ó®‡ ª:t}>ÐfL;k0ŠàlëÈs,,þˆJªšž t›AÍ·ÎI ÄeüµÙC2|в^oÉWžVœòtþã_÷DÈþVœs0gL²³deðcì—-$U|m'ÉGu´ýrûÍçTAxꌲÎ%ÔvåL4ÿ’8šØ£W‰á,¯a–1 qçŸ;|í꜖ÁOÌÅÅ™ b§-5è´L^èe"’ÖE\SFTptjÜÍî²jç&±!ä0eÒR–*I.X÷pH ENêÅÝAÄ8S§‘FJrÏÂT¡Ë.ÂŒl)ÄÐ}j$mlÝÓb•@_ÉXË@ŠÑBzå‘g³eõ‚ÖôÁ-/Yï tðtR¤R²›Å•„‚¬ªƒãƺZBÏ..Hï0”ø‹ÇqR!´‹®5ªÿÁEËÁ±Y;ç Vyë¶4…_>ÚÞÝÞ<Þvi]÷=ê¨tŒö€>Éx(c>¢…ÎbgÝ"q=yì´ƒ@m3’_Îcß™³cqG§ê­·sÉa¤…€1†)‘#(Ѻv»2Ò7í[8ÒÇEoËLð.òøõ àT¨80&,I ¸)h%vTÓx˜È e¤÷ù§4Ç@ò›FEÖä~&kàšrK—s±†“­¶^m6¶ÞAŒÅÓææËí·osëÓËF†Å¢‡’NI™gD=±¨¤cå W»‰#dŒ~2”Ï£`Ç."‰æÉŸÎ@<àEÔU~5þjJ”¤õÀ1ˆ'5¡Ý´ XâÀ–È™•Q¦,^"'¢B¶¶übL!©"RmQ=}àcek«R*!z"“ £ø´Ì/a9€|j sËä°ÞCù Jº•Œ[]sñ&Ö\›µ‚„ñ‚è‡Ä­ÖQˆe–œsWoUjêÄÙH†ß½-¥xHq’qé8¡SꈟUWöMª%Úþ) nµBÚ®¨¢c¦š£¡*nDæB(­¤Oí*lqrM£ÐŽâ‹!)ûñ°ëF¤‡ä7>b¬Im/̈d»Qb6=Œ&r8‰†œЦ}Ï%¾šW=öê`Ûfòh£º !¢ú'? Y:E·r‘‘þd…!E¬"§v#wxxጆH¡à‡¹¡4V.ú¶´iî'ñuÔÜCºA"½û^ªo8›QýxD$^ß8š‹Pb³µêXoÑíÙB—zŽEºÛÏÎü^» Ô€<¬AÏÖ«å¤ñŽ÷cX IS5Æá¿´Å´ n·Î®éëëÆ»_H5£àK¸Qm¼;¢O¥¥W¥¥^Ê¥³üQ眻˜¦Zx=ôCÇ㮾ºwð|Û¼5#W_¢Õ^9}§Þ®¶+´ñUG¥p{u©x´ô¼3&ÑELÆË¦¿i¯MÝcdl‡™§ ¨QGqÔÓ7îU÷H€m‘k4>êPd÷–¶—ák4=XÖñûþ˜ûd˜•”îÙZsUÆ´„ì3ФÌZ§¤]NëèÛÄ ˆqˆÔKKÄ&'ÞÓl²¯Ì S¸—\ÇE3üŽ™¥B×F§·¸ZµÅ}fºîú¡"2h3õ%¶o´ÎN™‚æø,ÙR²„Äb!̺íãA€®c÷wZr§Æ9'­¹7…øRk¤†ÏÁ%íXJͪ¾/$ˆ/r„ÙŒ$Bü³ÈA±çotÀÏF¡À’J…/°ÝgÝO-¿ñMïÌ#S¸J9%½§žòo[ò(Ù±DŠqÍ'|*£CaöFÑû¨´Ëe/i;0ëA;®¸¯[˜*j¾í¼´Íœ:|ó.ë/½ÌQHèÄ}è+ZñæKø–ŽÈâÔ﨔 $_`EtÙ­Ußèˆy–6““³°s]ö»­2}ÇM¢Á}ï:Ù ÎDƒýæÕ5VFÒòN¥<&ÿ䨭ÆÁ€q`T”Ya«6zFô‹81ד}±ø²§‚=Ì]Ò>¦ÒÔ7Õž )b’"Õ –‚÷á|¡4¡Kw.K3KT¡E\7Ñ©iP¶V ,lDºµîþÏiiQƒ÷;{!ä,åêeþa²ØE±Åê8â+ |Ÿõ“¯ÌjÁ…czéo-IˆígÊgë¹Ø$ú7Ö˜»žg÷êí›Ôžo‹x _R;:g'/±Óª\y¤ÊM[Ëk÷A` ÁÈP‘¬egʉxÆ/«mni]}(={¨•f4 .dØ©—k’8ÒË`ŠåŠzsÿ%ýy½ùr[ínu6wwñcëä×Cú½u°»»yB_÷ ›ê؈(º•º¯8Ÿ•©Ì5| ï¾€Ð_¼ù·ÿ$)Ì•›sCßIÉo>î5ù^§À-Æ™÷ýÀ• ¼ƒc “Ò¨RWTö¸¯]¡îX›ßÆ%7öº3DJpít÷†¹Å#«ìÀó“€ÊÒRÚ÷ªÌ­hÀGmáÓë¸_üç” ÄÛhƧ£½û FÔ¡”A¾›…·ò˜€`sýIµuÑË·³¿8e0P0“ñÀ4<$Euxr-0}EL”.bû!4MÛÅY=ÍÍbA©bUhIú{)d5M„Ìç䵋ú›j´°Îº9”ŠšB'UÔöŠh#–öaù©B¿L3•Y™œÚšZ©ÖmqY 4¬a&9¾%»>4Â[ª)iÐê֡柳>œ~09¬Èºx‡ÖþWæ®X¯àäî/öñ¿›ÁKRH'1ô<(e‰V·ëšÙ³ ¯î'P7N±ÖbGÉ—hÞ9Í3bñ{Aa!ÙêÛH´U¹Û¯*£,#E¼c‘cŠîàü²´F‘öËLâÇå`Ò¥˜öÓ µQNèF H½Ù„‘Ä€ U.#´—B«†2•¢)›öEøoª eÁ‹†ÐÏæ²¥SˆÒÍe’Ð ÝW©M°Û"'Ë#Ú#Ã7¿5 .õÐæ¾ÃëÜo;8£¦mü¢%f!Ì<úq{Nî6yšU^³ó^Æ4¡Ü¼«¹Þ¾¬œÑ„)íJÅÒ$WM6óc:ÖO¦ B„2%Ö²¹éXXï…jÄÓncЫ'£:"îåÌÓ5ûÓ¦Ê 3uÓn÷v¨ ußÕÁ„JE½Q—˜>÷2$ Ô'ð´ 8ñ™“Ñ’$ëõÓo¾ýëßÞÞ™ßk§Oj{KP¯Ü‚ô-^UéëPÚÕ½•µJUu'ƒ¾°Ávpå¯xs?I%°EÑÕ¾h¸ÖÕÇÕ’W¸ò‹Ìh þø@æ*ß?’Žp sd+IQ$Zéë¶Œl¥_Ì¿H‚› Ì‹;IrECh€zYt·Ö(£ Z*é 6F­ÄÆê×µdØ?©øPAùøÕöînÀ~æ"®sA/éŠ]Fľ+)AW‘¦¿Ü íŃ&LÌmdJÊ•- ðp’­rŽÕŠjnl(ø¸ˆ€‘†¯f9x:œ<¬ß¾ì›’ÆûN4P­`¼a¦ÃxMßC^õ/¦Õ‹[¦›Ë¹ï³|à#%ö¯AÆd³°0ZˇG$< °±ËCzëgÞ°pVœiw¼ì–a½{A,ñ wnOÛí¶j¼íŽÛ8õ:YwÜjºŠ]÷-<¸`Çù8Ô{Ísh;ŽŸŽŸÛ[rvƒbÓ¸dª1õ±h6`ÚäÂH·¼N#”£<¡k jã_!Ä÷µ¼Žï°Yi¬·òNNlS®B„mQÅ)@nÃÆ3f¶¹vIKÔy@¶½Š4ÞéÚE…$›²onìM¥Õ"4\¡§ð­]">‚S'™M‚Ðøzˆø™WTÃ&¥×ß¹ð!½Å)‰Q \$mí¤ˆ÷¦¸ |I ó;"š~÷ÚMôÞQôXh‹UfÅLb~:N ¯¹üÓ Ë蛜™LÝ‘]£Ÿçâ“y„@=H Ò, †¿pó*^æAìå—EZbUföÜíÍc,Œl¨Inà–n–ÓÜR™mÆtÆ‘Î88«6È‘ ó“É‚JëçìÛü™È¯Â'8ù“f•Q¤0úMîoŠT™¿åR@w\‡|ùR)&Ô1À¹iP¤„-´¨qРЀžŽ‘vco"g%ƒx$ã á”’´* Ažu÷ìñS!½bõÍ\¼ºR£ugöte¸r„ä›Ë2úíÍ&¥‹tüâj¼ÅËíÓÍÚ?¢Úoo›ü¤’ÅÌwM¸¤±¨•ò¯Ë—›ßŠk­%í8‡ôHdXS ¾qBudµ]9ÜØcÌ¡˜&H1 (h*•5P`ÿ{u1›Î&Zé!Ï$†‰ÿ°`¤íu²h]æ¼>×ì õ…ñÇ©6T×F–в?‡×ñI°íƒ|½ïý;ÚÓ¥, êÒ¦r‚ˆ‡ÏZ™„Ú¨ŽÆ§+¶¤ÓavD­‹¾·þ¬[°ì !7L$°ˆ²mfElÙAyÊé²Iè׫Ö«€w÷I8]&¯®FÒÓF3|#ÃØí»šÐ:—Gu§iþxTË2Ys6ǪÃ̱IËXêY{OÞˆö¨Þ b§¨‚‘±hÔë¨=R+²”·U!lòž:KT*„b“F´Ž8Tñ-úsZ»TæX¹aÍ•™—yQê裩 g5g¯É!49‡$±®YæžÇ• î6Ç ‘]ì F\*êAËl07ºþ1в%ŽQá‘5³SËÞÜÙ'_þ˜ªãÇ/3Àéæâz]RF²ÿcj•B‰¤(¸r§âqwÌÔ V`¶:™Ó°pR9ƒ Û¡” _ øjÙ?X‹üóøbd.ÍðTnuÉà:¶ê·Dëß2vÒÃèOšq\ÊÄ»¤è(ewâ¡Qr‰ŒÆÏu ß;=&°ÔMŽO:Ëý‰Ð‡’m<©ãÙq]üî±\çr܈<ÙM™¥nÃÈ6L³Ít!ª#;]„Ô­ø)Ës$¹¡P–æFBÑ!P–,¥«•ÌÈ ªGÝS¯~ÀG•>¬ì ³ò@ÑÏ,ZÿöV…ÎÒ7ÑS42ÉX»3£SåN€7î²­Ê_ä˜'>­’=kC¯ vÛç ü\Rיȋl0Tµ„óNÀg V¾0 C}‚ɼ¼šÊ¹¥è"œEˆ¸½œí ¥Žùj‹¯! ƒ[€(òëTµ‹ª.‡cïDøÔj`„š˜\ãèR¥Õ|µ?|¯·˜2!"Í!£_3°©¿²—ô•3+Ýž•è0(ž*ïîwŽÉÖÆ,"S*p2¬©y„JÊ’“~CÝÃÿ+nì0v¦µÐøe–2× )W|ÄB£5*e#™D7wþT–ÏBee={³nö:Ìí2 j-™Þú¾Õ&®±.ÑêD¬ñ<‡,Ô)¨Õß L9c”›Ä_‰šØbùÎ×Gfý°t9¿‰Ê¶„Õ“®DÌA¬¥*Ž‹.Þ‘]".:"RtÎo ¤½Í׆h'½€|Ý<;ò äf^åôC[†%ßz=56àzž2™U‰Åh„7sEgrð½”@”T²Ê÷&žðŽ•”uy€¤™HŽ—áYªVkžl´/LcŠv‡ã/BþâWâ15æà±ÆX0hy€î ßl笮ù‹‹‘ÊÄã<±çô½IJ-T®æÅVX²÷ϺþÀ»C,åJe—L˜hîå†Ðdé@üœ-®ýJXÿšÆH× QZÛ¯sÛ+ú ÂÑØ,= v“A?žhµ6ά ì2wtªlÒ@`“ò—Ò ½fÕªšé8Bbª€ÝBüuŽPܘ%ÒšhY–Pµ¯cÝbx oo¢[Í6¸ŒpÕa"Ò%®V5_Q±Z<ìSÓ—¸„Õjº ײábFï]™¤”T>×Iì¾a—$½Wê¶Á“ð2o>çà«í,ƒ0WthkÍ&È 4í\±)È''ÚNŠÇÏn†|_k'¬º{ymuŽ/\¾H ч°À8â53$§Q¤£ë˜Âœë¸Æƒž¯n¢méÔŸŠ4Êé 4ª‡ï‘ ÃæïÊŠ|2]º~GÆÍsLÉÕÛ¢<›ÑÝfêuS©²Ó·Ò¬G䣔|N—SÚ<¬}žF/ÏŠn˜¹2ÎZ¼9<×ñõ9ßuâêö ÆØ~>UX˜gú–ºO_eM™ôèÞ½3c|áí/hjÚº#€J2U¤½°C6÷ÂS—5fA‡0LRe…i3©ß}dz[Oâï$Çý@‹‚}N^H&ýKÔ:`è~·3.¡ÛOò¥ ÁZpî¬Â¿üÉu\çêPD¤,â5£Hp¯‡t{ ®o;.ß¶fšV·Êëú!µ¿Uþô´Füñ½yN—ölõò»ÌÙ黨öÛfíè)óe‡X2)‚ÛÙÊY‰½ JÙŽuм w<¸˜ã•½¿—¢—ƒÑ9ÈbÜÜúûæËíŠ*ÿ¼}„pʧ´Ü¿èŪÓ鎳ÿ+1@¸j[í¤•e´Œ¸ ”JŽw:PäV§ƒë|eeÅülµÔ³ =”G{;ûGðâ{|QÁѱ‰¿ÇG¥åñ$º¼ŽÔË­-ÕëG—C<°º„ªÔ~Á´‹¦ £é1’v`Zþ;šHôFLLn‡] ªxƒb¸è<ê×Ϫj0½ŽúCüì°‡^ýJÔ–°ð1" ‰×Ï_vöŸ®c³mÏ·~} O¡ýîSJ×ùekô|ódSõ1®åT¶àóÝÝ„\³¨8BB2Á„=ìÞ¡Ú"Ë*Cý‚×jPU­F –A/LRî…xáÆ÷q”[wG©vO:ÏwÝëlìŸÀ¼ %¶žl9ÿ¢ÜÂv~€¸CÒˆznó =™ÑÊåÁ:”¼åRìr“DÇ'GÛÿ±’¬UU²^Q+°º×cXt z4®À³ ®º'Z Û>¶½À`KCq#¹xиiÚ%×ÔL_Yø$^KÀ†,ÈÇ~žTÞ¨¼KE‘–qëG¹=lªekþ¨B"D¬´ŠMÑJltc¼¿ ê²6î²ÕÖÙ·dtÉÞLæ\„ q€¢ªã£ñp}×"àM =ßß]?><ÓÊ>]I¦h«ëËãåu²‡¸y[€N9»p8åøÚò°°áײ{|Âþž*ÌŠÝÎÌêûï¡:š.Ûèâ¼Ó1þØÌgìž‘óUfuûåÑö¡ª}PZIT)f58 ã$L•AáUåù:Ú‹”ˆ4)’Ž="(/ŸÑò¸¨¬?´éphk8¥«ØÄ‘àzãž ^±”ò#ñæuÏ•a5>R>0"Ätøzý 40ŒVØxçîør£Òã¤ñ®¾ªÚ+uÔý ¤Ë8TAø?Š©þ˜ÑL]üß•¹þÁolF¥*d,Cš´ýæðàèäêÏá[œ‘¢„ù…E:Ó`ÜP¸ä Y/9ZŽ' Ieúé. Tvt©PÛú*¬S¶¹³÷ ¦0mô8µ¼;_õ#Å[;—ŒS¯Ó ¸ÜILJS²JVÝ„½ ³}²Š(k¬sôj'n1n{©­gæ~-Ý0<®ÝŒ¶e{pX5(Ìü¹roÁ™bEDÌ ¼xgÐÕ#l½cH†*¾Oo­ý¢µp6 Êi¦5‹KšŸ#JJÖ\®Ò¿ÐÚ?áà¤"› ûÿœõ/n5"=ssuiqÙ4„µ½s,OÕÞ«§ê;;GÎt­ÿÕšîá’IœÂæ¥ç_¯Ûåk«À6:=vG«™# ìäÏ¥/ò‹—Õé¯6X ]ÔA‰l!Ùr™c«ý†²Î¨±ªöö·Õ*“»9ÙÓîXVU¢ÔhÕøWä­¶Lë™X‹tT’¦zj¾ï¸î)Ô§ïT‘³:‘²Æc\vZ¥+ê/vÚµ)\=kQEŒ:íd:™u§l‡”8®VÉÉž§¸õz@8’Ò=*…©nlî†Ö‚§t”nšü [¾’ºïìž¼ÉÆx=}»ÁJFg¨;*ÞÈ.6*â§@í'E6‚ÙMWð7ß¼Íi³Z•±k©…Z…‚×ʆŒqí{vRùúkþÍZ…OZÇwoújÃìùÒàª7HøWí R1¥Ê<@»Vxb*ªýÕW w9í,°òE¦ù÷èY0ã°"T«ôI}j§./ÛAÕvþÉ}õ]4 ëûqgçäG¯ž¯ì Âíä6­¯ëµZ[­]À³ó¤·^_½s~>­?ñ~ǃ |$›*ÑèE7¿ö<» 5ò{5ž}\¸´ ½©ËÚăBý<˜}¾gét å¯ÅªBÆ¿SåÝ“- {¬U„:Þ‡îLjbw¡?w¶ ð0¼jÐÏ1Õ¼F‰¨Àá tØ>²s²’]k‡?#ÏRè°«èÉÖVÙ¯¼ÖET0t­þœ†¨œ;ˆž%G%L¹sma¨@mÖg¼ tðØ¥|öqQÔ4×ð˜ÇÎ÷“Àç=±6úŒ³ÍE¿k¢÷N¦AÇ£4øž¼½R-ÉЈçÞ^2i}¬nbžI *²Ýã8Eúì}lê…‡ªÜ†ýñËëRe;_j¤¶ÃÏVš~óÇÕjå“ßÙã?£?™2™ÁsNœ?¸Í|‹-qó 1³®=³áû!Z $³ dÐŒµoÊ0È3vŒ I•X.GxN‘™%štDb0Eâ^¿‡&+=Ýït^Ÿ1B؉‰×ÍÆèQ€{*«Š1%‰†Ô‘¢ëþÛl0иõ •;—ϘNeGÿKëäóæ1§(6öƒM 7Hf:—ÃJÉ|¹±yô²$Ài0„=tG‰…‡K˜[ø-žŒÈ¹u–¨•“£×p,¿¶Œ9ÙÁòåþk4ÓŸMûƒDf}M}]q‹Šކ^©/6w¡XZ,:s,f¾Qgžfoía‹î¢Z¦×còý=U¬àÃϕȮg…µb¡Zé\ÅQ¯#{Ojë¼ýºsõÞVïòvúHï*e2u­¡ ÛäLòuòGÎñPíÿ)Së6óO›Y[É2±<¯ý×»»=¼«î<ß>Þ:Ú9<98š7k^;ÜIã;SxÁšJËZŠrba(Ô'¡í BÉÂÒ2†ÃŽ)ôõ`D†)—£JW˜wõÆ}•Íþˆƒ7s‡óõ*J$>y$áð°1 ì9T£I-êÃ8š†Âoi™E4Л ¨Iež „A4BÚCŠ·%zÚ'ãþÔšÀV;¥‡¸ä´|¾y¦Î3$ï¦>r™ñÉ]%NÆÉ–ãȼ†MÐ.F¯¶«Êk®‚'¹3/9Û¯F“¶†l˶õ´o.†„}Œx,¯‰øf|üë7º IÈ6Ðt4ºÕP©] Ìnn‹( oU)F§±Š/'ðmMI]¨OCz]ÁCÃ;[¯¶·þÞÙÛ|¹ƒ¡îN^<7ðü´îË?ýßç¯÷ÈvFɢ΅kOþú×&ð;]^Q+㸿Zë?ýë7+õUê×èÙ$n*|Xùán×¢ÉuíÝÈð Oí›g Ø*r¬¾‡×@!¡—èTi ¿÷Žk +'¨XŸê<:C䎕õÅç ¦*-iŽšçrxkH¦ØÀ¸ïR>R†Wz,[r =ãy²S2%À_Õ6¸}º³½Øú‹yÚµêÚ“'ŸJKK µ£0„:=Mî@fçnÝÉ£±|þ>åN꽕óg¸;‡Zl§… …弨npá÷åßü|¼‚l«Ä©€w@²Í/ Þ»ÑbÐ><§h)H5†,š6U@=õz)=‚÷ŽÛ:,F[n·Õ,äAÙ} q>ä­ù-¿4‡˜.$9è $žóbgþÒ¢)nÞšvM¶‚ãÛ[Òº@)h)%ɨÛ'¹Ý(é}¶«Äó`gøaôžÝp‡ZÓ¦´¹ $oáQ¢Ð hO‹ìÊ`ôIí k‹#ÖóF*÷ð™[°0<'»ªVë#v&5v%pžM8{pª@æ Σ.zLÃ<ÞÞ:Ù9Øïìoîmcì üLh*QôLYJ 3)'c;ûðòŒ~wòñPhúÓ“/-­SK½>@“%€X½vüåoðÄ“ïßVÈ Æ¥´¬!]t«ÙƒLlêEÕJþd 9ÈãÇUnw¯FIî§ ¾¨#õÒâS•»rà˜ì^éx—VÈ[[,*¦=¨Ñ+0‰yª({P^rNj¾k¼ÛÝA`WèºÎe¯9AØl|2’ï!A\G¦£© Ècñ„q q•’5Ú9ÞÆµàßÞæÑßñ³!/ÆÚ[îÂL¸ !7Œ‘2Rk/Z!Œ†—:ø³§ÊFp®"±–HGƒ›è6Áûxä ‰c¡4š§KêíªË¯ŒãÓþÛö§êZû¾ÖàÆ4Þí MïNß5ß®6å ,¢!Y[Èh…•èŒ^OÇ%/Ä(:TrÏh‘ ðÂ1Û)¨Þþôìiû¾ñ…®øšcMbô ’˜m1ô[üò9¸O¶œÄÔÝÕÜAhfùÿŽ€`êIÆ #ÓPt ¨!Ócñ[ã0“˜JŠIõ]±‹¶¼|¥½eýÇçòÙtž}4 §=l4.ÓqZ§WzðM:¿âF&‡ŽžÐMYºAž4ÃÒ6eœ¶ëª=}»ZvòâÌêÞÕÑ>þNæbG7boCÞUbµasCh˜ªAt¢1(‰\@×Ù‰$bÇ“¬$”ÐõÎÄF±Êqwé”f‘óâ$z¬a"kiªs×Õ«x6é£3[_ã%¯ÉM`£DòK7x ¡¤Cózv)i©OçVa=T+ò°ŠwRȇ¨:„g{¾ a Ñ¡sX:¯ ®WÄÝ‹Á‡ð# &{z¯HO>>}²®ý1 ·fµ}X ‰¿7ÔM¢KÅKŠ R&Åãõ£®a ô·ƒÀ$‰iqB"cÉ£ƒ w`y·V™DhÙ„ÃRÖK¾­á»v½ÑÛÀÝŠŸÿ g DÍó/gâ´j©ˆ»è³Ëz²’@ø!tÀÓ~}¨FÐâ³l‡°ù7äíÜäÿi!5#:Òï²Ò*ÖÔ,0yŸÏ‚.Φ„š× …#•¨çs…i¯™×IÍ^áý+šúÛÔDÓ«z¨Ê’V“ë}&{¤ ;š¼â(#f”Š’ \@jNH¸þå57΋óR£Š¬y^ðÚt0‚~£¥Ô§›€˜kž’ ÒLºì:¾+iE<ÐÓÆ¤ƒ¡=ÁÕ²u캫”Á;l‹üõÉ>÷¹É"ºEfL;* ²j='4tX ^B·ËþàÑ5ôæ‘ú¨ÚA;Û¿vPa´dDGÍ@«üÂ13~šîʆ@c`Šð÷ vzü2u¹=D#4l=ÅGI·Y~²(•Ú¬›¶H­¸U7s£"yWr‚ZJDaý.Ùwè#µ©RÃÛÈi–s”Ùúd†ý>eƒ(†4“n"—‘ÚxL…".… ±/з¸¥ÄÍc~DçÎB÷3E’–¬2lF‘+!Í)»<×ÓÈRFi©8Š’nˆIÎ7¿æùÙø¦w4ôë 7*mÚ=G'–׺çóüÁ$MgfZ¢NW¸O›NßmôL™½¸gçÏØO•M‰hBeL|áÔ¦ÁÉ™ÄpŽÔ׊¢¤ŸK›)—ãZc[;˜fʪ¥Çòdü÷s¢De»Ñ òúf»äŽ,l³:6‘ñtý#Yer8fGžž¨6k½h"(f¾£à¶u,Ë ”•ÐÙü«7bSø[\T….Ë Q‹WJvž_!ô”n7ù¬³eŽ“Eƨ¥Ûä¼êÎ&^Y_2¯„Àɉ‰lÉ…0À6? ìî¨b»g O;\ÐĦsïø)î@ œÅgãs¯NϨ&Ý ÇËà^˜ ÎX&ÈÜg™"Zy åœá!8Ïk‘>ðÕ*òz”ªÜpž#¥K%ÜpÂøKx6„3¤V.7òZRsK1.+2+¸½jTMà.QhnŠ %Ñë}V“‹˜¸€IrþïË g¾nIq‡$¼ŸCÏÖ/qùðªªËÑtŠ àé4&çÍíšoQ"ÃBèGgïIé^ÀÌâÍóìÜÔíÕúHÕX’­ìÃyêÄ©"õ¥uN4¼ÍY¦âVæIÒʬfërí·Ø]Î^ éžH@§4Ófa¾ gm 2™YÐnW`’;yº¡bt ‹¤6¹0í6gUi*¤lÜz*Â!"yëÙœHò•òVÊ,­kï&Ós£[¼²<¦Æáß‚²ýû&ÌœGfu‰ åC /5‰)tÊ<¦TKN+<^÷º?íh˜êSŒ®>½åKxã`¡§ ¬1*ì´7BÇ4—ã|aDPtfŽØŽCc.¡ wdqåV„\ž#±–r¾õ3ÈÊ üjƒ HÑGÚao'ëJí!ƒp°¿û+¡=14yõr)º³„øG´,>_¹lT¤†3Òðy1°áx?KÐÓþõAb6Ī”Á̉ûËÑæááöQ‡Íe:?mïì¿<îììwð2cç2yÒâM£÷؃ ‚tJ m²x€ ²?Bua’Ì®Ýpµ&ºÚ ‡`³•)¡zõ“ÇÄ['–­b¥¸¹ClÔj%Ô^Eú£‰–wܵB²ÎRæ9b8®¡0SŽîÑ›“yˆviù ÅØ¸ôÄVÕ‚VHÙ–Z`$jg- ó£À×Ìe¡®R#= Dñyl×­ÀzöDwŠRZNL/7nŸ£6LõKTÀÃñú vRP( ÑSr1'è0‚è³ º/º_l:l3Ú=b¹=€¤x݈+fvžLûSA·#Íw<'!±7R“Ñ9n´† ǵÃußSÌeÔ„â¢¹Ž§‘½báB°‡P..B`â?Äz€å\#„ìžÜ€<‰G#£fS{Za9õ$Äöþ«ŸF³Éñ¢iÕ’¿ŠŠOÿ8~Õ‘ ý6ã}›P"V—c±U ¼[•²iàš´mí=§PÍËêÉ•zZÿH7%ÏàSÀßÈ©ú1Àþ£@hŠçØ”ÛÁ}åÊî•AhxÃ)°qÜËY]â–~ÞO8L/)á|†¥ìhÐ~·v©B¯Ô°ÊWÔÙ@/áœRû—»?uŽ_ÿt|Rm ]í³$KµQÅåúÛgÈ>¬’ œ‚Mj66ø€ºè—~rtüªõq|ùlC®?ƒáÆ;™Ì¾yVzþzswkóx»µfRéG’nïïÇ8°²Å^Ö^¿QïaTqDŽwÞˆ]‰½˜}ˆ§ÕÂ@t”˜eëùáæÉ+"a—ae6Ä>ðÓÌ$ã"p”J)lùv€½”ô¾Œ‡ú“ÑðÚC-éé § CÃÑÃ]„GGݬKœ¨ÜÉm ‰‡üìBF… " >>ø²W™9ppqÎ Aé:êNFú7.—tÌŒ0A"Ô‹gYý‚ {ÁíL,äñ$ÔXÕàÍ8‘m¦á|Ý,‘tpn¬X釯FÖÃñEîxr;f|ÒDðO¬ÇŠø‘2pˆ‡€›óOeç&HÌ7áŒÓM0g8’å(^=ŠøàÁ…sF Oº_ÑéYè¥ï¾ëìž`­íƒ¥vy­äüÆë,lõúM]j¬‚‡&þÃ’y¡ß•K¼$Nˆ ³A?e ¬•¨b‚(0Óä^ɹRU+ç>|èV ¸ã¿É%dnð ÔÐñƒÌÉÔ°¼TÃ9 ðN¼‡«ÕÖ(Âp¥[¡s’î;5:TP« ¦µ²¯Pl`‰¿k\±Õ³¡Ä#"«Þv¨!d±Qp{1þ¬èÃ'‹ VNoFú– Î…4µ€´±Ø^ÈÆf×ãG] ÂÓµc(qÜwZ %ƳÓT)›ÚR˜"©m4vÊ9kª-LTù óŒU÷¢U¡ê·Ž~ÍÜò5¹Å ˾U¿3zft)æ@:М'-ØJ%e”ËM†²””VòÁ›•^´­´³£TQé6¬i­mzä¬À„¾Ùð¼ó¼Õ>jÑÞP5NÛ)ÕÑ»7 ÷eƒb3”¿ü2lŸ™b…¶pA\Ð×¼²1 ¥iG=Ó¶ŸÝ6eã6 É€ #××°ß_´“ŽTO|ÛFEGØ4mz=„#qt9ìÿFè³JVqžàÔÚ÷_­û5¬åZOj¹PÌ;$Än„s`}ÑÀåú:îõi±7KžŽÐ.³ <ÚM„±íFUhÊ÷f»¼»³¿½ÿÿgïÏÚ¸²„q¸ÿEŸ¢"«[@ؼ‡Ä“„ilüÜIƸåB* bI¥TI,‰=Ÿý=Û]ë–$lwú™y;3mJUw¿çž{ös¸Ub+t3#åËóJãl–mžð+dʇ¯pˆ‡EôüÈŤD˜3à}Gp`Ò³h¹[Eaƒ˜/Õ$)ïÅž7K¿ë¼òÇœ'ô^ÐçIïÝô•&×PíêµnøÍVD¯à—×ñé[ »òȯ‡ú‚FÚbZ³]TkÜCcQP¦ì„ì²°pMg2è>¶ìøêµ²hHuÅ$$H¡%ÓØðŸÈ!nïÇtÐmQcfâ+Ñõž10=ª¤ÃÎ%^ 6 ?bÖhÙqΘ^ÿkÈø‡« Án (g: QWtà´PÓFÙ5-€ú÷­Åê¿t!VçXßÖ[-‚ž\q:×iFSJq‚ïQÕgQ ÌÚÉ.<:E(”›Ó†TúäFWÅÒr[FTŸ¸×Räá;ezáÆ*ú8úêªÚíšb™Þö‹¨ÕïƇ¦®¨‘k}­®Žx„¬·Q×Ñ*qI"4×¼Oeâb‚ÄùI1"[ŒRD³Ð(ÉÍŽEšÙ½Œ‡‰=›w¼9U™Œ»xcFé{GáèLi Á¯Í–­ÄNAï­SÙ†v»„<¯ËÚþ7;uñ\²¼‹¦ÃÙûi¨ºW§jm³æ `»nÂby[˜ËdÚÕözÄå“O9ó‘]!Ìp;fI­E]ôz2€YÍÈé¸ÅÌŽMq¹ì´ÅäZßnzPâ±¶æüŽ®{z©kÊ듺QâpBÔRÜe‹LÊ¡I`H‰Ï—ÂhÂÔ³ÒâpÍ×ÿ(䣣É4hFÞöx†0á‚•Q|F‰KlÄÆ1;"üÄcëö¼qaðYpMÙïƒYœ —V65sg z߆[¥i"Í  Â%üó&krZ¯Õ¼ÂUdÄ{ñÏüÃ>Të½q5Ýa½o·Ožqîâúo§oŸD§Š ±øQ9§_/èêIôA–Æ•v6ZV)7!̵çÐŽž-Þó¿Ãr øFr¨yu'ÏC•AH¶ -3S§ƒtbF „#&ݤ(”Q«G†úBU?I“û]¢œ ;ƒR4¿:‰rq¥%5¦„Ò:dÁ6aâ[¨œ÷‚Ã!{™˜0:g¨V%ü¸ö5’/°æ ôÖÝ­£'â&4e;q3µ‡nàì9o扫Kðw4¬à<•ÃÄ-ãÔOçé8ê¡#i‚úg4²ÅfLhõ6å î7Ú(¿²l„†aD¯Iˆ°Q®Ýã  dþ/£cM“ܳÿ0÷¹Be$!$‚WU*:lÂ(ô(¾À–øJâû}3Ì0ÒS)eÜ%ˆh^š Ò™e¬ÃFš ¬ÛnWÀ³ÑçºÎOºÇŠÔNèÙw®â\ÖŽE¨èvQÂÛ¦8æ ËÓL†l í$Rsö¾¡Â¶“Ï^•YGùRÐ:ÀäÝÆkâ`½B±¹éä´á~U8Ø2Ü,ΟT(žÓ'¥´âýlØbeéŠý²@W9aV‡£{ŽD$'ŠmlßwÉáqttjô‚ã¶IÔ†2XÝÚBzuUÒ¢ZóX:‘>9tW… 9ŠM˜ye!­ §à ³¸P/ÝeÇðÙ6«¥‘ªå™ 1÷¨4:À mÅÞk×Ê̼ä9nðKÓ¸ÏPu›½×œXì<‰¥¨’9âöéöÚÁ޶?Q’I/ÙTsrev£DG»!}¿À2œ§ÉÑ·®Q„6,c§ÈÑ®_³ž„ P>5µ²y‹1µš3 ]*Ì\Pµ:ÓÐŵr©¾~°& 5`”`O’ …ì:¬UÙvÀrÞ͸k|ãNm?·uwlYwX³»»…GÍoâ±¼ZÃU_Pzˆ¯¿®Ãïº/úüxM%Lö·ÎîÑIçxo÷ÕÑ^çÅaçÙÞË£½Ý“=Z Mz/RHóèkdw³öå7î+ô¬¡w~ºÏ… ™—°HBzo¥}ÉP§_ÃÅ =yeq8CÕ¬DOUiÑuÍo4’ùøÓÀ®eÝÒ¼Û¹ïâ¢Hò±_U™î».Œº¯ ½•;ïÇ}¯±Ûb½rðíÇeÞs2í< á–Ûyq¼¯œE)·"&‡üá§Í Z3µŒÐéþîI«Â{Ôu0)Æð*Z´ƒx/=±VÕMdhmD¸Qn…Xt÷;í®˜ö±oݵýðQi<+‘û ÊYC„õqGIAÁÊ$ÙnS.O+½%^±(ЏTAbØ9ÐÒ(ìþ"ŒòR—Ì >:ò`}0À3ÜÁóº{ Åð5=˜÷Àýw¯áC‡ÌY:µ}æÃqgÿçWÇGQö~ÞÛ-m  ÿ¾áVC•Ôøqç{€¿Nö^üüüþðåÞ‹ÎOßEõë³zž[·í=Còºó|çg']&¾„wÖG§yxƒ_ö^kÙŸK™8U¡õµûö€†x„pÏÜw6^Dk©™’?½tK S’`ÚZ¦ŸíÁ2¿Ü9Ú99´ Øy5W›æ­Žõm«NbHîúüøÙá±—Ûµóì¿~xù’_"¹k>o” ë·$u#BvŽ9>Ù{^ ˆ¢Ê“ìlà%šgg(ÒÓ¦Á}ª¾;e§ÿSÔ|Òô¯¤ðbS3ÒÊþqÇù(îú.çÓCW„™p½ÁÛ¹aƒ-žÖ+Z¥äÁÁO Ì#L3©èTÏ/°Nf8îGw†î7kŠ¥åõæ8£0 k¡võ4áªîŸÉÎaç»ý;G¿XÄ—zeKuïÿü|çààpw‰‰$È%$Ø"½A­Ä .ð†¾.GEú{’Ó÷%Ü ÕF_Dâ4YB ß?èü ;®¼û#Âàäê瓈þF@T<‰>@Ù¢&ZD"Ã>º˜ƒaï»W?ˆ`_ÅÉÇÛÕÁdM²­?<þ¼öDOݾ¼•ܶ£ºPâ-¡¨u…ÝQro€*êMFó‚°V£ôë•éŒiŸå¡ê8“sXÆzIÎI4ŽE?ƒ‰n ý6:•ï””1ëÂð/´HÙ*P¹ç”EœŒú¡r(öQU»XVÊu/4Iœ^PÏÖû÷x¤*xáNPJ«Ì&´Qlé¶ŠÂÆÞNŠòâ|ŒWð^µÚ!çìù[ |ù"Q­89d²!‰Zݬ,ËI J…u—=É1:í7d›§—ªa‚ØzXC·*9(‰%Ÿý>îõxÆã¬­LF=`æp;eЏz$^u Kq‡êükyÄY~;Å(¾*ÀXF+ÐÀC¤)‹x¯ÂÂgbó-Ž#šÐ)濎î»9ç1A=Ê ½ôô_G– rL$‹xÿ¶s•)eÌ€fK10‰K8Šv:ñóʾ:‹‹åÀ7YÍ 4c/YÄACZ&)Çy…íª»èã»ñ}ó# ë¶]šÚ‹ög bÝdÁ*v&Zp1À8uLb[µ£USCV‚oÄüŒ¯ ¶üU›XZl »Ot‰1àE䘷¬rÐÒd*QýU%“É„Î{Ɇ³WŒÆ®“£~ÒGdR‰¯RzòˆM%hÒtå¢EŠeäÒ¶*³…:B®«º+Šæ\¢C›Ü%ê ó ½< FùqÄ9m®P"N°¨%Gï –°™>?† Ç{|tK"ê!ô(³öŒÈÔ°”ÝÔ…70pqOCu‡IGYóùy‚ù™9(ÜòªžYw{MçžK‰–R¸¦iG£ôË/%ï\­”fŽV)…Î\0®dá[BH›n'ƒ‘ 1PkáÑ¢ë pjõɳŒõ‰ ½oå8$“p‘U-®¯hnké  ù/×y,D%¢‡{_¢š£háôPÇŽçnæ²HVêòl8N‡“dF»XfÉøØB¼Fà !|åî•§‘®V ÷"Õf­pTœŠI#1Ôõ2 ð™D‡,ŠÏpÓÐôÕi‡#.Š×FÁ“¦jËcL±t(âUÛ¯d%p³õŠJRLõŠÃvt¨.¬ˆ…m Ò‹K‰Üʱ¹ú)¬‡ÛÔºW6ö½‚Ëï꣩mya WÊeF ]Pññ…,Z3`ªùf¿ïµ%©çéTaì˜Â\¥“*-šõSíy%P_2‡C€fQCIoÕBæ{ýå—‚ÀÞÀñÒhÜmñC­¢<ú²öiø“ºÆÝD£8Êm;rÉ&£Ö…ƒñV–GésÔÅÔÒŽ™Þ1ÃúÒ“°ÂoÎŽñb_Š´¹ÿ_ hsEý¦…ºK;öEª³_ò%hÓ°Þ%á‰Ý=â>·‚SšfAIÙ…: ÃUOâ3­ú ‘|z™*†[¹Z>ì dMÍÔ¢~퉶Ztq‰)x™(NÌ"ÝÁèN(\ ­ÝhxãlXi߬Vî°¦ZÞRZ%¸=g´s-Ü<'_…e!müÆgÛRH"fîš5Ì<Œža…tûýdXq(¢/U¶)U™úrð¿ªê4(â@ÔuX4ÃY©>ãX“ÙØ…MÇ•%VëUPm3‘]‘¼#Ìrä"ó@”@ïôÄÂs|våþô¶Sæé_#¨ýâðDªKʹï"³‰w¦(Mn*ÞyvXÙÞd©«ºov} ×Àá°f¿9Ge} R.-“8ö)N¬“3ƼØRh™½@Ð]ŽFLQ‰žhq=àÒ]æîÒ¡Öti mÍ Ž -,cæjS‘z*›³—çŽ ~0”’âý*8¿JLSËý+±D,ECcªr«c¨81@:¾Š†]^EWÁëX\•~ü÷¨¸ä ðêiÔíÈ— .ºâÏ%"fyÉδAµIÂl‚Ýã¼b`%~Xò¶‹–$yIµVa½¬d˜…1ÅFžÒ6Åf6¡Ò[¯TIƒâËIW¼ù+bª¤;ñEø+Þ—æ½DÌbÁ­ssh-–]‚1µ»¬±ØEÉÒÊ’—»ŒDÈ¿öÞ8!AÊ*—Ь Ð]0ÆB ë#‰¥~UÎw€AtÈ'-.Ðä9éRœL› h#kó”Uò)">”T.E\ŽNçeç§ý“•ÈÅŽŠLd¥Ëz4÷ÁmnG­uwÑñôÅiŸ9s€Õœ,4j4üè¼t†CŸëFÙKX§uØ­ziÏÜ9éíC:ŒxÐE2>\ZÒ|´®H ªp£¼Ã© CiÉÇ»É[éacg#¬q¥¶¡;–ŨND—VŠ!cÂÝÅ9¹:+!ý ýA)ùk!-?‰¤ù;Þ‹üøMв%ïxÉA2@oºäæ0@g‘€Ln@ƒRmšmL*I œo5Mf$ÏzNBÔIm"ãpï¢H½Ú’ÛüƒkAQ›f·À"{ÏÈá‰kÞ1ÅŠ€ÿø]:ŠPG)ŽÔÅ;f·RL— õȾŒ¤`‚¢q±Ó"î.c˜êdX¤Ø`‰ª"ñ†jLz^ƒ‡®¹ÕäÝ¡¦¿ÜŽ6Œ½ˆ`H:ì135ËüÿUH»õÍœ¢E^E2Xmà[Ì óÕ s˜YÐÊÂÖLºc6‹,Æw¸,ü–ôq/óóƦÁpÍ8WhºËQåþЧi$Öª$ p‘ùé¿€2¿!SbncèÁõ ž¬>á—2}¯í ß+Ä%·ZAíõa:þ ÔI³ÌZh-¥ÍÚ“OYV¯¿íªNYTuuȤØ>VŠZK­Wµ´Ò°úKXûÙt'ΖŽ‰$ñ6 ªFóʱ;Ò¹‹YnÚ'RÖ%÷ S‹ô9KVÕá+V}¦ÜpH|¤„Ih}ˆ‹ƒ¾ˆ¡-gf2Énä° èj.* ÐW‡¢Í(Øp ¨ô¢ƒ¹»ž(æ“t£gÔzÑ:‰=2!)ªÜÒkË0‚?¾`—¤l”Ð,›h çJoÂó¥Zˆ%sˆ•¬K F D—­·ÍÓµ¦ ¬"á¦åØQã¸ÝßúFëS/©] pºúé¡õ?tòx½„6WoLçŒ&,ˆ„UeÔ²É$]áêŸÙåÍiÒèêuØ>Ë÷‡5=Rì-Ì1‡…9'`í”3‰…Š,|˜Ïp®ÞŠ’ ò žhd_H@/m±×öéT¿@i(l^›è*]ªD7`æPQO”',q~šnöïèçBñÁdoã@•ÐBÞ =32%àiá/²Æh[«»ß4Ý+Ç]»Šíþ†-=Á²Ño¸V $žÑûâòo¸ŸPUVH¡&‘.UFÐb+-Y(Ùà6¶ Ž0Љ¿±÷›,XóçæèšYXà´ÆÈoÊ »¦¨;ÉQÃo……€µ^€ü‡R£Ë aÉèZ˜Ù˜A!K3Ì¿l‘º%¨ñsðZ5·¢t&¼TІ7òÍ9n2BO¤ªª»Ru ÕBbÖ•d@¸Õ&ÕÖM”û|-_Þ(I“Ðä~;Ћ5Œ•ÈB*µ´2|’­›cbŸ2­‘TLiÞ ÍšÎ\Xn¡ÅU"jNÃmÌ"‘ŒEŸ\‚í3S(Œòﺣ->¯ø®’Ê©ÎE„^‘&æ; ŸåxÌ`Þ«ƒó|Ì!˜ïL?wÿÚ|pRuVÞæc˜ò¹¬î¾´|¨Ž^üÝ4¨/tK°~OÝÆf€¢´¨Æ7%Ž%lg“ ŽÈÞ¢e5Å«F/D¯HÈ-p0R$º¾°+ÝYdh$S´GÚÏQÇ« ËP5_L•t 3ô™Cru+”#+ßßdóÄ[T¬Éú×üëÛ[šuFì[÷ ‘þg‚ƒ8_Çy¯€˜ .‰‡dDDƒ³]_FáånI¿FkñMTÚÅ/’ˆÑ’"úF­–¦‰îºk zM˜Ê¢àNé㨟œerå5‚?¬;‚ò@ãû鱉›mÄØ+î¢4”㚦†¦“4&¯´<0dgæ§d’¢Ì8(›aÂ9¯4MY+²©‹Å*r©È Ç•d±Rey"ÞJ}opß|>?,ºb¢œz&Ò­ÈùvFSÚO¬÷PÔz<°sQÁ_*Î-ZØ×¨¦éx|ùõ6Övûý’Þ#¡,ã*YGÒ´°I8 8G ÈÞÂÁ§'J‚\ûd'6ÇLq„öE…Õ²;F/E窿bÜ(á¯Åþ?ОÕÔJÄãÀ1hL ²ÒÍ¥ (2ëoÒÅU©3–·›ArgÑzIa6EJ¢VˆŽ£ÄÆåÀÀ&äí=)¼UÁ‘*ÜRåÛ…It™ ×—^Î/ï´Õ‚?ÓVl…’ÐÜÊ ¢;Œ™’*÷Óf+;ÙRkÞ–\¼Øß–ðú×7¸ˆ°v~¤g t™öFíý¼Òù~gÿàÕÑž»"õïwNvêåùkpñ޵ Ç;G³J `Vë‹Xr©>­­ cžÝØbA´ ¼…Vë‹T~©­›ûÂ]ï»øòéÞó™éÖ).%€AÛVÔÖáßjù(U‘Hµ.:­ü*„ŠÒ@nò¸ßlþ“¹Ì Ý8€‹dؽå0M_X•ï£1¾Mi*ÿ?1‘§åâ%"ºnѶö`anmVdQDܪҠ¸]{\‰b( usäø\oӵǣ±ÇIW„ÄÁ /ñãW»»{ÇÇF@¥Ö]uû8Ò/Ás‡ŸÁ•Órƒ&×\Cݦ e«Iï–ã…6Ÿ=~Ϫ÷Ä­ƒñÊÂ]H§¼ªâ—~¯Š/T+¯fr/°lÊÔJ†,Yꘆ0ú¶âXÎìÜm!Ü«L¼b¤BbáòbÓrÝ£EfX``a§rô½;šòºYÂ[0=¿ÕëìÖŠ˜øiÈK€œØ}oõ`>ëÞI)Ûº]XhiiE¥EYÓ›„¬œå¯iù‹QË`ù£Õ¾×4Ræ0^S#Ò)Ž?Àd½ºâk(ØZSáŠcеZJz¢iTà­‹Œ¡¢<2Áoþ‡p»›cøGƒ›êæÿ¸}âvœÞæ1œBîK¶w"o-ZèŠÄøÊ2ƒýẒÅÓâyñ¼ÈÆ’ RÞšˆ‰°é¸HúçT‘~K¸]Øê$‡‚yVza껇Ï_îíÖµÁ%c*FïâÑá±xªì¿øþ0ºz]µ{×ð’S“íϳc8‚xø8t‰SÞÆà?$c©´w³ø·+û6ùRTÌû=äÁ¡Î˃“ïžsx¡Î‹}ÿÙôȲIT™yþÖyåöá8$qÍuÉOóV$ âΣca®èd'”°5Ŧ–Të»”<÷%[†ÁÖDÑO Û0R¾2·5èoØMÐFrsïYc~Šw§ˆ¬ü‹˜#‹{nžŽ›l ÿÖ›Ñ"Z\áŽ7¿nÒ°šß4—PØ׈òâÀê@\Ò¦µ¢cJVA)Àâ3 k¨à¡‡¶y˜kb¯äÖÆÞrØÁ˜‹ex¡MAq8ä¢Å$§Ø©¼Zœ’™8`xêmÉ«aRt㺧څ¨ØÞS±Úq@Ò€Òœ~%ççp@0Å©8öÅc7!¥´·¥)«©Ð²1®§¸ã™%—AÚ9oŒ '07½L²äª>ìÎÆòðËu“b“L7L+±ÓÚÑf!ƒ†óVZ2«ª&¦i}éLT§§üâÔ~£ÞáK´ PÄ0IkOúþÎAg÷Ç£ã¨~Z?=N×ÖÖáð¿Møß}øßøßCøß£Óµõ5ø|_‡ïëð}¾¯Ã÷uø¾ß7àû|߀ïð}¾oÀ÷ ø¾ß7áû&|ß„ï›ð}¾oÂ÷Mø¾ù¨^ßÎîžÝ¿ydâ_›bż¹ÞòtaaËü$U–»pÆV¬VŸW\7IWMþçdCL®oìä(œÞu•¶_[„ˆÞpþ…Ó6þá4®ë{ÉãýåD]ÏÂt˜n‚ï”^| è óç²™%TgÏ'5‹‡áä#f1µ5(kôÔucf@Ƥ‰ÑYþNµµ:K¾1r‰œR"GoOiHƒî’%Q]°©Õ Žo´Å %¬4Èà‰X£˜Eá7lß@Ñá^­÷£'¤ áæYÁ„v ŠQïpìÙˆêk~ùåm~Q0YMÁ – œ QºQA6®ŽáTƪµÈ´SuܨÚ—ÛΨ¾´ô=ÎÜ&ÐSÚ°jZÅDýš¬(E¦Î98$,à¬uPBµù¨ˆ²©¼?w؃åÑ—_F´`ÿ²]`ô~e[êíר¼ѯÈ7ÁŸVK™’¨Â¶8–ò¾û§í ž{iF–½7)Bîdœ‰¨(ëÖð§‹{üw•onYm)®J[í Ño[?K(Á7ʇ ¥½Í‹ÙœHe°åèo0Z§” C ½W £’aúÌZ±úÏÓÅöé¾:ýpºíåÓ¥ÕÓõÓÚéÆjí¾Ÿ.¾ä ¾==]_½€W x®ò·žß@•öò*Êî'p¯æ^¯¯À˜ž¬ŽjµgÍÊñü?pέ)1ÙUÀök$Ë;)Æ.3§íý€©_ó ÝðK¢jp!ôZZA²9¶·«—£$ž#òw€©Uµ-‰Ý`É8ˆ–5)‰8]Š×Î_'¬__ûí­Î^Ä}-£¤ZFç¼èìTCôô øz)ƽN|–ÂÛ/¾ `ó»€Ô¢“÷#ยãW/¢ÝÝhçû“½£¨¶8BÅ^b!È_¢½Ÿ_î¼x¶÷ì‹/(-ýU’c†'.GçýøÓHö‘ˆ‡åÜùn_çIç‚×Éò0Ë% L%”hG;¯œ ™¤¥äœbo0[íþüó÷;?K8{wv3¿^ž™I „3pû"ª/¿_>ZÐê6ÐY¯×Z_½¡N#øe¼ÛP {ssŸÊ;¯û¸Iø^I“xœ“"ÑcÝfnŽ×ieá,šM6é0z[Ǽ¾.VFPÎî©Bø¼7¹>ÕÑõæÆò´ÄŸ”EŽ·@µàˆ|èE££4*¸ý*rŠRȬXfî¡O1‡Ü§0æ@¢U)d”€>Wcøº±d‡EÁpü¦’ ŒQåEç­'»¸(Ixë₎r3ÎcÝB3M(ö“r&O‡Wç|lë¢x¦ƒ 2ÙòâÖêoßïÿü|o 8chj<J"ê±Ît=Ê3X¡Aa2HrÎpžã)Ðm©`2¼Œt´.côÊRFÄœ3 %bm0ð°º 2ð•=½Jå‚ y0w:ÐðßÔ‡ÙõŠ•¶GHÝHk˜µL¯ÙÐÉbN;Mž®%-}“[$9nš™NEY2l–5À¸Šó4é­Xáb$‰¢?lµþú—Ž‹†Í™%u2@•‹UìÛa6”x^ä[Ô<²]—/Qã)óá‚qjB—qùÿ£S“PtÒu,„‹•ȹ޸ ÄÅåÑ Nn¬—’pËb±tÐ!ž²ŽÇWé~£ªb@úˆÀ‚£Û "÷<ì9„²L¡V$²¡r9o4Ý$x3©ø”ˆ| (òÕ(±Æ®mD¼f° xŒ•ð¡%FÑÏöxË,ÝÓÃW'/_<­ûE}Ì/«A´Ô7ԷиÜðp.˜ ª!¡EÞ2„ª7ä&F‡Oc™$“LcD|Ûa»BŠ2lÞ׫püËs”ô<­—K‡Â+®†-üIb0÷’¢ºÝ‘ýk÷3Ì3/÷-ǧÅa UÁTŸ@t·E´ÙM–ÜÖÃŒ.¦Î¼ØÕŠd0‚õ+´ÜÐ¥ÝÁ(d퉻+*„¶é Âl ÆCg(º/Ê$u½Š¯j:À˜3›5Á´ÿ5³_.M}ê¼m°QEë#›ÒˆÝÂzIòs“¯ 9“7#8|~< ]C•Ö–Ñ Yž1‹Ìb2$4±¸Ÿ•²>õ\Ë`˜ì Ièñ™øá<:Ãè,™ÃåDUFK/ÎQ³dâ«£«!싯–aå·ûcÝ* Ÿ¨ŸÚû¢ë–êÔ‰)GÒ«Àä¿HtÆhRBÒ/ôò‚f›­Íªœ¬Åï1Aâñ3WkÐï_ ¨ê½h·cxaµg¢êààÏ•”iE¢Ò¡ÔA,AziÑó ¹‰f‹ŒxûU¤`’Wô2¹°YQŒ“Q{êÐ[£©·Kk)`´ÏS_¡*ãBO8"o2ÈñÐD’÷-ʽë U§þVh±¬v/pÞT;tg§}I´¯~Ãm£îøN%Ï(å(Ï¢]3ÅvÑŒ¤?‰˜$l sMÿ–Óê*‘ªlÔ?4²~Œ€ÉÁÎÈ[ŽÃ×¢¿¬ËéÃÑÃР·î:°ð–徜”Tˆvåv)\n‡Êøš¯nO^ 4mgTh•øÛßB%¼vô¼¢Î–Ž"Ú’å[v®nyÜpFCàœ2ý ¦º˜Æ}ª2ê¾å¨%n{•Wš5y]Tý‚å]^ˆúÒ¢ÝóÀMŠ4Ç"UR ¡²Ún‡æê”÷xg.HúF?îíþ=BÁr„:DTûÀ¥`ˆ+:¥í(jE<ˆ½•®&s„})ä)íl¿,åm?1|aú5_^C³‚fô;ÑËý]§MAX¨9Âe™óò"¶ÜFËÐ]}`?Â=œÅPî¾4StØÃKhè µ4}Oä‡Ëà ÜÙÒ«ÆdÎ^Óbz£•}ZXа­y;3do^Ôбåe[ÊÓ2—[X±(1K¼é†Uá5ôsוQä¥>ž÷¢C´-Tipáó5G½ü¶•O†1 :ð “79ð1?>–1Waä(šŠ“¥v?ÛÈÔíÄ¥*Õ¶.­Ú¨„Ë`É9ÏÝ]wA)î5•oD¡¼%EŒ¦ÛiÏC î~ª'ý,ØŒG¹u"ÝÈÀtÏ­ÒYP„ÖtjOKè‰Ú³ö3iX-·7¬CP”?³!‘Ñ/qF–×·f×’ø7ãuÁ–£ŒÆŽ)Õqü¯OOWß Ê÷õNë¿ãÖïo¶øÍ’ÇZ–÷ƒÌ{up¸Zäùl§í¨‡¸?…år‰'`Q…%âuÃ=1Ó©Ù e*aA²ªÂ'Ô1¨qÀKz¸ùˆ.n¦÷¡e¦á+.s÷ˆI"9>P›R’“i‹ÍŽW6qÓí²®ÔŽ­—SLd½B(*¦»œ.¾ ·\™‚å9È(–þßÞç]àëþÝ'a×™5»¬?>ø"‡¦ÎѤ JŸÖgS”<ÏJ\I°0+ %Aþ5œ£¸šW)Ä œ©ŠŽ¢ôedBÒKöÜ¥À½dŒkÛs,o©ÓyÖ9P Ñ„Y¹'Ú:ºE¨ÓXbÀ¤µÁ »[0ËNó@·;Ê0$ùÎ'cL&T[ÜÍ~ÃMö}!­dQ `œóHQ0Ùä<&­€3BTÙ·DeãsUø$» ÎL Ü tøWEQföTQaè*ËB!·¸aµ‚5X¸×iëÉÿJâ×i5•qË{ÿMK‘ ºÂDCÎ>2¹`Ary' bÇ—˜1 ¸@Òk‹1áWt˜¾‹æÔÀ~öçñÏžl‹VSd£µuyÚoy¸S Ù–ˆREý¢¢2-–"¶,h±„‹áŠ÷(Ô£Šííÿ,8—,©rbÔŠ¨u°ó⇭åxØ?>ÙZ&o£ÖÁ‹Ã­eÝ &öƒEBsµDé<!£¹7ç“>;Zeì ÄŠ@òQj¨i 9õ†þYÞZÖêx4ë\t»«F,<ÌVQ*œæé ’aæÇZ±Æ¼ˆ^•3 Ûàâ`§,Œç鈙ÖA=j65çâ0©nYFUC*lëB=³¶óä·IJZâv–Œ¯“d5[â7×XoÖg± Dþ•F’8¬Ëò`ÍÐÿ° 9ë_a<²"ϲqåœj †Åóêhæk*éÍ€l4îút²›÷ZÀ>ßv{(þJ9³0™[-زO.FO«Dd•½„½°3:Ãù*fûâ5f1>µïAOHgö²4Ã:ÙRZø’´ßg§ÀKU6ÅQ¡f¼ZãîÒ"$Ñ)’ü*Q%9ý­9ѹ?é¡O¢„T3KY™æ®?.SÕÀ›íj‹CôWã…¨{¬ÇšÛ†tØ4Ö¬³ÁŸbÈ+0#ªî·½Ý\‰az³X^…a5–W¡Ôró­^¶-/;³Ò×·°þ–a–¶¶–<£A, 8IOÈh‹¸¥º»\³ú6ó™>Sn¾‘˜òõ€â²}ö——ì ¶ß5—ª¾óáõ t×–”…wØë³$+ìÍ–×—qún¢øwº ¤ó;éÜœ4ÚÅc8ÀePVÄ‹q“îåÒí³€Û{ªè!´x€Ú*;†-¥æ|ž'‰õ³—ÇÙ𼫗*Ä~a†ú,£»\!S7êMÎ7ŠcE‰"¾Åƒ˜¿ýQƒÌáYO‚UÀëí×këoôXޤ¬ ÞtÖ6¤â¸,dþ1Á[¤TI‚¯—u4ÂÓw²èf›í«j¬ðûÁÕC³b»È"ž{§Óߎ’Z€“«ûíɵ†g|£ûÇÄ3×0yõû&øêÅþÏÖˆ”³ ‰I>.xe­ºYŽ×¿r‚ƒñ£%+åg6‹w‡130¶"X«“δ¤?\ƒÐ =óE‡.ȼµF½o©¿ø¿ýÿù­Œ¶—ÿü%šµÚ#a–8rɆ© 2q ½0®!íècR¶· T´1ÌZç1°Ìâ~€Ë ?mo„Êz¦Êg 3µ]“Ot2cNY.ãî;ô»BO&ñHeÿU²NÞ¯gå¦ãú¸‹rHµ‹—ʪ‚zmå16$c "çP„E†ªF¤§ÍÓ›ÖÜIY•^ 3ìÛ¤E¨—+Q0s ˜ä¯xSéJ¹–¿øŠ±]DФahØÎX(b+{£…ë9†K„Ì›ª*¶ö‹«è7UU–X $(Ñú¢”_-’¿iq•vueM=Õ‘ŸU…EëÅEñGEÁ#Uèfj©€ø£Ù:jÚâ#ðEŸ‘ÿß¶„?ÖP¶e$ŠO¤±`8,¾eª†eóЯÆ+1ÿŽîl™ÙW0+ufš+žüÚó†q‡*ð¾oig€DgYÁ JÆJ½ŸehÛWÑ®èÞøWUÑÞ5‘)g„## !q»Ê«‹’°½ÀÙ.>¥„MXµ—ötZÞ˜Ì7ðÂa1- šbBG¬ûô ±ú5¹>ƒw€j¯â>J‰Ñ¨ã:Ï€"ŠÐÉWŠ !Æ8'qA?K/RŒŸû SA"RÞÙÿ¹j©-2=¨,ç±jáºhZèK¦6‰Ëf”g·3¯†ã‘VÝ'«U•m5pMî)ÁÒ?uW‚(Þ;H‚L+Ž#¹å-aBzÅö¿?~Á?Û+ÐrÆ.÷: Š`¦¡púð{CÕ±)„ÝF‚Š)¢g¦û~ÌTHN­ÌFîHKkù U¹Nöº÷+Ö½ÿ¿gݯûŸ¶ôw«ï“£ÿ¦ûÙR×ÏÅ’ü¬è\œVÞÝõŠ+ ‡*>³5(.:œ¬9+ΣnW“âø^XØ k¡Ò«<ñ{Ñ÷´ò€â132¦=íT†¹d;EÛQž°ë#`ã-3·÷W`P騠 by5¤´,ï£X€b©k2øø‡} 2¦‘Ü„¹XÖxÙí_eÈÍòmÜ O»*³N»½{¶l€™ÒÈ/ùm¹¢T‡)!#yU}ÿ»çúœÃøõýoèá¦èŠ/;ì|‹G¬¸ÁvwM߯ãüGoP\heÉ\±#„)sG¦© b7w«ÕÅÔ­ú½u»‚„skï"|¤ØáÁœCoÝw@qgcÒs,S|exéWUŸ’ýœ÷¬eCTx’ö\w5†Ý/ÿ2ËÇ}¤F8CIl ŠCÆ\›V”4ÄnëÜRûˆMµ©pˆ;uÿœ÷Çý½¾ÌF9= ÕâÃÞõ'€¸qø¦E&¨ð¤¿ÇîŠq(8w6ݦû%ÆO'Å ŸË.ú¤(ñðþ{sß;Gë½:$ïÍy0ÿAþ=@.T]~¯Å%…ï5¾oàÿ/ÞXxoÂûÖ÷ËïŸbñvaVÑjñ>\ÀÿhÞ«ezX¥÷e¸y¯WÅPBŸ‚6fÈnBe+E8SöGCÈ5 ^X×Ç[óUÂ\`}Q’û6¹‰0 ÚŠšíåÓEørºÔ|«Ä»|îE‡Ç«"·üï››+º }2hEœ’ØjÊ ÀQoxiL±û ßþ³õßb'¬Îd,Y¾|Öu]6ä,­­RÉÊè0/l"Áq1J8E€qL5Ù KO£î”ßÓ—º—qUÇZ~‹œø—Ÿ ü­ž—ÛhÔÍ<§ã/ ]ìmS–ÚÜÝJ?“¦:y}œ{×\Ž]޵z­lŽ^ãmøv))†çÜ5ÕÙA¬Ã§»w™"•þ]"þ"S­&fzx‰Ì| ¦»L÷(˜6oÛýî0tð§úxÝÁÍøszyÍåߥü’\­å5ò‰î\%ëB׉A€à®¾\wóYŸéÍ5Ëk;àÔa¹m[sð<º1%‚®%Ú ÉöúQYÿN]vÔ€^]ŸÕóùu©™W:vù«0¯çÌ'¹vYN¿¾o—?cw'÷.®pÿ®Ðb–FtçÂ9XäÃ|Þ]´¬!÷.žÔpñ,l< ‡\¼‚¸´ÚÇ«HÃEç=Šwߊi†•szxK‡‚ršª°=í6…dÂØM7RÀ8&Õ$“5XiꚺN¹çPÚ– OPûÐq‘bË^ò-°n±)F¥¶«…ždÚ5Áº‰éC“ùÀ¨ì»bîI©!³MÓ[©2SíæÔÊFÓ.¿b(¸¡Ô>:ËÐþ×g…â…W=6ÃÒºVø2§]"š%\¾rÐù3âWÁ4ÚŸ.74Q8PámÉé:vxÑÑÜÄwwð¤¸,>m%náiu °c~‘ÇÜK‹™„ð4ÁïaZ›î¡S7wBN@”^RäMá0èÛÏYÄÈŠrÕ±Ÿ;ãgv}uÊÙ¶\7Ôl7ä—»þ´¾:li¶Ï]Ô{:T£e¥¡‘«MݺöNÐ'ééÛS6fFÿ4·âi=:}’qói³XÝZV/N›§°ÔJdWnµf5w|[tJ]Ã$˯mpªöú•ªºlô3T&§øs¯X_~pÒÙ=|ñýþQo’‹*ÝÃÃTÇ3æÈÑ“ág ã¦Á¾a× Õã_Ž;ûßíýBÉÕd,‰$p£¨$>&r‚Ô’@¦½qÖ!vDÒªQia•[¥ï¡¦íº6€Þ“ŒM6G Ï€½$ïà-É:œÖ­¥·­ÑÀ•$TÖ µ-V0"ݯחªÐÙm6a§;%D.¤´î8ÖIµQC²ÍHÀ”èg­MI™¬‚g¿Z¥bë‹]ßzI{1â’f·È±^pªŽÙM÷¢JìÛ®¹I $•’Ž/¬„ÆUß“iV¿Ï9¬8~#^ŠFXfT‘¼µÕsÍŽ*sø¦„ã")¸n-&í‹vÔêÇð¿3ü»¤#½r„R¤7+£âFâVÒéMFH_N´Bt4µ}\¤!2u±±¸» ‘.X/{ņC4Úu¼€˜ ¯b¿ÛâúŠÛæbUZsºWqÛ–}“Æ(Ãäʣ úˆ¶ÔH]»skí ;{k++êFtÃbÇž¿c9E‰bæ´´á–ºÌ`…aÙû”•Ä1ºq²CsLaF¹#—ÚÆ}¸ƒÝÐ~m{ªìèÉë¸ÎÎ#ˆØ-ÙÓ1ÓPÆN×Úh!Ãij6|8 Móò{tj*¾\R¤„ |˜\«Ù½í8ïƒw"Ë€l·‡ÅåOˆF¿Nš¹‰k‰–˜¶JÔD’·6l1yvªñ®·æ­F£‚:l±FЬD »8« «Ã¤08Bƒ²&ß®c`õH3L4¿ºŒ¤Ƹ¡X¹†ážiHIasJl ¾(ÌéÀwMa!›ìÝÑœž+ÂT –Ç/ƒNëiv nJ¹<é˜Ò’§cÉ2ÂÁn‚)9\ sÌPC¯ÐÐ5ÛuO;óÓ¥HvÉ3åš²GpˆÂbÌöÐZ9²5 ÿ‘!4»7œ§78<Î@û|êœ)LxêAçÄ´È@ÊIoûÛ>=óÖÚw~nôûuvJ·Ú’qÂú+)®FâHÅWqÚG«lر€˜ðqþ¿­B÷ãJ=¹À3C¥Víy¡çº>#ð¹nP}2îr‰–C—«•ºãg<‹i§ü±îÆ‹ö"VÓ[úÇÄò·ÈC;°ÙLD:ŪèUV$É@é@ÃàÎÔÍÝé›»S8^‚)[óùwÆF³å›žÄé-8¡Ëvüÿ×éÄY+ø†8O¥ò¡Ctx'ïÈgËÿ•vµÒÿS×nv0?¾"ŸcnÞb"¢YqcCÁDÔd˜þ6q Ú³cLÛ¾òScL[QäüÓӾϗMâ*WËZQ¢Ñf,7iLúæ9ÿ³Nhù›ïE:šN+©Y 6Šr2m¢F™k yôžWz+¶7srK-”…¢ùÈmWjGÒ/k•îÀQJ)J…6Žz“Áà6\ñ‰¤Ä¢Nu‰TÏ®Oõ`Ýz´_Ö£ÓÅöòé&/â}gs7m†#uO3Øøfµ—\­'ý¾Š2¸¾öªäd^Qc½—Ðj`,õè›HWw¨~{Á¶ !L·?‚]‡ãÚ,”K†S^!Kl•Ô}%ÝKd¶$XâòòrôcÇ- yd†î¤sÕ!ñb ÒËÔÝV¼TÝ£Œ¼®‚²/°Öì+SX“)c=¡œã:e;š!(¤®Z&f[ãVö9ÜYÆ£ø,í§ã[·œôcjñdœ be:) (—Û$ÂÐW²Z4²ùv}ë¶OjOB®=)„•8ð…Û˜,¾bbÅ NZ\‘œéX¹ÇÑÓÅÆ2[sÛ²ÌS¾?;{`tHÄJW# b‰Ä „Ú §eð`Ó%Âqeœ$è{YkãÜz3Õi_¾cwu¾:úêÆ|s®ŠòÄn)ûnÜ#Ï ô'ÙO0e¹©ŒyoDÏ#Nö”ÊuñëÝê{Ù`nš×¿ÙÄÒ@ãù6fPsÍ!bŸn˜îdŽVC˜¢·¼ƒ¡zXmän•Õ£Mi)³¡š(›ØmÓBòÝöƒ8ÿØnKúj–$ÍÂ<·Ù¼Žíœ«Ë†îáW1ŒGЭèc:±#ÈÄrEˆírñ•†¾¼]L¥Æäê0µ#äÜz\V‰J[}÷ðКšènh€ðÞ]üWgYƒEeì¦2’(d®t>i[6Úr„)F?§ðUn<*aYE”¸+ìueFK5`ñ[!6+BKˆ¸Öû¢›‹¢V\fŒD²@aÎYÜë7 …t¤j’+®–pfƒ³ˆÜ‡:l²6] s÷ÊThª¤§ [˜¹ì˜Â>æà^ÐÚ\qtéf˜Ijv„éàâNjùÄÙuèÙɯãÀš.>Å&ìn)v¨µf=Ô®>¤¸ÛÐqsâÞËôã zw^\b¡Azq ‡>ÖùáýyÛ iw×7]å êÇS\?)âW‘MºŠ }÷:2ØQè«[ˆC¡e§ú™¢¾öÙD5fT²ª1 qâ=··f5€"ý¥õ¸lÄv˜Q¯×¶µBzÍt&Ó‰BØgå×–Ý ËÌÅ݃Ÿ…¢°—ê2Î{] Y:Z´Jó÷8Fâ+Õü•ti¨ZÅ9×™V“¡u‘‘¬·B)Œ9=ësZQ{"ãp?æñpL DXFt°ÑÚûzJ¯&pîMÚº©j Ó¬:缊M܆)RÆò©rîdÇäõ„±ò>’ hßZ#šãú¶UzV¢#º$ÅôOeç`çþšfÿr¯õìà@qËV‚“@ò-ÉæG·#áM@=¡T4žÖ ÃG˜f”ÈÉg‚œèóá.ñ¤Ðkh%J†¤/¾&å ±Z‘\‹:M: ÚÁê6. ¥Pݘv3_o…è™aÅ'ß24á3T™Jœ%&5l W:g·è5Vª,oDÔ)RŽð·mZù o \Y5è¢YP*¥¦äoÑÁáÄÓ“{ÁÉ Œ&ù]C•ˆ AéÜ.©…•1›v˜:3Ë+µKf¸CC@º,•òJ.à’#íŒhå@'}'¼#Ïó†©"§yûÔBI§„X–eê¡>m©÷<õˬ6¯Ðß“dDÌ~1v݃‚ò $;Häa7¡Ës”³wâÙ  õo5•‰' 1RÛÔ¢£Só=@‚–ëÕsTܪ•´Å‰œvŽA $å)a• &ŸLCtžýòbçùþ®:·¦%œ¹ÎW"jÕ¥0˜UËqþ³Õs´BˆrÐ2F-Ì|©"J° ²¼˜ô¥mÎËÜg}êúKÅ=†þ1vÁSeárx ÙÊZ‰ÿ÷Ä…|µIПÒÅ;·—ˆ%ŠòöbšòócMVK]Ìo¼Zª:·«#`ƒu# gÏ%ÕÆ±‡ùÓšµe‚É2V(×gé³Jt¬Ne¯l;x¢r¢õ‹^£–02"¨ù¥"ö¶z#Ù²âŸ~”0´äǧRÏi9}¤ `ô9l(ö÷¢‰¹4‰‰P¼EøÖˆ{ÝUýxã Ó¹b}‚’‚%˜âY¾KÂC {æoªô§Èÿ/–jÃ:p‰°´‰â6a àâ90¦scyU‡3þCɸ+eÖÖ©öÄÜÕbqOÎm·P¥‘úàzYþ\ðl±>§Ýš#Ì%Hêæ9Jv/®iî,sÒÁÆ;¹V˜Lr^oMÕûšÊ‘©Plj™~¬ZŠõø]:r¢¢é%MK„çh¢4§Rš0žoR.YQ¡ÆŒR‹š‹ÂF ŒkÄú•£imx­ÃýÇ<ºñ–«BL„ʨ€ŽŸÂ‘ä…¼X|»o:/DÈpyŽ3ô“Ä"N€ï%ä°`FÕR["ÏFpÛ¤g4ZÁ𪕔‡d×~_hÓã(𪺋ÌK½;´[%þ-çŸ&ƒ'+[7‡FYJaD#Žì„¼ Û´A¬É ˆJ¸áF{A3<7¢“­ü)G ù XmÕzBŸ· æBœ˜çËËÙ$qGФCaO”•6YC¯ ÁrsìQ’ÿ¸‰—98s *-ú"gB±Ü3Ê~ÖÇLÜ6³µm}XÝóÑ#ôM²ÄjBùF~G«Žëâø{UÄYØý{ýùµT!r=·WÖr6·u¶¦©òÑr ã<Ö*h®ËïóûáaÎ2äOn’î„lïCFü¤6¥2…2ùýéž(xµ:PÒ…Û€ªP)ðd”ôM(ó-ó~ÿ!`þCÀT0µƒW–˜wP*ßInFÅí(’Aχ¬óô‰ùLR™' æH"ڥɹFå+û3á#Ú>³–m½ô jÒ§·â­dÜ•ä‹Þ­¿U#‹OT 0«ë$ºÈГ£ ÿ¬>Jòs“^dYMB¾ 08AÉ#Ïm[>*,â2F™R‰ó3~ ´N‘mG­æÐ3Éu¥æ)…‚™ä9Ú›´´/ò4û5SÖÛTÆ„u@Ï›Éùyz³ÝjP±J7+Ž†Ì“?uæxÀ¥j•Ô¦–˜)âc”J°I%õl”¢OG¦É(ƒZÆ1ß"‚ËÔU…)†AOUÑ÷0A¸ši];ƒ£¹ü/ŒZaU;®yÉ<®ÅÈe@q(rRHΚ.ÇxflY$èvÍú¢"S­(r•Žwƒ [­éZÛ·} n0l¹mñ\ä¦PQÃBÑË$t™j÷óF/s[ýôfn{Ÿì]w"ôr/Ó)Ž4.¨Ù1o4»–u™þUl,cüW´ õr³0•ÄŒY¢›Qè´Ÿ!¸–ÇÁ߈ó¶Á¦e&¸"0¬ª|Ç)J L@ìtµ£ULêeÔ.·K Éé.úÙp¹\¾3JG–„Dduf?fטVj…wôš&D›L³JÏÍ:ÁÌH…?Δ2J†ä††C¥‰xƒéìŠ+âŸÒ(z™`®á!D¨RÅé€îÝæ´ó1p1ù£è8“AËÎ’S™È'EÒJË‹úGÝÓÈ~xñ*:ƒË ¶úÅ@Øp~ªùbÚ²P°:O¨ÆèTî+{Ínó@õ7UÇè4á¨\–”øÁÏçu{`%вC“ε#(¡>»«.~û¶æDÙ©¢.\U±ÜÇ·í+³ÏÆJ£d²ë^azÍ+ËYó,[÷î ·Ž&¼¡*ÒÂI4¦2oh yŠ@@šÇ¯1Tpu`M7[ —h?·2ƒÊ‚eá„ç]P¡ L#NTòÊ0½V…º*Œ$ütëa×`¸‹§ØÓ7¼o|ß°[±D³½Ä^År$2wµ›+Ë>¿6ŒTÌ·}ÉÉñ±Ò5à^Ôn· ¥P–ê2L}”?ÉÇ9)ø^(‘óß|î(Qù¿;ù¥è<ðê?Õie´æÈ«b€æ39[Lñ~¡|(ÁùVzdÌ‘ãínn³œsÝyܤ\|·#D°e‹Féô\ߎy^"KÎWá%0'Jþf!Ì{*”•ܤøÅϹ^Äét/S½L ࢷ)©ÉÔ.Ô‰Vè‰dEÞsè7pK r‹§6ú´¸-µÅ‰>Á*­ç´Ux YuýOr˜/¦P€ëªSt÷<¨‹Õ9•ÙTqkVhÌ·ÈŠV‚ñÿé~åøÝÕÓõÕQSÅ[½¡ÞsÇÜß^GÔh¥ f)2ãE4#/uÂ"ÏŠ‡×Ô„+‘ª~ÎÝbEySÖ­#‹ßaÀÆáÉááÙHy€¾øú]Ôü³øâ(ÚÞŽ6–¢?˜?n¬?AóšoC(Þg)]ºiºCÿMçÃûÎH?q¨–jzBÀë~«w‹”ÙfÀÏÐĶô[õ‚a: Îך J;’}Ìä@P)­ƒ6A`¼Ó¨s8Ñ™‘(>“‚¯§‘*×÷Êx‚µwfü\ݸÆ[ZOìÆdêÐ] $½Ó m„F\¥*猲ÅÍ:«¾¸]šÀ¡Š5¡b8*NÛ§ý§‘´š‹²ïbœ4»ÐXQ¾þD…‚œß%Sg -%Ò ùÌ#÷-Ë<§Äy Š"òÏiM¤’Š]uçv½áŸV ¶º‡«“Áê‡R&ªKùc+cYa ‚9dU2nÎËa\ÞæÛ™f¥5Íoš pzºÛ²;(×Óû÷ÑÌ̇TŸášË-Õ«dxažËŒœí¸Qfôîs&À%“Ϩ³[ ùÃÝÝž¯âœ²À;'(šr¨‚fzIËoi™ðkTAz3aï„EiH=IÏYÕkêŽÐ èiý´EÙNOY_ªª˜ÍÑ)ß_&½x¨ƒAŽEýCÞËÃ_rFÌKÈ®$FÅD™Ã¸ß:|H–F²þ¸ÛM1R${A: œåÙ»d(FÞ÷ôæØf‰1`N|1ˆÝë†aÕn£óäšä‰}üd¢zÈX¼›lÍ ô0m,þHTv€¹Gö“*D'Ç&Œ‹l¸E’{lÌâ}’™£4OìX$©ï¢~¹•äEÐéØ,/Qþ±†g–²wpÀDeP”dìÃjúìÖS¥ð÷ŠäüPÀ®¡ @˜fŽw5v*Ù‘²².{ftɯ jàØÄ+3O8˜aíBûqÎqï¬$(5¿¤8\ÌÜ"W£V‡Õá(æ„è±UËô¦Æäcä-Ö³ãl`ŸÝܨԌGøkê’£nBUDfÆ:8˜¸“Z‰†ç®.ÅÂN0$!Xg­û1áìÑ­¥q%*¬ß|òX²Î{£°j'C ³IgïZÇ|B™y.Žm’naÀp0zk?¾µ¾¡ ~2Tžy: Ç8O»ï "ÄZS—Õ­Ÿú+-?î‘Ju/k¥á¦`ê^š°B%aàˆûmŸÈ+ i*ƒmÌuHùd.ØÑ÷­vBÉçiZQðóy¢©jšøPµ?GÉæ‰LR-÷-™á_w‡ü ; ¯-ô¶RO…ú¯†ªiœ ÷äñdíîF:-2Üë*æÙVÍÒ ìþü3Ýðãø‚C2Ÿò‡f?4£“¶d r㈩èÛôÙúG´ñÍßÖdÅXM~{ëŠd—ah§Ñ.¬Ì=å—_FÚ_ÕJ’Èþévº˜é;>ÓÓ+馈Òã²è‚¯Ê‡Ùv{3ôÚ4£–ÊC² ¯¬_ùdجy¸ýÓ‘àÒ:ßô¯"ëž-œ£¡t·µÝݺ¿¢ ¿˜à:kº»‹28XxXú¿¸’/ ÀÄ÷(mÉ=ªÇ“£!­—ÇIQôŠqLó•ª54HH g.­–Wg%7\_˜ÌG ”r’rØ’m7Þ³kÒVŸÌF-iÝbý,f©¬‚’J51§jsY¦©0ª€¹I~®Y›<‡•m•žUµ¯¢!l»¡Lk6î+'œÄ·Y¿GI'ƒQD©+Ø‚“ÃKbÑIÿ\/ºŸe•ÙÍÊT«õzö4us—Oá¼÷Ø©\]~gý&Q–¤¼"ŸüP渰û€oiÇzN‘Gù=ÐÇ)³)µv3µ¹£»4´íyVÕ’X×´°Ìªþ5œ Î’ü.HЍÊùóç»´Èδb…Rx?U.Ìpo\¶%egwŠFk×äPD§q4%r4 $¨}‹KnKͰãR(/ÔZ¿gg¿*?YÍÑ»—œuÂlYʵD/];ª©˜I¡E$9\¿Øy¾‡1·Ûö9‘!Iˆáš¢=ÎôᨠÛmêÍݽÀnídÒInÆäÚ~™Ã¹Ñ"½¥ÎÊóÝ8P[Ðç GekÜ•ß"EVu³h Í !&^À„¶çq7QÃÈFÉÚ°!ç×T™ãüëšâãàÂÉŽ…£R„Ö‰Îä+:É®! õub­hÅrFÑÔU‘¦-©‘âW-ªÎÆ2ï˜T[UÃBQS3º.’éeQó],A+S¥°ÁUõ–•‚>¼ªˆdjBãbbÍ‘ ßâšõQF˜Ÿ!vÕwÝkR …z¯YãJ#eDj¸¶ ºVöP‘KOŠÊaXºc#,R‘îz¦²´âŽÐ¥^SPkëpë¢Öæu¯Ž©î^{CkÙ‰º%ïÆþ–ê(í˜Ê8±^ón- €tÃ%ÞѤù;uLÍÖæÂÇ(TdiÁÆ­ZÈYá¬Å@sè<º"×¼W¨ZÌDµÍ.ɨLåXF©l~a]$~!cL•Z™RD9Ý:oCJè.7k€¦„k‡HæVÔGIGw7ú#¸+ÎßK(¦÷pû%K¶ÁÇR²72úÒüÆEÑ#/v0¼Y]QR®f6݃;´¡r èðýoÛ÷5aÉëØcEãVÇ8ž5»Ü-œ~1ÎF“›ëXßú㬓»y‚ÈÊ 9©Ä¥øk˜Ñ¨õ(è¼™Æé¬Ñ6ÁŠ•‡Á4‰»—Š-!mGða{Á;:‡™:bžkï_¯·¾zÃÿ¾^sƒ¿«_Ò?KV¶3XÄ”äî«££½'@4J÷šQÀHZÙp˜\λ¢¤/Àwæõ0AÚd¼¥mZx†‹¢î-O]c•?uîG{ÿØ?Þ?|“Wø·Ì‘áŸ:ñö`ÎÐíŸ<]†û®G­ |¸óùòP¡· ò2ÊYÙg_K8àÐs"§Ê‚çÏ0 I¹÷»L9äPAZf™/皟Çx›lë+Þ¿Œè¢ ÁÇ‚DU†ø@Aà½ÂIí礦­Æ ƒé»M÷*^ORRî&'~\‹…ôx_ôÛí0:6óåˆm¬ÕnØ÷ϽèM-r^9"öq~k*NZ[ŒpÅ Œm]1 /#ÂÄ„Õ;Ó~׬}  ®£möÈØQž«K™éÕÕHWUý¸”{¨lÞè-0ï´ZHV¸kv«¤æÙÝ-;. ã X퀡¾3éZ•{ø9Lß¿p«•GŒÊXÔ’}2¤]÷<è×îipZêqé_©K¤¢÷‘Kšy^y%2©œ°r~ò×P9u†Ù™£2èTâ=²¦` C$–Ûú›­4/Á‘*]\¤h@­á—VË«WÖÈESöا¬yê:*´©H,,‚m?!TÎf~Y6Úv6êú ¢iGÖ€&C>(T7¦ öÚjÒ ‹)wè¼’v¶ë“­X+’ø¸<šŠjs, õ»e>;N7÷¢ïØx“Øj c¹qM¦CÄvÙí¨Ùn¶m°×¬HÔKPN¬Ø’Åá݉·ûŽ!p‰ŸïÄ[(¦Ô›µe…>üʈïºÖŒÿ »ÅÀÚ^ó`”TM&ð»2E™y6É}Ò«í ª áUßÒk¾V×[,÷n ]­èfUM3÷}K‰4CHÒWJ«›QKò˜ŽêJT¤(>TÚ¹kÊ=”F` ÿÿìð8zÜÞ$¹™Ê~О÷0Ì: -ƒ'hðïS¿Ž¬èH»B*ÐUÓtnžf½Ìé÷)ê‚'•ààÏ>é­ˆD mBtß8ilÛKìg„ÆeÉ®¹‡£1労8 1»ä¤¤d"𻾀IÇ^BþRðâÞ„âü6Á,Æv—ÅøÊºÝHÉDqæ~PæÅ6»SÎæa¾®µ×B²!]¤LÎ!ClË&;,˜–tþÙÙ,Ö‘ILwù‚§W4ÈcÞ)TgZª“}S\©®Ù-wØöZ)“…G˜%'Qñx•vƒÂm*d2èJ‡:ÜvȪ¸<»îè’(v  @ òq=¬;*Åo°´ýZûP±ÝBl"ÍŽŽN1E¿Am„ ÃÛôMZÐ)±Jñ½}jSéO=£SÁ€ã—µÌÐS+w ~T!èŽó·ÐÜ‚;E¡•Þn 3ïC…¯å¤Ù(óÌq;("­î®Û[µžÖ¤BMÄÂð³n«/¡ 1œ¢’ Šž·}÷ÔXßúÄáÅÉê·‚%=Z"±¬cU°(RøAl‰õ)˜BüY¢CÚ÷Ø’Ÿ_„Œ—û»J «Ë¢iø6ª‘#ë…rŒòt˘ãŒÔØeé¤hF´#ãBÓFM4ïáù¢+cÇV××9Z¶'ï£*…ärõ7u´­< ޱ¦ÕM³IAN•ÊTÈ8Ë¢ÿ±¬ÀˆÀöȹ•TUµBj“.ÅÔž·&QׂäÅy´Ï,)4ÖK«¥í¤ù2`«eûTõ=  êëgñhüqôüCÚ…æÌkó4ê[ÛÖ¨~1CËîXE± š¬¦j«Y¥y’ÇÂÌÚýLÎ\my†Ã Ò±e3ãhÎ6z¾Üxq Üë«§ª“Æjï ’Ù{q°qüòm`5÷úé ¢\”ø‡“&ï†íÑ&…Ùc“¢Ñ½$êÒÎkRhÁw$³‡í™ºªaOÔ¿F½¨¿ÕM)§?Ý„qm°ª¶ª*;Ö­v#N´9c#pfo\ áJlŠqx+Y-ÉS¤žmÐf\§"Ý0:³Bíð{…Ë$àè  ŠŸSŠM£cÛ´Ž¡êv˜éIˆ‚ ˆî˜|ÈÆÕ!‡pHs’.åX1öôåh1;$Û^Q ‚Ã>Ÿrd‰Åæ¤oŽÛ«1îéhshÛÚXI[ÆäʣŪ嚒[yÉUk–ɸí±âmŠ)ÜÐn&–õ¼ àî èþªÁ™ª±Ìö̲³íÊ9»iîlìsMÖÎÞ>k¾w°ªrξŸÊ¶œº±µÜ²²7Â/“¹ ~Œ®77Ô3¦o’dz$+øÙdw‚×—qún²¼d¢5¢ÎE% d’,îŽ'd‘ #Á,ZŒ ò_[úÂaì Ùü2YïVuÜç:æ'Ùx£{;’RÑ®ní:XwÌQµ»y9ÌAÛ\ÖvT¯û#&ã³¢gfʹ$Àc -u#ôç`qWÜÆ,cý^xÛ}o’^Ûo$6*“὞s_dÃóþ­Ý)ñ8@Ïö'½„ûæzR(ÇK|»ŠÿtòR*­ŒNÿÒÍ\=4ì¢ÇmáYØu:]”Ú¬3í L;c'“Q?TÆõ[gž1‰ž m“|\ð|dû”œ•nÑç­Îi¶Ì~º²í}Ý• ¢´¿÷–•[ 6áÌ “.0d&TèôÇ6ÌÝ)IB <µ \uPáË ©¥*’&•czÊÂãnÄSXf,Ûl3ÞA·m ج ”éüB†h|y-¿,²|пEí,¯EþTDs@ðG8V ‘RÂoiYm^=b÷ÉLåÖWŸE‚Dv4©oõ£Åÿ\ F–D(Ä(„dã Û@ê$åˆÛ×i7ÁÔ2q§ßêézZs%2áXâµÙË3ؼº?Ÿo»hºÖÓ„=•‘õ’Í–ñ—¨†¶‡¾ëìs [´­ °rÈ';‰~:÷Ñé>½Â ý”ÈG™6wÀU¯­Å ç%7äú‡Í‘ø°Êõ_iʳâ|3úþ¹O²Cµ•bµ‡;Š‘ò0f¯Ä“FªêhðDN \Ï ù?ÃÐádŒd¬EmXÑìñLuD§¼d-Ù0?EÁ®æä Vº”•Œƒ‹©…¶˜½ô‚"¸§c1òCØs naàŽ8GlA )ö;wjG>UîÑ©LÓ6-W‡ç‰5nnu¾?|÷ĤªªØÛKß䋯íéÝÂq”Ÿ|iôøR 9G/¿íä“!Ò•£çHØœãÒµ»|‹£o¬wÑ×_ï~O¢7€‘Lbq)ú K'ù0Z{}¨É÷im«lß'»»ôï÷;?G­L—°»lèà' :ÌWn¿…g]ü­‰W—Zá»9S; ]Ÿ|»=w @ §»ÉTH,m¢©ƒ ¯R`‹fQJútÔ<-?ÈQa‚òqä»eÛ½ï&ý©ðœ\¸[BQ¦3ˆÇ™E¸–  æÖµŒ©Ýfž¨ §^dÀh‰~ß&7£9> õh+ª·—öêoI‰·V—7mýtX-‚…°ÉBÞŠò]æ[žD 3Q ân7)þƒív’¶ëV»Ÿ7Ê÷góý1q¾÷Ñv<”iGüÆËí©ôìqdãñ¨—ö(  F°QÚÕê¦=NEP`B DåV)«lŠí’Pq<Ö¸?ºHÆ*æ¶Dåv#n«pm^´1ƒGªájZØ0#ë¿í‘€_â¢ô¹Â™?d=`»LÙ+a΋¸%ZFa‹¢"6U„[ŠðÅ8æ ^mcÝ&™øºQìÿl<:ýÒX¸Ã‘Úè¬ú²X(“ß»çÂÞeü=·p¸Æâë˜Õ¸üÎØüÓðùœ=ŒÓ? VŸkU-Ì^…Ûìþ™ñû¿ Ãÿ püçËæjñÓð<Pg¨e"§ÈÞÅó¸sàz7F§†žäh¨)CÌ€®50¹6CEÑ2DzÅ}b|h9ßB½æ&Epæ(Ðö/°ðn†TaJ¼-±8²‹Ù ñ[ÓIQput0bœY¦nªuìæK¸õÛÂó‡7NÜG6™»£miKÔmÌ ŠqsRÉxœä´èŸùfe‰–@Q(à‹´Ëò›Ârp¶¢ÈÔd¥â¶BSA·gDXõˆã­ÖߪPMqǤŠÕd•‘hM}£'­¸^U­œáˆ=Ýùî›yïá§g£®¾êm´&ÆòkÛx[•ƒ³e©6ô(ït:mY;Ž UL¾Þ~ËŽpÈÞ²[eZ ƒ¹m½µ‰Ý˜‘Ÿñpve3a†ëN¢dúçöÛâH¨¨5²^bG†óõŽâ¶è”_^#rÈ%@Î],£)¬ÑÈ—Q6F!O,¶.oû;©VcÁ×íÖ›åhèíÑð³îònUawÔéRuBÝ&èß÷¢ï32)²sÆÃ(i3 ½·úÊÝ´Y·ûvs€G­o¢`æïÛ:ÁuM¾°$ð!±Ühˆ2VQ@ɬ+JÐ –ó`YÌ5^d“¼zWpÊt¦ájïÞvûBÜXóºg䄜/‰Ú&V«9eESu«2õ%’ån?+Èoük”¶ÓjR‡+V¼Q, WÓ·&~v6¦ˆÿfiõ'Ëv·uɫﯼìã XZhDÅïLPáÕö2nÍê* VAìMEÆsS‚ý[#•*„ÉÌ'­ŒW#Õ}¿ýOh£ñþ}ómÝj€3±,h.À ýbsUG¥ÛÍV"Ý_.„êŸq›…UÞH…ÙÔÞ´«M =8]ë­eËü¾‘¾_’ 2Ñ`US‹¯¿8]8Þ( 0)k×0‰æJ€m‹G5$ßԖΠDÔÊ…Mž”[“ÊA 2¥·©æ?®)ÎC`²¸{†d¦éÏn?f¥äÔæ9÷‚\ ªÉÒ-Ž[ÄÏ–²k6¦ «ÆdÌX`5lË3mž¶Ý°íÔTèSó¢æ'¨›Ï$”"Yh›P1&'$¶kÉË%ÞIÈ<Ô:ÅN¾£Šƒ­ G£U>º5ê[ëp¡›’ZÛ~Àœ¬Í ³€Šó[Ác!@©—2£;ƒ¹88›³v‰8â*¼¤ÝìIUÊ;þñ¹ºËM™Üݳ2uûùÊgeâ¶õŒþþ<9¹ýV?Gbn¿ÍOÎÎí7øñ)ººš/=w0Äs•£ÒOM•ÒÛ.PÎëmcê)îž~Bo³,'*žAáJ8Aåb(lj¾® ÛEÌÁ‘FÈ3;Y{C—šÄ{¿0€RtܮׂûSíá[}>ŽÅ½ÒÒJ–Bo”|VWЦH$Õ&®ê’5Œ‰\Œä¡ey ™”MUUš¥þ-…N(¯­šã»<›^££ÎÈÍ 3‹‰ Å¼[2ú¹ýOK[/í dÒ,ä9Q |ó}QÓNoÖ}è'·»`6 2Xއ컇~ºõó,sœ+`€ˆÎbvL¯[I¡h½æçuÑD€IR{—ÛúNÙ9÷Z8Ãáö¿2 ¢É&8e¸c“Á`â÷(q§>­N j1¥‡3ö8&‹úÀ\ñm2Ö­è„ÃnÂ;6¿H‡ä§ïòÙª3¼þ¤“êÎx_UûsV%~Z®+'I•œÕrê-Tç W¬… SU^ùzÑ\JmRNßí¥e±“C©ÄP®HåùœY•¼\Nöh笞”8O‹Éñ$Ádó[âzÚµ<¤Ýä!íéRÛ$S°rK[Ž}*svå#V à±1ÙøS:8íû·"à ˆF†‹h¸8Ð#–²÷ÝÙO&h\÷ù`P=Š+ œÄæ¿¥%a£ÂÔ‹IÓÈaSÔ"ép®NPÓÆÁ³SÜõëþv)Q‰õø±Ú¡Ù”ÏΉ¥ãßueÞ*uÀîwrM”Ÿ<7ÝšJ:,‘œÀh]*µT‚NúÙÐU=·ãÜÍKêHB½>&¡¸GÈL­$6¹™•Ó}–só‚Šž?ÅÙùù«i ÿJ+-]Ù¼{䬃&Ž“ !*°R¯m<ª§YIuQã1¥9~1eYµÝ­XÑý(üAE³»¬WºX8di (<Êéˆ9­{fnÐ+RŸ”èvq'C,ÞcìŸø’|à9²+ëä’3{ MŸSÝsfwMïx€=<ëxrVŒÓñD`F­AO éJÍ·k s™èo“þ+K»lŸ:9~!YRÒè3}ÇêF–X¹n,³†Î È¶Fy)JP«8´ç¦Q6ÚV'n ïf?Þª»¢P5g{ÐÛMÆz§ ûmóIÄ©™"g‚f ¬bjiúNÒêNî&S÷TRzÈ\¿“*Uèܪ«Pº~Õ°qöH¿·6BVB’µÐ¿a=œoÖŠ8ïM¼åÔf¢f+¦ÐE0"+Èý¸©d¾ó|9øa—ðà6 €ùDPÇŸi™šÿÓ4”\'Š«Ø´›šÉP«ôFœt+‚[r§IbVG®ƒKA×›|·ÒÈK’!·uz1 ÐÉRdö÷qS•7JüO˜dbõé=Úí²5Øÿp¾cNÿćhOý> } Á´t½¹%þGØ14ÏÏÃ8.á…ámŽKxZ7æf}@(uZP~ ¿…ë„'ÃiF*ñyEWÃL*§÷¼T½Î&S˜„[e߀Þë’¢nßàRu蕱­RçÁ+Ðê'Qký Ÿ\â,–ÛÇSŽšÉM ÔÝ·d Å»õ*rð¶Ïc[ï²b¥õX{+»µ89¢”žOQ?–ör[ã‚] hõ^]U¾RÕÞv8€#tÓÔxl°sƤ;+ͨQªhÆYuÕ›v]ôÓU1]/žÄc F v¶åTC¿è³_éŒÛ‹¡û‚³ÁØ –ÁPåÈëbþ}ã¬Aðx̵üÖæØ j&p‘>€Ã#AjUÌGêlRcÈo²YÄi`îïvi±™x^*‹{¤=¶b—²;8³4¸øí6ÙÜyƒÛ¢Á|GF„u*‰óþí Ç;ºN‘–vÊ“ôŒg@ÌmÑôÐû1Žú” ‡<=.ñz$,Ž£&#E_äa¸ÖJŸBíY‡©È–¤uw µd¶¸iG ·^¦ó’þp_~8©7+»xþ`…rËÍ€6íóph5›d²’Öi,î+ÐN lˆ!QëÍÇժ᫾Áå-÷ƒ‹ã,Gx·Ý MÃUŸhúš šî¥ƒƒÙüØ’ ~cÌô"“¨³Õ,>ˆòm*ÁEê­ø"z¶s²£:®ó€D _E|IëÚ•Ê*ta?ÃðMçÜN³h*¤R(«T l ǵǞҗ1úxµÉ,õLhqTj«¬†hÅØŽvúY¨¥ˆŠnLa‘'£$G´…è˜ÑH¶+56š±RRE¿fépq}É8 ÓnBÖ l¥2ÁDWã FoåîÀ!YGØ@A¶Y?øHüžš«¯£•7¸Ê«_ôž+ì}pºø::]yƒ+Åûž®7ÞŸ®Ÿn¼_iF_û,õé[1?<£¡»0ßÀAVOû|ðÀ$ÇgêŸaNk™e²4†\û«ý6”¦ÑŽ5l+íê¶Æ±¬,µ8ÝŠõ²™!_"ZhÕõQ¨5°CFE®/3 ”¦Ì(€´`Ú!mUª+ŠîWtøêõÊ7¨B¾‚­¼¬ú:é•ðŠÁÊR°×á³Ã-1Õà eƒôw1¡’”tT5„ƒ4-µ+f¸]!ü®Z{&„¬–F«O赨‚½W5|Z·Ön†(ͱ¯¦wŒ W¼3ð‡‰pþᦠi*j}ጛP¶Mì Îë¨ÆY¨B”—›µBÚ›±cÏ=×] 9, mÙ)âóÄ»­/Á½s”YÁ§õìU«XÊ,‘S”ݘls&#%Éš }[[Vm³€²zxñûƒáû«h‹ÅnÏC~¸ $—øC —?¼¢w@’iy³óu©Ií1ů§ó,sR¦ªÄê† d¹Ã[wø%É>ª0ÏTúNê3Íä7#ÛÈWPärª  eÊß=kŪ+›RmØ™'柠ÂóÏ0PÃW À¬9ÚáÆìYÎG”R+¶ðE÷¨¿†¤0êÛ É ±ˆZÀ-;È,¾S9T)¦“Ã^F£4é&ÈJHÐ|÷—ùO$$û=I{Ü¢H̶V8˶`n¢èæén5Q++÷/Ø– É«åHS³úâPfžpG긮V^ð³ ±æ\ߣw õHüM •ŠØ·ŠÓÅ ”CÞ¨pÁö”á(Œk¤ä#!C‹b2Hlw/4&ÍIaUTµìD~UVHÌ pz,Ê꤂>¨$ô*©¸!ÇŒ¡K2Fq…·ÊNnº@ÌH¢%‰=§FàH¸mjʈ«ÿTši  LÎQHÜE³äm<“ «,2a¹U6Ô‡ã·I2!—6aC†)²^Hk‘Ý)œ¶bž…œ »±õ—Ô/pÐc(™Ãúõn{½VÂ’öºÌpèÏ:ˆ zs] '¾k{=SvؾãÃR'hyžœr.iKò´ýssÿÅËW'ÑbÓðOFžõ)9#B JüœðmÕB?”"8=[–4B¸çý"3œ•#³ ¨E®–¤–˵Ù& QY=ïfOÝfAKS$·XyËßbÞ„vWˆ8ꥂÿ²ª ÌOyr<Õ†Ðpáôá€ÜŸ aŸd¦§þvWŽiCáT[@6Z„°T¹`1²¨dg[«ñNe¥ÒòïÙÅý8TWɤ¾Â‡µ€æJÜFŠi­f”{¨`Ë®tìsVâZ ¶‘oü§â,†©{˜¢špR‚—/£€ŠÍÐ|nîHW‹,—Þ¯¬ ›NZ6 N'nÅ¢ejSƒf¡‘n‹ûtžP¤á Ï¥šª"–~tU¶ÈbëQ+ù øÎ%Æ=rø[‚~¥v•ü#$h²Ia÷S s¶šcXa²A&¦‚’fǺ~Ë å†c óbrV ‡Ïp\ðìÉc‚DY6è’N./œ.4J½‹ êþ¯Wù´aýþ{ÿsJ­nä´nÇ<3´Å|‡ÑËoúŽ“`Y„Ë;žu‹ò1`çžjo5¼c³>76·äИêÚQ/Ð,¥ÝBôa¬{ò+‘“&ÞYônÈ;jª†˜‹Y€cš(CPäX ­à€lN QUç€: O»0FvnÓ¨{•ÌÓ0ö7̺HËž˜œšS•?\*ªEªÊd{¾üîh;swë™;ØÏDZüçЄ¸DPn!otœc?C|+ì7ëg­™°ò™r>d>Ôl‘{ˆ¶žAëÄVšÀð©ßòÁOˆ ïÃÚ‹Â’+sÜ!b°EŸ/Ùñæ4b (³3 ¡¼~›¤@޳]¢Â­˜@Øñ,ï°ŒBÌŒÑP]‡?Ìë×pÅÖ‘±º ŠeÅŠBÑwP¸ºÝø¶F¶G°SYžTʇyÅR›$š&†,FÝžoèªs26 ª[2ß÷+këD¸N)>ùW=Zâ¡•dÄ2o)ª,îbÒP´þ›3h·²y0òç°zPaeæ3ý¬Ö•ÇáÓ, œkÍY¢é¦†äþTs‡2òü$“‰¼ûY̸­Ïdú ¨ûO7à–>ƒ „JW™A‰Š?×bÑvwsˆ;ÐUbQ½ŸÑ,Âà4&7Ô™{¯iMh×,.Ê6$,IÙºƒóæ‘­ÿ«•î¼÷¢=&#lo_嫬 !òžF$¤{Oq]£äQƒ#Ç}¥cR )åÐl=le¤y4±ŸQ;]Ãê2-Aj9tÌçS£ÎІFçk>§[)ªsïÛ…™Nˆn‘Ý:]xC{¦(c]á + ú95–Øox«9{ <4bZ>é…Õ`þèuŠ]küó–ÌeV2èÄÊ.¼ðñ%scöÓ¬à?ÞÃb:˜¨5†ýZÙÓ€±H‰')ñ#ú®¨dHŒë]8’•"'B|µÍŒH6à¹ùûHN·VÁÿ¦q%š(®dLf3%aXbM>(û8Ÿ¹Ë„ÿå¦9'SMsÌWÛ˜Gu w¦^¥A„?¯Æ:ÀýqôüF¾–^b{ÔŽìý¼Ò9~µ»»w|¬Ö.Kk(O‚’£“g±ñ!V>°´$Y_Õ‰TÓ°¡‚Ô‡ªdÙOÌšÁbl2@ê&èÕÁ‹Î±ÓUöÀr–à%Ðþ¸ûçQKÇÁtZÂ÷©”Nh3!]ˆíkvžb_¥,Ô{¹¥Yçþ9ä Î 3ùår^‘´ãèà—öÏ ¿]áÀìŬzò„y[Xº¥Z@Ö% êí‹E|˜ñFõàÊíŸëÓ]sXƨޔ kMJM~1Ì0›(¦ð–«›Ùa¯ìØOéP¾,Ÿbuô2ƒŠä÷ÕoÒ©o¶š¼Ã1¡üò‚¿üècõ\JÝLmíè-]¥ÀTU5$î}-,s‡6%:iådùóÌÙ}PlÌnµûÙ’rS².°h`Ô"½³ê¡ŽÏcÀß„’MÖÓEΗ)„.²Ì¦t%¡‡0o±ÎŒL<› kÚ˜l#ÓÖÌpçR ýEkb4„ ŒICRX5WXì,™°³¾vÞWqœ‚‚sÔÐʈL;‡6 ¤ü()*9É«Ð5Ñœ­Ÿ(ˆ¨¬û“ ®x­48º…^z~¬üÔ;ÌÖ¼Üß]Åu†¿*hÒŒ¤Ì¸zMja>‘x0 µJ-ƒb-¼ÕDV;, Æóà†¡¼ê+œ+/í!?Õú©OëT3Nèaë6D —€ŒTþjlãLÉ>& öDß[Þ0™é(î&mÖíÁi€—hT¯O£ÓÆ?"•;læí~Gûu¶GŒ:墤BžÊ3[õµW4¤ãIT°“­¼ÞK¾ÒŽ7,%ßiTÕš1÷¬ä^Î~ý|l‹g _tÝõLƾf5(‘5gSB]^£+œÂ«Pp6•#-.á¬u0ªYkXX{J 6Ü;ãkê#1£Ø5 6ÀO­b|«uDÞÕ Î2iŽÀ"«§*†gcµ÷$‚Ÿð‹ý#Ð^Ã_m5Z­®Ähѯ¢…âÃçHدzÆ{ø&%SZXj@ö2Ö—y× k½#j|_§S`ÌÆ9Hl¢ždµ3óìøŸk<4/¦C(šö"÷VÅE’® qQJFËà{‰¨O+§Å˜¨‰ÄŒå8š¨N<1…ëǃJ+õ­|¯‚ ®¬â8>T®ì‡Z›à9Š®í%ç1°q‹Ÿ>©qN¸¡E„ ]ÈWôU|E}…Âr*`Á5pÐRMÿ e"À/„ÁÂ@߇£i2<üÖ*—W±¸×K!l%<Î’Ÿý¨ x  ³kú¦„.&fAÂz¡kösÎ*=ïç£K-6D‡(Q¨¤×Xñþrô|b§:zEÿÌù!I1êÒ®7¾ƒ“Îþ‹ý“Å×\ã ð¿’˸׎v¤ÄrpÜ%d¶t×öh~µ³BþÌ‘¦`ž$iQ‘¢@…S+ ö¾Ü!UïVnÔÿt‡VƒìAÕš™¨ÎºI?L@ÿ®+”µcÑî—_*¥  8“î8Ã÷(-PZðvÁ^öQ(}“`Àþh}­}åá`ñ6¾ýbÉOìþü3ûâÅžÔ…‡ýÇóÝÃãŸ;Ïö^þò|ïÅIçdç臽“4¼öAp„_¸×›o–Bj5µOJŒ^Çx±­³tØëÄ㞃z¨šÞ‰™õlÇZŽèý¹‚rôÝ)\õÇâºðàò?±K›÷ÿB`loHÿËdûçÆ ”]› CøÇ«6‚(™ AÄÑ–oÜ ¨Ä®‘^‚ê)é.©ç8`(q©$y’Y¹ØÄ…‚5GÒº’x‹œÜr’Èù¾– 8+ArÝPÒÎÖ–‚äz»Tªêɵ¢”ÙÕpÿ\V‡ÃV‘#ÀòrxlÛÖ’8Q®#o~¼DwŽi}ÇxÖ%oj„Þiá¨}óœA©ràsÅ¥VÑ“?94µqÙ‹žõ‘Q©«ƒ2{ÎÌs…¥®ˆ&lE¥fî9¢QWG¢žç€M‹@m(@%éH¡øct½¹¡ž³B­¢8#${Ò܉ðJ=[FSÅò*Š\–W¡ì2Kâh[À"ôùÊÅqoéÙnI+[f¶[[K‘SZÁ}p1œ’‘n¯î^&³a¦7} ¦Ü|ƒ1åëóÞÉ'üNÑõÙ¤{Ž0áÕ!Âę́ÈàÑÔSãéý,¼-É>«ÿÿÿÛѸÂÄçáúUˆýÿ¿†{À=ŒáºÇøîà®»” Èá<”æ,væ˜à礇óB¢· K.T¿¹½s?÷yÓšÿežæ|’šMé§:½>…ŠVÒN±Gyúòèð‡£çOë’ÒãhdHˆh¤#Qh“ D›‹¸Æ“!ù±SpŠù:Ç’£†ë·Iš'½í­i-¦Vp!Êfs£›,/ié½èYZk’j–…°ihu¥Û-VDsuó¬(äâ"Îðö:¾më†Ë£ä5TßRß"¿„ö2ÛGé2O¦]/5*û:¼ü®%ÐÓó,™ø¬Aè“•ÐR}Q'¡]ÊŠQgï–ìU1kôïxøXVõôðÕÉËW'OÿÚÔ‚þ&K¦¥)¿ —k$uÕO4dügg¤_>Ã’bj˜]·YWD‚òI±½V+Gѵ%'D'%£Kã`^éòÉ›0Á©¶ýV[Œvú­:D~Õrª¯'‡‡«HeHˆ¦Ê—Dî,;9c̽V®×Ó”—dÕ7W#®žÕÚ¸©ÊÀr¾–rö=>þýL-§óµçgq9µ$^ ôüÛØô”!–®´ÀçQé ,Ûíɘ±YŸh°ÞÍ$çÜ#JP4Oz"“œhVj¢©‰‰”;¤=977Ñi=”œ–¬î¥˜†)ÔÏ2¯@»wœ ³Uwša•ºY]¢Ã¬#èÙ"ù~Ãmõ¢3Ìʽ¤c«U\ 0‚—Än2§ K¬b#ÿyî°²ýŸéº ›ÿ‰Aá½èm&Ønñ/ÑHƆ}ž»)úÏ¥4¿yÇ·³¡âJã}ô`mÛ>&ÖVX w/ú>&š—Šé”ìV‚æ¤Çv »ª?SÙ> %lìgœÔ«¦5þd´YN'ÝOß¹ÎlfôwõrSÆþV²yËX¡Zo’c{]êN^ ‰W1,•Ç™Ÿ¿:儚Þò”hÏ™k<ѧ ´Ï@²â”BVš›Ta+Ãléß¹·¥áE‡ÚϾ¦nO!kç9ñ« òiHÖ‹×C,3£ˆJëk3¤&Ø\°º#ÿSܲ¾:,þ\(:ĵñt5–-Gmá³¢íªÿXL~'<VIZb|BajtùDµöÿ¡#ž ¤‰7¯Ò#]U\¦£yVç˜XDÍKtÎ)XÊ­•â™,(0èi|~Na:%H `Nà`Ó,gµ1T ZNWì ·[|¹KËeJÇ CÉ7º–þõ¾ªñé#ööÎtýÊZtúãÎdˆ´'~ ‰=m›Ì’ðëIôþß_  ’F;ä$½ „#Õ2’zýmêXC=‡û,’°W&CÓÛ”~º¿s Aû‹-ø£‡ÚÛÑuïm©âR½TZ£E¯ #f,"x½k\8(d  ôÌ„ R{(qX.Ø€©–¨‡A‚¢ekf$YÐu:ÜÜà{aú”OEØ‹ÎàA“½s´O»ŒÉ-ŽÐ&(¡óóôFå ³M,”ŸS¨ÖÛ8¡H«ÞÑ>tªy¨Ñð-Üc$q#‰u„ãÁUt§ý"º^ÍxðÉÍ8¢ahQÒà â’rZM0?*Ö³½§Œ^°µ<ûéUO€tÒ5£Ê‘9²M+dšSËèx\ŽBÕáÿÛθ:ÖÀJ À¬b’*×îÃ.ÕUÒÆl’wíÌaKYw*uÚîºUýJVI½ît™»}™ß!~ÀŒ§|bÛ8¿³ðêh¯­GÑú'µÂ wT%C§È»h”î¶«ý³O¬;Ëâðࡸw,Èñ|ñ†ªkbE5 €5›2\” òèò"Z­—H\ÞRuµØíHW˜ìÇ®ÆqŽ^Pf<+ÑUŸg‰ÉñA÷5™šÁeõÝÒ‘" ” ¯Ò<bšÌv8Õ¢Z×88ÙÝ¥¿?Øùá8jefáJK¨êŸí¿ôwôƒ^a Vª):÷|ÂxÃa-·¬íì¥|‡Ë3ÝçöEpSYÚy ÐfU˜ pÓ—ñbôd‹}òdž„­ÉË(Ñ»GX¸Ç›ÝK@ûm?´]ý†Õlá†vÙÄ&3[ÓjÁ9íM£–ôöͼ ¢#—šÃ£fwiÆ„ÌÓ)5–sD*Þ6ðë;nw€v»´ˆÑ—7ö[Ï–äÃ.Ou/:Nq'Q‚1v…c†þZç1P¦f³Õ9qt ß~O™ò#›:ÂŽ²^É–pXNp´šÐŒë¨BiÔÔÂ*gÜë±Y§çDWîŒÒnò2±¼ÓÓ‹Ó0ªŒçjÜc½YXnl‘ï!G3Ñ®:$ ê,¬éªÊŸB…'æ.ÐV jmSòÔ£!µõ1œ/Ëþ3¼!¥_·)k’ÓÝËô¨Š}¤8,‰ [ŽX\8íšgƒ«ä#3µµZUC‘€*ÛªYøéÿ~$ž¹wRé÷^ïÿõöv\¨ð†²‰ &áнœµ³DsgQ|•¥=¦X–¼ ´ïx¤Lñ¨ÃÊRÖ*7s+ߨ¸éq’_Ç9ÆÊKÚíÎÈdzÁúì¥A ÓƒfçÀ ”·3†æÜ„Né$nìÃqš'ã[®©œ"U“ìá8¤l£Ñbw’£ÛF½»çŠƒÑÓ\êŠÛÍ¢Ÿ]6%ìߦԫý{ÄyÝDóV @æUþ´&@¤®ö’«Õáè„oþ¶¾̳CÞ–õn6º%c“¤G!é¹qÅõÞê!žÃvŽuýÏóªÌàš*Œ¢I·¢nk1Õ;VâM†3ÛëJ}æÇ·*9š³àêþŸÆ)· sÜ”ypYKæÚÃA(˺å×§Ñêê茪/k/ªëK”þmIjaÉSVLòD;áFpŸ½CJ!ư€|1¢q“ü)î\SôãªæÿaP‹þ¸!KÓR={Y䳄XWë bžö‚šw©mðгDáÍ/ø¾å]]•’‚=Ùõí €W³óuÛÁÒ}l(6ÜV)dô(ø)èf¡ÌŠÒz—ª*¡Š©ñóØ)]HÒK„\=ššS½¶@U¸ì´ì-v,:ç.”X×µ/Å:REáë&hÓ'æõ*_̦Ï3û”y0cL(Ÿ´æâB*T­B2 fª@¿Îá¯Ì³2GònA¿ÕÑGá/Ìvº2¶¢RÝ!m£ÀMYõº‰É›õIÖàÍ(ÎÇEÕÆ˜™»B¸øhçÅÁþwÛ þ‹¯åÍ–Ÿ‘ÊÏV5×Ep/Ú'竜2=&cDm×1]ðçè$ rNq Á†:ïÊ·ó^îßs ËÞ¢œD&p"¦e‘©Ì c²ÇÜåšsRÀü7= LU§³(áP?‰‹#}˜•†±ìVÈVŸx R¯àÕÄDF‡vÉ|‡r³‹dl Xg^°nbÎÆâIFuo«Ðÿ\ÞG°Z[Nñ¯L]†!SôIq YÆû $+æZ7Ç(Gð ÖÏðTYðN«ND dÒ-†TŠÔÏ å ÉM æP¡Í¥ÐVa%³ñô’ƒÀ\m(DÚr»+a±ŠG>d»:ü‹¶ÇqÚUôí awîª ýhÍ¥qšW}9¿òòÏU]~¼âòãÔ–êÌ£²üì ˰ûŠQ‰ÏTˆOÓrÿ¸wp{D¶4d8X'ÑAè‹"ja<Íd[4ï %³¡oOÙ¿…7¨LzºTwúñÊRßDÑMÆÙ€Â¦¨í ÛÄ”´­ÖùW‡œ•­±ÒµNQ³ž“ë—²À‚C4Ìph~„T5Z]´ÚNŠt”¦s‰+妬Ȍe3驉3ÌF?hQâYÞÞ3¡tRS# rCÀ?iý[‰÷°ˆ…ಳǔ""èÀ“±öx³¸w‰T€|ï¥&Wƒ_Y ج<ËÆNmž}pÉ€fÈ&1«ÿ”ל¤ ±zº¾:j Ýä5)¾…PcnΗrd̦Œ¤© ãÈÖ%÷NÝóù+¯7RbôÇj@[_nwË jËå£M,xªíÖj·íÕ‘¹ŒXËTmÏ5ÆÖA#Ô¦Õ„5È£à þõƒ<šå`qcq¸>—Fà០F¹1sÚ8”ïvÍ3}ÆøSùl–ö0òÎ×<‡ëîgÞ~ÄùÈbr~Ì0Ûiš™ge_¦¦µgJˆ¿Ú5õqÎS±ëFqQ :#{)O§gT$“^ÖRÌ9ʨ©br• Ñ H'ÈÐÈæÝfJ‘§ã%%¿_À`²=h—NOâR?º{¥dQ±]I¢Nu-OЭ>ÿ¿ojïra0Ò Òpšvù-Ü,¼>=]}ƒÖE¯wZÿ·~³Åo–€g®ëâ " ë«ÕÇ šrvâ³¢þ§–?cvö†‡'8e™\ólîELq°wœl7Ëñ(¡GJv9ÆâM¤_ð*îŽ)¦œ›Ã‰mºômÈ®„baäžMCÜŽ —a1'ÁÍ{-ªà Òžï©müTp3œƒ'k‡NÇ [Ð\)´¤n8Òå½Ü9ùq…ÛÁÔS0# å\ªã<è’¸HÑ2'ù…™Ô©u6Áb¥,º§O­æc•£RBš"~:<&ÔÉɺRYØð>À(a|ÅìÉ5ÈÐ.jE˜ê$ YA^ð$z¹ÇÍ(U”ÀX«ˆpŸg%6^d+B(27®ˆt†*`ÎáÅFÅ*G?iÇÊ ¶–Éh¬rð_÷ VÜV ï±"y VîD"ˆ+Ëý8E_•a¶²ÜîAÚ&1üýÆËß–Œ¨o5°-ž àÕ‹ Í™20LhÍ{+‘qIèq4àømz=È΀£(¶Èj_Ü8(h¦«ßQ¤yØÛÃ%³Ú±Ü"²2ªÉÇ϶º”ìmhu|÷O£Rƒ«E–.Í@¼{æP—¦z·}[ §ÂEZ׋ò=¢8h¯""CàT€˜6–pÚœ±ð£ ¤Ò0œ{NÙLñ91˲©Ët*W Âëá#D‹ô\%NÈœ¾Ü r>¦FÑ ‰j o¦¡pjùŸD|[BÀ`0NUòrfIcg-åxE¶4ph’½ç—±QÎ:†c7Iìš 9³&d‹SƬO>ž›(a?(îÆ¥å›Ez†ŽvþUF ãÐsp)õ4 „-'b(I–‹Î<"Ç+¥¡e>*s¬qj.«XÈÚáv@’·¶²÷J¦=‹V«ˆ2ÐØ(ãn˜ ®¶´W÷­ßKØ…k†‘TP/ÀMÇaÉ5•t†lLR kf3ÍQ Ã`\ëÛ{êèT9ß/rCØ)ò`úr±k8ëÊXKæ„¡×g)×™l)áy…Í<ºK<æd®²‚pª(7ku0Tæ}ަgj·vvÎc•t©Ú¾àdf[ K8à=;§ÉbjUŒ„oj#»í9E—7Áš¦+È’Öœøƒ„éoNœÉ-E ãynÛP1#“טæ#êlU9ŠŠc™.ynWÇŠ5›Q½^6“œgTrH¼‹€=M…*Æ)arñB&(áH6*ž"Êòô£Ì ;ŒHÁ±‡ðì«•pü¹8KýØzìQ„©ÔeÚó/¥ÛØ„t/3%±c=y‰è+‚|LÝ–L¹±[gNÝGÚ˜ôg³ÂœèøçF)Ëñ=¨6ÚÝz ©ýB(ägÉ õHÒ¸ÜrÝ7–Ä ½·vÒ{ôgF­Y¨»¾'ò,²ý!ëjtM!òUø^Í{êÄÀX¼§CîÛœ£?zªI0ë3^´D3‰r,HKSÅ*‰L5Ú‚W*cYËÚ|'Ê]…ßf³R¸†ðWm.?z~øl¯ŽS0#ëPªx”ÚQ¹ý$‹tÆ1@0§®Œ«Y7kB'A·©§K€¯í¯µ(àXMs//»’¾ŸìüPÀ‚¹®0Âo/9OÑ" ˜t/µ €³ÔbÉ%X¤ã ¼vÏ‚2‰)|–Á¥õ.EÁ8 ;áíÀ™ µ{ªûîEÝË,í&bø"c!‘Rh¯@ˆJÖBÑH‚ÜOVj”m·›=#ЏpPä è‡Rƒb¹iO…s¨Ý3‰fâ⤉£N³\Ç| Úߎކ½‰o!·0P 1Î[œÃ&ý8GsŠ ˜ÒùF;û?¯èFuöÆ{ª)Tr"AL˨ô!ÃrT¸pMB„¹Þ÷(7#lj€÷j¸JªÒ*ò&Rƒ­Œl'aOÒ‹I.ÑÂDË'ëÔ’®ÇñÎìwqE²£êL¥ëRûFMâÖ:F”k @e¬þµj•aÆE©{÷îEßíý°ÿ":Øÿã]!ÌF»‡/¾ßÿaËc-ì”îšnoÃÝ#íî½x6O«ó‚¦â÷÷vŠë?^„Kìè9Ìž<¡3øOŸÐÕñvÞ±rߨ¯Êº€þ¡$¹[µ{„a¶ À?} wÙJI‡O´µ¯ö†½­Ú_ø?`<ÎH—ŠÖ£öÃöúÚêΫ“Žÿò™þ[ƒÿ>¼7m¬Ùñ¿ûkþ²¾yóáÆÃ øñ—µõûð*úËÿ¦ÿd2úïÿ’ÿ5å]çéxŒ ·Ñh4ñ]–\R!ö¤È/¶Œ]šgÔñ!BŃŽhŠª¶ž% <[?%)âÜvWäê©Ú<=è)5ès@¡íÚ®rïŽPt€Ä/kJ÷¯€6x§=à»0ÇΰüRdgè/ñuÌ¿Çã§P³ßºò.tí\ 3(ÿ~y†¼è>Åía2¦2·ÑAJ-Ü>…¡]&×Ì‹¿~—ǽ~rp5¾ìÜ{Šÿ´ |½´'ï°Ô.©ç鸋Ißs,/ÚõÂÓ.ÜY6ŸÙØòë.½xz÷{@Ÿ´'×Y»C¹ËÐñód §ýJ øéé*ÅÃì†[{Ó¤ýÇ·Ü _Ãú<`æ‹I:é¶“ÞŠd“‹è ‰ácÿi·hgÅur‘ñ·=è;Ú…G_'ðØá^ÃÚ%9s{HžO ‹ãq<‚qà¯âi‚éweBßÇgyú{šEðOÑ×ççôpÿéY?ËPÂÁkù}ßEÇÝË89ÇEz— >1Ú«ó°=pû UD__Яö9¥r˜ËßÇùp2€rü»}N¿Ÿ"$ Ь†KÿØþ¯vt0‰¾¾üµßFìì´e@¶ ÿ<»ƒv–_ð§ÖK4iŠ^¤ý‚ørô4¾I ®»@ùS W5Üà_§°ô×üƒ«»0 ® ×§Ôskÿ_$ƒÝÍ®q–Ñ׿âÏûëkO»üÛ àú/$‹H.èöõ¯ð³}!?ŸHý/8a8Á“+ãX¥W—“§h.•ðÿ+À˜r¸ú¨ÓtÐȯ§×gÉ Èú¼/d‚ÿ•ÁîE?ÁiÁ »¦¿OÓ1ôØíÇgí¦qX¤ˆþ‘Œà†‚-ëãÏ+þe/óÁ¤GßÅ9Þ:PjÒù=ɳ§äëñrý=ë^¹‹YD8èW÷i6½ãFžÇ€ž§B0ú? PçPfä ×Ïf“`úãßmùý4ÂåÙ>ϱ`ž¼ƒË´ê`;Onž~»i÷üvý˜åCüpóô·  ¾”?È~_¢} ¿žâôs™Ðóô–z…`çX·'üûéE:*â.#€ïÑ\Ø#ÕË$]0º~Š+?â¸Wøâ)rA°¡—Xô ú8ŠÓâÝds~z „ Ј¼l/Ù÷UÄ/_Oøáéð æöò2í§£Qôß1œÖ~@uô;<>MS8 ´žG0ä,úïô*ûu˜]Íú5N"{ZŒÒ^’ü1 eÐφ@€"ø –Ù pœœ¢†ã§€kÿºP¯ž’ïÌ(Kÿt¡ì% ®ƒäêÊÀãSü§?¥¥1šÑ.뻿.ðàNüålÄIüÃ:E¿dð/Ìn̿۷ô»ýû¯°ZC ÆèOâÉøê¶Ðüßiÿ¶Àòò¢ý;¾°ç ðëhBii7ÞèŒ €È«6<·aŸ€r›ŒÇÀ0ìœ\fy·íýoǯÇqg0ukÏLÍ¿Fzÿ)\¯p!Qõ .K€æ1]zô›ÝÆO'ggteü2þ)žžc@v׿Åío±=Ø_!e“›èë[x„C3¹qê/ÿùïÿ_þ ÒÿÌÓµ‹ÉÙg#=x¦ÿ××nlljúÿÁÚ# ÿ77ï?úýÿgüwŒ^‹K` wm^ž+ø Ä ºUè{QåG·œågý«¯6Zkë÷£ïó$‰Ž³óñ5Jš¾G+3jc%Úv`GуÑvË·Ö7Zk›b&*Ö¬(8Çf iæI„R94\ƒë,-„k@>ˆ¬U¸8€ñe 4Ãá2É6;A‹o1:EÛZ6»íG/'gh*wv“!È(¢¾K™ UMøõ”ÄNJ¬¾©ºö0¾´±qØy”°Ú¹|sNx©Ù&Ë^š¶eag&¨u»HRˆxl¬sL ´‡YAc|hå§}`Ù_D;/~‰~Ú9:ÚyqòË­B§"vñ6ÚiÂÍM¡¶ òó½£Ý¡ÆÎwûû'¿ <ìûý“{ÇÇÑ÷‡GÑNôrçèd÷ÕÁÎQôòÕÑËÃã=Ë,VV›4—Ööœv‡dŽbsþ¶SôÅdíŸ'Ý$½B1W„q°fï´“9¾xG™%|"Á+¤Èúúr<m­®^__·/†¼ÞVûÜD±ú f•\$í%ik7¡ýRŠÓê1¬`O°Ãµ{Öž›l+¸î9š™Ú`Éò.úœØ ©Ð¢¶øÎdœa©:&(âþ¤G'€À]@¥ƒf,4‰D;=`݉ìGcg0~„úJ»'ÂÍ=½bl ™1õMZèóY+Jé=‚ffîÜŠunë?¼<¸Ú¬/µIR-6î¥ü‘g&Mõ×¼B-yõTöQvÏÅY¢‚š‚Á8»   %ÎM{Ë>¾%ˆÓŽÑ»á–S'#/ŽÅEÇ‘¥¦c¶¥nIÖ=ÊStŠ9ØMó/Hr[Œaårv†á˜œ]Ö±5í¶`5C‚Ô$dP<n:É'Ýn‚ödrÐo^H–#Ä?°í–FÐh‹ò”#Ê¡¹¯ˆBÆ—úôÀËëälõÛѶP ðâI¼ <þYgÔ¨~r¾mè‡'—gÛ?îí<+áw’ƒy51Ы¼Ÿ€Fq÷,ŠqÉ\.éfCÚ=±.Ù}ùŠ]‡ÈCŠQiئ‚N†e„¾@éð­i¹—#/SOê¢Á¥ßCãéG çdŒpŠZ¶NDiyf’/«yÁ^aOuòúÓÙR©îuä6ÙÍèÜB«“”®â˜â¤cÔ9–‹Ò uÆR·XÍ3””ÄòJt‘ä¨MW[ â‘^T´ Î&bNL³a F2ÇÈ‘{¹GŒÎGPúÆVYŽÐµ»Ö9ùåå^ëù΋Wßïìž¼:Ú;j¾Ü;Ú9ÙñCçø—ã“½çˆKHuI¢G”­+ÔÌ0¹Fw¸Y[„^§7û÷½£{¡ÖÙ_æ:—0[$×"H9Wç~†•Ú Ù~ËkA˜Ü\WÚË«++˜$e‚g|»~Z{…[Qc-z}øòdÿðÅ„ØÖóïq¶0F×.°s°¿s\«íNCVìâQ;t4‹Zr¶.W¢V‹ê?…;Ò‚ +åR]Aù1–G’¬E4™.OX{™‹¨+Y¯þÖWØÄêO½NPðgWªÑù²å‚ê<˜¾^«I‹¸®xb Љš¦\‚•ûšT©ó<¢³GÌ6ȹS¢tB÷||¨s:I/kаzBŸè.¬÷1LšTÖõšœ¾m OmnÓU– V€K4Î 7 \#ZâoÜ‹Zãh-KÖY­+³[ÞËOôÓmMêV½èõHB}‹-„¨wUª'˵l±ÓKêñ²T“Vݯ-©¤Ðä‹ÉD P3è‡Úgi£¸LÏÇO8&‹®--Ü‹^!Í1îa\]¼½GãÆ+½\ÑŽ·QôSÏõN¤®Kâ`×#eâ¶ÜGµÉW‹>N9e(Nâåâ’9Rï)dK÷ZÛé½±ît¡;0ƒ´FOÖ)l Á[~¶|mÉž Qu6˜ÉžHôÍß6ŒUÇ:6·N¦ÁZ‹Éµ1ÚépTõ¢ª>ÇáÆì”q;‹TÔÛt5^Ä*Ú/bËÝÃç/‘©Ah><ƃ£Púq´8ô¸„×öb @¶eR÷ÈT…‚Uø×€¦>K:Y!¸cvŒ^Àa Z§‹¯ÿÙz³Ü¢)ŒÁÆ*`{^MUŸÏ ½õÛð¡Îßä¦xÌü@ U–öÌ‹^šŒ1ؤ~7üÆhYÂï`Z}SeÒÅ øŸÂo¤ÓwˆÔΊ޲zm¾&cû÷“Š +]‘õ (œÅU€ÝË8+ðUVl´’M6Þµ†ÙU,à ëÙÒKCoÎâ"ív¨ï´Øë«’ ŽÀYÖ°E359 ü:lM†ï†ÙõÐt,3›Õ,·ÓXUƒ8}5œZh’UÞ°^Aðk/·V[ª´3ÄbO”É•9L÷îEɸYX wÜ_Ø“Uà³$´É–ØEF­(IÌcDÙK¬›¶—t ¶#hm®¯­E×YþŽcSÔc¬nº'º Õ„Ù|ÖÄ~…šAžEŠr*¡Í‰#âŽÛŸº'Wÿ ½.{;·ñ)íMz悔nι^{€`/g™?õÖ×®à]o“ÿô±`¯­?¼¹áÉ(…IÂVÓ¯ó´‡4Åy¾¹F®øõåc #üû€ÿŽF±üYo¿^[#?pYôÓëáµz¯†|™ÜÄ™Œ:Ý|„¥ÓÇéÏWüG—MGïðÅokk²ØïÖT¦§>/F_/F Ö pKàO.ˆ0ƒ“¶FcÇ#‡?ðÄ7¿á‹3üGiÎ"HaãßdDÿ¢}:7yÄÎyHÎÔC_ú‰)½þÐ<dò”µ^gÝqB¢+û§W$OíøË-?øŠ'm~¹ÊÔ£ÿéþºU™–ŠlºE6ËE¬9Eðg©ÈWno˜iÓvëçÒÇÜùœ \}ežÎÌã•*<á‡q|™áHÇ)ß1ð÷~x åïcÜ·q®ðûä j_¯àêˆøO¢þ®«‡ õPè7W›R/-Ò‰`ýëDÒÍc(}.ùÐ/ØDÿÿá«7å:´Y-wRn7:6ð÷²«žÖ7ôýT¬oàÊ ¯€ŒÆC{íŒî°PH®3ÓócèY.Ø5ò‡oäçæ·Òí&ÝñƒŒ®èþ¿~ø€öè’E Šõ¡Žß#Cgžäô›§K,óû/q~ò´¹¡:qúð~ËæGjp±€T›˜@~úUþð™ña"VOWc¾Ï|@ŽÐý%“Õ¢®Ê<¢ú‰ì Ìáþç‡â¡:¹^áâ’^(–Ný@®Ð~–5Q=—(?ôƒÙdÖõOdåQ¦Ç<£®9R7¹°ˆöó™ýãÊüîÑüþÑi ™HçÅÕcSøê+ûùÌþ!í_ñ7ߪFˆ«Ô?RuË“©žXôãCýd®ÜqÚO4 !S žª~#cIÕ‰Ã4Oëæ±0ÖãÕ¦n#ÖÛÏœ©úE¼©úq#—3“Ëüˆ¬*?Ác®bͺò7b^õln ü+K%~lj/݈õÅùâGÑÏÎàžw/°•nïÈ%û½+{]E˜sLGËZ씋±°#}E —Kê±’y×>Z÷±ý"0‡Ç0ÜÍÇÏŠ^y´)|ðx6('£Ý$ Ü#–Wâ4…@2u´oÈžu¨z¿^ŒŠ›ô]aP}A%U­ÑÍí*þ ð¼g“¾¢wÎ²âÆª½,µ—©LŪXÕíI&gƒlXMZ˜ ªJ(¤-×`Ù-ý[BTl§Ÿ¡{ªh.«*ë J÷Øb$+ýÀï+¦ŒQ=16“ &+T›ç7Ðf`§P†ëÒ×pç§•ª¿ Égà&E.˜?–)·‹,tµ¸–‘â—›kÖÈF[[ãº5Y¤½® ´ƒÖº$¿Àšæ^ÝAa×»[a¾Š7|pÍ•=>˜Ö#ÙƒWœZþçˉS+ârd«¦˜©œ ¿TãrTIë*XÆÔy÷YÒ?¤J°~Wíàš=ίÞmø-¼Û\¯¨/ܰS}óõFu‡þª|õî¡×ÛÃ;÷~d7a¿˜µN­êuMY OH¥ª´6TwŽf£’mZµáý ù½yÄò¿ùJÊëGxÿÕ&¿üjóó ‹Öx}óá#™³óféN­èu{|ÇÅä?¢,hñ®ýѦU +Îg †ñ칩Š¥PÊShލûfƒÁd. ‘-ƒÐ5+/¸O‘pÐÅÊžZ·.}T¥ã °I:è͵ŠmÄÊË:Hò~H¼Ã4Õdœ¼ Ôq¶ü¾´ú&…¦õŒ0ãí,Á¥ûcA»Z4s()æVê&ó4taS9=ÏãARy¥g=©²\öjÀD¾ÏÓ'êïGø:,àŽm.·ª±_´ßPÕUÖ;[ÐN ~zsžÈx‘·ŠÉåþQÒ£ìü\×ÊG—!žN‰ð¼mââºòMšœe!¿”êrimK×›-m¥BÆøîãvê­Æ-kàÍ„e(£Š_So\*~¥Jãn€á$SÏf ª:ÝhéûuÆ_×(»£ÃjÍuÛpiS†’N„1V.²a…üËDÃÊoè†û›B²rµª­ü$zutÖ«"ÇÇãT:«X[« Æi «ƒ¨e¨"Lé³®òÕãi·¹*ÓZ®(uWå@ó8%z{„Vúï蟇tÝUˆ¬Xw7§ Ÿ­fàÐ`KXÿ!;pÄãË>©#ø¡³ ”c¥ÈúóNþ°Õ/Û ár—ÿÁÇ/?¬wÎÝ=TæE¼h­ªEûÈÞÒ”;“Õµ¤î·ÍÏÝuЊƒ6ãÎ ÐÌhè\?„d—B˜×òŒØÙlÔ=K–fïR—«´¦¨íï<#ri3Æ‹éxÌ¿¡-ûC‹¿TvÜOÊ#öì"©)c‡1zàˆÃÍK\ôDUÅ?ªw{‘à—µ~ТûqÖ’½e`Ìî:ªN¦¬$U¹ólŠ*ý·aIƒÏ22²„¼GÆHøgéEn¸F|œ­T²+§|G6:¼F¿‚*©O‘&ƒD«Æò1\üTn¢e¯Y®bó+²ûÛü*¨Å¡÷né)~SUþÆ®o|µx¥á_q¶ž¦68wÁ,Χ×ðýÌŠ^RY(ø\²8(’´jõ-ÉLRM,‰¹Udc,*—•ŠºâòAhÆðºt6Ñ@:T²„xŒ¹óuNñ?ÒA‘©ØHŠO-ENâÆŠGó)Å7tIêi’ûãoTssSŒsÌ¿XAsË×€àC{W²½5úW† Ü}“áF%¿­b€Uf”¤q£eϦSíþ¼Õî›j›U½½›Ò×fU_ï¦ôt?ØóÕ]Ýv¬e÷VÝ”ª¹œî!ü©ú;[5cdªM"úù!%ÿЏ—O†ÃŒ1„©}@ˆè[PejVÜÉ8¿‰{|CÐñfH˜.®š•ÝC¦pã)¦pä¶pGdOSµq³ùU““‹4ØU¨ºxé~Ãî¬W™\ݼë‡L®ÆH× Æ :zs£JÂ@ÒVª0:Ÿ~R#uÁ 9Õ¹H)æßf•ÕùíDã¾ò ¾z¼Î¢Ö.>—ðÖ’\Z^áWñM@çŠ.#½ ó*dâ–¾Ò×ÝÕh´üþêþ?t Ï7×Ö[ç“_Óq¡`C.£jÉ_Õ½%¿*-ÂgÔ«ÞžªŠ×„œ'>h]÷«|ý]¯«EP1$¨» êQ¦é×n(´»ìHbv幄ÁÝ^'ý¾€zØóƒAÝQ¯‚w'×^…[Ö\Ÿ·ƒ€­: U!ò":º\ï÷²k@:ÐõÖ¦Ô[«¬‡[f¡ %X4j…L¦0¨ìL¤b­Úq[1¼ûLbQG@?Åœ&F?µBI~í&V0?çö\‘ØV–ç&Pn3ˆÍ`Z| :Ø fÔŸjø!ó&ßðN:‹œÊ¢±Û9/‘ä©`0ÈÕ£zkW?K".xs`]UQXß´W*œ¼{—é>T¾ üa?ã\dZÙë0+ntX~6„Á•¸QpM$e@ŸA%‹ÏR·Œ¬Ì‘õϹH¢Ÿ(ú1V6LΛR`â»࿹"µMlj,y’pžô1ÈôV\Ç—7?òÞÿBŸL¯ôíŵ íÉb%‚jè{ù@ì ly2ð–Nx¿eýüð¾ŒÞÊcÒò²§Ø øiSZnΔ–›"ÅY±›Ñ£™Dy”(¤Ò{'³`ã>·&ÅìV%õJÈÉ/cX9F½8Wßoðtì¼dÅ»t¬ò+Hë#µ6ÚÜÇC nBqèãGèîF¿dŸ¾V:öÖ?+¸ý+i`÷êÔr2î~$ïØjRÐ&ÐRsÁèN #€ÜK ¯ ¢N1Wì©ioòŸGœuƒ!ºGÆ,çý[o ÞÝÊ .ãôLÞ3 +¤~&y<ä`ŒÓ|Ì¡Ä1°Æ á|eÉ´‹oƵǷùoA½Šä¤±+“Ž+Veé>g ’+”ìàZ*ÕÐ’õb:ùÞK-›¬áìì~ç ÷I¤A&I ùœ_=~œ»Û ñÚ”oÍœM.Iùß¾rlšXqWŸÈk¡.RÉÅ2ZŠ!ÍçøœãågÖš˜¾Pà=õc­„›“iÉ«·NÙé]TRjL[<˜A‡REŽnøµÎQû¡ª½iÕ<¤fÇ?)Ÿ.–o¦€e‡›Ü5d,ý2µÎžH¬zôÛúlÒ¤ñ8y§ßS^V„>ÄÝÔÿ7A9Z²ÓJ À?õŠÝöûHìZ8¿PL|¯»îXáùqáïúÐqÎ+Ñ·+„§¿‘ïgµa>š©Ã³&ã_æI‘äWâÇA1”–‰àm:¹ô4°Ð{²sæíåu˜•ñÈl”Ñ´€¤‹ÃˆïŠÙ«>ø ú`'ða3\㶪Ž$‘¥o]Ê@\C˰ Äp,™AÙ°¨wZÐ\àËr&¿ÖĨ§ZaŒ–òÁh¹>ž£“ÙKå8+­ß¯Y¢>Ð ýD¼/<ÏɼÞBù"ùÕ"LÆ=ŽrÌIÈ٘߶š‘dØ31fá€I; 6ÍbÕÑ Ï!Ø~fÅüÂLi6C]Îû%I´1€- œX˜cœØ[í$±2íê4ƒW \SyÔäy2÷o19䨈0fuœÁG8$inå¼…÷#ʲÌIb¯ãÛ•’ ;Ê •º¬§[Q-P&ÞÙX¥s§âÍ3󦜇vœßê¢î$³­3½X@·ÐL/ú’$WÅôÞ” ÛH$ë!=mtÆÑd„ÂsàW ‹Tzd»`×1éO\–µ#;15'H9Ë®0;e¥/Ò L®ó]Ã@9»ÚìP‰@}PÔd€„&´7L®0$æ®Î$É;,Ó¸]«ä¹t©lB3š„^/Ã]’åC»‰Ç[ooè¨IƒevY Ø$Ó×"¤æ*ÒÁ½¬˜z*&gW%atËcÒ1gËŸT„¾@s*b_øÓÃð—>=KÎ9Zt-£ô?°ÉoÛ¢…0m8Úg‰¹TVr¿O}gaÍ}½Èƒ‡—%l•ÆvÄåÚ.¨êKŽ­E{Ín@lL–BFÔ>åm ìÓ …š²ý¹•üZäjZçe4@Ç\³´ÒgzY“AkŒ¸ðŸJÔÎy©5~v.Hkr9°.ëíuÝ뙾ZÎ %´Ìä¶Nð†?ô§ôl WI_~ˬÜÒ›ßúëu¢ eGñ»ìåÅó¿fïÒŠ/—£¥r„…eÛB9:( Q™—%Àà2Z;ðo š·lÇ–Y¶œ,$Ý2¦\ †~˜¾Ðpza N2†HwÔe;3&'aG\Â1“a¬[ÕÞX6ù¨¿Z–~´Šc3Œ®¤ÜÐþP¿¾°rú3´ËUጠ*NÀ2ÛvWPë¶Ê$õ²D} }).ôþ¢,×¼gCÓY¸¬óB–×WE3 [\~꺙3ÙÒ1^n6ø4kKÆÞZor¾ Q…ŒI4ÑyZAÑ­w})PyÇêö‚/M|V ú•è $Âà-Q0FIÄ)[Gi÷Uég)çš¶ŠÔ˜FÚVš×jÍ™¥EtݔȔ Ò Ý·ô‚„ÂɺeX3«K Xþ= éR¬E×¥Î¿Šº©¿“ÔÞùN)ôwüM) ñ˜ïÚHV*OF¢œé¤pJô.ìï¤Cp¾+O|]„N™¡ÓIä¼qÚ²F¿ª„Êøg¶Gñé2Ša¬j#¬JPÒ@§&Û+éš±¿ZJ‡möePÌÜ#CêúûSjïnœžiG|ìÍœK`­í~]IÞÜÊáz±*§mµÁm®ÖßÚ:á@U”"×…(å€rÊ#»„rb ^%À$mE‹q¯×ºÌ²wQó:Gëêó´ŸÐ‹"jb(à0ˆ]]пðß|¼Õ)V0¾ÙnÖÝ瘋üuë¶õ×µþÓó ÁD U݃ÇÚ_þóߟ÷_?=‹ÇÙà(úÖ£öÃöúÚj:„é÷[ÅågéˆóµGàßÍGkö_|¼ÿ`có/ë›÷7n<Üx°öè/kë››6ÿý¯ZHžÌšþû¿ä¿{_¬ž¥ÃÕâNŸl{ÔÒO1J2.ò¸ò¢›§£ñ ²)=@uˆ j5~)âÉí Ø¸ÖúFkãA{cóIt/zu²[« ™åéfJEû̽þóúúуhqŽW'ã´¿ÊM öÚÅåÒŠD.¿Ž h…ì¢<é'1âÂtHM<Œoº«,‘↬´ø¥vÏΟns²OA¢©ŸvªLÚµ{PhWZÜ]ŠÖ¿úê~ô3¼YŽŽ’Tæe’àÒ¢DÈIdÎn#X£á8é­D¨1&ƒÉËx R¡©꟠Bv†v88ˆ˜†Í‘ˆ*²sRp<ö¢ÈºiŒ_{Yw‚¶á²Ñ"’mõc©A"  šê%€Ýa]ð«ú¨ƒÑ瀢󴋭 5f·?éá8Ôç~ ;Á}ðzÑ2Pzª {F·+Ñ ë¥çø7¡É&gý´¸\‰à‡Æâ„—¾¤5%ªt5CZ)h#…Ñ‹PRPh× ×Æ KE=__ 8³IÎ'ùºM¨V/ƒ¥£^)ß Šg·‡¬ÙÀëNƒ$´²àÈd±ÐÐ(e2[,ŸŠK<g‰¬Á4[³Êq dŒ™xÑ´;õgËpvòã^t|øýÉO;G{ÑþqôòèðûÏöžEõcø]_‰~Ú?ùñðÕI%Žv^œü~aÂá¿ï¿x¶íýüòhïø8:<‚ÆöŸ¿<Øßƒ·û/v^=ÛñCôÔ|qxì?ß?fO©Kilï›{¾w´û#üÜùnÿ`ÿä)~¿òÛýþð(Ú‰^îìï¾:Ø9Š^¾:zyx¼Cx ¿Øñýô³÷|ïÅ Z¿€—ÑÞ?àWtüãÎÁöÍÁÙ9|q|­¼z}·ÃÙùî`[‡¹ììì?_‰ží<ßù‡tB½#*ÆCŠ~úq^í¿€æv^D;»'û‡/pôÐòÉü\ÉèÊ?íï­D;GûǸßB¸ŽPã›Áz/öv[¸ Ø®³»P ¿:Þ3#z¶·sícvaÞÍ=²FƒC‹À†œÑÃK‰)åšÀƒVº h ÓËEÁoq0ë8-HZŸ³ý4Š^é°e12g܇ШJ•"TÐ"”~Qè±”pÂ(OQê”cniènoóôwÁ4¹œ=5ÒQm“Íaåø{ÄrˤÐâYDOdŸ,XˆD7bqž XŒ¸JBaDz„ô#Co JåÉy’ç°Š >_á‰cR \©æ ~—4£t0‚>q䓾º\ºyÂr똇doŸÖ”¯5*“b×(:g³jÚ,2ƒÅ*rNíAœ$cœ¢ÅœìwüL·«îHd½áÒR+‹( {„Ïœù£6ŽÏ¶› ÍÚ°¿Ý¬5kûßo×£¼m ûu¼2“qôìpÿÃ8ë:Röu–íc{ñ µ^–Ž·¨ò­ô¦“Ü$]xÏ[-üñ[~9lYð5¯ç amì çY—p™ °4¼Î#˜úå¼±r‚µdx•_JŠ`)Ж´{y‘cÈ èv÷ÇŽ^Òpèíø·‡þøüð™|„·ø˜ýñð§òÞÂÇnô¹49Àõ[y ïïzi.¯ŸÿýÙþ}¡·ðñJ}ù¿¾úPËòîè9½Ëjx—©¶OŽö¹yz K8ÊŠô¦CMn³n‘"°P§[€Þ0áûm¤e}ºƒÞ6/>5ô²ðÐ×Á}âñÂñW½ÁCZçu!­yw»Ö+ÆðOšw€è _üPÃ+®“ ;|N·ÏcÔ¶¥EgŒÄ ê@¸5³üv¦UdßÖj“"†²õÓÚ+|ØŠkÑë׈-ß´ÛíèuëäMt|´ûý> ògÇ'ø·†A›òRQ)uŒÏ°{»€ª©(Û›"vŪâ=]|ŸËÕöç¬Ãù@¾“i=R8:2ض*¹”üo3ïIa<Īoª¡F¤ëÜ"ô’8¨ÕGBeK«u™ôGôÄѨßò¡¥·Ø)òämUV)øuYõ"žgVq(ßêFÖ‹éÅ0è[Â/»ö…“ÈN6n€Uñ°.ŽlÛ‚~ ë…=wiWˆÀãF¸ÎÖ2q5H÷`?Iܳ ñ.Ñ©8½ÖEôÃÑá«—\¿¡1„wLè ¡‚Ti~Ø‹t%9"¡JXêdxe™:‚PBu° Õ)ìÉ5ô¹÷ëPY>õê¦CJ Ü‰Ýfž !h4¢°…lé®Ïìíž‹PYFCw`žö\•8ºT°iDi¬i ÆŒGF'FŒ¡>#¾H#º\@Àw¡È¯šÆ=´ÝŠÖžÀ½¥YÄ»Žä/nw óÍò3°LÂç“Dî-E E9ï/ šBŒu BõšZÇâ2=ët¶–"’vÕ„¯êOèˆDou©ÁáäíÆ†n†GO˜Z&Àÿ-7£&)êx ×åîbzj.óÇæ·ò÷usy©fo³Œdm še ìc‹»ªGhûà'+¨~Ò»ð\3\¹êXW¯N±éûÁÀ´þ<6Cßqÿ:¾-t!u›XˈæI@|»Å„ò&À]ò7i"ä4 o19ŠŒ90a|’ì­ÆÝÝàä³Û§‹§K_¼YÒh¯ªâó­ÜÉRÅɬÀ“àZ Ok€ l¹F´ZKÜ—îù ã;ýyy)Ýë.@h`¨±Õ§iLÏŽûê¡–¨FYªcän #Õ.ˆ®qÕ 3˜ö%Ú²ž¡/æ;ÄÊ­ÒðèèEÄ9¬GÒK†Ýä ßM©x •‹[vË„î/^i:œ\†5´†0C9Òõ'd†ƒu¿ò†™¯öYá­18Ýqjh9ƒ”¹u£Ø¸Ò, ØE€§Im¦:WX+úÛßd4¿›±–G‹ŠÝÁêÁ ûµB¤@ž ”¸&¿ )LAÜ}ÿaþnºÛV;cÓ£íbŒ²/‘‰S]$¾ZI«Z¦5úbVý*Y«%à»’ 2` ˆ¿h<ņ(½_~O„°goöÝxªœt’Áh|»Åî9ÄÌh:†B7XU¨©Np;w>¤Œæ§u«åšu¡e*Cï`즕?ü;ABbÓb‘[½¦æà|0»Úbã2é i^XKÂâ¾ ÁX•º_s¦ž•½0âèý{~Qoqm=ÚŽø>±F5ò¸ 4‹§¾oEûÊÁ9„ ¬5”UôPBxB½¬ƒõ¶›‹Œãód¼¤ð=<7¡È8GQ~l¯o|õÆÃUêÔ—õqsÍþ¸á~¼¿îÔÜô¾n:_Ôh;Q0ÄÅ;ôðŽyòÝÀ¤£BäY†:á$'+H 9 †‡“^áÐ$2  í· ¬]ÁÉÁ|]Î| –å`ÓíZˆ^4WÍ€ümÑOuÈnÿ|ò–Þ¿äʨC£†Ù”3µ ì¯õacC_w˜-ä¢Hœ­R4Œ Q4é Y'¿ÞVûŽLmùkó¯ÑÆÚZS¾ò‰Ì Þ&7#@&‹ÍèÑ£GQK¦ù×C6GÍ¥fÔÐm½UÓø— teòe~]9L–Š! ¶y·F˜þÓð&o54¦I{_¢œp%ü1C(Ýöe$ˆ’ ¬¤~ ÔO4ýæš‚àKÝ*ÕA³ÕI±Ýø¶&+'ð÷Sœ:Ã)Ù{†7#N‡³[º)V6焌£ºâœ¤-vSf‡TïR‡&ù õ´JÙ'„Á)ùËY¬š‚… žY‹Qú\2)0mž#åݺ¦T+â»*Œˆýô²D.ì›´OA„µÀÎ@¸p[ÙKèº*#[ÙiiZíÕþy‰ö1Èh,¼¥ØnÉܼO`±Q‰¦"f}{Ù„œ•2ºLˆÃ2"qV•;GõuÊeż{+î"k*!ŠÞ?Ñ>ð›ƒ×«oÏàü‘‚€·þ­SK†µš‡G¤Ñ·ðTÆI«ÊáózÃÿ.E²¤ŒÛéÅÍFQ{yíõÚÆü ß¶ÿìÖ7÷¨êʾMù?»<_y2/£èÔ)á5È_é„ï¯AAýncmz ¬à”w ¿ufºZ‹•‹¬uí³÷Öÿ„äN«§E°¤VK®-R+fju8 ÏÛ°bq[y˜¶®aÇuÃÙËLò¦Ö€îl3ûÚwJê· Mã¶~ (\Æ@:Èpÿ@¤ÁáñþÏÜwÔ!÷'ìËë›è,…§<¹ˆó^É?8!¼|ëyÍPÀ'_ V>iÄx,òHÿm®­-~h;­yÐà|ƒ{“å'Ï_>Û?j­Â‹hÚÑ8Úyñìðy«ÑpË#-ÝDZºñí“(à4ë neµW×Ï@—³ÚK®V‡“~ߦóûq„]—ñÛP—´þˆí“®bzÃl0®t«ed)2ÝÃPþ¶îÎÂ…©òÅ-Ї\×¥0:½Lºïˆ6â7»%´oYkÐ×ÿñeëÕÏÑúz{c“(Åý#häaû†ž à6F­(Ëà ‰ÙB΂"Œ˜!hbRAXÇ•Ä@ŽÞŠnµmÀQÄ)ªñ”v;êMÈ|&Žò¸›‘X;R„(Z¿©& š"3”¹“Ë'zÀàÖâ_ Eå*Ž›-ÒD_®¬­æ¤e’æX…Œö.éÍvsµií×ë–pÞV¶S5ê‹yoLÚ•4àù?W-ñmë¼$Ë•!Ú2\«Ì—çVK l^uÅIŠmõ×¢§Ø¬æœüŸð¼ÿŒ †Ìq:œ$Ä“jðßF¯L‰!†á¯eBÌŒ¤âÐ"£nû“ò­»¨$/S.þ;CþN–4;IõŒ8]„SšàuÆZa—YÜ#5‹øV;,»h£´(H8Lhw ‹FUÊ·Ùòi ì7ÙŒ·Âë”?@í©ü×l®^Ôß–®"«©îqTxΪþ`%š i¤icd ñYno« ‡Èš^õáÃÒ§nÍ,ú]/¢ú©I§6(éa-ÁvÖB»-Øí:wW&aqü³˜œ?,*T©£©c}¤ßi©Ë5U·&«ùÝšü®²f½˜îÐjs›i!³ZvÇlnåvÌïDðkº·—Ó ÊÂ@-ïé $µN¯}ç[> /Òï ^ç(÷ï'ñ|ø/³"1½“‚Θù¬‹•üÍÈè°Q™ûa x¶ VóR&ÕÔGü´¡[ ª±A)ŠôU„›zˆU_È_ൂ”“(°ÑÊ$¢aý'|²µ¤=bXy÷Œ”‘š ËZX<°+xÇgh|CîÔ—ùPÂiE{åsüz±%_$1"›éˆ©ÝèJôë„Â_ª(©¢ŒájÒ†]y¬íÌë à¦È£í Ýí¬a+}ܦTÖZ «²z7GÏó7« ³—­Ý±A=c=Â>‚% ©tÌbxüÊ6FXµ¸á!Y87ë÷¶ßìvv¶w#dVzý9ùTÀ"°ßZõ†ÉuU=ÚĪzLdy/~Ž0<.8œ­ÆÆVãþVãÁVãa¹ ж  ö?¥à—v gö{ÌRAݺõ¹!Æ´jÖf!Á„uzˆÄD#ÄØBáA9:¥Øf 5‹€X@SWEÑȬ5E”î09÷ÅÄý úk`À=[tp…ZðæX•ÃpµtöÝãñIÿœ‹@#ä–£8ŽØ2Ö¼‡n§˜ŒÈʯu®&÷‡ED¼®!gÙb 4è#ôÒï‰ÑüØÑ”ô³®³Z$ûL88 é¼€A­:‚>6‡'<öÓá;™Ê4qêV*‚Žr·û¤q°F #TLŠ[¢âé ZMÀ†¢¢Qñ+@BrE6 袂{ŠÛ"òéLBë4ZM±9Ççq=¥XÒOH}›oQTødÐrê.‘$ÐE¦ÓV¦Lù?ÂðhÝ—vUø#Ð]¹Ö“hë‰#ªøàÁè™`3ñ~‘ÝD¶’™Ç䛲麲[°‰~ÓŸA²6XÞéÈz‡Ö?±5»ËóÔ¢£jŽT‚‰NeÍö/òIv=çrKnÃ??z%éñw*~u²ô\OÇÿþËAÿ_ PV?³kì£GUþ¿ì.«ý×7þ²¶¾±±ñà/уÿøÿþûöß¼m_~†¥yøð~Åþ?XÛ|øHïÿý5Üÿû÷¡øü¿ÿ„ÿV—kѲí÷Ü]B³©ÍÖÆÚúzôcr Œ÷¸õ2ó^ô Ãùd#²HÝE½Òðv%:h£ÓF ‘ÇØÈãhÿ ØÖçqÚ‹‡Å»JbáÏêE í}.7jòœÄ?‹µxQc{ŸÃ‘šÜ¨±±ÏãI }´+5ïâgt¦†Ö>Æ›ZÆñùü©¡µÏæP m}œGuØ¡šÛyÓ8"_éÝ׿íÿðãIôãáÁ³=x9·‡5¶t²þXkl0àeýñÖØ q²Ž–WTLχ½ä<Ú9ììœ>ßßí¾<îüX»/1DŽÿ*0xEus—­ÆYGˆÂöe=¬$µ  :jÕ ½Ë˜ŠÐy`h÷ê´¦ˆU6Î&i_'Ï_‹<+Š}@ŽŠ›2#ÿ0X’Û—ßXïŠq¦ŒïjÐøOäFC•0¨<[Z“NÍÍõXèùkËæW± •õPçŽÎó 5kã ÆìèSœS6®B{‚>º &=Ó„Xdaø0æ“Y7ˆ)®!þA~挬¤ÎÈAžÌìQè(®<Ò³8ÏSLÚ–™°÷'l`Íì:±›…P®ËäŠpñ5/I+}ÓùZþf…=%çØMŒúÀü“i 4ÖxÇj„›n¨í-'‡;9GAq^ 7ULúã‚—~€ ZÎrÄmÉͨŸ¬ƒÔMð=Ä‹”ŽI˜)aÉΛŒä’<½Jz£³Œ­y¢'  êÌŽÕ•Àt®à£n"žÀŒÑ|˜L]ãBiQ“v4û?nâ“þã&'8øb2É­šg“ ºkÓBÚŠS3À¨¼©ÞSi‚›A”=Yz J])°‚&ÚTø¬&¨#jùb™‚k˜£ˆˆfSlœxúý¶?‘_³³ˆM–ÏSÁð€ à¦ÇL×1í³nENª ¡*0dì B)H=º IÃiá$Ÿ°»éð*ë_% ýÉMŒÝ¬`Ò8J= sv—€Dc±Û„;NjNȘCÑþàbãw™ùÈ&êpÚÓa=€1c‘ðëÍ&I¡`«‰X-á)Ô œ³:ÕDüP6ˆ…¤c*Öí·ï˜j²fqëŽéHX¤­h/Îûؼ5 ûö’~|‹æré¸m7wÉ7d+: @KXvy©¼½Çíò(âÞLäL"’‡‰„f2RRx9g.욈ǓZhßi-HZdV‚~ÊÛ‘=_æGœâúí»îŠ.·¢Ãдºírr šF‘È) õ%gÏ…Ùˆö\Á…Z“ªá$ÎZ9XKÁ…lnU *:—»[Ÿï°ëPíæ&”ÛÞåQä(ËBÚM˜u¤l¤6Ó6ÃÌË(ÒcËÃlôI&úYÜûÄ&0åOòiM QÚÈë i—"¿]º[çɸ{ImĽÞÇÂibý›Žñãš0çÿ£—3Ë£Omâæ£ÛÐM­/œUZëxôÑËù1 }¶Ãnò#ðiF7t}óÝ,.õÛ„°©Ó""d×´w#9”üÿØûúǶm£áýZý¨ÛµR*Ë–ã8½tQd%ÑS=’Ò´[÷h´DÛ\ô5Q²å¶yÿö÷$H‚$@RŽÛ)[‘ÄÇáp8ÜwTI”w6Täø­Ç;… r 0:šD‚:ãÓr?n Áh®Ž¸Ž×W&C&%HÂÈi,¨ çG^Žn ÞA½¶;ƒSƒÔŠ•¸— m»Î4 kbƒš%¨›¾qfÔ·2_f™°E ÑÝEx+l7ÇV·>y ~ôvž¯2µ á}p¶Ÿ]ƒ æÅI5Áï¢ât…&ÁF=sÀE'vÔêá9€Ni~ZJ>+q\&ãJvɪJ›Àœ"šÎ¥ÍnÀ‹R<Ð&íIzªc!|”aªÌfaÌàè\Ó.1›uakDµØ1²ƒK³ö‡s$j Ò„êôj$ž6Ë 7¦G¡eèNéøbn/–ó m ómX’“í_ìù”k³¾21¤–×;§· g k¹YNêp¼I uãmzåk’ÎnKò 7¤V¶ž£Á&"Ø  “æmiÐ=¸ H)Œ.zò¶Æ`•3TÊ`æ6h?H¸0k—÷ÁéuûÝV/Š>0ÐÃ]ü¤Nx+‹ ƒ£K!ó$®$ºhž´´NͧâîOnú%r#! 1·–"¢ÄQŠC¨Ü͙žT®ÚEŬ•@èY6n œwR͘åªr ù=7!^*fGî ¦/mE˜šÅ×ô™ÄRebGUˆé<»´~åM`‰2—×/@Ög$J#YYb£³V• @è9-2é…øÕÖIàïÅ dJÜÈa^‚×sÀ%zèãU>Ügð˜¾ö" Ó ¨ºÇî7Ó_A#JmíPo¢DB¹ÑKzÊ4õ–dikÕVä©ÕjGìé^ÊëB§{?AÚE>•ŠÁ8t.DènXcÎ×Qä¢mX#=ã’Y8½”@u³9Ý£iTfEäL¥HŽaåÁ‡Ÿz…ˆI5C ±–*ÐU=Aao,Pá@`ç;4êBKa–´Ì«+!#áÊŸO‡Ë&I|ùÙf¡¾ÅiÏо\^ƒÌs½3„ ß?DdÊøö%ËTí"‰8aD 2öíyžEÀ|¨:…ö x† Ü38MlxÜÈq:‡¨ÁX(“`*.˜K4þ£0òjÉOiYHøžûÚt.]‹‡d¬Y~G–‘jž¶¡%P'QĸÈÍ ‰Æ9Ã{Àúàß³í·ïÚMÍ„ÿRÎÇwdÎôþs](‹Î)•¡dÖäŠCYÉË`A7ÂþÂãëSªgú•h¦ ýÐ8âv-¢oy!þð8—Õ½·¹ ‰]lCÛØ…ç.Ü|Ø ¡öY»×nœ´ÿÞêr™7^aÿRªRòϨµEìolãó‚Œ ×€åM³é!ñ°]´Üï¿9{×ì÷éÝÆÐËÓöÙy>Ѽ<úå¢Óê´þ·<¶þúÉØ® +Röš&ý+©TÈ7$Ø.ùmTü2eÖtJýõºÞE vu Ç|ƹ2GQsdѵAÑ?DpÄÞR@ÂHjž4ÎÞ$a©®/#‰Àò°”Ðw,š.8;—ö:w±¼º:Ô\žˆ®r”¤~ûÍG×i·Ùÿ¡Õ ¾JïµNúÍóÓ‹ö ~ôi(Pìø4Ò^ÿ}£õð=—ÏÅ@ÁÙ94|Ò>kg…½£Ét)÷A‘ÁDa`¶1g¦ýöBS(æáý fG•©úi•ìû†Š½½`§­/ZÍ^ÿuã¤Û*c8  ŒýΤÏkúÛ*Q泌QÀ³è ˜)áu.iö{è¡ðï/0Ú £“ðx°øØ°ÏϽåÏ=¿$ ƒ¤Ü¿²Q/±9„wå ½¶Ã„;Ï↠v,ÊÍ@}×BÙ÷a@uØw(;>F¿À~·L8*ÞN  h±êøÆN[§çŸôÚbD|[½·VãXÕÇ·s…¾r}¯„7vá°<Üî×¾ý†!GsØòIG=ôz¤{¯{6x ˜(£ÀGuØ7QËÀ¦Ë/̸`%|[Ñl®ßA‘¹Üöûåòdê!½¼Åft«‚¬’pÄæk³Ïšd †1šÐbz=Ы ‘DØYùÂÐË›KB/#rô¦¶ÙgM꣗·å2’`óyìŽàkBìs£_9«åމõû·SØ$á+À»µEéÿ<ò o"êÝNµ½:ïÀÄÓ1»Ÿ¿Ó1>ã}iœì‡÷Ùþûô•%ˆúþî.¹úûöÙÓ½þû&lj€Ü/˜ùM¸¨ÆTœIíæ;Á^Ôc,…jzÕXÎÑ#Ⱥ[„}vA¹ß‰~FÆW ßaŠTÍG¸N¹"Eb¡ÕÑÑÐf/ÆŒgó³ÈžõÑ[Šóå@òð ¸sµ xå€Ú†1 Ör‚÷#çÉ.rÊõGaäWéžïÜ÷  éüø—%Yb.„Ì¥yZSŒã¿· (å¨×\¢æÍo¾¡7FXšæHT“Æ!¶¥Àò2^H|s½ŒÌ[ÚŸôÁÿñ´uHzÓ)÷rüi7ö·ñTïo\H‘¡{{ñîÇ~÷ü]§Ù /š¾cÁa‹A,wŸÞqï1{!Jq‚|“ÇÔÞànìaŸRUÙã‚2Ød›zx³cšñù½èèe ¤Rz6ų-r½i¦&¦žÃ i` C¡«"u ¨i‰åôv9“M÷Â凣áƒè—ãñýQúPË·SgX)‡k’‘Æ*!AF¬ËÁtòon,ô\~}§/!|^£ÇáÎâì6Š<4ú¡ß/ ‰Þ0YYj¦F·j…% \¾Õ%uà]·Õ¿à»óqëu—Ò˜âªÐhTÜæï¸U ï-ø»š¢=o7“”ªf³ß蜆vxÓŒª@þÞÇv”2c ½5øwÿö€‚.ëä­³V‡š*ú½÷ífK‰1õ^¬‚D°ŠÓ×óÓopoô·z»éþtÖì7Ýþ«wí“^ûŒ‹Vß0Þ)"H O ü<º.¼Ð©—âЋÄ/2w”iÐÚí1ZŸ*¡¦VýôNøÈ¹œ[Ô`[†ñ°j"…ƒô´R“i–$SÌŒˆMQˆ[Ãû>È ýŠBšç~•ì)§'Œ7Á¶½Ó!׺²ùÕ8`òîýd@ 8½)³Øv&ÌbŒ¼M²ÉÕ¤‘”‰ IY€\ß~JX–5BI=ÜÇÍlféöe£}4gýÖé»D@´}k4»Ñî€Î2 ÷é_vu;Á²Jt»3˜oíV°°)2Æß~ÐíË*ÁœMïìùl‘ÊgŠwA!=X5Di,ÒTôm£Ó|‹ êÏWŽÀÂu¥OÚ¼¸1åó×ía>6m}0w܆švW¯?¬œÚ¡Ù ;3W›´œ™«^7¡!ußîk.‡ã鹃&§;AXX ò½²®§mÆŠ+›š8SW".™Ž&~p«×-ª”©ôz­`YÑìvhgY jº[s`”aÓ†g-Å-XS"l¿RØðåÅE!"¡£dïÕ쓳J š,ªù£ª öñ}'}ÒœËqˆ{¦1iZÂ2lø¬Â…ºˆc$øæçÈT Ù³=YØ#ìµ<™EñžFsT¬­ƒžTÑ‹ËkŒ®YÊæƒB)óý ã™|Gêõú®¦lú…ˆÅ.RÊBeÖ±‰í$ â‘í1ë2 9¥ÓÍÌHœå«´õ„×xt`-«ì£ÁÚ³²A#›©ô TkÝ«%¾@rÈJÚoÿøíA q(lЮºÑ°) b€}Ý^”"›!wŒœšP6åRè {HµÈícÕ½u—œË³ê2/~îŠ6›šwJäa!¢b³zi‡:ó ã”§%‚õø=j¥ªN¨gö® c …OR¨â–§rYê®ÓúßwíN ËD&Ž:a†ïxÄ€M˪o…$Õ—¥NÙæ]¤V‹Tà®Æº5ƒê È.o[ÍïCÜ'4 éÔf—£þÀ’5ŒÏU}žœºÉ®Qù‘—Œ˜£»Ò,£Lƒ4!ÄS%©/¶ä,K¸Ã‰@ÏMˆ¥v† ßXc6bL/†¾T=ÈBx Õ4œR$Ä3÷©žšª¹WUÐ^Qÿ‚JÄ5ÞsÊ"O*¬H•ܳä†üĪ AÖ|Ûèä‚ cl  ˜AÏW_ªòÏÑ+ÃÞ/›q˜ðŠèÙªÙh}"PÊÓtnÏhÁѽ·Nã}¹Óü„Ñ¡_¦—,ð5?ñ ±w&·1Ìå÷ ,ââu(‚#†½)ˆ›2–ÝÏŸö,U,G&WÁë”Æ Ô]©hŸ=Š~Ý){%®ñ`eþ”+gî.Ât>³\7àu”t82í/Ø­”cÒ¾ûF>q¤G³éúI][ΤõâI‘Á8ƒ6‚¸îÕ ’´$^«‰ ‡ÉÝÚ¾|^,[À—µ'œcï©n¨äÙ˶qüð#ƒa7ÚüI‰ÿ‰Ùè•kü§µÆÿÜ;Ø}ºŽÿ¹·»‰ÿù `]·'WSRæWàçö­ƒKôкæ+.:œ8—‹ét$Ö/ža²Pâ(õõè­)!ϰœ i”8kÁ¤¹)úÎÐ4 —öÕtnóÙT樖¾àwVgì˜ïâ*—sqg(…!-ûì˜7U©•NÚ¯¤ÿC«îõ9yAöë‡õÐç7'Á"P¨Tjœö›¯Ooº/^^´é¯—ôÝÅ} ·Û_–Óõžy×÷~‹w¥k‰|ó‚|Yf¿û­{F¥Tâ\µÿt4 âø‚È‘w¥L´:ø|…›ÿtµ,ãþIÆÕit0å Xص‘|Ñ¿žà%&G?kµŽûîi)X`dq“S¤A$¶Õº%jýÑl¡Ä¶‰Hé“cµœÎ¶¤Í/Ëêù¬D’‘†R“N¦ÛË — J¥â ä˜(0=P·¢ ¹LjiÐGG î:8>VLx©DI¬Üîöà³ÇÏÑjC² N[PÊm~ÛEêf\ûUó)µ<PSŠ«Ä!½ÒшdªŠ& ¢¬IÅÉÿ~1»ð,œ¤ÌbñEÖºôÁ¸ò”Åò¢=»}ô†ËÜ}2jC25uK%j[W.FíÝhÝ>µÝ“Ù)}Ýä&¬›,u“‰”´kQëA~ˆY3YÀ–kÂ_è´•,K W,Ü›<+V»2Èvó"pÆÛÉ‚µ@UŽ7Ðö.æÎ-òœ·,ðWiÆžYigÜ™Ü)M¦x-·Ï (å®@”èÀ6£úÊ|Yp3yŸiÊãH£‘rãkh<µ ⊯ž«ÒRt6•µ|ÓtZɈ÷kZNàÚûìNwÿnž^…^ÊÒîÃ×­9ÌÆTX¢éµäÛÄlƒÂ*K=dziSpÕÕ¯p Ó*̼ µŠÎÇš™c’NQæô¥SÒóºÑ)ìy4i¦‡à:%Ù¼NI樨U’úé”ôü_t sG)¢Ì÷S«äf9vl©STŸzžú+ÁwoÐ)™Ù”:A‡$ƒzó¾ü WØå·†”Ö$O½¢ìàïé^t_W·Rx²’‹öÍ"k•¥Ð”J‰ Ê¡–Ò\úŒ%=ßž‘Á¿,ÜË•>Ãè"Û6qì¶ÿÞ:D~xÍß4{?]´E€¦'Ovøç/ÿF¾ƒê‘ÚT°J¨.¾c}e ÏÆTO¨Õ? ÕAÛ~R/Œ£•Ä+×-%«‘‡z&Žÿjô—ÒçC]CN:û?¾jtÕ8Â/4¤ºz,øY°/!¢äÇ—`qÒ“Z°†ièQ 3›± ÐÆÀ|Ólâs§uÒø±u ¯.}öYdjØMz6ìÉ”ðÍš7aPA* 4ßhR7˜<ÓQDoy¸L–þŒ™R†NLgÈçah5º…ÏioygÈ´¿L3d؉é qFh»Ûúß~³Û+zzŒºÊ;7Feš“2íý »öaÖ“–`edá=,à\g£J JhÕ‹8DÛLØZ&,ÞÊ~XØù¯æÔ%a!} )ço>CB,å8 {ø±¥RyúÒNÐ~P&k_caÉgz‡y\ pù<4ÌÅ/’AqKáÁA_ Ás“øa.Ç'ù‡„z]Dÿ c(šìxSÂßxÇÿûÿ+¼Œ×ãÿ¿ûlo÷ äÿ%6þÿñgçI‰`¤óÙ=‹—WT0šã3òÖ¾Ù‹Åö…5ø`͇äXò¹ÇhÖä¾JNj5¨M\Øó±ãº"u(´—÷äš&òVÉf6ÁœèÀä¯1¥Î”`ªê™=w1|úåÂr襋 lOäIq§W š‚ç×›z© ‘=›]RÆ[[]^c«ReÙ,¬6ÈS2‹¯ô>°Ä¬,sgÀ²]ù‰>Äç†ó©xTAÛcQ˪`Ì2t®ð_›Žo ©ãÞTÉÐqy¨Ú*qñåÀž¸,‹Î&°G8hc¹ñäìF–l:š!r]4GÇÝÍtC¡ºZÎ'Ð1Ë4œúh¿ÿæizƒqÓ ‹*çòYìyIpIL¦ Ì AAÁ™ù3Í?¹7x ‘fjâwäœ ¶Æ² ±‘Í ôˆÂôKƒs³ÜDÁ jê½m‘îùëÞûF§EÚ]rÑ9ÿ¡}Ü:&[.ko6•4¤èJ qÓ– p 1 2M LFG&O*G¥RˆÂdÅñ#[oeÆL°>Ëý7½ùìÆc̣˳câ>{c[3šÎw{:£ E3ÄB¾¦í Æ ïcƒ,šóQ çúHÇí³/)WLðJ¶`£›ëØRÿÙðʹ®ÝÔœÉzï×wŸ>}îéÏ@Ü­ïן?ßè£ÿ‘Ðlxà YÚ7öCüX̆h-ÓzϦæåWk‹0Z®=¾ $ý+ÓäÙ?4wDà,äKoëÒøiýÆö ŠºŒ‰±4 ïÉpzç‚h7Ç”¾˜e J~ 3°4}ÍÉÊE —HÝw þЩIn×äA³1Ywãô˜œÏ ULW}ãÌx«JÀ›§?6ß¾©¼ Á~Ì6Ôp)mÖë"‰¢—½Â% MOhvq§Z°ùãv[ì¿ÁÈíôqWÄÕ„2ÎñðÙÝ÷rb úÓÛÃ6prÜiý¸ÓíÁß|HÖ|ŒùíÁ7¡a¢Ñl±¸‡ï/¤#ášüŒ¡äÖÁÄÊî¶¥˜"8í¯ÎÏY81–ÊXdMtyls™†Íœ‹˜fÝøé¤žÚäö/ßðóÐiᆺ Àp÷¹!k2 9ßN»ä‡.ÒàÓ=ÂÈÝõÉ ˆØ«ªIô7Ñ‚ùÃx””Â[Ç4*%¨?ýÖ¨U¾aärAqÄP Íd-Ö”:$#¤ ÎæÀb»>ßÕ•Ã*]æ™$`¼µzEs!ÜK–ç͸"™x;÷3 ¢7I!€`öºÕA34̇ì{\åü³ÔpÁ²¶†F>Åd¯ªN|Â:fñ˜æÖÀö…—ªZhÎÌ2Ó/—×§24jÇ-¡I$á:“둽= A+d†ÃÉ ÔÌ»³öEç¼ÙêvÏ;!~´ÔǪsÔyí¡e9Ó±åÊ–iކe öÕ üî´Ïº×ï02‡5™º#Ûžan4Ÿ+¸ö³½UxÈŒ"¹^a1cx]÷ƒJ´ï³ÆÙy÷¤ÕbÌ☑×%ŽŽ§ ¥‰V#Œ!_Ÿ°pÛoÎ'þ/0wèrLöÉ×cšNåë3ô¹¢µ‹ÖY¯ýîtP,’5Ùb+ Cf‡yæ¹=ò~2ØfãÜ^Nh6ÎÆ¨QÈF9arLFyIàór`Ä<‰ Œ v ÔKWxp·¥ÃÞø¥ªøÝ·”!mv×E+,gT€y D3ží;g¸¸¡#G<‡PI ‰ó¸ÉÔOÌ“ýaç <ðUvÂMÓlšBнo5¾ïŸ¿Ã-ƒ±æhí méuúýtÉ’KcÛŽ®4ÏÛ#xžg¿uˆìøäuó MF)­ý XË̺¦¹Š¿&WËÉÀ3qÉͽiõ.Ј**€@C˜SÖMƒ8 v5Àü+KÇ”Ö"Ïð—Üž…Éåéôþ µË¯y`!ʯ£-ž6.Ò¡sCz7%ºn3ZhdöNÚ¯ôÚÃPFnzƒhAî귨נV{÷î0lkœÚäOÝ>5SÝV1¥”N£ ¬÷tÛÔ"olT›¾—Ð2†iMÂ>“i[p——ÛLŠÁôÍw4OЈÑb~žÀˆÁ•ƒà¥ó‘û8éõÏ_ýÏq»jè¸\LpmzŒÊŠM9¤\ûì¸õêÝ&\£G0Ížå]ËâôE£ù}ãMK1ž•ƒŽòÒÜF.ëò˜`xÄ›ó#~¹4C{¤yØgÞtZ瞢#PvÂ!”ÛU5tÖ8m%¶»²”•9­=¶"-‚¬ Œh|‰Ó…nÚö o¨­ Æ ªwECû¡Õéêl` IS¦ó7E ÚÖmTIVrßíÉÐÀϲ²qä§ë•ÏìÅ«îqEî2(!tXú¬¡°¸üK”ÇÉÅy·ý#á êwZ-<è:ëm ‹øÔëµÿ=߉ÿ¸Pߨÿ>¡ÿÇÓí½Ýz}ã²qÙ8lœ@ÖêBçmÂh-,Jg°ð¶§WÛÔÒ!4aJö\ßJÅV®§”åÔi²`¶£{F¬h¶í!5!r{'@¸e‘µD׎g+¨"¹^‰0Ös›e@Û•W¤Fyžed+¦Ær)ž²Z =RKª8Ð'®tmÓ¥oëS+ƒ™fø]º4¬ügÆF…x[rV’ÿüìut½@Êq̳¥Ná!'q fað÷#4*Óü`±ùF|ãœ2y‹g/ä™[Þ²Éÿ.¥ä,·hu½žÍ§ƒ±å~ eàž^Y¯bÈOî+M;Åü«€¨óïiA šË)ð˜9ÏZ-L“—Ü´T©ów 9|f5Gb2@•›^O(…žæ‰‘{›ëÒ9ý)ò‡ì–‘Ož5!kpÐ~VIÁ~b÷ê釵¶\E&ÿÍIûU4¹Ò›³wÙÖôÓks¥·¤îÃçYè¤<"J¿+ jšÀ—ïØõ¹·D>WzøHN#§À®ÞÓtˆ¡Ñ\Rr¥(òe/ùÄÊ_õBÚ}§r퉌ïMF‰7TMi’çéà„yb”+T›ú½ö)n.W¶ÅRêR0£Š3æ‰Ì½×Þ«€³”š8åzwœUùþoÂÄœž|] ÷ |d&êdÊÙ iI”aûÙ NðxCÚF\åÙ\MÎ&£¢"ê÷Ç ®ú4ãÎlѧ§'/ˆ8%8}×kýØoŸµ{mzÈÕ9’`¡›4<ÈPt§Œß­|7J<>¦[¬k/„°õžéæ"£È‚Z˜°Q€…Ù| Ã+·ÕèiŽHÂCw#òŠEw¿àQXÄÝŽ öAè(ëá’ €ƒ)lÛî R<8yB;,{={‘±u»„{ãÜÐ>ƒå«ä’2xdàw6¶2±é1*»0 B:K"?¡6ŠjkY…€¸ª<ÍŠÅR€[C G½šäî T!,pb¹»AÓ;¤l“g#ž@{~|~H.æÓK‹úHŒ\_˜QLÓ‰5fç nÕ½·O¼l·9&|!§éé¾¥d¤~P (¯*¤\.‹»@Ðìˆøò»ïH3{“²ÜÄv½ü ¹Î@$èÀ)ÿKþ¨øW sVH¢àjæWÿE­}<òg˜a¾ìL•#䡜]‚º…G‘¸»ñé åq"úÓé¨,.{³ôdT)á„8蓳 ]N¾8Ç ¢|Å”Gòâo¢Ûê±Ô Lß|ãTŽJ©óbû Äý–DW´?PÑ@¡è¿†®¥Ý?ÀäHÙýr’ €—‹Wßy ḅÕAc«¢JÛLJ#ÿ›Ü VÒg(’•å(x¬Â×¼ßxúH‹øþi£‹Ë[@^%gïNNðÏmPf&A”}Ä;T–êDs1D N ú³/GN=HJ{[ãX­ñǽL$†¨‘{9Z<¡nOâê®G·jÒ ¯ùñÿ»ÕÆý\waâÅÿ¿ZÜúhç¬7‡¥ÿÿ/÷Ýšòî?Ýß‹ÆÿØÝøü®âÐSzÓžê˜Ów{ Wê!áà |ªœÂ¦C½(€ax^oÎÞñ h#rA%È s˜@¥’ûT0ž€Å_£S‰ð góSh›nðGÜêyÍíÑ3Ý2(¤÷Ó圧­P'v™L$}âcjÓ#DyÜäf:ãi¹p&æ÷ÀÎ{™ùY8&4Î~¢ÖcîŸpäy”Ðk;ØÊ$ˆm÷ˆ†ËÍ=ècœPû¶í4²P/œ,ô7Àÿ+:9s›ÇH(àX·õãó³Ý(Ño[œý 9=r ûv{ øò`ÚÉŸŸ(rAxDó=»¾º‚-D©Á N¬Eoå`šv jD~-îÜwû–Þ1Ÿ[&³ú‰ÂåkCò±ÔbèLCghêC?Y°h£ÛJ¿Û@CàßÃg”ì ‰ßž¾8owÏÏøQº×Baï{¾cÁÏ>Ý’¯¬&éf;.Ý|û}úu6u\†™Kn_3m/™W‰w·‡r@ˆeÎÚ44 g^†ÔÙ[ÒΕÀ [ø›}Än`G¡"+UhÃ(©^áAÚ6V™^ÑS‰ »M=°×AˆWU›a¸ z0º|×ÁôºÓ]:¼Ñ:š^‹mŽAáB¤]Þ£‡t™¾rè+&ä e‹€Þ¿pf쌶ùöÝÙ÷ôÀeì¡¥h¥&\ú@ÜúÙ *vyÑq¡S‡Å‰®Pþ¬ ã%;´=|Ӄ“{¾íaÚÓ#hÛÇ/s|zûnR°a 8LrIwèù=õlÂß¶…Ž]ø“Þ<,–0åg"g–6N% øÚeׇ†~FqÚk¿çsrþØæ"P §lù-žJZÈ{›o 6Pò…q Lõíg„&G½–¡“ö›3t”8€xê¸Á7&ôZÂ;ˆCØÔ ‚¬É6ðð¦éÓ)S½M†;èšÂ›ÐÃÿB`F²ÅD>“òÞ“²ÜÜ7õʉþç½¾(NvW{Ôâ²°>€˜My7=ã¡xF±óÛb ˜"²°ö'ä°äß/ã’é`4umî¥RØ*\,ÈÁy~äL-t¥„>¥_ƒhí÷ÝåÄ·ÙÏaåöýƒX™YNç 'Ò ž:x-'¤ÙøæÆ*ß mN ê£7@ÊAž\Û 3ȃ¦¹¿0C#ûîÙÇEè«0áxSâð´5$Ûu&4Jñ/>ð… úåÏËî/èÿ"±T4·V¼ŒÏå¡TøY5ÜïÊG*A¨°”çú MÊ[;Cûv_nU (= :üÄÑŒýxÅ_À*Þ‘…èI>6à'e†  ñ]&©¢ }¯ÆJ`ô÷{Ø™[ñQÁåú[€$ãkqX«„.B.O=Ù‘ÏI¢ø`+€W „¨üÄ(_ÐÅöºÑ>iW*Á£yÀÛ¤| *Íß/ –ü†~òb¤ hx‡‰'¬^qÉé ÆoCV¼×ßI2UM>pN9.ƘØ<š åÊT…/VR‚C€çI\›ŠòjÎ'è™;ùÚâ 'µG]Ѩ=KvMèJ6©®Á®9Õ$à„ï{‡N(ÔS«5]¿ @Í‹Ðt" òáø†„¸*0Úÿæ´G>/†¿ вG2¿“wŠ_<þ&d È6XµJ€cû ƒ6ùÍ X|].³£Õ ¯ûíú?=¡ÔýEÍj¤³ÀøÇ'•ï_3éP¢ÌëfF{/'ÈÈg€ª*ëFL>!N¹6~Dçób>½ž[ã1†=ŸOç4þû…ÝG†˜4X«QÞðt1H5ä¡V¥!]|ô5’àÜÀqðO(WòÙVäc‹I(œUÄPU§Hy.Y[äQ—)Žjp³œ|ð†,Öæøž}@½…žß"W(U¸Ç+%´®ÜðýÚ;+@•#vÀ%7.Õ+3©ȭÓó×\}Npý…ÊûˆÜ.š …hõ×€KMÔ§{°¡¶ßæ×9¯ÐÂ\¥›šn(} a‹q˜§ØÒ K2äJ<žçNØwÑÔžgM]Uþ*04!é~,Å:SFkúÿŽ7[)®Ìç"ªboËJÅÃ*3I\ÑÆ|“–+Ú·Á-{9«…½ôB$#-G©«#ïH^%Úxù)3V šú‰ êA'qä³»ŠÃSB.a~99ZÃS¬˜ZÅ%O7G~ÒobP‚ë£ÏÒƒ+ú#•#Ιì@-Ž#PèPœi/n'ÜK·è.,L’$ >¡5pº€¤bÆÞ“'ÛžkšîT¥²¸#eÉ?‚&š2•W8:´¿ÒË8æh B ®=ú"4*º&¼Xàšú—p‹*P$ììHA.^r´ ­Ñ.j*9‡J”Ð-Ç©åò£•táº/Ä.Mñ‡JéGþK¶sòÍÚ¼XÍ#_— (q 7r!¶$UÈlW§Ìº%’@€%{Ü‚Eþú‚FŸ¾¡}pÚŠ?$ü›(“V 4žÆÎ`ðAh8Óòˆc¶toÊ_„¡çŸ|9Ñí# k裬”ƒÖ±ð§‡V»—î?êⲨšõ*Z•àÿO¥ÿï+ÿOo9Ð0t™!}¡³Ö‹r‚7v\vcÓ¹rèë¨N^âýNVÞWE˜ÆQ#þ°&Þ‹›ñü>Òä=ÄøuÐcË›k@÷Ô]ŠZeÃMÈ€^²K¨"TÊÄ®¥CÁí¡°ëÉÿlxŸ‚N‰ÈBË.0áÝÕÕ•Ý w³ÂO}JÓ篙^Ôë÷‘;§È O}ÞÓ-.ñT^¾ûŽ<Ý \oŠ·Lõ7Ž_%*Æ¥t+Û|‘ûéžÿþ#N˜+Àß÷wFÒ¦³š+Ü÷òÇpä—îB PK>Æø€\´Óé}!˜ù/N‚î‹~ð"´¯¢¯R‘#0B½Å® -g34ƒ‚fÈý”è½í§{ÛHÖ|póµëìY©‚£|Óëï3ÎK›3('ö+â£5$¼b¸}Õä)jÖüt”å]Ü}]"ßÔyG–¾•14M¥dE­T‚ÄäÃß_@¿cÿ­/c°¿ 0ÜÜ·ªÖ¾•ûÈ×”'õgA_dÖÆ~È­øïÕÇ€†I™§ûÏ£x‡_É60ÖíBÛ&ÝüTh¥štp£“w€R¬P̘s0ö@^0þô jSOyàò"/;dDƒ÷$Êèö]auh? êýþ.7•å=îÞÆQàŠ[¢5€O¢,Œpq™éyBK²,Ð’•‰V˜HPêá⎨éÀšžxUļAÔÎ)ØþÕlîLÀNCP‹«dëϳC)›ÀŸGKÜÉŸg?O¶‚‚‡HTàÝK²GW¸!†.Ž¢‘GvÚo5ø6Ý$ç¿NUi¥_¼åQ fQ­)OðD[øS§¬1y³ñÓâØŠ0óàè‘´+€^Ë,ÓÞ*ÙPOðçŒöјÅö,8)Š a X¹Ïðy‰CRw"­¬4 »²ao…í0Btœ1’d}šÜKñJ'Y½ò5DZyQ@S¬f•ð™øãxé~ÿßSëƒMƒ^®9ÿC½^ß&çxŽñßöö6ùäÏDšh’}Á¼k1ÍÃ>’z­þŒ¢{e­q ØÇK/ Nߙ̖‹—xà)ù7+¤þ—¿ìc,¹ý £®ä¥[%íÉ †5© ± š ±–ÿvõø•‚®i õå„*á]ÝR†æ€L8"ûN½ÄYT¡*:梣­pÐežÊ<ÚD]ŽVjÂäAÏ0lJ˜ŸbèaÆ Ïœ‡¡…û°ç;\ö¼Ý4Yðpp|®FÖç[Œ|=›w1s-†ú çâRée·…‡¿ß·`šK?\4zoaï{ ¼bèÌ_–¬q/T]O–}J4/ȯôܶndûòõ—e¬~Òú¡uRùšN感í]Y°cѪí±*Q¥ÿö¼Û UYÌ—I5xÒÊרI›ï:ÇíNB[°)E`ºrðßt8ºþ|9A…®(ï3?r1¥îu_~ù+KÀ¿mÄÉ.§«£#ïéI…؃›)ÙJjüx7°éQ>ƒRê ·"ެ[‘z/Ý?ÿ,*ÔÕ¿˜F¾þ³ûóäk²%5DçoÍé[îΗ_^ºøß?ð/‚A—;;×[ÿò&ÒG#B£µõÑ•ÕG°‚Y1·œà’”п z]+@ƒ·[2 õÚ“/¿ÜÙžiµ¼OtnÑù_~îÞÂçdŽË¾ À€dï_Âù5-ú²:\‚óÀ{ñfàœ߶·ý^ ñÛOÚ•ð¨¿nÃÚó{¤*PáoO”U‚ÍžGËœ'6{®jö<Üì(Zf”ØìHÕìHnvûÃÖñøŸ•øFþñ?½ØÏ>UÅNÀ—_–7À#Ö*6ÄO4¢í §ÎÜ8UðZŒ&|N7œß?B-'ÐÍ‹É_àq, )ï3zi_OÑÔiçƒF;³×sœ¿€Òüweç%uýKˆ°£¼ÿ*¯(Ã~F¿Û+{ •ár9x€¾[ÍcÜ_ÀBýõïÝ·b×ù¦öñË2~èw[¿wÞ©lá: K<è{ß½é7z ¬xjÏ€lÉÁþ¾\ò¢sþ¦Ó8U–Ku›öEOUS›€ÊyÓâQ)áý—ÞÒÆo\€é{oûþ¼R:;ï€6ÛçU¡èaé¢Ó >ÃNxÁë¼; × ½ÁzÁW˜ eØÇÅ5²‘._Ò/K7Sw!¿Æç—%NVÒ{öæeÉ]òY¥Ôh‚2ðœîÓ‘.¦³>a*;ÖÝ‚Fµñ>_þØï÷1.\¤øx‡Gô‡°’>‹~^0v±€â«»¼¶æñ•Åm4uåÿ7½t§0R[Ù€œ³Q«'ª{ƒQ ²¯Ù¯w0CÇ­‹ÖÙqë¬Ùnu+¬}•Òq¦¬y~zz~FÛ}KZ‚¿E yÞÎdŠJz¶»[Ð7ü *©åJiü34îF‰{XwÒm‹ëhâÆy:ë¿nŸ´ºäEð%c½OØõíÌÖc ÿ!¨–3F5Ø3Ö‹1Qؚͫ¿v«Áÿ®¿þ×Q°‡ñí™Ïµ}T·¾òýræïô¿ýìÓ~Ç;¿ý&É´—¥4Ú-Û‰±‹v±gÖê¶pþ_í ´&¨[+¨³¿K_òÉa­ 4PF ;ÿøgíÿÏ??ùíŸ;?߯v3‘¦y£4Ž"“\ÐŽCå#Gt§òG¨‰`Fn™š‚uGR9Jï“ú¥ãfsBB=“ߎ¶¾&;¤öäçÏ]üÿí€ÀPý¹Œo+;ÿø¿Â]ý¹^ýš7‹èý÷òõ«Ö›öH^4lù?¶j[x€ºµE>zï¾ürßI[ð?! Ýî›o&¼ µ4§_.þ•PÙªïU¥&ˆ¨Nv‚ýRX>ò€ \xŽôåðpëÞ*¼­ÂÏ’_ÓI‘§D 4’ÏÏŽ’ÿrw~žì i¾N,H»óRªô)(}4Zðåð«/ë€*Š‚5–Øòc¹þÊ>~?C­-Ou„—Wª—sñòÈÃm‰‘)Ã~`C ª†Âîº}…È"ÕoU¶ª›½Á°"wEëˆ*ž8þQ^¼œ/ÂR|ks.ùÊ"ºv)g‡åìDNžÎb°Öº¥—g­Ö1ÍIÍÑ/¡ÕH£ç¯þ§Õìuƒí¦RÝ^çQU@J¨òg è ‹„é4Æ}¯”§ýú#ŸGÝÂCÿ%¾}É$fú"úù¸õºñî¤,¶ å¶·]§ý·ÿH5AgßÓfa¦zçç'¸Ùr``Ý^X×/šM¾ËŸöy!ªWüJüy{{<Ú/FÎäJ Í“ãŠW³éÕñE9ö[?¡mد^†@¿ž°†,ŒàI—\¦6²J¤ózª™fgl¾?‹Þ$Ìo¤)ÅËTÔ-<ž9IÈ—¦‚Í…ìB"Å‹¡^ô#£dzA©”ZÓ¼7u*àÓöߴΤFà)Ô¾Qˆöƒ_°§—œûl™ZÄ`,GR!º‡ˆ‚½SŠ’û JÖG(Y1J5ÁiÔŸÄÐÐépÓæ 8})3籤ÌSXøFFÁ¦®)OI3‚%(EñÄ?!D*¥ÂØÝI|g¦¹©T!“c'¹Y*o[4; aÚ™\MƒG9€†wÇÚ¹^cföޝÉO~›L;;¯ðÃ"IAFŠmÚàö67æTÈwô¢ç3î}÷•|ÒRâVÙ~)[Fbl&t@b×ö©=´¾TOÂrhƒ™;<Úë^T„Á¤æà!j£[Ìõ3íÚw˜X`Ûµ1!(ž7òô¥~L ‘1ÐS`<ĤዩbÈ"BPGÞ1™NvÕ;b.1 ¾Å¼ÝÛX•LçxƒÍq¡‰'“éâ‰|ºÊ¼ÿ,«{vÞLÊ”iÄ¡P¨' ¸g‹{¦Ò~ä‡,Σj»ûOÀQ.U¥˜’K#ò¯¡ô:8é´ ¡ò:TÊ_—Ø1:q—s€I Ï.çÛey‡t›ÞÛ)‰ÐOÂ\ÚŒ¢ˆˆ³k×µªŸÐ€Õçqµè¡ú%Í´…ù­1H{«B„ÚCÜÓ5pk®»ãgåºdRœ†éçgêï.^|Í–šüÏN¦Î†8 ÿÂΜ-Å3O0…›*ÏÎ?ÿãf)À=æcžIŒ~ghÜÀN~å_¥’3@kxn©ÉŸô)dFT(èrÐdJWAÔž*3l’› qc“ì”âQ^m­‘eÐß­{ãLÂL”ÿDNÝktèüA9·Ç|[Wç]<ª§Ÿ£ï¡4«ŠõÞõÎÑÄIŸùoöÖ³¾ôŸØ<þïÙ?,*úâý÷/Ktk}Ùlâ/*½ÄÙ(e§çÇ-ñ’?²oì´–¡ø>PÃ/ïf%½]®OW)ÉO~9öüE`úòâ‚þö[ã¿áíOo¨­÷=}-^¢˜NKâ¿øtü>ã/xsr‚›3}Å~»îO§ïzmö’ÿ†·ïN/^µÏèKöóe©Õ|{Þ§øc¿ø›3ï(ÓóÞôà fË¥/ð<ÿØ‚qÒô×ËÒkQâ5+!Ù“ˆò’ÿôÞ‰3§—ò³ÿÕ?gzzå—ñN™^ßH%zð¬j+ðáe‰Š%/OŽñ—7eü'¼k¿eš½c?é;ñ‚=‰¹á?ñÝÅ9{qqOg}Vþ}ÉŒZ^›=¿ÕÍͬ[?õ…k‹âõËÒi£}FOàó÷-\äìûoÏÚ¯[À |ðý{ .ªZ¿ä?_–Î(ªÎNñWë¸ÝcOøëe ó@Má+þ“¾ãTÁ~ÁÑÛ9ë…þs°ï½9ØYâG˜øÎ;ÍŒ¤i–¾ú/ýr˜àX.‚ÏþW–SYþÎÞø%xŽd¹å—y×9‘¿Ã£ÿŸ²Êßù+,#Ÿº²"ò(Ѧ¼ƒ~b?_–:3˜f|Å~½,u[”8áüÍŸØ áExú À37}Æ/K,*00 N³òóË’4vëÒíÓ3Nf²~)?³¯l;ß<ß+ø›U¸®üÎ/lÃ%ýÁ¢Ïöñ[¼e»€ø-ÞJ¼äÂî\¼…Ÿ/¹d(½¥/K—΄”ýzÉŽ”¥£dvÄlËõÞ²Gñm0[ú_àA¼ŸJ¦^é[{2œÎý/ì™°x3â;5¼ä?Ù»ùtºÞóGø63Ç~Á›[G¼¡¿^–ÐYToVTIóÙÁ¹`Nѽ¡ûOü ¸øÍßNýÂSQÒ´ôßãŽÿ|Y 8i¼ôŸðËÕÔ{M¾”\ØkñD-ļ0ûEßøn/ý'ø‚Ü¢Kï¿ÇÛvoâÅËÒØÔÃ~Á›ðOF_±Ÿ/KSX`P/K³áÿÀ~Áorļ¨Ý-X Õ¨áŠF]ڦ듺+h© òƒo „Ç pï]ƒÅ[ïI¸WÈnÜᣠùÙûÊ©Èò¾LåJS¿†OMð]p3‰¼Ãï¤R| Aä2ï­©šzyÀrÇÎm n8Z×6 «ˆZÙ óø‘‚Ñ¥ °ja:ÿ‚²Êo{ºR:–†G£wYQ &ÿ^º ?l!ÆK¦¡¶¸ö\åþ›ª¢¬8\¢úMë ¥ Ìe?Ž?oªRC 6½Óv³~ÑÅM²Ïe•½Ãúa=ôùÍÅI°*y†§À~)™éðªÍ”%ç Þ ðÞ  ½oBVàñÛMô„&ðJÄù-…#§A$b÷Á#¢ð™bœ)t@>Ô¬¦>׌; C4r¢b&#jTLž*t­üg{2ݦQ•ñºe©”dS‰ ”’ÎŽR!—é* zÝˆÓæè9 ¯hÃWOÓ»WrÂh/Ù'Šd ‰ú@IeØm̘±mÍÅ͸볙ةåi×”âkÚ_ ›´3YhÖ¸ XgÎ@2UE1 Ü·ÃC®ˆÀ€}…м!ö_d­KŒ+S£=¤=»} „›¹ údÔ†»œ vÜ™5+(½z×>é)£‚ön4‰îFŸÚnŒÉìÆ”¾nrÖMŠºÉDJÚµðºc??Ĭ™,`Ë5 a‡‰/tÚJÈ¥Š†€+îMž«]™f.,g¼,X TåxÃÐlì,ˆ¼e¹«J¾Ú§õ‘;%õñQíw^Ç7ZÉqBe¾,š¼ÕÇ4å1%Pë´ð_{D/;ËØUÐW|õ\Õœ¢ª¬…ùÚúËM/ÉùhßK‘VÓ¸vÁ¾½سEÿnž^…Þ@×î@A=­V ÷/Ý£p¯ÊR¹c ^ÚTÎǰqÁßýÛ“z¸ÝYÈå`_c>±ðhvci5 ÞΟîéÌW¯$'>½Â7öʺNâ³™&K­ãƒo?h–tfš é'fš¼nõŠºOÿ²«YòF³'µŠêñS,¹úÖh%ÜÌtgKFf6¥Žs9VOHZ½y_þž+òÄ&n )­¡Ú©¹–YÑÁt<žNžîáἫ[)ÿµ:}pGªRúì%u¤°ÙM‘¿qφϸgÐ×ÊJ_3ç ÏøÝLxGï&ÆCèà€± ½üc‘1ÞÞžÛW ³Þ©ÂîìJþ_¾Îx{—»V°ËŸÔ›‚^ø,rÇû3ÿNègâJègÔ#ãkTŽ2¨p@O54^bW9`õùÌ¿Ëi‚všÞNIü8ŒõÜÚ9i¡y{éÂÜñIú›?#OEüyÉ<'…~SaÔ…ZäN¿µ °8À%»ŠúåKN‹Aï_æs“læ¦Ù Ø%²R"RIÌ%CïÖ`¿ÛkôÞuƒ7KŸeF°(ÒcÂW®äìî<¦t¾M™¯_U‹‡¥’`¡‡èw7žmßÔØ}>€7Ø¥¡ØÏqÝ{Jâ×aŒTÚÚ `H´È¼B Ùü“ÒgåŽÄ˜Sˆ+0iaèÓåàÝiKÎeúédûf8?,}¶ÍŠ À$ ÷Ï‘s)Uª®R}öòËrðf5¾îwá⹄‡3Ù’îyÁ´Òt1ã¯=ø©ºæHÙˆ¼s|9óârPÃ*o±*{ü2$Û)pO9Þyþ~!ݪ£u¶Ø-8V‡y É1?— {j_‹.¤rêûlÐ2ß¾Bí]¯µ®Îð9ò/ÃW¤{ñÌW +TˆÀE è‚+‚¥’wÿ1Lv2y—ìóRY,u±¥æ]F®äŸ)o`œµ©&bçË/¯òMF¸—­˜^¶<ònL¹AÝÛþšˆàvËgÑJn0'¸¶§—9Ý*/0Óåì]]æ¿¢þü6òoµßŽˆû›¸œü}‚wÜi_dÿsû:Ð&ß^þ+²ÞšÈrwVůBðT¼ü:Ü«¬CÕ5q§Nõ-£@øÙ¦ã÷&ØÕˆŠêzbûì{ ‹9^ã÷…˜ÂÆ)9¹ÁÔ–T§Ò‡q—b[V\ˆŒ¹²hò襛ŠЄ5‚ tgݳÅï ùÛé“Ú—eæÓX‘·\E¹…uY”J/§0D&\Íd×±Ú.gôê­HÙÍk£©ì_–£)q\^`‹ìL¾È¹#B¨IP±kÓÃ}ueaxÒzmó+Ђ\ðšZ…^Êòîü‰œöP¬Ü>=†ÿ.à¿×ÄïùË'µÞlJcÚà}$òå_Sú°è¶m'ðâbÅ„Ü.óñÏîSsýë×<Ïü~ù5á\^L¦„µùªÑü¾{Òè¾}©Õ ë…¿\ÈýÛñ‘_ ¨(Ú×ü%‹f%^F'@B.ÇË?ÀLþ j /z”éþúõ¿6S»¶©Uaçz¤½hƒWu?å²­ar1ŒÝï`v#“Xºƒ( Íe)¤˜\ÏÚ £ Yð²Lœ¶ “7´c'*Êc ›ªtκ™»Ls§f¢UÌ¥wWþÓ-¼Q±³gÈ3xúd|Ë‹OVøHd…pTR~œ_‘¼r jHnÉ¿MEgî s¨¸xbž N—Æ)d17›mÉf¸³™Ônªé, ƒd>ã†<3!ÆF!¾àçKÃ~ü·-Ï0H¼XjCÏz¸Éë…«0ËÎN&„ǹxxF°¬xA´4ÐW5K_⡟gêñ­k!ªIµ®e% §¦±Gá‚îÌ_ÄâèÈ¿Y­Œ›VñÖIÐyLZ.qA ’WML­ ^ä€dE.©ÝÔņ!ºx‘MK¾x!¢^±yeöyz·ŸÎm¨Txùág1LÞ¼e¿ˆ÷YœCâòŒ–’nÙóò8 Ï·âò|ãÿ¼µâáé^U-ðÙõ;,.Þ–t.­1 ;^¼½£À‘«šE¬<" „„6R ²ŒJ®¡^C©Ì#çZIˆ„ÉÙK´D%†wÈ+'w”ÚLJD?BÀ p€›]µŸ,ÎD £:üÝC0Ö{*•ø»Cß$lU€WtŒ7öÜ~ñ¯ÙÝð_¶ ƒ2îsµò!jç§á(úÎз¿|"KöðHDµ÷–å^¼N¨ñå—4ôt¹: îÃ_~ùÙ¾¦þò‰ïº"~ÈQŸ‚/$ýe@¼Üò-ŸõÓ~¨e!t8¥›Ó˜Tƒ¿( 2Ì«ÎôI3Ö”gLL’ž’7Ũ›áQ_4£öè¶ô†JPZø:p ŽdÈZ §ÒêkñýñC¶øüFf{Ú* ÜÁtf##Œz¿)ž1k49üËgÔ»FŽþ+œlþñóÏ;ÿ|{àßÙÏ Á;ª/ä²’ß ý&9©ˆBDrK2ª“.£:[Á¥á)íÓ ò*B#—‘Nº1o`Äíâ±Æ¢òI'”®=­„Æ¥VFg‰¼é°º?Âß4ÖccXZ=ädX”&ØŒƒ.K1—ÁOgÊ6$¢ÒjGP„ðJBÐû’°êË4ay¿Ï'ý¸Î‘×G‹-Ÿ‹xe‚ÃÙù-<)Xí_>âþ, ó=Á0ò¶$nx!¸ý²[ ÀÏ>ç§;äyx0@—|²°7·êEyæ1žy%~dª¢dA~‡1Þ´(°#öfèákb5OóˆBÒü–°Þp'P—c×¾ emBÜ¿Ž"’)ÆJö‘R½©n¬,G¶÷3C)c:#²ý|wº]Ù2¸O‡dùÍünE~ýH~>òúö^H´õÂ4ø1Ù§„ pƒàyÖ‰6 ’ñêG06.oÞ4 ’yšÏ£Àñ"P»™Åt¢(èM⎥Á=ø@wîÀK_D=€ãE %ÖÀ¡wyO%79¸ç$&…Â>dKŒG)7Š«ýùËSÒ‘Ä$4®¡ÌpÐLP!4@†ø‰„sHä'ù+† ñ¿â~õDóCâk!¸ÿû¿½éB-$Þg¤ÑŸpùI‘rëÃ€Ì { uq’²q1U\ G(  ʸR^£ T’*E½®^l»þBç1^î-³G ìV¨÷~ë쇴$¾xá£}+0*Èeë*¿t( ªþ³/èxïOѼAŸ'ÅwÑ@²÷Å’ßH\ÃRæåR¥ÒØr& øÏžo‡Àã™ÒèŒx CXb ÆÉžs ¶¿º‹Ùø–.ˆÙ¢"ðÅ¡ùX\¦W³cëžÌmz³‘e]³FÍÒ´þܦRKm+ˆ¾ — -Ä@è@º§C¡‚=ÿ%Þñá•— ØÉ‘äÙÇÖ¼y>$þ”#¯ð,꾓‰'ízþûrFñç!rb¶ÉÓ–EëÆ=˜n&ýèà ü›¾ç?K4¸r¦«)gXôÇa©âe> ZxI¢ GjÁ’ÌÖ3ÄPýÁùñ ²qÉO†åqú1gå±xã¼*µKO³á•_•Ù³\Ú• »Á²n ¨'#Dâ!‰,MmBSÔ ,‰[öã¤C¦ÿàsð» ^Ç /%¾ÂJ%ŠWOˆ?Ž7/y·–÷îUƹû")fÇR©†»Ýþ™ä%æP>H`ï†*oÏÏ~:$,Ò*Sgé_XWam‰™fËžDУÁ6 f¢5¹UÈŸà¼Etä1„ ÁÈehmºz)s†2ÁUTèC ¡Ä`Â’“Ì)B\C®JU†8!ŒÂbrå>Æ!°¹Zhf$6!—RR–Ì8BLD®;sƒL#Hk)RªæÑ•œú&¼ºéú‹YñòzU®çÐÚUTóÈ£a£@s R Rߥ\^ÓñK:°rC³¾¤/:­fûü]××J¥Rb°˜C­F€Œw‡šâ¿à_îË—ÿB;:5¸‡?bvøC¼xxÍß4{?]´Eú'Ovøç/ÿF¾ÃÛ4áÚ4ÈEBuñë+€)©žP«ªƒéæ“za÷‚£•D¤¹n)9¤Ï¡^¸©ÿjô—Ò‚êÕJGcÿÇWΡGøåj º´z,ø™‡0I(Áƒ›$”¸ƒ©OnÁ¦¡G¸é0sH1´10ß4›øÜi4~lÃk´ˆ@¦†Ýä gÞL ߬y¤Â@óæÿ¾kwZy¦£ˆÞòp™,ý3¥ ˜ÎÏÂÐjt Ÿ!ÓÞòÎi™fȰÓâŒ>Ðv·õ¿ýf·Wôôu•wnŒ:Ë41&=dÚû1³F½ÜVFÑö ˆ±¹Q% P%4Ðt3ak™°øp‡‡…ÅâÕœº$,¤$%êƒÆK9‚¥>üØR©<}HiÑL~P&k_caÉñUó„£~ÀåóÐ0¿H|Å-…}-Ïcæ ¢þà$ÿP¯‹èt E“ýƒoLø_ž=ò²­¸äOkÏþR}Z;xZÁôšoÎÞ‘1&Þ\LÉdº öj†N—xÜâ¥ÃÄÄ,ç‹{~ç¸6±xº2rÆÎ‚”Ñ«£{ïþ€)Vp¨ËÆ¥M0:²=ÄÄ£µ³óÖ˜í°ô§?ÚŸ@´–í絃Z}3µDƒÜdîcþìã¿OŸïíÊÿŸúÁîþþŸêO÷Ÿììíïîýi·þì`ÿéŸÈï ‘l0»Þ¿¿“?;OJä &.",e3 ÑðOn“­Fž·ªä}»÷öü]@‰Nã¬÷9Mg?‘ïÛgÇU›G§Õí’ó¶Ö>½8i·à5K{©2_AÕ³ó9iŸ¶{ÐnïœöÉ[ãhï´Õi¾…ÇÆ«öI»÷SÛzÝîa˯Ï;¤A.^»ùî¤Ñ!ï:çÝq -ŸµÏ^cÎÖië¬WƒŽáiý¤ûÅBoØ\ã £ƒ€’æùÅOö›·=òöü„z&¼j|W'-ÖŒ®yÒhŸVÉqã´ñ¦EkCCtX’IÞ¿má[ìµÿoö0ë%Œ§y~ÖëÀc†Ûéyµß·»­*itÚ]ÄÌëÎù))b*Óv êY‹5„˜NÁçwÝ–×&9n5N ¹.Væcåk‚õƈæXM¶)‹8i¿>‡%7ù4„~H°¦ùÝÝJ /’”¾p®0Y¸Ûk4¿ï¿-}Án É¯ φ¹%§<ÛÂWX½ßÌFKÿÃ|ð«…=Ÿ­æùµô… KãÊ+ ­Âèú“Óón¯rí¿î´`TFñÎeéä,:šíÉt²}‰CÂ%bñsû˜)ð*òÙmе¶ï¦Àq1ó³uk9#ëÒ9‹ûÑúƒè±GÎùœ§ó*ðo?´úèoca|Veó7ÜY3þìçùê+íºJqu¼Â ú³¤ÄçèæÍPѾ"w6¹±€M¦„·µ mmc[d lˆá”w[Åâ°AÀ®@BX¥nÁwÈòÑin°XbŠ?š%ÐÅ9BDc’Ú`™õ<œÒzÕ`SÎâk]í¬&þ£[F‘ „†¡Y¯E'ˆ„©µÝ `Ÿ') =·©¼}½´è¦Ê8ü¥M1ƒ>Ð0"oQ©àÖ:mÙ”ÕRÛÁ.ˆyÞæHísj-'#çþð·Z¿½ k‚}Â:ĶÉpi3'êÁ†{‹×íasÚÒ4 WmZ†=„-À6@Ëîç ™‹¾:飊‚3‚NU|? \1Ð;Ï `Òâ¶ØÏ]T|X¾ؾklè0}cÌõH©GÕ¥?Ô„`CºÂÙs&(ÜŠ€œb;jÝx‡žfp?ôÀ´–+€ñšÊ#H? ¶k]!²°:MŠzPÛÈTé` ‰ŸÇS€ 'Êøª„JØN0³9ZýpžÐ£¬ˆQ×0 ­Æ†mî¬{‰Ã `^ì!E H4>Ê”@ˆñ¾·™ŽçNÇøkp´º Z)ºåƒüGWÙÌð¦ VaØNXª5Q¸!¦¤`œõ_µ{] Þ;BEÈ¥³ ×gS¼ 0wqþYMB~±çS*ŠL¦ó1]ÆË ¬Á¡×´ëüb÷´ˆWŸæKH²ElƒW¸ô–Àäk”®é$¹ËŠ|ÀîmX"´‰rx oé ú¸‡ù¦,}…oýÓF÷{R.×É_ÿêW¨1Ô+œ‡Â[*@0r÷²Ä dYbñ̬ÿ,mÁø`ý2rà#¤ HÒSØ(òqmhà^Üy¸˜~e p§Fë 43´/—××°äÙìK2 çBÁa Ö´'Ëò‡ïHx„Ø€=Ÿ HÅSØœk¯¼‰ý²EŽ%%Tü S&ðÓÂÇÔåè~«ÿ<*} ñ¨$È•¾ /–“éàt‚ìúrJ™MDœc$m"ÈÅ;PßìÑ®y FåVù uY¢×ªj¹‰5Á °Yÿ.Pü‰ÔæÍ¦šñjØËaÜàìâ¶&51±‘OZs¦D+–4Çï'M`e-\Ú9Åê°R´R™~yRñ;²4„‘³w''UÔ‚h³.nJ%©×YllØ¡): ä>Ÿš: ~÷ÏZ?öú½NyUñ +ãÃWäÿIK§âÍ¥¯.!‚/Ä™Çv©ôdÓX; [ޏtÊÆ!¶Ƙ`Jg`̆!r:Ïé–›tެ­Ý¡ŠÌ›$³Ý“ Ø“àB¾´w €pÝ –„šÛ©3,y•gK÷¦o¯f Ž;t 'jåàbx‚[d•ÿ^UKé³€ïI– «,õ=»æ‡z±]‡ÚCµ‰®Ž;ÿãÂG,R!%\`Föa2½Äò5_˜-æG¥Ðár‰;,Ȉ6Ö>k÷Ú þTÃ_w«¿þºûñãGŠœöè‰-‚ä·áLœEYÅF¥ô+Û$n÷â0L‘BlǪÉll÷ŸäÙ=J+VçÅøÄ.ˆÂVÀ*"‚Ë-AòW †#òÍ7N…ÓFBûŽß>åÌ€[öõ#á&ã6ŠçGˆÜšãóO\IÒ"¤¦ŒØ 8cÍP1¼ò ˜I„ÁÀËE%0ùÒr+lT%¶œ§RcQ~U.*Ûßñ ~•ø¯ `¥"÷IuÏhÇ*¸`)ŠÕ7R÷Xà iÂãwXât& LÜØè&O6‡ÍËÚTYõ°$TÐn„S SV›@>7Ö Äv\5wö×s¥Ê[EÅd`3¥…¶;P0‘¾$½È`3Eš‰B@l4ÖÇ”no¾}… FnÃrS¥=.[F /„|Ä.$û -ÊVÉDaÄII{¹ÛQÐÆ#ºIJ2ãØÛ(o­Qwx.pWù»=|ç þ‚<›.€!KËÙ;/ó”{ïæ3Síi"¢P""rSSïpÍ¡²*®u†w”‘f 8Ìf„ Ánºdè=Ó„MÉ'šÑÕ”Ux¤˜Äòáåñù»W'­~O~ŸapM:œ·_ïyÜ4‰ÉBQW¬è‰Q+`tA\. º"&ö]ŸócØÌ5¸«¦æYüiñJîTQ …®dÎO"f¼(P¥‰Ð/4ôùï9ïOØC­ô¢˜Îýq&Â8)AœÎpˆÙbA›ÎÂÖâ ×Q17QÞ›ŠÏ}»5øÓæÏöÆùÿNGãÏŸ?‹9ÿgÇåâüÿYÏÿñ÷ŸÈ³Íùÿ£˜ÿØkÁ…ø<£´ðÿØ«?Ý=Øø<œÿGÄåâéöÞn½¾ñ»Øø]lü.6~ëõ»`ÅWöbp9¥çg ;©Ž°(œ& D£mC*ò¹IÓž<Ï,\Ydެì•Nm߸Êj’'Öp8×1èŠ?¼Þt4D-±*žQŸƒg„î×’T¸Ûr´%4À2…ÃoV´ÇŒŽPYà¯Ì_Íí°Þ>¾úULt0"tÇ4ÕB½ ŒH§F%“žøSà´ª(‘uÊ*†!4üŒÁPÍ â™ÑLÖ‡è´éÄ4‚Ì—¾Õð*+Ÿ1ÀŠà.+ÞRÏŽÅ'´ÆcÅ.>ÐÏÈpáXÃÇ»j¬aÈ N˜m[ûx&ÃÏ ÚAŠÝ4Ñž“õ™q}™Û?Ö$¶ö XKakÛ+g:xKdŸk‚9>8Ò’˜l6œ™‹cÞ¹Ãúäc!ñin=I{EÉ)RqÎÅn*#‰È$ßòEü0 Ø)C„ÀÃãàA3ó†b°›YÓ3ÀïƒîëEa×ð¬ôAØp Ë·8Ž€ïÓ"ÖX–2Ç탊UJÔJ^êgçýããþy縅&Õ g¸9ÒM´¦áÐ uæóP€úRÒ¤˜»©emÊiÛ*7²ÇCÀ‚Öi3»tT„Í%€éY¡ÉB6AŸ%“²ž!:Îäì0·¯½9~j µ2g·/¯{ÊdŒtYÀȆl„óŠ6&µ ÄLÃfFáœøŠo'¨¢èð›\¦_3£oúæûéFmbÚ51ê¦i ŸnÄú¦[£mŠÜú)©ZÃ4›É(klìÉÃXs£2ÑèòQ !?NTƒÂq’À†NbM(…c$–I=*|ÄéåkX4j&fŠ ‘£Hó§¶áS›óæt0Y‚úò®™3§ .ûºTÝ>å*56²¹ *EA¸+`Ì=#Zföc¬ùD¼ÐÔüX0Ò äŠbñV€Qœy1ƒaQÏb–AI¦+ìg6$ê™׊µ^×Tˆ¡R“̓X‚ ñb-”°àäïtÌ•Ð7Oúˆ]"rRV¢Èã VBE°º@já6nð>æÁj˜Éè̲S6¡‹øah£<–m&€—Óva²£u`0ƒéÄ]¥}[Ã%Ú'Ï£-‰Ö2¹´æsÇž“;«géÚcL\Vge`ÝD¡=²îí¡wk6wißO1«´ñ•æÐõæÜvò +?vRCT›¾ä4f”ÒmÁÓÉF›Î†0ƒ%à“9—Bœ¾âGñÑŸ¼ä#ª ‰LmB Ñ15Ýþ«F·uÜ?9oã÷cF^¯ƒÛn·ö¡dï­ÿq-ÄÄÉf8å‰OdOxs¢• 6săG°Ð‚8èÖ­f¯ÿºqÒm•?OÑ J¦| zW1½F"«Êÿ­T ZÅîx‰»uêvç(z¯ %E*ò‡Z–‹ÅÒ¾,ùþö›¶10‹ô¥‰£,|Á˜×å]ñ”>æOü½¯ø¬ÛDÔ8«/æ ŠìRâÃÑ…€ñ÷Nú¢¥Òï"Q±ÌIyþïóžË¬ÝM•ö#Zl¨ÜóNµÆÎGÈ:³iL˜DŒ†£Øº3çk¼¢i}’­W´Hª‰…•J8¢àF;jë •ђ̽æ4øN¾´Ä ðèÐa׆Yó±ÇjÒ碰8ÂÑÇyÚö(ž6 ÕWŒé8–)dš7õAV*ø™ßè.ŒB¨.§#;7HŸ¾X³GQÅòŽXŒ„Os ]¦úè`UsàC—žcNôÍ êN[§çŸtå=U™¨Q˜ìô7ƒ{žGå?þ €‰þªËU%’ëçRI”ܲ0q£9~pnÄ32pYtÈËã,¼Ê½X“$óÕªF+Á#†$f4hì€kc Ÿ)”³érâOôê«#ÈføÏ"Ò­“ëG"è?Z¾¯¾ø™“óò~}Ñ'£mWfsë›tʨÿŒ+n—n®eFmÿÓ‚=òfl˜ 61þçÓçO÷öŸ‡âîÖww7ñ?7ñ?7ñ?7ñ?7ñ?ÿàñ?‘D/X—YòJ\Ö1ab¬Ô´¹¤˜5 ÒŠYn ߵޝà "r‚{,/D’È{}i R5"×ðƒb–n_¼ðe$¥Œ‰D±2 :ƒbu¯É÷ãë¬uÚ œ¹´ÐELžÎ)nŒj¡ºã ‚¨7ïqÏ_Z¼Ÿ"æOG­K‚1ÕȧîV6éêÍ]ÈF»Ž™+jÞ’c`1kéfÈdºJöÁŒ£”°cnêj³†¿‹.1ÆN1‹,Å).:ã‰2™£uMOA3 0Û<äݤ²2»ÐÙ†ù†¥Éü ,D±ÓZôæUð™UN 08ÇѬ22Ò ÿ’¹ø©ÇXKˆ‚™•>%hûq' l8ÌI áLÈ!ìV {x¢ˆ½Ó™ÛÚ—4†1^þÂÁ„Åf?ƒ4Ë]»˜Ó–^zq,MShb¶Q´2Úó±+§gM ¦s–sÈLo!£‡×ô2v&ÎØùÅ&Ð4æwÐÜZ¢á#›É#0S'ü0ÑHtm7ƒTâL’g®Šx½cNY¿–¤#PztíL:ÄAòÁ¿Žrì<þ}ããÊ}ºñé„÷TN}ôšOL±OIŸ‰Át(GGCËfBe7û/r¬é!+¢ÍÕ5œ‚[µ‘îS×ÚÞërL¾TûºÖRªvuMd²ß×u÷ªz`o)j‡ÒE‡F¾"-‘P #šl· Ø[ ·ÕÅH&Ó¦_T¨+-‰¯. 1ÅHyº˜ˆwº‚‡ñBIVêÆŒ’ýõ”Krˆ·&LC—4¢rnn’‰Tbõìbœ GÑ$¡¬Á°ôDC“´ ±“Š?‚V¬Œ¢9(C›BÝð`«®²UÐvZ†0'F{©áH]ÿL« ­1Ëè²fÕuO³ Ù貌,Û1V]Sq*bçÊF†Xõ”Tt*c¢uëKÄI|)´¾¸Óš†¥+Ö&+%×ÀÃKOI”´¢ôĄ4ê‹ÿ\ÄÆXLN¶5kåZ†÷zj0ý4ý\› r˜”ëŸ@Ô6_¹ îùÐcjÆ(AæL>'Š2“ë®|3¡¸C’\{äÚF–Á<ØíHžýnÔhbž÷:Ñ6ÏSF¤­­‰Õ±Òèú6âNk–®Xœ<,3«Â KOfI”‰ò†¤%R¤QŸ¶e,ÓÆ¸ó|Qú½¾y>JÒ”|m2Èj6QàŠ²>gZÙmϹÑcj )AæL>'в¡ ´Þ‚¬Y˜Pfó|^̘Œ AŽùFºó¼R“M‹³UÇ UWvÌožjêù¨Qjšç1 {ñA °´aè'?G … ®o­ÑÒþ¯ˆòôkl¶Ž*Óå8Ú4H,”dʾ‡R 'Vã~‡Ô”ŽnKmA fé{X°x¼ ÁûZTÚ–†Ü®.>3ƒéZ¼h3Eu‡b•Ø;D˜ÑÅ FûÞ"N=RaŒ—(`Ô¾W Œq E„šwd‹/F^Mœd‹—tÉlÒÓqóh·2¿U,@ýl}qʬšr*&Eê& §‘¥Uüeäl$fªIeO"³Ñ‘ ëÉ2&Å'y]ÅÞïÌ´È Õ¹,CId³Z£1á¹É¡`§ó5ÙÓyN›7°±Dìß´DlŽÉô­Ã›³Á Ê$É×þgÝŠ9ÕÍü†tÄE($[ûŸóCe XCéx¹Z|Ì‘¶PMq#SóoEÌZº@Í[L‘§§óx1+H†‘±Ä C{C›ÎÓÙ~ xñ>$cÛš8“ë‘íº5/Ç&YoNg÷sçúfAʃ ÙÛÝ}º½·[¯“·öÝÈ^,¶/¬Ák>$Çö­=šÎh.³& “û*9©]`rvlçž×u¦â¸äÆžÛ—÷äznMö°J®æ¶)ÎÔk»ŠIË 2³ç.T˜^.,Á#<Ø͇-¹Ó«ÅŽ=Y,× šÁz°D`@rÇÄï %»¤ŒÔ¶º¼ÆV…ö3´­6ˆ™Öà³øJîœÅÍt¹À°ú‹¹3ÀfhàøÑ’æPŸGÎØá`uŠ*Ûƒ¦—. ®’ñfÿµéøfËË‘ãÞTÉÐÁÖ/— xéâË=ÁZlºˆk(pЈc{IàŒ´v4Cä.8ºhÊ·»›é88‡BuµœO c›VN}´ßÛƒ¾ÁWÓÑhzÇ’Ê áÐÜC>‹=øn]Nom:,F“é f àŒÌü™æŸÜ äªK›£:w&ؾ#›#îèÁ±Fd6Ó~Ã#ÔÔ{Û"Ýó×½÷N‹´»ä¢sþCû¸uL¶]xÞª’÷íÞÛów=%:³ÞOäü5iœýD¾oŸW (KV·KÎ;ØZûôâ¤Ý‚×í³æÉ»cô‘zUÏÎ{ä¤}ÚîA»½sÚ'o­Ýêb{§­Nó-<6^µOÚ½ŸªØÖëvï [~}Þ! rÑèôÚÍw'¹x×¹8ﶈchù¬}ö±Z§­³^ :†w¤õ<îÛÆÉ ö†Í5ÞÁ0:(iž_üÔi¿yÛ#oÏOŽ[ðòU àk¼:i±Þ`tÍ“Fû´Jާ7-Z뢃Ē Lòþm ßb¯ ø³×>?Ãñ4ÏÏzx¬Âp;=¯öûv·z§ÝE̼ґ"v¡Ò9mªžµXCˆùàA|~×mym’ãV”î7]¬ÌÇ*Êã$35÷è ¢Ã’ò%ìAC‚ë:&rŒ=µ“i2M^R# 9j¨ ´‚ʪÀ>dËyÍê&¤ßLÅJAY¯Б(ñ&§q<¦_eB˜´¹KÌSØô:ƒ‘dë˜D̉Pj„9ˆé:˜PsÓû=ÎyŒdï[Ç<ê¤âK„2õŽyLÇIYÏ“ª¬{‹›?UŠó‚g/=_y …%_u¥™Ø”Ô 5~7; "ítá‹.%¹x|æf4W뛦Âf(nr²ÎGîM,3 ÅÚȰ¡é2EƒsŸøé-~sS2ÉìgTy)!!7M!5+ƒ ^ÂÊ ®j2ÜÒ㢠…,7I䦈¸{vfa_&ŽHr²_Y+’]<q¨ƒßägÈ0ÞX]ÃL­ä½M®œ¹» ‹ù=ZâœñldSkj°ô­5w¬ÉÂ¥öJ{>öLdžÕ– ¦ó¹íÎÐxGx!ë‰×ô2v&ÎØùÅ&Ð4¾´æsÇž»µd JFÛ‰*Á]¦”Ü´9™ÂÑú²È-ñ¹Z=:6óÛàý™9n$™ŠóÜ0MÔ‡h &˜Ýh“”·`¢ÉcÙyÔt±ÿä"©Gßf”ÝZ“q”Ǥô¨ (bxz,¤o¬2WšCðÖ@08BÉO †¶\ε«:ýOä#A§³$®`š1V®IvyK\&‰y‰nú8^=N=oHUM¥cdlÁO9FßJ5 DÝ,ãÊ}ZZMôÔŒëÉsÚÔaæYæÒEÒÇ%u‚¸-€ãÇì?¬]Ú ãµ¾ûeMe—í>ÅÔ(}ãÒY4Ň^"õ¤V²K1ZBI¼Zt²úuœ 6î5¡@é·.è¸î=< °ëB@º«ìÃ?ê\º¾â‡Z„ÜjiÓÌ,—Æ3ÓÃõø¥žo¸–íÉdSHõ°Î¾vâ½®v%øj(Ó·@TeÜxúLÄÀ4ÏðÌ,)ÖYüAù“¾Ë|Á8Òݸ‹GSÆ]¼ˆpœ©8ÔPçÖˆiixs*-rŸdð…Ž7=D§¢½ºŽo³n-Uûz€f”m}#A]oa¥§ÐJÚLQ¡»‘eÊØ‘¾}iãD#…–žø¨‡]vœ)ÕG:ÖFK6#„®÷VzŠÔøry" LÚèHÍ‚+ž˜¯ ™Æ<«HŠc°\’³™ÈÃFŒD›H2¢×•²MYK6â1óqJÉ ªÇj !*…Ø`Êt²™)ŠÒ±â'‰ftGfj¨›«Õ ÎÕŠÚqÓÒ%o·¦Ç0uƒµ¢6ÏL#Ì|”V×>K+f'Ì4ºŒ‡hu]µ«-#ešŸ¥¥ÌRò#íÝ@ŒNdW©U’˜ÖÚÆ¦- §Œ-%åÇ'›¦´’2²ÄDAŸd\zE*1Æ'°)fû,&ÖÚu|=Cz*­Tm_Ÿ òX¯ëŸDHϰLòøsâÈØ2R–2lyñ”Ýn]ÿº‹9cÊeÕχcCR1ʰ׮ɠ_7µèçJ7¥‰Ymi³S~ýS »°‘šñ1q×:ø1™2c‹%eÚN1ÚG=‰ãnÇöþ¦üøI%MÑ4ÝçÄÌÃôã“&•4ENЀŸ9eÖK­_Î-²E6'Rĸ“+4¶˜ùò쭹Кø jµÙL6ÂQ™ô‹a9kèWæÕcA™LaØ/†­ÛÜ/’‘&ãÆ…`ÀÈ®MtTŒðÞMòîÞ˜ IF:BbpÓ62,‡7`’w ^ã³ ÷Q’o']ãè² vD’kO\+e xÝè Pþ¤¯ý›‰äñ–XDëILkmcÓ–¨SÆfhªx±iJ8)#3²w>ȸôäTbÔ·¾eÛ>×s,P˜ÕÀàX JáY,ú‘Ùäm¤ fðζLr˜»óãÈØÊR–2lyñ”Ñîm¢BeðÌƲ äF±9ª eØk×q, Ô‰SEËíã1˜Õ–6 8êîC»°‘ê `Ôüu„ÚòS‹gHl"ÓÝô„ h¼PZ_¥%A "TCä“3ÃdzÜPòèbQ§WL±Îµ©1-%9”„[ :ZFèLÌ„ôjØTis2B¦oZ³°ÇMh$_LæÙÔ0 ˆVÓlP®¿Ã‡HU1®Ø!é_é„Ò‚J:  òG úw‹4V%IS÷6qQ@Æ »És®u;U1…™æM–e˪¥™+]Z!UŒö”ôíBS»K£±Ä c™(ÎX+Ë6¨dV¤9,#Æ”i`FJTÊZKÊ7–eá™ê‡™Æ“̉õ†dÄ–S"÷Ƨ*Î%­çÉUha#«§Éê¿éÉê: ‹Cs—$ÕÅ',W’±^ºÛpSZòf|Ââð÷" 3‘Ðã¿•¾t“°8ð±˜ÔÌS‹b Z\Qñ5n0ú{_J²]=öxõ!0Æ Jñê F…À'$M²–0’°82‰ùdpeÂâ¸E–E×MX¿Q¤nš’j2QiH©F$f,¡fO"³Ñ‘ ëÉ2¦ šmE¥K¦&ËËTÔÖOU¬Ç`µFcÂmS¤ìÕšÄìU~9{µ´5íÿÓ´Wú’öJKÔ^¥ÉÚ«a{e"«­ ÅíUš¼½J¸¡3¹WÉ2÷*Qè6†L_ì^%ÊÝ«$Á;ÃljˆÞ+MÙ{•(”­’7ÄUŒd¶2ÚWZÂc:  ;D úÛBQ€ÆŠLI`êŠIE':$Ϲ–¼°Ò’ÇW… 䫉|UŒH¾2“ÉWBùÊXŠM£1 )Ö⌥ØlƒJfEšÃ2bL™f$Ú¦¬µtÉÖlá™Jê™Æ“̉õ†dÄ–SÄu w¦ó,rˆ! `’±mMœÉõÈvÝš—¤®Džætv?w®o¤<¨½ÝݧÛ{»õ:ykßìÅbûÂ|°æCrlßÚ£éŒ&Ãk¢Ô:¹¯’“ÚE Áv.ìùØq]g:!ŽKnì¹}yO®çÖda«äjnÛ˜#opcͯí*f½ƒÈÌž»Paz¹°Xdð`{4¡´äN¯w8tÒ±\w:p,hdóÁùZ¸9Û%eLÁ·Õå5¶*´Ÿ¡m°ALÕŸÅWrç,n¦Kš a1wØ M0ZÒ$|âóÈ;¼¬NQåb{ÐôÒ…¡ ÀU2žÂtà¿6ßly9rÜ›*:Øúår/]|9°'X‹Mqíql/‹ €‘ÃŽfˆÜGÍxw3ÇãP¨®–ó tlÓjÃ) öûo{°À7Xãj:MïXVB "š{Èg±ß­Ëé­M‡Åèb2]Ô œ‘™?Óü“{cvisôAçÎ[÷bdsÃ]=8ֈ̀d±ßðˆ5õÞ¶H÷üuï}£Ó"í.¹èœÿÐ>n“­Fž·ªä}»÷öü]@‰Nã¬÷9Mg?‘ïÛgÇUêV§Õí’ó¶Ö>½8i·àuû¬yòîý¿^AÕ³ó9iŸ¶{ÐnïœöÉ[k·ºØÞi«Ó| Wí“vï§*¶õºÝ;Ö_ŸwHƒ\4:½vóÝI£C.Þu.λ-âZ>kŸ½FG³Öië¬WƒŽáiý¤û¶qr‚½asw0ŒJšç?uÚoÞöÈÛó“ã¼|Õø¯NZ¬7]ó¤Ñ>­’ãÆiãM‹Ö:‡†è ±$“¼Û·ØkþßìµÏÏp<Íó³^«0ÜNÏ«ý¾ÝmÁ>ßiw3¯;ç§t¤ˆ]¨tNÛªg-Öb>8APŸßu[^›ä¸ÕÝýM+ó±Šò8ÉÌýΙDU`R¾„ÍhHpUÇäÚŽ1K`k1‰JÓ„( ²•"œÒ5¶|Ô$¶DdHŸž”Ÿ5eÐåLo¢››Æ%yeŸÊT?ÉÓ›Ý'ÇÌ䟜HBÈâçG'µc„A”Ýó;jMQlÖÆO:E‘”‹ÅO‘NòÄS/É+;MJl_¡ØÉÉ95ª õ…NLz®ùDÂI¾€C ± ÄcË?¦ÝF‘¼à¥’’ë=6Ó¹0˜†¢f òãðž Õ97ŒŒ\)ºÃxóHáR')‘™+h#Qr­ì'<ù&9!ÙŽ¹—ã¯W tɰôé¦[aûÉ=Û9';É\D˜QÂÉœ£?ãá f,ò5Ì»:´Mþ…ž{ö‡ñµþpx8f$ïmråÌÝYÌïÑpäŒg#›ÿ‚¥o­¹cM.5¯Ùó±gÑñŒŒd0Ïmw†¶&js ©û^ ÐËØ™8cç›@ÓXøÒšÏ{îÖ’TþLʾ*ÝžqzqŸbÁùÒuêX3ÿS·ƒxÃEqN¦ÉÃÕLeSYm I¹ƒ‹˜}}{ã!€ˆ1" FºŒ¬¦‹˜„‰…Q‚¾YãÑPBÄæñ8(A×Nbªù…ÒÙ5ó¿£Ï?Ӆ̰¦PΫ:ÔMXÙAŸ£økš¤0FHövJ òDo¬„=,m| Ÿ¶‡Ÿž\´žÒ.¦Ø§›ŽjÆ£þtêRŸŽ&=ñÔ½xyé<7«ÛSš$÷P¨6ËÑزr`mЪŒ3œ«Ì’5”U6zhd+Ý”Ò*Ń^–òDTV²Š 2@¼ïOV$°ruü¹b·Ô5 \éü´ŽëxH=äÀ.‡ëvº[âC:꺷OñïË+3š„l41%sÀtÇ[î§çx«aHÑgí©>«ÙVG¼ëí×"Ñc¶g† L›GÂñ¾(–æM›‰ÕäK'_ßÑ÷/.3z[nÑÈÉ´ÿ1s©*ÓÚP¡  -*C4F…yêÁ]à8Óc1FZ«§;zê¦gж­³ykYÖUºë:‹'=!SüÆb†½í(S2‡´MH ˜tÄ<dè±×LyÒ¸ª&2²(üz®8é™7ãJåCƒ,àh"!5/NŒHaº2R¥ó4‰’‡ö‚HÎo£/­0M‚ÈK\O6cYÅĹ%%¤ )€€›½31'(3ĤáÂOã'zèÇÌP7;>ªkŸ³W¦%—IÚ(ÍŽêÚ'GÅl|F–ñȨ®yfTÄ>–aT™‹êzªO;S& 4;&JKm¤à%Ú²¶p›À€RóYij¡µŒHSBMQJr…‘–\‘8žÄ¼,<½?…ÜâsƒäßòŠIX´V=ZÇžžª(E£ÖüìvÞúƒ ÌÆ !<f m…àÆ˜çÃNV oýµS†“Ãê)††™"ðb¼K®Åà]7³xçÊ£…OMI°Swý¡‡[ÐMܘ¿h]Fî˜\‚1…’’'µ=gÔ¸tÅ1®ÙŸ/¾œ‚í,hxóv|2·ørf˜š³³`â!lÛqé#ãJ™á@™Þk7lǤ<Œ)dº¢‰ÜÖÁYµ©55YC’PY±s°‰‡3i+sê° ¤£0aç` ë´g‹lˆIˆ0{öáèþ) ]Xo›$߯™Š\êI§5¼ ’|ášF–ÅÜÜØHž­mM£27wv+’c¿Z˜»½.tÍÝ)yÓ³KºqöGôÍñlh-#Ò”XGd¤È¯}DZGâx ¬|kŽ\BnºÖ§,[Þ:ÌÝiÔÚæî( ›«×º“ŸÑ¨k TdÒͲ2tóbÆÐQnŒÙx>ìd²ìê+£Å˜ø20œ¬æîœH14Ôã]²xs·RãLû ³ÿÆàSSÌmîzåC· ê™»1ptÑá{üÀ’É h\üIôûÓóUZr Q©˜œ–9ŽM†²þ†I^Ï72eé—¤†4ÔÎPŽ[Têd@ ÒWðiŸU0©R@d€HW9—3«'.’é Ó¬¥*Ö¢Ådm:.%º‚ #c‰†îEº´œí:àÅÊñàéÞÕ*¼‘?8½[šE€¦+“fUãþ_ZŽûð´åQ8ÕùícÖ’¹~©Û>–û§±v-M)™ŠóÜÓ”¡†“e(IìDk0Ì%Ãp ’Ä5””ׯtA™iXF‘ÄCubÀPãkÆ'ÒÌ,ÿæÉ¡)Õÿo–~Ó‘~uòbæ#^~ŠÏˆüª F½ì‰Áf4$ºø,˜Á¯y!Ò—yã2_ÊßòB£+ïÆd»”>埩TY75Ã%++Å%”cßÔÐ݉R’0¦CËŸã Óeȹ!‹LâàÒDrC¥Þ•ã§QcNÉRš¨U2Œ™¸IþéL–XC¾´ºyø„¾¯eXHßæŠD„ñžWDÜ1ýœÒŦVΜK:wéÄÒkdAãJ1¦—3Ú,•FjŽ«œy¢rDæ‡6Μ¡“£)žKÓ|Ðæ¹ eè¤ÊŸÓ4÷³yÞgüéÙÊòæÈ4ËólšãÙ, Fj’­œÙ3r:æsΘõB?sQiײåoΚ»9[’ íœÍeË”«9cžfíœIù™ãrUêæe6HPiY/sÁûSZJ€Lù—õr/¼áŽ$ÃÑA]ãì ïb8 ãCƒzº sg0¦(ýã‚´äÚYmÍÁ&‘…Ü /oVè5¤¹XèSBb?ô©{u,쉱ñò´ý4dâã³gßZŠI±}0ÍšžüÁ8ÏqÆL¾ÆC1‚¤1g5 fÆ‚žœFì4;&²X ë$A›0ˆŒVÓ¬00äÅÑÎT¸Á´®o1Í•± S.âüyˆ“s¯kxŒÈÄHš”s8«‘4&3’ažáøÃèA—Ñ0·pëh|Jó|‰¹„ †»^³h|Jó¼Á‰9ƒ F¼N{h\:+ÓüÀ ¹ Fº6ChLú%Ã<Àñ9€èwÍдœ¿Yóýjäú5_Æë7}¦äö͘×7=§¯ù_‡Í3šÃW?¯2w¯þ°4uÖÔ|½z¹zóçé5Êš)?¯^nÞüyyóŒÄÔŸ‹7oÞ<£03‡ÆæÞÍ™w7EišC5ríjg=5—üT¶-¤Œy[³B¯!ÅÅB¯­t® úÔ;vM ÒÚ OÛcHFÇÚaºµm-@óÓ2‡jåÂ5΃›1Ó«±ÂP€Д˜3ó`Á@1Î#všÆÖ@=Å*¿ÙÈAd1‡æ@€Á /Œv¦bÍ¡©9k‹Kàš)Wmþ<µÉ9j×5¼F”nMÈIk&"W.ÚhÚÈeºPƒßwLˆÔœ³ZùfÓrÍ&ä™Ï1«™©T?·lB^Ùøœ²Pè)§±ydãrÈ@ £XÆåÉk4 ‰JazžØ¸T¢± £YDuS7¦e6ME¹ŸªAѹS‘…¨«$ýöS0¢"VṲ̈ܵIËëZDNWu>×ܹ\µó¸êåp5IzO ‰óµéÂ@b7;nY§®¹È A×°ci>)¾îÐ× !Žã[i@k2±Øeñi«Œe»<Ùª"‰ªþØ’]j>U|T)©¨â³PÅ& ÒËb¤v*>ãTl²)mô乸ìR1‰¥´{בåb2I©“H`>QŽKÍ“W(.¹K$¡f—”GñP(ù  Æ— ņ­‚!}ƒÎ AtSOEÊ–•’Ñ©€dNÊÐø\ Pè h±ù?ãr@ #¤ÅåûŒÉõi4 ‰‚Zz~ϸ±‰ø¢ÙuSî¥e¤LEÉ!Õ è°Å< (¶n5 éÛu0¢\Ṳ̈ìjiù8‹ÈÅ©ÎÙ;§vþM½Ü›&É*ã)!Q"Ò¦ ‰Èì¸e ¸æ"7]SLŠ¥ù$)IwèËu†Çñ­4 5™X¬pgž'óO›?ëù3r.­Åtì úÓ™»ý¼vP«ïî¸óÁŽÿvÇšöoí9&›¬Ýdécþìã¿OŸïíÊÿ⟧Ϟíý©þtÿéÁÞÁÞþîÞŸvë{{"¿+DòÁxÿþNþ$$ ÝÝ7J@i¤^Ç,¶ß’ö­5!§–3´&îg“ªv“ªv“ªv“ªÖ8U-<îx×蟶›ýó‹nÿ-ê—ó9ÐK‰ 6Ð×t9"µˆlBÆ`1º¯É¢Rðl ëìVö5ð8$t¾Û‘Ér| ?)ø|o0ÚäÆZ¹ðÏrmÉt¾Åk‘2®x7˜O·ÈÌš/ÑíVŽ`-Ú“@‹n¾ YS”y.©â÷ÙÜF«°ÆP/ŽKCzÓôIP½üÁ¶g8* /ï.Xe¿Øó)°;„à˜C_€Y\󔕽Oì;Ö”‡ß)v%°)MÞ4ZڌŎ§î:¶.anxS¢aÄ#¹t®¯±† ­ÔÍUÜ7§PÌn$bþÇÖbp­[_™×•s½ža (~ÑæwÚªùm}áK°?ÀrÚíŸ6þ(ô¹òSû >¨?5;社‹¶&Q=^VGþ»*™[#ç{òßó§{»ù^mä¿O+ÿÕëFòßFªÛHu©n#Õ™IuŒÿ¼ñvÂö2³u\Ùø»Qí†*›Ý4‘Ð{>¬6”ƒ&öx¶`Ü€nÙ°rÑÆ$õ…Ëd‹®"nч8þq¸äuqcÁZ±F.®4reÍAvº|²ÞÜé¸ÐùÜEÉËÜ`mX8k6³¡ÞÈù`hNÌK ÞÕrT%víºâÓxeHD‚PCÍf^2Ko a˜rϱ½pƶëãiq‡K˜s± X®bÆDb¯fÀ·€ÿ nìÁ—ÉUw65Øá@0Y`(tÍO gIm¨Õž.L ³„šCÛuæT0„ö­ òŠ{Žш; ôG«ú¸D!ÿK“>À':ó®ueO‚Ól¯6Ò6 X -Ì6tgóÙ¢¼XR­V [(%ÊdódÃGvqO¤Ìuêzû Š˜ÿù„–@ÑcF×”G…ÿ/'m•ö,Êm»3{à\9ÊØqFÇK”}©3xae­Ê[¦ À6l—ìÚ^У‹*ž,Nì,'k~O·‰Ù¶˜YYÂVÙ¬å¶Ô I½iDà ”×ˆ_j?94Fdè<æä´ÆËâF•£¯Bn+!õ9WtEÄ8ó»vê÷hÞã¬éß#Ù‹}Ҽ3×’žêˆ33}ÄõrH ÷M¦yŒ€ÇßG™ácÊL¸åg’YZtFi×MМžYN;3vŽ™ˆdË]Çd„}IŒæ#Ä4õæCÊ…«;éIob>"¹m×1a£È|€ÒÐé÷ºý^Ø=Þ5ÏOAihõAMèwß7.ú¯ßœ”­ê´:Ѽ‹:tO ÍhtÚhþï»v§U@¿Þ ÐíºÓ:i5ºEtíM¶fע˸ý†bæ•5k<«ñ®{k®O3SEN’Öü”¤òzPoìÞ°~û-Ð’¿„•mÅ.ÁJ˜g2~hœô=Þ‘#LJs¾ä}8ÔDbœKÀÄuÄC·Õ«øœÏg¡¢œð?¥·û•Å …þŽ˜ ÙáO‰,¦¯äšD!9hÌ£D¿ÚSê5o8«*é$ÃÄzëþQÌmHIœ^^¶€²ÈšfØkÞp†UòN†öx죘ád“8ÃÒa¾.’›NcÎé{Ó¦3]ÔÀà•:›’ÙܙΩ5‡šl q¨z6ÅZl&ÓY%r[‚GËø»B~U\€¯‰®¼QËŠROñ¨¥ Îtv›÷6™’wÇ,Û¬qnãé*m O¿g¦Za©7·LHNÕ53ÜçÊ?2m©+qll+ëè4/¬?U´Î¬‹QÿB[îA¥2kqpî"bÆÆ:IÈPU>pKÆKªü!fl`‹0žr“ÈgJ$Ø/„7Ô–ï½íŽ­Ñ¨v³óÙ‚•{3¦ßwž0¯Yèw8]^Ž$C{&—°Ö‡d:!ü{Ø‚S“\i8EÑ៿{uÒê_ô:ýnï¼ÓxÓR£;¦Y­ƒa5ÈÔ¾9–nÔÕª/"NŠKÚô*nëÁÓå=“&ø±p=茱GÇÅ2ˆØÅÝQô=Öïi™|Åv‰w¼\W|Þó?ïñÏ´%©¶PñyÏÿ,jûæÃ˜¹–ŽÅïØ¡øSe©‰1æØ[=‰AF“ÖŒœCÔý¸Š$7Ÿ ‹$G}ºô¬Òq”Kši´™FœiÔ™Fžéô©p§ Òi²ƒFò„g£X÷™˜þõi’ØPì#¤Ø¨ÃQ«4°éR¬¶‡cLçšþŽ µ‹"Ô¨ô¿›DCÞ¢ÐgÀ;4j,ŒJ¤âh1EN‰ú#…æËO¤/n„—ÃËlxKa/Cí‰Gÿ{þYŒ'p’"¿sZ‚–Ú"4–ë”DwÏðø)iDiÒÜÓ).•€I@$àÑSÛ¶?y‘ÛªcZ#G°Öö¡>ØÐÇ#)“JŤý+ÒTQ{xfîc„‘€ýx0¢w,—Òˆò N§ÎcÆÎA`*‰Eí‚UßJIÞ¬ïÃð ˆÍ S­·… XEøQ˜ ÞLƒR9#$"/ïddШ28c¤ô¯G&èZ3†Ò7Ãv=ëuD®Í)—e³T?”‰zÍ–éx“t‘æèvèõ „–4ÉB[Oû×VE•†æ,fCÓrfTéÜ€Wé?éŒ+Ÿ=ÙМ¶—?‚ñ›YÌÆÉ*Î#»‰­ØÄHœ(? š×² g3 ›Û™òp_}´³%m¦«¥ªäGK¢>²´¨¹ÕcCK‚ùfHQ1±Ç†’x“ÀzVO„»#ÄHP)Ö«o€ÕàÂõ¥½˜…f õé›RóZù²¯¾«Þ'[‹ìxE#/‹šQ úrn{ ÐÐP—™Ï©Í&ŸŠé™Û9 Æ›‰$Q<êrŠEš1³Ø/ur (†Ê´åüöJMCå c-ã÷B4§“[{âØ“M®–“Ý3ØÞü64¿McþðÓ÷3Û¥A~Dkèàˆ^›¦GÚ5Ó|Áy]u?×½ž¦6gÆ]pÊlÆ ;~‹½§oBô×RÐñZÇ^­må ðjè…Ï/‡Øo)øb/.¨Q nsø„jîN»cDÅݘYY¥syqR8‰à>¬³=ír¡©v²FR H"RÉíÓŸ®?žH­¡1?!…¬•“ æÃF‚úF&G© ”ÁF¤ÁÔÜœÜcÄ!©áꈨñ9Œ™Ê$™È%hÉC6ëMþ€´k *ÆsËTVɲôÖGJ@QÝú%µäÝ¡Òlþ‰w»ÍÈ¥€ Ùk$ÿhâB áމª'®RØþC“J/1ëÍuy5ŸŽI8ì¹´æ?ãÖŸf£KÆ4aã¥íihSœ¼ˆuµ°ç4ÅVT3²÷xÛ%ÉF²^Ê–2M$ù7Ú¥DRJ¿U-Fªh-™Ñbeá¯a â1… ‡…ŽX dŠ+%_$Úüù]ä±Î Ìÿü´¾÷ìÙ³PþççÏëÏ7ùŸ7ùŸ7ùŸ7ùŸ7ùŸÿØùŸ);ˆIå{Â_%¯£U|Ëê³…åÄu®¡…'Ov°rÉÏU—’.ÒÓÇÂM˜_¹ˆ´àih‘/5-R"pÕ"~qéó]ºHÇ[¢ÆýIèBí•^!6næëÐæ³U1›³½„ꉷ6ô0LÖ†ã”óíªü>gÄÞ“Ý; G˜Ú³sÝKËÖýˆ¦ò_Ï. ”%rÊÇŒ0…ÏõCà+‰fB—± UЭ QNoƒIÚBøMuó­nCqWãªJ:kN¿qQØ’WÞ»à8x ËßäÆš›Ui3@íîÜ!V÷ªFQ,W埛\ ã¾W_Ö‹SSAÉ­(3r%Fß:ú6H<ÚŒ§ ¿2”åŠL‚LµFää3J‡—ô@>Ê â‰vç¨lšG¼2ô`O¬“jRVŠõ Íé†äH˜¨*ƒüã̶â5Ïe¼‘. ÙƒMÐ]ÑE¢®±×ÜÌkdà͉ªØf‚:‰÷ÉcÆ52à¦ï¿ŸjÄfZmšÆñ©F«m†Õ7À¦H«ŸŽ’ÓͬY ¬¦vœ4/¸Š&ÃLWr£#^( ,çñ #Î:R42bùÑãAEŒÞ]ü*‰õ“5A„0Q )S׈©Í`óÔ›¬9m¡MÓd™Ï¦–y!ª¬hŸnYšZÍ Fš¹vP Úòït¹gbËÊê2ºÆ¯…ŗ¾ÐP(ÊòK…™ Í„Å]µÈ†h}Ñ=«QP˸f4¬käšf¿ÑÔ&šú°-b… Z&~‰ÉŸý¤õÁÖ½´õªaË ¤‹Oh’ŽVdþ85áÓÁh “÷¾eÇe˜™hÌ«ß5 „Øè":–3ƃ–Ï´œ¦t`HƒéÄ] µ‰[²O¬G%Z ¬3riÍçÙênº ñRÂÒ‰Åu«Äu0z^7 « í‘uo½“´¹Kû~:ga+xk2¯}ÛœÄÎvÚeõð 4™jJÕëŸgŽIÚ[&Lê/š+Í·xbtÍ㊵ìGÙC"ˆ¨¢µuD†Óltû¯ÝÖqÿä¼qÜï´ÇŒJ½^÷ânã¬Ýkÿ½Õï½õ?><}qRN½¬ßÝ=á]D[®`ÓXKC?~,šÐÂc/€ÌòÙQ2/úôI‹3»„QT$‹ˆEFjPÒìKR¬jfThpŒ'ÑØÕRÝiëô¼ó“®Àw;u†%¢Äž¹SuzŒ îòù*­(¨îq•H®?ž{J%I`ËÀÓMÈà9º [ÌÆÏeÑ!'³Œ±:+wdMæÈj«B’ñ—ͦ¾®‹güa¸E9›n ÏZ5á™Î+2ˆ~kÜ1"9G~ï{†ú’jÎ]ÃlßЪ²Y¥e>¹6º`þ½…â6éÁÈAÞ6Ñ+7Ñ+7Ñ+7Ñ+?aôJ÷èÀ0|eRœ÷’šN÷ߢµÙW†Ô;­™/†%kBÄ’}JÜYÙ(i0k‰c©ƒ½¤{µŸŠB”¶5…DzÌ2eÉиàœX?éž³.šÉúÖ¢iœ>=\&Þ–ÕcOXÉÔòá°¢w_:± åµéô#:wªS-zÊ™Záñ®šÄ{ש€Ä_¿Î¸ƒ»;èGlÌÃú̸~âí«u`My%à°f´éQaMaÌ/g:x3 w÷¨°uœ} ¤™]ÓÁ™¹8VÌMq-‰Osë)4ìežÅn*§ß"×aØ©÷¢‹äÙc_>70¸5½~ìfÖôÌ`>ܾ^v5/+Ȇ3‡Ö{ ެy}íˆ5–¥2…Â|8±ªˆîúH7Ñš2„Ã4œ‡Ô§ ž²‰R×:”Ó¶U nÒ=uYÃfæìÂB)ª›K‰‹™\)ÝP­6?›‡ÆŒ1O‡ccªÁ-<8f2VÒížëžÓ!¤ø™ú8¯hcRÛ‚œÁvlf5Î%3PÝ8iXÒ°ú™Y…óGÊ\ߨMl¿&Vß¼Ñ2×7b}Û®U7gÄÌuRµ†í6“ÕÖØ”‡±æF¥Q81uJE~œ$è…ãÄ(öÕ'ÄI¬¥pŒÄêû„øˆSÜ×°htãÉ%cÃDä(Ò>ªm],Mó%¨/ßéÚAsÚ貯ˬ‘!×µJ­pEc.ƒJQî ØócÏÈÈ–™ýeŒ¸&^hjŸ,irE±x+@È(Îþ˜ÁòX\pÉŒØ6ö3[õlŒëFÅÚF¯kKL µé—H¸….JXpêh›¡â E›Ð²Ònúåâ VBš Ò/© ¤nãvEÜMs¬¦Ç ‹Ž_)›ÐEü0´Q®>Lšü|·^Έ·nˆ#ÉnæTýß…33kȇ3²&ͦ<-Tbqó1g[Ðä´9SœÆª‘3Žg$3Ô»ÌIR¹ ©DÇTXXΠ6èX¼mÝI:HAÁ±dˆ4:ÖÃmµ‰bBê>›…2ß&«¤SæÍê(±K&-LgŒÄŸEìÓÄQvbÌ" diá:?£(2dçc`Y7%¨±‚k1´T´TûIÈ©àà¢ôd½°-²þ\ùü®ÉæD.¹ŒŽ©‘<¥b9By¦mÏ$a5d6ª¢y¦G!_d†O×´—ÑS*’j€Jï§(Š[î(1@—¢9 v¥×S*;€Àu‚EJåµaÖÃ|ì¡c|xÏÌXO‡¦Äyš°‘.¶˜qD¸óf.:?ë »ôv¨.§&;7ÈíS¨byGö€Ÿy–i¶Ÿ™ð¡KÏæQ?(6XW…Y|Æ5â’Gì*FÑøÁ?³3|#zxpvoÄ.32û¼1@#Û,^²EMæÁ…„ Y°F¹–H 2ÛüC1‹j&id‰ª”/Ö·›$ÆýÝî'Ÿ*0h6ñ+£|}±A# øE!4n³Ø„݄݄݄ý„!B‰i€Ðø9/oÄ7œì[Æ^¦×ŽncÙFãÆoxG¥x0×ë3+I׃?ÅT+jéå ñi>Q#ôkÜÎN¨tC[¹d]èMnÏ4B¡ïôêpmldŠèù0ØÐ»ÑЀòVwZùLj ›Þ‰d=ÛL)þ8WGâ ð âogÚŠã÷úñ'³35>žx¥«h\)/¬WÆ!¥ ®÷ܘJÇ–aD¾G‚«¨Çì Ê,\:¦LE¨bnœkÈhZÛH¡Ñ8³/g36ýz:N½K]Ôσó!Ö»Áíêõâ4£þeyóaöæbpªy¡ öš9nßpZý»ìkE§¡”)ÊæÃDEÜp×Eµ¾F“!º¦ös«6ÜV$¦õ!&—5©0œ¤»Êb³&ÖßÂ"/ªK‰¥™T%ÖÀ0ÛšÅÍL—©‚¨ð`™IÃN3!®wºbå…âƒdêbº¢‰?M¬±ñÕÄìš?4f,ˆºq5’q“jF31«æ‰¹žÑêOõͦyCa®g¤ºÆQm³hΘë¢ÞTãg³§¡±%;«Ì‰>£`_ªReû¼˜ˆá Æ„QªO‚‰FÁx0÷I° Ö _º¡Ü’p /&g`Ô4-®?œ¥é"Ó•Äô ‰¹Ì]YW^Ö@ŒëX‡†­bñe,肱Ü{Y^œØ«2²µŒÁôÖÀãÌ |…¢J["([¹Åƒ¢ xƦ»âb2f±¶ žÑT§c¤[/ Ö4j=c\R@Jñ=áÞ´W$vQ©CQšŽ‹ï®ž*¥¡¥Ôp*àK‰…(Êé¦G5W„4Ã`z¬ðˆuX«þÌǯ‰^ýXÞç‚ÓƒLúbÉïáè¢À‹Ÿ”4tEF½¾:˜“ûüÿÞç=‡Á+58¢W(GhÄäÄ’sF£•*(bÊ0"uF¸ôÌJ‰Á½)‘„Ðg‘Ï¡¨nÁ.cEšJå-½b1`Ç‚«BÏ+­ ©–cލâCfÂpzì'~“·óÔØW1…Œ#_eœ#ƒ¸WáÙ(–²Ò£uÒU.ûBÖµ)¨¡ 9Åq‚ìá ³.¿l¡ ± G±æA #Ã.6¦Pq鮺ññŒâåÑ?EhÂl¬Ù`†”1°¸Ll9o0ÂЖƒl“¸f!aƒ¨€­%¡Ïì~'ËÿÁ êïòY‚ *ööuq÷Ø€‚”¿ªPæbM&Këú‚†Xãïe¾>øŸšEoBÿmBÿmBÿmBÿ}ÂÐfaÿÖÎ$Üüâw@uÃüa ó´–'¹Ñ§ÈÖEßÊÎ%Ò/{8¿‡œB¥éCøåß—=t_†°}f!ûŠ ×WP0²\aúÌBôžo½£×»Yj’¯¸p|ë¹ÎMSƒ|……ß[7µ'Þ<ÍrϘoççÉú¡ãŠ ã“! ZQxQ:K¯ /ÆÑc>!^æá"bÂJëâ%ꈸF´˜oÊ"o­áñ´Cã=DX¼ÂBâe‡—3l[Þuš=Þ:׬Á Íõà/ƒ®bîn½{d~üizbçd‡™ƒg­‘3êßx] ê $LaìÖ+„qû5CèºâÂÖ²®¸puz¡êŠS—?DÝÂÓéZ( ‹sf’ÎÈé™õL’jóc8ÝÚÃÏe±6®o:”ûuñáæ2†šËb.42êšó‡–˘+£!Pט?”\±£Ó3ô陸ò†Ž+vd:†<-^ÎPqESc¢¡ÎÐDg`TÈÆÎr É(„Ž‘A%Ϩ•¢o£6Šíò`£V¨êŽÙ ¼Ôƒ8ªJںᎌLbk2†i˜ÁÖÂ-gø¶ F¯Ìæš,«'kð±"×’A¦8Ü ʱ“kOɃM{K6”1xTIá¹4GéßZ×É¥š¤ ˜¤â)=ˆ‚öG ña·Œ0—ÛD;ÔVj4—""¹âÞ †KjX-#êH3£I™õÝ,ë.Sè,€Q†«4{¸,Óå’-L–öˆÓ©Î<4ÖÃb)CbEÜÕ÷µÂfäQ?Eø+36©9{Â$5Y1‹Ìâ*.¼UžÐVk k¥ÒJO¹XK(«P«Ç³d,dUúnš%TÕZÃTÅ„¨zDüöS…£ÒŒ­uë A¥ ?õˆæòáCMmÂLmÂLmÂLmÂL=ª0SÃ), »om*±RN7ÜĶc].x-nwÖj#°+‰ú™Ry•å¸TÞKÕç}”}¡^K°*-<%ÝŒút„ ´ãhU)vÍÅ­LÈRò*⊨æô¬ ÑÉL'£…+ƒïd²\¶V$å5‘‰ŸtŸNÞ²¡ ¼°0Z1í¥7K©•d⮵#žÅ¶ÃÏb +<þY 4L¦kŸÆ$y¤øØhˆ¯è£SßÅölhuÎ>- VÝ ñ©¨Ò±Z•ó‡V[çÈlÇFVã¼a×Ö9jÛ°‰U8gH¶õR¸Ží7›Õ×Ü|”‹ßæG¨Q¼˜Ft4Ž“¤X£˜2Ÿ1ñF™âÑb½êÓ"%VÉ_ÇÒ Ì”‚#Á¤Pûª¾euýä2¬HQPÛŽš×¼—c™f¦¶¾EknÀ+}Yô¢XÄ.Y ÍìsÙYbÆØ\kãÆöÍ¢1g"zŒ¼"äí—Y,—ÅEËŠrõ »¥RÓF¹vt¬ڶȤyR‘„ÛÒr©¤å§›î#.†Œ¢a,=–žT0l5¸)‘⤢Úêa9v{PßË‚ßôPJ 4hrl#2I‹>òõc.ɤSLOŒÝ§t$O‰S´¬k;zÿw„÷ËÁ2û‹.HíYŽ þVÔg ˜ÈtÙkÞ%«Íj„ Œe)ü!õ’q¢˜nD"Šå*¸F2Ó‹“ä·§{O2QýÈ:)̃FPzÐ-4YHß?“âõåÝ<5â8°:|aüúH‹b'åg“ïtQ•‰…˜óÆbxCLôÃÇË ˆŒøXxCæýF#\b¼ø™›dŠMšjЉ¯øXÇ@´Õ‹‹Ð} ¡’ßuü1¨"Ÿ•05t£\.GÇÔ}•$~vKŸ*¬cúTÒAvµmq‰!å2év¢„@tª¡pz‘¾#Z©ÔáQÁ!å’ñ£H‚^'j¡\ApÍ9ˆ?LŒ&™ÿéÅÔØO)Rƒ¨Å—3Ž¥–k b«)&jMd˜.æµ¹ä`™ÂVÆ «h¦’=–e¾¥›-²eF¤h“·y¸KРܥÀ£®yb¬ݨ^Å©Ÿ">fŽo6ùŸ€ß›±Ê¬Ü>o@ͨ(œlá5Sp!Q6#`®[®%ôf€cþ>ùƃé4•+²„ìTKkÜ1T<G{ƧŠñ™U¨Êj¶^_àÏ(ý’ÂÇåùz|FÎ¥µ˜ŽA:s·Ÿ×jõÝw>Øñßî¸÷îІ³ö± ž?†ÿ>}¾·+ÿ+þü©þtÿéÁÞÁÞ³úÞŸvë»ÏöÿDžýéwôG Düû;ùc2ÿöx9ê,·vcŽšƒƒý¸ù?xöì©7ÿû»8ÿÏŸïÃüÿi3ÿkÿ¼˜\ÞGBópÅ5àè£à‹Vt{~k7ñ‹7ñ‹7ñ‹7ñ‹³Ä/Æ—­‰»DJÙZPŠ™M¸@‚Õ{c-Hlø÷ 'yëÖrFT…ô‹Û[°î𯼜à ܾšÎ‘Zë‰5Úv­+è¾µ)©âb¿¾!°È¬Áb `Ü“ËÑtðÁ­QòØ]Èm€A¬×öÄž?‚ÕAìù¨Ü¹J€˜.ukË[C[‚ž­?hž¶,¯¦«9,ö 0ÞvgöÀ¹rÄߪÿ£\Ð8›Í§³9²IÆ@HÖÿ¾kwZèöƒš+€³öB ŠÁŘ%ïzèÌuŒ€³Ù´_ŠæÅЏºº‚¯.]ÂÎx6²=ŽÌYø¾Ì9 d9"ª4`fέíÖË ÖE6¼Ýeó?@^F‚ü‘Ž óãf¶ø»µ`Ü€9""碜–µ8nàåÈ3)Ü36§I$ Ð…ÑåD ºÝ„7zç§ífÿü¢Û‹‡””z½pEpMVE“²Z±ÀãXV‹l!#ÂÞÜ·¦Þ÷ÚÍVøÈºßÌFKÿ•Å^-ìù„l5·@û%i"ø+&(‹·˜Ò@˜«Wì bìiÕðù·1س–ìÁ¿%XøêÁíel¬L“±‡#EE;˜_C ÅOaÒH ”'©§Z±©É+þ¦M*DŠªÈš‘ýƒL¡ŠÈ`5Êû°Öéß{Z6ߨ=€M2û± 1¥MÌEÀ¢„'Š~-TŠiXŠYàÎe`VÂ/G&Š¢‘O![™ªJô£l[QÕ`_Ò²pÅ­?ùh$>ý‹š¹~DG‰Ã¢³É£µþ˜éÿÓùÔ¹aß^ ìÙ&RÓ¢ÿ?}zð,¨ÿïÕžlôÿþ¿Ñÿ7úÿFÿÿ¯Ðÿâ\›ªk œŒ¦èÆË¨H”Çùà$ÐÊçB%ýöÖ¢&9ØÀæ”a°] Vàx:¿çJm…í[¬ªE`¯•=IA<h[°­ùˆ^ÛDI¸]8Y}{RO'ÙöW¥x¶(@+´¯¡_Š9Þ!(â0® (wt îtl“ö1¬3iÞ83·ŠÇZƒrÍ\O¦Œú©N)Ô<„²Ï†ê])tbðyÂ7•ž«±P^Þ—°zí0…ݵ‹.AébcÝå,°ÕyŸ_geW1ú•ú¿5hÔ(2%màó#dÊ. îºr–cò”2匷 UßM&6N™5g8XäUм´Ý¿©/°~ŒˆcÞØdl¡·0•Ó<‰…>¹}4! úþ´ù“EþSrËÏê{!ùoïéî³ü÷ å¿ýMòÊð·þ6Âß$¯| dq°¿} ´ ;Í£@dƒð4£ô „Á6²¸ŸÙH¿7ÓPáÝCUì’†´\žRý>ˆlýƒý~?ì‚ú¦ÙFú^«ÛëÃdõ»­^Å3Üýöñ[±Pð¤ÍÝ0ûýöÉÅÓ=xÏDèmû`ÿôûãúÞ·â8d?Xî*@î¹3q*$1à¿à§3oÎÞ5û@¶Öÿ–÷«äy÷0çgoć§UrÀ®KÍæÖõØ"0"`2.¬E`<îÒ]ÎfÀÝ\+‹q×Kähý>p"RkăÈw½úýÁÈš\# 2xU²Ï ˆƒƒI³C²µý~fqÕ¶hz«Œu b­Kû ¯fý¿ýÚ·0Ý6GÞ€ÊÏruòŸ¥cã1‰nz硾©1ëáÐÑ€·œàQ õÂ¥›ÙbNEGëÚ>JB÷t†ç<0& /#CÂFãÂLdz‡"‹iÿÞ•¼$:ÒÐn¥ è÷í³ƒ}ŸØ5ˆš”¹&ƒ¢úêé^Å£rjûqQ{°ð`r`ãÚDÕ‰*4ÖÈz"ÿܦw÷˜Î!t º(F0zâÙº?ÿJ²þþÇjîVÅ`5ñÖã"5Ê/BŸ÷‚Ÿ÷JßþcMóŽ‹û‘ p²ýçÙÁîþnÈþ³»ÿôùÆþó)Ïÿ6öŸýgcÿÙØÀþCj)%‰åÎü$AÖp®qÖGtø+øÊPáª9 ©·ì@jBEkµšú‡î¶L¥*+J"P “MIá+w^0ÓÈe8`W鳬;^s‡=Ž! D Š}룪n„«z ²êzTªS6¢ä`e͑†b0RZ:a¤øÝt¤´NÖ‘båÄ‘B¡øµ‹#£—©ëËäXµP=hP»cažÎ£ Oç©C‘Oç‰ð®’^© ^i€¼Êó*è˜l°ZkA•ŸAµ& 3D)VH¤…™§@"€ãc4!Rü¸mŠâtäfO¼µtf@c7úäFŸÜè“}r£Ojé“ 1.…n§ˆ}ø¤¯^²âYuÌôèUiQ;=}/fHº±¼‚÷yò*Ÿéã è%©‘y"šLÌh£e2+¤)ˆX¿VjˆÃº9ë:X¬,UÅ<êª Pé3D_%E{Í„¿b=6X2™?x%Tj­oð æSpÓG3§ FPè»zCåri¾éY¥Žd;”•îXV f¥3š„»ÅÙ”ãÄu—% °†š\8K/NWNŸL¸×Äzž¤Ë±9‰ÀìF“ÞhÒMz£Io4i=M:1­§Ä*£†¿¨Ô¢Ff­Z'åÓSS,£^“h§iØÞðò*Ù:à ª”¹¸¢zhìà•Ų+Ü©xyÛ¥õL8­k"µn¶zbêæRÁÍ0BUVcŒj¥éâ1¨›K#×ÁE_o‘ )Us]¾"—Í© ë ÆÔ±IeTšºîȤ¢ùôuq­t¶JÙÊ`h«bƶÒ\ŒÞi´VckëêñAÜäQå×°Y¨ÍëLH֩П„ŒèOÒì‹D{Ê}Ñý~£ßoôû~¿ÑïõôûÄ4–ž:­Ì´þj ß‹™õ{$0y:}M:v„‰Ãa7óë÷:à ª¯Y¢:oìà•Ųë÷©xyýÞ¥õL8­k"µn¶zbêæÒïÍ0B`cŒj¥é÷1¨›K¿×ÁNå-r!¥~¯ËWä²9õ{ÁF™:6©ŒJ¿×™T4Ÿ~¯3®•ÎÀVI#[ mUÌØVšƒ‹ÑDÖjlm]ý>’".³~¿†Í¢@ý^gB²N…þ$dD’~_$Ú‹ÐïCˆÞè÷ý~£ßoôû~¯§ßó´Ù‰Ú½"Ivð›fÏÊgÖëÓ³a²'ëô1ãR§ëNÒçù òjóéƒ ªª©)Ï£ÚmÌ…²kñ)ØxÞ‘õ ˜¬k¡²n²>”5siî&x Š­!¤:i:{&$Ð SFä•Péçzãñ æÓÍÓG³JÎ*~<+í­ŠÑJkH1š£ÁŒ©««‹ËÉ£‰Îð ÔÃÓ§!Ûè¢>Ò“ôïâ]„ö@ïF÷ÞèÞÝ{£{otoݳõ´Ðf¬HÜ©ºI3V<ÇyºN¸³”IebÑ­¡öº5,âÝž[CÓ£sk˜~nn óš[ÃO|bn‚ú9ë:X¬,UÅœGäÚ(àÈ&(𫤟Œ›£À¯˜óL<ìlÙ¦†[ø£pk¨yn ó‚[Ãôð¤Áˆê³o¡ˆryO½S²JÉ*v(+ݱ¬ ÌJg4±§±ºëM]UÿtÛCF¾£íbYz¡çÚ)3 ÷šXÏ‚ïä³ì‚ð\ÌA¶ÙM†ÄMþGÿß v²†ÆþüY\þG._ÄÿVßûÓnýSB’g›øÿnþë`ß(ùCjþ‡úþþA=˜ÿ¡þ|ÿÙÞ&ÿÃ&ÿûÆXº1–nŒ¥ÿ%ùß=éÌ0iÈÄ/ÇrÎ+L…yÃp]R’aÇËö`Pa+ˆe.õÞ¦%ýl›ðÓ]`ÂwNmÎd„Â0&_Žî¡îgr·±©ëÁ€BIÇ^«íI÷ùIÍ’ÔˆGS³Š-€©0ÁÚ^°äIÈù‚åþŠ{ªŸ3-¾tù±ë¢„»•‹Ó,–t­xš€aÁ-`¹Û8®+äΰB½^º1a ¦ÆfØÊÿ‚9¿^Фð÷„fJüŽf㜂æƒ>‘ZŒ4™)c4g˜”!«}ÖkÐ\~ šâØ”ôõšR8‹Ò¢<«”01ØÜF …¨ß ¿Åzår°«Ê óFÓÌ"µHp d¥Èeª0UöU0 LÊ‹¥£ÝƒÎÆó9V°¸ –à}+ /}"’¾ÇQ¨áá s„ÏÇÀŸ½¢Ø ¹¶'8ã˜ânBFÃ4ÌJ(ÐŒ®› 8ª Ë´P ªÃC©†Þ_C~Σ=+ïÞÀvFé衞-÷{&¸«$qZ* ûb4Õð«þ÷Lñ¯è\9°rJªxNqȇ‚E£~ßõ‘(P ÄG¯vÆ£|@ù¾)Ê£W;°M¦<€"¾¯ÊÊEaj­›`VVøâÙëV§ÿ¦uÖêÐ‹Ç 6+(‘Õ÷Y-¨À9}$aî~] jL\¡tÐâ¶€XÐè¬äM19QÐñ„ŠÀÚvlàCé°‰6=Ø‚—upñ®¤F*—ÄÁr$4f¦¿§£!Úb«]Z^Ønˆ@‘w>š>ØÃ&¡µÄL®íÆ~X‡¼nUtš€—Ø`%úc™Ã;’Eþ±kËVºTN(„º&ý`]*j"ô[SZÒ@Jf¤¦I|¿¤©Rt„QcZ墜^õM1®oˆÛú)Åêà&vSåßv IW7ir¼1ÝRYدš†8 Ô5ħ)­jÄpˆË½âwKCÊÔ¸/_úb)”Ie*ýŸÿR›çˆÎ‘Êö™ñüo÷éîÞ³Pþ÷ýúþ³Íùß'<ÿÛß\’ØœûmÎý6ç~ë½$ql»XhYnœPérŽÔ2w7Ô2åKò% *k²$p‡rékºMaO@Ët÷"°,¡«Ñ=AïAkañ¦ë,aÑã‘ ßïjyϳÍ&PM¿ù¶Õü¾˜ysÖ:ƾš7öà=Ô¤Êäâ~†+ø ,±ÉtLÏ1±­hSL¸6-…‚N¨Œw>{†¹q‹Ûøÿ)ä¿›ÙÃùÿílüÿãü¯ÁÿfûyÄÿïùÓüÿ)ýÿ67¥7JÀF Ø(Üùïí…çð‡í Ån/wÞýø8üÿh1fœ†Å¾0³fô[ )MlÜ•wب×àÎZ+ûý“‹ƒý~?pÕ§×Ýè¶ÿÞ"øïßûÇ¡ìû`ðP<¾îû¸ºï½»Xzn" wü`ž"$űa¾eiÌUYëT©ÿf^%õXKvÿäømû¬×‡%•ŽÏߟõO¡æëÖY³µ“œCê´N̆ôîÂl@Æ~)ÍÑöz&)›?KA“´½ŽYúýzÁ0Ö1½í/¦}k^îÃfò¦ßlþàø¨&7ˆôÁx¶Ü\—=&SQÒy—w¸”•˜¿£zCt¦‡\JÎY«IÕÔGík’äDR ãÎüêˆûñ{þ¬g´‚< ë[?¡ßïòÙ¸!ýNž‡“Ðbb”³v=LüXžß‰¯è‹Ofÿ½™Í¬‚í¿»û{‘ûßûûï§½ÿ½1ýnL¿ÓïÆô»&Ó/>ÛsçˆåjÎiy0ãÍc¤J ÎÛBk.5 £á÷z0PYb©ƒZ_w${,ÚL“KùÛ€l:¶.(°0À9Ð;e&.M³Æ¨(x‹Þ˜¶‡[°äÇÓù½òRtÃ%W VX.¹cWµ°Þ«°lˆ½Æ€£œÍ§ØÚÜ%t KÆkjn3Ë0"׆ÖÎ Ã),&`ÖlfCË#çƒ h,Ñ«%…\jÐ÷޹sF£Ü—´YS¯Û?ž¶)§¸h{¼™n@-öË1[÷ÀÒí{´õfPâ°â¦8kª‡ÛJËÑÙ‡…l”Zà™÷ ÝQ¾Ì&å?K›10TxÃ0jO÷tó©e`€høÇà%ã;ð¦Ù¤XFžH®—ÝùlJÖÔ‡ˆnœ0 ‰û!žK\M—0ÓÁr¹þX¨³ȎȲŪ,|g$ôUZŽk¤ËÛ¿!n@öjOk{a´„ËÕâ#zQžKÖ™ow&€H¼þo{i--0Ë W;³úkçÖåȆ¥6 (µ££:PýcÿŸ %dXnÛ½65$vd¾,H|á¢R#ä×z•þï#]»°S­Œm‹J°¡àÚEÒæ`ûs0|. žºzÝX'w"\Àh-<Bpâ¡KDèŅ÷'°~E‹j‡€p½ »ÔHÇÞ°Þ_úGÿè!G¡±ÿÐ8é/%Bš'-؂͆Št[="CâÅ™@‰^ =ï<ï8J4ˆG&Û>ç1¸jÒ¦¼´Àú”µìÎ`‘»d¼t”ð±çSFX,dνdW>àÆÊ‘ õá¬"Éb+0-TD]x¶6ôHz4Ü…éƒfÌ@G³YïÀcêÛ—÷ Ûı/è~‡Ý”­**,ºèŒÍ÷?–w ¥ ¡½‚ UB]úÓŸ—x€OX"ÿ•=°càù°ŽèxŒÃ%ßJpRæãde¿¦,Àª82 ­6@žÍX#·Ê7&à±¼©Kz  =% `Ëkå]Ôotƒ :QÞÙäÓ³Ü{²Õï[ .“r™c¾\?¨T*[B.§žC{0²¼˜Õ]]ÅþÅŽr-Á/€Ý{*¬åù·œ+ÆR¹QÈ ²¦hGˆ°áýÄ‚otÇ•Ømˆ@(oó$Ö“€JtâQY-ã¦ãS¬O$'æ­‰²#À¦>v C]·¬°ñ<©”¥»Ò£é亙7îÏ74tJ¸mR¯h¶óù m°%ñ~:ÿ@½A²¨×êtšàç^m—¸÷°»qAOJ{Ä·ós~à쟑Ðýæ åâîE†yÐaÖç‘ò#b(ð !S1+¸)$ióâ‚:áV(¢æl8B¶l†·ùz Äì hãü ßZs7¯ hE”Ì‘L³‘0: F¸(©Ð¡DV4©ÎìÅvœŒBµ!†Ô(ñBŸ¢»FÿÖ’cÏËzZ«–îjœTeˆX÷áQÑÒ²ä¡4éBzdÀþ·ù>Ýÿš3E5÷ÿ}^߯oüçüÃßýÛpŠý&}7tÿowý¿7ößOfÿ}Žñ?ÏZMrÒÚn÷ÃNêðŸ¤A yzF”ÈÓÛ!…I1è„èßIǶF·Ž}GzÓéhpr]Ís ¤.ywT, N”™<Öùá¸KžÖê^Yø?JÙCz}ª hyÍ(¶v‚$4Öú_þR߆¿öqÀ?‚b²‚sP•…7VECØÐ_°¡®3r@D%oæ :׬¿l§F`ÀêPÛ]rÚèµ: 4,¨Ô€Ê짤ñª{~ò®×:ù Í“ž)•[O[ÇÔ ØöSÅÙOÔÌ 6zä§ówrþþŒtÚÝïu¸Ñ­Áh_æöäù>©õ• <X ™?Þ:hQ^x–iftf¹@±œ ›rßÚ\ Á½r–ÙS†¶0¬ûæyVÂAOjƒr½Ã lL f°·„]œ*¶^—wµÐ{ý8®o/÷ZÕÆwŽÛTQkÚ_Ôn¶P²¼˜O/é6wy9…õˆqÍD ~¿×è¼iõúNóm×à_ÉY?ʬ_‘Úó9ÌÍñ”š·<\¬)MÐòâ‚P|gãâÅìöÀZ™giꕸuÜs ºë¢ŽìÙˆƒ¥ðxbë Ñ8œ.ѵ&b‰2žæ¸ì4Å™»‹ í˜ íîræYÝ\ji#'';Ý&c–TuæV. {fйå '»u,Ò¼¨?C/ç1ÒVÙµíàÙWE,<ë9¡<¸ÄÂð‘Ä´xÕí;‡c°Á:YR]šh¢òñé«Jt ,â,| ¸åÖ] Ý“r\ §àÕØFöÅý¨ìÉ5Lš=vؾ†PcuoI¦.ÑF3¸!ÿY:ƒ‚€î<ó°g§¤Çe€%Øè²BøÙЗ®0Yî˜üJ†ãKòQŒS` z¦VDÄäz$ÙËuhP6éŒþÝYø';P¢æ¶ОK3Ø Ã ‚dOÜåœiaDþT+)c¤q) å$Øy8PÆxÀ‹Ý#úÓŽÁL¢DE[å6ˆq~¨WØžy ºm[ÌBÏcÒÖ.í«©8z½ZÐI$yÛxEÓzF=UûtR–‚ñ`NfõgÕÝ*Ž¢:x^Ôw«Ïe>! AÞ!åÎ+‚É$¹’×0—H¶è1ÐÙÆùÄP¢k&tÀ¼`=ø½á¦d׺B®~Om™öÂSÚ]–’'A¡+¼uæSjCã²ÒÐA³>¡‰+aõ  ¾=˜^O¨€­ ^Ÿ†°¤¶/h’åm^¼sY¿}uH^ áOZÙQ np°X\j®mã(&på݉#—óïÅžlÑ#[Š H‚"†nßܰ÷aÝÑ Ã2_ΣL†08`ÀƒËl¿öP`‰‰&B’êÝØ÷|5W)?Z°Ö]jð%ÈpbËô=XÎç0zøA» Û©å²uo×®käÏ8èÊ .,/C[‚§ì­5ZÚÌ”òM¢ÖžÅxvT*Áî>¿?,…)x4œÛ+ø UÉ?°Ñzß`ªüo´“H‘…Í¢ˆÒ"_ìzï/'̈J{-IË &p˜²çöld ØÉP÷}ãy2ÕHoȨ ÈûÍ1d«1›h2Â)ÝÖêu”~m×ë¶Óu}ÃÛºìõô°Kbýž@ðÃYÙn Í tîžÑ¶‹dUÜûÉàˆó [pRW°_ôã.°,2nÁVcÌ0Fv¦è_ÿøjv J²ÕHªïü ¡§°¡Ù‹;Û¦Öj×…Z_ 2—3b¯`‰àñÚåÒ%åÆÛWÕÆíŠß$€wç QŸÁkBÓíÑ+€K(…ûë Èמ P²%'ÇÖÕnþƱxMŽq¹^ìîûUÎ!d$ŠPáá±°) ¼U>¤¥=Õ¾…gŽU˜™aÏ_OòYÈô,aYª?áà¨%1eѲ’×-´•wÕ–¼ŸÜ>+–l•M½cœæJLbgUøoï¨pÿ‡µº-Ò+(™ùøX||`ïU^L…Ò½*g–3%B÷2aT@Ÿr%)ýjUÌeOHQà‹úcCc=ýöÓ§Å#@ðèñˆXÒ»s%q^ÿS¿Ñ=í¿:??é7]¹¼c3]j2ÐÓuçŠÛÐ%Ùq©LlÝú'ÞT.÷çÃ*sÓiÜ3 Ý""|ª¤¹¬rQŠãïÐW ú}obÇÓ[ŽI>k{¥4I+ÀŽ98Ô^Aˆ¸»¸YŽ/û}ožîk`ÿ‡‡ju@›Ï1\Ùk„¼.½‚H>–$Úø¼Ìj|µG½>Fóñ…‘¢’0ºžg>Ÿ’ÒF?Ðvm^4*"K3êÏ)Û/÷"K8ÐVÌ^(SÀ$ûÓL¡RÏqx«¯Kòà”œ Ä$¨õï¬QaþÆÍÐñq9åž¡\èÀ‡Lx;F1›æPÿD½‰JãÁûí6óÊr÷¼³‡Cô`ô f¢t—×× xÊ:×<3Nù–ÐèÞîî· ÿå1îÌûâf³Ù‚å˰®™×^‘·WŠ-ÂÌùÈæ»Õy½úùî?‰Á¾Ðüá%_Ö…FW÷•;àáz½QÑz{Zîù”pzþXøò¡,5ÑfÉÿÃM+]WòkoÛœ¥_ïn¦#›©s,òót-G‚G†š‡„ÄÇKy÷VØs9tí‹¥|±ÖƒüeÏôbj=È‘öd–¤ 8Þ yÛM¹­VБ¿þ•<Ý«ß<ð’z (#ÌÄ›FöTC@g½²~qÞ3·Á?ÎU‹~þ‹jà5»Ñ Ö¸·B|| T²{Qê?gmTäž$\|T]BL$©’´E ¾{AÂaó¼ËQ›HmŸþü?î¸)ßùÿîÓúÓýÐùÿÞÁþîæüÿwsÿksÿksÿëú ­éHÀxJ0姮ޝøÄD˜K‰¸wÅJ̦Ôt¾íÒc´ÿ,‘èÐ2_eŠ=¥ÚbÇ2“ÜôŠæ,ÉÈJCûá²ìøMÍèë€ö°8¡œä¶Älíìð*,=ðºŸà)ú2…õ@†¢È=éÊ»FâÝ*a7HR®$ßI¾8"n„/ðPcCÀ!ƒ~è‘úFfûÃË,<]^ùïY8þ+Ê›üùo#ÿmä¿ü·‘ÿLå?zomÂÙÏÅ›„ìú –À?¬k6ûÞùi»Ùﵺ½> RÁÀ?T¶ê÷:ïZ ¡‘ÝÕõ’•®õãÚ•ü«w_}å{î*+I}§v¤ l¢No³Í—6½©ÆCXfî~õS¯dƒï™<é ôQ.D¥Ü81W*'ë€P ¼Xœ·†€b1š¯ÝûÀeÌėåãA Ÿh&—8ŒþÅ=úÂÞ²àq ÆT&º¤BÏœŽ—£…ƒ¾ýðfHe±ÙÈZÀÞ5 þ@úŸ»œdJ“áþçîÞþæþ磜VÍÀ,`šþ¿·÷4|ÿ_møÿFÿßèÿý£ÿÿ1õÍ|*Ô»H¦ ¸n²+K¼pÑëžfæÖ·W{¶èßÍEë=ùpÃ"-8û7ÞÅ´¨5¡–Özbêî¤8˜–.þâ%» B¶š[  u™¿ÌÕ†;ñà@qO’]>síT²I­K™d•ÚT&Ó»Z4öP\pÄÑù1`ûÄùÀ#Î ä˜å™µà ØøßR^ñÃ_j" ¦ Ñ^ aÁ·le³ü·úö àøÏÏŸ>=Ç~¶Ñÿ?ü—9&F11 Œ‡l±­úißZrj9Ckâ~p613þ¸13Xl_.fòЭ²}ŠuB.§óùôN¸c`Á7M¤Hö^Òê^@†žÛ4€ P{gó£dÿÛœ²K W–ÄY‘:"±ƒ:‰å’åÀYÐ^ÿÏö»Óý~û¬Ûët+ó‚~ßyúíA…Ý$Ú_Ù“½EÊ@Ì{– ›:þû{@ÿ`ÇöA¥sfn-,ÉÁ¢ýû¹¤ÓŽP·”hÀú"2AÜ97Pú^š=x({ƒ:¤ÿÛba¶ânáHùçxäŒMˆ$†·æÅŠÁlé C1c_-ùvׯ`…,¬…Ë"¢ð+WxL‚¡-° è×B/í`^?ŠQD£×藮߆µEÕvŠnHÔ#u ù‘µ–Ù“¼Ä-#Å,Ú hMïR³àÅìgàö1.y¼¢âGlönöOè½4Âr;Â(Y:t oψÞdÅ2â õÈ‚¿X°(l— ‚ƒ·§ç$õ³LgÔ«‰¾Ü~¤s@’/ß*n¿ñ»1´‰7ÉÈ /€þy·Jþ\ߊ½·¤ûbK“;æWÉÖ7cxÄ+– Uv¡ˆ€-¶¼$"7K”«$ŠÓë…‰²®O\ jÏŒÜH‹.ØÖS— O Gþ¼‡Kæ½õI›Giâ`_Xþ>”¶š°PÍb´`.{Á¶¨$K`Jl®!d€Æ,ieŒ†Ç8*Í£éôI=e˜ÃÔjŠÕ™) €¿>IXGD<;ï7O/~l¾}óí+ç@+˜%í:=è„}e±Ó×ÿ,­!f£ñ² ÆOö·Qµ¼œ.±Å{´ 9L ˆþFò i@Gf ZY™ç1r1"fDÄC• ô0ZŽyAj1 $Փà 쨟ÚIÜ:VšO¼a23˜\ËLNMú0ÌœP}S:ºâÌoàv_óN>–7ÜÃ:—.þörÍÜyè/å½ÐÒ®W’±5ðy­yé?× ¸{,gž£õœã“Ë—Ù34ªÒ2ÛÖYìÓb2¥Ê1FÙŒ°«§4b„€Êˆ/‚Æ‘PÆ #Éè÷e%Q£ñqÎÆùdÕ^õ?4Ú'xâoÌÎÏGèëØ8=&ç³06nr£æ|—šÎ}9¸Üm¿iŸœˆðºÁ¨¯P|>½›xÞŸް¢ŸÜ&'ß#E1¾â8_VÖ§ÏùêÖ—Ÿõ©–c^1Áí„_Éß„ìï.ú4 “‹ÛMÏ`‰<Ý£RÐ{gÒÄ#`ú3žq1x ÖÀö]ŠE¬Ípþ4Ý”š­‹ž—7Å Ö4Ž)ÚØg–ëh}„AœiPS¨:Côi€÷áÒ¾]·ŽKã~ó¦°5ÅcV<Ð÷ryuE#p›¦}|oàØ´‰)?w˜ð®Ë\Yƒ…€7½ºrhªLc5hãBZdÛšo§Æó–·ŽŸUPà‚®ú4 ´Œîö@ÍÓùèž%·çj¬©K› `è &Šd¹Ñh€PzåÏC‘Q¯–dˆç—M˜ ;ò!—†ˆ–ø^פjÁDn7U~™À@Ö½åñœ¦=u²kR\–aˆ®$Þdù«'|'Ë™±‰j=᎟Ù9ç¡@Ϧ^Jgê]ùÁÀ1·vôÈ‘7œ$ï^ÆÔ¥—X¢EÌÞ­úNîï¬ûš4 Ý;»’£(oE¬‹¼›4/ädÁ㊠¦KÄ-ÛF“KE,k$’à¹6;¬…IšÞ!ß¾Brã;nXµ˜*Ÿþö Ž5[ôé¹£ñµ\´¥$Ô#öTþÊï•‹ÀrˆJÊãuZ£Ž>Žhΰ·èB:vÔ€ÕË¢@[Ñ„^ßÜY…V–®!ÅçÎs¡Ó­ƒàv™&À*ýGì„„noø3£¾¬ñI§(8Õ<ѪÉR 3|Oå¡§/«Î ‘ôYä·CÓ¼ òIç14å‚£EgRjä.̃/ŸÊÉä9~Ðý(}"©Ç–beï¬O:‰a¨¦ $N 7Ä_ÚCO^P“›!XÌl3¸GP~⥃ö‚XjÏ*¦›/Ê¢© òÛo$üšÆæÔ£Å]†”äžÊÝ4š4Uv£þˆô²MAƒ_˜ÑI¼ü†6nº<R’qjnÇI˜ÈzŸòQ#©Ðk‘…ÜŠ|Ô芿ܘ¼¯há*Á8²Õß HÚŒ¬Ö?ÿ+d I´ÅxvqÅîQO^AXãG?/Å æ·b“:3«‡Ìÿ3˜$:Ã]/Ê£xxÊ’¡‹ƒ>~"òÿ[À§`~µ.àÿ¯àUtóx.ëáBª"[-œ«ÀeaÔR€…RÌa03óÜ ÖÓöR0¯²Pj݇RjYªf/øé2iÓ¡¯êΦl¥Ô»Þ¦ÖS³UVO)ûöG™ÓÔYQMjPaÖ̰µÒdn¼Jê9ù£ÌF Rééì» =Ç8AÒ*:\òé6v¯pûÎÂÆÈ·ô¼ÜKfÄîÐJÉÜéÞSÅKo÷ŽXö"q•õ(2ñ%JèøüÝ«“ÞØ>k÷Ú4†G‡üJ µ‹ÊnUü C°×˜ÿ;éˆ4xÁÖÛN½×Òõlm{r£fÝþNBO Ä^¨Ä^qgá¡«„,^&æÄ5tõ8ðÊLä pá«&!%€ƒP½ÌRZdx2¸%ïQùNº†½gVXˆtózO÷È¢(ÚþŽx3@ÙTà?íñO¡KÝ‘úš#å×=öuO|Õ¢févt]\‰&„G5[»JYDã.u-õmÂø´^&*êÏÏ‚²"€MÏu&4̲}–÷½hÖlôã¾jM=®¸Ýr6Ä ‹µØkâwú?´ÿ¿”£ÝèΪs åþçÞóç»áüÏOë›üÏ›üO¿ÿßÿÆïÿì÷l»X4#„2Ë3J„¡Ó8éQöœ¦†¶`>\B¤z—s‚ò1žßȾŠ”cù`ìCä-Far<ø-¥à„èÿ®*ÂŽcÓËñsµô‚ô˜$X,Óý¿A¦ôŸòÔw7ù?ÝýÏA¦ôŸiòß³ÝýðýÏÝÝúæþç&ÿSîüO›ÄNÜÄN;RbÂlŒJ9Jðûý~%1’¨å®È?þ¼÷O˜ÜêŸëÉÍ{ÆÓøÆÂmáíE§“ç'±Å•Ћ±í+1Cè_ øxèÆ3" 2¶Ü¥]µÈîUJ©ñô–àŠ Å`Ó Í¯Œþ ÃØ\{u‰b·Wö`‰;Œt+6 ßhNx{ñ…v“ ø¡–Yœe9p~Z€}¿vW?C” ‚Ù/0”,%p “y(­wK˜Ä:,ÕTùѤµ܆Z¡L¸Œóß²|¸·!eL;r§ä(›¯hš Bض´@)n¤âº6»È-¨ ‘Ò_k5H™Ñ{…v¼M ß„,|%”mÈì4Ardç]cÿ÷õ?ؼ·ÅêõƒýçýïéÆþÿ€úßFAú£)H^ºÎéfk‡•½WÛ­²Øsýþ›f“m‘ݟΚýæù)lT­~ãì¸ß}߸èOäÔ"X ÈFèáòàÃ6=Ú)Û·ö„N‚…žR°Á¡yÕž³l§˜T†ëOÒ6p¼>ï4[ Ì8E²oPÆîX4M$† öïáùòÞ¯1ž´–™ÙËÙ²=âMyéG+Uv.”úƒ²ÜÀnJYq®=ºòÓˆÑt¿4—k¸5µY˜GTci{—^2®(Výïé_v‹Íÿ¾ûì |þ[¾¿»áÿû߯þ·ÙÞRì¯Û?ž¶Ér‚æ?ÿ If ßkdßÂCn,«‡ÈãÍ’t¨š¸Y,f‡;;ôÔÿò—Ú%†þ²ç5çr\ƒ=idžîÎlxµ3üå/¿Ì˜kðlšcv52³®mòlû/H_^ÜØC­l“Sçkn_¥MpB@Áã1¥ä3P§ŠÒºƒ]û Cˆ0bÀ,gá#@LÞxê.D„^´wî°´"$¤g¢¾{½´(ýœï~$äJMÐs2tYâ–ùˆ‰Û{<??iwßÂRmt»ïN[^ ¿ ! ¸l´ ›…ƒVÚW|TÔP‡®l–¥&îæÓÉ5u§ÉBÉå k1¾¤É†6A%kࢠΩ–é™Njƒ§na~LÚ±(òi¹‰xì9öoNàøÝGÖ=]$çhe¸s€û€à6¿ÖÃâî‰èþQ(zÔ,E,ß¹0j&ovf†šBæ6s6õ1¶s xŠ[˜óyDÛ¶à>÷Ü?É}Ûu~Anm°¡Ø‹¿ ;R¬3ؘà%MTƒn/„~Ióœô#¶CËh`Ï‘A’WÍNp©pQŠØWWЈßÄ…ŸìeÕ¯÷7¶5Òu³û·4O„ÔT¯´Y®VSðªâ 5´HÌê'¿ì÷Q]õû´ë-–x Äu<5Ø«î–ÿü´òó-Ëž Y”¹V”áf`VÄ™©]tË{ãÎiι½oÙK´y~5dFO‘âwèÛ0y¦­PúPq2qH-˜Õ˜ôã ~…fWßœùÙ^K9æ7vF‰zN¥YE+ú5¤³³é\@šÕp!϶(Íýo0st¾Æ‘±Sm_àô¹Êp(Ý9 h׸«ðs fÌÇìWn­x“¬©þ‡W°þ·÷¬Ñÿžîmô¿ß»ýï¡õ£z´þ:gŒù÷$Gº~%©€^"|sö®Ù‡Iì´þ·¼_%ßV0>fSÒ­”DDTÃûÕù†µåÛœ(…7b:ßxÊévGùwò†EYo¬ˆ¬äÈÝ÷%…)îlº°Å’uhf¦¿ —6îÞIîå(¯©.®à°GÎú¡® —î/û ™ ´ÿí71Yó¢Ìa؃Á¼;kƒÒßEþ¼C‡/}“¹IŒ‚ëðu«Óõ®}ÒkŸÉ:bœõ™æ˜™Ÿ™¡1 è!ÞPó0#òåÑüƒ ªÂ´f÷–ÁˆxŒ.,fÇÒE td¤ÿhμ ?2A£ Kªg±$€Í‹w.÷ë…–¸XAúºt®k'í^ï¤EºÓf…õ/75 –³{žFp+Ò½Ýõ`T-ÝíÅ ìª#Ä ÖŒ‹WY(Œ f-PE惮1sfK©¥¦p=_27êÝÒC+ƒk9Ã*3#Ð(/¨©¯`‘;ž´‡x4J‰ÄÇ|ŒÑ] ÄZ ÎØZ,Ðõˆ ÄØ7µ ‡—ÔÔ½½@6:]^ß0d¹5ÂXa÷“â/‚«M`XÅÎ$Ê–»`Êé–ãÞàoïJuЛúÏPJªõ«V=,Å!?9`ý ÆRƒM-]֢ຟ.i$NŒ,Z#zÄ ¾)ŠÄÀÇuHÿ8¡9¬¡ .hÒ—vÄ[&Æ #ì/!žÁÔôöÛ=ï:/A=¨í@´‘ú³®ÏmG¾Æ)B”úNîÔÐC#(!Û Ë‰H–yÊóY“phpú“Q>åø 4UÉÌf—l0L&€±K)=™Ùãö€ê¸\i¸ÄæÔ͉—˜ãºK”-Ó­Fò³dWœ£€/ŽêêЪÑgCª7£[[œ Zgqi¼ÝEA.‚Íœ˜vñü@oµRðµoâÝlê×àRÆi³Sk œrØÃ­5AT/ó,E?mlòQSû6EJòCGæq.ƒ蹧!šÌCrq~ öw t¾Ø~ý«nš¢¬á÷fLaÁ:3æ˜HÉ̼¸( è[#’šYÅ©Ûõ X)LûúT†üTcvýž@]ü¨¡½h>aWð„ 䯱‰‹²OêµÓá°I`â70k¿´W)3 ]ݺ¶¥™V› ‰¬Ñ†«4_¿ÿ]»Êz°6Þc  ¯¡lT4ލZ*¿1ЕÑàŠ@ƒ.dMhºT©‡ÒÇö-ê5Æw¢CP̆ïŠÙŸV#æÛªonð€ªæd™G<¨¼pÍ›ùƒ)Já¯qÖbü’Óƒ³iMšPøÊoÉíÄeKk‘ÁÅåš|‰pL×XÀgQžñ¬D å³´˜—°¨…:>§‹œ°ôEv%LL*¥SOúƒ¢¥Ù`f ·¹…/#°ºE¬.Qå–²öE‡½@`9,}P*7Ùúød£zȨ⢡¼¯Ü¡+Y£Ï·ŽYøÒx×0_P¯Œ!¹))ªúfìb'2)/2 ìôö@3û„ìêz‘X¶Ä&UˆÕ½N‘"±1‚a²P¨¿-Ë•ã$Á=%È™Š0bàÞ¯Æ{RŸäj0%¨³Gûá§C²Ò…?]ðÃ]øËc¦×Êä⟚hJ€$ýiÂ_¥QÝ("ó…ŠèÆÚõõs ×MœMËY—©p©¹tª/0ïW4y¶B©d„2Þ$á‡OalŠÃ¥ñ˜t€¸ Gº`8‡ë97ÎX¶¦@A 3¯6òh·ÆÕŠý`$;³r!‡³sŠôµ¸ºk®'&ñÈÇ(êœJGäd4NFb‰Âü #(LÀ¹*tžP’ÀN½¾'×Ä‘šP‚#5 ÉΠܯׂ²‘?³¥N™˜Ýˆ özñ¹±*Bï§"ô~*B'!rƒ#ò7 ‘I:¢2½±Ø»Ÿ„½x-æbLìMÂÙÝ{ÂY¦Q<©jˆªþX7Î5Ò‘4Á{E:œÿ!,' év‰t+#y\×]ø.‰skmuéoX~Mï@œŒi0éG@/“pMÂõhO[AlÙ1°%1vÖ„LG¦¡ 7êè m~˜9¢¸ŠC×[ÿù»ÞÇ>~×óÊãO=~׋;ýÅ}ÿâ㟿í–çŸ~þp(!/jAJ5;“—4À Ûɿ!3j‚RršNBC%WÔw!I§€ "º˜õX"â-=CÜç¹Æ¨‡±ÖŠƒxkE/¢~k ‰0ÌPö˜¦íx«0·"O±(| … š1*¶T%еjDO~#sÉŽÏ¿â&ý,ÜWyùGkÇÞ˜õÜ+úÞÞ+úÞ–èkàK:þÆœ}šORzf³ËŠ’þS¨V¬qÛb±¸ª¤9 U%Ô¡ŠjµYÔ=ôêå.E^»î¾ÒZ¹²hÑ "©s›¦ʸœ®Ç_݈(BBm<®‘…5*RVóèÆ‹’È$» m&Ñ# S­Æ˜³9·<ìùý½„=t¨a^ÈXv§Š˜<ÝTK •Ó ï×ÀÆJ&–‘¤DÀzJ.‘¾sGÔŒ¶“eCͦ`A!jt«óB?&5å°Ò»oÅ uŠ#¾'Š6HÂijÉwmRP.žØÖÔ8”LO@¼u Û î’ø+Ôâ«Yú«X÷»Õgb_êò#UË *ôÊvøãxnè>ÞC-ÜâÔE©.4¡Mc ÛË’(M^Í&Æ$R™x“Ma2mÉ&‘ÆÄS˜ú’|ŸƒÛœ}—sÝæô»œ}“sÝål+ŸáÿÐP-æ6¹Ë €~ç-œ¬é…£mdÕŒZâE’U%Ï\¹4ÜA¿ÕܾdöÀAn¡e×èŽðh¦ÈÚRÁ”HA3|¥A¤Ä±éž7XÕ—ÇuÇçÄëÒóxâ’:žY9¼PE2Lû¸ h¨Q 4m*Å“3$ó#p)ªg$OÁ´›0yŽ£œJ”¤Vñ!Å›Ä ÈÓ埋¿0ð©B)6L'ÁrlLô€úJ3­’ù?æb’´F¼$6æ×¤à4~ÝŒWê0ÙüÖÚ!=@çŰ…§X%Aü’UL#–øX©í ©®ÍS0]3>Š“¦Õ—‚Àê'æ‡Ï|q$WÅýæ9ç—+,§ÒޯŦ F2B:½q›ÑD‘ต:ÈAS IA@>‚9²P½LKÀ˜48GŒºj½»h]u_6O:-ùÂj:¨ñL I••B¸³‘U'8Œ;Ø&¾™Lyœ%6Í1ìüN°ç¬qoH—¬ &“ˆ "²BX’ºï5Ø·ÌÛÕ˜§šün"KÅD DâÁK Áóì¯ÏY=Õó=϶Þ?KƒIÑ\ ¹é=Üx ŸO“ŠSd~ˆvþ¾‡k#ÞÒeíURÝ’šLJ¥Y`„ÝœR£·±Øª-²îõD{ŸÕëuY«¯- XXì‹íPÉkZÃ…·yØ,U/õx› åŒ|­·’¬Õ‡=ˆ}£!‘í$bÑW˜Ùáú&æòö=5ªð€a¶"Ú’OEq–%ÂMŠÂvD¡  镨ÇÉ0ÊëU$*ÕP½Z‘NêÍÆyäèðÄ BG@Akn‡fkHCƒÏ0jã[ÓWÃ…‰"ôF2‹!Ÿk–‹uÞ„KžÅý„B€S´ƒj5@i´J}‘¨R0…Å’½‘»`!‚8CÌ@vÙ»£×¯ðëÅ“Ãz®BE¼Ê…¬&ÐNY1=Üq–C&÷ZüT<ï M¡/ຨ"¾*w8BÚΔ×ZÃ=×#SZïyˆ=~UMäâ¬1•U»SLÁM'XÅU th*¬‰6þnÊkHY“ ô²4?È@}sòÐT® E•k`ß@Â>Pe½“«¨ðhë°ÂxxP%ß«*pܾÌ›‚p6F.æ®*ÎU[#3x>áìo7*rj<»MáØìÕÑÛdL3sò zØ‹M£õ› EÓ„™•ªŠ³Š¬•vøC5Ga©¥¢‹£vÄ~ד¯2Hñ â¸¾X‘Aÿ¤Q¿"‰ ‘=Nfµ¹Ýv(Ò•Ù¸$µ3 N«Š!š­œÃeSjzHmíÕŸðŠâ<EÜ ÄWΉ`3Û®·½p…ï1tA†NÏÃË…%Ò|¬6F˜£D…z¾š˜&ß<û…€ ÿ¦‚ÅeŽY¨A²f7K±±\–"­¢j|M¶J=NÕ˜Ù¬'ýXÔ¤Mø‹¼&|u÷ æ;+oð‘$4ÚGIç“4@‚=éûEÚ=Í-ýû .CÜ8­&Cê×é³i¥2fJ™#áiƒ„?6HgøËñÛxàý_ëp½ýßv÷ö#ý_Êþߟ¬ÿ v[Á6)H¿•cІî„â¢Eï•;©_äécRYÕ&ƒ2Ò…, ìòÆ% Ù¢TØ“®_‹zyà|î5—s|÷zJgI|õ}·ï dV¡¼v°j%¶mvÄ›UzÏÀÆöQh¡ç©¬r>d±õ/ýÆÀ“è8»àNhþ5•å/!±ž:Íà|<‘µF ®‰†)ð¯Mû£vÐþmMë˜Røó¡Ó·Çøgß  iq¼ ßt°Æšì»2AàN¸È!0¿áߨC«ºy ^Ìm.ê¹ðÞc,!/sÝ÷ˆZ‰ÃëfÉ>8‰=UDAY¬Æœ´øÊ¿¥ZcvРÅãlA‹4 À2_OP0¡\¡×U?ž뜿¼zÛ¼líx6©Ï&oÈsþæ*èÂsþ’ÚíüÔ>;®É–< Ër~/òÔXûìèäÍqûì{ž_±“öiû æ½:§wŠÙÚ­ÎwÚºl;Ãß»;:i¶Okì¸yÚ|Õ¢§Îa"Ú$ŽäËdo_·ðS|kþwtÕ>?ÃýŸ]]Ÿ5Øîå•zúm»Óª\Øî d^^žŸÒNºðÐ9ÍžµøDÔ É8 ‚c§#9';nÌröªƒ‹½Êñõ„¾ÐÙý iXŸŠqJV¬·<­¡‘þˆqÜÜ>¹ØÛ5<\¯/¶ß¼#“Nݬh¦Š€R=6P57ý¹óûïC¸I› O_ðO}Þ0œ+óöèäÀÖ«º’3Á‹|‘ê+Ôôɾ‘y+ªCΨ_9½~:½OZzP¿Ï£Q™eZ17´a“tbR]àB-aNZgls“Oÿ–ú‘å&5ÔààFÏÑW*mmXý»!: Pñ‰–°}ì´Mshbq\* A%pIj¹NÕçxßõ©(½¦Õ©#[Š|–F‚)òžZ‹ì2%ÜÂæßzî׋®S¹|gsÊ‹ÿNtøá¥ ~=ê k;žþ:äTØe¯ÞàðÇJÇ܈“ölqÐpÜ ê¬ìÞMï7³³ÛMÀٌߗ¶¡¸=$¬7©?QÒP„•LûUÛý#1jtS—8a¢ˆM­P‘•i+y ‹ öŠ$@&Æo‘ý\B-éRnÒ«aâMuTux={´ó€58èägŸkÁÅú¹=Õøi|gù|¢ÙéÉ’ñ~* Áë ÐT™È¬ôÚ‡„i[Ÿj:,r@í¡Ú'‡š2=åɪÊå*Ï"=Ú5o¤«dðm1–ÈgŸÅ&°râù£Âd¿²gÏX4Yôooäñ$>làú£ŠEÿZãn&='جPipÈÄÇ‚®1õ6=¼>Æ=ˆøËjÊbÐc©XËìyB`×—„úíýJñ †?™‰”fæb6uXª­ùá‘ù‘PæW!Ì*ˆI©Ô(H) bF1ŒÀML«qx±>ä8Ô¥‘"B*>3¤ÈŠ‚t£(ÁX^¬1Ò¨O^ ¥Š …Їž2‘ƒü»ûDÝ¢âÅç…yNwüH&_~|Ñä#Ï醭ëfÓiS£e†6&gqjRþ·²T ;øÔúo’)̨Æc ŠMÊW¡íko‰ÁV 4Å߉I–.©m@ɸÿ4¤eêˆúTlLUjêH2,6ŠC1ùίЦUè¡BQÝ"PÔm&·$MRa0~|d|À` Zæä1)å…u¡PÁ<_?‰È™˜Œ?‰¤ ߆¢Bãï{o7ïÇ£Ý,SB,sO¬sv“¡gðòLÔí<?’å¾¥Q ǵû\PÀネ1>k¿XA.,ÁYÌ… 1~Ð K}h©y2õÁr†Tê#(¸‰\Óª#†Aäè%­\J’|‚–C3žVû3p‹‘ BøËóS4þóanÿ²ÎøÏƒÃƒƒpüçÞÞã2þóSÅ6~ü±±ÿÙÇľw¶ç.°%ÈÄå10Øf81¢7£=¨ÇNsˆÓüˆÓtœ¡Ó‡{ÿʳ&·Nß/2Ë[‘г„ãQE j=ç\0Í l}ÂÚ¬1;µœ5öß;*Þ°Ýa§Í«Öe»ybR¼!7dÍó“7W­“_0šOEŠ`CÔ0¿§p9nˆû<û…¢â`ÂæûåüÍ%;{Æ.ÛŸòÄÍÊf)®Gá˜"üÒsáë{bóK £å§kLtWæ9¨"“ÇhÊ( ´…¯‘ «àÌzhðVÎ*ò±¶ŒC ¢Yù ²ø=¬KÆúâd9—Áã[-FªzÝÒ”s‹ZÕ{°S… /UIhñ±ª¶ì™)"LGVÿy?±û0a_½„õ\Ï£\VJ¨sg{uìÑ~Cå_RS©³7G(#_¶þQÙ¯±'Ôé>?:iž½’_ìÕØ~UË´ükÔ> êŸ^´OZ—ÕÀ B½F"ö˜¸ŸÓïËc怗·;ªe¯tÌÈž´VQzŠRóâ¦Á]•†tÞaïXc§þX¤"íï°¡…Eºº4-OQùåìˆ6ѼlñÉß6/ºãPÒijeŽ)@«ÌÆCç½M]oÕ‹ ñ¦Ç;{¡Ü´H.€7‹ e`9£<p©îá~·«ª’‘JcœÍ5¶C`ÿÃH¶xù;;¡zc稧‘Íbù‡ð@Ïòùu:9ùù”íÕüã*È-ƒÐTÔ¾µ7»‘aèB&¢nÊX™JÉ6"žnöâp¿n%¥Q%ä«Ü+¤V1ftqï‚äsôZž½qúOÔ™kq¹Û<äÇSúœyý[æì=9 ¥b£ ȣˊ—|¼¥²š;Mõ_…¥vÏ;ÝwÝŸ[—öùY÷Ä:8Ð7íK²î)”"˜è%oËËþù³@ÂÐh¦\\Û#zG˜Yס,ƒˆÿÖä¢(p°éÝ)óë·7`ªÐ,uu€jw(77<®±Óý1ûŒÏßà}?9oÂU£œ¢ðé½òº]<Pk´ÎxѼDqstê$ïOU»@Ñ<ðPÿ½jˆÄýòê-|Û5rÄEŸuã*àUÔ®9e¨hLƒ,Èmçp«BÄùìø'æ5ÀÏE.&’~ÇBWnk(jý ø]ÙâmÌù÷A㯙aT^íÊ-{޹:²P¯Ã.WÆŒc«ü5†)DrQNÔ8:`pÑÙö‰ŒU(±”&l¨×ižµ¯Úÿ ì-<6øêõe ¡ Æê§'Ïè`pÜòPá˜äˆi„oÛ#_ô4!ËsÇòAœ8æ!…€Ä UÀ!RR¡R³c·¯à?¹£´Í©„¬¥üî×wjÔ^n‹Ò¥({ÁŸ¦Rq>ž©|ß§CÏ0™‘ôB'4!!é±D”<„DaKh|YB$¨í«·üȪ„ý>hµ ÂŽ ÿc$NA`ªA>‡"TQ±Q¹à:•nø$¥WD‘Ið¼Ói#èØ/í@ïLƒüÕ²£u†›»/yÈ…X;R:».ÁW± •ÝMŒMF™´USY²<ƒ”õ1kpFow}”Ñ,>.Ù7Jf9€I\ÙÄŒl;ÏÆô™S3·yº‰Åö½ôllȸòf 81a¡\A€D‚‰LœÛ³˜?s¦¤)\Ûai\ÐV‚)¶ÞÝJøTC|˜w\¾öŸê­*{WáÖšø|ƒ»±5âÙ6õ\S­»S ËK“z@Eß)Æ€Mç.ZgWí7§û œu®.;¢?åæèó‡6yÚ \²)u^„i¨‚RÅOy RtÔß!èÑã©3öWI/‰y—0©š‹M^V\¿Pz…´{'¥Xð=EÒ,bMÂZ¦ùØefoÎ);¹ö'3g ç¯aýš™È(Rœ«ÛðÖ—Z:Ï‚ÂRÎ×Öm )B #e>(kæSÁr1K–^ŠIpV#ÇwÆÔe“fCóJFí3º:æäåÎ}my¼”µW…Óòz?C1©ò>ÿ5R¹ù„ºFý™‡}à¶y1j*jÃ.‰=ô-ª„ªMWцê­•¡ªW˜èÅ•4¤1¸ž'—ÙÙ5TŠIøw _6KïÂSn=¥Ò:«l¢ðóŒ-°ïhš/æ²DY}ž$ÅTÛ?³Úþš¼©QXËO ¹L€q¾¦&ÑpÉÌô ð½\ÿí> Ÿ™‘¡üñhYpÍh¸JV´óO‡Ô™ M‚ÒFJ0$œ!•>ˆfOiœJéï³”8 RF#£‚ Š¹ìr;Iet±Óºv ÄúÓnVl&i¯‹unvñÉw»Ð¶Ëåy® ÐUr%”`ƺ#L<«{“碠îçµ·ÕÃTy äÙßáaûúÚé;œ×cµí1–ÈtÆX©KTåï£:7ä%<”dƒTMÎc§ YUÝbòr‰ Æ\Ö,F£õj˺º½wÀ #¸½ ˆbôºöïzŸ~û Áv¿¸¿í/Âþ)à\/í$J®ÀüSÂÀÜb2R°`e¸ÞA&,î‹uŠç«r¼…ŠñFu‘ –'¼üÌÚOIelT/ƒæ.Ò“©ŒÅ’›èR¾vœ7&€çRzLÄHÑj˜Æ”áyjGïÖÆî,®¯Õ)eN#™W4W%Œ¢Ç-vú±Eq 3sÅÃÀm/,-<¦ Ù‘^C "xµÛõïÆýnÏu‡Ñ.ü•ô6ñ¢‚fMUÜdâ¹X\ñ„±©^<ßÍ1Ë*Óc4Ö½²à9h™õåD¼T:ÜtiS™ÅÉ¥aud[ü1ŒÉ}‘1²¼ÀÿÎ34’þžyƒ+ƒ7Ð ´ßÔ¤?¤ÕøÇ?-~§ |L“Ö{HåhAGX×ч,Ç墮Y¨ÎÜÿ&ÇÝ`—L¹s¼uGÁ{—~ß¾ 1®Ê@lÜOGBÄ™P+­œÌÀ Z¼Äàbq~®-=O¹ÿ£*|zå ¬[*Ã;!Ï;¶Æ>¼ ÷¸?ÎÆbƒ¨¦d² ±½L´^µãÑû·ÂèNpCHžNp3°µX×å¼_(/91=¹Î'f2X“]íçŸí½Oˆö™H éU!|áÀc"&j|"WV*WÂ=)žÇNãZ2¾äÉwK>Ê=ÉsSŒ»’–±¦†ä¹-ÃÏü¶$ß½»ëŸ¡˜Ÿ¬T6ygXVµ€ü—$˯H—cÊS”>r¦ÚÓÅæ硎è]fKß#ò1éo{h2lð9TÞ*ä<7vUÆRaÏÜ"ækÒ×ø‡4ËFÆd¸(±Cìø‰+ÓÀÈsÍÕ è½ÙÍÍ5Û4'“8¢òˆ–f£TfMmCÈ0ë³D‚¯>™3¦œ խºF²„¬æKÀÐ2a9Jž_\µOÑ­ÔM5ð:6h°ïè¿ÆÿšònÛˆF¯÷¡Pàzå#8Lõ¼Ìp¢ž0”˜Ÿo6ZÍã_‘š ^€DÙKÒMOz¬Bk«ÒtyÞ¿~¿v—²ß¾šOSêÛŠ‚ä÷r#Ë®ææ$ UÓˆáf?°ÇìJmB‚;õý×Íš®WÄØªPâNâû[Q¡Ú œ“ï¸Hì}î-Þ7güÁ}o‡óä)Ôqë|G$(ÁU·L–£' òô °[-ÿ½¢ky :”6zoû\Ïß‹ T­ÇÛÄ®xé+lÆŠ«r|.ã÷îX|ª§j³IƤ5¨±úCʨ©U‰Š$ï^g]Û²þ÷NR ÞÌN·#•UP(Ó•!ù-®|ëï°„ù­;´óëÐbõuõ¤\ºú$÷TY1–14#íˆÂÄË”œ^¼;zýªqø¢Ûü¹Ù>A[d`Ãb&…ÌzºI-«*E1J„z;7@áµhž³¦×¿u*˜ÎÁK½àÚœr³ƒù@õôÜÙÍíðމÔZ­§ËæôóÂ9, èô¼|ÓÉùÑO"öºJ¦r²Û²=1æX³ÆáVïnjëô‘WÊ9Ë(wŠûŽ[qƒNËÌÉæ-Ni™l`MÑ1àÝÈ.w¨Põ²`ªÓóŸÿѬ‚²sNãrË8¡ƒU¯BéÛÏbV¥Á@9¨ò®ÖÓ[Ïë9€u¬ÈÖÛVó'YEíó­Ó7'MjŸ ûä…?0f|6¤fæ9>¨ªe õâèþúÅS´…olÑÁ–€V2AdmUld¥¢7(b2¢g‡¦²ÇHyHñºî§žÚÊr:(v‹ž:‡½Èªd5´ÇQ_îØâ0ÖÊÙ˜Ø , Ë2Î| Ì› eñµAwnÀ- »Œz!cCYJѤ" ¨ý Ó·bJ'(Äú:mÝÉÆ C·ÁC, ÜºM>Õæh6÷®Ï¤Ñ‡ÜÄ7ÊÜŸ g>þ?­Ü^  ŸmmR(œ.Ú“íŽmYŸĉ‰3&ÚÃ묗Ͻ6ËRRôC„±cèzŸ{(`Î÷‘sê2·ÆTpqàÊ:ŒH@’û6ϔִ/Dbeð‰ÝŸªnÓì½Ã-ìl6îlÓ¯„,õR.žŠ7Á-UUÅêSIG$TnhBÀh* ôȾû Z•Ü×s”b=„"•N™d¸ƒ*¾S×÷›¸Êl©EïRàõæ2µæRŠ:sY#T¹/¥þÿ­½°n€NÞ®­þ£Ñ8Ø3ëÿïîìí5Êúÿ¯þYùþK«|/âìbŠÿþXÍUFžD© !ÎÕPXS~^™žÇ¬È0I^](ª>/ˆG6W¥¬ëEn÷ê?ÖòÔ‘×Tøz´Žb|xó{Ýr(ãä ×1\+WÝÏõ–²„…ñqk¡gú.ÛtÐÌ»Ix´)rÆ7Ÿ±[® ×ø ADç–vtñF+Ü)O $œævº©"ŒfèÅG3ÉóÞFÇ;a€(â(ñT›ÊšMÝ-Yä_aÊç’›ÖàWÁ ñBϮŋh¡r*m½Ýp¬pîX™h…P…̤rHuÌhæmPSXr_sIÞ<å-Ô¬ð®Óioõ]yp#Ö0ðdøœønP®m¢éJ€*–†$“—ñýK<Ù¢rXUóâ¨.ªšæUJÊ?))çA1<)cmßIVNë«ÊàÍÆÓ…a“±G;ì9Hç]²Ê£½ê3 ¹ È–("ß0n.ÖG‹S5`*, Yy´S{´oL£Cúž±3G§2T›4ª0õ£†š}ËdÇÔO6~**ÇŽü{6š°F/fUÀÐÁx ;õ§b—\צBÓÊ·¼¼LÓú–7 þ ¬(êø>¨”P ²Ž4ü†¯& £Ir Kr‰I­#ÒÿÒ8Â̳½f6€¼‘X^1/6í.‹Mèó‚± 3÷G“ºý¢×7;áyéø¬´i`Œn-n^‰»u8:ŽOaã»×b>^Îyàí5iXú§¾Ds×e÷t”%–„·÷€²›»OCOÆy9 Üd\3ìÃ)Ó±?ÝuTJ@{üïîªÅxòUTÊU«'GÁâµv”e£Û îÓ OvRLÁÂn¡ß´„;ïM3¯Zì]3IyôªÙ¿Í8OŒLœq×8òÕ(¶05þǸkÉüá@.3ï]ËqÙòÞ5Å¿i$Ý9…>ÈZpò¸íîjG-n«Hô¡Ëg&’†ï¢ÌbÓËô`]žP†p0XÝŠ䔾,P–9|Qî¡OŽR<‘Z;‘»÷0ùYTêÊuÉòñ3œ¸‹VŒŸíz~¶‘r-âxRäÄ%Ëo¤ßE¨”·$І>N%oæÌÛËg¦MÔºÿRþ|þö_ÿ¶pû× ûïNãñþA¤ÿ+|]Ú?Qÿ×ÝêÙze½·ü[‡ýrÞyÝn'6Y-»§~É6ä°36v8&3\Ú+ý[2…M-¿Þ«```•ŽQû‘| |ÖT‚Ö41¤)8Àßi½ì5žø>L ²|ŠàöúçŠÇëNÍô©yå¿ÅZNZÍKÞûþê´®r–~UíÄ~F!&)¢Átjk¡åk¤ÿ42Núkôÿí<ÞÙ‰øÿwKú_öÿæÌh{v7"Í¿íöÐ W4¯±“úEÉ“¾ìŽÞ¼ÅÕ)¤Æò!¸ý™PƒwÝN§“§ÛÛóù|«±sXwz£:ÅíÇÛ£äïíÀבÏÛ¶´' âáMèž} Óû¶_ .à5mï­·TÕÛ§^ëÑÊËtNR­èzžÃ]MõtŸ5ò3Óo]ÜÕÑά{õ'õMm ZÃ9%ä8¦…ƒœ+Nݮׂ+(©ÒZýÕíü7.´3×óÃVqGã·zN‰¨™ä‹bK “‚v‘ØÔî•@›¾]×Щþˆï¦ìýØóâ#–÷­=œäöÐb¬¼5µ¶ä¤T5¢%"§N “9¦z¡š* yÙŽí¸œÚLñm<|Èð8<ÕlltÛ«‰8ö¹-6.Òá`UíiС€Ö*¶ ¦¢ŽÕÆlKtÛ¼¿ˆÍîÅéÞ§¨ eò`þ"ªx@pà`¼E ÕÄ·"™òXÄÞº“Naš9¢ÇܦXà õ®,‘!Š.aH¾Â±U}÷Å=÷â.µµDÆ B†RÜÁ^ñ‚`j'ë ”OÐ"*B.ê)A|fµìod@íÙy÷ä-ÙÆºE÷"›p&„ëÏÕÃuP ¨ÄY¥Ê‚ÕVc¡Eã"OcÙ´ã°p/VÁöxe+£ÎÖ$öÓÃýí+^»‹ÐàF R@yð翇c„..Žº'DzÁ`3úå¢yùŽ xýþèôbÁs F“˜Ç;W‹£w,0ôõ˜ù±{ðÑÉù‹­K˜ÄÛÙç—¼ÊùïiËœg.sžºÌyžeö Òð²ýî´õT«@tcO©1vNbýž)g]®¬D%LðQÒ Ët ØÑ–TþÎnWt´€çA YrºÉóÛÚqTfJÙÖÔ7ænS{&oiobë}xéž6Ûï8¶XÀ‘ƒ¶­‚pŽƒê)©WQÑ â[#,{ð;AÊlëKJp¬ÇbqeˆK¨©³1ƒ^\v›|Ü‹—5*ôQ¥ÿ&᜜“þa›@/rM)þTÐâõ íMzbæjºX¤å} QI'b c^wQòÌP ¥g) ¦6jM¨Ÿt{ߘ/ÄÉyÞªÖ`Y: ÿ}þ@ó#…¿BÂúŒS|YY;ÿÇúàííLÊÈÿÙ?lDò÷ËøïOÿ}$ò^xÖ`hß±Î]èëÁŸÿƒÿÙòñƒzß­ÏÞÿ=G°3¨LX £(o±šr‚F0ºÙö°U™Ûàa*¿SQ@4…‘ 3нžÎ)ã‰}ßí;T)×ô–_òYezkã›ñÐf•^5Àž“ƒ(¿¢°,Ó¯•“®‰èJX N#G ±D Î âÕywV[QÕð¯Mû›ÌzCÇ¿¥ˆé ²ºÆ|ü¼oñAØÐ6öº´U´¶Œ‘k¬‰àlŠ»FøNÄèíó[wdn c€$‹y€ùÀðÑKÿÍ‹hâDF}ð@ ñŸÊxùÄØkÑsÕƒÃ_ù·¯‘,¹q*GEÇPwX VZšb‡J ý‚ô]ÔUÜ~‹uÎ_^½m^¶Œ°ýMŠÛßäûço®‚hýó—–ÿSûì¸&C÷ÍÀýkŸ¼9nŸ½b/àѳó+vÒ>m_Á¼WçôN1[»ÕùðéÓÖåÑkø¤ù¢}Ò¾ú¥Æ^¶¯Î`föæm²‹æåUûèÍIó’]¼¹¼8ï»<;†™ÏÚg//áE­ÓÖÙâ·Ï0¹ õ3üÍ:¯›''ôÂæØÆeWyt~ñËeûÕë+öúü举hÁú¨Ê"½í캪'Íöi7O›¯Zôà9LtI#Åß¾nÑGðÊ&ü8|ŽÎÏ®.áOÂÌ«óË+õôÛv§œû²ÝA༼<‡7 tá¡sš=kñ‰(eÂIÔÁ(Ü&E¨·€¯ž½êàóúaüù²Ë’ÒË‚ U”%ª¬«&Ž‘ÂQ‘W¦TÚú&£-x¼[бBYiA÷`ô¯ºp5A¾Éhó-7»‰õ™Ù£riú×ü "7ýË÷_£ÃS&‡+û}L}f…3ér¾œ’>kÄ=¢Ež†;¹^VÚj¬ÝsIç™i*^¡XSÊ1å:¥ÍÆSæûehÄèp¨+õ9þþèŸÀŸÔ9& ¶±rš1XhÂøžÇK í^' ð§ÈX{2&lôâèõCt|ÂÅj(W“ö<\?$¡8¸52Àfá\Š™¥ß7ó17Bȉվé`£ZE‚áD¥‹m =uÏ|ú9ÔL¬¢2äÿÇcäÿƒRþÿ„ùÿ{E³-×¥à‰ó-«Ä*B - ¤+$KçÑò(BíIÑr*”;šª|,~ÁÙ>¹Â(ÉÞË)éçZJˆ—þqºb @’ô3Q2¥Òœ2€BÒ¿®-ª-̵ƒYŠ–žÀˆA‚Ûï{ÎD䛊¹(ÂlSè ›2áUFôªUŒžÅ8{+¦ „)\Ǫöî-^¥N`˜ý”·²U%ZyØ=Ð Ê];§d@¸©<ÀRÀ«œ˜Ó††tZWL_‰*­Œ²§ oa#@C؃põ ô¦ìœ¯('½‚ê.ŸY¶ÁñÙhFÿ6K¶éZó ÖTŸ Ó§q(ñ€¶Á;Ùtgxÿ,Ê—Â\oêÐ&q{8èÏÓw&·è¤·3•ôÄ¥ªç$,ñ5‹bÎy*}BÂ(®fë Ö°ÌÑé0âä)4Aóï+Vµª*ßT«tX/lj\ÇF”ÈLQŸ=ÑöETáÂÇ~G´Ãª¤)W®9@¼b…ùˆC¿&húwS-­ äG ÁT!Á€®šA =Ê<0]?,‘dz ÊÒ•Š8©Jã°Z­nJ‰ï0«þÐRT:XX~ê ‚¯ 4˜z/…a,€ïYd'Z TÌWH¤/U$¾à‹¨¿ÞÝØ’íg5:B("Š” CÓÑ›TÚºx‰ÂÊú’ IË%lvOŽÞò6µ(ÁzÂØÊ“Ú¹)„‡•À`3û|ßW+•Šú -2ÕØgÓ~~ kTtq[¬QÍ9Ï·ìÿK™ƒ_‰·”N"óE“5ê :&øu·¾Ã@½žbjaÞ<¡$›" òñ¢ âŽdi‹£Å=°á#x&"/uB’”,‘`1‰)XÍG“œµè¦²Ö-:{]‘'s×x9qc±Ä—òè+â¯ïŠFÎâðÙkßáêBòÅ>„Š˜…ý¿ÃÉ­µfÿ/ü¶ÿ<>,ûÿ”õ¿Ä,?n‘E f ¥„!ª,Mùu–û&¾Í½fGˆT§ŒŒ*Þ„GcgçÝããîùåq m=zqŠc½4@ߪ¡:{Ç5YwIoF¼Jé›Q¯`á›øwñr0Y/›x›(ƒ•zF®²Ð‰ŒJ2¤8YÓï|^Au#U ‹qµˆh/-á¾.ŸykcA-¤y‘B?ø­;dõzÄîߺýðñàµJ¤–Qoh ¾ÅX·âFZ§Ê8W£!Óâ]éR óÈW˜àš?t6pA2r3" ¥feËÐÕþhbÿFc÷yHkúð‘ûs䂉#{8ín-ÖiŽä•o¹=¾ØX—dšc2Ôç€Ò‡y1w¦u2¦ïÔ¡T'Ñ«ºÃsmÙû ḱäŒÔÎ?Û%Y̹ŽÂòç+ªÿ.*nY@ÒoGùtùÿpç`g?Tÿ·q¸SÆ–òYÿ— þ¥ÜoÊý&¥¡íï¿ßÆØÉàߤܤðx÷ùQ%]i‹«‘R¹°•yŸhq/[\¬c%¿(ùÅ—Å/ð#gœÉ$·î~XBd!Ë3œ*–Dvr¯Ä_,cUÒÓÄQÅ‚›YòE¬LäqšÅ6³X}7%9/Éù—AΗ*T³nò½&Òmí¤JÝ÷C®×@ª]oéůFÐÖ@š+,~Er\’â’M†úh§û7Ø7þñ¦}ÙÊi°J9­j¸_a¯«Qû`é|µÓõòïm»6ÏnƒÕ­Í°oÛ]¬a¿‹è†KöR²—¯ÀП~-ïËàŸÆbR¹ÃÿJû½W6Yâº÷¸åÕHoxës Üã–ëØsÉoJ~ó9 ’¯ãúi,%qA+; ìì^™Gh9ëq$¬ms«‘Ls1ër,¬ms‹ÕwW²ƒ’|ކ¼ÕÈ×Mþ×LúcÉþšDc¤>Ž®×!‘±—5’öÅ6³"9/IyIÊ¿JGE¤QÃGÉ,h5;¹q½——sT,¿×•ÝÒbÃéŽ ¹Ó59*îk»Ù®àÌÝ«[Ÿ£â¾¶»XÃ~Ñ —ì¥d/_ƒ£"õZÞcfB"‹IYä:«ì÷^ÙLd‰ksTÜß–W#½á®ÑQq[^¬cÏ%¿)ùÍ×ä¨H¼ŽkÍlHd)‰ ZÝQ‘g÷ÊÅÒÖç–¸—.Ö°ÓEh«%)ÙÈ×àH¾÷åHc%I+\‡+béÞ+;1×·6'Ä=mv5Bk¬nî‡{Úìb»-ùJÉW¾ÇCüE\Ÿ×!uįfu—CÎ=Ý+“Ðײ&gÃZ¶µÔV²67ÃZ¶µX}_%Ù/Éþï`ˆt¬[“w!̯“ÄGÉûšý „b]$=B÷ÖëQÈØÅºHøbÕm¬H¶Ã$ûkìÿác¿Öœ}Óûîí>÷ÿ€?ÊþeÿRÜ(ÅØ¾×쯜(° í«£#Í@ßùåì¨{ÔìTÙþc ƒã|Ùºì¾jµ.©Qûq5—C {Vyý)ËpHÄ 1ø|w,xMþF!øXîõ©DÀµ¯3³>šþzê>|JmáˆÅ!Öc_kÕ€]6ý«ÇöŽV}ÌN­ s¦ˆ©b-0þ­­5ôµÇ7€9cÙ]u„WSQB9»¾Æ™pл­C³†Ll`[ °¶‡× U{ ×jäXùTc <ذü=">Üžëk¸ÞØä_è`ûøþ-b×wÛó\o îÍ8Ò@[4& `…Ý8¾ ç÷xxá°zX !Ftº·Žðˆˆ#Q 'ã…Ô`%i~L°ºS]P¾Ôñ ­]ø’Óp Ê2b&këK"Ë¿×Ìä1s jÏô/¶hýk"ç ÆË0$J¨Å?¾aÀ+B¶ØÅ÷dÌbŽžô‘'ÝáûPÆ€j<š ,ÉåÙ >¾Qg’cøó­x3B|“Lì>^Òï·óN Ö‡ÏlhP‘‡wð1ÇïÎmëýSvm ²ç:|µp2Öï#i_m–kËÎ<\ ¡°âÅXih4+â\îr•9÷ü‘pPaWMNQc;…ÏE𲄪«ŸM ­vFy‰ì—xF‚à?¨;„,¯v®¹B6¾À[‡§³ìm½ŸfbFóï6;§Ýçç'ÄãE o­¸ø„¦_7O_îT幚í¤ï÷|£w/ADågÃbO'Ž»÷ºÙÙg þ,¶–ü:+t kæXŸÓ1¬Æ¿ ñ±©q¬B¹6õaA†Uˆq8BÉ¢L=6žKquULVxÉVSzJOÀ—â à1•ëp„‚¢³œZ 麼Á‹ ¬1C`ɵf—³¸´KŸ@–O@VéÈt ph=¯€¶”ÔPô¿@±8ôõxôe§»tX§ûbF~Ü gû)ä0ùIqù|²ÅˆSr „E|:, : ø£±Â8ÿªt|6n‚4ÄYóò÷YÒ }o˜ø€œy¼úI妻_æI}2—AžCYýtóå²m|‘7ðÓ82cEÏŸí¬~Ù£ý½ñ Ü( óµ3¹Ïô –r!¤ƒ´øY¬›}^gñ©ýé‡Rü4×Ƕ>ësüè΄”ãXƒ7!¤—î„ÒðE¹0SwUg‚Ì„Oó ¬×q ß–µš,_Áz]á·’åU}Xº²Ü T¥s Ó9€°z®µ”² n¬šëq LwMwDÆÝçÆ² 92õë´¾¸¡_:ÞÈÀ'¯m¿¸I?* —üÏÇ€ŸŒËaTfó×% Àkİd˜Ï†á’'E¿„ød÷l¸/yj©E‚6¾€ói é_ÑŒŽ³¯‹§æ;»ÏÑR¥b@][ù,€¼”)< jE½&òý©mÝip/z\+³ŽÏè >º1;âk0eê_iÈ. Ù_”!{Y#¶¬ëg¼ª¯­Ëp6ZëoO2V/·Š4CuÄH]¨s¨KãtÎÈõ³ž­n¤³ª,®)=Ozžôxãóú6‘a^Ä༼±9ÞÐLÔ’>È20kÀÈ!»Ñh%7Ò_¥Qù³1*ç1(gaNTã/†A÷€IÈx\Äpœ é4Âõ9Cú“‰‹ˆ3O'±üðÆg|>1ø+±¬ï¥ŸÓgY`¥@m•{ ÿ Ë•LY¢ZÊ=Pû‡ØO^e‰ú'k%õŸÁ¡|ü²&÷d¸Õ¶)îµþÎÊÿyêÿ7ïÂïfýÿ½ÆAYÿ¿¬ÿ¿´w#2Iƒ&yÌÚ¬1;µœ5öß;¥äKv‚ q†]»Ã¡;G˳3š me,f–ïÏF°*à l¿þ \Þöê±vû—ð5œqýC¿Æ|Ûf¯ÎÞ6gÈ‚IOÐ|X?Øe•3g8ÝrÆìz6îãëü`*<¹‘=r½;Ü¡=dÖ!ÃI.s'6¿i~µžÂ€‰¬Ù àÈW­ÎU·yvÜí´®6¾pc›õúöÔöy8ßžv§]ǧ2`õÛMî1’î n˜©žŸ^4/[|η͋n£ÊþE þ?ÿa!/ÓËóË£ÝL†¾—P.[³õ2xwxþùËnçõùåU·Ëž?g»ìÛoó/n·ºâêBµ:â—×>‹Û/´¸}}q1³=)4Û“U·jD+'œŠ`ëÜ«>á1€Œ½sãÑMϤåSõ½nÏò<Çöô[þ®RÕÎÍØv¯ÑmV‰ô’Òí÷oÎÚÀaŽ€kœ_Â&€"´¯*‹ ô ¢h)BQ點]E Ì`P ?ôTDhªž­\“=AćòH áZ”Øl<¶qr é'Cb;uEZâ}*ÒcÇ-SÊP ˜sœ¥øa¢óFzQC/R°žÞâ·aXëÊz«ñ1Ó¬¤¾"ÇYH1+Rk¢1jQþ–±0Ý[” +ŠÐF±3€“ïvý»qŸþsë¹cçwг/}˜ˆ=ÀDýiàœ¦sÎ\|F74u ¦wËÀQî¾’Œ(ÔClÓðòE_xZáG-€Ôíˆ?«-èÀ|IJ²v/û ò{1Ñt"ÑýÐsðU§ûsóDZ…u>jØ`˜ B'#u{m–@Ç7fJŒˆ¼þhõÆñÖºîŒk·˜"볕­îi¾Ý¸ÅYÄ ´ÖÅgÜÖÈJB×6Ó÷L³Ÿ¿yqÒê^\]v;Wç—ÍW-NSY%InPl~9.Ÿ*BÀÒo­!pPZàÀõ†6Bt[.н¸qX ^ êRZ‚xUÄ Š_5DãÕ Å3ü!©=Á/6f+ôH¾Ð­ÈtúTMRÍÞ qD ÂòmtLPVpö©íÙþl8}¶¡,¢øgFÌo]˜éy$’ë[œoëïrD¢D]&ù†D¬m$å\ÂC% Ë0ÆS…à›üö àl:G–‚³bùàMq590—Kæôq•d0ÖŒT¨PŒà'Ã…"Т‡ê™Xš(•B’-åGI󱜀‹eÅ€YRuÜj5@ÆÇc…èmVX–îŒHàŽIñ[QfÒK8L²û*á´ÚÈöa©'tW–úp%Vø¸3ÝPÒù¬âÁabÅÆEâÖ [5&lyOh"D%ê)‚]cõŽ‚¨˜†’Ë<û‰1·AÄ\ŽÜÕ²ε8Fq¸1"û(1¢F䎰X;%‰á®yñ‡ÔÐÂÈQ£—Áœ‡ÎÛÖ@!òw,Αzªâ#6‚V¸ñàã?,Ëëßî¯1þcww§qŽÿhìí”ñeüŸåÇ- ÁYÂ! "죞;–äk)ã@¢q M­Ãý!0æ­ƒú«à;žÁûÕZ¼ _f çÖoÄLa‹>Ɖ0ŽO_°Ê0ú–¯Í¾¾vúänÅsѽ†F0‡žãøf2€Ù0á~o{ìWJ€Áà!ZÁ¥ç©½Â,ñâMûäª}&Øx'b#»z}Ùjw;ͳöUû[—Ò4¦»íª)HÓª¼³þ¨Û…¥XÖíV6£€æÖŸn²§ô›Üç¼™æPžP!Iò@À™9þÇwG6ëÍnÜtþ 4Èèp¨X~“‡dBÝL‘ó;¬t0õㄳºÑØ}ÂíOï3›à ïcøT¾Ëì6F¶z9XÍ£ƒi®S6w½÷€¡žg÷§Ã»z8Ç8Ón—¶Òí’¡Ÿ¼šÍ³WxΗ­TöjìGnÞ×âzü)  Ä®å*Ñ•œ£ õ®×èÆ÷dlZ`·É8F¸†2¿>á"ŸJË7væz6é‰lkȇÖè6ã&‡nÿýÖµgóÉúR-ò7ÁòúïÍC²e AHw8 ‚"îß w^gnQìÝ©h€nŸ\ìí" õ[À?>Ƥټ 6‰GLØp)ƒw³ Tì´9Ø_Ÿ³®£§M¡½£çÙÖûgi .BÁ ‚D ö.9À¨=ˆÏEK“àŠÉ÷Ts+é7ÕüXÝÕÄ›*ÞeÖ{øk ½Å˜w’" ÝËõ<Ø{º.Õ#ß…µÊ[ÞØb76>v?óæ®-èãáÞÜõˆ•%§-~o‡K_Üá×tsc³V2oî"nîÅÍ•¬¶¼²õÊÊœY¥à*¨’óJ9­„Ï0ÙI•ä—ñ'õ:Ä33¤Œ¢¸}ÏEï0dB0¾!¿øÐUzqW[ä@Ä5 kýƒå -øTxƒÐ='gÆ΢Òd‚$êFU¥²+1¾W„jÌS˜“¦ù»ÝæÅÅ öžÙi¸°s€ñ0, ævÍlv-G?”ËsaU{ܣƗ±`,ãáÊø¿ôø¿Ñá“÷…‚ÿ2ãÿvöwfü_ãñþáaÿWÆÿ­ÿWö} žú–O…-¼ÅqñÈ#X˘٣هMï¢8/—Zvwø«,dÂÖ÷Ö™¸ \Ø&®}ç‹¢)x:¼è~ÀG§Ó»‰¨Öã>YÌçuN³i-ÊCáå¨nOAì›öo3ùj;­«º¯E…•çMX#è8Ϙâá£ÍÈÔqÜ™‡:4ª8£¨Š£ÎøV‹Ó$hbk ÜF3úl0³•«/ªÜL\é y.Ñ&+Ñ‚ˆ—4ºÊǿۨ[\ ÒZ‘ãÃ…¦´I¸{ ì3­k*ã*‹·† ·"Â!ë©ô9OÀW¢®úh¿F'iÿ–z’š²š÷$a¬Àù«‘ÔrÆâà¶ä¶¢‡• •ª L,‘\:½-]wÕmw°Z©~|6õ_Eí¦© nMí•ê¿îííì…òövvÊú¯¥ü_v·+ »ên÷Ž C-ÛãîÝÑÕ/-ü€Ï„ÏǬ·Û]ð¶¬Õ$EI/»ª´îwÑ·£×>.;áeuÂÓ€UöÃËì‡Ç¡õ ºâiKIH‚ÓFTbïaMþu/]òô¦÷ÊÓ¡šÞ1/fä}m-­¾bÜ‚3:è™t¿x=óyÓ-.è°¡¬®z¨r8ÅÅxå—½õ>›Þzix±6E‹bÕ=a×ê·—~KB?ü}îÐÿd=øòÀ|É3í{K×C½)Ÿ¦/_&´WìÎÇç_Í>¹Ï±S_<„6Š‚t=¬äÁƒx©bxé+êµð‡ êOÝÍ/æÅkE–ñ™ÓGïï—í5tù ©zeɸOãÿ 8r9€2â¿v„ý?Ç{¥ÿ§ôÿ”þŸÒÿãÿIv’puypÒî»ÍË &¼<Ác"¦ SÆ‘špù8LŸâ:‰®%ÉD øDãàßTÓ,ŽÉ±§U6¤®â$´´ël°±µP®$ÃöŒs½Ì}Á•·s¬¼+±Ž›ZäØÕbÛZ¬c_‹ÐÆV‰ÿv&þzã¿{ýÝpü÷áAYÿõ“ñ`¹5øÏc†1öÈe{vm{ìoÓ[ÿÆöãÿÆn}`ÿ½ °þB-yQqŠQ~Êxô§ðÃúzVoxG^r†Ç£½9¢&]çU›¶/0Ó‹–NsòÈÜñ <+¢…ù&°O®Õ§¢I "¬ôàcœÁˆ?¦Å8(7’oÚrF°+Ø=vÓõ0ì»g‘Z’¾Ú;¶¦ÐÊ ÐCòí\›×6Ä'îx€-§fa¤s@YÏλÇÇÝóËc@÷³W4ß79ªqŽü¶Š””©qpàZë_ŒxUrõ Q Uá³7G2!mŸÒØâóÛª 5^Û&6¨ ZwDêÚ…8غûUçH{Œ‹ðR§xilË:pLÈxÙÕ ž‚WØ åîÕ‰süópÿ×Z®9™'²Y4A/&50œð¦u"ˆÍ–ÃÌRa_ˆ :Kd‡#¦J«æ¸ìp}³‡S·ù¢}¸OÙÅ[Óí´O1—Ú© —ý†§öv»ZXŒÕõììïÏÙaPš³5j€Q&pÃá¶ßÇ«†ã±0ê¡oñÙµçŽ8qøõîöž>3^ÎW×Â54ÛäÙ¶”¡›1R˜•ê9þ™ª+DŸ=9é6*–‡5ÖTòô~ÅØ¦|<üÂ#ñˆ–(Ü=¤–›¼{ÛóÞr{,µéðSÊš`Øs‰a¡¸ˆöQëÇfÓ9ê›-ŠáC†0j6XÿÖ™°Šè(‹—ÿŽ]Ûs‚âÔùUNš'®'˜°L‡¸µ€ÛXlèαL0Ò÷þVræ˜'ÒvNNð45ÖÕìzº”}À3Xjìß3h¶ïÏxª†oc5=öÝÉÉwõ¸ ³o¢ð‹9€èG¢eq‘Y”.Ò¢|ÿÈÈ"0°i2óoƒºp!Ì‹{` „‡ZðTè{ÊIŽ~‹Ý„ž™¸ùy¤²wT)Ö?§–H62‚(—ÃP¤cs8øïº.ƒ²‚§ŠxþM—™©è bh~@®Mª±»Y M{Ÿñ*;f¡@0lò*‘g{öo¿Ó³^tupVyÎB¼iR[…6}iœp;±?‰×¾ W¡®vˆ¾†»ÿ7„¼iƒqøIbC4¤Êˆ5H²`p@e/ðòî\ªÑ‚kÂãÿÚ´¿É¬7tüÛšæòÁbðaßãS\Ï1rïz’ø¦ƒ5Ö¤ãh‚À pùøÉü– ¶Ú~¸£åX!¼˜ÛÝ.€ÞûoP_dbäµ;ºsÜ£j=á?•޼D§_ yЂ“_ù·TÅi_ýRãþ°«3œ˜&k²‹æåUûèÍIó’]¼¹¼8ï€l{v 3ŸµÏ^¢w¨uÚ:»ªÃ‹ÑåÙúþ`×Í“|N×|۸ą²£ó‹_.Û¯^_±×ç'Ç-øðE Ö‡¢ìîè¤Ù>­±ãæióU‹ž:‡‰h“8’/“½}ÝÂOñ­MøßÑUûü ÷st~vu Ö`»—Wêé·íN ¤êËv!óòòü”vŠÐ…‡Îixô¬Å'"_®q@0ÿFW­œ“·@ 8{ÕÁ‡Å^åøÀ 'œ‹¾m«…fcTÔm-k˜«ÓaïJ¼W%¾‘,„T„zÕ…ê"Eü„Ñw&{~„Ÿ”nŽ×¿u¦pÕ0HÖš ŒIY¯Ô9ЛRIªÍëM†c˜l‰£rPÉÑDÙ‘–§*0Ý,8ó)ëu ›í w1íKï#ȎذÆÝܲöw#rp‚¬Š™Ò¸Â[wN„ _4'gµ)Dç6»½›¸p1I8 A Ö¶õú…¸¨/±M ú£‡Ø!Ѷñ³Ûétòt{{À9†íÕ­ toÑÞ0À«¾mO=kÑØÙ.¶Ñ)ßYy§ŸFW¦5ìlD›ÉàZ’ 2à\ ™p$ÒÀUpá†ù¦§¯A¼Õi¼V™g›;ç¥+³8@zp Þ4Æ2a 5`CJ”ŒwJT|ˆÎδ¾Õ|—¯rEx|éPÆ5yì†Îx¶à=K1 E´íÉt ÔÌ[Pê·² Ò„ÍjeÜF>&  3 Íƒ'®1 ~6\gÓÉŒ<„´&Ü¡½ÀÈ LÖ„·ªZ/×ÒXÏò<‡g‚£cêNØ÷tF"oßãq â:@eeÊAŒq u­‰Q|Uç>(]ÞµÙ$'ò³¹óô_ãMÓÇÀûgõûç£Ý_kv²Ç[‹\sÚ0磽N›=¾7¿f;½ìq|שc4û|f)ó1|Hš˜ðwJ[`T9÷±Æ%B³<5ÀJÅìêÄwU¡²u¨›˜¦fè{;û¡øøo©ÿ•ú_©ÿ•ú_©ÿ}Áúß1Iõ=2qª“*W OP-\‘ŽÔ ›¸úÊ¿Üâ7G}†".jM>}Lú’Ï£‘âJ-…‹Ef|Ф»Þˆt²¡}ƒÕ¥0Ô‰‘Ÿ¤µÒËñµÛÉ t3v<î´[ô!‚Aá§ÐóöL)-}åòŸË-€'9+æ’ÿ4Bù»»;»eþç§”ÿ–K¹,…ÀR,…ÀR,&¶_“äuÇ‹ÌPtÃÔ%ŸG‡ó__e 9Z#%¹½…:ïp8Q¨„Ö·0gËÇÄ"£Ð}=ÖB «U!™–1CV*ò5`e5œPC_ã\Á#pÊøŠ[ÖDfŽþS‘âj †‡k½ò˜¨*Ÿ¦ Ð2^¦§²F6ÄK,¦ïHÙRð]œ·1® ­Äï¤&x°YxÒ¶‚YR÷M¼NH„RÇ<ÙmLjyžyž1O'â_Kµ0 :ZIìb²ÑsðQˆH²ÿ¹DÚдÓ8|ŒýJûÏÃ;ÿ‰;·½I¿H pFý—ýÝýPüïîÎÁþ~iÿû?¨5Ÿò0,ž1T&5^PC„rÍçó­ÆÎa0€ÇqÉÐ.ê·(༎›·myS§?´ýmôëÜÌœ]¿Ž†d?ªPìŠíU“(3Ÿ*ß«#/Tø ¯«Ë’<ôo2÷Ê8ñKa]Nß™ªJðùtnÛc² ¼w`­îuhUð¡¨2•áMž-:„øõœ¬Gô\Ô£íñµëa &Ódù¼ÜLßO=w¨Õ,©kSµáØÆßMÙû±;ç½ò,Y¿ãÖNêV…•Q¶‚= ¯‚o8·î|Y¶¥žcªrñA©™V5f;¶ãr“vRĘ6×ã1gãðT³qß¼óšpÎm±qaÉÛ¹¨b.´V±5Î³Õ Ëf ¯¬ñ{B¨Së¦;…5Yö°ÆŽÝÙ ;±-n»½to`¯]ËàñL(þÐUSM=«ÿ^¾°‚ Üù˜·wq=L?¥¹;,‚‰6U™Ïë¶^¿H‰”M¯C’3È•z ¢!çnÜç žm|3ñ¬›‘ÅFýî5üšýÁ6÷±±³ÕßdªÂ],œsò–J¾t k8§çÄó¢Êcòüë”·Šçé½»ê½Jâ ^„5(ä°RÕ&®ÆÖ* q‘§1Ô2ÇÃ8ŒŒ›omŒ‘$2ƒÀ»…¡ô®JKZ:]kÌwÆTÐ ¨[€mðí¼Md¥[.öîøÜºi±˜»ƒÓɸËzq£i˜i­¥‚LžjIó¼|öœñŒ,¢åä%çï›}¥¢Å1ºÐDBEõ¼?¢Kà1ªÏùˆ¸%˜f2ªRÈþ§èŒ ú©j[¯tcy= ðÙp7–b¥átw5ÂA÷ÏýÖú€_as¥»1ž7õ…â$*¤lˆmU{KL厩9/Ù̧Ú*Ø“k4²è!ÓÛ"×ÓÉÙJ؆^Ùí .|¸ßíRU#í›ØO÷_´¯°¨æXŠ6Ȱ/-  КëmÁxó,êC dÕ%ïõØT ›qÎAQóstež4žaì3«=~y-«\­]7O‡Ë[`fîNíftó`jÕÝKÔ¸B>Ú;š ÊðÝ᳈°l0?]?é #ÁÄ€í”!¬ºý=¥óŽ·°±nMÞTkˆ$ëŽ2bfò§ƒþ¢ŽÉêÁæp&ª E‰éùékÚâÆæš`Ø÷èO°¸ç&i¦Ý§¡‰™ø9#˜dëà9õeNZ“ˆ“–u)6b¡µhhž¹¼‘ï cúÞ†=K.fÖ‘IèkA¸ùÚnþðn^"\Q„#ygµº(ù2U"E[²Óó¼æ'4|ù!n9yW'UĬ>f= ËÏXž1ÖÚì^‡l,ï䔥‘«Îzª~ð.ÑÊô‰Qô!T.riI$«N<Çg9ˆ°"Äêƒò3&UѨ/ê²¼‚iŒÆ±$W‘]9¬§—@¾ã™{zk¬"JdóÚ` ¢®fí£tÈFy4ŠÜTĆ£¥B4:ÉgÎ>ßùêç;ç;ÿÊÎ×d„KÖ„ÉK¸b¹a<ËáJ q:9O ŸÊ§f´ZŠÔgõTÌ šl~UÐÄsé¢ Ê ‚x^ž‚;_nÿ©x‘Áÿ?ÂðzŸñ•öŒpœZ¨ö^PpÓ2Pÿ¡äF­È«ÆÿïÁ_áøÿýÃ2ÿ³Ìÿ,CÿËÐÿ2ôÿkÎÿŒMûTê.•ÜiŸDKˆ‹EÓ9ùTÉIÅ<ÄšsUcè°!þò¿j)¢| rÒ&§…æ(RAsŒ¤8ÚиR@*å?%ÿ©‚ZKˆFiý?7Âõ—ñ_Ÿ4ÿ³”ÿJù¯”ÿJùï~å¿+Šp²Èø<B‘Y‰£$—Î ±žDs<)÷E{’a™A/µzN!ML€ýØíÉ´;÷HBËÕ¸Gd*òº"쪒Þç3äÿ#ÿzºL@ñøÿÇÇ;eüÿÃ<Ë”3ä¿ýƒÝÃpüÿNYÿû3’ÿ¢ÏÿˆõC³ökÌN-g`ý÷N))–’b))–’baIQ Ínv:oN[Ý·pvço;?>á¼°- EÀSŠŠê›nùyX„Ì" C÷v»ð_$A‚wމÆqQ/L{4)â1˰ÚzšD su0¤yyÊü!ʺ0Uš†›}ka¹d{Ì{‹ÔìØÛZÎHÈÈ'dôù.t‰áå@em‡Jcó$¼iã©HTCf Ax_oq­RWiFTHëlDÍ©áMoñÀóÏ›MpãÁ{ÊRšÝÙ““íÎU=WS½‹¼fõQ~†YŒ„¹™YÄ 8eêIkm=XÓ]p×]\½ný„EïlÏ?÷°.‚nêÑ©Ži‰%É“.³Í;\"¸´-Ò°èEΔ«}¿Í¬a§4 RÂÃý-$•=l¨ga’™¯%¦a§.*ôÉx6ÀuÂXÈ;j{6å+ùXÉ Óvà[ÐSAšôv؆Ès„v<¹j‚KÙWg­ãÐ&ƒÀI18^>¤u¾½µÇÈ»‘ x³1ßœX n}ì'HÝúHè¥Î$¼†“í¡j¬mkÞd•óÈ–r¿a¢ŠŽ3õHNŸUtIíˆgò´­ñ (£SÇ2ÙAÁñ*óþ Ä”…êzap£áüo¶ì„)‰B"o*_¦˜zHOVªD*IàÔ•J+°t§UºÞß2úÓ½®hÏVÙkT«ìùs¶cv·«ˆ!pß ¬»š ÔJîj••. <Üêò|_Í þ#v\‡ÌoÝ!™Gm±8¢ü xª‰á¬ØiG®±„°N˜dfÝàÔdÈÞ=9 ÷p­1ÆÃMÒTW DBPvŽn |Ë«Á¢/ö³äeØ¢á"AEhc8j]\ñ{jqåS«Õ„Î'x·áECl€É»]Ö°Ï«lX:˜ÙÒ.óÁáÄ?"£ß'óOÔíÍ®¯m¯PX:Ÿ $c‡sšž;½¥—j!ûŽ^Z ÿr¯¯>Zl°t•&΢Ø,¤æÑŒ*±Yïa‡²Òy73ÚÜÔué ÙÚ×Gu®ZOôßÄ`•1ÚËþR©W·ÿî„âw—öÿOiÿ/Þÿ'!èITº JwAé.XK¸¸l„–l ØÄG7*+{™½{3g8Ý‚‹(9AX¡Fù"ò žÊàlõ=ÐÄÙÞ.iŸF z=Æp,+¨N¨P›j9â[¼ø',â„C¬‹D¨ª¾›ÃÊ:W’U]›ª‚¡,°¸¼Â®ìÏ×@âŽmkϦHmù†UU¨[ûÜñ\j/ÞÔ xmœáŒ !c+ìR6 o0ì\ÀmÉ8.¹Òzº™YùBþÆ}!èùkÈöCémÑK?ÁJ@ªy{ÔªjšþßæÜ=R¿ýû†Vó¦CVã¡óØèõ[ïô ô„Qù;.Чã3`ˆa ÛøõhA8TvQMP"?¼±¸~+  þë-ö†nmÆïH€°Æ^£<6eMÇ­ö¸ïñ@þ÷Uü“Çvâ“ê«ø'¥~Ü ÂOj_Å?R±YòW†vªCåçó“æU¨èö÷F0‘=Ô!Œî71 aáoáSÆ„Ÿ,À-ú”èÅï!b~!’Å¿óoËÉ~ÃdQåþd8óñÿ9RÙ Øñ˜mmbQV¦j!±“s Ö0|`÷‡ñg\¡!š…áYêsê >§bøÉ=•ñ|è #sä¶dЃä–fQâ[àª'•ë?¹EœŒðA2-`,r~eô»­žW _߈˘p&ݧ7Ï`u¢ykÇXÕw›\ ° Ñ±šãŠÊc7ãóâ®è:ÀTó)Þ¹ÃK=MD'îÈù#(¦”t%*T”8iÃßW'¢ã\r&ÓK•±èFüª—P‹Ì…’¥4s™ë¤neÅÖP§ëü!kjùj^F¼$z¼zh£ŒÝ{í°põ0ÆYS«¢Û¹úåÄÂâ5ZyÙiš}»€u›¥¿O>¢b¦n1]Uì·¦>ÅŸqf+«@ÆâOx3YXTl‰L­-´&Á­clçi%ÖâLç`-é_% Œ*{&5ñ̳”@¹ŽÔźÞúÖ ð[r©b©+]¬s©xŠK®u»Ø¬¨Œ ‚Ï(tÇC¨s÷xÄa™M²‡• xi§a™ÊŒóH¨ù Km°Q@”åT#·0‹Ãe¾M^$Åë4²vªFpIš¼{RFâÑ ¸©ìš†Bôâ[ФŠoIƒlü–~(´%M¶Ê¥EÄúš^ÖÄ{Å…Ç6ö~zX!†f2éáryÉ §”E®¦ùhAÚb>¼e‰!ÒK#d’•,XæÔ£õh'!åSpóQí'É$G`ÊzC+S﫾®Xö*ôÉÄ›¹UÍŒ‚Ü(È‹‚!žpe"9œ1“r!ŠÌÁ"&ˆÕÇ­v¼Tþ_÷p}ý?w÷ö÷wÂõ?váëÒÿÿYùÿK¯~éÕ/½ú¥W¿hi¢õ’>͈Î\ñ_QÀgžÈÎÔ©Öð™#âÓ0ŸŸvßîw›?7Û'x BAøÉ —<,k´,ß"è”H§aw®¬ª¹mU?Ú¼N­oŠGÞ§·&ÍÔa `ΡøÞoЏ sÍ3oȳ˜{0Á*Ž­ê¤;ܯÄEäß‹kŽ-á›KZß=xäØ.¹äå­Û÷é»ôäõ–%À¤ ½6Á¸R°aOŒJY;ð1Öˆ/fÛÂüùM[Æc*sÇø4ºÙŽ»0HóA)c»Y”93L"¾Ic rR¨ø5%Ø;UWä©FúVRíŒáà‚XKyŒ0aÅÖžfϱöpÀA¬I¬Hí0‹UEÌ…ˆÈG­ŽäeUGòÂÕ‘¾ÒF^Vi#/\Ú¨H]¢8¦õ7Λ¾ý6Ö" ø[¬jɹx]!¡V5¼øÌÚØo¹É*Nk— ȉb‚¢hÏpÈxˆÀ¶5î’;¿®å½Eʺ¥¼GÌ«rPŒ*•ŒhAa'ð-¨üWØI\¢”—P*f÷qeœÌït,<:½xwôúUãð…†ˆüQÉžeÕ"É¥ÅßdÓEÌòÃÅî»Þ:ãÃ}Êöo}B¬^߾鋲Ð4f'÷.Ö[9Ÿ¹Çnž®÷Þò°Œ“ôûERævv6xVBžJRÙÜ?¬cí>1¼Â—+Ö" ìÂB„j˜6åÝb“LN"þÜϤ™o vsI-Ûÿ¹ûë3’V)sžsçW¦ ÿ4¨hÚЋKÛÐÆîÒØ[çæV Ρ ï‚ ¤ŽAn2I–•0Ñ^£ì½`µð*¹U4FÜÊÆž³™-LäÆoYŽ"#(°¸€†êéÀ‡ÆÈj$Í…©ðNc‚¼(Ž6çyÊ7ÎIYâõl—ò—~}˜É L&aƒEíoÏ/ÙÅÕ%û§\ϯQVÇf¢O6ò<Ù7ž”ËÏód/îÉ´w’lÕM‘5{ìŸxd¿Fá}˜ÖïbŸ©'<ùçò7Oõc#æ8é¢Ü&>™æGÅ|ðõŸ‚Ї÷Üÿ«W—ýÿðùk­Ây'óUúÿíííì…â÷v÷ÊøßOÿ»_†þ–¡¿eèoú{¿½ŽSÛ=£ÝàÖéß2b<ˆ*\[™ÞMxÇ:=>•³#V-î¨êë n.µ25¥ÖÔâÍß\>iÐоQ61§¸ÆÕŠ,ÇÄÿÈØÜQû+hoeUÌ¿ *4ˆºÔø¬Y”:Gñb>Ÿ©Ï£J `­*=·îxX²\PôD¨àU» º75¡ÐÊR«‡à]X‡ºÙ± ™øª@æFxñû±!Ì4…°|/€À‚6“®„`, Ä~|ùO†mÓ_~¯TŠ ˜Qÿõ`çàqHþÛßÝ+å¿OÛÿ ¤·°(Ä>¸ÃM`ì\Bñ {2 J9°”K9°”—êî,„œÀ'MŒÅp‹w=›yØÈA)¢šgjQ(áÛ¤”¬JµfΩÍUMp“ï– C%ù,ÉgI>KòùpÈ'l‰ÒOíóõPmÒt óö’„–$´$¡% }x$-KQª>]ùTS¦ÏÈ›KÒY’Î’t–¤óJŸQ¹sÍgY³$•%©,IeI*6©1ŒQŠ©±>©ϚN?ãÞ/Éhé0-ý¿ž½mõ©±¶ÄŽ®ôþÇ;3âÿvöwCþ߃Æã²þç§®ÿY–BQ)•BÑÇëêI±c-&КL ‹À)¨r`Òž­15塊M×_MuJÍG1¤†Äb¨[û0%PY±GøäƒãÎ|€¦Íð®áŠ¥³ž½Àbª>Ç%ÞÔÕ2‘äp©qˆìӬ爂4-|ïS‰xF¤ ˪/ªÕ‹#YÚ}ä¦×ã(¯ÎÏŸ²£[»ÿžCÞŠD¶â\kI´”.Ò¿qIÀx°!ÿ[·r¥[·¢9ß_C¾7‡Ab®w™çý°ä?Þ!¯˜Yÿgï0\ÿg¿±_Ê¥üWÊ¥üWÊ¥ü÷ÅÔÿÙþþ{bž2û<­œ&Ò$_SE (‰Ò¢l)2Þ“üÇÓyÅÑwyù¯±®ÿ³sÐ(å¿Rþ+å¿Rþ+忯^þãeæ’ÀÏAþS‘`ZÁŒXyOï_ó…!•ùäk¿¯Ä,¯š#ˆL«CRŠY_²ü—iÌ´ÿíï‡í‡{¥ÿ·”ÿJù¯”ÿJù¯”ÿ¾,ûo£¨„Á,  &~D±ïÁÛuI4Yþ,­€÷ÿ¯×ÿNNÈŽÿÇÿî<.å¿2þ¿”K9°”¿ÆøÿhYíóõUÅÑ&M/Šóö/"`åþo™Þ¿þ¿ˆýgÿqÉÿKûOÉ÷K¾_òýÒþóåøÿ‚ŠÏ mß§_º¯ïÁž¾\¾ JviEùÚä?Ýó—Rø!¯ÿ/ÚÿÛE—ò_)ÿ•ò_)ÿ•ò_éÿûÜý~¹hm'ÂN?>&ÍÓÇŸý<}‰î=­JH)Ä}ªø¯œU ³ê?7‡å¿Ã2ÿóûÿÊúÏ¥X ¥XÖ.ë?—õŸËúÏ÷Vÿ9#22©$tJ„$‹ùò‹Žî-#Q(Z8z¹„¡OZR:¦ÿo©|}¾öÿ$Í/Ö©ÿEâ?öJý¯ÔÿJý¯ÔÿJý¯ÔÿJý¯ÔÿJýï‹Ôÿâqîž‡äæ ï#µp²“'­"ð§têD–^*Ž_™þ'û?Ñ'¼ýÓÒýß;{ÑþïÝRÿû”ú_Ùÿ©TK°T?~ÿ'#Ãå™ dƳAps|)×âEæBÍÐùÝÞòAæJ1F—A£ÁD<+Âø çæŸGå×hÐŽbKÚYÒÎ’v–´óáÐN­é-O­ÖÜ’Ô3¦Ÿ"Ÿ¡Ù“ègLÁ»’€–´$ %}pTZî8ùTv¼%‰gÄž©H§1sጘK²Y’Í’l–dóÁ‘Í€d®B.ãIe&™,IdI"KY’ȇM"õØc¢”ÚËL}ŠÝ ÏŸD>c&ù":Û—?©þ_fجúÑúïû»²þ_Yÿ¯J©ÊÔ¾/§þŸV>9½çÔöûŠÑu5wèRLüJëÿå-)ÿí=É{‡{eý‡Rþ+å¿Rþ+å¿Rþûrä¿ Öj5½¢"!ͼv‰0º¶j‘¢_¥hø%Èš)Úòàz²M~ùå¿€ÉýýÇ¥ü÷‰óÿR,…ÀR,…Àû¹) “á컀a]nMX¥gaÎ<Þk{Ú¿ ¨’7TËs6MSñu¯gÃa•ý‹d£o¿e8þ1žt+$:g<å§<‘aâs‡¡j™ÂdØ&ÈØôÈDV«HÙt…¿Z¾SŸKûPŒÀtâ?£Þâ”ݪäî‡"ÜÎKœ‹|²ÐÑHWùºNgõÒ÷÷vF!ç~ñcÙÞK“|²Ð1åë‹ø1I®è^IæÔ/}LsÑ—9$þ\¡#¢GÖw@+_ͽ½b•d –º>ðXÁ»c  ÷QÁG÷xe¬ÁÒ‡Rü< Å:NaµH‚ý²à^™,M¡Ìç—a&©k#¿u/tzkb,±lciäªm.keñnYêg<¾Œ —F 7>Õ‘k[Ó‰¯|àú¢–?ïÁ`Õ#ÏPèÔC¯~Ù×~öá®ë¯BKSH ôt¾%¥Ò¸Ãä­Í®ÏŸ²©w‡&g4Úd$4G°<Ç¥û¦¶7R–ŸÀ÷Òw=Ïö'h“"ÛTÈ( f€·Œœ±3r~§²8Xi«§–4 ;ÑíÍ««ËîÙy·Ó]† àŒû^€hBR¡3Æ®@›?úÀ—X ÍŒêy&¾þ“þßâûp§­w­£«îËæI§Uùk†YCáëJ¸Šëûï«Z}¦ßÚV ÖF—ƒX-ou0_gšÖqúùì"¦Š•p`hß¼±¼aÃ|£iÕX&ä3y<LˆXC &ä· ×7­ïä?‹_ý¤×t¹ES“]SUÔb7Û,|šve9lHöúW&tÒÄ€`¢ÐÛ³ñ]U`Í»OÅ˲÷iÒýO²OEá ïS ²w©+àŸdBÕ.¼C®&åAW¥o|"\E¥Bnþ¡ªµ—WfTæ¹íU$ßáqcw9A?ÖÁtªbœÀ'ø ô(§Ÿ0Nî­b’TYŸxY êS€[#¼EÈ.Á#—+tj9€Z]^ÄÈ%1ðX'8Ör££œ¬3¾'h,êþAerŠ{Ý?Âüï!l_²¶q æx?²hÔìL<‹™£²hfˆe/M/c®IuISM¦q­ïîÄ:`>ÁMŠ÷¸|@å¼kÕ’Œ'Å=UD´ û(ÖF’âlüŸ>Åšó?Œò2îõƒiI.žèý‰gçÝããîùåq c:Í+¹a˜CE»GÄ`P.­-¥Àñî095…O³ùµîW*¬ „ÎjÌ×ȪjðòbjS#ŸÐ$€õ(þ|«aðý¼pXÎ(ßÈÍÈßYûÊ “ ¹¼ø˜,yÉq#TIjMT87X–3Bä ) ½,ŸtØÐd5I„¹Ás‹'ÅïM™¦¡•[‹SຘâË*òp!B’I¢‚ñêDe9¤IÔ"Vù Q™¼ÈaõëqŠe¬(ˆ²¡”ðKfòu¢QÔUÖ(à+[ÇÕ嘜]cy'Y£€—l]Ìs©.íkäö­‡.µ»%c¼j×Z8Û’˜YÔ%Ö0}bùèN!í½€J®BW¾Ѻ·½å–…3öf\ö²·œÒJÆÎ´kþ@ö•O¢ÈDÆä:¸ëaŸE¬ûŸPÇÏgèaø2Ú~~„XÅzÝø$Bú×d5ÿŠ0*lY”–`«Âiy»uãè.Å ÓJVýÕÀSØ´-ÁkïÉ ß(jÑoÄZµ× mòI›ë1å7>Ŷ׶ÓâF|Ö»W#>ΟƒÁ«a‰ Ì6Ú‹àje«‘‡£«W~û=½+—ÒG……i¯_ÏtO¯ËEqõ‘E!bšê—ÈDzÚÓËrÈzÁ¸¢°Ð ®Ë@â£ìfÉ)jXñ+¢l¨ËÝh«×odnÔÈ'à°Í¯@F>®™^¿®yQ(Ïo–_ÀÜ·…ß• ‚0X~Û…ì† ‘G³[¶*ÃÍŽ“G˜3Yn!p˜}²Uè=îp9ó½ÉÙj,ñw·ŒùÞàrl%>w¯˜YÈ|¯^“ß|OD)¿–^LŠN¶˜F¯|1¢uo{Ë-gì­ Iá£ì-§“±³Bvɲ¯|’F&2æ·’-Ç>ïÇ|¿6í¾€ù>ŠáË(ûùbiÓt!•nm†éå®É féÕaTØ0²&(-ÁV…Ó’öé"jñº “K¦åÍ÷+ƒ§°1i=Z‚×Þ‡ù>VûÍ-×hÇN€lnis æ{©ã~ìm¯m§yÍ÷X¬ü>JAáð‚ ¨ÿ‡9EFŠøk8³¿¼ªOߊñ ‰ÙéH9ĸàHÒTK•jïÐè™'ÑcË“R¢M–Kñ%kQš­B°žÕ19àø;ƒúz=+Ëo.àPN"äòÛufU_Κ¥ßøj2סj̾·”?Fç>²š"S¤-4žÞºš¨f¤-3o&ﺙ$À¦Ÿy®ÌPm‰ÄT)Â+©À:YŽ»šÙé™o<"U ñ”lv‘Sc˱ääée1®°¦µÜ¦ÒIQÎm"LKm¬b”q×óP—¼xEu¾¥ö“N‰óm©YΨëz÷"»Þª¸˜á딿ÿ“Oþ0ÊÁ1Ôy¤Ij0(Uø¾EMyby„µ`ª\2$ O¼ƒï×±²"R7 Oºå·ëXU~‰›€›$p‹/×s‚9¤m1g–°íz)B—‰˜Ñ%m&??s½?k)´=yù‰ùZÖ˜(ü$¯0¯°³–õ%ñû´CÎÅàƒÕ¥“ÉõÈÕ½¹€kªc1§Z„Qd2œÒg:Rå< ¡Xa©s™ý¤›|;*Bz–Ù“)x.w£²¥Í"׫¨øÙDö¹¤Ø\»)Bm3$çÅ=‰Î‹ÕeçÅW-<ÿ¿|Âó"¿ô¼È%>/²äçE†½("- ŠÐ‹,z‘!D^]1z‘.G/RéÂ+Ë/J/ReéEš0½Äiæ§9åéEª µHgr‹ikQˆ±-r „Ù M¡úi ÍOê×µÐD1(m™yEŸu-2IH?ó\2À"—Œ½X›½H‘²ë³ÅäìEA{QX2ͱ’iAŒ+,™.·©tR”s[…ÓR+$®fܵliµØÅ+*}/µŸtJœoK…Èr†ä¶ëmãÀP0 “lkìŒo†¶ï×E³¿|v?C§gMÝ‘Óïºëqý°ÞØÙö½þvði׿óöįw–|Çüîã¿{wwôégÿp÷/½ý½ÃÝÃÝýÝ¿ì4wwvþÂ>+@н¨?“Ÿíï7Ø÷¬=îg›zñY“‰çN<ÇšÚ N~j¶àôán`??Ë÷íQoxÇ®A «¡dkïê8ÅÕ­ã3øßÌ·ÌÇ÷ö›€Žxíz#æÏ&×›úll;ð…Çœñ¯¥œg默v º¯¾ Téà}øÄÔsƾÓ÷ñaµÛ}uöæ¨Û%¾_‘Ÿú  ö«ì?ÿaÁ8þ ÌŽØúf€ðÛá·ýÙ¸¿McëMIþòEý$ÞÿS뽇\ù×ÓÕ¯FÊý߇/C÷ÿà°QÞÿñó Ü#wrç97·SV‹¤wo þsÀ^Ûó¡=n]Xý÷–7`Çö{èN¨±çZYÆw5vR¿¨oà,Wp×7áæÃ%ýàXC6wÆ{»Û?ýðSèÄØ™;EJc5Q˜Wï‹ÛéÃLD=€YO, &¬B¥wÇtŽ4…%UὬ9°9¾qÇÌbÏÞêÍœá”MmÚ‰[^¿ezcmÏ:¿Û[þV\¿­ÁT> ²q²¾5þnª¦„·Ã¢_̦øÕÀůÞÛö$azg 3!ÙhÀòì‰ë;S×»CrÉ†îøÆéÄw‘FÞ¹36·`ÔÔeÞ ¶Ú7κI“ùîÌëÛ>s{S I»öÜ}£M ÒËï&@ÍêÛÖlêÂFëþ-’Ãúvß_;73\àÏÛú·úµâêxû²ÝÝÀ±ñ~®às$Õs‚O<æ^3ƒ@°þ­Ý¿5vÅ[7ånè,a \n h;ÂE)ìÙlŽá“[üd¦Ž;Æw¿Eüµ96¶|¥©Æ6ì[Ìjë$2`¸»Â¯E†Ã°Ž‰Ž9ˆÏô¾^¯ÎÚ6N ÇSY\aÄ‘/€ì×G8×ëüU~ú·ñ”¼PùûÆÆÑË“æ«N·õîê²ù\üõ|ë|—m½Ýcÿ§¢]ÝØ8i¿èž¿ø¿çÚúÜÞ¿uDGìtûáO ýñà øþ)3ˆx÷f2¬Ã'ð1íÓÿêÕ"ªl«oÜ?}xð‚Ô‡Ä0óÑ`ÅéÏŠqðpìêŸÂƒ>Õÿ‚Oض;›>lŒÝÐ.æSV¯ÿ‹ðî_Ú§@lâ>nqxáízÒ<Û/ݺþ‘ñön@gkZÉ1Å‹ËÖËÖe÷Uë¬uÙ<Eå8m…ÿÚø/TN Õ×&ÍO$¼PyN H–)õx°þ‘\XîÒH¯ð‚Ò-¹ùt°ú$c5DÝžê$Ÿ%À2L7þëìþ­Ë6‘=^»°ó9Ò½¹T¤[ û¾;²Ùw§Žïã@оÍÒ÷­ÛßÜø/·þ+ñüB/+€v)fàŸ‹?øÄàÆì!û¾n/lø/Rx€ü¥üùÒåÿ(™¿'ùogoÿqHþ?8Ü/õÿ¨ÿG4€"Â?û^éÿ(‚@yÇz(™4Þl d‘ÛÒØÈÚ¿gcÙP0„g§¶7ùŽÛ @‡g¯8qc³Þhí‰Ó·Ç>Z Ø?ño¹F€Ã_¢ÜÖq¯§sË£É^º07‰Ï˜04|°=þf»5k¨€æARž;ÁQU.“[Ó` ÜS{Š } “ÄéN„ ãL9-‡ ƒžr=‘F²·í«×ço®Xóìœèmóò²yvõË3<½9†4ùTÎh2D€Àò=Ðî §­Ë£×0¾ù¢}Ò¾úý²}uÖêthƒç—¬É.š—Wí£7'ÍKvñæòâ¼Ó-¥cÛY0ä;Àyè°ŽÎ/~ÁĹk:õP1†º}EšMÈvzt~ö²ýªûºª‰Æ›\µ¨ßnjŽ ) #ìÆðÝßÏ@wÌÏÐ äMñ³o{íeëoÚ—ðÚf'»¡Mðf4Ûrœûx® ÆÁ¹ŒfþCË›"p-Pâ¶xÁÐu't"ð!¼;k`Û0ÕÀö›1 ‘PR`‹‡¦hJÏV|pTTû–*ZnɼZ—Séª<°BZ\fÅ_ÀΦpn|¿ÃÑt{ö5þïAãùT†[Ðï¡` úŠ=ç‹8‘!*€™RYÌaVÁ×V+ß‹œÏçðzˆÉÃ}Óiu›'§ç«îÉùÑOÝ——­FxÐÊ¥_Q§úŒd  ý_¤nž´_žƒÔ1~CঃÞ׳¸I‘‰ÈŽ- %[Ù@~k+Т÷égHçóS»¨ÅÙ@ÔðQ ôlPéðoŽíïFb»>•3­ ûÝz$q}²NŒîsàýþ¬ßÇ¥àÍÆ;~sK Û‹©1ÕÄP -uá9›{.\ÆÎ ùîpF«q¸žŒ¾>4€lw dŽ“g¬Êg7® ¯ÓëðÖÙ-ìoĬB¦ûÁØd%¹µ>àMðgÎÔêÑÌs9U©&™Ö<õ`…6Ðyg@á1sbøÂF[¬Í]Æ›tnxc|:?‚>ÙÔÞúë áîÒØèŸ •þùÂnt ÖåÁ†Èkð´<{ä~ SÍ™ËçHÜJLÅ·¼S°)Žô`û4wgC€„2{ àhÝ~#W…¯Gz.M8ìçƒå9dÈÁ5Â%¹†¦pþrô šÈ€P†Ø‡Çj ~‡Ë8€cv¦>_=…«%† \¡åLC`Ç¹Ž¼Y­nnÖó8àS8 ¤{N6´<øu€˜ Aº`§n×Õߎg>lÖáYÇ×C†+«¢ ðúþ>§r0¢‰ÞÕwhñõóûåL¿ó%0ú. ?Aº ÇgÍÎÐÁ—ïÂf¦3Ï®ë;DÊ·‘ÃânftºKí^Í!6~gã9rJ\hƒ:üe~øT/Wø&¹!Ê'ôÖàãU@»ÛœÀÛf^ÏlÊ%à ¥30hƒÏ™PÏ"³M×Û”ÀåÜG?‘zxU’ôwìNfþm×^€œÑw@œ-”3[ðq~‚›üäûEþ@9õ"˜8OuãÎÛ¦lÑ¥Õ?§ˆiuñL~T‘ÂaÓp_%Y&b± ü‚=„¨gKÊ»d1¸ú•pË4n ÎVúÁ©<{êÝ=å‘[°Ü']ô³çÏÙ®â°ð¶-¥Œ¡kÁ1ƒxÚº>™áȃe¢Üê‚~ßò“@4ô®Á»½ã•o­­¿+pö†ÿÜù5hó.†ï¦ oÈá°ðŠœü¹<†ÿüGÍ ?«FB0a_-„ÀN¦±GÀnð>ÓýžN‡v]ƒŸúùáþšgÚg¸´ŠXÑ·ÞöU÷´Ùù©ŠËÚ©h«ùYï}àP ÀÕ¹&ÒûÌ82ó´°¶N['¿€ž1tÞÛÃ;Î;#§ â•ÿܸhÉF„ÐãP1ì“ä) :´ä8|²áŠsí hxH´²}`´öwÊãúx°Úkã˜Öƒ¸å^_3ÿ–$›™å p ëÆB÷­JÙ]brU–/ü×ÖlˆÜèÎ$™‘pbá$]‚n:œ: Ÿ÷a!ñàõo©Mb/ÄPeV€y*çèßœƒGjdFŠLîC8 þ¢z®lèÜ9Å— ”gà\ññ•bL% ¶Aè?ò‹ÜÔQ€¢ÆAÈ&§ÒÆ“æËŸêÙ6úïTü¥ñ²ù­­øžÁÜC·(ÀŽz!æžû> )\ìÿÜàj Õeq®KÝÙ •WkèLɶFñªÖˆBÜkS¥é µ‰«lø€æ§C4Ë­^‘ÇØBSÎÈAç Yö-:µ°‰HÓ^õô©0=Ð’¬*á,«¸3ÀO=kQË?ÅG®Š‹y~|þ½U"OƒDÄ£!à«p8õñ`Ö;UN…¶Î÷Øõк©…1dìv} ¿#EØBIøÆ$!8k. ©ÖãDz;0 =?úä ÷¢õòœt>?i^µOZj&Éò< ·G“éIHs›…4ƒ zN§Éo |ÿ‰Ajà²^BDù¿ƒûõ¥ƒß0Û¼°§èKšsiCx±œq ¥WUÆi “‡o@ÝÜUŸÉþy#>c7½´ ]Ÿ;WM¸ª" !s|þæÅIËHÀÉ3LºUËpÒ>»Ú¥Àab „o‰³ú~[YÆ®;éÝ]S.Æå&©“5ÝÅ&œ’ÜXvŒ¡M9Éžü-‰¨6¢”lY/0íËKY—Í7.[Cƒ[§¹q^n^._Z6fDŠ¢åy„Ü<«o`ÌÖÈù¼ÛÀ>nn€;ÛÓ…á wì t¨ží¡ìN Í·®•GqN 5ðª6_4Ydª ˆÏ°V=§Íܸ‡ž_òØ~°Év¶9q'›Üÿ»‰(°‰ñÁTí±°µcPÊÜ–+²ÑþÒ¾Î8åõá‘uC]C)UGW597çHÒb׺û´r+†¬hè¢ £Ô¥•ûD<òŒ^ɱüOi¨3ìtRQ ã9"6_n 1¦k O4Ï^ám¾lý£²WcÕ`M0º‹}a—KÔvÞLÕh8Ðy “Y¤Z ¥2‡fÉÙU£ÞØ^<9L×+Õ™(B®œ/8€]芫?û⬣·^sŸÉ06¼þ˜þCÙ9Ú6ä$,ª¾WWŒ FŸ«g"š¬šA^P7:{sr‚êV_¸ùà>øå3“b…ÙŽ|UŸkw¹ R<‡0µ°ÜDIK’"\Lñ§hÈç…Ú÷LçÄ})m"#Na}anDøŒkLÄ{gdŸm7÷™òûø<ÊI˜ke‚Ô i“‹cg.Ï€#-Æõ0@lxW—Âí[ 6w¤ r ¹‹$˜x÷t‹¾ç«u|w\WBí[™(‡¤Y‚à$Z£´45wPÉ)pƒð¥x„È^H•1@ÈÔÃ\–ṉP]W®;ײIŠÐ‡”ËY£Íñ 0žh èéÔg©[+´ª@йƒ±B@è²¥Ýjy¿ÒFFnSÁ³%øL˜î§¶Ÿ ígÛZIåzHféäD3žfF«S%à$QÂ$*ôe¢OùSþ”?åOùSþ”?åOùSþ”?åOùóUÿüÿf°ê³¨*asymptote-2.62/knot.cc0000644000000000000000000005352313607467113013470 0ustar rootroot/***** * knot.cc * Andy Hammerlindl 2005/02/10 * * Describes a knot, a point and its neighbouring specifiers, used as an * intermediate structure in solving paths. *****/ #include "knot.h" #include "util.h" #include "angle.h" #include "settings.h" namespace camp { /***** Debugging *****/ //bool tracing_solving=false; template ostream& info(ostream& o, const char *name, cvector& v) { if (settings::verbose > 3) { o << name << ":\n\n"; for(Int i=0; i < (Int) v.size(); ++i) o << v[i] << endl; o << endl; } return o; } ostream& info(ostream& o, string name, knotlist& l) { if (settings::verbose > 3) { o << name << ":\n\n"; for(Int i=0; i < (Int) l.size(); ++i) o << l[i] << endl; if (l.cyclic()) o << "cyclic" << endl; o << endl; } return o; } #define INFO(x) info(cerr,#x,x) /***** Auxillary computation functions *****/ // Computes the relative distance of a control point given the angles. // The name is somewhat misleading as the velocity (with respect to the // variable that parameterizes the path) is relative to the distance // between the knots and even then, is actually three times this. // The routine is based on the velocity function in Section 131 of the MetaPost // code, but differs in that it automatically accounts for the tension and // bounding with tension atleast. double velocity(double theta, double phi, tension t) { static const double VELOCITY_BOUND = 4.0; static const double a = sqrt(2.0); static const double b = 1.0/16.0; static const double c = 1.5*(sqrt(5.0)-1.0); static const double d = 1.5*(3.0-sqrt(5.0)); double st = sin(theta), ct = cos(theta), sf = sin(phi), cf = cos(phi); double denom = t.val * (3.0 + c*ct + d*cf); double r = denom != 0.0 ? (2.0 + a*(st - b*sf)*(sf - b*st)*(ct-cf)) / denom : VELOCITY_BOUND; //cerr << " velocity(" << theta << "," << phi <<")= " << r << endl; if (r > VELOCITY_BOUND) r = VELOCITY_BOUND; // Apply boundedness condition for tension atleast cases. if (t.atleast) { double sine = sin(theta + phi); if ((st >= 0.0 && sf >= 0.0 && sine > 0.0) || (st <= 0.0 && sf <= 0.0 && sine < 0.0)) { double rmax = sf / sine; if (r > rmax) r = rmax; } } return r; } double niceAngle(pair z) { return z.gety() == 0 ? z.getx() >= 0 ? 0 : PI : angle(z); } // Ensures an angle is in the range between -PI and PI. double reduceAngle(double angle) { return angle > PI ? angle - 2.0*PI : angle < -PI ? angle + 2.0*PI : angle; } bool interesting(tension t) { return t.val!=1.0 || t.atleast==true; } bool interesting(spec *s) { return !s->open(); } ostream& operator<<(ostream& out, const knot& k) { if (interesting(k.tin)) out << k.tin << " "; if (interesting(k.in)) out << *k.in << " "; out << k.z; if (interesting(k.out)) out << " " << *k.out; if (interesting(k.tout)) out << " " << k.tout; return out; } eqn dirSpec::eqnOut(Int j, knotlist& l, cvector&, cvector&) { // When choosing the control points, the path will come out the first knot // going straight to the next knot rotated by the angle theta. // Therefore, the angle theta we want is the difference between the // specified heading given and the heading to the next knot. double theta=reduceAngle(given-niceAngle(l[j+1].z-l[j].z)); // Give a simple linear equation to ensure this theta is picked. return eqn(0.0,1.0,0.0,theta); } eqn dirSpec::eqnIn(Int j, knotlist& l, cvector&, cvector&) { double theta=reduceAngle(given-niceAngle(l[j].z-l[j-1].z)); return eqn(0.0,1.0,0.0,theta); } eqn curlSpec::eqnOut(Int j, knotlist& l, cvector&, cvector& psi) { double alpha=l[j].alpha(); double beta=l[j+1].beta(); double chi=alpha*alpha*gamma/(beta*beta); double C=alpha*chi+3-beta; double D=(3.0-alpha)*chi+beta; return eqn(0.0,C,D,-D*psi[j+1]); } eqn curlSpec::eqnIn(Int j, knotlist& l, cvector&, cvector&) { double alpha=l[j-1].alpha(); double beta=l[j].beta(); double chi=beta*beta*gamma/(alpha*alpha); double A=(3-beta)*chi+alpha; double B=beta*chi+3-alpha; return eqn(A,B,0.0,0.0); } spec *controlSpec::outPartner(pair z) { static curlSpec curl; return cz==z ? (spec *)&curl : (spec *)new dirSpec(z-cz); } spec *controlSpec::inPartner(pair z) { static curlSpec curl; return cz==z ? (spec *)&curl : (spec *)new dirSpec(cz-z); } // Compute the displacement between points. The j-th result is the distance // between knot j and knot j+1. struct dzprop : public knotprop { dzprop(knotlist& l) : knotprop(l) {} pair solo(Int) { return pair(0,0); } pair start(Int j) { return l[j+1].z - l[j].z; } pair mid(Int j) { return l[j+1].z - l[j].z; } pair end(Int) { return pair(0,0); } }; // Compute the distance between points, using the already computed dz. This // doesn't use the infomation in the knots, but the knotprop class is useful as // it takes care of the iteration for us. struct dprop : public knotprop { cvector& dz; dprop(knotlist &l, cvector& dz) : knotprop(l), dz(dz) {} double solo(Int j) { return length(dz[j]); } double start(Int j) { return length(dz[j]); } double mid(Int j) { return length(dz[j]); } double end(Int j) { return length(dz[j]); } }; // Compute the turning angles (psi) between points, using the already computed // dz. struct psiprop : public knotprop { cvector& dz; psiprop(knotlist &l, cvector& dz) : knotprop(l), dz(dz) {} double solo(Int) { return 0; } // We set the starting and ending psi to zero. double start(Int) { return 0; } double end(Int) { return 0; } double mid(Int j) { return niceAngle(dz[j]/dz[j-1]); } }; struct eqnprop : public knotprop { cvector& d; cvector& psi; eqnprop(knotlist &l, cvector& d, cvector& psi) : knotprop(l), d(d), psi(psi) {} eqn solo(Int) { assert(False); return eqn(0.0,1.0,0.0,0.0); } eqn start(Int j) { // Defer to the specifier, as it knows the specifics. return dynamic_cast(l[j].out)->eqnOut(j,l,d,psi); } eqn end(Int j) { return dynamic_cast(l[j].in)->eqnIn(j,l,d,psi); } eqn mid(Int j) { double lastAlpha = l[j-1].alpha(); double thisAlpha = l[j].alpha(); double thisBeta = l[j].beta(); double nextBeta = l[j+1].beta(); // Values based on the linear approximation of the curvature coming // into the knot with respect to theta[j-1] and theta[j]. double inFactor = 1.0/(thisBeta*thisBeta*d[j-1]); double A = lastAlpha*inFactor; double B = (3.0 - lastAlpha)*inFactor; // Values based on the linear approximation of the curvature going out of // the knot with respect to theta[j] and theta[j+1]. double outFactor = 1.0/(thisAlpha*thisAlpha*d[j]); double C = (3.0 - nextBeta)*outFactor; double D = nextBeta*outFactor; return eqn(A,B+C,D,-B*psi[j]-D*psi[j+1]); } }; // If the system of equations is homogeneous (ie. we are solving for x in // Ax=0), there is no need to solve for theta; we can just use zeros for the // thetas. In fact, our general solving method may not work in this case. // A common example of this is // // a{curl 1}..{curl 1}b // // which arises when solving a one-length path a..b or in a larger path a // section a--b. bool homogeneous(cvector& e) { for(cvector::iterator p=e.begin(); p!=e.end(); ++p) if (p->aug != 0) return false; return true; } // Checks whether the equation being solved will be solved as a straight // path from the first point to the second. bool straightSection(cvector& e) { return e.size()==2 && e.front().aug==0 && e.back().aug==0; } struct weqn : public eqn { double w; weqn(double pre, double piv, double post, double aug, double w=0) : eqn(pre,piv,post,aug), w(w) {} friend ostream& operator<< (ostream& out, const weqn we) { return out << (eqn &)we << " + " << we.w << " * theta[0]"; } }; weqn scale(weqn q) { assert(q.pre == 0 && q.piv != 0); return weqn(0,1,q.post/q.piv,q.aug/q.piv,q.w/q.piv); } /* Recalculate the equations in the form: * theta[j] + post * theta[j+1] = aug + w * theta[0] * * Used as the first step in solve cyclic equations. */ cvector recalc(cvector& e) { Int n=(Int) e.size(); cvector we; weqn lasteqn(0,1,0,0,1); we.push_back(lasteqn); // As a placeholder. for (Int j=1; j < n; j++) { // Subtract a factor of the last equation so that the first entry is // zero, then procede to scale it. eqn& q=e[j]; lasteqn=scale(weqn(0,q.piv-q.pre*lasteqn.post,q.post, q.aug-q.pre*lasteqn.aug,-q.pre*lasteqn.w)); we.push_back(lasteqn); } // To keep all of the infomation enocoded in the linear equations, we need // to augment the computation to replace our trivial start weqn with a // real one. To do this, we take one more step in the iteration and // compute the weqn for j=n, since n=0 (mod n). { eqn& q=e[0]; we.front()=scale(weqn(0,q.piv-q.pre*lasteqn.post,q.post, q.aug-q.pre*lasteqn.aug,-q.pre*lasteqn.w)); } return we; } double solveForTheta0(cvector& we) { // Solve for theta[0]=theta[n]. // How we do this is essentially to write out the first equation as: // // theta[n] = aug[0] + w[0]*theta[0] - post[0]*theta[1] // // and then use the next equation to substitute in for theta[1]: // // theta[1] = aug[1] + w[1]*theta[0] - post[1]*theta[2] // // and so on until we have an equation just in terms of theta[0] and // theta[n] (which are the same theta). // // The loop invariant maintained is that after j iterations, we have // theta[n]= a + b*theta[0] + c*theta[j] Int n=(Int) we.size(); double a=0,b=0,c=1; for (Int j=0;j backsubCyclic(cvector& we, double theta0) { Int n=(Int) we.size(); cvector thetas; double lastTheta=theta0; for (Int j=1;j<=n;++j) { weqn& q=we[n-j]; assert(q.pre == 0 && q.piv == 1); double theta=-q.post*lastTheta+q.aug+q.w*theta0; thetas.push_back(theta); lastTheta=theta; } reverse(thetas.begin(),thetas.end()); return thetas; } // For the non-cyclic equations, do row operation to put the matrix into // reduced echelon form, ie. calculates equivalent equations but with pre=0 and // piv=1 for each eqn. struct ref : public knotprop { cvector& e; eqn lasteqn; ref(knotlist& l, cvector& e) : knotprop(l), e(e), lasteqn(0,1,0,0) {} // Scale the equation so that the pivot (diagonal) entry is one, and save // the new equation as lasteqn. eqn scale(eqn q) { assert(q.pre == 0 && q.piv != 0); return lasteqn = eqn(0,1,q.post/q.piv,q.aug/q.piv); } eqn start(Int j) { return scale(e[j]); } eqn mid(Int j) { // Subtract a factor of the last equation so that the first entry is // zero, then procede to scale it. eqn& q=e[j]; return scale(eqn(0,q.piv-q.pre*lasteqn.post,q.post, q.aug-q.pre*lasteqn.aug)); } // The end case is the same as the middle case. }; // Once the matrix is in reduced echelon form, we can solve for the values by // back-substitution. This algorithm works from the bottom-up, so backCompute // must be used to get the answer. struct backsub : public knotprop { cvector& e; double lastTheta; backsub(knotlist& l, cvector& e) : knotprop(l), e(e) {} double end(Int j) { eqn& q=e[j]; assert(q.pre == 0 && q.piv == 1 && q.post == 0); double theta=q.aug; lastTheta=theta; return theta; } double mid(Int j) { eqn& q=e[j]; assert(q.pre == 0 && q.piv == 1); double theta=-q.post*lastTheta+q.aug; lastTheta=theta; return theta; } // start is the same as mid. }; // Once the equations have been determined, solve for the thetas. cvector solveThetas(knotlist& l, cvector& e) { if (homogeneous(e)) // We are solving Ax=0, so a solution is zero for every theta. return cvector(e.size(),0); else if (l.cyclic()) { // The knotprop template is unusually unhelpful in this case, so I // won't use it here. The algorithm breaks into three passes on the // object. The old Asymptote code used a two-pass method, but I // implemented this to stay closer to the MetaPost source code. // This might be something to look at for optimization. cvector we=recalc(e); INFO(we); double theta0=solveForTheta0(we); return backsubCyclic(we, theta0); } else { /* Non-cyclic case. */ /* First do row operations to get it into reduced echelon form. */ cvector el=ref(l,e).compute(); /* Then, do back substitution. */ return backsub(l,el).backCompute(); } } // Once thetas have been solved, determine the first control point of every // join. struct postcontrolprop : public knotprop { cvector& dz; cvector& psi; cvector& theta; postcontrolprop(knotlist& l, cvector& dz, cvector& psi, cvector& theta) : knotprop(l), dz(dz), psi(psi), theta(theta) {} double phi(Int j) { /* The third angle: psi + theta + phi = 0 */ return -psi[j] - theta[j]; } double vel(Int j) { /* Use the standard velocity function. */ return velocity(theta[j],phi(j+1),l[j].tout); } // start is the same as mid. pair mid(Int j) { // Put a control point at the relative distance determined by the velocity, // and at an angle determined by theta. return l[j].z + vel(j)*expi(theta[j])*dz[j]; } // The end postcontrol is the same as the last knot. pair end(Int j) { return l[j].z; } }; // Determine the first control point of every join. struct precontrolprop : public knotprop { cvector& dz; cvector& psi; cvector& theta; precontrolprop(knotlist& l, cvector& dz, cvector& psi, cvector& theta) : knotprop(l), dz(dz), psi(psi), theta(theta) {} double phi(Int j) { return -psi[j] - theta[j]; } double vel(Int j) { return velocity(phi(j),theta[j-1],l[j].tin); } // The start precontrol is the same as the first knot. pair start(Int j) { return l[j].z; } pair mid(Int j) { return l[j].z - vel(j)*expi(-phi(j))*dz[j-1]; } // end is the same as mid. }; // Puts solved controls into a protopath starting at the given index. // By convention, the first knot is not coded, as it is assumed to be coded by // the previous section (or it is the first breakpoint and encoded as a special // case). struct encodeControls : public knoteffect { protopath& p; Int k; cvector& pre; cvector& post; encodeControls(protopath& p, Int k, cvector& pre, knotlist& l, cvector& post) : knoteffect(l), p(p), k(k), pre(pre), post(post) {} void encodePre(Int j) { p.pre(k+j)=pre[j]; } void encodePoint(Int j) { p.point(k+j)=l[j].z; } void encodePost(Int j) { p.post(k+j)=post[j]; } void solo(Int) { #if 0 encodePoint(j); #endif } void start(Int j) { #if 0 encodePoint(j); #endif encodePost(j); } void mid(Int j) { encodePre(j); encodePoint(j); encodePost(j); } void end(Int j) { encodePre(j); encodePoint(j); } }; void encodeStraight(protopath& p, Int k, knotlist& l) { pair a=l.front().z; double at=l.front().tout.val; pair b=l.back().z; double bt=l.back().tin.val; pair step=(b-a)/3.0; if (at==1.0 && bt==1.0) { p.straight(k)=true; p.post(k)=a+step; p.pre(k+1)=b-step; p.point(k+1)=b; } else { p.post(k)=a+step/at; p.pre(k+1)=b-step/bt; p.point(k+1)=b; } } void solveSection(protopath& p, Int k, knotlist& l) { if (l.length()>0) { info(cerr, "solving section", l); // Calculate useful properties. cvector dz = dzprop(l) .compute(); cvector d = dprop(l,dz).compute(); cvector psi = psiprop(l,dz).compute(); INFO(dz); INFO(d); INFO(psi); // Build and solve the linear equations for theta. cvector e = eqnprop(l,d,psi).compute(); INFO(e); if (straightSection(e)) // Handle straight section as special case. encodeStraight(p,k,l); else { cvector theta = solveThetas(l,e); INFO(theta); // Calculate the control points. cvector post = postcontrolprop(l,dz,psi,theta).compute(); cvector pre = precontrolprop(l,dz,psi,theta).compute(); // Encode the results into the protopath. encodeControls(p,k,pre,l,post).exec(); } } } // Find the first breakpoint in the knotlist, ie. where we can start solving a // non-cyclic section. If the knotlist is fully cyclic, then this returns // NOBREAK. // This must be called with a knot that has all of its implicit specifiers in // place. const Int NOBREAK=-1; Int firstBreakpoint(knotlist& l) { for (Int j=0;jopen()) return j; return NOBREAK; } // Once a breakpoint, a, is found, find where the next breakpoint after it is. // This must be called with a knot that has all of its implicit specifiers in // place, so that breakpoint can be identified by either an in or out specifier // that is not open. Int nextBreakpoint(knotlist& l, Int a) { // This is guaranteed to terminate if a is the index of a breakpoint. If the // path is non-cyclic it will stop at or before the last knot which must be a // breakpoint. If the path is cyclic, it will stop at or before looping back // around to a which is a breakpoint. Int j=a+1; while (l[j].in->open()) ++j; return j; } // Write out the controls for section of the form // a.. control b and c ..d void writeControls(protopath& p, Int a, knotlist& l) { // By convention, the first point will already be encoded. p.straight(a)=dynamic_cast(l[a].out)->straight; p.post(a)=dynamic_cast(l[a].out)->cz; p.pre(a+1)=dynamic_cast(l[a+1].in)->cz; p.point(a+1)=l[a+1].z; } // Solves a path that has all of its specifiers laid out explicitly. path solveSpecified(knotlist& l) { protopath p(l.size(),l.cyclic()); Int first=firstBreakpoint(l); if (first==NOBREAK) /* We are solving a fully cyclic path, so do it in one swoop. */ solveSection(p,0,l); else { // Encode the first point. p.point(first)=l[first].z; // If the path is cyclic, we should stop where we started (modulo the // length of the path); otherwise, just stop at the end. Int last=l.cyclic() ? first+l.length() : l.length(); Int a=first; while (a!=last) { if (l[a].out->controlled()) { assert(l[a+1].in->controlled()); // Controls are already picked, just write them out. writeControls(p,a,l); ++a; } else { // Find the section a to b and solve it, putting the result (starting // from index a into our protopath. Int b=nextBreakpoint(l,a); subknotlist section(l,a,b); solveSection(p,a,section); a=b; } } // For a non-cyclic path, the end control points need to be set. p.controlEnds(); } return p.fix(); } /* If a knot is open on one side and restricted on the other, this replaces the * open side with a restriction determined by the restriction on the other * side. After this, any knot will either have two open specs or two * restrictions. */ struct partnerUp : public knoteffect { partnerUp(knotlist& l) : knoteffect(l) {} void mid(Int j) { knot& k=l[j]; if (k.in->open() && !k.out->open()) k.in=k.out->inPartner(k.z); else if (!k.in->open() && k.out->open()) k.out=k.in->outPartner(k.z); } }; /* Ensures a non-cyclic path has direction specifiers at the ends, adding curls * if there are none. */ void curlEnds(knotlist& l) { static curlSpec endSpec; if (!l.cyclic()) { if (l.front().in->open()) l.front().in=&endSpec; if (l.back().out->open()) l.back().out=&endSpec; } } /* If a point occurs twice in a row in a knotlist, write in controls * between the two knots at that point (unless it already has controls). */ struct controlDuplicates : public knoteffect { controlDuplicates(knotlist& l) : knoteffect(l) {} void solo(Int) { /* One point ==> no duplicates */ } // start is the same as mid. void mid(Int j) { knot &k1=l[j]; knot &k2=l[j+1]; if (!k1.out->controlled() && k1.z==k2.z) { k1.out=k2.in=new controlSpec(k1.z,true); } } void end(Int) { /* No next point to compare with. */ } }; path solve(knotlist& l) { if (l.empty()) return path(); else { info(cerr, "input knotlist", l); curlEnds(l); controlDuplicates(l).exec(); partnerUp(l).exec(); info(cerr, "specified knotlist", l); return solveSpecified(l); } } // Code for Testing #if 0 path solveSimple(cvector& z) { // The two specifiers used: an open spec and a curl spec for the ends. spec open; // curlSpec curl; // curlSpec curly(2.0); // dirSpec E(0); // dirSpec N(PI/2.0); controlSpec here(pair(150,150)); // Encode the knots as open in the knotlist. cvector nodes; for (cvector::iterator p=z.begin(); p!=z.end(); ++p) { knot k; k.z=*p; k.in=k.out=&open; nodes.push_back(k); } // Substitute in a curl spec for the ends. //nodes.front().out=nodes.back().in=&curl; // Test direction specifiers. //nodes.front().tout=2; //nodes.front().out=nodes.back().in=&curly; //nodes[0].out=nodes[0].in=&E; nodes[1].out=nodes[2].in=&here; simpleknotlist l(nodes,false); return solve(l); } #endif } // namespace camp asymptote-2.62/runarray.h0000644000000000000000000000272413607467143014222 0ustar rootroot/***** Autogenerated from runarray.in; changes will be overwritten *****/ #ifndef runarray_H #define runarray_H namespace run { void emptyArray(vm::stack *); void newDeepArray(vm::stack *); void newInitializedArray(vm::stack *); void newAppendedArray(vm::stack *); void copyArrayValue(vm::stack *); void copyArray(vm::stack *); void arrayRead(vm::stack *); void arraySliceRead(vm::stack *); void arraySliceReadToEnd(vm::stack *); void arrayArrayRead(vm::stack *); void arrayWrite(vm::stack *); void arraySliceWrite(vm::stack *); void arraySliceWriteToEnd(vm::stack *); void arrayLength(vm::stack *); void arrayKeys(vm::stack *); void arrayCyclicFlag(vm::stack *); void arraySetCyclicFlag(vm::stack *); void arrayInitializedHelper(vm::stack *); void arrayInitialized(vm::stack *); void arrayCyclicHelper(vm::stack *); void arrayCyclic(vm::stack *); void arrayPushHelper(vm::stack *); void arrayPush(vm::stack *); void arrayAppendHelper(vm::stack *); void arrayAppend(vm::stack *); void arrayPopHelper(vm::stack *); void arrayPop(vm::stack *); void arrayInsertHelper(vm::stack *); void arrayInsert(vm::stack *); void arrayDelete(vm::stack *); void arrayAlias(vm::stack *); void arrayIntArray(vm::stack *); void arraySequence(vm::stack *); void arrayFunction(vm::stack *); void arraySort(vm::stack *); void arraySearch(vm::stack *); void arrayConcat(vm::stack *); void array2Transpose(vm::stack *); void array3Transpose(vm::stack *); void arrayConditional(vm::stack *); } #endif // runarray_H asymptote-2.62/env.cc0000644000000000000000000001253113607467113013277 0ustar rootroot/***** * env.cc * Andy Hammerlindl 2002/6/20 * * Keeps track of the namespaces of variables and types when traversing * the abstract syntax. *****/ #include "env.h" #include "record.h" #include "genv.h" #include "builtin.h" using namespace types; namespace trans { // Instances of this class are passed to types::ty objects so that they can call // back to env when checking casting of subtypes. class envCaster : public caster { protoenv &e; symbol name; public: envCaster(protoenv &e, symbol name) : e(e), name(name) {} access *operator() (ty *target, ty *source) { return e.lookupCast(target, source, name); } bool castable(ty *target, ty *source) { return e.castable(target, source, name); } }; access *protoenv::baseLookupCast(ty *target, ty *source, symbol name) { static identAccess id; assert(target->kind != ty_overloaded && source->kind != ty_overloaded); // If errors already exist, don't report more. This may, however, cause // problems with resoving the signature of an overloaded function. The // abstract syntax should check if any of the parameters had an error before // finding the signature. if (target->kind == ty_error || source->kind == ty_error) return &id; else if (equivalent(target,source)) return &id; else { varEntry *v=lookupVarByType(name,new function(target,source)); return v ? v->getLocation() : 0; } } access *protoenv::lookupCast(ty *target, ty *source, symbol name) { access *a=baseLookupCast(target, source, name); if (a) return a; envCaster ec(*this, name); return source->castTo(target, ec); } bool protoenv::castable(ty *target, ty *source, symbol name) { struct castTester : public tester { protoenv &e; symbol name; castTester(protoenv &e, symbol name) : e(e), name(name) {} bool base(ty *t, ty *s) { access *a=e.baseLookupCast(t, s, name); if (a) return true; envCaster ec(e, name); return s->castable(t, ec); } }; castTester ct(*this, name); return ct.test(target,source); } bool protoenv::fastCastable(ty *target, ty *source) { assert(target->kind != types::ty_overloaded); assert(target->kind != types::ty_error); assert(source->kind != types::ty_error); // To avoid memory allocation, fill one static variable with new parameters // in each call. // Warning: This is not re-entrant if asy ever goes multi-threaded. static types::function castFunc(primVoid(), primVoid()); castFunc.result = target; if (source->kind == types::ty_overloaded) { bool result = false; types::ty_vector& v = ((overloaded *)source)->sub; for (size_t i = 0; i < v.size(); ++i) { castFunc.sig.formals[0].t = v[i]; if (lookupVarByType(symbol::castsym, &castFunc)) { result = true; break; } } //assert(result == castable(target, source, symbol::castsym)); //cout << "fc OVERLOADED " << (result ? "CAST" : "FAIL") << endl; return result; } //else cout << "fc SIMPLE" << endl; // Don't test for equivalent, as that is already done by the castScore // code. Assert disabled for speed. #if 0 assert(!equivalent(target, source)); #endif castFunc.sig.formals[0].t = source; if (lookupVarByType(symbol::castsym, &castFunc)) return true; // Test for generic casts of null. This should be moved to a types.h // routine. return source->kind == ty_null && target->isReference(); } access *protoenv::fastLookupCast(ty *target, ty *source) { assert(target->kind != types::ty_overloaded); assert(target->kind != types::ty_error); assert(source->kind != types::ty_overloaded); assert(source->kind != types::ty_error); // Warning: This is not re-entrant. static types::function castFunc(primVoid(), primVoid()); castFunc.result = target; castFunc.sig.formals[0].t = source; varEntry *ve = lookupVarByType(symbol::castsym, &castFunc); if (ve) return ve->getLocation(); // Fall back on slow routine. return lookupCast(target, source, symbol::castsym); } ty *protoenv::castTarget(ty *target, ty *source, symbol name) { struct resolver : public collector { protoenv &e; symbol name; resolver(protoenv &e, symbol name) : e(e), name(name) {} types::ty *base(types::ty *target, types::ty *source) { return e.castable(target, source, name) ? target : 0; } }; resolver r(*this, name); return r.collect(target, source); } ty *protoenv::castSource(ty *target, ty *source, symbol name) { struct resolver : public collector { protoenv &e; symbol name; resolver(protoenv &e, symbol name) : e(e), name(name) {} types::ty *base(types::ty *target, types::ty *source) { return e.castable(target, source, name) ? source : 0; } }; resolver r(*this, name); return r.collect(target, source); } void protoenv::addArrayOps(array *a) { trans::addArrayOps(ve, a); } void protoenv::addRecordOps(record *r) { trans::addRecordOps(ve, r); } void protoenv::addFunctionOps(function *f) { trans::addFunctionOps(ve, f); } env::env(genv &ge) : protoenv(venv::file_env_tag()), ge(ge) { // NOTE: May want to make this initial environment into a "builtin" module, // and then import the builtin module. base_tenv(te); base_venv(ve); } env::~env() { } record *env::getModule(symbol id, string filename) { return ge.getModule(id, filename); } } asymptote-2.62/virtualfieldaccess.h0000644000000000000000000000443013607467113016224 0ustar rootroot/***** * virtualfieldaccess.h * Andy Hammerlindl 2009/07/23 * * Implements the access subclass used to read and write virtual fields. *****/ #include "access.h" namespace trans { // In code such as // pair z; write(z.x); // to evaluate the expression z.x, first z is pushed onto the stack, then as // it is not a record, instead of accessing its field in the usual way for a // record, a builtin function is called which pops z off the stack and // replaces it with z.x. virtualFieldAccess provides the access for the // virtualField 'x', and 'getter' is the access to the builtin function which // replaces z with z.x. // // If the virtual field z.x were mutable, then setter would access a builtin // function, which pops a real number and then z off of the stack, sets the // z.x to that new value, and puts the value back on the stack. In this case, // pairs are immutable, but other virtual fields may not be. // // Some virtual fields are functions, such as a.push for an array a. In rare // cases, code such as // void f(int) = a.push; // requires an object representing a.push, and so a getter for the field must // be provided. Most of the time, however, these fields are just called. // As an optimization, a caller access can be provided. If this access is // given, then a call to the virtualFieldAccess just translates into a call to // caller. class virtualFieldAccess : public access { access *getter; access *setter; access *caller; public: virtualFieldAccess(access *getter, access *setter = 0, access *caller = 0) : getter(getter), setter(setter) {} virtualFieldAccess(vm::bltin getter, vm::bltin setter = 0, vm::bltin caller = 0) : getter(new bltinAccess(getter)), setter(setter ? new bltinAccess(setter) : 0), caller(caller ? new bltinAccess(caller) : 0) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *); // Attempting to WRITE a read-only field will give an error, but if the // error is caught at a higher level, a better error message (including the // name of the field) can be given. This function allows such handling. bool readonly() { return (bool)setter; } }; } // namespace trans asymptote-2.62/exp.cc0000644000000000000000000010212513607467113013302 0ustar rootroot/***** * exp.cc * andy hammerlindl 2002/8/19 * * represents the abstract syntax tree for the expressions in the * language. this is translated into virtual machine code using trans() * and with the aid of the environment class. *****/ #include "exp.h" #include "errormsg.h" #include "runtime.h" #include "runmath.h" #include "runpicture.h" #include "runarray.h" #include "runpair.h" #include "runtriple.h" #include "runpath.h" #include "coenv.h" #include "application.h" #include "dec.h" #include "stm.h" #include "inst.h" #include "opsymbols.h" #include "process.h" //void runCode(absyntax::block *code); namespace absyntax { using namespace types; using namespace trans; using vm::inst; using mem::vector; #if 0 void exp::prettyprint(ostream &out, Int indent) { prettyname(out, "exp",indent); } #endif void exp::transAsType(coenv &e, types::ty *target) { trans(e); // types::ty *t=trans(e); // assert(t->kind==ty_error || equivalent(t,target)); } void exp::transToType(coenv &e, types::ty *target) { types::ty *ct=cgetType(e); if (equivalent(target, ct)) { transAsType(e, target); return; } // See if the cast can be handled by the fastLookupCast method, which does // less memory allocation. if (ct->kind != ty_overloaded && ct->kind != ty_error && target->kind != ty_error) { access *a = e.e.fastLookupCast(target, ct); if (a) { transAsType(e, ct); a->encode(trans::CALL, getPos(), e.c); return; } } types::ty *source = e.e.castSource(target, ct, symbol::castsym); if (source==0) { if (target->kind != ty_error) { types::ty *sources=cgetType(e); em.error(getPos()); em << "cannot cast "; if (sources->kind==ty_overloaded) em << "expression"; else em << "'" << *sources << "'"; em << " to '" << *target << "'"; } } else if (source->kind==ty_overloaded) { if (target->kind != ty_error) { em.error(getPos()); em << "expression is ambiguous in cast to '" << *target << "'"; } } else { transAsType(e, source); e.implicitCast(getPos(), target, source); } } void exp::testCachedType(coenv &e) { if (ct != 0) { types::ty *t = getType(e); if (!equivalent(t, ct)) { em.compiler(getPos()); em << "cached type '" << *ct << "' doesn't match actual type '" << *t << "'"; em.sync(); } } } void exp::transCall(coenv &e, types::ty *target) { transAsType(e, target); e.c.encode(inst::popcall); } void exp::transConditionalJump(coenv &e, bool cond, label dest) { transToType(e, primBoolean()); e.c.useLabel(cond ? inst::cjmp : inst::njmp, dest); } exp *exp::evaluate(coenv &e, types::ty *target) { return new tempExp(e, this, target); } tempExp::tempExp(coenv &e, varinit *v, types::ty *t) : exp(v->getPos()), a(e.c.allocLocal()), t(t) { v->transToType(e, t); a->encode(WRITE, getPos(), e.c); e.c.encodePop(); } void tempExp::prettyprint(ostream &out, Int indent) { prettyname(out, "tempExp", indent); } types::ty *tempExp::trans(coenv &e) { a->encode(READ, getPos(), e.c); return t; } varEntryExp::varEntryExp(position pos, types::ty *t, access *a) : exp(pos), v(new trans::varEntry(t, a, 0, position())) {} varEntryExp::varEntryExp(position pos, types::ty *t, vm::bltin f) : exp(pos), v(new trans::varEntry(t, new bltinAccess(f), 0, position())) {} void varEntryExp::prettyprint(ostream &out, Int indent) { prettyname(out, "varEntryExp", indent); } types::ty *varEntryExp::getType(coenv &) { return v->getType(); } types::ty *varEntryExp::trans(coenv &e) { v->encode(READ, getPos(), e.c); return getType(e); } trans::varEntry *varEntryExp::getCallee(coenv &e, types::signature *sig) { return equivalent(sig, v->getType()->getSignature()) ? v : 0; } void varEntryExp::transAct(action act, coenv &e, types::ty *target) { assert(equivalent(getType(e),target)); v->encode(act, getPos(), e.c); } void varEntryExp::transAsType(coenv &e, types::ty *target) { transAct(READ, e, target); } void varEntryExp::transWrite(coenv &e, types::ty *target, exp *value) { value->transToType(e, target); transAct(WRITE, e, target); } void varEntryExp::transCall(coenv &e, types::ty *target) { transAct(trans::CALL, e, target); } void nameExp::prettyprint(ostream &out, Int indent) { prettyname(out, "nameExp",indent); value->prettyprint(out, indent+1); } void fieldExp::pseudoName::prettyprint(ostream &out, Int indent) { // This should never be called. prettyindent(out, indent); out << "pseudoName" << "\n"; object->prettyprint(out, indent+1); } void fieldExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "fieldExp '" << field << "'\n"; object->prettyprint(out, indent+1); } types::ty *fieldExp::getObject(coenv& e) { types::ty *t = object->cgetType(e); if (t->kind == ty_overloaded) { t=((overloaded *)t)->signatureless(); if(!t) return primError(); } return t; } array *arrayExp::getArrayType(coenv &e) { types::ty *a = set->cgetType(e); if (a->kind == ty_overloaded) { a = ((overloaded *)a)->signatureless(); if (!a) return 0; } switch (a->kind) { case ty_array: return (array *)a; case ty_error: return 0; default: return 0; } } array *arrayExp::transArray(coenv &e) { types::ty *a = set->cgetType(e); if (a->kind == ty_overloaded) { a = ((overloaded *)a)->signatureless(); if (!a) { em.error(set->getPos()); em << "expression is not an array"; return 0; } } set->transAsType(e, a); switch (a->kind) { case ty_array: return (array *)a; case ty_error: return 0; default: em.error(set->getPos()); em << "expression is not an array"; return 0; } } // Checks if the expression can be translated as an array. bool isAnArray(coenv &e, exp *x) { types::ty *t=x->cgetType(e); if (t->kind == ty_overloaded) t=dynamic_cast(t)->signatureless(); return t && t->kind==ty_array; } void subscriptExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "subscriptExp\n"; set->prettyprint(out, indent+1); index->prettyprint(out, indent+1); } types::ty *subscriptExp::trans(coenv &e) { array *a = transArray(e); if (!a) return primError(); if (isAnArray(e, index)) { index->transToType(e, types::IntArray()); e.c.encode(inst::builtin, run::arrayIntArray); return getArrayType(e); } else { index->transToType(e, types::primInt()); e.c.encode(inst::builtin, a->celltype->kind==ty_array ? run::arrayArrayRead : run::arrayRead); return a->celltype; } } types::ty *subscriptExp::getType(coenv &e) { array *a = getArrayType(e); return a ? (isAnArray(e, index) ? a : a->celltype) : primError(); } void subscriptExp::transWrite(coenv &e, types::ty *t, exp *value) { // Put array, index, and value on the stack in that order, then call // arrayWrite. array *a = transArray(e); if (!a) return; if (!equivalent(a->celltype, t)) { em.error(getPos()); em << "array expression cannot be used as an address"; // Translate the value for errors. value->transToType(e, t); return; } index->transToType(e, types::primInt()); value->transToType(e, t); e.c.encode(inst::builtin, run::arrayWrite); } void slice::prettyprint(ostream &out, Int indent) { prettyname(out, "slice", indent); if (left) left->prettyprint(out, indent+1); else prettyname(out, "left omitted", indent+1); if (right) right->prettyprint(out, indent+1); else prettyname(out, "right omitted", indent+1); } void slice::trans(coenv &e) { if (left) left->transToType(e, types::primInt()); else // If the left index is omitted it can be assumed to be zero. e.c.encode(inst::intpush, (Int)0); if (right) right->transToType(e, types::primInt()); } void sliceExp::prettyprint(ostream &out, Int indent) { prettyname(out, "sliceExp", indent); set->prettyprint(out, indent+1); index->prettyprint(out, indent+1); } types::ty *sliceExp::trans(coenv &e) { array *a = transArray(e); if (!a) return primError(); index->trans(e); e.c.encode(inst::builtin, index->getRight() ? run::arraySliceRead : run::arraySliceReadToEnd); return a; } types::ty *sliceExp::getType(coenv &e) { array *a = getArrayType(e); return a ? a : primError(); } void sliceExp::transWrite(coenv &e, types::ty *t, exp *value) { array *a = transArray(e); if (!a) return; assert(equivalent(a, t)); index->trans(e); value->transToType(e, t); e.c.encode(inst::builtin, index->getRight() ? run::arraySliceWrite : run::arraySliceWriteToEnd); } void thisExp::prettyprint(ostream &out, Int indent) { prettyname(out, "thisExp", indent); } types::ty *thisExp::trans(coenv &e) { if (!e.c.encodeThis()) { em.error(getPos()); em << "static use of 'this' expression"; } return cgetType(e); } types::ty *thisExp::getType(coenv &e) { return e.c.thisType(); } void equalityExp::prettyprint(ostream &out, Int indent) { prettyname(out, "equalityExp", indent); callExp::prettyprint(out, indent+1); } types::ty *equalityExp::getType(coenv &e) { // Try to the resolve the expression as a function call first. types::ty *t = callExp::getType(e); assert(t); if (t->kind != ty_error) return t; else // Either an error or handled by the function equality methods. In the // first case, we may return whatever we like, and the second case always // returns bool. In either case, it is safe to return bool. return primBoolean(); } // From a possibly overloaded type, if there is a unique function type, return // it, otherwise 0. types::ty *uniqueFunction(types::ty *t) { if (t->kind == types::ty_function) return t; if (t->isOverloaded()) { types::ty *ft = 0; for (ty_iterator i = t->begin(); i != t->end(); ++i) { if ((*i)->kind != types::ty_function) continue; if (ft) { // Multiple function types. return 0; } ft = *i; } return ft; } // Not a function. return 0; } // From two possibly overloaded types, if there is a unique function type // common to both, return it, otherwise 0. types::ty *uniqueFunction(types::ty *t1, types::ty *t2) { if (t1->kind == types::ty_function) return equivalent(t1, t2) ? t1 : 0; if (t1->isOverloaded()) { types::ty *ft = 0; for (ty_iterator i = t1->begin(); i != t1->end(); ++i) { if ((*i)->kind != types::ty_function) continue; if (!equivalent(*i, t2)) continue; if (ft) { // Multiple function types. return 0; } ft = *i; } return ft; } // Not a function. return 0; } bltin bltinFromName(symbol name) { if (name == SYM_EQ) return run::boolFuncEq; assert(name == SYM_NEQ); return run::boolFuncNeq; } types::ty *equalityExp::trans(coenv &e) { // First, try to handle by normal function resolution. types::ty *t = callExp::getType(e); assert(t); if (t->kind != ty_error) return callExp::trans(e); // Then, check for the function equality case. exp *left = (*this->args)[0].val; exp *right = (*this->args)[1].val; types::ty *lt = left->getType(e); types::ty *rt = right->getType(e); // TODO: decide what null == null should do. // Check for function == null and null == function types::ty *ft = 0; if (rt->kind == types::ty_null) ft = uniqueFunction(lt); else if (lt->kind == types::ty_null) ft = uniqueFunction(rt); else ft = uniqueFunction(lt, rt); if (ft) { assert(ft->kind == ty_function); left->transToType(e, ft); right->transToType(e, ft); e.c.encode(inst::builtin, bltinFromName(callee->getName())); return primBoolean(); } else { // Let callExp report a "no such function" error. types::ty *t = callExp::trans(e); assert(t->kind == ty_error); return t; } } void scaleExp::prettyprint(ostream &out, Int indent) { exp *left=getLeft(); exp *right=getRight(); prettyname(out, "scaleExp",indent); left->prettyprint(out, indent+1); right->prettyprint(out, indent+1); } types::ty *scaleExp::trans(coenv &e) { exp *left=getLeft(); exp *right=getRight(); types::ty *lt = left->cgetType(e); if (lt->kind != types::ty_Int && lt->kind != types::ty_real) { if (lt->kind != types::ty_error) { em.error(left->getPos()); em << "only numeric constants can do implicit scaling"; } right->trans(e); return types::primError(); } if (!right->scalable()) { em.warning(right->getPos()); em << "implicit scaling may be unintentional"; } // Defer to the binaryExp for multiplication. return binaryExp::trans(e); } void intExp::prettyprint(ostream &out, Int indent) { prettyindent(out,indent); out << "intExp: " << value << "\n"; } types::ty *intExp::trans(coenv &e) { e.c.encode(inst::intpush,value); return types::primInt(); } void realExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "realExp: " << value << "\n"; } types::ty *realExp::trans(coenv &e) { e.c.encode(inst::constpush,(item)value); return types::primReal(); } void stringExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "stringExp '" << str << "'\n"; } types::ty *stringExp::trans(coenv &e) { e.c.encode(inst::constpush,(item) string(str)); return types::primString(); } void booleanExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "booleanExp: " << value << "\n"; } types::ty *booleanExp::trans(coenv &e) { e.c.encode(inst::constpush,(item)value); return types::primBoolean(); } void newPictureExp::prettyprint(ostream &out, Int indent) { prettyname(out, "newPictureExp",indent); } types::ty *newPictureExp::trans(coenv &e) { e.c.encode(inst::builtin, run::newPicture); return types::primPicture(); } void cycleExp::prettyprint(ostream &out, Int indent) { prettyname(out, "cycleExp",indent); } types::ty *cycleExp::trans(coenv &e) { e.c.encode(inst::builtin, run::newCycleToken); return types::primCycleToken(); } void nullPathExp::prettyprint(ostream &out, Int indent) { prettyname(out, "nullPathExp",indent); } types::ty *nullPathExp::trans(coenv &e) { e.c.encode(inst::builtin, run::nullPath); return types::primPath(); } void nullExp::prettyprint(ostream &out, Int indent) { prettyname(out, "nullExp",indent); } types::ty *nullExp::trans(coenv &) { // Things get put on the stack when ty_null // is cast to an appropriate type return types::primNull(); } void quoteExp::prettyprint(ostream &out, Int indent) { prettyname(out, "quoteExp", indent); value->prettyprint(out, indent+1); } types::ty *quoteExp::trans(coenv &e) { e.c.encode(inst::constpush,(item)value); return types::primCode(); } void explist::prettyprint(ostream &out, Int indent) { prettyname(out, "explist",indent); for (expvector::iterator p = exps.begin(); p != exps.end(); ++p) (*p)->prettyprint(out, indent+1); } void argument::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "explist"; if (name) out << " '" << name << "'"; out << '\n'; val->prettyprint(out, indent+1); } void arglist::prettyprint(ostream &out, Int indent) { prettyname(out, "arglist",indent); for (argvector::iterator p = args.begin(); p != args.end(); ++p) p->prettyprint(out, indent+1); } void callExp::prettyprint(ostream &out, Int indent) { prettyname(out, "callExp",indent); callee->prettyprint(out, indent+1); args->prettyprint(out, indent+1); } signature *callExp::argTypes(coenv &e, bool *searchable) { signature *source=new signature; // The signature is searchable unless one of the arguments is overloaded or // named. *searchable = true; size_t n = args->size(); for (size_t i = 0; i < n; i++) { if(string(args->args[i].name) == "KEY") { stringExp *s=dynamic_cast(args->args[i].val); if(s) { if(getPos().filename() == processData().fileName) processData().xkey[getPos().LineColumn()]=Strdup(s->getString()); args->args.erase(args->args.begin()+i); --n; if(i == n) break; } } argument a=(*args)[i]; types::ty *t = a.val->cgetType(e); if (t->kind == types::ty_error) return 0; if (t->kind == types::ty_overloaded || a.name) *searchable = false; source->add(types::formal(t,a.name)); } if (args->rest.val) { argument a=args->rest; types::ty *t = a.val->cgetType(e); if (t->kind == types::ty_error) return 0; if (t->kind == types::ty_overloaded || a.name) *searchable = false; source->addRest(types::formal(t,a.name)); } return source; } application *callExp::resolve(coenv &e, overloaded *o, signature *source, bool tacit) { app_list l=multimatch(e.e, o, source, *args); if (l.empty()) { //cerr << "l is empty\n"; if (!tacit) { em.error(getPos()); symbol s = callee->getName(); if (s) em << "no matching function \'" << s; else em << "no matching function for signature \'"; em << *source << "\'"; } return 0; } else if (l.size() > 1) { // This may take O(n) time. //cerr << "l is full\n"; if (!tacit) { em.error(getPos()); symbol s = callee->getName(); if(s) em << "call of function \'" << s; else em << "call with signature \'"; em << *source << "\' is ambiguous"; } return 0; } else { //cerr << "l is singleton\n"; return l.front(); } } bool hasNamedParameters(signature *sig) { for (size_t i=0; i < sig->getNumFormals(); ++i) if (sig->getFormal(i).name) return true; return false; } void callExp::reportMismatch(function *ft, signature *source) { symbol s = callee->getName(); const char *separator=ft->getSignature()->getNumFormals() > 1 ? "\n" : " "; em.error(getPos()); em << "cannot call" << separator << "'" << *ft->getResult() << " "; if(s) em << s; em << *ft->getSignature() << "'" << separator; if (ft->getSignature()->isOpen && hasNamedParameters(source)) em << "with named parameters"; else switch(source->getNumFormals()) { case 0: em << "without parameters"; break; case 1: em << "with parameter '" << *source << "'"; break; default: em << "with parameters\n'" << *source << "'"; } } void callExp::reportArgErrors(coenv &e) { // Cycle through the parameters to report all errors. // NOTE: This may report inappropriate ambiguity errors. for (size_t i = 0; i < args->size(); i++) { (*args)[i].val->trans(e); } if (args->rest.val) args->rest.val->trans(e); } void callExp::reportNonFunction() { em.error(getPos()); symbol s = callee->getName(); if (s) em << "\'" << s << "\' is not a function"; else em << "called expression is not a function"; } types::ty *callExp::cacheAppOrVarEntry(coenv &e, bool tacit) { assert(cachedVarEntry == 0 && cachedApp == 0); // First figure out the signature of what we want to call. bool searchable; signature *source=argTypes(e, &searchable); #ifdef DEBUG_GETAPP /* {{{ */ cout << "getApp for "; if (callee->getName()) cout << *callee->getName(); else cout << "unnamed"; cout << " at " << getPos() << endl; cout << "searchable: " << searchable << endl; #endif /* }}} */ if (!source) { return primError(); } // An attempt at speeding up compilation: See if the source arguments match // the (possibly overloaded) function exactly. if (searchable) { varEntry *ve = callee->getCallee(e, source); #ifdef DEBUG_GETAPP cout << "guessed: " << (ve!=0) << endl; #endif if (ve) { cachedVarEntry = ve; #ifndef DEBUG_CACHE // Normally DEBUG_CACHE is not defined and we return here for efficiency // reasons. If DEBUG_CACHE is defined, we instead proceed to resolve // the function by the normal techniques and make sure we get the same // result. return ((function *)ve->getType())->getResult(); #endif } } // Figure out what function types we can call. types::ty *ft = callee->cgetType(e); #ifdef DEBUG_GETAPP string name = callee->getName() ? string(*callee->getName()) : string("unnamed"); if (!callee->getName()) cout << getPos() << endl; #endif switch (ft->kind) { case ty_error: if (!tacit) // Report callee errors. callee->trans(e); break; case ty_function: //cout << "name " << name << endl; cachedApp = application::match(e.e, (function *)ft, source, *args); if (!cachedApp && !tacit) reportMismatch((function *)ft, source); break; case ty_overloaded: { #ifdef DEBUG_GETAPP int size = ((overloaded *)ft)->sub.size(); for (int i = 0; i < size; ++i) cout << "name " << name << endl; #endif cachedApp = resolve(e, (overloaded *)ft, source, tacit); break; } default: if (!tacit) reportNonFunction(); break; } #ifdef DEBUG_GETAPP cout << name << " " << *source << " --> " << *cachedApp->getType()->getSignature() << endl; #endif #if DEBUG_CACHE // Make sure cachedVarEntry is giving us the right function. if (cachedVarEntry) assert(equivalent(cachedVarEntry->getType(), cachedApp->getType())); #endif // getType relies on this method for the type. return cachedApp ? cachedApp->getType()->getResult() : primError(); } types::ty *callExp::transPerfectMatch(coenv &e) { // The varEntry of the callee. (No longer needed after translation.) varEntry *ve = cachedVarEntry; cachedVarEntry = 0; assert(ve); // Translate the arguments in turn. for (size_t i = 0; i < args->size(); ++i) (*args)[i].val->trans(e); if (args->rest.val) args->rest.val->trans(e); // Call the function. ve->encode(trans::CALL, getPos(), e.c); // That's it. Return the return type of the function. return ct ? ct : dynamic_cast(ve->getType())->getResult(); } types::ty *callExp::trans(coenv &e) { if (cachedVarEntry == 0 && cachedApp == 0) cacheAppOrVarEntry(e, false); if (cachedVarEntry) return transPerfectMatch(e); // The cached data is no longer needed after translation, so let it be // garbage collected. application *a = cachedApp; cachedApp=0; if (!a) { reportArgErrors(e); return primError(); } // To simulate left-to-right order of evaluation, produce the // side-effects for the callee. assert(a); function *t=a->getType(); assert(t); exp *temp=callee->evaluate(e, t); // Let the application handle the argument translation. a->transArgs(e); // Translate the call. temp->transCall(e, t); return t->result; } types::ty *callExp::getType(coenv &e) { if (cachedApp) return cachedApp->getType()->getResult(); if (cachedVarEntry) { function *ft = dynamic_cast(cachedVarEntry->getType()); assert(ft); return ft->getResult(); } return cacheAppOrVarEntry(e, true); } bool callExp::resolved(coenv &e) { if (cachedApp == 0 && cachedVarEntry == 0) cacheAppOrVarEntry(e, true); return cachedApp || cachedVarEntry; } void pairExp::prettyprint(ostream &out, Int indent) { prettyname(out, "pairExp",indent); x->prettyprint(out, indent+1); y->prettyprint(out, indent+1); } types::ty *pairExp::trans(coenv &e) { x->transToType(e, types::primReal()); y->transToType(e, types::primReal()); e.c.encode(inst::builtin, run::realRealToPair); return types::primPair(); } void tripleExp::prettyprint(ostream &out, Int indent) { prettyname(out, "tripleExp",indent); x->prettyprint(out, indent+1); y->prettyprint(out, indent+1); z->prettyprint(out, indent+1); } types::ty *tripleExp::trans(coenv &e) { x->transToType(e, types::primReal()); y->transToType(e, types::primReal()); z->transToType(e, types::primReal()); e.c.encode(inst::builtin, run::realRealRealToTriple); return types::primTriple(); } void transformExp::prettyprint(ostream &out, Int indent) { prettyname(out, "transformExp",indent); x->prettyprint(out, indent+1); y->prettyprint(out, indent+1); xx->prettyprint(out, indent+1); xy->prettyprint(out, indent+1); yx->prettyprint(out, indent+1); yy->prettyprint(out, indent+1); } types::ty *transformExp::trans(coenv &e) { x->transToType(e, types::primReal()); y->transToType(e, types::primReal()); xx->transToType(e, types::primReal()); xy->transToType(e, types::primReal()); yx->transToType(e, types::primReal()); yy->transToType(e, types::primReal()); e.c.encode(inst::builtin, run::real6ToTransform); return types::primTransform(); } void castExp::prettyprint(ostream &out, Int indent) { prettyname(out, "castExp",indent); target->prettyprint(out, indent+1); castee->prettyprint(out, indent+1); } types::ty *castExp::tryCast(coenv &e, types::ty *t, types::ty *s, symbol csym) { types::ty *ss=e.e.castSource(t, s, csym); if (ss == 0) { return 0; } if (ss->kind == ty_overloaded) { em.error(getPos()); em << "cast is ambiguous"; return primError(); } else { castee->transAsType(e, ss); access *a=e.e.lookupCast(t, ss, csym); assert(a); a->encode(trans::CALL, getPos(), e.c); return ss; } } types::ty *castExp::trans(coenv &e) { target->addOps(e, (record *)0); types::ty *t=target->trans(e); types::ty *s=castee->cgetType(e); if (!tryCast(e, t, s, symbol::ecastsym)) if (!tryCast(e, t, s, symbol::castsym)) { em.error(getPos()); em << "cannot cast '" << *s << "' to '" << *t << "'"; } return t; } types::ty *castExp::getType(coenv &e) { return target->trans(e, true); } void conditionalExp::prettyprint(ostream &out, Int indent) { prettyname(out, "conditionalExp",indent); test->prettyprint(out, indent+1); onTrue->prettyprint(out, indent+1); onFalse->prettyprint(out, indent+1); } void conditionalExp::baseTransToType(coenv &e, types::ty *target) { test->transToType(e, types::primBoolean()); label tlabel = e.c.fwdLabel(); e.c.useLabel(inst::cjmp,tlabel); onFalse->transToType(e, target); label end = e.c.fwdLabel(); e.c.useLabel(inst::jmp,end); e.c.defLabel(tlabel); onTrue->transToType(e, target); e.c.defLabel(end); } void conditionalExp::transToType(coenv &e, types::ty *target) { if (isAnArray(e, test)) { if (target->kind != ty_array) { em.error(getPos()); em << "cannot cast vectorized conditional to '" << *target << "'"; } test->transToType(e, types::booleanArray()); onTrue->transToType(e, target); onFalse->transToType(e, target); e.c.encode(inst::builtin, run::arrayConditional); } else { baseTransToType(e, target); } } types::ty *promote(coenv &e, types::ty *x, types::ty *y) { struct promoter : public collector { env &e; promoter(env &e) : e(e) {} types::ty *both (types::ty *x, types::ty *y) { overloaded *o=new overloaded; o->add(x); o->add(y); return o; } types::ty *base (types::ty *x, types::ty *y) { if (equivalent(x,y)) return x; else { bool castToFirst=e.castable(x, y, symbol::castsym); bool castToSecond=e.castable(y, x, symbol::castsym); return (castToFirst && castToSecond) ? both(x,y) : castToFirst ? x : castToSecond ? y : 0; } } }; promoter p(e.e); return p.collect(x,y); } types::ty *conditionalExp::trans(coenv &e) { types::ty *tt=onTrue->cgetType(e); types::ty *ft=onFalse->cgetType(e); if (tt->kind==ty_error) return onTrue->trans(e); if (ft->kind==ty_error) return onFalse->trans(e); types::ty *t=promote(e, tt, ft); if (!t) { em.error(getPos()); em << "types in conditional expression do not match"; return primError(); } else if (t->kind == ty_overloaded) { em.error(getPos()); em << "type of conditional expression is ambiguous"; return primError(); } transToType(e,t); return t; } types::ty *conditionalExp::getType(coenv &e) { types::ty *tt=onTrue->cgetType(e); types::ty *ft=onFalse->cgetType(e); if (tt->kind==ty_error || ft->kind==ty_error) return primError(); types::ty *t = promote(e, tt, ft); return t ? t : primError(); } void orExp::prettyprint(ostream &out, Int indent) { prettyname(out, "orExp", indent); left->prettyprint(out, indent+1); right->prettyprint(out, indent+1); } types::ty *orExp::trans(coenv &e) { // a || b // translates into // a ? true : b booleanExp be(pos, true); conditionalExp ce(pos, left, &be, right); ce.baseTransToType(e, primBoolean()); return getType(e); } void orExp::transConditionalJump(coenv &e, bool cond, label dest) { if (cond == true) { left->transConditionalJump(e, true, dest); right->transConditionalJump(e, true, dest); } else { /* cond == false */ label end = e.c.fwdLabel(); left->transConditionalJump(e, true, end); right->transConditionalJump(e, false, dest); e.c.defLabel(end); } } void andExp::prettyprint(ostream &out, Int indent) { prettyname(out, "andExp", indent); left->prettyprint(out, indent+1); right->prettyprint(out, indent+1); } types::ty *andExp::trans(coenv &e) { // a && b // translates into // a ? b : false booleanExp be(pos, false); conditionalExp ce(pos, left, right, &be); ce.baseTransToType(e, primBoolean()); return getType(e); } void andExp::transConditionalJump(coenv &e, bool cond, label dest) { if (cond == true) { label end = e.c.fwdLabel(); left->transConditionalJump(e, false, end); right->transConditionalJump(e, true, dest); e.c.defLabel(end); } else { /* cond == false */ left->transConditionalJump(e, false, dest); right->transConditionalJump(e, false, dest); } } void joinExp::prettyprint(ostream &out, Int indent) { prettyname(out, "joinExp",indent); callee->prettyprint(out, indent+1); args->prettyprint(out, indent+1); } void specExp::prettyprint(ostream &out, Int indent) { prettyindent(out,indent); out << "specExp '" << op << "' " << (s==camp::OUT ? "out" : s==camp::IN ? "in" : "invalid side") << '\n'; arg->prettyprint(out, indent+1); } types::ty *specExp::trans(coenv &e) { intExp ie(getPos(), (Int)s); binaryExp be(getPos(), arg, op, &ie); return be.trans(e); } types::ty *specExp::getType(coenv &e) { intExp ie(getPos(), (Int)s); binaryExp be(getPos(), arg, op, &ie); return be.cgetType(e); } void assignExp::prettyprint(ostream &out, Int indent) { prettyname(out, "assignExp",indent); dest->prettyprint(out, indent+1); value->prettyprint(out, indent+1); } void assignExp::transAsType(coenv &e, types::ty *target) { #if 0 // For left-to-right order, we have to evaluate the side-effects of the // destination first. exp *temp=dest->evaluate(e, target); ultimateValue(temp)->transToType(e, target); temp->transWrite(e, target); #endif // All of the heavy work is handled by transWrite. dest->transWrite(e, target, value); } types::ty *assignExp::trans(coenv &e) { exp *uvalue=ultimateValue(dest); types::ty *lt = dest->cgetType(e), *rt = uvalue->cgetType(e); if (lt->kind == ty_error) return dest->trans(e); if (rt->kind == ty_error) return uvalue->trans(e); types::ty *t = e.e.castTarget(lt, rt, symbol::castsym); if (!t) { em.error(getPos()); em << "cannot convert '" << *rt << "' to '" << *lt << "' in assignment"; return primError(); } else if (t->kind == ty_overloaded) { em.error(getPos()); em << "assignment is ambiguous"; return primError(); } else { transAsType(e, t); return t; } } types::ty *assignExp::getType(coenv &e) { types::ty *lt = dest->cgetType(e), *rt = ultimateValue(dest)->cgetType(e); if (lt->kind==ty_error || rt->kind==ty_error) return primError(); types::ty *t = e.e.castTarget(lt, rt, symbol::castsym); return t ? t : primError(); } void selfExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "selfExp '" << op << "'\n"; dest->prettyprint(out, indent+1); value->prettyprint(out, indent+1); } void selfExp::transAsType(coenv &e, types::ty *target) { // Create a temp expression for the destination, so it is not evaluated // twice. exp *temp=dest->evaluate(e, target); temp->transWrite(e, target, ultimateValue(temp)); } void prefixExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "prefixExp '" << op << "'\n"; dest->prettyprint(out, indent+1); } types::ty *prefixExp::trans(coenv &e) { // Convert into the operation and the assign. // NOTE: This can cause multiple evaluations. intExp ie(getPos(), 1); selfExp se(getPos(), dest, op, &ie); return se.trans(e); } types::ty *prefixExp::getType(coenv &e) { // Convert into the operation and the assign. intExp ie(getPos(), 1); selfExp se(getPos(), dest, op, &ie); return se.getType(e); } void postfixExp::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "postfixExp '" << op << "'\n"; dest->prettyprint(out, indent+1); } types::ty *postfixExp::trans(coenv &) { em.error(getPos()); em << "postfix expressions are not allowed"; return primError(); } } // namespace absyntax asymptote-2.62/util.cc0000644000000000000000000002303413607467113013464 0ustar rootroot/***** * util.cc * John Bowman * * A place for useful utility functions. *****/ #ifdef __CYGWIN__ #define _POSIX_C_SOURCE 200809L #endif #include #include #include #include #include #include #include #include #include #include #include #include #include #include #include "util.h" #include "settings.h" #include "errormsg.h" #include "camperror.h" #include "interact.h" using namespace settings; bool False=false; namespace vm { void error(const char* message); } #if __GNUC__ #include string demangle(const char *s) { int status; char *demangled = abi::__cxa_demangle(s,NULL,NULL,&status); if (status == 0 && demangled) { string str(demangled); free(demangled); return str; } else if (status == -2) { free(demangled); return s; } else { free(demangled); return string("Unknown(") + s + ")"; } } #else string demangle(const char* s) { return s; } #endif char *Strdup(string s) { size_t size=s.size()+1; char *dest=new(UseGC) char[size]; std::memcpy(dest,s.c_str(),size*sizeof(char)); return dest; } char *StrdupNoGC(string s) { size_t size=s.size()+1; char *dest=new char[size]; std::memcpy(dest,s.c_str(),size*sizeof(char)); return dest; } char *StrdupMalloc(string s) { size_t size=s.size()+1; char *dest=(char *) std::malloc(size); std::memcpy(dest,s.c_str(),size*sizeof(char)); return dest; } string stripDir(string name) { size_t p; #ifdef __MSDOS__ p=name.rfind('\\'); if(p < string::npos) name.erase(0,p+1); #endif p=name.rfind('/'); if(p < string::npos) name.erase(0,p+1); return name; } string stripFile(string name) { size_t p; bool dir=false; #ifdef __MSDOS__ p=name.rfind('\\'); if(p < string::npos) { dir=true; while(p > 0 && name[p-1] == '\\') --p; name.erase(p+1); } #endif p=name.rfind('/'); if(p < string::npos) { dir=true; while(p > 0 && name[p-1] == '/') --p; name.erase(p+1); } return dir ? name : ""; } string stripExt(string name, const string& ext) { string suffix="."+ext; size_t p=name.rfind(suffix); size_t n=suffix.length(); if(n == 1 || p == name.length()-n) return name.substr(0,p); else return name; } void backslashToSlash(string& s) { size_t p; while((p=s.find('\\')) < string::npos) s[p]='/'; } void spaceToUnderscore(string& s) { size_t p; while((p=s.find(' ')) < string::npos) s[p]='_'; } string Getenv(const char *name, bool msdos) { char *s=getenv(name); if(!s) return ""; string S=string(s); if(msdos) backslashToSlash(S); return S; } void writeDisabled() { camp::reportError("Write to other directories disabled; override with option -globalwrite"); } string cleanpath(string name) { string dir=stripFile(name); name=stripDir(name); spaceToUnderscore(name); return dir+name; } string outpath(string name) { bool global=globalwrite(); string dir=stripFile(name); if(global && !dir.empty()) return name; string outdir=stripFile(outname()); if(!(global || dir.empty() || dir == outdir)) writeDisabled(); return outdir+stripDir(name); } string buildname(string name, string suffix, string aux) { name=stripExt(outpath(name),defaultformat())+aux; if(!suffix.empty()) name += "."+suffix; return name; } string auxname(string filename, string suffix) { return buildname(filename,suffix,"_"); } sighandler_t Signal(int signum, sighandler_t handler) { struct sigaction action,oldaction; action.sa_handler=handler; sigemptyset(&action.sa_mask); action.sa_flags=0; return sigaction(signum,&action,&oldaction) == 0 ? oldaction.sa_handler : SIG_ERR; } void push_split(mem::vector& a, const string& S) { const char *p=S.c_str(); string s; char c; while((c=*(p++))) { if(c == ' ') { if(s.size() > 0) { a.push_back(s); s.clear(); } } else s += c; } if(s.size() > 0) a.push_back(s); } char **args(const mem::vector& s, bool quiet) { size_t count=s.size(); char **argv=NULL; argv=new char*[count+1]; for(size_t i=0; i < count; ++i) argv[i]=StrdupNoGC(s[i]); if(!quiet && settings::verbose > 1) { cerr << argv[0]; for(size_t i=1; i < count; ++i) cerr << " " << argv[i]; cerr << endl; } argv[count]=NULL; return argv; } void execError(const char *command, const char *hint, const char *application) { cerr << "Cannot execute " << command << endl; if(*application == 0) application=hint; if(hint) { string s=string(hint); transform(s.begin(), s.end(), s.begin(), toupper); cerr << "Please put in a file " << getSetting("config") << ": " << endl << endl << "import settings;" << endl << hint << "=\"LOCATION\";" << endl << endl << "where LOCATION specifies the location of " << application << "." << endl << endl << "Alternatively, set the environment variable ASYMPTOTE_" << s << endl << "or use the command line option -" << hint << "=\"LOCATION\". For further details, see" << endl << "http://asymptote.sourceforge.net/doc/Configuring.html" << endl << "http://asymptote.sourceforge.net/doc/Search-paths.html" << endl; } } // quiet: 0=none; 1=suppress stdout; 2=suppress stdout+stderr. int System(const mem::vector &command, int quiet, bool wait, const char *hint, const char *application, int *ppid) { int status; cout.flush(); // Flush stdout to avoid duplicate output. char **argv=args(command); int pid=fork(); if(pid == -1) camp::reportError("Cannot fork process"); if(pid == 0) { if(interact::interactive) signal(SIGINT,SIG_IGN); if(quiet) { static int null=creat("/dev/null",O_WRONLY); close(STDOUT_FILENO); dup2(null,STDOUT_FILENO); if(quiet == 2) { close(STDERR_FILENO); dup2(null,STDERR_FILENO); } } if(argv) { execvp(argv[0],argv); execError(argv[0],hint,application); _exit(-1); } } if(ppid) *ppid=pid; for(;;) { if(waitpid(pid, &status, wait ? 0 : WNOHANG) == -1) { if(errno == ECHILD) return 0; if(errno != EINTR) { if(quiet < 2) { ostringstream msg; msg << "Command failed: "; for(size_t i=0; i < command.size(); ++i) msg << command[i] << " "; camp::reportError(msg); } } } else { if(!wait) return 0; if(WIFEXITED(status)) { if(argv) { char **p=argv; char *s; while((s=*(p++)) != NULL) delete [] s; delete [] argv; } return WEXITSTATUS(status); } else { if(quiet < 2) { ostringstream msg; msg << "Command exited abnormally: "; for(size_t i=0; i < command.size(); ++i) msg << command[i] << " "; camp::reportError(msg); } } } } } string stripblanklines(const string& s) { string S=string(s); bool blank=true; const char *t=S.c_str(); size_t len=S.length(); for(size_t i=0; i < len; i++) { if(t[i] == '\n') { if(blank) S[i]=' '; else blank=true; } else if(t[i] != '\t' && t[i] != ' ') blank=false; } return S; } char *startpath=NULL; void noPath() { camp::reportError("Cannot get current path"); } char *getPath(char *p) { #ifdef MAXPATHLEN static size_t size = MAXPATHLEN; #else static size_t size = 1024; #endif if(!p) p=new(UseGC) char[size]; if(!p) noPath(); else while(getcwd(p,size) == NULL) { if(errno == ERANGE) { size *= 2; p=new(UseGC) char[size]; } else {noPath(); p=NULL;} } return p; } const char *setPath(const char *s, bool quiet) { if(startpath == NULL) startpath=getPath(startpath); if(s == NULL || *s == 0) s=startpath; int rc=chdir(s); if(rc != 0) { ostringstream buf; buf << "Cannot change to directory '" << s << "'"; camp::reportError(buf); } char *p=getPath(); if(p && (!interact::interactive || quiet) && verbose > 1) cout << "cd " << p << endl; return p; } void push_command(mem::vector& a, const string& s) { a.push_back(s); #ifdef __MSDOS__ if(s == "cmd") { a.push_back("/c"); a.push_back("start"); a.push_back("\"\""); } #endif } void popupHelp() { // If the popped-up help is already running, pid stores the pid of the viewer. static int pid=0; // Status is ignored. static int status=0; // If the help viewer isn't running (or its last run has termined), launch the // viewer again. if (pid==0 || (waitpid(pid, &status, WNOHANG) == pid)) { mem::vector cmd; push_command(cmd,getSetting("pdfviewer")); string viewerOptions=getSetting("pdfviewerOptions"); if(!viewerOptions.empty()) cmd.push_back(viewerOptions); cmd.push_back(docdir+dirsep+"asymptote.pdf"); status=System(cmd,0,false,"pdfviewer","your PDF viewer",&pid); } } const char *intrange="integer argument is outside valid range"; const char *uintrange="integer argument is outside valid unsigned range"; unsigned unsignedcast(Int n) { if(n < 0 || n/2 > INT_MAX) vm::error(uintrange); return (unsigned) n; } unsignedInt unsignedIntcast(Int n) { if(n < 0) vm::error(uintrange); return (unsignedInt) n; } int intcast(Int n) { if(Abs(n) > INT_MAX) vm::error(intrange); return (int) n; } Int Intcast(unsignedInt n) { if(n > (unsignedInt) Int_MAX) vm::error(intrange); return (Int) n; } asymptote-2.62/picture.h0000644000000000000000000000655213607467113014032 0ustar rootroot/***** * picture.h * Andy Hamerlindl 2002/06/06 * * Stores a picture as a list of drawElements and handles its output to * PostScript. *****/ #ifndef PICTURE_H #define PICTURE_H #include #include #include "drawelement.h" namespace camp { class picture : public gc { private: bool labels; size_t lastnumber; size_t lastnumber3; transform T; // Keep track of accumulative picture transform bbox b; bbox b_cached; // Cached bounding box boxvector labelbounds; bboxlist bboxstack; bool transparency; groupsmap groups; unsigned billboard; public: bbox3 b3; // 3D bounding box typedef mem::list nodelist; nodelist nodes; picture() : labels(false), lastnumber(0), lastnumber3(0), T(identity), transparency(false), billboard(0) {} // Destroy all of the owned picture objects. ~picture(); // Prepend an object to the picture. void prepend(drawElement *p); // Append an object to the picture. void append(drawElement *p); // Enclose each layer with begin and end. void enclose(drawElement *begin, drawElement *end); // Add the content of another picture. void add(picture &pic); void prepend(picture &pic); bool havelabels(); bool have3D(); bool havepng(); bool havenewpage(); bbox bounds(); bbox3 bounds3(); // Compute bounds on ratio (x,y)/z for 3d picture (not cached). pair ratio(double (*m)(double, double)); bool Transparency() { return transparency; } int epstosvg(const string& epsname, const string& outname); int pdftosvg(const string& pdfname, const string& outname); int epstopdf(const string& epsname, const string& pdfname); int pdftoeps(const string& pdfname, const string& epsname); bool texprocess(const string& texname, const string& tempname, const string& prefix, const pair& bboxshift, bool svgformat); bool postprocess(const string& prename, const string& outname, const string& outputformat, bool wait, bool view, bool pdftex, bool epsformat, bool svg); // Ship the picture out to PostScript & TeX files. bool shipout(picture* preamble, const string& prefix, const string& format, bool wait=false, bool view=true); void render(double size2, const triple &Min, const triple& Max, double perspective, bool remesh) const; bool shipout3(const string& prefix, const string& format, double width, double height, double angle, double zoom, const triple& m, const triple& M, const pair& shift, const pair& margin, double *t, double *background, size_t nlights, triple *lights, double *diffuse, double *specular, bool view); // 3D output bool shipout3(const string& prefix, const string format); bool reloadPDF(const string& Viewer, const string& outname) const; picture *transformed(const transform& t); picture *transformed(const vm::array& t); bool null() { return nodes.empty(); } }; inline picture *transformed(const transform& t, picture *p) { return p->transformed(t); } inline picture *transformed(const vm::array& t, picture *p) { return p->transformed(t); } void texinit(); int opentex(const string& texname, const string& prefix, bool dvi=false); const char *texpathmessage(); } //namespace camp #endif asymptote-2.62/examples/0000755000000000000000000000000013607467113014014 5ustar rootrootasymptote-2.62/examples/cpkcolors.asy0000644000000000000000000001315413607467113016535 0ustar rootroot/* * Copyright (C) 2003-2005 Miguel, Jmol Development, www.jmol.org * * Contact: miguel@jmol.org * * 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., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. */ string[] Element={ "Xx", // 0 "H", // 1 "He", // 2 "Li", // 3 "Be", // 4 "B", // 5 "C", // 6 "N", // 7 "O", // 8 "F", // 9 "Ne", // 10 "Na", // 11 "Mg", // 12 "Al", // 13 "Si", // 14 "P", // 15 "S", // 16 "Cl", // 17 "Ar", // 18 "K", // 19 "Ca", // 20 "Sc", // 21 "Ti", // 22 "V", // 23 "Cr", // 24 "Mn", // 25 "Fe", // 26 "Co", // 27 "Ni", // 28 "Cu", // 29 "Zn", // 30 "Ga", // 31 "Ge", // 32 "As", // 33 "Se", // 34 "Br", // 35 "Kr", // 36 "Rb", // 37 "Sr", // 38 "Y", // 39 "Zr", // 40 "Nb", // 41 "Mo", // 42 "Tc", // 43 "Ru", // 44 "Rh", // 45 "Pd", // 46 "Ag", // 47 "Cd", // 48 "In", // 49 "Sn", // 50 "Sb", // 51 "Te", // 52 "I", // 53 "Xe", // 54 "Cs", // 55 "Ba", // 56 "La", // 57 "Ce", // 58 "Pr", // 59 "Nd", // 60 "Pm", // 61 "Sm", // 62 "Eu", // 63 "Gd", // 64 "Tb", // 65 "Dy", // 66 "Ho", // 67 "Er", // 68 "Tm", // 69 "Yb", // 70 "Lu", // 71 "Hf", // 72 "Ta", // 73 "W", // 74 "Re", // 75 "Os", // 76 "Ir", // 77 "Pt", // 78 "Au", // 79 "Hg", // 80 "Tl", // 81 "Pb", // 82 "Bi", // 83 "Po", // 84 "At", // 85 "Rn", // 86 "Fr", // 87 "Ra", // 88 "Ac", // 89 "Th", // 90 "Pa", // 91 "U", // 92 "Np", // 93 "Pu", // 94 "Am", // 95 "Cm", // 96 "Bk", // 97 "Cf", // 98 "Es", // 99 "Fm", // 100 "Md", // 101 "No", // 102 "Lr", // 103 "Rf", // 104 "Db", // 105 "Sg", // 106 "Bh", // 107 "Hs", // 108 "Mt", // 109 /* "Ds", // 110 "Uuu",// 111 "Uub",// 112 "Uut",// 113 "Uuq",// 114 "Uup",// 115 "Uuh",// 116 "Uus",// 117 "Uuo",// 118 */ }; // Default table of CPK atom colors // (ghemical colors with a few proposed modifications). string[] Hexcolor={ "FF1493", // Xx 0 "FFFFFF", // H 1 "D9FFFF", // He 2 "CC80FF", // Li 3 "C2FF00", // Be 4 "FFB5B5", // B 5 "909090", // C 6 - changed from ghemical "3050F8", // N 7 - changed from ghemical "FF0D0D", // O 8 "90E050", // F 9 - changed from ghemical "B3E3F5", // Ne 10 "AB5CF2", // Na 11 "8AFF00", // Mg 12 "BFA6A6", // Al 13 "F0C8A0", // Si 14 - changed from ghemical "FF8000", // P 15 "FFFF30", // S 16 "1FF01F", // Cl 17 "80D1E3", // Ar 18 "8F40D4", // K 19 "3DFF00", // Ca 20 "E6E6E6", // Sc 21 "BFC2C7", // Ti 22 "A6A6AB", // V 23 "8A99C7", // Cr 24 "9C7AC7", // Mn 25 "E06633", // Fe 26 - changed from ghemical "F090A0", // Co 27 - changed from ghemical "50D050", // Ni 28 - changed from ghemical "C88033", // Cu 29 - changed from ghemical "7D80B0", // Zn 30 "C28F8F", // Ga 31 "668F8F", // Ge 32 "BD80E3", // As 33 "FFA100", // Se 34 "A62929", // Br 35 "5CB8D1", // Kr 36 "702EB0", // Rb 37 "00FF00", // Sr 38 "94FFFF", // Y 39 "94E0E0", // Zr 40 "73C2C9", // Nb 41 "54B5B5", // Mo 42 "3B9E9E", // Tc 43 "248F8F", // Ru 44 "0A7D8C", // Rh 45 "006985", // Pd 46 "C0C0C0", // Ag 47 - changed from ghemical "FFD98F", // Cd 48 "A67573", // In 49 "668080", // Sn 50 "9E63B5", // Sb 51 "D47A00", // Te 52 "940094", // I 53 "429EB0", // Xe 54 "57178F", // Cs 55 "00C900", // Ba 56 "70D4FF", // La 57 "FFFFC7", // Ce 58 "D9FFC7", // Pr 59 "C7FFC7", // Nd 60 "A3FFC7", // Pm 61 "8FFFC7", // Sm 62 "61FFC7", // Eu 63 "45FFC7", // Gd 64 "30FFC7", // Tb 65 "1FFFC7", // Dy 66 "00FF9C", // Ho 67 "00E675", // Er 68 "00D452", // Tm 69 "00BF38", // Yb 70 "00AB24", // Lu 71 "4DC2FF", // Hf 72 "4DA6FF", // Ta 73 "2194D6", // W 74 "267DAB", // Re 75 "266696", // Os 76 "175487", // Ir 77 "D0D0E0", // Pt 78 - changed from ghemical "FFD123", // Au 79 - changed from ghemical "B8B8D0", // Hg 80 - changed from ghemical "A6544D", // Tl 81 "575961", // Pb 82 "9E4FB5", // Bi 83 "AB5C00", // Po 84 "754F45", // At 85 "428296", // Rn 86 "420066", // Fr 87 "007D00", // Ra 88 "70ABFA", // Ac 89 "00BAFF", // Th 90 "00A1FF", // Pa 91 "008FFF", // U 92 "0080FF", // Np 93 "006BFF", // Pu 94 "545CF2", // Am 95 "785CE3", // Cm 96 "8A4FE3", // Bk 97 "A136D4", // Cf 98 "B31FD4", // Es 99 "B31FBA", // Fm 100 "B30DA6", // Md 101 "BD0D87", // No 102 "C70066", // Lr 103 "CC0059", // Rf 104 "D1004F", // Db 105 "D90045", // Sg 106 "E00038", // Bh 107 "E6002E", // Hs 108 "EB0026" // Mt 109 }; asymptote-2.62/examples/NURBSsphere.asy0000644000000000000000000000177413607467113016643 0ustar rootrootimport three; /* Reference: @article{Qin97, title={{Representing quadric surfaces using NURBS surfaces}}, author={Qin, K.}, journal={Journal of Computer Science and Technology}, volume={12}, number={3}, pages={210--216}, year={1997}, publisher={Springer} } */ size(10cm); currentprojection=perspective(5,4,2,autoadjust=false); // udegree=2, vdegree=3, nu=3, nv=4; real[] W={2/3,1/3,1}; real[] w={1,1/3,1/3,1}; // 10 distinct control points triple[][] P={{(0,0,1),(-2,-2,1),(-2,-2,-1),(0,0,-1)}, {(0,0,1),(2,-2,1),(2,-2,-1),(0,0,-1)}, {(0,0,1),(2,2,1),(2,2,-1),(0,0,-1)}, {(0,0,1),(-2,2,1),(-2,2,-1),(0,0,-1)}}; P.cyclic=true; real[][] weights=new real[3][4]; for(int i=0; i < 3; ++i) for(int j=0; j < 4; ++j) weights[i][j]=W[i]*w[j]; real[] uknot={0,0,1/3,1/2,1,1}; real[] vknot={0,0,0,0,1,1,1,1}; int N=1; for(int k=0; k < N; ++k) for(int i=0; i < 4; ++i) draw(shift(k*Z)*P[i:i+3],uknot,vknot,weights,blue); // draw(unitsphere,red+opacity(0.1)); asymptote-2.62/examples/basealign.asy0000644000000000000000000000201113607467113016451 0ustar rootrootimport fontsize; import three; settings.autobillboard=false; settings.embed=false; currentprojection=orthographic(Z); defaultpen(fontsize(100pt)); dot(O); label("acg",O,align=N,basealign); label("ace",O,align=N,red); label("acg",O,align=S,basealign); label("ace",O,align=S,red); label("acg",O,align=E,basealign); label("ace",O,align=E,red); label("acg",O,align=W,basealign); label("ace",O,align=W,red); picture pic; dot(pic,(labelmargin(),0,0),blue); dot(pic,(-labelmargin(),0,0),blue); dot(pic,(0,labelmargin(),0),blue); dot(pic,(0,-labelmargin(),0),blue); add(pic,O); dot((0,0)); label("acg",(0,0),align=N,basealign); label("ace",(0,0),align=N,red); label("acg",(0,0),align=S,basealign); label("ace",(0,0),align=S,red); label("acg",(0,0),align=E,basealign); label("ace",(0,0),align=E,red); label("acg",(0,0),align=W,basealign); label("ace",(0,0),align=W,red); picture pic; dot(pic,(labelmargin(),0),blue); dot(pic,(-labelmargin(),0),blue); dot(pic,(0,labelmargin()),blue); dot(pic,(0,-labelmargin()),blue); add(pic,(0,0)); asymptote-2.62/examples/ring.asy0000644000000000000000000000021513607467113015467 0ustar rootrootsize(0,100); path g=scale(2)*unitcircle; label("$a \le r \le b$"); radialshade(unitcircle^^g,yellow+evenodd,(0,0),1.0,yellow+brown,(0,0),2); asymptote-2.62/examples/100d.views0000644000000000000000000000122113607467113015533 0ustar rootrootVIEW={View A} COO=95.703857421875 -26.603919982910156 122.73419952392578 C2C=-0.4144790768623352 0.7603927254676819 0.5000100135803223 ROO=141.69743417830577 ROLL=13.566625455930614 AAC=34.903342413559436 END VIEW={View B} COO=15.9437837600708 -12.494922637939453 67.1521987915039 C2C=0.9024380445480347 0.3321097493171692 0.27442431449890137 ROO=303.7409567061654 ROLL=66.40207458248847 AAC=34.903342413559436 END VIEW={View C} COO=-42.11725616455078 -13.32657241821289 18.372915267944336 C2C=0.6989848017692566 -0.009704185649752617 0.7150706648826599 ROO=444.70718853041143 ROLL=78.84753985408712 AAC=34.903342413559436 END asymptote-2.62/examples/washermethod.asy0000644000000000000000000000176213607467113017232 0ustar rootrootimport graph3; import solids; size(0,150); currentprojection=perspective(0,0,11,up=Y); pen color1=green+opacity(0.25); pen color2=red; real alpha=240; real f(real x) {return 2x^2-x^3;} pair F(real x) {return (x,f(x));} triple F3(real x) {return (x,f(x),0);} ngraph=12; real x1=0.7476; real x2=1.7787; real x3=1.8043; path[] p={graph(F,x1,x2,Spline), graph(F,0.7,x1,Spline)--graph(F,x2,x3,Spline)&cycle, graph(F,0,0.7,Spline)--graph(F,x3,2,Spline)}; pen[] pn=new pen[] {color1,color2,color1}; render render=render(compression=0); for(int i=0; i < p.length; ++i) { revolution a=revolution(path3(p[i]),Y,0,alpha); draw(surface(a),pn[i],render); surface s=surface(p[i]--cycle); draw(s,pn[i],render); draw(rotate(alpha,Y)*s,pn[i],render); } draw((4/3,0,0)--F3(4/3),dashed); xtick("$\frac{4}{3}$",(4/3,0,0)); xaxis3(Label("$x$",1),Arrow3); yaxis3(Label("$y$",1),ymax=1.25,dashed,Arrow3); arrow("$y=2x^2-x^3$",F3(1.6),X+Y,0.75cm,red); draw(arc(1.1Y,0.3,90,0,7.5,180),Arrow3); asymptote-2.62/examples/sphericalharmonic.asy0000644000000000000000000000057013607467113020227 0ustar rootrootimport graph3; import palette; size(200); currentprojection=orthographic(4,2,4); currentlight=Viewport; real r(real theta, real phi) {return 1+0.5*(sin(2*theta)*sin(2*phi))^2;} triple f(pair z) {return r(z.x,z.y)*expi(z.x,z.y);} surface s=surface(f,(0,0),(pi,2pi),50,Spline); s.colors(palette(s.map(abs),Gradient(yellow,red))); draw(s,render(compression=Low,merge=true)); asymptote-2.62/examples/lowint.asy0000644000000000000000000000030413607467113016043 0ustar rootrootsize(100,0); import graph; import lowupint; real a=-0.8, b=1.2; real c=1.0/sqrt(3.0); partition(a,b,c,min); arrow("$f(x)$",F(0.5*(a+b)),NNE,red); label("$\cal{L}$",(0.5*(a+b),f(0.5*(a+b))/2)); asymptote-2.62/examples/Klein.asy0000644000000000000000000000243513607467113015600 0ustar rootrootimport graph3; size(469pt); currentprojection=perspective( camera=(25.0851928432063,-30.3337528952473,19.3728775115443), up=Z, target=(-0.590622314050054,0.692357205025578,-0.627122488455679), zoom=1, autoadjust=false); triple f(pair t) { real u=t.x; real v=t.y; real r=2-cos(u); real x=3*cos(u)*(1+sin(u))+r*cos(v)*(u < pi ? cos(u) : -1); real y=8*sin(u)+(u < pi ? r*sin(u)*cos(v) : 0); real z=r*sin(v); return (x,y,z); } surface s=surface(f,(0,0),(2pi,2pi),8,8,Spline); draw(s,lightolive+white,"bottle",render(merge=true)); string lo="$\displaystyle u\in[0,\pi]: \cases{x=3\cos u(1+\sin u)+(2-\cos u)\cos u\cos v,\cr y=8\sin u+(2-\cos u)\sin u\cos v,\cr z=(2-\cos u)\sin v.\cr}$"; string hi="$\displaystyle u\in[\pi,2\pi]:\\\cases{x=3\cos u(1+\sin u)-(2-\cos u)\cos v,\cr y=8\sin u,\cr z=(2-\cos u)\sin v.\cr}$"; real h=0.0125; begingroup3("parametrization"); draw(surface(xscale(-0.38)*yscale(-0.18)*lo,s,0,1.7,h,bottom=false), "[0,pi]"); draw(surface(xscale(0.26)*yscale(0.1)*rotate(90)*hi,s,4.9,1.4,h,bottom=false), "[pi,2pi]"); endgroup3(); begingroup3("boundary"); draw(s.uequals(0),blue+dashed); draw(s.uequals(pi),blue+dashed); endgroup3(); add(new void(frame f, transform3 t, picture pic, projection P) { draw(f,invert(box(min(f,P),max(f,P)),P),"frame"); }); asymptote-2.62/examples/label3.asy0000644000000000000000000000026613607467113015700 0ustar rootrootimport three; currentprojection=perspective(0,0,1,up=Y); label(scale(4)*"$\displaystyle\int_{-\infty}^{+\infty} e^{-\alpha x^2}\,dx= \sqrt{\frac{\pi}{\alpha}}$",O,blue,Embedded); asymptote-2.62/examples/alignedaxis.asy0000644000000000000000000000542013607467113017023 0ustar rootrootimport graph; real Freq=60.0; real margin=5mm; pair exp(pair x) { return exp(x.x)*(cos(x.y)+I*sin(x.y)); } real Merr(real x, real w) { real tau=x/(2*Freq); return 20*log(abs((tau*w+tau/(exp(I*2*pi*Freq*tau)-1))*(I*2*pi*Freq))); } real Aerr(real x, real w) { real tau=x/(2*Freq); return degrees((tau*w+tau/(exp(I*2*pi*Freq*tau)-1))*(I*2*pi*Freq)); } picture pic1; scale(pic1,Log,Linear); real Merr1(real x){return Merr(x,1);} draw(pic1,graph(pic1,Merr1,1e-4,1),black+1.2); ylimits(pic1,-60,20); yaxis(pic1,"magnitude (dB)",LeftRight,RightTicks(new real[] {-60,-40,-20,0,20})); xaxis(pic1,"$f/f_\mathrm{Ny}$",BottomTop,LeftTicks(N=5)); yequals(pic1,0,Dotted); yequals(pic1,-20,Dotted); yequals(pic1,-40,Dotted); xequals(pic1,1e-3,Dotted); xequals(pic1,1e-2,Dotted); xequals(pic1,1e-1,Dotted); size(pic1,100,100,point(pic1,SW),point(pic1,NE)); label(pic1,"$\theta=1$",point(pic1,N),2N); frame f1=pic1.fit(); add(f1); picture pic1p; scale(pic1p,Log,Linear); real Aerr1(real x){return Aerr(x,1);} draw(pic1p,graph(pic1p,Aerr1,1e-4,1),black+1.2); ylimits(pic1p,-5,95); yaxis(pic1p,"phase (deg)",LeftRight,RightTicks(new real[] {0,45,90})); xaxis(pic1p,"$f/f_\mathrm{Ny}$",BottomTop,LeftTicks(N=5)); yequals(pic1p,0,Dotted); yequals(pic1p,45,Dotted); yequals(pic1p,90,Dotted); xequals(pic1p,1e-3,Dotted); xequals(pic1p,1e-2,Dotted); xequals(pic1p,1e-1,Dotted); size(pic1p,100,100,point(pic1p,SW),point(pic1p,NE)); frame f1p=pic1p.fit(); f1p=shift(0,min(f1).y-max(f1p).y-margin)*f1p; add(f1p); picture pic2; scale(pic2,Log,Linear); real Merr2(real x){return Merr(x,0.75);} draw(pic2,graph(pic2,Merr2,1e-4,1),black+1.2); ylimits(pic2,-60,20); yaxis(pic2,"magnitude (dB)",LeftRight,RightTicks(new real[] {-60,-40,-20,0,20})); xaxis(pic2,"$f/f_\mathrm{Ny}$",BottomTop,LeftTicks(N=5)); yequals(pic2,0,Dotted); yequals(pic2,-20,Dotted); yequals(pic2,-40,Dotted); xequals(pic2,1e-3,Dotted); xequals(pic2,1e-2,Dotted); xequals(pic2,1e-1,Dotted); size(pic2,100,100,point(pic2,SW),point(pic2,NE)); label(pic2,"$\theta=0.75$",point(pic2,N),2N); frame f2=pic2.fit(); f2=shift(max(f1).x-min(f2).x+margin)*f2; add(f2); picture pic2p; scale(pic2p,Log,Linear); real Aerr2(real x){return Aerr(x,0.75);} draw(pic2p,graph(pic2p,Aerr2,1e-4,1),black+1.2); ylimits(pic2p,-5,95); yaxis(pic2p,"phase (deg)",LeftRight,RightTicks(new real[] {0,45.1,90})); xaxis(pic2p,"$f/f_\mathrm{Ny}$",BottomTop,LeftTicks(N=5)); yequals(pic2p,0,Dotted); yequals(pic2p,45,Dotted); yequals(pic2p,90,Dotted); xequals(pic2p,1e-3,Dotted); xequals(pic2p,1e-2,Dotted); xequals(pic2p,1e-1,Dotted); size(pic2p,100,100,point(pic2p,SW),point(pic2p,NE)); frame f2p=pic2p.fit(); f2p=shift(max(f1p).x-min(f2p).x+margin,min(f2).y-max(f2p).y-margin)*f2p; add(f2p); asymptote-2.62/examples/equilateral.asy0000644000000000000000000000036213607467113017043 0ustar rootrootsize(10cm,0); import math; pair b=(0,0), c=(1,0); pair a=extension(b,b+dir(60),c,c+dir(120)); pair d=extension(b,b+dir(30),a,a+dir(270)); draw(a--b--c--a--d--b^^d--c); label("$A$",a,N); label("$B$",b,W); label("$C$",c,E); label("$D$",d,S); asymptote-2.62/examples/pseudosphere.asy0000644000000000000000000000135313607467113017242 0ustar rootroot// Pseudosphere: // x = a sin(u) cos(v); // y = a sin(u) sin(v); // z = a (ln(tg(u/2))+cos(u)); import three; import solids; import graph3; import palette; triple pseudosphere(real x) { return (sin(x),0,cos(x)+log(tan(x/2))); } size(20cm,IgnoreAspect); currentprojection=orthographic(160,40,100); currentlight=(50,50,50); path3 G=graph(pseudosphere,0.5pi,0.965pi,10,Spline); revolution r=revolution(O,G,Z); draw(r,1,longitudinalpen=nullpen); surface s=surface(r); s.colors(palette(s.map(zpart),Gradient(cyan+white+opacity(0.9), magenta+white+opacity(0.9)))); draw(s); draw(r,6,backpen=linetype("10 10",10),longitudinalpen=nullpen); int n=10; for(int i=0; i < n; ++i) draw(rotate(i*360/n,O,Z)*G); asymptote-2.62/examples/quilt.asy0000644000000000000000000000133613607467113015673 0ustar rootrootimport math; int n=8, skip=3; pair r(int k) { return unityroot(n,k); } pen col=blue, col2=purple; guide square=box((1,1),(-1,-1)); guide step(int mult) { guide g; for(int k=0; kJ)Hq¤"¥öHµJ IÍKËIÛJGJJ·IK”aÊ8ÈÄËì—é”y"‹’Õ–õ’Í’="{MvVŽ.g)Ç—+”;-÷H–×–÷–ß,L¾_~NAQÁI!E¡RáªÂ¬"CÑV1N±Lñ¢âŒMÉZ)V©Lé’Ò ¦$“ÃL`V0{™"eyegå å:åå–ŠŸJžJ›ÊU‚*[5JµLµGU¤¦¤æ®–«Ö¢öH¯ÎVQ?¤Þ§>¯ÁÒÐØ­Ñ©1Í’fñX9¬Ö˜&YÓF3U³^ó¾F‹­¯uXë®6¬m¢£]­}GÖ1Õ‰Õ9¬3¸ ½Ê|UÒªúU£º$]Žn¦n‹î¸CÏM/O¯Sš~°þ~ý>ýÏ&   ©†.†y†Ý†iñªî¯&¯v\½mu×êׯ:Æ‘ÆGŒ˜ÐLÜMv›ô˜|253˜¶šÎ˜©™…šÕ˜²élOv1û†9ÚÜÎ|›ùyó¦é§-þ²ÔµŒ·l¶œ^ÃZ¹¦aÍ„•ŠU˜U•Кij}ÔZh£lfSoóÌVÕ6¶ÑvУʼnãœä¼²3°صÛÍs-¸[¸—í{'ûBûªƒŸC•ÃSGÇhÇG‘“‰Óf§ËÎhgWçýΣ<Ÿ×Ĺ˜¹lqéu%¹ú¸V¹>sÓv¸u»Ãî.îÜÇÖª¯MZÛé—ˆÿ2Â6¢,b&Ò*²4r*Ê*ª4j:Ú*ú@ôLŒMLyÌl,7¶*öuœs\mÜ|¼Güñø¥„€„¶D\bhâ¹$jR|Ro²brvò`ŠNJAŠ0Õ"õ`ªHà*hLƒÒÖ§u¥Ó—?Åþ ÍŒ]ã™Ö™Õ™ï³ü³ÎdKd'e÷oÒÞ´gÓTŽcÎO›Q›ù›{r•swäŽoál©Û m ßÚ³Mu[þ¶ÉíNÛOì ìˆßñ[žA^iÞÛ;»óò·çOìrÚÕR V (Ým¹»öÔ±? ìY½§rÏçˆÂ[EEåE‹Åüâ[?þXñãÒÞ¨½%¦%Göaö%íÙo³ÿD©DiNéÄ÷e̲²·7¼Yn\^{ˆp(ã°Â­¢«R­r_åbULÕpµ]u[|ÍžšùÇ‡ŽØi­U¨-ªýx4öèƒ:§ºŽzúòc˜c™Çž7ø7ôýÄþ©©Q¶±¨ñÓñ¤ãÂÞ'z›Ìšššå›KZà–Œ–™“!'ïþlÿsW«nk]£­è8•qêÅ/¡¿Œœv=Ýs†}¦õ¬úÙšvZ{aÔ±©CÔÓ)ì ê<çr®§Û²»ýW½_ŸW>_}AòBÉEÂÅü‹K—r.Í]N¹<{%úÊDÏÆžÇW¯Þïõê¸æzíÆuÇëWû8}—nXÝ8Óâæ¹[ì[·Mowô›ô·ÿfò[û€é@dz;]wÍïv®¼8d3tåžý½ë÷y÷o¯ñy02*|ñ`úaÂÃ×2-<Þ>†+|"þ¤ü©üÓúßµ~oš /ŒÛ÷?óyöx‚?ñò´?'󟓟—O)M5MMŸŸqœ¹ûb݋ɗ)/f þ”ø³æ•櫳ÙþÕ/ M¾¼^ú»øÌ›ãoßöÌyÎ=}—øna¾ð½ÌûØú>|œZÈZÄ.V|ÒúÔýÙõóØRâÒÒ?B,¾“sMT cHRMz&€„ú€èu0ê`:˜pœºQ<bKGDÿÿÿ ½§“ pHYsHHFÉk>NæIDATxÚíw˜Õ•öUÕÕ¹{òŒ²F9'Pe$@BlŒq€ÀlÀlpZÛëݵ½¶± 69˜5¶ÁÀ%¡,¡PeirÎÓÓ¹Âýþ¨î™IÈ”f?ÎóÌ3-MuÕ osî9ï=WB.sB I‘P{ÿgSîø"Ñ@ˆ­o¼Âн~ðäQÒÒüí×ýÿ&É~7·´òí/ âú+£L›=’î³oedz¿¢Î»„E_þ7 ]C±©¬ò¥ˆH$ ºùÿxþ!‘$dùâŒQדHü &0¥Ë^±^R‘ENùÇ”®& %K3‰>×LçIºàj—.&KûhZS˜€&˜†‰a&ÿú¹œMåâÉv©;ûIÄ4 ›Ì(³¦ „.Bâò_>\JIÀè"©Œ.¢™,‘Œ $nýߥnÔå(–K (‹•‹ ] L6UÆ–X™ÂDˆÏM\ªH€AÊå"K—“" $I$S@ÜàsS—*2)«Þ‹ÿè.#Xë\YBÒÁÀÔ禮C’ë“ÔA¹X¸êR`R”DÐ $àó0S‡FòåJŒ‹(éù] L €H˜9¬Wðs÷÷åbMr×Sr…+'')*Ü&âs7üœr±F§KÄ™’"Iÿaý¦¸l=ðdViêï€$'´ÿý¼'¨¥ù|¥K ™„0sÿ †R'7)’d­ Ïg<&yI’0 $ EQ;=ßúm`¦.dDâ-9/ÀºïW—“ØÔIH¦@|L ËJ’„iꀄ,+˜††Hj‰Ó&úÓJ*` CGQl„Cmì]ÿ,Y@[ˆ¬üéôrB8œ®D¼Ì@˜&’œ:% õû©r1gÆ’.&Y)1¸ÐþÞ u’,ÛˆÇbÄã!<^_ûÄ aògTg³f (6ØÂ‘õÿIf|i“ÆasD‰}Ý[‚(þq¨YãP³®`ä„ù–S–IL1…Ÿ T—ÀîR`RÂÊ a‚~–¸Œ3­–ah(ŠJéñml_þë2vê—Éîwyýg Ú$$I$LTgSøˆi „0{w|À_~}3S‡JL¾a®±3¶t0cHÑ6ÂÕETŸx“†=O²¿tjÎ z½_ZŽHCC’:œÄ—$ˆéÈW&›/N»î|p!?î…»ä`:Ý1Ma˜jŠ¢bf/N$‚BBÓ,[§iŠ"£(r§û a¢(*G÷­á­'odt“QCò ÏP_ñ›ÿ"Ëó · ¡¡øÔšI–A`ã¿x¥ûÞd@¯Lp99u¼g髨V&Þnù¸»õ¦ÿ‰ 1‡¨9ð$‡ßxoÿ¯‘?á~<¾ŒNšõïN2²,°) ÚdT¥]á!IÒgÖ¸ºnÍ¢Hþ—L©Ðu!6›YîÜiC¶&X–eëRÇ+'@U-ž…Ýn#‹ EÛM„0MT‡—ª«xág7Ò-SÆéÉÁ¥*ô›ztÊàC[Ù·ñË”ïŸÏä/¼@,&a·Å‰p_‡^H>ôì"L§ÛGá®åßõ6"LyF(!PAº§†t÷ <>•Ìœ 2zåãî?‚þ ¿Eß¶ ªw¾É¿ü³ç ˜ôN» YŠ!„rš’J¶J ª*@XL"†æ[”–6h#Žf@°5ˆÜÉ'û{d'K['Ÿ%I^¯I’/<Èr‡–’.6¼³ƒ*$PÃ0Âdåʽ¬Ys Ç‹™$¾ ¡d 5ÿ_»Œqwþ€¦ÙòÁž]¡Åã¤ù¼8NÖ­ÛÆ »q¹¼˜fbÀ%CoD׿M(dáÔõÈ¡¿,zŸ€3fk E«^eóž0¿|c*E•ýPäVLa³)á¨ËäDŒÂ2‰V᲌¦5cšV cÌ€b†÷Ú‹Mšn‡¼ô(™ÞÝrìtK÷‘é Gß^dŒ˜„’7˜xÝQN­ù ï®ëÎ/ß^ŠY1…œò<™ödœ$!LA4Ħ€b“‘C‹!$;6Õ™’kIÑèHã™t ±¦00…˜šŽË%¸ýö,Ê‚ùãÐu¢HíóyÑ4SêrY×vU)IË—ïæý¥Gxûã´ìÈøñ¥ v7ŠÍ†MµÑT&ä+8&&; â˸‹Ukûà´µ`šn÷fκÖzsd+ƒYQ$!Kì«üšËh Fh¨n ØAr 2ðÆ%øü¯Ðܼ”7ö>Nv·ëf32²e.’3Iø$ÉŽ=aKÂ"íKVŸã¦áhC–¹IrÑÛEDœ¤¢|Òñ÷Ðzd§QQ}‚ž§Jè3lã®fè?¡× 7é‘ù,œú-ÂyNµkM›tÊ;«EQh½ 3¡¡Í„ù>] Ó¢$ ‹¹*ÀH¼ ¦©a QÓâÄ5ƒ›Jy饘3gï¼³‘xÙà"™¹Tm”ôkdÖ®-äG?^ÅÎAúæaöÌ»IKOÇáT‰FÂDcáh Yh"“îJ†iX2ºiàrf3zÄplR¦°¡]70Iø>ˆ”,º†ÅMÿΡâq<õ &Ô·3²ùUúν¼é·q}óãhêÛ¬:>!të¥FIÇ0S§ƒ„M(k€a"£Sg&Ì¥†00EHùÄã“iªÀæÂÝ éµƒQu´ú¨m>€ÊJúÌÁ7á6îÈÈ ÿòâ7+[Ø[:Ÿ;„aÊã–§ÄÐÚÿ%uº6ùÙš°Éߥä‹'!aCQPddY Ë*ãÆ cÞÜ«øó_Þ`ÁÂ?°jåÃaÝñ‚‚©Ý–JR»c­ª ~XÈ÷¿¿œÅ™0á*–Ü?Žp$ĉGÙ²}Mu˜Z C„ˆ#K:±¨—9ãöá˜o©kaØì>Š‹Þcðۦi%:-%(ÀÔA²ÀgÙ7L/© Ùñ}ÜEï)_檦§xoöÎDV¢˜fjº4u ¥„ù0,°µ³Š’¡zK•)Óh&’dÃfóaˆ™Uer d'S†×1a˜°¢-°œ! ¸F^KÁ"'K"ßçžßÍáø¡>HR!ζþ×ϱ'~ë‰ç)íE$Ú¥žŽÿ§ÐnJ%@èÈŠ—ñWNçŽ/ßΟ_yŠ¥ïïaá¢+1Œ ¦TWL× l6…H8Îüt¿üõnšÁƒ\E}c¬\JIñ!´xÂ@°&_²TaVd‡„BÅi/V£ÅÕÓrtÈN¨îàJ Ž©7%&×Αâ4ŽËÜ»0ˆÏ%áûh%™“¾Ä°‰×ðpÍJkõq$Éù.­­p³ÿ.n¼á6ntQUUO9 γ˜¦)„Â0LëB!Þ}w§PՇĨ1KÅw¿«‹y×íN×Ï,²|—€™ú‹3n~¸YD"AÛï§ëq!„ëÞú/±ù·>!ôŸ‹¦ Ä[?I_¸&O446·_kÖ3kŠ7‹Ì"ò}!‚ßoç‹ÿú:âåg~"„B×4ëúD{#1]|wÉ\ñûûm¢äBèOˆ¶Ã_ïþ4]Û’è“~FDÛ¶®øƒXÿ ›Íü7Qü—<ñ‹%½Dkk Ó¸|Òñ‹Æ4ñ¯,_œŽxõ'=Åö?t‘} …O‹ÐÅ?ô‹Cû6X}Ñ5!„M­â–é>ñÚ?#j7!;žNK_ù~¢ÏñO5Ÿñ¸õ½ï}ï‡ ›ín!Ë?_ûz©=v¥øÑÞBœÝè~fdšÓ¨ªÂ»ïîáÆßâškîâÚ«góÖ»o±âƒ¿•!I•˜æ6fÌÈfÆ—øðÃW™6m N§»ÝE<®¡ëºfmÐÍÎZÁòJ,§ ƒ¬hmfÃo¤Ï¸‰`Ë£|õ 6ìlædSOæÝô †i¢ë:º®FqÚæÜü(‡ª\”U©>‚7 YéðöË?!50M“x\CÓ¬Ÿx<Ž$«ÔÕ7°ñÝÿ¤WÿAàëMóÑ=¬ÝQGÿ‰Kðû}Ä¢t]oÿÞ¹~t]'cWež~é¼}°t}%¥ G¶í&v`5îQ×1kþû~Ö^±4²‰7Í‹âHG7,IȰyºP$"ôÃ0:õå\í1+Ž™3§Yc§‡0Í5µµx=٘ œÇÕ\,GW’L®»îW¬Yãë_‡ÝÆ+ý3uÕû±Ù¢Æ1œÎ^{í×\ý‚v“hÝÇ \&3í¦l™Y’;ŒƒdZ¾/6ÕRÉvÕF,®³ë­ÅL-èFÚ˜y„÷¬ ª¢Ž½ÇZ?çòr³Ðu UíØs¯ª*º®qõœkh,ÿ.‡¶ÿ€‘e'põK¿AÙuìñXngz'_Ð4 $ 6}ð}|5äOXZ„ºc…Ô„sXtÝÝV»Ž”<Û'G»MæÉ—Þá¡Å7°zË(Óz m߯0‡ì‚¯‚ñÞ¼·¼†]¶àbšB‰Ðt„’r yŠ¢X+µOÐ[%“'OÂçSik :--ºåöcç®m€q~Ò§ !˜;÷·lÚ¤ðà’&nåÏyžºê}¨jºþóç÷¡¡á#-ša†a9q¶ä2ZêôÛz„f­¹$P¤Ž…¯$+ìXþKìÍïÐkÎW0*pü£=ì<ÖÊþò,n½ã[홼wÒ·SkÄ®^´˜°-Úâ ñõèGwˆÒã»}íÐŽŠb£¾¡‰ã[Ÿaâ•°õB¨h?‡ŽT¡y¯ +;—d`󓯆“íIFûUEæ/¼G4m6«wTSR'qtÓfâÇ?${Ú=äfŸbß_L€…ÄÊ2å~|öíáɶ뺆±ö>)Š‚¢Jlß~ÖֶϦÓ$„É5sŸ`Ͼ4zè;9q”·Þ~…P¨¨Àn?Ìü¯½ö4n·'DJòãòG¦ËÇN¤„•wÂrn ÷¬%pè1&ßúU0e*·®âXUœíÇ%¾óï/“›“‰iœîwYqRÙì ©© #Ј¯÷Üö § ×%:lM–åPÆ¥ÏÐ×[Nþ„© ëÔÙGa™ÌÕ7>Œ"Ón"þ‘œX* LÓÄfSøÚâeõnÁŽ#mœ¬Ñ9¶qZñzÎyî9ÇØ÷æhHíÛS,ôÈÖþ‹Ï4·I±ÙTdÙ 8'½zô¤¼¼’î_HZZúgÓÙ€4wîÓ?–Ã7ï]̇›6³jåßF=P„¢ìåoûo~ò“Ááp%ÊvaL´ß;õÇšÀdRÉD‘Éúž! xÓÏ=&µO-;WPTÞÆòõŒ›ó(×]·MӕΚ/õ³ahd¤û˜6÷œ*j"ÚX ÞlÊgï–¿ÐÜÚ†œ0½Šb£¡¡‰“;ŸaÒÄ(}F*ÚÇÁ%8»Íaòô¹ LdùÓ q{ŠÂfC×u®¹æžxá}Þþ0ÄGGB¯Ñ9±i5zÙ.z_ý0ݲ±ÿ¿„Ž5žP©}’OÓsý˜¦üÇ;|¦·¸ |iytï޲ңȲÂùÔ>Ó™@2˜;ïYNuç+_½™+W°wÏ9€à.W%¯¿þ4 Ì%‹a·ÛÛ'1 ËÜ¥d¡mr"›¼NÆÐtÐ#ØP$…‰Û—Áöe?'›Mô½îß1«PyâÛ5àÏŸËCßùQb‚äö˜W*@“,]7p¹TêÛœ44@¸ºÏàédtïI¿œ“˜zÓôÇ­<à²géá(§×¸¯cj&•ö³û\»ø[ØdˆÅôs€IjOj'Åj‹qÖk#‘( ,@ûÃÛ<ºäLa"Ë6,gÐL“n³¾‰¤¼ÌÜSA1Ьv›L‚ÿC¬IIRÚ_béÒ5Ü|ó e1}Úl"úúƒL›ö¥O¦³éyJJ{ó…ÛðÞûïp¸p#ªFÓv²`Á8^}N§ Ã0p8íèOš9k`åĦë­ ­¸ˆaèøÓÓ G¢¸Lñ’°  øüvnø_Ú>MÁõ·j…²µkÙuBgÛ‰{ð ªM¦©©ÇÝþl‹ó#:±l‰¼Â_[ÂS‡~GÍ©SäL “? ‡¶…M«þÄ_z§ÓIÉÑe¸+ɯLÆ1h¿øÅ-LŸ>Ã0±ÙË–ífõš£x<LS`S$ZÚ *eR0°’p})îܾ Ì÷±æ£Ýì:² #ÖÄžu¿§OV>;G þ÷c ì;2˜ì}©ù¯¥„CQÇ\ÖØ9vî¿.ÙÙ~LÓZÞ755óÌ3ˉD䘬Ⱥ•û²DÓ4òòºÓ&¾ÄŸ?xž;晘†S_Åà™1Ü£2Ov³w݇¼ð»­<ðÝ)}Ê7nG©ƒš#l‰¤µ )Á‹PI²ƒd 7*’”Afæ"† ÎØ1ãÑu×_û3--;øÞ÷iתÿ˜Rß(Y¶h#sç=MqqnùÂ<Þ}û-ŽÛ–ÐHÛ™?ï¾û2²lK¨o91‰ š¦Q_ßÂ+ÞÊûïdÓær\N/‘°ŒÝ‘MFf.|‡ÃŽb³!$ŸózáoBs=èabºwÏ—˜——$i˜†, L,Bœd "±Â4 GâìÝû!‹}Ÿ¢¢¿’žžÎ¢EÿÅÒ¥Ò2û-$tt#“ù#¨h8°Ê"ܽGÓw@Ú6¯â±·¯D–.Ï}l>ñuA$a‚:Õ.#JÚxûý]XädN.™áíŸ% ~ñ‹íüõ¯_ä†&òÁŠ-Ü|Óo‰Å²"'å;R€$¹G ˆRÒÓFãò>ÍúƒB‹mG˜yëÖ3$Ã7r¤0ZʨA‹iŒÏÁ©DE±!K&²lCVT$É ÈŠ‚b³áPmØlvìi~ªªb“%lªŠnÀÞûùhçj ý8Ë–þ ×\sE»výTšI‹žpíµ¿çÈ‘L¾öõ›x÷½·9~lkB#mfþü1¼ûî+Ȳå§X HËœlXï~ïvïiE–3é“?”ëÞ@Vv6n·UµÆh¨¯%®é¦ ÂЉDã„›Ðâq ÓF ¨£(m€Ü^ÙJ #¡Ø|ÂÐ=f4¹¹™|°ì/¾¸ ·ÛÇÒ¥Çùâ—þƒžÝòˆD4dEF``³ù))R)«_F[e9F oaLzŠ{¿6Ḍ& ae×Ù´¸?¦@VüFHɽ´&š ²deä%añ¶UeÍêu|íkOQ]=‚?üþ5¢Qã'ÜÂø+Æ£†$##£HÖË!$,) ¤ö1ѵ›ØuâvtsÂìNlÃ&ú×—‘–•Ü)9Èî7Y]z’œnèÓÀ0 tÃzÙ4ÃÄ4ã˜&h†Ž¡k†F ¦±¡-E7â4¶´P]^‚¦Äé ñÎÛÿÌüW¢iz»iþÄ`Jj¥x\Çn·ñƒ¼ÉæÍQ¾óè¬]»š£‡“¦móçá½÷þÜ®‰TUA’`ýúÃüà‡ï³mkMâ¶/L"77‹@(B]M ÷R_[E( …ÑMÓƒ0Pmq¾8F£¥>„f„ÔFÙ‘Ç)ªîƒ$ÅÜÓÉ’’É—¿r?µ5€ÌÎ…<8]£ÈÎÊä­wÞ ºº·Ë“I[ݦeQ_Û@ï†R<}‡Ñ¯Ç2JVÿŽu…Õø]m 9Ú÷ñ%õŽ"Ù¬¥¸„Å•,iš˜¦ Y’1õ(³f]MŸ¾ùTV¤ÓÜÜÌÎ'¡tïÑ‹Úúz6mÙˆÛ­¶ï 4›¬Àd²‹-~•µ —×ý´EŠÈJ«D3Ò]­”úWÖî» ·#hm­tSXß7&CÇ4ÃÉÙNhÔ$¡Ycš°hÑ`^{í9œNGbnmí‹™O¦$ ÃÄn·±bÅ>~÷Ä ¾q׃ìÝ·—];×¢È4mgHj縨ªÂúõ…üð‡Ëغµ‘ÁC§rßý³e‰£‡±þÃhl¬! €hIt hâ@‡#§3 Cq¬4Ì€ždt]ãÊÁ[(®®'Í#Œ´áteYÔT²¬ÐÒj£W±¤ûý”—— ôí;”×_o wï™hšNUUñØbÑzÀH¬blÚcgÞ­ô9¼“î#†ãKïÆ¤»Y¾ÕK4à¤3#àlmÒTÉX¬ob’rQm in*ÁåRرc/2’ì&3=“'ŽÐPû!’Ôšˆ¡ížIó)-Mù”U–±hJWMÊ!+¬a—uªêâ”VìÃŒ iñó!–r/€8»5ÆBD]1eP¨‰Y³&²`Átn¿}6™™i¨ªÃ0, œBzü‡5“aüâë˜0~.†n²~ýr$©Ã<ÊüùWòÞ{Ï%=ˆÅâ\ý3|ðA Æ_Å7—X Ú½{'ì"ª‚@PKzz¡P5³ggöìE„Ã-D"­Ìž=ƒÙ³gŽh<ùï7³ûàjúôíAm‹¨ÑÊ·nÝM, ž½ÇŸ~ Ó°To]]ƒÿ„î=ú´P_WBff.{ö”P^7Ü0”êš*â±fœŽ*ùÎB\®4 CG’ÝHz5‡Ê£ç‘SD›êhhäd›L±EéÁU‹¾‰jwXo·”äþtÓ4ñx¼¬_·+Wãðû»át;©®.ÇáhcëÖm#==»ÓNUuN§Î?ýÓBT5yÿ¤îKWÀ&¦ çíìÙñW~÷ÊJF”pØÂÕƒ/|ã›Øíîö@kïÊD–!jeöì™Ìž}¡P0%œaí´q:]8.À¢Z›¦Ù)ó‰7œnÞ¾÷½·(<äfñÝãùó_ÿDê¹jöüìgÿœ œ%“§?yh;­cpX"Óµá”êyøŸ憯>ˆ¡ëíÌÄ?Ã0ù—ù?þñ“üô§ËÈëÞ»ÃAeE9·ß>ŸÏ ''—ËMIñI¾ûÝ›ùÿø"šf´ÇÛ>É<µ¶ÞÈSOþ»Åãqsë—“•ÝIƒœKÒÓÓÏ¢@L4MGQ”ö0Jòo"äŸLu˜·ßÿá0w~íavìÚAEy!’Ô‚Çøã#33€÷ßßÇõ×ÿk®½“1£F²k÷GìÚµp¨ hŠÉȰóÐC·ðÀ_Æï÷b·;;=/×HîÜNÆ LÓdÆÌ«ö^1úã³hZaD˜4å*fÏ™‡0uL³c›TS“z“™‘Îöm›€ Ý»§ó§ÿÙDvîL\;Ue@5“&d"‘ªªbN§ƒk¿ð(¿úîzê­8Üvo"df3}ÁƒV S` ãcØ®£Øµ« ȦgÞZ@9={ão[d’––E$*±Û{V(à“†…x½¾÷ýœF•Ö9÷¾»Ž1>}Ï¡iŠDÒ½süël üÄšÉ0t~þ‹µŒ»b.q-Ζ-k¤B”²`Á®¿~¡PˆÿþÅûüæw§¸í¶ûÉÌNç/¯þ‰êªB$)”‘aðío߯·¿ýU23³Këhš–H¶ŠNŒÔ(¹(ƒÜìLþù_¾ßémK?ABUe‚ÁÏ>»!C®ÅÐ4êjË&¦M»†¢¢:2²z †¨¯«lLœ8‡ÃŽ,˨ªΘ2í¾õã·ø×‡nG!F?ÿÍKdffbªµAícƒ“É¿ÕÕU³qc!0š¾}zsªø$`PP0’W_Ý xÉÍëAUM  3eʈD{Tdù“k& ½{qÕìÙ8ìjJ{ÎM+I&jÁ`ýú@½ûô#ŽÐÜxŒ9WãàÁB ˆÏ›Ýî ¦¶SÔ`±Ä=.èüŸWùØ”vçÕÛ&\y ÑhœÍ[V#K„(fþüñ,Xp×^ûßlÝ ,y”ŠŠJ^óOhñj IÚûïþE‹æµ«ß$ˆ>©Søˆª*ƒm<ûÜfzö‡¢(TV•,\8>8In÷(6;•å@Ÿ¯sŸOoSRk&“°Ÿô°þ@€íÛŽÝéÓ§/UUU@)³g#/o(`'=#—ÓAeU)S§'--í|Wú¹àr˜’ªi²,ñþMáa7'ŽgŪ÷Ñbµ˜¢¯·eËþÈ~ô&«Wøæ7æø‰“¼ÿþ«½¤ã¸\'yç§Y°`>ñ¸†Ívá@”J>‹„5Â!ýú ¡¥©‘Æúrœ†!()ic@¿A´4·ÐX_†Çãeñâ/tŠ›œÞ¾¤)N]Áœ«ý––´ÔäÖ­û´¹pyrHó§sâÄT5[nžÊ²e›€ ÒÒÒ‘Ä#5LŸ>Ñu½KRÕ Lg3oOšæ@ õu@a¶±uëIz÷ÉÇ”jj+^oÒé>ÿÓò—Zزy/C^^zòr]ìÞ½›P(‚bó‘žžNSC=N—)SÆY“ó)Yš—J¬= éºÝ®°rå>žøÃan»ív|ôe…@ 6[¿yìG<øàR ¦ÜˆáÃxó¿ÐÒx Y®B–ñÊ+¿#33]×/šF‚÷Âó«‰Ç :”’Òb´xÝ») >œŠ ‰~†ÐØÐDkS^O‹ßД;’dVÄã!ò@ò“••Cyy1²’ƃßúË—¯âx¼Ù(6•ºú„Y×%WrpšfJr”~öó Œ?]‹±eóꄟTÊüùcøëk-¤gNeâÄɼùæß¨©>Œ,×!I‡yï½§X°àºvt!ý£Ó%©׬=‚Ó5„ôôtJŠOµÌ¹z4ÅÅM€Æ€~ý¨­.‚x¼aŽ ã/%W~Ï?ÿ:mÁFòºõ@µÛ©¬¬@–êmÎ<øýi8œ.*«+™:uiié]n% wø­óæýšâ¢,&MÏŠ•ïÕ D9£FÁàÁײrU \ÇÊ•ïS^¾Ei@– y÷ÝÇY°`n"’­\4DZ³‰«gÓæS >–`[["ŽÔÊèÑ}8|8Ьäãv9(«,ʸûî¹ø|éÄ_JJ0hm§ÎËëŽ")Ô×–pÕU£ƒ?üH##-YRˆGj»ìJ@NîÀ•e‰eËö²m{Œ›n¹•M›7Q^V4ãóÕrÝu×ó̳Å|ñÖ/säðAÚ†$µa{yë­_±`Áµhšµ¹ñb™¶¤t˜¸•hq'ÃG §´¬„X´ŠŒ …[oÇÒ¥;4`(¦iRS]Ø™9s’5ÀÑUU@3Ï=÷Ѓìì\›€fÌÀÆ;€t¼ÞL­ Óhj¿GWZÉAB3Y„vÇÛ¬™7SWWËö¥6 Ù³‡s°ÐM~¿I¸=.6lX‰$…â8 ^Á¢EM\< Aª‰;ŠÝ9”ŒôtNj™={4ÅÅ̓*ùúSSWK$\ßcòd+—û:¿¢‹¹?={ô¤¦º ™´µé€·×]µQYYÊÔi]w% kšÇãåK·O¤¸¨”!ƒ†áõy0º~S¦ÜÁ€þyï½7‰Çª0ÍR22êyùåÇ/iÃOTnÚ\ÌèÑãh ´Q]]ÔrýõyýÍhZ!ƒQ][ƒ¯Ãït ^˜`e€-[yôìÙ“ŠÊJ † ª^ÀNFzªÃC[k-Ó¦ ¤.¹’ƒÄj`Μì?°Evðµ¯ÞÇw<Ä]÷<ÄACxûí7h¨;‰,×£(Çyå•ß’••…a\:óVýp€çŸ[G<îeè°¡œ:uŠx¬GâwÝDYiÈ#3;—ªêJ ©SGuò—ΗœžÜmksáòdá÷y)+)Æîˆ0sÆX¶oߤãóxÑba !âîÕÕĦ(hþüq\5k/ÿϿӷßz÷ì…f±£ûim)*¤Ã¼ûîÓ,XpM§Ý Hí[kåwÖ®;†?miiéœ:u¨aæÌèšÌïÿ°”ìÜ™Ømvª*JZ&Mº°Q§é³J2¹«( ;v¢ôêÕ‡ÓNqñIfÍ‚Ïµ‰íÛö#q{½­@—û쌅®"˜–¯½v?¿üå;üö·+)-nÆrΣHR+.WŒ×_Œ ®9#žt±%•Q¹jÕ&Ö­+äê«ÿ‰¦úªªNQ}ôÀN0¨2vPB¡Vê+H¥è&ý¥ó¹’³’»F"¹Ûܼn´˜F Ó¦ÍÀ0$d%°“‘™K}C3ªÝË}÷]ð‰Šp]ŽbƒŽB.—“Ÿþôzè:ž{îMb1 !4Ž÷Ý÷e²²r¼ç‹˜L•ÔÜ׺u‡n 4]íÑHf¦ÉìÙü÷¿a˜ 4˜êêjt½î¬Ýó)IióæB`={ô¤¶®hDU­MŽVù?p‘æÏ ¸á8²m§étA¥€-uÛŠ,[‡Ùdf¦ó½ï-î˜$Óðb&oÏ&©&.hãÙgw0 ÿldEåTÑ ”»ï¾ ©« “¤è:²ŸÓ)ºŠrþb9IIQ¶oßG[›·+› &ûö@U=ÜsÏ ¼øâ_ …êq{&à°+455!ˆrf%ß®%2t>òIU­š<š¦[ÅIukçH’`Ÿ”KiÓ“qœmÛŽÒÒ¢0fÌx*+Ëhn,4®kižçž[KÞ#õœÝó!©d¸mÛvòº÷Æf·S]U†Ûm'áÅãV1 ·Û‡ª(45×ãtĬzK]X::èDQµêuü¨—$Â}º$µR²-¿úÕë(¶>ôîÕ›#‡÷ dfjÌ™=•Õ«· ê ì7ˆ–¦æ¿KÑ=?m³Ú¥ëé@¹9yèZŒ¶À)X²ˆôôŒDûÝ€ŸÏƒÃ馶ºšûî»Çß^9¸+J—ŠÙ[Ôò)Ù¼¥†1£'ŒF(+/*¹ÿþ›‘$•?ÜØé߯ÕµU\HŠnRTU!háé§ÿÈ#=+—†Æf »=Ø~]×ùå uÞ‰R 䙑M,%<Á7¿yii‰gËáT}&àõû8zìPÔ‚Ade[åyži%ñ¨Ä°Áƒ©¯©#ªÅ—bJÁX«Ãç9…’Zƒà™ç^%ØROϽq¨n*«*©Ç®Ò^~93vÕŽ")DBA0Ãü½"]A.{0A‡¯´eËQZ›ýŒ3ŽúÚjë,6ÃŒ™ƒeË”ZGNN&•U%@Ó¦Çï÷]’ L=îÜdfå"Û º¦’©Ó†âó§#e' â°«H²p8„Ã%è®R»t‰.´;Þë tġÅÄ#5ätOçž»o  òÌó«éÙ{²ê¤¢²¨aÒ„^$)'ç{ÙÝÁ¬4Ù¶ó AzZm-0*™2yÉ­K–Xµ/ívŠê ¦¾Žû_ÇãëÒÑo¸ÌÁ”4qªªÐÐÐÌ3Ïïbô˜)hº ¨ä$PÂâoL'7§B"á8áž½új R]WHL¼@ݤHZ›Ùºe/NVf-­m@Õ¡vµu €ÝnGU,‡<ɰîÕu¦ËLÐÁ¦|öù´6LÅŧhn´j̘am ’$‰ç_Z3lÈ`*kjУ5dws1}Úd«³€r’I¶#+9 ;HÏH§¡±Õ•Æý÷ZL[ûyïV±yÙfG‘%„¡‘ZA·«F¿á2ÓélÊuëNáOIvfÇÊ™;oª«J€*ßuÝY«Â¿vZ¿cñ8š®¢Ú=¨ª“ÆÆd9ÖIëtˆ„ÝfGH ˆø?T7òr–ËLɨ²$ÁªU›Y·æ'L¢¡¹òÊb ‰™3‘ܪÕ±uk1ýûĦʉRÍA|~ËW¹Pôbðîÿü ¯Ô‘™‘‰TZZ[‘D´ÓÉ™–XG½+6)Q0¾ëj¢Óå²S'6åúã@O† ̱c‡‰†ªHËйë7–ϲeÛa"a7ýú  ±±…ºš2<>?‹ïº0)”d“`ŽE퀯ׇî pº4ä3¸2  !·Ÿ£÷E.K0ufSyî…0d6YåÄñã@“'u'/¯'ñ¸¥¶m; ( ÈïGMMˆfÜž N×…£œt*Ú*;~:v47Vsïâëñ&Vi× ,Ú‰„ùG)—)˜ …M¹ýÍ 2WŒ½‚ÊÊjjëK€0ëÜ_ƒ¤‘im‘€deeP]UÊ…¦œ$%5, Û².·»]¢©¹‰ÉSGàó§¥ `¢ÂÔðzýlÛ²‡¶@K—&ÆÁe¦Žp€å¨>öØ[ØÔA >”Ç÷ •“•£rïâŽÕ™ª*CAž{a ½ûæ:)«°Niº”“¤¤Þ×4@Åëñ#L-ÚÄÔ‚1œ½Ö’Bë eMQl™ ÿù_vrY€ RÃMlÚÜÀã ÐucÇŽ•|ë[ד‹¦éíàÛ¼i-ýû "ØÚDM}ƒrbµ75`imªt:}„B ˆ c7JjdÙ:ú;®˜˜ØT†uÒx—K¦ä@w„Ö g2~ü9rˆ–ærüéK¾Ù±ÌNFÇ·o?Ø0 ŸŠšjŒX9Ýl…rÉ€eK"`™‰Ëí¢-B(R’Ç”L0'vØè­@]70Mjw`£ùLŸY:vž(47·òÛ߬aÈÐ 8 ÷ä“Ó­]{%kFnÝQ‰ÃÙŸ/ÊòR š{îZpA)'§‹i@,⤥ù‰F£@‡³óó“ýÉS¦iDbQ$t¼7B8ùLçARwžüî‰÷ikµQP0•“E§¨­+©Gú*а¶Ù´ñùý†bªª“”Ñ~ß‹²Ì–½ »HOóÓØÔ€í,Ë$˜ &MÀ›î# ¡ëN·D‡¶íºk¹K ¦N쀶6žx|-½{O ;;›ƒ÷ƒYÌܹƒ˜;÷šÄ) r‡‰Ûq‚hØOÿþ¨©¯§¡¾ÏÆâ»n. å¤sÛ­ßñ¸†¡+¨v76›ƒÆ†Z%~FÀ²#Zn˜:‘h —Ã…$ÙÛÁÖ•õÓ%×Lí쀭Çiiöp優ªª(.;Dxäá;°œX³Óõë)”ü>}¨¬¶R(3fŽ";'·Ý^HÍÔ~ÐÎ ¯nk /;›¬ÒÜ܂̙¤¸öh¹,!Ë1 B[0ˆÛã!³uûDÿºnÁ¯K¦Ó«Ïýê±÷qºû2 >û÷z-9y :Vftzƒ<ûâ&rºÀårS^VŒ•BéÎ…N¡œ.ñ¨ ¨x}i¨ RœÃAV>N+ 0#€I($Ýï4¶mI‚©ëºKª™:‚”ÛX»º˜iÓfÐÚÚBQ©µódÉý ñû3Îp¦#á8¡6ù½û‰…¨¨*»h)”3GÐb x<$YÐÚRË}‹oÆû1…»dY`wÆ8ÁP ^HÇ”¼‰+¤.¿$`:[R¶å3rÄp i+!»›‡o}ë+‰ëäöÞi5ñhœ!C‡RYQE,\‹?-À”-vñr\6¬­KNâÑ(m?ÃîôÒ=š¦ãõfpï=_‰Æ"¸<Àƒ0/ü‰¡Z.¡™ëà,mÚÜ̸±S0 Á±ãG€ î½k2Y™ÙhšŽ$uÞì¸nm!’­/Y™™”—[ à‚ɃñûÓ/7È*?h·«Dã'µÐéÙŠÉ:  Ðu·7›­Û¢Kçç.˜’AÊ?<µšhØË„+¯äèÑ£47–ƒÔÊŒgš¬dH`˶"Š")‰Â§ Ìœ5 ë`KqT„„¢¨‰•Z ¤0%Ûb$ Õ¡`x 4˜—8ÓjbGHà8ÑP:ƒ¤®¾ŽúÚr<~•»;U.þ›-²$c-ÄD‚AÙY¬Ò؉XÓÔI€u2©ë¤ed")™íõºª\Í”ô},Î’ÁäÉT”WPU} òðÃ_:‚”ÐÂuk÷6úå÷£´²¨eÆŒ‘äæv;ïgÇýCC( Dû²þìÏoÓä+ðe8‰„ÚÐ4ì¬L4ÍÞNCî¢Vîâ‚©ƒ³¤`q–JñøÇгGöîßF#9yáN\¤¤$kY>÷ÒfzöjwS^zŠ‹Åª<[?: £,'P Îñ=ë·iè`¶ašš›ÉÌÊA¶ðìóoV «+úM]3u„v²vÍ1fLICC=åå'€ÒD8 ½0’¼Í›÷Ñ\oÒ¿ÿBm-TÖ”2'´:s‘B5ŸÈØÆß 8&¿f³É8\£¡±ž4¿ð‹:>æ]C.˜Î ¼‹Í>€aCs ð Ñp%™Ù6¾ý­¯µ_—ÐÎ,ƒ÷§¼¢-RKn•éÓ&&¾sqBvòÆã€„¬ÈVÖ“s[¡i^o÷Þó ¶`ˆ´4I,žÔF]3Öt‘Í\*g©ž+¯(@ÓãœÉ&ªª¢SS[MVv غåPbºÞ*Lgp–žXKÏ^W’“ˡ½ ÎÒ@æÎÝÎYJ~¯ÃǪcãæ“ 2E‘)++š™5k4—.ê É•ˆçßÚÊtî1¿?iÓÆ-ÔÕW“““t'®{Úïý¹f:‹tp–NÒÒäaâ„)TWWsªä呇¿L*g)éÿ´s†^\J<¢0bèêꨯ-Ãã—¸ûÖ1¤—*Ÿ%Iâ´3â’Ÿ•s|GB×5@aÒø~@ M!“—ן§žYI0ê’NøÓY9Kž| ìÏÞ}»@¯#'/DAA2N$wúnò{­Í —ž½zRV^ T3cƈKõN¶ÑÀÔÛ%%Z/ŸsX…èо“&ÉAMM5±x„Þ}ú Ú‰Fâ‰k»Övñ ®™,Ó%±rå.Ö®.媳iin¦¸ä8PÌ’û$8KÖÒ>y*'$£Þ!ž}a½zÄ®z(+)jS¢ÞÚ§mÚgËTeP0e FÉbÞâäÛÔÝ”‚qøü"¡š›šÈÏH<åù—V$¼+ùM L§k¥_?¶»s C‡ 㣽{ ËÈÌVøv;g©#H™zJÒÖ­…´4Æ8h@5e€`⤎UÜÅËTé€LÁä+ 1-Ž¢¨€Óè0Q§Y,0ú™6m$Ð@ye9ݺe9´6w˜ûÏ5SB:´ÒNÖ¬.cÆô« ‡‚œ8q(ã[ßšÖ ej=Ëõë÷† DYYF¬šÜ2Ó§M²:pQ‰p´·¯ãs0ˆF#8*`ï”ý?[Û:ùMz5ÔÕÔâP=tË̳/®% ¶Wî*€º `:C+ýfvç`FÉî= ”™£ðí­“’±—ÔoO쾸•ì¼Q¸=.ŠJŠ€Jî¾s^oÚEz'¥s;Á¢àq8]@&[·íÅ*Da;+Rý&+¯¨PVUL0ÒFÿACii0Ùº­ Qq¸k˜º ¦™:´ÒÖ¬*eÚôÙ„BÁÄùp¥|ëÁ¹d¦0)“’“Ú¼yMõ‚AD¨¬,`æÌ+KõNi©ÕO½‰„ðxœ8<ÙlÝr€À9 Q¤úMÓ§M$·»ƒX¨Žšªjú÷عk9áçL§×¤|ì7˰©ƒ3r{÷ï¶´R¶|N­Ô‘Ø=¨ 2ŒòŠ ¢ájr{¨LI9èïR t;7iÊ•€‹æ¦&ÉŽ×åBRº!Iö¿{]7ðzýÜý@9Å¥¥ädgâKÎó/m't)SwA4S²üÊU[X½ªˆ‚)3ˆÇ5Ž=TðíoÏ?«VJJGb·§{(þô4JJOåÜ}ç |¾´N«¿K2p©D·t/uuDâq|¾ ´¸D<~n¢›¥U­Ï3gŽLŠJŽ£ë:C ±Ö`ûŽ#íãÙ伂©ãøSëßÖº3nìhÒÚRŽ?=Î’oÞ œ©•:|­ŽÄîÐ!ÃÑ4âÒS€ÄÌ™W´çRúIF Ó¨# ¢ëz÷éE,ÜÂ3Ͻ•ø»ñwý¦©SÆ’kl©¤´¢œ#F~{ìUk’ä®À<¯`JMè65·ðÔs»1j&22…‡ö5g¡8]’‰Ýþ¸ŽXÔΈá鮨"¨J˜8ëàKi⬾Z€JOÏ`êôјZ#‘P„̬À‰·§\{ö]²¿^¯Ÿ\Tpüø1²³sÈÎÉæ-UÔÕÕvl1¿ÌMÝy×LíÇŸ>¾”@“`òĉ;YDScH5›ÐMJjb×nïCNNÅ¥'Rî¾s>Ÿÿ’›¸ä³“±¦)‡uÔÖ×’îOòزý(`|ìŠ.y¤vzàþp{MNœ}G±qS í »œå¼‚)õˆ §«ùùùìÛ¿Œ눊'UN?[nýºc(j>Ýóºqªè8PŤ‰=HKK¿¤‰ÝÓ%Ù§SÅíRßXC4¤ÿ@œÛ¿E²ßwc!””ÑÔÜÈèQ£‰EÏ¥äê.õKt.9f®ƒß½m[='N'j£´ì8PÆK%vœÝWê8[n=kVïc̨+Ð “¢â@”G¹ 1ÍË+ùimðqßÝó0õR›[ÈÍκ±ã£rþž‰êXÉBnn.Ó¦³’SÅ¥ôêÝÈ$î»VÎ ˜¬ãØ-õô³k ‡|Œ5œÃ‡ ”ãõÃK¬ åé¹´Žp‚õ{ÇG †EUU%–Rr{Ø™O>ó.Á`ÛeO˜;ošÉ²û‚í»ŠèÛM 4µÖ- 蟋Óé<ë÷RKåüþÉ7hn1fôhšÎ©¢Ã@”3-òÜå°ŠK•dÛZe3}ÚPj«JˆG#ôëÛÈfÆ£$“¾É>Ÿ> àšlß±pGf·×o-XºÀÙtçÍg’$h 4³eónzvïESs Z$’žÝÑÖÖÖ>x©<MÓ±Ûm477ð»Ç×€2œáCStò$¡¶Ì»ns¯½ª=b|9ªù¤Æ¼jö` šâ² zõι'›·œ ¡¡áŒÕX*³B×õÄ.ç¬\¾ätdIB±Ù©¯k䛋oüØâa—“œWÜçÏ`ÆŒID£‘ ¢¸´™lÜ´°V$ñ¸Ö®TÕ†®ÇøêÿNK£‹‘ÃÇàö¦±ÿà ™‡²öÒ%}ªËI3%¥c5v5.àðáB²³²èÓg ¡6O=cÕÐu£Ó‹$„@×ul6ÃÐyì±?½/™Y98nZZëHK?w4ýr‘óæ3Yà¸òŠ^TÕT“–ž…lw ‹›n¹÷—.EUUl6‹U©iQ6nÚÂì«ïaÙ{'p83þʉ””SSµ¹× bîÜ)ít–ËQ:¯Ær˜6­%Ň ¶µ1tÈH ?¾”¦æFìv±X]×Ûµ™,+D"!n¸é ¬^uÅ1 „ƒ!‡ÑÐØ„ÛÕÌ}‹gþÆÏ*çÍgJNö¤ÉýˆÇZðz=d¤ç€áBRú‚9ŒëÝÆ¼7òØoÇôŸôÊŸÆÕ×<Ħƒ cܸIdeç²}Ç ŠG¾žÔÌåüV&ÓC~çF ’ƒ‡Ó¯_üýij°óµ¯ÿ]ápرÙl e°lù2²»õcù²BÇ$Œ¸›¬¬ÞŒ5‚í;¶1z´“Üܬ‹RAø³Êy‰Ñ[9&ëóœÙÃhmYJ µ±c'°vM%Â00;²­+—Ÿ`åòBÀôGRrÕFœÄìÙsøpãª+?dÑØ{íäN@½œ%Y£|¸æÚX¿a#WŒÇÐ!£Ø¹£ŠeïïdÁ¢{™={‘H„x<Îó/¾FK“†ˆâè¡¥!«¹Ìš9—P(JqÉ>~û[k;W²zÌå,ç5ác&>¯›§Ÿ^À£®â‹·…H8ÄŽ›0â.„ìER{"ËLÆ0|þÞL)˜Å•WŒeÓÆMlÙô ®Â[oü+¦ÙÁù¹œßȤ”¬Žòè£ X½êq:ÈÄ “(*:DCcŒÕ+³jŇ@ P¾È¶nHj:†æÁnÏeÎìy :„ÿþåñÏÿ:œ¹×\¦¨êå_ëRç±…ÉÁ”$¸þ†'9P˜Å-7ÝJC]%[wn§®¶œx\Ãf³‘““Cÿ~C;f4ѨÆo¾AsË^~ðƒ™üÓwàñxo£|ñŽ®øÌ}O ª$Xxòì½fîºç{hZŒ·ßz`¸›¢ ]äxèÞm ×^;—Œ´,ž|êIf]Ë—~I²u‰ Î#˜Roc›Mæwr×â Œ1áÃ")6dI%haó–­œ:¹“©32øù-bú´hš¢ÈȲÔ%€tú¦0XxýïX»:Âý÷=D4cÍÚUTUŸBÓâ dvyÝz1fô8Bá¡“ìܵ‚û—ôå»ÿ2ÇÝ)”r¹Ãy×LɎ뺉ª*|°bË?(aÇ-Ä£Â08ª#F,VÍM7áúE#˜7w ¦)0 £}µ×ðlýo?TG˜,¼áqV,«cÑ¢o0`@>z 0) { Sierpinski(A,s/2,q-1,false); Sierpinski((A+B)/2,s/2,q-1,false); Sierpinski((A+C)/2,s/2,q-1,false); } } Sierpinski((0,1),1,5); asymptote-2.62/examples/grid.asy0000644000000000000000000000011413607467113015453 0ustar rootrootimport math; size(100,0); add(shift(-5,-5)*grid(10,10)); dot((0,0),red); asymptote-2.62/examples/interpolate1.asy0000644000000000000000000001133113607467113017140 0ustar rootroot// Lagrange and Hermite interpolation in Asymptote // Author: Olivier Guibé import interpolate; import graph; // Test 1: The Runge effect in the Lagrange interpolation of 1/(x^2+1). unitsize(2cm); real f(real x) {return(1/(x^2+1));} real df(real x) {return(-2*x/(x^2+1)^2);} real a=-5, b=5; int n=15; real[] x,y,dy; x=a+(b-a)*sequence(n+1)/n; y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=diffdiv(x,y); fhorner p=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}L_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\frac{1}{x^2+1}$"); xlimits(-5,5); ylimits(-1,1,Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge1"); erase(); // Test 2: The Runge effect in the Hermite interpolation of 1/(x^2+1). real f(real x) {return(1/(x^2+1));} real df(real x) {return(-2*x/(x^2+1)^2);} real a=-5, b=5; int n=16; real[] x,y,dy; x=a+(b-a)*sequence(n+1)/n; y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=hdiffdiv(x,y,dy); fhorner ph=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}H_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\frac{1}{x^2+1}$"); unitsize(2cm); xlimits(-5,5); ylimits(-1,5,Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge2"); erase(); // Test 3: The Runge effect does not occur for all functions: // Lagrange interpolation of a function whose successive derivatives // are bounded by a constant M (here M=1) is shown here to converge. real f(real x) {return(sin(x));} real df(real x) {return(cos(x));} real a=-5, b=5; int n=16; real[] x,y,dy; x=a+(b-a)*sequence(n+1)/n; y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=diffdiv(x,y); fhorner p=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}L_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\cos(x)$"); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge3"); erase(); // Test 4: However, one notes here that numerical artifacts may arise // from limit precision (typically 1e-16). real f(real x) {return(sin(x));} real df(real x) {return(cos(x));} real a=-5, b=5; int n=72; real[] x,y,dy; x=a+(b-a)*sequence(n+1)/n; y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=diffdiv(x,y); fhorner p=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}L_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\cos(x)$"); ylimits(-1,5,Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge4"); erase(); // Test 5: The situation is much better using Tchebychev points. unitsize(2cm); real f(real x) {return(1/(x^2+1));} real df(real x) {return(-2*x/(x^2+1)^2);} real a=-5, b=5; int n=16; real[] x,y,dy; fhorner p,ph,ph1; for(int i=0; i <= n; ++i) x[i]=(a+b)/2+(b-a)/2*cos((2*i+1)/(2*n+2)*pi); y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=diffdiv(x,y); fhorner p=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}T_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\frac{1}{x^2+1}$"); xlimits(-5,5); ylimits(-1,2,Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge5"); erase(); // Test 6: Adding a few more Tchebychev points yields a very good result. unitsize(2cm); real f(real x) {return(1/(x^2+1));} real df(real x) {return(-2*x/(x^2+1)^2);} real a=-5, b=5; int n=26; real[] x,y,dy; for(int i=0; i <= n; ++i) x[i]=(a+b)/2+(b-a)/2*cos((2*i+1)/(2*n+2)*pi); y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=diffdiv(x,y); fhorner p=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}T_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\frac{1}{x^2+1}$"); xlimits(-5,5); ylimits(-1,2,Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge6"); erase(); // Test 7: Another Tchebychev example. unitsize(2cm); real f(real x) {return(sqrt(abs(x-1)));} real a=-2, b=2; int n=30; real[] x,y,dy; for(int i=0; i <= n; ++i) x[i]=(a+b)/2+(b-a)/2*cos((2*i+1)/(2*n+2)*pi); y=map(f,x); dy=map(df,x); for(int i=0; i <= n; ++i) dot((x[i],y[i]),5bp+blue); horner h=diffdiv(x,y); fhorner p=fhorner(h); draw(graph(p,a,b,n=500),"$x\longmapsto{}T_{"+string(n)+"}$"); draw(graph(f,a,b),red,"$x\longmapsto{}\sqrt{|x-1|}$"); xlimits(-2,2); ylimits(-0.5,2,Crop); xaxis("$x$",BottomTop,LeftTicks); yaxis("$y$",LeftRight,RightTicks); attach(legend(),point(10S),30S); shipout("runge7"); asymptote-2.62/examples/filesurface.asy0000644000000000000000000000171313607467113017024 0ustar rootrootimport graph3; import palette; size3(200,IgnoreAspect); file in=input("filesurface.dat").line(); real[] x=in; real[] y=in; real[][] f=in; triple f(pair t) { int i=round(t.x); int j=round(t.y); return (x[i],y[j],f[i][j]); } surface s=surface(f,(0,0),(x.length-1,y.length-1),x.length-1,y.length-1); real[] level=uniform(min(f)*(1-sqrtEpsilon),max(f)*(1+sqrtEpsilon),4); s.colors(palette(s.map(new real(triple v) {return find(level >= v.z);}), Rainbow())); draw(s,meshpen=thick(),render(merge=true)); triple m=currentpicture.userMin(); triple M=currentpicture.userMax(); triple target=0.5*(m+M); xaxis3("$x$",Bounds,InTicks); yaxis3("$y$",Bounds,InTicks(Step=1,step=0.1)); zaxis3("$z$",Bounds,InTicks); /* picture palette; size3(palette,1cm); draw(palette,unitcube,red); frame F=palette.fit3(); add(F,(M.x,m.y,m.z)); */ currentprojection=perspective(camera=target+realmult(dir(68,225),M-m), target=target); asymptote-2.62/examples/floor.asy0000644000000000000000000000076613607467113015664 0ustar rootrootimport graph; unitsize(1cm); real Floor(real x) {return floor(x);} pair[] Close; pair[] Open; bool3 branch(real x) { static real lasty; static bool first=true; real y=floor(x); bool samebranch=first || lasty == y; first=false; if(samebranch) lasty=x; else { Close.push((x,lasty)); Open.push((x,y)); } lasty=y; return samebranch ? true : default; }; draw(graph(Floor,-5.5,5.5,500,branch)); axes("$x$",rotate(0)*"$\lfloor x\rfloor$",red); dot(Close); dot(Open,UnFill); asymptote-2.62/examples/spring.asy0000644000000000000000000000123713607467113016037 0ustar rootrootpair coilpoint(real lambda, real r, real t) { return (2.0*lambda*t+r*cos(t),r*sin(t)); } guide coil(guide g=nullpath, real lambda, real r, real a, real b, int n) { real width=(b-a)/n; for(int i=0; i <= n; ++i) { real t=a+width*i; g=g..coilpoint(lambda,r,t); } return g; } void drawspring(real x, string label) { real r=8; real t1=-pi; real t2=10*pi; real lambda=(t2-t1+x)/(t2-t1); pair b=coilpoint(lambda,r,t1); pair c=coilpoint(lambda,r,t2); pair a=b-20; pair d=c+20; draw(a--b,BeginBar(2*barsize())); draw(c--d); draw(coil(lambda,r,t1,t2,100)); dot(d); pair h=20*I; draw(label,a-h--d-h,red,Arrow,Bars,PenMargin); } asymptote-2.62/examples/strokeshade.asy0000644000000000000000000000025013607467113017043 0ustar rootrootsize(100); guide g=(0,0)..controls(70,30) and (-40,30)..(30,0); latticeshade(g,stroke=true,linewidth(10), new pen[][] {{red,orange,yellow},{green,blue,purple}}); asymptote-2.62/examples/wedge.asy0000644000000000000000000000116413607467113015627 0ustar rootrootimport graph3; import solids; size(0,150); currentprojection=perspective(8,10,2); currentlight=White; draw(circle(O,4,Z)); draw(shift(-4Z)*scale(4,4,8)*unitcylinder,green+opacity(0.2)); triple F(real x){return (x,sqrt(16-x^2),sqrt((16-x^2)/3));} path3 p=graph(F,0,4,operator ..); path3 q=reverse(p)--rotate(180,(0,4,4/sqrt(3)))*p--cycle; render render=render(merge=true); draw(surface(q--cycle),red,render); real t=2; path3 triangle=(t,0,0)--(t,sqrt(16-t^2),0)--F(t)--cycle; draw(surface(triangle),blue,render); xaxis3("$x$",Arrow3,PenMargin3(0,0.25)); yaxis3("$y$",Arrow3,PenMargin3(0,0.25)); zaxis3("$z$",dashed,Arrow3); asymptote-2.62/examples/threeviews.asy0000644000000000000000000000110013607467113016707 0ustar rootrootimport three; picture pic; unitsize(pic,5cm); if(settings.render < 0) settings.render=4; settings.toolbar=false; viewportmargin=(1cm,1cm); draw(pic,scale3(0.5)*unitsphere,green,render(compression=Low,merge=true)); draw(pic,Label("$x$",1),O--X); draw(pic,Label("$y$",1),O--Y); draw(pic,Label("$z$",1),O--Z); // Europe and Asia: //addViews(pic,ThreeViewsFR); //addViews(pic,SixViewsFR); // United Kingdom, United States, Canada, and Australia: addViews(pic,ThreeViewsUS); //addViews(pic,SixViewsUS); // Front, Top, Right, // Back, Bottom, Left: //addViews(pic,SixViews); asymptote-2.62/examples/galleon.asy0000644000000000000000000000076313607467113016161 0ustar rootrootimport obj; size(15cm); currentprojection=orthographic(0,2,5,up=Y); // A compressed version of the required data file may be obtained from: // http://www.cs.technion.ac.il/~irit/data/Viewpoint/galleon.obj.gz pen[] surfacepen={darkred,brown,darkred+orange,heavyred,heavyred,darkred+orange, palegreen+blue+lightgrey,darkred,darkred,yellow,darkred,white, white,white,white,white,white}; surfacepen.cyclic=true; draw(obj("galleon.obj",verbose=false,surfacepen)); asymptote-2.62/examples/soccerball.asy0000644000000000000000000000514213607467113016645 0ustar rootrootimport graph3; size(400); currentlight.background=palegreen; defaultrender=render(compression=Zero,merge=true); real c=(1+sqrt(5))/2; triple[] z={(c,1,0),(-c,1,0),(-c,-1,0),(c,-1,0)}; triple[] x={(0,c,1),(0,-c,1),(0,-c,-1),(0,c,-1)}; triple[] y={(1,0,c),(1,0,-c),(-1,0,-c),(-1,0,c)}; triple[][] Q={ {z[0],y[1],x[3],x[0],y[0],z[3]}, {z[1],x[0],x[3],y[2],z[2],y[3]}, {z[2],z[1],y[2],x[2],x[1],y[3]}, {z[3],z[0],y[0],x[1],x[2],y[1]}, {x[0],x[3],z[1],y[3],y[0],z[0]}, {x[1],x[2],z[2],y[3],y[0],z[3]}, {x[2],x[1],z[3],y[1],y[2],z[2]}, {x[3],x[0],z[0],y[1],y[2],z[1]}, {y[0],y[3],x[1],z[3],z[0],x[0]}, {y[1],y[2],x[2],z[3],z[0],x[3]}, {y[2],y[1],x[3],z[1],z[2],x[2]}, {y[3],y[0],x[0],z[1],z[2],x[1]} }; int nArc=4; path3 p=Arc(O,Q[0][0],Q[0][1],nArc); real R=abs(point(p,reltime(p,1/3))); triple[][] P; for(int i=0;i < Q.length;++i){ P[i]=new triple[] ; for(int j=0;j < Q[i].length;++j){ P[i][j]=Q[i][j]/R; } } // FIXME: Use a baryicentric coordinate mesh surface sphericaltriangle(triple center, triple A, triple B, triple C, int nu=3, int nv=nu) { path3 tri1=Arc(center,A,B,nArc); path3 tri2=Arc(center,A,C,nArc); path3 tri3=Arc(center,B,C,nArc); triple tri(pair p) { path3 cr=Arc(O,relpoint(tri2,p.x),relpoint(tri3,p.x),nArc); return relpoint(cr,p.y); }; return surface(tri,(0,0),(1-sqrtEpsilon,1),nu,nv,Spline); } for(int i=0;i < P.length;++i){ triple[] pentagon=sequence(new triple(int k) { path3 p=Arc(O,P[i][0],P[i][k+1],nArc); return point(p,reltime(p,1/3)); },5); pentagon.cyclic=true; draw(sequence(new path3(int k) { return Arc(O,pentagon[k],pentagon[k+1],nArc);},5),linewidth(2pt)); triple M=unit(sum(pentagon)/5); for(int i=0;i < 5;++i){ surface sf=sphericaltriangle(O,pentagon[i],M,pentagon[i+1]); draw(sf,black); } } for(int i=0;i < P.length;++i) { for(int j=1;j <= 5;++j) { triple K=P[i][0]; triple A=P[i][j]; triple B=P[i][(j % 5)+1]; path3[] p={Arc(O,K,A,nArc),Arc(O,A,B,nArc),Arc(O,B,K,nArc)}; draw(subpath(p[0],reltime(p[0],1/3),reltime(p[0],2/3)),linewidth(4pt)); triple[] hexagon={point(p[0],reltime(p[0],1/3)), point(p[0],reltime(p[0],2/3)), point(p[1],reltime(p[1],1/3)), point(p[1],reltime(p[1],2/3)), point(p[2],reltime(p[2],1/3)), point(p[2],reltime(p[2],2/3))}; hexagon.cyclic=true; triple M=unit(sum(hexagon)/6); for(int i=0;i < 6;++i) { surface sf=sphericaltriangle(O,hexagon[i],M,hexagon[i+1]); draw(sf,white); } } } asymptote-2.62/examples/RiemannSurfaceRoot.asy0000644000000000000000000000060213607467113020276 0ustar rootroot// Riemann surface of z^{1/n} import graph3; import palette; int n=3; size(200,300,keepAspect=false); currentprojection=orthographic(10,10,30); currentlight=(10,10,5); triple f(pair t) {return (t.x*cos(t.y),t.x*sin(t.y),t.x^(1/n)*sin(t.y/n));} surface s=surface(f,(0,0),(1,2pi*n),8,16,Spline); s.colors(palette(s.map(zpart),Rainbow())); draw(s,meshpen=black,render(merge=true)); asymptote-2.62/examples/smoothelevation.asy0000644000000000000000000000101013607467113017742 0ustar rootrootimport graph3; import grid3; import palette; currentlight=Viewport; if(settings.render <= 0) settings.prc=false; currentprojection=orthographic(1,2,13); size(400,300,IgnoreAspect); real f(pair z) {return cos(2*pi*z.x)*sin(2*pi*z.y);} surface s=surface(f,(-1/2,-1/2),(1/2,1/2),20,Spline); s.colors(palette(s.map(zpart),Rainbow())); draw(s); scale(true); xaxis3(Label("$x$",0.5),Bounds,InTicks); yaxis3(Label("$y$",0.5),Bounds,InTicks); zaxis3(Label("$z$",0.5),Bounds,InTicks(beginlabel=false)); grid3(XYZgrid); asymptote-2.62/examples/roll.asy0000644000000000000000000000026613607467113015506 0ustar rootrootimport graph3; size(200,0); triple f(pair t) { return(t.x+t.y/4+sin(t.y),cos(t.y),sin(t.y)); } surface s=surface(f,(0,0),(2pi,2pi),7,20,Spline); draw(s,olive,render(merge=true)); asymptote-2.62/examples/conicurv.asy0000644000000000000000000000336413607467113016370 0ustar rootroot// Original name : conicurv.mp // Author : L. Nobre G. // Translators : J. Pienaar (2004) and John Bowman (2005) import three; texpreamble("\usepackage{bm}"); size(300,0); currentprojection=perspective(10,-5,5.44); real theta=30, width=3, shortradius=2, bord=2, refsize=1, vecsize=2; real height=0.3, anglar=1.75, totup=3; real longradius=shortradius+width*Cos(theta), updiff=width*Sin(theta); triple iplow=(0,shortradius,0), iphig=(0,longradius,updiff); triple oplow=(-shortradius,0,0), ophig=(-longradius,0,updiff); triple aplow=-iplow, aphig=(0,-longradius,updiff); triple eplow=-oplow, ephig=(longradius,0,updiff); triple anglebase=(0,longradius,0), centre=interp(iplow,iphig,0.5)+(0,0,height); triple central=(0,0,centre.z), refo=(0,0.5*centre.y,centre.z); triple refx=refsize*(0,Cos(theta),Sin(theta)); triple refy=refsize*(0,-Sin(theta),Cos(theta)); draw("$\theta$",arc(iplow,iplow+0.58*(iphig-iplow),anglebase),E); draw(central,linewidth(2bp)); draw(iplow--iphig); draw(oplow--ophig); draw(aplow--aphig); draw(eplow--ephig); draw(iphig--anglebase--aplow,dashed); draw(oplow--eplow,dashed); draw(central--centre,dashed); draw((0,0,-bord)--(0,longradius+bord,-bord)--(0,longradius+bord,totup) --(0,0,totup)--cycle); draw(Label("$y$",1),refo--refo+refy,SW,Arrow3); draw(Label("$x$",1),refo--refo+refx,SE,Arrow3); draw(Label("$\vec{R}_N$",1),centre--centre+vecsize*refy,E,Arrow3); draw(Label("$\vec{F}_a$",1),centre--centre+vecsize*refx,N,Arrow3); draw(Label("$\vec{F}_c$",1),centre--centre+vecsize*Y,NE,Arrow3); draw(Label("$\vec{P}$",1),centre--centre-vecsize*Z,E,Arrow3); draw(Label("$\vec{v}$",1),centre--centre+vecsize*X,E,Arrow3); draw(centre,10pt+blue); draw(circle((0,0,updiff),longradius),linewidth(2bp)); draw(circle(O,shortradius),linewidth(2bp)); asymptote-2.62/examples/pipeintersection.asy0000644000000000000000000000055213607467113020120 0ustar rootrootimport graph3; currentprojection=orthographic(5,4,2); size(12cm,0); real f(pair z) {return min(sqrt(1-z.x^2),sqrt(1-z.y^2));} surface s=surface(f,(0,0),(1,1),40,Spline); transform3 t=rotate(90,O,Z), t2=t*t, t3=t2*t, i=xscale3(-1)*zscale3(-1); draw(surface(s,t*s,t2*s,t3*s,i*s,i*t*s,i*t2*s,i*t3*s),blue, render(compression=Low,closed=true,merge=true)); asymptote-2.62/examples/cylinder.asy0000644000000000000000000000022213607467113016337 0ustar rootrootimport solids; size(0,100); currentlight=Viewport; revolution r=cylinder(O,1,1.5,Y+Z); draw(surface(r),green,render(merge=true)); draw(r,blue); asymptote-2.62/examples/xxsq01.asy0000644000000000000000000000134713607467113015703 0ustar rootrootimport graph3; import solids; size(0,150); currentprojection=perspective(0,0,10,up=Y); pen color=green; real alpha=250; real f(real x) {return x^2;} pair F(real x) {return (x,f(x));} triple F3(real x) {return (x,f(x),0);} path p=graph(F,0,1,n=10,operator ..)--cycle; path3 p3=path3(p); revolution a=revolution(p3,X,-alpha,0); render render=render(compression=0,merge=true); draw(surface(a),color,render); surface s=surface(p); draw(s,color,render); draw(rotate(-alpha,X)*s,color,render); draw(p3,blue); xaxis3(Label("$x$",1),xmax=1.25,dashed,Arrow3); yaxis3(Label("$y$",1),Arrow3); dot(Label("$(1,1)$"),(1,1,0),X+Y); arrow("$y=x$",(0.7,0.7,0),Y,0.75cm,red); arrow("$y=x^2$",F3(0.7),X,0.75cm,red); draw(arc(1.1X,0.3,90,90,3,-90),Arrow3); asymptote-2.62/examples/Gouraud.asy0000644000000000000000000000060013607467113016134 0ustar rootrootsize(200); pen[] p={red,green,blue,magenta}; pair[] z={(-1,0),(0,0),(0,1),(1,0)}; int[] edges={0,0,0,1}; gouraudshade(z[0]--z[2]--z[3]--cycle,p,z,edges); draw(z[0]--z[1]--z[2]--cycle); draw(z[1]--z[3]--z[2],dashed); dot(Label,z[0],W); dot(Label,z[1],S); dot(Label,z[2],N); dot(Label,z[3],E); label("0",z[0]--z[1],S,red); label("1",z[1]--z[2],E,red); label("2",z[2]--z[0],NW,red); asymptote-2.62/examples/bars3.asy0000644000000000000000000000076113607467113015550 0ustar rootrootimport three; import palette; import graph3; size(300); currentprojection=perspective(-30,-30,30,up=Z); surface s; for(int i = 0; i < 10; ++i) { for(int j = 0; j < 10; ++j) { s.append(shift(i,j,0)*scale(1,1,i+j)*unitcube); } } s.colors(palette(s.map(zpart),Rainbow())); draw(s,meshpen=black+thick(),nolight,render(merge=true)); xaxis3("$x$",Bounds,InTicks(endlabel=false,Label,2,2)); yaxis3(YZ()*"$y$",Bounds,InTicks(beginlabel=false,Label,2,2)); zaxis3(XZ()*"$z$",Bounds,InTicks); asymptote-2.62/examples/SierpinskiGasket.asy0000644000000000000000000000152113607467113020010 0ustar rootrootsize(200); import palette; import three; currentprojection=perspective(8,2,1); triple[] M={(0,0,1),1/3*(sqrt(8),0,-1), 1/3*((sqrt(8))*Cos(120),(sqrt(8))*Sin(120),-1), 1/3*((sqrt(8))*Cos(240),(sqrt(8))*Sin(240),-1)}; int level=5; surface s; void recur(triple p, real u, int l) { if(l < level) for(triple V : M) recur(p+u*V,u/2,l+1); else for(triple V : M) { s.append(surface((p+u*(V+M[0]))--(p+u*(V+M[1]))--(p+u*(V+M[2]))--cycle)); s.append(surface((p+u*(V+M[0]))--(p+u*(V+M[2]))--(p+u*(V+M[3]))--cycle)); s.append(surface((p+u*(V+M[0]))--(p+u*(V+M[3]))--(p+u*(V+M[1]))--cycle)); s.append(surface((p+u*(V+M[3]))--(p+u*(V+M[2]))--(p+u*(V+M[1]))--cycle)); } } recur(O,0.5,1); s.colors(palette(s.map(zpart),Rainbow())); draw(s,render(merge=true)); asymptote-2.62/examples/fillcontour.asy0000644000000000000000000000107613607467113017076 0ustar rootrootimport graph; import palette; import contour; size(12cm,IgnoreAspect); pair a=(pi/2,0); pair b=(3pi/2,2pi); real f(real x, real y) {return cos(x)*sin(y);} int N=100; int Divs=10; defaultpen(1bp); bounds range=bounds(-1,1); real[] Cvals=uniform(range.min,range.max,Divs); guide[][] g=contour(f,a,b,Cvals,N,operator --); pen[] Palette=quantize(Rainbow(),Divs); pen[][] interior=interior(g,extend(Palette,grey,black)); fill(g,interior); draw(g); palette("$f(x,y)$",range,point(SE)+(0.5,0),point(NE)+(1,0),Right,Palette, PaletteTicks("$%+#0.1f$",N=Divs)); asymptote-2.62/examples/contextfonts.asy0000644000000000000000000000037713607467113017277 0ustar rootrootsettings.tex="context"; // Work around ConTeXT bug for font sizes less than 12pt: texpreamble("\setupbodyfont[8pt]"); usetypescript("iwona"); usetypescript("antykwa-torunska"); label("$A$",0,N,font("iwona")); label("$A$",0,S,font("antykwa",8pt)+red); asymptote-2.62/examples/impact.asy0000644000000000000000000000114213607467113016005 0ustar rootroot// Contributed by Philippe Ivaldi. // http://www.piprime.fr/ import graph3 ; import contour; size (6cm,0); currentprojection=orthographic(1,1,1) ; real rc=1, hc=2, c=rc/hc; draw(shift(hc*Z)*scale(rc,rc,-hc)*unitcone,blue); triple Os=(0.5,0.5,1); real r=0.5; draw(shift(Os)*scale3(r)*unitsphere,red); real a=1+1/c^2; real b=abs(Os)^2-r^2; real f(pair z) { real x=z.x, y=z.y; return a*x^2-2*Os.x*x+a*y^2-2*Os.y*y-2*Os.z*sqrt(x^2+y^2)/c+b; } real g(pair z){return (sqrt(z.x^2+z.y^2))/c;} draw(lift(g,contour(f,(-rc,-rc),(rc,rc),new real[]{0})),linewidth(2bp)+yellow); axes3("$x$","$y$","$z$",Arrow3); asymptote-2.62/examples/alignbox.asy0000644000000000000000000000036513607467113016341 0ustar rootrootreal margin=1.5mm; object left=align(object("$x^2$",ellipse,margin),W); add(left); object right=align(object("$\sin x$",ellipse,margin),4E); add(right); add(new void(frame f, transform t) { draw(f,point(left,NE,t)--point(right,W,t)); }); asymptote-2.62/examples/planeproject.asy0000644000000000000000000000064213607467113017222 0ustar rootrootimport graph3; size3(200,IgnoreAspect); currentprojection=orthographic(4,6,3); real x(real t) {return 1+cos(2pi*t);} real y(real t) {return 1+sin(2pi*t);} real z(real t) {return t;} path3 p=graph(x,y,z,0,1,operator ..); draw(p,Arrow3); draw(planeproject(XY*unitsquare3)*p,red,Arrow3); draw(planeproject(YZ*unitsquare3)*p,green,Arrow3); draw(planeproject(ZX*unitsquare3)*p,blue,Arrow3); axes3("$x$","$y$","$z$"); asymptote-2.62/examples/labelbox.asy0000644000000000000000000000041013607467113016315 0ustar rootrootsize(0,100); real margin=2mm; pair z1=(0,1); pair z0=(0,0); object Box=draw("small box",box,z1,margin); object Ellipse=draw("LARGE ELLIPSE",ellipse,z0,margin); add(new void(frame f, transform t) { draw(f,point(Box,SW,t){SW}..{SW}point(Ellipse,NNE,t)); }); asymptote-2.62/examples/sphere.asy0000644000000000000000000000017613607467113016024 0ustar rootrootimport three; size(200); currentprojection=orthographic(5,4,3); draw(unitsphere,green,render(compression=Zero,merge=true)); asymptote-2.62/examples/triangles.asy0000644000000000000000000000067113607467113016526 0ustar rootrootimport three; size(10cm); currentlight=Headlamp; triple[] v={O,X,X+Y,Y}; triple[] n={Z,X}; int[][] vi={{0,1,2},{2,3,0}}; int[][] ni={{1,0,1},{1,1,1}}; // Adobe Reader exhibits a PRC rendering bug for opacities: pen[] p={red+opacity(0.5),green+opacity(0.5),blue+opacity(0.5), black+opacity(0.5)}; int[][] pi={{0,1,2},{2,3,0}}; draw(v,vi,n,ni,red); draw(v+Z,vi,n,ni,p,pi); //draw(v+Z,vi,p,pi); //draw(v,vi,red); //draw(v+Z,vi); asymptote-2.62/examples/sacone3D.asy0000644000000000000000000000044013607467113016167 0ustar rootrootimport solids; size(0,75); real r=1; real h=1; revolution R=cone(r,h); draw(surface(R),lightgreen+opacity(0.5),render(compression=Low)); pen edge=blue+0.25mm; draw("$\ell$",(0,r,0)--(0,0,h),W,edge); draw("$r$",(0,0,0)--(r,0,0),red+dashed); draw((0,0,0)--(0,0,h),red+dashed); dot(h*Z); asymptote-2.62/examples/pipes.asy0000644000000000000000000000743413607467113015662 0ustar rootrootimport solids; import tube; import graph3; import palette; size(8cm); currentprojection=perspective( camera=(13.3596389245356,8.01038090435314,14.4864483364785), up=(-0.0207054323419367,-0.00472438375047319,0.0236460907598947), target=(-1.06042550499095,2.68154529985845,0.795007562120261)); defaultpen(fontsize(6pt)); // draw coordinates and frames // axis1 is defined by z axis of TBase // axis2 is defined by z axis of TEnd void DrawFrame(transform3 TBase, transform3 TEnd, string s) { triple p1,v1,p2,v2; p1=TBase*O; v1=TBase*Z-p1; p2=TEnd*O; v2=TEnd*Z-p2; triple n=cross(v1,v2); real[][] A= { {v1.x,-v2.x,-n.x}, {v1.y,-v2.y,-n.y}, {v1.z,-v2.z,-n.z} }; triple vb=p2-p1; real[] b={vb.x,vb.y,vb.z}; // Get the extention along vector v1 and v2, // so, we can get the common normal between two axis real[] x=solve(A,b); real s1=x[0]; real s2=x[1]; // get foot of a perpendicular on both axies triple foot1=p1+s1*v1; triple foot2=p2+s2*v2; // draw two axis triple axis_a,axis_b; axis_a=p1+s1*v1*1.5; axis_b=p1-s1*v1*1.5; draw(axis_a--axis_b); axis_a=p2+s2*v2*1.5; axis_b=p2-s2*v2*1.5; draw(axis_a--axis_b); // draw "a"(common normal) draw(Label("$a_{"+s+"}$"),foot1--foot2,linewidth(1pt)); // draw the coordinates frame triple dx,dy,dz,org; real length=0.8; org=foot1; dx =length*unit(foot2-foot1); // define the x axis of the frame on "a" dz =length*unit(v1); // define the z axis which is along axis1 dy =length*unit(cross(dz,dx)); draw(Label("$X_{"+s+"}$",1,align=-dy-dz),org--(org+dx),red+linewidth(1.5pt), Arrow3(8)); draw(Label("$Y_{"+s+"}$",1,align=2dy-dz-dx),org--(org+dy), green+linewidth(1.5pt), Arrow3(8)); draw(Label("$Z_{"+s+"}$",1,align=-2dx-dy),org--(org+dz), blue+linewidth(1.5pt), Arrow3(8)); dot(Label("$O_{"+s+"}$",align =-dx-dz,black),org,black); // origin } void DrawLink(transform3 TBase, transform3 TEnd, pen objStyle,string s) { real h=1; real r=0.5; path3 generator=(0.5*r,0,h)--(r,0,h)--(r,0,0)--(0.5*r,0,0); revolution vase=revolution(O,generator,0,360); surface objSurface=surface(vase); render render=render(merge=true); // draw two cylinders draw(TBase*objSurface,objStyle,render); draw(TEnd*shift((0,0,-h))*objSurface,objStyle,render); // draw the link between two cylinders triple pStart=TBase*(0.5*h*Z); triple pEnd =TEnd*(-0.5*h*Z); triple pControl1=0.25*(pEnd-pStart)+TBase*(0,0,h); triple pControl2=-0.25*(pEnd-pStart)+TEnd*(0,0,-h); path3 p=pStart..controls pControl1 and pControl2..pEnd; draw(tube(p,scale(0.2)*unitsquare),objStyle,render); } // t1 and t2 define the starting frame and ending frame of the first link(i-1) transform3 t1=shift((0,0,1)); transform3 t2=shift((0,0,-1))*rotate(-20,Y)*shift((0,3,2)); // as, the two links were connected, so t2 is also the starting frame of link(i) // t3 defines the ending frame of link(i) transform3 t3=t2*rotate(40,Z)*shift((0,3,1.5))*rotate(-15,Y)*shift(-1.5*Z); // draw link(i-1) DrawLink(t1,t2,palegreen,"i-1"); DrawFrame(t1,t2,"i-1"); // draw link(i) DrawLink(t2,t3,lightmagenta,"i"); DrawFrame(t2,t3,"i"); // draw angle alpha, which is the angle between axis(i-1) and axis(i) triple p0=(0,0,-1); triple p1=(0,0,2.3); triple p2=shift((0,0,-1))*rotate(-20,Y)*(0,0,4); draw(p0--p2,cyan); draw("$\alpha_{i-1}$",arc(p0,p1,p2,Y,CW),ArcArrow3(3)); // draw angle theta, which is the angle between a_i and a_{i-1} transform3 tx=shift((0,0,-1))*rotate(-20,Y)*shift((0,3,0)); p0=tx*O; p1=tx*(0,3,0); p2=tx*rotate(40,Z)*(0,3,0); draw(p0--p1,cyan); draw(p0--p2,cyan); triple p1a=tx*(0,1.5,0); draw("$\theta_{i}$",arc(p0,p1a,p2),ArcArrow3(3)); // draw d_{i-1} triple org_i =t2*shift((0,0,1.5))*O; draw(Label("$d_{i}$",0.13),p0--org_i,linewidth(1pt)); asymptote-2.62/examples/xstitch.asy0000644000000000000000000000724213607467113016225 0ustar rootrootpair c=(0,0.8); int iters(pair z, int max=160) { int n=0; while(abs(z) < 2 && n < max) { z=z*z+c; ++n; } return n; } int[] cutoffs={12,15,20,30,40,60,200}; int key(pair z) { int i=iters(z); int j=0; while(cutoffs[j] < i) ++j; return j; } int width=210; int height=190; real zoom=2.5/200; int[][] values=new int[width][height]; int[] histogram; for(int v=0; v < 10; ++v) histogram.push(0); for(int i=0; i < width; ++i) { real x=zoom*(i-width/2); for(int j=0; j < height; ++j) { real y=zoom*(j-height/2); int v=key((x,y)); values[i][j]=v; ++histogram[v]; } } // Print out a histogram. write("histogram: "); write(histogram); pen linepen(int i, int max) { real w=i == -1 || i == max+1 ? 2.0 : i % 10 == 0 || i == max ? 1.0 : i % 5 == 0 ? 0.8 : 0.25; return linewidth(w); } pen xpen(int i) { return linepen(i,width)+(i == width/2 ? red : i == 75 || i == width-75 ? dashed : black); } pen ypen(int i) { return linepen(i,height)+(i == height/2 ? red : i == 75 || i == height-75 ? dashed : black); } // The length of the side of a cross stitch cell. real cell=2.3mm; transform t=scale(cell); picture tick; draw(tick,(0,0)--(1,1)); picture ell; draw(ell,(0,1)--(0,0)--(0.7,0)); picture cross; draw(cross,(0,0)--(1,1)); draw(cross,(1,0)--(0,1)); picture star; draw(star,(0.15,0.15)--(0.85,0.85)); draw(star,(0.85,0.15)--(0.15,0.85)); draw(star,(.5,0)--(.5,1)); draw(star,(0,.5)--(1,.5)); picture triangle; draw(triangle,(0,0)--(2,0)--(1,1.5)--cycle); picture circle; fill(circle,shift(1,1)*unitcircle); picture ocircle; draw(ocircle,shift(1,1)*unitcircle); picture spare; fill(spare,(0,0)--(1,1)--(0,1)--cycle); picture[] pics={tick,ell,cross,star,triangle,circle}; pen[] colors={black,0.2purple,0.4purple,0.6purple,0.8purple,purple, 0.8purple+0.2white}; frame[] icons; icons.push(newframe); for(picture pic : pics) { // Scaling factor, so that we don't need weird line widths. real X=1.0; frame f=pic.fit(.8X*cell,.8X*cell,Aspect); f=scale(1/X)*f; // Center the icon in the cell. f=shift((cell/2,cell/2)-0.5(max(f)-min(f)))*f; icons.push(f); } void drawSection(int xmin, int xmax, int ymin, int ymax) { static int shipoutNumber=0; // Draw directly to a frame for speed reasons. frame pic; for(int i=xmin; i <= xmax; ++i) { draw(pic,t*((i,ymin)--(i,ymax)),xpen(i)); if(i%10 == 0) { label(pic,string(i),t*(i,ymin),align=S); label(pic,string(i),t*(i,ymax),align=N); } } for(int j=ymin; j <= ymax; ++j) { draw(pic,t*((xmin,j)--(xmax,j)),ypen(j)); if(j%10 == 0) { label(pic,string(j),t*(xmin,j),align=W); label(pic,string(j),t*(xmax,j),align=E); } } if(xmin < 0) xmin=0; if(xmax >= width) xmax=width-1; if(ymin < 0) ymin=0; if(ymax >= height) ymax=height-1; int stitchCount=0; path box=scale(cell) *((0,0)--(1,0)--(1,1)--(0,1)--cycle); for(int i=xmin; i < xmax; ++i) for(int j=ymin; j < ymax; ++j) { int v=values[i][j]; add(pic,icons[v],(i*cell,j*cell)); //fill(pic,shift(i*cell,j*cell)*box,colors[v]); if(v != 0) ++stitchCount; } write("stitch count: ",stitchCount); // shipout("xstitch"+string(shipoutNumber),pic); shipout(pic); ++shipoutNumber; } //drawSection(-1,width+1,-1,height+1); //drawSection(-1,80,height-80,height+1); //drawSection(70,150,height-80,height+1); drawSection(quotient(width,2)-40,quotient(width,2)+40,quotient(height,2)-40,quotient(height,2)+40); //drawSection(width-150,width-70,-1,80); //drawSection(width-80,width+1,-1,80); asymptote-2.62/examples/spline.asy0000644000000000000000000000115213607467113016023 0ustar rootrootimport graph; import interpolate; size(15cm,15cm,IgnoreAspect); real a=1997, b=2002; int n=5; real[] xpt=a+sequence(n+1)*(b-a)/n; real[] ypt={31,36,26,22,21,24}; horner h=diffdiv(xpt,ypt); fhorner L=fhorner(h); scale(false,true); pen p=linewidth(1); draw(graph(L,a,b),dashed+black+p,"Lagrange interpolation"); draw(graph(xpt,ypt,Hermite(natural)),red+p,"natural spline"); draw(graph(xpt,ypt,Hermite(monotonic)),blue+p,"monotone spline"); xaxis("$x$",BottomTop,LeftTicks(Step=1,step=0.25)); yaxis("$y$",LeftRight,RightTicks(Step=5)); dot(pairs(xpt,ypt),4bp+gray(0.3)); attach(legend(),point(10S),30S); asymptote-2.62/examples/oneoverx.asy0000644000000000000000000000046513607467113016404 0ustar rootrootimport graph; size(200,IgnoreAspect); real f(real x) {return 1/x;}; bool3 branch(real x) { static int lastsign=0; if(x == 0) return false; int sign=sgn(x); bool b=lastsign == 0 || sign == lastsign; lastsign=sign; return b ? true : default; } draw(graph(f,-1,1,branch)); axes("$x$","$y$",red); asymptote-2.62/examples/coag.asy0000644000000000000000000000041013607467113015436 0ustar rootrootsize(0,200); import graph; pair z0=(0,0); pair m0=(0,1); pair tg=(1.5,0); pair mt=m0+tg; pair tf=(3,0); draw(m0--mt{dir(-70)}..{dir(0)}2tg+m0/4); xtick("$T_g$",tg,N); label("$M(t)$",mt,2NE); labely("$M_0$",m0); xaxis(Label("$t$",align=2S),Arrow); yaxis(Arrow); asymptote-2.62/examples/mergeExample.asy0000644000000000000000000000363613607467113017155 0ustar rootrootsize(16cm); import bezulate; pen edgepen=linewidth(1)+blue; pen dotpen=deepgreen; pen labelpen=fontsize(8pt); path outer = (0.5,5){E}..(5,-1){S}..{W}(4,-4)..{W}(2.5,-1.5){W}..(-0.3,-2.5){W}..(-3,0)..cycle; outer = subdivide(outer); path[] p = {outer,shift(-0.5,1.0)*rotate(-22)*scale(1.5,2.4)*subdivide(unitcircle),shift(2.3,0.3)*scale(0.7)*unitcircle}; // a filldraw(p,lightgrey+evenodd); real w = 1.1*(max(p).x-min(p).x); // b p = shift(w)*p; draw(p); path l = point(p[1],2)--point(p[0],4); draw(l,red); for(int i = 0; i < p.length; ++i) { real[][] ts = intersections(l,p[i]); for(real[] t:ts) dot(point(l,t[0])); } path l2 = point(l,intersections(l,p[0])[0][0])--point(l,intersections(l,p[2])[1][0]); real to = intersections(l,p[0])[0][1]; real ti = intersections(l,p[2])[1][1]; draw(l2,edgepen); label("$A$",point(l2,1),2E,labelpen); label("$B$",point(l2,0),1.5E,labelpen); // c p = shift(w)*p; l2 = shift(w)*l2; draw(p); real timeoffset=2; path t1=subpath(p[0],to,to+timeoffset); t1=t1--point(p[2],ti)--cycle; fill(t1,lightgrey); draw(point(p[2],ti)--point(p[0],to+4),red); dot(Label("$A$",labelpen),point(p[2],ti),2E,dotpen); dot(Label("$B$",labelpen),point(p[0],to),1.5E,dotpen); dot(Label("$C$",labelpen),point(p[0],to+timeoffset),1.5S,dotpen); draw(t1,edgepen); dot(point(p[0],to+4)); draw(shift(-0.5,-0.5)*subpath(p[0],to+4,to+timeoffset+0.5),Arrow(4)); // d p = shift(w)*p; p[0] = subpath(p[0],to+timeoffset,to+length(p[0]))--uncycle(p[2],ti)--cycle; p.delete(2); draw(p); // e p = shift(w)*p; path q=point(p[1],0)--subpath(p[0],15.4,16)--cycle; p[0] = subpath(p[0],16,15.4+length(p[0]))--uncycle(p[1],0)--cycle; p.delete(1); filldraw(p,lightgrey); // f p = shift(w)*p; filldraw(bezulate(p),lightgrey); filldraw(shift(3w)*t1,lightgrey); filldraw(shift(w)*q,lightgrey); real x = min(p).x - 4.5w; string l = "abcdef"; for(int i = 0; i < 6; ++i) { label("("+substr(l,i,1)+")",(x,min(p).y),3S,fontsize(10pt)); x += w; } asymptote-2.62/examples/dragon.asy0000644000000000000000000000230013607467113015777 0ustar rootrootpair crease(pair z1, pair z2, bool left) { pair dz = z2 - z1; if (left) return z1 + dz * (0.5, 0.5); else return z1 + dz * (0.5, -0.5); } pair[] fold(pair[] oldz) { int n = oldz.length; pair[] newz = new pair[2n-1]; for (int i = 0; i < n-1; ++i) { newz[2i] = oldz[i]; newz[2i+1] = crease(oldz[i], oldz[i+1], i%2==0); } newz[2(n-1)] = oldz[n-1]; return newz; } pair[] dragon(int n, pair[] base={}) { if (base.length == 0) if (n%2 == 0) base = new pair[] {(0,0), (1,1) }; else base = new pair[] {(0,0), (1,0) }; pair[] z = base; for (int i = 1; i < n; ++i) z = fold(z); return z; } void drawtris(pair[] z, pen p = currentpen) { int n = z.length; for (int i = 0; i < n-2; i+=2) fill(z[i]--z[i+1]--z[i+2]--cycle, p); } void drawtris(pair[] z, pen p1, pen p2) { int n = z.length; for (int i = 0; i < n-2; i+=2) fill(z[i]--z[i+1]--z[i+2]--cycle, 2i < n-1 ? p1 : p2); } size(500,0); int n = 10; drawtris(dragon(n, new pair[] {(0,0), (1,0)}), black); drawtris(dragon(n, new pair[] {(0,0), (0,-1)}), blue); drawtris(dragon(n, new pair[] {(0,0), (-1,0)}), red); drawtris(dragon(n, new pair[] {(0,0), (0,1)}), green); asymptote-2.62/examples/logo3.asy0000644000000000000000000000231713607467113015560 0ustar rootrootimport three; //size(105,50,IgnoreAspect); size(560,320,IgnoreAspect); // Fullsize size3(140,80,15); currentprojection=perspective(-2,20,10,up=Y); currentlight=White; viewportmargin=(0,10); real a=-0.4; real b=0.95; real y1=-5; real y2=-3y1/2; path A=(a,0){dir(10)}::{dir(89.5)}(0,y2); path B=(0,y1){dir(88.3)}::{dir(20)}(b,0); real c=0.5*a; pair z=(0,2.5); transform t=scale(1,15); transform T=inverse(scale(t.yy,t.xx)); path[] g=shift(0,1.979)*scale(0.01)*t* texpath(Label("{\it symptote}",z,0.25*E+0.169S,fontsize(24pt))); pair w=(0,1.7); pair u=intersectionpoint(A,w-1--w); real h=0.25*linewidth(); real hy=(T*(h,h)).x; g.push(t*((a,hy)--(b,hy)..(b+hy,0)..(b,-hy)--(a,-hy)..(a-hy,0)..cycle)); g.push(T*((h,y1)--(h,y2)..(0,y2+h)..(-h,y2)--(-h,y1)..(0,y1-h)..cycle)); g.push(shift(0,w.y)*t*((u.x,hy)--(w.x,hy)..(w.x+hy,0)..(w.x,-hy)--(u.x,-hy)..(u.x-hy,0)..cycle)); real f=0.75; g.push(point(A,0)--shift(-f*hy,f*h)*A--point(A,1)--shift(f*hy,-f*h)*reverse(A)--cycle); g.push(point(B,0)--shift(f*hy,-f*h)*B--point(B,1)--shift(-f*hy,f*h)*reverse(B)--cycle); triple H=-0.1Z; material m=material(lightgray,shininess=1.0); for(path p : g) draw(extrude(p,H),m); surface s=surface(g); draw(s,red,nolight); draw(shift(H)*s,m); asymptote-2.62/examples/genusthree.asy0000644000000000000000000000124713607467113016707 0ustar rootrootsize(8cm); import smoothcontour3; // Erdos lemniscate of order n: real erdos(pair z, int n) { return abs(z^n-1)^2 - 1; } real h = 0.12; // Erdos lemniscate of order 3: real lemn3(real x, real y) { return erdos((x,y), 3); } // "Inflate" the order 3 (planar) lemniscate into a // smooth surface: real f(real x, real y, real z) { return lemn3(x,y)^2 + (16*abs((x,y))^4 + 1) * (z^2 - h^2); } // Draw the implicit surface on a box with diagonally opposite // corners at (-3,-3,-3), (3,3,3). draw(implicitsurface(f,a=(-3,-3,-3),b=(3,3,3),overlapedges=true), surfacepen=material(diffusepen=gray(0.5),emissivepen=gray(0.4), specularpen=gray(0.1))); asymptote-2.62/examples/animations/0000755000000000000000000000000013607467113016156 5ustar rootrootasymptote-2.62/examples/animations/embeddedu3d.asy0000644000000000000000000000030413607467113021036 0ustar rootroot// An embedded U3D object; // import embed; settings.tex="pdflatex"; label(embedplayer("dice.u3d","dice","activate=pagevisible,3Droo=27", settings.paperwidth,settings.paperheight)); asymptote-2.62/examples/animations/torusanimation.asy0000644000000000000000000000143613607467113021754 0ustar rootrootimport graph3; import animation; import solids; currentprojection=perspective(50,40,20); currentlight=(0,5,5); real R=3; real a=1; int n=8; path3[] p=new path3[n]; animation A; for(int i=0; i < n; ++i) { triple g(real s) { real twopi=2*pi; real u=twopi*s; real v=twopi/(1+i+s); real cosu=cos(u); return((R-a*cosu)*cos(v),(R-a*cosu)*sin(v),-a*sin(u)); } p[i]=graph(g,0,1,operator ..); } triple f(pair t) { real costy=cos(t.y); return((R+a*costy)*cos(t.x),(R+a*costy)*sin(t.x),a*sin(t.y)); } surface s=surface(f,(0,0),(2pi,2pi),8,8,Spline); for(int i=0; i < n; ++i){ picture fig; size(fig,20cm); draw(fig,s,yellow); for(int j=0; j <= i; ++j) draw(fig,p[j],blue+linewidth(4)); A.add(fig); } A.movie(BBox(10,Fill(rgb(0.98,0.98,0.9))),delay=100); asymptote-2.62/examples/animations/glmovie.asy0000644000000000000000000000063613607467113020343 0ustar rootrootsettings.autoplay=true; settings.loop=true; import graph3; import animate; currentprojection=orthographic(1,-2,0.5); animation A; int n=25; for(int i=0; i < n; ++i) { picture pic; size3(pic,6cm); real k=i/n*pi; real f(pair z) {return 4cos(abs(z)-k)*exp(-abs(z)/6);} draw(pic,surface(f,(-4pi,-4pi),(4pi,4pi),Spline),paleblue); draw(pic,shift(i*6Z/n)*unitsphere,yellow); A.add(pic); } A.glmovie(); asymptote-2.62/examples/animations/slidemovies.asy0000644000000000000000000000232613607467113021222 0ustar rootroot// Slide demo. // Command-line options to enable stepping and/or reverse video: // asy [-u stepping=true] [-u reverse=true] slidedemo orientation=Landscape; settings.tex="pdflatex"; import slide; // Optional movie modules: import animate; // For portable embedded PDF movies access external; // For portable external movies access embed; // For non-portable embedded movies usersetting(); titlepage("Slides with {\tt Asymptote}: Animations","John C. Bowman", "University of Alberta","\today","http://asymptote.sf.net"); title("Embedded PDF movies (portable)"); animation a=animation("A"); animation b=animation("B"); int n=20; for(int i=0; i < 2n; ++i) { picture pic; size(pic,100); draw(pic,shift(0,sin(pi/n*i))*unitsquare); a.add(pic); if(i < 1.5n) b.add(rotate(45)*pic); } display(a.pdf("autoplay,loop,controls",multipage=false)); display(b.pdf("controls",multipage=false)); // Generated needed files if they don't already exist. asy("mp4","wheel"); title("External Movie (portable)"); display(external.embed("wheel.mp4",20cm,5.6cm)); display(external.link("wheel.mp4")); title("Embedded Movie (not portable)"); display(embed.embed("wheel.mp4",20cm,5.6cm)); display(embed.link("wheel.mp4")); asymptote-2.62/examples/animations/wavepacket.asy0000644000000000000000000000273213607467113021032 0ustar rootroot// Author : Philippe Ivaldi // http://www.piprime.fr/ // 2006/11/10 import animation; import graph; unitsize(x=2cm,y=1.5cm); typedef real realfcn(real); real lambda=4; real T=2; real [] k=new real[3]; real [] w=new real[3]; k[0]=2pi/lambda; w[0]=2pi/T; real dk=-.5; k[1]=k[0]-dk; k[2]=k[0]+dk; real dw=1; w[1]=w[0]-dw; w[2]=w[0]+dw; real vp=w[1]/k[1]; real vg=dw/dk; realfcn F(real x) { return new real(real t) { return cos(k[1]*x-w[1]*t)+cos(k[2]*x-w[2]*t); }; }; realfcn G(real x) { return new real(real t) { return 2*cos(0.5*(k[2]-k[1])*x+0.5*(w[1]-w[2])*t); }; }; realfcn operator -(realfcn f) {return new real(real t) {return -f(t);};}; animation A; real tmax=abs(2pi/dk); real xmax=abs(2pi/dw); pen envelope=0.8*blue; pen fillpen=lightgrey; int n=50; real step=tmax/(n-1); for(int i=0; i < n; ++i) { save(); real t=i*step; real a=xmax*t/tmax-xmax/pi; real b=xmax*t/tmax; path f=graph(F(t),a,b); path g=graph(G(t),a,b); path h=graph(-G(t),a,b); fill(buildcycle(reverse(f),g),fillpen); draw(f); draw(g,envelope); draw(h,envelope); A.add(); restore(); } for(int i=0; i < n; ++i) { save(); real t=i*step; real a=-xmax/pi; real b=xmax; path f=graph(F(t),a,b); path g=graph(G(t),a,b); path h=graph(-G(t),a,b); path B=box((-xmax/pi,-2),(xmax,2)); fill(buildcycle(reverse(f),g,B),fillpen); fill(buildcycle(f,g,reverse(B)),fillpen); draw(f); draw(g,envelope); draw(h,envelope); A.add(); restore(); } A.movie(0,10); asymptote-2.62/examples/animations/sphere.asy0000644000000000000000000000153013607467113020161 0ustar rootrootimport solids; import animation; currentprojection=orthographic((0,5,2)); currentlight=(0,5,5); settings.thick=false; settings.render=0; int nbpts=200; real step=2*pi/nbpts; int angle=10; unitsize(1cm); triple[] P=new triple[nbpts]; for(int i=0; i < nbpts; ++i) { real t=-pi+i*step; P[i]=(3sin(t)*cos(2t),3sin(t)*sin(2t),3cos(t)); } transform3 t=rotate(angle,(0,0,0),(1,0.25,0.25)); revolution r=sphere(O,3); draw(surface(r),lightgrey); draw(r,backpen=linetype("8 8",8)); animation A; for(int phi=0; phi < 360; phi += angle) { bool[] front=new bool[nbpts]; save(); for(int i=0; i < nbpts; ++i) { P[i]=t*P[i]; front[i]=dot(P[i],currentprojection.camera) > 0; } draw(segment(P,front,operator ..),1mm+blue+extendcap); draw(segment(P,!front,operator ..),grey); A.add(); restore(); } A.movie(0,200); currentpicture.erase(); asymptote-2.62/examples/animations/inlinemovie.tex0000644000000000000000000000232313607467113021216 0ustar rootroot\documentclass{article} \usepackage[inline]{asymptote} %\usepackage{asymptote} \usepackage{animate} \begin{document} Here is an inline PDF movie, generated with the commands \begin{verbatim} pdflatex inlinemovie asy inlinemovie-*.asy pdflatex inlinemovie \end{verbatim} or equivalently, \begin{verbatim} latexmk -pdf inlinemovie \end{verbatim} \begin{center} \begin{asy} import animate; animation A=animation("movie1"); real h=2pi/10; picture pic; unitsize(pic,2cm); for(int i=0; i < 10; ++i) { draw(pic,expi(i*h)--expi((i+1)*h)); A.add(pic); } label(A.pdf("controls",delay=50,keep=!settings.inlinetex)); \end{asy} %Uncomment the following line when not using the [inline] package option: %\ASYanimategraphics[controls]{50}{movie1}{}{} \end{center} And here is another one, clickable but without the control panel: \begin{center} \begin{asy} import animate; animation A=animation("movie2"); real h=2pi/10; picture pic; unitsize(pic,2cm); for(int i=0; i < 10; ++i) { draw(pic,expi(-i*h)--expi(-(i+1)*h),red); A.add(pic); } label(A.pdf(keep=!settings.inlinetex)); \end{asy} %Uncomment the following line when not using the [inline] package option: %\ASYanimategraphics[controls]{10}{movie2}{}{} \end{center} \end{document} asymptote-2.62/examples/animations/earthmoon.asy0000644000000000000000000000357713607467113020704 0ustar rootrootimport graph3; import solids; import three; import animate; settings.render=2; settings.tex="pdflatex"; settings.prc=false; settings.thick=false; settings.outformat="mpg"; currentprojection=orthographic(5,4,2); currentlight=light(specular=black,(0.1,-0.1,1)); size(15cm,0); animation A; real Rst=20, Rl=0.7, Rtl=5; real ast=20, est=0.3, bst=ast*sqrt(1-est^2), cst=ast*est; real atl=5, etl=0.8, btl=atl*sqrt(1-etl^2), ctl=atl*etl; real xST(real t) {return ast*cos(t)+cst;} real yST(real t) {return bst*sin(t);} real zST(real t) {return 0;} real xTL(real t) {return atl*cos(27t);} real yTL(real t) {return btl*sin(27t);} real zTL(real t) {return 0;} real xLl(real t) {return Rl*cos(27t);} real yLl(real t) {return Rl*sin(27t);} real zLl(real t) {return 0;} real xTt(real t) {return Rtl*cos(100t)/5;} real yTt(real t) {return Rtl*sin(100t)/5;} real zTt(real t) {return 0;} real xl(real t) {return xST(t)+xTL(t)+xLl(t);} real yl(real t) {return yST(t)+yTL(t)+yLl(t);} real zl(real t) {return 0;} real xt(real t) {return xST(t)+xTt(t);} real yt(real t) {return yST(t)+yTt(t);} real zt(real t) {return 0;} real xL(real t) {return xST(t)+xTL(t);} real yL(real t) {return yST(t)+yTL(t);} real zL(real t) {return 0;} path3 Pl=graph(xl,yl,zl,0,2pi,1000),Pt=graph(xt,yt,zt,0,2pi,3000), Pts=graph(xST,yST,zST,0,2pi,500); picture pic; draw(pic,Pl,lightgray); draw(pic,Pt,lightblue); draw(pic,Pts,blue+dashed); draw(pic,shift(cst,0,0)*scale3(Rtl/2)*unitsphere,yellow); surface terre=scale3(Rtl/5)*unitsphere; surface lune=scale3(Rl)*unitsphere; int n=50; real step=2pi/n; for(int i=0; i < n; ++i) { real k=i*step; add(pic); draw(shift(xL(k),yL(k),0)*lune,lightgray); draw(shift(xST(k),yST(k),0)*terre,lightblue+lightgreen); A.add(); erase(); } A.movie(BBox(1mm,Fill(Black)),delay=500, options="-density 288x288 -geometry 50%x"); asymptote-2.62/examples/animations/wheel.asy0000644000000000000000000000214013607467113017775 0ustar rootrootimport graph; // Uncomment the following 2 lines to support pdf animations: // usepackage("animate"); // settings.tex="pdflatex"; import animation; size(0,200); defaultpen(3); dotfactor=4; pair wheelpoint(real t) { return (t+cos(t),-sin(t)); } guide wheel(guide g=nullpath, real a, real b, int n) { real width=(b-a)/n; for(int i=0; i <= n; ++i) { real t=a+width*i; g=g--wheelpoint(t); } return g; } real t1=0; real t2=t1+2*pi; animation a; draw(circle((0,0),1)); draw(wheel(t1,t2,100),linetype("0 2")); yequals(Label("$y=-1$",1.0),-1,extend=true,linetype("4 4")); xaxis(Label("$x$",align=3SW),0); yaxis("$y$",0,1.2); pair z1=wheelpoint(t1); pair z2=wheelpoint(t2); dot(z1); dot(z2); int n=10; real dt=(t2-t1)/n; for(int i=0; i <= n; ++i) { save(); real t=t1+dt*i; draw(circle((t,0),1),red); dot(wheelpoint(t)); a.add(); // Add currentpicture to animation. restore(); } erase(); // Merge the images into a gif animation. a.movie(BBox(0.25cm),loops=10,delay=250); // Merge the images into a pdf animation. // label(a.pdf(BBox(0.25cm),delay=250,"controls",multipage=false)); asymptote-2.62/examples/animations/pdfmovie.asy0000644000000000000000000000050613607467113020506 0ustar rootrootimport animate; import patterns; settings.tex="pdflatex"; animation a; add("brick",brick(black)); int n=20; for(int i=0; i < 3.5n; ++i) { picture pic; size(pic,100); path g=circle((0,sin(pi/n*i)),1); fill(pic,g,mediumred); fill(pic,g,pattern("brick")); a.add(pic); } label(a.pdf("controls",multipage=false)); asymptote-2.62/examples/animations/externalmovie.asy0000644000000000000000000000063313607467113021560 0ustar rootroot// Embed a movie to be run in an external window. import external; // External movies require the pdflatex engine. settings.tex="pdflatex"; // Generated needed mpeg file if it doesn't already exist. asy("mp4","wheel"); // Produce a pdf file. settings.outformat="pdf"; // External movie: viewable even with the Linux version of acroread. label(embed("wheel.mp4"),(0,0),N); label(link("wheel.mp4"),(0,0),S); asymptote-2.62/examples/animations/embeddedmovie.asy0000644000000000000000000000076713607467113021477 0ustar rootroot// An embedded movie; // // See http://mirror.ctan.org/macros/latex/contrib/media9/doc/media9.pdf // for documentation of the options. import embed; // Add embedded movie //import external; // Add external movie (use this form under Linux). // Generated needed mp4 file if it doesn't already exist. asy("mp4","wheel"); // Produce a pdf file. settings.outformat="pdf"; settings.twice=true; // An embedded movie: label(embed("wheel.mp4",20cm,5.6cm),(0,0),N); label(link("wheel.mp4"),(0,0),S); asymptote-2.62/examples/animations/inlinemovie3.tex0000644000000000000000000000201513607467113021277 0ustar rootroot\documentclass{article} \usepackage[inline]{asymptote} %\usepackage{asymptote} \usepackage{animate} \begin{document} Here is an inline 3D PDF movie, generated with the commands \begin{verbatim} pdflatex inlinemovie3 asy inlinemovie3-*.asy pdflatex inlinemovie3 \end{verbatim} or equivalently, \begin{verbatim} latexmk -pdf inlinemovie3 \end{verbatim} \begin{center} \begin{asy} settings.render=4; settings.prc=false; import graph3; import animate; currentprojection=orthographic(1,-2,0.5); animation A=animation("movie3"); int n=20; for(int i=0; i < n; ++i) { picture pic; size3(pic,12cm,12cm,8cm); real k=i/n*pi; real f(pair z) {return 4cos(abs(z)-k)*exp(-abs(z)/6);} draw(pic,surface(f,(-4pi,-4pi),(4pi,4pi),Spline),paleblue); draw(pic,shift(i*6Z/n)*unitsphere,yellow); A.add(pic); } label(A.pdf("autoplay,loop",delay=20,keep=!settings.inlinetex)); \end{asy} %Uncomment the following line when not using the [inline] package option: %\ASYanimategraphics[autoplay,loop]{50}{movie3}{}{} \end{center} \end{document} asymptote-2.62/examples/animations/cube.asy0000644000000000000000000000166213607467113017617 0ustar rootrootimport math; import bsp; import animation; size(100,100); animation a; void face(face[] faces, path3 p, int j, int k) { picture pic=faces.push(p); filldraw(pic,project(p),Pen(j)); int sign=(k % 2 == 0) ? 1 : -1; transform t=scale(4)*transform(dir(p,0,sign),dir(p,0,-sign)); label(pic,t*(string) j,project(0.5*(min(p)+max(p)))); } void snapshot(transform3 t) { static transform3 s=shift(-0.5*(X+Y+Z)); save(); face[] faces; int j=-1; transform3 T=t*s; for(int k=0; k < 2; ++k) { face(faces,T*plane((1,0,0),(0,1,0),(0,0,k)),++j,k); face(faces,T*plane((0,1,0),(0,0,1),(k,0,0)),++j,k); face(faces,T*plane((0,0,1),(1,0,0),(0,k,0)),++j,k); } add(faces); a.add(); restore(); } int n=50; real step=360/n; for(int i=0; i < n; ++i) snapshot(rotate(i*step,X)); for(int i=0; i < n; ++i) snapshot(rotate(i*step,Y)); for(int i=0; i < n; ++i) snapshot(rotate(i*step,Z)); a.movie(loops=10,delay=50); asymptote-2.62/examples/animations/heatequation.asy0000644000000000000000000000334013607467113021363 0ustar rootrootimport graph3; import palette; import animate; settings.tex="pdflatex"; settings.render=0; settings.prc=false; unitsize(1cm); animation a; currentprojection=perspective(-20,-18,18); currentlight=light(1,1,10); int n=26; real L=2.5; real dx=2*L/n; real CFL=0.125; real dt=CFL*dx^2; real[][] Z=new real[n][n]; real[][] W=new real[n][n]; guide initcond1=shift((-1,-1))*scale(0.5)*unitcircle; guide initcond2=shift((0.5,0))*yscale(1.2)*unitcircle; real f(pair p) {return (inside(initcond1,p)||inside(initcond2,p)) ? 2 : 0;} //Initialize for(int i=0; i < n; ++i) for (int j=0; j < n; ++j) Z[i][j]=f((-L,-L)+(2*L/n)*(i,j)); real f(pair t) { int i=round((n/2)*(t.x/L+1)); int j=round((n/2)*(t.y/L+1)); if(i > n-1) i=n-1; if(j > n-1) j=n-1; return Z[i][j]; } surface sf; void advanceZ(int iter=20) { for(int k=0; k < iter; ++k) { for(int i=0; i < n; ++i) for(int j=0; j < n; ++j) W[i][j]=0; for(int i=1; i < n-1; ++i) for(int j=1; j< n-1; ++j) W[i][j]=Z[i][j]+(dt/dx^2)*(Z[i+1][j]+Z[i-1][j]+Z[i][j-1]+Z[i][j+1] -4*Z[i][j]); for(int i=0; i < n; ++i) for(int j=0; j < n; ++j) Z[i][j]=W[i][j]; }; } pen[] Pal=Rainbow(96); int endframe=40; for(int fr=0; fr < endframe; ++fr) { if(fr == 0) {// smoothing of initial state; no Spline, but full grid advanceZ(3); sf=surface(f,(-L,-L),(L,L),nx=n); } else // use Spline and fewer grid points to save memory sf=surface(f,(-L,-L),(L,L),nx=round(n/2),Spline); sf.colors(palette(sf.map(zpart),Pal[0:round(48*max(sf).z)])); draw(sf); a.add(); erase(); advanceZ(30); }; label(a.pdf(delay=400,"controls,loop")); shipout(bbox(3mm,darkblue+3bp+miterjoin,FillDraw(fillpen=paleblue)),"pdf"); asymptote-2.62/examples/animations/dice.u3d0000644000000000000000000047164013607467113017513 0ustar rootrootU3DRx sj CreatedBy"3dif.x3d 4.0.17.1382 (3.5.10.1242)RHAdobeUnitsMeters0ÿÿÿÿÿÿtobject0!ÿÿÿOobject0€?€?€?€?ÿÿÿt_dice!ÿÿÿT_diceobject0€?€?€?€?ÿÿÿ¸object44"ÿÿÿcobject44_dice€?€?€?€?object44Eÿÿÿ$object44Materialÿÿÿ|_sphere0!ÿÿÿW_sphere0object0€?€?€?€?ÿÿÿÀobject42"ÿÿÿfobject42_sphere0€?€?€?À@€À€?object42Eÿÿÿ%object42 Material1ÿÿÿ€ _sphere0_0!ÿÿÿY _sphere0_0object0€?€?€?€?ÿÿÿÀobject40"ÿÿÿhobject40 _sphere0_0€?€?€?@À€À€?object40Eÿÿÿ%object40 Material1ÿÿÿ€ _sphere0_1!ÿÿÿY _sphere0_1object0€?€?€?€?ÿÿÿÀobject38"ÿÿÿhobject38 _sphere0_1€?€?€?À@€@€?object38Eÿÿÿ%object38 Material2ÿÿÿ„ _sphere0_0_1!ÿÿÿ[ _sphere0_0_1object0€?€?€?€?ÿÿÿÄobject36"ÿÿÿjobject36 _sphere0_0_1€?€?€?@À€@€?object36Eÿÿÿ%object36 Material2ÿÿÿ„ _sphere0_1_2!ÿÿÿ[ _sphere0_1_2object0€?€?€?€?ÿÿÿÄobject34"ÿÿÿjobject34 _sphere0_1_2€?€?€?€@€?object34Eÿÿÿ%object34 Material2ÿÿÿ„ _sphere0_1_3!ÿÿÿ[ _sphere0_1_3object0€?€?€?€?ÿÿÿÄobject32"ÿÿÿjobject32 _sphere0_1_3€?€?€?€À@À?€?object32Eÿÿÿ%object32 Material3ÿÿÿˆ_sphere0_0_1_3!ÿÿÿ]_sphere0_0_1_3object0€?€?€?€?ÿÿÿÄobject30"ÿÿÿlobject30_sphere0_0_1_3€?€?€?€À@À¿€?object30Eÿÿÿ%object30 Material3ÿÿÿˆ_sphere0_1_3_4!ÿÿÿ]_sphere0_1_3_4object0€?€?€?€?ÿÿÿÄobject28"ÿÿÿlobject28_sphere0_1_3_4€?€?€?€ÀÀ?€?object28Eÿÿÿ%object28 Material3ÿÿÿŒ_sphere0_0_1_3_4!ÿÿÿ__sphere0_0_1_3_4object0€?€?€?€?ÿÿÿÈobject26"ÿÿÿnobject26_sphere0_0_1_3_4€?€?€?€ÀÀÀ¿€?object26Eÿÿÿ%object26 Material3ÿÿÿŒ_sphere0_1_2_3_4!ÿÿÿ__sphere0_1_2_3_4object0€?€?€?€?ÿÿÿÈobject24"ÿÿÿnobject24_sphere0_1_2_3_4€?€?€?€ÀÀÀ?€?object24Eÿÿÿ%object24 Material3ÿÿÿ_sphere0_1_2_3_5_6!ÿÿÿa_sphere0_1_2_3_5_6object0€?€?€?€?ÿÿÿÈobject22"ÿÿÿpobject22_sphere0_1_2_3_5_6€?€?€?€@€?object22Eÿÿÿ%object22 Material4ÿÿÿ_sphere0_1_2_3_5_7!ÿÿÿa_sphere0_1_2_3_5_7object0€?€?€?€?ÿÿÿÈobject20"ÿÿÿpobject20_sphere0_1_2_3_5_7€?€?€?@€@À€?object20Eÿÿÿ%object20 Material4ÿÿÿ”_sphere0_1_2_3_5_6_7!ÿÿÿc_sphere0_1_2_3_5_6_7object0€?€?€?€?ÿÿÿÌobject18"ÿÿÿrobject18_sphere0_1_2_3_5_6_7€?€?€?@€@@€?object18Eÿÿÿ%object18 Material4ÿÿÿ”_sphere0_1_2_3_5_7_8!ÿÿÿc_sphere0_1_2_3_5_7_8object0€?€?€?€?ÿÿÿÌobject16"ÿÿÿrobject16_sphere0_1_2_3_5_7_8€?€?€?À€ÀÀ€?object16Eÿÿÿ%object16 Material5ÿÿÿ˜_sphere0_1_2_3_5_6_7_8!ÿÿÿe_sphere0_1_2_3_5_6_7_8object0€?€?€?€?ÿÿÿÌobject14"ÿÿÿtobject14_sphere0_1_2_3_5_6_7_8€?€?€?À€À@€?object14Eÿÿÿ%object14 Material5ÿÿÿ”_sphere0_1_2_3_5_7_9!ÿÿÿc_sphere0_1_2_3_5_7_9object0€?€?€?€?ÿÿÿÌobject12"ÿÿÿrobject12_sphere0_1_2_3_5_7_9€?€?€?@€ÀÀ€?object12Eÿÿÿ%object12 Material5ÿÿÿ˜_sphere0_1_2_3_5_6_7_9!ÿÿÿe_sphere0_1_2_3_5_6_7_9object0€?€?€?€?ÿÿÿÌobject10"ÿÿÿtobject10_sphere0_1_2_3_5_6_7_9€?€?€?@€À@€?object10Eÿÿÿ%object10 Material5ÿÿÿ˜_sphere0_1_2_3_5_7_8_9!ÿÿÿe_sphere0_1_2_3_5_7_8_9object0€?€?€?€?ÿÿÿÈobject8"ÿÿÿrobject8_sphere0_1_2_3_5_7_8_9€?€?€?À€@À€?object8Eÿÿÿ$object8 Material4ÿÿÿœ_sphere0_1_2_3_5_6_7_8_9!ÿÿÿg_sphere0_1_2_3_5_6_7_8_9object0€?€?€?€?ÿÿÿÈobject6"ÿÿÿtobject6_sphere0_1_2_3_5_6_7_8_9€?€?€?À€@@€?object6Eÿÿÿ$object6 Material4ÿÿÿŒ_sphere0_1_3_10!ÿÿÿ^_sphere0_1_3_10object0€?€?€?€?ÿÿÿÀobject4"ÿÿÿkobject4_sphere0_1_3_10€?€?€?€@€?object4Eÿÿÿ$object4 Material6ÿÿÿŒ_sphere0_1_3_4_12!ÿÿÿ`_sphere0_1_3_4_12object0€?€?€?€?ÿÿÿÄobject2"ÿÿÿmobject2_sphere0_1_3_4_12€?€?€?€ÀÀ¿€?object2Eÿÿÿ$object2 Material3ÿÿÿŒ AmbientLight#ÿÿÿb AmbientLight€?€?€?€? AmbientLightÿÿÿœobject441ÿÿÿvobject44 èèèسÝ7€8€8€8€8Êh?¿\|?ÿÿÿœobject421ÿÿÿvobject42àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject401ÿÿÿvobject40àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject381ÿÿÿvobject38àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject361ÿÿÿvobject36àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject341ÿÿÿvobject34àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject321ÿÿÿvobject32àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject301ÿÿÿvobject30àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject281ÿÿÿvobject28àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject261ÿÿÿvobject26àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject241ÿÿÿvobject24àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject221ÿÿÿvobject22àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject201ÿÿÿvobject20àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject181ÿÿÿvobject18àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject161ÿÿÿvobject16àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject141ÿÿÿvobject14àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject121ÿÿÿvobject12àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject101ÿÿÿvobject10àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject81ÿÿÿuobject8àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject61ÿÿÿuobject6àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject41ÿÿÿuobject4àrr™rrèèè€6€8€8€8€8Êh?¿\|?ÿÿÿœobject21ÿÿÿuobject2àrr™rrèèè€6€8€8€8€8Êh?¿\|?Sÿÿÿ0MaterialMaterialSÿÿÿ2 Material1 Material1Sÿÿÿ2 Material2 Material2Sÿÿÿ2 Material3 Material3Sÿÿÿ2 Material4 Material4Sÿÿÿ2 Material5 Material5Sÿÿÿ2 Material6 Material6TÿÿÿFMaterial?òðð=òðð=òðð=ÂÀ@?ÂÀ@?ÂÀ@?ÂÀ@?ÂÀ@?ÂÀ@?ÍÌL>€?TÿÿÿG Material1?ÍÌL>ÍÌL>ÍÌL>ÍÌL>ÍÌL?ÍÌL>ÍÌL>ÍÌL>ÍÌL>9Q¼>€?TÿÿÿG Material2?ÍÌL>ÍÌL>ÍÌL>€??ÍÌL?ÍÌL>ÍÌL>ÍÌL>9Q¼>€?TÿÿÿG Material3?ÍÌL>ÍÌL>ÍÌL>š™™>š™™>€?ÍÌL>ÍÌL>ÍÌL>9Q¼>€?TÿÿÿG Material4?ÍÌL>ÍÌL>ÍÌL>€?€?ÍÌL>ÍÌL>ÍÌL>9Q¼>€?TÿÿÿG Material5?ÍÌL>ÍÌL>ÍÌL>€?ÍÌL>ÍÌL>ÍÌL>9Q¼>€?TÿÿÿG Material6?ÍÌL>ÍÌL>ÍÌL>€?€?ÍÌL>ÍÌL>ÍÌL>9Q¼>€?Qÿÿÿ7 AmbientLightÍÌL>ÍÌL>ÍÌL>€?€?4C€?ÿÿÿ;ÿÿÿ=object44 €À€@€@€À€@€À€@€@€À€@€@€@€À€À€@€À€À€À€@€À€À€@€À€@€?€?€¿€¿€?€¿€?€?€?€?€?Á©hŠû«$±º«—ÚˆäòM°l5§Ažr“ZQÍ«Ÿ;ÿÿÿRobject42àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>@>€> >À>à>?? ?0?@?P?`?p?€?>€=>>>@>>€>> >>À>>à>>?>?> ?>0?>@?>P?>`?>p?>€?>€>€=€>>€>@>€>€>€> >€>À>€>à>€>?€>?€> ?€>0?€>@?€>P?€>`?€>p?€>€?€>À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?à>????? ??0??@??P??`??p??€?? ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject40àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿ €= > @>€>  >À> à> ?? ?0? @? P?`?p?€? > €=>>>@>>€>>  >> À>>à>>/?>?> ?> 0?>@?>P?>`?> p?> €?>€>€=€>>€> @>€> €>€> >€>À>€>à>€> ?€> ?€> ?€>0?€>@?€> P?€> `?€>p?€>€?€>À> €=À> >À>@>À>€>À> >À> À>À> à>À>?À>?À> ?À> 0?À> @?À>P?À> `?À>p?À> €?À> ?€=?">?@>? €>?  >?À>?$à>??? ?? ??0??&@??P?? `?? p??€??( ?€= ? > ? @> ?€> ?* > ?À> ? à> ? ? ?? ?, ? ?0? ? @? ? P? ?`? ?.p? ?€? ? @? €=@?>@?O@>@?€>@?  >@? À>@?à>@?2?@??@? ?@? 0?@?@?@?4P?@?`?@? p?@? €?@?`?6€=`?>`? @>`? €>`? >`?8À>`?à>`? ?`? ?`? ?`?:0?`?@?`? P?`? `?`?p?`?<€?`?€? €=€? >€?@>€?>€>€? >€? À>€? à>€??€?@?€? ?€? 0?€? @?€?P?€?B`?€?p?€? €?€? Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject38àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿i€=Z>Z@>k€>\ >\À>mà>^?^?o ?`0?`@?bP?b`?qp?f€?f>q€=>j>>j@>>q€>>n >>nÀ>>qà>> ?>?> ?>$øô 0?>@?>P?>`?>p?>$øô €?>€>€=€>>€>@>€>$øô €>€> >€>À>€>à>€>?€>$øô ?€> ?€>0?€>@?€>P?€>$øô `?€>p?€>€?€>À>€=À>$øô >À>@>À>€>À> >À>À>À>$øô à>À>?À>?À> ?À>0?À>$øô @?À>P?À>`?À>p?À>€?À>$øô ?€=?>?@>?€>?$øô  >?À>?à>?????$øô ??0??@??P??`??$øô p??€?? ?€= ?> ?$øô @> ?€> ? > ?À> ?à> ?$øô ? ?? ? ? ?0? ?@? ?$øô P? ?`? ?p? ?€? ?@?$øô €=@?>@?@>@?€>@? >@?$øô À>@?à>@??@??@? ?@?$øô 0?@?@?@?P?@?`?@?p?@?$øô €?@?`?€=`?>`?@>`?$øô €>`? >`?À>`?à>`??`?$øô ?`? ?`?0?`?@?`?P?`?$øô `?`?p?`?€?`?€?€=€?$øô >€?@>€?€>€? >€?À>€?$øô à>€??€??€? ?€?0?€?$øô @?€?P?€?`?€?p?€?€?€?$øô Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject36àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=$øô >@>€> >À>$øô à>?? ?0?$øô @?P?`?p?€?$øô >€=>>>@>>€>>$øô  >>À>>à>>?>?>$øô ?>0?>@?>P?>`?>$øô p?>€?>€>€=€>>€>$øô @>€>€>€> >€>À>€>à>€>$øô ?€>?€> ?€>0?€>@?€>$øô P?€>`?€>p?€>€?€>À>$øô €=À>>À>@>À>€>À> >À>hÀ>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?>à>?>??>??> ??>0??>@??>P??>`??>p??>€??> ?>€= ?>> ?>@> ?>€> ?> > ?>À> ?€>à> ?€>? ?€>? ?€> ? ?€>0? ?€>@? ?€>P? ?€>`? ?€>p? ?€>€? ?€>@?€>€=@?€>>@?€>@>@?€>€>@?€> >@?€>À>@?À>à>@?À>?@?À>?@?À> ?@?À>0?@?À>@?@?À>P?@?À>`?@?À>p?@?À>€?@?À>`?À>€=`?À>>`?À>@>`?À>€>`?À> >`?À>À>`??à>`???`???`?? ?`??0?`??@?`??P?`??`?`??p?`??€?`??€??€=€??>€??@>€??€>€?? >€??À>€? ?à>€? ??€? ??€? ? ?€? ?0?€? ?@?€? ?P?€? ?`?€? ?p?€? ?€?€? ?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject34àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿2€=#>#@>4€>% >%À>6à>'?'?8 ?)0?)@?:P?+`?+p?<€?->-€=>>>>/@>>/€>>@ >>!À>>1à>>B?>3?>3 ?>D0?>5@?>5P?>F`?>7p?>7€?>H€>9€=€>9>€>J@>€>;€>€>; >€>LÀ>€>=à>€>=?€>N?€>? ?€>?0?€>P@?€>1P?€>A`?€>Rp?€>C€?€>CÀ>T€=À>E>À>E@>À>V€>À>G >À>GÀ>À>Xà>À>I?À>I?À>Z ?À>K0?À>K@?À>\P?À>M`?À>Mp?À>^€?À>O?O€=?`>?A@>?Q€>?b >?SÀ>?Sà>?d??U??U ??f0??W@??WP??h`??Yp??Y€??j ?[€= ?[> ?l@> ?]€> ?] > ?nÀ> ?_à> ?_? ?p? ?Q ? ?q0? ?d@? ?dP? ?q`? ?hp? ?h€? ?q@?l€=@?l>@?q@>@?p€>@?p >@?Pû À>@?^ƒl?à>@?Ô‹Š>?@?ôµ>?@?^ƒl? ?@?Ջо0?@?ö>@?@?^ƒl?P?@?֋о`?@?òµ¾p?@?^ƒl?€?@?Ö‹Š>`?ö¾€=`?ó5?>`?ÿÿÿ>@>`?u='?€>`?ó5? >`?¿À>`?Ó‹Š>à>`?ó5??`?¿?`?s='¿ ?`?ó5?0?`??@?`?Ì‹Š¾P?`?ïÃ>`?`?t='?p?`?y‚Z?€?`?ïÃ>€?u='¿€=€?òµ>>€?ïÃ>@>€?w='¿€>€?w‚Z¿ >€?ïÃ>À>€?v='?à>€?éµ¾?€?.½;³?€?ó5? ?€?_ƒl?0?€?.½;³@?€?ô5¿P?€?ïÃ>`?€?.½;³p?€?ö5¿€?€?]ƒl¿Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject32àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿…ýG2€=zmh?>e>@>ÆaÊ>€>zmh? >©Ÿ¾À>ŸÂ>à>zmh??e¾?Äaʾ ?zmh?0?©Ÿ>@?™Â¾P?6%5?`?°|ü>p?Ž(?€?6%5?>„Ž¿€=>õ†>>>6%5?@>>°|ü¾€>>(¿ >>5%5?À>>„Ž?à>>ñ†¾?>è,Ä>?>EQ&? ?>tðZ?0?>è,Ä>@?>R(¿P?>‹ª²>`?>è,Ä>p?>GQ&¿€?>rðZ¿€>è,Ä>€=€>U(?>€>‡ª²¾@>€> !›2€>€>ô5? >€>_ƒl?À>€>mJ±2à>€>ô5¿?€>ïÃ>?€>»sÇ2 ?€>ö5¿0?€>^ƒl¿@?€>mJ±2P?€>ö5?`?€>ïþp?€>ê,ľ€?€>S(?À>AûY?€=À>ì,ľ>À>EQ&¿@>À>rJ·>€>À>ì,ľ >À>T(¿À>À>@ûY¿à>À>ì,ľ?À>FQ&??À>jJ·¾ ?À>6%5¿0?À>ƒŽ?@?À>‡6&?P?À>6%5¿`?À>°|ü¾p?À>UÄŽ>€?À>6%5¿?„Ž¿€=?†6&¿>?6%5¿@>?°|ü>€>?QÄŽ¾ >?zmh¿À>?©Ÿ>à>?8”Á>??zmh¿??e¾ ??·C9>0??zmh¿@??©Ÿ¾P??7”Á¾`??zmh¿p??e>€??³C9¾ ?€¿€= ?xø > ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>>@?>@>@?>€>@?> >@?>À>@?>à>@?>?@?>?@?> ?@?>0?@?>@?@?>P?@?>`?@?>p?@?>€?@?>`?>€=`?€>>`?€>@>`?€>€>`?€> >`?€>À>`?€>à>`?€>?`?€>?`?€> ?`?€>0?`?€>@?`?€>P?`?€>`?`?€>p?`?€>€?`?€>€?€>€=€?À>>€?À>@>€?À>€>€?À> >€?À>À>€?À>à>€?À>?€?À>?€?À> ?€?À>0?€?À>@?€?À>P?€?À>`?€?À>p?€?À>€?€?À>Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject30àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>@>€> >À>à>?? ?0?@?P?`?p?€?>€=>>>@>>€>> >>À>>à>>?>?> ?>0?>@?>P?>`?>p?>€?>€>€=€>>€>@>€>€>€> >€>À>€>à>€>?€>?€> ?€>0?€>@?€>P?€>`?€>p?€>€?€>À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?à>????? ??0??@??P??`??p??€?? ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject28àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>$øô @>€> >À>à>$øô ?? ?0?@?$øô P?`?p?€?>$øô €=>>>@>>€>> >>$øô À>>à>>?>?> ?>$øô 0?>@?>P?>`?>p?>$øô €?>€>€=€>>€>@>€>$øô €>€> >€>À>€>à>€>?€>$øô ?€> ?€>0?€>@?€>P?€>$øô `?€>p?€>€?€>À>€=À>$øô >À>@>À>€>À> >À>À>À>$øô à>À>?À>?À> ?À>0?À>$øô @?À>P?À>`?À>p?À>€?À>$øô ?€=?>?@>?€>?$øô  >?À>?à>?????$øô ??0??@??P??`??$øô p??€?? ?€= ?> ?$øô @> ?€> ? > ?À> ?à> ?$øô ? ?? ? ? ?0? ?@? ?$øô P? ?`? ?p? ?€? ?@?$øô €=@?>@?@>@?€>@? >@?$øô À>@?à>@??@??@? ?@?$øô 0?@?@?@?P?@?`?@?p?@?$øô €?@?`?€=`?>`?@>`?$øô €>`? >`?À>`?à>`??`?$øô ?`? ?`?0?`?@?`?P?`?$øô `?`?p?`?€?`?€?€=€?$øô >€?@>€?€>€? >€?À>€?à>€?…ýG2?€?zmh??€?e> ?€?ÆaÊ>0?€?zmh?@?€?©Ÿ¾P?€?ŸÂ>`?€?zmh?p?€?e¾€?€?ÄaʾÈðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject26àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿áJÖ>€=·C9>>zmh?@>w¸¼€>8”Á> >zmh?À>áJÖ¾à>´C9¾?zmh??T¸< ?8”Á¾0?zmh?@?Èà4?P?WÄŽ>`?5%5?p?ùï¼€?‡6&?>5%5?€=>Èà4¿>>QÄŽ¾@>>7%5?€>>jï< >>‡6&¿À>>5%5?à>>µul??>rJ·>?>é,Ä> ?>õ- »0?>AûY?@?>è,Ä>P?>µul¿`?>kJ·¾p?>ë,Ä>€?>©, ;€>CûY¿€=€>é,Ä>>€>€?@>€>ïÃ>€>€>!!›² >€>mJ1³À>€>^ƒl?à>€>¼sDz?€>€¿?€>ïþ ?€> !›²0?€>WÆó³@?€>^ƒl¿P?€>Ó÷„²`?€>´ul?p?€>Žª²>€?€>ë,ľÀ>®- ;€=À>rðZ?>À>ë,ľ@>À>µul¿€>À>ˆª²¾ >À>ë,ľÀ>À>ã. »à>À>rðZ¿?À>ë,ľ?À>Èà4? ?À>÷†>0?À>6%5¿@?À>Ÿï<P?À>Ž(?`?À>6%5¿p?À>Èà4¿€?À>ó†¾?6%5¿€=?7ð¼>?Ž(¿@>?6%5¿€>?ãJÖ> >? Â>À>?zmh¿à>?n¸<??ÅaÊ>??zmh¿ ??ãJÖ¾0??›Â¾@??zmh¿P??¦¸¼`??Çaʾp??zmh¿€??¬èC± ?€= ?> ?@> ?$øô €> ? > ?À> ?à> ?? ?$øô ? ? ? ?0? ?@? ?P? ?$øô `? ?p? ?€? ?@?€=@?$øô >@?@>@?€>@? >@?À>@?$øô à>@??@??@? ?@?0?@?$øô @?@?P?@?`?@?p?@?€?@?$øô `?€=`?>`?@>`?€>`?$øô  >`?À>`?à>`??`??`?$øô ?`?0?`?@?`?P?`?`?`?$øô p?`?€?`?€?€=€?>€?$øô @>€?€>€? >€?À>€?à>€?$øô ?€??€? ?€?0?€?@?€?$øô P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject24àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>@>€> >À>à>?? ?0?@?P?`?p?€?>€=>>>@>>€>> >>À>>à>>?>?> ?>0?>@?>P?>`?>p?>€?>€>€=€>>€>@>€>€>€> >€>À>€>à>€>?€>?€> ?€>0?€>@?€>P?€>`?€>p?€>€?€>À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?à>????? ??0??@??P??`??p??€?? ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject22àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>@>€> >À>à>?? ?0?@?P?`?p?€?>€=>>>@>>€>> >>À>>à>>?>?> ?>0?>@?>P?>`?>p?>€?>€>€=€>>€>@>€>€>€> >€>À>€>à>€>?€>?€> ?€>0?€>@?€>P?€>`?€>p?€>€?€>À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?à>????? ??0??@??P??`??p??€?? ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject20àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿áJÖ>€=·C9>>zmh?@>w¸¼€>8”Á> >zmh?À>áJÖ¾à>´C9¾?zmh??T¸< ?8”Á¾0?zmh?@?Èà4?P?WÄŽ>`?5%5?p?ùï¼€?‡6&?>5%5?€=>Èà4¿>>QÄŽ¾@>>7%5?€>>jï< >>‡6&¿À>>5%5?à>>µul??>rJ·>?>é,Ä> ?>õ- »0?>AûY?@?>è,Ä>P?>µul¿`?>kJ·¾p?>ë,Ä>€?>©, ;€>CûY¿€=€>é,Ä>>€>€?@>€>ïÃ>€>€>!!›² >€>mJ1³À>€>^ƒl?à>€>¼sDz?€>€¿?€>ïþ ?€> !›²0?€>WÆó³@?€>^ƒl¿P?€>Ó÷„²`?€>´ul?p?€>Žª²>€?€>ë,ľÀ>®- ;€=À>rðZ?>À>ë,ľ@>À>µul¿€>À>ˆª²¾ >À>ë,ľÀ>À>ã. »à>À>rðZ¿?À>ë,ľ?À>Èà4? ?À>÷†>0?À>6%5¿@?À>Ÿï<P?À>Ž(?`?À>6%5¿p?À>Èà4¿€?À>ó†¾?6%5¿€=?7ð¼>?Ž(¿@>?6%5¿€>?ãJÖ> >? Â>À>?zmh¿à>?n¸<??ÅaÊ>??zmh¿ ??ãJÖ¾0??›Â¾@??zmh¿P??¦¸¼`??Çaʾp??zmh¿€??¬èC± ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject18àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿áJÖ>€=·C9>>zmh?@>w¸¼€>8”Á> >zmh?À>áJÖ¾à>´C9¾?zmh??T¸< ?8”Á¾0?zmh?@?Èà4?P?WÄŽ>`?5%5?p?ùï¼€?‡6&?>5%5?€=>Èà4¿>>QÄŽ¾@>>7%5?€>>jï< >>‡6&¿À>>5%5?à>>µul??>rJ·>?>é,Ä> ?>õ- »0?>AûY?@?>è,Ä>P?>µul¿`?>kJ·¾p?>ë,Ä>€?>©, ;€>CûY¿€=€>é,Ä>>€>€?@>€>ïÃ>€>€>!!›² >€>mJ1³À>€>^ƒl?à>€>¼sDz?€>€¿?€>ïþ ?€> !›²0?€>WÆó³@?€>^ƒl¿P?€>Ó÷„²`?€>´ul?p?€>Žª²>€?€>ë,ľÀ>®- ;€=À>rðZ?>À>ë,ľ@>À>µul¿€>À>ˆª²¾ >À>ë,ľÀ>À>ã. »à>À>rðZ¿?À>ë,ľ?À>Èà4? ?À>÷†>0?À>6%5¿@?À>Ÿï<P?À>Ž(?`?À>6%5¿p?À>Èà4¿€?À>ó†¾?6%5¿€=?7ð¼>?Ž(¿@>?6%5¿€>?ãJÖ> >? Â>À>?zmh¿à>?n¸<??ÅaÊ>??zmh¿ ??ãJÖ¾0??›Â¾@??zmh¿P??¦¸¼`??Çaʾp??zmh¿€??¬èC± ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject16àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>$øô @>€> >À>à>$øô ?? ?0?@?$øô P?`?p?€?>$øô €=>>>@>>€>> >>$øô À>>à>>?>?> ?>$øô 0?>@?>P?>`?>p?>$øô €?>€>€=€>>€>@>€>$øô €>€> >€>À>€>à>€>?€>$øô ?€> ?€>0?€>@?€>P?€>$øô `?€>p?€>€?€>À>€=À>$øô >À>@>À>€>À> >À>À>À>$øô à>À>?À>?À> ?À>0?À>$øô @?À>P?À>`?À>p?À>€?À>$øô ?€=?>?@>?€>?$øô  >?À>?à>?????$øô ??0??@??P??`??$øô p??€?? ?€= ?> ?$øô @> ?€> ? > ?À> ?à> ?$øô ? ?? ? ? ?0? ?@? ?$øô P? ?`? ?p? ?€? ?@?$øô €=@?>@?@>@?€>@? >@?$øô À>@?à>@??@??@? ?@?$øô 0?@?@?@?P?@?`?@?p?@?$øô €?@?`?€=`?>`?@>`?$øô €>`? >`?À>`?à>`??`?$øô ?`? ?`?0?`?@?`?P?`?$øô `?`?p?`?€?`?€?€=€?$øô >€?@>€?€>€? >€?À>€?à>€?…ýG2?€?zmh??€?e> ?€?ÆaÊ>0?€?zmh?@?€?©Ÿ¾P?€?ŸÂ>`?€?zmh?p?€?e¾€?€?ÄaʾÈðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject14àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>@>€> >À>à>?? ?0?@?P?`?p?€?>€=>>>@>>€>> >>À>>à>>?>?> ?>0?>@?>P?>`?>p?>€?>€>€=€>>€>@>€>€>€> >€>À>€>à>€>?€>?€> ?€>0?€>@?€>P?€>`?€>p?€>€?€>À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?à>????? ??0??@??P??`??p??€?? ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@? @?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€? Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject12àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>$øô @>€> >À>à>$øô ?? ?0?@?$øô P?`?p?€?>$øô €=>>>@>>€>> >>$øô À>>à>>?>?> ?>$øô 0?>@?>P?>`?>p?>$øô €?>€>€=€>>€>@>€>$øô €>€> >€>À>€>à>€>?€>$øô ?€> ?€>0?€>@?€>P?€>$øô `?€>p?€>€?€>À>€=À>$øô >À>@>À>€>À> >À>À>À>$øô à>À>?À>?À> ?À>0?À>$øô @?À>P?À>`?À>p?À>€?À>$øô ?€=?>?@>?€>?$øô  >?À>?à>?????$øô ??0??@??P??`??$øô p??€?? ?€= ?> ?$øô @> ?€> ? > ?À> ?à> ?$øô ? ?? ? ? ?0? ?@? ?$øô P? ?`? ?p? ?€? ?@?$øô €=@?>@?@>@?€>@? >@?$øô À>@?à>@??@??@? ?@?$øô 0?@?@?@?P?@?`?@?p?@?$øô €?@?`?€=`?>`?@>`?$øô €>`? >`?À>`?à>`??`?$øô ?`? ?`?0?`?@?`?P?`?$øô `?`?p?`?€?`?€?€=€?$øô >€?@>€?€>€? >€?À>€?à>€?…ýG2?€?zmh??€?e> ?€?ÆaÊ>0?€?zmh?@?€?©Ÿ¾P?€?ŸÂ>`?€?zmh?p?€?e¾€?€?ÄaʾÈðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿRobject10àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=>@>€> >À>à>?? ?0?@?P?`?p?€?>€=>>>@>>€>> >>À>>à>>?>?> ?>0?>@?>P?>`?>p?>€?>€>€=€>>€>@>€>€>€> >€>À>€>à>€>?€>?€> ?€>0?€>@?€>P?€>`?€>p?€>€?€>À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ?À>0?À>@?À>P?À>`?À>p?À>€?À>?€=?>?@>?€>? >?À>?à>????? ??0??@??P??`??p??€?? ?€= ?> ?@> ?€> ? > ?À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@? >@?À>@?à>@??@??@? ?@?0?@?@?@?P?@?`?@?p?@?€?@?`?€=`?>`?@>`?€>`? >`?À>`?à>`??`??`? ?`?0?`?@?`?P?`?`?`?p?`?€?`?€?€=€?>€?@>€?€>€? >€?À>€?à>€??€??€? ?€?0?€?@?€?P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿQobject8àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿€=o>o@>€>q >qÀ>ƒà>s?s?… ?u0?u@?xP?x`?‹p?|€?|>€=>€>>€@>>“€>>„ >>„À>>—à>>?>?> ?> 0?>@?>P?>`?>p?>€?>#€>'€=€>+>€>/@>€>3€>€>7 >€>;À>€>?à>€>C?€>G?€>K ?€>O0?€>S@?€>WP?€>[`?€>_p?€>c€?€>gÀ>k€=À>o>À>s@>À>w€>À>{ >À>À>À>ƒà>À>‡?À>‹?À> ?À>“0?À>—@?À>›P?À>Ÿ`?À>£p?À>§€?À>«?¯€=?³>?·@>?»€>?¿ >?ÃÀ>?Çà>?Ë??Ï??Ó ??×0??Û@??ßP??`??p??€?? ?€= ?> ? @> ? €> ? > ? À> ?à> ?? ?? ? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@?€=@?>@?@>@?€>@?  >@? À>@?à>@? ?@? ?@? ?@?0?@?@?@?P?@?`?@?p?@?!€?@?`?€=`?#>`?@>`?€>`?% >`?À>`?à>`?'?`??`? ?`?)0?`?@?`?P?`?+`?`?p?`?€?`?-€?€=€?>€?/@>€? €>€?  >€?1À>€?"à>€?"?€?3?€?$ ?€?$0?€?5@?€?&P?€?&`?€?7p?€?(€?€?(Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿQobject6àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿Ô‹Š>€=ó5¿>¦÷(²@>t='?€>ó5¿ >ó5¿À>Ñ‹Š¾à>ó5¿?Ž*г?t='¿ ?ó5¿0?ïÃ>@?ö>P?^ƒl¿`?–ã¶±p?õµ>€?^ƒl¿>ïþ€=>ö¾>>^ƒl¿@>>JQa³€>>õµ¾ >>^ƒl¿À>>à>> ?>?> ?>$øô 0?>@?>P?>`?>p?>$øô €?>€>€=€>>€>@>€>$øô €>€> >€>À>€>à>€>?€>$øô ?€> ?€>0?€>@?€>P?€>$øô `?€>p?€>€?€>À>€=À>$øô >À>@>À>€>À> >À>À>À>$øô à>À>?À>?À> ?À>0?À>$øô @?À>P?À>`?À>p?À>€?À>$øô ?€=?>?@>?€>?$øô  >?À>?à>?????$øô ??0??@??P??`??$øô p??€?? ?€= ?> ?$øô @> ?€> ? > ?À> ?à> ?$øô ? ?? ? ? ?0? ?@? ?$øô P? ?`? ?p? ?€? ?@?$øô €=@?>@?@>@?€>@? >@?$øô À>@?à>@??@??@? ?@?$øô 0?@?@?@?P?@?`?@?p?@?$øô €?@?`?€=`?>`?@>`?$øô €>`? >`?À>`?à>`??`?$øô ?`? ?`?0?`?@?`?P?`?$øô `?`?p?`?€?`?€?€=€?$øô >€?@>€?€>€? >€?À>€?$øô à>€??€??€? ?€?0?€?$øô @?€?P?€?`?€?p?€?€?€?$øô Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿQobject4àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿i€=Z>Z@>k€>\ >\À>mà>^?^?o ?`0?`@?bP?b`?qp?f€?f>q€=>j>>j@>>q€>>n >>nÀ>>qà>>?>ïÃ>?>ö> ?>^ƒl?0?>•ã¶±@?>ôµ>P?>^ƒl?`?>ïþp?>ö¾€?>^ƒl?€>IQa³€=€>ôµ¾>€>^ƒl?@>€>ó5?€>€>Ô‹Š> >€>ó5?À>€>¦÷(²à>€>t='??€>ó5??€>ó5¿ ?€>Ñ‹Š¾0?€>ó5?@?€>Ž*гP?€>t='¿`?€>ó5?p?€>^ƒl?€?€>óµ>À>ïÃ>€=À>:Ä\²>À>y‚Z?@>À>ïÃ>€>À>^ƒl¿ >À>ïµ¾À>À>ïÃ>à>À>¼ý´?À>y‚Z¿?À>ïÃ> ?À>€?0?À>ïÃ>@?À>.½;³P?À>ºôn²`?À>^ƒl?p?À>.½;³€?À>€¿?ïþ€=?.½;³>?2´@>?^ƒl¿€>?.½;³ >?^ƒl?À>?óµ>à>?ïþ??:Ä\²??y‚Z? ??ïþ0??^ƒl¿@??ïµ¾P??ïþ`??¼ý´p??y‚Z¿€??ïþ ?ó5?€= ?Ô‹Š>> ?ó5¿@> ?¦÷(²€> ?t='? > ?ó5¿À> ?ó5¿à> ?Ñ‹Š¾? ?ó5¿? ?Ž*г ? ?t='¿0? ?ó5¿@? ?ïÃ>P? ?ö>`? ?^ƒl¿p? ?–ã¶±€? ?õµ>@?^ƒl¿€=@?ïþ>@?ö¾@>@?^ƒl¿€>@?JQa³ >@?õµ¾À>@?^ƒl¿à>@??@? ?@? ?@?0?@?$øô @?@?P?@?`?@?p?@?€?@?$øô `?€=`?>`?@>`?€>`?$øô  >`?À>`?à>`??`??`?$øô ?`?0?`?@?`?P?`?`?`?$øô p?`?€?`?€?€=€?>€?$øô @>€?€>€? >€?À>€?à>€?$øô ?€??€? ?€?0?€?@?€?$øô P?€?`?€?p?€?€?€?Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿;ÿÿÿQobject2àrr™€?ïÃ>^ƒl?ôµ>ö>^ƒl?Ô‹Š>Õ‹Š>^ƒl?ö>ôµ>^ƒl?•ã¶±ïÃ>^ƒl?ö¾ôµ>^ƒl?Õ‹Š¾Ô‹Š>^ƒl?ôµ¾ö>^ƒl?ïþ×tÊ2^ƒl?õµ¾ö¾^ƒl?Ö‹Š¾Ò‹Š¾^ƒl?!ö¾òµ¾^ƒl?IQa³ïþ^ƒl?ö>ôµ¾^ƒl?Ö‹Š>Ӌо^ƒl?öµ>ö¾^ƒl?ó5?ó5?t='?Ô‹Š>ó5?ÿÿÿ>?ó5?Ó‹Š>u='?ó5?¦÷(²ó5?ó5?Ջоt='?ó5?¿þÿÿ>ó5?t='¿Ó‹Š>ó5?ó5¿™ ;3ó5?u='¿Ñ‹Š¾ó5?¿üÿÿ¾ó5?Ú‹Š¾s='¿ó5?Ž*гó5¿ó5?Ô‹Š>t='¿ó5??ýÿÿ¾ó5?v='?Ì‹Š¾ó5?^ƒl?ïÃ>y‚Z?óµ>ïÃ>t='?t='?ïÃ>òµ>y‚Z?ïÃ>:Ä\²^ƒl?ïÃ>ôµ¾y‚Z?ïÃ>u='¿s='?ïÃ>y‚Z¿òµ>ïÃ>^ƒl¿ðbt3ïÃ>z‚Z¿ïµ¾ïÃ>w='¿r='¿ïÃ>ûµ¾w‚Z¿ïÃ>¼ý´^ƒl¿ïÃ>óµ>y‚Z¿ïÃ>v='?r='¿ïÃ>{‚Z?éµ¾ïÃ>€?.½;³^ƒl?ïÃ>.½;³ó5?ó5?.½;³ïÃ>_ƒl?.½;³ºôn²€?.½;³ïþ^ƒl?.½;³ô5¿ò5?.½;³_ƒl¿ïÃ>.½;³€¿ÒB„3.½;³_ƒl¿ïþ.½;³ö5¿ñ5¿.½;³ïþ]ƒl¿.½;³2´€¿.½;³ïÃ>^ƒl¿.½;³õ5?ñ5¿.½;³aƒl? ïþ.½;³^ƒl?ïþy‚Z?óµ>ïþt='?t='?ïþòµ>y‚Z?ïþ:Ä\²^ƒl?ïþôµ¾y‚Z?ïþu='¿s='?ïþy‚Z¿òµ>ïþ^ƒl¿ðbt3ïþz‚Z¿ïµ¾ïþw='¿r='¿ïþûµ¾w‚Z¿ïþ¼ý´^ƒl¿ïþóµ>y‚Z¿ïþv='?r='¿ïþ{‚Z?éµ¾ïþó5?ó5¿t='?Ô‹Š>ó5¿ÿÿÿ>?ó5¿Ó‹Š>u='?ó5¿¦÷(²ó5?ó5¿Õ‹Š¾t='?ó5¿¿þÿÿ>ó5¿t='¿Ó‹Š>ó5¿ó5¿™ ;3ó5¿u='¿Ñ‹Š¾ó5¿¿üÿÿ¾ó5¿Ú‹Š¾s='¿ó5¿Ž*гó5¿ó5¿Ô‹Š>t='¿ó5¿?ýÿÿ¾ó5¿v='?Ì‹Š¾ó5¿ïÃ>^ƒl¿õµ>ö>^ƒl¿Õ‹Š>Õ‹Š>^ƒl¿ö>õµ>^ƒl¿–ã¶±ïÃ>^ƒl¿ö¾õµ>^ƒl¿Ö‹Š¾Ô‹Š>^ƒl¿õµ¾ö>^ƒl¿ïþØtÊ2^ƒl¿öµ¾ö¾^ƒl¿×‹Š¾Ó‹Š¾^ƒl¿"ö¾óµ¾^ƒl¿JQa³ïþ^ƒl¿ö>õµ¾^ƒl¿×‹Š>Ӌо^ƒl¿÷µ>ö¾^ƒl¿€¿›²…ýG2€?áJÖ>¸·C9>zmh?e>©Ÿ>zmh?Â>ÆaÊ>zmh?w¸¼áJÖ>zmh?¸C9¾8”Á>zmh?©Ÿ¾e>zmh?ÆaʾŸÂ>zmh?áJÖ¾_¸¼zmh?9”Á¾´C9¾zmh?e¾©Ÿ¾zmh?¦Â¾Äaʾzmh?T¸<áJÖ¾zmh?¸C9>8”Á¾zmh?©Ÿ>e¾zmh?ÇaÊ>™Â¾zmh?Èà4?(ð<6%5?‡6&?WÄŽ>6%5?°|ü>ƒŽ?5%5?õ†>Ž(?6%5?ùï¼Èà4?6%5?WÄŽ¾‡6&?6%5?„Ž¿­|ü>5%5?Ž(¿õ†>6%5?Èà4¿€ï¼6%5?ˆ6&¿QÄŽ¾6%5?°|ü¾Ž¿7%5?û†¾(¿6%5?jï<Èà4¿5%5?VÄŽ>‡6&¿6%5?„Ž?¬|ü¾5%5?(?ñ†¾5%5?µul?. ;è,Ä>CûY?rJ·>é,Ä>EQ&?S(?é,Ä>ª²>tðZ?è,Ä>õ- »µul?è,Ä>rJ·¾AûY?è,Ä>R(¿DQ&?è,Ä>tðZ¿‹ª²>é,Ä>µul¿.- »è,Ä>CûY¿kJ·¾è,Ä>GQ&¿P(¿ë,Ä>“ª²¾rðZ¿é,Ä>©, ;µul¿è,Ä>rJ·>CûY¿é,Ä>U(?CQ&¿é,Ä>tðZ?‡ª²¾è,Ä>€?¨24 !›2^ƒl?ïÃ>mJ1±ô5?ó5?!!›²ïÃ>_ƒl?mJ1³€?mJ±2ïþ^ƒl?mJ1±ô5¿ó5?¼sDz_ƒl¿ïÃ>€¿ Ý2»sÇ2_ƒl¿ïþmJ±1ö5¿ñ5¿ !›²ïþ^ƒl¿WÆó³€¿mJ±2ïÃ>^ƒl¿mJ1±ö5?ò5¿Ó÷„²`ƒl?ïþnJ1±´ul?ö, »ê,ľrðZ?Žª²>ì,ľS(?EQ&?ë,ľqJ·>AûY?ë,ľ®- ;µul?ì,Ä¾Žª²¾rðZ?ì,ľEQ&¿Q(?ë,ľAûY¿rJ·>ì,ľµul¿N. ;ì,ľtðZ¿ˆª²¾ë,ľT(¿CQ&¿ë,ľuJ·¾@ûY¿ë,ľã. »µul¿ì,Ä¾Žª²>rðZ¿ì,ľFQ&?P(¿ë,ľCûY?jJ·¾ì,ľÈà4?sï¼6%5¿Ž(?÷†>6%5¿ƒŽ?¯|ü>6%5¿UÄŽ>‡6&?6%5¿Ÿï<Èà4?6%5¿÷†¾Ž(?6%5¿°|ü¾Ž?6%5¿‡6&¿UÄŽ>6%5¿Èà4¿ð<6%5¿Ž(¿ó†¾6%5¿„Ž¿¨|ü¾6%5¿YÄŽ¾†6&¿6%5¿7ð¼Èà4¿6%5¿÷†>Ž(¿6%5¿°|ü>Ž¿6%5¿ˆ6&?QÄŽ¾6%5¿ãJÖ>W¸¼zmh¿ÆaÊ> Â>zmh¿©Ÿ>e>zmh¿¸C9>8”Á>zmh¿n¸<áJÖ>zmh¿¡Â¾ÅaÊ>zmh¿e¾©Ÿ>zmh¿:”Á¾·C9>zmh¿ãJÖ¾¸Çaʾzmh¿e>©Ÿ¾zmh¿;”Á>³C9¾zmh¿¬èC±±€2€¿À>€=À>>À>@>À>€>À> >À>À>À>à>À>?À>?À> ??0??@??P??`??p??€??>?€=>?>>?@>>?€>>? >>?À>>?à>>??>??>? ?> ?0?> ?@?> ?P?> ?`?> ?p?> ?€?> ?€> ?€=€> ?>€> ?@>€> ?€>€> ? >€> ?À>€> ?à>€> ??€> ??€> ? ?€>@?0?€>@?@?€>@?P?€>@?`?€>@?p?€>@?€?€>@?À>@?€=À>@?>À>@?@>À>@?€>À>@? >À>@?À>À>@?à>À>@??À>@??À>@? ?À>`?0?À>`?@?À>`?P?À>`?`?À>`?p?À>`?€?À>`??`?€=?`?>?`?@>?`?€>?`? >?`?À>?`?à>?`???`???`? ??€?0??€?@??€?P??€?`??€?p??€?€??€? ?€?€= ?€?> ?€?@> ?€?€> ?€? > ?€?À> ?€?à> ?€?? ?€?? ?€? ? ?0? ?@? ?P? ?`? ?p? ?€? ?@? €=@?>@?@>@? €>@? >@?!À>@?à>@?#?@??@? ?@?%0?@?@?@?P?@?'`?@?p?@?€?@?)`?€=`?>`?+@>`?€>`? >`?-À>`?à>`??`?/?`? ?`?0?`?1@?`?!P?`?"`?`?4p?`?$€?`?$€?6€=€?&>€?&@>€?8€>€?( >€?(À>€?:à>€?*?€?*?€?< ?€?,0?€?,@?€?>P?€?.`?€?.p?€?@€?€?0Èðh®¶ `¥©Ãìqð1OP£&Ú`í[¹>¨- ±9…*¹¼D€”W·ÑNÕSE«†D,Ř¡â³D&Où.Ð’Ä)8ìUâï¢g> r,Ä¡‡Ž .\1ó€˜O¿'aÍEóìAÔY 3®%ý§]¬”ö<¢/’|B—0ˆ?%Ú•²®<¤Ì3S MU²›¹µ^F!ïYï[Û4ävAŠ´ÍkËÒäeŸu¿åŸ08râ¾xÂìSn ÈJVȬ¡„˜…ß̬³Íç­TÖ ˆûÉ´–eq#î»’bpOðVà®p†ÔÛÍ* þ±íl ’`ÿ›5ðòdN–ë'ëd³‰MPòÀ>Ûg†èènd™ÃHÚ‚+²jë gæŽÄÝåÞ!”’Yæe^¯j…ìÿÞê(àØ§”!äégQ˜JÕE6EÙ[øpR6d›ÕÏ0£jìÏKÒá(T ¤ÏÞ‘ ÷.ñÆÑqw‹W8F²-{hº_Sx T´BôxE™B}ó„Å—²ã´¾þž|^Õárt-°+ Y¾ÿŠYà(à9ÄM€WÂô…)ÁôrmÆQ'JÉãª_([3Â!®ÙazõëBoR““Ÿ‚‡(§Š®™q ïHsš‰˜ô?‚:]0¡È‡?kK|§ÎÎð«M6ÔOˆÄ8˜Äs´Ûkä_\ˆP®&^‰âÈV§¦üíÿ(K;öņM¸fx³˜†h°e[.¡hµI^L•bÛDÅú-3fz¢Øü©¾žy BVj™O~˦.<ãöQT=9âbõЧ÷ù™þ¿²¬ïݳ8Þ‘?KUë›õ…þUƒ°?@°3¬65¨Ê@F|f ˆ1UÉŽ\ö_ÖL°ÌÖ³{‹mœSlÄùeF9oƒ†³\äëŽõ}"n¯¶øîçž ×-!s_L)4/I=Í=×ÖšZ°òzô$^½yàÓ<|Û¾Øäyç`Æ7îÂÓÑYÎK/Å3gK„á_ƒ‰A|ž ÂR ü¾ÿ €·Œ‡ê}Ç?Ë‚X_`ö"£ÁÀò[ŽHO“"”Ž8èI›owšc‰¨·Uº½õHVº!¡«Uw~×<Ýl7_oûž}UG’)%àÞŠa?sôš2B5ÂpVŒpÞ,}‹Àv&ENqîúÖ½<_ùúc’í«6›ç‘êÆ³A¯gâµrHÐÆ]8ð …Û…@×”¡…"(ÝßÂmª_ÝY×_–ÎÏüøJ¯é¹àRA‹“ˆ#–ïø;l¹¯^ÿÓKV&œy7ðC;wžåefo®Þ€§^âNïþÝ€0ŸÃÕJñÀÑÎâÄ.ZIʸŸCV³«?½”ª«_l2-h[fî8ý×È[MÓ±È+lð%ÜcÌbôk6aØ.…ùE»¾Räi ßÜ5¸iΆúÊ¡Ÿ@KŠž…é ÌØhñWÎHig«¥šk*Ñ?êRç«/@^egÖ«å“U$ƦJ~æí¹(ˆ·š6CH½MÖ4”m _Öß›Ms åy‡ïÊ„À3îH@#²µ¹"[ª;ÓÇF¹:Å5ÖÚÞ=¢ Ÿy›xî]O‚·Ë£]àu–οØ^Ó¦öˆ ù‚"*Ö‹ÚZA¸h–æ5UY3|è%Ì.Âì_…l¾/oBµü6åû5 î?T­ÆÞ?"Ô€õÚ[&zÀÇ|ºô(#¼5¶\àa•àúï{ËéT5½ƒ²ëÊ0©ÿ7˜ÄœðԂ c “ ÙÆ²ù§/GQ,*Pcç¬Ør³®ýÈzl%”ch-owJƆxʃw†¾:k£ç×Ð"óÌ.0G& îm“ZqÓ'|àpÞÖVL(ȘÞÿÝÄŽŽÆNþÿ¶Š²Ì‘âs~êÒ.«ò¿QWÁÔfRýß@Fh‹üoXŽñ)ÌÃþ7£VH^„ÿ;ÈÎÚª;ïÿƒk4öÿyw$]ëùÿþˆ†ÈI¿asymptote-2.62/examples/triceratops.asy0000644000000000000000000000037313607467113017074 0ustar rootrootimport obj; size(15cm); currentprojection=orthographic(0,2,5,up=Y); // A compressed version of the required data file may be obtained from: // http://www.cs.technion.ac.il/~irit/data/Viewpoint/triceratops.obj.gz draw(obj("triceratops.obj",brown)); asymptote-2.62/examples/fin.asy0000644000000000000000000001015313607467113015306 0ustar rootrootimport three; import palette; int N = 26; real[] C = array(N,0); real[][] A = new real[N][N]; for(int i = 0; i < N; ++i) for(int j = 0; j < N; ++j) A[i][j] = 0; real Tb = 100; // deg C real h = 240; // 240 W/m^2 K real k = 240; // W/m K real Tinf = 20; // deg C real L = 12; // cm real t = 2; // cm real delta = 0.01; // 1 cm = 0.01 m // (1,2)-(2,2)-(3,2)-...-(13,2) // | | | | // (1,1)-(2,1)-(3,1)-...-(13,1) // // | // \ / // V // // 13-14-15-...-24-25 // | | | ... | | // 0- 1- 2-...-11-12 // but, note zero-based array indexing, so counting starts at 0 int indexof(int m, int n) { return 13(n-1)+m-1; } int i = 0; // fixed temperature bottom left A[i][indexof(1,1)] = 1; C[i] = Tb; ++i; // fixed temperature middle left A[i][indexof(1,2)] = 1; C[i] = Tb; ++i; // interior nodes for(int m = 2; m<13; ++m) { A[i][indexof(m,2)] = -4; A[i][indexof(m-1,2)] = A[i][indexof(m+1,2)] = 1; A[i][indexof(m,1)] = 2; C[i] = 0; ++i; } // convective bottom side nodes for(int m = 2; m<13; ++m) { A[i][indexof(m,1)] = -(2+h*delta/k); A[i][indexof(m-1,1)] = A[i][indexof(m+1,1)] = 0.5; A[i][indexof(m,2)] = 1; C[i] = -h*delta*Tinf/k; ++i; } // convective bottom right corner node A[i][indexof(13,2)] = A[i][indexof(12,1)] = 0.5; A[i][indexof(13,1)] = -(1+h*delta/k); C[i] = -h*delta*Tinf/k; ++i; // convective middle right side node A[i][indexof(13,2)] = -(2+h*delta/k); A[i][indexof(13,1)] = 1; A[i][indexof(12,2)] = 1; C[i] = -h*delta*Tinf/k; ++i; real[] T = solve(A,C); pen[] Palette = Gradient(256,blue,cyan,yellow,orange,red); real[][] T = {T[0:13],T[13:26],T[0:13]}; T = transpose(T); size3(15cm); real w = 10; real h = 5; currentprojection = orthographic(2*(L,h,w),Y); draw((L,t,0)--(L,0,0)--(L,0,w)--(0,0,w)--(0,-h,w)); draw((0,t,w)--(0,t+h,w)--(0,t+h,0)--(0,t,0)); draw((L,0,w)--(L,t,w)--(0,t,w)--(0,t,0)--(L,t,0)--(L,t,w)); real wo2 = 0.5*w; draw((0,0,wo2)--(0,t,wo2)--(L,t,wo2)--(L,0,wo2)--cycle); // centre points surface square = surface(shift(-0.5,-0.5,wo2)*unitsquare3); surface bottomsquare = surface(shift(-0.5,-0.5,wo2)*scale(1,0.5,1)*unitsquare3); surface topsquare = surface(shift(-0.5,0,wo2)*scale(1,0.5,1)*unitsquare3); surface leftsquare = surface(shift(-0.5,-0.5,wo2)*scale(0.5,1,1)*unitsquare3); surface rightsquare = surface(shift(0,-0.5,wo2)*scale(0.5,1,1)*unitsquare3); surface NEcorner = surface(shift(0,0,wo2)*scale(0.5,0.5,1)*unitsquare3); surface SEcorner = surface(shift(0,-0.5,wo2)*scale(0.5,0.5,1)*unitsquare3); surface SWcorner = surface(shift(-0.5,-0.5,wo2)*scale(0.5,0.5,1)*unitsquare3); surface NWcorner = surface(shift(-0.5,0,wo2)*scale(0.5,0.5,1)*unitsquare3); material lookupColour(int m,int n) { int index = round(Palette.length*(T[m-1][n-1]-60)/(100-60)); if(index >= Palette.length) index = Palette.length-1; return emissive(Palette[index]); } draw(shift(0,1,0)*rightsquare,lookupColour(1,2)); for(int i = 2; i < 13; ++i) { draw(shift(i-1,1,0)*square,lookupColour(i,2)); } draw(shift(12,1,0)*leftsquare,lookupColour(13,2)); draw(shift(0,2,0)*SEcorner,lookupColour(1,3)); draw(shift(0,0,0)*NEcorner,lookupColour(1,1)); for(int i = 2; i < 13; ++i) { draw(shift(i-1,0,0)*topsquare,lookupColour(i,1)); draw(shift(i-1,2,0)*bottomsquare,lookupColour(i,3)); } draw(shift(12,2,0)*SWcorner,lookupColour(13,3)); draw(shift(12,0,0)*NWcorner,lookupColour(13,1)); // annotations draw("$x$",(0,-h/2,w)--(L/4,-h/2,w),Y,Arrow3(HookHead2(normal=Z)),BeginBar3(Y)); draw("$y$",(0,0,1.05*w)--(0,2t,1.05*w),Z,Arrow3(HookHead2(normal=X)), BeginBar3(Z)); draw("$z$",(L,-h/2,0)--(L,-h/2,w/4),Y,Arrow3(HookHead2(normal=X)),BeginBar3(Y)); draw("$L$",(0,-h/4,w)--(L,-h/4,w),-Y,Arrows3(HookHead2(normal=Z)), Bars3(Y),PenMargins2); draw("$w$",(L,-h/4,0)--(L,-h/4,w),-Y,Arrows3(HookHead2(normal=X)), Bars3(Y),PenMargins2); draw("$t$",(1.05*L,0,0)--(1.05*L,t,0),-2Z,Arrows3(HookHead2(normal=Z)), Bars3(X),PenMargins2); label(ZY()*"$T_b$",(0,t+h/2,wo2)); label("$h$,$T_\infty$",(L/2,t+h/2,0),Y); path3 air = (L/2,t+h/3,w/3.5)--(1.5*L/2,t+2*h/3,w/8); draw(air,EndArrow3(TeXHead2)); draw(shift(0.5,0,0)*air,EndArrow3(TeXHead2)); draw(shift(1.0,0,0)*air,EndArrow3(TeXHead2)); asymptote-2.62/examples/sacone.asy0000644000000000000000000000067513607467113016012 0ustar rootrootsize(0,150); pair z0=(0,0); real r=1; real h=1; real l=sqrt(r^2+h^2); real a=(1-r/l)*360; real a1=a/2; real a2=360-a/2; path g=arc(z0,r,a1,a2); fill((0,0)--g--cycle,lightgreen); draw(g); pair z1=point(g,0); pair z2=point(g,length(g)); real r2=1.1*r; path c=arc(0,r2,a1,a2); draw("$2\pi r$",c,red,Arrows,Bars,PenMargins); pen edge=blue+0.5mm; draw("$\ell$",z0--z1,0.5*SE,edge); draw(z0--z2,edge); draw(arc(z0,r,a2-360,a1),grey+dashed); dot(0); asymptote-2.62/examples/vectorfieldsphere.asy0000644000000000000000000000053713607467113020254 0ustar rootrootimport graph3; size(12cm); currentprojection=orthographic(1,-2,1); currentlight=(1,-1,0.5); triple f(pair z) {return expi(z.x,z.y);} path3 vector(pair z) { triple v=f(z); return O--(v.y,v.z,v.x); } add(vectorfield(vector,f,(0,0),(pi,2pi),10,0.25,red,render(merge=true))); draw(unitsphere,gray+opacity(0.5),render(compression=0,merge=true)); asymptote-2.62/examples/polardatagraph.asy0000644000000000000000000000050613607467113017524 0ustar rootrootimport graph; size(100); int n=30; real minRadius=0.2; real angles[]=uniform(0,2pi,n); angles.delete(angles.length-1); real[] r=new real[n]; for(int i=0; i < n; ++i) r[i]=unitrand()*(1-minRadius)+minRadius; interpolate join=operator ..(operator tension(10,true)); draw(join(polargraph(r,angles,join),cycle),dot(red)); asymptote-2.62/examples/RiemannSphere.asy0000644000000000000000000000174113607467113017275 0ustar rootrootimport graph3; import solids; currentlight=White; defaultrender.merge=true; size(10cm,0); pair k=(1,0.2); real r=abs(k); real theta=angle(k); real x(real t) { return r^t*cos(t*theta); } real y(real t) { return r^t*sin(t*theta); } real z(real t) { return 0; } real u(real t) { return x(t)/(x(t)^2+y(t)^2+1); } real v(real t) { return y(t)/(x(t)^2+y(t)^2+1); } real w(real t) { return (x(t)^2+y(t)^2)/(x(t)^2+y(t)^2+1); } real nb=3; for (int i=0; i<12; ++i) draw((0,0,0)--nb*(Cos(i*30),Sin(i*30),0),yellow); for (int i=0; i<=nb; ++i) draw(circle((0,0,0),i),lightgreen+white); path3 p=graph(x,y,z,-200,40,operator ..); path3 q=graph(u,v,w,-200,40,operator ..); revolution sph=sphere((0,0,0.5),0.5); draw(surface(sph),green+white+opacity(0.5)); draw(p,1bp+heavyred); draw(q,1bp+heavyblue); triple A=(0,0,1), B=(u(40),v(40),w(40)), C=(x(40),y(40),z(40)); path3 L=A--C; draw(L,1bp+black); pen p=fontsize(8pt); dot("$(0,0,1)$",A,N,p); dot("$(u,v,w)$",B,E,p); dot("$(x,y,0)$",C,E,p); asymptote-2.62/examples/p-orbital.asy0000644000000000000000000000120313607467113016417 0ustar rootrootimport graph3; import palette; size(200); currentprojection=orthographic(6,8,2); viewportmargin=(1cm,0); real c0=0.1; real f(real r) {return r*(1-r/6)*exp(-r/3);} triple f(pair t) { real r=t.x; real phi=t.y; real f=f(r); real s=max(min(f != 0 ? c0/f : 1,1),-1); real R=r*sqrt(1-s^2); return (R*cos(phi),R*sin(phi),r*s); } bool cond(pair t) {return f(t.x) != 0;} real R=abs((20,20,20)); surface s=surface(f,(0,0),(R,2pi),100,8,Spline,cond); s.colors(palette(s.map(abs),Gradient(palegreen,heavyblue))); render render=render(compression=Low,merge=true); draw(s,render); draw(zscale3(-1)*s); axes3("$x$","$y$","$z$",Arrow3); asymptote-2.62/examples/spectrum.asy0000644000000000000000000000447213607467113016403 0ustar rootrootimport graph; usepackage("ocg"); settings.tex="pdflatex"; // Dan Bruton algorithm pen nm2rgb(real wl, real gamma=0.8, bool intensity=true) { triple rgb; if(wl >= 380 && wl <= 440) {rgb=((440-wl)/60,0,1);} if(wl > 440 && wl <= 490) {rgb=(0,(wl-440)/50,1);} if(wl > 490 && wl <= 510) {rgb=(0,1,(510-wl)/20);} if(wl > 510 && wl <= 580) {rgb=((wl-510)/70,1,0);} if(wl > 580 && wl <= 645) {rgb=(1,(645-wl)/65,0);} if(wl > 645 && wl <= 780) {rgb=(1,0,0);} real Intensity=1; if(intensity) { if(wl >= 700) {Intensity=0.3+0.7*(780-wl)/80;} else if(wl <= 420) {Intensity=0.3+0.7*(wl-380)/40;} } return rgb((Intensity*rgb.x)**gamma,(Intensity*rgb.y)**gamma, (Intensity*rgb.z)**gamma); } real width=1; real height=50; begin("spectrum"); for(real i=380 ; i <= 780 ; i += width) { draw((i,0)--(i,height),width+nm2rgb(wl=i,false)+squarecap); } begin("Extinction",false); // nested for(real i=380 ; i <= 780 ; i += width) { draw((i,0)--(i,height),width+nm2rgb(wl=i,true)+squarecap); } end(); end(); begin("Wavelength"); xaxis(scale(0.5)*"$\lambda$(nm)",BottomTop,380,780, RightTicks(scale(0.5)*rotate(90)*Label(),step=2,Step=10),above=true); end(); // From Astronomical Data Center(NASA) // Neutral only real[] Na={423.899, 424.208, 427.364, 427.679, 428.784, 429.101, 432.14, 432.462, 434.149, 434.474, 439.003, 439.334, 441.989, 442.325, 449.418, 449.766, 454.163, 454.519, 568.2633, 568.8204, 588.995, 589.5924}; begin("Na absorption"); for(int i=0; i < Na.length; ++i) { draw((Na[i],0)--(Na[i],height),0.1*width+squarecap); } end(); begin("Na emission"); for(int i=0; i < Na.length; ++i) { draw((Na[i],0)--(Na[i],-height),0.1*width+nm2rgb(Na[i],false)+squarecap); } end(); // Neutral only real[] Zn={388.334, 396.543, 411.321, 429.288, 429.833, 462.981, 468.014, 472.215, 481.053 , 506.866, 506.958, 518.198, 530.865, 531.024, 531.102, 577.21, 577.55, 577.711, 623.79, 623.917, 636.234, 647.918, 692.832, 693.847, 694.32, 779.936}; begin("Zn absorption",false); for(int i=0; i < Zn.length; ++i) { draw((Zn[i],0)--(Zn[i],height),width+squarecap); } end(); begin("Zn emission",false); for(int i=0; i < Zn.length; ++i) { draw((Zn[i],0)--(Zn[i],-height),width+nm2rgb(Zn[i],false)+squarecap); } end(); shipout(bbox(2mm,Fill(white))); asymptote-2.62/examples/sin1x.asy0000644000000000000000000000050713607467113015576 0ustar rootrootimport graph; size(200,0); real f(real x) {return (x != 0) ? sin(1/x) : 0;} real T(real x) {return 2/(x*pi);} real a=-4/pi, b=4/pi; int n=150,m=5; xaxis("$x$",red); yaxis(red); draw(graph(f,a,-T(m),n)--graph(f,-m,-(m+n),n,T)--(0,f(0))--graph(f,m+n,m,n,T)-- graph(f,T(m),b,n)); label("$\sin\frac{1}{x}$",(b,f(b)),SW); asymptote-2.62/examples/textpath.asy0000644000000000000000000000047013607467113016374 0ustar rootrootsize(300); fill(texpath(Label("test",TimesRoman())),pink); fill(texpath(Label("test",fontcommand('.fam T\n.ps 12')),tex=false),red); pair z=10S; fill(texpath(Label("$ \sqrt{x^2} $",z,TimesRoman())),pink); fill(texpath(Label("$ sqrt {x sup 2} $",z,fontcommand('.fam T\n.ps 12')), tex=false),red); asymptote-2.62/examples/polarcircle.asy0000644000000000000000000000116413607467113017033 0ustar rootrootimport math; import graph; size(0,100); real f(real t) {return 2*cos(t);} pair F(real x) {return (x,f(x));} draw(polargraph(f,0,pi,operator ..)); defaultpen(fontsize(10pt)); xaxis("$x$"); yaxis("$y$"); real theta=radians(50); real r=f(theta); draw("$\theta$",arc((0,0),0.5,0,degrees(theta)),red,Arrow,PenMargins); pair z=polar(r,theta); draw(z--(z.x,0),dotted+red); draw((0,0)--(z.x,0),dotted+red); label("$r\cos\theta$",(0.5*z.x,0),0.5*S,red); label("$r\sin\theta$",(z.x,0.5*z.y),0.5*E,red); dot("$(x,y)$",z,N); draw("r",(0,0)--z,0.5*unit(z)*I,blue,Arrow,DotMargin); dot("$(a,0)$",(1,0),NE); dot("$(2a,0)$",(2,0),NE); asymptote-2.62/examples/Coons.asy0000644000000000000000000000017313607467113015614 0ustar rootrootsize(200); pen[] p={red,green,blue,magenta}; path g=(0,0){dir(45)}..(1,0)..(1,1)..(0,1)..cycle; tensorshade(g,p); dot(g); asymptote-2.62/examples/PythagoreanTree.asy0000644000000000000000000000064413607467113017637 0ustar rootrootsize(250); real a=3; real b=4; real c=hypot(a,b); transform ta=shift(c,c)*rotate(-aCos(a/c))*scale(a/c)*shift(-c); transform tb=shift(0,c)*rotate(aCos(b/c))*scale(b/c); picture Pythagorean(int n) { picture pic; fill(pic,scale(c)*unitsquare,1/(n+1)*green+n/(n+1)*brown); if(n == 0) return pic; picture branch=Pythagorean(--n); add(pic,ta*branch); add(pic,tb*branch); return pic; } add(Pythagorean(12)); asymptote-2.62/examples/exp3.asy0000644000000000000000000000110313607467113015404 0ustar rootrootimport graph3; import palette; size(12cm,IgnoreAspect); currentprojection=orthographic(1,-2,1); real f(pair z) {return abs(exp(z));} real Arg(triple v) {return degrees(exp((v.x,v.y)),warn=false);} surface s=surface(f,(-2,-pi),(2,pi),20,Spline); s.colors(palette(s.map(Arg),Wheel())); draw(s,render(compression=Low,merge=true)); real xmin=point((-1,-1,-1)).x; real xmax=point((1,1,1)).x; draw((xmin,0,0)--(xmax,0,0),dashed); xaxis3("$\mathop{\rm Re} z$",Bounds,InTicks); yaxis3("$\mathop{\rm Im} z$",Bounds,InTicks(beginlabel=false)); zaxis3("$|\exp(z)|$",Bounds,InTicks); asymptote-2.62/examples/elevation.asy0000644000000000000000000000050513607467113016520 0ustar rootrootimport graph3; import grid3; import palette; currentprojection=orthographic(0.8,1,1); size(400,300,IgnoreAspect); defaultrender.merge=true; real f(pair z) {return cos(2*pi*z.x)*sin(2*pi*z.y);} surface s=surface(f,(-1/2,-1/2),(1/2,1/2),50,Spline); draw(s,mean(palette(s.map(zpart),Rainbow(40))),black); grid3(XYZgrid); asymptote-2.62/examples/partitionExample.asy0000644000000000000000000000203713607467113020061 0ustar rootrootsize(15cm); import bezulate; path[] p = texpath("$\sigma \Theta$"); pair m = min(p); pair M = max(p); real midy = 0.5(M.y+m.y); path[] alpha = p[0:2]; path[] theta = p[2:5]; filldraw(p,lightgrey,black); draw("{\tt partition}",(M.x+1mm,midy)--(M.x+5mm,midy),Arrow); draw((M.x+1mm,midy+1mm)--(M.x+5mm,midy+2mm),Arrow); draw((M.x+1mm,midy-1mm)--(M.x+5mm,midy-2mm),Arrow); filldraw(shift((M.x+8.5mm,midy+3.5mm))*alpha,lightgrey,black); filldraw(shift((M.x+5.5mm,0))*theta[0:2],lightgrey,black); filldraw(shift(M.x+5.5mm,midy-2.5mm)*theta[2:3],lightgrey,black); draw("{\tt merge}, {\tt bezulate}",(M.x+9mm,midy+3mm)--(M.x+15mm,midy+3mm),Arrow); draw("{\tt merge}, {\tt bezulate}",(M.x+9mm,midy)--(M.x+15mm,midy),Arrow); draw("{\tt bezulate}",(M.x+9mm,midy-2.5mm)--(M.x+15mm,midy-2.5mm),Arrow); filldraw(shift(M.x+16mm-min(alpha).x,midy+3.5mm)*bezulate(alpha),lightgrey,black); filldraw(shift(M.x+16mm-min(theta[0:2]).x,0)*bezulate(theta[0:2]),lightgrey,black); filldraw(shift(M.x+16mm-min(theta[0:2]).x,midy-2.5mm)*bezulate(theta[2:3]),lightgrey,black); asymptote-2.62/examples/odetest.asy0000644000000000000000000000234313607467113016203 0ustar rootrootimport ode; write("integration test"); real f(real t, real x) {return cos(x);} write(integrate(1,f,0,10,0.1,dynamic=true,0.0002,0.0004,RK3BS,verbose=true)); write(); write("system integration test"); real[] f(real t, real[] x) {return new real[] {x[1],1.5*x[0]^2};} write(integrate(new real[] {4,-8},f,0,1,n=100,dynamic=true,tolmin=0.0002, tolmax=0.0004,RK3BS,verbose=false)); write(); write("simultaneous newton test"); real[] function(real[] x) { return new real[] {x[0]^2+x[1]^2-25,(x[0]-6)^2+x[1]^2-25}; } real[][] fJac(real[] x) { return new real[][] {{2*x[0],2*x[1]},{2*(x[0]-6),2*x[1]}}; } write(newton(function,fJac,new real[] {0,-1})); write(); write("BVP solver test"); write("Finding initial conditions that solve w''(t)=1.5*w(t), w(0)=4, w(1)=1"); real[] initial(real[] x) { return new real[] {4,x[0]}; } real[] discrepancy(real[] x) { real error=x[0]-1; write("Error: ",error); return new real[] {error}; } real[] w0=solveBVP(f,0,1,n=10,dynamic=true,tolmin=0.0002,tolmax=0.0004,RK3BS, initial,discrepancy,guess=new real[] {-30},iterations=10); write(w0); write(); write(integrate(w0,f,0,1,n=10,dynamic=true,tolmin=0.0002,tolmax=0.0004,RK3BS, verbose=false)); write(); asymptote-2.62/examples/advection.asy0000644000000000000000000001007613607467113016512 0ustar rootrootsize(0,22cm); texpreamble(" \usepackage{bm} \def\v{\bm} \def\grad{\v\nabla} \def\cross{{\v\times}} \def\curl{\grad\cross} \def\del{\nabla} "); defaultpen(fontsize(10pt)); real margin=1.5mm; object IC=draw("initial condition $\v U_0$",box,(0,1), margin,black,FillDraw(palegray)); object Adv0=draw("Lagrangian state $\v U(t)$",ellipse,(1,1), margin,red,FillDraw(palered)); object Adv=draw("Lagrangian prediction $\v U(t+\tau)$",ellipse,(1,0), margin,red,FillDraw(palered)); object AdvD=draw("diffused parcels",ellipse,(1.8,1), margin,red,FillDraw(palered)); object Ur=draw("rearranged $\v \widetilde U$",box,(0,0), margin,orange+gray,FillDraw(paleyellow)); object Ui=draw("interpolated $\v \widetilde U$",box,(1,-1), margin,blue,FillDraw(paleblue)); object Crank=draw("${\cal L}^{-1}(-\tau){\cal L}(\tau)\v \widetilde U$", box,(0.5,-1),margin,blue,FillDraw(paleblue)); object CrankR=draw("${\cal L}^{-1}(-\tau){\cal L}(\tau)\v \widetilde U$", box,(0,-1),margin,orange+gray,FillDraw(paleyellow)); object Urout=draw(minipage("\center{Lagrangian rearranged solution~$\v U_R$}", 100pt),box,(0,-2),margin,orange+gray, FillDraw(paleyellow)); object Diff=draw("$\v D\del^2 \v \widetilde U$",box,(0.75,-1.5), margin,blue,FillDraw(paleblue)); object UIout=draw(minipage("\center{semi-Lagrangian solution~$\v U_I$}",80pt), box,(0.5,-2),margin,FillDraw(palered+paleyellow)); object psi=draw("$\psi=\del^{-2}\omega$",box,(1.6,-1), margin,darkgreen,FillDraw(palegreen)); object vel=draw("$\v v=\v{\hat z} \cross\grad\psi$",box,(1.6,-0.5), margin,darkgreen,FillDraw(palegreen)); add(new void(frame f, transform t) { pair padv=0.5*(point(Adv0,S,t)+point(Adv,N,t)); picture pic; draw(pic,"initialize",point(IC,E,t)--point(Adv0,W,t),RightSide,Arrow, PenMargin); draw(pic,minipage("\flushright{advect: Runge-Kutta}",80pt), point(Adv0,S,t)--point(Adv,N,t),RightSide,red,Arrow,PenMargin); draw(pic,Label("Lagrange $\rightarrow$ Euler",0.45), point(Adv,W,t)--point(Ur,E,t),5LeftSide,orange+gray, Arrow,PenMargin); draw(pic,"Lagrange $\rightarrow$ Euler",point(Adv,S,t)--point(Ui,N,t), RightSide,blue,Arrow,PenMargin); draw(pic,point(Adv,E,t)--(point(AdvD,S,t).x,point(Adv,E,t).y),red, Arrow(Relative(0.7)),PenMargin); draw(pic,minipage("\flushleft{diffuse: multigrid Crank--Nicholson}",80pt), point(Ui,W,t)--point(Crank,E,t),5N,blue,MidArrow,PenMargin); draw(pic,minipage("\flushleft{diffuse: multigrid Crank--Nicholson}",80pt), point(Ur,S,t)--point(CrankR,N,t),LeftSide,orange+gray,Arrow,PenMargin); draw(pic,"output",point(CrankR,S,t)--point(Urout,N,t),RightSide, orange+gray,Arrow,PenMargin); draw(pic,point(Ui,S,t)--point(Diff,N,t),blue,MidArrow,PenMargin); draw(pic,point(Crank,S,t)--point(Diff,N,t),blue,MidArrow,PenMargin); label(pic,"subtract",point(Diff,N,t),12N,blue); draw(pic,Label("Euler $\rightarrow$ Lagrange",0.5), point(Diff,E,t)--(point(AdvD,S,t).x,point(Diff,E,t).y)-- (point(AdvD,S,t).x,point(Adv,E,t).y),RightSide,blue, Arrow(position=1.5),PenMargin); dot(pic,(point(AdvD,S,t).x,point(Adv,E,t).y),red); draw(pic,(point(AdvD,S,t).x,point(Adv,E,t).y)--point(AdvD,S,t),red,Arrow, PenMargin); draw(pic,"output",point(Crank,S,t)--point(UIout,N,t),RightSide,brown,Arrow, PenMargin); draw(pic,Label("$t+\tau\rightarrow t$",0.45), point(AdvD,W,t)--point(Adv0,E,t),2.5LeftSide,red,Arrow,PenMargin); draw(pic,point(psi,N,t)--point(vel,S,t),darkgreen,Arrow,PenMargin); draw(pic,Label("self-advection",4.5),point(vel,N,t)-- arc((point(vel,N,t).x,point(Adv,E,t).y),5,270,90)-- (point(vel,N,t).x,padv.y)-- padv,LeftSide,darkgreen,Arrow,PenMargin); draw(pic,Label("multigrid",0.5,S),point(Ui,E,t)--point(psi,W,t),darkgreen, Arrow,PenMargin); add(f,pic.fit()); }); asymptote-2.62/examples/polararea.asy0000644000000000000000000000164213607467113016503 0ustar rootrootimport math; import graph; size(0,150); real f(real t) {return 5+cos(10*t);} xaxis("$x$"); yaxis("$y$"); real theta1=pi/8; real theta2=pi/3; path k=graph(f,theta1,theta2,operator ..); real rmin=min(k).y; real rmax=max(k).y; draw((0,0)--rmax*expi(theta1),dotted); draw((0,0)--rmax*expi(theta2),dotted); path g=polargraph(f,theta1,theta2,operator ..); path h=(0,0)--g--cycle; fill(h,lightgray); draw(h); real thetamin=3*pi/10; real thetamax=2*pi/10; pair zmin=polar(f(thetamin),thetamin); pair zmax=polar(f(thetamax),thetamax); draw((0,0)--zmin,dotted+red); draw((0,0)--zmax,dotted+blue); draw("$\theta_*$",arc((0,0),0.5*rmin,0,degrees(thetamin)),red+fontsize(10pt), PenMargins); draw("$\theta^*$",arc((0,0),0.5*rmax,0,degrees(thetamax)),blue+fontsize(10pt), PenMargins); draw(arc((0,0),rmin,degrees(theta1),degrees(theta2)),red,PenMargins); draw(arc((0,0),rmax,degrees(theta1),degrees(theta2)),blue,PenMargins); asymptote-2.62/examples/laserlattice.asy0000644000000000000000000000213213607467113017204 0ustar rootrootimport graph; import palette; int n=256; pen[] Palette=BWRainbow(); real w(real w0, real z0, real z) {return w0*sqrt(1+(z/z0)^2);} real pot(real lambda, real w0, real r, real z) { real z0=pi*w0^2/lambda, kappa=2pi/lambda; return exp(-2*(r/w(w0,z0,z))^2)*cos(kappa*z)^2; } picture make_field(real lambda, real w0) { real[][] v=new real[n][n]; for(int i=0; i < n; ++i) for(int j=0; j < n; ++j) v[i][j]=pot(lambda,w0,i-n/2,abs(j-n/2)); picture p=new picture; size(p,250,250,IgnoreAspect); real xm=-n/lambda, ym=-n/(2*w0), xx=n/lambda, yx=n/(2*w0); image(p,v,(xm,ym),(xx,yx),Palette); xlimits(p,xm,xx); ylimits(p,ym,yx); xaxis(p,"{\Large $z/\frac{\lambda}{2}$}",BottomTop,LeftTicks); yaxis(p,"{\Large $r/w_0$}",LeftRight,RightTicks); label(p,format("{\LARGE $w_0/\lambda=%.2f$}",w0/lambda),point(p,NW),5N); return p; } picture p=make_field(160,80); picture q=make_field(80,80); picture r=make_field(16,80); picture s=make_field(2,80); real margin=1cm; add(p.fit(),(0,0),margin*NW); add(q.fit(),(0,0),margin*NE); add(r.fit(),(0,0),margin*SW); add(s.fit(),(0,0),margin*SE); asymptote-2.62/examples/spheresilhouette.asy0000644000000000000000000000022613607467113020126 0ustar rootrootimport solids; settings.render=0; settings.prc=false; size(200); revolution r=sphere(O,1); draw(r,1,longitudinalpen=nullpen); draw(r.silhouette()); asymptote-2.62/examples/xxsq01y.asy0000644000000000000000000000147313607467113016074 0ustar rootrootimport solids; size(0,150); currentprojection=perspective(0,0,10,up=Y); pen color=green; real alpha=240; real f(real x) {return x^2;} pair F(real x) {return (x,f(x));} triple F3(real x) {return (x,f(x),0);} path p=graph(F,0,1,n=10,operator ..)--cycle; path3 p3=path3(p); render render=render(compression=0,merge=true); draw(surface(revolution(p3,Y,0,alpha)),color,render); surface s=surface(p); draw(s,color,render); draw(rotate(alpha,Y)*s,color,render); draw(p3,blue); xaxis3(Label("$x$",1),Arrow3); yaxis3(Label("$y$",1),ymax=1.25,dashed,Arrow3); dot("$(1,1)$",(1,1,0),X); arrow("$y=x^{2}$",F3(0.7),X,0.75cm,red); arrow("$y=x$",(0.8,0.8,0),Y,1cm,red); real r=0.4; draw((r,f(r),0)--(r,r,0),red); draw("$r$",(0,(f(r)+r)*0.5,0)--(r,(f(r)+r)*0.5,0),N,red,Arrows3,PenMargins3); draw(arc(1.1Y,0.3,90,0,7.5,180),Arrow3); asymptote-2.62/examples/Pythagoras.asy0000644000000000000000000000105513607467113016654 0ustar rootrootsize(0,150); import geometry; real a=3; real b=4; real c=hypot(a,b); pair z1=(0,b); pair z2=(a,0); pair z3=(a+b,0); perpendicular(z1,NE,z1--z2,blue); perpendicular(z3,NW,blue); draw(square((0,0),z3)); draw(square(z1,z2)); real d=0.3; pair v=unit(z2-z1); draw(baseline("$a$"),-d*I--z2-d*I,red,Bars,Arrows,PenMargins); draw(baseline("$b$"),z2-d*I--z3-d*I,red,Arrows,Bars,PenMargins); draw("$c$",z3+z2*I-d*v--z2-d*v,red,Arrows,PenMargins); draw("$a$",z3+d--z3+z2*I+d,red,Arrows,Bars,PenMargins); draw("$b$",z3+z2*I+d--z3+z3*I+d,red,Arrows,Bars,PenMargins); asymptote-2.62/examples/1overx.asy0000644000000000000000000000046513607467113015763 0ustar rootrootimport graph; size(200,IgnoreAspect); real f(real x) {return 1/x;}; bool3 branch(real x) { static int lastsign=0; if(x == 0) return false; int sign=sgn(x); bool b=lastsign == 0 || sign == lastsign; lastsign=sign; return b ? true : default; } draw(graph(f,-1,1,branch)); axes("$x$","$y$",red); asymptote-2.62/examples/xxsq01x-1.asy0000644000000000000000000000154413607467113016230 0ustar rootrootimport graph3; import solids; size(300); currentprojection=perspective(0,2,10,up=Y); currentlight=Viewport; pen color=green; real f(real x) {return x^2;} pair F(real x) {return (x,f(x));} triple F3(real x) {return (x,f(x),0);} path p=graph(F,0,1,n=10,operator ..)--cycle; path3 p3=path3(p); revolution a=revolution(-X,p3,Y,0,180); render render=render(merge=true); draw(surface(a),color); surface s=surface(p); draw(s,color); transform3 t=shift(-2X)*rotate(180,Y); draw(t*s,color); draw(p3); draw(t*p3); draw((-1,0,0)--(-1,1,0),dashed); xaxis3(Label("$x$",1),Arrow3); yaxis3(Label("$y$",1),Arrow3); dot(Label("$(1,1)$"),(1,1,0)); dot(Label("$(-1,1)$"),(-1,1,0),W); arrow("$y=x^{2}$",F3(0.7),X,1cm,red); arrow("$y=x$",(0.3,0.3,0),X,1.5cm,red); draw(circle((-1,1,0),2,Y),dashed); draw((-1,1,0)--(1,1,0),dashed); draw(shift(-X)*arc(0.02Y,0.3,90,0,0,0,CW),Arrow3); asymptote-2.62/examples/sacylinder3D.asy0000644000000000000000000000052513607467113017060 0ustar rootrootimport solids; size(0,100); real r=1; real h=3; revolution R=cylinder(-h/2*Z,r,h); draw(surface(R),lightgreen+opacity(0.5),render(compression=Low)); draw((0,0,-h/2)--(0,0,h/2),dashed); dot((0,0,-h/2)); dot((0,0,h/2)); draw("$L$",(0,r,-h/2)--(0,r,h/2),W,black); draw("$r$",(0,0,-h/2)--(0,r,-h/2),red); draw(arc(O,1,90,90,90,0),red,Arrow3); asymptote-2.62/examples/RiemannSurface.asy0000644000000000000000000000056113607467113017436 0ustar rootrootimport graph3; import palette; size(200,300,keepAspect=false); //settings.nothin=true; currentprojection=orthographic(10,10,30); currentlight=(10,10,5); triple f(pair t) {return (exp(t.x)*cos(t.y),exp(t.x)*sin(t.y),t.y);} surface s=surface(f,(-4,-2pi),(0,4pi),8,16,Spline); s.colors(palette(s.map(zpart),Rainbow())); draw(s,render(merge=true)); asymptote-2.62/examples/arrows3.asy0000644000000000000000000000233013607467113016130 0ustar rootrootimport three; size(15cm); defaultrender.merge=true; currentprojection=perspective(24,14,13); currentlight=light(gray(0.5),specularfactor=3, (0.5,-0.5,-0.25),(0.5,0.5,0.25),(0.5,0.5,1),(-0.5,-0.5,-1)); defaultpen(0.75mm); path3 g=arc(O,1,90,-60,90,60); draw(g,blue,Arrows3(TeXHead3),currentlight); draw(scale3(3)*g,green,ArcArrows3(HookHead3),currentlight); draw(scale3(6)*g,red,Arrows3(DefaultHead3),currentlight); transform3 t=shift(invert(3S,O)); draw(t*g,blue,Arrows3(TeXHead2),currentlight); draw(t*scale3(3)*g,green,ArcArrows3(HookHead2,NoFill),currentlight); draw(t*scale3(6)*g,red,Arrows3(DefaultHead2(normal=Z)),currentlight); transform3 t=shift(invert(6S,O)); draw(t*g,blue,Arrow3(TeXHead3,position=Relative(0.5)),currentlight); draw(t*scale3(3)*g,purple,Arrow3(HookHead3,position=Relative(0.5)), currentlight); draw(t*scale3(6)*g,red,Arrow3(DefaultHead3,position=Relative(0.5)), currentlight); transform3 t=shift(invert(9S,O)); draw(t*g,blue,Arrow3(TeXHead2,position=Relative(0.5)),currentlight); draw(t*scale3(3)*g,green,Arrow3(HookHead2,position=Relative(0.5),NoFill), currentlight); draw(t*scale3(6)*g,red,Arrow3(DefaultHead2(normal=Z),position=Relative(0.5)), currentlight); asymptote-2.62/examples/markregular.asy0000644000000000000000000000150113607467113017043 0ustar rootrootimport graph; size(10cm,0); real xmin=-4,xmax=4; real ymin=-2,ymax=10; real f(real x) {return x^2;} marker cross=marker(scale(4)*rotate(45)*cross(4), markuniform(new pair(real t) {return Scale((t,f(t)));}, xmin,xmax,round(2*(xmax-xmin))),1bp+red); draw(graph(f,xmin,xmax,n=400),linewidth(1bp),cross); ylimits(-2.5,10,Crop); xaxis(Label("$x$",position=EndPoint, align=NE),xmin=xmin,xmax=xmax, Ticks(scale(.7)*Label(align=E),NoZero,begin=false,beginlabel=false, end=false,endlabel=false,Step=1,step=.25, Size=1mm, size=.5mm,pTick=black,ptick=gray),Arrow); yaxis(Label("$y$",position=EndPoint, align=NE),ymin=ymin,ymax=ymax, Ticks(scale(.7)*Label(),NoZero,begin=false,beginlabel=false, end=false,endlabel=false,Step=1,step=.25,Size=1mm,size=.5mm, pTick=black,ptick=gray),Arrow); asymptote-2.62/examples/venn.asy0000644000000000000000000000116213607467113015500 0ustar rootrootsize(0,150); pen colour1=red; pen colour2=green; pair z0=(0,0); pair z1=(-1,0); pair z2=(1,0); real r=1.5; path c1=circle(z1,r); path c2=circle(z2,r); fill(c1,colour1); fill(c2,colour2); picture intersection; fill(intersection,c1,colour1+colour2); clip(intersection,c2); add(intersection); draw(c1); draw(c2); label("$A$",z1); label("$B$",z2); pair z=(0,-2); real m=3; margin BigMargin=Margin(0,m*dot(unit(z1-z),unit(z0-z))); draw(Label("$A\cap B$",0),conj(z)--z0,Arrow,BigMargin); draw(Label("$A\cup B$",0),z--z0,Arrow,BigMargin); draw(z--z1,Arrow,Margin(0,m)); draw(z--z2,Arrow,Margin(0,m)); shipout(bbox(0.25cm)); asymptote-2.62/examples/BezierPatch.asy0000644000000000000000000000061313607467113016732 0ustar rootrootimport three; size(10cm); currentlight=Headlamp; surface s=surface(patch(new triple[][] { {(0,0,0),(1,0,0),(1,0,0),(2,0,0)}, {(0,1,0),(1,0,1),(1,0,1),(2,1,0)}, {(0,1,0),(1,0,-1),(1,0,-1),(2,1,0)}, {(0,2,0),(1,2,0),(1,2,0),(2,2,0)}})); draw(s,yellow); draw(s.s[0].vequals(0.5),squarecap+2bp+blue,currentlight); draw(s.s[0].uequals(0.5),squarecap+2bp+red,currentlight); asymptote-2.62/examples/trefoilknot.asy0000644000000000000000000000111513607467113017070 0ustar rootrootimport tube; import graph3; import palette; currentlight=White; size(0,8cm); currentprojection=perspective(1,1,1,up=-Y); int e=1; real x(real t) {return cos(t)+2*cos(2t);} real y(real t) {return sin(t)-2*sin(2t);} real z(real t) {return 2*e*sin(3t);} path3 p=scale3(2)*graph(x,y,z,0,2pi,50,operator ..)&cycle; pen[] pens=Gradient(6,red,blue,purple); pens.push(yellow); for (int i=pens.length-2; i >= 0 ; --i) pens.push(pens[i]); path sec=scale(0.25)*texpath("$\pi$")[0]; coloredpath colorsec=coloredpath(sec, pens,colortype=coloredNodes); draw(tube(p,colorsec),render(merge=true)); asymptote-2.62/examples/orthocenter.asy0000644000000000000000000000153513607467113017072 0ustar rootrootimport geometry; import math; size(7cm,0); if(!settings.xasy && settings.outformat != "svg") settings.tex="pdflatex"; real theta=degrees(asin(0.5/sqrt(7))); pair B=(0,sqrt(7)); pair A=B+2sqrt(3)*dir(270-theta); pair C=A+sqrt(21); pair O=0; pair Ap=extension(A,O,B,C); pair Bp=extension(B,O,C,A); pair Cp=extension(C,O,A,B); perpendicular(Ap,NE,Ap--O,blue); perpendicular(Bp,NE,Bp--C,blue); perpendicular(Cp,NE,Cp--O,blue); draw(A--B--C--cycle); draw("1",A--O,-0.25*I*dir(A--O)); draw(O--Ap); draw("$\sqrt{7}$",B--O,LeftSide); draw(O--Bp); draw("4",C--O); draw(O--Cp); dot("$O$",O,dir(B--Bp,Cp--C),red); dot("$A$",A,dir(C--A,B--A),red); dot("$B$",B,NW,red); dot("$C$",C,dir(A--C,B--C),red); dot("$A'$",Ap,dir(A--Ap),red); dot("$B'$",Bp,dir(B--Bp),red); dot("$C'$",Cp,dir(C--Cp),red); label(graphic("piicon.png","width=2.5cm, bb=0 0 147 144"),Ap,5ENE); asymptote-2.62/examples/yingyang.asy0000644000000000000000000000033713607467113016362 0ustar rootrootsize(0,25cm); guide center=(0,1){W}..tension 0.8..(0,0){(1,-.5)}..tension 0.8..{W}(0,-1); draw((0,1)..(-1,0)..(0,-1)); filldraw(center{E}..{N}(1,0)..{W}cycle); unfill(circle((0,0.5),0.125)); fill(circle((0,-0.5),0.125)); asymptote-2.62/examples/fermi.asy0000644000000000000000000000132713607467113015637 0ustar rootrootimport feynman; // set default line width to 0.8bp currentpen = linewidth(0.8); // scale all other defaults of the feynman module appropriately fmdefaults(); // disable middle arrows currentarrow = None; // define vertex and external points pair xu = (-40,+45); pair xl = (-40,-45); pair yu = (+40,+45); pair yl = (+40,-45); pair zu = ( 0,+ 5); pair zl = ( 0,- 5); // define mid points pair mxu = (xu+zu)/2; pair mxl = (xl+zl)/2; pair myu = (yu+zu)/2; pair myl = (yl+zl)/2; // draw fermion lines drawFermion(xu--zu--yu); drawFermion(xl--zl--yl); // draw vertices drawVertexOX(zu); drawVertexOX(zl); // draw gluon. Note that the underlying fermion line is blotted out. drawGluon(arc((0,0),mxu,myl,CW)); // shipout asymptote-2.62/examples/dimension.asy0000644000000000000000000000101113607467113016510 0ustar rootrootsize(12cm,0); void distance(picture pic=currentpicture, pair A, pair B, Label L="", real n=0, pen p=currentpen) { real d=3mm; path g=A--B; transform T=shift(-n*d*unit(B-A)*I); pic.add(new void(frame f, transform t) { picture opic; path G=T*t*g; draw(opic,Label(L,Center,UnFill(1)),G,p,Arrows(NoFill),Bars,PenMargins); add(f,opic.fit()); }); pic.addBox(min(g),max(g),T*min(p),T*max(p)); } pair A=(0,0), B=(3,3); dot(A); dot(B); distance(A,B,"$\ell$",1); asymptote-2.62/examples/sqrtx01y1.asy0000644000000000000000000000110313607467113016321 0ustar rootrootimport graph3; import solids; size(0,150); currentprojection=perspective(0,1,10,up=Y); currentlight=White; real f(real x) {return sqrt(x);} pair F(real x) {return (x,f(x));} triple F3(real x) {return (x,f(x),0);} path p=graph(F,0,1,n=25,operator ..); path3 p3=path3(p); revolution a=revolution(p3,Y,0,360); draw(surface(a),green,render(compression=Low,merge=true)); draw(p3,blue); xaxis3(Label("$x$",1),Arrow3); yaxis3(Label("$y$",1),ymax=1.5,dashed,Arrow3); dot(Label("$(1,1)$"),(1,1,0)); arrow("$y=\sqrt{x}$",F3(0.5),X,0.75cm,red); draw(arc(1.2Y,0.3,90,0,7.5,140),Arrow3); asymptote-2.62/examples/curvedlabel.asy0000644000000000000000000000026113607467113017021 0ustar rootrootsize(200); import labelpath; labelpath("This is a test of curved labels in Asymptote (implemented with the {\tt PSTricks pstextpath} macro).",reverse(rotate(-90)*unitcircle)); asymptote-2.62/examples/teapot.asy0000644000000000000000000003265313607467113016037 0ustar rootrootimport three; import settings; size(20cm); currentprojection=perspective(250,-250,250); currentlight=Viewport; triple[][][] Q={ { {(39.68504,0,68.0315),(37.91339,0,71.75197),(40.74803,0,71.75197),(42.51969,0,68.0315)}, {(39.68504,-22.22362,68.0315),(37.91339,-21.2315,71.75197),(40.74803,-22.8189,71.75197),(42.51969,-23.81102,68.0315)}, {(22.22362,-39.68504,68.0315),(21.2315,-37.91339,71.75197),(22.8189,-40.74803,71.75197),(23.81102,-42.51969,68.0315)}, {(0,-39.68504,68.0315),(0,-37.91339,71.75197),(0,-40.74803,71.75197),(0,-42.51969,68.0315)} },{ {(0,-39.68504,68.0315),(0,-37.91339,71.75197),(0,-40.74803,71.75197),(0,-42.51969,68.0315)}, {(-22.22362,-39.68504,68.0315),(-21.2315,-37.91339,71.75197),(-22.8189,-40.74803,71.75197),(-23.81102,-42.51969,68.0315)}, {(-39.68504,-22.22362,68.0315),(-37.91339,-21.2315,71.75197),(-40.74803,-22.8189,71.75197),(-42.51969,-23.81102,68.0315)}, {(-39.68504,0,68.0315),(-37.91339,0,71.75197),(-40.74803,0,71.75197),(-42.51969,0,68.0315)} },{ {(-39.68504,0,68.0315),(-37.91339,0,71.75197),(-40.74803,0,71.75197),(-42.51969,0,68.0315)}, {(-39.68504,22.22362,68.0315),(-37.91339,21.2315,71.75197),(-40.74803,22.8189,71.75197),(-42.51969,23.81102,68.0315)}, {(-22.22362,39.68504,68.0315),(-21.2315,37.91339,71.75197),(-22.8189,40.74803,71.75197),(-23.81102,42.51969,68.0315)}, {(0,39.68504,68.0315),(0,37.91339,71.75197),(0,40.74803,71.75197),(0,42.51969,68.0315)} },{ {(0,39.68504,68.0315),(0,37.91339,71.75197),(0,40.74803,71.75197),(0,42.51969,68.0315)}, {(22.22362,39.68504,68.0315),(21.2315,37.91339,71.75197),(22.8189,40.74803,71.75197),(23.81102,42.51969,68.0315)}, {(39.68504,22.22362,68.0315),(37.91339,21.2315,71.75197),(40.74803,22.8189,71.75197),(42.51969,23.81102,68.0315)}, {(39.68504,0,68.0315),(37.91339,0,71.75197),(40.74803,0,71.75197),(42.51969,0,68.0315)} },{ {(42.51969,0,68.0315),(49.60629,0,53.1496),(56.69291,0,38.26771),(56.69291,0,25.51181)}, {(42.51969,-23.81102,68.0315),(49.60629,-27.77952,53.1496),(56.69291,-31.74803,38.26771),(56.69291,-31.74803,25.51181)}, {(23.81102,-42.51969,68.0315),(27.77952,-49.60629,53.1496),(31.74803,-56.69291,38.26771),(31.74803,-56.69291,25.51181)}, {(0,-42.51969,68.0315),(0,-49.60629,53.1496),(0,-56.69291,38.26771),(0,-56.69291,25.51181)} },{ {(0,-42.51969,68.0315),(0,-49.60629,53.1496),(0,-56.69291,38.26771),(0,-56.69291,25.51181)}, {(-23.81102,-42.51969,68.0315),(-27.77952,-49.60629,53.1496),(-31.74803,-56.69291,38.26771),(-31.74803,-56.69291,25.51181)}, {(-42.51969,-23.81102,68.0315),(-49.60629,-27.77952,53.1496),(-56.69291,-31.74803,38.26771),(-56.69291,-31.74803,25.51181)}, {(-42.51969,0,68.0315),(-49.60629,0,53.1496),(-56.69291,0,38.26771),(-56.69291,0,25.51181)} },{ {(-42.51969,0,68.0315),(-49.60629,0,53.1496),(-56.69291,0,38.26771),(-56.69291,0,25.51181)}, {(-42.51969,23.81102,68.0315),(-49.60629,27.77952,53.1496),(-56.69291,31.74803,38.26771),(-56.69291,31.74803,25.51181)}, {(-23.81102,42.51969,68.0315),(-27.77952,49.60629,53.1496),(-31.74803,56.69291,38.26771),(-31.74803,56.69291,25.51181)}, {(0,42.51969,68.0315),(0,49.60629,53.1496),(0,56.69291,38.26771),(0,56.69291,25.51181)} },{ {(0,42.51969,68.0315),(0,49.60629,53.1496),(0,56.69291,38.26771),(0,56.69291,25.51181)}, {(23.81102,42.51969,68.0315),(27.77952,49.60629,53.1496),(31.74803,56.69291,38.26771),(31.74803,56.69291,25.51181)}, {(42.51969,23.81102,68.0315),(49.60629,27.77952,53.1496),(56.69291,31.74803,38.26771),(56.69291,31.74803,25.51181)}, {(42.51969,0,68.0315),(49.60629,0,53.1496),(56.69291,0,38.26771),(56.69291,0,25.51181)} },{ {(56.69291,0,25.51181),(56.69291,0,12.7559),(42.51969,0,6.377957),(42.51969,0,4.251961)}, {(56.69291,-31.74803,25.51181),(56.69291,-31.74803,12.7559),(42.51969,-23.81102,6.377957),(42.51969,-23.81102,4.251961)}, {(31.74803,-56.69291,25.51181),(31.74803,-56.69291,12.7559),(23.81102,-42.51969,6.377957),(23.81102,-42.51969,4.251961)}, {(0,-56.69291,25.51181),(0,-56.69291,12.7559),(0,-42.51969,6.377957),(0,-42.51969,4.251961)} },{ {(0,-56.69291,25.51181),(0,-56.69291,12.7559),(0,-42.51969,6.377957),(0,-42.51969,4.251961)}, {(-31.74803,-56.69291,25.51181),(-31.74803,-56.69291,12.7559),(-23.81102,-42.51969,6.377957),(-23.81102,-42.51969,4.251961)}, {(-56.69291,-31.74803,25.51181),(-56.69291,-31.74803,12.7559),(-42.51969,-23.81102,6.377957),(-42.51969,-23.81102,4.251961)}, {(-56.69291,0,25.51181),(-56.69291,0,12.7559),(-42.51969,0,6.377957),(-42.51969,0,4.251961)} },{ {(-56.69291,0,25.51181),(-56.69291,0,12.7559),(-42.51969,0,6.377957),(-42.51969,0,4.251961)}, {(-56.69291,31.74803,25.51181),(-56.69291,31.74803,12.7559),(-42.51969,23.81102,6.377957),(-42.51969,23.81102,4.251961)}, {(-31.74803,56.69291,25.51181),(-31.74803,56.69291,12.7559),(-23.81102,42.51969,6.377957),(-23.81102,42.51969,4.251961)}, {(0,56.69291,25.51181),(0,56.69291,12.7559),(0,42.51969,6.377957),(0,42.51969,4.251961)} },{ {(0,56.69291,25.51181),(0,56.69291,12.7559),(0,42.51969,6.377957),(0,42.51969,4.251961)}, {(31.74803,56.69291,25.51181),(31.74803,56.69291,12.7559),(23.81102,42.51969,6.377957),(23.81102,42.51969,4.251961)}, {(56.69291,31.74803,25.51181),(56.69291,31.74803,12.7559),(42.51969,23.81102,6.377957),(42.51969,23.81102,4.251961)}, {(56.69291,0,25.51181),(56.69291,0,12.7559),(42.51969,0,6.377957),(42.51969,0,4.251961)} },{ {(-45.35433,0,57.40157),(-65.19685,0,57.40157),(-76.53543,0,57.40157),(-76.53543,0,51.02362)}, {(-45.35433,-8.503932,57.40157),(-65.19685,-8.503932,57.40157),(-76.53543,-8.503932,57.40157),(-76.53543,-8.503932,51.02362)}, {(-42.51969,-8.503932,63.77952),(-70.86614,-8.503932,63.77952),(-85.03937,-8.503932,63.77952),(-85.03937,-8.503932,51.02362)}, {(-42.51969,0,63.77952),(-70.86614,0,63.77952),(-85.03937,0,63.77952),(-85.03937,0,51.02362)} },{ {(-42.51969,0,63.77952),(-70.86614,0,63.77952),(-85.03937,0,63.77952),(-85.03937,0,51.02362)}, {(-42.51969,8.503932,63.77952),(-70.86614,8.503932,63.77952),(-85.03937,8.503932,63.77952),(-85.03937,8.503932,51.02362)}, {(-45.35433,8.503932,57.40157),(-65.19685,8.503932,57.40157),(-76.53543,8.503932,57.40157),(-76.53543,8.503932,51.02362)}, {(-45.35433,0,57.40157),(-65.19685,0,57.40157),(-76.53543,0,57.40157),(-76.53543,0,51.02362)} },{ {(-76.53543,0,51.02362),(-76.53543,0,44.64566),(-70.86614,0,31.88976),(-56.69291,0,25.51181)}, {(-76.53543,-8.503932,51.02362),(-76.53543,-8.503932,44.64566),(-70.86614,-8.503932,31.88976),(-56.69291,-8.503932,25.51181)}, {(-85.03937,-8.503932,51.02362),(-85.03937,-8.503932,38.26771),(-75.11811,-8.503932,26.5748),(-53.85826,-8.503932,17.00787)}, {(-85.03937,0,51.02362),(-85.03937,0,38.26771),(-75.11811,0,26.5748),(-53.85826,0,17.00787)} },{ {(-85.03937,0,51.02362),(-85.03937,0,38.26771),(-75.11811,0,26.5748),(-53.85826,0,17.00787)}, {(-85.03937,8.503932,51.02362),(-85.03937,8.503932,38.26771),(-75.11811,8.503932,26.5748),(-53.85826,8.503932,17.00787)}, {(-76.53543,8.503932,51.02362),(-76.53543,8.503932,44.64566),(-70.86614,8.503932,31.88976),(-56.69291,8.503932,25.51181)}, {(-76.53543,0,51.02362),(-76.53543,0,44.64566),(-70.86614,0,31.88976),(-56.69291,0,25.51181)} },{ {(48.18897,0,40.3937),(73.70078,0,40.3937),(65.19685,0,59.52755),(76.53543,0,68.0315)}, {(48.18897,-18.70866,40.3937),(73.70078,-18.70866,40.3937),(65.19685,-7.086619,59.52755),(76.53543,-7.086619,68.0315)}, {(48.18897,-18.70866,17.00787),(87.87401,-18.70866,23.38582),(68.0315,-7.086619,57.40157),(93.5433,-7.086619,68.0315)}, {(48.18897,0,17.00787),(87.87401,0,23.38582),(68.0315,0,57.40157),(93.5433,0,68.0315)} },{ {(48.18897,0,17.00787),(87.87401,0,23.38582),(68.0315,0,57.40157),(93.5433,0,68.0315)}, {(48.18897,18.70866,17.00787),(87.87401,18.70866,23.38582),(68.0315,7.086619,57.40157),(93.5433,7.086619,68.0315)}, {(48.18897,18.70866,40.3937),(73.70078,18.70866,40.3937),(65.19685,7.086619,59.52755),(76.53543,7.086619,68.0315)}, {(48.18897,0,40.3937),(73.70078,0,40.3937),(65.19685,0,59.52755),(76.53543,0,68.0315)} },{ {(76.53543,0,68.0315),(79.37007,0,70.15748),(82.20472,0,70.15748),(79.37007,0,68.0315)}, {(76.53543,-7.086619,68.0315),(79.37007,-7.086619,70.15748),(82.20472,-4.251961,70.15748),(79.37007,-4.251961,68.0315)}, {(93.5433,-7.086619,68.0315),(99.92125,-7.086619,70.68897),(97.79527,-4.251961,71.22047),(90.70866,-4.251961,68.0315)}, {(93.5433,0,68.0315),(99.92125,0,70.68897),(97.79527,0,71.22047),(90.70866,0,68.0315)} },{ {(93.5433,0,68.0315),(99.92125,0,70.68897),(97.79527,0,71.22047),(90.70866,0,68.0315)}, {(93.5433,7.086619,68.0315),(99.92125,7.086619,70.68897),(97.79527,4.251961,71.22047),(90.70866,4.251961,68.0315)}, {(76.53543,7.086619,68.0315),(79.37007,7.086619,70.15748),(82.20472,4.251961,70.15748),(79.37007,4.251961,68.0315)}, {(76.53543,0,68.0315),(79.37007,0,70.15748),(82.20472,0,70.15748),(79.37007,0,68.0315)} },{ {(0,0,89.29133),(22.67716,0,89.29133),(0,0,80.7874),(5.669294,0,76.53543)}, {(0,0,89.29133),(22.67716,-12.7559,89.29133),(0,0,80.7874),(5.669294,-3.174809,76.53543)}, {(0,0,89.29133),(12.7559,-22.67716,89.29133),(0,0,80.7874),(3.174809,-5.669294,76.53543)}, {(0,0,89.29133),(0,-22.67716,89.29133),(0,0,80.7874),(0,-5.669294,76.53543)} },{ {(0,0,89.29133),(0,-22.67716,89.29133),(0,0,80.7874),(0,-5.669294,76.53543)}, {(0,0,89.29133),(-12.7559,-22.67716,89.29133),(0,0,80.7874),(-3.174809,-5.669294,76.53543)}, {(0,0,89.29133),(-22.67716,-12.7559,89.29133),(0,0,80.7874),(-5.669294,-3.174809,76.53543)}, {(0,0,89.29133),(-22.67716,0,89.29133),(0,0,80.7874),(-5.669294,0,76.53543)} },{ {(0,0,89.29133),(-22.67716,0,89.29133),(0,0,80.7874),(-5.669294,0,76.53543)}, {(0,0,89.29133),(-22.67716,12.7559,89.29133),(0,0,80.7874),(-5.669294,3.174809,76.53543)}, {(0,0,89.29133),(-12.7559,22.67716,89.29133),(0,0,80.7874),(-3.174809,5.669294,76.53543)}, {(0,0,89.29133),(0,22.67716,89.29133),(0,0,80.7874),(0,5.669294,76.53543)} },{ {(0,0,89.29133),(0,22.67716,89.29133),(0,0,80.7874),(0,5.669294,76.53543)}, {(0,0,89.29133),(12.7559,22.67716,89.29133),(0,0,80.7874),(3.174809,5.669294,76.53543)}, {(0,0,89.29133),(22.67716,12.7559,89.29133),(0,0,80.7874),(5.669294,3.174809,76.53543)}, {(0,0,89.29133),(22.67716,0,89.29133),(0,0,80.7874),(5.669294,0,76.53543)} },{ {(5.669294,0,76.53543),(11.33858,0,72.28346),(36.85039,0,72.28346),(36.85039,0,68.0315)}, {(5.669294,-3.174809,76.53543),(11.33858,-6.349609,72.28346),(36.85039,-20.63622,72.28346),(36.85039,-20.63622,68.0315)}, {(3.174809,-5.669294,76.53543),(6.349609,-11.33858,72.28346),(20.63622,-36.85039,72.28346),(20.63622,-36.85039,68.0315)}, {(0,-5.669294,76.53543),(0,-11.33858,72.28346),(0,-36.85039,72.28346),(0,-36.85039,68.0315)} },{ {(0,-5.669294,76.53543),(0,-11.33858,72.28346),(0,-36.85039,72.28346),(0,-36.85039,68.0315)}, {(-3.174809,-5.669294,76.53543),(-6.349609,-11.33858,72.28346),(-20.63622,-36.85039,72.28346),(-20.63622,-36.85039,68.0315)}, {(-5.669294,-3.174809,76.53543),(-11.33858,-6.349609,72.28346),(-36.85039,-20.63622,72.28346),(-36.85039,-20.63622,68.0315)}, {(-5.669294,0,76.53543),(-11.33858,0,72.28346),(-36.85039,0,72.28346),(-36.85039,0,68.0315)}, },{ {(-5.669294,0,76.53543),(-11.33858,0,72.28346),(-36.85039,0,72.28346),(-36.85039,0,68.0315)}, {(-5.669294,3.174809,76.53543),(-11.33858,6.349609,72.28346),(-36.85039,20.63622,72.28346),(-36.85039,20.63622,68.0315)}, {(-3.174809,5.669294,76.53543),(-6.349609,11.33858,72.28346),(-20.63622,36.85039,72.28346),(-20.63622,36.85039,68.0315)}, {(0,5.669294,76.53543),(0,11.33858,72.28346),(0,36.85039,72.28346),(0,36.85039,68.0315)} },{ {(0,5.669294,76.53543),(0,11.33858,72.28346),(0,36.85039,72.28346),(0,36.85039,68.0315)}, {(3.174809,5.669294,76.53543),(6.349609,11.33858,72.28346),(20.63622,36.85039,72.28346),(20.63622,36.85039,68.0315)}, {(5.669294,3.174809,76.53543),(11.33858,6.349609,72.28346),(36.85039,20.63622,72.28346),(36.85039,20.63622,68.0315)}, {(5.669294,0,76.53543),(11.33858,0,72.28346),(36.85039,0,72.28346),(36.85039,0,68.0315)}, },{ {(0,0,0),(40.3937,0,0),(42.51969,0,2.12598),(42.51969,0,4.251961)}, {(0,0,0),(40.3937,22.62047,0),(42.51969,23.81102,2.12598),(42.51969,23.81102,4.251961)}, {(0,0,0),(22.62047,40.3937,0),(23.81102,42.51969,2.12598),(23.81102,42.51969,4.251961)}, {(0,0,0),(0,40.3937,0),(0,42.51969,2.12598),(0,42.51969,4.251961)} },{ {(0,0,0),(0,40.3937,0),(0,42.51969,2.12598),(0,42.51969,4.251961)}, {(0,0,0),(-22.62047,40.3937,0),(-23.81102,42.51969,2.12598),(-23.81102,42.51969,4.251961)}, {(0,0,0),(-40.3937,22.62047,0),(-42.51969,23.81102,2.12598),(-42.51969,23.81102,4.251961)}, {(0,0,0),(-40.3937,0,0),(-42.51969,0,2.12598),(-42.51969,0,4.251961)} },{ {(0,0,0),(-40.3937,0,0),(-42.51969,0,2.12598),(-42.51969,0,4.251961)}, {(0,0,0),(-40.3937,-22.62047,0),(-42.51969,-23.81102,2.12598),(-42.51969,-23.81102,4.251961)}, {(0,0,0),(-22.62047,-40.3937,0),(-23.81102,-42.51969,2.12598),(-23.81102,-42.51969,4.251961)}, {(0,0,0),(0,-40.3937,0),(0,-42.51969,2.12598),(0,-42.51969,4.251961)} },{ {(0,0,0),(0,-40.3937,0),(0,-42.51969,2.12598),(0,-42.51969,4.251961)}, {(0,0,0),(22.62047,-40.3937,0),(23.81102,-42.51969,2.12598),(23.81102,-42.51969,4.251961)}, {(0,0,0),(40.3937,-22.62047,0),(42.51969,-23.81102,2.12598),(42.51969,-23.81102,4.251961)}, {(0,0,0),(40.3937,0,0),(42.51969,0,2.12598),(42.51969,0,4.251961)} } }; draw(surface(Q),material(blue, shininess=0.85, metallic=0),render(compression=Low)); asymptote-2.62/examples/Gouraudcontour.asy0000644000000000000000000000115013607467113017547 0ustar rootrootimport graph; import palette; import contour; size(200); int n=100; real[] x=new real[n]; real[] y=new real[n]; real[] f=new real[n]; real F(real a, real b) {return a^2+b^2;} real r() {return 1.1*(rand()/randMax*2-1);} for(int i=0; i < n; ++i) { x[i]=r(); y[i]=r(); f[i]=F(x[i],y[i]); } pen Tickpen=black; pen tickpen=gray+0.5*linewidth(currentpen); pen[] Palette=BWRainbow(); bounds range=image(x,y,f,Range(0,2),Palette); draw(contour(pairs(x,y),f,new real[]{0.25,0.5,1},operator ..)); palette("$f(x,y)$",range,point(NW)+(0,0.5),point(NE)+(0,0.8),Top,Palette, PaletteTicks(Tickpen,tickpen)); asymptote-2.62/examples/fequlogo.asy0000644000000000000000000000171413607467113016356 0ustar rootrootimport graph3; import obj; size(200,0); size3(200); if(settings.render < 0) settings.render=8; texpreamble("\usepackage[T1]{fontenc}"); texpreamble("\usepackage{ccfonts,eulervm}"); currentprojection=perspective(4,1,2); currentlight=(4,0,2); currentlight.background=black+opacity(0.0); real R=4; triple f1(pair t) {return (R*cos(t.x),R*sin(t.x),t.y);} draw(shift(-0.6Z)*scale3(0.66)*rotate(55,Z)*rotate(90,X)* obj("uhrturm.obj",orange)); surface s=surface(f1,(0,0),(2pi,2),8,8,Spline); string lo="$\displaystyle f(x+y)=f(x)+f(y)$"; string hi="$\displaystyle F_{t+s}=F_t\circ F_s$"; real h=0.0125; draw(surface(rotate(2)*xscale(0.32)*yscale(0.6)*lo,s,-pi/4-1.5*pi/20,0.5,h)); draw(surface(rotate(0)*xscale(-0.45)*yscale(0.3)*hi,s,0.8*pi,0.25,h),blue); add(new void(frame f, transform3 t, picture pic, projection P) { draw(f,surface(invert(box(min(f,P),max(f,P)),min3(f),P), new pen[] {orange,red,yellow,brown}+opacity(0.9))); } ); asymptote-2.62/examples/rainbow.asy0000644000000000000000000000050513607467113016173 0ustar rootrootsize(200); pen indigo=rgb(102/255,0,238/255); void rainbow(path g) { draw(new path[] {scale(1.3)*g,scale(1.2)*g,scale(1.1)*g,g, scale(0.9)*g,scale(0.8)*g,scale(0.7)*g}, new pen[] {red,orange,yellow,green,blue,indigo,purple}); } rainbow((1,0){N}..(0,1){W}..{S}(-1,0)); rainbow(scale(4)*shift(-0.5,-0.5)*unitsquare); asymptote-2.62/examples/extrudedcontour.asy0000644000000000000000000000100713607467113017766 0ustar rootrootimport contour; import palette; import graph3; defaultrender.merge=true; currentprojection=orthographic(25,10,10); size(0,12cm); real a=3; real b=4; real f(pair z) {return (z.x+z.y)/(2+cos(z.x)*sin(z.y));} guide[][] g=contour(f,(-10,-10),(10,10),new real[]{8},150); for(guide p:g[0]){ draw(extrude(p,8Z),palered); draw(path3(p),red+2pt); } draw(lift(f,g),red+2pt); surface s=surface(f,(0,0),(10,10),20,Spline); s.colors(palette(s.map(zpart),Rainbow()+opacity(0.5))); draw(s); axes3("$x$","$y$","$z$",Arrow3); asymptote-2.62/examples/worldmap.dat0000644000000000000000000464030113607467113016343 0ustar rootroot# -b 0.192440 5.669954 -0.114995 5.515063 -0.391921 5.360171 -0.657114 5.195893 -0.887104 5.151303 -1.262597 5.062123 -1.417488 5.008146 -1.560645 4.874377 -1.736658 4.775809 -1.936139 4.686630 -2.198985 4.787544 -2.410200 4.874377 -2.595600 4.930701 -2.771612 4.951822 # -b -2.771612 4.951822 -2.860792 4.963556 -3.003949 4.975290 -3.301997 5.052736 -3.611779 5.106713 -3.832382 5.184159 -4.238384 5.163037 -4.679589 5.106713 -5.198240 5.041002 -5.341397 5.008146 -5.430576 5.017534 -5.585468 4.984678 -5.848313 4.918966 -6.080650 4.796931 -6.223807 4.754688 -6.444409 4.677242 -6.643890 4.599797 -6.787047 4.543473 -6.873880 4.489496 -7.106217 4.388582 -7.293964 4.278280 -7.491098 4.257159 # -b -7.491098 4.257159 -7.523953 4.245425 -7.735169 4.334604 -8.164639 4.489496 -8.483809 4.588063 -8.835834 4.808665 -9.112761 5.008146 -9.464786 5.339050 -9.807424 5.681688 # -b -9.807424 5.681688 -10.004558 5.845966 -10.204039 5.989123 -10.412907 6.078303 -10.523209 6.132280 -10.645244 6.254316 -10.800135 6.364617 -10.886968 6.385738 -11.009004 6.409207 -11.095836 6.496040 -11.152161 6.507774 -11.185016 6.561751 -11.196750 6.594607 -11.152161 6.606341 -11.131039 6.639197 -11.163895 6.672052 -11.307052 6.761232 -11.351642 6.803475 # -b -11.351642 6.803475 -11.461943 6.892655 -11.790500 7.047546 -12.121403 7.178969 -12.299763 7.256414 -12.342006 7.322126 -12.365474 7.453548 -12.562608 7.641295 -12.705765 7.728128 -12.773824 7.805574 -12.794945 8.035563 -12.905246 8.122396 -13.036669 8.122396 -13.069525 8.265553 -13.048403 8.364120 -12.970958 8.474422 -12.982692 8.495543 -13.081259 8.551867 -13.114115 8.692677 -13.092993 8.802979 -13.114115 8.856956 -13.170439 8.922667 -13.179826 9.011847 # -b -13.179826 9.011847 -13.191560 9.021234 -13.247884 9.176125 -13.325330 9.262958 -13.391041 9.361525 -13.522464 9.481214 -13.555320 9.612637 -13.653887 9.678348 -13.754801 9.798037 -13.919079 9.938847 -14.029380 9.971702 # -b -12.431186 7.498138 -12.452307 7.486404 -12.541487 7.530994 -12.651788 7.486404 -12.762089 7.486404 -12.705765 7.408959 -12.586077 7.366715 -12.485163 7.376103 -12.431186 7.498138 # -b -49.917183 -0.018775 -49.774026 0.004694 -49.762292 0.136116 -49.863206 0.225296 # -b -50.027484 0.957509 -49.950039 1.056076 -49.973507 1.213314 -49.961773 1.300147 -49.884327 1.478506 -49.863206 1.731964 # -b -59.708179 8.277287 -59.773891 8.310143 -59.905313 8.462687 # -b -57.060949 5.791989 -57.117273 5.902290 -57.161863 6.066569 -57.272164 6.266050 -57.391853 6.308293 -57.546744 6.442062 -57.657045 6.585219 -57.767347 6.704908 -57.987949 6.836331 -58.208552 6.871533 -58.396299 6.836331 -58.506600 6.803475 -58.518334 6.803475 -58.483131 6.904389 -58.462010 7.014690 -58.462010 7.155500 -58.494866 7.354981 -58.572311 7.507526 -58.649757 7.606093 -58.769445 7.716394 -58.947805 7.847817 -59.168407 8.023829 -59.356154 8.220963 -59.520433 8.319531 -59.642468 8.375855 -59.642468 8.319531 -59.642468 8.265553 -59.696445 8.298409 -59.708179 8.277287 # -b -54.028838 5.482207 -54.028838 5.547918 -53.974861 5.735665 -53.986595 5.791989 -54.383210 5.935146 -54.779826 5.968002 -55.000428 5.968002 -55.045018 5.956268 -55.110729 5.869435 -55.307863 5.890556 -55.617646 5.911678 -55.805393 5.857700 -55.903960 5.801376 -55.925081 5.824845 -56.279453 5.834232 -56.500056 5.902290 -56.774635 5.956268 -56.863815 6.012592 -56.929527 5.956268 -56.974116 5.857700 -57.060949 5.791989 # -b -51.592823 4.069412 -51.581089 4.135123 -51.571702 4.299402 -51.759449 4.531739 -51.825160 4.510617 -52.034028 4.731220 -52.165451 4.841521 -52.233509 4.930701 -52.454112 5.106713 -52.740426 5.261604 -53.047861 5.383640 -53.301319 5.482207 -53.512535 5.538531 -53.599368 5.580774 -53.742524 5.714544 -53.798848 5.723931 -53.909150 5.547918 -54.028838 5.482207 # -b -50.194110 0.457633 -50.248087 0.413043 -50.337267 0.314476 -50.337267 0.204175 -50.215231 0.058671 -50.048606 0.037549 # -b -49.863206 0.225296 -50.006363 0.248765 -50.126052 0.335597 -50.194110 0.457633 # -b -50.931016 -0.007041 -50.733882 0.213562 -50.578991 0.326210 -50.435834 0.525691 -50.280943 0.701704 -50.158907 0.769762 -50.027484 0.957509 # -b -49.863206 1.731964 -50.083808 1.800023 -50.346654 1.809410 -50.445221 1.910324 -50.468689 2.020625 -50.555522 2.285817 -50.665824 2.619068 -50.820715 2.994562 -50.931016 3.337200 -50.963872 3.625860 -50.963872 3.780751 -51.053051 3.935643 -51.196208 4.135123 -51.294775 4.233691 -51.362834 4.278280 -51.383955 4.290015 -51.405077 4.189101 -51.482522 4.057678 -51.592823 4.069412 # -b -59.905313 8.462687 -60.027349 8.561255 -60.182240 8.594110 -60.280807 8.584723 -60.501410 8.408710 -60.632832 8.462687 -60.778336 8.486156 -60.942615 8.507277 -60.954349 8.584723 -60.820579 8.584723 -60.677422 8.671556 -60.644567 8.781857 -60.733746 8.758389 -60.743134 8.922667 -60.820579 9.239490 -60.921493 9.415503 -61.163217 9.546925 -61.372085 9.591515 -61.395554 9.600903 -61.472999 9.678348 -61.559832 9.699470 -61.649012 9.765181 -61.726458 9.798037 -61.735845 9.809771 -61.792169 9.852014 -61.803903 9.852014 -61.857880 9.842627 -62.022159 9.875482 -62.132460 9.875482 -62.266230 9.798037 -62.409387 9.896604 # -b -80.038812 9.065824 -79.994222 9.086946 -79.883921 9.110414 -79.851065 9.239490 -79.862799 9.469480 -79.719642 9.591515 -79.487306 9.612637 -79.254969 9.612637 -79.156402 9.600903 -79.111812 9.546925 -78.935800 9.502335 -78.726931 9.469480 -78.527450 9.415503 -78.297460 9.361525 -78.097979 9.251224 -77.954822 9.131535 -77.832787 9.021234 -77.713098 8.934401 -77.569942 8.781857 # -b -77.900845 7.244680 -78.065124 7.408959 -78.229402 7.596705 -78.363172 7.904141 -78.339703 8.068419 -78.297460 8.298409 -78.196546 8.375855 -78.065124 8.375855 -78.187159 8.486156 -78.440617 8.429832 -78.583774 8.626966 -78.837232 8.791244 -79.078957 8.922667 -79.344149 8.967257 -79.642197 8.856956 -79.740764 8.683290 -79.907389 8.429832 # -b -77.900845 7.244680 -77.900845 7.200090 -77.844521 7.101523 -77.745954 6.937245 -77.722486 6.859799 -77.635653 6.716642 -77.480762 6.672052 -77.415050 6.585219 -77.415050 6.409207 -77.424438 6.266050 -77.480762 6.144014 -77.424438 5.935146 -77.370461 5.791989 -77.370461 5.669954 -77.436172 5.613630 -77.525352 5.526797 -77.501883 5.515063 -77.469028 5.339050 -77.447906 5.008146 -77.391582 4.764075 -77.358726 4.632653 -77.370461 4.477761 -77.459640 4.290015 -77.492496 4.102268 -77.459640 3.935643 -77.415050 3.858197 -77.325871 3.858197 -77.084147 3.902787 -76.950377 3.956764 -77.060678 3.747896 -77.138124 3.682184 -77.227304 3.548415 -77.370461 3.405258 -77.480762 3.294957 -77.534739 3.161187 -77.635653 3.062620 -77.680243 2.907729 -77.767076 2.717635 -77.856255 2.663658 -78.032268 2.607334 -78.154303 2.619068 -78.384293 2.574478 -78.461739 2.562744 -78.583774 2.398466 -78.637751 2.252962 -78.682341 2.121539 -78.661220 1.931445 -78.628364 1.832878 -78.628364 1.800023 -78.715197 1.800023 -78.825498 1.743699 -78.968655 1.633397 -78.992124 1.612276 -78.992124 1.478506 -78.924065 1.412795 -78.881822 1.377592 # -b -78.870088 1.377592 -78.891210 1.311881 -79.001511 1.234435 -79.189258 1.112400 -79.433329 1.013833 -79.585873 0.901185 -79.642197 0.812005 -79.829944 0.823739 # -b -75.671352 10.016292 -75.683086 9.908338 -75.683086 9.809771 -75.683086 9.666614 -75.694820 9.546925 -75.826243 9.436624 -75.981134 9.415503 -76.147759 9.349791 -76.246327 9.197247 -76.344894 8.988379 -76.544375 8.847568 -76.720387 8.725533 -76.884666 8.650434 -76.908134 8.540133 -76.840076 8.453300 -76.764977 8.420444 -76.764977 8.385242 -76.764977 8.211576 -76.753243 8.056685 -76.786099 7.981586 -76.896400 7.936996 -76.962111 7.981586 -76.985580 8.145865 -77.051291 8.211576 -77.138124 8.342999 -77.248425 8.462687 -77.349339 8.540133 -77.415050 8.650434 -77.447906 8.659822 -77.569942 8.781857 # -b -71.317973 10.114859 -71.195937 9.938847 -71.109104 9.711204 -71.064515 9.481214 -71.064515 9.328670 -71.085636 9.218368 -71.261649 9.065824 -71.493985 9.021234 -71.616021 9.044703 -71.669998 9.251224 -71.803768 9.492948 -71.935190 9.600903 -71.979780 9.720591 -72.012636 9.875482 # -b -81.803632 7.707007 -81.759042 7.695272 -81.768430 7.707007 -81.878731 7.584971 -81.890465 7.432427 -81.747308 7.298657 -81.726187 7.486404 -81.714452 7.683538 -81.803632 7.707007 # -b -83.235202 10.114859 -83.038067 9.896604 -82.817465 9.732325 -82.718898 9.678348 # -b -82.718898 9.678348 -82.641452 9.657227 -82.474827 9.535191 -82.376260 9.328670 -82.254224 9.262958 -82.221369 9.316935 -82.155657 9.328670 -82.155657 9.176125 -82.167392 9.011847 -81.935055 9.000113 -81.735574 9.011847 -81.526706 8.868690 -81.284982 8.835834 -81.040911 8.868690 -80.897754 8.955523 -80.733475 9.044703 -80.533994 9.086946 -80.325126 9.176125 -80.092789 9.328670 -80.038812 9.251224 -80.038812 9.065824 # -b -79.907389 8.429832 -80.160847 8.298409 -80.336860 8.253819 -80.435427 8.166986 -80.468283 8.002708 -80.390837 7.871285 -80.259415 7.728128 -80.137379 7.629561 -80.083402 7.486404 -80.203091 7.432427 -80.357982 7.310391 -80.557463 7.223559 -80.766331 7.211824 -80.921222 7.223559 -80.930609 7.310391 -80.954078 7.420693 -80.954078 7.519260 -81.019789 7.629561 -81.064379 7.772718 -81.174680 7.793839 -81.207536 7.683538 -81.228657 7.596705 -81.362427 7.641295 -81.482116 7.772718 -81.592417 7.871285 -81.669862 8.014442 -81.681597 8.014442 -81.693331 8.035563 -81.768430 8.145865 -81.956176 8.188108 -82.188513 8.265553 -82.364526 8.277287 -82.463093 8.331265 -82.617984 8.319531 -82.751753 8.342999 -82.883176 8.319531 -82.916032 8.232698 -82.927766 8.134131 -82.972356 8.113009 -83.026333 8.310143 # -b -83.026333 8.310143 -83.082657 8.354733 -83.124900 8.408710 -83.157756 8.605844 -83.345503 8.704411 -83.479272 8.716146 -83.390093 8.561255 -83.368971 8.474422 -83.544984 8.495543 -83.720996 8.638700 -83.699875 8.824100 -83.720996 9.110414 -83.986189 9.295814 -84.239647 9.436624 -84.394538 9.525804 -84.558817 9.579781 -84.647996 9.678348 -84.701973 9.875482 -84.791153 9.938847 # -b -85.176034 10.016292 -85.044611 9.983437 -84.967166 9.863748 -85.021143 9.753447 -85.098589 9.645492 -85.232358 9.765181 -85.396637 9.863748 -85.551528 9.875482 -85.694685 9.962315 # -b -79.829944 0.823739 -80.071668 0.746294 -80.104523 0.570281 -80.071668 0.359066 -80.059934 0.171319 # -b -91.383413 0.147851 -91.371679 0.103261 # -b -91.526570 -0.051630 -91.493714 0.037549 -91.406881 0.114995 -91.383413 0.147851 # -b -157.343561 2.013585 -157.308359 2.034706 -157.287237 1.978382 -157.254381 1.968995 -157.198057 1.912671 -157.188670 1.814104 -157.144080 1.769514 -157.045513 1.713190 -157.010311 1.656866 -156.989189 1.591154 -157.111225 1.602888 -157.266116 1.624010 -157.364683 1.680334 -157.421007 1.701455 -157.430394 1.769514 -157.421007 1.778901 -157.331827 1.769514 -157.287237 1.814104 -157.275503 1.868081 -157.298971 1.924405 -157.343561 1.968995 -157.343561 1.990116 -157.343561 2.013585 # -b -162.079475 5.937493 -162.067740 5.958614 -162.056006 5.949227 -162.079475 5.892903 -162.079475 5.937493 # -b -176.564141 0.227643 -176.552407 0.173666 -176.552407 0.183053 -176.564141 0.227643 -176.552407 0.173666 -176.552407 0.183053 -176.564141 0.227643 # -b 170.884800 8.861649 170.950511 8.849915 170.950511 8.828794 170.962245 8.807672 171.006835 8.795938 171.072547 8.763082 171.117137 8.718493 171.171114 8.643394 171.171114 8.554214 171.149992 8.511971 171.105402 8.479115 171.060813 8.500237 170.995101 8.554214 170.938777 8.587070 170.894187 8.652781 170.861332 8.718493 170.840210 8.763082 170.840210 8.817060 170.828476 8.849915 170.851944 8.861649 170.884800 8.861649 # -b 172.860835 1.891549 172.881957 1.879815 172.881957 1.868081 172.926546 1.835225 172.959402 1.724924 172.959402 1.602888 172.971136 1.501974 173.015726 1.415142 173.048582 1.325962 173.048582 1.281372 172.959402 1.269638 172.905425 1.358818 172.905425 1.447997 172.905425 1.534830 172.905425 1.635744 172.881957 1.769514 172.860835 1.868081 172.860835 1.891549 # -b 163.112082 5.364865 163.133203 5.353131 163.133203 5.332009 163.058105 5.308541 163.001781 5.296807 162.990047 5.341397 163.013515 5.364865 163.067492 5.364865 163.112082 5.364865 # -b 166.909261 9.288773 166.942117 9.309895 166.953851 9.277039 167.031297 9.277039 167.087621 9.265305 167.162719 9.265305 167.240165 9.255918 167.317611 9.309895 167.395056 9.333363 167.439646 9.300508 167.505357 9.169085 167.582803 9.070518 167.639127 8.993072 167.660248 8.894505 167.671983 8.784204 167.627393 8.697371 167.561681 8.741961 167.538213 8.849915 167.505357 8.939095 167.463114 8.993072 167.362200 9.079905 167.240165 9.157351 167.141598 9.157351 167.087621 9.169085 166.998441 9.190206 166.899874 9.255918 166.888140 9.300508 166.909261 9.288773 # -b 169.549451 5.993817 169.537717 6.003204 169.493127 5.993817 169.493127 6.014938 169.549451 5.993817 169.549451 5.993817 # -b 152.126547 7.115604 152.171137 7.139072 152.150015 7.127338 152.138281 7.115604 152.126547 7.115604 # -b 153.661377 5.606589 153.640255 5.651179 153.684845 5.639445 153.717701 5.606589 153.705967 5.585468 153.673111 5.585468 153.661377 5.606589 # -b 158.286989 7.005303 158.331579 6.995916 158.387903 6.939591 158.397290 6.873880 158.387903 6.841024 158.343313 6.841024 158.277602 6.873880 158.254133 6.939591 158.265867 6.984181 158.286989 7.005303 # -b 134.729458 7.664764 134.738845 7.699966 134.738845 7.622520 134.738845 7.512219 134.705990 7.390184 134.628544 7.357328 134.595688 7.455895 134.607422 7.577931 134.628544 7.610786 134.694255 7.655376 134.729458 7.664764 # -b 138.240323 9.584475 138.240323 9.572740 138.273179 9.572740 138.282566 9.528151 138.240323 9.507029 138.216855 9.539885 138.240323 9.584475 # -b 123.368429 10.215773 123.246394 9.988130 123.192416 9.844973 123.180682 9.725285 123.168948 9.605596 123.192416 9.462439 123.237006 9.342751 123.225272 9.136229 123.058647 9.037662 122.903756 9.190206 122.793454 9.354485 122.673766 9.408462 122.539996 9.528151 122.429695 9.704163 122.486019 9.943540 122.563465 9.964662 # -b 125.687102 10.161796 125.698836 9.997518 125.719958 9.856708 125.687102 9.812118 125.654246 9.943540 # -b 126.018006 9.997518 126.071983 9.901297 126.107186 9.868442 126.116573 9.790996 126.071983 9.812118 126.006272 9.889563 126.018006 9.997518 # -b 123.699333 10.020986 123.633621 9.889563 123.544442 9.692429 123.490464 9.518763 123.413019 9.462439 123.368429 9.659573 123.368429 9.856708 # -b 123.833102 9.844973 123.833102 9.868442 123.887080 9.877829 123.985647 9.955275 # -b 124.572355 10.020986 124.572355 9.901297 124.539500 9.844973 124.548887 9.737019 124.504297 9.671308 124.393996 9.638452 124.250839 9.593862 124.107682 9.605596 123.976259 9.617330 123.908201 9.683042 123.854224 9.779262 123.833102 9.844973 # -b 125.421910 9.713551 125.410176 9.746406 125.454765 9.746406 125.499355 9.746406 125.597922 9.737019 125.654246 9.638452 125.719958 9.561006 125.851381 9.495295 125.928826 9.396728 126.029740 9.277039 126.128307 9.265305 126.205753 9.124495 126.316054 8.894505 126.327788 8.795938 126.238608 8.697371 126.161163 8.587070 126.194019 8.554214 126.337175 8.479115 126.348910 8.258513 126.426355 8.181067 126.438089 7.995667 126.447477 7.852510 126.515535 7.721088 126.581246 7.491098 126.581246 7.324472 126.569512 7.148460 126.482679 7.017037 126.370031 6.963060 126.283198 6.819903 126.271464 6.587566 126.271464 6.366964 126.149429 6.477265 126.083717 6.709602 126.071983 6.995916 125.973416 7.139072 125.895970 7.315085 125.818525 7.357328 125.731692 7.270495 125.675368 7.193050 125.576801 7.038159 125.466500 6.852759 125.421910 6.611035 125.543945 6.488999 125.642512 6.301252 125.708224 6.080650 125.698836 5.970349 125.565067 5.761480 125.475887 5.594855 125.344464 5.672301 125.288140 5.892903 125.278753 6.014938 125.123862 5.904637 124.936115 5.871781 124.769490 5.916371 124.572355 6.014938 124.372874 6.125240 124.229718 6.289518 124.131150 6.444409 124.107682 6.632156 124.053705 6.787047 124.009115 7.017037 124.086561 7.106217 124.217983 7.303351 124.217983 7.446508 124.074826 7.622520 123.865958 7.786799 123.699333 7.852510 123.567910 7.840776 123.511586 7.721088 123.424753 7.566196 123.413019 7.467629 123.389551 7.467629 123.290983 7.533341 123.192416 7.533341 123.192416 7.664764 123.082115 7.566196 122.948346 7.446508 122.927224 7.390184 122.915490 7.336207 122.849778 7.500485 122.805189 7.709353 122.662032 7.709353 122.528262 7.566196 122.450817 7.479364 122.385105 7.303351 122.319394 7.160194 122.230214 6.939591 122.119913 6.906736 122.009612 6.930204 121.943900 7.127338 122.000224 7.282229 122.077670 7.533341 122.110525 7.688232 122.152768 7.840776 122.331128 8.040257 122.518875 8.082500 122.673766 8.127090 122.903756 8.192801 122.960080 8.357080 123.091503 8.488503 123.279249 8.587070 123.389551 8.709105 123.478730 8.676249 123.743923 8.577682 123.833102 8.345346 123.743923 8.061379 123.732188 8.016789 123.908201 8.094234 124.131150 8.192801 124.274307 8.488503 124.462054 8.587070 124.593477 8.533093 124.692044 8.652781 124.727247 8.849915 124.814079 8.960217 124.936115 8.927361 125.025295 8.882771 125.112128 8.939095 125.245897 9.004806 125.377320 8.948482 125.466500 9.025928 125.487621 9.169085 125.487621 9.277039 125.475887 9.333363 125.454765 9.462439 125.421910 9.605596 125.421910 9.671308 125.421910 9.713551 # -b 121.833599 6.632156 121.932166 6.709602 122.065936 6.709602 122.253682 6.643890 122.307660 6.587566 122.176237 6.456143 122.000224 6.432675 121.899310 6.533589 121.833599 6.632156 # -b 120.951189 5.871781 120.951189 5.937493 120.984045 6.003204 121.106080 6.036060 121.204647 6.014938 121.347804 5.970349 121.425250 5.949227 121.347804 5.815457 121.183526 5.892903 121.049756 5.860047 120.951189 5.871781 # -b 119.967865 5.186506 120.089900 5.254564 120.221323 5.221708 120.254179 5.144263 120.134490 5.099673 # -b 121.115467 1.325962 121.204647 1.314228 121.314948 1.314228 121.446371 1.302493 121.481574 1.203926 121.601262 1.103013 121.735032 1.081891 121.899310 1.114747 122.009612 1.114747 122.152768 1.103013 122.263070 1.070157 122.417961 1.070157 122.584586 1.025567 122.662032 0.948121 122.748865 0.927000 122.861513 0.882410 122.960080 0.894144 123.091503 0.959856 123.246394 0.980977 123.457609 0.948121 123.621887 0.927000 123.788513 0.903532 123.908201 0.894144 124.164006 0.959856 124.274307 1.058423 124.405730 1.213314 124.548887 1.347083 124.692044 1.436263 124.837548 1.624010 125.025295 1.724924 125.135596 1.713190 125.177839 1.656866 125.213041 1.513709 125.189573 1.370552 125.102740 1.203926 124.957236 1.037301 124.804692 0.882410 124.626333 0.638339 124.450320 0.483448 124.262573 0.361413 124.020849 0.361413 123.797900 0.316823 123.556176 0.305089 123.389551 0.305089 123.192416 0.438858 122.903756 0.492835 122.760599 0.504570 122.596320 0.504570 122.363984 0.483448 122.152768 0.459980 121.922779 0.415390 121.767887 0.492835 121.624731 0.504570 121.547285 0.459980 121.368926 0.516304 121.282093 0.504570 121.127202 0.415390 120.906599 0.427124 120.697731 0.459980 120.498250 0.459980 120.331624 0.272233 120.188467 0.028162 # -b 119.956131 0.471714 120.057045 0.682929 120.134490 0.760375 120.265913 0.903532 120.343359 0.903532 120.474781 0.793230 120.608551 0.816699 120.772829 1.004445 120.817419 1.236782 120.927721 1.302493 121.049756 1.325962 121.115467 1.325962 # -b 125.433644 3.717387 125.454765 3.717387 125.520477 3.661063 125.576801 3.541374 125.597922 3.473316 125.642512 3.353627 125.543945 3.541374 125.466500 3.639941 125.433644 3.717387 # -b 126.768993 4.536432 126.834705 4.536432 126.867560 4.447253 126.867560 4.348685 126.891029 4.247772 126.879294 4.071759 126.822970 4.027169 126.813583 4.203182 126.780727 4.402663 126.768993 4.536432 # -b 128.557282 2.654271 128.590137 2.588559 128.644114 2.522848 128.667583 2.433668 128.655849 2.299898 128.655849 2.299898 128.611259 2.201331 128.524426 2.055828 128.336679 2.055828 128.303823 2.189597 128.280355 2.311633 128.292089 2.445402 128.381269 2.555703 128.500957 2.654271 # -b 127.937717 2.222453 127.961185 2.234187 128.015163 2.213066 128.026897 2.112152 127.949451 1.978382 127.872006 1.912671 127.862618 1.846959 127.937717 1.778901 128.005775 1.570033 128.026897 1.415142 128.005775 1.269638 127.949451 1.192192 127.785173 1.025567 127.639669 0.927000 127.651403 0.882410 127.794560 0.849554 127.904861 0.971590 128.059752 1.081891 128.148932 1.248516 128.238112 1.415142 128.402390 1.513709 128.601871 1.525443 128.655849 1.480853 128.723907 1.325962 128.723907 1.093625 128.601871 0.992711 128.446980 0.882410 128.324945 0.804964 128.324945 0.736906 128.512692 0.614871 128.634727 0.549159 128.667583 0.415390 128.723907 0.337944 128.834208 0.260499 128.667583 0.251111 128.500957 0.349678 128.226378 0.406002 128.038631 0.471714 127.949451 0.361413 127.928330 0.061018 # -b 127.749970 -0.269886 127.717115 0.093873 127.695993 0.293354 127.597426 0.537425 127.597426 0.760375 127.552836 0.927000 127.475391 0.992711 127.376823 1.147602 127.397945 1.335349 127.419066 1.347083 127.463656 1.513709 127.552836 1.778901 127.651403 1.957260 127.827416 2.133273 127.937717 2.222453 # -b 109.965654 1.835225 110.108811 1.778901 110.219112 1.757780 110.329413 1.769514 110.451449 1.790635 110.540628 1.757780 110.660317 1.680334 110.815208 1.635744 110.916122 1.635744 111.080400 1.602888 111.124990 1.602888 111.136724 1.614623 111.157846 1.736658 111.214170 1.856347 111.223557 1.924405 111.223557 1.957260 111.247026 2.034706 111.291615 2.133273 111.268147 2.245921 111.247026 2.323367 111.333859 2.389078 111.455894 2.356222 111.479362 2.323367 111.479362 2.532235 111.479362 2.588559 111.512218 2.666005 111.577929 2.764572 111.643641 2.842017 111.721086 2.898341 111.831388 2.910076 111.920567 2.919463 112.019134 2.919463 112.096580 2.954665 112.084846 2.964053 112.084846 2.964053 112.117701 2.975787 112.185760 2.987521 112.251471 2.987521 112.373506 2.987521 112.526051 3.020377 112.648086 3.020377 112.770122 3.032111 112.868689 3.086088 112.990724 3.208124 113.068170 3.285569 113.145615 3.395870 113.199592 3.463929 113.267651 3.529640 113.321628 3.595351 113.377952 3.705653 113.443663 3.806567 113.509375 3.884012 113.586820 3.949724 113.640797 3.982579 113.729977 4.060025 113.807423 4.137470 113.863747 4.238384 113.905990 4.280627 113.941192 4.348685 113.962314 4.426131 113.974048 4.480108 113.983435 4.545820 113.983435 4.569288 114.006904 4.590410 # -b 114.006904 4.590410 114.018638 4.613878 114.039759 4.623265 114.105471 4.634999 114.204038 4.679589 114.293218 4.679589 114.382397 4.691323 114.469230 4.712445 114.603000 4.789890 114.725035 4.888458 114.811868 4.965903 114.901048 5.031615 114.955025 5.076204 114.978493 5.022227 114.999615 4.944782 115.055939 4.933047 115.088795 4.933047 115.133385 4.944782 115.175628 4.944782 115.220217 4.933047 115.243686 4.933047 # -b 115.243686 4.933047 115.276542 4.933047 115.353987 4.944782 115.440820 5.010493 115.530000 5.144263 115.562855 5.186506 115.464288 5.242830 115.419698 5.353131 115.497144 5.475166 115.583977 5.508022 115.661422 5.496288 115.771724 5.508022 115.884372 5.639445 116.004060 5.782602 116.060384 5.904637 116.104974 5.993817 116.114362 6.092384 116.215276 6.214419 116.292721 6.289518 116.367820 6.390432 116.435878 6.444409 116.513324 6.521855 116.567301 6.599300 116.633012 6.718989 116.665868 6.841024 116.743313 6.951326 116.787903 6.939591 116.799638 6.895002 116.799638 6.829290 116.799638 6.697867 116.766782 6.599300 116.766782 6.542976 116.844227 6.632156 116.909939 6.709602 116.963916 6.787047 117.031974 6.930204 117.163397 6.930204 117.207987 6.873880 117.252577 6.754192 117.297167 6.620422 117.351144 6.575832 117.416855 6.542976 117.494301 6.599300 117.571746 6.533589 117.637458 6.477265 117.672660 6.444409 117.705516 6.324721 117.714903 6.235541 117.660926 6.158095 117.660926 6.026673 117.672660 5.916371 117.705516 5.892903 117.771227 5.925759 117.836939 5.916371 117.935506 5.970349 118.036420 5.970349 118.090397 5.883516 118.081010 5.782602 118.003564 5.716890 118.045807 5.672301 118.134987 5.672301 118.245288 5.773214 118.343855 5.749746 118.465890 5.695769 118.609047 5.585468 118.754551 5.484554 118.907095 5.430576 119.019744 5.409455 119.139432 5.374252 119.249733 5.296807 119.273202 5.209974 119.228612 5.120794 119.052599 5.055083 118.930564 4.977637 118.742817 4.900192 118.641903 4.888458 118.543336 4.867336 118.400179 4.944782 118.268756 4.879070 118.245288 4.757035 118.257022 4.700711 118.289878 4.646734 118.400179 4.545820 118.477625 4.524698 118.576192 4.458987 118.599660 4.390929 118.489359 4.369807 118.355589 4.348685 118.245288 4.292361 118.146721 4.271240 118.045807 4.226650 117.926118 4.238384 117.836939 4.271240 117.726637 4.348685 117.705516 4.336951 117.672660 4.247772 117.660926 4.193794 # -b 117.660926 4.193794 117.660926 4.160939 117.637458 4.125736 117.550625 4.071759 117.449711 4.048291 117.595215 3.982579 117.693782 3.884012 117.825204 3.851156 117.825204 3.696265 117.726637 3.639941 117.595215 3.672797 117.562359 3.618820 117.473179 3.607086 117.318288 3.607086 117.240843 3.541374 117.297167 3.452194 117.383999 3.353627 117.461445 3.309038 117.473179 3.240979 117.407468 3.187002 117.449711 3.109557 117.571746 3.020377 117.649192 2.919463 117.714903 2.788040 117.815817 2.633149 117.958974 2.412547 118.045807 2.278777 117.991830 2.189597 117.970708 2.112152 117.926118 2.067562 117.914384 1.990116 117.947240 1.891549 118.113865 1.746045 118.278144 1.591154 118.477625 1.424529 118.677106 1.257904 118.864852 1.103013 118.975154 0.992711 118.975154 0.903532 118.808528 0.849554 118.587926 0.837820 118.465890 0.826086 118.310999 0.870676 118.191311 0.894144 118.102131 1.013833 118.045807 1.070157 118.003564 0.980977 118.069275 0.837820 118.045807 0.793230 117.848673 0.704051 117.714903 0.528038 117.628070 0.370800 117.583480 0.215909 117.583480 0.007041 # -b 119.130045 10.009252 118.951685 9.943540 118.820263 9.856708 118.754551 9.593862 118.543336 9.363872 118.343855 9.211328 118.146721 9.037662 117.926118 8.807672 117.759493 8.676249 117.604602 8.643394 117.494301 8.511971 117.374612 8.411057 117.240843 8.434525 117.297167 8.664515 117.428589 8.894505 117.562359 9.025928 117.825204 9.223062 117.935506 9.244184 118.102131 9.420196 118.268756 9.605596 118.510480 9.844973 # -b 119.878685 4.989371 119.845830 5.031615 119.902154 5.132528 119.967865 5.186506 # -b 120.134490 5.099673 119.979599 5.043349 119.878685 4.989371 # -b 119.791852 -0.049284 119.913888 0.150197 119.913888 0.260499 119.956131 0.471714 # -b 104.049282 1.436263 104.049282 1.525443 104.049282 1.525443 104.037548 1.525443 104.037548 1.546564 104.025814 1.546564 104.016427 1.546564 104.016427 1.558299 103.938981 1.558299 103.816946 1.501974 103.751234 1.370552 103.751234 1.335349 103.870923 1.325962 103.992958 1.358818 104.049282 1.436263 # -b 100.207513 6.444409 100.073744 6.676746 # -b 102.216404 6.190951 102.437007 6.202685 102.559042 6.059528 102.678731 5.925759 102.789032 5.838926 102.922801 5.738012 103.087080 5.618323 103.241971 5.409455 103.385128 5.186506 103.495429 4.977637 103.528285 4.745301 103.528285 4.414397 103.507163 4.193794 103.474308 3.970845 103.495429 3.684531 103.507163 3.496784 103.518898 3.231592 103.629199 2.886607 103.760622 2.799774 103.938981 2.654271 104.037548 2.400812 104.213561 2.055828 104.323862 1.868081 104.279272 1.579420 104.201827 1.447997 104.082138 1.513709 103.938981 1.579420 103.805211 1.647478 103.694910 1.579420 103.650320 1.469119 103.572875 1.403407 103.518898 1.436263 103.673789 1.391673 103.650320 1.391673 103.584609 1.403407 103.518898 1.480853 103.507163 1.501974 103.441452 1.457385 103.230237 1.656866 102.988513 1.802369 102.812500 1.879815 102.547308 2.091030 102.293850 2.189597 102.138958 2.323367 101.906622 2.522848 101.608574 2.731716 101.441948 2.910076 101.409093 3.142412 101.298792 3.374749 101.134513 3.562496 100.946766 3.818301 100.803609 4.006048 100.780141 4.137470 100.669840 4.336951 100.693308 4.602144 100.681574 4.822746 100.538417 4.933047 100.470359 5.120794 100.449237 5.418842 100.437503 5.705156 100.371792 5.949227 100.327202 6.268397 100.249756 6.432675 100.207513 6.444409 # -b 99.909465 9.244184 100.008032 9.058784 100.040888 8.763082 100.130068 8.500237 100.294346 8.324224 100.404647 8.148212 100.470359 7.819655 100.526683 7.512219 100.615862 7.324472 100.625250 7.315085 100.714430 7.258761 100.946766 6.984181 101.265936 6.930204 101.575718 6.895002 101.840910 6.686133 102.061513 6.432675 102.216404 6.190951 # -b 106.630801 10.086697 106.609679 9.988130 # -b 106.499378 10.009252 106.443054 9.910685 106.543968 9.725285 106.478257 9.572740 106.299897 9.638452 106.145006 9.823852 106.013583 9.943540 106.013583 9.737019 106.135619 9.561006 106.145006 9.429584 106.102763 9.375606 106.079295 9.354485 105.903282 9.288773 105.694414 9.201941 105.527788 9.037662 105.340042 8.784204 105.086583 8.598804 104.919958 8.587070 104.887102 8.676249 104.976282 8.751348 104.887102 8.971951 104.842513 9.190206 104.833125 9.396728 104.842513 9.561006 104.865981 9.692429 104.997404 9.868442 # -b 99.885997 3.130678 100.052622 2.942931 100.106599 2.755184 100.228635 2.731716 100.350670 2.698860 100.460971 2.478258 100.604128 2.323367 100.714430 2.213066 100.824731 2.133273 100.923298 2.091030 100.935032 2.168476 100.979622 2.255309 101.155635 2.255309 101.277670 2.168476 101.364503 2.013585 101.399705 1.912671 101.441948 1.823491 101.477151 1.769514 101.519394 1.736658 101.608574 1.692068 101.697753 1.656866 101.796321 1.647478 101.862032 1.614623 102.005189 1.525443 102.094369 1.492587 102.171814 1.403407 102.216404 1.325962 102.282115 1.203926 102.359561 1.159337 102.371295 1.293106 102.371295 1.358818 102.446394 1.314228 102.535574 1.180458 102.669343 1.081891 102.821888 1.093625 103.021368 1.103013 103.164525 1.025567 103.209115 0.971590 103.187994 0.927000 103.176260 0.870676 103.122282 0.804964 103.042490 0.804964 103.065958 0.682929 103.098814 0.605483 103.110548 0.605483 103.131670 0.560894 103.131670 0.438858 103.009634 0.361413 102.911067 0.305089 102.889946 0.260499 102.922801 0.239377 103.042490 0.293354 103.164525 0.349678 103.286561 0.438858 103.408596 0.492835 103.507163 0.528038 103.596343 0.471714 103.739500 0.328557 103.816946 0.173666 103.838067 0.072752 # -b 101.817442 1.790635 101.730609 1.802369 101.730609 1.802369 101.697753 1.835225 101.641429 1.856347 101.596840 1.912671 101.552250 1.968995 101.542862 2.022972 101.552250 2.067562 101.620308 2.067562 101.697753 2.112152 101.784586 2.133273 101.840910 2.079296 101.894888 2.046440 101.894888 1.945526 101.894888 1.879815 101.873766 1.823491 101.840910 1.802369 101.817442 1.790635 # -b 102.160080 1.668600 102.160080 1.668600 102.204670 1.668600 102.303237 1.624010 102.371295 1.635744 102.458128 1.624010 102.523839 1.614623 102.580163 1.447997 102.601285 1.370552 102.580163 1.347083 102.547308 1.391673 102.469862 1.447997 102.371295 1.480853 102.270381 1.534830 102.192936 1.614623 102.160080 1.668600 # -b 104.666500 1.171071 104.743945 1.114747 104.765067 1.004445 104.732211 0.894144 104.645378 0.882410 104.600789 0.992711 104.544464 1.070157 104.457632 1.070157 104.424776 1.180458 104.445897 1.213314 104.535077 1.225048 104.621910 1.203926 104.666500 1.171071 # -b 109.623016 2.055828 109.679340 2.100417 109.723930 2.123886 109.745051 2.055828 109.777907 1.957260 109.843618 1.879815 109.965654 1.835225 # -b 109.202932 -0.082139 109.193545 0.138463 109.092631 0.316823 109.026920 0.382534 109.005798 0.483448 108.994064 0.638339 108.994064 0.816699 109.005798 0.927000 109.017532 1.058423 109.059775 1.225048 109.127833 1.415142 109.202932 1.579420 109.336702 1.724924 109.458737 1.945526 109.557304 2.001850 109.623016 2.055828 # -b 100.073744 6.676746 99.930587 6.819903 99.787430 6.972447 99.686516 7.225905 99.477647 7.413652 99.313369 7.655376 99.212455 7.807920 99.102154 7.864245 98.926141 8.040257 98.738394 8.258513 98.550648 8.246779 98.384022 8.225657 98.330045 8.389936 98.330045 8.664515 98.362901 8.981338 98.440346 9.255918 98.527179 9.551619 98.616359 9.812118 98.639827 9.964662 # -b 99.191334 10.009252 99.224189 9.704163 99.268779 9.396728 99.322756 9.244184 99.501116 9.201941 99.731106 9.288773 99.909465 9.244184 # -b 98.384022 8.115356 98.339432 8.105969 98.339432 7.939343 98.384022 7.840776 98.484936 7.929956 98.494324 8.049644 98.419225 8.148212 98.384022 8.115356 # -b 93.847590 7.282229 93.758410 7.303351 93.680965 7.204784 93.680965 7.028771 93.749023 6.829290 93.859324 6.951326 93.892180 7.181315 93.859324 7.315085 93.758410 7.303351 # -b 95.326096 5.606589 95.326096 5.594855 95.370686 5.606589 95.436397 5.606589 95.492721 5.630057 95.504456 5.630057 95.525577 5.630057 95.537311 5.630057 95.546699 5.630057 95.614757 5.630057 95.725058 5.630057 95.835359 5.606589 95.933926 5.552612 96.011372 5.442311 96.077083 5.341397 96.210853 5.332009 96.321154 5.320275 96.431455 5.263951 96.562878 5.263951 96.661445 5.254564 96.816336 5.275685 96.982962 5.287420 97.137853 5.275685 97.313865 5.186506 97.534468 5.198240 97.689359 5.165384 97.820782 5.055083 97.975673 4.933047 98.053119 4.801625 98.064853 4.691323 98.130564 4.590410 98.264334 4.512964 98.362901 4.348685 98.395756 4.292361 98.440346 4.170326 98.527179 4.092880 98.672683 3.982579 98.759516 3.872278 98.881551 3.750243 99.090420 3.661063 99.289901 3.562496 99.510503 3.463929 99.644273 3.330159 99.885997 3.130678 # -b 99.963442 -0.147851 99.864875 0.028162 99.721718 0.138463 99.543359 0.251111 99.411936 0.251111 99.379080 0.260499 99.355612 0.293354 99.301635 0.483448 99.268779 0.671195 99.212455 0.849554 99.146744 1.070157 99.057564 1.281372 98.937875 1.501974 98.937875 1.692068 98.792372 1.868081 98.604625 2.046440 98.419225 2.145007 98.252600 2.234187 98.076587 2.299898 97.855984 2.332754 97.799660 2.522848 97.755070 2.710595 97.701093 2.898341 97.567324 2.942931 97.557936 2.987521 97.513346 3.053233 97.424167 3.142412 97.334987 3.297303 97.215298 3.473316 97.027552 3.651675 96.884395 3.740855 96.696648 3.740855 96.508901 3.916868 96.354010 4.104615 96.231974 4.214916 96.065349 4.315830 95.901071 4.491842 95.790769 4.613878 95.647613 4.768769 95.546699 4.900192 95.459866 5.066817 95.382420 5.231096 95.370686 5.332009 95.370686 5.418842 95.358952 5.552612 95.326096 5.606589 # -b 95.868215 2.809162 95.844747 2.865486 95.879949 2.877220 95.922192 2.919463 96.055962 2.832630 96.199119 2.731716 96.342276 2.644883 96.476045 2.543969 96.530023 2.445402 96.551144 2.377344 96.530023 2.367957 96.407987 2.478258 96.231974 2.532235 96.077083 2.621415 95.945661 2.698860 95.868215 2.809162 # -b 97.302131 1.403407 97.292744 1.457385 97.334987 1.480853 97.424167 1.513709 97.501612 1.546564 97.644769 1.415142 97.755070 1.257904 97.855984 1.171071 98.031997 1.025567 98.041384 0.971590 98.041384 0.870676 98.053119 0.760375 98.053119 0.694663 98.008529 0.614871 97.909962 0.614871 97.820782 0.793230 97.743336 0.903532 97.644769 0.980977 97.534468 1.081891 97.424167 1.248516 97.370189 1.314228 97.334987 1.370552 97.302131 1.403407 # -b 80.024731 9.812118 80.024731 9.812118 # -b 79.926164 9.746406 80.048199 9.650186 80.203091 9.584475 80.278189 9.462439 80.191356 9.474173 80.081055 9.354485 80.048199 9.112761 # -b 79.893308 6.510121 80.048199 6.202685 80.212478 6.014938 80.510526 5.958614 80.754597 5.958614 80.951731 6.059528 81.240392 6.223807 81.526706 6.423288 81.735574 6.718989 81.791898 7.160194 81.813019 7.533341 81.780164 7.688232 81.658128 7.732822 81.571295 7.951077 81.482116 8.225657 81.371814 8.455647 81.240392 8.565948 81.195802 8.676249 81.195802 8.697371 81.130090 8.807672 81.106622 8.817060 81.040911 8.894505 80.918875 9.004806 80.853164 9.190206 80.665417 9.408462 80.501139 9.584475 80.334513 9.737019 80.179622 9.802730 80.024731 9.812118 # -b 79.186911 10.096085 79.154055 9.964662 79.032020 9.802730 78.900597 9.617330 78.877129 9.441318 78.888863 9.321629 78.900597 9.265305 78.787949 9.244184 78.590815 9.223062 78.391334 9.136229 78.182465 9.025928 78.149610 8.960217 78.126141 8.849915 78.048696 8.652781 78.072164 8.577682 78.027574 8.479115 77.917273 8.368814 77.839828 8.324224 77.795238 8.303103 77.795238 8.258513 77.640347 8.115356 77.330564 8.105969 77.100574 8.303103 76.835382 8.631660 76.603045 8.981338 76.481010 9.232449 76.337853 9.746406 # -b 80.024731 9.812118 79.926164 9.746406 # -b 80.048199 9.112761 79.926164 8.948482 79.905042 8.741961 79.869840 8.544827 79.827597 8.324224 79.804129 8.094234 79.726683 8.148212 79.672706 8.094234 79.672706 7.807920 79.726683 7.413652 79.771273 7.094483 79.815863 6.796435 79.893308 6.510121 # -b 50.832449 10.159449 50.755003 9.884870 50.710413 9.633758 50.722148 9.403768 50.656436 9.206634 50.555522 8.988379 50.402978 8.856956 50.325533 8.626966 50.170641 8.453300 50.072074 8.211576 # -b 50.072074 8.211576 49.994629 8.166986 49.872593 8.035563 49.806882 7.880672 49.762292 7.641295 49.663725 7.474670 49.553424 7.244680 49.389145 6.970100 49.288231 6.803475 49.168543 6.606341 49.091097 6.430328 49.091097 6.507774 49.067629 6.341149 49.023039 6.054835 48.947940 5.834232 48.804783 5.613630 48.551325 5.416495 48.351844 5.205280 48.142976 4.984678 48.065530 4.742954 47.966963 4.510617 47.767482 4.266546 47.645447 4.090534 47.436578 3.858197 47.194854 3.637594 47.084553 3.438113 46.917928 3.304344 46.819361 3.205777 46.687938 3.095476 46.587024 3.039151 46.422746 2.917116 46.288976 2.684779 46.178675 2.574478 46.047252 2.452443 45.915829 2.330407 45.704614 2.166129 45.507480 2.032359 45.307999 1.931445 45.099131 1.889202 44.845672 1.743699 44.735371 1.666253 44.613336 1.567686 44.416202 1.412795 44.338756 1.368205 44.204986 1.213314 44.007852 1.067810 43.820106 0.880063 43.632359 0.701704 43.500936 0.570281 43.390635 0.481101 43.247478 0.326210 43.137177 0.192440 # -b 36.101365 4.522351 36.091977 4.522351 36.211666 4.367460 36.300846 4.179713 36.300846 3.935643 36.366557 3.736162 36.289112 3.637594 36.312580 3.360668 36.378291 3.083741 36.521448 2.863139 36.631750 2.762225 36.720929 2.675392 36.742051 2.508767 36.753785 2.353876 36.664605 2.363263 36.631750 2.520501 36.566038 2.717635 36.422881 2.851405 36.211666 2.985174 36.091977 3.217511 36.047388 3.438113 35.969942 3.593005 35.892496 3.891053 35.915965 4.179713 35.958208 4.388582 35.991064 4.522351 # -b 34.029109 0.237030 34.019722 0.114995 # -b 34.073699 0.237030 33.975132 0.204175 33.808507 0.248765 33.665350 0.192440 33.423626 0.281620 33.301590 0.359066 33.203023 0.237030 33.080988 0.058671 32.937831 0.126729 32.740697 0.147851 32.651517 0.204175 32.618661 0.093873 32.529482 0.058671 32.419180 0.103261 # -b 5.001106 5.824845 4.965903 5.911678 4.822746 6.099424 4.592756 6.221460 4.449599 6.308293 4.271240 6.352883 4.074106 6.364617 3.865237 6.385738 3.543721 6.376351 3.248020 6.352883 2.982827 6.331761 2.872526 6.331761 2.795081 6.320027 # -b 2.795081 6.320027 2.729369 6.320027 2.574478 6.308293 2.332754 6.275437 2.121539 6.266050 1.978382 6.254316 # -b 1.978382 6.254316 1.825838 6.221460 1.605235 6.165136 1.372899 6.099424 1.274331 6.054835 # -b 1.274331 6.054835 1.218007 6.033713 1.095972 5.869435 1.009139 5.747399 0.842514 5.714544 0.767415 5.780255 0.621911 5.747399 0.403656 5.723931 0.192440 5.669954 # -b 5.001106 5.824845 5.076204 5.813111 5.120794 5.702809 5.186506 5.637098 5.254564 5.449351 5.385987 5.404761 5.451698 5.404761 5.353131 5.339050 5.364865 5.130182 5.451698 4.796931 5.561999 4.698364 5.672301 4.576329 5.761480 4.421437 5.982083 4.355726 6.167483 4.379194 6.212073 4.212569 6.411554 4.311136 6.533589 4.379194 6.566445 4.343992 6.632156 4.388582 6.730723 4.334604 6.787047 4.379194 6.829290 4.379194 6.897348 4.412050 6.963060 4.498883 7.028771 4.531739 7.106217 4.653774 7.249374 4.599797 7.523953 4.477761 7.735169 4.498883 7.932303 4.498883 8.152905 4.489496 8.176374 4.698364 8.242085 4.864989 8.340652 4.829787 8.396976 4.742954 # -b 9.232449 -0.194787 9.255918 0.248765 9.333363 0.237030 9.420196 0.147851 9.575087 0.093873 9.795690 0.082139 9.840280 0.136116 9.783956 0.180706 9.619677 0.213562 9.476520 0.314476 9.377953 0.403656 9.309895 0.513957 9.342751 0.603137 9.476520 0.612524 9.530497 0.701704 9.521110 0.880063 9.521110 0.978630 # -b 9.521110 0.978630 9.530497 0.957509 9.575087 1.023220 9.563353 1.067810 9.309895 1.222701 9.342751 1.290759 9.443665 1.433916 9.509376 1.544218 9.553966 1.755433 9.673654 1.987769 9.673654 2.166129 # -b 9.673654 2.166129 9.685389 2.231840 9.708857 2.321020 9.718244 2.541622 9.762834 2.795081 9.840280 3.083741 9.852014 3.194043 9.884870 3.238632 9.783956 3.372402 9.664267 3.494438 9.631411 3.560149 9.542232 3.682184 9.542232 3.747896 9.607943 3.769017 9.640799 3.846463 9.631411 4.001354 9.575087 4.045944 9.453052 4.034210 9.431930 3.968498 9.342751 3.947377 9.133882 4.024822 8.981338 4.102268 8.892158 4.266546 8.835834 4.421437 8.793591 4.543473 8.725533 4.543473 8.615232 4.543473 8.528399 4.510617 8.439219 4.566941 8.439219 4.609184 8.450953 4.677242 8.396976 4.742954 # -b 8.605844 3.813607 8.638700 3.792486 8.725533 3.747896 8.814713 3.703306 8.880424 3.625860 8.859303 3.515559 8.793591 3.337200 8.659822 3.262101 8.516665 3.294957 8.418098 3.393524 8.439219 3.449848 8.507277 3.581270 8.582376 3.747896 8.605844 3.813607 # -b 6.488999 0.314476 6.444409 0.326210 6.444409 0.237030 6.444409 0.082139 6.488999 0.082139 6.566445 0.171319 6.632156 0.302742 6.566445 0.302742 6.488999 0.314476 # -b -14.029380 9.971702 -14.249983 10.114859 -14.348550 10.168837 -14.437730 10.311994 -14.482320 10.419948 -14.503441 10.572492 -14.491707 10.659325 -14.580887 10.659325 -14.670066 10.692181 -14.670066 10.746158 -14.702922 10.856459 -14.691188 10.964414 -14.747512 10.952680 -14.822611 10.856459 -14.878935 10.769626 -14.968114 10.746158 -15.054947 10.832991 # -b -15.054947 10.832991 -15.087803 10.877581 -15.054947 11.051247 -15.022092 11.095836 -15.176983 11.072368 -15.275550 11.095836 -15.352995 11.203791 -15.385851 11.335214 -15.352995 11.431434 -15.331874 11.508879 -15.397585 11.616834 -15.430441 11.703667 -15.296671 11.799887 -15.198104 11.832743 -15.043213 11.844477 -14.857813 11.853864 -14.834345 11.943044 -15.043213 11.919576 -15.275550 11.898454 -15.418707 11.853864 -15.672165 11.736522 -15.815322 11.713054 -15.881033 11.736522 -15.892767 11.877333 -16.003069 11.865598 -16.190816 11.898454 -16.256527 11.985287 -16.268261 12.083854 -16.268261 12.147219 -16.432540 12.191808 # -b -16.432540 12.191808 -16.643755 12.255173 -16.754056 12.395983 -16.718853 12.548527 -16.718853 12.764436 -16.709466 12.893512 -16.697732 13.013201 # -b -16.697732 13.013201 -16.685998 13.078912 -16.718853 13.207988 -16.676610 13.391041 -16.620286 13.433284 -16.542841 13.337064 -16.444274 13.261965 -16.333972 13.238497 -16.301117 13.271353 -16.378562 13.358186 -16.399684 13.454406 # -b -16.399684 13.454406 -16.432540 13.541239 -16.500598 13.691436 -16.500598 13.757148 -16.653142 13.949588 -16.763443 14.186618 -16.906600 14.433036 -17.073226 14.594968 -17.183527 14.679454 -17.204648 14.724044 -17.204648 14.745165 -17.150671 14.841385 -17.007514 14.970461 -16.754056 15.289631 -16.521719 15.686246 -16.411418 15.866952 -16.399684 15.909195 # -b -16.399684 15.909195 -16.399684 15.942051 -16.399684 16.132145 -16.399684 16.556922 -16.333972 16.939456 -16.134492 17.385355 -16.024190 17.702177 -15.991335 18.122261 -15.981947 18.417962 -16.035924 18.901410 -16.101636 19.016405 -16.223671 19.131400 -16.345707 19.288638 -16.444274 19.413020 -16.465395 19.464651 -16.399684 19.455263 -16.345707 19.528015 -16.256527 19.694640 -16.202550 19.934018 # -b -15.881033 11.095836 -16.003069 11.105224 -16.134492 11.051247 -16.092248 10.943292 -15.937357 11.030125 -15.881033 11.095836 # -b -24.989100 17.141284 -25.188581 17.120162 -25.298883 17.120162 -25.275414 16.951190 -25.242559 16.908947 -25.078280 16.960577 -24.967979 17.035676 -24.944511 17.087307 -24.989100 17.141284 # -b -23.930678 16.556922 -23.975268 16.580390 -24.094956 16.589778 -24.249847 16.610899 -24.315559 16.622633 -24.327293 16.526413 -24.282703 16.472436 -24.216992 16.526413 -24.163014 16.535800 -24.029245 16.535800 -23.930678 16.556922 # -b -22.893377 16.887826 -22.905111 16.876091 -22.926232 16.737628 -22.926232 16.632021 -22.851134 16.632021 -22.815931 16.779871 -22.883989 16.866704 -22.893377 16.887826 # -b -22.872255 16.122757 -22.740832 16.143879 -22.663387 16.101636 -22.639918 15.984294 -22.740832 15.897461 -22.827665 15.897461 -22.883989 15.972560 -22.905111 16.035924 -22.872255 16.122757 # -b -23.698341 15.247388 -23.721809 15.247388 -23.721809 15.045560 -23.721809 14.883628 -23.611508 14.850773 -23.435496 14.904750 -23.390906 15.000970 -23.444883 15.076069 -23.578653 15.184023 -23.698341 15.247388 # -b -24.339027 14.916484 -24.348414 14.916484 -24.437594 14.904750 -24.458716 14.820264 -24.425860 14.766287 -24.339027 14.754552 -24.273316 14.829651 -24.339027 14.916484 # -b -70.060069 18.385106 -69.884056 18.469592 -69.729165 18.460205 -69.532031 18.439084 -69.320816 18.439084 -69.123682 18.439084 -68.924201 18.385106 -68.813900 18.270111 -68.661355 18.248990 -68.527586 18.354598 -68.417285 18.511835 -68.384429 18.680808 -68.506464 18.744172 -68.605031 18.816924 -68.703598 18.931919 -68.825634 19.004671 -69.013381 19.046914 -69.156538 19.058648 -69.201127 19.058648 -69.255105 19.068035 -69.398262 19.089157 -69.597743 19.161909 -69.597743 19.192418 -69.377140 19.173643 -69.233983 19.255782 -69.377140 19.361390 -69.609477 19.328534 -69.839467 19.464651 -69.949768 19.643010 # -b -66.046981 18.502448 -66.058715 18.523570 -65.892090 18.469592 -65.760667 18.385106 -65.671487 18.281846 -65.805257 18.164504 -65.981270 18.007266 -66.246462 17.974410 -66.455330 17.943901 -66.621956 17.995532 -66.830824 17.995532 -67.051426 17.974410 -67.203971 18.007266 -67.194583 18.197360 -67.239173 18.333476 -67.248561 18.439084 -67.138259 18.523570 -66.950513 18.532957 -66.697054 18.532957 -66.476452 18.532957 -66.246462 18.523570 -66.046981 18.502448 # -b -64.934581 18.406228 -65.021414 18.342863 -65.012027 18.291233 -64.934581 18.312355 -64.934581 18.406228 # -b -64.845401 17.765542 -64.868870 17.732686 -64.845401 17.681056 -64.735100 17.786663 -64.845401 17.765542 # -b -62.409387 9.896604 -62.463364 10.159449 -62.507954 10.180571 -62.597133 10.222814 -62.662845 10.333115 -62.728556 10.365971 -62.871713 10.365971 -62.960893 10.387092 -62.960893 10.506781 -62.716822 10.551371 -62.585399 10.551371 -62.507954 10.527902 -62.353063 10.527902 -62.233374 10.638204 -62.144194 10.638204 -61.979916 10.680447 -61.956447 10.725037 -62.209906 10.736771 -62.287351 10.746158 -62.287351 10.713302 -62.376531 10.692181 -62.618255 10.713302 -62.773146 10.746158 -62.928037 10.746158 -63.125171 10.757892 -63.291797 10.769626 -63.578110 10.713302 -63.831569 10.692181 -63.974726 10.692181 -64.129617 10.680447 -64.228184 10.671059 -64.249305 10.593614 -64.249305 10.560758 -64.139004 10.572492 -64.040437 10.572492 -63.852690 10.560758 -63.721267 10.539637 -63.697799 10.506781 -63.897280 10.431682 -64.183594 10.473925 -64.359607 10.375358 -64.493376 10.288525 -64.547353 10.246282 -64.713979 10.201692 -65.033148 10.147715 -65.274872 10.147715 -65.396908 10.168837 -65.408642 10.168837 -65.540065 10.168837 -65.716077 10.255670 -65.960148 10.398826 -66.025860 10.464538 -66.035247 10.473925 -66.046981 10.473925 -66.046981 10.518515 -66.046981 10.638204 -66.180751 10.659325 -66.366151 10.671059 -66.765113 10.638204 -66.973981 10.638204 -67.293150 10.572492 -67.612320 10.527902 -67.800067 10.495047 -67.889247 10.485659 -68.076993 10.527902 -68.196682 10.647591 -68.264740 10.800135 -68.274128 10.811869 -68.274128 10.877581 -68.241272 10.889315 -68.274128 11.084102 -68.363307 11.248381 -68.560441 11.302358 -68.682477 11.365723 -68.759922 11.419700 -68.992259 11.431434 -69.013381 11.431434 -69.123682 11.485411 -69.189393 11.508879 -69.210515 11.508879 -69.222249 11.508879 -69.266839 11.518267 -69.356019 11.508879 -69.431117 11.530001 -69.487441 11.530001 -69.586008 11.530001 -69.609477 11.572244 -69.630598 11.595712 -69.663454 11.637955 -69.708044 11.703667 -69.729165 11.757644 -69.762021 11.931310 -69.830079 12.147219 -69.940381 12.245786 # -b -70.017826 11.637955 -69.928646 11.670811 -69.872322 11.682545 -69.818345 11.551123 -69.818345 11.443168 -69.982624 11.431434 # -b -69.046236 12.299763 -69.123682 12.419452 -69.123682 12.386596 -69.111948 12.288029 -69.046236 12.191808 -68.935935 12.147219 -68.804512 12.093241 -68.804512 12.147219 -68.935935 12.201196 -69.046236 12.299763 # -b -68.375041 12.288029 -68.440753 12.342006 -68.396163 12.255173 -68.318717 12.180074 -68.274128 12.083854 -68.241272 12.072120 -68.220150 12.224664 -68.274128 12.266907 -68.375041 12.288029 # -b -63.897280 11.170935 -63.831569 11.116958 -63.786979 10.997269 -63.897280 10.943292 -64.007581 10.877581 -64.096761 10.898702 -64.162472 10.943292 -64.326751 10.943292 -64.371341 11.039512 -64.293895 11.095836 -64.195328 11.095836 -64.106148 11.030125 -63.974726 11.126345 -63.897280 11.170935 # -b -61.548098 12.180074 -61.592688 12.158953 -61.649012 12.137831 -61.702989 11.985287 -61.583301 12.050998 -61.548098 12.180074 # -b -61.031794 13.304208 -61.074037 13.283087 -61.085772 13.154011 -61.074037 13.067178 -61.031794 13.121155 -61.031794 13.261965 -61.031794 13.304208 # -b -60.921493 14.036421 -60.942615 13.940201 -60.975470 13.811125 -60.998939 13.736026 -60.921493 13.712558 -60.853435 13.745413 -60.853435 13.841634 -60.876903 13.973056 -60.921493 14.036421 # -b -61.196073 14.904750 -61.106893 14.883628 -60.998939 14.775674 -60.930880 14.627823 -60.853435 14.477626 -60.876903 14.454158 -60.998939 14.433036 -61.052916 14.477626 -61.118627 14.637211 -61.184339 14.754552 -61.207807 14.829651 -61.196073 14.904750 # -b -61.318108 15.620535 -61.372085 15.620535 -61.372085 15.514927 -61.372085 15.355342 -61.327496 15.238000 -61.240663 15.238000 -61.207807 15.343608 -61.217194 15.439828 -61.217194 15.557170 -61.318108 15.620535 # -b -61.416675 16.505291 -61.494121 16.493557 -61.515242 16.430193 -61.548098 16.345707 -61.649012 16.345707 -61.747579 16.366828 -61.803903 16.186122 -61.780435 16.014803 -61.637278 16.005416 -61.583301 16.186122 -61.538711 16.218978 -61.383820 16.228365 -61.252397 16.282342 -61.273518 16.345707 -61.372085 16.387950 -61.416675 16.505291 # -b -61.825025 17.153018 -61.846146 17.141284 -61.879002 17.066185 -61.869615 17.002821 -61.803903 16.993433 -61.714723 17.045064 -61.702989 17.087307 -61.768701 17.120162 -61.825025 17.153018 # -b -62.784880 17.427598 -62.895181 17.436985 -62.859979 17.343112 -62.794268 17.289134 -62.749678 17.310256 -62.749678 17.406476 -62.784880 17.427598 # -b -60.513144 11.344601 -60.522531 11.344601 -60.623445 11.311745 -60.722012 11.224912 -60.787724 11.182669 -60.743134 11.149814 -60.590589 11.248381 -60.513144 11.344601 # -b -60.942615 10.832991 -61.118627 10.811869 -61.494121 10.757892 -61.693602 10.671059 -61.571566 10.201692 -61.702989 10.126594 -61.759313 10.093738 -61.482387 10.070270 -61.252397 10.060882 -61.031794 10.159449 -60.963736 10.321381 -60.987204 10.539637 -60.987204 10.647591 -60.963736 10.757892 -60.942615 10.811869 -60.942615 10.832991 # -b -74.955567 20.006769 -75.274737 19.882387 -75.485952 19.882387 -75.781653 19.945752 -76.046846 19.955139 -76.300304 19.955139 -76.598352 19.976261 -76.917521 19.924630 -77.138124 19.891775 -77.337605 19.861266 -77.656774 19.840144 # -b -77.149858 18.469592 -77.072412 18.460205 -77.039557 18.439084 -76.908134 18.375719 -76.797833 18.260724 -76.642942 18.248990 -76.422339 18.248990 -76.344894 18.058896 -76.290916 17.922780 -76.466929 17.892271 -76.732121 17.965023 -76.929256 17.892271 -77.095881 17.892271 -77.161592 17.774929 -77.370461 17.786663 -77.469028 17.871150 -77.722486 17.892271 -77.877377 18.016653 -78.020534 18.155117 -78.220015 18.218481 -78.339703 18.342863 -78.306848 18.427349 -78.121448 18.481327 -77.966557 18.544691 -77.900845 18.565813 -77.722486 18.554079 -77.591063 18.523570 -77.447906 18.502448 -77.293015 18.481327 -77.149858 18.469592 # -b -73.047590 18.962428 -73.014735 18.941306 -72.895046 18.889676 -72.862190 18.732438 -72.993613 18.795803 -73.235337 18.816924 -73.324517 18.941306 -73.225950 18.983549 -73.047590 18.962428 # -b -71.803768 19.797901 -71.911722 19.767392 -72.132325 19.736883 -72.364661 19.758005 -72.629854 19.891775 -72.895046 19.955139 -73.202481 19.945752 -73.479408 19.779126 -73.411350 19.631276 -73.258805 19.652397 -73.038203 19.652397 -72.838722 19.518628 -72.794132 19.382511 -72.805866 19.204152 -72.817600 19.089157 -72.761276 18.995284 -72.585264 18.838046 -72.442107 18.732438 -72.453841 18.575200 -72.695565 18.523570 -72.949023 18.469592 -73.258805 18.481327 -73.554507 18.523570 -73.589709 18.584587 -73.819699 18.584587 -74.096626 18.626830 -74.359471 18.617443 -74.427529 18.439084 -74.284372 18.270111 -74.040301 18.227868 -73.908879 18.058896 -73.819699 18.164504 -73.643686 18.260724 -73.378494 18.260724 -73.181360 18.227868 -72.937289 18.185625 -72.784745 18.143382 -72.641588 18.155117 -72.552408 18.206747 -72.320071 18.270111 -72.132325 18.260724 -71.946925 18.122261 -71.768565 18.049509 # -b -71.768565 18.049509 -71.702854 17.953289 -71.693466 17.838294 -71.616021 17.765542 -71.550309 17.659934 -71.416540 17.723299 -71.252261 17.943901 -71.130226 18.164504 -71.031659 18.302967 -70.876768 18.363985 -70.700755 18.439084 -70.656165 18.312355 -70.524742 18.206747 -70.268937 18.248990 -70.060069 18.385106 # -b -69.949768 19.643010 -70.182105 19.664132 -70.435563 19.809635 -70.667899 19.830757 -70.921358 19.903509 -71.118492 19.912896 -71.306239 19.873000 -71.505720 19.924630 -71.702854 19.873000 -71.803768 19.797901 # -b -71.306239 11.823355 -71.261649 11.964165 -71.195937 12.093241 -71.195937 12.147219 -71.228793 12.224664 -71.317973 12.332619 -71.362563 12.374862 -71.461130 12.419452 -71.505720 12.428839 -71.693466 12.503938 -71.768565 12.503938 -71.836623 12.374862 -71.911722 12.365474 -71.911722 12.266907 -71.935190 12.224664 -72.066613 12.212930 -72.122937 12.158953 -72.200383 12.050998 -72.287216 11.877333 -72.430373 11.745910 -72.606385 11.682545 -72.728421 11.649690 -72.805866 11.626221 -72.895046 11.562857 -72.960757 11.518267 -73.059324 11.464290 -73.157891 11.377457 -73.235337 11.365723 -73.423084 11.290624 -73.589709 11.269502 -73.753988 11.278890 -73.920613 11.311745 -73.986324 11.323479 -74.007446 11.323479 -74.206927 11.290624 -74.326615 11.182669 -74.371205 10.997269 -74.514362 10.952680 -74.680987 10.964414 -74.800676 10.985535 -74.845266 11.009004 -75.044747 10.976148 -75.187904 10.877581 -75.385038 10.736771 -75.584519 10.617082 -75.629109 10.518515 -75.629109 10.354237 -75.638496 10.213426 -75.671352 10.016292 # -b -69.940381 12.245786 -70.083537 12.168340 -70.193839 12.006409 -70.280672 11.886720 -70.280672 11.713054 -70.203226 11.637955 -70.017826 11.637955 # -b -69.982624 11.431434 -70.259550 11.398578 -70.468418 11.323479 -70.623310 11.278890 -70.998803 11.138080 -71.195937 11.051247 -71.350828 10.952680 -71.395418 10.823604 -71.440008 10.746158 -71.461130 10.527902 -71.428274 10.354237 -71.317973 10.114859 # -b -72.012636 9.875482 -71.902335 10.103125 -71.869479 10.222814 -71.714588 10.387092 -71.604287 10.527902 -71.550309 10.617082 -71.550309 10.692181 -71.604287 10.877581 -71.604287 10.943292 -71.625408 11.018391 -71.759178 11.257768 -71.857745 11.410312 -71.890601 11.530001 -71.780299 11.605100 -71.604287 11.649690 -71.493985 11.670811 -71.395418 11.703667 -71.329707 11.790500 -71.306239 11.823355 # -b -87.492360 20.018504 -87.579193 19.851878 -87.689495 19.706375 -87.546338 19.643010 -87.536950 19.528015 -87.689495 19.422408 -87.602662 19.361390 -87.558072 19.288638 -87.602662 19.110278 -87.689495 18.859167 -87.757553 18.690195 -87.778674 18.490714 -87.832652 18.291233 -87.877241 18.122261 -87.942953 18.037775 -87.987543 18.206747 -87.966421 18.460205 -88.011011 18.523570 -88.086110 18.532957 -88.121312 18.544691 -88.097844 18.626830 -88.064988 18.816924 -88.196411 18.859167 -88.285591 18.732438 -88.395892 18.575200 # -b -88.395892 18.575200 -88.417013 18.406228 -88.363036 18.375719 -88.285591 18.396841 -88.163555 18.248990 -88.175289 17.986144 -88.264469 17.774929 -88.306712 17.479228 -88.318446 17.174139 -88.318446 16.845583 -88.339568 16.653142 -88.449869 16.472436 -88.560170 16.387950 -88.703327 16.270608 -88.837097 16.153266 -88.923930 15.909195 -88.959132 15.897461 # -b -88.959132 15.897461 -88.891074 15.920930 -88.804241 15.812975 -88.693940 15.728489 -88.571905 15.770732 -88.517927 15.834097 -88.649350 15.737876 -88.637616 15.737876 -88.616494 15.834097 -88.494459 15.855218 -88.339568 15.728489 # -b -88.285591 15.728489 -88.273857 15.728489 -88.154168 15.716755 -88.020398 15.782466 -87.832652 15.855218 -87.612049 15.845831 -87.337469 15.791854 -87.095745 15.770732 -86.785963 15.803588 -86.544239 15.845831 -86.300168 15.876340 -86.046710 15.920930 -85.992733 15.993681 -85.826107 15.984294 -85.661829 15.876340 -85.539794 15.876340 -85.342659 15.909195 -85.154913 15.951438 -85.000022 15.942051 -84.845130 15.876340 -84.624528 15.834097 -84.460249 15.834097 -84.338214 15.812975 -84.206791 15.728489 -84.096490 15.632269 -83.986189 15.514927 -83.819563 15.439828 -83.699875 15.355342 -83.566105 15.310752 -83.411214 15.226266 -83.303260 15.076069 -83.279791 14.895363 # -b -83.279791 14.895363 -83.291526 14.670066 -83.268057 14.369671 -83.521515 13.766535 -83.566105 13.337064 -83.577839 13.046056 -83.566105 12.851269 -83.589574 12.677603 -83.655285 12.482816 -83.655285 12.212930 -83.709262 12.050998 -83.699875 11.832743 -83.699875 11.691933 -83.774974 11.530001 -83.864153 11.344601 -83.843032 11.159201 -83.676407 10.877581 # -b -83.676407 10.877581 -83.655285 10.769626 -83.566105 10.572492 -83.434683 10.365971 -83.235202 10.114859 # -b -84.791153 9.938847 -84.889720 10.028027 -85.021143 10.103125 -85.154913 10.159449 -85.220624 10.114859 -85.176034 10.016292 # -b -85.694685 9.962315 -85.816720 10.168837 -85.894166 10.321381 -85.894166 10.527902 -85.793252 10.560758 -85.772130 10.659325 -85.804986 10.856459 -85.894166 10.898702 -85.858963 10.964414 -85.793252 11.051247 # -b -85.793252 11.051247 -85.793252 11.138080 -85.903553 11.269502 -86.079566 11.464290 -86.300168 11.605100 -86.520771 11.790500 -86.696783 12.060386 -86.830553 12.201196 -87.039421 12.365474 -87.248290 12.560262 -87.391447 12.698725 -87.536950 12.860657 -87.623783 12.938102 -87.635517 13.022588 -87.546338 13.013201 -87.403181 12.959224 -87.337469 13.022588 # -b -87.337469 13.022588 -87.382059 13.078912 -87.501748 13.238497 -87.492360 13.369920 -87.546338 13.412163 -87.668373 13.400429 -87.778674 13.423897 # -b -87.778674 13.423897 -87.877241 13.325330 -87.975808 13.238497 -88.196411 13.196254 -88.527315 13.196254 -88.848831 13.261965 -89.045965 13.337064 -89.299423 13.466140 -89.585737 13.520117 -89.806340 13.562360 # -b -85.551528 11.248381 -85.584383 11.248381 -85.739275 11.398578 -85.816720 11.595712 -85.903553 11.865598 -85.948143 12.060386 -85.849576 12.158953 -85.650095 12.027530 -85.518672 11.931310 -85.396637 11.865598 -85.286335 11.811621 -85.176034 11.703667 -85.077467 11.595712 -84.978900 11.508879 -84.922576 11.323479 -84.856865 11.126345 # -b -96.457271 20.002076 -96.400947 19.898815 -96.368091 19.826063 -96.325848 19.720456 -96.269524 19.574952 -96.224934 19.471691 -96.170957 19.377818 -96.147488 19.314453 -96.138101 19.262823 -96.138101 19.220580 -96.114633 19.199458 -96.102899 19.199458 -96.070043 19.199458 -96.016066 19.157215 -95.959742 19.105585 -95.905764 19.032833 -95.840053 18.990590 -95.795463 18.927225 -95.739139 18.863861 -95.640572 18.800496 -95.497415 18.758253 -95.375380 18.706623 -95.286200 18.664380 -95.143043 18.654992 -94.999886 18.647952 # -b -100.045582 16.944150 -99.878956 16.892519 -99.759268 16.817421 -99.681822 16.775178 -99.548052 16.723547 -99.426017 16.690691 -99.273473 16.648448 -99.106847 16.594471 -98.984812 16.542841 -98.829921 16.488864 -98.764210 16.488864 -98.665642 16.509985 -98.632787 16.488864 -98.555341 16.413765 -98.477896 16.341013 -98.355860 16.265914 -98.212703 16.190816 -98.057812 16.094595 -97.992101 16.073474 -97.947511 16.064086 -97.870065 16.064086 -97.780886 16.000722 -97.670584 15.956132 -97.595486 15.935011 -97.473450 15.892767 -97.372536 15.892767 -97.252848 15.871646 -97.065101 15.862259 -97.053367 15.850524 -96.964187 15.838790 -96.865620 15.787160 -96.776440 15.744917 -96.656752 15.700327 -96.600428 15.700327 -96.457271 15.625228 -96.335235 15.615841 -96.192078 15.615841 -96.070043 15.625228 -95.959742 15.679205 -95.882296 15.744917 -95.762607 15.787160 -95.685162 15.829403 -95.518537 15.862259 -95.375380 15.946745 -95.253344 16.042965 -95.143043 16.115717 -94.999886 16.186122 -95.044476 16.148573 # -b -94.999886 18.647952 -94.999886 18.680808 -94.922440 18.626830 -94.725306 18.375719 -94.481235 18.206747 -94.239511 18.206747 -94.063499 18.312355 -93.831162 18.439084 -93.589438 18.481327 -93.312512 18.523570 -93.159967 18.502448 -92.960486 18.532957 -92.718762 18.669073 -92.430102 18.753560 -92.122666 18.753560 -91.967775 18.711316 -91.956041 18.605709 -91.902064 18.523570 -91.791762 18.502448 -91.615750 18.523570 -91.449124 18.617443 -91.296580 18.690195 -91.329436 18.859167 -91.338823 19.025792 -91.075978 19.131400 -90.876497 19.319147 -90.787317 19.528015 -90.745074 19.746271 -90.634773 19.891775 # -b -89.806340 13.562360 -90.017555 13.703170 -90.259279 13.841634 # -b -90.259279 13.841634 -90.435292 13.895611 -90.766195 13.940201 -90.921087 13.940201 -91.031388 13.940201 -91.329436 13.961322 -91.615750 14.111520 -91.845740 14.303960 -92.078076 14.454158 -92.209499 14.562112 # -b -92.209499 14.562112 -92.244702 14.594968 -92.331534 14.670066 -92.552137 14.808530 -92.695294 14.970461 -92.883041 15.141780 -93.059053 15.301365 -93.202210 15.460950 -93.357101 15.611147 -93.533114 15.770732 -93.765451 15.888074 -93.974319 15.984294 -94.173800 16.059393 -94.370934 16.132145 -94.591537 16.195509 -94.734694 16.207243 -94.922440 16.195509 -94.999886 16.186122 # -b -105.356469 20.044319 -105.333001 19.908202 -105.288411 19.795554 -105.279024 19.753311 -105.112399 19.659438 -105.013832 19.544443 -104.924652 19.450570 -104.847206 19.366083 -104.748639 19.283944 -104.614870 19.178337 -104.516302 19.126706 -104.328556 19.072729 -104.197133 19.072729 -104.119687 19.032833 -104.018773 18.936613 -103.899085 18.833352 -103.744194 18.779375 -103.655014 18.697235 -103.601037 18.654992 -103.565834 18.579894 -103.577568 18.549385 -103.565834 18.528263 -103.500123 18.518876 -103.446146 18.476633 -103.434411 18.413268 -103.389822 18.328782 -103.291255 18.265418 -103.180953 18.244296 -103.115242 18.244296 -103.047184 18.234909 -102.936882 18.171544 -102.838315 18.159810 -102.805460 18.096446 -102.749136 18.087058 -102.695158 18.075324 -102.596591 18.044815 -102.408845 17.990838 -102.253953 17.948595 -102.110796 17.906352 -101.965293 17.896965 -101.887847 17.927474 -101.822136 17.906352 -101.702447 17.842987 -101.568678 17.770236 -101.514700 17.697484 -101.479498 17.643506 -101.470110 17.591876 -101.392665 17.570755 -101.336341 17.516777 -101.216652 17.462800 -101.094617 17.378314 -100.951460 17.326684 -100.939726 17.242198 -100.918604 17.221076 -100.829424 17.167099 -100.763713 17.188220 -100.707389 17.167099 -100.641678 17.115469 -100.552498 17.082613 -100.453931 17.052104 -100.355364 17.019248 -100.188738 16.998127 -100.045582 16.944150 # -b -113.150309 18.150423 -113.159696 18.138689 -113.150309 18.150423 -113.150309 18.129301 -113.150309 18.150423 # -b -155.752407 20.044319 -155.665574 19.980954 -155.564660 19.980954 -155.477827 19.950445 -155.344058 19.898815 -155.233756 19.856572 -155.189167 19.826063 -155.135189 19.762699 -155.090599 19.689947 -155.069478 19.659438 -155.024888 19.638316 -154.980298 19.617195 -154.923974 19.544443 -154.881731 19.481078 -154.813673 19.429448 -154.780817 19.323840 -154.792551 19.283944 -154.869997 19.136094 -154.959177 19.157215 -155.123455 19.168949 -155.257225 19.136094 -155.376913 19.051608 -155.388648 19.042220 -155.487215 18.927225 -155.520070 18.842739 -155.609250 18.769987 -155.743020 18.842739 -155.818118 18.978856 -155.853321 19.126706 -155.886177 19.356696 -155.940154 19.492813 -155.951888 19.617195 -155.841587 19.804942 -155.829853 19.919937 # -b 166.489178 19.366083 166.489178 19.356696 166.500912 19.344962 166.500912 19.323840 166.489178 19.344962 166.489178 19.366083 166.500912 19.323840 166.489178 19.344962 166.489178 19.366083 # -b 166.888140 11.415006 166.920995 11.436128 166.953851 11.436128 167.019562 11.447862 167.064152 11.403272 167.031297 11.370416 166.965585 11.316439 166.920995 11.217872 166.855284 11.142773 166.754370 11.154507 166.700393 11.208485 166.700393 11.295317 166.721514 11.361029 166.787226 11.415006 166.843550 11.415006 166.888140 11.415006 # -b 145.360621 20.013810 145.348887 19.971567 145.316031 19.950445 145.292563 19.992688 # -b 145.888659 18.138689 145.923861 18.171544 145.933249 18.159810 145.900393 18.087058 145.867537 18.075324 145.855803 18.087058 145.855803 18.096446 145.855803 18.108180 145.879272 18.117567 145.879272 18.129301 145.888659 18.129301 145.888659 18.138689 # -b 145.790092 15.017398 145.822948 15.050254 145.822948 14.996276 145.768970 14.975155 145.724380 14.975155 145.712646 15.017398 145.757236 15.050254 145.790092 15.038520 145.790092 15.017398 # -b 144.952272 13.513077 145.006249 13.513077 144.985127 13.449712 144.907682 13.405122 144.895948 13.374613 144.884214 13.287780 144.806768 13.254925 144.752791 13.330024 144.764525 13.374613 144.818502 13.437978 144.874826 13.470834 144.928803 13.513077 144.952272 13.513077 # -b 119.946743 11.891414 120.000721 11.858558 120.057045 11.795193 120.045311 11.741216 120.000721 11.696626 # -b 119.967865 12.227011 120.045311 12.163646 120.101635 12.151912 120.176733 12.163646 120.244791 12.076814 120.254179 12.032224 120.200202 12.032224 120.111022 12.022836 120.012455 12.086201 # -b 120.376214 13.416856 120.355093 13.470834 120.420804 13.480221 120.542840 13.480221 120.697731 13.470834 120.850275 13.470834 120.927721 13.480221 121.028634 13.459099 121.192913 13.416856 121.347804 13.287780 121.425250 13.179826 121.490961 13.168092 121.514429 12.963917 121.502695 12.780864 121.535551 12.682297 121.556672 12.574343 121.490961 12.508631 121.481574 12.367821 121.392394 12.292722 121.225769 12.184768 121.148323 12.325578 121.005166 12.445267 120.927721 12.607198 120.817419 12.823107 120.796298 13.039016 120.697731 13.189213 120.575695 13.254925 120.519371 13.395735 120.432538 13.428591 120.376214 13.416856 # -b 122.253682 18.422656 122.319394 18.371025 122.331128 18.307661 122.263070 18.213787 122.187971 18.011960 122.152768 17.833600 122.152768 17.622385 122.164503 17.441679 122.253682 17.326684 122.340515 17.284441 122.385105 17.188220 122.474285 17.082613 122.474285 16.913641 122.385105 16.690691 122.274804 16.479476 122.230214 16.298770 122.131647 16.106329 122.033080 16.031231 122.009612 16.073474 121.845333 15.977254 121.711563 15.871646 121.612996 15.712061 121.601262 15.552476 121.523817 15.369423 121.404128 15.296671 121.425250 15.134740 121.502695 14.954033 121.591875 14.792102 121.678708 14.695882 121.624731 14.611396 121.634118 14.416608 121.711563 14.266411 121.735032 14.116213 121.845333 14.019993 122.000224 13.890917 122.098791 13.879183 122.241948 13.933160 122.209093 14.008259 122.230214 14.181925 122.286538 14.149069 122.441429 14.287532 122.629176 14.266411 122.716009 14.332122 122.849778 14.287532 122.971814 14.170191 123.058647 13.977750 123.082115 13.804084 123.168948 13.728986 123.279249 13.836940 123.258128 14.029380 123.356695 13.998872 123.413019 13.954282 123.577297 13.912039 123.711067 13.846327 123.842490 13.794697 123.887080 13.707864 123.732188 13.686742 123.589032 13.567054 123.621887 13.428591 123.743923 13.330024 123.854224 13.297168 123.797900 13.158705 123.821368 13.092993 123.908201 13.092993 123.908201 13.081259 123.919935 13.081259 123.931669 13.039016 124.030237 13.017894 124.107682 12.942796 124.107682 12.790251 124.107682 12.607198 124.020849 12.508631 123.887080 12.628320 123.833102 12.769130 123.908201 12.823107 123.964525 12.865350 123.887080 12.888819 123.666477 12.877084 123.478730 13.017894 123.344961 13.060137 123.279249 13.266659 123.168948 13.416856 122.971814 13.513077 122.870900 13.611644 122.838044 13.675008 122.673766 13.836940 122.486019 13.890917 122.507141 13.663274 122.605708 13.459099 122.694887 13.266659 122.694887 13.200948 122.596320 13.212682 122.486019 13.416856 122.319394 13.545932 122.176237 13.696130 122.077670 13.794697 121.922779 13.879183 121.800743 13.912039 121.591875 13.890917 121.490961 13.707864 121.347804 13.621031 121.183526 13.611644 121.094346 13.707864 120.960576 13.740720 120.829153 13.846327 120.730586 13.782963 120.662528 13.944894 120.641407 14.127947 120.697731 14.266411 120.829153 14.395487 120.927721 14.536297 120.918333 14.653639 120.808032 14.738125 120.629672 14.749859 120.608551 14.491707 120.563961 14.407221 120.420804 14.566806 120.322237 14.749859 120.200202 14.759246 120.101635 15.050254 120.057045 15.306059 # -b 119.967865 16.211937 120.134490 16.042965 120.355093 16.106329 120.343359 16.392643 120.322237 16.636714 120.355093 16.901907 120.432538 17.157712 120.432538 17.462800 120.409070 17.676362 120.432538 17.906352 120.474781 18.117567 120.498250 18.295927 120.596817 18.464899 120.718852 18.601015 120.829153 18.579894 121.038022 18.579894 121.270358 18.528263 121.481574 18.401534 121.666974 18.307661 121.878189 18.295927 122.009612 18.338170 122.042467 18.528263 122.176237 18.537651 122.230214 18.476633 122.253682 18.422656 # -b 121.889923 14.996276 121.899310 15.071375 122.000224 15.038520 122.009612 14.921178 122.021346 14.749859 122.021346 14.684147 121.932166 14.663026 121.911044 14.813223 121.889923 14.930565 121.889923 14.996276 122.000224 15.038520 # -b 121.866455 13.320636 121.821865 13.362879 121.821865 13.384001 121.833599 13.503689 121.932166 13.503689 122.021346 13.524811 122.087057 13.470834 122.119913 13.374613 122.098791 13.266659 122.077670 13.200948 121.965022 13.200948 121.889923 13.287780 121.866455 13.320636 # -b 121.988490 12.445267 122.000224 12.508631 122.009612 12.607198 122.098791 12.607198 122.098791 12.412411 122.077670 12.205890 122.021346 12.130791 121.976756 12.238745 121.988490 12.445267 # -b 122.441429 12.445267 122.450817 12.478122 122.474285 12.478122 122.551730 12.466388 122.629176 12.412411 122.662032 12.358434 122.662032 12.304457 122.563465 12.337312 122.450817 12.358434 122.441429 12.445267 # -b 123.004670 13.114115 123.037525 13.135236 123.058647 13.071872 123.103237 13.027282 123.168948 12.942796 123.258128 12.898206 123.290983 12.855963 123.323839 12.801986 123.335573 12.736274 123.302718 12.780864 123.225272 12.790251 123.136092 12.909940 123.058647 12.996773 123.004670 13.060137 123.004670 13.114115 # -b 123.654743 12.628320 123.678211 12.661176 123.699333 12.618932 123.743923 12.508631 123.743923 12.424145 123.722801 12.412411 123.678211 12.520365 123.654743 12.628320 # -b 123.258128 12.562608 123.323839 12.532100 123.344961 12.487510 123.389551 12.466388 123.478730 12.466388 123.589032 12.367821 123.743923 12.250479 123.865958 12.151912 123.985647 12.043958 124.030237 11.924269 124.041971 11.849171 124.041971 11.762338 123.985647 11.783459 123.865958 11.816315 123.711067 11.924269 123.600766 12.109669 123.523320 12.163646 123.389551 12.086201 123.269862 11.968859 123.213538 12.001715 123.246394 12.163646 123.258128 12.238745 123.246394 12.346700 123.258128 12.433533 123.246394 12.508631 123.258128 12.553221 123.258128 12.562608 # -b 124.318897 12.520365 124.318897 12.532100 124.340019 12.532100 124.372874 12.532100 124.483176 12.520365 124.527766 12.508631 124.593477 12.508631 124.781224 12.499244 124.903259 12.553221 125.001826 12.586077 125.112128 12.562608 125.255284 12.478122 125.323343 12.337312 125.475887 12.217624 125.475887 12.151912 125.487621 12.022836 125.466500 11.750603 125.487621 11.567550 125.553333 11.415006 125.597922 11.295317 125.630778 11.208485 125.731692 11.055940 125.630778 11.067674 125.454765 11.055940 125.255284 11.109918 125.177839 11.295317 125.067538 11.337561 124.947849 11.447862 124.936115 11.534695 124.990092 11.675505 124.957236 11.729482 124.804692 11.891414 124.670923 12.011102 124.548887 12.065079 124.429199 12.217624 124.351753 12.391289 124.318897 12.478122 124.318897 12.520365 # -b 121.932166 11.870292 121.976756 11.891414 122.042467 11.870292 122.143381 11.849171 122.230214 11.795193 122.375718 11.684892 122.417961 11.576938 122.528262 11.555816 122.706622 11.544082 122.826310 11.544082 122.861513 11.480717 123.025791 11.522960 123.091503 11.511226 123.103237 11.295317 123.037525 11.088796 122.894368 11.001963 122.748865 10.816563 122.605708 10.708609 122.518875 10.664019 122.363984 10.642897 122.143381 10.556064 122.009612 10.391786 121.955634 10.598307 121.955634 10.828297 122.009612 11.067674 122.033080 11.316439 122.054201 11.567550 122.033080 11.675505 121.932166 11.771725 121.932166 11.870292 # -b 122.650298 10.664019 122.694887 10.642897 122.694887 10.565452 122.683153 10.490353 122.605708 10.434029 122.551730 10.434029 122.551730 10.556064 122.584586 10.631163 122.650298 10.664019 # -b 122.960080 10.828297 123.025791 10.882274 123.147827 10.957373 123.213538 10.924518 123.323839 10.915130 123.499852 10.870540 123.511586 10.717996 123.478730 10.499740 123.389551 10.424642 123.368429 10.215773 # -b 122.563465 9.964662 122.760599 10.042108 122.826310 10.194652 122.826310 10.499740 122.894368 10.664019 122.927224 10.783707 122.960080 10.828297 # -b 124.405730 11.654383 124.417464 11.717748 124.471442 11.684892 124.527766 11.654383 124.548887 11.576938 124.581743 11.534695 124.516031 11.490105 124.483176 11.490105 124.438586 11.576938 124.405730 11.654383 # -b 124.318897 11.490105 124.318897 11.501839 124.361140 11.403272 124.429199 11.337561 124.516031 11.382150 124.605211 11.328173 124.748368 11.349295 124.858669 11.349295 124.990092 11.163895 125.001826 10.957373 125.001826 10.717996 125.091006 10.556064 125.177839 10.337809 125.245897 10.239242 125.123862 10.185264 125.013560 10.227507 124.990092 10.030373 124.858669 10.074963 124.769490 10.260363 124.760102 10.490353 124.769490 10.717996 124.670923 10.924518 124.548887 10.882274 124.471442 10.870540 124.417464 11.077062 124.384609 11.304705 124.340019 11.382150 124.318897 11.480717 124.318897 11.490105 # -b 125.553333 10.161796 125.543945 10.185264 125.543945 10.304953 125.621391 10.466885 125.675368 10.380052 125.687102 10.161796 # -b 125.654246 9.943540 125.586188 10.042108 125.553333 10.161796 # -b 123.997381 11.217872 124.041971 11.241340 124.053705 11.163895 124.030237 11.055940 124.041971 10.849419 124.041971 10.642897 124.020849 10.391786 123.943404 10.314340 123.797900 10.206386 123.699333 10.020986 # -b 123.368429 9.856708 123.434140 10.042108 123.499852 10.206386 123.589032 10.337809 123.687599 10.511475 123.776778 10.717996 123.833102 10.858806 123.887080 11.011350 123.931669 11.163895 123.997381 11.217872 # -b 123.985647 9.955275 124.074826 10.074963 124.206249 10.161796 124.307163 10.119553 124.429199 10.074963 124.572355 10.119553 124.572355 10.020986 # -b 110.883266 20.034931 110.948978 19.814329 110.958365 19.680559 110.782352 19.523321 110.650929 19.283944 110.550016 19.105585 110.496038 18.915491 110.451449 18.800496 110.308292 18.697235 110.141666 18.537651 110.064221 18.455511 # -b 119.449214 11.337561 119.503192 11.382150 119.526660 11.349295 119.526660 11.217872 119.538394 11.109918 119.571250 11.044206 119.514926 10.947986 119.526660 10.804829 119.571250 10.664019 119.604106 10.544330 119.559516 10.424642 119.392890 10.314340 119.282589 10.152409 119.130045 10.009252 # -b 118.510480 9.844973 118.665371 10.030373 118.763939 10.086697 118.874240 10.260363 119.019744 10.370664 119.151166 10.424642 119.216878 10.532596 119.282589 10.664019 119.273202 10.771973 119.273202 10.849419 119.317792 10.762586 119.383503 10.816563 119.360035 10.882274 119.282589 10.947986 119.327179 11.001963 119.383503 11.142773 119.404625 11.295317 119.449214 11.337561 # -b 119.878685 11.924269 119.890419 11.924269 119.946743 11.891414 # -b 120.000721 11.696626 119.946743 11.741216 119.913888 11.816315 119.878685 11.882026 119.878685 11.924269 # -b 119.913888 12.292722 119.890419 12.283335 119.967865 12.227011 # -b 120.012455 12.086201 119.946743 12.250479 119.913888 12.292722 # -b 120.057045 15.306059 119.988986 15.465643 119.923275 15.712061 119.857564 15.892767 119.803586 16.202550 119.812974 16.265914 119.967865 16.211937 # -b 102.988513 11.642649 102.833622 11.717748 102.779644 11.828049 102.690465 12.065079 102.601285 12.119057 102.568429 12.076814 102.469862 12.151912 102.336093 12.205890 102.216404 12.367821 102.082634 12.466388 101.894888 12.640054 101.707141 12.682297 101.531128 12.649441 101.343381 12.670563 101.101657 12.682297 101.000743 12.670563 101.057067 12.607198 100.979622 12.618932 100.923298 12.748008 100.935032 12.985039 100.946766 13.179826 100.967888 13.384001 100.913911 13.480221 100.714430 13.534198 100.526683 13.557667 100.350670 13.534198 100.240369 13.534198 100.008032 13.449712 100.052622 13.243191 100.073744 13.039016 100.029154 12.769130 # -b 104.490487 10.466885 104.389573 10.490353 104.335596 10.544330 104.237029 10.598307 104.091525 10.610042 103.927247 10.631163 103.784090 10.556064 103.605730 10.565452 103.605730 10.762586 103.694910 10.882274 103.662054 11.055940 103.551753 11.121652 103.462573 11.077062 103.375741 10.924518 103.209115 10.891662 103.131670 11.109918 103.054224 11.349295 103.054224 11.403272 103.122282 11.337561 103.110548 11.424393 103.033103 11.534695 102.955657 11.609793 102.955657 11.675505 102.955657 11.663771 102.988513 11.642649 # -b 107.050884 17.030983 107.128330 16.967618 107.262100 16.796299 107.426378 16.681304 107.581269 16.542841 107.712692 16.350400 107.912173 16.308157 108.022474 16.298770 108.099920 16.190816 108.123388 16.148573 108.123388 16.115717 108.132775 16.064086 108.243077 16.073474 108.243077 16.139185 108.254811 16.139185 108.254811 16.085208 108.287667 15.892767 108.397968 15.721449 108.564593 15.573598 108.684282 15.456256 108.806317 15.327180 108.872028 15.092497 108.961208 14.857813 109.038654 14.632517 109.104365 14.407221 109.137221 14.149069 109.170077 13.900304 109.202932 13.836940 109.202932 13.815818 109.202932 13.663274 109.238135 13.534198 109.226401 13.437978 109.226401 13.320636 109.247522 13.179826 109.247522 13.039016 109.315580 12.996773 109.336702 12.834841 109.348436 12.682297 109.348436 12.640054 109.348436 12.703419 109.270990 12.726887 109.202932 12.628320 109.214666 12.499244 109.214666 12.424145 109.148955 12.478122 109.127833 12.412411 109.170077 12.227011 109.202932 12.001715 109.202932 11.914882 109.160689 11.924269 109.127833 11.858558 109.181811 11.795193 109.170077 11.684892 109.116099 11.654383 109.059775 11.598059 109.038654 11.436128 108.994064 11.328173 108.827439 11.316439 108.707750 11.196750 108.573980 11.142773 108.275932 11.001963 108.144510 10.936252 108.001353 10.739118 107.891051 10.717996 107.745548 10.664019 107.569535 10.565452 107.438112 10.478619 107.304343 10.401173 107.172920 10.412907 107.050884 10.466885 106.895993 10.434029 106.797426 10.401173 106.741102 10.281485 106.675391 10.227507 106.698859 10.074963 106.630801 10.086697 # -b 106.609679 9.988130 106.499378 10.009252 # -b 104.997404 9.868442 105.063115 10.030373 104.952814 10.140675 104.809657 10.194652 104.621910 10.260363 104.490487 10.466885 # -b 106.168474 20.053706 105.968993 19.877694 105.858692 19.647704 105.760125 19.417714 105.727269 19.199458 105.659211 19.032833 105.626355 18.800496 105.727269 18.579894 105.891548 18.413268 106.091029 18.234909 106.299897 18.108180 106.400811 17.854722 106.433667 17.634119 106.642535 17.474534 106.797426 17.284441 106.961705 17.167099 107.050884 17.030983 # -b 110.064221 18.455511 109.855352 18.401534 109.756785 18.265418 109.712195 18.192666 109.613628 18.213787 109.524449 18.274805 109.369558 18.317048 109.160689 18.380413 108.839173 18.464899 108.684282 18.676114 108.663160 18.957734 108.651426 19.126706 108.651426 19.302719 108.761727 19.387205 108.994064 19.617195 109.170077 19.741577 109.193545 19.804942 109.315580 19.887081 109.536183 19.980954 109.723930 19.992688 109.932798 19.992688 # -b 104.004692 10.445763 104.091525 10.347196 104.103259 10.206386 104.082138 10.107819 103.981224 10.215773 103.927247 10.326075 103.927247 10.391786 104.004692 10.445763 # -b 98.571769 10.173530 98.538913 10.314340 98.562382 10.544330 98.628093 10.783707 98.804106 11.217872 98.804106 11.415006 98.848696 11.576938 98.869817 11.729482 98.792372 11.771725 98.672683 11.837436 98.538913 11.936003 98.562382 12.065079 98.717273 12.032224 98.682070 12.217624 98.717273 12.466388 98.682070 12.694031 98.639827 12.942796 98.571769 13.092993 98.428612 13.416856 98.351167 13.750107 98.273721 13.686742 98.229131 13.611644 98.142298 13.890917 98.053119 14.308654 97.942817 14.587927 97.844250 14.954033 97.766805 15.390545 97.733949 15.754304 97.701093 16.064086 97.710481 16.211937 97.710481 16.413765 97.701093 16.413765 97.710481 16.425499 97.710481 16.509985 97.579058 16.542841 97.358455 16.648448 97.182443 16.796299 97.036939 16.955884 96.917250 16.901907 96.828071 17.242198 96.738891 17.432291 96.738891 17.094347 96.652058 16.702426 96.398600 16.552228 96.121673 16.425499 95.922192 16.254180 95.725058 16.127451 95.546699 15.977254 95.358952 15.766038 95.272119 15.838790 95.150083 15.829403 95.060904 15.925623 94.941215 15.754304 94.762856 15.838790 94.575109 15.904502 94.488276 15.977254 94.553987 16.127451 94.377975 16.010109 94.267673 16.052352 94.267673 16.073474 94.267673 16.031231 94.288795 16.169694 94.312263 16.362135 94.387362 16.606205 94.443686 16.892519 94.553987 17.178833 94.553987 17.537899 94.500010 17.803091 94.464808 18.065937 94.387362 18.202053 94.377975 18.328782 94.267673 18.537651 94.145638 18.727744 94.002481 18.936613 93.936770 19.126706 93.880446 18.906104 93.680965 19.011711 93.561276 19.241701 93.615253 19.387205 93.824122 19.302719 93.791266 19.398939 93.648109 19.492813 93.704433 19.596073 93.680965 19.701681 93.472096 19.804942 # -b 98.639827 9.964662 98.571769 10.173530 # -b 100.029154 12.769130 99.984564 12.454654 99.963442 12.163646 99.808551 11.914882 99.677128 11.654383 99.576215 11.349295 99.522237 11.175629 99.522237 10.978495 99.433058 10.795442 99.346225 10.717996 99.322756 10.532596 99.224189 10.370664 99.191334 10.260363 99.191334 10.009252 # -b 98.527179 11.804581 98.550648 11.771725 98.484936 11.828049 98.339432 11.588672 98.494324 11.555816 98.571769 11.576938 98.595237 11.717748 98.527179 11.804581 # -b 98.339432 11.762338 98.306577 11.741216 98.285455 11.588672 98.273721 11.490105 98.339432 11.588672 98.374635 11.771725 98.339432 11.762338 # -b 98.374635 12.670563 98.362901 12.628320 98.362901 12.424145 98.384022 12.358434 98.461468 12.424145 98.374635 12.670563 # -b 92.929977 13.524811 92.965180 13.567054 92.897122 13.470834 92.843145 13.287780 92.786820 13.081259 92.721109 12.682297 92.699988 12.487510 92.709375 12.337312 92.709375 12.227011 92.667132 12.097935 92.610808 11.978246 92.556831 11.891414 92.566218 11.708360 92.577952 11.642649 92.667132 11.534695 92.753965 11.567550 92.721109 11.684892 92.753965 11.914882 92.777433 12.076814 92.843145 12.259867 92.843145 12.379555 92.897122 12.541487 92.941712 12.790251 92.897122 12.909940 92.897122 13.027282 92.986301 13.092993 92.998036 13.254925 93.007423 13.362879 93.007423 13.524811 92.929977 13.524811 # -b 86.572401 20.199210 86.274353 19.941058 86.042016 19.847185 85.732234 19.762699 85.457654 19.617195 85.168994 19.459957 84.939004 19.283944 84.694933 19.011711 84.497799 18.769987 84.298318 18.528263 84.110571 18.359291 84.065981 18.349904 84.021391 18.286539 83.821910 18.171544 83.559065 17.981451 83.326728 17.727993 83.005212 17.516777 82.564007 17.167099 82.322283 17.009861 82.211981 16.838542 82.211981 16.636714 82.101680 16.500598 81.747308 16.371522 81.669862 16.341013 81.428138 16.308157 81.195802 16.244793 81.162946 16.223671 81.073766 16.010109 80.942344 15.787160 80.799187 15.721449 80.620827 15.817669 80.456549 15.808281 80.278189 15.712061 80.125645 15.465643 # -b 79.980141 14.888322 80.015344 14.674760 80.036465 14.632517 80.069321 14.587927 80.081055 14.587927 80.092789 14.545684 80.092789 14.374365 80.048199 14.257023 80.036465 14.181925 80.069321 14.019993 80.113911 13.869796 80.146766 13.717251 80.167888 13.621031 80.113911 13.686742 80.057587 13.621031 80.113911 13.578788 80.135032 13.491955 80.235946 13.405122 80.268802 13.233803 80.268802 13.158705 80.245334 13.017894 80.224212 12.963917 80.167888 12.757396 80.102177 12.532100 80.003610 12.271601 # -b 73.577975 15.754304 73.512264 15.871646 73.446552 15.935011 73.411350 16.031231 73.401962 16.127451 73.345638 16.169694 73.247071 16.362135 73.202481 16.509985 73.181360 16.732934 73.169626 16.880785 73.148504 17.030983 73.103914 17.145977 73.103914 17.314950 73.047590 17.432291 72.981879 17.634119 72.916167 17.824213 72.904433 17.885231 72.883312 17.885231 72.859843 18.033081 72.850456 18.192666 72.859843 18.253684 72.826988 18.286539 72.761276 18.401534 72.761276 18.497754 72.794132 18.748866 72.826988 18.842739 72.826988 18.906104 72.859843 18.969468 72.850456 19.084463 72.815254 19.147828 72.749542 19.105585 72.695565 19.042220 72.695565 19.105585 72.695565 19.199458 72.683831 19.323840 72.639241 19.398939 72.627507 19.513934 72.594651 19.617195 72.585264 19.701681 72.585264 19.887081 72.594651 19.950445 # -b 73.610831 15.744917 73.643686 15.712061 73.676542 15.573598 73.709398 15.486765 73.753988 15.456256 73.810312 15.510233 73.899491 15.498499 73.887757 15.465643 73.831433 15.402279 73.819699 15.317793 73.864289 15.209838 73.887757 15.092497 73.920613 15.005664 73.941734 14.954033 # -b 80.125645 15.465643 79.980141 15.284937 79.970754 15.146474 79.980141 14.888322 # -b 80.003610 12.271601 79.914430 12.086201 79.794741 11.828049 79.750151 11.630915 79.738417 11.403272 79.738417 11.109918 79.750151 10.957373 79.759539 10.771973 79.783007 10.586573 79.783007 10.466885 79.783007 10.347196 79.783007 10.337809 79.783007 10.272097 79.726683 10.272097 79.595260 10.272097 79.529549 10.337809 79.473225 10.337809 79.285478 10.293219 79.186911 10.096085 # -b 76.337853 9.746406 76.117251 10.260363 75.941238 10.685140 75.819203 11.142773 75.697167 11.490105 75.631456 11.567550 75.377998 11.882026 75.190251 12.043958 75.047094 12.283335 75.035360 12.292722 75.035360 12.379555 74.969648 12.553221 74.814757 13.050750 74.737312 13.395735 74.704456 13.588175 74.594155 13.846327 74.460385 14.019993 74.406408 14.278145 74.317228 14.470585 74.230395 14.663026 74.096626 14.728737 73.941734 14.954033 # -b 49.905449 11.497145 50.137786 11.539388 50.325533 11.682545 50.480424 11.931310 50.623581 11.898454 50.656436 11.964165 50.665824 11.964165 50.799593 11.910188 50.921629 11.898454 50.975606 11.877333 51.097641 11.823355 51.151618 11.659077 51.053051 11.530001 51.008462 11.302358 51.031930 11.192057 51.085907 11.018391 51.085907 10.769626 51.085907 10.593614 51.064786 10.485659 51.175087 10.495047 51.261920 10.398826 51.118763 10.387092 50.931016 10.333115 50.832449 10.159449 # -b 54.404332 12.569649 54.514633 12.560262 54.493512 12.503938 54.359742 12.374862 54.195464 12.342006 54.007717 12.255173 53.819970 12.288029 53.587633 12.332619 53.411621 12.461695 53.479679 12.656482 53.587633 12.689338 53.688547 12.602505 53.730790 12.569649 53.775380 12.569649 53.885681 12.569649 54.040573 12.635360 54.216585 12.602505 54.404332 12.569649 # -b 57.689901 20.070134 57.701635 19.945752 57.689901 19.830757 57.668780 19.736883 57.668780 19.621889 57.668780 19.570258 57.678167 19.518628 57.689901 19.403633 57.734491 19.319147 57.788468 19.140787 57.722757 19.037527 57.579600 18.995284 57.448177 18.995284 57.227575 18.953041 57.117273 18.983549 57.051562 18.901410 56.896671 18.859167 56.720658 18.732438 56.619744 18.532957 56.598623 18.375719 56.544646 18.185625 56.389754 17.995532 56.234863 17.922780 56.070585 17.932167 55.882838 17.901658 55.716213 17.871150 55.540200 17.838294 55.451020 17.744420 55.364188 17.638813 55.253886 17.542593 55.242152 17.448719 55.265620 17.310256 55.131851 17.108428 54.976960 17.002821 54.922983 16.939456 54.791560 16.951190 54.646056 16.993433 54.470043 17.023942 54.294031 17.014555 54.096897 17.002821 53.942005 16.887826 53.697935 16.791605 53.489066 16.770484 53.223874 16.685998 53.003271 16.610899 52.806137 16.526413 52.618390 16.430193 52.442378 16.312851 52.308608 16.165000 52.242897 15.984294 52.198307 15.909195 52.254631 15.770732 52.275752 15.632269 52.177185 15.568904 52.034028 15.590026 51.923727 15.536049 51.768836 15.493806 51.649148 15.460950 51.494256 15.280244 51.240798 15.193411 51.020196 15.172289 50.787859 15.108925 50.600112 15.012704 50.391244 14.958727 50.226965 14.883628 50.048606 14.820264 # -b 39.994764 15.301365 40.093331 15.097190 40.215367 15.000970 40.379645 15.000970 40.567392 14.946993 40.677693 14.862507 40.701162 14.766287 40.865440 14.724044 41.086043 14.658332 41.262055 14.552725 41.395825 14.369671 41.494392 14.228861 41.592959 14.090398 41.726729 13.928466 41.935597 13.799391 42.067020 13.691436 42.165587 13.606950 42.275888 13.498996 42.386189 13.325330 42.487103 13.229110 42.630260 13.130543 42.740561 12.980345 42.806273 12.851269 43.038609 12.806679 # -b 43.038609 12.806679 43.059731 12.797292 43.125442 12.698725 43.224009 12.527406 43.334311 12.386596 43.411756 12.180074 43.402369 12.060386 43.181766 11.898454 43.003407 11.769378 42.818007 11.682545 42.740561 11.605100 42.630260 11.539388 42.630260 11.443168 42.782804 11.485411 42.970551 11.530001 43.104321 11.539388 43.224009 11.452555 # -b 43.224009 11.452555 43.202888 11.497145 43.235744 11.452555 43.390635 11.356335 43.545526 11.182669 43.665214 10.985535 43.831840 10.769626 44.040708 10.551371 44.294166 10.419948 44.690781 10.333115 44.955974 10.365971 45.242288 10.539637 45.462890 10.671059 45.627169 10.779014 45.760938 10.856459 46.014396 10.779014 46.288976 10.692181 46.697325 10.680447 46.941396 10.877581 47.237097 11.149814 47.415457 11.248381 47.722892 11.149814 48.032675 11.116958 48.208687 11.126345 48.208687 10.779014 48.551325 11.269502 48.736725 11.236647 49.001917 11.248381 49.267110 11.290624 49.443122 11.377457 49.708315 11.464290 49.905449 11.497145 # -b 42.684237 16.409071 42.672503 16.463048 42.639647 16.526413 42.639647 16.622633 42.639647 16.695385 42.585670 16.779871 42.541080 16.854970 42.508225 16.918334 42.463635 17.002821 42.419045 17.066185 42.353334 17.108428 42.308744 17.174139 42.275888 17.216383 42.266501 17.237504 42.266501 17.258626 42.233645 17.385355 42.198442 17.521471 42.144465 17.584836 42.034164 17.669322 41.869886 17.828906 41.714994 17.901658 41.625815 17.995532 41.506126 18.155117 41.438068 18.260724 41.428681 18.270111 41.384091 18.375719 41.294911 18.544691 41.229200 18.659686 41.196344 18.690195 41.151754 18.711316 41.118898 18.762947 41.107164 18.838046 41.097777 18.859167 41.064921 18.962428 41.053187 19.161909 40.987476 19.319147 40.919417 19.413020 40.877174 19.497506 40.820850 19.549137 40.743405 19.612501 40.689427 19.725149 40.611982 19.788514 40.546271 19.882387 40.457091 19.997382 # -b 43.468080 12.698725 43.456346 12.764436 43.444612 12.839535 43.411756 12.905246 43.402369 12.947489 43.390635 12.959224 43.346045 13.001467 43.292068 13.088300 43.214622 13.175132 43.214622 13.283087 43.214622 13.337064 43.214622 13.520117 43.214622 13.649193 43.191154 13.811125 43.092587 13.907345 43.038609 14.036421 43.003407 14.198353 42.970551 14.327428 42.961164 14.444770 42.949430 14.529256 42.949430 14.552725 42.937696 14.658332 42.928308 14.700575 42.883718 14.799142 42.827394 14.883628 42.827394 14.979849 42.827394 15.033826 42.782804 15.097190 42.740561 15.162902 42.672503 15.247388 42.618526 15.289631 42.663116 15.334221 42.707706 15.322487 42.707706 15.385851 42.672503 15.460950 42.672503 15.620535 42.639647 15.716755 42.663116 15.749611 42.749949 15.812975 42.773417 15.888074 42.773417 16.014803 42.749949 16.174388 42.717093 16.366828 42.684237 16.409071 # -b 50.048606 14.820264 49.917183 14.799142 49.752905 14.775674 49.598014 14.754552 49.365677 14.648945 49.189664 14.583233 49.067629 14.498747 49.001917 14.369671 48.903350 14.240596 48.760193 14.090398 48.560712 13.940201 48.396434 13.940201 48.220421 13.961322 48.020940 13.949588 47.844928 13.940201 47.668915 13.832246 47.600857 13.790003 47.568001 13.712558 47.457700 13.628072 47.260566 13.520117 47.072819 13.475527 46.896806 13.433284 46.687938 13.369920 46.488457 13.391041 46.422746 13.412163 46.288976 13.412163 46.169287 13.391041 45.981541 13.391041 45.772672 13.379307 45.584926 13.250231 45.484012 13.046056 45.275143 12.947489 45.066275 12.860657 44.890262 12.743315 44.714250 12.731581 44.449057 12.743315 44.183865 12.656482 44.061830 12.668216 43.885817 12.623626 43.730926 12.710459 43.468080 12.698725 # -b 37.183256 20.152273 37.183256 19.861266 37.204377 19.673519 37.227846 19.455263 37.281823 19.204152 37.347534 18.931919 37.448448 18.784068 37.568137 18.711316 37.711294 18.659686 37.821595 18.605709 37.955365 18.575200 38.065666 18.481327 38.131377 18.302967 38.152499 18.270111 38.253413 18.302967 38.307390 18.248990 38.396570 18.248990 38.417691 18.155117 38.450547 18.091752 # -b 38.450547 18.091752 38.516258 18.091752 38.593704 17.995532 38.715739 17.765542 38.858896 17.521471 38.948076 17.268013 39.013787 16.981699 39.124088 16.737628 39.178066 16.409071 39.234390 16.122757 39.300101 15.876340 39.410402 15.695633 39.487848 15.536049 39.663861 15.289631 39.774162 15.108925 39.807017 15.226266 39.807017 15.397585 39.884463 15.514927 39.994764 15.301365 # -b 13.611644 14.411915 13.665621 14.294573 13.754801 14.198353 13.886223 14.123254 13.996525 13.982444 14.029380 13.757148 14.062236 13.595216 14.172537 13.583482 14.372018 13.541239 14.592621 13.574094 14.712309 13.508383 14.846079 13.475527 14.977502 13.520117 15.043213 13.423897 15.120659 13.261965 15.066682 13.175132 15.033826 13.034322 14.857813 12.893512 14.580887 12.818413 # -b 13.611644 14.411915 13.588175 14.348550 13.501342 14.336816 13.215029 14.327428 13.092993 14.249983 13.015548 14.123254 13.015548 14.024687 13.069525 13.919079 13.170439 13.712558 # -b 13.170439 13.712558 13.236150 13.649193 13.290127 13.498996 13.423897 13.315943 13.632765 13.207988 13.731332 13.067178 13.787656 12.893512 13.874489 12.668216 14.008259 12.482816 # -b 14.008259 12.482816 14.052849 12.515672 14.139682 12.536793 14.228861 12.644748 14.306307 12.764436 14.449464 12.806679 14.569152 12.806679 # -b -10.039761 29.387069 -9.950581 29.560735 -9.917725 29.598285 # -b -9.917725 29.598285 -9.894257 29.638181 -9.819158 29.753176 -9.729978 29.849396 # -b -16.179081 28.553943 -16.244793 28.563330 -16.411418 28.448335 -16.599165 28.368543 -16.796299 28.321606 -16.754056 28.145594 -16.599165 28.009477 -16.411418 28.077535 -16.345707 28.300485 -16.169694 28.417827 -16.101636 28.495272 -16.125104 28.535168 -16.179081 28.553943 # -b -15.606454 28.145594 -15.660431 28.077535 -15.737876 27.939072 -15.737876 27.852239 -15.728489 27.763060 -15.651043 27.713776 -15.496152 27.725510 -15.385851 27.772447 -15.341261 27.831118 -15.320140 27.892136 -15.320140 28.037639 -15.364730 28.086923 -15.517274 28.124472 -15.606454 28.145594 # -b -13.808778 28.690059 -13.820512 28.718221 -13.909692 28.708834 -13.996525 28.572718 -14.052849 28.448335 -14.139682 28.340381 -14.196006 28.241814 -14.184272 28.154981 -14.315694 28.077535 -14.196006 28.115085 -13.963669 28.204265 -13.865102 28.309872 -13.808778 28.436601 -13.808778 28.553943 -13.808778 28.690059 # -b -13.379307 29.185242 -13.445018 29.194629 -13.489608 29.117183 -13.578788 29.086675 -13.689089 29.030351 -13.754801 28.952905 -13.775922 28.863725 -13.698477 28.884847 -13.578788 28.913009 -13.501342 28.962292 -13.433284 29.049125 -13.379307 29.185242 # -b -16.202550 19.934018 -16.202550 20.091256 -16.157960 20.194516 -16.146226 20.236759 -16.157960 20.318899 -16.223671 20.443281 -16.322238 20.588785 -16.399684 20.682658 -16.432540 20.619293 -16.500598 20.579397 -16.587431 20.807040 -16.643755 20.910301 -16.709466 21.004174 -16.742322 21.065192 -16.763443 21.116822 -16.775178 21.116822 -16.918334 21.022949 # -b -16.918334 21.022949 -16.930069 21.095701 -16.930069 21.198962 -16.897213 21.417217 -16.864357 21.600271 -16.840889 21.827914 -16.754056 22.013314 -16.643755 22.269119 -16.423152 22.372379 -16.312851 22.576554 -16.190816 22.841746 -16.047659 23.045921 -16.092248 23.189078 -15.981947 23.341622 -15.737876 23.677220 -15.672165 23.787521 -15.660431 23.857926 -15.618188 23.979961 -15.540742 24.090263 -15.397585 24.242807 -15.209838 24.435247 -14.989236 24.655850 -14.867201 24.857678 -14.724044 25.068893 -14.679454 25.357554 -14.503441 25.756516 -14.404874 26.106194 -14.196006 26.345571 -14.118560 26.444138 -13.754801 26.601376 -13.445018 26.819632 -13.346451 27.115333 -13.203294 27.380525 -13.036669 27.645718 -12.938102 27.734898 # -b -12.938102 27.734898 -12.905246 27.821730 -12.860657 27.920298 -12.684644 27.969581 -12.452307 27.969581 -12.100282 28.047027 -11.846824 28.145594 -11.560510 28.232427 -11.361029 28.380277 -11.163895 28.572718 -10.898702 28.758118 -10.588920 28.875459 -10.380052 29.039738 -10.314340 29.135958 -10.236895 29.173507 # -b -10.236895 29.173507 -10.138328 29.250953 -10.039761 29.387069 # -b -78.076858 26.819632 -78.109714 26.829019 -78.086245 26.779736 -78.053390 26.779736 -77.966557 26.711677 -77.933701 26.573214 -78.011147 26.650660 -78.130835 26.711677 -78.273992 26.699943 -78.473473 26.631885 -78.694076 26.573214 -78.935800 26.582602 -79.001511 26.699943 -78.870088 26.699943 -78.726931 26.721065 -78.506329 26.800857 -78.339703 26.850141 -78.187159 26.850141 -78.076858 26.819632 # -b -77.128737 26.345571 -77.095881 26.561480 -77.095881 26.512196 -77.095881 26.404242 -77.138124 26.293941 -77.203835 26.164865 -77.248425 25.916100 -77.370461 26.085072 -77.325871 26.124969 -77.304749 26.195374 -77.314136 26.315062 -77.260159 26.484034 -77.239038 26.561480 -77.203835 26.582602 -77.138124 26.462913 -77.128737 26.345571 # -b -77.382195 25.038384 -77.325871 25.087668 -77.325871 25.108789 -77.403316 25.108789 -77.534739 25.097055 -77.558207 25.026650 -77.382195 25.038384 # -b -78.109714 25.078280 -78.065124 25.068893 -78.044002 24.977366 -77.943088 24.857678 -77.844521 24.735642 -77.832787 24.594832 -77.844521 24.505652 -77.865643 24.435247 -77.954822 24.374230 -78.086245 24.362495 -78.142569 24.414126 -78.220015 24.505652 -78.374906 24.594832 -78.407762 24.726255 -78.374906 24.827169 -78.318582 24.967979 -78.297460 25.097055 -78.306848 25.188581 -78.229402 25.197969 -78.154303 25.207356 -78.109714 25.078280 # -b -77.790544 24.313212 -77.778810 24.322599 -77.844521 24.252194 -77.921967 24.151280 -77.910233 24.080875 -77.790544 24.141893 -77.701364 24.282703 -77.790544 24.313212 # -b -77.832787 24.010470 -77.680243 24.212298 -77.645040 24.059754 -77.612185 23.869660 -77.645040 23.787521 -77.778810 23.839151 -77.832787 24.010470 # -b -76.246327 25.197969 -76.246327 25.258986 -76.222858 25.207356 -76.201737 25.127564 -76.201737 25.038384 -76.201737 24.946857 -76.213471 24.806047 -76.213471 24.695746 -76.333159 24.787273 -76.368362 24.906961 -76.300304 24.967979 -76.279182 25.108789 -76.246327 25.197969 # -b -75.441362 24.343721 -75.385038 24.353108 -75.363916 24.273316 -75.342795 24.172402 -75.417894 24.151280 -75.528195 24.181789 -75.485952 24.313212 -75.551663 24.423513 -75.629109 24.545549 -75.748797 24.686359 -75.805121 24.766151 -75.727676 24.756764 -75.638496 24.665237 -75.572785 24.564323 -75.495339 24.435247 -75.441362 24.343721 # -b -74.526096 24.163014 -74.580074 24.080875 -74.591808 24.001083 -74.481506 24.010470 -74.427529 24.163014 -74.514362 24.163014 # -b -75.298205 23.595080 -75.265349 23.543450 -75.220760 23.433149 -75.176170 23.289992 -75.122192 23.198465 -75.000157 23.158569 -74.922711 22.994291 -74.922711 22.914498 -74.988423 23.036534 -75.131580 23.116326 -75.187904 23.250096 -75.209025 23.360397 -75.220760 23.463658 -75.298205 23.595080 # -b -74.096626 22.658693 -74.096626 22.710324 -74.096626 22.719711 -74.096626 22.729098 -74.096626 22.710324 -74.129481 22.729098 -74.174071 22.729098 -74.249170 22.719711 -74.317228 22.729098 -74.404061 22.790116 -74.415795 22.832359 -74.382939 22.872255 -74.272638 22.832359 -74.150603 22.750220 -74.019180 22.750220 -73.953469 22.689202 -73.941734 22.534311 -74.084891 22.360645 -74.260904 22.229222 -74.305494 22.330136 -74.174071 22.454519 -74.063770 22.576554 -74.096626 22.658693 # -b -72.773011 22.341870 -72.826988 22.433397 -72.972491 22.442784 -73.148504 22.372379 -72.981879 22.391154 -72.862190 22.341870 -72.773011 22.341870 # -b -72.221504 21.971070 -72.099469 22.034435 -72.012636 21.961683 -71.890601 21.910053 -71.759178 21.849035 -71.604287 21.755162 -71.583165 21.724653 -71.702854 21.745774 -71.902335 21.879544 -72.057226 21.931174 -72.242626 21.818526 -72.376395 21.806792 -72.331806 21.888931 -72.221504 21.971070 # -b -73.047590 21.396096 -73.071059 21.396096 -73.071059 21.229471 -73.103914 21.086314 -73.235337 21.004174 -73.455940 20.971319 -73.655421 20.961931 -73.643686 21.168453 -73.455940 21.250592 -73.291661 21.198962 -73.148504 21.302222 -73.047590 21.396096 # -b -80.071668 22.933273 -79.907389 22.811237 -79.785354 22.771341 -79.663318 22.637572 -79.499040 22.485027 -79.355883 22.421663 -79.200992 22.402888 -79.046101 22.454519 -78.881822 22.402888 -78.780908 22.341870 -78.715197 22.421663 -78.583774 22.320749 -78.771521 22.360645 -78.703463 22.330136 -78.506329 22.229222 -78.374906 22.186979 -78.208281 22.074331 -78.097979 21.971070 -78.011147 21.879544 -77.943088 21.867810 -77.778810 21.827914 -77.656774 21.827914 -77.534739 21.736387 -77.436172 21.694144 -77.403316 21.755162 -77.304749 21.684757 -77.194448 21.600271 -77.084147 21.539253 -77.006701 21.457114 -76.917521 21.396096 -76.764977 21.332731 -76.687532 21.271714 -76.621820 21.241205 -76.598352 21.271714 -76.488051 21.271714 -76.290916 21.168453 -76.091435 21.126210 -75.915423 21.137944 -75.772266 21.137944 -75.706554 21.055805 -75.715942 20.961931 -75.793387 20.858671 -75.748797 20.764797 -75.629109 20.713167 -75.495339 20.755410 -75.319327 20.755410 -75.077603 20.755410 -74.857000 20.682658 -74.791289 20.567663 -74.690375 20.485524 -74.526096 20.361142 -74.371205 20.349407 -74.260904 20.340020 -74.206927 20.267268 -74.228048 20.152273 -74.394674 20.131152 -74.603542 20.091256 -74.955567 20.006769 # -b -77.656774 19.840144 -77.713098 20.006769 -77.403316 20.267268 -77.149858 20.494911 -77.227304 20.631028 -77.501883 20.713167 -77.778810 20.703780 -78.020534 20.722554 -78.229402 20.837549 -78.450005 20.961931 -78.518063 21.147331 -78.593162 21.365587 -78.715197 21.569762 -78.947534 21.612005 -79.245582 21.569762 -79.475572 21.612005 -79.729030 21.694144 -79.928511 21.694144 # -b -78.053390 22.290240 -78.163691 22.341870 -78.187159 22.290240 -78.285726 22.391154 -78.142569 22.238610 -78.086245 22.114227 -77.975944 22.043822 -77.900845 21.992192 -77.755341 21.919440 -77.689630 21.919440 -77.701364 22.013314 -77.778810 22.125962 -77.921967 22.217488 -78.053390 22.290240 # -b -81.449260 30.107548 -81.395283 29.924495 -81.350693 29.762563 -81.273247 29.579510 -81.207536 29.405844 -81.141825 29.250953 -81.019789 29.077287 -80.876632 28.884847 -80.745209 28.671285 -80.700620 28.563330 -80.677151 28.427214 -80.688885 28.223039 -80.644296 27.969581 -80.545728 27.842852 -80.468283 27.655105 -80.381450 27.439196 -80.271149 27.204513 -80.181969 27.016766 -80.181969 26.850141 -80.160847 26.641272 -80.160847 26.404242 -80.170235 26.195374 -80.203091 26.007627 -80.280536 25.808146 -80.346247 25.587543 -80.381450 25.437346 -80.381450 25.449080 -80.390837 25.418571 -80.524607 25.308270 -80.667764 25.247252 -80.864898 25.179194 -81.141825 25.148685 -81.240392 25.237865 -81.252126 25.308270 -81.228657 25.427959 -81.329571 25.676723 -81.416404 25.808146 -81.428138 25.836308 -81.493850 25.906713 -81.693331 25.927835 -81.813019 26.047523 -81.890465 26.315062 -82.000766 26.462913 -82.057090 26.561480 -81.967911 26.650660 -81.979645 26.690556 -82.089946 26.631885 -82.132189 26.800857 -82.143923 26.958095 -82.188513 26.918199 -82.287080 26.899424 -82.319936 26.927586 -82.376260 26.997991 -82.474827 27.105946 -82.573394 27.244409 -82.683695 27.439196 -82.707164 27.547151 -82.662574 27.734898 -82.585128 27.920298 -82.641452 27.978968 -82.740019 28.018865 -82.751753 27.861627 -82.838586 27.852239 -82.883176 28.096310 -82.850321 28.359156 -82.784609 28.593839 -82.784609 28.748730 -82.805731 29.018616 -82.871442 29.173507 -83.026333 29.213404 -83.202346 29.328399 -83.324381 29.455128 -83.446417 29.579510 -83.467538 29.570123 -83.479272 29.598285 -83.479272 29.722667 -83.598961 29.781338 -83.742118 29.964391 # -b -84.415660 30.079386 -84.448515 29.964391 -84.525961 29.973778 -84.624528 29.955004 -84.758298 29.868171 -84.824009 29.840009 -84.955432 29.809500 -85.065733 29.809500 -85.187768 29.771950 -85.342659 29.743788 -85.452961 29.877558 -85.495204 29.964391 # -b -89.862664 30.001940 -89.752363 29.992553 # -b -89.388603 30.020715 -89.409725 29.915107 -89.466049 29.849396 -89.585737 29.790725 -89.653796 29.722667 -89.719507 29.598285 -89.609206 29.464515 -89.466049 29.396457 -89.332279 29.347173 -89.212591 29.222791 -89.233712 29.135958 -89.299423 29.096062 -89.421459 29.049125 -89.475436 29.117183 -89.618593 29.309624 -89.818074 29.387069 -89.895520 29.445740 -89.961231 29.483290 # -b -82.310548 23.177344 -82.254224 23.198465 -82.122802 23.219587 -81.935055 23.177344 -81.759042 23.189078 -81.604151 23.137448 -81.472728 23.128060 -81.317837 23.106939 -81.186414 23.076430 -81.052645 23.076430 -80.888366 23.106939 -80.710007 23.076430 -80.578584 22.994291 -80.381450 22.963782 -80.235946 23.024799 -80.071668 22.933273 # -b -79.928511 21.694144 -80.125645 21.766896 -80.325126 21.888931 -80.489404 22.053210 -80.611440 22.095453 -80.745209 22.074331 -80.810921 22.074331 -80.986933 22.083719 -81.162946 22.156470 -81.219270 22.208101 -81.329571 22.064944 -81.449260 22.114227 -81.615885 22.186979 -81.836488 22.196367 -82.000766 22.247997 -82.167392 22.320749 -82.132189 22.412275 -81.890465 22.433397 -81.726187 22.515536 -81.836488 22.628184 -82.099333 22.658693 -82.319936 22.668081 -82.573394 22.698589 -82.772875 22.698589 -82.993477 22.607063 -83.181224 22.463906 -83.303260 22.299627 -83.488660 22.229222 -83.699875 22.196367 -83.920477 22.177592 -84.040166 22.053210 -84.096490 21.971070 -84.227913 21.940562 -84.448515 21.818526 -84.537695 21.745774 -84.558817 21.755162 -84.579938 21.806792 -84.603406 21.919440 -84.824009 21.858422 -85.000022 21.867810 -84.800541 21.931174 -84.690239 22.034435 -84.460249 22.013314 -84.448515 22.177592 -84.415660 22.503802 -84.272503 22.607063 -84.096490 22.729098 -83.852419 22.801850 -83.643551 22.881643 -83.479272 22.945007 -83.246936 22.975516 -83.047455 23.015412 -82.805731 23.076430 -82.629718 23.116326 -82.474827 23.198465 -82.310548 23.177344 # -b -83.014599 21.900665 -82.939500 21.919440 -82.772875 21.806792 -82.683695 21.539253 -82.927766 21.457114 -83.157756 21.529865 -83.148369 21.581496 -83.115513 21.684757 -83.124900 21.827914 -83.014599 21.900665 # -b -86.797697 20.609906 -86.929120 20.600519 -87.060543 20.422159 -87.051155 20.328286 -86.907998 20.433893 -86.797697 20.609906 # -b -90.017555 21.302222 -89.806340 21.384362 -89.630327 21.417217 -89.355748 21.417217 -89.189122 21.426605 -88.914543 21.447726 -88.715062 21.560374 -88.517927 21.612005 -88.339568 21.663635 -88.121312 21.684757 -87.799796 21.621392 -87.799796 21.417217 -87.569806 21.600271 -87.292879 21.569762 -87.018300 21.539253 -86.896264 21.396096 -86.851674 21.198962 -86.875143 21.022949 -86.929120 20.858671 -87.027687 20.755410 -87.149723 20.631028 -87.304614 20.516033 -87.382059 20.370529 -87.492360 20.164007 -87.492360 20.018504 # -b -94.999886 29.241566 -95.032742 29.142999 -95.044476 29.114837 -95.077332 29.037391 -95.089066 28.997495 -95.098453 28.959945 -95.121921 28.920049 -95.232223 28.851991 -95.297934 28.805054 -95.387114 28.736996 -95.473947 28.678325 -95.563126 28.629042 -95.628838 28.579758 -95.673428 28.560984 -95.762607 28.521087 -95.849440 28.492925 -95.926886 28.464763 -96.037187 28.434254 -96.114633 28.424867 -96.126367 28.424867 -96.126367 28.443642 -96.060655 28.492925 -95.971476 28.532821 -95.816585 28.600880 -95.739139 28.629042 -95.706283 28.657204 -95.685162 28.678325 -95.706283 28.687713 -95.750873 28.687713 -95.872909 28.638429 -95.917499 28.629042 -96.004331 28.600880 -96.027800 28.589146 -96.037187 28.579758 -96.048921 28.668938 -96.070043 28.736996 -96.081777 28.736996 -96.102899 28.715875 -96.114633 28.715875 -96.126367 28.697100 -96.126367 28.657204 -96.147488 28.647816 -96.170957 28.638429 -96.192078 28.619654 -96.203812 28.647816 -96.224934 28.697100 -96.302380 28.706487 -96.335235 28.657204 -96.325848 28.610267 -96.335235 28.579758 -96.358704 28.629042 -96.445536 28.687713 -96.501860 28.657204 -96.513595 28.610267 -96.501860 28.542209 -96.445536 28.511700 -96.391559 28.474151 -96.400947 28.424867 -96.436149 28.384971 -96.501860 28.356809 -96.579306 28.375584 -96.645017 28.375584 -96.689607 28.316913 -96.701341 28.260589 -96.734197 28.220692 -96.776440 28.171409 -96.811643 28.152634 -96.865620 28.171409 -96.921944 28.131513 -96.975921 28.122125 -97.065101 28.084576 -97.065101 28.063454 -97.065101 28.025905 -97.065101 27.995396 -97.032245 28.004784 -96.954800 28.035292 -96.943066 27.967234 -96.999390 27.878054 -97.032245 27.819384 -97.065101 27.800609 -97.130812 27.809996 -97.241114 27.800609 -97.262235 27.800609 -97.297438 27.779487 -97.273969 27.760713 -97.229379 27.683267 -97.208258 27.652758 -97.196524 27.554191 -97.196524 27.495520 -97.208258 27.387566 -97.229379 27.288999 -97.262235 27.251450 -97.339681 27.230328 -97.351415 27.251450 -97.351415 27.288999 -97.396005 27.270224 -97.494572 27.279612 -97.527427 27.230328 -97.506306 27.190432 -97.449982 27.190432 -97.384271 27.171657 -97.339681 27.152882 -97.339681 27.063703 -97.351415 26.974523 -97.351415 26.925239 -97.363149 26.915852 -97.407739 26.904118 -97.417126 26.836060 -97.407739 26.756267 -97.396005 26.678822 -97.363149 26.589642 -97.351415 26.500462 -97.351415 26.469953 -97.339681 26.469953 -97.339681 26.439445 -97.330293 26.371386 -97.318559 26.291594 -97.285703 26.282207 -97.241114 26.141397 -97.219992 26.092113 -97.163668 25.974771 -97.163668 25.944262 -97.119078 25.932528 -97.086222 25.913753 -97.086222 25.904366 -97.086222 25.894979 # -b -97.086222 25.894979 -97.086222 25.883245 -97.086222 25.864470 -97.142546 25.775290 -97.184790 25.664989 -97.196524 25.575809 -97.175402 25.564075 -97.142546 25.585197 -97.086222 25.643867 -97.053367 25.744781 -97.032245 25.735394 -97.032245 25.643867 -97.041633 25.564075 -97.086222 25.474895 -97.142546 25.395103 -97.196524 25.345819 -97.262235 25.324698 -97.330293 25.334085 -97.417126 25.364594 -97.494572 25.373981 -97.550896 25.315311 -97.550896 25.275414 -97.550896 25.174500 -97.560283 25.085321 -97.583751 24.984407 -97.628341 24.944511 -97.694053 24.904614 -97.738643 24.822475 -97.748030 24.763804 -97.771498 24.733295 -97.792620 24.672278 -97.792620 24.601873 -97.748030 24.540855 -97.748030 24.430554 -97.748030 24.289744 -97.748030 24.148933 -97.738643 24.026898 -97.738643 23.944759 -97.726908 23.904863 -97.726908 23.855579 -97.661197 23.773440 -97.616607 23.602121 -97.604873 23.388559 -97.604873 23.245402 -97.604873 23.062349 -97.595486 22.898070 -97.595486 22.776035 -97.637729 22.541351 -97.682319 22.377073 -97.694053 22.285546 -97.694053 22.276159 -97.682319 22.194020 -97.637729 22.081372 -97.572017 21.935868 -97.539162 21.874850 -97.482838 21.813833 -97.440595 21.783324 -97.351415 21.668329 -97.273969 21.597924 -97.196524 21.504050 -97.175402 21.443033 -97.175402 21.339772 -97.219992 21.278754 -97.262235 21.215390 -97.285703 21.154372 -97.262235 21.091007 -97.219992 20.978359 -97.196524 20.947850 -97.184790 20.936116 -97.175402 20.905607 -97.130812 20.832855 -97.032245 20.668577 -96.964187 20.553582 -96.877354 20.438587 -96.776440 20.344714 -96.656752 20.220331 -96.546450 20.138192 -96.457271 20.002076 # -b -97.318559 25.275414 -97.273969 25.284802 -97.262235 25.244905 -97.262235 25.183888 -97.262235 25.113483 -97.297438 25.054812 -97.330293 25.033690 -97.339681 25.024303 -97.396005 25.064199 -97.407739 25.143992 -97.396005 25.183888 -97.351415 25.244905 -97.318559 25.275414 # -b -96.865620 27.936725 -96.844498 27.936725 -96.832764 27.976622 -96.811643 28.014171 -96.755319 28.054067 -96.701341 28.103351 -96.666139 28.131513 -96.623896 28.131513 -96.546450 28.171409 -96.490126 28.239467 -96.424415 28.269976 -96.400947 28.248854 -96.412681 28.180796 -96.478392 28.122125 -96.579306 28.035292 -96.666139 27.955500 -96.755319 27.868667 -96.865620 27.751325 -96.931331 27.683267 -96.975921 27.673880 -96.999390 27.711429 -96.964187 27.760713 -96.898476 27.840505 -96.877354 27.878054 -96.865620 27.899176 -96.865620 27.936725 # -b -89.961231 29.483290 -90.071532 29.464515 -90.071532 29.377682 -90.137244 29.290849 -90.226423 29.185242 -90.357846 29.232178 -90.501003 29.232178 -90.557327 29.204016 -90.667628 29.260340 -90.822519 29.194629 -90.986798 29.222791 -91.040775 29.290849 -91.219135 29.272075 -91.338823 29.405844 -91.406881 29.551348 -91.582894 29.570123 -91.702583 29.694505 -91.845740 29.762563 -91.956041 29.818887 -92.134400 29.828274 -92.209499 29.762563 -92.200112 29.675730 -92.286945 29.598285 -92.364390 29.588897 -92.364390 29.598285 -92.531015 29.588897 -92.772739 29.656956 -92.927631 29.703892 -93.115377 29.743788 -93.345367 29.809500 -93.544848 29.809500 -93.831162 29.790725 -94.051765 29.762563 -94.293489 29.675730 -94.514091 29.588897 -94.624392 29.551348 -94.692451 29.520839 -94.791018 29.483290 -94.823873 29.520839 -94.701838 29.551348 -94.680716 29.638181 -94.812139 29.638181 -94.812139 29.809500 -94.889585 29.809500 -94.978764 29.762563 -94.988152 29.598285 -94.999886 29.511452 -94.999886 29.241566 -94.999886 29.396457 # -b -90.634773 19.891775 -90.566714 20.112377 -90.501003 20.403385 -90.491616 20.652149 -90.456413 20.910301 -90.381314 21.126210 -90.271013 21.210696 -90.181833 21.271714 -90.017555 21.302222 # -b -110.113504 24.238113 -109.949226 24.097303 -109.782600 23.987002 -109.716889 23.944759 -109.705155 23.864966 -109.627709 23.764053 -109.561998 23.693647 -109.496287 23.571612 -109.385985 23.480085 -109.341395 23.367437 -109.362517 23.236015 -109.439963 23.123367 -109.540876 23.010718 -109.705155 22.940313 -109.803722 22.837053 -109.892902 22.848787 -109.991469 22.970822 # -b -110.036059 27.054315 -109.958613 27.014419 -109.892902 26.955748 -109.827190 26.875956 -109.782600 26.777389 -109.749745 26.728105 -109.672299 26.678822 -109.648831 26.629538 -109.573732 26.629538 -109.461084 26.638926 -109.395373 26.638926 -109.263950 26.559133 -109.219360 26.439445 -109.174770 26.371386 -109.064469 26.331490 -109.064469 26.261085 -109.120793 26.171905 -109.174770 26.092113 -109.231094 26.063951 -109.263950 25.974771 -109.285071 25.864470 -109.296806 25.744781 -109.275684 25.664989 -109.186504 25.554688 -109.043347 25.545300 -108.965902 25.554688 -108.900190 25.585197 -108.843866 25.625093 -108.822745 25.643867 -108.789889 25.585197 -108.811011 25.514792 -108.843866 25.434999 -108.811011 25.364594 -108.688975 25.303576 -108.512963 25.214397 -108.381540 25.165113 -108.268892 25.143992 -108.182059 25.193275 -108.125735 25.143992 -108.038902 25.054812 -107.937988 24.963285 -107.839421 24.904614 -107.818299 24.773192 -107.818299 24.662890 -107.827687 24.592485 -107.783097 24.522080 -107.696264 24.451675 -107.553107 24.329640 -107.409950 24.228726 -107.264446 24.118425 -107.177613 24.057407 -107.076700 23.965880 -106.978133 23.886088 -106.888953 23.855579 -106.867831 23.834458 -106.846710 23.825070 -106.823241 23.794561 -106.769264 23.742931 -106.736408 23.663139 -106.736408 23.559878 -106.680084 23.510594 -106.558049 23.489473 -106.504072 23.419068 -106.447748 23.346316 -106.403158 23.266523 -106.382036 23.205506 -106.349181 23.144488 -106.271735 23.052961 -106.182555 22.980210 -106.062867 22.898070 -105.940831 22.776035 -105.851652 22.663387 -105.708495 22.571860 -105.577072 22.501455 -105.544216 22.388807 -105.565338 22.367686 -105.565338 22.276159 -105.509014 22.111881 -105.443302 21.947602 -105.422181 21.874850 -105.333001 21.762202 -105.311880 21.701184 -105.288411 21.586190 -105.178110 21.482929 -105.112399 21.360893 -105.067809 21.215390 -105.067809 21.060498 -105.112399 20.966625 -105.201578 20.884486 -105.288411 20.790612 -105.300145 20.760104 -105.288411 20.708473 -105.222700 20.668577 -105.145254 20.595825 -105.135867 20.523073 -105.267290 20.480830 -105.398712 20.429200 -105.487892 20.365835 -105.499626 20.304818 -105.455037 20.253187 -105.398712 20.147580 -105.356469 20.044319 # -b -114.375357 30.027755 -114.297911 29.912761 -114.232200 29.797766 -114.208732 29.710933 -114.143020 29.701545 -114.065575 29.701545 -114.011597 29.663996 -113.967008 29.586550 -113.877828 29.499718 -113.779261 29.443394 -113.680694 29.365948 -113.525803 29.248606 -113.514068 29.192282 -113.502334 29.152386 -113.481213 29.074940 -113.436623 28.997495 -113.415501 28.959945 -113.347443 28.851991 -113.260610 28.873113 -113.159696 28.783933 -113.105719 28.765158 -113.072863 28.793320 -113.016539 28.668938 -112.983684 28.551596 -112.896851 28.424867 -112.861648 28.396705 -112.807671 28.406092 -112.763081 28.384971 -112.741960 28.338034 -112.709104 28.328647 -112.685636 28.220692 -112.631658 28.103351 -112.619924 27.967234 -112.598803 27.859280 -112.563600 27.779487 -112.486155 27.692655 -112.354732 27.594087 -112.211575 27.446237 -112.113008 27.270224 -112.089539 27.141148 -112.089539 27.122374 -112.068418 27.112986 -112.012094 27.082477 -111.934648 27.054315 -111.880671 26.983910 -111.880671 26.944014 -111.824347 26.826672 -111.746901 26.706984 -111.737514 26.608417 -111.627213 26.500462 -111.603745 26.500462 -111.681190 26.568520 -111.704658 26.697596 -111.704658 26.777389 -111.681190 26.777389 -111.615479 26.777389 -111.538033 26.697596 -111.448853 26.629538 -111.394876 26.500462 -111.350286 26.420670 -111.317431 26.371386 -111.293962 26.251698 -111.239985 26.211802 -111.228251 26.113234 -111.218864 26.012321 -111.195395 25.883245 -111.150805 25.735394 -111.129684 25.695498 -111.040504 25.615705 -111.007648 25.545300 -110.920816 25.484283 -110.852757 25.444386 -110.852757 25.315311 -110.852757 25.205009 -110.852757 25.143992 -110.831636 25.153379 -110.765924 25.064199 -110.688479 24.953898 -110.622767 24.822475 -110.622767 24.662890 -110.632155 24.531468 -110.611033 24.451675 -110.533588 24.339027 -110.477264 24.249847 -110.378697 24.158321 -110.280130 24.106690 -110.169828 24.207604 -110.113504 24.238113 # -b -109.991469 22.970822 -110.080649 23.193772 -110.158094 23.376825 -110.280130 23.519982 -110.366962 23.602121 -110.488998 23.642017 -110.599299 23.742931 -110.742456 23.855579 -110.876226 23.956493 -110.974793 24.066794 -111.106216 24.148933 -111.251719 24.198217 -111.329165 24.249847 -111.404264 24.310865 -111.505177 24.400045 -111.516912 24.461063 -111.505177 24.482184 -111.559155 24.482184 -111.615479 24.491571 -111.692924 24.510346 -111.737514 24.561976 -111.758636 24.672278 -111.857203 24.723908 -111.925261 24.712174 -111.979238 24.702787 -112.023828 24.791966 -112.068418 24.773192 -112.113008 24.693399 -112.113008 24.791966 -112.044950 24.914002 -112.002707 25.064199 -111.979238 25.193275 -111.979238 25.345819 -111.979238 25.404490 -111.990972 25.575809 -112.023828 25.695498 -112.113008 25.883245 -112.199841 26.063951 -112.265552 26.162518 -112.366466 26.162518 -112.486155 26.211802 -112.587068 26.282207 -112.709104 26.340877 -112.784203 26.451179 -112.873382 26.559133 -112.929706 26.608417 -113.007152 26.706984 -112.995418 26.777389 -112.983684 26.826672 -113.016539 26.904118 -113.072863 26.836060 -113.150309 26.768001 -113.204286 26.697596 -113.326322 26.718718 -113.448357 26.737493 -113.568046 26.796164 -113.612635 26.836060 -113.657225 26.904118 -113.722937 26.925239 -113.812116 26.974523 -113.877828 26.993298 -113.910683 26.993298 -113.955273 27.091865 -114.053840 27.141148 -114.143020 27.141148 -114.220466 27.152882 -114.297911 27.190432 -114.330767 27.270224 -114.351888 27.378179 -114.396478 27.446237 -114.473924 27.476746 -114.563104 27.495520 -114.617081 27.535417 -114.661671 27.584700 -114.727382 27.624596 -114.771972 27.673880 -114.840030 27.624596 -114.882273 27.643371 -114.872886 27.770100 -114.694526 27.760713 -114.473924 27.732551 -114.286177 27.779487 -114.164142 27.819384 -114.044453 27.741938 -114.032719 27.819384 -114.065575 27.840505 -114.065575 27.917951 -114.011597 27.976622 -113.922418 27.995396 -113.934152 28.084576 -113.910683 28.143247 -113.945886 28.180796 -113.945886 28.269976 -113.934152 28.307525 -113.955273 28.434254 -114.032719 28.511700 -114.110164 28.600880 -114.164142 28.668938 -114.243934 28.736996 -114.330767 28.833216 -114.396478 28.861378 -114.452802 28.910662 -114.518514 28.997495 -114.584225 29.056166 -114.661671 29.084328 -114.717995 29.180548 -114.771972 29.269728 -114.816562 29.307277 -114.861152 29.375335 -114.938597 29.394110 -115.025430 29.394110 -115.093488 29.480943 -115.170934 29.549001 -115.281235 29.577163 -115.346947 29.626447 -115.522959 29.682771 -115.579283 29.741442 -115.612139 29.797766 -115.644995 29.903373 -115.656729 29.971431 # -b -112.685636 30.152138 -112.652780 29.971431 -112.631658 29.893986 -112.554213 29.788378 -112.486155 29.778991 -112.432177 29.720320 -112.420443 29.645221 -112.387587 29.518492 -112.366466 29.412885 -112.321876 29.335439 -112.277286 29.288502 -112.166985 29.229832 -112.101274 29.142999 -112.044950 29.016270 -112.012094 28.910662 -111.934648 28.861378 -111.868937 28.805054 -111.824347 28.736996 -111.779757 28.619654 -111.681190 28.511700 -111.615479 28.443642 -111.526299 28.406092 -111.472322 28.384971 -111.427732 28.366196 -111.415998 28.366196 -111.362021 28.307525 -111.272841 28.180796 -111.174274 28.063454 -111.085094 28.004784 -110.986527 27.936725 -110.897347 27.917951 -110.775312 27.908563 -110.676745 27.887442 -110.566443 27.859280 -110.510119 27.819384 -110.500732 27.770100 -110.500732 27.683267 -110.500732 27.594087 -110.510119 27.594087 -110.533588 27.516642 -110.500732 27.446237 -110.488998 27.359404 -110.456142 27.328895 -110.423286 27.288999 -110.390431 27.251450 -110.324719 27.190432 -110.247274 27.141148 -110.136973 27.091865 -110.036059 27.054315 # -b -118.228860 28.959945 -118.238247 28.969333 -118.238247 28.988108 -118.238247 29.006882 -118.238247 29.037391 -118.205392 29.084328 -118.172536 29.093715 -118.151415 29.037391 -118.151415 28.997495 -118.139680 28.901275 -118.139680 28.823829 -118.139680 28.805054 -118.160802 28.823829 -118.196004 28.882500 -118.228860 28.929437 -118.228860 28.959945 # -b -115.081754 27.976622 -115.114610 27.976622 -115.126344 28.014171 -115.159200 28.014171 -115.192055 28.054067 -115.203790 28.084576 -115.159200 28.131513 -115.138078 28.239467 -115.114610 28.298138 -115.060633 28.307525 -115.048899 28.220692 -115.048899 28.171409 -115.048899 28.103351 -115.037164 28.054067 -115.048899 28.035292 -115.048899 27.995396 -115.060633 27.967234 -115.081754 27.976622 # -b -112.983684 28.969333 -113.040008 28.950558 -113.072863 28.950558 -113.105719 28.997495 -113.150309 29.074940 -113.204286 29.142999 -113.269997 29.201670 -113.326322 29.269728 -113.370911 29.335439 -113.424889 29.412885 -113.448357 29.471556 -113.448357 29.490330 -113.382646 29.452781 -113.305200 29.375335 -113.237142 29.297890 -113.183165 29.220444 -113.082251 29.161773 -113.072863 29.065553 -113.040008 29.037391 -112.983684 29.006882 -112.983684 28.978720 -112.983684 28.969333 # -b -112.366466 28.978720 -112.366466 29.016270 -112.354732 29.093715 -112.342998 29.142999 -112.277286 29.142999 -112.223309 29.114837 -112.188106 29.065553 -112.155251 28.997495 -112.134129 28.929437 -112.145863 28.861378 -112.145863 28.793320 -112.145863 28.746383 -112.188106 28.736996 -112.232696 28.736996 -112.321876 28.746383 -112.375853 28.774546 -112.420443 28.833216 -112.432177 28.873113 -112.411056 28.901275 -112.375853 28.938824 -112.366466 28.978720 # -b -159.617644 22.090759 -159.605910 22.090759 -159.573055 22.090759 -159.528465 22.081372 -159.451019 22.081372 -159.385308 22.100146 -159.352452 22.100146 -159.286741 21.978111 -159.286741 21.905359 -159.373574 21.802098 -159.474488 21.719959 -159.549586 21.731693 -159.617644 21.802098 -159.695090 21.823220 -159.727946 21.905359 -159.695090 21.978111 -159.662234 22.029741 -159.617644 22.090759 # -b -158.115670 21.379668 -158.115670 21.452420 -158.038224 21.494663 -157.906802 21.421911 -157.773032 21.309263 -157.683852 21.227124 -157.728442 21.206002 -157.829356 21.194268 -157.949045 21.175493 -158.059346 21.236511 -158.160260 21.379668 -158.148526 21.421911 -158.115670 21.379668 # -b -157.242647 21.081620 -157.275503 20.987747 -157.242647 21.029990 -157.155814 21.051111 -156.968068 21.039377 -156.846032 21.060498 -156.747465 21.060498 -156.723997 21.020602 -156.723997 20.957238 -156.846032 20.914995 -157.000923 20.947850 -157.099490 20.966625 -157.165202 20.936116 -157.233260 20.926729 -157.266116 20.999481 -157.242647 21.081620 # -b -156.404827 20.790612 -156.381359 20.790612 -156.360237 20.790612 -156.315647 20.823468 -156.238202 20.760104 -156.095045 20.677964 -156.005865 20.626334 -156.005865 20.544195 -156.160756 20.429200 -156.238202 20.417466 -156.339116 20.450321 -156.414215 20.595825 -156.482273 20.687352 -156.547984 20.720207 -156.625430 20.802347 -156.646551 20.823468 -156.613695 20.884486 -156.526863 20.875098 -156.458804 20.823468 -156.404827 20.790612 # -b -155.874442 20.044319 -155.853321 20.023197 -155.853321 20.053706 -155.829853 20.053706 -155.752407 20.044319 # -b -155.829853 19.919937 -155.862708 20.034931 -155.862708 20.044319 -155.874442 20.044319 # -b -156.977455 20.750716 -157.000923 20.771838 -157.000923 20.781225 -156.968068 20.781225 -156.890622 20.781225 -156.824911 20.720207 -156.801442 20.677964 -156.834298 20.626334 -156.890622 20.614600 -156.935212 20.647455 -156.977455 20.699086 -156.977455 20.750716 -156.935212 20.647455 -156.977455 20.699086 -156.977455 20.750716 # -b -177.434817 28.162022 -177.434817 28.162022 # -b 153.950038 24.350761 153.938303 24.329640 153.905448 24.329640 153.881979 24.329640 153.938303 24.390657 153.950038 24.381270 153.872592 24.339027 153.881979 24.381270 153.926569 24.390657 153.938303 24.390657 # -b 145.316031 20.002076 145.360621 20.013810 # -b 145.292563 19.992688 145.304297 20.002076 145.316031 20.002076 # -b 119.913888 26.519237 120.033576 26.629538 120.066432 26.746880 120.078166 26.857181 120.134490 26.894731 120.254179 27.023807 120.355093 27.082477 120.409070 27.162270 120.465394 27.220941 120.542840 27.387566 120.552227 27.495520 120.596817 27.612862 120.662528 27.711429 120.739974 27.779487 120.829153 27.908563 120.951189 28.035292 121.082612 28.220692 121.183526 28.279363 121.270358 28.171409 121.347804 28.131513 121.436984 28.279363 121.469839 28.366196 121.458105 28.483538 121.458105 28.647816 121.535551 28.715875 121.568407 28.882500 121.580141 28.938824 121.556672 28.997495 121.523817 29.037391 121.481574 29.103102 121.490961 29.152386 121.702176 29.201670 121.800743 29.257994 121.833599 29.201670 121.845333 29.257994 121.854720 29.354214 121.854720 29.431659 121.854720 29.509105 121.845333 29.577163 121.756153 29.549001 121.556672 29.462168 121.490961 29.471556 121.657586 29.549001 121.800743 29.663996 121.922779 29.788378 122.021346 29.856437 121.943900 29.884599 121.800743 29.884599 121.666974 29.931535 121.568407 29.980819 # -b 121.446371 25.275414 121.502695 25.254293 121.580141 25.214397 121.657586 25.143992 121.744419 25.143992 121.800743 25.125217 121.854720 25.043078 121.845333 24.975019 121.789009 24.843597 121.779622 24.742683 121.800743 24.611260 121.756153 24.451675 121.657586 24.259235 121.601262 24.137199 121.568407 23.975268 121.547285 23.834458 121.535551 23.712422 121.502695 23.541103 121.458105 23.376825 121.413515 23.275911 121.380660 23.205506 121.326682 23.071736 121.225769 22.909805 121.138936 22.766648 121.016900 22.623491 120.939455 22.459212 120.883131 22.276159 120.850275 22.069638 120.817419 21.947602 120.739974 21.999232 120.674262 22.233916 120.552227 22.428703 120.364480 22.553086 120.188467 22.806544 120.143878 23.010718 120.101635 23.254789 120.078166 23.449577 120.078166 23.580999 120.111022 23.752318 120.254179 24.017511 120.364480 24.158321 120.519371 24.400045 120.685997 24.611260 120.840888 24.822475 120.951189 24.993794 121.127202 25.104095 121.258624 25.165113 121.336070 25.244905 121.404128 25.263680 # -b 123.732188 24.421166 123.809634 24.409432 123.865958 24.369536 123.865958 24.310865 123.833102 24.280356 123.732188 24.268622 123.711067 24.339027 123.732188 24.421166 # -b 124.107682 24.400045 124.074826 24.421166 124.107682 24.439941 124.185128 24.470450 124.229718 24.510346 124.250839 24.461063 124.217983 24.369536 124.131150 24.320252 124.107682 24.400045 # -b 127.794560 26.519237 127.872006 26.589642 127.872006 26.629538 127.883740 26.706984 127.972920 26.688209 128.137198 26.786776 128.193522 26.866569 128.202909 26.746880 128.137198 26.589642 128.005775 26.528624 127.916596 26.451179 127.862618 26.390161 127.862618 26.350265 127.785173 26.272819 127.785173 26.193027 127.740583 26.141397 127.674872 26.261085 127.695993 26.350265 127.717115 26.430057 127.749970 26.460566 127.773439 26.479341 127.794560 26.519237 # -b 128.932775 27.791222 128.942162 27.770100 128.942162 27.770100 128.953897 27.720817 128.909307 27.702042 128.876451 27.760713 128.867064 27.840505 128.876451 27.908563 128.888185 27.917951 128.899919 27.878054 128.909307 27.849892 128.909307 27.809996 128.921041 27.800609 128.932775 27.800609 128.932775 27.791222 # -b 129.395102 28.415480 129.472547 28.443642 129.582848 28.511700 129.618051 28.483538 129.594583 28.375584 129.505403 28.328647 129.463160 28.279363 129.430304 28.230080 129.352859 28.180796 129.320003 28.190184 129.275413 28.239467 129.263679 28.328647 129.296535 28.366196 129.352859 28.415480 129.395102 28.415480 # -b 125.311609 24.822475 125.267019 24.852984 125.267019 24.852984 125.278753 24.834209 125.332730 24.791966 125.410176 24.763804 125.433644 24.723908 125.356198 24.681665 125.311609 24.742683 125.311609 24.822475 # -b 109.911676 20.386957 110.099423 20.271962 110.385737 20.398691 110.397471 20.595825 110.329413 20.729595 110.186256 20.926729 110.284823 21.142638 110.397471 21.379668 110.561750 21.328038 110.826942 21.400790 110.993567 21.473541 111.035810 21.534559 111.202436 21.515784 111.444160 21.546293 111.643641 21.597924 111.831388 21.762202 111.998013 21.792711 112.019134 21.792711 112.075458 21.752815 112.075458 21.752815 112.239737 21.741081 112.361772 21.813833 112.448605 21.813833 112.561253 21.834954 112.671555 21.874850 112.835833 21.956989 112.913279 21.926481 112.969603 21.978111 112.969603 22.121268 112.946134 22.203407 112.957868 22.337177 113.023580 22.531964 113.068170 22.632878 113.112760 22.520230 113.244182 22.428703 113.342749 22.327789 113.399073 22.255038 113.455397 22.245650 113.521109 22.276159 113.530496 22.327789 113.509375 22.449825 113.509375 22.562473 113.509375 22.632878 113.521109 22.705630 113.542230 22.837053 113.542230 22.818278 113.598554 22.736139 113.741711 22.684508 113.873134 22.592982 113.929458 22.553086 113.983435 22.470946 113.962314 22.428703 113.983435 22.346564 114.138326 22.367686 114.204038 22.377073 114.293218 22.407582 114.272096 22.438091 114.227506 22.470946 114.204038 22.510843 114.204038 22.531964 114.204038 22.541351 114.215772 22.541351 114.227506 22.553086 114.281483 22.553086 114.358929 22.562473 114.436375 22.562473 114.525554 22.553086 114.570144 22.541351 114.579531 22.553086 114.570144 22.623491 114.579531 22.724405 114.647590 22.745526 114.734423 22.776035 114.734423 22.705630 114.790747 22.602369 114.912782 22.614103 115.011349 22.745526 115.175628 22.848787 115.321131 22.797156 115.330519 22.715017 115.431433 22.675121 115.551121 22.705630 115.562855 22.776035 115.640301 22.848787 115.738868 22.806544 115.893759 22.776035 116.048650 22.848787 116.104974 22.879296 116.126096 22.879296 116.191807 22.898070 116.313843 22.949701 116.403022 22.980210 116.513324 23.041227 116.567301 23.083470 116.623625 23.184384 116.722192 23.275911 116.787903 23.397946 116.844227 23.458964 116.921673 23.571612 117.053096 23.611508 117.130541 23.580999 117.229108 23.642017 117.306554 23.712422 117.374612 23.712422 117.440324 23.672526 117.449711 23.703035 117.461445 23.813336 117.562359 23.886088 117.604602 23.752318 117.628070 23.874354 117.660926 23.956493 117.747759 23.956493 117.860407 24.066794 118.003564 24.179442 118.069275 24.329640 118.003564 24.421166 117.991830 24.470450 118.024685 24.491571 118.134987 24.583098 118.278144 24.552589 118.423647 24.561976 118.555070 24.583098 118.587926 24.592485 118.599660 24.601873 118.641903 24.651156 118.686493 24.681665 118.709961 24.763804 118.721695 24.843597 118.796794 24.904614 118.853118 24.932776 118.907095 25.054812 118.951685 25.183888 119.061987 25.205009 119.130045 25.165113 119.184022 25.235518 119.205144 25.254293 119.162901 25.373981 119.240346 25.465508 119.350647 25.453774 119.437480 25.413878 119.470336 25.465508 119.437480 25.594584 119.449214 25.695498 119.503192 25.714273 119.547781 25.763556 119.604106 25.873857 119.625227 25.963037 119.625227 25.993546 119.615840 26.024055 119.615840 26.042829 119.615840 26.052217 119.636961 26.122622 119.702673 26.261085 119.726141 26.310369 119.714407 26.380774 119.681551 26.439445 119.615840 26.540358 119.580637 26.617804 119.559516 26.648313 119.702673 26.756267 119.857564 26.777389 119.878685 26.638926 119.878685 26.549746 119.913888 26.519237 # -b 110.496038 20.065440 110.463183 20.074828 110.550016 20.159314 110.683785 20.065440 110.883266 20.034931 # -b 109.932798 19.992688 110.054833 20.002076 110.186256 20.095949 110.329413 20.074828 110.418593 20.086562 110.496038 20.065440 # -b 113.950580 22.264425 113.905990 22.327789 113.873134 22.276159 113.863747 22.233916 113.929458 22.245650 113.950580 22.264425 # -b 107.945029 21.473541 108.099920 21.534559 108.198487 21.597924 108.254811 21.421911 108.254811 21.534559 108.421436 21.567415 108.496535 21.710572 108.573980 21.719959 108.707750 21.668329 109.059775 21.576802 109.083244 21.494663 109.170077 21.412524 109.357823 21.421911 109.536183 21.534559 109.655871 21.586190 109.733317 21.452420 109.667606 21.267020 109.601894 21.091007 109.590160 21.029990 109.623016 20.905607 109.777907 20.614600 109.911676 20.386957 # -b 107.945029 21.473541 107.933294 21.421911 107.879317 21.379668 107.724426 21.433645 107.569535 21.349159 107.381788 21.257633 107.348932 21.102741 107.172920 20.966625 106.996907 20.905607 106.830282 20.832855 106.752836 20.738982 106.621414 20.626334 106.553355 20.377569 106.356221 20.220331 106.168474 20.053706 # -b 92.268170 20.884486 92.223580 20.863364 92.092157 21.154372 92.026446 21.391402 91.960735 21.649554 91.937266 21.895972 91.871555 22.233916 91.737785 22.449825 91.561773 22.693896 91.439737 22.776035 91.242603 22.715017 91.010266 22.693896 90.867109 22.766648 90.766195 22.940313 90.691097 22.898070 90.623039 22.724405 90.491616 22.632878 90.536206 22.419316 90.545593 22.276159 90.545593 22.233916 90.458760 22.111881 90.280401 21.917093 90.193568 21.802098 90.116122 21.844341 # -b 93.472096 19.804942 92.953446 20.053706 92.941712 20.241453 92.786820 20.271962 92.676519 20.417466 92.643664 20.365835 92.521628 20.471443 92.444183 20.635721 92.345615 20.760104 92.268170 20.884486 # -b 90.613651 22.684508 90.613651 22.614103 90.623039 22.489721 90.623039 22.327789 90.766195 22.285546 90.855375 22.407582 90.855375 22.541351 90.766195 22.715017 90.691097 22.745526 90.613651 22.684508 # -b 88.891074 21.628433 88.780773 21.597924 88.747917 21.586190 88.691593 21.649554 88.637616 21.813833 88.593026 21.741081 88.581292 21.607311 88.503846 21.628433 88.405279 21.555681 88.262122 21.534559 88.194064 21.668329 88.140087 21.689450 88.095497 21.680063 88.083763 21.710572 88.083763 21.823220 88.083763 21.865463 88.083763 21.926481 88.107231 22.029741 88.116619 22.081372 88.116619 22.090759 88.116619 22.111881 88.116619 22.121268 88.062641 22.133002 87.964074 22.018007 87.928872 21.917093 87.842039 21.771589 87.720003 21.689450 87.543991 21.628433 87.123907 21.443033 86.959629 21.360893 86.846981 21.091007 86.924426 20.832855 86.959629 20.677964 86.771882 20.490218 86.727292 20.377569 86.572401 20.199210 # -b 90.116122 21.844341 89.940109 22.060250 89.850930 21.947602 89.818074 21.853729 89.707773 21.783324 89.642061 21.719959 89.585737 21.844341 89.487170 21.762202 89.376869 21.771589 89.287689 21.783324 89.275955 21.701184 89.210244 21.731693 89.144532 21.719959 89.088208 21.637820 89.013110 21.597924 88.891074 21.628433 # -b 72.594651 19.950445 72.627507 20.086562 72.672097 20.189823 72.728421 20.356448 72.728421 20.511339 72.704952 20.708473 72.627507 20.914995 72.606385 20.978359 72.594651 20.987747 72.585264 21.029990 72.561795 21.102741 72.561795 21.154372 72.496084 21.154372 72.484350 21.206002 72.484350 21.297529 72.496084 21.400790 72.540674 21.525172 72.594651 21.628433 72.484350 21.680063 72.439760 21.731693 72.451494 21.802098 72.463228 21.895972 72.474962 21.926481 72.418638 21.947602 72.430373 21.987498 72.474962 22.090759 72.496084 22.163511 72.573530 22.163511 72.695565 22.163511 72.737808 22.212794 72.794132 22.264425 72.782398 22.294934 72.650975 22.306668 72.507818 22.306668 72.385783 22.306668 72.254360 22.306668 72.186302 22.337177 72.141712 22.407582 72.141712 22.388807 72.132325 22.306668 72.108856 22.142389 72.076000 22.039129 72.054879 21.935868 72.054879 21.823220 72.043145 21.628433 72.031411 21.482929 71.944578 21.309263 71.834276 21.154372 71.679385 21.072233 71.524494 20.978359 71.414193 20.966625 71.357869 20.936116 71.271036 20.884486 71.238180 20.863364 71.226446 20.853977 71.116145 20.823468 70.916664 20.781225 70.686674 20.802347 70.585760 20.802347 70.442603 20.802347 70.344036 20.823468 70.278325 20.884486 70.266591 20.884486 70.132821 20.987747 # -b 69.825386 22.428703 70.013132 22.553086 70.200879 22.705630 70.266591 22.879296 70.344036 23.052961 70.287712 23.144488 70.200879 23.113979 70.132821 22.980210 70.013132 22.940313 # -b 68.025363 23.773440 68.079340 23.764053 67.992507 23.752318 67.858738 23.803949 67.760171 23.834458 67.694459 23.843845 67.551302 23.843845 67.494978 23.895475 67.462123 23.996389 67.340087 24.127812 67.253254 24.320252 67.185196 24.500959 67.140606 24.611260 67.131219 24.712174 67.053773 24.712174 66.866026 24.773192 66.732257 24.843597 66.699401 24.975019 66.678280 25.125217 66.666546 25.183888 66.612568 25.263680 66.478799 25.355207 66.356763 25.413878 66.180751 25.444386 65.993004 25.404490 65.805257 25.373981 65.563533 25.364594 65.429763 25.373981 65.298341 25.334085 65.155184 25.275414 65.000293 25.315311 # -b 70.132821 20.987747 69.945074 21.142638 69.715084 21.391402 69.262145 21.813833 69.172965 21.874850 68.964097 22.081372 68.919507 22.346564 68.996953 22.428703 69.083786 22.377073 69.151844 22.316055 69.262145 22.346564 69.360712 22.367686 69.503869 22.388807 69.604783 22.388807 69.825386 22.428703 # -b 70.013132 22.940313 69.968543 22.919192 69.945074 22.919192 69.679882 22.848787 69.426424 22.818278 69.283267 22.818278 69.128376 22.827665 68.919507 22.858174 68.752882 22.940313 68.565135 23.123367 68.433712 23.266523 68.299943 23.428455 68.234231 23.571612 68.189642 23.571612 68.135664 23.571612 68.102809 23.580999 68.091074 23.651404 68.079340 23.724156 68.025363 23.773440 # -b 61.616156 25.158073 61.571566 25.167460 61.437797 25.118176 61.174951 25.136951 60.942615 25.188581 60.632832 25.277761 60.501410 25.409184 60.379374 25.317657 60.015615 25.338779 # -b 65.000293 25.315311 64.824280 25.338779 64.723366 25.348166 64.591943 25.148685 64.502764 25.247252 64.282161 25.247252 64.117883 25.366941 63.864424 25.338779 63.622700 25.366941 63.479543 25.237865 63.235473 25.207356 62.970280 25.247252 62.716822 25.268374 62.519688 25.258986 62.364797 25.188581 62.242761 25.136951 62.111339 25.207356 61.968182 25.097055 61.825025 25.087668 61.726458 25.038384 61.681868 25.136951 61.616156 25.158073 # -b 49.938305 26.810245 50.027484 26.711677 50.015750 26.662394 50.006363 26.533318 50.072074 26.444138 50.149520 26.345571 50.158907 26.176599 50.137786 26.115581 50.060340 26.047523 50.083808 25.848042 50.203497 25.676723 50.358388 25.547647 50.480424 25.418571 50.513279 25.197969 50.623581 25.167460 50.743269 25.467855 50.853570 25.587543 50.931016 25.768250 50.975606 25.995893 51.074173 26.124969 51.175087 26.195374 51.273654 26.075685 51.362834 25.946609 51.461401 25.817533 51.470788 25.667336 51.461401 25.507751 51.470788 25.366941 51.527112 25.298883 51.538846 25.007875 51.482522 24.885840 51.416811 24.726255 51.318244 24.625341 51.327631 24.554936 51.405077 24.524427 51.351099 24.463409 51.318244 24.303825 51.482522 24.334333 51.571702 24.273316 51.658535 24.313212 51.703125 24.132506 51.726593 24.120771 51.768836 24.071488 51.968317 24.031592 52.221775 24.010470 52.364932 24.031592 52.463499 24.132506 52.606656 24.221685 52.850727 24.212298 53.047861 24.202911 53.181631 24.141893 53.334175 24.141893 53.467945 24.090263 53.676813 24.101997 53.897416 24.111384 54.073428 24.212298 54.118018 24.282703 54.183729 24.303825 54.261175 24.282703 54.371476 24.353108 54.359742 24.564323 54.514633 24.735642 54.735236 24.885840 55.000428 25.097055 55.209296 25.308270 55.408777 25.498364 55.561322 25.636827 55.749068 25.737741 55.948549 25.937222 56.035382 26.136703 56.145684 26.254045 56.202008 26.254045 56.300575 26.315062 56.378020 26.275166 56.366286 26.195374 56.312309 26.155478 56.300575 26.085072 56.345165 26.047523 56.345165 25.887938 56.246598 25.737741 56.223129 25.667336 56.267719 25.596931 56.267719 25.418571 56.255985 25.167460 56.279453 24.906961 56.366286 24.695746 56.565767 24.515040 56.720658 24.362495 56.819225 24.221685 56.929527 24.191177 57.072683 24.111384 57.161863 24.040979 57.039828 24.120771 57.028094 24.120771 57.060949 24.080875 57.182985 24.019858 57.326142 23.949452 57.502154 23.888435 57.591334 23.857926 57.713369 23.818030 57.889382 23.787521 58.053661 23.787521 58.196818 23.717116 58.307119 23.656098 58.440888 23.665485 58.605167 23.604468 58.659144 23.543450 58.769445 23.433149 58.814035 23.351010 58.914949 23.259483 58.957192 23.137448 59.058106 23.045921 59.144939 22.994291 59.177795 22.832359 59.266974 22.759607 59.365541 22.677468 59.499311 22.646959 59.586144 22.646959 59.619000 22.597675 59.684711 22.546045 59.762157 22.463906 59.719914 22.330136 59.651855 22.177592 59.630734 22.043822 59.487577 21.797405 59.344420 21.612005 59.210650 21.417217 59.079228 21.313957 58.914949 21.198962 58.769445 20.992440 58.715468 20.837549 58.638023 20.764797 58.539455 20.567663 58.417420 20.422159 58.297731 20.443281 58.229673 20.494911 58.187430 20.619293 58.098250 20.579397 57.955094 20.403385 57.767347 20.152273 57.689901 20.070134 # -b 50.555522 26.235270 50.480424 26.254045 50.424100 26.284553 50.424100 26.106194 50.456955 25.967731 50.546135 26.007627 50.555522 26.235270 # -b 60.015615 25.338779 59.752769 25.348166 59.421865 25.409184 59.210650 25.477242 59.123817 25.449080 59.090962 25.378675 58.870359 25.507751 58.626288 25.578156 58.307119 25.587543 57.931625 25.627440 57.734491 25.688457 57.415321 25.707232 57.260430 25.927835 57.117273 26.235270 57.051562 26.512196 57.028094 26.641272 57.016359 26.641272 56.983504 26.711677 56.896671 26.908812 56.619744 27.066050 56.443732 27.124720 56.300575 27.134108 56.169152 27.084824 55.925081 26.997991 55.727947 26.948708 55.573056 26.899424 55.462755 26.770348 55.307863 26.699943 55.131851 26.690556 54.833803 26.533318 54.624934 26.493422 54.359742 26.552093 54.240053 26.650660 53.963127 26.699943 53.709669 26.662394 53.587633 26.662394 53.411621 26.838407 53.479679 26.810245 53.467945 26.887690 53.334175 26.958095 53.026740 27.056662 52.749813 27.134108 52.597269 27.331242 52.597269 27.401647 52.430644 27.558885 52.165451 27.685614 51.923727 27.753672 51.625679 27.772447 51.461401 27.852239 51.327631 27.997743 51.306510 28.009477 51.261920 28.096310 51.175087 28.368543 51.008462 28.652510 50.942750 28.884847 50.755003 29.018616 50.578991 29.154733 50.501545 29.387069 50.424100 29.541961 50.269208 29.617059 50.170641 29.753176 50.072074 29.868171 50.048606 29.983166 # -b 56.169152 26.927586 56.091706 26.948708 55.925081 26.927586 55.760803 26.918199 55.683357 26.779736 55.474489 26.662394 55.253886 26.582602 55.275008 26.512196 55.540200 26.573214 55.760803 26.631885 56.035382 26.829019 56.169152 26.927586 # -b 40.457091 19.997382 40.346790 20.091256 40.281078 20.121764 40.182511 20.203904 40.083944 20.267268 # -b 48.495001 28.300485 48.506735 28.300485 48.539591 28.204265 48.584181 28.086923 48.649892 27.988356 48.727338 27.871014 48.879882 27.821730 48.980796 27.636330 49.112219 27.558885 49.234254 27.500214 49.267110 27.450931 49.201398 27.411034 49.255376 27.342976 49.288231 27.183391 49.389145 27.134108 49.443122 27.145842 49.520568 27.084824 49.675459 26.997991 49.806882 26.927586 49.938305 26.810245 # -b 48.262664 28.807401 48.274399 28.748730 48.295520 28.671285 48.318988 28.572718 48.405821 28.495272 48.473880 28.368543 48.495001 28.300485 # -b 48.372966 29.955004 48.372966 29.924495 # -b 48.065530 30.079386 47.966963 29.992553 48.009206 29.924495 48.208687 29.809500 48.274399 29.694505 48.152363 29.598285 47.910639 29.551348 47.746361 29.464515 47.690037 29.337786 47.767482 29.337786 47.889518 29.337786 48.042062 29.281462 48.098386 29.117183 48.142976 28.952905 48.220421 28.816789 # -b 48.551325 30.098161 48.473880 29.973778 # -b 49.663725 30.069999 49.532302 29.945616 49.487712 29.992553 # -b 32.365203 30.163872 32.386325 29.983166 32.386325 29.886945 32.353469 29.722667 32.365203 29.588897 32.419180 29.434006 32.529482 29.173507 32.630396 28.952905 32.696107 28.798014 32.794674 28.631389 32.916710 28.436601 33.092722 28.253548 33.292203 28.056414 33.411892 27.960194 33.456482 27.950806 33.477603 27.880401 33.477603 27.772447 33.489337 27.626943 33.522193 27.518989 33.655963 27.342976 33.787385 27.223287 33.853097 26.997991 33.909421 26.800857 33.951664 26.582602 34.085433 26.324450 34.216856 26.124969 34.327157 25.866817 34.493783 25.667336 34.592350 25.467855 34.702651 25.207356 34.812952 25.017262 34.923254 24.876452 35.045289 24.625341 35.120388 24.484531 35.242423 24.343721 35.373846 24.233420 35.561593 24.080875 35.716484 23.958840 35.728218 23.928331 35.728218 23.909556 35.716484 23.879047 35.716484 23.869660 35.662507 23.909556 35.484147 23.949452 35.418436 23.857926 35.474760 23.726503 35.474760 23.543450 35.495881 23.320501 35.552205 23.189078 # -b 36.831231 22.001579 36.852352 21.867810 36.852352 21.724653 36.896942 21.518131 37.040099 21.344465 37.159787 21.220083 37.204377 21.107435 37.150400 21.116822 37.159787 20.776531 37.183256 20.422159 37.183256 20.152273 # -b 35.552205 23.189078 35.573327 23.106939 35.662507 22.975516 35.793929 22.790116 36.059122 22.698589 36.256256 22.585941 36.467471 22.360645 36.631750 22.278506 36.831231 22.001579 # -b 34.890398 29.492677 34.934988 29.387069 34.911519 29.445740 34.801218 29.368295 34.756628 29.272075 34.735507 29.250953 34.735507 29.232178 34.679183 29.107796 34.646327 28.981067 34.592350 28.826176 34.547760 28.652510 34.482049 28.485885 34.392869 28.309872 34.383481 28.164368 34.392869 28.028252 34.360013 27.929685 34.294302 27.880401 34.139411 27.793568 33.942276 27.842852 33.820241 27.969581 33.632494 28.173756 33.477603 28.330994 33.379036 28.436601 33.224145 28.622001 33.191289 28.875459 33.104456 29.039738 32.893241 29.250953 32.827530 29.377682 32.705494 29.520839 32.672639 29.656956 32.663251 29.753176 32.651517 29.771950 32.630396 29.840009 32.574072 29.915107 32.552950 29.992553 # -b 37.910775 24.172402 37.877919 24.212298 37.854451 24.212298 37.821595 24.221685 37.800473 24.273316 37.734762 24.303825 37.657316 24.343721 37.547015 24.343721 37.481304 24.322599 37.403858 24.353108 37.371003 24.475144 37.281823 24.606566 37.159787 24.735642 37.159787 24.897574 37.183256 24.928083 37.126932 25.078280 37.072955 25.258986 37.007243 25.418571 36.906329 25.547647 36.786641 25.756516 36.631750 25.817533 36.577772 25.887938 36.542570 26.007627 36.422881 26.146090 36.333701 26.244657 36.256256 26.423017 36.169423 26.641272 36.059122 26.770348 35.925352 26.859528 35.772808 27.026153 35.695362 27.134108 35.671894 27.223287 35.617917 27.281958 35.540471 27.371138 35.517003 27.429809 35.474760 27.518989 35.409048 27.636330 35.319869 27.772447 35.254157 27.892136 35.197833 27.969581 35.155590 28.056414 35.054676 28.124472 34.899785 28.124472 34.747241 28.145594 34.714385 28.164368 34.625205 28.145594 34.580616 28.065801 34.604084 28.136206 34.702651 28.321606 34.789484 28.535168 34.801218 28.739343 34.801218 28.884847 34.834074 29.018616 34.857542 29.058513 34.911519 29.185242 34.890398 29.492677 # -b 40.083944 20.267268 39.973643 20.318899 39.938440 20.340020 39.938440 20.328286 39.896197 20.318899 39.785896 20.361142 39.684982 20.422159 39.532438 20.506645 39.398668 20.609906 39.321223 20.703780 39.255511 20.816428 39.201534 20.931423 39.145210 21.107435 39.124088 21.241205 39.100620 21.374974 39.091233 21.447726 39.079499 21.508744 39.067764 21.539253 39.058377 21.621392 39.046643 21.694144 39.023175 21.806792 38.990319 21.849035 38.957463 21.919440 38.948076 22.013314 38.990319 22.053210 39.034909 22.177592 39.058377 22.299627 39.058377 22.402888 39.023175 22.503802 38.980931 22.646959 38.924607 22.759607 38.847162 22.841746 38.781451 22.984903 38.748595 23.097551 38.736861 23.158569 38.671149 23.259483 38.593704 23.442536 38.483402 23.634977 38.363714 23.818030 38.220557 23.928331 38.086787 24.059754 37.955365 24.141893 37.910775 24.172402 # -b 0.072752 39.816405 -0.105608 39.628658 -0.171319 39.450299 -0.215909 39.389281 -0.225296 39.363466 -0.225296 39.330610 -0.159585 39.253164 -0.126729 39.107661 -0.082139 39.013787 # -b 0.225296 38.652375 -0.004694 38.504524 -0.183053 38.417691 -0.302742 38.314430 -0.391921 38.183008 -0.478754 38.079747 -0.523344 37.938937 -0.612524 37.826289 -0.657114 37.704253 -0.621911 37.617420 -0.788537 37.589258 -0.997405 37.582218 -1.196886 37.547015 -1.361164 37.432020 -1.570033 37.284170 -1.626357 37.150400 -1.692068 37.009590 -1.769514 36.894595 -1.868081 36.798375 -2.011238 36.779600 -2.231840 36.814803 -2.508767 36.725623 -2.738757 36.735010 -3.027417 36.788987 -3.323119 36.753785 -3.555455 36.779600 -3.874625 36.753785 -4.052984 36.725623 -4.217263 36.709195 -4.426131 36.530836 -4.658468 36.514408 -4.867336 36.441656 -5.022227 36.310233 -5.076204 36.221053 -5.165384 36.148301 -5.209974 36.138914 -5.242830 36.113099 -5.308541 36.084937 -5.407108 36.094324 -5.618323 36.129527 -5.838926 36.256256 -5.958614 36.397066 -6.036060 36.505020 -6.057181 36.629403 -6.190951 36.718582 -6.202685 36.868780 -6.277784 36.993162 -6.432675 37.098770 -6.575832 37.159787 -6.709602 37.211418 -6.841024 37.239580 -6.984181 37.239580 -7.237640 37.220805 # -b -8.725533 40.086291 -8.770123 39.943134 -8.847568 39.790590 -8.880424 39.687329 -8.990725 39.518357 -9.133882 39.372853 -9.211328 39.269592 -9.211328 39.166331 -9.211328 39.013787 -9.255918 38.901139 -9.288773 38.807266 -9.277039 38.762676 -9.124495 38.685230 -9.002460 38.546767 -8.946136 38.462281 -8.814713 38.504524 -8.650434 38.530339 -8.549520 38.539726 -8.561255 38.478709 -8.615232 38.417691 -8.605844 38.349633 -8.605844 38.192395 -8.650434 38.018729 -8.615232 37.922509 -8.626966 37.800473 -8.626966 37.781699 -8.626966 37.730068 -8.615232 37.598646 -8.650434 37.467223 -8.749001 37.284170 -8.760736 37.124585 -8.704411 37.070608 -8.507277 37.115198 -8.286675 37.115198 -8.054338 37.105810 -7.887713 37.063567 -7.690579 37.063567 -7.523953 37.105810 -7.392531 37.178562 -7.270495 37.204377 -7.237640 37.220805 # -b -1.945526 35.096919 -1.814104 35.106307 -1.570033 35.179059 -1.283719 35.312828 -1.140562 35.458332 -0.964549 35.664853 -0.755681 35.772808 -0.579668 35.791583 -0.469367 35.772808 -0.347332 35.845560 -0.258152 35.915965 -0.061018 35.845560 # -b -9.729978 29.849396 -9.619677 30.020715 -9.607943 30.098161 -9.607943 30.231930 -9.631411 30.384474 -9.697123 30.499469 -9.807424 30.670788 -9.762834 30.842107 -9.762834 31.060363 -9.751100 31.266884 -9.718244 31.391267 -9.619677 31.541464 -9.509376 31.691662 -9.399075 31.853593 -9.399075 31.909917 -9.166738 32.027259 -9.166738 32.027259 -9.211328 31.999097 -9.190206 32.046034 -9.124495 32.168069 -9.035315 32.355816 -9.068171 32.534175 -8.903892 32.700801 -8.659822 32.933137 -8.495543 33.146699 -8.319531 33.285163 -8.021482 33.404851 -7.735169 33.498725 -7.491098 33.580864 -7.228252 33.700552 -7.007650 33.810854 -6.808169 33.930542 -6.608688 34.122983 -6.477265 34.378788 -6.277784 34.597043 -6.167483 34.852848 -6.080650 35.096919 -5.982083 35.322216 -5.860047 35.566286 -5.782602 35.754033 -5.684035 35.817398 -5.517409 35.852600 -5.296807 35.915965 -5.231096 35.826785 -5.132528 35.655466 -5.010493 35.538124 -4.879070 35.430170 -4.813359 35.394967 -4.634999 35.305788 -4.482455 35.204874 -4.294708 35.169671 -4.074106 35.223648 -3.853503 35.287013 -3.722081 35.258851 -3.567189 35.268238 -3.379443 35.258851 -3.248020 35.268238 -3.081395 35.277626 -2.949972 35.322216 -2.806815 35.258851 -2.663658 35.169671 -2.475911 35.122735 -2.276430 35.141509 -1.945526 35.096919 # -b -16.775178 32.804061 -16.796299 32.813449 -16.873745 32.785287 -17.007514 32.813449 -17.040370 32.757125 -16.951190 32.644477 -16.754056 32.606927 -16.608552 32.644477 -16.632021 32.766512 -16.775178 32.804061 # -b -16.190816 33.118537 -16.268261 33.099763 -16.289383 33.052826 -16.301117 32.989461 -16.235405 32.989461 -16.223671 33.109150 # -b -28.572718 38.617172 -28.659551 38.581970 -28.626695 38.513911 -28.560984 38.539726 -28.572718 38.617172 # -b -28.042333 38.401263 -27.955500 38.427078 -28.054067 38.478709 -28.208958 38.520952 -28.340381 38.546767 -28.406092 38.520952 -28.396705 38.452894 -28.286404 38.408304 -28.164368 38.391876 -28.042333 38.401263 # -b -27.723163 38.572582 -27.678574 38.598397 -27.678574 38.607785 -27.734898 38.626559 -27.845199 38.633600 -27.976622 38.678190 -28.065801 38.720433 -28.108044 38.720433 -28.042333 38.659415 -27.899176 38.581970 -27.779487 38.539726 -27.723163 38.572582 # -b -27.051969 38.772063 -27.094212 38.797878 -27.227981 38.762676 -27.260837 38.704005 -27.183391 38.659415 -27.061356 38.633600 -26.983910 38.685230 -27.051969 38.772063 # -b -25.054812 37.835676 -25.087668 37.852104 -25.230824 37.852104 -25.573462 37.842716 -25.704885 37.861491 -25.695498 37.800473 -25.528873 37.739456 -25.331738 37.704253 -25.120523 37.739456 -25.054812 37.835676 # -b -24.932776 36.974387 -24.923389 37.009590 -24.944511 37.018977 -25.033690 36.974387 -24.989100 36.939185 -24.932776 36.974387 # -b -31.053322 39.440911 -31.065057 39.508969 -31.119034 39.518357 -31.163624 39.415096 -31.119034 39.372853 -31.053322 39.440911 # -b -64.613065 32.365203 -64.603677 32.430915 -64.613065 32.412140 -64.624799 32.374591 -64.669389 32.346429 -64.713979 32.308879 -64.735100 32.271330 -64.735100 32.252555 -64.713979 32.252555 -64.648267 32.271330 -64.624799 32.318267 -64.613065 32.365203 # -b -74.019180 40.001805 -74.040301 39.985377 # -b -74.073157 40.001805 -74.106013 39.975990 -74.138869 39.900891 -74.174071 39.799977 -74.183458 39.731919 -74.195193 39.696716 -74.206927 39.680288 -74.260904 39.628658 -74.326615 39.612230 -74.338350 39.518357 -74.371205 39.492542 -74.394674 39.450299 -74.460385 39.389281 -74.558952 39.337650 -74.603542 39.262552 -74.690375 39.166331 -74.758433 39.065418 -74.857000 38.987972 -74.878122 39.013787 -74.878122 39.149904 -74.868734 39.236737 -74.910977 39.243777 -75.000157 39.243777 -75.065868 39.253164 -75.143314 39.321223 -75.298205 39.356425 -75.363916 39.408055 -75.417894 39.457339 -75.462484 39.518357 -75.485952 39.544172 -75.495339 39.569987 -75.507073 39.619271 -75.518808 39.602843 -75.518808 39.466726 -75.474218 39.337650 -75.396772 39.192147 -75.363916 39.098273 -75.307592 38.969197 -75.197291 38.875324 -75.122192 38.788491 -75.077603 38.652375 -75.021279 38.565542 -75.054134 38.495137 -75.089337 38.391876 -75.098724 38.375448 -75.110458 38.356673 -75.197291 38.288615 -75.253615 38.208823 -75.286471 38.166580 -75.298205 38.157192 -75.298205 38.070359 -75.352182 38.028116 -75.417894 37.896694 -75.462484 37.816901 -75.518808 37.755884 -75.572785 37.659663 -75.596253 37.582218 -75.638496 37.502425 -75.661965 37.415592 -75.683086 37.352228 -75.739410 37.239580 -75.826243 37.178562 -75.882567 37.178562 -75.927157 37.204377 -75.960013 37.274782 -75.981134 37.352228 -75.992868 37.415592 -75.992868 37.493038 -75.960013 37.556403 -75.891954 37.659663 -75.837977 37.748843 -75.793387 37.852104 -75.760532 37.877919 -75.739410 37.877919 -75.694820 37.887306 -75.683086 37.906081 -75.661965 37.983527 -75.739410 37.992914 -75.805121 38.035157 -75.793387 38.105562 -75.793387 38.147805 -75.837977 38.192395 -75.849711 38.269840 -75.915423 38.321471 -76.002256 38.305043 -76.103170 38.305043 -76.157147 38.375448 -76.213471 38.401263 -76.222858 38.427078 -76.246327 38.488096 -76.258061 38.520952 -76.234592 38.581970 -76.190002 38.642987 -76.112557 38.668802 -76.103170 38.720433 -76.136025 38.797878 -76.124291 38.875324 -76.124291 38.910526 -76.157147 38.917567 -76.201737 38.917567 -76.279182 38.910526 -76.290916 38.969197 -76.213471 39.013787 -76.157147 39.065418 -76.124291 39.133476 -76.136025 39.140516 -76.157147 39.185106 -76.157147 39.227349 -76.168881 39.262552 -76.124291 39.356425 -76.070314 39.389281 -75.981134 39.415096 -75.936544 39.492542 -75.915423 39.525397 -75.992868 39.586415 -76.013990 39.586415 -76.046846 39.544172 -76.112557 39.440911 -76.190002 39.415096 -76.234592 39.408055 -76.300304 39.356425 -76.356628 39.304795 -76.401218 39.269592 -76.443461 39.262552 -76.532640 39.243777 -76.520906 39.210921 -76.455195 39.149904 -76.455195 39.117048 -76.455195 39.013787 -76.499785 38.943382 -76.511519 38.797878 -76.511519 38.685230 -76.511519 38.626559 -76.499785 38.530339 -76.455195 38.452894 -76.443461 38.443506 -76.488051 38.462281 -76.565496 38.469321 -76.499785 38.417691 -76.434073 38.375448 -76.401218 38.269840 -76.368362 38.166580 -76.356628 38.147805 -76.344894 38.114949 -76.389483 38.166580 -76.443461 38.175967 -76.499785 38.227597 -76.544375 38.279228 -76.621820 38.279228 -76.642942 38.279228 -76.696919 38.288615 -76.753243 38.349633 -76.797833 38.366061 -76.818954 38.349633 -76.896400 38.366061 -76.950377 38.279228 -76.863544 38.201782 -76.732121 38.157192 -76.631207 38.147805 -76.553762 38.114949 -76.443461 38.079747 -76.410605 38.053932 -76.368362 37.992914 -76.300304 37.948324 -76.290916 37.852104 -76.312038 37.748843 -76.344894 37.669051 -76.422339 37.669051 -76.410605 37.624461 -76.389483 37.582218 -76.401218 37.528241 -76.312038 37.502425 -76.258061 37.406205 -76.246327 37.352228 -76.290916 37.371003 -76.389483 37.345187 -76.389483 37.319372 -76.377749 37.274782 -76.344894 37.185603 -76.267448 37.178562 -76.234592 37.124585 -76.234592 37.098770 -76.290916 37.079995 -76.389483 37.063567 -76.488051 37.070608 -76.511519 37.009590 -76.466929 36.965000 -76.401218 36.948572 -76.333159 36.920410 -76.300304 36.920410 -76.267448 36.920410 -76.258061 36.974387 -76.180615 36.957960 -76.124291 36.929798 -76.037458 36.929798 -75.992868 36.885208 -75.969400 36.798375 -75.960013 36.664605 -75.915423 36.620015 -75.936544 36.549610 -75.936544 36.540223 -75.936544 36.486246 -75.936544 36.479205 -75.936544 36.451043 -75.927157 36.441656 -75.915423 36.441656 -75.915423 36.406453 -75.915423 36.352476 -75.882567 36.256256 -75.826243 36.202279 -75.793387 36.129527 -75.793387 36.084937 -75.805121 36.129527 -75.849711 36.202279 -75.960013 36.183504 -76.070314 36.237481 -76.070314 36.167076 -76.147759 36.174117 -76.180615 36.148301 -76.290916 36.113099 -76.377749 36.059122 -76.466929 36.049734 -76.553762 36.068509 -76.610086 36.174117 -76.621820 36.300846 -76.654676 36.272684 -76.675797 36.068509 -76.654676 35.934739 -76.499785 35.915965 -76.377749 35.934739 -76.157147 35.969942 -76.070314 35.969942 -76.058580 35.798623 -76.013990 35.709443 -75.903689 35.880762 -75.816856 35.960555 -75.748797 35.890150 -75.715942 35.718831 -75.727676 35.620264 -75.805121 35.592102 -75.936544 35.474760 -76.079701 35.359765 -76.201737 35.359765 -76.290916 35.350378 -76.333159 35.430170 -76.410605 35.413742 -76.422339 35.493534 -76.434073 35.538124 -76.520906 35.448945 -76.577230 35.439557 -76.797833 35.430170 -76.664063 35.376193 -76.520906 35.350378 -76.455195 35.277626 -76.532640 35.223648 -76.532640 35.186099 -76.621820 35.096919 -76.631207 35.087532 -76.642942 35.078145 -76.654676 35.078145 -76.664063 34.960803 -76.642942 34.998352 -76.532640 35.052329 -76.377749 35.005393 -76.401218 34.815299 -76.532640 34.751935 -76.687532 34.669795 -76.840076 34.669795 -77.051291 34.660408 -77.325871 34.533679 -77.424438 34.505517 -77.546473 34.423378 -77.558207 34.423378 -77.602797 34.350626 -77.713098 34.277874 -77.811666 34.151145 -77.832787 34.085433 -78.011147 34.003294 -78.163691 33.939930 -78.306848 33.930542 -78.506329 33.892993 -78.637751 33.810854 -78.804377 33.747489 -78.858354 33.728714 -79.024979 33.562089 -79.057835 33.508112 -79.111812 33.414239 -79.144668 33.395464 -79.222113 33.350874 -79.177524 33.266388 -79.245582 33.174861 -79.332415 33.099763 -79.433329 33.071601 -79.520162 33.036398 -79.543630 32.951912 -79.630463 32.895588 -79.642197 32.886201 -79.675053 32.895588 -79.761886 32.813449 -79.928511 32.682026 # -b -79.928511 32.682026 -80.050546 32.625702 -80.125645 32.571725 -80.235946 32.559991 -80.313392 32.571725 -80.435427 32.578765 -80.533994 32.597540 -80.599706 32.597540 -80.634908 32.597540 -80.710007 32.597540 -80.745209 32.559991 -80.721741 32.477851 -80.667764 32.412140 -80.623174 32.299492 -80.677151 32.233780 -80.733475 32.252555 -80.810921 32.215006 -80.942344 32.158682 -80.930609 32.102358 -80.897754 32.046034 -80.897754 32.036646 -81.008055 32.050727 -81.019789 32.022565 -81.085501 31.956854 -81.141825 31.834819 -81.186414 31.778494 -81.273247 31.607176 -81.371814 31.410041 -81.395283 31.344330 -81.428138 31.248110 -81.460994 31.154236 -81.460994 31.126074 -81.526706 31.060363 -81.592417 30.917206 -81.604151 30.764662 -81.615885 30.661401 -81.571295 30.583955 -81.550174 30.403249 -81.505584 30.250705 -81.449260 30.107548 # -b -83.742118 29.964391 -83.897009 30.048877 -84.105877 30.126323 -84.251381 30.135710 -84.326480 30.126323 -84.415660 30.079386 # -b -85.495204 29.964391 -85.551528 30.030102 -85.650095 30.079386 -85.804986 30.163872 -85.948143 30.241317 -86.147624 30.297642 -86.356492 30.384474 -86.401082 30.431411 -86.333024 30.440798 -86.323637 30.518244 -86.499649 30.546406 -86.720252 30.518244 -86.961976 30.471307 -87.149723 30.440798 -87.095745 30.508857 -87.072277 30.593343 -87.137988 30.574568 -87.194312 30.537019 -87.281145 30.537019 -87.426649 30.403249 -87.656639 30.346925 -87.799796 30.297642 -87.999277 30.260092 -88.032133 30.318763 -87.966421 30.480695 -88.011011 30.661401 -88.020398 30.860882 -88.064988 30.945368 -88.130700 30.727112 -88.208145 30.537019 -88.219879 30.422024 -88.306712 30.393862 -88.482725 30.403249 -88.649350 30.403249 -88.848831 30.422024 -89.034231 30.440798 -89.266568 30.337538 -89.376869 30.375087 -89.520026 30.297642 -89.585737 30.278867 -89.653796 30.260092 -89.796953 30.288254 -89.862664 30.297642 # -b -90.137244 30.107548 -89.972965 30.194381 -89.874398 30.184993 -89.883785 30.088773 -89.862664 30.001940 # -b -89.752363 29.992553 -89.609206 30.098161 -89.433193 30.163872 -89.365135 30.116935 -89.388603 30.020715 # -b -89.862664 30.297642 -90.005821 30.318763 -90.181833 30.431411 -90.402436 30.375087 -90.479882 30.194381 -90.324990 30.079386 -90.137244 30.107548 # -b -117.057789 32.449689 -117.057789 32.524788 -117.114113 32.656211 -117.135235 32.700801 -117.135235 32.860385 -117.156356 32.970687 -117.224415 33.083335 -117.290126 33.174861 -117.376959 33.231185 -117.487260 33.341487 -117.599908 33.454135 -117.719597 33.536274 -117.862754 33.609026 -118.008258 33.702899 -118.106825 33.728714 -118.205392 33.728714 -118.315693 33.747489 -118.327427 33.839016 -118.360283 33.930542 -118.482318 34.031456 -118.569151 34.078393 -118.670065 34.059618 -118.681799 34.015028 -118.702921 33.968092 -118.780366 34.040844 -118.902402 34.097168 -118.989235 34.115942 -119.078414 34.141757 -119.176982 34.188694 -119.221571 34.270833 -119.277895 34.298995 -119.364728 34.324811 -119.442174 34.362360 -119.585331 34.416337 -119.695632 34.425725 -119.763690 34.371747 -119.895113 34.435112 # -b -114.861152 31.963894 -114.828296 31.870021 -114.739116 31.776148 -114.717995 31.663500 -114.727382 31.607176 -114.750850 31.557892 -114.750850 31.407695 -114.727382 31.285659 -114.706261 31.114340 -114.661671 30.992305 -114.563104 30.877310 -114.541982 30.734153 -114.530248 30.581609 -114.530248 30.429064 -114.485658 30.285907 -114.452802 30.105201 -114.441068 30.095814 -114.375357 30.027755 # -b -115.656729 29.971431 -115.677850 30.086426 -115.710706 30.238971 -115.755296 30.372740 -115.809273 30.391515 -115.877331 30.344578 -115.898453 30.382128 -115.898453 30.534672 -115.964164 30.687216 -116.020488 30.802211 -116.086200 30.849148 -116.119055 30.924246 -116.163645 30.943021 -116.163645 31.020467 -116.208235 31.133115 -116.262212 31.219948 -116.351392 31.323208 -116.428838 31.426469 -116.518017 31.529730 -116.527405 31.586054 -116.527405 31.691662 -116.539139 31.785535 -116.593116 31.860634 -116.661174 31.870021 -116.682296 31.935732 -116.738620 32.001444 -116.792597 32.038993 -116.816065 32.104705 -116.848921 32.179803 -116.926367 32.273677 -116.926367 32.320613 -116.935754 32.402753 -117.057789 32.449689 # -b -114.861152 31.963894 -114.882273 32.001444 -114.882273 31.992056 -114.872886 31.945120 -114.828296 31.879408 -114.739116 31.832472 -114.673405 31.794922 -114.595959 31.747986 -114.530248 31.729211 -114.462190 31.672887 -114.363623 31.607176 -114.342501 31.625950 -114.319033 31.625950 -114.297911 31.557892 -114.220466 31.520343 -114.121899 31.473406 -114.011597 31.445244 -113.901296 31.454631 -113.823851 31.473406 -113.734671 31.482793 -113.645491 31.435857 -113.591514 31.398307 -113.579780 31.304434 -113.502334 31.266884 -113.370911 31.248110 -113.260610 31.210560 -113.159696 31.189439 -113.072863 31.123727 -113.007152 31.039241 -113.007152 30.973530 -113.007152 30.849148 -112.995418 30.724766 -112.962562 30.630892 -112.896851 30.544059 -112.819405 30.410290 -112.795937 30.295295 -112.751347 30.257745 -112.685636 30.152138 # -b -120.071126 33.996254 -119.993680 34.024416 -119.960824 33.996254 -119.916235 33.958704 -119.895113 33.914114 -119.927969 33.895340 # -b -119.784812 34.069006 -119.817668 34.097168 -119.805933 34.087780 -119.740222 34.040844 -119.686245 34.005641 -119.629921 33.986866 -119.531354 34.005641 -119.453908 34.015028 -119.453908 33.977479 -119.519619 33.968092 -119.585331 33.939930 -119.653389 33.914114 -119.740222 33.958704 -119.773078 34.015028 -119.784812 34.069006 # -b -118.393139 33.425973 -118.437728 33.416585 -118.416607 33.416585 -118.393139 33.416585 -118.348549 33.369649 -118.306306 33.369649 -118.271103 33.360261 -118.249982 33.296897 -118.261716 33.278122 -118.306306 33.278122 -118.306306 33.306284 -118.327427 33.350874 -118.372017 33.379036 -118.393139 33.425973 # -b -118.503440 33.017623 -118.482318 33.036398 -118.482318 33.008236 -118.437728 32.951912 -118.383751 32.879160 -118.315693 32.860385 -118.271103 32.813449 -118.238247 32.785287 -118.294572 32.766512 -118.339161 32.766512 -118.383751 32.813449 -118.425994 32.888547 -118.482318 32.951912 -118.503440 32.989461 -118.503440 33.017623 # -b -119.895113 34.435112 -120.017148 34.479702 -120.115716 34.498476 -120.193161 34.507864 -120.291728 34.507864 -120.425498 34.536026 -120.491209 34.590003 -120.512331 34.662755 -120.535799 34.744894 -120.535799 34.817646 -120.547533 34.871623 -120.547533 34.916213 -120.547533 34.944375 -120.547533 34.979578 -120.512331 35.010086 -120.512331 35.000699 -120.512331 35.010086 -120.512331 35.000699 -120.524065 35.017127 -120.524065 35.035902 -120.512331 35.064064 -120.535799 35.118041 -120.556921 35.143856 -120.613245 35.207221 -120.690690 35.244770 -120.768136 35.270585 -120.777523 35.279972 -120.777523 35.289360 -120.777523 35.362112 -120.777523 35.434864 -120.866703 35.460679 -120.944148 35.514656 -121.033328 35.596795 -121.087305 35.631998 -121.197607 35.739952 -121.307908 35.854947 -121.418209 36.000451 -121.540244 36.089631 -121.683401 36.214013 -121.826558 36.392372 -121.850027 36.570732 -121.793703 36.605934 -121.727991 36.650524 -121.739725 36.826537 -121.838293 36.976734 -121.993184 36.995509 -122.080017 36.995509 -122.180930 37.084689 -122.279498 37.232539 -122.302966 37.347534 -122.345209 37.478957 -122.422654 37.603339 -122.446123 37.734762 -122.401533 37.812208 -122.312353 37.777005 -122.279498 37.699560 -122.157462 37.584565 -122.014305 37.504772 -122.070629 37.636195 -122.225520 37.838023 -122.267763 37.943630 -122.190318 38.021076 -122.026039 38.046891 -121.904004 38.091481 -122.115219 38.161886 -122.225520 38.178314 -122.345209 38.178314 -122.434389 38.187701 -122.434389 38.075053 -122.434389 37.934243 -122.500100 37.892000 -122.565811 37.908428 -122.610401 37.953018 -122.666725 37.953018 -122.744171 37.985873 -122.798148 38.011689 -122.875594 38.091481 -122.887328 38.107909 -122.887328 38.152499 -122.887328 38.220557 -122.887328 38.239332 -122.941305 38.335552 -123.030485 38.403610 -123.129052 38.490443 -123.251087 38.593704 -123.340267 38.680537 -123.405978 38.757982 -123.537401 38.861243 -123.581991 39.006747 -123.593725 39.102967 -123.647702 39.239083 -123.692292 39.368159 -123.692292 39.487848 -123.682905 39.513663 -123.647702 39.614577 -123.692292 39.708450 -123.758004 39.792936 -123.847183 39.896197 -123.912895 39.980683 # -b -120.115716 33.968092 -120.160305 33.986866 -120.139184 33.986866 -120.071126 33.996254 # -b -119.927969 33.895340 -120.005414 33.895340 -120.061738 33.914114 -120.115716 33.968092 -120.005414 33.895340 -120.061738 33.914114 -120.115716 33.968092 # -b 141.960057 40.022926 142.058624 39.818752 142.103214 39.640392 142.157191 39.469073 142.136070 39.332957 142.070358 39.229696 142.046890 39.074805 141.927201 38.955116 141.805166 38.948076 141.727720 38.765023 141.638541 38.542073 141.638541 38.368408 141.629153 38.316777 141.396817 38.333205 141.143358 38.194742 141.054179 37.934243 141.087034 37.671397 141.143358 37.453142 141.143358 37.143360 141.164480 36.957960 140.976733 36.826537 140.854698 36.603588 140.812455 36.533182 140.756131 36.258603 140.744396 35.944127 140.887553 35.791583 140.922756 35.683628 140.767865 35.603836 140.589505 35.359765 140.479204 35.162631 140.237480 35.007740 # -b 139.984022 35.233036 140.016877 35.369152 140.148300 35.495881 140.192890 35.622610 # -b 139.972288 39.161638 140.070855 39.323569 140.138913 39.530091 140.148300 39.750693 140.016877 39.844567 # -b 140.237480 35.007740 139.993409 34.862236 139.951166 35.007740 139.984022 35.233036 # -b 140.192890 35.622610 139.951166 35.622610 139.894842 35.451291 139.805662 35.305788 139.784541 35.153243 139.653118 35.233036 139.409047 35.261198 139.298746 35.115694 139.254156 34.918560 139.209566 34.726119 139.089878 34.618165 138.956108 34.636940 138.911518 34.871623 138.946721 35.035902 138.791830 35.052329 138.625204 34.925600 138.460926 34.763669 138.348278 34.580616 138.315422 34.554800 138.195733 34.571228 137.996252 34.608778 137.731060 34.618165 137.477602 34.618165 137.256999 34.554800 137.212409 34.554800 137.278121 34.636940 137.388422 34.709692 137.266387 34.726119 137.167820 34.744894 137.113842 34.798871 137.057518 34.709692 136.935483 34.817646 136.926096 35.017127 136.836916 34.981924 136.714880 34.754281 136.628048 34.618165 136.771204 34.536026 136.968339 34.416337 136.968339 34.179307 136.836916 34.270833 136.714880 34.216856 136.583458 34.198081 136.449688 34.134717 136.372243 34.040844 136.351121 33.977479 136.229086 33.813201 136.064807 33.555049 135.853592 33.454135 135.701048 33.498725 135.579012 33.555049 135.478098 33.702899 135.290352 33.803813 135.236374 33.977479 135.248108 34.134717 135.248108 34.261446 135.334941 34.334198 135.501567 34.564188 135.522688 34.636940 135.478098 34.662755 135.325554 34.643980 135.147195 34.608778 134.926592 34.681530 134.684868 34.726119 134.464266 34.716732 134.264785 34.580616 134.142749 34.526638 133.978471 34.435112 133.955002 34.425725 133.901025 34.463274 133.835314 34.489089 133.680423 34.444499 133.579509 34.435112 133.403496 34.371747 133.281461 34.362360 133.161772 34.308383 133.016268 34.280221 132.851990 34.233284 132.664243 34.198081 132.530473 34.298995 132.420172 34.270833 132.300484 34.015028 132.244160 33.885952 132.154980 33.867178 131.924990 33.932889 131.758365 34.005641 131.570618 33.949317 131.427461 33.949317 131.338281 33.914114 131.162269 33.968092 130.986256 33.996254 130.974522 34.207469 130.997990 34.317770 131.195124 34.362360 131.460317 34.416337 131.636329 34.571228 131.814689 34.681530 132.122124 34.827033 132.321605 35.045289 132.563329 35.179059 132.718220 35.387927 132.917701 35.486494 133.138304 35.549859 133.304929 35.521697 133.459820 35.477107 133.800111 35.505269 134.077038 35.495881 134.309374 35.540471 134.583954 35.594448 134.795169 35.631998 134.959448 35.639038 135.137807 35.693015 135.325554 35.702403 135.313820 35.559246 135.412387 35.531084 135.733903 35.477107 135.820736 35.495881 135.909916 35.568633 136.031951 35.631998 136.142253 35.693015 136.142253 35.944127 136.151640 36.176464 136.440301 36.382985 136.682025 36.631750 136.836916 36.932144 136.848650 37.143360 136.893240 37.312332 137.233531 37.469570 137.388422 37.453142 137.355566 37.312332 137.212409 37.248967 137.057518 37.126932 137.036397 37.082342 137.113842 36.915717 137.113842 36.737357 137.224144 36.727970 137.433012 36.756132 137.609025 36.906329 137.853095 37.011937 138.151144 37.091729 138.470313 37.284170 138.681528 37.453142 138.836419 37.654970 139.012432 37.847410 139.233035 37.960058 139.244769 37.969446 139.254156 37.976486 139.355070 37.976486 139.507614 38.152499 139.531083 38.307390 139.575672 38.438813 139.695361 38.628906 139.850252 38.835428 139.927698 38.997359 139.972288 39.161638 # -b 140.016877 39.844567 139.805662 39.912625 139.906576 39.980683 # -b 138.604083 38.272187 138.580614 38.098521 138.625204 38.056278 138.514903 37.812208 138.360012 37.802820 138.327156 37.950671 138.449192 38.204129 138.604083 38.272187 # -b 134.276519 33.268735 134.065304 33.379036 133.800111 33.454135 133.570121 33.397811 133.391762 33.296897 133.293195 33.111497 133.105448 32.879160 133.084326 32.712535 132.905967 32.693760 132.751076 32.804061 132.685365 32.879160 132.553942 33.083335 132.575063 33.167821 132.509352 33.278122 132.387316 33.360261 132.223038 33.360261 132.488230 33.536274 132.697099 33.756876 132.896580 33.977479 133.105448 33.949317 133.239218 33.895340 133.436352 33.932889 133.624099 34.005641 133.689810 34.134717 133.823580 34.226244 133.933881 34.317770 134.065304 34.334198 134.264785 34.289608 134.452531 34.198081 134.619157 34.188694 134.661400 33.996254 134.717724 33.822588 134.762314 33.803813 134.771701 33.794426 134.762314 33.766264 134.652012 33.665350 134.551098 33.618413 134.452531 33.517499 134.363352 33.369649 134.276519 33.268735 # -b 135.060362 34.571228 135.027506 34.526638 134.872615 34.371747 134.762314 34.207469 134.872615 34.179307 134.982916 34.226244 135.004038 34.390522 135.060362 34.571228 # -b 130.864220 33.876565 130.920544 33.885952 130.831365 33.895340 130.676474 33.848403 130.521583 33.721674 130.423015 33.564436 130.279859 33.564436 130.178945 33.470563 130.035788 33.416585 # -b 129.916099 32.656211 130.146089 32.712535 130.324448 32.628049 130.411281 32.759472 130.289246 32.813449 130.235269 32.897935 130.235269 33.083335 130.333836 33.149046 130.444137 32.944872 130.577907 32.766512 130.577907 32.599887 130.622496 32.581112 130.631884 32.581112 130.622496 32.386325 130.521583 32.179803 130.401894 32.095317 130.300980 31.935732 130.289246 31.710436 130.345570 31.464019 130.289246 31.323208 130.401894 31.229335 130.655352 31.123727 130.709329 31.341983 130.631884 31.520343 130.688208 31.663500 130.852486 31.625950 130.775041 31.569626 130.753919 31.445244 130.810243 31.248110 130.810243 31.011079 130.941666 31.048629 131.096557 31.161277 131.108291 31.304434 131.251448 31.435857 131.361750 31.388920 131.483785 31.625950 131.549496 31.879408 131.615208 32.114092 131.725509 32.386325 131.835810 32.552950 131.967233 32.712535 132.023557 32.794674 132.035291 32.841611 132.023557 32.998849 131.978967 33.073947 131.924990 33.174861 131.680919 33.221798 131.648063 33.306284 131.746630 33.517499 131.692653 33.627801 131.537762 33.583211 131.239714 33.573823 131.051967 33.766264 131.040233 33.857790 130.962788 33.857790 130.864220 33.876565 # -b 130.146089 32.477851 130.092112 32.358163 130.080378 32.217353 130.113233 32.142254 130.247003 32.421527 130.146089 32.477851 # -b 131.117679 30.630892 131.084823 30.764662 131.030846 30.630892 130.962788 30.410290 131.030846 30.344578 131.117679 30.630892 # -b 130.545051 30.353966 130.512195 30.410290 130.455871 30.325804 130.512195 30.210809 130.676474 30.192034 130.676474 30.325804 130.545051 30.353966 # -b 130.897076 37.539975 130.843099 37.495385 130.843099 37.478957 130.885342 37.453142 130.974522 37.504772 130.897076 37.539975 # -b 130.035788 33.416585 129.970076 33.470563 129.859775 33.397811 129.770595 33.306284 129.660294 33.174861 129.770595 33.092722 129.838654 33.055173 129.880897 33.008236 129.948955 32.935484 129.958342 32.813449 129.871509 32.963646 129.749474 32.973034 129.782329 32.766512 129.815185 32.562337 129.916099 32.656211 # -b 128.855330 32.721922 128.712173 32.665598 128.712173 32.534175 128.867064 32.581112 128.855330 32.721922 # -b 129.219089 32.954259 129.197968 33.027011 129.132256 33.027011 129.054811 32.888547 129.097054 32.794674 129.219089 32.888547 129.219089 32.954259 # -b 129.749474 33.839016 129.728352 33.766264 129.749474 33.702899 129.815185 33.756876 129.749474 33.839016 # -b 129.284800 34.289608 129.197968 34.151145 129.230823 34.069006 129.320003 34.134717 129.284800 34.289608 # -b 129.406836 34.636940 129.484281 34.571228 129.484281 34.498476 129.484281 34.425725 129.463160 34.334198 129.439692 34.298995 129.385714 34.390522 129.373980 34.545413 129.406836 34.636940 # -b 128.435246 38.506871 128.512692 38.438813 128.655849 38.220557 128.810740 37.995261 128.986752 37.863838 129.165112 37.671397 129.308269 37.460182 129.430304 37.187949 129.496016 36.871127 129.484281 36.612975 129.472547 36.338395 129.505403 36.033307 129.618051 36.026266 129.549993 35.854947 129.463160 35.578021 129.329390 35.352724 129.132256 35.188446 128.942162 35.080492 128.756763 35.108654 128.601871 35.153243 128.557282 35.089879 128.536160 35.071104 128.491570 34.988965 128.491570 34.981924 128.479836 34.953762 128.425859 34.890398 128.346066 34.808259 128.280355 34.918560 128.181788 34.918560 128.071487 34.953762 127.994041 34.998352 127.895474 34.981924 127.773439 34.934988 127.674872 34.899785 127.749970 34.808259 127.707727 34.709692 127.606813 34.653368 127.541102 34.763669 127.463656 34.817646 127.451922 34.726119 127.451922 34.571228 127.341621 34.507864 127.254788 34.498476 127.198464 34.564188 127.332234 34.653368 127.341621 34.735507 127.231320 34.709692 127.078775 34.627552 126.989596 34.526638 126.945006 34.489089 126.933272 34.489089 126.900416 34.453887 126.834705 34.453887 126.790115 34.554800 126.724403 34.479702 126.548391 34.343585 126.524922 34.472661 126.360644 34.435112 126.294932 34.308383 126.238608 34.371747 126.316054 34.489089 126.348910 34.643980 126.447477 34.627552 126.536656 34.590003 126.524922 34.690917 126.581246 34.798871 126.492067 34.852848 126.393500 34.754281 126.337175 34.881011 126.393500 35.007740 126.438089 35.080492 126.438089 35.225995 126.524922 35.413742 126.625836 35.540471 126.569512 35.594448 126.736137 35.702403 126.780727 35.810357 126.712669 35.899537 126.712669 35.988717 126.592981 36.080243 126.569512 36.265643 126.515535 36.436962 126.492067 36.631750 126.381765 36.676339 126.426355 36.497980 126.337175 36.453390 126.238608 36.596547 126.140041 36.596547 126.161163 36.737357 126.294932 36.852352 126.447477 36.861739 126.569512 36.906329 126.691548 36.932144 126.855826 36.826537 126.923884 36.807762 126.834705 36.950919 126.834705 37.072955 126.768993 37.143360 126.790115 37.232539 126.834705 37.267742 126.736137 37.338147 126.679813 37.328760 126.602368 37.417939 126.592981 37.478957 126.646958 37.488344 126.614102 37.530587 126.536656 37.584565 126.503801 37.671397 126.503801 37.751190 126.503801 37.767618 # -b 126.327788 33.360261 126.226874 33.259347 126.238608 33.167821 126.426355 33.149046 126.691548 33.174861 126.933272 33.350874 126.900416 33.463522 126.614102 33.463522 126.327788 33.360261 # -b 128.005775 40.022926 127.928330 39.903238 127.749970 39.825792 127.552836 39.776509 127.541102 39.682635 127.552836 39.598149 127.564570 39.417443 127.541102 39.316529 127.529368 39.436218 127.451922 39.264899 127.496512 39.171025 127.728849 39.100620 127.928330 38.922261 128.181788 38.774410 128.381269 38.635947 128.435246 38.506871 # -b 126.569512 37.723028 126.426355 37.838023 126.238608 37.784046 126.161163 37.723028 126.039127 37.802820 125.907705 37.838023 125.785669 37.960058 125.663634 37.976486 125.719958 37.915468 125.654246 37.777005 125.543945 37.741803 125.466500 37.662010 125.332730 37.662010 125.288140 37.671397 125.234163 37.828635 125.112128 37.812208 125.091006 37.899040 125.189573 37.899040 125.255284 37.985873 125.267019 38.056278 125.091006 38.021076 124.870404 38.021076 124.804692 38.030463 124.947849 38.211170 125.034682 38.445853 125.156717 38.497483 125.177839 38.558501 125.344464 38.610132 125.454765 38.661762 125.311609 38.661762 125.267019 38.765023 125.377320 39.093580 125.443031 39.365812 125.511090 39.504276 125.410176 39.553559 125.245897 39.562947 125.135596 39.579374 124.903259 39.647433 124.727247 39.572334 124.670923 39.546519 124.593477 39.689676 124.462054 39.776509 124.361140 39.835179 124.393996 39.903238 # -b 121.568407 29.980819 121.514429 30.077039 121.514429 30.077039 121.347804 30.201421 121.192913 30.238971 121.016900 30.173259 120.817419 30.095814 120.608551 30.182647 120.387948 30.238971 120.211936 30.123976 120.364480 30.307029 120.563961 30.335191 120.850275 30.335191 121.061490 30.450186 121.127202 30.534672 121.148323 30.544059 121.270358 30.612117 121.469839 30.668441 121.657586 30.830373 121.922779 30.839760 121.932166 30.914859 121.800743 31.123727 121.645852 31.285659 121.392394 31.407695 121.204647 31.597788 120.972310 31.729211 120.772829 31.747986 120.718852 31.870021 120.629672 31.926345 120.409070 31.879408 120.155612 31.841859 120.155612 31.935732 120.409070 31.982669 120.641407 32.020218 120.873743 31.954507 121.106080 31.823084 121.314948 31.813697 121.568407 31.747986 121.767887 31.672887 121.911044 31.616563 121.922779 31.663500 121.833599 31.785535 121.711563 31.945120 121.634118 31.992056 121.514429 32.095317 121.392394 32.198578 121.368926 32.358163 121.127202 32.449689 120.960576 32.656211 120.883131 32.916710 120.763442 33.139659 120.707118 33.325059 120.653141 33.526887 120.596817 33.738102 120.465394 33.885952 120.376214 34.134717 120.254179 34.280221 120.078166 34.362360 # -b 119.845830 35.578021 120.045311 35.667200 120.176733 35.800970 120.254179 35.927699 120.111022 36.052081 120.244791 36.185851 120.420804 36.185851 120.474781 36.026266 120.662528 36.042694 120.796298 36.293805 120.883131 36.373598 120.939455 36.373598 120.906599 36.516755 120.894865 36.561344 121.106080 36.561344 121.326682 36.657565 121.601262 36.683380 121.723298 36.702155 121.845333 36.835924 121.976756 36.922757 122.087057 36.887555 122.197358 36.950919 122.241948 36.871127 122.263070 36.800722 122.340515 36.756132 122.518875 36.932144 122.507141 36.995509 122.605708 37.126932 122.638563 37.232539 122.650298 37.321719 122.584586 37.347534 122.352249 37.373349 122.176237 37.434367 122.119913 37.460182 121.965022 37.389777 121.744419 37.363962 121.591875 37.373349 121.458105 37.495385 121.270358 37.514160 121.106080 37.591605 120.995779 37.680785 120.906599 37.758230 120.772829 37.741803 120.542840 37.654970 120.364480 37.584565 120.233057 37.434367 120.024189 37.312332 # -b 119.803586 39.870382 120.012455 39.980683 # -b 121.955634 40.046395 121.756153 39.825792 121.556672 39.724878 121.523817 39.553559 121.347804 39.478461 121.469839 39.452645 121.624731 39.358772 121.756153 39.316529 121.702176 39.152250 121.624731 38.997359 121.359538 38.938688 121.192913 38.765023 121.303214 38.696964 121.645852 38.835428 121.756153 38.922261 121.922779 38.922261 121.976756 38.955116 122.119913 39.041949 122.241948 39.213268 122.408573 39.342344 122.739477 39.443258 123.046913 39.546519 123.323839 39.689676 123.401285 39.757734 123.511586 39.666207 123.654743 39.708450 123.908201 39.757734 124.107682 39.767121 124.250839 39.802324 124.372874 39.860995 124.393996 39.903238 # -b 120.078166 34.362360 119.890419 34.435112 119.648695 34.526638 119.482070 34.643980 119.282589 34.690917 119.249733 34.817646 119.392890 35.052329 119.547781 35.233036 119.615840 35.315175 119.726141 35.514656 119.845830 35.578021 # -b 120.024189 37.312332 119.935009 37.206724 119.812974 37.072955 119.559516 37.047139 119.327179 37.117544 119.061987 37.197337 118.918830 37.363962 118.907095 37.504772 118.874240 37.619767 118.796794 37.767618 118.599660 37.899040 118.444769 37.899040 118.355589 38.002301 118.224166 38.002301 118.069275 38.063319 117.991830 38.185354 117.825204 38.316777 117.672660 38.464628 117.726637 38.706352 117.836939 38.990319 118.012951 39.126435 118.233554 39.110007 118.355589 39.048990 118.555070 39.058377 118.763939 39.110007 119.019744 39.135823 119.195756 39.229696 119.350647 39.358772 119.404625 39.553559 119.526660 39.741306 119.681551 39.792936 119.803586 39.870382 # -b 49.973507 37.464876 50.170641 37.455489 50.304411 37.375696 50.435834 37.148053 50.689292 36.988468 51.041317 36.819496 51.372221 36.723276 51.682003 36.652871 51.902606 36.634096 52.045763 36.678686 52.210041 36.704501 52.430644 36.758479 52.674714 36.819496 52.916438 36.892248 53.235608 36.927451 53.489066 36.979081 53.655692 37.007243 53.578246 36.943879 53.334175 36.899289 53.479679 36.882861 53.655692 36.873474 53.885681 36.908676 54.073428 36.934491 54.061694 37.209071 53.951393 37.436714 53.918537 37.516506 # -b 53.918537 37.516506 53.930271 37.577524 53.885681 37.823942 53.819970 38.161886 53.798848 38.535033 53.876294 38.854202 54.040573 39.060724 53.841092 39.112354 53.655692 39.241430 53.521922 39.386934 53.378765 39.412749 53.378765 39.454992 53.554778 39.523050 53.754259 39.581721 53.876294 39.649780 53.676813 39.701410 53.533656 39.762428 53.390499 39.853954 53.587633 39.999458 53.709669 39.922012 53.885681 39.863341 # -b 53.092451 40.083944 52.961028 39.957215 52.850727 39.957215 # -b 48.879882 38.570235 48.891616 38.380142 48.924472 38.145458 49.001917 37.866185 49.100485 37.673744 49.321087 37.535281 49.520568 37.507119 49.708315 37.446101 49.973507 37.464876 # -b 49.508834 40.067516 49.475978 39.947828 49.443122 39.694369 49.332821 39.471420 49.278844 39.215615 49.255376 39.112354 49.112219 39.215615 49.023039 39.300101 48.980796 39.274286 48.891616 39.225002 48.847026 39.102967 48.837639 38.802572 48.858761 38.673496 48.879882 38.570235 # -b 48.372966 29.924495 48.253277 30.001940 48.065530 30.079386 # -b 48.560712 30.116935 48.551325 30.098161 # -b 50.048606 29.983166 49.982895 30.088773 49.884327 30.145097 49.663725 30.069999 # -b 49.487712 29.992553 49.389145 30.020715 49.332821 30.098161 49.201398 30.175606 49.112219 30.307029 49.091097 30.461920 49.001917 30.537019 48.847026 30.565181 48.760193 30.518244 48.804783 30.412636 48.760193 30.328150 48.769581 30.213155 48.626424 30.213155 48.593568 30.079386 # -b 29.861130 31.257497 30.093467 31.353717 30.236624 31.456978 30.457226 31.466365 30.677829 31.522689 30.710684 31.494527 30.468960 31.410041 30.412636 31.334943 30.468960 31.325555 30.612117 31.353717 30.809252 31.381879 30.931287 31.466365 30.987611 31.503915 30.975877 31.541464 31.208214 31.494527 31.548505 31.485140 31.813697 31.466365 31.935732 31.344330 32.100011 31.288006 32.111745 31.288006 # -b 31.724517 31.541464 31.724517 31.494527 31.747986 31.428816 31.715130 31.372492 31.682274 31.266884 31.614216 31.182398 31.682274 31.182398 31.759720 31.182398 31.780841 31.126074 31.780841 31.032201 31.935732 30.994652 32.022565 30.926593 32.088277 30.860882 32.144601 30.642626 32.177456 30.499469 32.198578 30.452533 32.198578 30.440798 32.189191 30.403249 32.198578 30.328150 32.287758 30.260092 32.365203 30.163872 # -b 35.937086 35.815051 35.948821 35.958208 35.991064 36.101365 35.915965 36.296152 35.991064 36.537876 36.169423 36.624709 36.246869 36.758479 36.080243 36.882861 35.981676 36.838271 35.761074 36.777253 35.728218 36.624709 35.585061 36.580119 35.340990 36.608281 35.155590 36.732663 34.934988 36.793681 34.801218 36.819496 34.690917 36.838271 34.944375 36.803068 34.756628 36.828884 34.547760 36.758479 34.404603 36.634096 34.216856 36.500327 34.139411 36.368904 33.951664 36.340742 33.808507 36.242175 33.721674 36.216360 33.623107 36.181157 33.423626 36.197585 33.235879 36.152995 33.071601 36.127180 32.904975 36.063815 32.740697 36.101365 32.562337 36.152995 32.386325 36.305539 32.308879 36.420534 32.198578 36.500327 32.022565 36.589506 31.870021 36.652871 31.682274 36.723276 31.560239 36.767866 31.494527 36.812456 31.339636 36.882861 31.173011 36.899289 31.029854 36.918063 30.853841 36.892248 30.698950 36.892248 30.644973 36.767866 30.644973 36.580119 30.579262 36.519101 30.555793 36.350129 30.403249 36.324314 30.192034 36.279724 # -b 34.040844 35.472413 34.094821 35.481800 34.282568 35.552205 34.404603 35.634345 34.580616 35.707096 34.658061 35.714137 34.604084 35.589755 34.449193 35.453638 34.315423 35.409048 34.216856 35.282319 34.118289 35.155590 34.151145 35.066410 34.040844 34.949069 33.820241 34.911519 33.611373 34.749588 33.325059 34.702651 33.137312 34.594697 33.027011 34.594697 32.815796 34.620512 32.585806 34.712038 32.442649 34.866930 32.353469 35.028861 32.430915 35.047636 32.585806 35.092226 32.750084 35.164978 32.926097 35.183752 33.048132 35.218955 33.059866 35.336297 33.071601 35.355071 33.137312 35.326909 33.235879 35.326909 33.357915 35.336297 33.501071 35.345684 33.688818 35.390274 33.853097 35.437210 34.040844 35.472413 # -b 35.991064 34.740200 35.948821 34.902132 36.002798 35.092226 35.991064 35.364459 35.904231 35.561593 35.847907 35.615570 35.883109 35.669547 35.937086 35.815051 # -b 35.474760 33.970438 35.474760 33.961051 35.474760 33.951664 35.474760 33.923502 35.463026 33.923502 35.441904 33.914114 35.385580 33.850750 35.340990 33.777998 35.298747 33.693512 35.287013 33.639535 35.254157 33.592598 35.188446 33.510459 35.164978 33.454135 35.132122 33.407198 35.111000 33.353221 35.087532 33.306284 35.066410 33.268735 35.045289 33.233532 35.000699 33.186596 34.988965 33.139659 34.977231 33.120884 35.474760 33.970438 35.578021 34.000947 35.660160 34.237978 35.721177 34.374094 35.843213 34.484395 36.026266 34.585309 35.991064 34.740200 # -b 32.144601 31.278619 32.177456 31.248110 32.231434 31.248110 32.332348 31.201173 32.376937 31.144849 32.419180 31.088525 32.496626 31.022814 32.728963 31.013426 32.872120 31.032201 32.937831 31.088525 33.015277 31.107300 33.080988 31.032201 33.104456 31.013426 33.214758 31.022814 33.357915 31.041588 33.522193 31.060363 33.688818 31.116687 33.853097 31.182398 34.029109 31.297393 34.130023 31.372492 34.130023 31.381879 34.162879 31.391267 34.261446 31.456978 34.360013 31.541464 34.437459 31.625950 34.493783 31.691662 34.514904 31.738598 34.514904 31.750332 # -b 34.514904 31.750332 34.559494 31.872368 34.580616 31.947467 34.604084 32.003791 34.636940 32.078889 34.646327 32.144601 34.679183 32.245515 34.702651 32.311226 34.723773 32.395712 34.747241 32.470811 34.780097 32.545910 34.780097 32.602234 34.801218 32.665598 34.857542 32.759472 34.899785 32.825183 34.934988 32.890894 34.944375 32.982421 34.944375 33.048132 34.956109 33.066907 # -b 32.552950 29.992553 32.520094 30.020715 32.475505 30.060611 32.463770 30.060611 32.430915 30.079386 32.409793 30.154485 32.341735 30.260092 32.308879 30.297642 32.222046 30.440798 32.198578 30.633239 32.198578 30.736500 32.189191 30.851495 32.189191 31.004039 32.189191 31.116687 32.189191 31.173011 32.165722 31.229335 # -b 25.364594 39.922012 25.308270 39.795283 25.331738 39.922012 25.320004 39.983030 25.209703 39.990071 25.066546 39.964255 25.021956 39.830486 25.087668 39.795283 25.143992 39.846914 25.188581 39.837526 25.275414 39.804671 25.298883 39.830486 25.364594 39.922012 # -b 26.533318 39.079499 26.643619 39.060724 26.554439 39.225002 26.455872 39.361119 26.366693 39.454992 26.223536 39.393974 26.080379 39.351731 25.916100 39.293061 25.871510 39.163985 25.991199 39.147557 26.136703 39.206228 26.247004 39.215615 26.157824 39.070111 26.312715 39.009094 26.465260 39.079499 26.465260 39.128782 26.533318 39.079499 # -b 25.970078 38.241678 26.047523 38.267494 26.092113 38.302696 26.124969 38.448200 26.136703 38.560848 26.092113 38.621866 25.880898 38.638294 25.880898 38.527992 25.991199 38.415344 25.904366 38.319124 25.904366 38.248719 25.970078 38.241678 # -b 28.098657 36.073203 28.176103 36.101365 28.197224 36.181157 28.274670 36.286765 28.319259 36.458084 28.218346 36.429922 28.054067 36.368904 27.866320 36.235134 27.788875 36.181157 27.767753 36.101365 27.779487 35.930046 27.922644 35.984023 28.098657 36.073203 # -b 25.066546 35.373846 24.923389 35.418436 24.747376 35.399661 24.569017 35.373846 24.371883 35.345684 24.249847 35.427823 24.151280 35.437210 24.195870 35.526390 24.118425 35.599142 24.008123 35.517003 23.808642 35.606183 23.742931 35.615570 23.698341 35.500575 23.599774 35.526390 23.578653 35.383233 23.545797 35.193140 23.644364 35.211914 23.799255 35.202527 23.975268 35.218955 24.195870 35.211914 24.348414 35.183752 24.470450 35.155590 24.569017 35.092226 24.723908 35.047636 24.813088 34.892745 25.111136 34.911519 25.298883 34.965497 25.463161 34.956109 25.606318 34.984271 25.805799 34.993659 25.970078 35.028861 26.157824 34.956109 26.322103 35.183752 26.289247 35.256504 26.169559 35.202527 26.068645 35.193140 25.937222 35.148550 25.782331 35.193140 25.695498 35.310481 25.496017 35.291707 25.373981 35.301094 25.188581 35.301094 25.066546 35.326909 25.066546 35.373846 # -b 24.944511 37.657316 25.000835 37.708947 25.000835 37.814554 24.967979 37.875572 24.845944 37.945977 24.712174 37.971792 24.702787 37.901387 24.789619 37.823942 24.845944 37.734762 24.890533 37.666704 24.944511 37.657316 # -b 25.430305 36.918063 25.552341 36.927451 25.573462 37.068261 25.585197 37.155094 25.517138 37.155094 25.474895 37.138666 25.385716 37.058874 25.385716 36.934491 25.430305 36.918063 # -b 22.034435 38.309737 21.912400 38.302696 21.792711 38.283921 21.527519 38.145458 21.384362 38.190048 21.173147 37.917815 21.130904 37.788739 21.250592 37.596299 21.527519 37.490691 21.658941 37.305291 21.572109 37.068261 21.614352 36.873474 21.715265 36.784294 21.858422 36.739704 21.903012 36.899289 22.022701 37.023671 22.100146 36.918063 22.243303 36.819496 22.332483 36.580119 22.353605 36.420534 22.442784 36.411147 22.475640 36.500327 22.520230 36.704501 22.684508 36.767866 22.794810 36.617669 22.937967 36.509714 23.092858 36.439309 23.069389 36.669299 23.060002 36.767866 23.015412 36.918063 22.926232 37.199684 22.794810 37.359268 22.740832 37.535281 22.815931 37.507119 22.937967 37.446101 23.069389 37.368656 23.104592 37.279476 23.191425 37.295904 23.313460 37.385084 23.468351 37.401511 23.435496 37.507119 23.334582 37.551709 23.214893 37.622114 23.137448 37.760577 23.081123 37.840370 23.092858 37.953018 22.926232 38.023423 22.475640 38.145458 22.255038 38.197089 22.156470 38.197089 22.088412 38.267494 22.034435 38.309737 # -b 20.731942 38.068013 20.776531 38.190048 20.645109 38.267494 20.600519 38.405957 20.501952 38.361367 20.370529 38.267494 20.358795 38.248719 20.445628 38.190048 20.501952 38.129030 20.633374 38.110256 20.731942 38.068013 # -b 24.569017 38.075053 24.613607 38.032810 24.604219 38.154846 24.416473 38.190048 24.315559 38.222904 24.205258 38.431772 24.205258 38.553807 24.106690 38.638294 23.832111 38.682883 23.644364 38.750942 23.477739 38.863590 23.358050 38.966850 23.325194 39.025521 23.214893 39.025521 23.036534 38.915220 22.961435 38.837775 23.003678 38.828387 23.146835 38.837775 23.268870 38.750942 23.358050 38.682883 23.534063 38.579623 23.566918 38.466975 23.721809 38.396570 23.930678 38.380142 23.996389 38.335552 24.127812 38.258106 24.195870 38.171273 24.238113 38.039851 24.339027 37.971792 24.449328 37.953018 24.536161 37.945977 24.569017 37.945977 24.569017 37.978833 24.569017 38.075053 # -b 20.049013 39.393974 20.060747 39.454992 # -b 19.938711 39.386934 20.049013 39.393974 # -b 23.942412 40.142615 23.963534 39.964255 # -b 23.501207 40.100372 23.665485 39.999458 23.566918 39.940787 # -b 22.607063 40.152002 22.639918 39.973643 22.761954 39.872729 22.839399 39.659167 23.027146 39.532438 23.158569 39.419790 23.247749 39.274286 23.289992 39.163985 23.203159 39.121742 23.125713 39.138169 23.158569 39.232043 23.081123 39.318876 22.916845 39.335304 22.872255 39.215615 22.949701 39.070111 22.970822 39.018481 22.916845 38.976238 22.827665 38.957463 22.717364 38.966850 22.541351 38.941035 22.618797 38.847162 22.827665 38.769716 22.994291 38.734514 23.125713 38.673496 23.289992 38.664109 23.379172 38.499830 23.501207 38.499830 23.632630 38.387182 23.775787 38.302696 23.874354 38.293309 24.008123 38.222904 24.017511 38.084440 24.017511 37.927203 24.017511 37.779352 24.029245 37.683132 23.787521 37.805167 23.599774 37.988220 23.358050 37.953018 23.092858 37.953018 22.926232 38.023423 23.113979 38.068013 23.146835 38.180661 22.937967 38.206476 22.806544 38.293309 22.684508 38.396570 22.574207 38.319124 22.398194 38.370754 22.165858 38.344939 21.945255 38.380142 21.626086 38.344939 21.372628 38.422385 21.306916 38.422385 21.274060 38.370754 21.163759 38.344939 21.086314 38.441159 20.987747 38.621866 20.877445 38.750942 20.755410 38.889405 20.943157 38.872977 21.119169 38.898792 21.053458 39.018481 20.788266 39.102967 20.743676 38.976238 20.645109 39.102967 20.469096 39.335304 20.293083 39.438564 20.260228 39.539478 20.215638 39.668554 20.182782 39.701410 20.159314 39.701410 # -b 20.081868 39.684982 20.081868 39.684982 # -b 19.938711 32.172763 20.072481 32.301839 20.215638 32.414487 20.379916 32.527135 20.555929 32.646823 20.853977 32.778246 21.152025 32.815796 21.372628 32.890894 21.647207 32.900282 21.935868 32.900282 22.165858 32.834570 22.463906 32.750084 22.595329 32.693760 22.740832 32.684373 22.916845 32.602234 22.926232 32.452036 22.905111 32.423874 22.860521 32.433261 22.893377 32.320613 23.069389 32.198578 23.158569 32.172763 23.247749 32.189191 23.510594 32.151641 23.754665 32.097664 23.864966 32.050727 24.017511 31.994403 24.315559 31.956854 24.559630 31.956854 24.768498 31.938079 24.923389 31.862981 25.000835 31.663500 25.021956 31.672887 # -b 25.066546 31.560239 25.188581 31.522689 25.507751 31.588401 25.782331 31.607176 26.014667 31.569626 26.223536 31.532077 26.488728 31.513302 26.763308 31.475753 27.127067 31.372492 27.359404 31.238722 27.624596 31.201173 27.788875 31.163624 27.932032 31.069750 28.230080 31.069750 28.462416 31.013426 28.727609 30.935981 28.913009 30.842107 29.201670 30.898431 29.487983 31.032201 29.652262 31.144849 29.861130 31.257497 # -b 30.192034 36.279724 29.938576 36.197585 29.729707 36.197585 29.553695 36.235134 29.377682 36.314927 29.222791 36.448696 29.178201 36.589506 29.157080 36.662258 29.157080 36.723276 29.023310 36.777253 28.981067 36.713889 28.990454 36.662258 28.924743 36.662258 28.769852 36.739704 28.671285 36.847658 28.626695 36.857046 28.474151 36.847658 28.352115 36.828884 28.307525 36.749091 28.131513 36.652871 28.086923 36.652871 28.152634 36.758479 28.119779 36.812456 27.899176 36.758479 27.678574 36.704501 27.502561 36.669299 27.601128 36.784294 27.779487 36.864086 28.021211 36.864086 28.143247 36.918063 28.176103 36.953266 28.328647 37.014284 28.384971 37.094076 28.241814 37.103463 28.032946 37.068261 27.866320 37.033058 27.669186 37.033058 27.436849 37.033058 27.392260 37.112851 27.490827 37.173868 27.612862 37.270089 27.547151 37.314679 27.481439 37.385084 27.413381 37.420286 27.314814 37.436714 27.338282 37.551709 27.436849 37.603339 27.469705 37.673744 27.347670 37.666704 27.270224 37.631501 27.216247 37.622114 27.127067 37.727722 27.249103 37.788739 27.281958 37.910775 27.195125 38.049238 27.084824 38.110256 26.929933 38.129030 26.840753 38.154846 26.709331 38.241678 26.620151 38.215863 26.542705 38.206476 26.455872 38.248719 26.354958 38.328511 26.345571 38.380142 26.465260 38.415344 26.488728 38.544420 26.465260 38.621866 26.509850 38.708699 26.575561 38.682883 26.685862 38.457587 26.796164 38.431772 26.951055 38.457587 27.117680 38.457587 27.171657 38.457587 27.127067 38.499830 26.929933 38.560848 26.840753 38.692271 26.873609 38.795532 27.016766 38.889405 26.974523 38.976238 26.873609 39.060724 26.873609 39.147557 26.763308 39.257858 26.786776 39.412749 26.951055 39.539478 26.906465 39.600496 26.742186 39.574681 26.620151 39.548866 26.432404 39.548866 26.289247 39.539478 26.178946 39.548866 26.169559 39.616924 26.190680 39.743653 26.223536 39.905585 # -b 20.060747 39.454992 19.971567 39.574681 19.894121 39.710797 19.786167 39.778855 19.652397 39.743653 19.750964 39.591109 19.819023 39.487848 19.938711 39.386934 # -b 20.081868 39.684982 19.995035 39.762428 19.962180 39.914972 # -b 15.331874 40.100372 15.418707 39.999458 # -b 15.683899 40.025273 15.728489 39.964255 15.737876 39.872729 15.803588 39.684982 15.904502 39.539478 16.003069 39.412749 16.035924 39.309488 16.080514 39.154597 16.134492 39.060724 16.179081 38.931648 16.223671 38.854202 15.970213 38.760329 15.827056 38.682883 15.892767 38.527992 15.770732 38.380142 15.695633 38.232291 15.705021 38.058625 15.749611 37.953018 15.770732 37.978833 15.761345 37.945977 15.892767 37.936590 16.035924 37.953018 16.092248 37.988220 16.134492 38.075053 16.179081 38.145458 16.235405 38.232291 16.289383 38.293309 16.411418 38.380142 16.533453 38.405957 16.575697 38.492790 16.587431 38.664109 16.587431 38.760329 16.587431 38.811959 16.643755 38.880018 16.786912 38.915220 16.974658 38.992666 17.061491 38.992666 17.094347 39.051337 17.084960 39.128782 17.094347 39.250818 17.073226 39.309488 17.073226 39.445605 17.061491 39.464380 16.984046 39.532438 16.808033 39.607536 16.718853 39.701410 16.599165 39.743653 16.521719 39.769468 16.533453 39.914972 # -b 17.997879 40.126187 18.131648 39.964255 18.307661 39.896197 18.328782 39.879769 18.328782 39.914972 # -b 15.618188 38.319124 15.552476 38.302696 15.561864 38.293309 15.540742 38.136071 15.430441 37.988220 15.287284 37.823942 15.165249 37.596299 15.099537 37.446101 15.087803 37.368656 15.165249 37.305291 15.176983 37.234886 15.221573 37.129279 15.263816 37.058874 15.209838 36.962653 15.153514 36.819496 15.132393 36.713889 15.010357 36.704501 14.857813 36.713889 14.646598 36.758479 14.449464 36.882861 14.294573 37.042446 14.041115 37.112851 13.874489 37.119891 13.731332 37.183256 13.599910 37.288863 13.391041 37.368656 13.170439 37.500079 12.949836 37.577524 12.783211 37.603339 12.640054 37.631501 12.541487 37.734762 12.485163 37.936590 12.518019 38.058625 12.553221 38.110256 12.595464 38.171273 12.672910 38.197089 12.738621 38.171273 12.839535 38.100868 12.949836 38.110256 13.081259 38.180661 13.247884 38.241678 13.325330 38.206476 13.412163 38.171273 13.489608 38.145458 13.621031 38.100868 13.698477 37.997608 13.832246 38.006995 13.951935 38.039851 14.139682 38.058625 14.294573 38.068013 14.381406 38.075053 14.393140 38.075053 14.515175 38.084440 14.658332 38.119643 14.822611 38.190048 15.076069 38.190048 15.153514 38.190048 15.263816 38.267494 15.308406 38.258106 15.475031 38.274534 15.618188 38.319124 # -b 14.372018 35.948821 14.372018 35.993410 14.416608 35.974636 14.491707 35.939433 14.515175 35.885456 14.580887 35.850253 14.559765 35.815051 14.449464 35.831479 14.372018 35.913618 14.372018 35.948821 # -b 9.873135 37.331106 10.028027 37.288863 10.192305 37.244273 10.171183 37.209071 10.225161 37.112851 10.302606 36.997856 10.281485 36.892248 10.281485 36.838271 10.469232 36.777253 10.546677 36.838271 10.678100 36.873474 10.788401 36.953266 10.886968 37.068261 11.020738 37.068261 11.119305 36.892248 11.020738 36.749091 10.910437 36.554304 10.689834 36.483899 10.546677 36.385332 10.490353 36.181157 10.556064 35.958208 10.645244 35.850253 10.832991 35.822091 10.886968 35.714137 11.030125 35.634345 11.053593 35.526390 11.074715 35.399661 11.131039 35.265891 11.053593 35.139162 10.964414 34.949069 10.854112 34.784790 10.722690 34.667449 10.612388 34.585309 10.490353 34.503170 10.391786 34.465621 10.281485 34.374094 10.126594 34.329504 10.093738 34.219203 10.082004 34.137064 10.082004 34.092474 # -b 9.929459 33.794426 10.028027 33.749836 10.126594 33.684125 10.236895 33.648922 10.347196 33.648922 10.445763 33.674737 10.502087 33.583211 10.579533 33.510459 10.743811 33.592598 10.832991 33.592598 10.898702 33.472909 10.964414 33.315671 10.964414 33.261694 11.030125 33.195983 11.152161 33.195983 11.217872 33.214758 11.316439 33.158434 # -b 10.776667 33.878912 10.743811 33.904727 10.788401 33.850750 10.821257 33.794426 10.821257 33.702899 10.732077 33.693512 10.612388 33.702899 10.588920 33.831975 10.633510 33.869525 10.710956 33.904727 10.776667 33.878912 # -b 11.316439 33.158434 11.515920 33.111497 11.748257 33.001196 12.046305 32.900282 12.243439 32.825183 12.628320 32.806408 12.994426 32.890894 13.269006 32.872120 13.477874 32.787634 13.721945 32.778246 14.029380 32.693760 14.184272 32.611621 14.569152 32.461424 14.801489 32.414487 15.043213 32.330001 15.153514 32.245515 15.221573 32.050727 15.230960 31.853593 15.406973 31.616563 15.683899 31.363105 16.080514 31.229335 16.333972 31.229335 16.718853 31.201173 17.007514 31.135462 17.293828 31.050976 17.535552 30.973530 17.666975 30.907819 17.800744 30.823333 17.943901 30.804558 18.098793 30.745887 18.209094 30.623852 18.352251 30.508857 18.528263 30.375087 18.638565 30.337538 18.802843 30.278867 19.046914 30.278867 19.222927 30.346925 19.398939 30.403249 19.565564 30.499469 19.750964 30.670788 19.851878 30.842107 19.971567 30.994652 19.983301 31.126074 19.894121 31.316168 19.884734 31.475753 19.774433 31.625950 19.762699 31.759720 19.762699 31.872368 19.795554 32.003791 19.828410 32.069502 19.938711 32.172763 # -b 0.403656 40.180164 0.258152 39.985377 0.072752 39.816405 # -b -0.082139 39.013787 0.004694 38.936342 0.105608 38.891752 0.248765 38.865937 0.314476 38.781451 0.225296 38.652375 # -b 1.593501 39.107661 1.626357 39.098273 1.638091 39.117048 1.680334 39.004400 1.570033 38.910526 1.494934 38.865937 1.361164 38.926954 1.426876 39.030215 1.593501 39.107661 # -b 3.290263 39.959562 3.290263 39.933747 3.280876 39.917319 3.248020 39.832833 3.257407 39.774162 3.412298 39.774162 3.501478 39.663861 3.412298 39.457339 3.212817 39.295407 3.093129 39.356425 2.926503 39.433871 2.860792 39.544172 2.717635 39.534785 2.619068 39.492542 2.508767 39.595802 2.684779 39.755387 2.971093 39.875076 3.170574 39.933747 3.280876 39.985377 3.301997 39.985377 3.290263 39.959562 # -b 4.327564 40.027620 4.339298 39.985377 4.348685 39.900891 4.348685 39.858648 4.250118 39.858648 4.085840 39.910278 # -b 9.673654 40.142615 9.673654 39.990071 9.673654 39.785896 9.664267 39.626311 9.652533 39.487848 9.652533 39.403362 9.598556 39.309488 9.586822 39.241430 9.488254 39.173372 9.377953 39.189800 9.244184 39.225002 9.145616 39.154597 9.068171 39.018481 8.946136 38.941035 8.871037 38.915220 8.770123 38.898792 8.683290 38.966850 8.650434 39.018481 8.626966 39.034909 8.561255 39.102967 8.483809 39.189800 8.450953 39.309488 8.462687 39.393974 8.406363 39.506623 8.429832 39.616924 8.439219 39.642739 8.450953 39.727225 8.462687 39.795283 8.528399 39.846914 8.540133 39.931400 8.495543 39.973643 # -b -0.061018 35.845560 0.138463 35.915965 0.248765 36.059122 0.380187 36.174117 0.490489 36.228094 0.645380 36.256256 0.776802 36.345436 0.833126 36.390026 1.009139 36.441656 1.328309 36.530836 1.548911 36.584813 1.835225 36.594200 2.243574 36.620015 2.508767 36.645831 2.738757 36.638790 2.917116 36.718582 3.093129 36.833577 3.212817 36.798375 3.290263 36.798375 3.400564 36.814803 3.433420 36.814803 3.489744 36.798375 3.534334 36.788987 3.698612 36.814803 3.865237 36.885208 3.984926 36.929798 4.128083 36.920410 4.282974 36.920410 4.426131 36.929798 4.548166 36.939185 4.703058 36.920410 4.846215 36.920410 4.965903 36.913370 5.001106 36.899289 # -b 5.001106 36.899289 5.043349 36.857046 5.099673 36.828884 5.165384 36.777253 5.364865 36.723276 5.561999 36.767866 5.728625 36.838271 6.024326 36.882861 6.223807 36.953266 6.378698 37.129279 6.599300 37.068261 6.754192 36.988468 6.852759 36.988468 7.017037 36.934491 7.228252 36.997856 7.326819 37.112851 7.556809 37.042446 7.699966 37.007243 7.854857 36.899289 8.075460 36.927451 8.218617 36.979081 8.340652 36.953266 8.483809 36.943879 8.582376 36.953266 8.716146 36.979081 # -b 8.716146 36.979081 8.793591 37.007243 8.847568 37.068261 9.002460 37.155094 9.232449 37.253661 9.431930 37.314679 9.673654 37.340494 9.873135 37.331106 # -b 10.082004 34.092474 9.861401 34.137064 9.861401 34.071352 9.861401 34.071352 9.861401 33.970438 9.884870 33.914114 9.929459 33.794426 # -b -5.508022 50.043912 -5.508022 49.994629 # -b -5.099673 50.029831 -5.043349 49.987588 # -b -8.638700 41.822949 -8.594110 41.649283 -8.540133 41.393478 -8.483809 41.210425 -8.495543 41.086043 -8.516665 40.961660 -8.549520 40.809116 -8.594110 40.651878 -8.650434 40.525149 -8.704411 40.297506 -8.725533 40.086291 # -b -1.692068 43.376554 -1.868081 43.336657 -2.198985 43.343698 -2.452443 43.409409 -2.827936 43.400022 -2.992215 43.392982 -3.346587 43.432878 -3.555455 43.479814 -3.797179 43.432878 -4.151551 43.416450 -4.470721 43.432878 -4.867336 43.489202 -5.076204 43.529098 -5.287420 43.536138 -5.627711 43.608890 -5.848313 43.632359 -6.036060 43.561954 -6.411554 43.552566 -6.787047 43.552566 -7.139072 43.601850 -7.413652 43.695723 -7.601399 43.728579 -7.777412 43.705111 -8.021482 43.655827 -8.141171 43.519711 -8.131784 43.423490 -8.274941 43.320230 -8.615232 43.310842 -8.826447 43.263906 -9.035315 43.151258 -9.124495 42.972898 -8.969604 42.867290 -8.835834 42.794539 -8.859303 42.681890 -8.737267 42.625566 -8.650434 42.632607 -8.770123 42.454247 -8.605844 42.395577 -8.659822 42.282929 -8.507277 42.299356 -8.626966 42.174974 -8.692677 42.013042 -8.683290 41.888660 -8.638700 41.822949 # -b -1.703802 43.367166 -1.516055 43.360126 -1.328309 43.449306 -1.250863 43.601850 -1.206273 43.801331 -1.128828 44.071217 -1.053729 44.388040 -0.919959 44.615683 -0.875370 44.655579 -1.009139 44.742412 -1.020873 44.772921 -0.997405 44.953627 -0.943428 45.202391 -0.931694 45.420647 -0.875370 45.521561 -0.722825 45.404219 -0.612524 45.312693 -0.556200 45.249328 -0.612524 45.420647 -0.755681 45.552070 -0.943428 45.636556 -1.009139 45.760938 -0.910572 45.899401 -0.910572 46.068374 -0.985671 46.173981 -0.985671 46.298363 -1.020873 46.288976 -1.030261 46.298363 -1.196886 46.319485 -1.426876 46.403971 -1.647478 46.509579 -1.814104 46.655082 -1.945526 46.821708 -1.912671 46.957824 -1.936139 47.100981 -1.990116 47.190161 -1.757780 47.220670 -1.626357 47.234751 -1.814104 47.288728 -2.121539 47.279341 -2.342141 47.288728 -2.332754 47.399029 -2.309286 47.497596 -2.365610 47.518718 -2.696514 47.518718 -2.607334 47.563308 -2.738757 47.593816 -2.959359 47.542186 -3.060273 47.563308 -3.081395 47.600857 -3.114250 47.631366 -3.280876 47.713505 -3.456888 47.758095 -3.731468 47.816766 -3.841769 47.854315 -4.008394 47.847275 -4.205529 47.786257 -4.306442 47.891864 -4.458987 47.988085 -4.536432 48.032675 -4.414397 48.067877 -4.261853 48.105426 -4.294708 48.164097 -4.437865 48.157057 -4.470721 48.215728 -4.393275 48.288480 -4.294708 48.295520 -4.261853 48.356538 -4.437865 48.340110 -4.634999 48.326029 -4.634999 48.391740 -4.569288 48.509082 -4.360420 48.581834 -4.160939 48.633464 -4.041250 48.647545 -3.865237 48.671014 -3.710346 48.671014 -3.588311 48.699176 -3.445154 48.720297 -3.424032 48.786009 -3.323119 48.823558 -3.248020 48.800090 -3.137719 48.816518 -2.926503 48.816518 -2.816202 48.764887 -2.651924 48.647545 -2.475911 48.560712 -2.299898 48.605302 -2.145007 48.633464 -2.100417 48.619383 -1.990116 48.612343 -1.858693 48.654586 -1.715536 48.678054 -1.638091 48.654586 -1.570033 48.605302 -1.361164 48.612343 -1.283719 48.671014 -1.405754 48.720297 -1.459731 48.865801 -1.459731 49.011305 -1.516055 49.133340 -1.560645 49.292925 -1.680334 49.351596 -1.736658 49.452510 -1.757780 49.595667 -1.769514 49.694234 -1.593501 49.659031 -1.349430 49.666072 -1.206273 49.673112 -1.140562 49.651991 -1.152296 49.609748 -1.164030 49.544036 -1.053729 49.466591 -0.943428 49.358636 -0.842514 49.365677 -0.556200 49.337515 -0.302742 49.292925 -0.105608 49.292925 # -b -60.071939 45.859505 -59.940516 45.936951 -59.839602 45.976847 -59.773891 45.997969 -59.762157 46.044905 -59.863070 46.068374 -59.839602 46.159900 -59.839602 46.227958 -59.949903 46.265508 # -b -56.288841 47.138530 -56.333430 47.122103 -56.333430 47.084553 -56.300575 46.957824 -56.288841 46.866298 -56.279453 46.805280 -56.213742 46.852217 -56.223129 46.988333 -56.213742 47.084553 -56.288841 47.138530 # -b -57.635924 50.036872 -57.722757 49.928917 -57.755613 49.851472 -57.844792 49.745864 -57.856526 49.623829 -57.823671 49.579239 -57.823671 49.529955 -57.966828 49.529955 -58.131106 49.400879 -58.196818 49.292925 -58.152228 49.243642 -58.020805 49.227214 -58.020805 49.192011 -58.065395 49.142728 -58.020805 49.062935 -58.086516 49.062935 -58.253142 49.084057 -58.351709 49.091097 -58.450276 48.931512 -58.605167 48.661626 -58.736590 48.605302 -58.814035 48.685095 -58.968926 48.633464 -59.123817 48.553672 -59.123817 48.509082 -58.936071 48.523163 -58.703734 48.539591 -58.518334 48.516123 -58.440888 48.429290 -58.682612 48.288480 -58.980660 48.112467 -59.288096 47.891864 -59.311564 47.713505 -59.222384 47.593816 -58.980660 47.563308 -58.616901 47.624325 -58.274263 47.652487 -58.053661 47.682996 -57.889382 47.661875 -57.657045 47.645447 -57.424709 47.645447 -57.260430 47.593816 -57.016359 47.586776 -56.730046 47.579735 -56.476587 47.624325 -56.324043 47.631366 -56.145684 47.652487 -56.025995 47.741667 -55.882838 47.802685 -55.739681 47.847275 -55.781924 47.713505 -55.781924 47.631366 -56.035382 47.556267 -56.091706 47.490556 -55.892225 47.497596 -55.859370 47.453006 -55.781924 47.460047 -55.662236 47.474128 -55.462755 47.481168 -55.373575 47.579735 -55.275008 47.668915 -55.122464 47.624325 -54.857271 47.624325 -54.779826 47.586776 -55.021550 47.474128 -55.209296 47.354439 -55.331332 47.220670 -55.429899 47.129143 -55.683357 47.084553 -55.826514 47.039963 -55.859370 46.920275 -55.662236 46.882725 -55.408777 46.920275 -55.221031 46.971905 -55.110729 47.077513 -55.045018 47.166692 -54.922983 47.258219 -54.779826 47.370867 -54.613200 47.415457 -54.493512 47.445966 -54.460656 47.429538 -54.437188 47.422497 -54.383210 47.535146 -54.282297 47.706464 -54.183729 47.927067 -54.028838 47.927067 -54.007717 47.786257 -53.930271 47.563308 -53.885681 47.354439 -54.040573 47.100981 -54.085162 46.873338 -53.942005 46.835789 -53.754259 47.032923 -53.587633 47.183120 -53.500800 47.122103 -53.578246 46.971905 -53.554778 46.852217 -53.566512 46.730181 -53.467945 46.617533 -53.280198 46.730181 -53.047861 46.692632 -52.916438 46.927315 -52.827259 47.220670 -52.695836 47.445966 -52.695836 47.713505 -52.794403 47.751054 -52.916438 47.607897 -53.038474 47.460047 -53.125307 47.535146 -53.137041 47.720546 -53.047861 47.905945 -52.961028 48.032675 -52.871849 48.098386 -52.871849 48.194606 -53.047861 48.105426 -53.247342 48.023287 -53.411621 47.823806 -53.500800 47.661875 -53.611102 47.652487 -53.709669 47.699424 -53.765993 47.786257 -53.709669 47.875437 -53.655692 48.032675 -53.688547 48.046756 -53.721403 48.112467 -53.864560 48.215728 -53.709669 48.253277 -53.489066 48.304907 -53.357643 48.429290 -53.181631 48.464492 -53.071330 48.595915 -53.104185 48.671014 -53.280198 48.605302 -53.423355 48.574793 -53.587633 48.516123 -53.688547 48.523163 -53.951393 48.450411 -54.007717 48.502042 -53.885681 48.605302 -53.754259 48.750806 -53.831704 48.816518 -53.942005 48.830599 -53.819970 48.997224 -53.622836 49.133340 -53.489066 49.299966 -53.512535 49.358636 -53.435089 49.271804 -53.423355 49.285885 -53.611102 49.372717 -53.963127 49.436082 -54.294031 49.407920 -54.437188 49.508834 -54.570957 49.473631 -54.812681 49.379758 -55.131851 49.278844 -55.319598 49.271804 -55.155319 49.494753 -55.131851 49.572198 -55.319598 49.501793 -55.364188 49.436082 -55.474489 49.480672 -55.629380 49.487712 -55.859370 49.501793 -55.849982 49.651991 -55.936815 49.680153 -56.035382 49.694234 -55.814780 49.816269 -55.483876 49.921877 -55.629380 49.966467 -55.849982 49.980548 -56.079972 49.987588 # -b -56.169152 50.128398 -56.366286 49.935958 -56.577501 49.802188 -56.720658 49.637910 -56.774635 49.722396 -56.798104 49.781067 -56.720658 49.914836 # -b -66.732257 50.072074 -66.851945 49.980548 -67.018571 49.823310 -67.117138 49.616788 -67.182849 49.501793 -67.260295 49.379758 -67.314272 49.358636 -67.558343 49.351596 -67.788333 49.344555 -68.008935 49.328128 -68.163826 49.227214 -68.220150 49.192011 -68.241272 49.133340 -68.330452 49.133340 -68.539320 49.004264 -68.670743 48.917431 -68.846755 48.858761 -68.957057 48.743766 -69.046236 48.654586 -69.189393 48.509082 -69.365406 48.326029 -69.564887 48.215728 -69.651720 48.201647 -69.762021 48.201647 -69.740900 48.002166 -69.895791 47.786257 # -b -70.116393 47.445966 -69.928646 47.556267 -69.762021 47.682996 -69.630598 47.847275 -69.532031 47.995125 -69.356019 48.091345 -69.135416 48.229809 -68.947669 48.363578 -68.846755 48.415209 -68.771657 48.429290 -68.670743 48.436330 -68.539320 48.532550 -68.339839 48.619383 -68.119236 48.678054 -67.933836 48.757847 -67.722621 48.851720 -67.534875 48.917431 -67.272029 48.983143 -67.072548 49.039467 -66.741644 49.149768 -66.544510 49.192011 -66.312173 49.236601 -65.993004 49.278844 -65.760667 49.271804 -65.551799 49.299966 -65.298341 49.285885 -65.021414 49.264763 -64.833667 49.220173 -64.547353 49.126300 -64.305629 49.011305 -64.207062 48.889269 -64.174207 48.830599 -64.249305 48.858761 -64.305629 48.872842 -64.338485 48.844680 -64.228184 48.750806 -64.228184 48.560712 -64.415931 48.436330 -64.657655 48.318988 -64.878257 48.194606 -65.176305 48.091345 -65.507209 48.105426 -65.793523 48.201647 -65.960148 48.178178 -66.180751 48.150016 -66.455330 48.084305 -66.521042 48.046756 -66.255849 48.053796 -65.981270 47.995125 -65.772401 47.943495 -65.683222 47.786257 -65.596389 47.727586 -65.340584 47.816766 -65.054270 47.920026 -64.988558 47.898905 -65.000293 47.847275 -64.845401 47.830847 -64.746834 47.772176 -64.758569 47.638406 -64.845401 47.490556 -64.922847 47.340358 -65.066004 47.234751 -65.220895 47.145571 -65.220895 47.115062 -65.066004 47.129143 -64.934581 47.115062 -64.800812 47.100981 -64.812546 46.971905 -64.833667 46.842829 -64.800812 46.746609 -64.713979 46.631614 -64.657655 46.509579 -64.570822 46.418052 -64.448786 46.349994 -64.469908 46.298363 -64.371341 46.281936 -64.162472 46.274895 -63.974726 46.220918 -63.775245 46.159900 -63.697799 46.112963 -63.864424 46.044905 -63.885546 45.967460 -63.733002 45.929910 -63.521786 45.913482 -63.235473 45.838384 -63.059460 45.821956 -62.871713 45.805528 -62.728556 45.784407 -62.662845 45.699920 -62.618255 45.699920 -62.531422 45.699920 -62.266230 45.730429 -62.066749 45.828996 -61.902470 45.906442 -61.813290 45.784407 -61.846146 45.667065 -61.735845 45.683493 -61.571566 45.667065 -61.383820 45.690533 -61.252397 45.582579 -61.252397 45.730429 -61.184339 45.521561 -61.294640 45.467584 -61.318108 45.397179 -61.196073 45.390138 -61.031794 45.380751 -60.954349 45.343202 -61.074037 45.279837 -61.240663 45.289224 -61.404941 45.218819 -61.548098 45.249328 -61.670134 45.188310 -61.780435 45.131986 -61.956447 45.070969 -62.155928 45.024032 -62.320207 44.946586 -62.409387 44.937199 -62.453976 44.866794 -62.618255 44.873834 -62.740290 44.812817 -62.806002 44.772921 -62.928037 44.772921 -63.005483 44.756493 -63.038338 44.779961 -63.104050 44.756493 -63.169761 44.742412 -63.214351 44.709556 -63.301184 44.672007 -63.434954 44.718943 -63.533521 44.742412 -63.500665 44.662619 -63.479543 44.568746 -63.500665 44.505381 -63.721267 44.505381 -63.843303 44.615683 -63.852690 44.679047 -63.941870 44.585174 -64.007581 44.505381 -64.063905 44.615683 -64.162472 44.491300 -64.174207 44.418548 -64.183594 44.378652 -64.207062 44.308247 -64.293895 44.268351 -64.392462 44.204986 -64.514498 44.094685 -64.624799 43.991424 -64.681123 43.921019 -64.758569 43.888164 -64.878257 43.848268 -64.988558 43.695723 -65.098860 43.735619 -65.131715 43.745007 -65.232629 43.705111 -65.253751 43.615931 -65.265485 43.568994 -65.364052 43.505630 -65.441498 43.505630 -65.629244 43.552566 -65.716077 43.728579 -65.826379 43.815412 -65.969535 43.824799 -66.058715 44.014893 -66.079837 44.204986 -66.035247 44.364571 -65.924946 44.498341 -65.816991 44.608642 -65.903824 44.538237 -66.103305 44.442017 -66.058715 44.552318 -65.781789 44.702516 -65.650366 44.686088 -65.474353 44.756493 -65.486087 44.826898 -65.298341 44.913731 -65.054270 45.047500 -64.824280 45.148414 -64.636533 45.232900 -64.383075 45.319733 -64.305629 45.265756 -64.272774 45.171883 -64.106148 45.108518 -64.052171 45.164842 -63.930136 45.242288 -63.754123 45.312693 -63.512399 45.343202 -63.324652 45.350242 -63.301184 45.427688 -63.578110 45.434728 -63.843303 45.397179 -64.096761 45.427688 -64.305629 45.458196 -64.537966 45.380751 -64.735100 45.357283 -64.767956 45.505133 -64.526232 45.636556 -64.305629 45.838384 -64.359607 45.845424 -64.448786 45.828996 -64.502764 45.929910 -64.570822 45.838384 -64.669389 45.706961 -64.824280 45.676452 -64.878257 45.667065 -64.889991 45.660024 -64.988558 45.599007 -65.242017 45.474624 -65.462619 45.350242 -65.638632 45.289224 -65.826379 45.272796 -65.960148 45.296265 -66.103305 45.188310 -66.234728 45.148414 -66.401353 45.131986 -66.511654 45.124946 -66.631343 45.108518 -66.741644 45.117905 -66.840211 45.164842 -66.962247 45.195351 -67.027958 45.195351 # -b -63.974726 49.959426 -64.007581 49.942998 -63.843303 49.935958 -63.533521 49.844431 -63.268328 49.823310 -63.005483 49.752905 -62.761412 49.694234 -62.552544 49.637910 -62.364797 49.529955 -62.233374 49.443122 -62.123073 49.422001 -62.045627 49.422001 -61.979916 49.393839 -61.879002 49.400879 -61.825025 49.351596 -61.803903 49.292925 -61.735845 49.236601 -61.702989 49.163849 -61.836759 49.112219 -62.066749 49.112219 -62.266230 49.105178 -62.531422 49.156809 -62.773146 49.170890 -62.970280 49.243642 -63.169761 49.278844 -63.390364 49.351596 -63.545255 49.459550 -63.610966 49.595667 -63.754123 49.644950 -63.918402 49.694234 -64.063905 49.752905 -64.195328 49.788107 -64.317364 49.830350 -64.415931 49.879634 -64.427665 49.950039 -64.195328 49.980548 -63.974726 49.959426 # -b -63.953604 46.988333 -63.918402 47.100981 -63.930136 47.100981 -63.941870 47.100981 -63.930136 47.032923 -63.930136 46.934356 -63.995847 46.859257 -64.028703 46.805280 -63.941870 46.737222 -63.885546 46.648042 -63.819834 46.579984 -63.709533 46.533047 -63.610966 46.570596 -63.411485 46.549475 -63.258941 46.509579 -63.092316 46.481417 -62.904569 46.418052 -62.662845 46.448561 -62.597133 46.464989 -62.463364 46.495498 -62.242761 46.488457 -62.022159 46.481417 -62.012771 46.411012 -62.221640 46.380503 -62.266230 46.328872 -62.310820 46.288976 -62.409387 46.251427 -62.421121 46.122351 -62.421121 46.082455 -62.397652 46.044905 -62.597133 46.007356 -62.817736 46.068374 -62.871713 46.129391 -62.883447 46.220918 -63.014870 46.281936 -63.080581 46.265508 -63.092316 46.197450 -63.258941 46.204490 -63.456075 46.251427 -63.655556 46.312444 -63.697799 46.380503 -63.721267 46.418052 -63.918402 46.434480 -64.052171 46.540087 -64.028703 46.617533 -64.162472 46.648042 -64.282161 46.692632 -64.293895 46.828748 -64.106148 46.957824 -63.962991 47.054044 -63.953604 46.988333 # -b -60.545999 46.995373 -60.599977 47.039963 -60.623445 46.920275 -60.778336 46.784158 -60.876903 46.685591 -60.987204 46.488457 -61.074037 46.389890 -61.174951 46.305404 -61.318108 46.173981 -61.327496 46.082455 -61.404941 45.913482 -61.404941 45.814915 -61.318108 45.737470 -61.252397 45.643596 -61.074037 45.599007 -60.987204 45.613088 -60.865169 45.660024 -60.811192 45.667065 -60.599977 45.652984 -60.468554 45.660024 -60.358253 45.699920 -60.247951 45.737470 -60.149384 45.784407 -60.071939 45.859505 # -b -59.949903 46.265508 -60.006227 46.298363 -60.050817 46.251427 -60.137650 46.136432 -60.170506 46.251427 -60.193974 46.251427 -60.313663 46.204490 -60.402843 46.159900 -60.522531 46.122351 -60.599977 46.143472 -60.501410 46.251427 -60.412230 46.328872 -60.435698 46.335913 -60.513144 46.359381 -60.379374 46.570596 -60.325397 46.737222 -60.304275 46.859257 -60.325397 46.903847 -60.346519 46.978946 -60.391108 47.009454 -60.501410 47.039963 -60.545999 46.995373 # -b -67.027958 45.195351 -67.027958 45.171883 -67.039692 45.148414 -67.027958 45.078009 -67.027958 45.024032 -67.027958 44.977095 -67.072548 44.937199 -67.093669 44.923118 -67.105404 44.890262 -67.051426 44.890262 -66.973981 44.890262 -66.950513 44.852713 -66.962247 44.772921 -67.027958 44.725984 -67.138259 44.679047 -67.215705 44.686088 -67.293150 44.648538 -67.415186 44.639151 -67.480897 44.585174 -67.602933 44.561705 -67.656910 44.568746 -67.713234 44.568746 -67.788333 44.545278 -67.823535 44.481913 -67.922102 44.442017 -67.976080 44.434976 -68.020669 44.451404 -68.065259 44.427936 -68.130971 44.371612 -68.163826 44.364571 -68.220150 44.291819 -68.318717 44.277738 -68.339839 44.301207 -68.384429 44.331716 -68.482996 44.378652 -68.518198 44.341103 -68.637887 44.355184 -68.670743 44.378652 -68.694211 44.442017 -68.715333 44.528850 -68.804512 44.514769 -68.903079 44.458445 -68.935935 44.324675 -69.001646 44.237842 -69.025115 44.141622 -69.057971 44.087645 -69.090826 44.031321 -69.144803 44.014893 -69.177659 44.031321 -69.266839 44.047749 -69.344284 43.991424 -69.409996 43.888164 -69.454586 43.888164 -69.541419 43.871736 -69.564887 43.895204 -69.586008 43.944488 -69.630598 43.935100 -69.651720 43.848268 -69.686922 43.801331 -69.719778 43.752047 -69.752634 43.735619 -69.773755 43.784903 -69.797224 43.841227 -69.839467 43.871736 -69.907525 43.871736 # -b -70.027213 41.764278 -69.994358 41.797134 -69.982624 41.813561 -69.982624 41.865192 -69.982624 41.921516 -69.994358 41.970799 -69.982624 41.996615 -69.928646 41.954372 -69.895791 41.839377 -69.872322 41.740810 -69.907525 41.714994 -69.982624 41.691526 # -b -69.895791 47.786257 -70.137515 47.497596 -70.226694 47.490556 -70.402707 47.363827 -70.623310 47.220670 -70.811056 47.093941 -70.954213 46.978946 -71.097370 46.889766 -71.073902 46.859257 -70.865034 46.903847 -70.677287 46.988333 -70.667899 46.988333 -70.656165 47.032923 -70.557598 47.070472 -70.456684 47.159652 -70.292406 47.272300 -70.116393 47.445966 # -b -69.907525 43.871736 -70.060069 43.824799 -70.170370 43.728579 -70.203226 43.672255 -70.214960 43.625318 -70.226694 43.585422 -70.268937 43.529098 -70.292406 43.519711 -70.304140 43.519711 -70.325261 43.496242 -70.402707 43.392982 -70.480153 43.310842 -70.489540 43.310842 -70.513008 43.287374 -70.545864 43.207582 -70.611575 43.118402 -70.667899 43.022182 -70.733611 42.916574 -70.766466 42.794539 -70.778201 42.778111 -70.778201 42.738215 -70.778201 42.731174 -70.778201 42.714746 -70.754732 42.672503 -70.710142 42.656075 -70.677287 42.616179 -70.754732 42.599751 -70.799322 42.510572 -70.820444 42.461288 -70.865034 42.470675 -70.942479 42.381496 -70.942479 42.322825 -70.853299 42.282929 -70.778201 42.257113 -70.721877 42.191402 -70.700755 42.184361 -70.689021 42.144465 -70.667899 42.095182 -70.667899 42.029470 -70.611575 42.003655 -70.578720 41.987227 -70.545864 41.914475 -70.524742 41.839377 -70.447297 41.797134 -70.346383 41.764278 -70.226694 41.747850 -70.116393 41.740810 -70.027213 41.764278 # -b -69.982624 41.691526 -70.092925 41.642243 -70.160983 41.625815 -70.226694 41.642243 -70.346383 41.609387 -70.456684 41.583572 -70.557598 41.583572 -70.590454 41.609387 -70.590454 41.642243 -70.599841 41.682139 -70.644431 41.691526 -70.742998 41.658670 -70.843912 41.609387 -70.888502 41.583572 -70.963601 41.557756 -71.019925 41.557756 -71.085636 41.557756 -71.141960 41.557756 -71.141960 41.625815 -71.163082 41.698567 -71.219406 41.740810 -71.273383 41.698567 -71.317973 41.642243 -71.350828 41.567144 -71.383684 41.485005 -71.482251 41.426334 -71.625408 41.393478 -71.726322 41.377050 -71.747444 41.377050 -71.747444 41.367663 -71.846011 41.351235 -72.012636 41.351235 -72.221504 41.334807 -72.540674 41.301951 -72.716686 41.292564 -72.826988 41.327767 -73.014735 41.259708 -73.071059 41.184610 -73.181360 41.168182 -73.324517 41.135326 -73.378494 41.102470 -73.488795 41.086043 -73.622565 41.010944 -73.721132 40.942886 -73.786843 40.910030 -73.810312 40.902989 -73.831433 40.893602 -73.843167 40.910030 -73.897145 40.910030 -73.974590 40.844319 -74.019180 40.785648 -74.084891 40.743405 -74.117747 40.710549 -74.183458 40.626063 -74.216314 40.558005 -74.216314 40.499334 -74.174071 40.475865 -74.063770 40.457091 -73.974590 40.349136 -73.941734 40.248222 -73.986324 40.086291 -74.019180 40.001805 # -b -74.040301 39.985377 -74.073157 40.001805 # -b -75.694820 44.552318 -75.650230 44.575786 -75.638496 44.575786 -75.781653 44.498341 -75.981134 44.371612 -76.213471 44.341103 -76.443461 44.268351 -76.654676 44.197946 -76.774364 44.158050 -76.908134 44.101726 -76.940990 44.087645 -76.962111 44.141622 -76.985580 44.174478 -77.060678 44.181518 -77.215569 44.158050 -77.248425 44.118154 -77.161592 44.118154 -77.117002 44.047749 -77.039557 43.967956 -77.018435 43.904592 -77.182714 43.881123 -77.260159 43.944488 -77.459640 43.951528 -77.680243 43.984384 -77.722486 43.984384 -77.745954 43.984384 -77.823400 43.998465 -78.130835 43.984384 -78.363172 43.928060 -78.572040 43.881123 -78.804377 43.848268 -78.947534 43.815412 -79.168136 43.761435 -79.278437 43.705111 -79.433329 43.615931 -79.487306 43.568994 -79.543630 43.536138 -79.597607 43.456346 -79.663318 43.409409 -79.752498 43.336657 -79.806475 43.287374 -79.773620 43.270946 -79.663318 43.247478 -79.531896 43.214622 -79.388739 43.191154 -79.233848 43.224009 -79.013245 43.256865 -78.881822 43.296761 -78.694076 43.327270 -78.506329 43.367166 -78.175425 43.392982 -78.109714 43.400022 -77.987678 43.400022 -77.844521 43.367166 -77.755341 43.360126 -77.722486 43.353085 -77.656774 43.303802 -77.569942 43.263906 -77.459640 43.287374 -77.403316 43.303802 -77.370461 43.310842 -77.304749 43.296761 -77.138124 43.296761 -76.940990 43.303802 -76.774364 43.343698 -76.610086 43.439918 -76.478663 43.512670 -76.312038 43.545526 -76.279182 43.545526 -76.168881 43.552566 -76.136025 43.641746 -76.168881 43.768475 -76.201737 43.791944 -76.258061 43.848268 -76.267448 43.888164 -76.246327 43.921019 -76.180615 43.911632 -76.112557 43.944488 -76.103170 43.951528 -76.103170 43.998465 -76.157147 44.047749 -76.201737 44.038361 -76.290916 44.047749 -76.312038 44.118154 -76.246327 44.174478 -76.136025 44.221414 -76.013990 44.277738 -75.870833 44.355184 -75.760532 44.491300 -75.694820 44.552318 # -b -78.881822 42.867290 -78.870088 42.836782 -78.891210 42.827394 -79.078957 42.850863 -79.409860 42.883718 -79.707908 42.876678 # -b -80.160847 42.174974 -79.961367 42.191402 -79.818210 42.266501 -79.686787 42.332212 -79.487306 42.428432 -79.299559 42.559855 -79.233848 42.566896 -79.168136 42.599751 -79.123546 42.656075 -79.102425 42.681890 -79.057835 42.705359 -78.947534 42.778111 -78.924065 42.787498 -78.914678 42.787498 -78.870088 42.820354 -78.881822 42.867290 # -b -80.038812 44.873834 -79.994222 44.836285 -79.928511 44.796389 -79.785354 44.796389 -79.707908 44.826898 -79.707908 44.843326 -79.761886 44.923118 -79.829944 44.953627 -79.928511 44.977095 # -b -72.200383 41.193997 -72.287216 41.144713 -72.397517 41.069615 -72.573530 40.994516 -72.740155 40.978088 -72.949023 40.978088 -73.059324 40.961660 -73.181360 40.942886 -73.291661 40.926458 -73.378494 40.910030 -73.467674 40.910030 -73.545119 40.886562 -73.599096 40.860746 -73.655421 40.851359 -73.676542 40.834931 -73.753988 40.818503 -73.775109 40.809116 -73.819699 40.759833 -73.831433 40.743405 -73.864289 40.743405 -73.920613 40.717589 -73.930000 40.668306 -73.941734 40.616676 -73.930000 40.600248 -73.920613 40.642491 -73.843167 40.658919 -73.831433 40.609635 -73.753988 40.593207 -73.655421 40.626063 -73.566241 40.668306 -73.467674 40.694121 -73.423084 40.694121 -73.336251 40.710549 -73.225950 40.726977 -73.136770 40.743405 -73.005347 40.776260 -72.883312 40.792688 -72.794132 40.802076 -72.650975 40.827891 -72.573530 40.827891 -72.453841 40.867787 -72.430373 40.877174 -72.385783 40.902989 -72.310684 40.910030 -72.176914 40.952273 -72.045492 41.001557 -71.956312 41.036759 -71.935190 41.043800 -71.979780 41.043800 -72.078347 41.060227 -72.144059 41.060227 -72.233238 41.027372 -72.298950 41.010944 -72.385783 40.952273 -72.507818 40.935845 -72.486697 40.978088 -72.409251 41.036759 -72.331806 41.086043 -72.254360 41.128286 -72.209770 41.177569 -72.200383 41.193997 # -b -82.132189 45.892361 -82.176779 45.875933 -82.352792 45.906442 -82.519417 45.899401 -82.650840 45.852465 -82.793997 45.892361 -82.960622 45.906442 -83.047455 45.906442 -83.181224 45.892361 -83.136634 45.821956 -83.005212 45.784407 -82.793997 45.744510 -82.662574 45.714001 -82.573394 45.660024 -82.387994 45.652984 -82.242490 45.591966 -82.021888 45.559110 -81.946789 45.545029 -81.824754 45.568498 -81.813019 45.582579 -81.747308 45.652984 -81.702718 45.730429 -81.660475 45.791447 -81.669862 45.859505 -81.759042 45.852465 -81.791898 45.730429 -81.791898 45.676452 -81.845875 45.613088 -81.902199 45.622475 -81.869343 45.699920 -81.869343 45.791447 -81.869343 45.859505 -81.923321 45.946338 -82.045356 45.946338 -82.111067 45.899401 -82.132189 45.892361 # -b -79.707908 42.876678 -80.050546 42.827394 -80.259415 42.761683 -80.381450 42.681890 -80.545728 42.576283 -80.754597 42.625566 -81.130090 42.672503 -81.472728 42.592711 -81.571295 42.552815 -81.648741 42.503531 -81.747308 42.381496 -81.791898 42.306397 -81.845875 42.322825 -82.057090 42.266501 -82.167392 42.184361 -82.352792 42.102222 -82.453705 42.029470 -82.463093 41.963759 -82.552272 41.980187 -82.740019 42.003655 -82.838586 41.980187 -83.103779 42.003655 -83.136634 41.996615 -83.258670 41.888660 -83.378358 41.806521 -83.455804 41.724382 -83.192958 41.642243 -83.059189 41.557756 -82.972356 41.534288 -82.838586 41.541329 -82.793997 41.492045 -82.674308 41.475617 -82.453705 41.452149 -82.265959 41.492045 -82.111067 41.534288 -81.956176 41.524901 -81.813019 41.534288 -81.681597 41.592959 -81.493850 41.682139 -81.338959 41.757237 -81.174680 41.829989 -81.031523 41.881620 -80.820308 41.947331 -80.656030 41.980187 -80.456549 42.036511 -80.313392 42.078754 -80.160847 42.174974 # -b -82.573394 42.625566 -82.662574 42.625566 -82.793997 42.625566 -82.904298 42.543427 -82.939500 42.470675 -82.939500 42.381496 -82.904298 42.332212 -82.850321 42.315784 -82.805731 42.306397 -82.718898 42.299356 -82.641452 42.306397 -82.552272 42.315784 -82.486561 42.339253 -82.453705 42.404964 -82.441971 42.444860 -82.463093 42.487103 -82.507683 42.494144 -82.552272 42.526999 -82.573394 42.592711 -82.573394 42.625566 # -b -82.463093 43.062078 -82.420850 43.094933 -82.420850 43.101974 -82.397381 43.101974 -82.265959 43.085546 -82.176779 43.151258 -82.132189 43.224009 -81.967911 43.231050 -81.813019 43.360126 -81.747308 43.576035 -81.759042 43.784903 -81.803632 43.998465 -81.791898 44.158050 -81.702718 44.261311 -81.559561 44.427936 -81.472728 44.528850 -81.404670 44.639151 -81.395283 44.733024 -81.395283 44.826898 -81.428138 44.913731 -81.460994 44.991176 -81.505584 45.054541 -81.550174 45.124946 -81.559561 45.164842 -81.625273 45.188310 -81.669862 45.256369 -81.637007 45.279837 -81.538440 45.265756 -81.428138 45.242288 -81.350693 45.242288 -81.338959 45.164842 -81.306103 45.070969 -81.240392 44.977095 -81.219270 44.930159 -81.195802 44.906690 -81.186414 44.906690 -81.151212 44.899650 -81.097235 44.953627 -81.052645 44.977095 -81.031523 44.984136 -81.040911 44.937199 -81.052645 44.873834 -81.064379 44.819857 -81.064379 44.796389 -81.031523 44.796389 -80.986933 44.796389 -80.954078 44.695475 -80.954078 44.615683 -80.930609 44.639151 -80.843777 44.695475 -80.810921 44.725984 -80.766331 44.742412 -80.710007 44.686088 -80.677151 44.632110 -80.578584 44.592214 -80.357982 44.538237 -80.181969 44.528850 -80.092789 44.538237 -80.017691 44.615683 -80.017691 44.679047 -80.038812 44.725984 -80.104523 44.803429 -80.083402 44.859753 -80.038812 44.873834 # -b -79.928511 44.977095 -80.005956 45.070969 -80.071668 45.131986 -80.017691 45.171883 -80.071668 45.279837 -80.059934 45.373710 -80.170235 45.380751 -80.292270 45.420647 -80.381450 45.512174 -80.557463 45.613088 -80.623174 45.744510 -80.656030 45.852465 -80.710007 45.875933 -80.832042 45.922870 -81.031523 45.946338 -81.186414 45.976847 -81.362427 45.990928 -81.482116 45.983888 -81.583030 45.960419 -81.615885 46.021437 -81.615885 46.082455 -81.660475 46.082455 -81.681597 46.068374 -81.845875 46.061333 -82.099333 46.082455 -82.287080 46.112963 -82.420850 46.129391 -82.519417 46.159900 -82.585128 46.143472 -82.707164 46.159900 -82.793997 46.213877 -82.904298 46.197450 -83.014599 46.183369 -83.059189 46.159900 -83.082657 46.152860 -83.192958 46.166941 -83.378358 46.220918 -83.566105 46.281936 -83.655285 46.298363 -83.798442 46.335913 -83.941599 46.328872 -84.030779 46.319485 -84.105877 46.298363 -84.129346 46.288976 -84.141080 46.389890 -84.195057 46.441520 -84.227913 46.481417 -84.239647 46.509579 -84.251381 46.533047 -84.293624 46.570596 -84.349948 46.601105 -84.371070 46.587024 -84.382804 46.556515 -84.394538 46.549475 -84.382804 46.549475 -84.394538 46.533047 -84.382804 46.488457 -84.338214 46.441520 -84.326480 46.380503 -84.284237 46.319485 -84.284237 46.265508 -84.272503 46.213877 -84.272503 46.173981 -84.227913 46.152860 -84.162201 46.129391 -84.129346 46.091842 -84.096490 46.061333 -84.007310 46.021437 -83.986189 45.983888 -83.995576 45.976847 -84.117612 45.976847 -84.150467 45.967460 -84.162201 45.967460 -84.260768 45.953379 -84.382804 45.936951 -84.448515 45.913482 -84.525961 45.983888 -84.615141 46.021437 -84.657384 45.967460 -84.680852 45.875933 -84.824009 45.875933 -84.901454 45.946338 -84.955432 45.967460 -84.967166 45.967460 -85.143178 46.037865 -85.363781 46.075414 -85.584383 46.044905 -85.706419 45.936951 -85.992733 45.913482 -86.246191 45.859505 -86.356492 45.791447 -86.443325 45.714001 -86.565361 45.622475 -86.663928 45.613088 -86.663928 45.744510 -86.654540 45.859505 -86.785963 45.784407 -86.929120 45.737470 -86.985444 45.744510 -87.170844 45.599007 -87.316348 45.413607 -87.492360 45.225860 -87.590928 45.085050 -87.701229 44.953627 -87.823264 44.873834 -87.865507 44.812817 -87.921831 44.725984 -87.999277 44.608642 -87.999277 44.545278 -87.910097 44.615683 -87.778674 44.695475 -87.579193 44.819857 -87.447771 44.836285 -87.403181 44.946586 -87.391447 45.054541 -87.281145 45.155455 -87.137988 45.256369 -87.095745 45.141374 -87.161457 45.031072 -87.238902 44.890262 -87.316348 44.789348 -87.403181 44.695475 -87.501748 44.528850 -87.546338 44.355184 -87.546338 44.237842 -87.602662 44.111113 -87.656639 43.991424 -87.701229 43.848268 -87.712963 43.672255 -87.799796 43.529098 -87.865507 43.400022 -87.921831 43.224009 -87.910097 42.998713 -87.888976 42.883718 -87.844386 42.761683 -87.832652 42.649035 -87.856120 42.494144 -87.844386 42.348640 -87.844386 42.282929 -87.778674 42.135078 -87.689495 41.980187 -87.623783 41.806521 -87.558072 41.731422 -87.480626 41.698567 -87.358591 41.665711 -87.206047 41.658670 -87.051155 41.740810 -86.851674 41.829989 -86.785963 41.855805 -86.708518 41.898048 -86.675662 42.013042 -86.577095 42.151506 -86.478528 42.289969 -86.368226 42.503531 -86.323637 42.576283 -86.300168 42.641994 -86.279047 42.860250 -86.267313 43.101974 -86.323637 43.224009 -86.433938 43.353085 -86.511383 43.529098 -86.553626 43.632359 -86.565361 43.665214 -86.511383 43.791944 -86.466793 43.951528 -86.422204 44.197946 -86.323637 44.254270 -86.344758 44.301207 -86.323637 44.465485 -86.290781 44.552318 -86.290781 44.561705 -86.290781 44.585174 -86.290781 44.632110 -86.290781 44.686088 -86.189867 44.772921 -86.157011 44.890262 -86.046710 44.946586 -85.915287 45.000564 -85.816720 45.078009 -85.727540 45.117905 -85.682951 45.047500 -85.673563 44.970055 -85.661829 44.873834 -85.638361 44.836285 -85.572649 44.913731 -85.485816 44.937199 -85.452961 45.078009 -85.452961 45.218819 -85.441227 45.256369 -85.274601 45.279837 -85.032877 45.350242 -85.000022 45.390138 -85.089201 45.474624 -85.110323 45.545029 -85.110323 45.613088 -85.044611 45.667065 -85.011756 45.699920 -84.922576 45.714001 -84.800541 45.714001 -84.701973 45.690533 -84.591672 45.667065 -84.558817 45.643596 -84.436781 45.660024 -84.338214 45.629515 -84.239647 45.575538 -84.105877 45.498093 -84.019044 45.474624 -83.908743 45.413607 -83.885275 45.404219 -83.875888 45.404219 -83.786708 45.390138 -83.631817 45.336161 -83.512128 45.256369 -83.434683 45.164842 -83.390093 45.085050 -83.422948 45.078009 -83.479272 45.024032 -83.467538 44.923118 -83.411214 44.836285 -83.368971 44.695475 -83.336115 44.561705 -83.336115 44.427936 -83.378358 44.348143 -83.488660 44.261311 -83.566105 44.134581 -83.676407 44.064176 -83.819563 43.984384 -83.908743 43.855308 -83.953333 43.735619 -83.908743 43.681642 -83.786708 43.648787 -83.676407 43.681642 -83.544984 43.745007 -83.455804 43.888164 -83.422948 43.951528 -83.390093 43.974997 -83.291526 44.007852 -83.092045 44.064176 -82.939500 44.078257 -82.829199 43.967956 -82.718898 43.824799 -82.641452 43.672255 -82.629718 43.519711 -82.608597 43.383594 -82.573394 43.240437 -82.519417 43.127789 -82.463093 43.062078 # -b -84.525961 46.488457 -84.481371 46.495498 -84.481371 46.509579 -84.537695 46.526006 -84.558817 46.624574 -84.493105 46.723141 -84.547082 46.706713 -84.570551 46.774771 -84.460249 46.859257 -84.460249 46.873338 -84.701973 46.964865 -84.767685 47.129143 -84.680852 47.333318 -84.955432 47.556267 -85.011756 47.645447 -84.978900 47.861356 -84.922576 47.995125 -85.044611 47.971657 -85.176034 47.964616 -85.352047 47.943495 -85.506938 47.943495 -85.748662 47.936454 -85.959877 48.039715 -86.147624 48.311948 -86.234457 48.436330 -86.344758 48.633464 -86.433938 48.727338 -86.466793 48.727338 -86.499649 48.736725 -86.588829 48.727338 -86.818819 48.786009 -87.095745 48.786009 -87.095745 48.311948 -87.447771 48.851720 -87.832652 48.945593 -88.086110 48.997224 -88.175289 48.959674 -88.196411 48.924472 -88.196411 48.844680 -88.175289 48.685095 -88.208145 48.640505 -88.297325 48.605302 -88.363036 48.574793 -88.449869 48.464492 -88.517927 48.436330 -88.560170 48.523163 -88.473338 48.640505 -88.417013 48.750806 -88.440482 48.816518 -88.527315 48.713257 -88.604760 48.581834 -88.703327 48.422249 -88.747917 48.377659 -88.858218 48.347150 -88.902808 48.450411 -88.891074 48.581834 -89.001375 48.502042 -89.144532 48.384700 -89.254834 48.194606 -89.332279 48.157057 -89.365135 48.098386 -89.409725 48.084305 -89.520026 48.060837 -89.609206 48.016247 -89.618593 48.016247 -89.630327 48.016247 -89.752363 47.981044 -89.928375 47.875437 # -b -90.071532 46.662123 -89.862664 46.774771 -89.642061 46.828748 -89.365135 46.866298 -89.168001 46.971905 -88.968520 47.047004 -88.747917 47.220670 -88.473338 47.347399 -88.264469 47.422497 -88.064988 47.467087 -87.865507 47.474128 -87.823264 47.467087 -87.823264 47.445966 -87.832652 47.408416 -87.999277 47.326277 -88.130700 47.227710 -88.297325 47.084553 -88.417013 47.039963 -88.506193 46.957824 -88.527315 46.805280 -88.517927 46.753649 -88.374770 46.852217 -88.285591 46.835789 -88.187024 46.842829 -87.999277 46.873338 -87.865507 46.828748 -87.778674 46.798239 -87.668373 46.746609 -87.558072 46.624574 -87.426649 46.526006 -87.349203 46.481417 -87.182578 46.502538 -87.006566 46.481417 -86.851674 46.457948 -86.764842 46.448561 -86.741373 46.441520 -86.642806 46.464989 -86.520771 46.563556 -86.356492 46.601105 -86.180480 46.678551 -85.969264 46.669163 -85.760396 46.662123 -85.617239 46.669163 -85.462348 46.692632 -85.286335 46.760690 -85.131444 46.753649 -85.089201 46.685591 -85.089201 46.549475 -84.967166 46.502538 -84.922576 46.488457 -84.791153 46.464989 -84.680852 46.481417 -84.615141 46.481417 -84.579938 46.481417 -84.525961 46.488457 # -b -89.928375 47.875437 -90.170099 47.727586 -90.524471 47.638406 -90.843641 47.474128 -91.075978 47.347399 -91.296580 47.220670 -91.472593 47.100981 -91.726051 46.950784 -91.979509 46.798239 -92.110932 46.699672 -92.033486 46.617533 -91.878595 46.601105 -91.648605 46.638655 -91.428003 46.737222 -91.251990 46.814667 -91.097099 46.873338 -90.975064 46.927315 -90.864763 46.852217 -90.855375 46.737222 -90.909352 46.594065 -90.888231 46.563556 -90.810785 46.617533 -90.655894 46.594065 -90.479882 46.579984 -90.214689 46.601105 -90.071532 46.662123 # -b -113.082251 41.745503 -113.061129 41.736116 -113.061129 41.745503 -112.971949 41.710301 -112.906238 41.670405 -112.896851 41.761931 -112.840527 41.745503 -112.784203 41.686832 -112.697370 41.693873 -112.641046 41.670405 -112.664514 41.562450 -112.718491 41.463883 -112.697370 41.414600 -112.598803 41.421640 -112.476767 41.330113 -112.387587 41.346541 -112.375853 41.454496 -112.375853 41.522554 -112.342998 41.529594 -112.310142 41.571837 -112.244431 41.562450 -112.178719 41.571837 -112.122395 41.555410 -112.101274 41.503779 -112.012094 41.487351 -111.979238 41.431027 -112.002707 41.395825 -112.077805 41.372356 -112.166985 41.323073 -112.155251 41.198691 -112.077805 41.097777 -111.946382 41.064921 -111.868937 40.980435 -111.913527 40.964007 -111.958117 40.872481 -111.946382 40.804422 -112.012094 40.764526 -112.089539 40.712896 -112.199841 40.696468 -112.289020 40.780954 -112.342998 40.830238 -112.342998 40.881868 -112.387587 40.905336 -112.443912 40.846665 -112.554213 40.980435 -112.631658 41.006250 -112.763081 41.140020 -112.795937 41.198691 -112.784203 41.323073 -112.861648 41.355929 -112.939094 41.454496 -112.995418 41.529594 -113.049395 41.588265 -113.072863 41.661017 -113.082251 41.719688 -113.082251 41.745503 # -b -125.304568 50.041565 -125.173145 49.957079 -125.039376 49.856165 -124.907953 49.757598 -124.884485 49.720049 -124.907953 49.663725 -124.875097 49.593320 -124.807039 49.541690 -124.729593 49.513528 -124.586436 49.433735 -124.422158 49.384452 -124.255533 49.377411 -124.166353 49.318740 -124.046664 49.290578 -123.945750 49.231907 -123.858918 49.175583 -123.781472 49.116912 -123.736882 49.053548 -123.725148 49.015999 -123.647702 48.929166 -123.593725 48.849373 -123.581991 48.783662 -123.528014 48.668667 -123.471690 48.609996 -123.450568 48.631118 -123.427100 48.682748 -123.361389 48.600609 -123.316799 48.520816 -123.361389 48.506735 -123.394244 48.426943 -123.516280 48.358885 -123.647702 48.368272 -123.715761 48.382353 -123.847183 48.410515 -123.969219 48.448064 -124.100642 48.499695 -124.255533 48.551325 -124.288388 48.565406 -124.288388 48.593568 -124.377568 48.617037 -124.487869 48.579487 -124.654495 48.638158 -124.753062 48.659280 -124.753062 48.717950 -124.687350 48.776621 -124.654495 48.842333 -124.708472 48.828252 -124.753062 48.755500 -124.863363 48.732031 -125.027641 48.821211 -125.062844 48.870495 -125.072231 48.936206 -124.973664 48.950287 -124.875097 49.023039 -124.973664 49.030080 -125.095700 49.074669 -125.194267 49.001917 -125.316302 49.023039 -125.536905 48.987836 -125.724652 49.088750 -125.647206 49.081710 -125.471193 49.102831 -125.536905 49.189664 -125.626084 49.231907 -125.724652 49.304659 -125.802097 49.311700 -125.924133 49.318740 -125.966376 49.384452 -126.154122 49.440776 -126.222181 49.433735 -126.353603 49.433735 -126.442783 49.447816 -126.508494 49.562811 -126.520229 49.586279 -126.431049 49.628522 -126.198712 49.621482 -125.989844 49.677806 -126.177591 49.734130 -126.341869 49.705968 -126.386459 49.743517 -126.419315 49.806882 -126.529616 49.750558 -126.607062 49.863206 -126.717363 49.919530 -126.783074 49.942998 -126.839398 49.919530 -126.893375 49.971160 -127.027145 49.898409 -127.158568 49.971160 # -b -122.786414 49.044161 -122.831004 49.060588 -122.863860 49.074669 -122.908449 49.088750 -122.997629 49.074669 -123.018751 49.102831 -122.997629 49.147421 -122.920184 49.161502 -122.798148 49.196705 -122.687847 49.203745 -122.577546 49.189664 -122.601014 49.248335 -122.654991 49.248335 -122.676113 49.283538 -122.711315 49.297619 -122.765292 49.276497 -122.831004 49.262416 -122.941305 49.248335 -123.042219 49.248335 -123.152520 49.269457 -123.173642 49.304659 -123.161908 49.318740 -123.173642 49.332821 -123.206497 49.377411 -123.206497 49.412614 -123.161908 49.433735 -123.161908 49.499447 -123.152520 49.562811 -123.152520 49.713009 -123.239353 49.734130 -123.251087 49.670766 -123.340267 49.607401 -123.405978 49.576892 -123.459956 49.520568 -123.516280 49.447816 -123.614847 49.464244 -123.659437 49.548730 -123.659437 49.593320 -123.626581 49.663725 -123.605459 49.713009 -123.682905 49.713009 -123.736882 49.713009 -123.736882 49.778720 -123.781472 49.778720 -123.793206 49.806882 -123.826062 49.842084 -123.814328 49.891368 -123.903507 49.957079 # -b -123.980953 50.027484 -123.936363 49.926571 -123.945750 49.870246 -124.023196 49.926571 -124.056052 49.964120 -124.067786 49.933611 -124.079520 49.919530 -124.124110 49.856165 -124.189821 49.820963 -124.279001 49.813922 -124.344712 49.820963 -124.410424 49.828003 -124.487869 49.863206 -124.577049 49.905449 -124.654495 49.964120 # -b -123.912895 39.980683 -123.969219 40.048741 -124.002075 40.098025 -124.091254 40.201286 -124.189821 40.292812 -124.267267 40.328015 -124.267267 40.410154 -124.246145 40.536883 -124.178087 40.611982 -124.091254 40.729324 -124.013809 40.830238 -124.023196 40.940539 -124.056052 40.931151 -124.023196 40.973395 -124.013809 41.048493 -124.013809 41.163488 -123.980953 41.339501 -123.980953 41.480311 -124.046664 41.637549 -124.112376 41.794787 -124.133497 41.966106 -124.189821 42.064673 -124.234411 42.156199 -124.311857 42.301703 -124.321244 42.458941 -124.344712 42.644341 -124.398690 42.799232 -124.398690 42.911880 -124.344712 43.057384 -124.300123 43.235744 -124.210943 43.381247 -124.100642 43.428184 -124.124110 43.533792 -124.166353 43.533792 -124.145231 43.597156 -124.100642 43.683989 -124.056052 43.820106 -124.034930 43.932754 -124.023196 44.052442 -124.013809 44.169784 -123.980953 44.312941 -123.980953 44.383346 -123.990340 44.446711 -123.990340 44.549971 -123.990340 44.690781 -123.990340 44.831591 -123.924629 44.988829 -123.912895 45.035766 -123.903507 45.167189 -123.903507 45.307999 -123.891773 45.432381 -123.835449 45.540336 -123.858918 45.594313 -123.858918 45.695227 -123.826062 45.779713 -123.880039 45.789100 -123.903507 45.850118 -123.891773 45.965113 -123.880039 46.033171 -123.868305 46.134085 -123.793206 46.188062 -123.638315 46.188062 -123.483424 46.202143 -123.340267 46.202143 -123.229966 46.157553 -123.173642 46.188062 -123.206497 46.232652 -123.295677 46.239693 -123.384857 46.286629 -123.450568 46.324179 -123.549135 46.317138 -123.682905 46.317138 -123.802594 46.310098 -123.880039 46.324179 -123.945750 46.361728 -123.990340 46.422746 -124.002075 46.568249 -124.002075 46.666817 -123.924629 46.622227 -123.912895 46.537741 -123.912895 46.469682 -123.858918 46.453255 -123.814328 46.476723 -123.802594 46.483763 -123.826062 46.544781 -123.835449 46.643348 -123.814328 46.727834 -123.835449 46.772424 -123.924629 46.765384 -124.002075 46.795892 -124.013809 46.878032 -123.936363 46.983639 -123.924629 47.037616 -123.990340 47.105675 -124.046664 47.075166 -124.091254 47.014148 -124.124110 47.089247 -124.156966 47.157305 -124.178087 47.262913 -124.210943 47.328624 -124.246145 47.420151 -124.267267 47.523411 -124.300123 47.612591 -124.356447 47.711158 -124.443280 47.828500 -124.544193 47.917680 -124.619292 47.999819 -124.663882 48.096039 -124.663882 48.227462 -124.619292 48.337763 -124.598171 48.382353 -124.544193 48.419902 -124.455014 48.396434 -124.344712 48.344804 -124.222677 48.323682 -124.145231 48.309601 -124.023196 48.272052 -123.903507 48.241543 -123.793206 48.213381 -123.647702 48.220421 -123.516280 48.199300 -123.361389 48.192259 -123.239353 48.192259 -123.206497 48.199300 -123.152520 48.199300 -123.009363 48.154710 -122.899062 48.117161 -122.765292 48.154710 -122.666725 48.138282 -122.633870 48.020940 -122.676113 47.917680 -122.798148 47.844928 -122.908449 47.701771 -123.009363 47.568001 -122.985895 47.403723 -122.854472 47.434232 -122.831004 47.509330 -122.908449 47.509330 -122.899062 47.523411 -122.798148 47.612591 -122.699581 47.657181 -122.577546 47.755748 -122.523568 47.859009 -122.434389 47.887171 -122.356943 47.880130 -122.324087 47.814419 -122.291232 47.790951 -122.279498 47.873090 -122.258376 47.924720 -122.258376 48.013900 -122.258376 48.058490 -122.246642 48.110120 -122.279498 48.182872 -122.291232 48.220421 -122.302966 48.227462 -122.335822 48.286133 -122.356943 48.316642 -122.368677 48.344804 -122.378065 48.375313 -122.413267 48.403475 -122.467244 48.410515 -122.488366 48.419902 -122.500100 48.433983 -122.556424 48.462145 -122.556424 48.485614 -122.488366 48.513776 -122.478979 48.520816 -122.455510 48.586528 -122.422654 48.579487 -122.422654 48.652239 -122.413267 48.717950 -122.345209 48.732031 -122.267763 48.696829 -122.267763 48.710910 -122.324087 48.755500 -122.413267 48.776621 -122.523568 48.790702 -122.601014 48.769581 -122.643257 48.821211 -122.699581 48.863454 -122.744171 48.929166 -122.765292 48.966715 -122.744171 49.001917 -122.753558 49.023039 -122.798148 49.030080 -122.798148 49.044161 # -b 154.832448 49.642603 154.799592 49.590973 154.722146 49.499447 154.644701 49.391492 154.611845 49.311700 154.743268 49.353943 154.799592 49.475978 154.832448 49.590973 154.832448 49.642603 # -b 154.224617 48.898657 154.236352 48.905697 154.191762 48.835292 154.126050 48.746112 154.137784 48.762540 154.248086 48.797743 154.280941 48.870495 154.224617 48.898657 # -b 152.293172 47.140877 152.281438 47.044657 152.182871 46.960171 152.072570 46.878032 151.917678 46.795892 151.828499 46.817014 151.938800 46.929662 152.093691 47.007108 152.203992 47.140877 152.293172 47.140877 # -b 150.570595 46.171634 150.537739 46.110617 150.382848 46.002662 150.227957 45.871239 150.051944 45.756245 # -b 149.843076 45.857158 150.084800 46.040212 150.293668 46.155206 150.460294 46.232652 150.549474 46.246733 150.570595 46.171634 # -b 140.702153 50.032178 140.556650 49.905449 140.580118 49.792801 140.589505 49.649644 140.612974 49.506487 140.589505 49.391492 140.502672 49.253029 140.446348 49.159155 140.413493 49.051201 140.392371 49.023039 140.425227 48.898657 140.359515 48.753153 140.326660 48.593568 140.303191 48.462145 140.148300 48.351844 140.016877 48.300214 # -b 144.067515 50.011057 144.168429 49.806882 144.222406 49.590973 144.323320 49.353943 144.421887 49.175583 144.565044 49.008958 144.764525 48.856414 144.797381 48.732031 144.708201 48.818864 144.553310 48.964368 144.398419 49.109872 144.156695 49.224867 143.870381 49.318740 143.593454 49.346902 143.372852 49.325781 143.140515 49.203745 143.051335 48.987836 143.009092 48.797743 142.875323 48.586528 142.776756 48.337763 142.699310 48.103080 142.654720 47.880130 142.666454 47.650140 142.809611 47.448313 142.952768 47.335665 143.107659 47.194854 143.140515 47.028229 143.206226 46.915581 143.307140 46.840482 143.462031 46.772424 143.516009 46.802933 143.572333 46.755996 143.626310 46.582330 143.670900 46.415705 143.649778 46.225612 143.548864 46.070720 143.494887 46.270201 143.417442 46.537741 143.173371 46.605799 142.943381 46.687938 142.699310 46.697325 142.523297 46.558862 142.434118 46.361728 142.356672 46.148166 142.258105 45.955725 142.025768 46.049599 141.969444 46.354687 141.960057 46.657429 142.025768 46.983639 142.070358 47.194854 142.091480 47.441272 142.124335 47.671262 142.157191 47.894211 142.279227 48.035021 142.258105 48.220421 142.124335 48.431637 142.004647 48.710910 142.004647 48.950287 142.091480 49.130993 142.157191 49.360983 142.201781 49.590973 142.213515 49.776373 142.213515 49.954733 142.246371 49.975854 142.267492 49.975854 # -b 150.051944 45.756245 149.798486 45.624822 149.643595 45.587272 149.688185 45.739817 149.843076 45.857158 # -b 148.958319 45.392485 148.970053 45.439422 148.958319 45.369017 148.871486 45.345548 148.693127 45.268103 148.495993 45.174229 148.317633 45.082703 148.141621 44.995870 148.031319 44.948933 147.909284 44.948933 147.789595 44.885569 147.679294 44.754146 147.566646 44.697822 147.435223 44.620376 147.313188 44.524156 147.214621 44.446711 147.071464 44.446711 147.125441 44.540584 147.235742 44.650885 147.280332 44.768227 147.381246 44.801083 147.590114 45.002910 147.733271 45.113212 147.864694 45.160148 147.953874 45.291571 148.097031 45.338508 148.153355 45.298612 148.197945 45.230553 148.329367 45.261062 148.528848 45.369017 148.693127 45.500439 148.859752 45.523908 148.948932 45.486358 148.958319 45.392485 # -b 146.937694 43.843574 147.015140 43.820106 146.928307 43.756741 146.761682 43.691030 146.663115 43.730926 146.761682 43.796637 146.937694 43.843574 # -b 146.210175 44.446711 146.231297 44.486607 146.287621 44.446711 146.365066 44.399774 146.419044 44.303554 146.320477 44.249576 146.120996 44.097032 145.912127 43.939794 145.724380 43.796637 145.614079 43.667561 145.536634 43.796637 145.703259 43.946835 145.900393 44.113460 146.067018 44.280085 146.144464 44.430283 146.210175 44.446711 # -b 145.083695 44.066523 145.149406 44.113460 145.370008 44.256617 145.447454 44.209680 145.348887 44.003159 145.182262 43.780209 145.250320 43.620625 145.426332 43.540832 145.426332 43.339004 145.646935 43.331964 145.912127 43.404716 145.813560 43.249825 145.492044 43.146564 145.226851 43.001060 145.050839 42.977592 144.952272 43.017488 144.841970 42.904840 144.508720 42.935349 144.234140 42.911880 143.957214 42.799232 143.692021 42.538734 143.516009 42.285275 143.450297 42.048245 143.328262 41.923863 143.051335 42.081101 142.842467 42.196096 142.478708 42.294663 142.180659 42.440166 141.960057 42.529346 141.650275 42.555161 141.417938 42.473022 141.253660 42.367415 141.054179 42.383842 140.845310 42.505878 140.556650 42.489450 140.404105 42.311091 140.502672 42.153853 140.702153 42.097529 140.922756 42.015389 141.110503 41.900394 141.241925 41.808868 141.176214 41.710301 140.955612 41.726729 140.788986 41.719688 140.624708 41.635202 140.523794 41.520207 140.270336 41.388784 140.138913 41.421640 140.082589 41.562450 140.160034 41.801827 140.216358 41.982534 140.028612 42.120997 # -b 139.927698 42.522306 140.094323 42.660769 140.326660 42.749949 140.514407 42.904840 140.568384 43.057384 140.469817 43.162992 140.514407 43.282680 140.744396 43.242784 140.964999 43.179420 141.152746 43.179420 141.363961 43.186460 141.495384 43.378901 141.462528 43.557260 141.462528 43.716845 141.596297 43.810718 141.727720 44.043055 141.739454 44.303554 141.805166 44.547624 141.870877 44.721290 141.805166 44.862100 141.727720 45.035766 141.683130 45.160148 141.694865 45.284531 141.793432 45.354936 141.903733 45.432381 141.992913 45.462890 142.124335 45.376057 142.136070 45.361976 142.180659 45.284531 142.347285 45.190657 142.490442 45.042807 142.610130 44.918424 142.765021 44.768227 142.931647 44.643845 143.140515 44.493647 143.339996 44.383346 143.516009 44.280085 143.736611 44.193252 143.936092 44.129888 144.144960 44.082951 144.332707 44.059483 144.443009 43.970303 144.654224 43.906938 144.863092 43.939794 145.083695 44.066523 # -b 141.241925 45.230553 141.131624 45.167189 141.241925 45.096784 141.340492 45.089743 141.363961 45.230553 141.241925 45.230553 # -b 141.209070 41.372356 141.230191 41.379397 141.363961 41.372356 141.485996 41.379397 141.528239 41.280830 141.518852 41.137673 141.495384 40.947579 141.518852 40.722283 141.605685 40.501681 141.793432 40.325668 141.903733 40.130881 141.960057 40.022926 # -b 139.906576 39.980683 140.082589 40.182511 140.070855 40.435969 140.061467 40.611982 140.148300 40.729324 140.282070 40.787995 140.314926 40.787995 140.336047 40.863093 140.347781 41.022678 140.413493 41.130632 140.547262 41.179916 140.657563 41.071962 140.744396 40.879521 140.821842 40.797382 140.943877 40.931151 141.075300 40.888908 141.197336 40.895949 141.319371 41.088389 141.331105 41.245627 141.185601 41.156448 140.943877 41.104817 140.878166 41.264402 140.943877 41.428681 141.042444 41.454496 141.209070 41.372356 # -b 132.729954 44.838632 132.786278 44.909037 132.828521 45.113212 132.741689 45.244634 132.521086 45.284531 132.178448 45.237594 132.089268 45.120252 132.199570 44.941893 132.199570 44.777614 132.300484 44.667313 132.476496 44.596908 132.697099 44.681394 132.729954 44.838632 # -b 140.016877 48.300214 139.972288 48.227462 139.784541 48.072571 139.620262 47.962270 139.420781 47.814419 139.265890 47.619632 139.122733 47.441272 138.934986 47.291075 138.747240 47.140877 138.592349 46.960171 138.538371 46.817014 138.460926 46.643348 138.404602 46.521313 138.261445 46.324179 138.139409 46.162247 138.261445 46.392237 138.172265 46.256120 138.085432 46.110617 137.885951 45.979194 137.787384 45.817262 137.587903 45.655331 137.379035 45.509827 137.212409 45.361976 137.012928 45.230553 136.869772 45.113212 136.804060 45.035766 136.682025 44.901997 136.538868 44.808123 136.395711 44.643845 136.297144 44.500688 136.097663 44.413855 135.921650 44.289473 135.776146 44.146316 135.755025 44.033668 135.632989 43.899898 135.513301 43.763781 135.346676 43.597156 135.093217 43.404716 134.872615 43.282680 134.628544 43.162992 134.330496 43.008101 134.065304 42.846169 133.877557 42.782804 133.746134 42.782804 133.546653 42.740561 133.326051 42.677197 133.105448 42.700665 132.995147 42.749949 132.929435 42.740561 132.762810 42.829741 132.563329 42.855556 132.410785 42.846169 132.377929 42.895452 132.366195 43.033916 132.399051 43.137177 132.399051 43.242784 132.288749 43.209928 132.068147 43.090240 132.002435 43.146564 132.089268 43.282680 131.934377 43.299108 131.913256 43.418797 131.847544 43.292068 131.781833 43.106668 131.648063 42.984632 131.558884 42.928308 131.504906 42.822701 131.382871 42.740561 131.284304 42.611485 131.073089 42.611485 130.908810 42.620873 130.753919 42.595058 130.810243 42.529346 130.843099 42.423739 130.622496 42.562202 # -b 140.028612 42.120997 139.883108 42.212523 139.894842 42.334559 139.927698 42.522306 # -b 130.699942 42.374455 130.732798 42.278235 130.610762 42.301703 130.476993 42.268848 130.324448 42.130384 130.103846 41.956718 # -b 130.103846 41.956718 129.981810 41.851111 129.904365 41.736116 129.749474 41.562450 129.704884 41.412253 129.770595 41.287870 129.761208 41.071962 129.749474 40.888908 129.639173 40.813810 129.373980 40.712896 129.230823 40.579126 129.064198 40.452397 128.834208 40.335055 128.712173 40.257610 128.655849 40.173124 128.435246 40.055782 128.170054 40.029967 128.005775 40.022926 # -b 120.012455 39.980683 120.265913 40.072210 120.474781 40.140268 120.552227 40.215367 120.662528 40.384339 120.772829 40.478212 120.883131 40.595554 121.038022 40.703508 121.183526 40.830238 121.347804 40.879521 121.547285 40.879521 121.779622 40.895949 121.866455 40.987476 121.965022 40.895949 122.033080 40.729324 122.152768 40.602595 122.187971 40.579126 122.241948 40.536883 122.286538 40.426582 122.152768 40.241182 121.955634 40.046395 # -b 74.903937 46.833442 74.979036 46.809973 75.178517 46.748956 75.443709 46.786505 75.730023 46.817014 76.072661 46.779465 76.415299 46.704366 76.725081 46.687938 77.023129 46.612839 77.255466 46.598758 77.541779 46.657429 77.851562 46.673857 78.072164 46.589371 78.203587 46.521313 78.391334 46.650389 78.579081 46.772424 78.787949 46.809973 78.987430 46.809973 79.085997 46.748956 79.097731 46.558862 78.888863 46.399277 78.701116 46.392237 78.522757 46.453255 78.325622 46.385196 77.950129 46.347647 77.640347 46.439174 77.386888 46.490804 77.044250 46.460295 76.713347 46.490804 76.403564 46.507232 76.117251 46.544781 75.875527 46.544781 75.586866 46.507232 75.399119 46.544781 75.366263 46.619880 75.288818 46.657429 75.255962 46.507232 75.178517 46.446214 74.979036 46.429786 74.803023 46.324179 74.648132 46.148166 74.450998 46.056639 74.239782 46.002662 74.174071 45.817262 74.129481 45.641250 74.052036 45.493399 74.063770 45.230553 74.141215 45.002910 74.328962 44.815164 74.096626 44.838632 73.920613 45.082703 73.709398 45.338508 73.488795 45.462890 73.401962 45.678799 73.434818 45.918176 73.545119 46.124698 73.765722 46.162247 73.899491 46.324179 74.084891 46.460295 74.340696 46.598758 74.549565 46.734875 74.716190 46.817014 74.903937 46.833442 # -b 59.973372 43.597156 60.170506 43.653480 60.423964 43.693376 60.489675 43.813065 60.611711 43.885817 60.710278 44.115807 60.853435 44.195599 60.998939 44.336409 61.041182 44.486607 61.174951 44.683741 61.482387 44.747105 61.637278 44.817510 61.735845 45.028726 61.649012 45.122599 61.559832 45.317386 61.461265 45.472277 61.350964 45.563804 61.163217 45.648290 61.052916 45.833690 61.008326 46.127044 61.085772 46.195103 61.261784 46.432133 61.449531 46.575290 61.604422 46.734875 61.616156 46.809973 61.461265 46.788852 61.240663 46.690285 61.064650 46.568249 60.888637 46.500191 60.778336 46.741915 60.656301 46.727834 60.578855 46.612839 60.567121 46.561209 60.456820 46.523660 60.379374 46.605799 60.280807 46.673857 60.149384 46.462642 60.161119 46.354687 60.269073 46.310098 60.468554 46.286629 60.632832 46.303057 60.799458 46.310098 60.820579 46.195103 60.545999 46.117657 60.480288 46.178675 60.304275 46.256120 60.193974 46.202143 # -b 53.885681 39.863341 53.775380 40.032314 53.402233 40.126187 53.092451 40.083944 # -b 52.850727 39.957215 52.785016 40.184858 52.728692 40.379645 52.761547 40.588514 52.895317 40.741058 52.904704 40.799729 52.895317 40.940539 52.883583 41.048493 52.871849 41.123592 52.904704 41.064921 52.970416 40.914724 53.059595 40.806769 53.280198 40.799729 53.444476 40.806769 53.622836 40.764526 53.808236 40.715243 53.995983 40.731670 54.282297 40.673000 54.448922 40.741058 54.272909 40.764526 54.249441 40.839625 54.526367 40.891255 54.756357 41.140020 54.350355 41.372356 54.052307 41.621121 53.942005 41.860498 53.754259 42.050592 53.721403 42.074060 53.500800 42.099875 53.169897 42.024777 52.895317 41.902741 52.728692 41.745503 52.728692 41.621121 52.817871 41.588265 52.817871 41.372356 52.827259 41.231546 52.785016 41.264402 52.540945 41.614081 52.463499 41.909782 52.463499 42.090488 52.454112 42.393230 52.618390 42.541080 52.651246 42.808620 52.442378 42.871984 52.221775 42.888412 51.858016 43.010447 51.682003 43.188807 51.538846 43.179420 51.318244 43.205235 51.285388 43.444612 51.261920 43.716845 51.053051 43.979690 50.909894 44.059483 50.766738 44.258964 50.358388 44.376305 50.149520 44.589867 50.280943 44.676700 50.611846 44.683741 50.931016 44.620376 51.107029 44.557012 51.252532 44.596908 51.505991 44.573440 51.416811 44.676700 51.351099 44.817510 51.306510 45.052194 51.405077 45.200045 51.581089 45.270450 51.581089 45.176576 51.780570 45.160148 51.989439 45.207085 52.034028 45.331467 52.210041 45.439422 52.529211 45.448809 52.817871 45.331467 53.104185 45.254022 53.390499 45.293918 53.554778 45.361976 53.578246 45.385445 53.643957 45.371364 53.730790 45.317386 54.061694 45.237594 54.282297 45.160148 54.470043 45.183617 54.702380 45.153108 54.756357 45.254022 54.624934 45.401872 54.812681 45.401872 54.681259 45.573191 54.470043 45.742163 54.294031 45.826650 54.207198 45.965113 54.007717 45.972153 53.798848 46.188062 53.697935 46.483763 53.566512 46.629267 53.512535 46.554168 53.378765 46.758343 53.280198 46.758343 53.247342 46.908541 52.993884 47.058738 52.895317 47.112715 52.684102 47.126796 52.684102 47.201895 52.442378 47.218323 52.242897 47.157305 52.066884 47.143224 51.869750 47.075166 51.813426 47.201895 51.682003 47.208935 51.548234 47.201895 51.461401 47.232404 51.217330 47.269953 50.963872 47.276994 50.644702 47.082206 50.337267 46.870991 # -b 49.950039 40.698815 50.083808 40.621369 50.194110 40.588514 50.280943 40.471172 50.337267 40.344443 50.137786 40.471172 # -b 59.973372 43.597156 59.973372 43.597156 # -b 60.193974 46.202143 59.982759 46.157553 59.917048 46.310098 59.830215 46.385196 59.684711 46.324179 59.651855 46.178675 59.642468 46.042558 59.541554 45.904095 59.344420 45.857158 59.344420 45.981541 59.365541 46.033171 59.123817 45.981541 58.837504 45.887667 58.715468 45.648290 58.527721 45.317386 58.220286 45.035766 58.196818 44.801083 58.241407 44.683741 58.220286 44.503035 58.285997 44.359878 58.351709 44.099379 58.372830 43.909285 58.408033 43.749700 58.539455 43.700417 58.638023 43.766128 58.703734 43.766128 58.858625 43.796637 58.990048 43.749700 59.144939 43.700417 59.266974 43.796637 59.421865 43.806025 59.619000 43.740313 59.696445 43.669908 59.785625 43.606544 59.895926 43.597156 59.973372 43.597156 # -b 41.506126 41.646936 41.592959 41.679792 41.703260 41.771318 41.736116 41.959065 41.714994 42.116303 41.571837 42.245379 41.538982 42.393230 41.506126 42.548121 41.438068 42.726480 41.318379 42.864944 41.130632 42.961164 41.020331 43.050344 40.910030 43.116055 40.799729 43.139523 40.644838 43.172379 40.480559 43.195847 40.292812 43.268599 40.149655 43.397675 # -b 39.994764 41.025025 40.379645 41.041453 40.799729 41.257362 41.118898 41.423987 41.449802 41.571837 41.506126 41.646936 # -b 50.337267 46.870991 49.973507 46.847523 49.508834 46.751303 49.034773 46.697325 48.617037 46.622227 48.760193 46.554168 49.034773 46.432133 48.715604 46.347647 48.605302 46.303057 48.462145 46.063680 48.372966 45.934604 48.295520 45.934604 48.196953 45.904095 48.053796 45.911136 47.966963 46.087148 47.866049 46.232652 47.877783 46.324179 47.690037 46.333566 47.469434 46.378156 47.645447 46.178675 47.624325 46.026131 47.546880 45.772672 47.403723 45.803181 47.347399 45.603700 47.293422 45.347895 47.117409 45.237594 47.084553 45.113212 47.051697 45.082703 46.995373 45.082703 46.852217 44.948933 46.831095 44.801083 46.676204 44.620376 46.753649 44.432629 46.950784 44.439670 47.171386 44.209680 47.347399 43.989078 47.391989 43.756741 47.448313 43.676949 47.612591 43.956222 47.657181 43.782556 47.525758 43.428184 47.525758 43.139523 47.591470 42.961164 47.755748 42.799232 47.898905 42.604445 48.086652 42.376802 48.241543 42.139772 48.318988 42.001308 48.527857 41.909782 48.736725 41.719688 48.957328 41.506126 49.100485 41.280830 49.267110 41.041453 49.431388 40.832584 49.574545 40.689427 49.720049 40.630757 49.950039 40.698815 # -b 50.137786 40.471172 49.872593 40.464131 49.684847 40.360871 49.541690 40.217714 49.508834 40.067516 # -b 40.149655 43.397675 39.994764 43.477468 39.863341 43.580728 39.675595 43.700417 39.532438 43.733273 39.410402 43.836533 39.276633 43.996118 39.058377 44.115807 38.814306 44.266004 38.527992 44.369265 38.274534 44.446711 38.032810 44.519462 37.910775 44.603948 37.767618 44.683741 37.669051 44.770574 37.591605 44.714250 37.403858 44.730678 37.227846 44.871488 37.126932 45.052194 36.906329 45.176576 36.676339 45.254022 36.852352 45.307999 36.852352 45.385445 36.918063 45.448809 37.194990 45.425341 37.436714 45.432381 37.612727 45.664718 37.788739 45.826650 37.999954 46.056639 38.110256 46.042558 38.229944 46.178675 38.474015 46.127044 38.527992 46.148166 38.340246 46.272548 38.175967 46.432133 38.075053 46.462642 37.943630 46.493151 37.779352 46.591718 37.821595 46.720794 38.009342 46.734875 38.286268 46.765384 38.474015 46.727834 38.560848 46.758343 38.483402 46.826401 38.474015 46.887419 38.682883 46.939049 38.980931 47.058738 39.189800 47.112715 39.365812 47.119756 39.398668 47.171386 39.344691 47.208935 39.255511 47.208935 39.210921 47.225363 39.201534 47.232404 39.189800 47.300462 39.079499 47.328624 38.924607 47.307503 38.826040 47.291075 38.694618 47.232404 38.584316 47.232404 38.527992 47.246485 38.429425 47.232404 38.197089 47.180773 38.032810 47.171386 37.845063 47.150265 37.600992 47.105675 37.424980 46.983639 37.293557 46.993027 37.138666 46.939049 36.950919 46.894460 36.896942 46.751303 36.774906 46.802933 36.676339 46.840482 36.500327 46.779465 36.390026 46.741915 36.267990 46.697325 36.211666 46.643348 36.190545 46.704366 35.991064 46.659776 35.847907 46.652736 35.728218 46.584677 35.561593 46.469682 35.495881 46.462642 35.397314 46.324179 35.254157 46.188062 35.120388 46.141125 35.164978 46.209184 35.287013 46.256120 35.364459 46.317138 35.331603 46.415705 35.287013 46.500191 35.197833 46.500191 35.176712 46.432133 35.111000 46.317138 35.010086 46.256120 34.934988 46.188062 34.977231 46.002662 34.977231 45.894708 34.977231 45.887667 34.956109 45.887667 34.890398 45.887667 34.890398 45.934604 34.845808 45.995622 34.789484 46.080108 34.812952 46.127044 34.768362 46.178675 34.646327 46.117657 34.568881 46.033171 34.536026 46.056639 34.580616 46.134085 34.536026 46.178675 34.404603 46.171634 34.294302 46.178675 34.273180 46.209184 34.261446 46.317138 34.195735 46.378156 34.162879 46.202143 34.118289 46.188062 34.029109 46.195103 33.942276 46.225612 33.841363 46.256120 33.787385 46.256120 33.874218 46.209184 33.963398 46.134085 34.040844 46.148166 34.094821 46.127044 34.139411 46.056639 34.151145 45.981541 34.216856 45.927563 34.261446 45.958072 34.273180 46.042558 34.360013 46.019090 34.449193 46.019090 34.536026 45.972153 34.636940 45.972153 34.613471 45.934604 34.547760 45.819609 34.592350 45.796141 34.714385 45.833690 34.756628 45.810222 34.747241 45.772672 34.723773 45.702267 34.857542 45.718695 34.956109 45.718695 35.066410 45.617781 35.078145 45.462890 35.120388 45.347895 35.176712 45.401872 35.418436 45.347895 35.507615 45.340855 35.528737 45.418300 35.728218 45.307999 35.937086 45.479318 36.014532 45.486358 36.059122 45.418300 36.202279 45.472277 36.444003 45.509827 36.652871 45.495746 36.620015 45.385445 36.542570 45.340855 36.521448 45.237594 36.533182 45.153108 36.521448 45.099131 36.467471 45.089743 36.321967 45.089743 36.190545 45.089743 36.157689 45.075662 36.124833 45.042807 35.937086 45.075662 35.793929 45.122599 35.552205 45.169536 35.385580 45.052194 35.221302 44.948933 35.066410 44.824551 34.845808 44.855060 34.679183 44.824551 34.580616 44.801083 34.679183 44.761186 34.559494 44.747105 34.470314 44.653232 34.449193 44.589867 34.392869 44.549971 34.273180 44.533543 34.162879 44.486607 34.061965 44.439670 33.930542 44.446711 33.766264 44.456098 33.709940 44.470179 33.644228 44.510075 33.501071 44.596908 33.555049 44.660273 33.578517 44.690781 33.578517 44.761186 33.578517 44.824551 33.611373 44.927812 33.587904 45.052194 33.501071 45.193004 33.379036 45.223513 33.247613 45.207085 33.113844 45.307999 32.904975 45.401872 32.794674 45.394832 32.618661 45.401872 32.606927 45.401872 32.597540 45.432381 32.663251 45.519214 32.839264 45.580232 32.893241 45.634209 33.071601 45.749204 33.235879 45.833690 33.325059 45.857158 33.566783 45.894708 33.742795 45.934604 33.820241 45.972153 33.742795 46.002662 33.731061 46.103576 33.611373 46.178675 33.512806 46.096536 33.402504 46.134085 33.334446 46.164594 33.325059 46.218571 33.235879 46.195103 33.158434 46.188062 33.137312 46.148166 33.015277 46.148166 32.850998 46.127044 32.684373 46.103576 32.606927 46.080108 32.430915 46.117657 32.308879 46.157553 32.266636 46.202143 32.198578 46.239693 32.088277 46.263161 32.013178 46.256120 31.879408 46.249080 31.858287 46.303057 32.046034 46.392237 32.100011 46.422746 32.067155 46.462642 31.956854 46.469682 31.780841 46.483763 31.682274 46.514272 31.825431 46.561209 32.088277 46.537741 32.276024 46.514272 32.276024 46.575290 32.165722 46.591718 32.046034 46.704366 31.956854 46.826401 31.912264 46.734875 31.769107 46.690285 31.604829 46.652736 31.614216 46.690285 31.637684 46.779465 31.527383 46.720794 31.318515 46.643348 31.173011 46.629267 31.020467 46.605799 30.898431 46.561209 30.767009 46.537741 30.755274 46.493151 30.743540 46.432133 30.623852 46.293670 30.534672 46.209184 30.468960 46.225612 30.403249 46.324179 30.325804 46.347647 30.248358 46.347647 30.182647 46.401624 30.227236 46.317138 30.391515 46.218571 30.424371 46.080108 30.314069 45.941644 30.227236 45.873586 30.105201 45.864199 # -b 29.929188 41.172876 30.182647 41.172876 30.391515 41.182263 30.579262 41.140020 30.710684 41.090736 30.788130 41.107164 30.987611 41.090736 31.173011 41.064921 31.428816 41.156448 31.548505 41.339501 31.769107 41.423987 31.980322 41.564797 32.231434 41.630508 32.419180 41.752544 32.651517 41.853458 32.860385 41.919169 33.125578 42.001308 33.435360 42.034164 33.731061 42.041204 34.139411 42.008349 34.493783 42.017736 34.812952 42.017736 35.033555 42.099875 35.164978 42.116303 35.265891 42.083448 35.265891 41.975493 35.409048 41.820602 35.662507 41.719688 35.892496 41.719688 36.136567 41.761931 36.256256 41.604693 36.399413 41.323073 36.676339 41.316032 36.896942 41.290217 37.040099 41.224506 37.314679 41.116551 37.535281 41.015638 37.645582 41.074308 37.755884 41.107164 38.131377 40.966354 38.527992 40.989822 38.826040 41.074308 39.091233 41.100124 39.365812 41.132979 39.696716 41.074308 39.994764 41.025025 # -b 29.640528 45.385445 29.696852 45.331467 29.685118 45.254022 29.685118 45.106171 29.652262 44.965361 29.509105 44.824551 29.321358 44.794042 29.133611 44.700169 28.990454 44.566399 28.859032 44.479566 28.814442 44.557012 28.936477 44.653232 29.046778 44.817510 29.035044 44.887916 29.046778 44.995870 28.903621 44.995870 28.870766 44.864447 28.837910 44.700169 28.748730 44.533543 28.715875 44.392733 28.659551 44.282432 28.659551 44.195599 28.659551 44.043055 28.638429 43.939794 28.659551 43.789597 # -b 28.659551 43.789597 28.617308 43.580728 28.516394 43.428184 28.176103 43.364820 27.955500 43.172379 27.943766 42.994020 27.943766 42.775764 27.788875 42.735868 27.734898 42.663116 27.657452 42.604445 27.535417 42.531693 27.591741 42.475369 27.678574 42.449554 27.756019 42.360374 27.821730 42.221911 27.899176 42.132731 28.021211 42.024777 28.032946 41.935597 # -b 28.032946 41.935597 28.009477 41.827643 28.065801 41.679792 28.197224 41.555410 28.340381 41.473270 28.593839 41.381744 28.903621 41.299605 29.079634 41.290217 29.091368 41.165835 28.981067 41.048493 28.715875 40.989822 28.572718 41.041453 28.319259 41.057881 28.032946 41.048493 27.833465 41.015638 27.612862 41.008597 27.457971 40.865440 27.127067 40.656572 26.885343 40.539230 26.664741 40.421888 26.488728 40.311587 26.366693 40.159043 26.223536 40.109759 26.223536 40.311587 26.247004 40.403114 26.444138 40.496987 26.709331 40.572086 26.840753 40.673000 26.631885 40.656572 26.354958 40.630757 26.235270 40.621369 26.101500 40.673000 26.059257 40.731670 # -b 26.354958 41.811215 26.399548 41.729075 26.566174 41.621121 26.542705 41.463883 26.345571 41.348888 26.312715 41.140020 26.247004 40.931151 26.059257 40.731670 # -b 24.712174 40.614329 24.813088 40.647184 24.768498 40.682387 24.756764 40.780954 24.669931 40.806769 24.515040 40.689427 24.526774 40.630757 24.637075 40.588514 24.712174 40.614329 # -b 26.059257 40.731670 25.892632 40.839625 25.606318 40.898296 25.331738 40.956967 25.197969 40.973395 25.033690 41.008597 24.857678 40.924111 24.756764 40.898296 24.625341 40.898296 24.425860 40.956967 24.238113 40.806769 23.942412 40.757486 23.665485 40.621369 23.820377 40.504027 23.942412 40.471172 24.085569 40.428929 24.184136 40.353830 24.261582 40.278731 24.306171 40.201286 24.228726 40.243529 24.106690 40.328015 23.930678 40.370258 23.820377 40.379645 23.742931 40.252916 23.942412 40.142615 # -b 23.963534 39.964255 23.820377 40.083944 23.710075 40.217714 23.534063 40.269344 23.456617 40.252916 23.501207 40.100372 # -b 23.566918 39.940787 23.379172 40.083944 23.280604 40.259957 23.092858 40.360871 22.860521 40.471172 22.851134 40.522802 22.905111 40.621369 22.815931 40.588514 22.651653 40.555658 22.607063 40.353830 22.607063 40.152002 # -b 30.105201 45.864199 29.971431 45.864199 29.929188 45.803181 29.818887 45.765632 29.807153 45.671758 29.717973 45.702267 29.696852 45.826650 29.663996 45.880627 29.663996 45.758591 29.663996 45.634209 29.675730 45.519214 29.696852 45.439422 29.640528 45.385445 # -b 26.411283 40.067516 26.533318 40.210673 26.676475 40.311587 26.807898 40.438316 26.929933 40.428929 27.040234 40.428929 27.138801 40.454744 27.314814 40.496987 27.413381 40.421888 27.624596 40.370258 27.833465 40.379645 27.788875 40.496987 27.767753 40.572086 27.922644 40.555658 28.032946 40.513415 28.021211 40.438316 28.143247 40.428929 28.384971 40.464131 28.605573 40.454744 28.880153 40.445357 29.112490 40.471172 29.091368 40.565045 28.936477 40.588514 28.913009 40.640144 29.091368 40.698815 29.333092 40.705855 29.520839 40.722283 29.708586 40.731670 29.896333 40.741058 29.884599 40.806769 29.741442 40.832584 29.631140 40.806769 29.464515 40.816157 29.387069 40.823197 29.333092 40.881868 29.255647 40.898296 29.222791 40.982782 29.112490 41.032065 29.157080 41.123592 29.234525 41.231546 29.267381 41.273789 29.288502 41.224506 29.455128 41.224506 29.685118 41.165835 29.929188 41.172876 # -b 26.223536 39.905585 26.312715 40.041701 26.322103 40.041701 26.411283 40.067516 # -b 19.962180 39.914972 19.840144 40.048741 19.520975 40.142615 19.354349 40.344443 19.276904 40.471172 19.410673 40.454744 19.410673 40.572086 19.344962 40.764526 19.410673 40.940539 19.443529 40.973395 19.431795 41.107164 19.464651 41.224506 19.387205 41.372356 19.410673 41.456843 19.443529 41.529594 19.476385 41.604693 19.553830 41.794787 19.464651 41.869886 19.309759 41.893354 # -b 19.309759 41.893354 19.211192 41.952025 19.100891 42.132731 18.946000 42.212523 18.737132 42.360374 18.626830 42.419045 18.549385 42.465982 18.396841 42.541080 18.230215 42.637301 18.054203 42.735868 17.887577 42.825047 17.723299 42.832088 17.591876 42.857903 17.303215 42.986979 17.073226 43.026875 17.138937 43.083199 17.338418 43.050344 17.436985 42.961164 17.535552 42.954123 17.514431 43.017488 17.359539 43.099627 17.127203 43.285027 16.864357 43.428184 16.542841 43.524404 16.322238 43.540832 16.068780 43.524404 15.991335 43.533792 15.958479 43.630012 15.881033 43.749700 15.683899 43.820106 15.561864 43.909285 15.374117 43.996118 15.176983 44.186212 15.165249 44.258964 15.221573 44.312941 15.406973 44.345797 15.209838 44.463138 15.033826 44.557012 14.890669 44.770574 14.890669 44.958321 14.834345 45.089743 14.756899 45.169536 14.702922 45.169536 14.658332 45.207085 14.548031 45.293918 14.327428 45.347895 14.205393 45.113212 14.106826 44.981789 14.008259 44.855060 13.909692 44.840979 13.820512 44.887916 13.665621 45.113212 13.578788 45.230553 13.534198 45.418300 13.510730 45.502786 13.653887 45.580232 13.698477 45.695227 13.632765 45.556764 # -b 14.503441 45.237594 14.515175 45.237594 14.526909 45.207085 14.536297 45.176576 14.559765 45.113212 14.625477 45.082703 14.691188 45.042807 14.712309 45.005257 14.712309 44.988829 14.658332 45.005257 14.580887 45.035766 14.470585 45.042807 14.416608 45.075662 14.437730 45.146067 14.458851 45.200045 14.503441 45.237594 # -b 14.282839 45.160148 14.271104 45.183617 14.306307 45.193004 14.315694 45.183617 14.339163 45.146067 14.339163 45.129640 14.339163 45.099131 14.339163 45.059234 14.360284 45.021685 14.372018 44.974748 14.372018 44.948933 14.372018 44.887916 14.372018 44.848019 14.393140 44.794042 14.425996 44.714250 14.437730 44.683741 14.416608 44.700169 14.315694 44.824551 14.261717 44.887916 14.261717 44.911384 14.282839 44.918424 14.339163 44.974748 14.339163 45.035766 14.306307 45.089743 14.282839 45.146067 14.282839 45.160148 # -b 16.390297 43.414103 16.411418 43.428184 16.423152 43.428184 16.432540 43.428184 16.477129 43.421144 16.533453 43.414103 16.599165 43.404716 16.664876 43.397675 16.742322 43.364820 16.808033 43.357779 16.829155 43.331964 16.819767 43.324923 16.808033 43.317883 16.786912 43.317883 16.730588 43.317883 16.620286 43.301455 16.533453 43.301455 16.432540 43.317883 16.399684 43.364820 16.390297 43.414103 # -b 16.643755 42.977592 16.676610 43.010447 16.730588 43.010447 16.819767 43.010447 16.930069 43.010447 17.007514 43.010447 17.073226 42.994020 17.094347 42.944736 17.040370 42.944736 16.984046 42.944736 16.906600 42.937696 16.796299 42.937696 16.685998 42.937696 16.653142 42.937696 16.643755 42.961164 16.643755 42.977592 # -b 9.861401 44.082951 10.171183 43.989078 10.225161 43.925713 10.258016 43.766128 10.358930 43.557260 10.502087 43.308495 10.556064 43.155951 10.546677 43.059731 10.600654 43.010447 10.800135 42.871984 10.919824 42.782804 11.095836 42.620873 11.131039 42.524653 11.163895 42.419045 11.307052 42.458941 11.438474 42.458941 11.605100 42.360374 11.736522 42.205483 11.858558 42.083448 12.034571 42.067020 12.133138 41.959065 12.365474 41.736116 12.595464 41.555410 12.860657 41.407559 13.048403 41.280830 13.146970 41.306645 13.456753 41.299605 13.632765 41.290217 13.743067 41.264402 13.874489 41.156448 14.008259 41.032065 14.085704 40.891255 14.249983 40.839625 14.381406 40.799729 14.404874 40.757486 14.381406 40.647184 14.559765 40.673000 14.724044 40.689427 14.822611 40.673000 14.900056 40.588514 14.968114 40.438316 14.956380 40.379645 14.932912 40.337402 15.022092 40.236488 15.230960 40.168430 15.331874 40.100372 # -b 15.418707 39.999458 15.507887 40.126187 15.606454 40.126187 15.627575 40.083944 15.683899 40.025273 # -b 16.533453 39.914972 16.587431 40.067516 16.620286 40.184858 16.775178 40.353830 16.984046 40.529843 17.183527 40.555658 17.282094 40.487600 17.481575 40.386686 17.735033 40.337402 17.932167 40.252916 17.997879 40.126187 # -b 18.328782 39.914972 18.385106 40.006498 18.471939 40.133228 18.417962 40.236488 18.307661 40.360871 18.131648 40.504027 18.021347 40.656572 17.932167 40.764526 17.744420 40.806769 17.481575 40.891255 17.282094 40.949926 17.138937 41.074308 16.918334 41.165835 16.697732 41.231546 16.488864 41.299605 16.268261 41.372356 16.125104 41.440415 16.014803 41.473270 15.937357 41.473270 15.881033 41.529594 15.881033 41.604693 15.991335 41.696220 16.125104 41.761931 16.146226 41.886313 16.092248 41.926210 16.024190 42.001308 15.925623 42.001308 15.838790 41.984880 15.761345 41.952025 15.904502 41.984880 15.770732 41.952025 15.606454 41.942637 15.430441 41.952025 15.209838 41.952025 15.198104 41.926210 15.198104 41.919169 15.198104 41.844070 14.968114 42.024777 14.890669 42.067020 14.780368 42.123344 14.724044 42.139772 14.691188 42.132731 14.646598 42.238339 14.569152 42.238339 14.515175 42.287622 14.327428 42.419045 14.196006 42.508225 14.095092 42.620873 13.963669 42.808620 13.897958 42.930655 13.853368 43.050344 13.787656 43.116055 13.731332 43.292068 13.677355 43.428184 13.611644 43.510323 13.534198 43.630012 13.456753 43.669908 13.346451 43.669908 13.325330 43.686336 13.313596 43.716845 13.236150 43.749700 13.146970 43.796637 13.060137 43.845921 12.938102 43.932754 12.794945 43.972650 12.640054 44.028974 12.553221 44.068870 12.442920 44.162743 12.342006 44.282432 12.288029 44.399774 12.288029 44.542931 12.288029 44.636804 12.299763 44.770574 12.320884 44.855060 12.431186 44.918424 12.452307 45.005257 12.398330 45.089743 12.266907 45.122599 12.243439 45.207085 12.222317 45.317386 12.255173 45.408913 12.342006 45.448809 12.452307 45.519214 12.518019 45.519214 12.541487 45.495746 12.628320 45.509827 12.816067 45.580232 13.092993 45.671758 13.224416 45.735123 13.391041 45.702267 13.555320 45.765632 13.689089 45.749204 13.698477 45.671758 13.665621 45.617781 13.632765 45.580232 13.689089 45.725736 # -b 5.132528 43.383594 5.120794 43.383594 5.066817 43.392982 4.965903 43.392982 4.933047 43.343698 4.780503 43.336657 4.625612 43.376554 4.581022 43.423490 4.524698 43.449306 4.393275 43.465733 4.250118 43.479814 4.184407 43.529098 4.085840 43.529098 3.919215 43.465733 3.820648 43.392982 3.764324 43.367166 3.621167 43.296761 3.489744 43.247478 3.269141 43.184113 3.158840 43.038609 3.114250 42.843822 3.137719 42.820354 3.179962 42.787498 3.224551 42.395577 # -b 3.224551 42.395577 3.358321 42.355680 3.358321 42.332212 3.391177 42.257113 3.236286 42.200789 3.257407 42.069367 3.323119 41.947331 3.158840 41.790093 2.827936 41.625815 2.464177 41.468577 2.222453 41.292564 1.900936 41.210425 1.504321 41.093083 1.140562 40.994516 0.919959 40.785648 0.919959 40.694121 0.767415 40.574433 0.546813 40.365564 0.403656 40.180164 # -b 4.306442 40.027620 4.327564 40.027620 # -b 4.085840 39.910278 3.952070 40.011192 4.029516 40.069863 4.196141 40.079250 4.261853 40.062822 4.306442 40.027620 # -b -0.105608 49.292925 0.049284 49.314047 0.237030 49.400879 0.457633 49.414960 0.612524 49.429041 0.645380 49.466591 0.535078 49.487712 0.269886 49.494753 0.258152 49.558117 0.380187 49.708315 0.657114 49.823310 0.919959 49.872593 1.239129 49.942998 # -b 7.547422 43.836533 7.523953 43.813065 7.425386 43.773169 7.293964 43.726232 7.183662 43.686336 7.160194 43.630012 7.049893 43.580728 6.951326 43.510323 6.841024 43.437571 6.730723 43.374207 6.676746 43.348392 6.665012 43.268599 6.620422 43.228703 6.488999 43.188807 6.355230 43.148911 6.256662 43.123095 6.190951 43.090240 6.167483 43.099627 6.036060 43.106668 5.904637 43.106668 5.848313 43.148911 5.794336 43.172379 5.738012 43.219316 5.618323 43.219316 5.529144 43.228703 5.463432 43.252171 5.430576 43.317883 5.320275 43.348392 5.186506 43.357779 5.099673 43.388288 5.043349 43.421144 5.132528 43.383594 # -b 7.547422 43.836533 7.699966 43.829493 7.866591 43.845921 8.066072 43.899898 8.152905 43.939794 8.185761 44.036014 8.263206 44.115807 8.352386 44.209680 8.439219 44.242536 8.472075 44.322328 8.561255 44.352837 8.626966 44.376305 8.793591 44.423242 8.946136 44.423242 9.124495 44.392733 9.309895 44.322328 9.652533 44.169784 9.861401 44.082951 # -b 9.133882 41.316032 9.199594 41.306645 9.211328 41.299605 9.267652 41.273789 9.342751 41.257362 9.377953 41.215119 9.431930 41.191650 9.476520 41.156448 9.497642 41.123592 9.530497 41.074308 9.563353 41.008597 9.598556 40.907683 9.673654 40.722283 9.708857 40.522802 9.708857 40.464131 9.697123 40.344443 9.664267 40.227101 9.673654 40.142615 # -b 8.495543 39.973643 8.462687 40.100372 8.483809 40.210673 8.472075 40.353830 8.439219 40.464131 8.385242 40.572086 8.352386 40.588514 8.263206 40.588514 8.209229 40.673000 8.209229 40.741058 8.209229 40.832584 8.218617 40.898296 8.209229 40.966354 8.218617 40.982782 8.296062 40.914724 8.385242 40.865440 8.561255 40.891255 8.683290 40.982782 8.802979 41.074308 8.925014 41.156448 9.035315 41.191650 9.089292 41.257362 9.133882 41.316032 # -b 9.342751 43.033916 9.431930 43.003407 9.443665 42.857903 9.453052 42.719440 9.453052 42.604445 9.497642 42.442513 9.553966 42.238339 9.521110 42.090488 9.453052 41.968453 9.420196 41.827643 9.377953 41.745503 9.342751 41.637549 9.309895 41.588265 9.277039 41.564797 9.223062 41.473270 9.211328 41.391131 9.124495 41.496739 9.023581 41.513167 8.903892 41.564797 8.847568 41.637549 8.859303 41.752544 8.737267 41.787746 8.704411 41.869886 8.692677 41.984880 8.692677 42.090488 8.683290 42.156199 8.615232 42.228951 8.605844 42.294663 8.626966 42.353334 8.615232 42.409658 8.615232 42.433126 8.615232 42.442513 8.626966 42.458941 8.638700 42.475369 8.659822 42.557508 8.704411 42.620873 8.781857 42.604445 8.903892 42.637301 9.014194 42.693625 9.101027 42.752296 9.267652 42.782804 9.309895 42.848516 9.321629 42.930655 9.342751 42.977592 9.342751 43.033916 # -b -1.274331 60.003881 -1.307187 59.888886 -1.250863 59.910007 -1.164030 59.982759 # -b -6.146361 58.445582 -6.167483 58.452623 -6.256662 58.436195 -6.456143 58.377524 -6.575832 58.314159 -6.709602 58.267223 -6.709602 58.227326 -6.676746 58.173349 -6.787047 58.156921 -6.918470 58.203858 -6.972447 58.109985 -6.972447 58.046620 -6.972447 57.980909 -6.918470 57.941012 -6.864493 57.894076 -6.939591 57.835405 -6.951326 57.807243 -6.918470 57.746225 -6.796435 57.769694 -6.730723 57.800202 -6.718989 57.854180 -6.643890 57.877648 -6.575832 57.929278 -6.456143 57.922238 -6.388085 57.941012 -6.312986 57.987949 -6.289518 58.039580 -6.289518 58.058354 -6.355230 58.063048 -6.355230 58.121719 -6.345842 58.128759 -6.322374 58.152228 -6.277784 58.173349 -6.179217 58.180390 -6.092384 58.220286 -6.134627 58.215592 -6.190951 58.255488 -6.167483 58.307119 -6.158095 58.361096 -6.146361 58.412726 -6.146361 58.445582 # -b -7.028771 57.612456 -6.972447 57.628883 -6.984181 57.635924 -7.082748 57.647658 -7.228252 57.635924 -7.326819 57.628883 -7.392531 57.624190 -7.404265 57.588987 -7.347941 57.577253 -7.303351 57.539704 -7.249374 57.523276 -7.160194 57.516235 -7.094483 57.516235 -7.061627 57.516235 -7.061627 57.546744 -7.049893 57.581947 -7.028771 57.612456 # -b -2.628455 58.945458 -2.607334 58.968926 -2.628455 58.973620 -2.663658 58.997088 -2.771612 58.990048 -2.872526 59.001782 -2.971093 59.001782 -3.003949 59.046372 -3.015683 59.093309 -3.114250 59.154326 -3.191696 59.154326 -3.224551 59.065147 -3.224551 58.990048 -3.125984 58.957192 -3.003949 58.950152 -2.872526 58.961886 -2.795081 58.950152 -2.750491 58.940764 -2.684779 58.929030 -2.628455 58.945458 # -b -3.102516 58.830463 -3.093129 58.865666 -3.147106 58.900868 -3.224551 58.921990 -3.290263 58.910255 -3.301997 58.853931 -3.236286 58.814035 -3.137719 58.821076 -3.102516 58.830463 # -b -5.254564 58.215592 -5.242830 58.208552 -5.242830 58.156921 -5.242830 58.105291 -5.242830 58.081823 -5.341397 58.051314 -5.308541 58.004377 -5.231096 57.969175 -5.165384 57.936319 -5.165384 57.922238 -5.242830 57.894076 -5.329663 57.870607 -5.418842 57.858873 -5.496288 57.816630 -5.585468 57.811937 -5.660566 57.781428 -5.651179 57.711023 -5.660566 57.675820 -5.651179 57.617149 -5.651179 57.577253 -5.594855 57.558478 -5.529144 57.535010 -5.561999 57.516235 -5.684035 57.527970 -5.738012 57.511542 -5.738012 57.481033 -5.738012 57.464605 -5.738012 57.457564 -5.738012 57.391853 -5.728625 57.361344 -5.606589 57.356651 -5.451698 57.375425 -5.397721 57.380119 -5.418842 57.333182 -5.517409 57.302673 -5.484554 57.290939 -5.407108 57.286245 -5.418842 57.267471 -5.508022 57.201759 -5.517409 57.171251 -5.529144 57.159516 -5.517409 57.117273 -5.508022 57.093805 -5.550265 57.086765 -5.618323 57.039828 -5.618323 57.028094 -5.618323 56.997585 -5.684035 56.962382 -5.728625 56.896671 -5.738012 56.870856 -5.728625 56.828613 -5.728625 56.769942 -5.738012 56.751167 -5.827192 56.739433 -5.925759 56.725352 -6.024326 56.690149 -6.014938 56.659641 -5.881169 56.654947 -5.848313 56.647906 -5.838926 56.647906 -5.827192 56.617397 -5.815457 56.556380 -5.728625 56.525871 -5.639445 56.476587 -5.594855 56.453119 -5.585468 56.453119 -5.561999 56.460160 -5.561999 56.464853 -5.496288 56.490668 -5.407108 56.521177 -5.320275 56.568114 -5.275685 56.593929 -5.242830 56.610357 -5.209974 56.624438 -5.198240 56.617397 -5.186506 56.605663 -5.186506 56.551686 -5.263951 56.464853 -5.308541 56.392101 -5.364865 56.324043 -5.397721 56.281800 -5.418842 56.239557 -5.439964 56.164458 -5.463432 56.122215 -5.463432 56.079972 -5.508022 56.023648 -5.529144 55.950896 -5.540878 55.906306 -5.540878 55.845289 -5.540878 55.819474 -5.439964 55.833555 -5.397721 55.796005 -5.407108 55.732641 -5.475166 55.671623 -5.561999 55.577750 -5.606589 55.490917 -5.639445 55.415818 -5.672301 55.333679 -5.672301 55.303170 -5.550265 55.303170 -5.496288 55.345413 -5.439964 55.472142 -5.341397 55.608258 -5.296807 55.676317 -5.242830 55.746722 -5.242830 55.781924 -5.242830 55.819474 -5.254564 55.882838 -5.308541 55.955590 -5.320275 56.000180 -5.296807 56.011914 -5.263951 56.030689 -5.198240 56.079972 -5.066817 56.178539 -5.043349 56.183233 -5.033961 56.190273 -5.043349 56.122215 -5.111407 56.035382 -5.177118 55.950896 -5.186506 55.875798 -5.177118 55.838248 -5.132528 55.875798 -5.087939 55.882838 -5.076204 55.882838 -5.055083 55.925081 -5.010493 55.943856 -4.965903 55.932122 -4.956516 55.932122 -4.911926 55.918041 -4.890804 55.901613 -4.879070 55.901613 -4.867336 55.906306 -4.855602 55.913347 -4.855602 55.936815 -4.855602 56.049463 -4.789890 56.023648 -4.691323 56.000180 -4.592756 55.955590 -4.581022 55.936815 -4.679589 55.925081 -4.724179 55.875798 -4.757035 55.819474 -4.768769 55.763149 -4.768769 55.713866 -4.780503 55.664582 -4.724179 55.615299 -4.613878 55.566015 -4.581022 55.458061 -4.679589 55.364188 -4.768769 55.225724 -4.890804 55.087261 -4.933047 55.000428 -4.923660 54.904208 -5.043349 54.960532 -5.076204 54.904208 -5.010493 54.789213 -4.933047 54.662484 -4.855602 54.624934 -4.813359 54.636669 -4.834480 54.777479 -4.813359 54.815028 -4.745301 54.829109 -4.625612 54.784519 -4.437865 54.695340 -4.339298 54.669524 -4.282974 54.732889 -4.282974 54.815028 -4.228997 54.822069 -4.095227 54.796253 -4.017782 54.796253 -3.853503 54.789213 -3.754936 54.822069 -3.665756 54.847884 -3.654022 54.852577 -3.555455 54.873699 -3.522600 54.904208 -3.391177 54.948798 -3.280876 54.941757 -3.125984 54.937064 -3.003949 54.922983 -3.060273 54.892474 -3.137719 54.892474 -3.191696 54.859618 -3.290263 54.815028 -3.346587 54.732889 -3.433420 54.636669 -3.510865 54.540448 -3.543721 54.458309 -3.501478 54.380864 -3.424032 54.322193 -3.367708 54.284643 -3.313731 54.200157 -3.290263 54.188423 -3.257407 54.218932 -3.248020 54.200157 -3.191696 54.155567 -3.137719 54.078122 -3.027417 54.103937 -2.881914 54.129752 -2.729369 54.218932 -2.651924 54.200157 -2.729369 54.136793 -2.729369 54.052307 -2.750491 53.949046 -2.849058 53.890375 -2.917116 53.765993 -2.839671 53.751912 -2.738757 53.733137 -2.849058 53.648651 -2.917116 53.543043 -2.938238 53.477332 -2.881914 53.425702 -2.795081 53.399887 -2.860792 53.371725 -2.949972 53.287238 -3.114250 53.294279 -3.358321 53.287238 -3.677491 53.298973 -3.919215 53.214487 -4.160939 53.087757 -4.360420 52.963375 -4.581022 52.822565 -4.491842 52.789709 -4.228997 52.895317 -4.029516 52.923479 -3.996660 52.822565 -3.996660 52.702876 -3.984926 52.601963 -3.963805 52.555026 -3.853503 52.508089 -3.930949 52.421256 -3.952070 52.386054 -4.041250 52.266365 -4.205529 52.198307 -4.414397 52.109127 -4.592756 52.036375 -4.801625 51.973011 -5.001106 51.900259 -5.153650 51.850975 -5.111407 51.818120 -5.076204 51.750061 -5.022227 51.693737 -4.977637 51.632720 -4.944782 51.618639 -4.933047 51.604558 -4.822746 51.592823 -4.691323 51.625679 -4.524698 51.721899 -4.360420 51.768836 -4.294708 51.750061 -4.271240 51.707818 -4.250118 51.604558 -4.184407 51.564661 -3.963805 51.557621 -3.832382 51.632720 -3.776058 51.639760 -3.722081 51.618639 -3.654022 51.557621 -3.543721 51.468441 -3.445154 51.398036 -3.334853 51.372221 -3.179962 51.379261 -3.069660 51.426198 -2.982827 51.508337 -2.860792 51.564661 -2.750491 51.592823 -2.586212 51.667922 -2.475911 51.721899 -2.464177 51.646801 -2.553357 51.557621 -2.705901 51.433239 -2.839671 51.337018 -2.881914 51.254879 -2.938238 51.212636 -3.003949 51.191515 -3.179962 51.177434 -3.489744 51.184474 -3.754936 51.177434 -4.017782 51.144578 -4.029516 51.116416 -4.118696 51.024889 -4.294708 50.949791 -4.414397 50.790206 -4.658468 50.621234 -4.867336 50.473383 -5.043349 50.353695 -5.165384 50.262168 -5.320275 50.198803 -5.451698 50.135439 -5.508022 50.043912 # -b -5.508022 49.994629 -5.451698 50.072074 -5.385987 50.100236 -5.263951 50.065034 -5.186506 50.022791 -5.099673 50.036872 -5.099673 50.029831 # -b -5.043349 49.987588 -4.965903 50.036872 -4.911926 50.135439 -4.712445 50.205844 -4.602144 50.332573 -4.449599 50.332573 -4.294708 50.346654 -4.172673 50.339614 -4.062372 50.339614 -3.942683 50.318492 -3.808913 50.290330 -3.710346 50.255127 -3.611779 50.241046 -3.567189 50.248087 -3.522600 50.283289 -3.445154 50.346654 -3.400564 50.501545 -3.367708 50.614193 -3.313731 50.628274 -3.269141 50.621234 -3.170574 50.621234 -2.982827 50.677558 -2.771612 50.712760 -2.696514 50.733882 -2.607334 50.677558 -2.508767 50.614193 -2.443055 50.564910 -2.398466 50.522667 # -b -2.398466 50.522667 -2.374997 50.515626 -2.374997 50.522667 -2.374997 50.529707 -2.321020 50.578991 -2.154395 50.607153 -1.968995 50.571950 -1.868081 50.600112 -1.924405 50.684598 -1.703802 50.684598 -1.459731 50.691639 -1.405754 50.726841 -1.283719 50.762044 -1.262597 50.816021 -1.262597 50.879386 -1.152296 50.823062 -1.030261 50.801940 -0.875370 50.823062 -0.833126 50.783165 -0.732213 50.733882 -0.546813 50.755003 -0.192440 50.797246 -0.037549 50.801940 # -b 0.004694 53.557124 -0.114995 53.622836 -0.248765 53.700281 -0.171319 53.726097 -0.061018 53.655692 # -b 0.093873 53.836398 -0.072752 53.974861 -0.138463 54.129752 -0.248765 54.244747 -0.258152 54.244747 -0.258152 54.251788 -0.269886 54.251788 -0.359066 54.362089 -0.523344 54.502899 -0.732213 54.554529 -0.985671 54.580345 -1.053729 54.617894 -1.128828 54.758704 -1.262597 54.878393 -1.372899 55.019203 -1.426876 55.131851 -1.438610 55.244499 -1.450344 55.326638 -1.459731 55.397043 -1.494934 55.528466 -1.659212 55.596524 -1.858693 55.720906 -1.978382 55.838248 -2.145007 55.901613 -2.353876 55.955590 -2.497033 56.000180 -2.595600 56.011914 -2.640190 56.004874 -2.729369 55.986099 -2.905382 55.943856 -3.048539 55.955590 -3.179962 55.986099 -3.191696 56.004874 -3.147106 56.084666 -3.036805 56.148030 -2.893648 56.171499 -2.696514 56.178539 -2.529888 56.220782 -2.619068 56.281800 -2.729369 56.368633 -2.816202 56.392101 -2.849058 56.446079 -2.673045 56.441385 -2.562744 56.483628 -2.452443 56.568114 -2.419587 56.654947 -2.309286 56.739433 -2.264696 56.769942 -2.231840 56.798104 -2.198985 56.840347 -2.177863 56.847387 -2.166129 56.870856 -2.145007 56.943608 -2.067562 57.058602 -2.046440 57.136048 -2.011238 57.220534 -1.924405 57.279205 -1.835225 57.326142 -1.757780 57.380119 -1.757780 57.476339 -1.757780 57.570213 -1.825838 57.652352 -1.924405 57.664086 -2.133273 57.664086 -2.374997 57.647658 -2.574478 57.671126 -2.783346 57.675820 -2.992215 57.659392 -3.212817 57.694595 -3.367708 57.664086 -3.698612 57.605415 -3.874625 57.570213 -4.008394 57.504501 -4.085840 57.539704 -4.041250 57.612456 -4.041250 57.640618 -4.196141 57.617149 -4.196141 57.664086 -3.930949 57.706329 -3.764324 57.795509 -3.820648 57.807243 -4.074106 57.811937 -4.041250 57.889382 -4.017782 57.877648 -3.841769 57.992643 -3.478010 58.117025 -3.334853 58.255488 -3.093129 58.337628 -3.069660 58.476091 -3.036805 58.584045 -3.257407 58.626288 -3.334853 58.614554 -3.367708 58.602820 -3.510865 58.579352 -3.764324 58.551190 -3.975539 58.551190 -4.095227 58.527721 -4.271240 58.511293 -4.294708 58.527721 -4.449599 58.551190 -4.503577 58.544149 -4.536432 58.551190 -4.646734 58.567617 -4.712445 58.551190 -4.846215 58.539455 -4.977637 58.429154 -5.033961 58.372830 -5.043349 58.290691 -5.043349 58.227326 -5.066817 58.220286 -5.186506 58.215592 -5.242830 58.220286 -5.254564 58.215592 # -b -1.095972 50.698679 -1.128828 50.726841 -1.173418 50.712760 -1.185152 50.712760 -1.229742 50.698679 -1.239129 50.698679 -1.250863 50.698679 -1.316575 50.670517 -1.349430 50.635315 -1.316575 50.607153 -1.173418 50.578991 -1.063116 50.593072 -1.009139 50.635315 -0.976283 50.656436 -0.985671 50.677558 -1.095972 50.698679 # -b -4.095227 53.221527 -3.996660 53.280198 -4.095227 53.338869 -4.217263 53.385806 -4.306442 53.392846 -4.437865 53.378765 # -b -4.306442 54.373823 -4.315830 54.369129 -4.405010 54.310459 -4.515311 54.233013 -4.625612 54.103937 -4.679589 54.045266 -4.524698 54.064041 -4.327564 54.129752 -4.238384 54.218932 -4.228997 54.277603 -4.228997 54.348008 -4.306442 54.373823 # -b -5.231096 55.657542 -5.242830 55.664582 -5.254564 55.589484 -5.242830 55.476836 -5.165384 55.401737 -5.066817 55.420512 -5.043349 55.490917 -5.022227 55.566015 -5.043349 55.664582 -5.087939 55.671623 -5.177118 55.664582 -5.209974 55.657542 -5.221708 55.657542 -5.231096 55.657542 # -b -6.080650 55.864063 -6.092384 55.875798 -6.113506 55.864063 -6.167483 55.838248 -6.322374 55.807739 -6.399819 55.690398 -6.388085 55.664582 -6.268397 55.751415 -6.235541 55.713866 -6.190951 55.638767 -6.167483 55.603565 -6.003204 55.652848 -5.991470 55.739681 -6.057181 55.819474 -6.080650 55.857023 -6.080650 55.864063 # -b -5.651179 56.072932 -5.627711 56.091706 -5.660566 56.079972 -5.782602 56.011914 -5.838926 55.962630 -5.848313 55.906306 -5.937493 55.845289 -5.949227 55.781924 -5.848313 55.800699 -5.803723 55.875798 -5.695769 55.981405 -5.651179 56.054157 -5.651179 56.072932 # -b -6.244928 56.288841 -6.277784 56.312309 -6.268397 56.274760 -6.167483 56.244251 -5.982083 56.244251 -5.860047 56.288841 -5.815457 56.319349 -5.738012 56.319349 -5.651179 56.338124 -5.672301 56.399142 -5.749746 56.434344 -5.770868 56.441385 -5.848313 56.483628 -5.949227 56.544646 -5.958614 56.551686 -5.970349 56.556380 -5.991470 56.598623 -6.113506 56.586889 -6.179217 56.544646 -6.167483 56.490668 -6.057181 56.460160 -6.014938 56.441385 -6.036060 56.392101 -6.036060 56.361592 -6.003204 56.349858 -6.036060 56.312309 -6.125240 56.288841 -6.202685 56.288841 -6.244928 56.288841 # -b -6.244928 57.671126 -6.277784 57.675820 -6.277784 57.664086 -6.301252 57.600721 -6.322374 57.511542 -6.334108 57.469299 -6.477265 57.546744 -6.542976 57.499807 -6.587566 57.469299 -6.632156 57.380119 -6.554711 57.351957 -6.423288 57.351957 -6.345842 57.236962 -6.244928 57.182985 -6.244928 57.124314 -6.167483 57.124314 -6.036060 57.129008 -5.881169 57.147782 -5.881169 57.100846 -5.871781 57.046868 -5.761480 57.070337 -5.705156 57.154823 -5.651179 57.213494 -5.782602 57.220534 -5.892903 57.232268 -5.958614 57.267471 -5.958614 57.368385 -5.991470 57.391853 -6.092384 57.464605 -6.092384 57.527970 -6.125240 57.593681 -6.223807 57.659392 -6.244928 57.671126 # -b -7.446508 54.941757 -7.446508 54.986347 -7.437121 54.986347 -7.458242 55.068486 -7.469976 55.202256 -7.491098 55.225724 -7.601399 55.213990 -7.690579 55.176441 -7.777412 55.157666 -7.845470 55.188175 -8.042604 55.113076 -8.185761 55.030937 -8.274941 55.012162 -8.328918 54.911248 -8.286675 54.866658 -8.307796 54.833803 -8.429832 54.751664 -8.594110 54.688299 -8.626966 54.674218 -8.638700 54.669524 -8.594110 54.606160 -8.439219 54.606160 -8.340652 54.585038 -8.242085 54.606160 -8.075460 54.606160 -8.066072 54.559223 -8.131784 54.470043 -8.209229 54.451269 -8.352386 54.392598 -8.450953 54.343314 -8.439219 54.296378 -8.450953 54.251788 -8.462687 54.233013 -8.737267 54.240053 -8.903892 54.218932 -9.068171 54.207198 -9.133882 54.270562 -9.321629 54.284643 -9.586822 54.296378 -9.697123 54.218932 -9.783956 54.115671 -9.751100 54.038226 -9.718244 53.949046 -9.828546 53.974861 -9.995171 53.953740 -9.861401 53.869254 -9.586822 53.843438 -9.476520 53.843438 -9.443665 53.777727 -9.598556 53.719056 -9.729978 53.674466 -9.795690 53.589980 -9.938847 53.531309 -9.950581 53.451517 -9.828546 53.378765 -9.741713 53.364684 -9.741713 53.306013 -9.619677 53.298973 -9.509376 53.313054 -9.476520 53.240302 -9.300508 53.228568 -9.023581 53.228568 -8.880424 53.228568 -8.826447 53.167550 -8.903892 53.127654 -9.133882 53.068983 -9.267652 52.982150 -9.288773 52.909398 -9.300508 52.822565 -9.377953 52.721651 -9.476520 52.655940 -9.598556 52.580841 -9.631411 52.576147 -9.640799 52.562066 -9.664267 52.555026 -9.640799 52.547985 -9.521110 52.562066 -9.497642 52.576147 -9.399075 52.576147 -9.232449 52.587882 -9.068171 52.609003 -8.925014 52.688795 -8.835834 52.761547 -8.826447 52.768588 -8.781857 52.789709 -8.770123 52.775628 -8.781857 52.702876 -8.770123 52.662980 -8.615232 52.648899 -8.605844 52.627778 -8.760736 52.594922 -8.990725 52.576147 -9.211328 52.533904 -9.497642 52.522170 -9.563353 52.447071 -9.697123 52.332077 -9.708857 52.259325 -9.762834 52.224122 -9.873135 52.238203 -9.983437 52.212388 # -b -10.039761 52.083312 -9.807424 52.102087 -9.774568 52.048109 # -b -10.004558 51.750061 -9.971702 51.750061 -9.873135 51.768836 -9.729978 51.796998 -9.563353 51.832201 -9.553966 51.761796 -9.718244 51.714859 -9.852014 51.646801 -9.929459 51.604558 -9.962315 51.585783 -9.884870 51.585783 -9.718244 51.632720 -9.607943 51.639760 -9.453052 51.674963 -9.420196 51.686697 -9.387341 51.653841 -9.431930 51.585783 -9.542232 51.578742 -9.652533 51.536499 -9.619677 51.508337 -9.619677 51.461401 -9.453052 51.508337 -9.309895 51.522418 -9.244184 51.496603 -9.157351 51.489563 -9.124495 51.496603 -9.112761 51.496603 -9.101027 51.503644 -9.089292 51.515378 -9.035315 51.536499 -9.023581 51.543540 -8.913280 51.536499 -8.793591 51.571702 -8.671556 51.578742 -8.528399 51.618639 -8.406363 51.646801 -8.396976 51.646801 -8.352386 51.674963 -8.263206 51.714859 -8.242085 51.789958 -8.251472 51.872097 -8.185761 51.858016 -8.152905 51.796998 -8.131784 51.789958 -8.075460 51.775877 -7.965158 51.811079 -7.845470 51.843935 -7.777412 51.919034 -7.723434 51.919034 -7.711700 51.919034 -7.613133 51.904953 -7.547422 51.954236 -7.502832 52.036375 -7.458242 52.076272 -7.249374 52.109127 -7.017037 52.130249 -6.918470 52.163104 -6.808169 52.177185 -6.575832 52.177185 -6.444409 52.144330 -6.312986 52.144330 -6.256662 52.217082 -6.322374 52.325036 -6.268397 52.393094 -6.202685 52.522170 -6.146361 52.681755 -6.125240 52.695836 -6.036060 52.808484 -5.991470 52.902357 -5.991470 52.928173 -6.036060 53.076023 -6.036060 53.120613 -6.057181 53.200406 -6.080650 53.280198 -6.101771 53.327135 -6.036060 53.345909 -6.014938 53.411621 -6.003204 53.517228 -6.068916 53.594674 -6.146361 53.719056 -6.202685 53.805889 -6.244928 53.869254 -6.235541 53.953740 -6.202685 53.960780 -6.080650 53.979555 -6.080650 53.986595 # -b -6.080650 53.986595 -6.068916 53.986595 -6.003204 54.012410 -5.838926 54.078122 -5.794336 54.188423 -5.561999 54.218932 -5.463432 54.291684 -5.463432 54.296378 -5.561999 54.418413 -5.594855 54.495859 -5.561999 54.477084 -5.451698 54.369129 -5.418842 54.491165 -5.508022 54.606160 -5.594855 54.636669 -5.848313 54.610853 -5.749746 54.721155 -5.761480 54.911248 -5.937493 55.037977 -6.047794 55.150626 -6.268397 55.188175 -6.355230 55.213990 -6.620422 55.157666 -6.796435 55.131851 -6.918470 55.068486 -7.049893 55.037977 -7.082748 55.075527 -6.972447 55.150626 -6.897348 55.206950 -6.939591 55.244499 -7.082748 55.303170 -7.183662 55.321944 -7.249374 55.314904 -7.249374 55.296129 -7.270495 55.263274 -7.326819 55.239805 -7.359675 55.176441 -7.338553 55.113076 -7.338553 55.030937 -7.371409 54.967572 -7.425386 54.941757 -7.446508 54.941757 # -b -9.983437 52.212388 -10.105472 52.224122 -10.215773 52.163104 -10.258016 52.069231 -10.039761 52.083312 # -b -9.774568 52.048109 -10.004558 51.980051 -10.159449 51.872097 -10.182918 51.804039 -10.060882 51.811079 -10.004558 51.761796 -10.004558 51.750061 # -b -43.963262 59.947557 -43.963262 59.750422 -43.984384 59.947557 -43.996118 59.914701 -44.028974 59.860724 -44.028974 59.832562 -43.996118 59.816134 -43.885817 59.816134 -43.766128 59.827868 -43.665214 59.860724 -43.655827 59.893579 -43.688683 59.910007 -43.864695 59.947557 -43.909285 59.947557 -43.963262 59.947557 # -b -43.918673 60.020308 -43.831840 59.971025 -43.676949 59.966331 -43.545526 59.971025 -43.512670 59.971025 # -b -60.006227 55.284395 -59.928782 55.239805 -59.839602 55.289089 -59.663589 55.340719 -59.642468 55.244499 -59.553288 55.232765 -59.454721 55.213990 -59.541554 55.075527 -59.675324 54.904208 -59.532167 54.974613 -59.311564 55.150626 -59.135552 55.221031 -59.156673 55.087261 -59.100349 55.087261 -58.980660 55.157666 -58.947805 55.030937 -58.891481 54.937064 -58.769445 54.878393 -58.551190 54.847884 -58.483131 54.829109 -58.307119 54.777479 -58.175696 54.810334 -58.187430 54.885433 -58.109985 54.922983 -58.020805 54.960532 -57.922238 54.904208 -57.877648 54.859618 -57.922238 54.777479 -57.833058 54.751664 -57.722757 54.744623 -57.603068 54.695340 -57.481033 54.681259 -57.382466 54.580345 -57.481033 54.514633 -57.469299 54.458309 -57.492767 54.439534 -57.657045 54.413719 -57.779081 54.432494 -57.910504 54.425453 -58.020805 54.399638 -58.152228 54.362089 -58.220286 54.322193 -58.241407 54.322193 -58.241407 54.303418 -58.297731 54.291684 -58.527721 54.207198 -58.760058 54.181383 -59.067493 54.155567 -59.377276 54.089856 -59.532167 54.000676 -59.299830 54.005370 -59.046372 54.059347 -58.781179 54.141486 -58.682612 54.122712 -58.990048 54.026492 -59.288096 53.949046 -59.574410 53.895069 -59.839602 53.895069 # -b -60.104794 53.334175 -59.851336 53.437436 -59.762157 53.524269 -59.553288 53.608755 -59.332686 53.726097 -59.025250 53.805889 -58.837504 53.942005 -58.626288 54.026492 -58.351709 54.078122 -58.098250 54.103937 -57.823671 54.071081 -57.701635 54.089856 -57.865914 54.136793 -58.131106 54.174342 -58.384564 54.141486 -58.429154 54.136793 -58.274263 54.181383 -57.943359 54.225972 -57.668780 54.207198 -57.457564 54.200157 -57.260430 54.207198 -57.204106 54.148527 -57.236962 54.038226 -57.194719 53.934965 -57.171251 53.805889 -57.305020 53.693241 -57.314408 53.594674 -57.281552 53.465598 -57.272164 53.411621 -57.236962 53.418661 -57.138395 53.543043 -57.006972 53.707322 -56.852081 53.777727 -56.610357 53.791808 -56.476587 53.765993 -56.532911 53.707322 -56.410876 53.681507 -56.190273 53.641611 -55.969671 53.601714 -55.859370 53.568859 -55.903960 53.589980 -55.892225 53.582940 -55.892225 53.531309 -56.002527 53.491413 -55.892225 53.392846 -55.781924 53.352950 -55.760803 53.280198 -55.683357 53.261423 -55.683357 53.174590 -55.781924 53.148775 -55.859370 53.087757 -56.058851 53.134694 -56.279453 53.188671 -56.234863 53.141735 -56.136296 53.054902 -56.035382 53.029087 -55.892225 53.029087 -55.826514 52.923479 -55.814780 52.883583 -55.892225 52.836646 -55.892225 52.801444 -55.814780 52.709917 -55.739681 52.641859 # -b -55.739681 52.641859 -55.727947 52.623084 -55.793658 52.623084 -55.903960 52.634818 -55.969671 52.569107 -55.859370 52.547985 -55.671623 52.508089 -55.584790 52.379013 -55.849982 52.393094 -55.981405 52.421256 -55.892225 52.346158 -55.704479 52.259325 -55.605912 52.177185 -55.781924 52.062190 -55.969671 51.904953 -56.300575 51.768836 -56.443732 51.646801 -56.577501 51.536499 -56.786370 51.522418 -56.863815 51.468441 -57.194719 51.475482 -57.535010 51.482522 -57.800202 51.398036 -58.098250 51.351099 -58.351709 51.329978 -58.572311 51.233758 -58.769445 51.053051 -58.870359 51.067132 -59.001782 50.914588 -59.090962 50.823062 -59.255240 50.684598 -59.398397 50.564910 -59.619000 50.473383 -59.818481 50.325533 -59.982759 50.262168 # -b -56.202008 51.508337 -56.333430 51.475482 -56.333430 51.468441 -56.410876 51.454360 -56.488322 51.419158 -56.631478 51.365180 -56.664334 51.268960 -56.741780 51.205596 -56.774635 51.144578 -56.863815 51.123456 -56.863815 51.088254 -56.974116 51.053051 -56.983504 50.949791 -57.016359 50.865305 -57.117273 50.790206 -57.272164 50.755003 -57.358997 50.705720 -57.305020 50.670517 -57.204106 50.628274 -57.236962 50.593072 -57.326142 50.543788 -57.382466 50.402978 -57.436443 50.276249 -57.424709 50.248087 -57.358997 50.219925 -57.293286 50.170641 -57.347263 50.149520 -57.436443 50.149520 -57.612456 50.100236 -57.635924 50.036872 # -b -56.079972 49.987588 -56.035382 50.121358 -56.169152 50.128398 # -b -56.720658 49.914836 -56.720658 50.065034 -56.509443 50.241046 -56.378020 50.438181 -56.190273 50.600112 -56.169152 50.712760 -56.190273 50.790206 -56.169152 50.914588 -56.091706 50.830102 -55.892225 50.907548 -55.814780 51.038970 -55.760803 51.170393 -55.814780 51.212636 -55.925081 51.261920 -55.903960 51.351099 -55.671623 51.365180 -55.519079 51.550580 -55.528466 51.639760 -55.695091 51.564661 -55.781924 51.592823 -55.969671 51.585783 -56.202008 51.508337 # -b -70.083537 59.926435 -69.916912 59.938169 -69.773755 59.914701 -69.686922 59.898273 -69.586008 59.860724 -69.553153 59.832562 -69.466320 59.799706 -69.431117 59.710526 -69.466320 59.682364 -69.421730 59.633081 -69.487441 59.572063 -69.576621 59.471149 -69.609477 59.407784 -69.675188 59.346767 -69.618864 59.313911 -69.466320 59.342073 -69.320816 59.351460 -69.222249 59.313911 -69.266839 59.266974 -69.487441 59.182488 -69.466320 59.133205 -69.388874 59.121471 -69.278573 59.133205 -69.210515 59.069840 -69.222249 59.018210 -69.245717 59.013516 -69.255105 58.990048 -69.344284 58.997088 -69.365406 59.025250 -69.466320 58.957192 -69.686922 58.853931 -69.729165 58.950152 -69.839467 59.008822 # -b -70.006092 58.968926 -69.907525 58.877400 -69.916912 58.814035 # -b -70.006092 58.734243 -69.895791 58.722509 -69.785489 58.654450 -69.618864 58.727202 -69.466320 58.814035 -69.320816 58.858625 -69.079092 58.858625 -68.881958 58.900868 -68.626153 58.910255 -68.461874 58.870359 -68.407897 58.745977 -68.339839 58.642716 -68.264740 58.591086 -68.229538 58.445582 -68.274128 58.302425 -68.318717 58.161615 -68.583910 58.039580 -68.992259 57.917544 -69.278573 57.835405 -69.025115 57.889382 -68.703598 57.957440 -68.318717 58.105291 -68.196682 58.243754 -68.076993 58.504253 -67.933836 58.614554 -67.943224 58.417420 -67.976080 58.354055 -67.811801 58.457316 -67.767211 58.365790 -67.800067 58.290691 -67.778945 58.145187 -67.734355 58.105291 -67.612320 58.267223 -67.436307 58.330587 -67.293150 58.361096 -67.060814 58.445582 -66.917657 58.476091 -66.675933 58.504253 -66.631343 58.630982 -66.521042 58.762405 -66.422475 58.849238 -66.255849 58.762405 -66.046981 58.710774 -65.981270 58.614554 -66.070449 58.440888 -65.993004 58.499559 -65.903824 58.607514 -65.838113 58.699040 -65.960148 58.790567 -66.079837 58.853931 -66.145548 58.921990 -65.960148 58.849238 -65.870968 58.870359 -65.772401 58.929030 -65.849847 58.957192 -65.816991 59.041678 -65.662100 59.036985 -65.605776 59.166060 -65.706690 59.297483 -65.596389 59.229425 -65.561186 59.266974 -65.507209 59.313911 -65.474353 59.330339 -65.375786 59.358501 -65.375786 59.431253 -65.209161 59.480536 -65.352318 59.593184 -65.486087 59.665936 -65.572920 59.750422 -65.474353 59.860724 -65.331196 59.987453 # -b -64.371341 60.036736 -64.371341 59.931129 -64.469908 59.872458 -64.317364 59.914701 -64.216450 59.872458 -64.216450 59.743382 -64.228184 59.665936 -64.019315 59.654202 -64.106148 59.626040 -64.096761 59.553288 -63.909014 59.576757 -63.733002 59.532167 -63.819834 59.464108 -63.962991 59.391357 -63.765857 59.374929 -63.709533 59.297483 -63.643822 59.374929 -63.545255 59.358501 -63.545255 59.245853 -63.446688 59.278709 -63.345774 59.245853 -63.369242 59.149633 -63.578110 59.086268 -63.786979 59.093309 -63.953604 59.093309 -64.183594 59.029944 -64.228184 58.978314 -64.052171 59.046372 -63.953604 59.013516 -63.819834 59.036985 -63.676678 59.041678 -63.533521 59.036985 -63.402098 59.065147 -63.247207 59.081574 -63.181495 59.069840 -63.226085 59.013516 -63.247207 58.968926 -63.190883 58.957192 -63.190883 58.877400 -63.235473 58.802301 -63.148640 58.821076 -63.026604 58.814035 -62.937424 58.809341 -62.982014 58.710774 -62.949159 58.677919 -62.817736 58.654450 -62.850592 58.602820 -63.014870 58.567617 -63.258941 58.544149 -63.402098 58.584045 -63.446688 58.574658 -63.467809 58.562924 -63.500665 58.555883 -63.512399 58.504253 -63.423219 58.476091 -63.235473 58.499559 -63.092316 58.499559 -62.904569 58.487825 -62.716822 58.504253 -62.585399 58.499559 -62.540809 58.389258 -62.662845 58.342321 -62.728556 58.290691 -62.707435 58.278957 -62.629989 58.267223 -62.740290 58.208552 -62.982014 58.180390 -63.181495 58.039580 -63.026604 58.046620 -62.871713 58.121719 -62.674579 58.128759 -62.531422 58.168656 -62.475098 58.121719 -62.409387 58.081823 -62.343675 58.027845 -62.442242 58.016111 -62.540809 57.952747 -62.552544 57.889382 -62.430508 57.917544 -62.353063 57.948053 -62.209906 57.905810 -62.209906 57.877648 -62.045627 57.769694 -61.890736 57.718063 -61.846146 57.628883 -62.022159 57.546744 -62.177050 57.488073 -62.385918 57.488073 -62.397652 57.422362 -62.200518 57.434096 -61.902470 57.434096 -61.768701 57.337876 -61.846146 57.248696 -61.759313 57.225228 -61.571566 57.194719 -61.437797 57.166557 -61.372085 57.032787 -61.571566 56.943608 -61.759313 56.828613 -61.693602 56.697190 -61.825025 56.683109 -62.111339 56.762901 -62.343675 56.835653 -62.397652 56.774635 -62.132460 56.732392 -62.132460 56.701884 -62.320207 56.683109 -62.695700 56.671375 -62.871713 56.640866 -62.573665 56.605663 -62.275617 56.605663 -61.979916 56.617397 -61.747579 56.593929 -61.693602 56.551686 -61.857880 56.532911 -61.911858 56.495362 -61.979916 56.471894 -61.956447 56.441385 -61.825025 56.392101 -61.702989 56.342818 -61.670134 56.281800 -61.846146 56.300575 -61.911858 56.202008 -61.702989 56.202008 -61.482387 56.220782 -61.318108 56.227823 -61.294640 56.122215 -61.252397 56.004874 -61.174951 55.962630 -61.273518 55.906306 -61.163217 55.901613 -60.909759 55.875798 -60.722012 55.875798 -60.599977 55.814780 -60.578855 55.713866 -60.468554 55.758456 -60.292541 55.763149 -60.292541 55.652848 -60.346519 55.582443 -60.259686 55.533160 -60.215096 55.439286 -60.423964 55.321944 -60.412230 55.277355 -60.292541 55.314904 -60.193974 55.352453 -60.104794 55.321944 -60.006227 55.284395 # -b -59.839602 53.895069 -60.039083 53.726097 -60.125916 53.641611 -60.346519 53.681507 -60.557734 53.773033 -60.787724 53.810583 -61.052916 53.805889 -61.031794 53.714362 -60.710278 53.688547 -60.447432 53.622836 -60.247951 53.543043 -60.269073 53.477332 -60.269073 53.399887 -60.304275 53.273157 -60.104794 53.334175 # -b -59.982759 50.262168 -60.104794 50.262168 -60.182240 50.318492 -60.104794 50.452262 -60.215096 50.424100 -60.292541 50.339614 -60.325397 50.290330 -60.557734 50.276249 -60.853435 50.248087 -61.074037 50.226965 -61.327496 50.177682 -61.548098 50.114317 -61.658399 50.135439 -61.681868 50.205844 -61.836759 50.269208 -62.155928 50.290330 -62.453976 50.297370 -62.728556 50.290330 -62.970280 50.304411 -63.258941 50.255127 -63.500665 50.276249 -63.733002 50.304411 -63.843303 50.325533 -63.843303 50.318492 -63.864424 50.318492 -63.974726 50.318492 -64.183594 50.339614 -64.427665 50.346654 -64.702245 50.311451 -64.922847 50.269208 -65.098860 50.297370 -65.331196 50.304411 -65.638632 50.276249 -65.882703 50.297370 -66.025860 50.255127 -66.136161 50.255127 -66.255849 50.255127 -66.345029 50.219925 -66.377885 50.135439 -66.553897 50.156560 -66.732257 50.072074 # -b -80.038812 51.184474 -79.895655 51.123456 -79.773620 51.053051 -79.707908 51.074173 -79.729030 51.233758 -79.761886 51.393342 -79.719642 51.454360 -79.597607 51.454360 -79.564751 51.529459 -79.564751 51.578742 -79.729030 51.433239 -79.740764 51.440279 -79.663318 51.454360 -79.630463 51.503644 -79.553017 51.604558 -79.409860 51.632720 -79.278437 51.625679 -79.278437 51.571702 -79.046101 51.475482 -79.001511 51.337018 -78.992124 51.247839 -78.881822 51.268960 -78.748053 51.329978 -78.748053 51.398036 -78.682341 51.447320 -78.661220 51.522418 -78.804377 51.564661 -78.914678 51.653841 -79.013245 51.750061 -79.046101 51.832201 -78.935800 51.836894 -78.813764 51.850975 -78.804377 51.904953 -78.661220 51.968317 -78.583774 52.083312 -78.506329 52.156064 -78.461739 52.184226 -78.396027 52.212388 -78.264605 52.205347 -78.053390 52.191266 -77.921967 52.224122 -77.943088 52.271059 -78.011147 52.266365 -78.086245 52.259325 -78.220015 52.238203 -78.363172 52.252284 -78.494595 52.313302 -78.539184 52.421256 -78.583774 52.475233 -78.604896 52.482274 -78.715197 52.508089 -78.780908 52.634818 -78.825498 52.709917 -78.771521 52.749813 -78.748053 52.808484 -78.825498 52.841340 -78.846620 52.989190 -78.870088 53.087757 -78.891210 53.214487 -78.902944 53.327135 -78.947534 53.432742 -78.956921 53.510188 -78.956921 53.622836 -78.968655 53.714362 -78.947534 53.798848 -78.968655 53.857519 -78.992124 53.942005 -79.046101 54.052307 -79.189258 54.155567 -79.266703 54.270562 -79.365270 54.373823 -79.409860 54.439534 -79.499040 54.502899 -79.642197 54.528714 # -b -79.642197 54.528714 -79.729030 54.554529 -79.719642 54.554529 -79.597607 54.599119 -79.388739 54.643709 -79.156402 54.721155 -78.902944 54.829109 -78.637751 54.904208 -78.407762 55.019203 -78.142569 55.131851 -77.910233 55.206950 -77.645040 55.352453 -77.391582 55.509691 -77.281281 55.596524 -77.403316 55.509691 -77.645040 55.408777 -77.525352 55.514385 -77.358726 55.627033 -77.182714 55.807739 -76.962111 56.004874 -76.851810 56.148030 -76.764977 56.194967 -76.610086 56.183233 -76.455195 56.117522 -76.401218 56.129256 -76.267448 56.159765 -76.213471 56.244251 -76.312038 56.258332 -76.368362 56.361592 -76.377749 56.429651 -76.410605 56.495362 -76.478663 56.563420 -76.544375 56.483628 -76.586618 56.403835 -76.631207 56.342818 -76.708653 56.263025 -76.753243 56.300575 -76.753243 56.354552 -76.753243 56.453119 -76.764977 56.525871 -76.786099 56.629132 -76.807220 56.769942 -76.840076 56.882590 -76.875278 56.974116 -76.950377 57.032787 -76.985580 57.100846 -76.994967 57.201759 -77.006701 57.297980 -77.060678 57.398894 -77.149858 57.546744 -77.203835 57.640618 -77.260159 57.776734 -77.304749 57.858873 -77.349339 57.948053 -77.382195 58.058354 -77.459640 58.128759 -77.513617 58.196818 -77.513617 58.243754 -77.534739 58.278957 -77.701364 58.271916 -77.900845 58.330587 -78.053390 58.377524 -78.142569 58.436195 -78.229402 58.464357 -78.384293 58.539455 -78.518063 58.591086 -78.616630 58.654450 -78.780908 58.738936 -78.825498 58.802301 -78.804377 58.802301 -78.759787 58.837504 -78.804377 58.910255 -78.825498 59.008822 -78.792643 59.086268 -78.682341 59.105043 -78.539184 59.149633 -78.440617 59.189529 -78.220015 59.201263 -78.097979 59.189529 -78.032268 59.250546 -77.921967 59.250546 -77.745954 59.262281 -77.734220 59.313911 -77.745954 59.386663 -77.844521 59.419519 -77.856255 59.515739 -77.832787 59.536860 -77.755341 59.626040 -77.680243 59.616653 -77.513617 59.588491 -77.436172 59.548595 -77.239038 59.572063 -77.072412 59.593184 -77.170980 59.616653 -77.358726 59.637774 -77.447906 59.694098 -77.436172 59.799706 -77.403316 59.853683 -77.325871 59.853683 -77.239038 59.938169 -77.203835 59.987453 -77.325871 59.947557 -77.436172 59.947557 -77.569942 59.966331 -77.745954 59.982759 # -b -70.909623 60.032043 -70.710142 59.982759 -70.578720 59.931129 -70.447297 59.926435 -70.292406 59.938169 -70.083537 59.926435 # -b -69.839467 59.008822 -70.027213 58.997088 -70.006092 58.968926 # -b -69.916912 58.814035 -70.092925 58.802301 -70.259550 58.785873 -70.468418 58.666185 -70.656165 58.555883 -70.811056 58.445582 -70.644431 58.539455 -70.379239 58.699040 -70.182105 58.734243 -70.006092 58.734243 # -b -90.026942 56.931873 -89.785218 56.854428 -89.585737 56.805144 -89.376869 56.793410 -89.212591 56.798104 -89.034231 56.732392 -88.902808 56.671375 -88.759651 56.624438 -88.616494 56.568114 -88.417013 56.502403 -88.306712 56.490668 -88.163555 56.446079 -88.032133 56.342818 -87.888976 56.232517 -87.778674 56.133949 -87.712963 56.068238 -87.722350 56.000180 -87.623783 55.950896 -87.536950 55.981405 -87.426649 55.955590 -87.358591 55.913347 -87.238902 55.894572 -87.072277 55.913347 -86.940854 55.894572 -86.797697 55.826514 -86.708518 55.788965 -86.588829 55.770190 -86.487915 55.746722 -86.433938 55.739681 -86.267313 55.702132 -86.070178 55.671623 -85.959877 55.652848 -85.826107 55.608258 -85.727540 55.558975 -85.682951 55.483876 -85.539794 55.427552 -85.396637 55.382962 -85.375515 55.314904 -85.485816 55.164707 -85.539794 55.030937 -85.661829 54.904208 -85.727540 54.815028 -85.617239 54.922983 -85.474082 55.037977 -85.396637 55.169400 -85.307457 55.263274 -85.021143 55.277355 -84.734829 55.270314 -84.493105 55.270314 -84.284237 55.270314 -84.096490 55.251539 -83.962720 55.221031 -83.786708 55.206950 -83.566105 55.225724 -83.411214 55.232765 -83.291526 55.221031 -83.192958 55.258580 -82.993477 55.239805 -82.948888 55.157666 -82.805731 55.176441 -82.617984 55.138891 -82.498295 55.082567 -82.430237 55.113076 -82.376260 55.124810 -82.352792 55.045018 -82.319936 54.955838 -82.287080 54.866658 -82.298814 54.700033 -82.331670 54.509940 -82.409116 54.310459 -82.430237 54.115671 -82.331670 54.005370 -82.277693 53.876294 -82.277693 53.634570 -82.242490 53.425702 -82.221369 53.273157 -82.319936 53.181631 -82.343404 52.989190 -82.254224 52.888276 -82.167392 52.855421 -82.132189 52.782669 -81.979645 52.670021 -81.824754 52.616044 -81.669862 52.529211 -81.592417 52.407175 -81.449260 52.285140 -81.449260 52.266365 -81.693331 52.245244 -81.869343 52.184226 -82.057090 52.116168 -82.155657 52.055150 -82.143923 52.041069 -82.033622 52.062190 -81.923321 52.090353 -81.747308 52.102087 -81.693331 52.109127 -81.550174 52.144330 -81.371814 52.130249 -81.240392 52.083312 -81.118356 52.008213 -81.008055 51.933115 -80.820308 51.832201 -80.710007 51.754755 -80.623174 51.653841 -80.590318 51.529459 -80.545728 51.440279 -80.611440 51.351099 -80.745209 51.268960 -80.876632 51.184474 -81.052645 51.074173 -81.141825 51.010808 -81.031523 51.053051 -80.897754 51.123456 -80.721741 51.191515 -80.599706 51.247839 -80.512873 51.315897 -80.414306 51.322937 -80.292270 51.261920 -80.181969 51.198555 -80.038812 51.184474 # -b -82.021888 53.108879 -81.857609 53.127654 -81.714452 53.141735 -81.669862 53.155816 -81.538440 53.174590 -81.395283 53.134694 -81.296716 53.115919 -81.097235 53.108879 -80.975199 53.036127 -80.897754 52.928173 -80.864898 52.815525 -80.778065 52.695836 -80.799187 52.648899 -80.954078 52.716957 -81.141825 52.716957 -81.338959 52.801444 -81.526706 52.888276 -81.681597 52.916438 -81.857609 52.923479 -81.956176 52.956335 -82.045356 52.975109 -82.122802 52.996231 -82.078212 53.040821 -82.021888 53.108879 # -b -98.003835 54.315152 -97.980367 54.315152 -97.926389 54.348008 -97.881800 54.340967 -97.881800 54.296378 -97.837210 54.251788 -97.837210 54.211891 -97.959245 54.122712 -98.046078 53.979555 -97.935777 53.960780 -97.816088 54.071081 -97.637729 54.089856 -97.560283 53.972514 -97.595486 53.965474 -97.705787 53.960780 -97.780886 53.913843 -97.780886 53.829357 -97.771498 53.744871 -97.738643 53.672119 -97.738643 53.634570 -97.661197 53.561818 -97.595486 53.430395 -97.583751 53.324788 -97.572017 53.205099 -97.473450 53.153469 -97.372536 53.092451 -97.262235 52.993884 -97.285703 52.975109 -97.306825 52.914092 -97.273969 52.787363 -97.241114 52.674714 -97.184790 52.592575 -97.130812 52.533904 -97.065101 52.458806 -97.041633 52.379013 -97.032245 52.310955 -97.032245 52.249937 -97.041633 52.174839 -96.964187 52.109127 -96.853886 52.048109 -96.776440 51.980051 -96.767053 51.937808 -96.767053 51.883831 -96.743585 51.794651 -96.666139 51.726593 -96.579306 51.672616 -96.513595 51.597517 -96.445536 51.541193 -96.445536 51.534153 -96.412681 51.508337 -96.314114 51.437932 -96.224934 51.341712 -96.138101 51.245492 -96.138101 51.189168 -96.170957 51.135191 -96.248402 51.078867 -96.269524 51.003768 -96.236668 50.869998 -96.281258 50.738575 -96.314114 50.640008 -96.335235 50.583684 -96.501860 50.640008 -96.546450 50.513279 -96.588693 50.407672 -96.710729 50.372469 -96.811643 50.379510 -96.865620 50.520320 -96.921944 50.696332 -96.910210 50.808981 -96.877354 50.926322 -96.821030 51.050705 -96.689607 51.149272 -96.579306 51.259573 -96.600428 51.294775 -96.633283 51.245492 -96.701341 51.217330 -96.799909 51.196208 -96.799909 51.376915 -96.689607 51.534153 -96.677873 51.623332 -96.755319 51.691391 -96.853886 51.747715 -96.975921 51.719553 -97.032245 51.630373 -97.053367 51.480175 -97.184790 51.466094 -97.330293 51.644454 -97.318559 51.761796 -97.273969 51.843935 -97.583751 52.012907 -97.583751 52.019947 -97.560283 52.041069 -97.539162 52.088006 -97.572017 52.134942 -97.705787 52.127902 -97.715174 52.059844 -97.726908 51.991785 -97.726908 51.958930 -97.726908 51.904953 -97.816088 51.876791 -98.057812 51.923727 -98.102402 52.034028 -98.102402 52.188920 -98.123524 52.310955 -98.257293 52.325036 -98.367594 52.379013 -98.412184 52.386054 -98.421572 52.386054 -98.421572 52.444725 -98.489630 52.505742 -98.621053 52.559720 -98.731354 52.627778 -98.743088 52.761547 -98.808799 52.907051 -98.743088 52.953988 -98.531873 52.975109 -98.466162 53.054902 -98.632787 53.059595 -98.808799 53.059595 -98.940222 53.054902 -98.975425 53.066636 -98.984812 53.139388 -99.160825 53.167550 -99.184293 53.284892 -99.205415 53.397540 -99.184293 53.416314 -99.160825 53.489066 -99.085726 53.528962 -99.029402 53.580593 -98.996546 53.667426 -98.996546 53.751912 -98.930835 53.770686 -98.886245 53.817623 -98.752475 53.855173 -98.677377 53.843438 -98.710232 53.784767 -98.576463 53.784767 -98.445040 53.789461 -98.257293 53.763646 -98.102402 53.719056 -97.968632 53.686200 -97.926389 53.700281 -97.947511 53.796502 -98.081281 53.843438 -98.179848 53.906803 -98.212703 54.012410 -98.168113 54.089856 -98.135258 54.148527 -98.090668 54.218932 -98.156379 54.179036 -98.200969 54.200157 -98.191582 54.263522 -98.200969 54.308112 -98.388716 54.270562 -98.564729 54.270562 -98.588197 54.333927 -98.477896 54.359742 -98.388716 54.385557 -98.301883 54.404332 -98.191582 54.404332 -98.114136 54.418413 -98.036691 54.399638 -98.036691 54.355048 -98.036691 54.308112 -98.003835 54.315152 -97.959245 54.348008 # -b -94.734694 60.093060 -94.758162 59.987453 -94.791018 59.881845 -94.812139 59.771544 -94.823873 59.694098 -94.823873 59.581450 -94.823873 59.447681 -94.802752 59.290443 -94.812139 59.201263 -94.901319 59.121471 -94.988152 59.036985 -94.823873 59.013516 -94.758162 58.921990 -94.713572 58.889134 -94.624392 58.809341 -94.504704 58.757711 -94.481235 58.750671 -94.436646 58.769445 -94.382668 58.790567 -94.349813 58.727202 -94.349813 58.562924 -94.338079 58.504253 -94.272367 58.562924 -94.260633 58.706081 -94.260633 58.769445 -94.194922 58.785873 -94.030643 58.785873 -93.864018 58.797607 -93.699739 58.790567 -93.589438 58.757711 -93.455669 58.750671 -93.378223 58.774139 -93.267922 58.745977 -93.225679 58.727202 -93.225679 58.722509 -93.225679 58.717815 -93.202210 58.706081 -93.169355 58.666185 -93.136499 58.562924 -93.103643 58.417420 -93.037932 58.325893 -92.948752 58.239061 -92.850185 58.109985 -92.772739 57.992643 -92.772739 57.795509 -92.751618 57.652352 -92.641317 57.558478 -92.519281 57.469299 -92.498160 57.314408 -92.486426 57.213494 -92.507547 57.124314 -92.575605 57.039828 -92.695294 56.974116 -92.829064 56.938914 -92.850185 56.920139 -92.784474 56.896671 -92.707028 56.920139 -92.575605 56.967076 -92.465304 57.009319 -92.420714 57.016359 -92.408980 56.962382 -92.408980 56.938914 -92.408980 56.931873 -92.343269 56.931873 -92.232967 56.967076 -92.045221 57.046868 -91.869208 57.086765 -91.648605 57.143089 -91.428003 57.194719 -91.174545 57.267471 -90.965676 57.232268 -90.777930 57.213494 -90.655894 57.147782 -90.447026 57.082071 -90.346112 56.997585 -90.214689 56.967076 -90.026942 56.931873 # -b -110.136973 59.266974 -109.958613 59.396050 -109.803722 59.475843 -109.761479 59.553288 -109.738011 59.649508 -109.627709 59.682364 -109.407107 59.726954 -109.252216 59.726954 -109.252216 59.755116 -109.341395 59.811440 -109.461084 59.860724 -109.362517 59.872458 -109.285071 59.921741 -109.141915 59.910007 -108.987023 59.914701 -108.888456 59.888886 -108.700709 59.905313 -108.611530 59.905313 -108.512963 59.888886 -108.524697 59.848989 -108.667854 59.820827 -108.733565 59.771544 -108.876722 59.787972 -109.031613 59.738688 -109.163036 59.677670 -109.198239 59.609612 -109.163036 59.553288 -109.141915 59.508698 -109.010492 59.508698 -108.965902 59.548595 -108.811011 59.569716 -108.700709 59.581450 -108.611530 59.536860 -108.733565 59.492271 -108.822745 59.396050 -108.822745 59.363195 -108.688975 59.370235 -108.566940 59.407784 -108.402661 59.452374 -108.214915 59.452374 -108.083492 59.452374 -107.937988 59.447681 -107.827687 59.447681 -107.729120 59.475843 -107.663408 59.452374 -107.707998 59.407784 -107.663408 59.414825 -107.529639 59.435946 -107.529639 59.414825 -107.529639 59.363195 -107.452193 59.346767 -107.309036 59.342073 -107.177613 59.342073 -107.034457 59.335033 -106.945277 59.335033 -106.778652 59.346767 -106.647229 59.330339 -106.492338 59.323298 -106.370302 59.302177 -106.492338 59.266974 -106.680084 59.262281 -106.813854 59.266974 -106.924155 59.290443 -107.043844 59.290443 -107.111902 59.290443 -107.222203 59.285749 -107.341892 59.285749 -107.475662 59.266974 -107.585963 59.262281 -107.717386 59.295136 -107.783097 59.234119 -107.895745 59.189529 -108.083492 59.154326 -108.268892 59.126164 -108.447251 59.137898 -108.634998 59.133205 -108.778155 59.121471 -108.921312 59.121471 -109.064469 59.121471 -109.186504 59.142592 -109.350783 59.105043 -109.540876 59.058106 -109.660565 59.041678 -109.848312 58.990048 -109.982081 58.950152 # -b -111.195395 58.717815 -111.218864 58.722509 -111.207129 58.727202 -111.162540 58.757711 -111.150805 58.814035 -111.106216 58.842197 -111.031117 58.825769 -110.843370 58.877400 -110.688479 58.973620 -110.599299 59.086268 -110.477264 59.166060 -110.312985 59.177795 -110.136973 59.266974 # -b -109.982081 58.950152 -110.092383 58.938417 -110.235540 58.929030 -110.235540 58.853931 -110.247274 58.797607 -110.202684 58.767098 -110.169828 58.717815 -110.268395 58.682612 -110.399818 58.659144 -110.477264 58.675572 -110.611033 58.654450 -110.733069 58.659144 -110.876226 58.647410 -110.953671 58.642716 -111.019383 58.663838 -111.096828 58.706081 -111.174274 58.710774 -111.183661 58.717815 -111.195395 58.717815 # -b -130.052216 53.510188 -129.963036 53.449170 -129.897324 53.350603 -129.843347 53.273157 -129.831613 53.200406 -129.897324 53.200406 -129.974770 53.273157 # -b -129.819879 53.660385 -129.787023 53.667426 -129.775289 53.667426 -129.763555 53.646304 -129.742433 53.620489 -129.697843 53.587633 -129.632132 53.554778 -129.566421 53.496107 -129.521831 53.456211 -129.521831 53.404580 -129.521831 53.338869 -129.521831 53.284892 -129.587542 53.219180 -129.655600 53.291932 -129.709578 53.364684 -129.754167 53.411621 -129.798757 53.470292 -129.831613 53.521922 -129.864469 53.554778 -129.918446 53.601714 -129.974770 53.634570 # -b -130.019360 53.829357 -129.986504 53.817623 -129.953648 53.789461 -129.918446 53.751912 -129.876203 53.704975 -129.843347 53.686200 -129.819879 53.660385 # -b -129.235517 52.867155 -129.223783 52.867155 -129.202661 52.867155 -129.179193 52.853074 -129.146337 52.794403 -129.101747 52.747466 -129.059504 52.714611 -129.014914 52.653593 -129.003180 52.592575 -129.003180 52.559720 -129.068892 52.580841 -129.146337 52.639512 -129.179193 52.693489 -129.256638 52.773282 -129.256638 52.808484 -129.247251 52.841340 -129.247251 52.860114 -129.235517 52.867155 # -b -127.512940 50.421753 -127.480084 50.428793 -127.480084 50.414712 -127.468350 50.428793 -127.512940 50.548482 -127.512940 50.590725 -127.512940 50.647049 -127.733542 50.647049 -127.888434 50.661130 -127.987001 50.731535 -128.064446 50.654089 -128.097302 50.583684 -128.240459 50.625927 -128.341373 50.689292 -128.341373 50.766738 -128.296783 50.823062 -128.198216 50.884079 -128.019856 50.891120 -127.822722 50.855917 -127.656097 50.801940 -127.545796 50.780819 -127.489472 50.780819 -127.325193 50.696332 -127.104591 50.632968 -126.905110 50.583684 -126.717363 50.541441 -126.529616 50.506239 -126.463905 50.506239 -126.353603 50.485117 -126.165857 50.456955 -126.043821 50.428793 -125.912398 50.393591 -125.769241 50.372469 -125.626084 50.365429 -125.536905 50.316145 -125.471193 50.245740 -125.459459 50.210538 -125.447725 50.140133 -125.304568 50.041565 # -b -127.158568 49.971160 -127.125712 50.076768 -127.071735 50.140133 -127.125712 50.140133 -127.259482 50.196457 -127.304072 50.104930 -127.313459 50.076768 -127.402639 50.154214 -127.447229 50.203497 -127.524674 50.189416 -127.611507 50.217578 -127.712421 50.133092 -127.799254 50.147173 -127.843844 50.189416 -127.799254 50.245740 -127.799254 50.302064 -127.787520 50.337267 -127.900168 50.379510 -127.909555 50.463996 -127.745277 50.499198 -127.590385 50.485117 -127.534061 50.449915 -127.512940 50.421753 # -b -123.903507 49.957079 -123.945750 50.048606 -123.980953 50.027484 # -b -124.654495 49.964120 -124.753062 50.041565 -124.785917 50.090849 -124.708472 50.133092 -124.642761 50.168295 -124.619292 50.210538 -124.631026 50.287983 -124.675616 50.344307 -124.654495 50.386550 -124.631026 50.435834 -124.696738 50.449915 -124.762449 50.421753 -124.807039 50.393591 -124.851629 50.386550 -124.917340 50.386550 -124.973664 50.435834 -125.006520 50.513279 -125.018254 50.555522 -125.039376 50.555522 -125.062844 50.555522 -125.128555 50.534401 -125.194267 50.499198 -125.271712 50.485117 -125.370279 50.506239 -125.471193 50.527360 -125.536905 50.492158 -125.602616 50.520320 -125.668327 50.569603 -125.701183 50.513279 -125.769241 50.485117 -125.846687 50.520320 -125.924133 50.527360 -126.043821 50.534401 -126.154122 50.541441 -126.255036 50.548482 -126.386459 50.548482 -126.452170 50.590725 -126.332482 50.611846 -126.222181 50.618887 -126.121267 50.654089 -125.978110 50.668170 -125.933520 50.710413 -126.043821 50.717454 -126.144735 50.717454 -126.121267 50.766738 -126.109532 50.823062 -126.186978 50.841836 -126.276158 50.869998 -126.398193 50.884079 -126.386459 50.898160 -126.264424 50.898160 -126.177591 50.926322 -126.264424 50.996727 -126.419315 51.003768 -126.562472 51.024889 -126.618796 50.982646 -126.684507 50.940403 -126.750218 50.982646 -126.851132 50.989687 -126.949699 50.989687 -127.071735 51.003768 -127.092856 50.947444 -127.048267 50.912241 -127.137446 50.898160 -127.259482 50.933363 -127.379170 50.968565 -127.468350 51.010808 -127.534061 51.024889 -127.545796 51.031930 -127.602120 51.064786 -127.688953 51.135191 -127.733542 51.210289 -127.733542 51.273654 -127.634975 51.306510 -127.512940 51.301816 -127.414373 51.327631 -127.447229 51.376915 -127.489472 51.383955 -127.534061 51.398036 -127.634975 51.390996 -127.733542 51.376915 -127.733542 51.405077 -127.712421 51.430892 -127.611507 51.452013 -127.545796 51.466094 -127.512940 51.487216 -127.402639 51.473135 -127.325193 51.473135 -127.259482 51.501297 -127.313459 51.520072 -127.456616 51.548234 -127.489472 51.590477 -127.435494 51.637413 -127.369783 51.679656 -127.435494 51.719553 -127.447229 51.754755 -127.489472 51.773530 -127.566917 51.719553 -127.611507 51.679656 -127.656097 51.630373 -127.754664 51.609251 -127.810988 51.630373 -127.843844 51.712512 -127.855578 51.768836 -127.855578 51.843935 -127.843844 51.911993 -127.810988 51.958930 -127.810988 51.991785 -127.855578 52.005866 -127.876699 52.041069 -127.876699 52.102087 -127.843844 52.163104 -127.822722 52.224122 -127.855578 52.296874 -127.909555 52.317996 -127.909555 52.397788 -127.942411 52.451765 -128.010469 52.425950 -128.141892 52.386054 -128.219337 52.379013 -128.263927 52.371973 -128.296783 52.371973 -128.273314 52.425950 -128.240459 52.451765 -128.240459 52.505742 -128.285049 52.559720 -128.395350 52.559720 -128.496264 52.545639 -128.571363 52.526864 -128.660542 52.533904 -128.759109 52.538598 -128.794312 52.573801 -128.803699 52.646552 -128.836555 52.726345 -128.892879 52.733385 -128.946856 52.754507 -128.982059 52.787363 -129.024302 52.827259 -129.068892 52.874195 -129.080626 52.935213 -129.113481 52.975109 -129.158071 53.015006 -129.146337 53.059595 -129.101747 53.132347 -129.047770 53.193365 -129.036036 53.252036 -129.036036 53.291932 -129.036036 53.310707 -129.036036 53.331828 -129.047770 53.371725 -129.047770 53.444476 -129.068892 53.470292 -129.113481 53.503147 -129.134603 53.510188 -129.167459 53.489066 -129.223783 53.470292 -129.247251 53.456211 -129.256638 53.430395 -129.301228 53.444476 -129.322350 53.477332 -129.345818 53.477332 -129.357552 53.477332 -129.432651 53.521922 -129.488975 53.573552 -129.554686 53.606408 -129.632132 53.653345 -129.688456 53.704975 -129.721312 53.751912 -129.763555 53.784767 -129.808145 53.817623 -129.864469 53.848132 -129.941914 53.880988 # -b -130.007626 54.141486 -129.918446 54.167302 -129.941914 54.230666 # -b -130.117927 55.061446 -130.162517 55.061446 -130.216494 55.061446 -130.272818 55.073180 -130.272818 55.080220 -130.251696 55.094301 -130.293940 55.042671 -130.338529 55.012162 -130.383119 54.972266 -130.415975 54.953491 -130.505155 54.897167 -130.582600 54.871352 -130.669433 54.871352 -130.692901 54.845537 -130.746879 54.819722 -130.824324 54.904208 -130.836058 54.859618 -130.857180 54.789213 -130.934626 54.800947 -130.967481 54.897167 -130.967481 54.953491 -130.967481 55.035631 -130.857180 55.068486 -130.779734 55.042671 -130.714023 55.080220 -130.669433 55.068486 -130.636577 55.124810 -130.559132 55.136545 -130.603722 55.199909 -130.636577 55.338372 -130.714023 55.357147 -130.770347 55.319598 -130.836058 55.319598 -130.880648 55.338372 -130.890036 55.375922 -130.890036 55.390003 -130.890036 55.495610 -130.868914 55.570709 -130.925238 55.627033 -130.934626 55.737334 -130.990950 55.774884 -131.023805 55.824167 -131.077782 55.875798 -131.134106 55.993139 -131.166962 55.943856 -131.145841 56.023648 -131.089517 56.084666 -131.134106 56.133949 -131.223286 56.122215 -131.277263 56.084666 -131.342975 56.028342 -131.432155 55.997833 -131.486132 55.936815 -131.554190 55.960284 -131.631636 55.974365 -131.706734 55.929775 -131.763058 55.911000 -131.819382 55.899266 -131.795914 55.857023 -131.828770 55.781924 -131.861625 55.751415 -131.861625 55.706825 -131.939071 55.650501 -131.995395 55.664582 -132.004782 55.589484 -132.082228 55.540200 -132.159673 55.582443 -132.237119 55.650501 -132.293443 55.737334 -132.260587 55.781924 -132.171408 55.793658 -132.105696 55.842942 -132.082228 55.842942 -132.061106 55.899266 -132.039985 55.906306 -132.016517 55.967324 -131.995395 56.011914 -131.995395 56.096400 -131.995395 56.152724 -131.906215 56.194967 -131.774792 56.213742 -131.608167 56.213742 -131.596433 56.244251 -131.673879 56.255985 -131.784180 56.274760 -131.852238 56.286494 -131.929684 56.305268 -131.995395 56.335777 -132.049372 56.378020 -132.117430 56.392101 -132.204263 56.422610 -132.269975 56.469547 -132.314565 56.525871 -132.326299 56.591582 -132.326299 56.617397 -132.326299 56.683109 -132.326299 56.701884 -132.347420 56.706577 -132.380276 56.713618 -132.502311 56.720658 -132.535167 56.755861 -132.535167 56.805144 -132.591491 56.840347 -132.701792 56.847387 -132.812094 56.859122 -132.844949 56.877896 -132.877805 56.894324 -132.889539 56.913099 -132.934129 56.948301 -132.976372 56.974116 -133.032696 57.028094 -133.053818 57.070337 -132.856683 56.985851 -132.779238 56.948301 -132.767504 56.917792 -132.844949 57.039828 -132.844949 57.124314 -132.922395 57.124314 -133.011575 57.082071 -133.086673 57.082071 -133.175853 57.117273 -133.187587 57.159516 -133.208709 57.171251 -133.286154 57.178291 -133.309623 57.147782 -133.384721 57.129008 -133.506757 57.201759 -133.530225 57.236962 -133.506757 57.290939 -133.363600 57.302673 -133.241564 57.302673 -133.175853 57.356651 -133.232177 57.361344 -133.396456 57.349610 -133.473901 57.380119 -133.485635 57.403587 -133.429311 57.438790 -133.452780 57.462258 -133.539613 57.469299 -133.539613 57.539704 -133.441045 57.574906 -133.452780 57.605415 -133.530225 57.605415 -133.649914 57.574906 -133.694504 57.605415 -133.673382 57.659392 -133.640526 57.706329 -133.551347 57.694595 -133.452780 57.659392 -133.351866 57.617149 -133.241564 57.598375 -133.187587 57.570213 -133.142997 57.523276 -133.098407 57.504501 -133.044430 57.504501 -133.086673 57.516235 -133.110142 57.539704 -133.187587 57.586640 -133.208709 57.675820 -133.274420 57.706329 -133.286154 57.664086 -133.375334 57.699288 -133.452780 57.753266 -133.530225 57.804896 -133.563081 57.863567 -133.506757 57.910504 -133.297888 57.887035 -133.241564 57.905810 -133.342478 57.929278 -133.497369 57.933972 -133.607671 57.933972 -133.673382 57.933972 -133.685116 57.922238 -133.685116 57.863567 -133.762562 57.816630 -133.816539 57.858873 -133.870516 57.933972 -133.861129 57.987949 -133.739093 57.992643 -133.673382 58.027845 -133.551347 58.074782 -133.584202 58.109985 -133.661648 58.074782 -133.750828 58.051314 -133.762562 58.086516 -133.717972 58.138147 -133.649914 58.196818 -133.762562 58.192124 -133.837661 58.161615 -133.882250 58.086516 -133.959696 58.027845 -134.069997 58.058354 -134.093466 58.086516 -134.102853 58.133453 -134.135709 58.168656 -134.135709 58.232020 -134.192033 58.267223 -134.246010 58.267223 -134.323455 58.232020 -134.400901 58.283650 -134.490081 58.325893 -134.555792 58.347015 -134.633238 58.389258 -134.776395 58.400992 -134.853840 58.417420 -134.910164 58.469050 -134.987610 58.572311 -135.065055 58.623942 -135.020465 58.687306 -135.065055 58.809341 -135.130767 58.797607 -135.163622 58.778833 -135.196478 58.865666 -135.252802 58.957192 -135.351369 59.142592 -135.473405 59.290443 -135.515648 59.407784 -135.550850 59.370235 -135.593093 59.330339 -135.560238 59.295136 -135.494526 59.194222 -135.506260 59.154326 -135.583706 59.194222 -135.527382 59.121471 -135.482792 59.036985 -135.482792 58.985354 -135.417081 58.910255 -135.339635 58.797607 -135.295045 58.670878 -135.285658 58.602820 -135.285658 58.619248 -135.175357 58.452623 -135.163622 58.382218 -135.252802 58.271916 -135.295045 58.232020 -135.449936 58.248448 -135.494526 58.337628 -135.539116 58.452623 -135.625949 58.504253 -135.637683 58.405686 -135.703394 58.412726 -135.858286 58.412726 -135.968587 58.417420 -135.959200 58.476091 -135.968587 58.584045 -135.902875 58.591086 -136.001443 58.635676 -136.111744 58.750671 -136.123478 58.853931 -136.078888 58.877400 -136.189189 58.938417 -136.245513 58.933724 -136.278369 58.809341 -136.376936 58.785873 -136.522440 58.853931 -136.632741 58.933724 -136.674984 58.985354 -136.743042 58.997088 -136.731308 58.945458 -136.775898 58.921990 -136.907321 58.968926 -137.005888 59.025250 -136.951911 58.968926 -136.996501 58.929030 -137.095068 58.921990 -137.106802 58.905562 -137.062212 58.905562 -137.041091 58.905562 -136.907321 58.898521 -136.743042 58.842197 -136.698453 58.790567 -136.719574 58.778833 -136.621007 58.738936 -136.522440 58.706081 -136.522440 58.654450 -136.477850 58.630982 -136.421526 58.654450 -136.344080 58.654450 -136.266635 58.591086 -136.200924 58.520681 -136.189189 58.464357 -136.212658 58.389258 -136.334693 58.347015 -136.433260 58.337628 -136.522440 58.330587 -136.564683 58.393952 -136.543561 58.382218 -136.555296 58.295385 -136.653863 58.271916 -136.743042 58.260182 -136.820488 58.295385 -136.951911 58.365790 -137.095068 58.424461 -137.228837 58.433848 -137.339139 58.457316 -137.449440 58.527721 -137.569128 58.572311 -137.702898 58.595779 -137.646574 58.659144 -137.613718 58.710774 -137.714632 58.717815 -137.813199 58.694347 -137.834321 58.710774 -137.890645 58.734243 -137.989212 58.797607 -138.132369 58.898521 -138.200427 58.957192 -138.287260 59.018210 -138.310728 59.105043 -138.266138 59.173101 -138.242670 59.257587 -138.221549 59.342073 -138.144103 59.386663 -138.000946 59.435946 -137.824933 59.508698 -137.857789 59.548595 -137.956356 59.576757 -138.087779 59.621346 -138.155837 59.642468 -138.045536 59.576757 -137.944622 59.536860 -138.000946 59.492271 -138.087779 59.492271 -138.200427 59.515739 -138.275526 59.447681 -138.310728 59.396050 -138.397561 59.419519 -138.442151 59.407784 -138.385827 59.330339 -138.397561 59.234119 -138.421030 59.210650 -138.507862 59.217691 -138.674488 59.222384 -138.728465 59.182488 -138.728465 59.142592 -138.784789 59.182488 -138.895090 59.234119 -138.993657 59.278709 -139.136814 59.318605 -139.315174 59.346767 -139.303440 59.374929 -139.348029 59.391357 -139.458331 59.386663 -139.547510 59.414825 -139.556898 59.442987 -139.634343 59.447681 -139.723523 59.475843 -139.833824 59.487577 -139.899536 59.525126 -139.822090 59.560329 -139.768113 59.593184 -139.690667 59.604919 -139.646078 59.637774 -139.613222 59.687058 -139.613222 59.738688 -139.667199 59.771544 -139.678933 59.827868 -139.667199 59.893579 -139.634343 59.942863 -139.547510 59.987453 -139.502921 59.971025 -139.446597 59.910007 -139.434862 59.844296 -139.458331 59.792665 -139.446597 59.731648 -139.434862 59.621346 -139.348029 59.569716 -139.303440 59.604919 -139.315174 59.677670 -139.348029 59.731648 -139.348029 59.799706 -139.282318 59.827868 -139.204873 59.860724 -139.136814 59.865417 -139.214260 59.877151 -139.324561 59.905313 -139.434862 59.954597 # -b -139.711789 60.057858 -139.768113 59.982759 -139.854946 59.938169 -139.955860 59.872458 # -b -134.943020 57.283899 -134.919552 57.314408 -134.910164 57.307367 -134.886696 57.248696 -134.865574 57.182985 -134.865574 57.136048 -134.910164 56.997585 -134.886696 57.086765 -134.832719 57.056256 -134.776395 56.997585 -134.764660 56.948301 -134.809250 56.917792 -134.809250 56.877896 -134.788129 56.816878 -134.788129 56.786370 -134.755273 56.755861 -134.710683 56.603316 -134.698949 56.598623 -134.710683 56.500056 -134.722417 56.495362 -134.722417 56.457813 -134.722417 56.427304 -134.722417 56.385061 -134.722417 56.354552 -134.722417 56.281800 -134.776395 56.225476 -134.865574 56.225476 -134.877309 56.300575 -134.877309 56.361592 -134.910164 56.366286 -134.996997 56.464853 -135.065055 56.586889 -135.053321 56.647906 -134.975876 56.713618 -134.919552 56.791063 -134.919552 56.852081 -134.954754 56.805144 -134.975876 56.744127 -135.029853 56.720658 -135.107298 56.720658 -135.163622 56.751167 -135.217600 56.828613 -135.306779 56.847387 -135.384225 56.894324 -135.339635 56.894324 -135.295045 56.955342 -135.351369 56.997585 -135.285658 57.028094 -135.273924 57.093805 -135.351369 57.129008 -135.395959 57.171251 -135.449936 57.255737 -135.506260 57.279205 -135.616562 57.314408 -135.661151 57.356651 -135.616562 57.398894 -135.625949 57.445830 -135.583706 57.511542 -135.515648 57.546744 -135.461670 57.492767 -135.428815 57.473992 -135.295045 57.457564 -135.229334 57.434096 -135.142501 57.391853 -135.119033 57.344916 -135.053321 57.302673 -134.987610 57.302673 -134.943020 57.283899 # -b -134.633238 57.617149 -134.666093 57.605415 -134.677828 57.628883 -134.731805 57.746225 -134.743539 57.757959 -134.799863 57.828364 -134.820984 57.898769 -134.820984 57.969175 -134.832719 58.016111 -134.832719 58.063048 -134.799863 58.149881 -134.743539 58.173349 -134.644972 58.180390 -134.534671 58.180390 -134.433757 58.180390 -134.368045 58.173349 -134.281212 58.161615 -134.236623 58.093557 -134.147443 58.023152 -134.069997 57.957440 -134.004286 57.898769 -133.959696 57.804896 -133.938574 57.729797 -133.905719 57.699288 -133.861129 57.621843 -133.849395 57.586640 -133.870516 57.605415 -133.915106 57.652352 -133.959696 57.699288 -134.004286 57.753266 -134.048876 57.811937 -134.093466 57.847139 -134.147443 57.910504 -134.192033 57.980909 -134.213154 58.016111 -134.257744 58.074782 -134.302334 58.070088 -134.314068 58.016111 -134.358658 58.016111 -134.358658 57.945706 -134.314068 57.851833 -134.257744 57.781428 -134.180298 57.753266 -134.135709 57.706329 -134.135709 57.687554 -134.037142 57.628883 -133.983164 57.563172 -133.947962 57.523276 -134.025407 57.539704 -134.081731 57.511542 -134.093466 57.485726 -134.037142 57.462258 -133.971430 57.434096 -133.971430 57.368385 -134.060610 57.361344 -134.126321 57.380119 -134.192033 57.398894 -134.192033 57.333182 -134.180298 57.248696 -134.203767 57.225228 -134.302334 57.283899 -134.346924 57.225228 -134.391514 57.178291 -134.433757 57.124314 -134.466612 57.086765 -134.567526 57.082071 -134.621503 57.093805 -134.666093 57.136048 -134.644972 57.171251 -134.644972 57.236962 -134.621503 57.267471 -134.633238 57.290939 -134.621503 57.321448 -134.612116 57.368385 -134.567526 57.384813 -134.457225 57.380119 -134.412635 57.415321 -134.466612 57.427056 -134.534671 57.457564 -134.567526 57.504501 -134.511202 57.527970 -134.445491 57.546744 -134.391514 57.593681 -134.466612 57.586640 -134.567526 57.551438 -134.612116 57.581947 -134.633238 57.617149 # -b -134.203767 56.647906 -134.236623 56.676068 -134.314068 56.671375 -134.358658 56.732392 -134.445491 56.755861 -134.466612 56.835653 -134.433757 56.877896 -134.379779 56.889630 -134.290600 56.894324 -134.246010 56.924833 -134.135709 56.863815 -134.048876 56.786370 -133.992552 56.791063 -133.870516 56.809838 -133.837661 56.647906 -133.882250 56.647906 -134.025407 56.659641 -133.971430 56.549339 -133.959696 56.464853 -133.947962 56.373327 -133.947962 56.342818 -133.959696 56.293534 -133.971430 56.213742 -133.992552 56.140990 -134.060610 56.267719 -134.135709 56.305268 -134.159177 56.213742 -134.246010 56.293534 -134.257744 56.366286 -134.281212 56.457813 -134.168564 56.446079 -134.081731 56.549339 -134.093466 56.586889 -134.135709 56.537605 -134.203767 56.556380 -134.246010 56.598623 -134.281212 56.617397 -134.281212 56.622091 -134.203767 56.647906 # -b -133.795418 56.924833 -133.816539 56.955342 -133.837661 56.967076 -133.893985 56.990544 -133.959696 57.016359 -134.025407 57.070337 -134.016020 57.098499 -133.947962 57.117273 -133.795418 57.093805 -133.607671 57.063296 -133.473901 57.032787 -133.429311 57.032787 -133.319010 57.032787 -133.208709 57.016359 -133.154732 57.009319 -133.077286 56.948301 -133.053818 56.906058 -133.044430 56.863815 -133.053818 56.840347 -133.065552 56.767595 -133.053818 56.706577 -133.053818 56.671375 -133.086673 56.664334 -133.131263 56.706577 -133.199321 56.755861 -133.253299 56.809838 -133.351866 56.859122 -133.384721 56.852081 -133.396456 56.774635 -133.319010 56.732392 -133.265033 56.676068 -133.208709 56.636172 -133.199321 56.603316 -133.187587 56.561073 -133.187587 56.495362 -133.253299 56.488322 -133.375334 56.514137 -133.462167 56.483628 -133.595937 56.476587 -133.649914 56.579848 -133.694504 56.701884 -133.717972 56.798104 -133.717972 56.852081 -133.717972 56.877896 -133.717972 56.882590 -133.727359 56.894324 -133.762562 56.877896 -133.828273 56.877896 -133.882250 56.906058 -133.882250 56.924833 -133.849395 56.924833 -133.795418 56.924833 # -b -132.856683 56.805144 -132.844949 56.809838 -132.844949 56.805144 -132.823828 56.779329 -132.779238 56.732392 -132.734648 56.683109 -132.645468 56.610357 -132.657202 56.586889 -132.713527 56.575154 -132.755770 56.591582 -132.767504 56.544646 -132.844949 56.544646 -132.910661 56.603316 -132.934129 56.664334 -132.934129 56.732392 -132.943516 56.791063 -132.943516 56.828613 -132.910661 56.828613 -132.856683 56.805144 # -b -132.767504 56.434344 -132.701792 56.427304 -132.722914 56.354552 -132.722914 56.317003 -132.755770 56.305268 -132.800359 56.293534 -132.856683 56.317003 -132.943516 56.335777 -133.032696 56.342818 -133.086673 56.396795 -133.044430 56.446079 -132.934129 56.464853 -132.856683 56.469547 -132.788625 56.457813 -132.779238 56.453119 -132.767504 56.434344 # -b -132.105696 56.335777 -132.082228 56.312309 -132.039985 56.286494 -131.995395 56.255985 -132.028251 56.251291 -132.093962 56.225476 -132.082228 56.213742 -132.105696 56.206701 -132.159673 56.244251 -132.227732 56.267719 -132.281709 56.293534 -132.326299 56.342818 -132.338033 56.385061 -132.347420 56.434344 -132.347420 56.446079 -132.314565 56.422610 -132.260587 56.392101 -132.215997 56.373327 -132.150286 56.366286 -132.105696 56.342818 -132.105696 56.335777 # -b -135.130767 58.081823 -135.086177 58.086516 -135.074443 58.081823 -135.041587 58.051314 -135.041587 57.987949 -135.041587 57.941012 -135.130767 57.952747 -135.252802 57.964481 -135.196478 57.922238 -135.119033 57.894076 -135.119033 57.816630 -135.217600 57.800202 -135.363103 57.840099 -135.506260 57.898769 -135.661151 57.929278 -135.682273 57.910504 -135.715129 57.882342 -135.682273 57.858873 -135.649417 57.851833 -135.571972 57.823671 -135.461670 57.788468 -135.363103 57.781428 -135.306779 57.769694 -135.241068 57.776734 -135.217600 57.776734 -135.142501 57.776734 -135.041587 57.746225 -135.020465 57.633577 -134.996997 57.551438 -135.029853 57.539704 -135.020465 57.481033 -135.175357 57.523276 -135.306779 57.558478 -135.395959 57.593681 -135.506260 57.645311 -135.649417 57.706329 -135.694007 57.776734 -135.804308 57.793162 -135.825430 57.722757 -135.825430 57.682861 -135.759719 57.628883 -135.715129 57.593681 -135.694007 57.546744 -135.694007 57.497461 -135.715129 57.427056 -135.825430 57.415321 -135.935731 57.434096 -136.036645 57.485726 -136.036645 57.516235 -135.959200 57.535010 -136.024911 57.593681 -136.123478 57.633577 -136.135212 57.694595 -136.189189 57.753266 -136.266635 57.769694 -136.355815 57.828364 -136.400405 57.905810 -136.388670 57.976215 -136.266635 57.910504 -136.257248 57.964481 -136.322959 58.039580 -136.409792 58.109985 -136.421526 58.161615 -136.400405 58.215592 -136.388670 58.227326 -136.311225 58.121719 -136.233779 58.149881 -136.212658 58.227326 -136.111744 58.232020 -136.057767 58.248448 -135.959200 58.318853 -135.881754 58.283650 -135.738597 58.239061 -135.661151 58.208552 -135.604827 58.138147 -135.506260 58.121719 -135.482792 58.145187 -135.372491 58.133453 -135.252802 58.133453 -135.196478 58.109985 -135.163622 58.086516 -135.130767 58.081823 # -b -132.812094 56.035382 -132.788625 56.023648 -132.746382 55.960284 -132.645468 55.899266 -132.546901 55.838248 -132.514046 55.800699 -132.502311 55.725600 -132.603225 55.718560 -132.579757 55.695091 -132.502311 55.683357 -132.457722 55.695091 -132.370889 55.627033 -132.269975 55.540200 -132.227732 55.483876 -132.269975 55.495610 -132.380276 55.540200 -132.502311 55.594177 -132.568023 55.612952 -132.558635 55.533160 -132.469456 55.495610 -132.436600 55.469795 -132.448334 55.413471 -132.380276 55.390003 -132.314565 55.408777 -132.183142 55.352453 -132.183142 55.293782 -132.227732 55.282048 -132.192529 55.225724 -132.105696 55.251539 -132.039985 55.218684 -132.039985 55.136545 -132.093962 55.117770 -132.150286 55.049712 -132.171408 54.986347 -132.105696 55.012162 -132.039985 54.991041 -132.028251 54.927676 -132.061106 54.904208 -132.039985 54.826762 -132.049372 54.744623 -132.105696 54.782172 -132.159673 54.770438 -132.192529 54.763398 -132.293443 54.737583 -132.326299 54.833803 -132.338033 54.904208 -132.347420 54.941757 -132.392010 55.023896 -132.424866 54.991041 -132.457722 54.967572 -132.535167 54.998081 -132.568023 55.073180 -132.568023 55.136545 -132.591491 55.155319 -132.678324 55.213990 -132.812094 55.263274 -132.889539 55.282048 -132.966985 55.275008 -133.011575 55.312557 -133.154732 55.338372 -133.241564 55.368881 -133.121876 55.382962 -133.011575 55.408777 -133.044430 55.469795 -133.065552 55.540200 -133.032696 55.556628 -132.976372 55.589484 -132.988106 55.631727 -133.044430 55.664582 -133.164119 55.627033 -133.297888 55.619993 -133.419924 55.676317 -133.363600 55.763149 -133.265033 55.831208 -133.253299 55.918041 -133.286154 56.028342 -133.286154 56.096400 -133.274420 56.159765 -133.309623 56.171499 -133.342478 56.084666 -133.363600 56.058851 -133.408190 56.047117 -133.506757 56.054157 -133.584202 55.993139 -133.661648 55.955590 -133.783683 55.955590 -133.739093 56.054157 -133.649914 56.115175 -133.617058 56.152724 -133.551347 56.220782 -133.661648 56.281800 -133.694504 56.335777 -133.649914 56.366286 -133.584202 56.366286 -133.473901 56.366286 -133.429311 56.305268 -133.363600 56.331084 -133.309623 56.354552 -133.241564 56.342818 -133.110142 56.274760 -133.110142 56.190273 -133.142997 56.145684 -133.131263 56.084666 -133.065552 56.084666 -132.976372 56.084666 -132.901273 56.065891 -132.856683 56.058851 -132.812094 56.035382 # -b -131.420420 55.312557 -131.420420 55.307863 -131.375831 55.300823 -131.321853 55.345413 -131.298385 55.394696 -131.244408 55.352453 -131.244408 55.263274 -131.223286 55.218684 -131.166962 55.188175 -131.101251 55.155319 -130.990950 55.162360 -130.946360 55.181134 -130.958094 55.237458 -131.023805 55.312557 -131.044927 55.401737 -131.044927 55.446327 -131.023805 55.514385 -131.000337 55.619993 -131.044927 55.725600 -131.089517 55.788965 -131.110638 55.849982 -131.145841 55.892225 -131.211552 55.943856 -131.288998 55.960284 -131.354709 55.948549 -131.408686 55.936815 -131.497866 55.911000 -131.542456 55.868757 -131.619901 55.849982 -131.673879 55.831208 -131.596433 55.788965 -131.608167 55.751415 -131.673879 55.737334 -131.652757 55.688051 -131.718468 55.594177 -131.697347 55.570709 -131.706734 55.533160 -131.795914 55.458061 -131.730203 55.375922 -131.608167 55.345413 -131.542456 55.390003 -131.554190 55.483876 -131.554190 55.521425 -131.521334 55.476836 -131.476744 55.432246 -131.399299 55.465101 -131.375831 55.570709 -131.387565 55.638767 -131.375831 55.619993 -131.333587 55.526119 -131.321853 55.465101 -131.333587 55.401737 -131.387565 55.357147 -131.432155 55.312557 -131.420420 55.312557 # -b -133.053818 55.035631 -133.032696 55.042671 -132.999840 55.023896 -132.955251 54.960532 -132.910661 54.897167 -132.856683 54.833803 -132.800359 54.770438 -132.866071 54.725848 -132.988106 54.796253 -133.044430 54.890127 -133.131263 54.972266 -133.208709 55.023896 -133.253299 55.087261 -133.265033 55.136545 -133.274420 55.213990 -133.253299 55.256233 -133.175853 55.232765 -133.110142 55.195215 -133.065552 55.124810 -133.065552 55.068486 -133.053818 55.035631 # -b -131.631636 55.312557 -131.596433 55.293782 -131.542456 55.275008 -131.497866 55.225724 -131.443889 55.206950 -131.408686 55.124810 -131.399299 55.073180 -131.399299 55.054405 -131.486132 55.035631 -131.542456 55.113076 -131.596433 55.155319 -131.575311 55.176441 -131.587046 55.237458 -131.619901 55.289089 -131.631636 55.312557 # -b -132.061106 54.049960 -131.995395 54.064041 -131.885094 54.096897 -131.819382 54.153221 -131.763058 54.134446 -131.730203 53.998329 -131.807648 53.822317 -131.906215 53.704975 -131.950805 53.573552 -131.950805 53.477332 -131.950805 53.378765 -132.004782 53.298973 -132.072841 53.233261 -132.126818 53.277851 -132.138552 53.284892 -132.171408 53.284892 -132.248853 53.298973 -132.281709 53.306013 -132.314565 53.284892 -132.403744 53.160509 -132.436600 53.233261 -132.525780 53.273157 -132.546901 53.350603 -132.568023 53.390499 -132.535167 53.364684 -132.415478 53.411621 -132.448334 53.496107 -132.568023 53.514881 -132.636081 53.521922 -132.755770 53.561818 -132.866071 53.627530 -132.934129 53.737831 -132.966985 53.822317 -133.032696 53.939659 -133.131263 53.972514 -133.131263 54.057000 -133.121876 54.141486 -133.110142 54.179036 -132.999840 54.179036 -132.833215 54.174342 -132.678324 54.174342 -132.636081 54.153221 -132.678324 54.042919 -132.678324 53.979555 -132.612613 54.042919 -132.502311 54.108631 -132.370889 54.134446 -132.326299 54.082816 -132.281709 54.012410 -132.260587 53.895069 -132.260587 53.843438 -132.359154 53.822317 -132.448334 53.784767 -132.568023 53.737831 -132.657202 53.693241 -132.558635 53.693241 -132.457722 53.700281 -132.481190 53.653345 -132.490577 53.627530 -132.370889 53.627530 -132.314565 53.667426 -132.237119 53.719056 -132.183142 53.784767 -132.138552 53.869254 -132.093962 53.913843 -132.093962 53.953740 -132.093962 53.979555 -132.093962 54.012410 -132.093962 54.038226 -132.093962 54.042919 -132.061106 54.049960 # -b -132.150286 52.740426 -132.150286 52.754507 -132.159673 52.761547 -132.192529 52.813178 -132.171408 52.895317 -132.150286 52.975109 -132.260587 52.895317 -132.326299 52.935213 -132.305177 52.979803 -132.227732 53.054902 -132.326299 53.080717 -132.424866 53.087757 -132.359154 53.113573 -132.260587 53.139388 -132.192529 53.153469 -132.105696 53.186325 -132.016517 53.226221 -131.950805 53.259076 -131.894481 53.291932 -131.840504 53.273157 -131.763058 53.186325 -131.706734 53.113573 -131.774792 53.120613 -131.929684 53.099492 -131.939071 53.073676 -131.840504 53.059595 -131.706734 53.033780 -131.673879 52.961028 -131.751324 52.900011 -131.861625 52.928173 -131.917949 52.900011 -131.906215 52.794403 -131.971927 52.773282 -131.939071 52.707570 -131.885094 52.646552 -131.852238 52.599616 -131.828770 52.592575 -131.706734 52.580841 -131.608167 52.566760 -131.575311 52.512783 -131.575311 52.491661 -131.497866 52.486968 -131.432155 52.386054 -131.333587 52.296874 -131.265529 52.217082 -131.265529 52.163104 -131.310119 52.156064 -131.408686 52.224122 -131.542456 52.303915 -131.641023 52.350851 -131.751324 52.411869 -131.774792 52.444725 -131.763058 52.451765 -131.751324 52.458806 -131.751324 52.505742 -131.828770 52.512783 -131.950805 52.587882 -132.039985 52.667674 -132.117430 52.733385 -132.150286 52.740426 # -b -130.660046 53.979555 -130.660046 53.991289 -130.636577 54.017104 -130.603722 54.042919 -130.570866 54.064041 -130.526276 54.082816 -130.460565 54.101590 -130.404241 54.075775 -130.326795 54.017104 -130.293940 53.946699 -130.338529 53.902109 -130.394853 53.869254 -130.472299 53.902109 -130.514542 53.932618 -130.570866 53.960780 -130.624843 53.965474 -130.660046 53.979555 # -b -130.538010 53.660385 -130.559132 53.672119 -130.549745 53.667426 -130.493421 53.646304 -130.394853 53.627530 -130.272818 53.601714 -130.162517 53.554778 -130.052216 53.510188 # -b -129.974770 53.273157 -130.096805 53.364684 -130.239962 53.416314 -130.305674 53.482026 -130.427709 53.543043 -130.493421 53.606408 -130.526276 53.646304 -130.538010 53.653345 -130.538010 53.660385 # -b -129.974770 53.634570 -130.028747 53.672119 -130.052216 53.704975 -130.052216 53.737831 -130.052216 53.770686 -130.096805 53.784767 -130.150783 53.784767 -130.195372 53.822317 -130.251696 53.869254 -130.251696 53.880988 -130.251696 53.906803 -130.207107 53.913843 -130.150783 53.902109 -130.106193 53.876294 -130.063950 53.848132 -130.019360 53.829357 # -b -129.941914 53.880988 -130.007626 53.913843 -130.085071 53.960780 -130.117927 54.005370 -130.085071 54.089856 -130.007626 54.141486 # -b -129.941914 54.230666 -130.040481 54.225972 -130.117927 54.218932 -130.183638 54.218932 -130.272818 54.237707 -130.317408 54.296378 -130.371385 54.348008 -130.404241 54.385557 -130.460565 54.411372 -130.472299 54.451269 -130.460565 54.488818 -130.460565 54.559223 -130.404241 54.610853 -130.383119 54.622588 -130.338529 54.692993 -130.239962 54.725848 -130.117927 54.662484 -130.096805 54.692993 -130.162517 54.756357 -130.162517 54.807988 -130.141395 54.852577 -130.106193 54.915942 -130.028747 54.948798 -130.019360 54.991041 -130.040481 55.012162 -130.052216 55.042671 -130.063950 55.054405 -130.117927 55.061446 # -b -139.955860 59.872458 -140.054427 59.811440 -140.209318 59.766850 -140.385331 59.731648 -140.551956 59.743382 -140.716234 59.755116 -140.915715 59.776238 -141.103462 59.799706 -141.258353 59.837255 -141.455487 59.881845 -141.532933 59.910007 -141.511811 59.938169 -141.389776 59.966331 -141.401510 59.992146 # -b -141.643234 60.008574 -141.786391 59.971025 -141.931895 59.975719 -142.084439 59.987453 # -b -147.484507 60.003881 -147.505628 59.954597 -147.583074 59.931129 -147.606542 59.881845 -147.639398 59.881845 -147.749699 59.837255 -147.913978 59.792665 -147.991423 59.816134 -147.970302 59.898273 -147.925712 59.947557 -147.836532 59.975719 # -b -148.742410 60.015615 -148.885567 59.959291 -149.052193 59.975719 -149.195350 59.975719 # -b -149.394831 60.008574 -149.472276 59.987453 # -b -149.547375 60.015615 -149.636555 59.959291 -149.648289 59.848989 -149.702266 59.715220 -149.770324 59.827868 -149.812567 59.959291 -149.880626 59.898273 -149.890013 59.865417 -149.857157 59.776238 -149.934603 59.698792 # -b -158.568609 56.366286 -158.622586 56.324043 -158.601465 56.342818 -158.568609 56.342818 -158.479429 56.347511 -158.446574 56.331084 -158.390250 56.305268 -158.446574 56.267719 -158.401984 56.244251 -158.446574 56.176192 -158.491164 56.096400 -158.524019 56.042423 -158.556875 56.084666 -158.568609 56.171499 -158.556875 56.255985 -158.556875 56.281800 -158.577996 56.312309 -158.568609 56.366286 # -b -154.771430 56.556380 -154.759696 56.568114 -154.736227 56.575154 -154.693984 56.579848 -154.670516 56.591582 -154.625926 56.603316 -154.604805 56.579848 -154.604805 56.525871 -154.670516 56.469547 -154.726840 56.415570 -154.780817 56.422610 -154.792551 56.483628 -154.771430 56.556380 # -b -154.241045 56.544646 -154.295022 56.544646 -154.339612 56.544646 -154.372468 56.556380 -154.363081 56.586889 -154.306757 56.617397 -154.241045 56.629132 -154.184721 56.617397 -154.184721 56.591582 -154.184721 56.568114 -154.241045 56.544646 # -b -153.192010 57.129008 -153.203744 57.117273 -153.236600 57.093805 -153.245987 57.086765 -153.346901 57.039828 -153.389144 57.070337 -153.433734 57.117273 -153.346901 57.194719 -153.257721 57.225228 -153.203744 57.206453 -153.081709 57.206453 -152.959673 57.213494 -152.947939 57.190025 -153.048853 57.152476 -153.168542 57.136048 -153.192010 57.129008 # -b -154.837141 57.373078 -154.902853 57.368385 -154.902853 57.398894 -154.848875 57.403587 -154.747962 57.403587 -154.736227 57.492767 -154.661129 57.551438 -154.515625 57.628883 -154.449914 57.621843 -154.372468 57.659392 -154.175334 57.671126 -154.074420 57.664086 -154.130744 57.621843 -154.175334 57.581947 -154.097888 57.570213 -154.053298 57.523276 -154.020443 57.445830 -153.952384 57.427056 -153.865552 57.427056 -153.842083 57.481033 -153.842083 57.535010 -153.809228 57.570213 -153.853817 57.621843 -153.766984 57.640618 -153.865552 57.722757 -153.975853 57.800202 -153.996974 57.863567 -153.931263 57.898769 -153.788106 57.910504 -153.687192 57.816630 -153.666071 57.711023 -153.612093 57.699288 -153.522914 57.793162 -153.433734 57.835405 -153.346901 57.816630 -153.257721 57.816630 -153.192010 57.858873 -153.168542 57.898769 -153.257721 57.957440 -153.159154 57.933972 -153.091096 57.945706 -152.980795 57.933972 -152.980795 57.804896 -152.915083 57.776734 -152.861106 57.835405 -152.760192 57.905810 -152.607648 57.922238 -152.572445 57.875301 -152.595914 57.753266 -152.617035 57.729797 -152.617035 57.671126 -152.584180 57.671126 -152.572445 57.617149 -152.485612 57.610109 -152.384699 57.617149 -152.286132 57.621843 -152.241542 57.617149 -152.330721 57.516235 -152.384699 57.473992 -152.539590 57.473992 -152.640504 57.511542 -152.750805 57.535010 -152.870493 57.570213 -152.992529 57.558478 -153.048853 57.473992 -152.959673 57.469299 -152.861106 57.462258 -152.739071 57.438790 -152.682747 57.398894 -152.682747 57.349610 -152.682747 57.314408 -152.771926 57.321448 -152.849372 57.333182 -152.861106 57.403587 -152.926818 57.398894 -153.015997 57.349610 -153.192010 57.326142 -153.159154 57.326142 -153.081709 57.279205 -153.168542 57.283899 -153.379757 57.241656 -153.457202 57.194719 -153.555769 57.110233 -153.677805 57.098499 -153.710660 57.063296 -153.677805 57.021053 -153.677805 56.948301 -153.766984 56.877896 -153.898407 56.852081 -154.008708 56.816878 -154.119010 56.791063 -154.041564 56.894324 -153.931263 56.967076 -153.942997 57.009319 -154.053298 57.016359 -154.097888 57.032787 -154.107276 57.093805 -154.086154 57.140742 -154.184721 57.178291 -154.339612 57.194719 -154.395936 57.171251 -154.363081 57.147782 -154.241045 57.136048 -154.229311 57.039828 -154.229311 56.948301 -154.351346 56.906058 -154.527359 56.985851 -154.571949 57.082071 -154.593070 57.182985 -154.649394 57.279205 -154.771430 57.307367 -154.837141 57.373078 # -b -153.478324 58.109985 -153.501792 58.109985 -153.478324 58.121719 -153.445468 58.145187 -153.379757 58.156921 -153.290577 58.145187 -153.203744 58.126412 -153.159154 58.086516 -153.114564 58.039580 -153.236600 58.074782 -153.314045 58.105291 -153.379757 58.093557 -153.457202 58.086516 -153.478324 58.109985 # -b -152.793048 58.290691 -152.771926 58.295385 -152.771926 58.314159 -152.893962 58.318853 -152.980795 58.354055 -152.905696 58.365790 -152.882228 58.405686 -152.828250 58.445582 -152.793048 58.452623 -152.694481 58.476091 -152.607648 58.464357 -152.506734 58.464357 -152.384699 58.469050 -152.384699 58.424461 -152.485612 58.393952 -152.462144 58.354055 -152.330721 58.365790 -152.241542 58.412726 -152.232154 58.337628 -152.241542 58.283650 -152.164096 58.307119 -152.142975 58.227326 -152.307253 58.227326 -152.384699 58.156921 -152.551324 58.145187 -152.649891 58.168656 -152.717949 58.114678 -152.849372 58.098250 -152.861106 58.074782 -152.905696 58.063048 -152.971407 58.070088 -153.004263 58.098250 -153.048853 58.133453 -153.081709 58.173349 -153.168542 58.192124 -153.224866 58.208552 -153.147420 58.208552 -153.126298 58.271916 -153.081709 58.302425 -152.980795 58.290691 -152.905696 58.278957 -152.828250 58.278957 -152.793048 58.290691 # -b -152.682747 58.647410 -152.661625 58.619248 -152.640504 58.619248 -152.628769 58.602820 -152.607648 58.602820 -152.551324 58.635676 -152.495000 58.635676 -152.452757 58.619248 -152.462144 58.555883 -152.495000 58.532415 -152.584180 58.532415 -152.661625 58.560577 -152.682747 58.607514 -152.682747 58.647410 # -b -160.002525 56.537605 -159.915693 56.591582 -159.892224 56.591582 -159.814779 56.586889 -159.662234 56.652600 -159.540199 56.701884 -159.429898 56.706577 -159.319596 56.732392 -159.185827 56.805144 -159.054404 56.870856 -158.976958 56.835653 -158.899513 56.863815 -158.789212 56.847387 -158.732888 56.913099 -158.688298 57.032787 -158.613199 57.129008 -158.568609 57.129008 -158.491164 57.194719 -158.413718 57.236962 -158.315151 57.307367 -158.279948 57.373078 -158.193116 57.384813 -158.127404 57.349610 -157.916189 57.570213 -157.850478 57.605415 -157.794154 57.659392 -157.751911 57.741532 -157.728442 57.875301 -157.695586 57.999683 -157.674465 58.074782 -157.641609 58.173349 -157.474984 58.271916 -157.397538 58.325893 -157.463250 58.330587 -157.552430 58.325893 -157.585285 58.337628 -157.540695 58.480785 -157.486718 58.595779 -157.298971 58.663838 -157.132346 58.774139 -157.144080 58.797607 -157.209792 58.809341 -157.087756 58.858625 -157.000923 58.945458 -156.900009 59.018210 -156.813176 59.098002 -156.846032 59.133205 -156.944599 59.109736 -157.078369 59.069840 -157.233260 58.997088 -157.308359 58.938417 -157.376417 58.905562 -157.463250 58.865666 -157.597019 58.809341 -157.683852 58.774139 -157.794154 58.745977 -157.895067 58.727202 -158.017103 58.694347 -158.148526 58.663838 -158.258827 58.663838 -158.324538 58.682612 -158.401984 58.734243 -158.524019 58.785873 -158.613199 58.837504 -158.601465 58.853931 -158.568609 58.905562 -158.535753 58.968926 -158.545141 59.029944 -158.613199 59.018210 -158.667176 58.968926 -158.744622 58.929030 -158.822067 58.893828 -158.899513 58.802301 -158.944103 58.767098 -158.953490 58.767098 -158.854923 58.670878 -158.843189 58.560577 -158.854923 58.520681 -158.998080 58.433848 -159.054404 58.433848 -159.066138 58.424461 -159.176439 58.469050 -159.242151 58.532415 -159.340718 58.642716 -159.439285 58.745977 -159.549586 58.825769 -159.662234 58.858625 -159.650500 58.917296 -159.727946 58.921990 -159.781923 58.950152 -159.826513 58.905562 -159.925080 58.870359 # -b -149.934603 59.698792 -150.033170 59.731648 -150.211529 59.682364 -150.256119 59.665936 -150.265506 59.565022 -150.399276 59.464108 -150.486109 59.374929 -150.432132 59.487577 -150.432132 59.588491 -150.563555 59.543901 -150.673856 59.548595 -150.763036 59.492271 -150.840481 59.442987 -150.962516 59.342073 -151.028228 59.278709 -151.138529 59.323298 -151.281686 59.351460 -151.314542 59.335033 -151.302808 59.238812 -151.448311 59.245853 -151.600856 59.234119 -151.800337 59.189529 -151.877782 59.238812 -152.020939 59.266974 -152.020939 59.342073 -151.922372 59.363195 -151.934106 59.419519 -151.866048 59.480536 -151.767481 59.419519 -151.734625 59.475843 -151.690035 59.499311 -151.636058 59.504005 -151.525757 59.475843 -151.424843 59.464108 -151.502289 59.504005 -151.481167 59.543901 -151.370866 59.543901 -151.248830 59.597878 -151.159651 59.670630 -151.072818 59.783278 -151.159651 59.792665 -151.338010 59.726954 -151.546878 59.661243 -151.636058 59.642468 -151.722891 59.661243 -151.866048 59.705833 -151.934106 59.766850 -151.898904 59.853683 -151.800337 59.947557 # -b -152.771926 60.020308 -152.849372 59.966331 -152.915083 59.910007 -153.081709 59.905313 -153.213131 59.898273 -153.323433 59.865417 -153.159154 59.837255 -153.147420 59.766850 -153.257721 59.715220 -153.457202 59.698792 -153.457202 59.783278 -153.588625 59.766850 -153.633215 59.687058 -153.743516 59.715220 -153.698926 59.642468 -153.710660 59.569716 -153.820962 59.532167 -153.820962 59.475843 -153.942997 59.419519 -154.184721 59.396050 -154.184721 59.358501 -154.250433 59.217691 -154.295022 59.126164 -154.339612 59.065147 -154.250433 59.041678 -153.987587 59.086268 -153.820962 59.058106 -153.788106 59.006476 -153.687192 58.985354 -153.600359 58.968926 -153.522914 58.945458 -153.468936 58.905562 -153.468936 58.837504 -153.490058 58.767098 -153.544035 58.727202 -153.612093 58.694347 -153.687192 58.670878 -153.776372 58.654450 -153.931263 58.630982 -154.020443 58.579352 -154.053298 58.544149 -154.163600 58.532415 -154.184721 58.476091 -154.151865 58.429154 -154.151865 58.393952 -154.327878 58.347015 -154.262167 58.314159 -154.208189 58.302425 -154.217577 58.239061 -154.217577 58.208552 -154.417058 58.149881 -154.527359 58.173349 -154.616539 58.121719 -154.661129 58.086516 -154.780817 58.074782 -154.813673 58.063048 -154.891119 58.063048 -155.111721 58.016111 -155.146924 57.964481 -155.189167 57.933972 -155.233756 57.905810 -155.332324 57.858873 -155.421503 57.851833 -155.444972 57.828364 -155.477827 57.788468 -155.510683 57.741532 -155.564660 57.753266 -155.588129 57.757959 -155.665574 57.781428 -155.785263 57.788468 -155.808731 57.699288 -155.862708 57.652352 -155.886177 57.605415 -156.050455 57.598375 -156.116166 57.610109 -156.193612 57.485726 -156.249936 57.523276 -156.360237 57.473992 -156.503394 57.415321 -156.559718 57.403587 -156.637164 57.344916 -156.592574 57.314408 -156.482273 57.321448 -156.491660 57.236962 -156.491660 57.190025 -156.580840 57.105539 -156.702875 57.056256 -156.735731 57.028094 -156.846032 57.056256 -156.857766 57.009319 -156.900009 56.985851 -156.989189 57.002278 -157.022045 56.948301 -157.111225 56.906058 -157.188670 56.877896 -157.275503 56.835653 -157.352949 56.840347 -157.486718 56.877896 -157.597019 56.852081 -157.618141 56.786370 -157.608754 56.720658 -157.597019 56.659641 -157.751911 56.659641 -157.838743 56.706577 -157.906802 56.694843 -158.071080 56.636172 -158.148526 56.586889 -157.972513 56.603316 -157.927923 56.591582 -157.981900 56.514137 -158.071080 56.514137 -158.237705 56.514137 -158.315151 56.507096 -158.502898 56.469547 -158.622586 56.410876 -158.768090 56.331084 -158.953490 56.342818 -159.030936 56.410876 -159.098994 56.518830 -159.209295 56.525871 -159.152971 56.427304 -159.054404 56.342818 -158.899513 56.274760 -158.744622 56.251291 -158.756356 56.183233 -158.732888 56.084666 -158.789212 56.035382 -158.833802 56.035382 -158.843189 56.035382 -158.899513 56.035382 -159.021548 55.974365 -159.108381 55.943856 -159.197561 55.936815 -159.263272 55.936815 -159.319596 55.925081 -159.429898 55.911000 -159.507343 55.911000 -159.549586 55.936815 -159.561320 55.925081 -159.561320 55.875798 -159.605910 55.788965 -159.650500 55.725600 -159.695090 55.664582 -159.749067 55.601218 -159.781923 55.612952 -159.749067 55.695091 -159.749067 55.737334 -159.749067 55.807739 -159.805391 55.875798 -159.925080 55.875798 -159.993138 55.824167 # -b -169.331195 52.801444 -169.321808 52.834299 -169.321808 52.874195 -169.277218 52.907051 -169.188038 52.953988 -169.110593 53.073676 -169.000291 53.179284 -168.913458 53.284892 -168.803157 53.324788 -168.735099 53.324788 -168.591942 53.343562 -168.582555 53.411621 -168.547352 53.482026 -168.359605 53.521922 -168.207061 53.561818 -168.106147 53.536003 -168.085026 53.456211 -168.117881 53.378765 -168.261038 53.343562 -168.437051 53.277851 -168.559086 53.212140 -168.615410 53.172244 -168.725712 53.099492 -168.758567 53.066636 -168.868869 53.007965 -169.101205 52.853074 -169.178651 52.841340 -169.298339 52.787363 -169.331195 52.801444 # -b -167.840955 53.317747 -167.918400 53.371725 -167.909013 53.383459 -167.840955 53.404580 -167.763509 53.416314 -167.721266 53.416314 -167.587497 53.430395 -167.488929 53.456211 -167.345773 53.528962 -167.310570 53.627530 -167.256593 53.672119 -167.212003 53.730790 -167.089968 53.679160 -167.003135 53.737831 -167.057112 53.784767 -167.179147 53.784767 -167.277714 53.880988 -167.256593 53.953740 -167.125170 53.991289 -166.970279 54.005370 -166.859978 53.965474 -166.791919 53.888028 -166.681618 53.960780 -166.615907 54.024145 -166.550195 54.017104 -166.484484 53.965474 -166.493871 53.939659 -166.538461 53.880988 -166.681618 53.803542 -166.714474 53.730790 -166.615907 53.770686 -166.594785 53.693241 -166.693352 53.627530 -166.791919 53.601714 -166.925689 53.561818 -166.979666 53.489066 -167.134557 53.477332 -167.289448 53.430395 -167.432605 53.350603 -167.533519 53.338869 -167.676676 53.324788 -167.819833 53.317747 -167.840955 53.317747 # -b -166.130112 54.277603 -166.108990 54.270562 -166.076135 54.237707 -165.975221 54.230666 -165.930631 54.179036 -165.897775 54.134446 -166.019811 54.064041 -166.108990 54.075775 -166.207557 54.082816 -166.240413 54.153221 -166.228679 54.237707 -166.130112 54.277603 # -b -165.048221 54.648403 -165.048221 54.655443 -164.905064 54.707074 -164.827618 54.756357 -164.696196 54.845537 -164.651606 54.915942 -164.595282 54.986347 -164.496715 54.979307 -164.330089 54.972266 -164.132955 54.998081 -163.987451 55.042671 -163.888884 55.094301 -163.811439 55.113076 -163.745727 55.113076 -163.668282 55.094301 -163.647160 55.042671 -163.623692 54.979307 -163.590836 54.927676 -163.569715 54.878393 -163.546246 54.864312 -163.513391 54.845537 -163.468801 54.833803 -163.426558 54.807988 -163.349112 54.807988 -163.304522 54.782172 -163.281054 54.737583 -163.316257 54.718808 -163.459414 54.751664 -163.581449 54.685952 -163.802051 54.655443 -164.055510 54.662484 -164.243256 54.662484 -164.440391 54.533408 -164.705583 54.392598 -164.827618 54.451269 -164.937920 54.495859 -164.982510 54.547489 -165.027099 54.610853 -165.048221 54.648403 # -b -162.896173 54.500552 -162.940763 54.495859 -162.884439 54.514633 -162.795259 54.521674 -162.729548 54.500552 -162.696692 54.455962 -162.708426 54.437188 -162.830462 54.418413 -162.884439 54.481778 -162.896173 54.500552 # -b -160.732391 55.368881 -160.809837 55.439286 -160.798103 55.408777 -160.798103 55.375922 -160.786368 55.368881 -160.744125 55.368881 -160.720657 55.413471 -160.676067 55.446327 -160.643211 55.401737 -160.643211 55.357147 -160.643211 55.312557 -160.622090 55.275008 -160.610356 55.270314 -160.610356 55.251539 -160.631477 55.206950 -160.744125 55.237458 -160.819224 55.213990 -160.863814 55.213990 -160.887282 55.289089 -160.908404 55.413471 -160.863814 55.432246 -160.842692 55.368881 -160.786368 55.352453 -160.732391 55.368881 # -b -160.854427 58.846891 -160.830958 58.858625 -160.854427 58.778833 -160.896670 58.710774 -160.985849 58.619248 -161.084416 58.595779 -161.161862 58.612207 -161.185330 58.699040 -161.152475 58.738936 -161.051561 58.757711 -160.941259 58.809341 -160.875548 58.842197 -160.854427 58.846891 # -b -165.688907 60.003881 -165.745231 59.975719 -165.897775 59.987453 -165.954099 59.942863 -166.064401 59.931129 -166.097256 59.910007 -166.186436 59.872458 -166.228679 59.804400 -166.416426 59.848989 -166.615907 59.872458 -166.749676 59.898273 -166.881099 59.942863 -166.991400 59.982759 -167.113436 59.975719 -167.212003 59.999187 # -b -163.435945 55.188175 -163.349112 55.195215 -163.292788 55.218684 -163.205955 55.244499 -163.149631 55.282048 -163.083920 55.289089 -163.006474 55.251539 -162.917295 55.289089 -162.907907 55.345413 -162.830462 55.375922 -162.675571 55.413471 -162.663836 55.465101 -162.675571 55.502651 -162.652102 55.526119 -162.598125 55.551934 -162.497211 55.650501 -162.398644 55.702132 -162.309464 55.751415 -162.199163 55.807739 -162.046619 55.861717 -161.901115 55.911000 -161.769692 55.960284 -161.638269 55.993139 -161.537356 56.011914 -161.471644 56.016608 -161.438789 56.042423 -161.382464 56.058851 -161.295632 56.072932 -161.218186 56.042423 -161.152475 56.035382 -161.030439 56.054157 -160.964728 56.058851 -160.974115 56.011914 -161.030439 55.960284 -160.952994 55.880491 -160.854427 55.857023 -160.776981 55.887532 -160.765247 55.936815 -160.744125 55.929775 -160.631477 55.911000 -160.511789 55.861717 -160.401487 55.849982 -160.345163 55.849982 -160.356898 55.849982 -160.356898 55.861717 -160.401487 55.906306 -160.544644 55.936815 -160.643211 55.960284 -160.622090 55.974365 -160.598622 56.058851 -160.589234 56.096400 -160.544644 56.171499 -160.422609 56.244251 -160.279452 56.392101 -160.213741 56.422610 -160.002525 56.537605 # -b -159.925080 58.870359 -160.002525 58.825769 -160.103439 58.853931 -160.190272 58.905562 -160.258330 58.893828 -160.312308 58.933724 -160.368632 58.957192 -160.389753 59.006476 -160.378019 59.074534 -160.324042 59.121471 -160.324042 59.222384 -160.356898 59.302177 -160.434343 59.229425 -160.521176 59.137898 -160.610356 59.058106 -160.744125 58.990048 -160.854427 58.938417 -160.964728 58.929030 -161.051561 58.938417 -161.194718 58.877400 -161.328487 58.825769 -161.459910 58.797607 -161.504500 58.774139 -161.516234 58.745977 -161.614801 58.687306 -161.692247 58.663838 -161.847138 58.623942 -162.034885 58.635676 -162.199163 58.654450 -162.067740 58.717815 -161.912849 58.722509 -161.736837 58.825769 -161.659391 58.830463 -161.725102 58.877400 -161.814282 58.865666 -161.835404 59.018210 -161.736837 59.086268 -161.647657 59.114430 -161.748571 59.149633 -161.891728 59.149633 -161.978561 59.109736 -162.079475 59.245853 -162.056006 59.318605 -161.990295 59.330339 -161.969173 59.370235 -161.826016 59.464108 -161.781426 59.504005 -161.781426 59.553288 -161.879994 59.633081 -161.936318 59.715220 -161.978561 59.792665 -162.056006 59.898273 -162.189776 59.982759 # -b -162.574657 60.081326 -162.642715 59.992146 -162.729548 59.921741 -162.839849 59.853683 -162.940763 59.783278 -163.060452 59.726954 -163.105041 59.670630 -163.227077 59.670630 -163.370234 59.705833 -163.492269 59.698792 -163.614305 59.726954 -163.689403 59.715220 -163.790317 59.738688 -163.900619 59.738688 -163.978064 59.776238 -164.121221 59.837255 -164.210401 59.905313 -164.076631 59.942863 -163.856029 59.954597 -163.802051 59.982759 -163.933474 59.982759 -164.067244 59.975719 # -b -159.993138 55.824167 -160.091705 55.824167 -160.180885 55.793658 -160.246596 55.737334 -160.333429 55.725600 -160.422609 55.718560 -160.500054 55.688051 -160.511789 55.650501 -160.610356 55.570709 -160.666680 55.594177 -160.732391 55.638767 -160.765247 55.594177 -160.819224 55.577750 -160.798103 55.514385 -160.842692 55.507344 -160.964728 55.526119 -161.051561 55.540200 -161.194718 55.476836 -161.316753 55.446327 -161.450523 55.439286 -161.570211 55.413471 -161.626535 55.465101 -161.492766 55.556628 -161.516234 55.669276 -161.647657 55.664582 -161.769692 55.608258 -161.826016 55.540200 -161.868259 55.469795 -161.891728 55.401737 -161.912849 55.338372 -162.034885 55.263274 -162.088862 55.181134 -162.156920 55.150626 -162.222631 55.176441 -162.276609 55.131851 -162.377523 55.098995 -162.443234 55.124810 -162.520680 55.117770 -162.553535 55.124810 -162.541801 55.150626 -162.541801 55.188175 -162.574657 55.237458 -162.619247 55.270314 -162.696692 55.307863 -162.708426 55.270314 -162.684958 55.213990 -162.675571 55.150626 -162.652102 55.080220 -162.762404 55.049712 -162.851583 55.030937 -162.961885 55.005122 -163.060452 55.054405 -163.137897 55.143585 -163.227077 55.150626 -163.205955 55.087261 -163.182487 55.016856 -163.227077 54.948798 -163.337378 54.908902 -163.414824 54.908902 -163.414824 54.960532 -163.391355 55.030937 -163.426558 55.087261 -163.459414 55.136545 -163.536859 55.131851 -163.546246 55.150626 -163.435945 55.188175 # -b -169.873314 56.647906 -169.894435 56.636172 -169.894435 56.617397 -169.894435 56.617397 -169.861580 56.610357 -169.784134 56.591582 -169.751279 56.603316 -169.697301 56.617397 -169.706689 56.561073 -169.774747 56.549339 -169.828724 56.603316 -169.873314 56.647906 -169.774747 56.549339 -169.828724 56.603316 -169.873314 56.647906 # -b -178.429875 51.916687 -178.450996 51.937808 -178.439262 51.951889 -178.406406 51.951889 -178.319574 51.951889 -178.230394 51.951889 -178.141214 51.923727 -178.075503 51.869750 -177.988670 51.862710 -177.843166 51.855669 -177.876022 51.815773 -177.965201 51.787611 -177.976936 51.686697 -178.054381 51.630373 -178.152948 51.644454 -178.242128 51.679656 -178.218660 51.719553 -178.185804 51.773530 -178.296105 51.843935 -178.418141 51.876791 -178.429875 51.916687 # -b -177.822045 51.686697 -177.789189 51.719553 -177.700009 51.747715 -177.610829 51.754755 -177.500528 51.780570 -177.434817 51.801692 -177.390227 51.855669 -177.336250 51.930768 -177.279926 51.916687 -177.237683 51.904953 -177.247070 51.855669 -177.303394 51.787611 -177.357371 51.733634 -177.523996 51.705472 -177.589708 51.705472 -177.732865 51.686697 -177.822045 51.686697 # -b -177.038202 51.808732 -177.026467 51.808732 -176.993612 51.808732 -176.927900 51.829854 -176.927900 51.883831 -176.960756 51.944849 -176.895045 51.973011 -176.805865 52.005866 -176.751888 51.980051 -176.751888 51.904953 -176.773009 51.855669 -176.695564 51.843935 -176.585262 51.848629 -176.531285 51.855669 -176.507817 51.773530 -176.531285 51.768836 -176.618118 51.740674 -176.707298 51.726593 -176.805865 51.691391 -176.862189 51.651494 -176.939635 51.637413 -176.972490 51.698431 -177.014733 51.705472 -177.026467 51.787611 -177.038202 51.808732 # -b -174.454336 52.386054 -174.498926 52.386054 -174.442602 52.404828 -174.367503 52.425950 -174.245468 52.386054 -174.189144 52.357892 -174.189144 52.271059 -174.299445 52.249937 -174.322913 52.181879 -174.355769 52.141983 -174.433215 52.095046 -174.520048 52.113821 -174.576372 52.066884 -174.719529 52.059844 -174.818096 52.095046 -174.818096 52.113821 -174.740650 52.156064 -174.665551 52.181879 -174.597493 52.217082 -174.487192 52.249937 -174.454336 52.296874 -174.454336 52.343811 -174.454336 52.386054 # -b -174.156288 52.156064 -174.212612 52.149023 -174.189144 52.156064 -174.123432 52.156064 -174.057721 52.149023 -174.001397 52.149023 -173.881708 52.149023 -173.771407 52.156064 -173.682227 52.127902 -173.548458 52.113821 -173.438157 52.127902 -173.351324 52.127902 -173.241022 52.113821 -173.229288 52.080965 -173.339589 52.052803 -173.515602 52.052803 -173.649372 52.041069 -173.771407 52.048109 -173.902830 52.066884 -174.001397 52.066884 -174.102311 52.113821 -174.156288 52.156064 # -b -172.698903 52.418909 -172.677782 52.411869 -172.654314 52.397788 -172.588602 52.386054 -172.490035 52.386054 -172.478301 52.339117 -172.621458 52.282793 -172.755228 52.282793 -172.755228 52.364932 -172.698903 52.418909 -172.755228 52.364932 -172.698903 52.418909 # -b -170.546856 57.201759 -170.558590 57.225228 -170.523387 57.236962 -170.448289 57.225228 -170.403699 57.178291 -170.457676 57.182985 -170.535121 57.178291 -170.546856 57.201759 -170.546856 57.201759 # -b 172.297595 52.928173 172.241271 52.928173 172.241271 52.935213 172.285860 52.939907 172.363306 52.961028 172.429017 52.975109 172.473607 53.015006 172.539319 53.007965 172.661354 52.986844 172.750534 52.993884 172.849101 52.975109 172.938281 52.975109 172.950015 52.928173 173.048582 52.935213 173.069703 52.907051 173.135415 52.860114 173.093172 52.834299 173.015726 52.808484 172.860835 52.787363 172.750534 52.747466 172.705944 52.794403 172.640233 52.820218 172.640233 52.895317 172.572174 52.867155 172.506463 52.874195 172.407896 52.888276 172.297595 52.914092 172.297595 52.928173 # -b 177.441857 52.141983 177.486447 52.195960 177.498181 52.195960 177.498181 52.181879 177.507569 52.113821 177.507569 52.073925 177.498181 52.034028 177.465326 51.991785 177.486447 51.965970 177.397267 51.944849 177.275232 51.923727 177.143809 51.829854 177.110954 51.911993 177.254110 51.980051 177.364412 52.048109 177.441857 52.141983 # -b 178.512014 51.665575 178.523748 51.686697 178.547217 51.691391 178.622315 51.686697 178.767819 51.630373 178.910976 51.541193 179.042399 51.480175 179.143313 51.452013 179.241880 51.437932 179.274735 51.376915 179.152700 51.369874 179.042399 51.390996 178.878120 51.480175 178.744351 51.548234 178.612928 51.597517 178.523748 51.637413 178.512014 51.665575 # -b 179.417892 52.041069 179.462482 52.034028 179.483604 52.019947 179.551662 51.991785 179.561049 51.951889 179.516460 51.904953 179.396771 51.897912 179.331060 51.951889 179.340447 51.973011 179.373303 51.998826 179.417892 52.041069 # -b 170.375537 60.048470 170.366149 59.971025 170.309825 59.938169 170.222992 59.942863 170.089223 59.971025 # -b 164.998937 59.804400 164.977816 59.799706 164.811191 59.820827 164.736092 59.942863 # -b 164.557732 60.036736 164.327743 59.959291 164.172851 59.848989 164.104793 59.935822 163.961636 59.975719 163.719912 59.886539 163.532165 59.860724 163.421864 59.792665 163.398396 59.694098 163.266973 59.581450 163.245852 59.452374 163.311563 59.330339 163.245852 59.274015 163.090960 59.227078 163.090960 59.154326 163.133203 59.086268 162.947804 59.119124 162.879745 59.069840 162.903214 58.973620 162.781178 58.853931 162.527720 58.699040 162.283649 58.515987 162.161614 58.377524 162.051312 58.208552 161.985601 58.086516 161.985601 57.910504 162.051312 57.800202 162.173348 57.746225 162.307118 57.722757 162.361095 57.765000 162.426806 57.898769 162.649755 57.933972 162.814034 57.882342 163.022902 57.804896 163.201262 57.757959 163.222383 57.664086 163.144938 57.574906 163.022902 57.473992 162.802300 57.368385 162.724854 57.272164 162.715467 57.152476 162.724854 57.063296 162.748323 56.936567 162.748323 56.821572 162.748323 56.713618 162.802300 56.683109 162.903214 56.683109 163.079226 56.701884 163.189528 56.615051 163.210649 56.495362 163.245852 56.366286 163.266973 56.255985 163.234117 56.145684 163.112082 56.040076 163.046371 55.986099 163.001781 55.979058 162.968925 55.979058 162.825768 56.028342 162.691998 56.157418 162.638021 56.225476 162.649755 56.237210 162.703733 56.305268 162.846890 56.359246 162.968925 56.476587 162.924335 56.518830 162.814034 56.446079 162.703733 56.446079 162.515986 56.420263 162.229672 56.359246 162.239059 56.305268 162.295383 56.267719 162.316505 56.244251 162.339973 56.232517 162.361095 56.176192 162.173348 56.115175 162.051312 56.065891 161.908156 55.929775 161.830710 55.800699 161.720409 55.669276 161.654697 55.495610 161.642963 55.364188 161.675819 55.237458 161.776733 55.080220 161.887034 54.998081 162.018457 54.890127 162.128758 54.789213 162.074781 54.692993 161.931624 54.603813 161.786120 54.526367 161.565518 54.488818 161.344915 54.488818 161.234614 54.585038 160.936566 54.545142 160.605662 54.430147 160.331082 54.270562 160.098746 54.146180 # -b 159.997832 53.153469 160.009566 53.146428 # -b 159.997832 59.194222 160.065890 59.234119 160.164457 59.306871 160.340470 59.358501 160.462505 59.525126 160.650252 59.586144 160.927178 59.654202 161.157168 59.799706 161.368383 59.954597 # -b 164.369986 59.170754 164.402841 59.177795 164.271419 59.102696 164.017960 59.058106 163.741034 59.013516 163.642467 58.954845 163.785624 58.933724 163.696444 58.790567 163.576755 58.659144 163.475841 58.567617 163.365540 58.452623 163.487576 58.497212 163.764502 58.640369 164.071938 58.762405 164.438044 58.842197 164.614056 58.950152 164.581201 59.102696 164.513143 59.182488 164.369986 59.170754 # -b 166.479790 60.008574 166.390611 59.971025 166.313165 59.921741 166.235720 59.853683 166.158274 59.804400 166.092563 59.811440 166.080828 59.853683 166.137152 59.898273 166.158274 59.954597 # -b 165.088117 60.069592 165.099851 59.999187 165.088117 59.954597 165.043527 59.877151 165.010672 59.860724 # -b 165.982261 55.319598 166.038585 55.300823 166.181742 55.289089 166.202864 55.282048 166.181742 55.270314 166.181742 55.244499 166.181742 55.195215 166.214598 55.136545 166.268575 55.098995 166.280309 55.035631 166.357755 54.953491 166.489178 54.897167 166.557236 54.807988 166.590092 54.744623 166.611213 54.692993 166.611213 54.700033 166.611213 54.692993 166.601826 54.737583 166.479790 54.700033 166.336633 54.796253 166.214598 54.845537 166.116031 54.948798 166.047973 55.030937 165.970527 55.131851 165.860226 55.244499 165.827370 55.263274 165.827370 55.307863 165.871960 55.307863 165.937671 55.312557 165.982261 55.319598 165.982261 55.312557 165.982261 55.319598 # -b 167.308223 54.871352 167.317611 54.878393 167.362200 54.852577 167.427912 54.789213 167.538213 54.681259 167.627393 54.707074 167.648514 54.685952 167.737694 54.648403 167.836261 54.566264 167.880851 54.533408 167.826874 54.514633 167.782284 54.552183 167.671983 54.636669 167.549947 54.681259 167.439646 54.681259 167.350466 54.819722 167.308223 54.871352 # -b 160.098746 54.146180 159.899265 54.005370 159.878143 53.829357 159.878143 53.672119 159.887530 53.554778 159.887530 53.435089 159.910999 53.390499 159.922733 53.291932 159.988444 53.219180 159.997832 53.153469 # -b 160.009566 53.146428 159.866409 53.172244 159.699784 53.219180 159.490915 53.172244 159.282047 53.125307 158.983999 52.993884 158.805639 52.881236 158.718807 52.932866 158.608505 52.939907 158.519326 52.846033 158.608505 52.806137 158.585037 52.733385 158.552181 52.639512 158.519326 52.620737 158.474736 52.559720 158.486470 52.451765 158.507591 52.357892 158.474736 52.214735 158.409024 52.099740 158.254133 51.876791 158.078121 51.733634 157.857518 51.581089 157.658037 51.491910 157.503146 51.334672 157.315399 51.182127 157.073675 51.064786 156.874194 50.919282 156.829604 50.898160 156.820217 50.933363 156.787361 51.050705 156.719303 51.168046 156.620736 51.320591 156.599614 51.555274 156.599614 51.815773 156.587880 52.059844 156.486966 52.317996 156.322688 52.545639 156.224121 52.813178 156.167797 53.059595 156.146675 53.350603 156.045761 53.573552 155.968316 53.796502 155.926073 53.958433 155.881483 53.998329 155.858015 54.057000 155.804037 54.256481 155.759448 54.488818 155.693736 54.648403 155.682002 54.953491 155.628025 55.181134 155.604556 55.432246 155.604556 55.643461 155.628025 55.929775 155.738326 56.176192 155.858015 56.446079 155.935460 56.683109 156.057496 56.809838 156.289832 56.882590 156.531556 57.002278 156.653592 57.032787 156.808483 57.091458 156.907050 57.265124 157.040819 57.492767 156.984495 57.680514 156.897663 57.800202 157.073675 57.816630 157.449169 57.765000 157.636916 57.870607 157.747217 57.969175 158.078121 57.969175 158.420759 58.063048 158.674217 58.236714 158.939409 58.386911 159.204601 58.508947 159.413470 58.670878 159.624685 58.802301 159.777229 58.898521 159.810085 59.069840 159.943855 59.149633 159.997832 59.194222 # -b 154.665822 60.086020 154.546134 59.935822 154.424098 59.816134 154.379508 59.816134 154.269207 59.860724 154.191762 59.816134 154.280941 59.710526 154.358387 59.604919 154.236352 59.541554 154.224617 59.468802 154.412364 59.480536 154.600111 59.504005 154.776124 59.459415 154.987339 59.419519 155.107027 59.323298 155.163351 59.234119 155.142230 59.154326 154.954483 59.154326 154.886425 59.109736 154.776124 59.149633 154.632967 59.154326 154.501544 59.159020 154.445220 59.081574 154.224617 59.041678 154.060339 59.053412 153.914835 59.142592 153.640255 59.194222 153.419653 59.130858 153.386797 59.069840 153.142726 59.041678 153.032425 58.950152 152.889268 58.893828 152.668666 58.938417 152.534896 59.013516 152.358883 58.966579 152.236848 58.870359 151.995124 58.830463 151.741666 58.818729 151.453005 58.835157 151.354438 58.905562 151.187813 59.018210 151.166691 59.074534 151.375559 59.126164 151.586775 59.126164 151.786256 59.119124 152.072570 59.137898 152.281438 59.182488 152.215726 59.250546 152.093691 59.262281 151.861354 59.290443 151.786256 59.386663 151.607896 59.480536 151.443618 59.541554 151.187813 59.569716 151.023534 59.548595 150.934354 59.431253 150.758342 59.459415 150.746608 59.496964 150.659775 59.520433 150.504884 59.586144 150.317137 59.581450 150.173980 59.621346 # -b 156.543290 50.827755 156.543290 50.877039 156.477579 50.834796 156.367278 50.771431 156.278098 50.696332 156.301566 50.647049 156.421255 50.654089 156.510435 50.750310 156.543290 50.827755 # -b 156.090351 50.717454 156.057496 50.689292 155.968316 50.632968 155.869749 50.527360 155.780569 50.421753 155.682002 50.365429 155.550579 50.337267 155.449665 50.273902 155.362832 50.273902 155.294774 50.217578 155.285387 50.090849 155.294774 50.048606 155.372220 50.018097 155.494255 50.076768 155.682002 50.175335 155.881483 50.210538 156.024640 50.330226 156.090351 50.421753 156.200653 50.513279 156.200653 50.618887 156.156063 50.710413 156.090351 50.710413 # -b 150.173980 59.621346 149.908788 59.658896 149.732775 59.698792 149.476970 59.719914 149.268102 59.710526 149.059233 59.637774 149.035765 59.581450 149.136679 59.513392 149.146066 59.459415 148.913729 59.452374 148.749451 59.407784 148.838631 59.330339 148.913729 59.330339 148.904342 59.238812 148.749451 59.215344 148.660271 59.210650 148.561704 59.215344 148.495993 59.290443 148.373957 59.367888 148.010198 59.374929 147.843573 59.330339 147.843573 59.250546 147.721537 59.234119 147.533790 59.234119 147.390633 59.262281 147.181765 59.311564 146.895451 59.351460 146.695970 59.407784 146.496489 59.440640 146.397922 59.407784 146.374454 59.222384 146.320477 59.177795 146.120996 59.142592 146.001307 59.159020 145.912127 59.238812 145.912127 59.358501 145.879272 59.367888 145.778358 59.358501 145.548368 59.391357 145.348887 59.386663 145.193996 59.403091 144.841970 59.374929 144.454743 59.367888 144.177816 59.374929 143.802323 59.351460 143.426829 59.330339 143.173371 59.330339 142.976237 59.290443 142.865935 59.250546 142.633599 59.194222 142.323816 59.069840 141.992913 58.914949 141.805166 58.743630 141.584563 58.584045 141.220804 58.429154 140.866432 58.271916 140.601239 58.086516 140.547262 57.941012 140.392371 57.774387 140.181156 57.711023 # -b 139.861986 54.146180 140.028612 54.108631 140.192890 54.031185 140.314926 53.946699 140.326660 53.810583 140.368903 53.744871 140.568384 53.653345 140.788986 53.521922 141.021323 53.423355 141.274781 53.317747 141.408551 53.296626 141.408551 53.226221 141.417938 53.179284 141.340492 53.106532 141.274781 53.052555 141.197336 53.019699 141.176214 53.019699 141.021323 53.080717 140.854698 53.146428 140.690419 53.132347 140.523794 53.153469 140.303191 53.252036 140.049733 53.259076 # -b 139.939432 53.186325 140.094323 53.198059 140.336047 53.153469 140.580118 53.059595 140.777252 53.073676 140.964999 52.961028 141.152746 52.885930 141.230191 52.754507 141.274781 52.606656 141.230191 52.519823 141.143358 52.404828 141.274781 52.310955 141.408551 52.235856 141.495384 52.167798 141.429672 52.059844 141.396817 52.031682 141.385082 51.916687 141.274781 51.827507 141.185601 51.705472 141.054179 51.658535 140.922756 51.534153 140.821842 51.430892 140.854698 51.362834 140.777252 51.313550 140.767865 51.252532 140.690419 51.238451 140.666951 51.107029 140.666951 51.001421 140.612974 50.841836 140.502672 50.724494 140.502672 50.625927 140.502672 50.478077 140.556650 50.344307 140.612974 50.161254 140.690419 50.119011 140.702153 50.032178 # -b 142.645333 54.340967 142.711044 54.366783 142.830733 54.326886 142.952768 54.134446 142.985624 53.946699 143.009092 53.730790 143.086538 53.521922 143.173371 53.350603 143.283672 53.146428 143.384586 52.813178 143.393973 52.566760 143.328262 52.329730 143.196839 52.275752 143.217961 52.073925 143.295406 51.869750 143.316528 51.698431 143.307140 51.534153 143.384586 51.548234 143.494887 51.369874 143.548864 51.182127 143.581720 51.139884 143.682634 50.834796 143.792935 50.548482 143.924358 50.273902 144.067515 50.011057 # -b 142.267492 49.975854 142.225249 50.048606 142.234637 50.182376 142.213515 50.358388 142.147804 50.492158 142.136070 50.703373 142.201781 50.919282 142.246371 51.085907 142.246371 51.231411 142.157191 51.369874 142.070358 51.498950 141.903733 51.623332 141.772310 51.691391 141.805166 51.766489 141.748842 51.890872 141.706599 52.120861 141.694865 52.317996 141.772310 52.472887 141.870877 52.639512 141.894346 52.841340 141.915467 53.012659 141.903733 53.198059 141.859143 53.331828 141.948323 53.463251 142.136070 53.521922 142.246371 53.500800 142.380140 53.430395 142.577275 53.442130 142.621864 53.500800 142.577275 53.566512 142.621864 53.658038 142.720432 53.653345 142.776756 53.686200 142.678188 53.822317 142.645333 53.920884 142.621864 53.925578 142.589009 54.010064 142.523297 54.087509 142.412996 54.204851 142.389528 54.275256 142.434118 54.301071 142.556153 54.301071 142.645333 54.340967 # -b 140.181156 57.711023 139.960553 57.605415 139.894842 57.621843 139.894842 57.617149 139.850252 57.556132 139.772807 57.469299 139.575672 57.368385 139.420781 57.265124 139.254156 57.279205 139.078143 57.147782 138.967842 57.056256 138.869275 57.009319 138.681528 56.917792 138.604083 56.821572 138.571227 56.786370 138.460926 56.798104 138.404602 56.713618 138.273179 56.615051 138.151144 56.556380 138.139409 56.476587 138.061964 56.378020 137.897685 56.317003 137.796771 56.218436 137.763916 56.183233 137.731060 56.138643 137.609025 56.065891 137.454133 55.986099 137.289855 55.911000 137.113842 55.805393 136.980073 55.744375 136.848650 55.669276 136.670291 55.589484 136.559989 55.575403 136.440301 55.514385 136.297144 55.357147 136.118784 55.275008 135.954506 55.192869 135.921650 55.192869 135.811349 55.162360 135.522688 55.016856 135.325554 54.934717 135.248108 54.782172 135.236374 54.723502 135.346676 54.685952 135.567278 54.634322 135.755025 54.540448 135.975627 54.545142 136.184496 54.552183 136.494278 54.596772 136.604579 54.622588 136.693759 54.615547 136.782939 54.596772 136.825182 54.500552 136.815794 54.423107 136.804060 54.359742 136.836916 54.315152 136.815794 54.256481 136.804060 54.218932 136.804060 54.186076 136.792326 54.094550 136.747736 53.972514 136.759470 53.770686 136.815794 53.744871 136.893240 53.829357 137.057518 53.829357 137.212409 53.932618 137.266387 54.010064 137.156085 54.108631 137.224144 54.204851 137.388422 54.270562 137.686470 54.282297 137.665349 54.223626 137.498723 54.113324 137.379035 54.094550 137.489336 53.991289 137.665349 53.932618 137.698204 53.855173 137.576169 53.737831 137.454133 53.658038 137.289855 53.620489 137.310977 53.566512 137.576169 53.547737 137.918807 53.606408 138.183999 53.679160 138.383480 53.815276 138.514903 53.920884 138.592349 53.815276 138.437457 53.653345 138.383480 53.500800 138.580614 53.566512 138.714384 53.789461 138.758974 53.958433 138.812951 54.057000 138.758974 54.061694 138.747240 54.197810 138.758974 54.282297 138.934986 54.230666 139.143855 54.186076 139.343336 54.186076 139.519348 54.230666 139.620262 54.256481 139.763419 54.256481 139.772807 54.171995 139.805662 54.256481 139.817396 54.204851 139.861986 54.146180 # -b 140.049733 53.259076 139.939432 53.186325 # -b 137.355566 54.833803 137.498723 54.934717 137.322711 54.800947 137.301589 54.718808 137.388422 54.800947 137.510458 54.744623 137.632493 54.648403 137.763916 54.622588 137.918807 54.711767 138.007987 54.793907 138.073698 54.946451 138.172265 55.023896 137.984518 55.124810 137.820240 55.162360 137.653614 55.192869 137.587903 55.091955 137.510458 54.941757 137.355566 54.833803 # -b 109.590160 55.688051 109.623016 55.688051 109.646484 55.688051 109.688727 55.676317 109.810763 55.638767 109.843618 55.533160 109.810763 55.368881 109.712195 55.148279 109.700461 54.946451 109.655871 54.775132 109.569038 54.570957 109.479859 54.366783 109.468125 54.134446 109.381292 53.892722 109.148955 53.658038 109.038654 53.547737 109.017532 53.749565 108.794583 53.679160 108.585715 53.449170 108.663160 53.430395 108.862641 53.463251 108.872028 53.296626 108.618570 53.198059 108.442558 53.085411 108.243077 52.860114 107.989618 52.707570 107.703305 52.653593 107.459234 52.613697 107.140064 52.526864 106.907727 52.343811 106.741102 52.289834 106.478257 52.249937 106.255307 52.031682 106.046439 51.766489 105.703801 51.569355 105.218006 51.452013 104.699356 51.381608 104.401308 51.402730 104.037548 51.452013 103.826333 51.562315 103.838067 51.630373 104.192439 51.705472 104.511609 51.752408 104.678234 51.740674 104.910571 51.801692 105.208619 51.827507 105.483199 51.951889 105.670945 52.127902 105.882161 52.350851 106.102763 52.484621 106.410198 52.632471 106.698859 52.780322 106.895993 52.907051 107.107208 52.986844 107.360667 53.052555 107.635246 53.179284 107.745548 53.270811 107.581269 53.205099 107.217510 53.045514 106.940583 52.986844 107.095474 53.205099 107.405257 53.336522 107.602391 53.489066 107.858196 53.697935 108.099920 53.862213 108.243077 54.057000 108.463679 54.249441 108.630304 54.423107 108.761727 54.655443 108.916618 54.864312 109.071509 55.061446 109.193545 55.199909 109.226401 55.338372 109.303846 55.533160 109.402413 55.631727 109.503327 55.681010 109.590160 55.688051 # -b 29.938576 59.924088 30.093467 59.924088 30.215502 59.963984 # -b 31.449938 60.083673 31.428816 59.980412 31.360758 59.935822 31.130768 59.912354 30.987611 59.940516 # -b 23.578653 60.006227 23.444883 59.963984 23.346316 59.980412 # -b 23.313460 60.090713 23.224280 59.996840 23.113979 59.907660 22.926232 59.858377 22.839399 59.870111 23.015412 59.935822 23.069389 59.989800 # -b 19.917590 54.934717 20.004423 54.991041 20.138192 54.984000 20.281349 54.998081 20.391650 55.002775 20.546542 55.066139 20.666230 55.136545 20.776531 55.218684 20.865711 55.300823 20.952544 55.387656 21.008868 55.488570 21.041724 55.575403 21.053458 55.669276 21.074579 55.725600 21.062845 55.662236 21.041724 55.568362 20.997134 55.436939 20.919688 55.350107 20.842243 55.249193 20.731942 55.148279 20.588785 55.061446 20.656843 54.976960 20.776531 54.991041 20.931423 54.946451 21.140291 54.946451 21.173147 55.035631 21.173147 55.204603 21.241205 55.256233 21.250592 55.300823 21.217736 55.380615 21.173147 55.380615 21.196615 55.462755 21.184881 55.544894 21.130904 55.669276 21.098048 55.774884 21.041724 55.854676 21.029990 55.953243 21.062845 55.711519 21.029990 55.779577 21.029990 55.922734 20.997134 56.028342 20.976012 56.145684 20.919688 56.255985 20.919688 56.305268 20.952544 56.389754 20.964278 56.523524 20.987747 56.633825 21.008868 56.765248 21.074579 56.856775 21.140291 56.929527 21.283448 57.044521 21.360893 57.168904 21.393749 57.323795 21.515784 57.466952 21.691797 57.586640 21.858422 57.650005 22.079025 57.673473 22.287893 57.727450 22.485027 57.762653 22.529617 57.727450 22.630531 57.626537 22.794810 57.520929 22.982556 57.420015 23.027146 57.312061 23.081123 57.246349 23.104592 57.300327 23.113979 57.354304 23.158569 57.276858 23.203159 57.187678 23.313460 57.110233 23.489473 57.056256 23.611508 57.018706 23.710075 57.018706 23.874354 57.060949 23.996389 57.091458 24.008123 57.030440 24.085569 56.971770 24.118425 57.121967 24.228726 57.187678 24.294437 57.258083 24.306171 57.412975 24.306171 57.560825 24.306171 57.661739 24.306171 57.797856 24.306171 57.879995 24.360149 57.997337 24.393004 58.114678 24.416473 58.241407 24.482184 58.347015 24.470450 58.398645 24.339027 58.415073 24.205258 58.415073 24.151280 58.339974 24.008123 58.293038 23.897822 58.375177 23.787521 58.370483 23.656098 58.391605 23.578653 58.501906 23.468351 58.581698 23.444883 58.680266 23.510594 58.771792 23.588040 58.771792 23.710075 58.788220 23.677220 58.823423 23.522328 58.835157 23.423761 58.839850 23.423761 58.868012 23.444883 58.966579 23.489473 58.994741 23.456617 59.039331 23.379172 59.046372 23.400293 59.114430 23.423761 59.163714 23.444883 59.236465 23.522328 59.276362 23.620896 59.288096 23.644364 59.292790 23.742931 59.304524 23.897822 59.339726 24.017511 59.349114 24.029245 59.389010 24.094956 59.424212 24.163014 59.433600 24.249847 59.445334 24.371883 59.501658 24.482184 59.501658 24.536161 59.501658 24.637075 59.496964 24.735642 59.496964 24.780232 59.586144 24.845944 59.557982 24.967979 59.529820 25.120523 59.541554 25.188581 59.546248 25.341126 59.546248 25.442040 59.586144 25.418571 59.647162 25.507751 59.647162 25.594584 59.630734 25.585197 59.647162 25.627440 59.696445 25.770597 59.619000 25.826921 59.635427 25.892632 59.630734 25.925488 59.647162 26.059257 59.635427 26.289247 59.586144 26.509850 59.574410 26.643619 59.557982 26.730452 59.501658 26.951055 59.461762 27.237369 59.468802 27.481439 59.468802 27.744285 59.457068 27.955500 59.496964 27.997743 59.562676 27.976622 59.663589 27.955500 59.708179 28.009477 59.790319 28.143247 59.757463 28.253548 59.696445 28.363849 59.731648 28.438948 59.825521 28.549249 59.846643 28.694753 59.802053 28.781586 59.825521 28.945864 59.879498 29.002189 59.947557 # -b 29.255647 60.006227 29.443394 59.989800 29.619406 59.956944 29.774297 59.940516 29.938576 59.924088 # -b 22.937967 58.640369 22.839399 58.652104 22.541351 58.628635 22.299627 58.633329 22.189326 58.530068 22.088412 58.541802 21.989845 58.508947 21.825567 58.541802 21.825567 58.454969 21.834954 58.398645 21.825567 58.370483 21.825567 58.316506 21.945255 58.241407 22.046169 58.213245 22.055557 58.142840 21.956989 58.056007 21.945255 57.985602 22.100146 58.091210 22.222182 58.213245 22.255038 58.283650 22.287893 58.323547 22.386460 58.311812 22.496762 58.283650 22.585941 58.283650 22.672774 58.300078 22.750220 58.370483 22.815931 58.386911 22.937967 58.415073 23.027146 58.473744 23.179691 58.485478 23.158569 58.525374 23.060002 58.565271 22.994291 58.612207 22.937967 58.623942 22.937967 58.652104 22.937967 58.640369 # -b 22.299627 58.978314 22.717364 59.046372 22.717364 59.046372 22.651653 59.062800 22.520230 59.130858 22.485027 59.095655 22.409929 59.046372 22.353605 58.983007 22.309015 58.978314 22.198713 58.978314 22.055557 58.966579 21.989845 58.931377 22.055557 58.907909 22.222182 58.907909 22.309015 58.835157 22.365339 58.743630 22.496762 58.748324 22.574207 58.835157 22.740832 58.875053 22.905111 58.891481 22.905111 58.983007 22.806544 59.034638 22.696243 59.055759 22.595329 59.102696 22.496762 59.114430 22.442784 59.074534 22.398194 59.015863 22.332483 58.987701 22.299627 58.978314 # -b 27.457971 59.022903 27.514295 59.034638 27.326548 59.027597 27.094212 58.994741 26.929933 58.926683 26.918199 58.839850 27.061356 58.715468 27.150536 58.588739 27.204513 58.426807 27.326548 58.304772 27.413381 58.149881 27.558885 58.102944 27.558885 58.241407 27.558885 58.370483 27.657452 58.497212 27.767753 58.640369 27.756019 58.806995 27.702042 58.943111 27.612862 59.006476 27.457971 59.022903 # -b 11.107571 59.123817 11.086449 59.170754 11.062981 59.170754 10.964414 59.163714 10.854112 59.220038 10.788401 59.243506 10.656978 59.227078 10.633510 59.283402 10.600654 59.332686 10.588920 59.428906 10.556064 59.602572 10.513821 59.708179 10.523209 59.764503 10.656978 59.797359 10.656978 59.863070 10.556064 59.891232 10.478619 59.874805 10.445763 59.858377 10.403520 59.863070 10.368318 59.834908 10.368318 59.769197 10.391786 59.691752 10.478619 59.614306 10.445763 59.550941 10.335462 59.534514 10.335462 59.607265 10.258016 59.680017 10.182918 59.712873 10.204039 59.668283 10.225161 59.602572 10.204039 59.557982 10.150062 59.541554 10.225161 59.461762 10.347196 59.396050 10.358930 59.292790 10.302606 59.259934 10.215773 59.231772 10.204039 59.159020 10.182918 59.107390 10.138328 59.051066 10.004558 59.015863 # -b 18.626830 60.055511 18.704276 59.973372 18.737132 59.919395 18.692542 59.841949 18.671420 59.764503 18.582241 59.719914 18.471939 59.630734 18.385106 59.550941 18.230215 59.506352 17.922780 59.428906 17.800744 59.396050 17.657588 59.417172 17.580142 59.518086 17.523818 59.546248 17.469841 59.489924 17.326684 59.518086 17.204648 59.569716 17.195261 59.534514 17.073226 59.501658 16.897213 59.590838 16.873745 59.579103 16.653142 59.595531 16.509985 59.574410 16.390297 59.590838 16.312851 59.529820 16.211937 59.501658 16.312851 59.473496 16.566309 59.496964 16.796299 59.440640 17.007514 59.396050 17.117815 59.344420 17.160058 59.283402 17.249238 59.316258 17.469841 59.292790 17.777276 59.323298 18.143382 59.360848 18.328782 59.384316 18.429696 59.400744 18.450818 59.356154 18.340517 59.311564 18.340517 59.255240 18.218481 59.255240 18.131648 59.299830 18.152770 59.248200 18.185625 59.180141 17.922780 59.067493 17.789010 58.947805 17.624732 58.931377 17.568408 58.936071 17.568408 59.051066 17.425251 59.074534 17.425251 58.959539 17.326684 58.891481 17.228117 58.828116 17.117815 58.783526 16.984046 58.788220 16.873745 58.776486 16.840889 58.692000 16.709466 58.656797 16.477129 58.696693 16.068780 58.675572 16.035924 58.645063 16.068780 58.645063 16.125104 58.640369 16.301117 58.633329 16.399684 58.623942 16.542841 58.605167 16.599165 58.581698 16.718853 58.525374 16.676610 58.478438 16.500598 58.466704 16.333972 58.497212 16.289383 58.485478 16.465395 58.438542 16.608552 58.375177 16.632021 58.328240 16.608552 58.229673 16.587431 58.166309 16.599165 58.119372 16.542841 58.060701 16.533453 58.020805 16.587431 57.955094 16.500598 57.950400 16.390297 57.978562 16.366828 57.938666 16.390297 57.884688 16.477129 57.821324 16.509985 57.732144 16.399684 57.633577 16.477129 57.567866 16.488864 57.462258 16.390297 57.361344 16.312851 57.241656 16.333972 57.103192 16.256527 56.971770 16.235405 56.765248 16.068780 56.596276 15.904502 56.366286 15.815322 56.169152 15.606454 56.169152 15.385851 56.206701 15.186370 56.176192 15.022092 56.211395 14.756899 56.218436 14.569152 56.150377 14.491707 56.047117 14.315694 56.077625 14.205393 55.960284 14.118560 55.817127 14.172537 55.598871 14.095092 55.455714 14.008259 55.413471 13.820512 55.462755 13.510730 55.455714 13.179826 55.387656 12.970958 55.425205 12.738621 55.418165 12.762089 55.469795 12.816067 55.481529 12.839535 55.537853 12.839535 55.598871 12.893512 55.655195 12.827801 55.756109 12.684644 55.873451 12.562608 56.021301 12.496897 56.119868 12.398330 56.225476 12.410064 56.291187 12.529753 56.255985 12.672910 56.248944 12.640054 56.286494 12.595464 56.347511 12.541487 56.413223 12.574343 56.450772 12.705765 56.439038 12.816067 56.474241 12.816067 56.554033 12.684644 56.657294 12.475776 56.737086 12.374862 56.852081 12.177727 56.952995 12.067426 57.133701 12.022836 57.253390 11.936003 57.384813 11.858558 57.396547 11.781112 57.389506 11.802234 57.502154 11.769378 57.567866 11.748257 57.650005 11.867945 57.732144 11.825702 57.851833 11.626221 57.828364 11.659077 57.915197 11.682545 57.985602 11.626221 58.079476 11.471330 58.107638 11.339907 58.138147 11.471330 58.236714 11.560510 58.271916 11.515920 58.293038 11.438474 58.288344 11.450209 58.304772 11.494798 58.379871 11.417353 58.422114 11.384497 58.351709 11.328173 58.316506 11.274196 58.283650 11.295317 58.316506 11.283583 58.391605 11.250728 58.433848 11.163895 58.445582 11.131039 58.497212 11.119305 58.581698 11.107571 58.623942 11.074715 58.727202 11.062981 58.795260 11.030125 58.886787 11.030125 58.983007 11.107571 59.074534 11.107571 59.107390 # -b 13.808778 58.851585 13.820512 58.926683 13.853368 59.022903 13.963669 59.095655 13.886223 59.142592 13.897958 59.259934 13.897958 59.339726 13.721945 59.372582 13.621031 59.396050 13.567054 59.412478 13.433284 59.412478 13.313596 59.377276 13.215029 59.384316 13.114115 59.367888 13.027282 59.344420 12.982692 59.266974 12.994426 59.163714 13.060137 59.046372 13.081259 58.987701 13.104727 58.926683 12.926368 59.062800 12.783211 59.107390 12.684644 59.095655 12.586077 59.011169 12.553221 58.943111 12.464041 58.823423 12.442920 58.736590 12.508631 58.675572 12.419452 58.525374 12.288029 58.450276 12.243439 58.410380 12.353740 58.454969 12.452307 58.403339 12.553221 58.462010 12.738621 58.548843 12.905246 58.623942 12.982692 58.537109 13.125849 58.577005 13.191560 58.652104 13.477874 58.696693 13.632765 58.720162 13.698477 58.771792 13.743067 58.816382 13.787656 58.839850 # -b 16.244793 56.279453 16.279995 56.305268 16.390297 56.378020 16.465395 56.493015 16.533453 56.669028 16.643755 56.852081 16.730588 56.983504 16.808033 57.152476 16.864357 57.288592 16.918334 57.335529 16.930069 57.377772 16.840889 57.330835 16.775178 57.258083 16.730588 57.168904 16.599165 56.934220 16.500598 56.852081 16.345707 56.669028 16.289383 56.523524 16.268261 56.427304 16.244793 56.328737 16.244793 56.279453 # -b 18.021347 56.964729 18.143382 57.006972 18.230215 57.084418 18.295927 57.164210 18.462552 57.241656 18.572853 57.307367 18.572853 57.347263 18.671420 57.389506 18.769987 57.431749 18.727744 57.520929 18.716010 57.727450 18.760600 57.767347 18.793456 57.767347 18.870901 57.802549 18.870901 57.856526 18.880289 57.922238 18.781722 57.943359 18.671420 57.884688 18.528263 57.922238 18.406228 57.844792 18.164504 57.685207 18.065937 57.579600 18.033081 57.478686 18.042468 57.396547 17.997879 57.300327 17.997879 57.234615 18.054203 57.187678 18.042468 57.110233 18.075324 57.114927 18.143382 57.114927 18.119914 57.056256 18.054203 57.002278 18.021347 56.964729 # -b 14.977502 55.021550 14.977502 55.047365 14.923525 55.181134 14.768633 55.256233 14.637211 55.286742 14.602008 55.185828 14.580887 55.110729 14.670066 55.054405 14.789755 55.028590 14.911790 55.028590 14.977502 55.021550 # -b 9.861401 57.560825 10.072616 57.614802 10.258016 57.668780 10.380052 57.720410 10.412907 57.696942 10.358930 57.633577 10.326075 57.537357 10.368318 57.462258 10.424642 57.342570 10.424642 57.258083 10.302606 57.152476 10.236895 57.072683 10.204039 57.002278 10.171183 56.934220 10.182918 56.863815 10.182918 56.814532 10.159449 56.802797 10.171183 56.814532 10.150062 56.718311 10.004558 56.687803 10.004558 56.638519 10.171183 56.669028 10.204039 56.645560 10.082004 56.572808 10.072616 56.511790 10.114859 56.462506 10.192305 56.530565 10.314340 56.530565 10.391786 56.469547 10.523209 56.500056 10.699221 56.511790 10.788401 56.488322 10.821257 56.413223 10.809523 56.305268 10.633510 56.206701 10.546677 56.169152 10.523209 56.206701 10.412907 56.126909 10.347196 56.194967 10.347196 56.241904 10.248629 56.225476 10.171183 56.101094 10.215773 55.972018 10.126594 55.903960 # -b 9.995171 54.385557 10.093738 54.385557 10.171183 54.448922 10.391786 54.397291 10.469232 54.326886 10.588920 54.326886 10.776667 54.359742 10.886968 54.390251 10.964414 54.352702 10.964414 54.256481 10.865847 54.186076 10.732077 54.127405 10.666366 54.028838 10.699221 53.977208 # -b 10.699221 53.977208 10.743811 53.913843 10.832991 53.958433 10.997269 54.010064 11.107571 53.984248 11.217872 53.972514 11.384497 53.972514 11.328173 54.028838 11.372763 54.042919 11.438474 54.082816 11.605100 54.164955 11.802234 54.197810 11.957125 54.216585 11.957125 54.146180 12.034571 54.179036 12.112016 54.282297 12.231705 54.359742 12.365474 54.455962 12.518019 54.474737 12.640054 54.460656 12.464041 54.397291 12.365474 54.338621 12.320884 54.282297 12.442920 54.333927 12.586077 54.364436 12.738621 54.390251 12.872391 54.397291 12.970958 54.326886 13.114115 54.275256 13.158705 54.197810 13.215029 54.190770 13.325330 54.134446 13.456753 54.139140 13.501342 54.146180 13.588175 54.075775 13.653887 53.998329 13.677355 53.925578 13.698477 53.855173 13.832246 53.822317 13.963669 53.796502 14.106826 53.775380 14.196006 53.770686 14.282839 53.730790 14.404874 53.690894 14.458851 53.756605 14.458851 53.841092 14.306307 53.880988 14.217127 53.888028 # -b 13.510730 54.467697 13.510730 54.448922 13.522464 54.404332 13.578788 54.345661 13.567054 54.301071 13.477874 54.338621 13.367573 54.319846 13.313596 54.289337 13.158705 54.308112 13.048403 54.364436 13.092993 54.411372 13.104727 54.460656 13.060137 54.545142 13.137583 54.556876 13.269006 54.512286 13.367573 54.493512 13.334717 54.545142 13.224416 54.589732 13.158705 54.641362 13.203294 54.678912 13.301862 54.667177 13.325330 54.615547 13.468487 54.608507 13.555320 54.582691 13.534198 54.519327 13.501342 54.474737 # -b 14.217127 53.888028 14.372018 53.951393 14.548031 53.991289 14.569152 53.951393 14.670066 54.010064 14.780368 54.082816 15.022092 54.160261 15.352995 54.197810 15.573598 54.237707 15.737876 54.268216 15.937357 54.301071 16.146226 54.397291 16.345707 54.507593 16.533453 54.596772 16.786912 54.646056 17.007514 54.723502 17.204648 54.775132 17.490962 54.805641 17.744420 54.845537 17.988491 54.871352 18.241949 54.871352 18.450818 54.838496 18.605709 54.793907 18.737132 54.711767 18.716010 54.641362 18.582241 54.685952 18.483673 54.730542 18.385106 54.761051 18.406228 54.692993 18.495408 54.552183 18.582241 54.437188 18.638565 54.345661 18.760600 54.312805 18.781722 54.352702 18.859167 54.390251 19.124359 54.397291 19.377818 54.430147 19.553830 54.486471 # -b 19.553830 54.486471 19.586686 54.519327 19.685253 54.563917 19.762699 54.601466 19.819023 54.653096 19.840144 54.697686 19.861266 54.716461 19.905856 54.805641 19.917590 54.934717 # -b -0.037549 50.801940 0.171319 50.769084 0.380187 50.797246 0.699357 50.858264 0.919959 50.893467 1.053729 50.928669 1.074850 50.970912 1.295453 51.060092 1.471466 51.151618 1.516055 51.276001 1.471466 51.322937 1.218007 51.329978 1.020873 51.315897 0.800271 51.329978 0.788537 51.433239 0.699357 51.503644 0.767415 51.515378 0.887104 51.543540 0.919959 51.604558 1.009139 51.667922 0.964549 51.700778 0.865982 51.728940 0.976283 51.775877 1.095972 51.804039 1.185152 51.768836 1.328309 51.796998 1.361164 51.865056 1.340043 51.904953 1.328309 51.968317 1.417488 51.961277 1.548911 52.001173 1.692068 52.109127 1.790635 52.346158 1.814104 52.515130 1.757780 52.695836 1.593501 52.836646 1.417488 52.909398 1.274331 52.942254 1.030261 52.949294 0.800271 52.916438 0.633645 52.902357 0.535078 52.808484 0.445899 52.749813 0.368453 52.796750 0.237030 52.815525 0.138463 52.822565 0.114995 52.822565 0.114995 52.829606 0.183053 52.928173 0.281620 52.989190 0.326210 53.022046 0.403656 53.087757 0.445899 53.155816 0.445899 53.261423 0.380187 53.327135 0.269886 53.404580 0.159585 53.465598 0.105608 53.524269 0.004694 53.557124 # -b -0.061018 53.655692 0.028162 53.615795 0.037549 53.615795 0.061018 53.615795 0.147851 53.601714 0.258152 53.594674 0.269886 53.601714 0.225296 53.773033 0.093873 53.836398 # -b 5.010493 53.214487 5.076204 53.254383 5.076204 53.240302 4.989371 53.141735 4.834480 53.029087 4.780503 52.935213 4.923660 52.996231 4.989371 53.101838 5.010493 53.214487 # -b 3.534334 51.351099 3.578924 51.372221 3.710346 51.379261 3.841769 51.315897 3.898093 51.301816 4.062372 51.358140 4.261853 51.372221 4.339298 51.365180 4.282974 51.398036 4.151551 51.412117 3.975539 51.398036 3.874625 51.419158 3.942683 51.508337 4.062372 51.522418 4.315830 51.564661 4.503577 51.625679 4.822746 51.674963 4.933047 51.714859 4.855602 51.754755 4.712445 51.714859 4.634999 51.700778 4.470721 51.707818 4.327564 51.743021 4.217263 51.804039 4.217263 51.904953 4.228997 51.947196 4.238384 51.968317 4.250118 51.968317 4.282974 51.994132 4.294708 51.994132 4.348685 52.041069 4.414397 52.083312 4.491842 52.144330 4.634999 52.259325 4.691323 52.447071 4.768769 52.674714 4.879070 52.862461 5.043349 52.902357 5.099673 52.916438 5.001106 52.946947 # -b 4.062372 51.761796 4.017782 51.789958 4.029516 51.789958 4.151551 51.796998 4.238384 51.743021 4.315830 51.700778 4.339298 51.667922 4.306442 51.667922 4.184407 51.714859 4.062372 51.761796 # -b 3.832382 51.693737 3.865237 51.714859 3.930949 51.721899 4.008394 51.700778 4.095227 51.674963 4.106961 51.639760 4.041250 51.646801 3.919215 51.686697 3.832382 51.693737 # -b 3.665756 51.536499 3.644635 51.461401 3.644635 51.433239 3.698612 51.433239 3.754936 51.468441 3.754936 51.508337 3.665756 51.536499 # -b 2.806815 51.095294 2.806815 51.137537 3.003949 51.205596 3.224551 51.287735 3.400564 51.337018 3.510865 51.351099 3.534334 51.351099 # -b 1.239129 49.942998 1.483200 50.057993 1.715536 50.205844 1.736658 50.283289 1.659212 50.332573 1.692068 50.508586 1.724924 50.684598 1.846959 50.900507 2.079296 50.963872 2.321020 51.010808 2.508767 51.024889 2.663658 51.053051 2.717635 51.060092 2.806815 51.095294 # -b 10.004558 59.015863 9.751100 59.015863 9.521110 59.083921 9.563353 59.006476 9.399075 58.907909 9.267652 58.839850 9.223062 58.783526 9.101027 58.731896 9.047049 58.628635 8.826447 58.569964 8.659822 58.462010 8.462687 58.311812 8.098928 58.182737 7.965158 58.288344 7.878326 58.161615 7.657723 58.060701 7.437121 58.013764 7.139072 58.072435 7.270495 58.154574 6.995916 58.166309 6.930204 58.079476 6.754192 58.131106 6.643890 58.084169 6.686133 58.206205 6.686133 58.375177 6.554711 58.253142 6.334108 58.271916 6.080650 58.358749 5.695769 58.537109 5.463432 58.696693 5.540878 58.875053 5.594855 58.999435 5.660566 58.999435 5.728625 58.931377 5.738012 58.931377 5.815457 58.947805 5.914025 58.943111 5.914025 58.966579 5.925759 58.983007 5.904637 59.051066 6.014938 59.107390 6.057181 59.170754 6.167483 59.255240 6.167483 59.288096 6.167483 59.349114 6.057181 59.344420 6.125240 59.389010 6.312986 59.506352 6.235541 59.541554 6.134627 59.480536 5.871781 59.405438 5.738012 59.445334 5.761480 59.389010 5.728625 59.339726 5.594855 59.332686 5.550265 59.417172 5.484554 59.332686 5.320275 59.316258 5.296807 59.356154 5.231096 59.384316 5.231096 59.461762 5.308541 59.546248 5.484554 59.658896 5.585468 59.630734 5.672301 59.658896 5.848313 59.651855 5.871781 59.691752 5.970349 59.748076 6.125240 59.780931 6.334108 59.825521 6.301252 59.858377 6.202685 59.813787 6.125240 59.818481 5.848313 59.809093 5.716890 59.851336 5.782602 59.902967 5.949227 59.989800 # -b 5.794336 60.083673 5.684035 59.980412 5.496288 59.919395 5.407108 59.956944 # -b 5.439964 59.741035 5.451698 59.780931 5.451698 59.841949 5.451698 59.891232 5.407108 59.912354 5.364865 59.952250 5.296807 59.947557 5.287420 59.886539 5.275685 59.834908 5.287420 59.797359 5.353131 59.769197 5.397721 59.752769 # -b 5.263951 59.159020 5.263951 59.215344 5.263951 59.276362 5.254564 59.327992 5.221708 59.356154 5.177118 59.327992 5.177118 59.266974 5.165384 59.175448 5.165384 59.163714 5.177118 59.159020 5.198240 59.163714 # -b 8.659822 54.908902 8.626966 55.009815 8.626966 55.122464 8.626966 55.230418 8.626966 55.350107 8.540133 55.451020 8.418098 55.526119 8.242085 55.587137 8.176374 55.563669 8.087194 55.563669 8.098928 55.617646 8.131784 55.737334 8.131784 55.880491 8.066072 55.979058 8.042604 56.119868 8.021482 56.267719 8.030870 56.396795 8.131784 56.542299 8.152905 56.664334 8.296062 56.917792 8.385242 57.018706 8.549520 57.114927 8.859303 57.152476 9.124495 57.168904 9.321629 57.199413 9.521110 57.283899 9.575087 57.384813 9.718244 57.478686 9.861401 57.560825 # -b 10.126594 55.903960 9.894257 55.915694 9.819158 55.880491 9.905991 55.798352 9.884870 55.730294 9.652533 55.749068 9.542232 55.725600 9.664267 55.655195 9.673654 55.617646 9.575087 55.563669 9.509376 55.512038 9.553966 55.474489 9.530497 55.443980 9.509376 55.361841 9.521110 55.275008 9.563353 55.275008 9.563353 55.237458 9.476520 55.204603 9.387341 55.167053 9.387341 55.084914 9.399075 55.028590 9.521110 55.028590 9.598556 54.991041 9.640799 54.946451 9.640799 54.901861 9.553966 54.908902 9.521110 54.934717 9.476520 54.927676 9.453052 54.908902 9.464786 54.894820 # -b 8.659822 54.908902 8.659822 54.934717 8.659822 54.857271 8.650434 54.800947 8.716146 54.742276 8.802979 54.646056 8.913280 54.577998 8.957870 54.507593 8.847568 54.460656 8.716146 54.423107 8.704411 54.385557 8.638700 54.333927 8.749001 54.326886 8.826447 54.294031 8.793591 54.230666 8.847568 54.164955 8.936748 54.120365 8.913280 54.075775 8.835834 54.068735 8.826447 53.984248 8.946136 53.932618 9.068171 53.888028 9.035315 53.859866 8.880424 53.855173 8.737267 53.848132 8.626966 53.855173 8.561255 53.782421 8.528399 53.730790 8.516665 53.620489 8.516665 53.540697 8.582376 53.409274 8.626966 53.317747 8.528399 53.395193 8.429832 53.533656 8.286675 53.559471 8.274941 53.449170 8.152905 53.442130 8.120050 53.573552 8.021482 53.679160 7.735169 53.709669 7.425386 53.683854 7.237640 53.653345 7.183662 53.566512 7.106217 53.521922 7.049893 53.442130 7.061627 53.416314 7.139072 53.395193 7.261108 53.383459 7.347941 53.343562 7.437121 53.291932 7.481710 53.191018 7.446508 53.198059 7.359675 53.296626 7.082748 53.256730 # -b 9.464786 54.894820 9.387341 54.894820 9.377953 54.857271 9.377953 54.845537 9.509376 54.850231 9.664267 54.812681 9.795690 54.793907 9.852014 54.730542 9.894257 54.678912 9.884870 54.582691 9.774568 54.500552 9.840280 54.460656 9.983437 54.460656 9.995171 54.385557 # -b 5.001106 52.946947 5.022227 52.925826 5.099673 52.827259 5.221708 52.752160 5.186506 52.705223 5.066817 52.679408 5.022227 52.592575 5.033961 52.484621 5.010493 52.411869 5.099673 52.343811 5.231096 52.315649 5.397721 52.296874 5.561999 52.336770 5.716890 52.404828 5.838926 52.498702 5.848313 52.585535 5.925759 52.653593 5.937493 52.700530 5.892903 52.733385 5.803723 52.780322 5.716890 52.860114 5.573733 52.878889 5.418842 52.878889 5.407108 52.946947 5.397721 53.045514 5.407108 53.158163 5.475166 53.230914 5.684035 53.329481 5.848313 53.383459 6.047794 53.402233 6.235541 53.362337 6.355230 53.390499 6.411554 53.428049 6.608688 53.449170 6.763579 53.428049 6.864493 53.390499 6.995916 53.324788 7.082748 53.277851 7.082748 53.244995 7.082748 53.256730 # -b -7.082748 62.064402 -7.073361 62.064402 -7.153153 62.090217 -7.293964 62.099604 -7.415999 62.116032 -7.458242 62.090217 -7.406612 62.059708 -7.284576 62.043280 -7.162541 62.043280 -7.082748 62.064402 # -b -6.775313 61.961141 -6.751845 61.956447 -6.751845 61.975222 -6.761232 62.033893 -6.826943 62.111339 -6.916123 62.172356 -6.995916 62.219293 -7.117951 62.270923 -7.183662 62.280311 -7.225905 62.223987 -7.258761 62.188784 -7.249374 62.151235 -7.160194 62.125420 -7.047546 62.106645 -6.963060 62.064402 -6.897348 62.038587 -6.897348 62.012771 -6.897348 61.970528 -6.873880 61.949407 -6.817556 61.961141 -6.775313 61.961141 # -b -6.665012 62.055014 -6.622769 62.064402 -6.589913 62.069095 -6.599300 62.099604 -6.646237 62.137154 -6.721336 62.184090 -6.754192 62.219293 -6.843371 62.240414 -6.899695 62.285004 -6.941938 62.301432 -7.007650 62.289698 -6.965407 62.219293 -6.866840 62.172356 -6.796435 62.120726 -6.754192 62.069095 -6.721336 62.059708 -6.665012 62.055014 # -b -6.456143 62.266230 -6.423288 62.275617 -6.488999 62.280311 -6.564098 62.289698 -6.662665 62.296738 -6.676746 62.254495 -6.629809 62.202865 -6.554711 62.172356 -6.488999 62.184090 -6.474918 62.202865 -6.474918 62.240414 -6.456143 62.266230 # -b -6.608688 61.756966 -6.599300 61.820331 -6.622769 61.867268 -6.754192 61.883696 -6.829290 61.862574 -6.829290 61.825025 -6.763579 61.810944 -6.763579 61.810944 -6.730723 61.778088 -6.688480 61.752273 -6.632156 61.742885 -6.608688 61.756966 # -b -6.897348 61.616156 -6.916123 61.649012 -6.916123 61.641971 -6.939591 61.595035 -6.930204 61.548098 -6.906736 61.458918 -6.850412 61.407288 -6.794088 61.395554 -6.751845 61.416675 -6.742457 61.470653 -6.761232 61.522283 -6.826943 61.580954 -6.897348 61.616156 # -b -1.239129 60.637526 -1.262597 60.646913 -1.262597 60.642220 -1.283719 60.625792 -1.316575 60.592936 -1.426876 60.550693 -1.471466 60.513144 -1.426876 60.475594 -1.405754 60.402843 -1.349430 60.344172 -1.417488 60.306622 -1.548911 60.250298 -1.504321 60.196321 -1.405754 60.168159 -1.283719 60.224483 -1.239129 60.179893 -1.239129 60.093060 -1.274331 60.003881 # -b -1.164030 59.982759 -1.086585 60.020308 -1.086585 60.097754 -1.074850 60.147038 -1.053729 60.179893 -1.063116 60.224483 -1.074850 60.273767 -1.053729 60.299582 -1.053729 60.327744 -1.053729 60.377027 -1.030261 60.419270 -1.063116 60.435698 -1.164030 60.452126 -1.218007 60.475594 -1.218007 60.522531 -1.239129 60.592936 -1.239129 60.637526 # -b -19.985648 63.545255 -19.985648 63.545255 # -b -20.072481 66.058715 -19.884734 65.976576 -19.795554 65.901477 -19.696987 65.833419 -19.640663 65.744239 -19.518628 65.744239 -19.420061 65.770054 -19.377818 65.887396 -19.387205 65.976576 -19.434142 66.049328 -19.363737 66.065756 -19.222927 66.084530 -19.110278 66.058715 -19.002324 66.143201 -18.936613 66.147895 -18.739479 66.199525 -18.739479 66.129120 -18.701929 66.133814 -18.650299 66.084530 -18.528263 66.070449 -18.481327 65.971882 -18.331129 65.910865 -18.227868 65.828725 -18.176238 65.711384 -18.119914 65.662100 -18.077671 65.774748 -18.077671 65.878009 -18.110527 65.936680 -18.185625 66.009432 -18.260724 66.098611 -18.274805 66.169016 -18.185625 66.187791 -17.988491 66.169016 -17.800744 66.103305 -17.655241 66.009432 -17.490962 66.021166 -17.392395 66.058715 -17.303215 66.129120 -17.303215 66.178404 -17.059145 66.192485 -17.026289 66.124427 -16.819767 66.115039 -16.650795 66.154935 -16.519372 66.164323 -16.463048 66.169016 -16.453661 66.248809 -16.463048 66.328601 -16.509985 66.422475 -16.566309 66.483492 -16.463048 66.490533 -16.364481 66.478799 -16.233059 66.539816 -16.078167 66.530429 -16.012456 66.438902 -15.782466 66.394313 -15.758998 66.312173 -15.801241 66.267584 -15.660431 66.234728 -15.505540 66.178404 -15.406973 66.173710 -15.364730 66.213606 -15.383504 66.267584 -15.097190 66.272277 -15.054947 66.319214 -14.998623 66.363804 -14.876588 66.389619 -14.646598 66.399006 -14.566806 66.363804 -14.834345 66.314520 -14.965768 66.222994 -15.073722 66.154935 -15.153514 66.103305 -15.097190 66.039941 -14.998623 66.004738 -14.735778 66.070449 -14.702922 66.021166 -14.665373 65.927292 -14.768633 65.807604 -14.768633 65.725465 -14.468239 65.748933 -14.327428 65.753627 -14.327428 65.734852 -14.360284 65.685568 -14.327428 65.622204 -14.041115 65.579961 -14.008259 65.690262 -13.919079 65.643325 -13.839287 65.551799 -13.717251 65.443844 -13.750107 65.352318 -13.862755 65.300687 -13.740720 65.190386 -13.609297 65.195080 -13.552973 65.242017 -13.543586 65.122328 -13.609297 65.023761 -13.764188 64.995599 -13.764188 64.906419 -13.839287 64.889991 -13.886223 64.847748 -13.961322 64.810199 -14.172537 64.777343 -14.336816 64.767956 -14.336816 64.702245 -14.501094 64.706938 -14.458851 64.678776 -14.557418 64.631839 -14.425996 64.622452 -14.228861 64.678776 -14.425996 64.498070 -14.590274 64.394809 -14.834345 64.357260 -14.909444 64.261039 -15.008011 64.279814 -15.130046 64.322057 -15.130046 64.376034 -15.242694 64.432358 -15.364730 64.437052 -15.397585 64.326751 -15.636962 64.246958 -15.735530 64.183594 -16.035924 64.059212 -16.345707 63.953604 -16.575697 63.894933 -16.674264 63.904321 -16.829155 63.909014 -17.007514 63.876159 -17.059145 63.923095 -17.171793 63.890240 -17.237504 63.845650 -17.246891 63.777591 -17.523818 63.740042 -17.720952 63.641475 -18.054203 63.495971 -18.307661 63.456075 -18.495408 63.430260 -18.636218 63.376283 -18.903757 63.425566 -19.035180 63.388017 -19.246395 63.456075 -19.452916 63.474850 -19.640663 63.514746 -19.786167 63.549948 -19.926977 63.540561 -19.983301 63.545255 # -b -22.189326 70.050682 -22.330136 69.982624 -22.419316 69.930993 -22.531964 69.975583 -22.621144 69.933340 -22.752567 69.926299 -22.874602 69.952115 -22.973169 69.902831 -23.137448 69.926299 -23.146835 69.874669 -23.268870 69.862935 -23.203159 69.827732 -23.095205 69.815998 -23.015412 69.783143 -23.179691 69.806611 -23.325194 69.844160 -23.358050 69.783143 -23.433149 69.771408 -23.620896 69.759674 -23.700688 69.759674 -23.911903 69.722125 -23.808642 69.672841 -23.710075 69.637639 -23.799255 69.625905 -23.724156 69.593049 -23.799255 69.529684 -23.954146 69.560193 -24.052713 69.607130 -24.132506 69.571927 -24.296784 69.583662 -24.395351 69.553153 -24.240460 69.527338 -24.151280 69.463973 -24.231073 69.475707 -24.296784 69.480401 -24.231073 69.449892 -24.174749 69.407649 -24.315559 69.431117 -24.428207 69.449892 -24.395351 69.402955 -24.451675 69.386527 -24.503306 69.384181 -24.648809 69.372446 -24.658197 69.306735 -24.860025 69.283267 -24.892880 69.252758 -24.789619 69.243370 -24.869412 69.219902 -24.991447 69.259798 -25.146338 69.278573 -25.352860 69.219902 -25.287149 69.205821 -25.146338 69.201127 -25.099402 69.189393 -25.099402 69.154191 -25.122870 69.126029 -25.090014 69.083786 -25.254293 69.114295 -25.366941 69.100214 -25.343473 69.025115 -25.399797 69.043889 -25.540607 69.055624 -25.672029 69.083786 -25.672029 69.027462 -25.620399 68.985219 -25.498364 68.957057 -25.672029 68.961750 -25.728354 68.910120 -25.751822 68.865530 -25.841002 68.865530 -25.906713 68.865530 -25.916100 68.835021 -25.972424 68.795125 -26.094460 68.774003 -26.324450 68.766963 -26.357305 68.743495 -26.380774 68.720026 -26.347918 68.682477 -26.469953 68.694211 -26.610764 68.687171 -26.657700 68.651968 -26.723412 68.698905 -26.789123 68.691864 -26.944014 68.675436 -27.009725 68.651968 -27.051969 68.567482 -27.150536 68.600338 -27.296039 68.595644 -27.338282 68.574522 -27.352363 68.527586 -27.436849 68.511158 -27.540110 68.555748 -27.648065 68.551054 -27.760713 68.527586 -27.737244 68.471262 -27.826424 68.461874 -27.901523 68.522892 -28.047027 68.551054 -28.065801 68.501771 -28.079882 68.478302 -28.089270 68.473609 -28.201918 68.454834 -28.366196 68.490036 -28.366196 68.417285 -28.507006 68.450140 -28.605573 68.421978 -28.708834 68.384429 -28.873113 68.384429 -29.046778 68.377388 -29.192282 68.360960 -29.225138 68.283515 -29.323705 68.316371 -29.389416 68.328105 -29.422272 68.281168 -29.487983 68.248312 -29.544307 68.243619 -29.689811 68.295249 -29.764910 68.321064 -29.830621 68.353920 -29.886945 68.400857 -29.929188 68.400857 # -b -19.985648 63.545255 -20.027891 63.528827 -20.173395 63.578110 -20.337673 63.603926 -20.501952 63.695452 -20.614600 63.730655 -20.868058 63.808100 -21.220083 63.866771 -21.454767 63.826875 -21.661288 63.857384 -21.792711 63.866771 -21.905359 63.840956 -22.079025 63.836262 -22.388807 63.852690 -22.534311 63.803407 -22.689202 63.817488 -22.675121 63.918402 -22.675121 63.958298 -22.740832 64.068599 -22.477987 63.991153 -22.379420 64.054518 -22.079025 64.108495 -21.816179 64.188288 -21.825567 64.307976 -21.816179 64.345526 -22.158817 64.307976 -21.980458 64.385422 -21.947602 64.432358 -21.971070 64.493376 -21.806792 64.577862 -21.994539 64.568475 -22.116574 64.483989 -22.215141 64.526232 -22.247997 64.577862 -22.332483 64.573169 -22.355951 64.608371 -22.370032 64.683470 -22.412275 64.767956 -22.445131 64.819586 -22.576554 64.833667 -22.722058 64.814893 -22.820625 64.786731 -22.909805 64.824280 -23.074083 64.843055 -23.294685 64.838361 -23.482432 64.814893 -23.656098 64.763262 -23.867313 64.744488 -23.956493 64.786731 -23.947106 64.843055 -23.933025 64.885298 -23.679566 64.894685 -23.351010 64.934581 -23.214893 64.981518 -22.994291 64.981518 -22.811237 65.056617 -22.698589 65.004986 -22.520230 65.066004 -22.332483 65.033148 -21.928827 65.028455 -21.872503 65.075391 -21.759855 65.209161 -21.895972 65.190386 -21.994539 65.108247 -22.135349 65.136409 -22.346564 65.148143 -22.534311 65.162224 -22.520230 65.223242 -22.501455 65.237323 -22.402888 65.291300 -22.266772 65.305381 -22.168205 65.352318 -22.027395 65.396908 -21.849035 65.448538 -21.858422 65.464966 -22.046169 65.521290 -22.149430 65.472006 -22.280853 65.472006 -22.290240 65.516596 -22.370032 65.549452 -22.379420 65.530677 -22.445131 65.594042 -22.510843 65.603429 -22.642265 65.603429 -22.754913 65.612817 -22.919192 65.622204 -23.050615 65.594042 -23.238361 65.502515 -23.393253 65.502515 -23.458964 65.488434 -23.524675 65.472006 -23.679566 65.443844 -23.792215 65.439151 -23.923637 65.474353 -23.989349 65.488434 -24.111384 65.516596 -24.275663 65.502515 -24.538508 65.464966 -24.486878 65.551799 -24.397698 65.629244 -24.285050 65.594042 -23.923637 65.525984 -23.768746 65.575267 -23.979961 65.612817 -23.914250 65.617510 -23.890782 65.676181 -24.078528 65.716077 -24.120771 65.760667 -24.177095 65.824032 -23.998736 65.784135 -23.745278 65.734852 -23.580999 65.643325 -23.261830 65.671487 -23.416721 65.711384 -23.304073 65.739546 -23.285298 65.798217 -23.623242 65.774748 -23.801602 65.861581 -23.792215 65.882703 -23.590387 65.901477 -23.735890 65.964842 -23.778134 65.990657 -23.867313 66.058715 -23.857926 66.039941 -23.604468 65.995351 -23.557531 66.016472 -23.688954 66.107999 -23.491820 66.070449 -23.637323 66.164323 -23.491820 66.187791 -23.139794 66.110346 -23.130407 66.000044 -23.083470 65.981270 -22.952048 65.967189 -22.844093 66.025860 -22.698589 65.950761 -22.642265 65.852194 -22.576554 65.936680 -22.477987 65.847500 -22.370032 65.950761 -22.501455 66.054022 -22.477987 66.098611 -22.623491 66.119733 -22.787769 66.159629 -22.942660 66.213606 -22.830012 66.298092 -22.675121 66.239422 -22.567167 66.239422 -22.501455 66.262890 -22.600022 66.307480 -22.665734 66.323908 -22.707977 66.359110 -22.830012 66.359110 -23.008372 66.314520 -23.163263 66.337989 -23.163263 66.354416 -23.097551 66.403700 -23.130407 66.469411 -23.041227 66.452984 -22.952048 66.455330 -22.961435 66.490533 -22.787769 66.417781 -22.675121 66.443596 -22.543698 66.408394 -22.468600 66.424821 -22.290240 66.293399 -22.013314 66.267584 -21.914746 66.187791 -21.806792 66.133814 -21.717612 66.093918 -21.619045 66.089224 -21.529865 66.070449 -21.398443 66.016472 -21.572109 65.960148 -21.487622 65.936680 -21.365587 65.906171 -21.342119 65.798217 -21.431298 65.770054 -21.454767 65.730158 -21.529865 65.697303 -21.759855 65.753627 -21.694144 65.662100 -21.464154 65.622204 -21.473541 65.544758 -21.365587 65.598736 -21.318650 65.493128 -21.417217 65.457925 -21.252939 65.425070 -21.234164 65.366399 -21.234164 65.232629 -21.098048 65.328849 -21.088660 65.406295 -20.868058 65.415682 -20.877445 65.589348 -20.792959 65.671487 -20.638068 65.666794 -20.591131 65.594042 -20.492564 65.516596 -20.384610 65.589348 -20.304818 65.706690 -20.281349 65.824032 -20.328286 65.910865 -20.384610 66.004738 -20.393997 66.103305 -20.281349 66.124427 -20.173395 66.107999 -20.074828 66.058715 # -b -29.931535 68.400857 -30.053571 68.377388 -30.086426 68.321064 -30.034796 68.227191 -30.217849 68.264740 -30.274173 68.222497 -30.133363 68.161479 -30.264786 68.091074 -30.419677 68.161479 -30.429064 68.231885 -30.659054 68.243619 -30.781090 68.267087 -30.781090 68.182601 -30.574568 68.145052 -30.541712 68.072300 -30.715378 68.067606 -30.917206 68.121583 -31.058016 68.156786 -31.067403 68.182601 -31.156583 68.177907 -31.147196 68.145052 -31.180052 68.121583 -31.090872 68.074647 -31.034548 68.041791 -31.170664 68.072300 -31.222295 68.067606 -31.334943 68.091074 -31.508608 68.091074 -31.611869 68.058219 -31.686968 68.041791 -31.677581 68.088728 -31.776148 68.116890 -31.874715 68.128624 -31.907570 68.210763 -31.841859 68.206069 -31.752679 68.189642 -31.696355 68.248312 -31.841859 68.255353 -32.062462 68.283515 -32.085930 68.332798 -32.151641 68.368001 -32.184497 68.393816 -32.184497 68.400857 -32.203272 68.461874 -32.259596 68.485343 -32.372244 68.400857 -32.405099 68.471262 -32.414487 68.529933 -32.414487 68.558095 -32.503667 68.590950 -32.592846 68.623806 -32.545910 68.546360 -32.602234 68.546360 -32.691413 68.527586 -32.780593 68.527586 -32.757125 68.490036 -32.602234 68.405550 -32.503667 68.360960 -32.405099 68.264740 -32.348775 68.222497 -32.480198 68.201376 -32.259596 68.161479 -32.128173 68.128624 -32.038993 68.062912 -32.193884 68.041791 -32.170416 67.952611 -32.226740 67.931490 -32.259596 67.872819 -32.315920 67.898634 -32.437955 67.861085 -32.527135 67.919755 -32.658558 67.861085 -32.644477 67.818842 -32.757125 67.781292 -32.865079 67.727315 -33.076294 67.678031 -33.264041 67.703847 -33.221798 67.635788 -33.231185 67.560690 -33.386077 67.546609 -33.418932 67.497325 -33.461175 67.426920 -33.451788 67.361209 -33.606679 67.370596 -33.540968 67.333047 -33.517499 67.248561 -33.550355 67.229786 -33.583211 67.135913 -33.606679 67.063161 -33.770958 67.030305 -33.836669 67.009183 -33.883606 66.964594 -34.015028 66.931738 -34.033803 66.901229 -33.968092 66.844905 -33.949317 66.805009 -34.080740 66.849599 -34.057271 66.793275 -34.146451 66.797968 -34.137064 66.767459 -34.202775 66.711135 -34.245018 66.626649 -34.287261 66.713482 -34.367054 66.645424 -34.432765 66.753378 -34.521945 66.650118 -34.554800 66.575019 -34.578269 66.523389 -34.653368 66.469411 -34.662755 66.399006 -34.742547 66.359110 -34.864583 66.359110 -34.972537 66.328601 -35.061717 66.347376 -35.103960 66.443596 -35.249464 66.347376 -35.118041 66.258196 -35.249464 66.262890 -35.479453 66.302786 -35.634345 66.328601 -35.845560 66.424821 -35.878415 66.354416 -35.822091 66.302786 -35.765767 66.272277 -35.681281 66.227687 -35.756380 66.150242 -35.756380 66.138508 -35.756380 66.070449 -35.920658 66.103305 -35.976983 66.054022 -36.019226 65.995351 -36.042694 65.910865 -36.174117 65.964842 -36.230441 65.936680 -36.319620 65.964842 -36.408800 65.936680 -36.361863 66.049328 -36.493286 66.044634 -36.563691 65.976576 -36.582466 65.955454 -36.615322 65.901477 -36.671646 65.828725 -36.746744 65.906171 -36.934491 65.896784 -37.056527 66.025860 -37.122238 66.054022 -37.220805 66.098611 -37.244273 65.995351 -37.234886 65.910865 -37.399165 65.946067 -37.244273 65.878009 -37.277129 65.824032 -37.375696 65.847500 -37.478957 65.887396 -37.610380 65.915558 -37.718334 65.915558 -37.765271 65.936680 -37.765271 65.964842 -37.816901 66.009432 -37.685478 66.058715 -37.629154 66.079837 -37.610380 66.169016 -37.478957 66.204219 -37.342841 66.258196 -37.169175 66.319214 -37.408552 66.307480 -37.521200 66.328601 -37.643235 66.302786 -37.741803 66.363804 -37.849757 66.422475 -37.929549 66.323908 -38.084440 66.363804 -38.051585 66.314520 -37.816901 66.234728 -37.929549 66.239422 -38.018729 66.199525 -37.971792 66.150242 -38.051585 66.124427 -38.192395 66.107999 -38.018729 66.044634 -38.060972 65.946067 -38.159539 65.946067 -38.248719 65.971882 -38.258106 65.910865 -38.361367 65.946067 -38.445853 66.000044 -38.492790 65.882703 -38.361367 65.819338 -38.272187 65.824032 -38.192395 65.798217 -38.239332 65.774748 -38.192395 65.701996 -38.281575 65.701996 -38.314430 65.633938 -38.370754 65.652713 -38.459934 65.652713 -38.535033 65.676181 -38.600744 65.671487 -38.699311 65.671487 -38.802572 65.676181 -38.666456 65.603429 -38.811959 65.589348 -38.952769 65.594042 -39.107661 65.570574 -39.154597 65.624551 -39.328263 65.685568 -39.375200 65.624551 -39.384587 65.612817 -39.426830 65.565880 -39.572334 65.575267 -39.614577 65.638632 -39.750693 65.666794 -39.816405 65.608123 -39.882116 65.521290 # -b -40.088638 65.457925 -39.957215 65.434457 -39.924359 65.378133 -39.947828 65.333543 -39.849260 65.270179 -39.900891 65.237323 # -b -39.879769 65.521290 -40.001805 65.551799 -40.076903 65.521290 -40.222407 65.502515 -40.086291 65.457925 # -b -39.900891 65.237323 -40.004152 65.195080 -40.079250 65.148143 -40.088638 65.084779 -40.201286 65.023761 -40.332709 65.084779 -40.421888 65.042536 -40.529843 65.094166 -40.675346 65.117634 -40.684734 65.028455 -40.806769 65.066004 -41.003903 65.056617 -41.125939 65.103553 -41.215119 65.004986 -41.304298 64.915806 -41.107164 64.939275 -41.074308 64.857136 -40.952273 64.819586 -40.853706 64.706938 -40.698815 64.641227 -40.642491 64.479295 -40.496987 64.418277 -40.332709 64.394809 -40.398420 64.357260 -40.511068 64.385422 -40.586167 64.399503 -40.905336 64.404196 -41.107164 64.361953 -41.337154 64.293895 -41.501432 64.307976 -41.445108 64.197675 -41.182263 64.188288 -40.919417 64.183594 -40.741058 64.164819 -40.642491 64.087374 -40.684734 64.049824 -40.773914 64.016969 -40.684734 63.909014 -40.642491 63.840956 -40.562698 63.758817 -40.839625 63.740042 -41.140020 63.777591 -41.402865 63.812794 -41.412253 63.758817 -41.074308 63.725961 -40.806769 63.695452 -40.741058 63.650862 -40.750445 63.559336 -40.853706 63.549948 -40.872481 63.456075 -40.905336 63.425566 -40.952273 63.425566 -41.050840 63.402098 -41.182263 63.430260 -41.172876 63.406792 -41.158794 63.376283 -41.083696 63.326999 -41.247974 63.317612 -41.205731 63.237819 -41.393478 63.258941 -41.590612 63.326999 -41.614081 63.298837 -41.501432 63.249554 -41.548369 63.214351 -41.656324 63.204964 -41.614081 63.134559 -41.379397 63.120478 -41.379397 63.064154 -41.567144 63.059460 -41.745503 63.075888 -41.853458 63.094662 -41.989574 63.153333 -42.106916 63.153333 -41.919169 63.075888 -41.745503 63.028951 -41.665711 63.000789 # -b -41.665711 63.000789 -41.482658 63.005483 -41.482658 63.010176 -41.482658 62.974974 -41.482658 62.918650 -41.506126 62.909262 -41.637549 62.913956 -41.670405 62.874060 -41.703260 62.850592 -41.801827 62.834164 -41.891007 62.829470 -41.956718 62.824776 -41.956718 62.820083 -41.970799 62.820083 -42.069367 62.813042 -42.210177 62.813042 -42.275888 62.834164 -42.412004 62.824776 -42.463635 62.798961 -42.477716 62.742637 -42.519959 62.714475 -42.618526 62.693354 -42.773417 62.688660 -42.806273 62.672232 -42.632607 62.641723 -42.477716 62.618255 -42.421392 62.561931 -42.379149 62.489179 -42.412004 62.453976 -42.289969 62.418774 -42.266501 62.310820 -42.257113 62.158275 -42.243032 62.055014 -42.125691 62.012771 -42.088141 61.944713 -42.158546 61.850840 -42.102222 61.803903 -42.200789 61.752273 -42.266501 61.679521 -42.355680 61.606769 -42.421392 61.559832 -42.477716 61.480040 -42.379149 61.480040 -42.463635 61.390860 -42.630260 61.322802 -42.672503 61.285253 -42.618526 61.264131 -42.630260 61.210154 -42.639647 61.189032 -42.663116 61.163217 -42.684237 61.066997 -42.695971 61.045875 -42.695971 61.041182 -42.728827 60.982511 -42.761683 60.954349 -42.806273 60.921493 -42.827394 60.858129 -42.827394 60.832313 -42.839128 60.799458 -42.860250 60.745480 -42.860250 60.703237 -42.839128 60.625792 -42.839128 60.592936 -42.928308 60.550693 -43.026875 60.545999 -43.080852 60.555387 -43.148911 60.517837 -43.292068 60.513144 -43.435225 60.534265 -43.644093 60.550693 -43.611237 60.529572 -43.435225 60.489675 -43.301455 60.435698 -43.214622 60.431005 -43.137177 60.348865 -43.104321 60.273767 -43.125442 60.224483 -43.104321 60.201015 -43.071465 60.163465 -43.071465 60.142344 -43.071465 60.147038 -43.181766 60.147038 -43.224009 60.142344 -43.411756 60.135303 -43.599503 60.142344 -43.876430 60.151731 -44.007852 60.158772 -44.052442 60.250298 -44.052442 60.290194 -44.151009 60.201015 -44.228455 60.163465 -44.404467 60.069592 -44.646191 60.036736 -44.801083 60.125916 -44.934852 60.114182 -44.988829 60.114182 -45.009951 60.114182 -45.066275 60.130610 -45.120252 60.191627 -45.131986 60.191627 -45.155455 60.191627 -45.155455 60.245605 -45.033419 60.332437 -44.944240 60.369987 -44.923118 60.409883 -44.911384 60.452126 -44.911384 60.468554 -44.890262 60.517837 -44.890262 60.567121 -45.045153 60.484982 -45.230553 60.447432 -45.275143 60.480288 -45.242288 60.550693 -45.197698 60.604670 -45.188310 60.670382 -45.265756 60.670382 -45.352589 60.637526 -45.441769 60.534265 -45.519214 60.480288 -45.552070 60.534265 -45.617781 60.583549 -45.650637 60.658648 -45.683493 60.679769 -45.695227 60.679769 -45.716348 60.696197 -45.728082 60.703237 -45.716348 60.717318 -45.638903 60.766602 -45.397179 60.846394 -45.340855 60.937921 -45.408913 60.966083 -45.528601 60.869863 -45.716348 60.794764 -45.871239 60.799458 -46.026131 60.745480 -46.091842 60.740787 -46.190409 60.757215 -46.058986 60.794764 -45.958072 60.832313 -46.103576 60.832313 -45.838384 60.900372 -45.662371 60.949655 -45.594313 60.991898 -45.882974 60.944961 -45.993275 60.966083 -45.969807 61.020060 -45.915829 61.076384 -45.981541 61.062303 -46.103576 61.045875 -46.213877 61.020060 -46.256120 61.055263 -46.378156 61.029448 -46.488457 60.991898 -46.619880 60.944961 -46.908541 60.959042 -47.051697 60.966083 -47.126796 60.954349 -47.194854 60.944961 -47.359133 60.970777 -47.380254 60.975470 -47.391989 60.975470 -47.436578 60.970777 -47.448313 60.944961 -47.424844 60.900372 -47.380254 60.858129 -47.535146 60.841701 -47.690037 60.841701 -47.746361 60.841701 -47.812072 60.841701 -47.898905 60.846394 -47.943495 60.858129 -47.976351 60.853435 -48.131242 60.832313 -48.053796 60.883944 -47.877783 60.928534 -47.746361 60.982511 -47.624325 61.020060 -47.591470 61.029448 -47.568001 61.055263 -47.636059 61.083425 -47.701771 61.071691 -47.877783 61.120974 -47.999819 61.125668 -48.020940 61.130361 -48.042062 61.135055 -48.077264 61.146789 -48.119507 61.214848 -48.185219 61.252397 -48.286133 61.238316 -48.396434 61.210154 -48.473880 61.221888 -48.593568 61.268825 -48.572447 61.343923 -48.506735 61.379126 -48.558366 61.395554 -48.694482 61.400247 -48.778968 61.395554 -48.835292 61.390860 -48.901004 61.374432 -48.966715 61.400247 -48.680401 61.454225 -48.295520 61.505855 -48.173485 61.531670 -48.361232 61.580954 -48.483267 61.580954 -48.793049 61.496468 -48.957328 61.470653 -49.023039 61.480040 -49.177930 61.526977 -49.234254 61.564526 -48.980796 61.616156 -48.891616 61.684215 -49.023039 61.700642 -49.013652 61.742885 -49.177930 61.789822 -49.299966 61.867268 -49.332821 61.918898 -49.187317 61.975222 -48.915085 62.047974 -48.933859 62.111339 -49.013652 62.137154 -49.187317 62.085523 -49.342209 62.022159 -49.422001 62.022159 -49.497100 62.003384 -49.576892 62.003384 -49.595667 62.055014 -49.661378 62.094911 -49.506487 62.116032 -49.375064 62.158275 -49.553424 62.141847 -49.619135 62.202865 -49.454857 62.249802 -49.562811 62.249802 -49.609748 62.249802 -49.806882 62.285004 -49.806882 62.362450 -49.750558 62.428161 -49.896062 62.475098 # -b -43.148911 60.064898 -43.092587 60.069592 -43.104321 60.069592 -43.202888 60.048470 -43.367166 60.069592 -43.468080 60.086020 -43.566647 60.097754 -43.709804 60.109488 -43.864695 60.109488 -43.951528 60.081326 -43.918673 60.020308 # -b -43.512670 59.971025 -43.500936 60.008574 -43.456346 60.048470 -43.378901 60.048470 -43.202888 60.036736 -43.148911 60.064898 # -b -50.686945 63.000789 -50.719801 63.035992 -50.719801 63.068847 -50.808981 63.080581 -50.921629 63.169761 -51.062439 63.277716 -51.118763 63.446688 -51.217330 63.425566 -51.273654 63.495971 -51.452013 63.627394 -51.273654 63.749429 -51.461401 63.721267 -51.414464 63.923095 -51.494256 64.035743 -51.517725 64.087374 -51.470788 64.164819 -51.193862 64.169513 -50.977953 64.232877 -50.921629 64.357260 -50.686945 64.380728 -50.480424 64.413584 -50.180029 64.469908 -50.513279 64.469908 -50.757350 64.549700 -50.743269 64.617758 -50.569603 64.688163 -50.302064 64.655308 -50.025138 64.636533 -50.147173 64.753875 -50.349001 64.735100 -50.686945 64.814893 -50.832449 64.688163 -51.076520 64.655308 -51.217330 64.678776 -51.484869 64.460520 -51.672616 64.270427 -51.935461 64.275121 -52.043416 64.242265 -52.109127 64.357260 -52.109127 64.422971 -52.109127 64.455827 -52.076272 64.545007 -52.090353 64.650614 -52.043416 64.716326 -51.822813 64.819586 -51.935461 64.843055 -51.935461 64.871217 -52.057497 64.805505 -52.109127 64.906419 -52.132596 65.000293 -52.287487 65.033148 -52.278099 65.089472 -52.245244 65.152837 -52.179532 65.185693 -52.221775 65.300687 -52.409522 65.190386 -52.484621 65.295994 -52.376666 65.333543 -52.179532 65.425070 -52.386054 65.425070 -52.400135 65.497822 -52.508089 65.488434 -52.672368 65.493128 -52.686449 65.622204 -52.705223 65.725465 -52.860114 65.685568 -53.113573 65.657406 -52.996231 65.744239 -53.038474 65.793523 -52.925826 65.866275 -52.817871 65.901477 -53.113573 65.838113 -53.137041 65.896784 -53.390499 65.936680 -53.381112 66.009432 -53.226221 66.061062 -53.080717 66.124427 -53.071330 66.119733 -52.916438 66.178404 -53.113573 66.147895 -53.348256 66.150242 -53.489066 66.178404 -53.291932 66.274624 -53.521922 66.274624 -53.554778 66.342682 -53.587633 66.443596 -53.489066 66.530429 -53.137041 66.504614 -53.249689 66.556244 -53.390499 66.614915 -53.179284 66.713482 -53.047861 66.748685 -53.038474 66.826130 -53.015006 66.896535 -53.334175 66.905923 -53.601714 66.887148 -53.554778 66.978675 -53.733137 67.034999 -53.888028 67.077242 -53.873947 67.187543 -53.873947 67.250907 -53.789461 67.318966 -53.676813 67.354168 -53.733137 67.426920 -53.348256 67.539568 -53.456211 67.509059 -53.643957 67.567730 -53.456211 67.666297 -53.503147 67.673338 -53.479679 67.781292 -53.512535 67.877512 -53.390499 67.910368 -53.249689 67.943224 -53.015006 67.947917 -53.193365 68.025363 -52.892970 67.964345 -52.785016 67.992507 -53.071330 68.112196 -53.235608 68.107502 -53.390499 68.112196 -53.249689 68.154439 -52.850727 68.107502 -52.850727 68.140358 -52.606656 68.173214 -52.376666 68.133317 -52.353198 68.133317 -52.179532 68.091074 -52.001173 68.058219 -51.855669 68.039444 -51.559968 68.051178 -51.250186 68.095768 -51.053051 68.058219 -50.940403 68.095768 -51.250186 68.156786 -51.315897 68.215457 -51.076520 68.194335 -51.315897 68.234231 -51.503644 68.276474 -51.231411 68.337492 -51.184474 68.365654 -51.142231 68.414938 -51.193862 68.433712 -51.550580 68.443100 -51.461401 68.384429 -51.372221 68.325758 -51.616292 68.295249 -52.010560 68.264740 -52.353198 68.215457 -52.465846 68.250659 -52.573801 68.271781 -52.808484 68.227191 -52.860114 68.304636 -52.827259 68.311677 -52.892970 68.382082 -52.606656 68.490036 -52.540945 68.551054 -52.123208 68.586257 -51.869750 68.579216 -51.559968 68.534626 -51.161006 68.579216 -51.053051 68.698905 -50.954484 68.755229 -51.193862 68.743495 -51.264267 68.774003 -51.043664 68.863183 -51.175087 68.917160 -51.175087 68.973484 -51.161006 68.973484 -51.175087 69.013381 -51.142231 69.111948 -51.010808 69.158884 -50.766738 69.135416 -50.644702 69.050930 -50.400631 69.060317 -50.569603 69.130722 -50.259821 69.201127 -50.391244 69.302041 -50.710413 69.217555 -50.977953 69.290307 -50.963872 69.348978 -50.963872 69.449892 -50.710413 69.492135 -50.766738 69.522644 -50.832449 69.618864 -50.588378 69.661107 -50.654089 69.771408 -50.334920 69.808958 -50.433487 69.907525 # -b -50.388897 70.006092 -50.961525 69.989664 # -b -53.191018 70.177411 -52.857768 69.989664 -52.552679 69.834773 -52.153717 69.794877 -51.909646 69.715084 -51.909646 69.668148 -51.909646 69.607130 -51.942502 69.541419 -52.219428 69.431117 -52.562066 69.384181 -52.914092 69.348978 -53.289585 69.306735 -53.608755 69.283267 -53.787114 69.290307 -53.909150 69.318469 -54.148527 69.384181 -54.139140 69.438158 -53.909150 69.452239 -53.674466 69.431117 -53.477332 69.456932 -53.467945 69.506216 -53.618142 69.463973 -53.650998 69.515603 -53.862213 69.517950 -53.871600 69.595396 -54.059347 69.546112 -54.467697 69.546112 -54.833803 69.595396 -54.866658 69.684575 -54.678912 69.703350 -54.359742 69.668148 -54.589732 69.759674 -54.890127 69.839467 -54.800947 69.884056 -54.566264 69.900484 -54.261175 69.895791 -54.524021 69.970889 # -b -49.928917 62.475098 -50.116664 62.479792 -50.182376 62.540809 -50.168295 62.653457 -50.083808 62.763759 -50.046259 62.798961 -50.116664 62.789574 -50.135439 62.784880 -50.215231 62.742637 -50.257474 62.723862 -50.290330 62.794268 -50.346654 62.834164 -50.379510 62.864673 -50.379510 62.935078 -50.398284 62.974974 -50.581338 62.996095 -50.684598 63.000789 # -b -68.806859 70.031907 -69.027462 69.938034 -68.839715 69.930993 -68.708292 69.930993 # -b -67.450388 70.031907 -67.187543 69.912218 -67.074895 69.815998 -67.239173 69.710391 -67.605280 69.771408 -67.891593 69.747940 -68.032404 69.672841 -68.276474 69.625905 -68.529933 69.644679 -68.651968 69.637639 -68.849102 69.529684 -68.694211 69.576621 -68.464221 69.522644 -68.318717 69.468667 -68.187295 69.409996 -68.102809 69.492135 -67.793026 69.431117 -67.417533 69.440505 -67.042039 69.421730 -66.746338 69.348978 -66.488186 69.264492 -66.488186 69.201127 -66.577366 69.147150 -66.854292 69.184700 -67.149994 69.137763 -67.426920 69.135416 -67.694459 69.182353 -68.046485 69.271532 -68.023016 69.189393 -68.168520 69.170619 -68.267087 69.196434 -68.421978 69.189393 -68.539320 69.170619 -68.520545 69.114295 -68.253006 69.123682 -67.947917 69.050930 -67.746090 68.980525 -67.793026 68.933588 -68.121583 68.945322 -68.154439 68.877264 -68.013629 68.825634 -67.835269 68.759922 -67.858738 68.722373 -67.694459 68.675436 -68.013629 68.668396 -68.023016 68.607378 -68.332798 68.600338 -68.234231 68.541667 -67.999548 68.506464 -67.638135 68.473609 -67.361209 68.438406 -67.164075 68.438406 -66.863680 68.410244 -66.690014 68.368001 -66.755725 68.292902 -66.877761 68.215457 -66.779194 68.170867 -66.535123 68.173214 -66.192485 68.210763 -66.046981 68.100462 -66.225341 68.055872 -66.258196 67.987814 -66.061062 67.959652 -65.948414 67.882206 -65.709037 67.980773 -65.319462 67.992507 -64.967437 68.030057 -64.981518 67.931490 -65.066004 67.889247 -65.112941 67.818842 -65.033148 67.774252 -64.836014 67.785986 -64.624799 67.807107 -64.460520 67.769558 -64.361953 67.732009 -64.216450 67.645176 -64.117883 67.567730 -63.920748 67.396411 -63.920748 67.328353 -64.150738 67.316619 -64.239918 67.274376 -64.028703 67.250907 -64.183594 67.196930 -63.930136 67.187543 -63.592191 67.208664 -63.357508 67.227439 -63.235473 67.274376 -63.028951 67.264988 -63.005483 67.192237 -63.193230 67.098363 -63.249554 66.964594 -63.301184 66.875414 -63.080581 66.912963 -62.892835 66.962247 -62.597133 66.973981 -62.399999 66.948166 -62.179397 66.964594 -62.033893 66.905923 -61.836759 66.870720 -61.705336 66.809702 -61.494121 66.722870 -61.362698 66.605528 -61.484734 66.518695 -61.658399 66.495227 -61.724111 66.417781 -61.780435 66.382578 -61.592688 66.298092 -61.691255 66.232381 -61.935326 66.234728 -62.367144 66.342682 -62.597133 66.298092 -62.301432 66.262890 -62.343675 66.154935 -62.564278 66.169016 -62.606521 66.070449 -62.221640 66.093918 -62.080830 66.004738 -62.254495 65.971882 -62.385918 65.960148 -62.385918 65.847500 -62.399999 65.774748 -62.606521 65.739546 -62.686313 65.657406 -62.719169 65.570574 -62.996095 65.584655 -63.235473 65.671487 -63.423219 65.744239 -63.437300 65.643325 -63.348121 65.525984 -63.282409 65.429763 -63.226085 65.291300 -63.380976 65.281913 -63.446688 65.171612 -63.470156 65.075391 -63.512399 65.000293 -63.578110 64.899379 -63.723614 64.939275 -63.822181 65.028455 -63.887893 65.122328 -64.108495 65.051923 -64.239918 65.237323 -64.418277 65.185693 -64.549700 65.162224 -64.746834 65.286606 -64.606024 65.406295 -64.657655 65.483741 -64.934581 65.420376 -65.066004 65.507209 -65.155184 65.556492 -65.277219 65.622204 -65.342930 65.685568 -65.422723 65.856887 -65.342930 65.981270 -65.572920 65.941373 -65.882703 65.946067 -65.948414 66.098611 -66.169016 66.138508 -66.389619 66.204219 -66.699401 66.298092 -66.976328 66.319214 -66.877761 66.389619 -66.896535 66.514001 -67.117138 66.525735 -67.328353 66.596140 -67.459776 66.525735 -67.196930 66.434209 -67.361209 66.438902 -67.206318 66.298092 -67.337740 66.298092 -67.581811 66.399006 -67.746090 66.460024 -67.915062 66.452984 -67.835269 66.373191 -67.933836 66.373191 -68.154439 66.382578 -68.032404 66.248809 -67.900981 66.208913 -67.548956 66.173710 -67.272029 66.070449 -67.149994 65.946067 -67.361209 65.936680 -67.506712 65.901477 -67.661604 65.873315 -67.769558 65.896784 -67.915062 65.873315 -67.858738 65.739546 -67.933836 65.612817 -67.915062 65.575267 -67.558343 65.648019 -67.272029 65.608123 -67.361209 65.540065 -67.328353 65.472006 -67.164075 65.396908 -67.272029 65.375786 -67.164075 65.314768 -67.239173 65.260791 -67.253254 65.218548 -66.999796 65.185693 -66.943472 65.103553 -66.929391 65.051923 -66.788581 64.948662 -66.699401 64.800812 -66.666546 64.843055 -66.633690 64.934581 -66.488186 64.953356 -66.267584 64.925194 -66.117386 64.934581 -66.337989 64.805505 -66.192485 64.763262 -66.070449 64.796118 -65.995351 64.833667 -65.896784 64.866523 -65.676181 64.861829 -65.643325 64.767956 -65.629244 64.596637 -65.488434 64.664695 -65.352318 64.711632 -65.277219 64.683470 -65.234976 64.622452 -65.244363 64.554394 -65.014374 64.582556 -64.958050 64.465214 -65.033148 64.326751 -65.253751 64.298589 -65.234976 64.150738 -65.112941 64.096761 -64.868870 64.035743 -64.624799 64.026356 -64.591943 63.927789 -64.559088 63.808100 -64.540313 63.794019 -64.437052 63.704840 -64.483989 63.622700 -64.493376 63.465462 -64.573169 63.437300 -64.516845 63.322305 -64.526232 63.282409 -64.746834 63.392711 -64.958050 63.465462 -64.967437 63.326999 -65.000293 63.263635 -64.901725 63.169761 -64.826627 63.075888 -64.793771 63.014870 -64.606024 63.024257 # -b -67.661604 63.010176 -67.661604 63.108743 -67.844657 63.089969 -67.933836 63.193230 -67.999548 63.223738 -68.065259 63.204964 -68.135664 63.228432 -68.253006 63.308224 -68.356267 63.357508 -68.520545 63.474850 -68.694211 63.559336 -68.896039 63.730655 -68.661355 63.763510 -68.520545 63.704840 -68.356267 63.662597 -68.243619 63.592191 -67.999548 63.474850 -67.746090 63.456075 -67.811801 63.549948 -67.647523 63.573417 -67.459776 63.441994 -67.239173 63.282409 -67.051426 63.228432 -66.844905 63.223738 -66.722870 63.040685 # -b -70.125780 60.874556 -69.994358 60.912106 -69.830079 60.937921 -69.752634 60.959042 -69.773755 61.024754 -69.651720 61.062303 -69.541419 60.970777 -69.442851 60.907412 -69.431117 60.853435 -69.454586 60.808845 -69.541419 60.745480 -69.696310 60.686810 -69.696310 60.616405 -69.729165 60.529572 -69.696310 60.452126 -69.708044 60.398149 -69.630598 60.386415 -69.597743 60.323050 -69.586008 60.250298 -69.487441 60.163465 -69.421730 60.093060 -69.532031 60.076632 -69.675188 60.076632 -69.696310 60.036736 -69.762021 60.003881 -69.982624 60.003881 # -b -65.331196 59.987453 -65.220895 60.069592 -65.077738 60.109488 -64.955703 60.175200 -64.934581 60.191627 -64.943969 60.208055 -64.911113 60.229177 -64.857136 60.306622 -64.779690 60.316010 -64.690510 60.316010 -64.526232 60.299582 -64.469908 60.245605 -64.547353 60.196321 -64.404196 60.179893 -64.415931 60.102448 -64.371341 60.036736 # -b -68.220150 60.484982 -68.274128 60.517837 -68.330452 60.316010 -68.274128 60.283154 -68.098115 60.355906 -67.954958 60.377027 -67.832923 60.468554 -67.865778 60.592936 -68.065259 60.592936 -68.163826 60.555387 -68.220150 60.484982 # -b -65.077738 61.705336 -65.054270 61.726458 -65.044882 61.710030 -64.955703 61.684215 -64.889991 61.616156 -64.782037 61.616156 -64.735100 61.590341 -64.758569 61.512896 -64.782037 61.386166 -64.904072 61.353311 -65.110594 61.395554 -65.143450 61.475346 -65.232629 61.470653 -65.364052 61.569220 -65.528330 61.552792 -65.509556 61.641971 -65.331196 61.700642 -65.190386 61.710030 -65.077738 61.705336 # -b -64.606024 63.024257 -64.526232 63.005483 -64.526232 62.974974 -64.446439 62.960893 -64.413584 62.909262 -64.469908 62.843551 -64.657655 62.859979 -64.779690 62.935078 -64.934581 62.949159 -65.009680 62.890488 -64.976824 62.829470 -64.911113 62.759065 -64.845401 62.688660 -64.821933 62.627642 -64.779690 62.597133 -64.756222 62.566625 -64.887644 62.545503 -64.976824 62.627642 -65.089472 62.658151 -65.188039 62.676926 -65.173958 62.723862 -65.108247 62.798961 -65.108247 62.850592 -65.263138 62.813042 -65.305381 62.843551 -65.375786 62.904569 -65.394561 62.960893 -65.460272 62.979668 -65.540065 62.935078 -65.572920 62.904569 -65.727811 62.935078 -65.849847 62.979668 -65.901477 62.918650 -65.915558 62.899875 -66.154935 63.035992 -66.389619 63.038338 -66.722870 63.040685 # -b -67.534875 63.000789 -67.412839 62.939771 -67.370596 62.878754 -67.337740 62.843551 -67.192237 62.794268 -67.027958 62.719169 -66.873067 62.693354 -66.765113 62.618255 -66.619609 62.566625 -66.455330 62.505607 -66.333295 62.432855 -66.136161 62.327247 -66.079837 62.249802 -66.103305 62.146541 -66.178404 62.094911 -66.178404 62.038587 -66.056368 61.970528 -66.023513 61.897777 -66.366151 61.876655 -66.455330 61.930632 -66.619609 62.003384 -66.840211 62.120726 -67.060814 62.047974 -67.314272 62.043280 -67.412839 62.059708 -67.600586 62.137154 -67.656910 62.202865 -67.830576 62.207559 -68.051178 62.207559 -68.220150 62.270923 -68.360960 62.249802 -68.558095 62.289698 -68.637887 62.353063 -68.759922 62.378878 -68.759922 62.484485 -68.844409 62.383571 -69.046236 62.414080 -69.219902 62.526728 -69.233983 62.611214 -69.309082 62.646417 -69.431117 62.646417 -69.487441 62.733250 -69.463973 62.768452 -69.440505 62.820083 -69.553153 62.789574 -69.726819 62.808349 -69.797224 62.742637 -69.947421 62.777840 -69.914565 62.890488 -69.947421 62.930384 # -b -76.384790 68.292902 -76.319078 68.321064 -76.286223 68.288209 -76.164187 68.243619 -75.985828 68.299943 -75.765225 68.288209 -75.680739 68.206069 -75.525848 68.194335 -75.314633 68.206069 -75.173823 68.095768 -75.150354 67.985467 -75.173823 67.818842 -75.108111 67.652216 -75.183210 67.502019 -75.460137 67.365902 -75.732370 67.274376 -76.089089 67.248561 -76.408258 67.222745 -76.638248 67.206318 -76.750896 67.234480 -77.037210 67.264988 -77.234344 67.417533 -77.323524 67.567730 -77.342299 67.703847 -77.309443 67.835269 -77.201488 67.903328 -77.102921 68.008935 -76.948030 68.133317 -76.760283 68.234231 -76.539681 68.255353 -76.384790 68.292902 # -b -74.807717 67.992507 -74.718537 68.055872 -74.563646 68.067606 -74.366512 68.145052 -74.310188 68.058219 -74.070810 68.023016 -73.925307 67.985467 -73.728172 67.969039 -73.563894 67.795373 -73.761028 67.727315 -74.136522 67.778945 -74.479160 67.769558 -74.765474 67.872819 -74.807717 67.992507 # -b -78.579081 69.208168 -78.579081 69.189393 -78.597855 69.154191 -78.687035 69.107254 -78.766827 69.048583 -78.851313 68.961750 -79.039060 68.905426 -79.240888 68.881958 -79.461491 68.877264 -79.447410 68.954710 -79.381698 68.992259 -79.259663 69.072052 -79.039060 69.114295 -78.921719 69.177659 -78.799683 69.248064 -78.654179 69.231636 -78.522757 69.205821 -78.410108 69.205821 -78.358478 69.241024 -78.358478 69.295001 -78.358478 69.341938 -78.442964 69.360712 -78.546225 69.365406 -78.644792 69.353672 -78.710503 69.325510 -78.719891 69.278573 -78.719891 69.259798 -78.579081 69.208168 # -b -80.066974 69.722125 -79.968407 69.715084 -79.836984 69.766715 -79.724336 69.783143 -79.560058 69.766715 -79.438022 69.722125 -79.480265 69.637639 -79.700868 69.611824 -79.888615 69.576621 # -b -78.501635 63.397404 -78.567346 63.397404 -78.525103 63.420873 -78.435924 63.446688 -78.248177 63.470156 -78.018187 63.456075 -77.919620 63.420873 -77.774116 63.416179 -77.633306 63.343427 -77.567595 63.214351 -77.717792 63.139252 -77.863296 63.085275 -78.116754 63.200270 -78.360825 63.317612 -78.501635 63.397404 # -b -77.454947 63.695452 -77.290668 63.657903 -77.055985 63.632088 -76.816607 63.568723 -76.736815 63.519440 -76.727428 63.474850 -76.703959 63.406792 -76.901094 63.406792 -77.121696 63.460769 -77.342299 63.554642 -77.398623 63.627394 -77.454947 63.695452 # -b -71.278077 63.000789 -71.301545 63.028951 -71.400112 63.064154 -71.498679 63.125171 -71.686426 63.153333 -71.831930 63.268328 -71.874173 63.331693 -71.986821 63.420873 -72.085388 63.549948 -71.874173 63.437300 -71.597246 63.479543 -71.343788 63.613313 -71.555003 63.613313 -71.611327 63.681371 -71.733363 63.709533 -71.939884 63.845650 -72.052532 63.749429 -72.061919 63.676678 -72.207423 63.700146 -72.305990 63.772898 -72.305990 63.836262 -72.395170 63.857384 -72.526593 63.808100 -72.625160 63.826875 -72.700259 63.894933 -72.756583 63.958298 -72.845762 63.981766 -72.977185 63.958298 -73.010041 64.035743 -73.052284 64.063905 -73.033509 64.127270 -73.075752 64.197675 -73.174319 64.270427 -73.286967 64.326751 -73.394922 64.303283 -73.460633 64.394809 -73.484102 64.488683 -73.427778 64.535619 -73.526345 64.608371 -73.662461 64.627146 -73.751641 64.596637 -73.803271 64.577862 -73.972243 64.683470 -74.037955 64.692857 -74.211620 64.669389 -74.310188 64.631839 -74.465079 64.692857 -74.497934 64.763262 -74.634051 64.697551 -74.666906 64.772650 -74.666906 64.866523 -74.765474 64.819586 -74.971995 64.791424 -74.962608 64.683470 -74.718537 64.645920 -74.554258 64.507457 -74.587114 64.549700 -74.718537 64.493376 -74.699762 64.408890 -74.873428 64.437052 -74.962608 64.441746 -75.328714 64.451133 -75.328714 64.455827 -75.380344 64.526232 -75.478911 64.596637 -75.666658 64.601331 -75.732370 64.596637 -75.967053 64.559088 -75.877873 64.474601 -75.901342 64.394809 -76.023377 64.371341 -76.351934 64.357260 -76.295610 64.289202 -76.563149 64.261039 -76.703959 64.237571 -76.760283 64.207062 -76.858850 64.251652 -77.234344 64.298589 -77.379848 64.279814 -77.609838 64.399503 -77.774116 64.394809 -77.994719 64.488683 -78.173078 64.650614 -78.182465 64.767956 -78.149610 64.904072 -77.994719 65.019067 -77.652081 65.136409 -77.431478 65.166918 -77.478415 65.352318 -77.290668 65.347624 -77.431478 65.434457 -77.224957 65.443844 -77.088840 65.392214 -76.868238 65.366399 -76.628861 65.366399 -76.243980 65.295994 -76.009296 65.319462 -75.854405 65.324156 -75.722982 65.324156 -75.394425 65.246710 -75.225453 65.272525 -75.192598 65.378133 -75.061175 65.382827 -74.742005 65.375786 -74.610582 65.410989 -74.455691 65.453232 -74.300800 65.472006 -74.244476 65.530677 -73.991018 65.474353 -73.981631 65.516596 -73.638993 65.448538 -73.638993 65.629244 -73.803271 65.657406 -73.883064 65.784135 -74.202233 65.910865 -74.432223 66.070449 -74.479160 66.154935 -74.333656 66.222994 -74.113053 66.298092 -73.868983 66.443596 -73.648380 66.509308 -73.563894 66.535123 -73.352679 66.661852 -73.240031 66.678280 -73.089833 66.687667 -73.019428 66.713482 -73.019428 66.753378 -73.010041 66.844905 -73.010041 66.973981 -72.855150 67.042039 -72.611079 67.086629 -72.460881 67.166421 -72.371702 67.264988 -72.493737 67.290804 -72.568836 67.408145 -72.578223 67.539568 -72.714340 67.626401 -72.756583 67.795373 -72.888005 67.856391 -73.000654 67.971386 -73.042897 68.133317 -73.197788 68.222497 -73.319823 68.288209 -73.540426 68.238925 -73.704704 68.276474 -73.850208 68.321064 -73.958162 68.426672 -73.948775 68.551054 -73.925307 68.670743 -74.291413 68.710639 -74.300800 68.642581 -74.178765 68.558095 -74.277332 68.518198 -74.530790 68.614419 -74.765474 68.727067 -74.953220 68.811553 -74.831185 68.903079 -74.929752 68.938282 -74.619970 68.966444 -74.343043 68.996953 -74.709149 69.025115 -75.070562 68.992259 -75.380344 68.893692 -75.633803 68.933588 -75.755838 68.830327 -76.309691 68.694211 -76.671104 68.651968 -76.638248 68.865530 -76.736815 69.032155 -76.473970 69.036849 -76.098476 68.996953 -75.732370 69.114295 -75.835630 69.259798 -76.206430 69.379487 -76.506825 69.475707 -76.727428 69.569581 -76.938643 69.614170 -77.159245 69.625905 -76.938643 69.684575 -76.901094 69.766715 -76.990273 69.808958 -77.210876 69.806611 -77.389235 69.855894 -77.464334 69.785489 -77.530045 69.752634 -77.684936 69.808958 -77.708405 69.942727 # -b -78.886516 70.111699 -78.787949 69.949768 -78.924065 69.877016 -79.327721 69.869975 -79.684440 69.825386 -79.825250 69.813651 -79.923817 69.900484 # -b -77.745954 59.982759 -77.745954 60.064898 -77.645040 60.041430 -77.534739 60.076632 -77.501883 60.158772 -77.612185 60.240911 -77.645040 60.245605 -77.680243 60.283154 -77.755341 60.348865 -77.811666 60.409883 -77.755341 60.513144 -77.722486 60.583549 -77.832787 60.604670 -77.844521 60.670382 -77.734220 60.679769 -77.501883 60.717318 -77.513617 60.733746 -77.689630 60.733746 -77.790544 60.771296 -77.933701 60.733746 -78.065124 60.750174 -78.196546 60.825273 -78.196546 60.933227 -78.011147 61.071691 -77.921967 61.231275 -77.799931 61.280559 -77.811666 61.390860 -77.795238 61.407288 -77.778810 61.407288 -77.729526 61.475346 -77.724833 61.559832 -77.656774 61.573913 -77.647387 61.649012 -77.640347 61.738192 -77.680243 61.674827 -77.757688 61.649012 -77.818706 61.695949 -77.889111 61.717070 -77.971250 61.794516 -77.987678 61.897777 -78.032268 61.982263 -78.044002 62.106645 -78.039309 62.214599 -78.027574 62.254495 -77.978291 62.280311 -77.929007 62.310820 -77.893805 62.362450 -77.884417 62.392959 -77.823400 62.479792 -77.741260 62.561931 -77.684936 62.587746 -77.680243 62.519688 -77.591063 62.536116 -77.520658 62.536116 -77.436172 62.526728 -77.361073 62.526728 -77.283628 62.514994 -77.217916 62.489179 -77.140471 62.465711 -77.079453 62.458670 -77.034863 62.423468 -77.023129 62.397652 -76.940990 62.362450 -76.851810 62.348369 -76.781405 62.341328 -76.720387 62.315513 -76.748549 62.240414 -76.725081 62.223987 -76.633554 62.280311 -76.560802 62.289698 -76.483357 62.285004 -76.445807 62.233374 -76.471623 62.172356 -76.422339 62.177050 -76.323772 62.167663 -76.295610 62.177050 -76.312038 62.223987 -76.262754 62.270923 -76.159494 62.310820 -76.058580 62.336635 -75.960013 62.371837 -75.887261 62.423468 -76.103170 62.322554 -76.107863 62.327247 -76.049192 62.348369 -75.915423 62.397652 -75.845018 62.475098 -75.772266 62.449283 -75.633803 62.362450 -75.539929 62.327247 -75.464830 62.219293 -75.403813 62.198171 -75.331061 62.167663 -75.244228 62.158275 -75.216066 62.111339 -75.209025 62.038587 -75.237187 61.986956 -75.286471 61.883696 -75.319327 61.810944 -75.286471 61.841452 -75.220760 61.820331 -75.192598 61.857880 -75.192598 61.949407 -75.138620 61.956447 -75.056481 61.923592 -75.056481 61.857880 -75.056481 61.794516 -74.990770 61.726458 -74.967301 61.663093 -75.044747 61.616156 -75.028319 61.543404 -74.939139 61.573913 -74.913324 61.641971 -74.840572 61.658399 -74.763127 61.641971 -74.709149 61.590341 -74.746699 61.522283 -74.795982 61.505855 -74.852306 61.458918 -74.845266 61.390860 -74.852306 61.369739 -74.795982 61.322802 -74.706803 61.264131 -74.551912 61.243010 -74.596501 61.184339 -74.584767 61.151483 -74.432223 61.172604 -74.253863 61.179645 -74.068464 61.163217 -74.012139 61.071691 -73.913572 60.996592 -73.857248 61.029448 -73.803271 61.062303 -73.702357 61.045875 -73.636646 61.041182 -73.516957 61.020060 -73.394922 61.045875 -73.284621 61.071691 -73.195441 61.013020 -73.162585 60.954349 -73.174319 60.883944 -73.085140 60.874556 # -b -69.982624 60.003881 -70.137515 60.025002 -70.182105 60.025002 -70.304140 60.025002 -70.480153 60.015615 -70.766466 60.036736 -70.975335 60.097754 -71.163082 60.086020 -71.261649 60.053164 -71.163082 60.048470 -70.909623 60.032043 # -b -80.083402 61.670134 -79.994222 61.564526 -79.872187 61.552792 -79.764232 61.649012 -79.773620 61.742885 -79.698521 61.799209 -79.585873 61.914204 -79.468531 62.073789 -79.398126 62.207559 -79.388739 62.280311 -79.553017 62.341328 -79.862799 62.362450 # -b -69.949768 62.930384 -70.104659 62.824776 -70.217307 62.794268 -70.226694 62.789574 -70.236082 62.773146 -70.292406 62.768452 -70.405054 62.813042 -70.513008 62.843551 -70.625656 62.843551 -70.658512 62.899875 -70.813403 62.930384 -71.001150 62.970280 -71.278077 63.000789 # -b -71.031659 62.784880 -70.961254 62.789574 -70.829831 62.754371 -70.674940 62.742637 -70.590454 62.728556 -70.510661 62.698047 -70.402707 62.646417 -70.444950 62.597133 -70.642084 62.566625 -70.829831 62.611214 -70.975335 62.683966 -71.064515 62.759065 -71.031659 62.784880 # -b -74.052036 62.693354 -74.075504 62.742637 -74.028567 62.719169 -74.009793 62.676926 -74.108360 62.641723 -74.286719 62.627642 -74.418142 62.637030 -74.657519 62.658151 -74.779555 62.693354 -74.671600 62.728556 -74.507322 62.698047 -74.328962 62.723862 -74.150603 62.733250 -74.052036 62.693354 # -b -90.015208 68.635540 -89.996434 68.670743 -89.958884 68.694211 -89.850930 68.694211 -89.827461 68.813900 -89.860317 68.933588 -89.860317 69.036849 -89.630327 69.130722 -89.498904 69.243370 -89.287689 69.283267 -89.057699 69.271532 -89.024844 69.217555 -88.959132 69.149497 -88.747917 69.036849 -88.438135 68.940629 -88.231614 68.870224 -88.128353 68.788084 -88.086110 68.670743 -88.029786 68.541667 -87.898363 68.410244 -87.874895 68.292902 -88.043867 68.248312 -88.208145 68.264740 -88.264469 68.295249 -88.264469 68.410244 -88.348955 68.344533 -88.438135 68.255353 -88.386505 68.133317 -88.452216 68.030057 -88.452216 67.954958 -88.250388 67.811801 -88.151821 67.710887 -87.996930 67.626401 -87.888976 67.539568 -87.710616 67.412839 -87.588581 67.323659 -87.480626 67.295497 -87.358591 67.229786 -87.161457 67.269682 -87.147376 67.323659 -87.095745 67.408145 -86.940854 67.438654 -86.851674 67.408145 -86.785963 67.448042 -86.739026 67.417533 -86.631072 67.405799 -86.551280 67.555996 -86.565361 67.694459 -86.541892 67.741396 -86.485568 67.795373 -86.377614 67.877512 -86.157011 67.971386 -86.058444 68.067606 -86.011507 68.133317 -85.945796 68.194335 -85.945796 68.250659 -85.945796 68.281168 -85.936409 68.292902 -85.823761 68.337492 -85.804986 68.445447 -85.772130 68.602684 -85.790905 68.654315 -85.692338 68.698905 -85.471735 68.708292 -85.415411 68.755229 -85.340313 68.738801 -85.265214 68.759922 -85.152566 68.774003 -84.922576 68.748188 -84.734829 68.762269 -84.824009 68.795125 -84.908495 68.799819 -85.063386 68.811553 -85.152566 68.853796 -85.077467 68.893692 -85.119710 68.928895 -84.955432 68.928895 -84.974206 68.980525 -84.889720 68.996953 -84.678505 68.978178 -84.720748 69.039196 -84.856865 69.043889 -84.997675 69.102560 -85.086854 69.118988 -85.241746 69.126029 -85.382556 69.196434 -85.462348 69.283267 -85.452961 69.348978 -85.415411 69.379487 -85.438880 69.421730 -85.485816 69.485094 -85.452961 69.550806 -85.518672 69.642332 -85.485816 69.668148 -85.452961 69.736206 -85.452961 69.801917 -85.349700 69.801917 -85.110323 69.776102 -84.955432 69.825386 -84.777072 69.827732 -84.556470 69.834773 -84.213832 69.801917 -84.091796 69.754981 -84.040166 69.733859 -83.819563 69.684575 -83.584880 69.654067 -83.378358 69.656413 -83.157756 69.675188 -83.012252 69.644679 -82.815118 69.656413 -82.669614 69.691616 -82.585128 69.642332 -82.571047 69.611824 -82.585128 69.534378 -82.552272 69.480401 -82.716551 69.452239 -82.571047 69.449892 -82.383300 69.353672 -82.242490 69.264492 -82.317589 69.219902 -82.275346 69.208168 -82.031275 69.224596 -81.744961 69.224596 -81.580683 69.177659 -81.402323 69.161231 -81.360080 69.100214 -81.449260 69.050930 -81.547827 69.003993 -81.669862 68.973484 -81.843528 68.926548 -81.956176 68.846755 -81.669862 68.835021 -81.566602 68.830327 -81.369468 68.813900 -81.280288 68.731760 -81.294369 68.630847 -81.392936 68.579216 -81.613538 68.518198 -81.735574 68.515852 -81.820060 68.450140 -81.843528 68.445447 -81.899852 68.389122 -82.021888 68.433712 -82.087599 68.527586 -82.209635 68.511158 -82.275346 68.466568 -82.538191 68.515852 -82.561660 68.473609 -82.627371 68.461874 -82.472480 68.377388 -82.317589 68.316371 -82.406769 68.295249 -82.406769 68.267087 -82.284733 68.260047 -82.284733 68.201376 -82.317589 68.149745 -82.120455 68.189642 -81.974951 68.215457 -82.078212 68.105155 -82.120455 67.987814 -82.096986 67.893940 -81.866997 67.753130 -81.637007 67.635788 -81.425792 67.560690 -81.303756 67.476204 -81.294369 67.429267 -81.303756 67.422226 -81.392936 67.391718 -81.392936 67.286110 -81.313144 67.218052 -81.425792 67.161728 -81.425792 67.103057 -81.533746 67.081935 -81.688637 67.056120 -81.801285 67.016224 -82.007807 66.922351 -82.031275 66.861333 -82.111067 66.819090 -82.129842 66.793275 -82.251878 66.732257 -82.463093 66.671239 -82.636759 66.589100 -82.791650 66.584406 -82.970009 66.556244 -83.035721 66.478799 -83.143675 66.438902 -83.232855 66.387272 -83.364277 66.389619 -83.444070 66.422475 -83.500394 66.478799 -83.688141 66.553897 -83.786708 66.589100 -83.885275 66.619609 -83.950986 66.671239 -84.026085 66.706442 -84.115265 66.666546 -84.138733 66.661852 -84.148120 66.650118 -84.129346 66.579713 -83.908743 66.452984 -83.885275 66.354416 -83.753852 66.222994 -83.763239 66.178404 -83.786708 66.222994 -83.993229 66.232381 -84.073022 66.274624 -84.237300 66.337989 -84.392191 66.368497 -84.425047 66.389619 -84.514227 66.389619 -84.514227 66.253503 -84.500146 66.213606 -84.687892 66.248809 -84.800541 66.262890 -84.931963 66.248809 -85.119710 66.307480 -85.161953 66.272277 -85.218277 66.354416 -85.307457 66.499920 -85.349700 66.579713 -85.504591 66.591447 -85.668870 66.539816 -85.790905 66.499920 -85.837842 66.490533 -85.856616 66.514001 -85.992733 66.504614 -86.180480 66.539816 -86.368226 66.560938 -86.499649 66.575019 -86.584135 66.549204 -86.631072 66.523389 -86.687396 66.504614 -86.663928 66.460024 -86.739026 66.443596 -86.687396 66.373191 -86.433938 66.328601 -86.264966 66.288705 -86.100687 66.279318 -86.002120 66.218300 -86.034976 66.150242 -86.044363 66.075143 -86.100687 66.049328 -86.100687 66.044634 -86.100687 66.009432 -86.166399 65.964842 -86.297821 65.915558 -86.368226 65.856887 -86.433938 65.784135 -86.541892 65.716077 -86.673315 65.666794 -86.706171 65.612817 -86.762495 65.603429 -86.926773 65.570574 -86.983097 65.493128 -87.048809 65.434457 -87.128601 65.392214 -87.316348 65.375786 -87.522869 65.371093 -87.757553 65.371093 -87.987543 65.352318 -88.043867 65.415682 -88.151821 65.483741 -88.250388 65.511903 -88.550783 65.633938 -88.705674 65.685568 -88.715062 65.701996 -88.846484 65.730158 -88.968520 65.753627 -89.024844 65.755973 -89.114024 65.765361 -89.334626 65.847500 -89.498904 65.892090 -89.639715 65.906171 -89.785218 65.873315 # -b -90.179487 65.819338 -89.827461 65.739546 -89.574003 65.617510 -89.353401 65.472006 -89.231365 65.415682 -89.043618 65.352318 -88.846484 65.342930 -88.527315 65.324156 -88.208145 65.277219 -88.095497 65.251404 -87.921831 65.281913 -87.799796 65.270179 -87.480626 65.272525 -87.269411 65.260791 -87.039421 65.251404 -87.006566 65.209161 -86.907998 65.213855 -86.973710 65.122328 -87.048809 65.051923 -87.048809 64.981518 -87.236555 64.889991 -87.316348 64.744488 -87.447771 64.716326 -87.522869 64.622452 -87.579193 64.563781 -87.710616 64.535619 -87.799796 64.521538 -87.823264 64.516845 -87.823264 64.483989 -87.823264 64.399503 -87.907750 64.345526 -88.029786 64.223490 -88.095497 64.174207 -88.151821 64.188288 -88.231614 64.150738 -88.348955 64.082680 -88.494459 64.049824 -88.672819 64.012275 -88.860565 64.035743 -89.043618 64.049824 -89.114024 63.991153 -89.254834 64.045131 -89.433193 64.082680 -89.484823 64.108495 -89.508292 64.077986 -89.498904 64.035743 -89.555229 64.077986 -89.606859 64.127270 -89.686651 64.108495 -89.818074 64.160126 -89.907254 64.141351 -89.850930 64.101455 -89.850930 64.068599 -89.850930 64.049824 -89.860317 64.031050 -89.841542 63.995847 -89.808687 63.958298 -89.818074 63.944217 -89.907254 63.944217 # -b -90.069185 63.890240 -89.970618 63.831569 # -b -86.652193 68.260047 -86.628725 68.264740 -86.581788 68.194335 -86.548933 68.107502 -86.539545 67.992507 -86.516077 67.868125 -86.595869 67.760171 -86.727292 67.769558 -86.980750 67.868125 -86.980750 67.964345 -87.004219 68.058219 -86.980750 68.140358 -86.957282 68.227191 -86.816472 68.311677 -86.694436 68.271781 -86.661581 68.260047 -86.652193 68.260047 # -b -85.814373 65.788829 -85.748662 65.819338 -85.739275 65.828725 -85.668870 65.882703 -85.570302 65.896784 -85.528059 65.809951 -85.307457 65.819338 -85.218277 65.692609 -85.063386 65.608123 -85.152566 65.535371 -85.086854 65.434457 -85.044611 65.286606 -84.889720 65.260791 -84.800541 65.371093 -84.645649 65.462619 -84.514227 65.453232 -84.303011 65.371093 -84.148120 65.352318 -84.148120 65.305381 -84.171589 65.223242 -83.974455 65.166918 -83.805482 65.148143 -83.688141 65.152837 -83.519169 65.143450 -83.453457 65.136409 -83.420601 65.075391 -83.354890 65.014374 -83.190612 64.925194 -82.970009 64.889991 -82.791650 64.796118 -82.571047 64.749181 -82.406769 64.763262 -82.186166 64.692857 -82.021888 64.664695 -81.998419 64.650614 -81.942095 64.577862 -81.834141 64.498070 -81.820060 64.446439 -81.801285 64.404196 -81.744961 64.251652 -81.646394 64.178900 -81.712106 64.077986 -81.599457 64.045131 -81.416404 64.073293 -81.280288 64.068599 -81.228657 64.035743 -81.125397 64.087374 -80.993974 64.150738 -80.829696 64.108495 -80.740516 64.035743 -80.618480 63.995847 -80.609093 63.948910 -80.599706 63.909014 -80.632561 63.880852 -80.566850 63.871465 -80.365022 63.857384 -80.233599 63.831569 -80.210131 63.777591 -80.379103 63.763510 -80.533994 63.690759 -80.674804 63.627394 -80.820308 63.587498 -80.918875 63.540561 -80.984587 63.500665 -81.125397 63.474850 -81.270901 63.500665 -81.402323 63.528827 -81.500890 63.578110 -81.500890 63.568723 -81.524359 63.603926 -81.646394 63.573417 -81.721493 63.646169 -81.890465 63.681371 -82.031275 63.686065 -82.120455 63.725961 -82.219022 63.686065 -82.439624 63.700146 -82.481867 63.754123 -82.397381 63.845650 -82.439624 63.934829 -82.571047 63.972379 -82.636759 63.972379 -82.791650 63.981766 -82.937153 64.005234 -82.955928 64.000541 -82.970009 63.991153 -82.979396 63.962991 -83.134288 64.000541 -83.045108 64.101455 -82.937153 64.160126 -82.970009 64.178900 -83.143675 64.164819 -83.354890 64.146045 -83.542637 64.101455 -83.631817 64.092067 -83.617736 64.040437 -83.650591 63.939523 -83.674060 63.904321 -83.631817 63.862078 -83.650591 63.768204 -83.697528 63.768204 -83.786708 63.763510 -83.852419 63.709533 -83.927518 63.695452 -83.983842 63.690759 -84.026085 63.636781 -84.129346 63.587498 -84.279543 63.592191 -84.415660 63.505359 -84.481371 63.430260 -84.556470 63.441994 -84.547082 63.420873 -84.603406 63.352814 -84.734829 63.273022 -84.941351 63.233126 -85.119710 63.200270 -85.274601 63.160374 -85.330925 63.183842 -85.471735 63.160374 -85.617239 63.303531 -85.659482 63.474850 -85.636014 63.641475 -85.692338 63.690759 -85.706419 63.812794 -85.739275 63.885546 -85.804986 63.845650 -85.814373 63.758817 -85.837842 63.716574 -85.969264 63.709533 -86.091300 63.667290 -86.232110 63.671984 -86.297821 63.667290 -86.377614 63.671984 -86.387001 63.681371 -86.452712 63.690759 -86.565361 63.681371 -86.687396 63.641475 -86.804738 63.599232 -86.926773 63.573417 -87.081664 63.559336 -87.170844 63.608619 -87.227168 63.690759 -87.170844 63.758817 -87.095745 63.840956 -87.015953 63.904321 -86.875143 63.967685 -86.640459 64.000541 -86.476181 64.077986 -86.288434 64.174207 -86.297821 64.270427 -86.368226 64.312670 -86.377614 64.399503 -86.387001 64.502764 -86.419857 64.563781 -86.387001 64.631839 -86.377614 64.688163 -86.279047 64.819586 -86.222723 64.939275 -86.232110 64.967437 -86.189867 65.051923 -86.180480 65.199774 -86.147624 65.347624 -86.166399 65.448538 -86.091300 65.525984 -86.011507 65.671487 -85.912940 65.744239 -85.814373 65.788829 # -b -83.894662 65.964842 -83.871194 65.946067 -83.805482 65.927292 -83.739771 65.922599 -83.720996 65.856887 -83.650591 65.765361 -83.552024 65.711384 -83.364277 65.680875 -83.345503 65.622204 -83.552024 65.624551 -83.763239 65.643325 -83.861806 65.716077 -84.091796 65.798217 -84.138733 65.861581 -84.279543 65.976576 -84.467290 66.070449 -84.481371 66.115039 -84.345255 66.115039 -84.148120 66.079837 -83.950986 65.990657 -83.894662 65.964842 # -b -80.254721 69.785489 -80.189010 69.747940 -80.109217 69.729165 -80.066974 69.722125 # -b -79.890961 69.576621 -80.069321 69.630598 -80.069321 69.541419 -80.069321 69.463973 -80.257068 69.541419 -80.388491 69.607130 -80.477670 69.703350 -80.533994 69.766715 -80.430734 69.766715 -80.257068 69.785489 # -b -79.923817 69.900484 -80.036465 69.970889 -80.167888 69.968543 # -b -80.275842 70.001398 -80.519913 69.968543 # -b -81.777817 70.027213 -81.402323 69.980277 -81.059685 69.827732 -80.961118 69.740900 -81.148865 69.745593 -81.378855 69.881710 -81.646394 69.938034 -81.876384 69.895791 -82.021888 69.797224 -82.153311 69.839467 -82.129842 69.855894 -82.195554 69.820692 -82.219022 69.806611 -82.275346 69.834773 -82.552272 69.846507 -82.857361 69.919259 -83.190612 69.989664 -83.467538 69.945074 -83.598961 69.921606 -83.617736 69.921606 -83.650591 69.881710 -83.918131 69.930993 -84.359336 69.956808 -84.856865 69.980277 # -b -85.626627 70.027213 -85.363781 69.970889 -85.584383 69.970889 # -b -82.540538 62.930384 -82.564007 62.913956 -82.826852 62.874060 -83.103779 62.813042 -83.300913 62.733250 -83.455804 62.618255 -83.563758 62.475098 -83.718650 62.341328 -83.807829 62.254495 -83.850072 62.116032 -83.718650 62.090217 -83.521515 62.158275 -83.446417 62.184090 -83.225814 62.188784 -83.080310 62.270923 -82.948888 62.296738 -82.836240 62.322554 -82.850321 62.414080 -82.737672 62.505607 -82.573394 62.531422 -82.460746 62.566625 -82.287080 62.637030 -82.155657 62.688660 -82.108721 62.784880 -82.043009 62.843551 -82.057090 62.895181 -82.188513 62.925690 -82.343404 62.960893 -82.540538 62.930384 # -b -80.050546 62.357756 -80.050546 62.341328 -80.074015 62.341328 -80.139726 62.331941 -80.163194 62.285004 -80.247680 62.259189 -80.294617 62.177050 -80.327473 62.055014 -80.360328 61.897777 -80.360328 61.785128 -80.205437 61.742885 -80.083402 61.670134 # -b -79.862799 62.362450 -80.050546 62.357756 # -b -96.936025 69.534378 -96.954800 69.550806 -96.987655 69.581315 -97.100303 69.644679 -97.198871 69.672841 -97.353762 69.668148 -97.306825 69.729165 -97.353762 69.766715 -97.527427 69.790183 -97.607220 69.851201 -97.771498 69.884056 -97.935777 69.881710 -97.959245 69.813651 -98.156379 69.747940 -98.245559 69.661107 -98.311270 69.600089 -98.203316 69.550806 -98.212703 69.517950 -98.301883 69.557846 -98.480243 69.557846 -98.555341 69.515603 -98.531873 69.487441 -98.545954 69.409996 -98.513098 69.356019 -98.456774 69.302041 -98.588197 69.255105 -98.644521 69.189393 -98.766556 69.184700 -98.883898 69.158884 -99.052870 69.130722 -99.174906 69.130722 -99.306328 69.118988 -99.461220 69.083786 -99.512850 69.003993 -99.503463 68.905426 -99.447139 68.891345 -99.339184 68.835021 -99.127969 68.802165 -99.137356 68.863183 -99.052870 68.898386 -98.921448 68.905426 -98.752475 68.865530 -98.700845 68.806859 -98.564729 68.783391 -98.513098 68.755229 -98.409837 68.778697 -98.367594 68.813900 -98.212703 68.774003 -98.203316 68.715333 -98.090668 68.703598 -97.870065 68.715333 -97.818435 68.675436 -97.682319 68.612072 -97.508653 68.574522 -97.330293 68.555748 -97.166015 68.546360 -97.100303 68.522892 -97.067448 68.574522 -97.011124 68.572176 -96.889088 68.534626 -96.734197 68.499424 -96.579306 68.478302 -96.471352 68.454834 -96.292992 68.482996 -96.185038 68.562788 -96.095858 68.619112 -95.973823 68.626153 -95.875256 68.659009 -95.710977 68.727067 -95.565473 68.731760 -95.556086 68.680130 -95.424663 68.703598 -95.255691 68.762269 -95.204061 68.825634 -95.288547 68.839715 -95.499762 68.795125 -95.588942 68.839715 -95.729752 68.893692 -95.818931 68.973484 -95.818931 69.036849 -95.973823 69.130722 -96.030147 69.182353 -96.095858 69.201127 -96.250749 69.241024 -96.339929 69.309082 -96.494820 69.360712 -96.593387 69.402955 -96.748278 69.461626 -96.879701 69.499176 -96.936025 69.534378 # -b -100.026807 67.861085 -99.693556 67.828229 -99.524584 67.849350 -99.355612 67.785986 -99.271126 67.755477 -99.214802 67.776599 -99.078685 67.785986 -99.078685 67.743743 -98.853389 67.776599 -98.684417 67.785986 -98.491977 67.785986 -98.407491 67.785986 -98.576463 67.870472 -98.576463 67.903328 -98.712579 67.964345 -98.768903 68.039444 -98.684417 68.091074 -98.576463 68.091074 -98.520139 68.069953 -98.435653 67.997201 -98.323005 67.954958 -98.323005 67.870472 -98.182194 67.785986 -98.017916 67.764864 -97.933430 67.701500 -97.679972 67.668644 -97.567324 67.626401 -97.346721 67.638135 -97.177749 67.713234 -97.177749 67.785986 -97.205911 67.954958 -97.290397 67.954958 -97.318559 67.903328 -97.454676 67.903328 -97.454676 67.954958 -97.539162 67.997201 -97.933430 67.985467 -98.017916 67.924449 -97.989754 67.903328 -97.961592 67.839963 -98.097708 67.861085 -98.154032 67.924449 -98.210356 67.997201 -98.379329 68.081687 -98.463815 68.142705 -98.323005 68.112196 -98.323005 68.173214 -98.323005 68.206069 -98.520139 68.267087 -98.520139 68.309330 -98.656255 68.370348 -98.712579 68.412591 -98.576463 68.412591 -98.463815 68.349226 -98.379329 68.382082 -98.379329 68.412591 -98.238518 68.400857 -98.182194 68.412591 -98.125870 68.370348 -97.933430 68.370348 -97.736296 68.391469 -97.736296 68.412591 -97.736296 68.412591 -98.041384 68.546360 -97.905268 68.565135 -97.679972 68.546360 -97.651810 68.494730 -97.454676 68.412591 -97.454676 68.412591 -97.539162 68.515852 -97.290397 68.504117 -97.177749 68.412591 -97.036939 68.382082 -97.008777 68.391469 -96.896129 68.360960 -97.008777 68.309330 -96.867967 68.278821 -96.703688 68.309330 -96.562878 68.330452 -96.562878 68.278821 -96.647364 68.206069 -96.675526 68.133317 -96.788174 68.091074 -96.703688 68.048831 -96.562878 68.081687 -96.478392 68.027710 -96.478392 68.163826 -96.060655 68.267087 -96.032493 68.257700 -96.060655 68.194335 -96.032493 68.112196 -96.060655 67.997201 -96.173304 67.903328 -96.201466 67.776599 -96.060655 67.668644 -96.281258 67.626401 -96.422068 67.584158 -96.337582 67.466816 -96.060655 67.478550 -96.060655 67.358862 -96.060655 67.304885 -95.976169 67.337740 -95.779035 67.412839 -95.694549 67.358862 -95.530271 67.424573 -95.530271 67.358862 -95.638225 67.316619 -95.558433 67.250907 -95.361299 67.241520 -95.304975 67.316619 -95.276813 67.358862 -95.361299 67.478550 -95.333137 67.584158 -95.417623 67.680378 -95.666387 67.743743 -95.666387 67.785986 -95.558433 67.945571 -95.530271 67.997201 -95.586595 68.027710 -95.638225 68.100462 -95.530271 68.100462 -95.445785 68.121583 -95.361299 68.100462 -95.333137 68.069953 -95.248651 68.091074 -94.943562 68.100462 -94.943562 68.100462 -95.060904 68.095768 -94.910706 68.067606 -94.826220 68.051178 -94.727653 68.072300 -94.624392 68.154439 -94.539906 68.194335 -94.417871 68.210763 -94.361547 68.238925 -94.295835 68.248312 -94.286448 68.309330 -94.173800 68.417285 -93.953198 68.482996 -93.709127 68.539320 -93.577704 68.612072 -93.774838 68.630847 -93.765451 68.682477 -93.741982 68.778697 -93.765451 68.865530 -93.821775 68.966444 -93.943810 68.980525 -94.051765 69.013381 -94.065846 68.966444 -94.117476 68.910120 -94.131557 68.846755 -94.009522 68.874917 -93.929729 68.917160 -93.995441 68.863183 -94.150332 68.759922 -94.295835 68.731760 -94.507051 68.715333 -94.624392 68.722373 -94.737040 68.734107 -94.680716 68.799819 -94.680716 68.846755 -94.671329 68.865530 -94.657248 68.940629 -94.572762 68.966444 -94.436646 68.954710 -94.370934 69.013381 -94.295835 69.090826 -94.295835 69.154191 -94.403790 69.126029 -94.403790 69.147150 -94.370934 69.231636 -94.230124 69.341938 -94.065846 69.367753 -93.878099 69.386527 -93.821775 69.414689 -93.943810 69.318469 -93.953198 69.219902 -93.896874 69.172965 -93.709127 69.266839 -93.643415 69.372446 -93.676271 69.426424 -93.732595 69.503869 -93.929729 69.503869 -94.051765 69.463973 -94.183187 69.426424 -94.427258 69.438158 -94.507051 69.492135 -94.680716 69.611824 -94.779284 69.644679 -94.769896 69.588355 -94.859076 69.557846 -94.999886 69.600089 -95.018661 69.630598 -95.018661 69.630598 -95.070291 69.632945 -95.206408 69.672841 -95.290894 69.679882 -95.347218 69.729165 -95.337830 69.759674 -95.445785 69.764368 -95.657000 69.745593 -95.821278 69.745593 -96.074737 69.806611 -96.140448 69.855894 -96.074737 69.895791 -96.173304 69.919259 -96.393906 69.952115 # -b -92.155522 70.050682 -92.014712 69.968543 -92.033486 69.942727 -92.089810 69.912218 -92.221233 69.855894 -92.343269 69.855894 -92.385512 69.834773 -92.465304 69.815998 -92.573258 69.815998 -92.596727 69.778449 -92.751618 69.736206 -92.695294 69.691616 -92.728150 69.668148 -92.507547 69.672841 -92.376124 69.675188 -92.277557 69.625905 -92.178990 69.539072 -91.944307 69.499176 -91.845740 69.510910 -91.704929 69.517950 -91.639218 69.546112 -91.517183 69.611824 -91.371679 69.618864 -91.362292 69.581315 -91.460859 69.522644 -91.338823 69.539072 -91.282499 69.506216 -91.230869 69.473360 -91.151076 69.496829 -91.061897 69.480401 -90.986798 69.452239 -90.911699 69.510910 -90.897618 69.503869 -90.874150 69.440505 -90.874150 69.414689 -90.921087 69.341938 -90.996185 69.297348 -91.165157 69.356019 -91.273112 69.332550 -91.418616 69.348978 -91.198013 69.248064 -90.977411 69.126029 -90.808438 69.107254 -90.789664 69.043889 -90.611304 68.940629 -90.634773 68.914814 -90.470494 68.806859 -90.545593 68.698905 -90.545593 68.583910 -90.587836 68.522892 -90.503350 68.417285 -90.414170 68.365654 -90.381314 68.316371 -90.357846 68.304636 -90.217036 68.349226 -90.104388 68.433712 -90.015208 68.511158 -90.015208 68.572176 -90.015208 68.635540 # -b -89.782872 65.873315 -90.078573 65.910865 -90.177140 65.819338 # -b -89.904907 63.944217 -90.036330 63.981766 -90.059798 63.894933 -90.069185 63.890240 # -b -89.970618 63.831569 -90.026942 63.789326 -90.102041 63.681371 -90.191221 63.618007 -90.322644 63.622700 -90.364887 63.564029 -90.454066 63.549948 -90.566714 63.568723 -90.641813 63.495971 -90.740380 63.559336 -90.853028 63.582804 -90.951595 63.632088 -91.040775 63.641475 -91.181585 63.671984 -91.294233 63.716574 -91.402188 63.754123 -91.481980 63.730655 -91.533611 63.836262 -91.669727 63.768204 -91.777681 63.763510 -91.857474 63.758817 -91.932573 63.798713 -91.998284 63.768204 -92.087464 63.763510 -92.120319 63.763510 -92.176643 63.768204 -92.373778 63.812794 -92.570912 63.840956 -92.636623 63.885546 -92.824370 63.923095 -92.969874 63.948910 -93.265575 64.021662 -93.467403 64.068599 -93.519033 64.026356 -93.551889 63.986460 -93.622294 63.944217 -93.575357 63.885546 -93.411079 63.836262 -93.289043 63.871465 -93.312512 63.904321 -93.298431 63.953604 -93.157620 63.885546 -92.857226 63.852690 -92.636623 63.803407 -92.584993 63.754123 -92.584993 63.716574 -92.472345 63.777591 -92.364390 63.758817 -92.120319 63.730655 -92.087464 63.681371 -92.162562 63.671984 -92.232967 63.641475 -92.284598 63.582804 -92.186031 63.573417 -92.120319 63.641475 -91.974816 63.686065 -91.791762 63.709533 -91.622790 63.681371 -91.571160 63.618007 -91.425656 63.564029 -91.359945 63.533521 -91.115874 63.505359 -91.073631 63.460769 -90.909352 63.486584 -90.871803 63.451381 -90.895271 63.406792 -90.829560 63.366895 -90.740380 63.326999 -90.707525 63.277716 -90.674669 63.219045 -90.655894 63.165067 -90.641813 63.129865 -90.618345 63.089969 -90.618345 63.054766 -90.632426 63.028951 -90.632426 63.019564 -90.632426 63.000789 # -b -90.632426 63.000789 -90.674669 62.944465 -90.763849 62.895181 -90.895271 62.899875 -91.064244 62.890488 -91.186279 62.890488 -91.303621 62.834164 -91.449124 62.803655 -91.636871 62.794268 -91.834005 62.813042 -92.078076 62.813042 -92.232967 62.789574 -92.439489 62.824776 -92.505200 62.763759 -92.340922 62.632336 -92.218886 62.632336 -92.045221 62.646417 -91.998284 62.587746 -92.232967 62.557237 -92.397246 62.580706 -92.608461 62.571318 -92.641317 62.500913 -92.683560 62.409387 -92.683560 62.310820 -92.641317 62.184090 -92.594380 62.059708 -92.707028 62.132460 -92.894775 62.223987 -93.012117 62.198171 -93.002729 62.137154 -93.157620 62.085523 -93.148233 62.029199 -93.223332 61.956447 -93.232719 61.918898 -93.246800 61.918898 -93.378223 61.918898 -93.519033 61.918898 -93.467403 61.825025 -93.378223 61.789822 -93.443934 61.717070 -93.556582 61.627890 -93.706780 61.569220 -93.941463 61.491774 -94.063499 61.421369 -94.260633 61.416675 -94.514091 61.411982 -94.603271 61.369739 -94.401443 61.301680 -94.204309 61.226582 -94.192575 61.167911 -94.248899 61.066997 -94.281754 60.944961 -94.335732 60.883944 -94.523478 60.853435 -94.511744 60.778336 -94.511744 60.696197 -94.511744 60.625792 -94.579803 60.538959 -94.722959 60.522531 -94.755815 60.480288 -94.744081 60.419270 -94.699491 60.332437 -94.722959 60.240911 -94.732347 60.093060 # -b -100.862280 70.013132 -100.951460 69.933340 -100.918604 69.851201 -100.904523 69.776102 -100.984316 69.684575 -101.115738 69.668148 -101.270629 69.691616 -101.378584 69.764368 -101.434908 69.801917 -101.434908 69.858241 -101.434908 69.945074 -101.500619 69.877016 -101.556943 69.808958 -101.566331 69.740900 -101.589799 69.686922 -101.646123 69.661107 -101.702447 69.724472 -101.810402 69.745593 -101.866726 69.703350 -101.974680 69.764368 -102.040391 69.846507 -102.040391 69.930993 -102.096715 69.881710 -102.209364 69.874669 -102.218751 69.895791 -102.284462 69.844160 -102.340786 69.806611 -102.406498 69.806611 -102.528533 69.776102 -102.617713 69.754981 -102.627100 69.715084 -102.552001 69.710391 -102.528533 69.632945 -102.528533 69.557846 -102.584857 69.553153 -102.659956 69.550806 -102.772604 69.576621 -102.889946 69.581315 -103.011981 69.583662 -103.091774 69.583662 -103.143404 69.571927 -103.157485 69.546112 -103.058918 69.463973 -103.035449 69.421730 -103.058918 69.384181 -103.058918 69.353672 -103.068305 69.313776 -103.058918 69.271532 -102.969738 69.344284 -102.871171 69.398262 -102.627100 69.452239 -102.561389 69.510910 -102.364255 69.510910 -102.284462 69.517950 -102.143652 69.515603 -102.096715 69.480401 -101.998148 69.473360 -101.932437 69.461626 -101.998148 69.421730 -102.031004 69.377140 -102.129571 69.332550 -102.120184 69.306735 -102.209364 69.313776 -102.242219 69.271532 -102.176508 69.208168 -102.063860 69.201127 -102.021617 69.273879 -101.890194 69.248064 -101.801014 69.229289 -101.589799 69.219902 -101.547556 69.154191 -101.580412 69.100214 -101.688366 69.090826 -101.735303 69.107254 -101.768159 69.060317 -101.866726 69.013381 -101.866726 68.985219 -102.007536 68.989912 -102.162427 68.961750 -102.364255 68.945322 -102.406498 68.881958 -102.650569 68.877264 -102.758523 68.905426 -102.791379 68.842062 -102.889946 68.823287 -102.946270 68.788084 -103.091774 68.825634 -103.256052 68.802165 -103.354619 68.783391 -103.509510 68.795125 -103.673789 68.813900 -103.838067 68.825634 -103.917860 68.881958 -104.058670 68.905426 -104.237029 68.914814 -104.335596 68.954710 -104.490487 68.950016 -104.570280 68.893692 -104.711090 68.910120 -105.030259 68.921854 -105.250862 68.954710 -105.274330 68.996953 -105.110052 69.050930 -104.988016 69.111948 -105.077196 69.147150 -105.142907 69.126029 -105.241475 69.123682 -105.396366 69.126029 -105.537176 69.130722 -105.570031 69.172965 -105.682680 69.189393 -105.823490 69.201127 -105.926750 69.184700 -106.067560 69.201127 -106.198983 69.201127 -106.367955 69.208168 -106.386730 69.271532 -106.321019 69.320816 -106.367955 69.426424 -106.443054 69.492135 -106.640188 69.517950 -106.696512 69.463973 -106.795079 69.414689 -107.048538 69.377140 -106.992214 69.318469 -106.949970 69.264492 -106.959358 69.212862 -107.128330 69.161231 -107.283221 69.074398 -107.414644 69.003993 -107.499130 68.989912 -107.841768 68.973484 -107.907479 68.966444 -108.085839 68.968791 -108.405008 68.961750 -108.583368 68.966444 -108.649079 68.961750 -108.550512 68.928895 -108.738259 68.818593 -109.024573 68.738801 -109.320274 68.703598 -109.564345 68.647274 -109.916370 68.626153 # -b -110.029018 67.997201 -109.977388 67.976080 # -b -110.029018 67.924449 -109.921064 67.903328 -109.864740 67.933836 -109.808416 67.870472 -109.752092 67.839963 -109.752092 67.785986 -109.808416 67.785986 -109.695768 67.776599 -109.470471 67.743743 -109.498633 67.785986 -109.165383 67.785986 -109.109059 67.776599 -108.996411 67.785986 -108.996411 67.764864 -109.024573 67.722621 -108.996411 67.680378 -109.024573 67.647523 -108.940087 67.584158 -108.996411 67.499672 -108.883763 67.445695 -108.883763 67.487938 -108.855601 67.455082 -108.771115 67.541915 -108.747646 67.668644 -108.663160 67.659257 -108.663160 67.584158 -108.578674 67.584158 -108.634998 67.520793 -108.634998 67.445695 -108.494188 67.424573 -108.409702 67.478550 -108.268892 67.358862 -108.104613 67.358862 -108.020127 67.295497 -107.963803 67.218052 -107.907479 67.164075 -108.048289 67.100710 -108.184406 67.121832 -108.353378 67.077242 -108.437864 67.100710 -108.381540 67.034999 -108.160937 66.924697 -107.991965 66.814396 -107.851155 66.781540 -107.822993 66.924697 -107.738507 66.936432 -107.574229 66.891842 -107.433419 66.969287 -107.264446 66.957553 -107.377094 67.034999 -107.461581 67.088976 -107.292608 67.142953 -107.320770 67.164075 -107.461581 67.164075 -107.574229 67.250907 -107.654021 67.358862 -107.794831 67.433961 -107.710345 67.466816 -107.710345 67.584158 -107.794831 67.617014 -107.794831 67.668644 -108.048289 67.722621 -108.132775 67.785986 -107.991965 67.903328 -107.879317 67.891593 -107.822993 67.945571 -107.710345 67.964345 -107.851155 67.985467 -107.794831 68.027710 -107.738507 68.091074 -107.489743 68.091074 -107.264446 68.142705 -107.236284 68.173214 -107.236284 68.133317 -106.818548 68.154439 -106.846710 68.236578 -106.677738 68.257700 -106.480603 68.245966 -106.508765 68.360960 -106.424279 68.382082 -106.372649 68.297596 -106.260001 68.412591 -106.175515 68.452487 -106.203677 68.515852 -105.950219 68.555748 -106.062867 68.576869 -105.922057 68.626153 -105.922057 68.687171 -106.062867 68.668396 -106.091029 68.687171 -106.372649 68.656662 -106.677738 68.607378 -106.536928 68.534626 -106.677738 68.525239 -106.846710 68.525239 -106.705900 68.412591 -106.677738 68.464221 -106.677738 68.400857 -106.677738 68.339839 -106.734062 68.309330 -106.790386 68.349226 -106.762224 68.382082 -106.846710 68.370348 -106.874872 68.412591 -106.982826 68.412591 -107.067312 68.412591 -107.151798 68.391469 -107.236284 68.349226 -107.264446 68.318717 -107.320770 68.360960 -107.461581 68.370348 -107.574229 68.370348 -107.625859 68.400857 -107.794831 68.370348 -107.879317 68.370348 -107.991965 68.330452 -107.935641 68.278821 -107.794831 68.267087 -107.794831 68.236578 -107.710345 68.215457 -107.907479 68.206069 -108.048289 68.163826 -108.132775 68.173214 -108.020127 68.206069 -108.184406 68.206069 -108.353378 68.184948 -108.353378 68.227191 -108.522350 68.206069 -108.466026 68.257700 -108.634998 68.257700 -108.578674 68.309330 -108.827439 68.278821 -108.883763 68.309330 -108.855601 68.382082 -108.663160 68.482996 -108.663160 68.525239 -108.522350 68.626153 -108.381540 68.668396 -108.104613 68.668396 -107.935641 68.687171 -107.794831 68.687171 -107.597697 68.720026 -107.377094 68.769310 -107.095474 68.799819 -106.982826 68.860836 -106.705900 68.891345 -106.677738 68.950016 -106.424279 68.931241 -106.260001 68.992259 -106.091029 68.950016 -106.034705 68.921854 -105.893895 68.910120 -105.837571 68.820940 -105.645130 68.769310 -105.588806 68.759922 -105.729616 68.720026 -105.701454 68.720026 -105.588806 68.656662 -105.560644 68.595644 -105.391672 68.565135 -105.391672 68.525239 -105.560644 68.525239 -105.673292 68.504117 -105.673292 68.473609 -105.560644 68.482996 -105.391672 68.412591 -105.279024 68.391469 -105.250862 68.360960 -105.086583 68.288209 -104.945773 68.278821 -104.833125 68.257700 -104.748639 68.257700 -104.776801 68.245966 -104.748639 68.184948 -104.748639 68.121583 -104.579667 68.069953 -104.443551 68.081687 -104.190092 68.039444 -104.021120 68.081687 -103.913166 68.048831 -103.856842 68.048831 -103.856842 68.112196 -103.716032 68.081687 -103.687870 68.091074 -103.631546 68.133317 -103.631546 68.206069 -103.326457 68.154439 -103.326457 68.039444 -103.044837 67.933836 -102.904027 67.903328 -102.767910 67.785986 -102.627100 67.785986 -102.345480 67.701500 -102.204670 67.713234 -102.204670 67.776599 -102.068553 67.764864 -102.012229 67.785986 -101.984067 67.776599 -101.871419 67.743743 -101.815095 67.764864 -101.566331 67.713234 -101.369197 67.755477 -101.228386 67.785986 -100.951460 67.764864 -100.838812 67.743743 -100.529030 67.785986 -100.364751 67.870472 -100.195779 67.870472 -100.026807 67.861085 # -b -110.024325 62.890488 -109.874127 62.869366 -109.705155 62.855285 -109.550264 62.838857 -109.428228 62.834164 -109.329661 62.820083 -109.221707 62.789574 -109.132527 62.733250 -109.099671 62.688660 -109.141915 62.658151 -109.278031 62.618255 -109.409454 62.557237 -109.451697 62.545503 -109.442309 62.601827 -109.475165 62.618255 -109.606588 62.658151 -109.794335 62.698047 -109.916370 62.728556 # -b -110.146360 62.552544 -109.949226 62.552544 -109.850659 62.531422 -109.883514 62.461017 # -b -120.017148 69.356019 -119.942050 69.356019 -119.777771 69.348978 -119.599412 69.306735 -119.378809 69.306735 -119.214531 69.285614 -119.026784 69.252758 -118.881280 69.255105 -118.717002 69.231636 -118.618435 69.165925 -118.496399 69.130722 -118.364977 69.095520 -118.120906 69.067358 -117.900303 69.015727 -117.745412 68.973484 -117.660926 68.957057 -117.482567 68.957057 -117.318288 68.954710 -117.182172 68.921854 -117.050749 68.910120 -116.985038 68.905426 -117.017893 68.931241 # -b -119.963171 66.990409 -119.963171 66.990409 # -b -120.061738 65.117634 -119.939703 65.152837 -119.972559 65.223242 -119.859911 65.281913 -119.662776 65.270179 -119.489111 65.256098 -119.456255 65.295994 -119.540741 65.366399 -119.709713 65.401601 -119.873992 65.434457 -119.939703 65.483741 -119.930316 65.525984 -119.827055 65.570574 -119.686245 65.612817 -119.686245 65.657406 -119.695632 65.690262 -119.564209 65.725465 -119.376462 65.711384 -119.212184 65.730158 -119.080761 65.748933 -118.944645 65.716077 -118.803835 65.666794 -118.672412 65.652713 -118.648944 65.598736 -118.583232 65.570574 -118.517521 65.575267 -118.451809 65.570574 -118.315693 65.589348 -118.217126 65.603429 -118.029379 65.629244 -117.987136 65.643325 -117.888569 65.648019 -117.865101 65.697303 -117.977749 65.701996 -118.029379 65.706690 -118.118559 65.706690 -118.217126 65.671487 -118.362630 65.638632 -118.461197 65.643325 -118.437728 65.697303 -118.249982 65.770054 -118.132640 65.819338 -118.062235 65.847500 -118.142027 65.866275 -118.132640 65.901477 -117.996523 65.931986 -117.930812 65.946067 -117.865101 65.971882 -117.879182 65.990657 -117.865101 66.025860 -117.841632 66.049328 -117.799389 66.079837 -117.700822 66.143201 -117.635111 66.173710 -117.611642 66.199525 -117.658579 66.204219 -117.743065 66.204219 -117.775921 66.244115 -117.691435 66.274624 -117.644498 66.288705 -117.635111 66.314520 -117.545931 66.359110 -117.480220 66.389619 -117.456751 66.452984 -117.437977 66.474105 -117.456751 66.478799 -117.536544 66.424821 -117.635111 66.403700 -117.710210 66.394313 -117.733678 66.452984 -117.691435 66.483492 -117.691435 66.525735 -117.578787 66.556244 -117.555318 66.570325 -117.578787 66.584406 -117.578787 66.619609 -117.658579 66.621956 -117.799389 66.600834 -117.912037 66.591447 -118.076316 66.530429 -118.249982 66.452984 -118.249982 66.424821 -118.151415 66.429515 -118.282837 66.359110 -118.461197 66.312173 -118.559764 66.298092 -118.672412 66.298092 -118.794447 66.288705 -119.047906 66.253503 -119.123004 66.262890 -119.268508 66.298092 -119.399931 66.293399 -119.531354 66.274624 -119.676857 66.272277 -119.639308 66.333295 -119.653389 66.337989 -119.742569 66.319214 -119.850523 66.342682 -119.996027 66.354416 # -b -120.073473 66.596140 -119.932662 66.621956 -119.777771 66.645424 -119.688592 66.652464 -119.557169 66.692361 -119.444521 66.722870 -119.303711 66.767459 -119.289630 66.779194 -119.280242 66.809702 -119.158207 66.809702 -119.059640 66.835518 -119.092495 66.856639 -119.181675 66.866026 -119.247387 66.887148 -119.322485 66.891842 -119.378809 66.891842 -119.500845 66.922351 -119.524313 66.948166 -119.599412 66.948166 -119.665123 66.943472 -119.697979 66.922351 -119.712060 66.905923 -119.763690 66.905923 -119.876338 66.927044 -119.951437 66.957553 -119.965518 66.973981 -119.965518 66.990409 # -b -114.889314 69.285614 -114.931557 69.278573 -114.978493 69.248064 -115.030124 69.248064 -115.030124 69.255105 -115.109916 69.252758 -115.241339 69.255105 -115.363374 69.248064 -115.518266 69.285614 -115.724787 69.285614 -115.912534 69.297348 -116.067425 69.325510 -116.212929 69.365406 -116.452306 69.426424 -116.574341 69.461626 -116.574341 69.529684 -116.776169 69.550806 -116.907592 69.593049 -116.916979 69.644679 -116.963916 69.717431 -117.161050 69.776102 -117.236149 69.825386 -117.292473 69.888750 -117.367572 69.952115 # -b -109.916370 68.626153 -110.047793 68.654315 -110.202684 68.635540 -110.291864 68.612072 -110.413899 68.623806 -110.568790 68.640234 -110.700213 68.602684 -110.789393 68.647274 -110.953671 68.623806 -111.052238 68.602684 -111.197742 68.600338 -111.329165 68.590950 -111.371408 68.572176 -111.239985 68.567482 -111.249372 68.539320 -111.493443 68.539320 -111.714046 68.522892 -111.911180 68.499424 -112.023828 68.522892 -112.145863 68.522892 -112.352385 68.522892 -112.784203 68.515852 -112.981337 68.511158 -113.258263 68.490036 -113.225408 68.515852 -113.028273 68.567482 -113.183165 68.595644 -113.370911 68.642581 -113.511722 68.734107 -113.577433 68.823287 -113.676000 68.893692 -113.676000 68.992259 -113.610289 69.065011 -113.610289 69.088479 -113.765180 69.123682 -113.774567 69.149497 -113.854359 69.189393 -114.018638 69.229289 -114.028025 69.266839 -114.182916 69.283267 -114.337807 69.297348 -114.506780 69.297348 -114.769625 69.290307 -114.891661 69.285614 # -b -117.015546 68.931241 -116.762088 68.910120 -116.457000 68.891345 -116.231703 68.900733 -116.034569 68.820940 -115.978245 68.879611 -116.147217 68.931241 -116.288027 68.980525 -116.203541 68.992259 -116.062731 69.001646 -115.954777 68.971138 -115.757643 68.961750 -115.757643 69.001646 -115.673157 68.992259 -115.560509 68.992259 -115.255420 68.961750 -115.363374 68.931241 -115.086448 68.870224 -115.058286 68.820940 -114.889314 68.851449 -114.889314 68.790431 -114.804828 68.769310 -114.696873 68.759922 -114.556063 68.720026 -114.471577 68.668396 -114.330767 68.595644 -114.218119 68.555748 -114.218119 68.412591 -114.082002 68.482996 -114.082002 68.400857 -114.138326 68.339839 -114.053840 68.297596 -114.218119 68.309330 -114.274443 68.257700 -114.387091 68.245966 -114.443415 68.288209 -114.471577 68.309330 -114.725035 68.278821 -115.058286 68.297596 -114.832990 68.257700 -114.973800 68.194335 -115.339906 68.215457 -115.339906 68.206069 -115.255420 68.173214 -115.339906 68.133317 -115.339906 68.100462 -115.339906 68.039444 -115.616833 67.976080 -115.504185 67.933836 -115.419698 67.924449 -115.283582 67.945571 -115.391536 67.903328 -115.170934 67.870472 -114.748504 67.785986 -114.668711 67.839963 -114.527901 67.818842 -114.443415 67.776599 -114.302605 67.776599 -114.218119 67.785986 -113.997516 67.755477 -113.631410 67.764864 -113.382646 67.734355 -113.044701 67.764864 -113.072863 67.743743 -112.852261 67.722621 -112.401668 67.734355 -112.350038 67.785986 -112.124742 67.785986 -112.012094 67.785986 -112.068418 67.734355 -111.871284 67.734355 -111.983932 67.764864 -111.843122 67.818842 -111.786798 67.764864 -111.594357 67.755477 -111.566195 67.785986 -111.425385 67.776599 -111.340899 67.891593 -111.148459 67.912715 -111.148459 67.870472 -111.171927 67.785986 -110.979486 67.785986 -110.838676 67.818842 -110.613380 67.945571 -110.420940 67.997201 -110.195643 67.997201 -110.111157 68.060566 -110.026671 67.997201 # -b -109.975041 67.976080 -110.026671 67.924449 # -b -115.788152 62.996095 -115.736521 63.031298 -115.736521 63.019564 -115.745909 62.974974 -115.755296 62.939771 -115.769377 62.890488 -115.755296 62.838857 -115.713053 62.798961 -115.623873 62.740290 -115.501838 62.688660 -115.393883 62.658151 -115.257767 62.597133 -115.116957 62.566625 -115.018390 62.510300 -114.905742 62.449283 -114.783706 62.414080 -114.628815 62.392959 -114.530248 62.414080 -114.422294 62.496219 -114.333114 62.526728 -114.319033 62.576012 -114.342501 62.693354 -114.375357 62.749678 -114.455149 62.829470 -114.441068 62.820083 -114.333114 62.768452 -114.267402 62.719169 -114.211078 62.667538 -114.154754 62.613561 -114.154754 62.583052 -114.178223 62.545503 -114.164142 62.510300 -114.178223 62.461017 -114.164142 62.418774 -114.112511 62.357756 -114.023332 62.296738 -113.910683 62.214599 -113.793342 62.158275 -113.722937 62.146541 -113.624370 62.167663 -113.582127 62.209906 -113.535190 62.285004 -113.502334 62.357756 -113.394380 62.331941 -113.384992 62.254495 -113.427235 62.209906 -113.469478 62.141847 -113.450704 62.085523 -113.305200 62.050321 -113.159696 62.038587 -112.986030 62.050321 -112.831139 62.076136 -112.652780 62.090217 -112.488501 62.116032 -112.277286 62.202865 -112.113008 62.310820 -111.948729 62.367144 -111.883018 62.439895 -111.836081 62.522035 -111.817307 62.597133 -111.704658 62.658151 -111.573236 62.719169 -111.418345 62.749678 -111.263453 62.789574 -111.075707 62.824776 -110.953671 62.850592 -110.831636 62.864673 -110.700213 62.890488 -110.545322 62.899875 -110.399818 62.916303 -110.301251 62.909262 -110.169828 62.899875 -110.024325 62.890488 # -b -109.914023 62.728556 -110.092383 62.740290 -110.247274 62.744984 -110.397471 62.740290 -110.542975 62.733250 -110.552362 62.723862 -110.467876 62.714475 -110.345841 62.698047 -110.190950 62.679273 -110.078302 62.672232 -110.111157 62.637030 -110.266049 62.637030 -110.388084 62.637030 -110.355228 62.592440 -110.233193 62.587746 -110.144013 62.552544 # -b -109.881168 62.461017 -110.059527 62.484485 -110.289517 62.479792 -110.420940 62.430508 -110.533588 62.414080 -110.674398 62.444589 -110.843370 62.444589 -110.960712 62.475098 -111.063972 62.496219 -111.031117 62.439895 -110.984180 62.383571 -110.974793 62.331941 -110.974793 62.310820 -111.171927 62.292045 -111.359674 62.235721 -111.439466 62.188784 -111.547421 62.146541 -111.678843 62.094911 -111.744555 62.106645 -111.768023 62.069095 -111.758636 62.012771 -111.777410 61.956447 -111.800879 61.897777 -111.932301 61.820331 -112.002707 61.778088 -112.087193 61.742885 -112.232696 61.674827 -112.307795 61.632584 -112.443912 61.564526 -112.631658 61.505855 -112.838180 61.501161 -112.903891 61.458918 -113.082251 61.454225 -113.260610 61.480040 -113.302853 61.400247 -113.413154 61.327496 -113.556311 61.318108 -113.711202 61.280559 -113.744058 61.243010 -113.765180 61.163217 -113.798035 61.088118 -113.875481 61.013020 -114.030372 60.975470 -114.185263 61.003632 -114.328420 61.050569 -114.516167 61.029448 -114.659324 60.991898 -114.837683 60.933227 -115.058286 60.900372 -115.210830 60.874556 -115.344600 60.858129 -115.487757 60.832313 -115.654382 60.832313 -115.785805 60.858129 -115.919574 60.841701 -116.083853 60.808845 -116.238744 60.799458 -116.337311 60.841701 -116.414757 60.933227 -116.503936 60.961389 -116.614238 61.008326 -116.724539 61.029448 -116.834840 61.050569 -116.924020 61.078731 -117.043708 61.109240 -117.165744 61.120974 -117.222068 61.151483 -117.287779 61.167911 -117.353491 61.184339 -117.463792 61.200766 -117.529503 61.221888 -117.618683 61.252397 -117.684394 61.280559 -117.740718 61.327496 -117.806430 61.374432 -117.937853 61.400247 -117.994177 61.416675 -117.994177 61.386166 -118.102131 61.395554 -118.224166 61.365045 -118.212432 61.311068 -118.111518 61.285253 -118.111518 61.273518 -118.200698 61.280559 -118.289878 61.280559 -118.400179 61.280559 -118.487012 61.280559 -118.609047 61.289946 -118.665371 61.311068 -118.707614 61.353311 -118.627822 61.395554 -118.562111 61.437797 -118.472931 61.496468 -118.397832 61.555139 -118.299265 61.585647 -118.153761 61.580954 -118.022339 61.555139 -117.843979 61.501161 -117.703169 61.470653 -117.590521 61.433103 -117.515422 61.407288 -117.402774 61.365045 -117.304207 61.332189 -117.247883 61.318108 -117.104726 61.311068 -116.905245 61.280559 -116.740967 61.285253 -116.696377 61.327496 -116.630665 61.416675 -116.485162 61.407288 -116.386595 61.353311 -116.264559 61.289946 -116.109668 61.264131 -115.954777 61.210154 -115.821007 61.205460 -115.811620 61.285253 -115.710706 61.318108 -115.710706 61.365045 -115.856210 61.395554 -115.799886 61.449531 -115.644995 61.437797 -115.560509 61.454225 -115.490104 61.416675 -115.292969 61.480040 -115.302357 61.505855 -115.391536 61.576260 -115.316438 61.590341 -115.260114 61.649012 -115.269501 61.705336 -115.194402 61.752273 -115.283582 61.799209 -115.236645 61.841452 -115.161547 61.853187 -115.072367 61.841452 -114.964412 61.825025 -114.861152 61.815637 -114.729729 61.810944 -114.607694 61.820331 -114.598306 61.857880 -114.621775 61.888389 -114.654630 61.930632 -114.795440 61.925939 -114.786053 61.970528 -114.664018 61.961141 -114.598306 61.970528 -114.556063 61.982263 -114.499739 62.012771 -114.556063 62.064402 -114.720342 62.064402 -114.875233 62.085523 -115.081754 62.101951 -115.039511 62.141847 -114.950331 62.177050 -114.917476 62.228680 -114.940944 62.249802 -115.006655 62.240414 -115.128691 62.228680 -115.227258 62.285004 -115.260114 62.367144 -115.358681 62.444589 -115.415005 62.479792 -115.560509 62.496219 -115.757643 62.514994 -115.757643 62.557237 -115.799886 62.637030 -115.954777 62.698047 -116.109668 62.754371 -116.067425 62.820083 -116.119055 62.881100 -116.264559 62.909262 -116.344352 62.939771 -116.428838 62.991402 -116.363126 63.010176 -116.222316 62.970280 -116.053344 62.956199 -115.945390 62.979668 -115.846822 62.996095 -115.799886 62.996095 # -b -113.061129 61.841452 -113.061129 61.846146 -113.018886 61.871961 -112.929706 61.879002 -112.807671 61.879002 -112.652780 61.897777 -112.497889 61.918898 -112.357079 61.951754 -112.225656 61.991650 -112.169332 61.991650 -112.169332 61.944713 -112.258512 61.897777 -112.277286 61.862574 -112.211575 61.825025 -112.235043 61.785128 -112.389934 61.773394 -112.446258 61.738192 -112.563600 61.717070 -112.610537 61.747579 -112.699717 61.778088 -112.784203 61.768701 -112.831139 61.794516 -112.929706 61.820331 -113.018886 61.825025 -113.061129 61.841452 # -b -116.440572 61.221888 -116.518017 61.217194 -116.428838 61.200766 -116.363126 61.163217 -116.285681 61.130361 -116.175379 61.092812 -116.163645 61.034141 -116.163645 60.998939 -116.241091 61.003632 -116.351392 61.045875 -116.482815 61.078731 -116.649440 61.109240 -116.616584 61.142096 -116.571995 61.196073 -116.518017 61.226582 -116.449959 61.221888 -116.440572 61.221888 # -b -111.261107 62.662845 -111.204783 62.658151 -111.171927 62.662845 -111.106216 62.658151 -111.007648 62.667538 -110.876226 62.698047 -110.805821 62.693354 -110.730722 62.688660 -110.665011 62.679273 -110.665011 62.613561 -110.763578 62.606521 -110.895000 62.601827 -111.031117 62.561931 -111.106216 62.557237 -111.195395 62.576012 -111.303350 62.571318 -111.350286 62.545503 -111.425385 62.536116 -111.556808 62.475098 -111.678843 62.449283 -111.702312 62.484485 -111.580276 62.566625 -111.481709 62.622949 -111.369061 62.627642 -111.261107 62.662845 # -b -129.613357 70.020173 -129.688456 69.980277 -129.852735 69.933340 -129.998238 69.895791 # -b -130.164864 69.703350 -129.953648 69.736206 -129.779983 69.801917 -129.592236 69.827732 -129.446732 69.839467 -129.273066 69.858241 -129.085319 69.914565 -128.953897 69.968543 -128.953897 69.926299 -128.986752 69.846507 -129.061851 69.851201 -129.174499 69.766715 -129.207355 69.703350 -129.085319 69.733859 -128.906960 69.764368 -128.766150 69.797224 -128.620646 69.877016 -128.423512 69.949768 # -b -127.163261 70.036601 -127.017758 69.956808 -126.942659 69.862935 -126.876948 69.783143 -126.797155 69.703350 -126.679813 69.623558 -126.501454 69.583662 -126.435743 69.522644 -126.402887 69.503869 -126.388806 69.487441 -126.355950 69.492135 -126.224527 69.449892 -126.060249 69.391221 -125.872502 69.365406 -125.694143 69.365406 -125.473540 69.360712 -125.487621 69.384181 -125.421910 69.398262 -125.234163 69.402955 -125.234163 69.433464 -125.374973 69.461626 -125.553333 69.445198 -125.694143 69.426424 -125.642512 69.496829 -125.497009 69.499176 -125.356198 69.503869 -125.210695 69.529684 -125.299874 69.534378 -125.407829 69.581315 -125.497009 69.630598 -125.389054 69.668148 -125.144983 69.703350 -125.144983 69.752634 -125.285793 69.764368 -125.285793 69.844160 -125.234163 69.785489 -125.079272 69.862935 -124.924381 69.921606 -124.858669 69.989664 # -b -124.914993 70.001398 -125.046416 69.975583 -125.121515 69.921606 -125.187226 69.942727 # -b -124.760102 70.027213 -124.703778 69.961502 # -b -124.429199 70.001398 -124.452667 69.961502 -124.462054 69.914565 -124.462054 69.869975 -124.476135 69.808958 -124.518378 69.766715 -124.494910 69.717431 -124.396343 69.691616 -124.264920 69.724472 -124.166353 69.722125 -124.067786 69.705697 -124.100642 69.686922 -124.142885 69.644679 -124.264920 69.569581 -124.410424 69.492135 -124.443280 69.445198 -124.485523 69.402955 -124.518378 69.463973 -124.560621 69.402955 -124.551234 69.360712 -124.429199 69.365406 -124.307163 69.344284 -124.175740 69.341938 -124.166353 69.341938 -124.110029 69.348978 -124.020849 69.391221 -123.898814 69.391221 -123.734535 69.377140 -123.635968 69.356019 -123.481077 69.398262 -123.438834 69.461626 -123.359042 69.496829 -123.260475 69.515603 -123.237006 69.588355 -123.138439 69.684575 -123.138439 69.729165 -123.119665 69.801917 -122.964773 69.801917 -122.875594 69.820692 -122.697234 69.839467 -122.500100 69.806611 -122.345209 69.813651 -122.213786 69.806611 -122.204399 69.790183 -122.115219 69.790183 -122.026039 69.806611 -121.927472 69.801917 -121.805437 69.801917 -121.650546 69.778449 -121.542591 69.776102 -121.397088 69.759674 -121.242196 69.710391 -121.101386 69.672841 -120.955883 69.632945 -120.833847 69.607130 -120.725893 69.546112 -120.571002 69.485094 -120.481822 69.433464 -120.317543 69.402955 -120.172040 69.377140 -120.153265 69.367753 -120.017148 69.356019 # -b -119.963171 66.990409 -120.005414 66.978675 -120.080513 66.964594 -120.183774 66.943472 -120.249485 66.901229 -120.258873 66.866026 -120.371521 66.835518 -120.456007 66.800315 -120.545186 66.809702 -120.624979 66.809702 -120.709465 66.800315 -120.812726 66.779194 -120.920680 66.762766 -121.019247 66.753378 -121.075571 66.718176 -121.131895 66.697054 -121.230462 66.687667 -121.286786 66.652464 -121.305561 66.605528 -121.404128 66.591447 -121.516776 66.584406 -121.605956 66.584406 -121.657586 66.596140 -121.760847 66.560938 -121.812477 66.535123 -121.892270 66.514001 -121.967368 66.518695 -122.080017 66.490533 -122.202052 66.483492 -122.286538 66.523389 -122.408573 66.499920 -122.497753 66.488186 -122.610401 66.478799 -122.676113 66.478799 -122.774680 66.478799 -122.840391 66.474105 -122.882634 66.460024 -122.929571 66.429515 -123.004670 66.417781 -123.093849 66.429515 -123.084462 66.488186 -123.103237 66.504614 -123.192416 66.483492 -123.272209 66.443596 -123.380163 66.408394 -123.558523 66.382578 -123.708720 66.342682 -123.844837 66.288705 -123.985647 66.253503 -124.051358 66.248809 -124.131150 66.272277 -124.253186 66.323908 -124.337672 66.328601 -124.361140 66.312173 -124.417464 66.284011 -124.473788 66.267584 -124.525419 66.248809 -124.623986 66.248809 -124.736634 66.248809 -124.825814 66.234728 -124.900912 66.244115 -125.013560 66.272277 -125.088659 66.248809 -125.121515 66.187791 -125.144983 66.143201 -125.154371 66.079837 -125.121515 66.025860 -125.112128 65.985963 -125.022948 65.936680 -124.947849 65.901477 -124.891525 65.887396 -124.868057 65.927292 -124.844588 65.976576 -124.746021 65.981270 -124.694391 65.950761 -124.638067 65.990657 -124.638067 66.079837 -124.558274 66.110346 -124.459707 66.124427 -124.318897 66.147895 -124.239105 66.150242 -124.220330 66.124427 -124.187475 66.079837 -124.107682 66.049328 -124.009115 66.054022 -123.919935 66.058715 -123.821368 66.049328 -123.675864 66.079837 -123.511586 66.107999 -123.389551 66.138508 -123.290983 66.115039 -123.225272 66.089224 -123.201804 66.044634 -123.183029 66.014125 -123.084462 66.025860 -123.051606 66.070449 -123.051606 66.115039 -123.051606 66.154935 -123.093849 66.192485 -122.971814 66.183097 -122.863860 66.173710 -122.751211 66.154935 -122.586933 66.164323 -122.455510 66.159629 -122.342862 66.164323 -122.202052 66.178404 -122.033080 66.164323 -121.948594 66.154935 -121.845333 66.143201 -121.746766 66.115039 -121.690442 66.098611 -121.671667 66.044634 -121.615343 66.009432 -121.540244 66.009432 -121.418209 66.016472 -121.319642 66.009432 -121.272705 65.964842 -121.338417 65.892090 -121.436984 65.868622 -121.559019 65.868622 -121.760847 65.861581 -121.911044 65.873315 -122.080017 65.892090 -122.220827 65.927292 -122.286538 65.960148 -122.366330 65.964842 -122.464898 65.950761 -122.539996 65.950761 -122.563465 65.922599 -122.563465 65.878009 -122.554077 65.847500 -122.432042 65.828725 -122.333475 65.819338 -122.253682 65.802910 -122.187971 65.755973 -122.211439 65.697303 -122.244295 65.648019 -122.253682 65.584655 -122.422654 65.530677 -122.539996 65.525984 -122.685500 65.516596 -122.774680 65.483741 -122.840391 65.448538 -122.840391 65.406295 -122.793454 65.371093 -122.793454 65.314768 -122.816923 65.270179 -122.849778 65.227936 -122.938958 65.190386 -123.014057 65.171612 -123.117318 65.157531 -123.201804 65.152837 -123.305065 65.148143 -123.436487 65.143450 -123.478730 65.122328 -123.469343 65.094166 -123.389551 65.089472 -123.370776 65.033148 -123.234659 65.028455 -123.150173 65.000293 -123.051606 64.962743 -122.971814 64.939275 -122.774680 64.929888 -122.577546 64.925194 -122.422654 64.929888 -122.319394 64.939275 -122.211439 64.889991 -122.047161 64.899379 -121.892270 64.948662 -121.760847 65.004986 -121.615343 65.051923 -121.615343 65.162224 -121.507389 65.223242 -121.507389 65.281913 -121.460452 65.319462 -121.272705 65.382827 -121.150670 65.425070 -120.953536 65.502515 -120.789257 65.535371 -120.624979 65.535371 -120.521718 65.535371 -120.456007 65.483741 -120.456007 65.425070 -120.423151 65.347624 -120.502943 65.265485 -120.568655 65.195080 -120.676609 65.141103 -120.789257 65.103553 -120.911293 65.098860 -120.977004 65.042536 -120.977004 64.981518 -121.117814 64.958050 -121.253931 64.906419 -121.361885 64.906419 -121.469839 64.861829 -121.493308 64.810199 -121.427596 64.749181 -121.319642 64.716326 -121.174138 64.758569 -121.052103 64.814893 -120.930067 64.847748 -120.812726 64.880604 -120.554574 64.915806 -120.413764 65.019067 -120.258873 65.080085 -120.193161 65.094166 -120.061738 65.117634 # -b -119.996027 66.354416 -120.080513 66.333295 -120.235404 66.323908 -120.357440 66.359110 -120.437232 66.403700 -120.371521 66.417781 -120.249485 66.424821 -120.258873 66.474105 -120.315197 66.518695 -120.216629 66.530429 -120.103981 66.549204 -120.071126 66.596140 # -b -140.033305 69.656413 -139.911270 69.656413 -139.746991 69.644679 -139.690667 69.595396 -139.535776 69.593049 -139.362110 69.588355 -139.225994 69.534378 -139.038247 69.473360 -138.906824 69.398262 -138.751933 69.306735 -138.634592 69.248064 -138.489088 69.248064 -138.432764 69.219902 -138.381133 69.259798 -138.310728 69.201127 -138.122982 69.130722 -137.939928 69.067358 -137.770956 69.036849 -137.639533 68.992259 -137.540966 68.950016 -137.418931 68.957057 -137.278121 68.945322 -137.132617 68.933588 -137.024663 68.914814 -136.888546 68.886652 -136.789979 68.877264 -136.733655 68.877264 -136.724268 68.886652 -136.635088 68.893692 -136.536521 68.870224 -136.536521 68.905426 -136.592845 68.950016 -136.428567 68.917160 -136.207964 68.893692 -136.118784 68.865530 -135.987362 68.858490 -135.785534 68.802165 -135.588400 68.734107 -135.400653 68.659009 -135.292698 68.668396 -135.269230 68.670743 -135.170663 68.663702 -135.226987 68.710639 -135.325554 68.759922 -135.424121 68.790431 -135.442896 68.830327 -135.480445 68.863183 -135.555544 68.893692 -135.433508 68.914814 -135.302086 68.891345 -135.156582 68.870224 -134.992303 68.886652 -134.828025 68.874917 -134.696602 68.839715 -134.663747 68.748188 -134.574567 68.691864 -134.410288 68.642581 -134.288253 68.600338 -134.241316 68.555748 -134.166217 68.630847 -134.189686 68.722373 -134.274172 68.759922 -134.330496 68.799819 -134.410288 68.846755 -134.508855 68.910120 -134.598035 68.968791 -134.649666 69.027462 -134.649666 69.065011 -134.565179 69.083786 -134.461919 69.114295 -134.297640 69.196434 -134.156830 69.231636 -134.020714 69.264492 -133.912759 69.330203 -133.800111 69.325510 -133.734400 69.365406 -133.560734 69.379487 -133.326051 69.391221 -133.175853 69.419383 -133.030349 69.475707 -133.006881 69.550806 -133.006881 69.611824 -132.875458 69.654067 -132.833215 69.630598 -132.744035 69.632945 -132.697099 69.684575 -132.589144 69.733859 -132.476496 69.733859 -132.467109 69.703350 -132.368542 69.710391 -132.204263 69.703350 -132.091615 69.745593 -132.058760 69.776102 -132.035291 69.776102 -132.002435 69.785489 -131.903868 69.785489 -131.748977 69.834773 -131.518987 69.881710 -131.509600 69.914565 -131.486132 69.949768 -131.321853 69.938034 -131.152881 69.907525 -131.021458 69.970889 # -b -129.998238 69.895791 -130.129661 69.874669 -130.261084 69.846507 -130.406588 69.806611 -130.570866 69.722125 -130.735145 69.684575 -130.913504 69.618864 -131.035539 69.560193 -131.166962 69.588355 -131.307772 69.600089 -131.462663 69.581315 -131.730203 69.557846 -131.927337 69.522644 -132.124471 69.461626 -132.190182 69.402955 -132.058760 69.409996 -132.180795 69.367753 -132.345073 69.325510 -132.401397 69.271532 -132.490577 69.285614 -132.589144 69.224596 -132.645468 69.161231 -132.664243 69.217555 -132.753423 69.231636 -132.974025 69.111948 -132.988106 69.050930 -132.842602 69.060317 -132.678324 69.118988 -132.565676 69.126029 -132.443640 69.158884 -132.312218 69.170619 -132.213651 69.182353 -132.049372 69.236330 -131.838157 69.330203 -131.814689 69.353672 -131.885094 69.384181 -131.828770 69.402955 -131.683266 69.433464 -131.594086 69.421730 -131.608167 69.332550 -131.575311 69.356019 -131.476744 69.414689 -131.443889 69.344284 -131.411033 69.360712 -131.354709 69.421730 -131.288998 69.456932 -131.242061 69.452239 -131.120025 69.480401 -131.021458 69.438158 -131.035539 69.344284 -131.087170 69.231636 -131.087170 69.201127 -130.955747 69.297348 -130.814937 69.384181 -130.749226 69.440505 -130.561479 69.546112 -130.439443 69.623558 -130.406588 69.686922 -130.162517 69.703350 # -b -135.060362 69.384181 -135.041587 69.377140 -135.018119 69.372446 -134.952407 69.365406 -134.905471 69.395915 -134.952407 69.431117 -135.027506 69.461626 -134.928939 69.461626 -134.830372 69.426424 -134.731805 69.452239 -134.652012 69.421730 -134.544058 69.461626 -134.497121 69.515603 -134.576914 69.492135 -134.652012 69.515603 -134.576914 69.546112 -134.520590 69.588355 -134.478347 69.637639 -134.553445 69.679882 -134.576914 69.736206 -134.497121 69.752634 -134.487734 69.733859 -134.497121 69.691616 -134.412635 69.668148 -134.314068 69.644679 -134.323455 69.588355 -134.257744 69.553153 -134.159177 69.529684 -134.055916 69.569581 -133.971430 69.602436 -133.882250 69.560193 -133.891638 69.492135 -133.938574 69.438158 -134.079385 69.379487 -134.201420 69.309082 -134.314068 69.236330 -134.454878 69.154191 -134.600382 69.107254 -134.717724 69.048583 -134.830372 69.050930 -134.938326 69.072052 -134.961795 69.050930 -134.952407 69.025115 -135.060362 69.072052 -135.041587 69.107254 -134.872615 69.090826 -134.741192 69.137763 -134.666093 69.208168 -134.750579 69.182353 -134.896083 69.135416 -134.994650 69.158884 -135.126073 69.201127 -135.215253 69.290307 -135.238721 69.365406 -135.327901 69.391221 -135.360757 69.426424 -135.313820 69.461626 -135.248108 69.461626 -135.158929 69.431117 -135.107298 69.391221 -135.074443 69.384181 -135.060362 69.384181 # -b -135.954506 69.266839 -135.987362 69.266839 -135.987362 69.264492 -135.996749 69.231636 -135.996749 69.208168 -135.987362 69.182353 -135.987362 69.147150 -135.931037 69.126029 -135.832470 69.107254 -135.785534 69.060317 -135.776146 69.043889 -135.686967 69.050930 -135.579012 69.036849 -135.480445 68.996953 -135.424121 68.973484 -135.325554 68.966444 -135.245762 68.961750 -135.203519 68.928895 -135.123726 68.914814 -135.039240 68.921854 -135.015772 68.957057 -135.058015 68.985219 -135.123726 69.020421 -135.170663 69.036849 -135.245762 69.043889 -135.292698 69.072052 -135.344329 69.083786 -135.400653 69.090826 -135.442896 69.102560 -135.433508 69.118988 -135.400653 69.147150 -135.433508 69.158884 -135.513301 69.170619 -135.597787 69.172965 -135.644724 69.189393 -135.686967 69.236330 -135.733903 69.266839 -135.785534 69.285614 -135.841858 69.290307 -135.884101 69.285614 -135.931037 69.271532 -135.954506 69.266839 # -b -139.434862 59.954597 -139.556898 60.025002 -139.634343 60.086020 -139.711789 60.057858 # -b -145.327765 70.008439 -145.313684 69.989664 -145.083695 69.989664 -144.952272 69.982624 # -b -144.919416 70.024867 -144.797381 69.982624 -144.609634 69.982624 # -b -142.560847 70.006092 -142.452892 69.956808 -142.462280 69.933340 -142.307389 69.914565 -142.110254 69.874669 -142.077399 69.834773 -141.974138 69.820692 -141.800472 69.806611 -141.687824 69.790183 -141.579870 69.766715 -141.500077 69.729165 -141.448447 69.691616 -141.392123 69.656413 -141.317024 69.637639 -141.270087 69.672841 -141.227844 69.698656 -141.227844 69.729165 -141.213763 69.740900 -141.162133 69.745593 -141.082341 69.745593 -141.026017 69.724472 -141.007242 69.722125 # -b -141.004895 69.722125 -140.990814 69.703350 -140.948571 69.698656 -140.826536 69.672841 -140.638789 69.654067 -140.375943 69.644679 -140.197584 69.649373 -140.033305 69.656413 # -b -141.401510 59.992146 -141.511811 60.032043 -141.643234 60.008574 # -b -142.084439 59.987453 -142.218209 60.003881 -142.340244 60.025002 -142.492789 60.036736 -142.614824 60.086020 -142.757981 60.097754 -142.835426 60.109488 -142.912872 60.069592 -143.023173 60.109488 -143.088885 60.114182 -143.145209 60.053164 -143.288366 60.048470 -143.466725 60.041430 -143.631004 60.048470 -143.753039 60.041430 -143.872728 60.025002 -143.973641 60.003881 -144.072209 60.003881 -144.137920 60.015615 -144.215366 60.032043 -144.182510 60.064898 -144.194244 60.097754 -144.292811 60.168159 -144.403112 60.201015 -144.492292 60.196321 -144.581472 60.224483 -144.635449 60.233870 -144.658917 60.196321 -144.724629 60.217443 -144.802074 60.273767 -144.912376 60.299582 -144.978087 60.323050 -144.978087 60.398149 -145.022677 60.459167 -145.076654 60.484982 -145.100122 60.492022 # -b -147.815411 60.015615 -147.791942 60.048470 -147.770821 60.053164 -147.681641 60.086020 -147.550218 60.130610 -147.472773 60.196321 -147.395327 60.233870 -147.317882 60.283154 -147.285026 60.360600 -147.263904 60.393455 -147.252170 60.377027 -147.195846 60.348865 -147.207580 60.311316 -147.085545 60.327744 -147.064423 60.294888 -147.219314 60.208055 -147.341350 60.130610 -147.472773 60.057858 -147.484507 60.003881 # -b -147.836532 59.975719 -147.827145 60.003881 -147.815411 60.015615 # -b -146.810965 60.386415 -146.855555 60.360600 -146.832087 60.381721 -146.822699 60.447432 -146.778109 60.492022 -146.688930 60.513144 -146.611484 60.484982 -146.557507 60.496716 -146.501183 60.442739 -146.379147 60.442739 -146.313436 60.447432 -146.259459 60.426311 -146.280580 60.386415 -146.480061 60.348865 -146.611484 60.311316 -146.667808 60.306622 -146.656074 60.355906 -146.721785 60.372334 -146.778109 60.360600 -146.810965 60.386415 # -b -145.154100 60.492022 -145.198689 60.484982 -145.255013 60.459167 -145.255013 60.414577 -145.287869 60.381721 -145.287869 60.348865 -145.431026 60.339478 -145.541327 60.372334 -145.628160 60.419270 -145.729074 60.475594 -145.815907 60.517837 -145.883965 60.529572 -145.916821 60.534265 -145.949677 60.545999 -145.926208 60.550693 -145.860497 60.604670 -145.815907 60.653954 -145.851110 60.675075 -145.926208 60.670382 -146.015388 60.670382 -146.059978 60.691503 -146.113955 60.703237 -146.268846 60.679769 -146.423737 60.658648 -146.346292 60.707931 -146.170279 60.815886 -146.247725 60.832313 -146.423737 60.783030 -146.566894 60.712625 -146.710051 60.717318 -146.832087 60.729053 -146.787497 60.745480 -146.623218 60.766602 -146.501183 60.808845 -146.346292 60.853435 -146.358026 60.900372 -146.480061 60.890984 -146.667808 60.846394 -146.787497 60.862822 -146.787497 60.933227 -146.778109 60.970777 -146.745254 61.013020 -146.733520 61.078731 -146.456593 61.104546 -146.435472 61.142096 -146.656074 61.142096 -146.876677 61.092812 -146.998712 61.003632 -147.162990 60.982511 -147.285026 60.998939 -147.383593 60.982511 -147.461038 60.982511 -147.571340 60.975470 -147.716844 60.982511 -147.716844 61.050569 -147.791942 61.172604 -147.827145 61.078731 -147.827145 60.937921 -147.892856 60.895678 -148.047747 60.890984 -148.146314 60.937921 -148.089990 61.029448 -147.913978 61.179645 -147.913978 61.268825 -148.101724 61.172604 -148.202638 61.066997 -148.268350 61.062303 -148.289471 61.099853 -148.301205 61.120974 -148.322327 61.130361 -148.399773 61.109240 -148.566398 61.008326 -148.432628 61.003632 -148.378651 60.991898 -148.477218 60.895678 -148.697821 60.862822 -148.765879 60.799458 -148.686086 60.787724 -148.697821 60.729053 -148.510074 60.745480 -148.510074 60.696197 -148.399773 60.740787 -148.378651 60.740787 -148.388038 60.653954 -148.554664 60.588243 -148.742410 60.562427 -148.709555 60.484982 -148.510074 60.517837 -148.399773 60.517837 -148.235494 60.604670 -148.146314 60.538959 -148.158049 60.492022 -148.190904 60.447432 -148.277737 60.442739 -148.322327 60.402843 -148.423241 60.360600 -148.510074 60.266726 -148.467831 60.266726 -148.388038 60.278460 -148.355183 60.250298 -148.289471 60.240911 -148.366917 60.168159 -148.488952 60.142344 -148.566398 60.151731 -148.610988 60.069592 -148.643843 60.020308 -148.742410 60.015615 # -b -149.195350 59.975719 -149.293917 60.008574 -149.394831 60.008574 # -b -149.472276 59.987453 -149.537988 60.102448 -149.547375 60.015615 # -b -150.044904 60.937921 -149.913481 60.961389 -149.714000 60.944961 -149.481664 60.916799 -149.239940 60.895678 -149.129638 60.895678 -149.195350 60.923840 -149.394831 60.954349 -149.514519 60.991898 -149.714000 61.024754 -149.880626 61.041182 -149.979193 61.045875 # -b -150.033170 61.226582 -149.967458 61.252397 -149.868891 61.336883 -149.702266 61.407288 -149.629514 61.437797 -149.559109 61.522283 -149.641248 61.517589 -149.779712 61.449531 # -b -160.072930 66.455330 -159.875796 66.464718 -159.678662 66.469411 -159.523771 66.509308 -159.523771 66.565632 -159.631725 66.589100 -159.875796 66.556244 # -b -160.105786 66.575019 -159.918039 66.614915 -159.800698 66.619609 -159.678662 66.640730 -159.589482 66.682973 -159.744374 66.678280 -159.875796 66.692361 # -b -151.800337 59.947557 -151.779215 60.015615 -151.678301 60.118875 -151.535144 60.201015 -151.457699 60.283154 -151.413109 60.435698 -151.424843 60.571815 -151.481167 60.691503 -151.403722 60.761908 -151.359132 60.766602 -151.227709 60.799458 -151.049349 60.841701 -150.885071 60.886291 -150.730180 60.961389 -150.596410 61.003632 -150.476722 61.020060 -150.354686 60.912106 -150.220917 60.895678 -150.044904 60.937921 # -b -149.979193 61.045875 -150.122350 61.109240 -150.134084 61.200766 -150.033170 61.226582 # -b -149.857157 61.449531 -150.021436 61.365045 -150.209182 61.264131 -150.373461 61.247703 -150.584676 61.247703 -150.683243 61.301680 -150.659775 61.400247 -150.603451 61.522283 -150.495496 61.623197 -150.382848 61.717070 -150.284281 61.832065 -150.260813 61.961141 -150.218570 62.094911 -150.195101 62.188784 -150.218570 62.266230 -150.307749 62.285004 -150.349993 62.188784 -150.349993 62.111339 -150.382848 62.033893 -150.472028 61.918898 -150.537739 61.815637 -150.626919 61.712377 -150.734873 61.623197 -150.800585 61.543404 -150.838134 61.437797 -150.800585 61.358004 -150.812319 61.296987 -150.988332 61.200766 -151.122101 61.146789 -151.244137 61.078731 -151.464739 61.029448 -151.629018 60.982511 -151.861354 60.923840 -151.894210 60.799458 -152.004511 60.733746 -152.114813 60.670382 -152.203992 60.609364 -152.248582 60.588243 -152.368271 60.409883 -152.445716 60.360600 -152.591220 60.299582 -152.689787 60.245605 -152.776620 60.245605 -152.922124 60.250298 -153.041812 60.316010 -153.163848 60.299582 -153.032425 60.240911 -152.889268 60.191627 -152.788354 60.142344 -152.743764 60.086020 -152.755499 60.020308 # -b -164.550692 63.050073 -164.705583 63.010176 -164.705583 63.024257 -164.663340 63.028951 -164.583548 63.045379 -164.484981 63.045379 -164.386413 63.028951 -164.330089 63.005483 # -b -163.757462 63.000789 -163.733993 63.005483 -163.668282 63.028951 -163.569715 63.059460 -163.480535 63.099356 -163.381968 63.064154 -163.184834 63.035992 -163.029943 63.064154 -162.917295 63.134559 -162.776485 63.188536 -162.612206 63.263635 -162.457315 63.362202 -162.358748 63.460769 -162.278955 63.491278 -162.105290 63.495971 -162.081821 63.474850 -162.180388 63.420873 -162.269568 63.388017 -162.203857 63.388017 -162.039578 63.420873 -161.870606 63.437300 -161.696940 63.420873 -161.574905 63.460769 -161.363690 63.456075 -161.222880 63.479543 -161.077376 63.540561 -160.945953 63.622700 -160.847386 63.700146 -160.791062 63.758817 -160.791062 63.808100 -160.767594 63.866771 -160.791062 63.923095 -160.823918 63.986460 -160.945953 64.026356 -160.913097 64.059212 -160.899016 64.127270 -160.955340 64.174207 -161.086763 64.284508 -161.175943 64.385422 -161.340221 64.418277 -161.443482 64.376034 -161.485725 64.432358 -161.476338 64.516845 -161.321447 64.516845 -161.166556 64.479295 -161.067989 64.502764 -160.936566 64.512151 -160.823918 64.582556 -160.748819 64.664695 -160.748819 64.772650 -160.833305 64.791424 -160.955340 64.861829 -161.044520 64.899379 -161.152475 64.866523 -161.265123 64.838361 -161.377771 64.777343 -161.476338 64.767956 -161.598373 64.796118 -161.762652 64.814893 -161.729796 64.758569 -161.894075 64.735100 -162.114677 64.688163 -162.222631 64.617758 -162.443234 64.526232 -162.598125 64.408890 -162.710773 64.284508 -162.776485 64.284508 -162.832809 64.422971 -162.851583 64.507457 -163.020555 64.559088 -163.128510 64.631839 -163.241158 64.627146 -163.391355 64.622452 -163.339725 64.577862 -163.217690 64.530926 -163.053411 64.512151 -163.072186 64.437052 -163.119122 64.404196 -163.184834 64.441746 -163.339725 64.512151 -163.569715 64.559088 -163.635426 64.573169 -163.691750 64.573169 -163.813786 64.559088 -163.870110 64.554394 -163.935821 64.535619 -164.090712 64.540313 -164.306621 64.563781 -164.494368 64.526232 -164.649259 64.493376 -164.869861 64.441746 -165.057608 64.488683 -165.226580 64.512151 -165.414327 64.507457 -165.611461 64.526232 -165.864920 64.540313 -166.038585 64.563781 -166.174702 64.568475 -166.216945 64.587250 -166.240413 64.608371 -166.329593 64.622452 -166.446935 64.683470 -166.512646 64.730407 -166.470403 64.828974 -166.479790 64.915806 -166.681618 65.004986 -166.789573 65.094166 -166.911608 65.195080 -166.855284 65.265485 -166.803654 65.232629 -166.822428 65.166918 -166.648763 65.141103 -166.503259 65.242017 -166.348368 65.277219 -166.193476 65.295994 -166.446935 65.319462 -166.681618 65.361705 -166.869365 65.382827 -166.780185 65.333543 -166.836509 65.319462 -167.122823 65.371093 -167.362200 65.392214 -167.582803 65.462619 -167.826874 65.535371 -168.024008 65.579961 -168.136656 65.624551 -168.136656 65.692609 -168.024008 65.730158 -167.916053 65.744239 -167.958297 65.701996 -168.038089 65.648019 -167.939522 65.652713 -167.826874 65.685568 -167.704838 65.716077 -167.517091 65.753627 -167.549947 65.765361 -167.549947 65.802910 -167.484236 65.852194 -167.310570 65.906171 -167.207309 65.856887 -167.024256 65.896784 -166.935076 65.960148 -166.911608 66.004738 -166.836509 65.981270 -166.733249 66.054022 -166.526727 66.110346 -166.306125 66.164323 -166.141846 66.187791 -166.118378 66.143201 -166.038585 66.110346 -165.832064 66.124427 -165.644317 66.124427 -165.555137 66.143201 -165.677173 66.218300 -165.841451 66.267584 -165.653704 66.354416 -165.498813 66.394313 -165.423715 66.422475 -165.343922 66.408394 -165.226580 66.438902 -165.071689 66.443596 -164.991897 66.455330 -164.827618 66.535123 -164.705583 66.591447 -164.564773 66.596140 -164.409882 66.591447 -164.208054 66.600834 -164.001532 66.626649 -163.799705 66.626649 -163.658895 66.614915 -163.701138 66.600834 -163.945208 66.600834 -164.001532 66.584406 -163.823173 66.539816 -163.780930 66.474105 -163.823173 66.382578 -163.799705 66.302786 -163.888884 66.267584 -164.100100 66.208913 -164.090712 66.199525 -163.888884 66.204219 -163.823173 66.192485 -163.823173 66.124427 -163.658895 66.070449 -163.438292 66.089224 -163.227077 66.084530 -163.020555 66.070449 -162.931376 66.049328 -162.865664 66.093918 -162.720160 66.103305 -162.743629 66.058715 -162.663836 66.084530 -162.621593 66.054022 -162.523026 66.061062 -162.391604 66.070449 -162.293037 66.039941 -162.260181 66.061062 -162.091209 66.075143 -161.992642 66.030553 -161.950399 65.981270 -161.828363 65.964842 -161.762652 66.000044 -161.762652 66.054022 -161.673472 66.110346 -161.584292 66.208913 -161.509194 66.279318 -161.443482 66.272277 -161.330834 66.248809 -161.208799 66.227687 -161.143087 66.222994 -161.100844 66.173710 -161.119619 66.133814 -160.955340 66.213606 -160.945953 66.274624 -161.067989 66.333295 -161.297978 66.368497 -161.551437 66.399006 -161.772039 66.408394 -161.861219 66.328601 -161.818976 66.293399 -161.959786 66.314520 -161.959786 66.394313 -161.870606 66.474105 -161.969173 66.549204 -162.081821 66.675933 -162.016110 66.636037 -161.903462 66.539816 -161.729796 66.478799 -161.560824 66.464718 -161.410626 66.474105 -161.274510 66.523389 -161.199411 66.530429 -161.166556 66.488186 -161.044520 66.478799 -160.988196 66.448290 -160.866161 66.424821 -160.781675 66.373191 -160.659639 66.363804 -160.424956 66.368497 -160.293533 66.382578 -160.218434 66.424821 -160.072930 66.455330 # -b -159.873449 66.556244 -160.051809 66.535123 -160.094052 66.495227 -160.192619 66.514001 -160.103439 66.575019 # -b -159.873449 66.692361 -160.004872 66.652464 -160.169151 66.671239 -160.225475 66.645424 -160.291186 66.614915 -160.338123 66.600834 -160.469546 66.589100 -160.568113 66.575019 -160.690148 66.614915 -160.854427 66.652464 -161.018705 66.645424 -161.150128 66.645424 -161.197064 66.605528 -161.262776 66.619609 -161.239308 66.692361 -161.305019 66.661852 -161.305019 66.579713 -161.351956 66.539816 -161.516234 66.579713 -161.647657 66.621956 -161.793161 66.711135 -161.882340 66.762766 -161.826016 66.823783 -161.769692 66.896535 -161.596026 66.922351 -161.525621 66.957553 -161.671125 67.011530 -161.802548 67.034999 -161.948052 67.042039 -162.023150 67.037345 -162.121718 67.030305 -162.309464 67.009183 -162.497211 66.962247 -162.577004 66.990409 -162.497211 67.051426 -162.422112 67.107751 -162.356401 67.161728 -162.422112 67.166421 -162.530067 67.149994 -162.530067 67.135913 -162.497211 67.107751 -162.511292 67.081935 -162.642715 67.088976 -162.774138 67.093669 -162.806993 67.037345 -162.882092 67.004490 -162.830462 66.969287 -163.051064 66.999796 -163.257586 67.037345 -163.412477 67.081935 -163.680016 67.107751 -163.755115 67.218052 -163.778583 67.302538 -163.745727 67.316619 -163.820826 67.354168 -163.877150 67.448042 -163.942862 67.506712 -164.107140 67.560690 -164.107140 67.593545 -164.186932 67.619361 -164.205707 67.631095 -164.374679 67.699153 -164.628137 67.757824 -164.815884 67.811801 -164.989550 67.882206 -165.167910 67.938530 -165.365044 68.006588 -165.585646 68.030057 -165.806249 68.079340 -165.984608 68.121583 -166.092563 68.194335 -166.280309 68.267087 -166.458669 68.304636 -166.613560 68.325758 -166.744983 68.339839 -166.885793 68.365654 -166.843550 68.405550 -166.698046 68.443100 -166.580704 68.473609 -166.510299 68.485343 -166.580704 68.426672 -166.698046 68.393816 -166.712127 68.384429 -166.599479 68.382082 -166.524380 68.426672 -166.425813 68.450140 -166.280309 68.471262 -166.172355 68.511158 -166.256841 68.494730 -166.336633 68.506464 -166.313165 68.558095 -166.303778 68.626153 -166.303778 68.734107 -166.280309 68.811553 -166.256841 68.846755 -166.270922 68.877264 # -b -166.270922 68.877264 -166.270922 68.891345 -166.205211 68.891345 -166.059707 68.891345 -165.871960 68.903079 -165.862573 68.881958 -166.017464 68.853796 -165.815636 68.846755 -165.595034 68.874917 -165.322801 68.905426 -165.088117 68.914814 -164.914451 68.933588 -164.693849 68.933588 -164.482634 68.954710 -164.285500 68.973484 -164.017960 68.992259 -163.952249 69.015727 -163.811439 69.067358 -163.567368 69.147150 -163.468801 69.229289 -163.337378 69.306735 -163.290441 69.372446 -163.224730 69.463973 -163.215343 69.356019 -163.159019 69.386527 -163.069839 69.499176 -163.018209 69.583662 -163.036983 69.644679 -162.882092 69.595396 -162.684958 69.550806 -162.619247 69.576621 -162.830462 69.618864 -163.036983 69.710391 -163.018209 69.733859 -162.896173 69.747940 -162.694345 69.747940 -162.398644 69.747940 -162.332933 69.764368 -162.454968 69.771408 -162.577004 69.776102 -162.750669 69.776102 -162.929029 69.801917 -162.797606 69.858241 -162.694345 69.912218 -162.530067 69.970889 # -b -162.290690 70.017826 -162.210897 69.980277 -162.070087 69.952115 -161.868259 69.921606 -161.694594 69.888750 -161.703981 69.926299 -161.901115 69.956808 # -b -162.466702 66.931738 -162.400991 66.908270 -162.368135 66.931738 -162.325892 66.957553 -162.269568 66.957553 -162.222631 66.896535 -162.147533 66.840211 -162.058353 66.793275 -162.016110 66.753378 -162.048966 66.722870 -162.222631 66.736951 -162.344667 66.741644 -162.424459 66.769806 -162.513639 66.830824 -162.532414 66.866026 -162.523026 66.896535 -162.523026 66.931738 -162.466702 66.931738 # -b -169.833418 63.035992 -169.833418 63.035992 -169.833418 63.080581 -169.885048 63.115784 # -b -170.075142 63.491278 -169.976575 63.465462 -169.845152 63.451381 -169.737198 63.420873 -169.648018 63.397404 -169.601081 63.352814 -169.568225 63.343427 -169.460271 63.338733 -169.371091 63.322305 -169.295993 63.303531 -169.239668 63.308224 -169.173957 63.331693 -169.019066 63.343427 -168.920499 63.312918 -168.798463 63.308224 -168.774995 63.268328 -168.798463 63.237819 -168.798463 63.214351 -168.840707 63.179149 -168.986210 63.153333 -169.117633 63.169761 -169.249056 63.188536 -169.371091 63.183842 -169.436803 63.134559 -169.493127 63.108743 -169.549451 63.075888 -169.568225 63.045379 -169.713729 63.045379 # -b -167.566375 60.262032 -167.542907 60.266726 -167.399750 60.262032 -167.256593 60.250298 -167.068846 60.266726 -166.881099 60.273767 -166.737942 60.327744 -166.615907 60.360600 -166.517340 60.393455 -166.395304 60.402843 -166.285003 60.393455 -166.162968 60.348865 -165.986955 60.339478 -165.855532 60.332437 -165.766352 60.323050 -165.721763 60.306622 -165.733497 60.217443 -165.745231 60.086020 -165.667785 60.097754 -165.656051 60.041430 -165.688907 60.003881 # -b -167.212003 59.999187 -167.322304 60.036736 -167.411484 60.081326 -167.477195 60.118875 -167.488929 60.184587 -167.566375 60.224483 -167.566375 60.262032 # -b -165.379125 60.670382 -165.369737 60.703237 -165.292292 60.729053 -165.191378 60.757215 -165.048221 60.804151 -165.003631 60.858129 -164.860474 60.837007 -164.663340 60.808845 -164.407535 60.761908 -164.320702 60.679769 -164.320702 60.621098 -164.440391 60.538959 -164.628137 60.435698 -164.738439 60.381721 -164.848740 60.463860 -164.937920 60.595283 -165.048221 60.621098 -165.191378 60.653954 -165.292292 60.653954 -165.379125 60.670382 # -b -164.330089 63.005483 -164.231522 62.974974 -164.297234 62.899875 -164.320702 62.829470 -164.367639 62.780187 -164.475593 62.780187 -164.597629 62.798961 -164.738439 62.794268 -164.841699 62.740290 -164.907411 62.702741 -164.963735 62.733250 -164.973122 62.780187 -164.973122 62.829470 -164.963735 62.881100 -164.550692 63.050073 # -b -162.189776 59.982759 -162.276609 60.064898 -162.288343 60.147038 -162.344667 60.240911 -162.443234 60.278460 -162.476090 60.316010 -162.443234 60.365293 -162.332933 60.447432 -162.156920 60.571815 -161.978561 60.653954 -161.802548 60.740787 -161.671125 60.804151 -161.560824 60.846394 -161.560824 60.853435 -161.570211 60.858129 -161.638269 60.846394 -161.802548 60.841701 -161.912849 60.799458 -162.046619 60.712625 -162.243753 60.653954 -162.344667 60.609364 -162.431500 60.529572 -162.574657 60.409883 -162.652102 60.355906 -162.586391 60.257339 -162.454968 60.212749 -162.431500 60.163465 -162.541801 60.142344 -162.574657 60.081326 # -b -164.067244 59.975719 -164.076631 60.003881 -164.010920 60.032043 -164.055510 60.076632 -164.198667 60.053164 -164.330089 60.008574 -164.419269 60.025002 -164.496715 60.093060 -164.585894 60.196321 -164.585894 60.273767 -164.541305 60.348865 -164.440391 60.431005 -164.341824 60.484982 -164.231522 60.555387 -164.165811 60.625792 -164.121221 60.653954 -163.966330 60.691503 -163.811439 60.707931 -163.724606 60.771296 -163.778583 60.862822 -163.945208 60.858129 -164.055510 60.825273 -164.154077 60.815886 -164.297234 60.820579 -164.407535 60.841701 -164.550692 60.853435 -164.696196 60.886291 -164.773641 60.900372 -164.672727 60.975470 -164.607016 61.034141 -164.738439 61.020060 -164.872208 61.020060 -164.937920 61.034141 -164.961388 61.113934 -165.027099 61.055263 -165.125667 60.991898 -165.203112 60.975470 -165.292292 61.003632 -165.369737 61.055263 -165.390859 61.125668 -165.447183 61.167911 -165.468304 61.210154 -165.501160 61.268825 -165.468304 61.336883 -165.390859 61.395554 -165.440142 61.407288 -165.496466 61.369739 -165.616155 61.322802 -165.726456 61.348617 -165.869613 61.400247 -165.864920 61.449531 -165.803902 61.517589 -165.726456 61.548098 -165.625542 61.555139 -165.531669 61.576260 -165.576259 61.606769 -165.515241 61.627890 -165.526975 61.665440 -165.620849 61.658399 -165.698294 61.637278 -165.747578 61.590341 -165.813289 61.564526 -165.881347 61.543404 -165.951752 61.548098 -165.996342 61.538711 -166.029198 61.512896 -166.024504 61.576260 -166.001036 61.637278 -165.951752 61.653706 -165.902469 61.658399 -165.874307 61.695949 -165.902469 61.721764 -165.951752 61.742885 -165.975221 61.768701 -165.975221 61.815637 -165.947059 61.836759 -165.890735 61.825025 -165.841451 61.841452 -165.803902 61.846146 -165.780434 61.888389 -165.787474 61.925939 -165.792168 61.977569 -165.792168 62.033893 -165.780434 62.085523 -165.764006 62.127766 -165.747578 62.167663 -165.719416 62.228680 -165.698294 62.270923 -165.686560 62.322554 -165.653704 62.362450 -165.625542 62.374184 -165.620849 62.383571 -165.587993 62.423468 -165.548097 62.470404 -165.505854 62.500913 -165.465958 62.552544 -165.404940 62.566625 -165.355656 62.540809 -165.339228 62.587746 -165.322801 62.618255 -165.268823 62.667538 -165.212499 62.728556 -165.151482 62.754371 -165.113932 62.754371 -165.085770 62.749678 -165.052915 62.740290 -165.003631 62.728556 -164.952001 62.723862 -164.919145 62.763759 -164.942613 62.834164 -164.963735 62.864673 -164.952001 62.899875 -164.919145 62.944465 -164.759560 63.000789 # -b -170.098610 66.159629 -169.943719 66.110346 -169.868620 66.133814 -169.690261 66.115039 -169.779441 66.030553 -169.957800 66.049328 # -b -169.887395 63.115784 -170.023511 63.139252 -170.197177 63.160374 -170.342681 63.193230 -170.474104 63.249554 -170.582058 63.289450 -170.685319 63.326999 -170.816742 63.357508 -170.957552 63.376283 -171.126524 63.383323 -171.243866 63.376283 -171.379982 63.326999 -171.511405 63.308224 -171.666296 63.338733 -171.788331 63.383323 -171.854043 63.430260 -171.905673 63.460769 -171.938529 63.505359 -171.905673 63.554642 -171.854043 63.622700 -171.821187 63.725961 -171.830574 63.784632 -171.741395 63.744736 -171.652215 63.695452 -171.431612 63.681371 -171.192235 63.641475 -171.093668 63.613313 -171.013876 63.592191 -170.891840 63.608619 -170.816742 63.641475 -170.694706 63.650862 -170.605527 63.690759 -170.516347 63.700146 -170.441248 63.690759 -170.328600 63.671984 -170.253501 63.636781 -170.140853 63.622700 -170.075142 63.564029 -170.065754 63.519440 -170.075142 63.491278 # -b -172.931240 60.545999 -172.910119 60.555387 -172.910119 60.550693 -172.919506 60.501410 -172.865529 60.475594 -172.788083 60.442739 -172.698903 60.409883 -172.600336 60.402843 -172.544012 60.377027 -172.555747 60.372334 -172.687169 60.365293 -172.776349 60.398149 -172.865529 60.435698 -172.975830 60.501410 -172.985217 60.522531 -172.996952 60.522531 -172.952362 60.545999 -172.931240 60.545999 # -b 179.943584 68.921854 180.000000 68.907751 # -b -180.000000 68.907750 -179.849895 68.870224 -179.680923 68.874917 -179.615212 68.874917 -179.563581 68.858490 -179.474402 68.813900 -179.319510 68.795125 -179.188088 68.762269 -179.042584 68.743495 -178.920548 68.743495 -178.821981 68.659009 -178.779738 68.579216 -178.765657 68.527586 -178.681171 68.490036 -178.601379 68.466568 -178.493424 68.466568 -178.423019 68.445447 -178.282209 68.421978 -178.239966 68.417285 -178.371389 68.494730 -178.404245 68.511158 -178.193030 68.438406 -178.103850 68.377388 -178.085075 68.337492 -178.127318 68.281168 -178.103850 68.243619 -177.948959 68.271781 -177.751825 68.295249 -177.564078 68.248312 -177.545303 68.243619 -177.531222 68.210763 -177.390412 68.227191 -177.301232 68.184948 -177.244908 68.154439 -177.254296 68.149745 -177.277764 68.107502 -177.136954 68.107502 -176.982063 68.107502 -176.935126 68.041791 -176.883496 68.006588 -176.982063 67.992507 -177.071242 67.943224 -176.869415 67.919755 -176.737992 67.877512 -176.540858 67.882206 -176.339030 67.865778 -176.174751 67.851697 -176.155977 67.849350 -176.198220 67.811801 -176.207607 67.743743 -176.385967 67.722621 -176.484534 67.685072 -176.395354 67.673338 -176.296787 67.640482 -176.132508 67.626401 -175.846194 67.546609 -175.714772 67.509059 -175.578655 67.464469 -175.437845 67.438654 -175.456620 67.502019 -175.545800 67.555996 -175.625592 67.551302 -175.733546 67.602933 -175.813339 67.652216 -175.888437 67.685072 -175.935374 67.722621 -175.954149 67.757824 -175.879050 67.774252 -175.766402 67.753130 -175.625592 67.727315 -175.470701 67.706193 -175.404989 67.685072 -175.390908 67.619361 -175.315810 67.530181 -175.160919 67.480897 -174.982559 67.448042 -174.865217 67.401105 -174.808893 67.340087 -174.841749 67.307231 -174.874605 67.384677 -174.996640 67.438654 -175.038883 67.384677 -174.963784 67.323659 -174.916848 67.243867 -174.865217 67.166421 -174.832362 67.056120 -174.696245 66.943472 -174.686858 66.866026 -174.729101 66.774500 -174.644615 66.722870 -174.489724 66.682973 -174.409931 66.661852 -174.433400 66.619609 -174.391157 66.544510 -174.334833 66.539816 -174.222185 66.560938 -174.114230 66.544510 -173.982807 66.523389 -173.982807 66.495227 -173.992195 66.413087 -174.025050 66.382578 -174.034438 66.328601 -173.959339 66.382578 -173.827916 66.387272 -173.795061 66.460024 -173.795061 66.530429 -173.893628 66.619609 -173.968726 66.645424 -174.034438 66.610221 -174.170554 66.626649 -174.147086 66.692361 -174.081374 66.800315 -174.081374 66.908270 -174.067293 66.978675 -174.114230 66.995102 -174.189329 67.009183 -174.334833 67.020918 -174.203410 67.042039 -174.222185 67.072548 -174.442787 67.051426 -174.489724 66.999796 -174.564822 67.056120 -174.377076 67.088976 -174.170554 67.098363 -174.048519 67.081935 -173.935871 67.067854 -173.893628 67.025611 -173.827916 67.009183 -173.780980 67.051426 -173.748124 67.088976 -173.771592 67.140606 -173.626088 67.124178 -173.583845 67.072548 -173.485278 67.081935 -173.396099 67.063161 -173.274063 67.037345 -173.428954 67.011530 -173.485278 66.948166 -173.386711 66.891842 -173.321000 66.823783 -173.241207 66.823783 -173.175496 66.882454 -173.217739 66.938778 -173.241207 66.988062 -173.198964 66.988062 -173.067542 66.948166 -172.898570 66.905923 -172.692048 66.882454 -172.504301 66.891842 -172.424509 66.948166 -172.626337 66.964594 -172.823471 66.990409 -172.659192 67.011530 -172.447977 67.009183 -172.250843 66.988062 -172.049015 66.978675 -171.931673 66.952859 -171.762701 66.948166 -171.729846 66.870720 -171.664134 66.809702 -171.467000 66.769806 -171.457613 66.711135 -171.335577 66.626649 -171.049263 66.539816 -170.946003 66.452984 -170.725400 66.399006 -170.518879 66.319214 -170.528266 66.284011 -170.650301 66.248809 -170.561122 66.204219 -170.518879 66.232381 -170.340519 66.293399 -170.185628 66.227687 -170.232565 66.173710 -170.101142 66.159629 # -b -169.955453 66.049328 -170.129119 66.039941 -170.293397 65.964842 -170.415433 65.936680 -170.528081 65.922599 -170.560937 65.838113 -170.593792 65.755973 -170.560937 65.685568 -170.617261 65.608123 -170.847251 65.624551 -170.978673 65.697303 -171.166420 65.744239 -171.354167 65.842806 -171.429266 65.784135 -171.377635 65.666794 -171.100709 65.594042 -171.034997 65.525984 -171.110096 65.479047 -171.330699 65.483741 -171.631093 65.525984 -171.884552 65.507209 -171.992506 65.479047 -172.156785 65.420376 -172.227190 65.333543 -172.180253 65.251404 -172.391468 65.242017 -172.654314 65.242017 -172.457179 65.204467 -172.269433 65.213855 -172.156785 65.112941 -172.058217 65.056617 -172.236577 64.995599 -172.480648 64.906419 -172.644926 64.958050 -172.644926 64.929888 -172.635539 64.885298 -172.710638 64.852442 -172.940627 64.857136 -173.086131 64.796118 -172.842060 64.824280 -172.734106 64.772650 -172.776349 64.725713 -172.973483 64.721019 -172.964096 64.678776 -172.856141 64.655308 -172.842060 64.631839 -172.687169 64.650614 -172.621458 64.655308 -172.513503 64.601331 -172.513503 64.577862 -172.391468 64.483989 -172.344531 64.432358 -172.579215 64.399503 -172.734106 64.479295 -172.898384 64.512151 -173.062663 64.493376 -173.039195 64.455827 -172.874916 64.446439 -172.865529 64.317364 -172.996952 64.256346 -173.109600 64.242265 -173.250410 64.261039 -173.395913 64.322057 -173.259797 64.469908 -173.226941 64.530926 -173.330202 64.582556 -173.339589 64.474601 -173.414688 64.385422 -173.569579 64.345526 -173.771407 64.376034 -173.733858 64.488683 -173.813650 64.413584 -174.034253 64.413584 -174.034253 64.498070 -174.245468 64.573169 -174.189144 64.622452 -174.297098 64.650614 -174.484845 64.650614 -174.663204 64.702245 -174.785240 64.753875 -174.639736 64.833667 -174.606880 64.953356 -174.639736 64.990905 -174.705447 64.934581 # -b -174.674939 64.967437 -174.707794 64.866523 -174.698407 64.810199 -174.773506 64.824280 -174.895541 64.824280 -174.942478 64.871217 -175.050432 64.786731 -174.975334 64.758569 -174.919009 64.739794 -175.008189 64.730407 -175.195936 64.767956 -175.383683 64.777343 -175.402458 64.828974 -175.491637 64.885298 -175.702852 64.962743 -175.909374 65.042536 -175.867131 65.127022 -175.857744 65.237323 -175.956311 65.319462 -175.956311 65.366399 -175.932842 65.453232 -176.120589 65.488434 -176.308336 65.493128 -176.397516 65.551799 -176.519551 65.598736 -176.561794 65.594042 -176.707298 65.584655 -176.848108 65.603429 -177.078098 65.612817 -177.265845 65.598736 -177.364412 65.535371 -177.566240 65.497822 -177.721131 65.488434 -177.876022 65.507209 -178.063769 65.525984 -178.303146 65.525984 -178.490893 65.565880 -178.490893 65.692609 -178.523748 65.744239 -178.580072 65.802910 -178.711495 65.807604 -178.791287 65.892090 -178.889855 65.964842 -178.908629 66.004738 -178.979034 66.065756 -178.842918 66.039941 -178.720882 66.044634 -178.570685 66.093918 -178.580072 66.192485 -178.514361 66.337989 -178.547217 66.354416 -178.655171 66.347376 -178.711495 66.272277 -178.810062 66.183097 -178.941485 66.159629 -179.143313 66.262890 -179.185556 66.342682 -179.232492 66.272277 -179.382690 66.328601 -179.373303 66.213606 -179.349834 66.147895 -179.561049 66.098611 -179.673697 66.154935 -179.781652 66.124427 -179.936543 66.124427 -179.880219 66.021166 -179.870832 65.873315 -179.692472 65.779442 -179.537581 65.716077 -179.331060 65.652713 -179.307591 65.535371 -179.462482 65.453232 -179.495338 65.342930 -179.650229 65.251404 -179.791039 65.166918 -179.969399 65.084779 # -b 169.885048 68.755229 170.072795 68.759922 170.246461 68.795125 170.448289 68.846755 170.621954 68.921854 170.758071 68.980525 170.866025 69.039196 170.997448 69.090826 170.964592 69.142457 170.898881 69.231636 170.898881 69.295001 170.790927 69.337244 170.720521 69.407649 170.668891 69.480401 170.589099 69.564887 170.335640 69.593049 170.058714 69.611824 170.138506 69.686922 170.335640 69.717431 170.467063 69.729165 170.481144 69.813651 170.481144 69.869975 170.415433 69.930993 # -b 171.330699 70.017826 171.584157 69.999051 171.856390 69.982624 172.067605 69.956808 172.330450 69.938034 172.475954 69.952115 172.687169 69.919259 172.950015 69.862935 173.226941 69.839467 173.447544 69.884056 173.677534 69.881710 173.855893 69.865282 174.118739 69.888750 174.386278 69.862935 174.559944 69.820692 174.738303 69.832426 174.827483 69.839467 174.827483 69.846507 174.860339 69.858241 174.911969 69.874669 175.066860 69.869975 175.221751 69.869975 175.409498 69.865282 175.630101 69.862935 175.860090 69.869975 176.071306 69.855894 176.259052 69.790183 176.437412 69.733859 176.620465 69.675188 176.841067 69.663454 177.099219 69.625905 177.230642 69.607130 177.305741 69.611824 177.362065 69.614170 177.638991 69.515603 177.878369 69.473360 178.066115 69.449892 178.211619 69.414689 178.300799 69.398262 178.385285 69.419383 178.422834 69.386527 178.507320 69.353672 178.718536 69.325510 178.939138 69.278573 179.126885 69.231636 179.300551 69.170619 179.478910 69.090826 179.657270 69.025115 179.812161 68.968791 179.943584 68.921854 # -b -179.969399 65.084779 -180.000000 65.073850 # -b 180.000000 65.073850 179.833467 65.014374 179.631639 64.906419 179.457974 64.814893 179.190434 64.786731 178.936976 64.735100 178.782085 64.645920 178.575564 64.577862 178.552095 64.622452 178.617807 64.683470 178.476997 64.664695 178.298637 64.660001 178.209457 64.716326 178.223538 64.744488 178.176602 64.725713 178.054566 64.683470 177.937225 64.697551 177.726009 64.725713 177.547650 64.786731 177.383371 64.843055 177.392759 64.911113 177.327047 64.948662 177.139301 65.014374 176.885842 65.066004 176.698096 65.056617 176.580754 65.066004 176.402394 65.070698 176.393007 65.136409 176.346070 65.166918 176.256891 65.080085 176.238116 65.019067 176.435250 64.976824 176.622997 64.953356 176.843599 65.009680 176.965635 64.943969 177.153382 64.899379 177.205012 64.810199 177.162769 64.772650 176.899923 64.796118 176.712177 64.852442 176.444637 64.847748 176.270972 64.894685 176.083225 64.958050 175.961189 64.981518 175.904865 64.915806 175.961189 64.857136 176.191179 64.824280 176.256891 64.721019 176.256891 64.697551 176.158324 64.636533 176.036288 64.521538 175.984658 64.404196 176.139549 64.350219 176.069144 64.197675 175.904865 64.174207 175.731200 64.150738 175.576308 64.049824 175.510597 64.005234 175.665488 64.059212 175.928334 64.141351 176.116080 64.150738 176.289746 64.270427 176.346070 64.380728 176.214648 64.446439 176.205260 64.559088 176.280359 64.631839 176.444637 64.655308 176.590141 64.601331 176.763807 64.622452 176.951554 64.674082 177.139301 64.725713 177.294192 64.725713 177.406840 64.725713 177.373984 64.636533 177.373984 64.559088 177.406840 64.460520 177.561731 64.371341 177.758865 64.340832 177.890288 64.270427 178.087422 64.228184 178.200070 64.261039 178.322105 64.357260 178.387817 64.261039 178.462916 64.178900 178.519240 64.073293 178.519240 64.063905 178.453528 64.087374 178.289250 64.063905 178.298637 64.016969 178.453528 63.918402 178.575564 63.944217 178.650662 63.967685 178.683518 63.794019 178.730455 63.650862 178.772698 63.592191 178.838409 63.425566 178.983913 63.298837 179.138804 63.204964 179.270227 63.200270 179.401650 63.068847 179.303083 63.040685 179.105948 63.050073 178.993300 63.028951 # -b 178.995462 63.028951 178.943832 63.026604 178.953219 63.005483 178.962606 62.974974 179.009543 62.944465 179.108110 62.930384 179.263001 62.899875 179.441361 62.834164 179.507072 62.749678 179.450748 62.632336 179.319325 62.536116 179.230146 62.484485 179.197290 62.449283 179.075255 62.444589 178.995462 62.331941 178.920363 62.310820 178.798328 62.336635 178.643437 62.362450 178.512014 62.414080 178.380591 62.444589 178.211619 62.514994 177.958161 62.552544 177.784495 62.557237 177.671847 62.618255 177.606136 62.683966 177.498181 62.679273 177.563893 62.627642 177.573280 62.566625 177.474713 62.566625 177.385533 62.571318 177.329209 62.597133 177.329209 62.644070 177.272885 62.648764 177.207174 62.693354 177.155543 62.723862 177.066364 62.820083 176.986571 62.869366 176.934941 62.838857 176.967797 62.763759 177.042895 62.698047 177.099219 62.627642 177.188399 62.601827 177.221255 62.571318 177.155543 62.540809 177.000652 62.514994 176.822293 62.500913 176.658014 62.465711 176.512511 62.418774 176.348232 62.367144 176.216809 62.310820 176.014981 62.240414 175.892946 62.219293 175.784992 62.188784 175.775604 62.177050 175.752136 62.188784 175.662956 62.177050 175.522146 62.146541 175.367255 62.111339 175.231139 62.076136 175.165427 62.076136 175.212364 62.127766 175.221751 62.167663 175.165427 62.162969 175.066860 62.153582 175.076247 62.085523 175.057473 62.033893 174.977680 61.970528 174.836870 61.935326 174.714835 61.909511 174.569331 61.841452 174.428521 61.815637 174.306486 61.806250 174.175063 61.794516 174.085883 61.773394 174.020172 61.747579 173.954460 61.717070 173.841812 61.658399 173.743245 61.637278 173.654065 61.653706 173.578967 61.726458 173.466319 61.738192 173.409995 61.674827 173.391220 61.569220 173.344283 61.522283 173.287959 61.522283 173.287959 61.517589 173.222248 61.454225 173.133068 61.407288 173.025114 61.374432 172.935934 61.374432 172.827979 61.416675 172.762268 61.390860 172.781043 61.353311 172.846754 61.301680 172.813898 61.259437 172.759921 61.259437 172.682476 61.226582 172.569828 61.189032 172.426671 61.196073 172.360959 61.196073 172.405549 61.142096 172.384428 61.071691 172.372693 61.029448 172.283514 60.998939 172.173212 61.013020 172.119235 61.034141 172.030055 61.083425 172.008934 61.034141 172.095767 60.998939 172.107501 60.949655 172.086379 60.912106 171.985466 60.900372 171.908020 60.862822 171.830574 60.862822 171.753129 60.853435 171.699152 60.825273 171.588850 60.787724 171.588850 60.745480 171.499671 60.733746 171.433959 60.691503 171.368248 60.658648 171.257947 60.571815 171.157033 60.571815 171.058466 60.616405 171.004488 60.545999 170.891840 60.534265 170.781539 60.496716 170.671238 60.459167 170.584405 60.447432 170.528081 60.431005 170.560937 60.409883 170.560937 60.355906 170.528081 60.299582 170.474104 60.250298 170.417780 60.179893 170.373190 60.118875 170.373190 60.048470 # -b 170.089223 59.971025 170.068101 60.020308 # -b 159.988444 69.778449 160.077624 69.722125 160.209047 69.722125 160.476586 69.722125 160.683108 69.679882 160.837999 69.628251 160.992890 69.553153 161.082070 69.536725 161.246348 69.555500 161.302672 69.492135 161.279204 69.381834 161.424708 69.363059 161.612454 69.435811 161.720409 69.517950 162.020804 69.510910 162.077128 69.621211 162.217938 69.614170 162.283649 69.668148 162.382216 69.693963 162.504252 69.698656 162.659143 69.682229 162.781178 69.656413 162.912601 69.682229 163.109735 69.717431 163.311563 69.722125 163.475841 69.701003 163.663588 69.698656 163.827867 69.736206 164.039082 69.778449 164.095406 69.740900 164.193973 69.679882 164.292540 69.614170 164.414575 69.590702 164.569467 69.555500 164.752520 69.567234 164.930879 69.564887 165.020059 69.560193 # -b 164.998937 69.569581 165.041180 69.553153 165.088117 69.571927 165.219540 69.593049 165.318107 69.595396 165.463611 69.581315 165.604421 69.571927 165.759312 69.571927 165.881347 69.571927 165.970527 69.550806 166.144193 69.517950 166.289697 69.492135 166.430507 69.492135 166.552542 69.492135 166.698046 69.496829 166.820081 69.475707 166.960892 69.487441 167.082927 69.529684 167.172107 69.576621 167.280061 69.630598 167.383322 69.672841 167.500664 69.717431 167.622699 69.754981 167.754122 69.771408 167.890238 69.747940 167.988805 69.717431 168.007580 69.691616 167.876157 69.668148 167.843302 69.611824 167.998193 69.593049 168.176552 69.571927 168.228183 69.503869 168.218795 69.440505 168.218795 69.377140 168.195327 69.306735 168.209408 69.255105 168.251651 69.208168 168.373686 69.172965 168.519190 69.172965 168.669388 69.170619 168.805504 69.158884 168.979170 69.118988 169.002638 69.083786 169.124674 69.060317 169.288952 69.015727 169.387519 68.940629 169.453230 68.853796 169.509555 68.799819 169.664446 68.766963 169.885048 68.755229 # -b 168.099107 69.994358 168.099107 69.994358 # -b 168.474600 70.020173 168.685815 69.961502 168.882950 69.930993 169.127020 69.884056 169.314767 69.844160 169.380479 69.778449 169.366398 69.729165 169.258443 69.710391 169.267831 69.663454 169.258443 69.611824 169.216200 69.553153 169.047228 69.539072 168.807851 69.564887 168.540312 69.595396 168.399502 69.668148 168.230529 69.710391 168.131962 69.776102 167.925441 69.815998 167.836261 69.888750 167.892585 69.956808 168.099107 69.994358 # -b 164.736092 59.942863 164.557732 60.036736 # -b 161.368383 59.954597 161.610107 60.097754 161.821323 60.189281 161.908156 60.299582 161.908156 60.414577 161.964480 60.452126 162.173348 60.496716 162.450274 60.560081 162.691998 60.567121 162.781178 60.642220 162.912601 60.724359 163.133203 60.761908 163.332684 60.745480 163.532165 60.799458 163.708178 60.879250 163.708178 60.937921 163.565021 60.996592 163.576755 61.097506 163.609611 61.151483 163.719912 61.184339 163.863069 61.264131 163.874803 61.374432 163.853682 61.426063 163.846641 61.522283 163.858376 61.585647 163.895925 61.627890 163.952249 61.679521 163.956943 61.810944 163.956943 61.914204 163.968677 62.022159 163.996839 62.090217 164.008573 62.141847 164.025001 62.223987 164.107140 62.310820 164.212748 62.397652 164.278459 62.439895 164.381720 62.414080 # -b 164.888636 62.407040 164.991897 62.519688 164.700889 62.646417 164.438044 62.681619 164.184586 62.646417 163.884191 62.592440 163.621345 62.545503 163.358500 62.432855 163.288095 62.346022 163.302176 62.275617 163.114429 62.132460 163.123816 62.059708 163.081573 61.923592 163.015862 61.799209 163.090960 61.717070 163.269320 61.688908 163.189528 61.606769 163.114429 61.538711 162.968925 61.526977 162.926682 61.595035 162.950150 61.674827 162.828115 61.717070 162.771791 61.641971 162.659143 61.611463 162.396297 61.599728 162.208550 61.496468 162.020804 61.379126 161.809588 61.306374 161.654697 61.226582 161.588986 61.184339 161.412973 61.118627 161.234614 61.013020 161.014011 60.883944 160.859120 60.792417 160.748819 60.717318 160.572806 60.712625 160.340470 60.604670 160.197313 60.567121 160.176191 60.658648 160.241903 60.799458 160.340470 60.916799 160.441384 61.013020 160.220781 60.991898 # -b 159.988444 61.066997 160.021300 61.135055 # -b 159.910999 61.315761 160.021300 61.395554 160.061196 61.484734 160.131601 61.552792 160.155070 61.667787 160.176191 61.799209 160.209047 61.956447 160.138642 61.893083 160.028341 61.794516 # -b 170.068101 60.020308 169.967187 60.097754 169.880354 60.158772 169.812296 60.212749 169.692608 60.294888 169.615162 60.402843 169.472005 60.447432 169.371091 60.496716 169.260790 60.513144 169.162223 60.545999 169.028453 60.555387 168.897031 60.571815 168.807851 60.571815 168.709284 60.578855 168.610717 60.571815 168.467560 60.588243 168.345524 60.595283 168.235223 60.583549 168.134309 60.621098 167.991152 60.550693 167.892585 60.538959 167.782284 60.538959 167.693104 60.501410 167.639127 60.496716 167.472502 60.426311 167.395056 60.409883 167.329345 60.414577 167.273021 60.409883 167.219043 60.377027 167.174454 60.372334 167.120476 60.339478 167.043031 60.372334 166.974973 60.398149 166.932730 60.372334 166.953851 60.278460 166.909261 60.229177 166.831816 60.184587 166.712127 60.125916 166.622947 60.086020 166.557236 60.057858 166.479790 60.008574 # -b 166.158274 59.954597 166.158274 60.032043 166.202864 60.118875 166.247454 60.175200 166.226332 60.250298 166.181742 60.344172 166.226332 60.381721 166.268575 60.414577 166.235720 60.475594 166.181742 60.496716 166.148887 60.513144 166.080828 60.484982 166.026851 60.452126 165.916550 60.360600 165.850839 60.323050 165.707682 60.273767 165.562178 60.257339 165.484732 60.233870 165.374431 60.217443 165.264130 60.179893 165.165563 60.109488 165.088117 60.069592 # -b 159.922733 70.095272 159.833553 69.996705 159.749067 69.921606 159.683356 69.851201 159.692743 69.801917 159.880490 69.785489 159.988444 69.778449 # -b 160.220781 60.991898 159.955589 60.928534 159.866409 60.966083 159.899265 61.024754 159.943855 61.045875 159.988444 61.066997 # -b 160.021300 61.135055 159.910999 61.205460 159.910999 61.315761 # -b 160.033034 61.794516 159.854675 61.688908 159.699784 61.688908 159.577748 61.679521 159.512037 61.778088 159.399389 61.846146 159.145931 61.918898 159.028589 61.928285 158.958184 61.871961 158.850229 61.836759 158.695338 61.829718 158.484123 61.803903 158.319845 61.794516 158.108629 61.764007 157.855171 61.782782 157.611100 61.782782 157.446822 61.717070 157.249688 61.679521 157.038473 61.573913 156.916437 61.517589 156.728690 61.447184 156.672366 61.315761 156.630123 61.221888 156.451764 61.146789 156.242896 61.034141 156.043415 60.916799 155.965969 60.837007 155.956582 60.754868 155.801691 60.679769 155.613944 60.588243 155.480174 60.534265 155.315896 60.452126 155.083559 60.398149 154.919281 60.316010 154.851222 60.287848 154.797245 60.201015 154.663475 60.086020 # -b 70.320568 66.640730 70.489540 66.650118 70.677287 66.671239 70.865034 66.741644 71.062168 66.805009 71.202978 66.819090 71.437661 66.851945 71.493985 66.819090 71.578471 66.692361 71.592552 66.657158 71.348482 66.671239 71.193590 66.605528 70.982375 66.544510 70.785241 66.499920 70.630350 66.504614 70.466072 66.556244 70.409748 66.584406 70.320568 66.640730 # -b 72.526593 70.006092 72.550061 69.945074 72.582917 69.914565 72.592304 69.914565 72.592304 69.884056 72.672097 69.844160 72.672097 69.715084 72.615773 69.672841 72.559449 69.623558 72.606385 69.541419 72.639241 69.468667 72.592304 69.426424 72.517205 69.386527 72.559449 69.297348 72.540674 69.205821 72.460881 69.118988 72.460881 69.003993 72.559449 68.940629 72.728421 68.863183 72.869231 68.783391 73.080446 68.708292 73.244724 68.654315 73.409003 68.602684 73.432471 68.494730 73.432471 68.410244 73.235337 68.309330 73.155545 68.250659 73.080446 68.138011 73.066365 68.058219 73.103914 67.954958 73.122689 67.823535 73.024122 67.753130 73.089833 67.703847 72.949023 67.626401 72.737808 67.598239 72.629854 67.572424 72.582917 67.502019 72.484350 67.417533 72.474962 67.349475 72.338846 67.281416 72.174568 67.281416 72.151099 67.222745 72.151099 67.159381 72.108856 67.133566 71.897641 67.114791 71.723975 67.103057 71.512760 67.154687 71.381337 67.187543 71.357869 67.093669 71.493985 67.051426 71.611327 67.081935 71.766218 67.086629 71.930497 67.081935 72.043145 67.020918 71.930497 66.964594 71.766218 66.943472 71.667651 66.936432 71.493985 66.948166 71.404806 66.927044 71.348482 66.880108 71.095023 66.835518 70.940132 66.887148 70.850953 66.814396 70.775854 66.767459 70.597494 66.767459 70.489540 66.701748 70.254856 66.692361 70.189145 66.753378 # -b 69.780796 66.697054 70.034254 66.678280 70.057722 66.591447 70.081191 66.499920 70.024867 66.460024 70.024867 66.389619 70.099965 66.363804 70.287712 66.342682 70.442603 66.337989 70.541170 66.333295 70.742998 66.337989 70.982375 66.368497 71.348482 66.354416 71.634795 66.293399 71.831930 66.258196 72.043145 66.222994 72.287216 66.258196 72.409251 66.403700 72.273135 66.525735 72.352927 66.579713 72.615773 66.619609 72.869231 66.657158 73.033509 66.743991 73.310436 66.805009 73.498183 66.870720 73.643686 66.964594 73.784496 67.051426 73.850208 67.192237 73.864289 67.295497 73.897145 67.340087 74.052036 67.405799 74.159990 67.464469 74.249170 67.509059 74.436917 67.588852 74.690375 67.673338 74.713843 67.706193 74.732618 67.795373 74.765474 67.856391 74.765474 67.919755 74.746699 67.985467 74.690375 68.067606 74.577727 68.116890 74.601195 68.184948 74.469772 68.231885 74.413448 68.299943 74.314881 68.321064 74.272638 68.393816 74.291413 68.410244 74.357124 68.454834 74.422836 68.539320 74.389980 68.623806 74.389980 68.682477 74.558952 68.727067 74.910977 68.774003 75.108111 68.818593 75.253615 68.858490 75.394425 68.858490 75.629109 68.877264 75.816856 68.893692 75.957666 68.921854 76.103170 68.933588 76.389483 68.938282 76.586618 68.957057 76.642942 68.903079 76.708653 68.842062 76.675797 68.759922 76.750896 68.698905 76.919868 68.659009 77.004354 68.602684 77.173326 68.572176 77.290668 68.511158 77.323524 68.471262 77.290668 68.417285 77.304749 68.365654 77.271893 68.349226 77.239038 68.299943 77.206182 68.260047 77.224957 68.194335 77.346992 68.210763 77.412704 68.182601 77.323524 68.107502 77.281281 68.067606 77.257812 67.969039 77.271893 67.889247 77.239038 67.823535 77.159245 67.790680 77.192101 67.715581 77.379848 67.678031 77.567595 67.640482 77.647387 67.586505 77.689630 67.527834 77.877377 67.534875 78.130835 67.530181 78.295114 67.513753 78.374906 67.506712 78.426536 67.518447 78.628364 67.534875 78.825498 67.544262 78.881822 67.567730 78.759787 67.602933 78.515716 67.652216 78.393681 67.645176 78.187159 67.647523 78.065124 67.661604 77.999412 67.678031 77.835134 67.715581 77.788197 67.710887 77.699017 67.710887 77.656774 67.703847 77.614531 67.699153 77.544126 67.760171 77.511271 67.889247 77.511271 67.959652 77.525352 68.055872 77.600450 68.138011 77.788197 68.189642 78.055736 68.206069 78.163691 68.260047 78.140222 68.339839 78.065124 68.344533 77.985331 68.414938 77.835134 68.518198 77.731873 68.612072 77.755341 68.682477 77.745954 68.790431 77.666162 68.853796 77.576982 68.870224 77.304749 68.914814 76.994967 68.980525 76.840076 69.020421 76.652329 69.083786 76.497438 69.111948 76.220511 69.177659 76.046846 69.205821 75.802775 69.217555 75.629109 69.208168 75.408506 69.170619 75.197291 69.114295 75.140967 69.055624 74.854653 69.072052 74.624663 69.107254 74.413448 69.107254 74.117747 69.074398 73.906532 69.088479 73.751641 69.194087 73.765722 69.252758 73.883064 69.360712 73.930000 69.456932 73.784496 69.583662 73.554507 69.736206 73.596750 69.862935 73.643686 69.942727 # -b 60.020308 70.050682 60.175200 69.970889 60.372334 69.893444 60.517837 69.815998 60.569468 69.754981 60.517837 69.729165 60.414577 69.663454 60.283154 69.698656 60.151731 69.703350 60.062551 69.675188 # -b 59.888886 68.691864 60.128263 68.694211 60.447432 68.710639 60.592936 68.778697 60.771296 68.853796 60.804151 68.858490 60.846394 68.893692 60.879250 68.961750 60.912106 69.036849 60.959042 69.118988 60.855782 69.130722 60.869863 69.083786 60.757215 69.212862 60.691503 69.302041 60.592936 69.353672 60.461513 69.438158 60.339478 69.546112 60.330091 69.607130 60.428658 69.630598 60.602324 69.656413 60.691503 69.686922 60.790070 69.740900 60.804151 69.806611 60.902718 69.827732 61.146789 69.825386 61.320455 69.806611 61.451878 69.783143 61.541058 69.745593 61.728804 69.747940 61.925939 69.729165 62.104298 69.733859 62.268576 69.722125 62.489179 69.717431 62.766106 69.724472 62.930384 69.684575 63.118131 69.642332 63.273022 69.642332 63.526480 69.607130 63.789326 69.553153 63.958298 69.529684 64.122576 69.517950 64.352566 69.440505 64.563781 69.377140 64.704591 69.325510 64.962743 69.290307 65.225589 69.219902 65.366399 69.182353 65.568227 69.158884 65.690262 69.154191 65.774748 69.130722 65.633938 69.130722 65.610470 69.072052 65.788829 69.050930 65.840460 69.043889 65.929639 69.032155 66.098611 69.008687 66.239422 68.957057 66.549204 68.877264 66.858986 68.853796 67.065507 68.799819 67.276723 68.710639 67.539568 68.572176 67.685072 68.511158 67.858738 68.482996 68.027710 68.438406 68.201376 68.353920 68.182601 68.260047 68.281168 68.206069 68.534626 68.276474 68.576869 68.360960 68.731760 68.511158 68.844409 68.640234 68.910120 68.734107 69.116641 68.842062 69.018074 68.886652 69.008687 68.926548 68.797472 68.903079 68.501771 68.978178 68.356267 69.111948 68.224844 69.201127 68.116890 69.302041 68.069953 69.360712 68.126277 69.499176 68.013629 69.503869 67.896287 69.480401 67.661604 69.557846 67.431614 69.600089 67.243867 69.654067 67.098363 69.632945 66.990409 69.614170 66.990409 69.522644 66.868373 69.618864 66.858986 69.764368 66.858986 69.888750 # -b 66.912963 70.036601 67.025611 69.975583 67.213358 69.975583 # -b 70.189145 66.753378 69.968543 66.809702 69.780796 66.779194 69.780796 66.697054 # -b 49.842084 68.008935 50.053300 68.067606 50.208191 68.116890 50.330226 68.138011 50.428793 68.182601 50.635315 68.248312 50.823062 68.309330 50.945097 68.328105 50.954484 68.328105 51.001421 68.311677 51.254879 68.360960 51.452013 68.389122 51.686697 68.426672 51.639760 68.454834 51.907299 68.482996 52.137289 68.506464 52.268712 68.429019 52.357892 68.337492 52.456459 68.349226 52.611350 68.400857 52.644206 68.466568 52.634818 68.522892 52.578494 68.583910 52.414216 68.567482 52.620737 68.663702 52.822565 68.734107 52.953988 68.734107 52.855421 68.680130 52.930519 68.619112 53.076023 68.595644 53.296626 68.626153 53.282545 68.680130 53.216833 68.766963 53.273157 68.795125 53.428049 68.813900 53.404580 68.865530 53.568859 68.893692 53.803542 68.933588 53.944352 68.945322 54.066388 68.945322 54.197810 68.933588 54.286990 68.945322 54.385557 68.961750 54.451269 68.966444 54.516980 68.973484 # -b 49.896062 69.259798 50.018097 69.170619 50.093196 69.161231 50.093196 69.278573 50.182376 69.184700 50.313798 69.083786 50.280943 68.996953 50.238700 69.039196 50.158907 69.090826 # -b 58.806995 69.963849 58.764752 69.968543 # -b 60.064898 69.675188 59.867764 69.672841 59.637774 69.733859 59.689405 69.790183 59.515739 69.834773 59.327992 69.844160 59.163714 69.877016 59.008822 69.914565 59.093309 69.844160 59.248200 69.771408 59.205957 69.729165 59.041678 69.846507 58.886787 69.938034 58.806995 69.963849 # -b 54.516980 68.973484 54.629628 68.985219 54.596772 68.968791 54.498205 68.950016 54.376170 68.926548 54.221279 68.917160 54.057000 68.921854 53.925578 68.917160 53.780074 68.881958 53.770686 68.813900 53.836398 68.818593 53.845785 68.874917 53.934965 68.853796 53.991289 68.823287 54.057000 68.778697 54.024145 68.680130 53.977208 68.640234 53.902109 68.579216 53.902109 68.527586 54.000676 68.490036 54.010064 68.377388 54.000676 68.311677 54.197810 68.281168 54.343314 68.248312 54.418413 68.267087 54.563917 68.189642 54.718808 68.145052 54.883086 68.145052 54.925329 68.206069 54.939410 68.281168 54.948798 68.344533 55.023896 68.410244 55.178788 68.445447 55.314904 68.494730 55.455714 68.541667 55.666929 68.539320 55.873451 68.595644 56.094053 68.635540 56.248944 68.612072 56.403835 68.572176 56.582195 68.579216 56.746473 68.602684 57.023400 68.579216 57.131354 68.522892 57.366038 68.529933 57.497461 68.595644 57.596028 68.670743 57.727450 68.734107 57.994990 68.774003 58.037233 68.811553 58.178043 68.881958 58.445582 68.926548 58.722509 68.973484 58.896174 68.996953 59.083921 68.985219 59.051066 68.926548 59.196569 68.842062 59.370235 68.750535 59.459415 68.720026 59.313911 68.682477 59.196569 68.626153 59.116777 68.555748 59.116777 68.438406 59.313911 68.365654 59.557982 68.321064 59.778584 68.360960 59.989800 68.466568 59.966331 68.529933 59.877151 68.595644 59.891232 68.691864 # -b 39.914972 68.079340 40.018233 68.046485 40.083944 67.987814 40.205979 67.938530 40.304547 67.886900 40.403114 67.856391 40.393726 67.795373 40.534536 67.736702 40.647184 67.769558 40.853706 67.720274 41.041453 67.624054 41.050840 67.523140 41.064921 67.471510 41.140020 67.365902 41.154101 67.318966 41.163488 67.208664 41.219812 67.180502 41.384091 67.145300 41.327767 66.978675 41.172876 66.800315 41.008597 66.697054 40.778607 66.553897 40.614329 66.488186 40.435969 66.399006 40.271691 66.354416 40.224754 66.333295 40.093331 66.274624 # -b 39.950174 64.608371 40.156696 64.573169 40.344443 64.545007 40.475865 64.526232 40.574433 64.540313 40.729324 64.502764 40.809116 64.474601 40.907683 64.451133 40.907683 64.498070 40.752792 64.601331 40.719936 64.669389 40.565045 64.810199 40.466478 64.915806 40.335055 65.028455 40.133228 65.141103 40.034660 65.213855 # -b 39.860995 65.617510 40.081597 65.648019 40.302200 65.720771 40.508721 65.802910 40.630757 65.915558 40.851359 65.976576 41.015638 65.976576 41.250321 66.021166 41.456843 66.054022 41.644589 66.138508 41.822949 66.244115 41.954372 66.298092 42.109263 66.368497 42.174974 66.448290 42.329865 66.523389 42.404964 66.490533 42.526999 66.452984 42.625566 66.399006 42.705359 66.382578 42.982285 66.382578 43.146564 66.382578 43.287374 66.354416 43.409409 66.307480 43.597156 66.248809 43.578382 66.164323 43.442265 66.049328 43.531445 66.089224 43.676949 66.133814 43.831840 66.143201 43.963262 66.070449 44.005506 65.985963 44.127541 65.915558 44.193252 65.873315 44.202640 65.960148 44.216721 66.035247 44.249576 66.143201 44.183865 66.234728 44.136928 66.272277 44.151009 66.293399 44.169784 66.337989 44.258964 66.448290 44.324675 66.495227 44.446711 66.565632 44.512422 66.697054 44.460792 66.779194 44.535890 66.870720 44.545278 66.957553 44.437323 67.046733 44.380999 67.093669 44.216721 67.149994 43.982037 67.149994 43.897551 67.180502 43.864695 67.297844 43.874083 67.396411 43.949181 67.487938 44.028974 67.593545 44.136928 67.741396 44.118154 67.844657 44.118154 67.849350 44.118154 67.856391 44.151009 67.903328 44.202640 67.992507 44.169784 68.091074 44.169784 68.215457 44.169784 68.321064 43.996118 68.389122 43.784903 68.445447 43.507976 68.527586 43.310842 68.600338 43.277987 68.663702 43.367166 68.647274 43.620625 68.600338 43.841227 68.567482 44.028974 68.522892 44.202640 68.506464 44.404467 68.527586 44.643845 68.522892 44.864447 68.511158 45.052194 68.515852 45.286877 68.518198 45.493399 68.482996 45.746857 68.461874 45.948685 68.405550 45.958072 68.295249 46.080108 68.264740 46.234999 68.138011 46.422746 68.173214 46.488457 68.051178 46.521313 67.922102 46.676204 67.811801 46.530700 67.807107 46.178675 67.760171 45.859505 67.748436 45.671758 67.732009 45.408913 67.694459 45.329121 67.602933 45.197698 67.534875 45.000564 67.527834 45.009951 67.422226 45.099131 67.316619 45.296265 67.250907 45.507480 67.161728 45.681146 67.077242 45.760938 66.988062 45.859505 66.908270 45.967460 66.844905 46.122351 66.800315 46.300710 66.800315 46.530700 66.856639 46.563556 66.753378 46.652736 66.650118 46.741915 66.797968 46.929662 66.819090 47.117409 66.861333 47.314543 66.849599 47.492903 66.891842 47.614938 66.912963 47.746361 66.999796 47.722892 67.103057 47.699424 67.180502 47.779216 67.264988 47.854315 67.375290 47.920026 67.485591 48.032675 67.577118 48.140629 67.560690 48.318988 67.609973 48.563059 67.619361 48.703869 67.635788 48.882229 67.685072 48.802437 67.703847 48.825905 67.811801 48.980796 67.802414 49.168543 67.856391 49.407920 67.919755 49.595667 67.959652 49.839738 68.008935 # -b 48.661626 69.445198 48.713257 69.461626 48.713257 69.473360 48.793049 69.475707 48.882229 69.449892 48.957328 69.461626 48.990183 69.480401 49.079363 69.499176 49.168543 69.499176 49.323434 69.452239 49.487712 69.391221 49.717702 69.325510 49.896062 69.259798 # -b 50.161254 69.090826 49.954733 69.008687 49.752905 68.893692 49.588626 68.818593 49.335168 68.766963 49.180277 68.766963 49.015999 68.694211 48.828252 68.687171 48.739072 68.734107 48.682748 68.680130 48.541938 68.731760 48.410515 68.813900 48.297867 68.823287 48.274399 68.731760 48.330723 68.687171 48.222768 68.755229 48.166444 68.825634 48.222768 68.910120 48.232156 69.032155 48.241543 69.137763 48.311948 69.236330 48.419902 69.313776 48.541938 69.391221 48.663973 69.445198 # -b 29.978472 69.703350 30.001940 69.684575 30.067652 69.642332 30.100507 69.656413 30.100507 69.736206 30.166219 69.693963 30.246011 69.684575 30.344578 69.675188 30.335191 69.654067 30.433758 69.654067 30.466614 69.729165 30.476001 69.785489 30.588649 69.783143 30.687216 69.759674 30.842107 69.754981 30.893738 69.754981 # -b 30.893738 69.754981 30.907819 69.754981 30.931287 69.764368 31.104953 69.729165 31.292700 69.705697 31.391267 69.675188 31.480446 69.630598 31.658806 69.632945 31.733905 69.675188 31.701049 69.745593 31.733905 69.794877 31.809003 69.764368 31.963894 69.771408 31.977975 69.869975 31.879408 69.919259 31.977975 69.900484 32.184497 69.881710 32.452036 69.825386 32.470811 69.794877 32.616315 69.752634 32.747737 69.766715 32.860385 69.747940 32.912016 69.733859 33.024664 69.736206 33.080988 69.722125 33.057520 69.656413 32.968340 69.607130 32.893241 69.557846 32.747737 69.576621 32.541216 69.571927 32.428568 69.618864 32.330001 69.614170 32.207965 69.642332 32.142254 69.722125 32.067155 69.618864 32.020218 69.539072 32.175110 69.541419 32.320613 69.546112 32.372244 69.503869 32.395712 69.461626 32.339388 69.414689 32.395712 69.414689 32.494279 69.440505 32.616315 69.456932 32.761818 69.456932 32.813449 69.445198 32.780593 69.377140 32.846304 69.402955 32.968340 69.421730 32.926097 69.348978 32.893241 69.295001 33.066907 69.341938 33.245266 69.395915 33.287509 69.377140 33.268735 69.332550 33.245266 69.295001 33.310978 69.273879 33.320365 69.271532 33.334446 69.259798 33.367302 69.241024 33.386077 69.208168 33.522193 69.248064 33.686471 69.248064 33.827282 69.259798 33.907074 69.306735 34.169919 69.259798 34.381135 69.243370 34.592350 69.219902 34.798871 69.208168 34.963150 69.182353 35.118041 69.149497 35.216608 69.149497 35.287013 69.182353 35.230689 69.217555 35.441904 69.189393 35.681281 69.172965 35.859641 69.165925 35.958208 69.130722 36.080243 69.107254 36.333701 69.060317 36.577772 69.008687 36.727970 68.938282 36.850005 68.905426 36.972041 68.870224 37.192643 68.823287 37.324066 68.762269 37.493038 68.710639 37.633848 68.675436 37.798127 68.607378 37.999954 68.541667 38.098521 68.499424 38.197089 68.471262 38.328511 68.400857 38.361367 68.349226 38.492790 68.276474 38.516258 68.281168 38.680537 68.248312 38.891752 68.234231 38.746248 68.353920 38.835428 68.304636 38.980931 68.250659 39.046643 68.166173 39.112354 68.128624 39.145210 68.184948 39.309488 68.116890 39.440911 68.074647 39.609883 68.041791 39.717838 68.006588 39.863341 68.025363 39.783549 68.116890 39.914972 68.079340 # -b 40.093331 66.274624 39.807017 66.227687 39.544172 66.178404 39.290714 66.129120 39.070111 66.115039 38.835428 66.070449 38.713392 66.075143 38.483402 66.084530 38.262800 66.089224 37.967099 66.093918 37.830982 66.107999 37.633848 66.129120 37.788739 66.107999 37.723028 66.115039 37.600992 66.124427 37.446101 66.194832 37.248967 66.222994 36.981428 66.272277 36.709195 66.288705 36.465124 66.284011 36.202279 66.342682 35.901884 66.373191 35.606183 66.403700 35.460679 66.474105 35.230689 66.474105 35.118041 66.544510 34.888051 66.575019 34.789484 66.584406 34.512557 66.539816 34.437459 66.626649 34.390522 66.722870 34.282568 66.736951 34.193388 66.687667 34.104208 66.711135 33.996254 66.661852 33.827282 66.713482 33.686471 66.819090 33.620760 66.753378 33.555049 66.736951 33.423626 66.774500 33.212411 66.830824 33.048132 66.870720 32.860385 66.973981 32.836917 67.056120 32.672639 67.093669 32.484892 67.140606 32.395712 67.128872 32.217353 67.128872 32.109398 67.114791 31.987363 67.056120 32.273677 67.020918 32.405099 66.936432 32.484892 66.823783 32.761818 66.713482 32.649170 66.675933 32.804061 66.631343 32.991808 66.560938 33.066907 66.518695 33.254654 66.455330 33.564436 66.438902 33.606679 66.403700 33.573823 66.337989 33.573823 66.288705 33.874218 66.239422 34.071352 66.234728 34.160532 66.138508 34.268487 66.133814 34.437459 66.119733 34.521945 66.079837 34.658061 65.927292 34.789484 65.868622 34.822340 65.788829 34.780097 65.594042 34.733160 65.507209 34.709692 65.425070 34.456233 65.392214 34.381135 65.333543 34.559494 65.195080 34.709692 65.051923 34.700304 64.939275 34.780097 64.920500 34.888051 64.871217 34.855195 64.739794 34.897438 64.582556 34.723773 64.507457 34.676836 64.441746 34.920907 64.498070 35.033555 64.399503 35.183752 64.340832 35.352724 64.289202 35.540471 64.298589 35.648426 64.345526 35.826785 64.303283 35.958208 64.218796 36.113099 64.164819 36.235134 64.077986 36.286765 64.016969 36.596547 63.981766 36.906329 63.904321 37.169175 63.845650 37.347534 63.831569 37.600992 63.768204 37.600992 63.798713 37.666704 63.857384 37.798127 63.904321 37.934243 63.939523 38.164233 63.904321 38.262800 63.880852 38.164233 63.944217 38.107909 64.087374 38.051585 64.202369 38.018729 64.317364 37.910775 64.446439 37.713641 64.413584 37.577524 64.385422 37.356922 64.340832 37.202030 64.418277 37.061220 64.474601 36.948572 64.573169 36.864086 64.660001 36.709195 64.692857 36.596547 64.805505 36.554304 64.889991 36.610628 64.889991 36.727970 64.915806 36.896942 65.004986 36.939185 65.162224 37.136319 65.143450 37.478957 65.075391 37.779352 64.990905 37.854451 64.885298 38.140765 64.861829 38.375448 64.819586 38.262800 64.805505 38.084440 64.753875 38.131377 64.655308 38.164233 64.591943 38.295656 64.692857 38.474015 64.749181 38.572582 64.796118 38.736861 64.749181 39.013787 64.730407 39.342344 64.622452 39.478461 64.591943 39.699063 64.554394 39.929053 64.535619 39.971296 64.563781 39.952521 64.608371 # -b 40.037007 65.213855 39.914972 65.319462 39.882116 65.453232 39.863341 65.521290 39.863341 65.617510 # -b 30.215502 59.963984 30.182647 60.001534 30.048877 60.013268 # -b 30.931287 61.681868 30.954755 61.693602 31.020467 61.677174 31.142502 61.672480 31.231682 61.646665 31.339636 61.613809 31.471059 61.531670 31.583707 61.482387 31.691662 61.388513 31.813697 61.329842 32.013178 61.308721 32.210312 61.271172 32.341735 61.207807 32.452036 61.135055 32.508360 61.069344 32.552950 60.973123 32.606927 60.898025 32.740697 60.867516 32.740697 60.768949 32.806408 60.689156 32.761818 60.560081 32.630396 60.531918 32.618661 60.395802 32.552950 60.330091 32.376937 60.189281 32.222046 60.177546 32.111745 60.222136 31.980322 60.243258 31.780841 60.231524 31.571973 60.182240 31.449938 60.083673 # -b 30.987611 59.940516 30.964143 60.055511 30.975877 60.182240 30.910165 60.304275 30.886697 60.423964 30.788130 60.553040 30.633239 60.646913 30.480695 60.722012 30.424371 60.759561 30.436105 60.768949 30.501816 60.839354 30.468960 60.872210 30.358659 60.959042 30.314069 60.980164 30.292948 61.031794 30.292948 61.043529 30.248358 61.048222 30.138057 61.102199 30.060611 61.059956 30.027755 61.329842 30.093467 61.379126 30.114588 61.426063 30.126323 61.472999 30.192034 61.531670 30.241317 61.541058 30.281214 61.604422 30.318763 61.630237 30.375087 61.672480 30.407943 61.672480 30.450186 61.667787 30.501816 61.688908 30.511204 61.735845 # -b 19.987995 69.806611 20.095949 69.888750 20.185129 69.895791 20.293083 69.914565 20.340020 69.785489 20.307164 69.672841 20.293083 69.522644 20.260228 69.449892 20.152273 69.377140 20.072481 69.318469 20.217985 69.377140 20.340020 69.503869 20.462055 69.553153 20.626334 69.595396 20.593478 69.632945 20.560623 69.733859 20.659190 69.747940 20.724901 69.827732 20.856324 69.888750 21.001828 69.914565 20.922035 69.846507 20.936116 69.806611 21.011215 69.783143 21.076926 69.827732 21.166106 69.825386 21.222430 69.893444 21.320997 69.888750 # -b 21.255286 70.013132 21.386709 69.970889 21.541600 69.914565 21.705878 69.839467 21.884238 69.736206 22.006273 69.698656 22.006273 69.790183 21.926481 69.858241 21.926481 69.930993 21.973417 69.989664 # -b 22.987250 70.048335 22.987250 69.989664 23.085817 69.952115 23.226627 69.956808 # -b 29.173507 70.001398 29.403497 69.956808 29.516145 69.919259 29.450434 69.884056 29.825928 69.895791 29.910414 69.855894 29.943269 69.815998 29.891639 69.778449 29.755523 69.766715 29.624100 69.729165 29.549001 69.649373 29.746135 69.691616 29.891639 69.693963 29.933882 69.703350 29.976125 69.703350 # -b 19.865959 63.650862 20.006769 63.704840 20.142886 63.681371 20.217985 63.721267 20.340020 63.744736 20.438587 63.777591 20.480830 63.812794 20.537154 63.845650 20.659190 63.876159 20.715514 63.923095 20.804693 64.005234 20.846936 64.077986 20.936116 64.131964 21.058152 64.183594 21.109782 64.232877 21.156719 64.289202 21.222430 64.336138 21.288141 64.385422 21.363240 64.427665 21.386709 64.385422 21.363240 64.303283 21.433645 64.350219 21.532212 64.408890 21.565068 64.446439 21.466501 64.488683 21.452420 64.530926 21.386709 64.563781 21.255286 64.617758 21.189574 64.650614 21.156719 64.702245 21.198962 64.716326 21.175493 64.772650 21.091007 64.814893 21.100395 64.843055 21.175493 64.875910 21.198962 64.925194 21.311610 64.948662 21.363240 64.958050 21.396096 65.000293 21.433645 65.042536 21.508744 65.094166 21.541600 65.143450 21.565068 65.195080 21.508744 65.232629 21.452420 65.281913 21.377321 65.333543 21.396096 65.352318 21.532212 65.382827 21.597924 65.406295 21.607311 65.462619 21.687103 65.472006 21.752815 65.453232 21.837301 65.443844 21.893625 65.453232 21.917093 65.502515 21.860769 65.540065 21.884238 65.549452 22.039129 65.549452 22.057903 65.589348 21.973417 65.648019 21.860769 65.706690 21.860769 65.734852 21.959336 65.701996 22.071984 65.671487 22.161164 65.612817 22.236263 65.612817 22.236263 65.652713 22.212794 65.734852 22.226876 65.720771 22.292587 65.734852 22.311362 65.819338 22.325443 65.892090 22.391154 65.901477 22.424010 65.892090 22.466253 65.901477 22.466253 65.861581 22.531964 65.819338 22.611756 65.807604 22.653999 65.868622 22.700936 65.906171 22.799503 65.873315 22.832359 65.838113 22.907458 65.798217 22.973169 65.798217 23.076430 65.760667 23.160916 65.852194 23.315807 65.856887 23.503554 65.856887 23.634977 65.866275 23.803949 65.824032 23.911903 65.765361 23.991696 65.824032 24.066794 65.847500 24.024551 65.936680 # -b 24.024551 65.936680 24.090263 65.910865 24.099650 65.910865 24.132506 65.892090 24.165361 65.878009 24.254541 65.866275 24.310865 65.814644 24.432901 65.788829 24.531468 65.828725 24.573711 65.784135 24.653503 65.701996 24.817781 65.648019 24.939817 65.622204 25.080627 65.551799 25.146338 65.516596 25.258986 65.443844 25.324698 65.378133 25.348166 65.338237 25.324698 65.272525 25.315311 65.213855 25.315311 65.152837 25.301230 65.112941 25.366941 65.047229 25.488976 64.962743 25.348166 64.972131 25.282455 64.911113 25.334085 64.838361 25.146338 64.885298 24.958592 64.875910 24.784926 64.838361 24.639422 64.814893 24.564323 64.702245 24.465756 64.540313 24.231073 64.437052 24.043326 64.326751 23.869660 64.223490 23.616202 64.092067 23.428455 64.005234 23.264177 63.904321 23.128060 63.817488 22.996637 63.700146 22.832359 63.578110 22.719711 63.500665 22.546045 63.446688 22.424010 63.357508 22.334830 63.322305 22.212794 63.244860 22.039129 63.244860 21.851382 63.223738 21.696491 63.254247 21.616698 63.179149 21.574455 63.134559 21.729346 63.059460 21.649554 63.040685 # -b 27.624596 60.585896 27.612862 60.602324 27.547151 60.553040 27.457971 60.522531 27.338282 60.536612 27.127067 60.543653 26.974523 60.592936 26.753920 60.531918 26.575561 60.499063 26.399548 60.494369 26.247004 60.489675 26.124969 60.440392 26.026402 60.433351 25.871510 60.461513 25.826921 60.489675 25.880898 60.400496 25.782331 60.374681 25.660295 60.353559 25.540607 60.337131 25.463161 60.423964 25.385716 60.346519 25.320004 60.297235 25.153379 60.287848 25.021956 60.254992 24.867065 60.198668 24.747376 60.226830 24.604219 60.210402 24.458716 60.161119 24.383617 60.107141 24.282703 60.062551 24.228726 60.067245 24.151280 60.107141 24.017511 60.078979 23.874354 60.078979 23.578653 60.006227 # -b 23.346316 59.980412 23.358050 60.067245 23.313460 60.090713 # -b 23.069389 59.989800 23.015412 60.001534 22.937967 60.025002 22.949701 60.083673 22.905111 60.123569 22.872255 60.156425 22.783075 60.215096 22.794810 60.325397 22.773688 60.374681 22.496762 60.292541 22.431050 60.320703 22.353605 60.341825 22.398194 60.407536 22.353605 60.449779 22.034435 60.489675 21.834954 60.536612 21.736387 60.597630 21.637820 60.635179 21.536906 60.663341 21.283448 60.668035 21.262326 60.731399 21.360893 60.738440 21.384362 60.780683 21.328038 60.785377 21.250592 60.808845 21.217736 60.855782 21.250592 60.898025 21.241205 60.952002 21.173147 61.001286 21.229471 61.090465 21.283448 61.090465 21.318650 61.135055 21.372628 61.214848 21.384362 61.292293 21.384362 61.341577 21.351506 61.414328 21.363240 61.472999 21.356200 61.524630 21.384362 61.562179 21.433645 61.566873 21.478235 61.519936 21.473541 61.545751 21.424258 61.595035 21.384362 61.667787 21.367934 61.749926 21.351506 61.796863 21.346812 61.890736 21.274060 61.968182 21.236511 62.057361 21.252939 62.181744 21.269367 62.277964 21.236511 62.381225 21.196615 62.432855 21.175493 62.493873 21.163759 62.573665 21.152025 62.665192 21.180187 62.756718 21.203655 62.822430 21.236511 62.883447 21.262326 62.902222 21.323344 62.906916 21.351506 62.977321 21.351506 63.017217 21.346812 63.021911 21.501703 63.040685 # -b 19.983301 60.025002 20.049013 60.090713 # -b 19.983301 60.222136 20.039625 60.280807 20.049013 60.325397 20.016157 60.346519 # -b 21.769243 60.210402 21.724653 60.254992 21.682410 60.247951 21.614352 60.243258 21.581496 60.182240 21.658941 60.139997 21.757508 60.139997 21.802098 60.156425 # -b 22.553086 60.050817 22.618797 60.083673 22.672774 60.172853 22.696243 60.264379 22.705630 60.304275 22.639918 60.271420 22.541351 60.254992 22.386460 60.215096 22.374726 60.144691 22.299627 60.116529 22.255038 60.067245 22.309015 60.074286 22.419316 60.083673 22.485027 60.062551 22.553086 60.050817 # -b 29.002189 59.947557 29.100756 60.001534 29.255647 60.006227 # -b 30.048877 60.013268 29.938576 60.046124 29.950310 60.090713 29.950310 60.132957 29.774297 60.198668 29.586550 60.231524 29.422272 60.215096 29.243913 60.189281 29.046778 60.189281 28.870766 60.254992 28.727609 60.320703 28.617308 60.353559 28.516394 60.358253 28.429561 60.433351 28.429561 60.569468 28.507006 60.553040 28.584452 60.489675 28.584452 60.494369 28.584452 60.564774 28.593839 60.646913 28.626695 60.693850 28.605573 60.754868 28.495272 60.731399 28.384971 60.700891 28.262935 60.663341 28.152634 60.602324 28.065801 60.553040 27.866320 60.560081 27.767753 60.569468 27.624596 60.585896 # -b 9.941194 63.411485 10.105472 63.397404 10.185264 63.411485 10.138328 63.465462 10.194652 63.495971 10.382399 63.495971 10.579533 63.519440 10.701568 63.549948 10.715649 63.578110 10.668712 63.603926 10.612388 63.636781 10.767280 63.704840 10.969107 63.763510 11.100530 63.768204 11.208485 63.798713 11.344601 63.831569 11.410312 63.880852 11.330520 63.904321 11.231953 63.845650 11.067674 63.808100 10.837685 63.768204 10.649938 63.704840 10.471578 63.650862 10.340156 63.603926 10.161796 63.554642 10.039761 63.578110 # -b 9.962315 63.754123 10.004558 63.798713 # -b 9.929459 63.923095 10.117206 63.977072 10.117206 64.005234 10.051495 64.087374 10.103125 64.136657 10.182918 64.183594 10.248629 64.237571 10.323728 64.275121 10.412907 64.336138 10.534943 64.385422 10.558411 64.432358 10.633510 64.455827 10.746158 64.488683 10.797788 64.540313 10.910437 64.608371 10.966761 64.608371 11.088796 64.559088 11.206138 64.512151 11.407966 64.540313 11.483064 64.596637 11.426740 64.683470 11.440821 64.763262 11.628568 64.810199 11.736522 64.819586 11.670811 64.847748 11.506533 64.800812 11.328173 64.777343 11.361029 64.843055 11.407966 64.934581 11.562857 64.958050 11.694279 65.004986 11.713054 65.075391 11.849171 65.152837 11.900801 65.148143 11.966512 65.127022 12.069773 65.185693 12.168340 65.171612 12.266907 65.143450 12.388943 65.195080 12.356087 65.251404 12.356087 65.305381 12.374862 65.338237 12.342006 65.371093 12.266907 65.305381 12.154259 65.281913 12.069773 65.305381 12.121403 65.378133 12.243439 65.401601 12.309150 65.443844 12.290376 65.511903 12.290376 65.570574 12.309150 65.549452 12.398330 65.474353 12.529753 65.457925 12.665869 65.392214 12.651788 65.464966 12.618932 65.540065 12.576689 65.549452 12.510978 65.575267 12.454654 65.652713 12.464041 65.652713 12.529753 65.697303 12.642401 65.671487 12.708112 65.690262 12.665869 65.755973 12.708112 65.802910 12.816067 65.842806 12.750355 65.868622 12.773824 65.936680 12.961570 65.910865 13.139930 65.882703 13.017894 65.981270 13.017894 66.054022 12.816067 66.016472 12.675257 65.955454 12.520365 65.946067 12.618932 66.049328 12.773824 66.070449 12.928715 66.119733 12.952183 66.178404 12.952183 66.227687 13.027282 66.258196 13.215029 66.272277 13.402775 66.279318 13.445018 66.347376 13.369920 66.382578 13.280740 66.328601 13.172786 66.389619 13.149317 66.495227 13.158705 66.509308 13.271353 66.478799 13.426244 66.514001 13.477874 66.556244 13.247884 66.575019 13.271353 66.640730 13.360532 66.666546 13.313596 66.706442 13.524811 66.718176 13.524811 66.788581 13.721945 66.800315 13.787656 66.835518 13.679702 66.905923 13.721945 66.938778 13.764188 66.952859 13.834593 66.988062 13.951935 66.990409 14.064583 67.016224 14.196006 67.004490 14.228861 67.063161 14.275798 67.140606 14.425996 67.161728 14.449464 67.196930 14.472932 67.255601 14.350897 67.255601 14.360284 67.318966 14.538644 67.375290 14.637211 67.492631 14.834345 67.560690 14.979849 67.567730 15.003317 67.518447 15.078416 67.487938 15.223919 67.485591 15.411666 67.459776 15.529008 67.487938 15.632269 67.534875 15.773079 67.593545 15.585332 67.560690 15.421054 67.546609 15.242694 67.572424 15.223919 67.598239 15.299018 67.593545 15.322487 67.593545 15.388198 67.614667 15.477378 67.694459 15.575945 67.715581 15.486765 67.753130 15.618188 67.778945 15.463297 67.823535 15.444522 67.893940 15.496152 67.952611 15.618188 67.987814 15.773079 68.001895 15.820016 68.030057 15.632269 68.058219 15.820016 68.072300 15.885727 68.161479 16.017150 68.173214 16.050005 68.105155 16.082861 67.992507 16.125104 67.915062 16.256527 67.926796 16.256527 68.001895 16.402031 67.980773 16.392643 68.055872 16.294076 68.154439 16.411418 68.149745 16.402031 68.201376 16.312851 68.267087 16.223671 68.311677 16.303464 68.365654 16.477129 68.398510 16.547534 68.421978 16.768137 68.400857 16.810380 68.365654 17.007514 68.360960 17.138937 68.337492 17.284441 68.304636 17.317296 68.398510 17.406476 68.445447 17.594223 68.445447 17.537899 68.501771 17.472188 68.522892 17.260972 68.466568 17.096694 68.506464 16.974658 68.534626 16.876091 68.494730 16.697732 68.471262 16.514679 68.518198 16.533453 68.541667 16.646102 68.572176 16.735281 68.630847 17.021595 68.670743 17.162405 68.654315 17.209342 68.703598 17.406476 68.670743 17.505043 68.708292 17.373620 68.762269 17.462800 68.774003 17.692790 68.748188 17.683403 68.795125 17.627079 68.858490 17.838294 68.853796 17.725646 68.910120 17.570755 68.891345 17.514431 68.938282 17.547286 69.008687 17.594223 69.060317 17.702177 69.095520 17.847681 69.126029 17.969717 69.142457 18.133995 69.177659 18.044815 69.224596 18.021347 69.283267 18.044815 69.325510 18.101139 69.384181 18.143382 69.438158 18.199706 69.473360 18.298273 69.433464 18.241949 69.344284 18.256030 69.313776 18.396841 69.348978 18.443777 69.266839 18.518876 69.306735 18.664380 69.259798 18.739479 69.283267 18.838046 69.320816 18.697235 69.365406 18.598668 69.402955 18.532957 69.463973 18.476633 69.510910 18.575200 69.517950 18.697235 69.527338 18.838046 69.468667 19.007018 69.365406 19.204152 69.320816 19.260476 69.271532 19.326187 69.217555 19.466997 69.208168 19.490466 69.273879 19.359043 69.360712 19.204152 69.384181 19.025792 69.473360 19.016405 69.539072 18.992937 69.602436 19.007018 69.632945 19.082116 69.693963 19.171296 69.747940 19.335575 69.754981 19.523321 69.759674 19.579645 69.766715 19.631276 69.771408 19.645357 69.705697 19.631276 69.623558 19.654744 69.529684 19.654744 69.438158 19.743924 69.564887 19.809635 69.715084 19.987995 69.806611 # -b 18.234909 63.000789 18.314701 63.019564 18.389800 63.050073 18.380413 63.085275 18.521223 63.120478 18.535304 63.200270 18.643258 63.219045 18.652646 63.317612 18.774681 63.326999 18.962428 63.312918 19.028139 63.338733 19.173643 63.388017 19.239354 63.474850 19.394246 63.524133 19.492813 63.568723 19.624235 63.514746 19.713415 63.533521 19.811982 63.573417 19.868306 63.650862 # -b 15.632269 68.926548 15.683899 68.938282 15.683899 68.940629 15.773079 68.945322 15.829403 68.893692 15.852871 68.839715 15.805935 68.778697 15.852871 68.795125 15.904502 68.734107 15.852871 68.659009 15.749611 68.583910 15.796547 68.612072 15.927970 68.640234 16.003069 68.734107 16.172041 68.750535 16.139185 68.799819 16.204897 68.865530 16.378562 68.839715 16.524066 68.771657 16.547534 68.682477 16.500598 68.623806 16.402031 68.572176 16.214284 68.551054 16.073474 68.499424 15.993681 68.426672 15.904502 68.490036 15.871646 68.471262 15.773079 68.443100 15.683899 68.393816 15.683899 68.349226 15.599413 68.309330 15.519621 68.360960 15.486765 68.429019 15.519621 68.466568 15.355342 68.372695 15.176983 68.304636 14.979849 68.243619 14.824958 68.210763 14.834345 68.255353 14.848426 68.276474 14.735778 68.281168 14.717003 68.281168 14.604355 68.217804 14.449464 68.201376 14.294573 68.173214 14.261717 68.206069 14.275798 68.255353 14.275798 68.299943 14.374365 68.316371 14.440077 68.365654 14.562112 68.360960 14.717003 68.400857 14.801489 68.393816 14.890669 68.438406 14.989236 68.445447 15.101884 68.457181 15.242694 68.490036 15.209838 68.534626 15.266163 68.555748 15.364730 68.600338 15.444522 68.626153 15.444522 68.698905 15.519621 68.720026 15.519621 68.774003 15.543089 68.818593 15.552476 68.858490 15.599413 68.910120 15.632269 68.926548 # -b 14.451811 68.680130 14.508135 68.694211 14.498747 68.708292 14.484666 68.727067 14.498747 68.762269 14.573846 68.734107 14.616089 68.778697 14.728737 68.759922 14.785061 68.799819 14.827304 68.877264 14.916484 68.813900 15.057294 68.823287 15.071375 68.881958 15.057294 68.957057 15.090150 68.950016 15.169942 68.893692 15.226266 68.858490 15.277897 68.818593 15.277897 68.755229 15.301365 68.710639 15.310752 68.640234 15.169942 68.630847 15.057294 68.590950 14.916484 68.574522 14.860160 68.630847 14.982195 68.675436 15.047907 68.727067 14.925871 68.670743 14.827304 68.675436 14.719350 68.651968 14.639558 68.630847 14.484666 68.586257 14.418955 68.626153 14.428342 68.663702 14.451811 68.680130 # -b 15.775426 69.194087 15.855218 69.196434 15.855218 69.208168 15.888074 69.252758 15.920930 69.302041 16.019497 69.306735 16.108676 69.285614 16.183775 69.271532 16.127451 69.224596 16.094595 69.147150 16.042965 69.107254 15.986641 69.050930 15.906849 69.025115 15.798894 69.001646 15.676859 68.980525 15.564211 68.985219 15.521968 69.025115 15.554823 69.111948 15.676859 69.130722 15.766038 69.154191 15.775426 69.194087 # -b 14.925871 67.795373 14.893016 67.797720 14.860160 67.828229 14.827304 67.868125 14.982195 67.844657 15.104231 67.849350 15.202798 67.877512 15.277897 67.910368 15.324833 67.861085 15.291978 67.807107 15.160555 67.785986 15.071375 67.727315 14.907097 67.682725 14.803836 67.673338 14.719350 67.699153 14.770980 67.732009 14.827304 67.764864 14.939952 67.774252 14.925871 67.795373 # -b 16.944150 69.194087 16.878438 69.208168 16.822114 69.229289 16.944150 69.219902 16.991086 69.248064 17.009861 69.285614 16.887826 69.302041 17.000474 69.318469 16.934762 69.348978 16.977005 69.367753 17.075572 69.395915 17.211689 69.365406 17.319643 69.414689 17.221076 69.461626 17.244545 69.463973 17.319643 69.480401 17.465147 69.452239 17.530858 69.485094 17.451066 69.569581 17.474534 69.564887 17.573101 69.503869 17.596570 69.560193 17.652894 69.571927 17.727993 69.564887 17.803091 69.503869 17.840641 69.480401 17.915739 69.445198 17.925127 69.426424 17.972063 69.360712 17.873496 69.290307 17.859415 69.236330 17.873496 69.161231 17.727993 69.147150 17.563714 69.147150 17.549633 69.189393 17.418210 69.172965 17.310256 69.083786 17.141284 69.079092 17.000474 69.067358 16.869051 69.036849 16.789259 69.083786 16.812727 69.095520 16.887826 69.111948 16.977005 69.135416 17.033329 69.170619 16.991086 69.172965 16.944150 69.194087 # -b 18.244296 69.693963 18.347557 69.686922 18.380413 69.691616 18.464899 69.691616 18.511835 69.710391 18.544691 69.783143 18.633871 69.729165 18.685501 69.729165 18.741825 69.797224 18.741825 69.855894 18.920185 69.815998 18.985896 69.766715 18.920185 69.722125 18.831005 69.656413 18.821618 69.602436 18.699582 69.576621 18.521223 69.557846 18.366332 69.541419 18.244296 69.550806 18.080018 69.569581 18.094099 69.600089 18.225522 69.595396 18.267765 69.625905 18.258377 69.654067 18.244296 69.693963 # -b 18.863861 70.020173 18.788762 69.989664 # -b 19.150175 70.031907 19.150175 69.994358 19.126706 69.952115 19.197111 69.952115 19.215886 69.987317 # -b 19.347309 70.006092 19.436489 69.989664 19.567911 69.975583 19.525668 69.938034 19.427101 69.881710 19.347309 69.827732 19.215886 69.797224 19.126706 69.820692 18.995284 69.865282 18.840392 69.900484 18.798149 69.952115 18.873248 69.930993 18.887329 69.975583 # -b 18.087058 63.012523 18.087058 63.007830 18.105833 63.007830 18.227868 62.989055 18.293580 62.963240 18.251337 62.937424 18.218481 62.918650 18.195013 62.852938 18.072977 62.883447 17.974410 62.801308 17.908699 62.791921 17.852375 62.817736 17.744420 62.852938 17.711565 62.892835 17.702177 62.932731 17.688096 62.862326 17.767889 62.770799 17.753808 62.700394 17.720952 62.634683 17.744420 62.608868 17.735033 62.585399 17.622385 62.507954 17.547286 62.489179 17.533205 62.463364 17.359539 62.512647 17.237504 62.538463 17.228117 62.416427 17.279747 62.346022 17.411170 62.263883 17.392395 62.216946 17.312603 62.113685 17.270360 62.005731 17.237504 61.932979 17.270360 61.829718 17.312603 61.745232 17.303215 61.672480 17.204648 61.698296 17.026289 61.745232 17.049757 61.693602 16.993433 61.625544 16.974658 61.562179 17.007514 61.489427 17.007514 61.435450 17.040370 61.367392 17.026289 61.292293 17.014555 61.207807 17.047410 61.076384 17.070879 60.963736 17.136590 60.883944 17.124856 60.792417 17.059145 60.722012 17.214036 60.705584 17.214036 60.592936 17.157712 60.506103 16.993433 60.433351 16.850276 60.362946 16.674264 60.325397 16.507638 60.243258 16.287036 60.222136 16.132145 60.165812 16.265914 60.144691 16.486517 60.177546 16.650795 60.177546 16.772831 60.222136 16.927722 60.287848 17.103734 60.353559 17.246891 60.449779 17.300869 60.531918 17.368927 60.618751 17.368927 60.656301 17.434638 60.651607 17.467494 60.607017 17.554327 60.553040 17.709218 60.576508 17.864109 60.576508 17.941555 60.489675 17.962676 60.400496 18.129301 60.353559 18.359291 60.308969 18.371025 60.276113 18.227868 60.271420 18.293580 60.231524 18.394494 60.139997 18.624484 60.055511 # -b 19.962180 60.391108 19.828410 60.407536 19.774433 60.433351 19.664132 60.391108 19.729843 60.346519 19.718109 60.287848 19.607808 60.304275 19.586686 60.222136 19.607808 60.139997 19.718109 60.128263 19.851878 60.100101 19.983301 60.025002 # -b 20.049013 60.090713 19.929324 60.123569 19.884734 60.198668 19.983301 60.222136 # -b 20.016157 60.346519 19.983301 60.369987 19.962180 60.391108 # -b 7.547422 63.010176 7.547422 63.024257 7.561503 63.068847 7.594358 63.125171 7.692926 63.143946 7.735169 63.160374 7.791493 63.165067 7.857204 63.179149 7.922915 63.183842 7.969852 63.174455 8.021482 63.179149 8.044951 63.200270 8.035563 63.237819 8.077807 63.273022 8.157599 63.282409 8.190455 63.244860 8.176374 63.214351 8.265553 63.209657 8.340652 63.219045 8.378201 63.249554 8.340652 63.308224 8.387589 63.308224 8.462687 63.303531 8.519012 63.352814 8.542480 63.392711 8.608191 63.430260 8.706758 63.451381 8.805325 63.470156 8.861649 63.470156 8.969604 63.505359 9.105720 63.524133 9.138576 63.474850 9.138576 63.406792 9.213675 63.352814 9.424890 63.406792 9.392034 63.446688 9.293467 63.486584 9.293467 63.505359 9.302854 63.545255 9.359178 63.564029 9.424890 63.599232 9.556313 63.608619 9.612637 63.646169 9.711204 63.650862 9.786302 63.613313 9.866095 63.549948 9.941194 63.491278 9.950581 63.446688 9.941194 63.411485 # -b 10.039761 63.578110 9.917725 63.676678 9.964662 63.754123 # -b 10.006905 63.798713 9.800383 63.758817 9.697123 63.798713 9.711204 63.880852 9.931806 63.923095 # -b 8.450953 63.568723 8.526052 63.573417 8.540133 63.599232 8.648087 63.592191 8.713799 63.622700 8.737267 63.657903 8.849915 63.681371 8.957870 63.700146 9.122148 63.700146 9.089292 63.667290 9.169085 63.636781 9.201941 63.582804 9.023581 63.559336 8.802979 63.533521 8.591763 63.474850 8.493196 63.524133 8.450953 63.568723 # -b 4.933047 61.130361 4.944782 61.151483 4.900192 61.120974 4.846215 61.099853 4.822746 61.088118 4.780503 61.062303 4.780503 61.041182 4.768769 61.029448 4.757035 61.003632 4.768769 60.987204 4.801625 60.987204 4.846215 60.991898 4.890804 61.008326 4.900192 61.034141 4.933047 61.092812 4.933047 61.130361 # -b 5.001106 60.670382 5.066817 60.778336 5.043349 60.778336 4.989371 60.778336 4.965903 60.750174 4.965903 60.712625 4.989371 60.675075 4.989371 60.675075 5.001106 60.670382 # -b 5.949227 59.989800 6.080650 60.083673 6.277784 60.139997 6.268397 60.165812 6.158095 60.210402 6.334108 60.308969 6.498386 60.440392 6.587566 60.428658 6.620422 60.325397 6.665012 60.386415 6.697867 60.477941 6.984181 60.548346 6.819903 60.564774 6.599300 60.531918 6.587566 60.569468 6.498386 60.614058 6.322374 60.543653 6.134627 60.362946 5.958614 60.247951 5.803723 60.193974 5.794336 60.083673 # -b 5.407108 59.956944 5.407108 60.001534 5.561999 60.062551 5.705156 60.074286 5.651179 60.128263 5.585468 60.172853 5.550265 60.193974 5.550265 60.276113 5.439964 60.210402 5.320275 60.165812 5.275685 60.226830 5.186506 60.276113 5.153650 60.346519 5.242830 60.400496 5.385987 60.440392 5.439964 60.456820 5.374252 60.494369 5.451698 60.560081 5.695769 60.677422 5.540878 60.663341 5.296807 60.581202 5.177118 60.592936 5.001106 60.759561 5.001106 60.785377 5.001106 60.785377 5.033961 60.785377 5.055083 60.808845 5.165384 60.759561 5.320275 60.726706 5.320275 60.801805 5.308541 60.855782 5.242830 60.839354 5.066817 60.851088 5.087939 60.942615 5.132528 60.984858 5.186506 61.048222 5.364865 61.022407 5.529144 61.010673 5.684035 61.081078 5.860047 61.069344 6.036060 61.085772 6.235541 61.064650 6.477265 61.097506 6.665012 61.097506 6.841024 61.031794 6.897348 60.968430 6.897348 60.872210 7.106217 60.930880 7.150807 60.947308 7.028771 61.010673 7.061627 61.097506 7.380796 61.144442 7.645989 61.245356 7.547422 61.271172 7.425386 61.235969 7.315085 61.224235 7.347941 61.266478 7.380796 61.367392 7.458242 61.503508 7.446508 61.541058 7.331513 61.477693 7.315085 61.358004 7.279883 61.278212 7.080402 61.170258 7.014690 61.181992 6.981835 61.203113 6.859799 61.177298 6.650931 61.177298 6.552364 61.203113 6.606341 61.320455 6.573485 61.404941 6.418594 61.271172 6.352883 61.165564 6.144014 61.165564 6.021979 61.207807 5.867088 61.186685 5.637098 61.128015 5.470473 61.102199 5.294460 61.106893 5.184159 61.128015 5.184159 61.191379 5.106713 61.224235 5.118447 61.287599 5.163037 61.325149 5.118447 61.383820 5.179465 61.463612 5.228749 61.498815 5.224055 61.524630 5.224055 61.557485 5.235789 61.613809 5.174771 61.625544 5.097326 61.656053 5.109060 61.719417 5.130182 61.735845 5.195893 61.731151 5.202933 61.778088 5.306194 61.855533 5.362518 61.855533 5.416495 61.817984 5.489247 61.817984 5.559652 61.817984 5.698116 61.834412 5.784949 61.886042 5.763827 61.907164 5.681688 61.881349 5.576080 61.876655 5.547918 61.902470 5.625364 61.942366 5.693422 61.975222 5.641792 61.968182 5.571387 61.949407 5.522103 61.932979 5.461085 61.916551 5.404761 61.916551 5.350784 61.923592 5.268645 61.916551 5.207627 61.916551 5.191199 61.942366 5.228749 61.989303 5.207627 62.052668 5.167731 62.118379 5.207627 62.148888 5.273339 62.104298 5.350784 62.040933 5.339050 62.087870 5.346090 62.139501 5.416495 62.134807 5.465779 62.134807 5.538531 62.160622 5.571387 62.092564 5.604242 62.062055 5.653526 62.040933 5.641792 62.097258 5.592508 62.144194 5.608936 62.174703 5.625364 62.226333 5.674647 62.294392 5.759133 62.346022 5.803723 62.294392 5.841273 62.174703 5.874128 62.186437 5.857700 62.252149 5.836579 62.320207 5.829538 62.381225 5.862394 62.416427 5.895250 62.468057 5.874128 62.468057 5.845966 62.442242 5.780255 62.437549 5.775561 62.482138 5.829538 62.493873 5.829538 62.503260 5.775561 62.524382 5.763827 62.543156 5.820151 62.585399 5.878822 62.573665 5.923412 62.608868 5.984430 62.615908 6.066569 62.599480 6.122893 62.604174 6.200338 62.585399 6.277784 62.590093 6.348189 62.554890 6.320027 62.608868 6.343495 62.646417 6.381045 62.676926 6.331761 62.700394 6.320027 62.721516 6.294212 62.756718 6.193298 62.726209 6.106465 62.747331 6.155749 62.796614 6.115852 62.827123 6.066569 62.852938 6.082997 62.906916 6.167483 62.967933 6.254316 62.958546 6.327068 62.918650 6.364617 63.010176 # -b 5.892903 62.238068 5.902290 62.252149 5.982083 62.308473 6.014938 62.350716 5.982083 62.381225 5.860047 62.395306 5.813111 62.364797 5.813111 62.308473 5.813111 62.268576 5.827192 62.238068 5.845966 62.233374 5.892903 62.238068 # -b 5.001106 61.761660 5.033961 61.796863 5.132528 61.825025 5.141916 61.850840 5.033961 61.864921 5.001106 61.876655 5.001106 61.881349 5.001106 61.829718 5.001106 61.796863 # -b -8.382895 71.076249 -8.514318 71.015231 -8.749001 70.963601 -8.955523 70.916664 -9.101027 70.853299 -9.101027 70.822791 -8.936748 70.848606 -8.856956 70.900236 -8.462687 70.961254 -8.185761 70.984722 -8.021482 71.069208 -7.998014 71.125532 -7.965158 71.160735 -8.030870 71.163082 -8.209229 71.158388 -8.382895 71.076249 # -b -17.746767 79.200992 -17.643506 79.210379 -17.587182 79.177524 -17.521471 79.135281 -17.540246 79.109465 -17.643506 79.090691 -17.605957 79.055488 -17.662281 79.027326 -17.812479 79.041407 -17.878190 78.999164 -17.962676 78.999164 -18.000225 79.057835 -17.981451 79.114159 -17.878190 79.158749 -17.746767 79.200992 # -b -17.735033 77.900845 -17.706871 77.896152 -17.650547 77.893805 -17.537899 77.844521 -17.575448 77.790544 -17.631772 77.713098 -17.772582 77.663815 -18.007266 77.638000 -18.091752 77.642693 -18.091752 77.727179 -17.950942 77.804625 -17.866456 77.877377 -17.735033 77.900845 # -b -20.072481 79.771273 -19.912896 79.794741 # -b -20.006769 79.923817 -19.781473 79.980141 # -b -17.514431 80.012997 -17.589529 79.984835 -17.645853 79.937898 -17.833600 79.874534 -17.861762 79.827597 -18.030734 79.768926 -18.115220 79.750151 -18.584587 79.724336 -18.772334 79.743111 -19.082116 79.764232 -19.213539 79.761886 -19.279251 79.747805 -19.373124 79.738417 -19.560871 79.665665 -19.598420 79.602301 -19.654744 79.524855 -19.654744 79.501387 -19.739230 79.438022 -19.626582 79.409860 -19.664132 79.360577 -19.692294 79.311293 -19.861266 79.222113 -19.851878 79.142321 -19.664132 79.231501 -19.598420 79.308946 -19.307413 79.308946 -19.100891 79.297212 -19.213539 79.212726 -19.288638 79.184564 -19.279251 79.250275 -19.466997 79.238541 -19.598420 79.184564 -19.589033 79.107119 -19.664132 79.100078 -19.682906 79.125893 -19.880040 79.093038 -19.945752 79.109465 -19.945752 79.015592 -19.898815 78.952227 -19.880040 78.888863 # -b -20.095949 77.814012 -19.626582 77.776463 -19.241701 77.734220 -19.053954 77.682590 -19.025792 77.598104 -19.288638 77.565248 -19.542096 77.612185 -19.851878 77.689630 # -b -20.006769 77.365767 -19.772086 77.368114 -19.396592 77.309443 -19.377818 77.234344 -19.143134 77.222610 -19.030486 77.231997 -19.049261 77.314136 -18.870901 77.358726 -18.720704 77.325871 -18.467246 77.293015 -18.335823 77.307096 -18.288886 77.297709 -18.279499 77.271893 -18.241949 77.185061 -18.204400 77.102921 -18.195013 77.044250 -18.204400 77.004354 -18.204400 76.999661 -18.204400 76.985580 # -b -18.197360 76.985580 -18.197360 76.985580 -18.206747 76.980886 -18.206747 76.938643 -18.253684 76.889359 -18.253684 76.858850 -18.385106 76.811914 -18.469592 76.776711 -18.610403 76.776711 -18.892023 76.814261 -19.239354 76.837729 -19.455263 76.861197 -19.746271 76.901094 # -b -20.215638 76.215818 -19.943405 76.199390 -19.858919 76.138372 -19.802595 76.084395 -19.811982 76.035111 # -b -20.084215 75.887261 -19.840144 75.819203 -19.624235 75.730023 -19.577299 75.706554 -19.572605 75.575132 -19.483425 75.417894 -19.483425 75.274737 -19.614848 75.131580 -19.661785 75.119846 -19.769739 75.112805 # -b -20.206250 74.631704 -19.943405 74.580074 -19.722802 74.608236 -19.520975 74.643438 -19.389552 74.544871 -19.192418 74.479160 -19.136094 74.406408 -19.300372 74.331309 -19.619542 74.216314 # -b -18.748866 76.502132 -18.748866 76.523253 -18.748866 76.394177 -18.739479 76.267448 -18.730091 76.145413 -18.664380 76.032765 -18.664380 75.929504 -18.720704 75.971747 -18.767641 76.044499 -18.786415 76.131332 -18.870901 76.239286 -18.889676 76.328466 -19.030486 76.396524 -19.068035 76.427033 -19.124359 76.490397 -19.143134 76.539681 -18.936613 76.558456 -18.852127 76.579577 -19.002324 76.586618 -19.049261 76.685185 -19.030486 76.722734 -18.852127 76.647635 -18.748866 76.577230 -18.748866 76.502132 # -b -17.976757 75.300552 -17.967370 75.267696 -18.155117 75.234841 -18.187972 75.194944 -18.145729 75.155048 -18.089405 75.136273 -17.957982 75.072909 -17.756155 75.072909 -17.648200 75.122192 -17.493309 75.133927 -17.469841 75.051787 -17.526165 74.986076 -17.648200 74.925058 -17.835947 74.976689 -17.990838 75.004851 -18.220828 74.976689 -18.385106 74.969648 -18.497754 74.957914 -18.671420 74.983729 -18.882635 74.976689 -18.938959 75.068215 -18.924878 75.122192 -18.915491 75.178517 -18.892023 75.239534 -18.948347 75.281777 -18.906104 75.319327 -18.718357 75.338101 -18.586934 75.342795 -18.464899 75.293511 -18.253684 75.314633 -18.187972 75.380344 -18.065937 75.387385 -18.009613 75.321673 -17.976757 75.300552 # -b -20.525420 80.012997 -20.431547 79.977794 -20.440934 79.940245 -20.609906 79.848718 -20.431547 79.836984 -20.356448 79.797088 -20.253187 79.750151 -20.065440 79.771273 # -b -19.908202 79.794741 -20.133499 79.801782 -20.133499 79.853412 -20.002076 79.923817 # -b -19.884734 78.888863 -20.213291 78.820805 -20.551235 78.846620 -20.729595 78.820805 -20.907954 78.785602 -21.067539 78.799683 -21.133250 78.771521 -21.076926 78.741012 -21.067539 78.684688 -21.095701 78.642445 -21.330384 78.635405 -21.255286 78.604896 -20.954891 78.609589 -21.058152 78.560306 -21.133250 78.494595 -21.292835 78.388987 -21.330384 78.264605 -21.414871 78.149610 -21.649554 78.114407 -21.330384 78.097979 -21.377321 78.058083 -21.612005 77.992372 -21.809139 77.882071 -21.668329 77.929007 -21.705878 77.835134 -21.893625 77.731873 -21.734040 77.659121 -21.489969 77.663815 -21.349159 77.752995 -21.198962 77.830440 -21.001828 77.931354 -20.804693 77.968903 -20.626334 77.938395 -20.598172 77.886764 -20.307164 77.842174 -20.100643 77.814012 # -b -19.851878 77.689630 -20.311858 77.691977 -20.602866 77.720139 -20.659190 77.689630 -20.781225 77.652081 -20.715514 77.621572 -20.415119 77.574635 -20.217985 77.537086 -20.508992 77.539433 -20.527767 77.520658 -20.508992 77.494843 -20.696739 77.487802 -20.274309 77.443212 -20.227372 77.403316 -20.602866 77.386888 -20.283696 77.370461 -20.002076 77.365767 # -b -19.753311 76.901094 -20.175742 76.919868 -20.494911 76.940990 -20.907954 76.945683 -21.161412 76.943337 -21.489969 76.948030 -21.715265 76.950377 -21.424258 76.924562 -21.142638 76.917521 -20.757757 76.896400 -20.701433 76.879972 -20.889179 76.847116 -21.198962 76.865891 -21.565068 76.868238 -21.677716 76.842423 -21.292835 76.814261 -21.039377 76.797833 -20.851630 76.793139 -21.123863 76.769671 -21.274060 76.757937 -21.433645 76.696919 -21.649554 76.647635 -21.752815 76.638248 -21.921787 76.720387 -22.137696 76.790792 -22.447478 76.772018 -22.456865 76.725081 -22.719711 76.682838 -22.644612 76.626514 -22.531964 76.577230 -22.531964 76.516213 -22.372379 76.574883 -22.250344 76.567843 -22.147083 76.513866 -21.865463 76.492744 -22.006273 76.450501 -21.827914 76.419992 -22.250344 76.438767 -22.466253 76.448154 -22.616450 76.422339 -22.316055 76.387137 -21.949949 76.384790 -21.705878 76.396524 -21.668329 76.370709 -21.649554 76.347240 -21.687103 76.328466 -21.687103 76.267448 -21.705878 76.220511 -21.583843 76.218164 -21.480582 76.215818 -21.424258 76.175921 -21.142638 76.154800 -21.264673 76.241633 -21.095701 76.213471 -20.870405 76.143066 -20.654496 76.133678 -20.851630 76.213471 -21.058152 76.279182 -20.861017 76.234592 -20.579397 76.192349 -20.222678 76.215818 # -b -19.819023 76.035111 -20.072481 76.028071 -20.297777 75.990521 -20.438587 75.988175 -20.616947 75.974094 -21.067539 75.978787 -21.076926 75.943585 -20.729595 75.929504 -20.504299 75.887261 -20.325939 75.875527 -20.222678 75.877873 -20.091256 75.887261 # -b -19.774433 75.112805 -20.018504 75.148008 -20.074828 75.248922 -20.215638 75.314633 -21.928827 75.544623 -21.961683 75.554010 -21.914746 75.546970 -21.661288 75.490646 -21.553334 75.450749 -21.881891 75.460137 -22.168205 75.462484 -21.938215 75.413200 -21.520478 75.403813 -21.267020 75.319327 -20.980706 75.244228 -20.703780 75.190251 -20.656843 75.112805 -20.900914 75.122192 -21.374974 75.070562 -21.628433 74.976689 -21.398443 74.995463 -21.121516 75.049441 -20.900914 75.037706 -20.769491 75.000157 -20.778878 74.932099 -20.825815 74.838225 -20.802347 74.758433 -20.858671 74.683334 -21.055805 74.659866 -21.065192 74.659866 -21.055805 74.641091 -20.943157 74.634051 -20.722554 74.655172 -20.525420 74.645785 -20.206250 74.631704 # -b -19.619542 74.216314 -20.098296 74.244476 -20.262575 74.319575 -20.384610 74.418142 -20.614600 74.450998 -20.900914 74.441610 -21.267020 74.465079 -21.741081 74.450998 -21.905359 74.504975 -22.116574 74.526096 -22.027395 74.418142 -21.994539 74.343043 -22.201060 74.307841 -22.567167 74.274985 -22.191673 74.263251 -22.168205 74.202233 -22.280853 74.171724 -22.370032 74.141215 -22.332483 74.077851 -22.445131 74.068464 -22.468600 74.028567 -22.135349 73.995712 -21.708225 74.026220 -21.506397 73.965203 -21.318650 73.946428 -21.234164 73.927653 -21.210696 73.922960 -20.933769 73.904185 -20.623987 73.873676 -20.403385 73.831433 -20.417466 73.789190 -20.572357 73.704704 -20.591131 73.617871 -20.591131 73.549813 -20.539501 73.491142 -20.703780 73.446552 -21.121516 73.444205 -21.473541 73.479408 -21.694144 73.411350 -21.806792 73.371453 -22.116574 73.333904 -22.215141 73.251765 -22.468600 73.244724 -22.787769 73.289314 -23.083470 73.324517 -23.416721 73.409003 -23.745278 73.502876 -24.045673 73.617871 -24.097303 73.756334 -24.266275 73.765722 -24.388311 73.751641 -24.439941 73.739907 -24.472797 73.667155 -24.505652 73.549813 -24.693399 73.561547 -24.960938 73.617871 -25.036037 73.634299 -24.960938 73.526345 -24.895227 73.474714 -25.200316 73.437165 -25.411531 73.397269 -25.542954 73.331557 -25.707232 73.279927 -25.918447 73.225950 -26.270472 73.228297 -26.547399 73.312783 -26.744533 73.303395 -26.955748 73.286967 -26.523931 73.232990 -26.692903 73.176666 -27.021460 73.136770 -26.866569 73.089833 -26.603723 73.146157 -26.171905 73.176666 -25.862123 73.134423 -25.655602 73.066365 -25.256640 73.054631 -25.059506 73.019428 -25.181541 72.953717 -25.289495 72.897393 -25.622746 72.866884 -25.876204 72.812907 -26.218842 72.780051 -26.523931 72.796479 -26.758614 72.798826 -26.589642 72.747195 -26.725758 72.728421 -26.866569 72.681484 -26.472300 72.707299 -26.472300 72.604038 -26.425364 72.606385 -26.171905 72.690871 -25.810493 72.773011 -25.524179 72.791785 -25.223784 72.730767 -24.881146 72.672097 -24.829516 72.559449 -24.829516 72.477309 -25.115830 72.437413 -25.599278 72.418638 -25.622746 72.374049 -25.411531 72.355274 -25.477242 72.252013 -25.566422 72.162833 -25.566422 72.083041 -25.411531 72.169874 -25.336432 72.284869 -25.200316 72.362314 -24.904614 72.418638 -24.716868 72.404557 -24.538508 72.355274 -24.308518 72.303643 -24.120771 72.261400 -24.045673 72.237932 -23.979961 72.214464 -23.867313 72.174568 -23.834458 72.115897 -23.571612 72.097122 -23.304073 72.054879 -23.238361 71.979780 -23.083470 71.968046 -22.787769 71.932844 -22.632878 71.902335 -22.773688 71.829583 -22.830012 71.773259 -23.050615 71.693466 -23.205506 71.571431 -23.116326 71.583165 -23.106939 71.585512 -23.083470 71.590206 -23.041227 71.606633 -22.909805 71.681732 -22.534311 71.766218 -22.543698 71.679385 -22.689202 71.569084 -22.576554 71.592552 -22.412275 71.672345 -22.280853 71.709894 -22.102493 71.709894 -22.191673 71.623061 -22.332483 71.562044 -22.600022 71.442355 -22.609410 71.271036 -22.468600 71.285117 -22.332483 71.432968 -22.201060 71.418887 -21.947602 71.498679 -21.806792 71.477558 -21.825567 71.364909 -21.825567 71.313279 -21.914746 71.271036 -21.858422 71.195937 -21.872503 71.177163 -21.895972 71.097370 -22.135349 71.050434 -21.914746 71.057474 -21.816179 70.994109 -21.858422 70.949520 -21.806792 70.841565 -21.905359 70.806363 -21.839648 70.752385 -21.773936 70.696061 -21.783324 70.656165 -21.792711 70.590454 -21.637820 70.574026 -21.661288 70.459031 -21.928827 70.423829 -22.060250 70.503621 -22.355951 70.482499 -22.445131 70.623310 -22.477987 70.801669 -22.600022 70.808710 -22.656346 70.696061 -22.665734 70.569332 -22.665734 70.440256 -23.041227 70.414441 -23.491820 70.477806 -23.867313 70.581067 -24.120771 70.733611 -24.242807 70.926051 -24.275663 71.062168 -24.571364 71.172469 -24.651156 71.280423 -24.782579 71.322666 -25.134604 71.313279 -25.434999 71.428274 -25.796412 71.536228 -26.148437 71.562044 -26.401895 71.608980 -26.636579 71.557350 -26.946361 71.576125 -27.242062 71.709894 -27.683267 71.806114 -27.650411 71.721628 -27.561232 71.641836 -27.838158 71.616021 -27.509601 71.578471 -27.307774 71.536228 -27.354710 71.463477 -27.030847 71.512760 -26.669434 71.454089 -26.369040 71.477558 -25.909060 71.461130 -25.641521 71.362563 -25.608665 71.210018 -25.894979 71.271036 -25.777637 71.167775 -26.031095 71.076249 -26.303328 71.015231 -26.678822 70.949520 -27.087171 70.940132 -27.439196 70.947173 -27.725510 71.043393 -27.763060 70.921358 -27.946113 70.956560 -28.279363 70.942479 -28.335687 70.893196 -28.091616 70.785241 -28.246508 70.623310 -28.410786 70.548211 -28.631389 70.508315 -28.983414 70.459031 -28.687713 70.451991 -28.476497 70.386279 -27.960194 70.374545 -27.462665 70.398013 -26.997991 70.426175 -26.702290 70.412094 -26.570867 70.334649 -26.824326 70.290059 -27.176351 70.278325 -27.406341 70.207920 -27.716123 70.132821 -28.002437 70.088231 -28.312219 70.137515 -28.654857 70.038948 -28.424867 70.027213 -28.002437 70.006092 -27.692655 70.008439 -27.373485 70.001398 -27.199819 70.163330 -26.777389 70.226694 -26.425364 70.177411 -26.162518 70.247816 -25.876204 70.292406 -25.477242 70.367505 -25.369288 70.285365 -25.181541 70.329955 -24.993794 70.348730 -25.003181 70.271284 -24.881146 70.290059 -24.496265 70.214960 -24.097303 70.163330 -23.810989 70.102312 -23.557531 70.102312 -23.163263 70.069456 -22.876949 70.062416 -22.590635 70.069456 -22.313708 70.114046 -22.149430 70.139861 # -b -22.147083 70.139861 -22.100146 70.139861 -22.133002 70.102312 -22.189326 70.050682 # -b -21.759855 74.361818 -21.971070 74.277332 -22.003926 74.195193 -21.849035 74.155296 -21.417217 74.122441 -21.210696 74.082545 -20.924382 74.103666 -20.614600 74.122441 -20.318899 74.134175 -20.206250 74.197539 -20.469096 74.244476 -20.483177 74.333656 -20.581744 74.394674 -20.980706 74.413448 -21.299876 74.432223 -21.562721 74.408755 -21.759855 74.361818 # -b -25.641521 73.207175 -25.688457 73.120342 -25.336432 73.092180 -24.937470 73.071059 -24.618301 73.024122 -24.341374 73.005347 -24.097303 73.014735 -23.890782 73.049937 -23.637323 73.064018 -23.271217 73.071059 -23.041227 73.099221 -22.994291 73.150851 -23.247749 73.169626 -23.623242 73.169626 -23.965880 73.188400 -24.299131 73.223603 -24.651156 73.261152 -24.895227 73.286967 -24.740336 73.282274 -24.364842 73.289314 -24.177095 73.258805 -23.900169 73.218909 -23.637323 73.216562 -23.383865 73.197788 -23.383865 73.244724 -23.524675 73.277580 -23.778134 73.308089 -23.965880 73.343291 -24.285050 73.378494 -24.726255 73.387881 -24.928083 73.399615 -25.082974 73.409003 -25.270721 73.352679 -25.420918 73.289314 -25.542954 73.232990 -25.641521 73.207175 # -b -22.036782 72.871578 -22.224529 72.831681 -22.247997 72.796479 -22.149430 72.747195 -22.027395 72.711993 -22.093106 72.714340 -22.266772 72.690871 -22.435744 72.711993 -22.576554 72.704952 -22.698589 72.714340 -22.707977 72.744848 -22.820625 72.782398 -22.942660 72.824641 -23.041227 72.848109 -23.271217 72.859843 -23.435496 72.864537 -23.670179 72.859843 -23.867313 72.880965 -24.153627 72.897393 -24.299131 72.899740 -24.571364 72.909127 -24.641769 72.960757 -24.430554 72.974838 -24.177095 72.984226 -23.810989 73.005347 -23.571612 73.014735 -23.318154 73.035856 -23.116326 73.005347 -22.895724 73.010041 -22.675121 72.974838 -22.501455 72.977185 -22.323096 72.941983 -22.201060 72.927902 -22.046169 72.899740 -22.036782 72.871578 # -b -23.062349 72.721380 -22.827665 72.622813 -22.409929 72.573530 -22.231569 72.493737 -22.067291 72.503124 -22.001579 72.385783 -22.198713 72.395170 -22.330136 72.423332 -22.630531 72.428026 -22.794810 72.367008 -22.550739 72.322418 -22.409929 72.256707 -22.222182 72.247319 -22.231569 72.200383 -22.231569 72.113550 -22.353605 72.099469 -22.550739 72.144059 -22.564820 72.205076 -22.794810 72.167527 -22.973169 72.244973 -23.193772 72.331806 -23.569265 72.397517 -23.789868 72.418638 -23.996389 72.458535 -24.132506 72.533633 -24.263928 72.554755 -24.385964 72.592304 -24.404739 72.655669 -24.493918 72.688524 -24.493918 72.728421 -24.536161 72.808213 -24.569017 72.831681 -24.451675 72.855150 -24.306171 72.866884 -24.141893 72.859843 -23.921290 72.845762 -23.667832 72.824641 -23.512941 72.845762 -23.367437 72.822294 -23.203159 72.791785 -23.062349 72.721380 # -b -25.453774 70.862687 -25.444386 70.768813 -25.444386 70.745345 -25.388062 70.635044 -25.453774 70.609229 -25.622746 70.581067 -25.819880 70.574026 -25.951303 70.588107 -26.017014 70.534130 -26.139050 70.541170 -26.369040 70.566985 -26.669434 70.522396 -26.946361 70.510661 -27.218594 70.477806 -27.495520 70.456684 -27.650411 70.456684 -27.894482 70.433216 -28.068148 70.444950 -28.058761 70.496580 -28.049373 70.550558 -28.002437 70.623310 -27.626943 70.705449 -27.232675 70.808710 -27.152882 70.848606 -26.890037 70.874421 -26.415976 70.914317 -26.162518 70.994109 -25.909060 71.043393 -25.829267 71.001150 -25.688457 70.954213 -25.524179 70.916664 -25.453774 70.862687 # -b -50.433487 69.907525 -50.391244 70.006092 # -b -50.963872 69.989664 -51.062439 70.027213 -51.339365 70.043641 -51.494256 70.001398 -51.813426 70.024867 -52.386054 70.069456 -52.817871 70.245469 -53.413968 70.334649 -53.911497 70.386279 -54.183729 70.524742 -54.493512 70.679634 -54.263522 70.785241 -53.963127 70.799322 -53.634570 70.775854 -53.216833 70.754732 -52.817871 70.745345 -52.418909 70.660859 -52.034028 70.548211 -51.672616 70.433216 -51.184474 70.367505 -50.654089 70.329955 -50.611846 70.405054 -50.686945 70.473112 -51.043664 70.426175 -51.207943 70.491887 -51.264267 70.588107 -50.963872 70.548211 -51.029583 70.606882 -50.808981 70.616269 -50.808981 70.667899 -51.095294 70.728917 -50.701026 70.681980 -50.808981 70.773507 -51.053051 70.869727 -51.315897 70.895542 -51.625679 70.949520 -51.902606 71.050434 -51.395689 70.975335 -51.339365 71.022272 -51.470788 71.069208 -51.395689 71.146654 -51.822813 71.125532 -52.188920 71.113798 -51.935461 71.228793 -51.672616 71.327360 -52.001173 71.263996 -52.531558 71.153694 -52.353198 71.252261 -52.264018 71.364909 -51.902606 71.440008 -52.498702 71.376644 -52.996231 71.400112 -52.775628 71.493985 -52.109127 71.564390 -51.869750 71.665304 -52.597269 71.623061 -52.775628 71.630102 -52.761547 71.648876 -52.874195 71.665304 -53.127654 71.693466 -53.104185 71.773259 -52.939907 71.895294 -53.235608 71.799074 -53.423355 71.899988 -53.545390 71.993861 -53.568859 71.820195 -53.873947 71.754484 -53.831704 71.695813 -53.953740 71.648876 -54.094550 71.688773 -54.174342 71.620714 -53.986595 71.550309 -54.010064 71.449395 -54.535755 71.355522 -54.901861 71.393071 -55.178788 71.484598 -55.366534 71.404806 -55.662236 71.583165 -55.751415 71.674692 -55.573056 71.761525 -55.263274 71.806114 -55.047365 71.895294 -54.812681 71.970393 -55.230418 71.923456 -55.540200 72.024370 -55.286742 72.061919 -55.023896 72.169874 -54.934717 72.221504 -54.869005 72.310684 -54.746970 72.355274 -54.826762 72.442107 -54.648403 72.465575 -54.690646 72.550061 -54.714114 72.646281 -54.690646 72.721380 -54.582691 72.749542 -54.559223 72.850456 -54.704727 72.941983 -55.047365 72.995960 -55.319598 73.019428 -55.638767 73.045243 -55.474489 73.085140 -55.385309 73.155545 -55.197562 73.190747 -55.399390 73.244724 -55.352453 73.305742 -55.277355 73.352679 -55.131851 73.397269 -55.451020 73.343291 -55.596524 73.336251 -55.563669 73.369107 -55.497957 73.446552 -55.521425 73.502876 -55.563669 73.533385 -55.662236 73.542772 -55.859370 73.589709 -55.995486 73.622565 -56.004874 73.664808 -55.972018 73.721132 -55.793658 73.695317 -55.817127 73.732866 -55.760803 73.836127 -55.892225 73.883064 -56.112828 73.941734 -55.962630 74.002752 -56.079972 74.044995 -56.300575 74.030914 -56.248944 74.150603 -56.248944 74.157643 -56.183233 74.249170 -56.225476 74.274985 -56.413223 74.296107 -56.643213 74.331309 -56.225476 74.331309 -56.281800 74.408755 -56.488322 74.397020 -56.821572 74.422836 -56.380367 74.455691 -56.248944 74.481506 -56.446079 74.549565 -56.568114 74.608236 -56.765248 74.669253 -57.018706 74.688028 -57.107886 74.746699 -57.042175 74.784248 -56.887284 74.819451 -56.920139 74.857000 -57.150129 74.892203 -57.319101 74.936792 -57.638271 74.988423 -57.910504 75.042400 -58.065395 75.108111 -58.121719 75.204332 -58.318853 75.293511 -58.300078 75.324020 -58.342321 75.389732 -58.530068 75.331061 -58.464357 75.396772 -58.285997 75.478911 -58.267223 75.528195 -58.342321 75.546970 -58.365790 75.603294 -58.398645 75.622068 -58.497212 75.664311 -58.562924 75.722982 -58.708428 75.697167 -58.783526 75.741757 -58.830463 75.746451 -58.891481 75.847365 -59.013516 75.776959 -59.135552 75.767572 -59.112083 75.877873 -59.140245 75.922463 -59.224731 75.913076 # -b -54.348008 70.327608 -54.216585 70.311180 -53.977208 70.264244 -53.643957 70.247816 -53.193365 70.177411 # -b -54.526367 69.970889 -54.756357 70.118740 -54.746970 70.238429 -54.516980 70.290059 -54.348008 70.327608 # -b -70.097618 70.806363 -69.942727 70.822791 # -b -70.142208 70.590454 -69.921606 70.696061 -69.813651 70.714836 -69.546112 70.738304 -69.339591 70.712489 -69.128376 70.656165 -69.086133 70.653818 -68.931241 70.635044 -68.720026 70.609229 -68.490036 70.566985 -68.475955 70.440256 -68.522892 70.355770 -68.565135 70.367505 -68.710639 70.437910 -68.818593 70.346383 -68.851449 70.301793 -69.128376 70.271284 -69.405302 70.226694 -69.668148 70.151596 -69.578968 70.102312 -69.358365 70.156289 -69.203474 70.156289 -68.940629 70.168024 -68.696558 70.170370 -68.696558 70.095272 -68.809206 70.031907 # -b -68.708292 69.930993 -68.562788 70.017826 -68.276474 70.095272 -68.309330 70.184451 -68.177907 70.278325 -67.825882 70.222001 -67.450388 70.031907 # -b -68.950016 77.264853 -68.978178 77.276587 -68.959403 77.278934 -68.856143 77.300055 -68.630847 77.318830 -68.508811 77.346992 -68.396163 77.384542 -68.161479 77.384542 -67.917409 77.391582 -67.682725 77.396276 -67.438654 77.396276 -67.241520 77.405663 -67.034999 77.396276 -66.781540 77.377501 -66.584406 77.346992 -66.462371 77.302402 -66.180751 77.278934 -65.936680 77.253119 -65.908518 77.224957 -66.171363 77.187407 -66.434209 77.166286 -66.687667 77.159245 -67.053773 77.187407 -67.372943 77.213223 -67.748436 77.231997 -68.114543 77.210876 -68.414938 77.215569 -68.649621 77.241385 -68.950016 77.264853 # -b -70.264244 77.227304 -69.963849 77.229650 -69.644679 77.220263 -69.231636 77.217916 -68.837368 77.192101 -68.612072 77.187407 -68.555748 77.185061 -68.508811 77.178020 -68.311677 77.168633 -68.227191 77.163939 -68.142705 77.168633 -67.954958 77.187407 -67.663950 77.199142 -67.316619 77.178020 -66.969287 77.152205 -66.593794 77.138124 -66.349723 77.107615 -66.180751 77.112309 -66.115039 77.156899 -65.795870 77.187407 -65.683222 77.217916 -65.655060 77.248425 -65.711384 77.271893 -66.011779 77.297709 -66.274624 77.335258 -66.377885 77.379848 -66.424821 77.426785 -66.274624 77.466681 -65.974229 77.459640 -65.824032 77.497190 -65.758320 77.567595 -65.824032 77.588716 -65.974229 77.607491 -66.011779 77.661468 -66.096265 77.701364 -66.359110 77.684936 -66.490533 77.635653 -66.621956 77.626266 -66.725216 77.656774 -66.462371 77.687283 -66.424821 77.734220 -66.612568 77.727179 -66.922351 77.663815 -67.175809 77.567595 -67.476204 77.553514 -67.663950 77.544126 -67.861085 77.546473 -68.227191 77.541779 -68.311677 77.607491 -68.555748 77.680243 -68.734107 77.668509 -68.602684 77.579329 -68.621459 77.520658 -69.025115 77.478415 -69.334897 77.485455 -69.644679 77.520658 # -b -70.118740 77.612185 -69.949768 77.630959 -69.621211 77.691977 -69.630598 77.727179 -69.996705 77.682590 # -b -70.109353 78.802030 -69.771408 78.811417 -69.574274 78.809070 -69.480401 78.827845 -69.433464 78.860701 -69.273879 78.874782 -69.086133 78.856007 -68.982872 78.853660 -68.954710 78.898250 -69.236330 78.914678 -69.339591 78.952227 -69.198781 78.987430 -69.020421 79.015592 -68.720026 79.055488 -68.466568 79.074263 -68.128624 79.081303 -67.912715 79.060182 -67.903328 79.095384 -67.678031 79.109465 -67.584158 79.125893 -67.462123 79.123546 -67.246214 79.147015 -67.114791 79.114159 -67.049080 79.081303 -66.964594 79.088344 -66.833171 79.111812 -66.664199 79.104772 -66.560938 79.097731 -66.495227 79.081303 -66.279318 79.083650 -66.204219 79.062529 -66.044634 79.088344 -65.978923 79.118853 -65.931986 79.161096 -65.781789 79.212726 -65.612817 79.266703 -65.509556 79.306600 -65.321809 79.337108 -65.256098 79.372311 -65.171612 79.407513 -65.021414 79.452103 -64.824280 79.491999 -64.843055 79.522508 -64.843055 79.578832 -64.918153 79.625769 -65.068351 79.675053 -65.237323 79.703215 -65.190386 79.754845 -65.124675 79.801782 -64.843055 79.785354 -64.570822 79.797088 -64.401850 79.841678 -64.505110 79.874534 -64.627146 79.916777 -64.833667 79.909736 -65.068351 79.940245 -64.880604 79.982488 # -b -65.497822 80.022384 -65.713730 79.984835 -65.985963 79.954326 -66.164323 79.989529 # -b -59.886539 75.913076 -60.205708 75.955319 -60.628139 76.049192 -60.665688 76.049192 -60.656301 76.016337 -60.665688 75.955319 -60.684463 75.992868 -60.806498 76.021030 -60.853435 76.063273 -60.909759 76.103170 -60.928534 76.107863 -61.069344 76.124291 -61.435450 76.133678 -61.726458 76.164187 -61.970528 76.180615 -62.101951 76.192349 -62.308473 76.199390 -62.430508 76.178268 -62.646417 76.201737 -62.815389 76.293263 -63.181495 76.312038 -63.406792 76.187656 -63.744736 76.112557 -63.904321 76.166534 -63.951257 76.192349 -63.960645 76.279182 -64.214103 76.241633 -64.430012 76.182962 -64.505110 76.114904 -64.645920 76.131332 -64.889991 76.103170 -65.077738 76.009296 -65.274872 75.971747 -65.584655 76.046846 -65.547105 76.159494 -65.425070 76.220511 -65.706690 76.241633 -65.960148 76.262754 -66.138508 76.178268 -66.204219 76.089089 -66.391966 76.096129 -66.654811 76.199390 -66.711135 76.215818 -66.927044 76.215818 -67.208664 76.121944 -66.908270 76.075008 -66.607875 75.964706 -66.298092 75.849711 -66.786234 75.903689 -67.227439 75.927157 -67.274376 75.929504 -67.584158 75.978787 -68.156786 76.013990 -68.513505 76.089089 -68.813900 76.152453 -69.011034 76.232245 -69.302041 76.295610 -69.527338 76.382443 -69.273879 76.457542 -68.860836 76.551415 -68.485343 76.551415 -68.166173 76.610086 -68.138011 76.671104 -68.560441 76.647635 -68.644928 76.645288 -68.926548 76.666410 -69.208168 76.668757 -69.480401 76.692225 -69.884056 76.734468 # -b -70.008439 76.833035 -69.830079 76.915175 -69.642332 76.987926 -69.764368 77.006701 -69.923953 76.929256 # -b -79.384045 76.969152 -79.158749 76.999661 -79.130587 77.016088 -79.083650 77.053638 -79.130587 77.091187 -79.271397 77.152205 -79.524855 77.163939 -79.844025 77.161592 # -b -80.254721 77.224957 -79.907389 77.229650 -79.588220 77.231997 -79.353536 77.229650 -79.147015 77.236691 -79.015592 77.290668 -78.865395 77.276587 -78.893557 77.250772 -78.884169 77.241385 -78.611936 77.278934 -78.349091 77.307096 -78.198893 77.370461 -78.095633 77.424438 -78.067471 77.487802 -78.086245 77.515964 -77.776463 77.541779 -77.757688 77.569942 -77.982984 77.626266 -78.114407 77.647387 -78.133182 77.684936 -78.086245 77.720139 -78.198893 77.783504 -78.330316 77.804625 -78.292767 77.809319 -78.292767 77.853909 -78.349091 77.896152 -78.349091 77.921967 -78.114407 77.896152 -77.832787 77.891458 -77.607491 77.882071 -77.447906 77.886764 -77.278934 77.891458 -77.156899 77.856255 -76.950377 77.863296 -76.790792 77.884417 -76.687532 77.921967 -76.556109 77.950129 -76.424686 77.971250 -76.133678 77.943088 -76.077354 77.912579 -76.002256 77.943088 -75.880220 77.978291 -75.805121 78.006453 -75.814509 78.020534 -75.767572 78.046349 -75.683086 78.076858 -75.795734 78.081552 -76.030418 78.088592 -76.208777 78.102673 -76.312038 78.097979 -76.509172 78.114407 -76.649982 78.114407 -76.884666 78.137876 -77.081800 78.149610 -77.034863 78.166038 -76.865891 78.191853 -76.762630 78.203587 -76.537334 78.196546 -76.387137 78.196546 -76.246327 78.182465 -75.955319 78.166038 -75.748797 78.140222 -75.683086 78.158997 -75.645537 78.182465 -75.607987 78.205934 -75.514114 78.245830 -75.373304 78.262258 -75.176170 78.281033 -75.138620 78.311541 -75.307592 78.370212 -75.542276 78.403068 -75.767572 78.414802 -75.983481 78.424190 -76.208777 78.459392 -76.452848 78.468779 -76.302651 78.489901 -76.002256 78.478167 -75.758185 78.480514 -75.542276 78.485207 -75.326367 78.492248 -75.110458 78.508676 -75.007198 78.539184 -74.857000 78.548572 -74.725577 78.576734 -74.857000 78.604896 -74.857000 78.644792 -74.810063 78.672954 -74.800676 78.672954 -74.791289 78.679995 -74.800676 78.703463 -74.800676 78.722238 -74.800676 78.741012 -74.828838 78.773868 -74.857000 78.811417 -75.054134 78.846620 -75.363916 78.874782 -75.570438 78.881822 -75.814509 78.872435 -76.086742 78.867741 -76.312038 78.863048 -76.302651 78.891210 -76.021030 78.909984 -75.880220 78.935800 -75.880220 78.954574 -75.955319 78.973349 -76.011643 78.989777 -76.124291 78.985083 -76.321425 78.978043 -76.537334 78.985083 -76.781405 78.987430 -77.081800 78.975696 -77.316483 78.973349 -77.560554 78.947534 -77.729526 78.902944 -77.860949 78.898250 -77.720139 78.952227 -77.663815 78.996817 -77.879724 79.001511 -77.917273 79.032020 -77.645040 79.024979 -77.476068 79.010898 -77.203835 79.017939 -76.931602 79.043754 -76.678144 79.055488 -76.358975 79.048448 -76.190002 79.048448 -76.190002 79.076610 -76.358975 79.097731 -76.612433 79.109465 -76.903440 79.118853 -77.231997 79.121200 -77.466681 79.121200 -77.776463 79.118853 -77.936048 79.139974 -77.682590 79.156402 -77.382195 79.161096 -77.185061 79.149362 -76.847116 79.161096 -76.640595 79.186911 -76.330813 79.177524 -76.021030 79.161096 -75.917770 79.130587 -75.936544 79.085997 -75.898995 79.062529 -75.842671 79.041407 -75.664311 79.020286 -75.448403 79.020286 -75.232494 79.008551 -74.950874 79.008551 -74.734965 78.994470 -74.594155 79.008551 -74.556605 79.043754 -74.575380 79.090691 -74.688028 79.111812 -74.828838 79.151708 -74.744352 79.179870 -74.622317 79.210379 -74.753739 79.233848 -75.054134 79.226807 -75.429628 79.226807 -75.617375 79.224460 -75.776959 79.219767 -75.964706 79.222113 -76.067967 79.250275 -76.236939 79.245582 -76.537334 79.238541 -76.865891 79.236194 -77.156899 79.226807 -77.372807 79.212726 -77.523005 79.196298 -77.635653 79.193951 -77.457293 79.222113 -77.438519 79.247929 -77.654428 79.269050 -77.832787 79.269050 -77.917273 79.283131 -77.982984 79.297212 -77.823400 79.313640 -77.691977 79.315987 -77.513617 79.313640 -77.222610 79.306600 -77.260159 79.344149 -77.325871 79.388739 -77.419744 79.409860 -77.288321 79.416901 -77.203835 79.398126 -77.119349 79.353536 -76.950377 79.332415 -76.725081 79.327721 -76.462235 79.325374 -76.302651 79.323027 -76.067967 79.318334 -76.002256 79.344149 -76.199390 79.384045 -76.246327 79.409860 -76.452848 79.416901 -76.753243 79.428635 -76.959764 79.447410 -77.147511 79.445063 -77.278934 79.484959 -77.147511 79.491999 -77.091187 79.487306 -77.006701 79.491999 -76.940990 79.489653 -76.725081 79.470878 -76.509172 79.470878 -76.283876 79.452103 -76.096129 79.412207 -75.955319 79.409860 -75.748797 79.381698 -75.485952 79.372311 -75.204332 79.365270 -75.072909 79.393432 -75.129233 79.447410 -74.997810 79.435675 -74.950874 79.430982 -74.922711 79.423941 -74.678641 79.423941 -74.387633 79.416901 -74.237436 79.461491 -74.256210 79.496693 -74.171724 79.489653 -74.087238 79.522508 -73.974590 79.480265 -73.692970 79.491999 -73.617871 79.545977 -73.636646 79.592913 -73.749294 79.660972 -73.786843 79.705561 -74.115400 79.710255 -74.443957 79.736070 -74.857000 79.743111 -74.791289 79.787701 -74.453344 79.801782 -74.256210 79.787701 -74.059076 79.761886 -73.758681 79.747805 -73.542772 79.745458 -73.589709 79.707908 -73.542772 79.665665 -73.383188 79.644544 -73.279927 79.637503 -73.082793 79.642197 -73.017081 79.644544 -73.017081 79.625769 -72.848109 79.635156 -72.594651 79.649237 -72.359968 79.649237 -72.162833 79.646891 # -b -72.160487 79.646891 -71.991514 79.675053 -71.775606 79.682093 -71.625408 79.719642 -71.503373 79.754845 -71.371950 79.808822 -71.531535 79.822903 -71.831930 79.815863 -71.794380 79.855759 -71.606633 79.905042 -71.231140 79.930858 -71.165428 79.959020 # -b -72.247319 80.005956 -72.707299 79.998916 # -b -80.189010 75.173823 -79.954326 75.204332 -79.747805 75.284124 -79.747805 75.319327 -79.766579 75.382691 -79.766579 75.457790 -79.790048 75.464830 -79.790048 75.471871 -79.921470 75.467177 -79.987182 75.504727 -79.944939 75.535235 # -b -79.229154 76.046846 -79.210379 76.039805 -79.238541 75.990521 -79.294865 75.962359 -79.360577 75.910729 -79.182217 75.868486 -79.078957 75.814509 -79.144668 75.812162 -79.323027 75.821549 -79.491999 75.809815 -79.491999 75.774613 -79.576486 75.760532 -79.689134 75.767572 -79.811169 75.798081 -79.905042 75.805121 -79.848718 75.837977 -79.792394 75.868486 -79.792394 75.903689 -79.689134 75.950625 -79.595260 75.997562 -79.585873 76.035111 -79.529549 76.060927 -79.529549 76.084395 -79.435675 76.093782 -79.304253 76.075008 -79.229154 76.046846 # -b -79.703215 74.847613 -79.562405 74.864041 -79.449756 74.906284 -79.604648 74.943833 -79.660972 75.002504 -79.660972 75.033013 -79.792394 75.028319 # -b -80.045853 74.817104 -79.947285 74.817104 -79.858106 74.838225 -79.792394 74.845266 -79.703215 74.847613 # -b -77.708405 69.942727 -77.699017 70.062416 -77.717792 70.207920 -77.952476 70.184451 -78.182465 70.240775 -78.271645 70.175064 -78.492248 70.247816 -78.703463 70.327608 -78.886516 70.386279 -79.285478 70.433216 -79.384045 70.433216 -79.595260 70.362811 -79.430982 70.318221 -79.154055 70.322915 -78.886516 70.111699 # -b -80.144420 72.357621 -79.937898 72.498431 -79.872187 72.404557 -79.881574 72.315378 -79.825250 72.310684 -79.703215 72.287216 -79.463837 72.364661 -79.262010 72.287216 -79.130587 72.223851 -78.933453 72.303643 -78.623670 72.303643 -78.403068 72.334152 -78.689382 72.413945 -78.665914 72.531286 -78.393681 72.620466 -78.238790 72.658016 -78.060430 72.681484 -77.699017 72.730767 -77.201488 72.721380 -76.793139 72.648628 -76.319078 72.592304 -76.131332 72.559449 -75.755838 72.557102 -75.370957 72.500778 -75.436668 72.446800 -75.272390 72.418638 -75.084643 72.284869 -75.028319 72.193342 -75.239534 72.099469 -75.126886 72.061919 -74.751393 72.066613 -74.366512 72.029064 -74.310188 71.902335 -74.432223 71.827236 -74.742005 71.761525 -74.887509 71.716935 -75.070562 71.655917 -74.774861 71.707547 -74.798329 71.597246 -74.652825 71.627755 -74.366512 71.747444 -74.089585 71.740403 -73.582669 71.782646 -73.549813 71.747444 -73.704704 71.688773 -73.859595 71.606633 -74.014486 71.508066 -74.103666 71.442355 -73.836127 71.557350 -73.648380 71.543269 -73.695317 71.411846 -73.549813 71.357869 -73.526345 71.322666 -73.296355 71.341441 -73.286967 71.292158 -73.254112 71.348482 -73.362066 71.526841 -73.132076 71.547963 -73.042897 71.522147 -72.878618 71.508066 -72.658016 71.592552 -72.592304 71.688773 -72.545368 71.693466 -72.428026 71.648876 -72.207423 71.590206 -71.841317 71.540922 -71.442355 71.475211 -71.188897 71.336747 -71.090330 71.207671 -71.188897 71.134920 -71.325013 71.064515 -71.611327 71.071555 -72.127631 71.031659 -71.874173 71.008190 -71.578471 71.001150 -71.432968 70.928398 -71.146654 70.954213 -70.860340 71.031659 -70.649125 71.022272 -70.583413 70.907277 -70.738304 70.766466 -70.883808 70.689021 -70.893196 70.623310 -70.559945 70.712489 -70.306487 70.745345 -70.099965 70.806363 # -b -69.942727 70.822791 -70.083537 70.700755 -70.327608 70.620963 -70.440256 70.524742 -70.440256 70.489540 -70.252510 70.566985 -70.139861 70.590454 # -b -80.320432 76.220511 -79.813516 76.260408 -79.484959 76.347240 -79.278437 76.434073 -79.090691 76.525600 -78.987430 76.396524 -78.583774 76.464582 -78.518063 76.530294 -78.151957 76.567843 -78.095633 76.631207 -78.048696 76.741509 -78.114407 76.861197 -78.283379 76.943337 -78.630711 76.915175 -78.846620 76.854157 -78.987430 76.793139 -79.184564 76.804873 -79.165789 76.872931 -79.325374 76.889359 -79.550670 76.919868 -79.513121 76.948030 -79.391086 76.969152 # -b -78.963962 73.603790 -78.743359 73.615524 -78.630711 73.622565 -78.245830 73.615524 -77.950129 73.568588 -77.640347 73.505223 -77.330564 73.465327 -77.199142 73.399615 -77.166286 73.345638 -77.011395 73.279927 -76.833035 73.244724 -76.668757 73.146157 -76.537334 73.085140 -76.340200 73.024122 -76.373056 72.984226 -76.316732 72.925555 -76.152453 72.866884 -76.307344 72.796479 -76.635901 72.789438 -77.077106 72.803519 -77.574635 72.859843 -77.936048 72.866884 -78.269298 72.866884 -78.654179 72.798826 -78.996817 72.737808 -79.428635 72.697912 -79.790048 72.754236 # -b -80.090442 73.664808 -79.649237 73.608484 -79.118853 73.577975 -78.963962 73.603790 # -b -71.299198 76.999661 -71.299198 77.004354 -71.271036 77.025476 -71.158388 77.046597 -71.139613 77.077106 -70.998803 77.124043 -70.754732 77.131083 -70.782894 77.178020 -70.491887 77.210876 -70.266591 77.227304 # -b -69.644679 77.520658 -70.029560 77.548820 -70.123434 77.612185 # -b -69.999051 77.682590 -70.205573 77.677896 -70.581067 77.682590 -70.468418 77.750648 -70.186798 77.828093 -70.092925 77.858602 -70.496580 77.830440 -70.825137 77.792891 -71.228793 77.781157 -71.322666 77.830440 -71.256955 77.879724 -71.519801 77.882071 -71.735709 77.919620 -71.876519 77.910233 -72.026717 77.931354 -72.205076 77.943088 -72.261400 77.966557 -72.261400 77.971250 -72.242626 78.013493 -72.327112 78.055736 -72.580570 78.081552 -72.702605 78.114407 -72.843416 78.137876 -72.927902 78.173078 -72.740155 78.191853 -72.674443 78.248177 -72.674443 78.273992 -72.486697 78.276339 -72.449147 78.288073 -72.796479 78.306848 -72.824641 78.344397 -72.702605 78.386640 -72.636894 78.419496 -72.646281 78.438271 -72.589957 78.492248 -72.345887 78.534491 -72.073654 78.546225 -71.885907 78.567346 -71.726322 78.618977 -71.529188 78.633058 -71.332054 78.644792 -71.247568 78.635405 -71.210018 78.635405 -71.097370 78.618977 -71.003497 78.609589 -70.928398 78.675301 -70.834525 78.726931 -70.571679 78.743359 -70.365158 78.757440 -70.205573 78.783255 -70.111699 78.802030 # -b -69.888750 76.734468 -70.010786 76.833035 # -b -69.921606 76.929256 -70.203226 76.793139 -70.559945 76.772018 -70.850953 76.823648 -70.832178 76.877625 -70.888502 76.912828 -71.095023 76.933949 -71.217059 76.955071 -71.320320 76.966805 -71.432968 76.959764 -71.292158 77.004354 # -b -87.245943 80.050546 -87.170844 79.989529 -87.161457 79.977794 -87.114520 79.947285 -87.170844 79.937898 -87.311654 79.907389 -87.302267 79.893308 -87.058196 79.912083 -87.030034 79.914430 -87.030034 79.898002 -87.095745 79.862799 -87.189619 79.806475 -87.274105 79.740764 -87.311654 79.689134 -87.508788 79.670359 -87.621436 79.628116 -87.621436 79.585873 -87.546338 79.590567 -87.433690 79.623422 -87.349203 79.653931 -87.236555 79.653931 -87.161457 79.653931 -87.048809 79.679746 -86.917386 79.703215 -86.832900 79.698521 -86.710864 79.675053 -86.607604 79.665665 -86.485568 79.623422 -86.419857 79.602301 -86.279047 79.578832 -86.260272 79.541283 -86.269659 79.513121 -86.222723 79.473225 -86.335371 79.452103 -86.325983 79.426288 -86.241497 79.447410 -86.138237 79.461491 -86.081913 79.491999 -86.091300 79.510774 -86.081913 79.529549 -86.016201 79.562405 -85.997426 79.585873 -85.959877 79.599954 -85.866004 79.597607 -85.856616 79.602301 -85.781518 79.574139 -85.668870 79.522508 -85.490510 79.475572 -85.349700 79.447410 -85.330925 79.428635 -85.283989 79.395779 -85.190115 79.374658 -85.124404 79.360577 -85.077467 79.332415 -85.096242 79.276091 -85.096242 79.243235 -85.199503 79.222113 -85.330925 79.193951 -85.471735 79.175177 -85.406024 79.189258 -85.509285 79.158749 -85.781518 79.116506 -86.091300 79.090691 -86.372920 79.064875 -86.579442 79.041407 -86.739026 79.029673 -86.767188 78.978043 -86.710864 78.968655 -86.776576 78.940493 -86.983097 78.902944 -86.992485 78.945187 -87.020647 78.973349 -87.030034 79.001511 -87.095745 79.017939 -87.123907 79.024979 -87.208393 79.034367 -87.217781 78.992124 -87.208393 78.945187 -87.180231 78.900597 -87.170844 78.846620 -87.424302 78.769174 -87.536950 78.701116 -87.677760 78.635405 -87.781021 78.623670 -87.931219 78.661220 -88.090803 78.719891 -88.128353 78.785602 -88.137740 78.848967 -88.137740 78.884169 -88.194064 78.914678 -88.222226 78.931106 -88.203451 78.952227 -88.194064 78.966308 -88.184677 79.006205 -88.137740 79.043754 -88.137740 79.071916 -88.194064 79.055488 -88.231614 79.006205 -88.287938 78.961615 -88.391198 78.900597 -88.391198 78.837232 -88.428748 78.794989 -88.419360 78.736319 -88.325487 78.663567 -88.353649 78.623670 -88.287938 78.621324 -88.156515 78.590815 -88.100191 78.527450 -88.118965 78.478167 -88.137740 78.461739 -88.137740 78.426536 -88.250388 78.428883 -88.391198 78.426536 -88.475684 78.478167 -88.635269 78.527450 -88.729143 78.553265 -88.757305 78.590815 -88.823016 78.593162 -88.860565 78.555612 -88.888727 78.522757 -88.869953 78.461739 -88.747917 78.412455 -88.635269 78.367865 -88.560170 78.351438 -88.597720 78.290420 -88.635269 78.227055 -88.691593 78.158997 -88.757305 78.114407 -88.888727 78.119101 -89.076474 78.166038 -89.170348 78.210628 -89.273608 78.262258 -89.358094 78.297460 -89.386256 78.337357 -89.480130 78.346744 -89.489517 78.346744 -89.517679 78.353784 -89.649102 78.388987 -89.771137 78.400721 -89.893173 78.440617 -89.968271 78.499288 # -b -90.080920 78.426536 -89.958884 78.374906 -89.902560 78.335010 -89.705426 78.281033 -89.517679 78.180119 -89.395644 78.114407 -89.433193 78.093286 -89.517679 78.140222 -89.752363 78.163691 -89.902560 78.227055 # -b -88.637616 76.999661 -88.637616 77.009048 -88.543743 77.011395 -88.487419 77.013742 -88.449869 77.020782 -88.440482 77.037210 -88.431094 77.067719 -88.355996 77.077106 -88.280897 77.077106 -88.187024 77.058331 -88.130700 77.067719 -88.093150 77.058331 -88.008664 77.041904 -87.952340 77.053638 -87.914791 77.072412 -87.830305 77.077106 -87.792755 77.077106 -87.783368 77.051291 -87.680107 77.055985 -87.539297 77.060678 -87.529910 77.067719 -87.614396 77.088840 -87.595621 77.107615 -87.539297 77.121696 -87.473586 77.124043 -87.407874 77.124043 -87.304614 77.138124 -87.229515 77.140471 -87.210740 77.117002 -87.098092 77.102921 -87.004219 77.088840 -86.994831 77.102921 -86.985444 77.117002 -86.900958 77.138124 -86.929120 77.145164 -87.098092 77.147511 -87.229515 77.161592 -87.314001 77.147511 -87.342163 77.161592 -87.342163 77.194448 -87.276452 77.203835 -87.154416 77.215569 -87.135641 77.231997 -87.285839 77.236691 -87.360938 77.236691 -87.370325 77.253119 -87.285839 77.276587 -87.173191 77.297709 -87.041768 77.309443 -87.051155 77.332911 -87.182578 77.335258 -87.295226 77.330564 -87.417262 77.307096 -87.492360 77.293015 -87.680107 77.297709 -87.802143 77.318830 -87.820917 77.351686 -87.886629 77.384542 -87.858467 77.426785 -87.849079 77.457293 -87.867854 77.469028 -87.905403 77.483109 -87.980502 77.511271 -88.064988 77.525352 -88.074376 77.546473 -88.196411 77.569942 -88.355996 77.586369 -88.393545 77.602797 -88.384158 77.638000 -88.374770 77.670855 -88.365383 77.696671 -88.421707 77.715445 -88.393545 77.727179 -88.421707 77.743607 -88.421707 77.769423 -88.309059 77.769423 -88.187024 77.806972 -88.064988 77.799931 -87.924178 77.816359 -87.792755 77.828093 -87.717657 77.846868 -87.623783 77.860949 -87.501748 77.865643 -87.426649 77.863296 -87.295226 77.867990 -87.107479 77.846868 -86.938507 77.851562 -86.778923 77.835134 -86.600563 77.825747 -86.478528 77.792891 -86.365880 77.767076 -86.300168 77.743607 -86.272006 77.731873 -86.243844 77.694324 -86.121809 77.661468 -86.046710 77.607491 -85.924675 77.562901 -85.915287 77.532392 -85.868351 77.492496 -85.858963 77.478415 -85.802639 77.454947 -85.821414 77.419744 -85.746315 77.429131 -85.577343 77.400969 -85.417758 77.379848 -85.267561 77.382195 -85.107976 77.368114 -85.014103 77.368114 -84.901454 77.356380 -84.854518 77.332911 -84.723095 77.316483 -84.638609 77.290668 -84.507186 77.293015 -84.469637 77.318830 -84.497799 77.342299 -84.572898 77.375154 -84.610447 77.386888 -84.422700 77.386888 -84.263115 77.389235 -84.094143 77.405663 -83.972108 77.379848 -83.821910 77.375154 -83.681100 77.356380 -83.568452 77.365767 -83.568452 77.391582 -83.634163 77.396276 -83.746812 77.403316 -83.774974 77.419744 -83.784361 77.440866 -83.784361 77.450253 -83.681100 77.461987 -83.568452 77.490149 -83.465191 77.513617 -83.455804 77.532392 -83.380705 77.555861 -83.258670 77.586369 -83.211733 77.607491 -83.117860 77.647387 -83.023986 77.687283 -82.995824 77.722486 -82.939500 77.748301 -82.817465 77.792891 -82.770528 77.821053 -82.714204 77.870336 -82.686042 77.900845 -82.695429 77.926660 -82.695429 77.959516 -82.610943 77.978291 -82.526457 77.997066 -82.460746 78.015840 -82.507683 78.022881 -82.686042 78.020534 -82.808078 77.992372 -82.873789 77.954822 -82.864402 77.910233 -82.920726 77.853909 -82.995824 77.804625 -83.136634 77.757688 -83.268057 77.691977 -83.380705 77.623919 -83.427642 77.584023 -83.615389 77.527698 -83.784361 77.504230 -83.943946 77.490149 -84.037819 77.501883 -84.188017 77.499536 -84.338214 77.518311 -84.460249 77.520658 -84.544736 77.513617 -84.610447 77.504230 -84.638609 77.506577 -84.732482 77.506577 -84.892067 77.513617 -84.901454 77.546473 -84.939004 77.574635 -84.901454 77.584023 -84.835743 77.623919 -84.779419 77.645040 -84.732482 77.677896 -84.760644 77.715445 -84.770032 77.734220 -84.816968 77.715445 -84.835743 77.666162 -84.901454 77.635653 -84.985941 77.602797 -85.032877 77.593410 -85.126751 77.612185 -85.220624 77.628612 -85.276948 77.635653 -85.342659 77.638000 -85.361434 77.668509 -85.408371 77.696671 -85.408371 77.713098 -85.380209 77.738914 -85.333272 77.760035 -85.211237 77.790544 -85.192462 77.806972 -85.295723 77.792891 -85.352047 77.790544 -85.361434 77.790544 -85.464695 77.790544 -85.539794 77.785850 -85.549181 77.806972 -85.539794 77.828093 -85.492857 77.839828 -85.352047 77.846868 -85.173687 77.851562 -85.107976 77.844521 -85.126751 77.830440 -85.051652 77.849215 -84.957778 77.870336 -84.845130 77.872683 -84.863905 77.889111 -84.948391 77.903192 -85.051652 77.879724 -85.173687 77.875030 -85.333272 77.867990 -85.483470 77.875030 -85.596118 77.846868 -85.699378 77.842174 -85.783864 77.877377 -85.868351 77.882071 -85.887125 77.900845 -85.746315 77.936048 -85.699378 77.959516 -85.549181 77.985331 -85.445920 77.997066 -85.333272 77.985331 -85.173687 77.978291 -85.042265 77.994719 -85.004715 78.001759 -85.089201 78.015840 -85.258173 78.020534 -85.239399 78.032268 -85.201849 78.058083 -85.201849 78.076858 -85.126751 78.088592 -85.089201 78.109714 -84.976553 78.109714 -84.835743 78.109714 -84.760644 78.121448 -84.760644 78.126141 -84.657384 78.128488 -84.450862 78.114407 -84.234953 78.093286 -84.150467 78.114407 -84.141080 78.144916 -84.272503 78.126141 -84.310052 78.144916 -84.319439 78.151957 -84.450862 78.163691 -84.629222 78.173078 -84.779419 78.168384 -84.920229 78.151957 -84.957778 78.170731 -84.957778 78.201240 -84.948391 78.236443 -84.892067 78.266952 -84.779419 78.283379 -84.685546 78.306848 -84.647996 78.335010 -84.666771 78.335010 -84.760644 78.313888 -84.845130 78.320929 -84.892067 78.346744 -84.863905 78.384293 -84.863905 78.424190 -84.854518 78.454698 -84.788806 78.489901 -84.760644 78.525103 -84.713708 78.555612 -84.713708 78.560306 -84.779419 78.532144 -84.835743 78.501635 -84.882680 78.478167 -84.892067 78.438271 -84.976553 78.388987 -85.004715 78.332663 -85.032877 78.290420 -85.126751 78.248177 -85.173687 78.198893 -85.286335 78.151957 -85.427146 78.095633 -85.549181 78.069817 -85.586730 78.083898 -85.652442 78.088592 -85.783864 78.076858 -85.934062 78.058083 -85.896513 78.069817 -85.999773 78.060430 -86.121809 78.036962 -86.243844 78.058083 -86.281394 78.083898 -86.272006 78.109714 -86.300168 78.130835 -86.215682 78.156650 -86.103034 78.201240 -86.037323 78.229402 -85.990386 78.269298 -85.934062 78.311541 -85.934062 78.337357 -85.990386 78.330316 -86.103034 78.306848 -86.112421 78.295114 -86.168745 78.283379 -86.178133 78.245830 -86.243844 78.198893 -86.328330 78.180119 -86.412816 78.180119 -86.469140 78.187159 -86.544239 78.142569 -86.581788 78.114407 -86.656887 78.105020 -86.741373 78.105020 -86.816472 78.083898 -86.919733 78.088592 -87.060543 78.069817 -87.210740 78.076858 -87.295226 78.079205 -87.351550 78.088592 -87.436036 78.093286 -87.539297 78.093286 -87.558072 78.102673 -87.511135 78.126141 -87.370325 78.156650 -87.182578 78.158997 -87.126254 78.168384 -87.210740 78.170731 -87.285839 78.182465 -87.398487 78.194200 -87.501748 78.180119 -87.558072 78.173078 -87.567459 78.201240 -87.558072 78.227055 -87.548684 78.257564 -87.576847 78.276339 -87.595621 78.309195 -87.595621 78.330316 -87.670720 78.370212 -87.698882 78.379600 -87.670720 78.398374 -87.605009 78.431230 -87.539297 78.459392 -87.407874 78.496941 -87.285839 78.508676 -87.060543 78.522757 -86.994831 78.541531 -87.088705 78.548572 -87.191966 78.555612 -87.163804 78.590815 -87.126254 78.635405 -87.060543 78.677648 -87.022993 78.715197 -86.910345 78.752746 -86.816472 78.769174 -86.675662 78.771521 -86.525464 78.776215 -86.328330 78.778562 -86.121809 78.780908 -85.887125 78.794989 -85.586730 78.811417 -85.511632 78.830192 -85.445920 78.858354 -85.417758 78.886516 -85.305110 78.888863 -85.239399 78.891210 -85.136138 78.881822 -85.032877 78.877129 -85.004715 78.872435 -84.760644 78.846620 -84.516573 78.839579 -84.338214 78.823151 -84.141080 78.820805 -83.972108 78.820805 -83.765586 78.773868 -83.596614 78.750400 -83.474579 78.717544 -83.380705 78.703463 -83.192958 78.654179 -82.986437 78.647139 -82.873789 78.614283 -82.798690 78.588468 -82.751753 78.553265 -82.573394 78.529797 -82.404422 78.515716 -82.366873 78.536838 -82.488908 78.581427 -82.610943 78.647139 -82.507683 78.647139 -82.357485 78.642445 -82.301161 78.670607 -82.357485 78.675301 -82.526457 78.677648 -82.686042 78.682341 -82.798690 78.675301 -82.873789 78.698769 -82.939500 78.701116 -83.052148 78.703463 -83.155409 78.726931 -83.268057 78.738665 -83.343156 78.771521 -83.314994 78.773868 -83.202346 78.799683 -82.995824 78.785602 -82.845627 78.785602 -82.629718 78.780908 -82.423197 78.776215 -82.310548 78.794989 -82.244837 78.799683 -82.179126 78.776215 -82.085252 78.759787 -82.000766 78.764481 -81.944442 78.790296 -81.935055 78.790296 -81.888118 78.785602 -81.822407 78.804377 -81.766083 78.820805 -81.813019 78.832539 -81.803632 78.860701 -81.766083 78.888863 -81.766083 78.891210 -81.709759 78.912331 -81.615885 78.945187 -81.615885 78.959268 -81.784857 78.949881 -81.888118 78.928759 -81.981992 78.900597 -82.047703 78.881822 -82.150964 78.879476 -82.188513 78.853660 -82.254224 78.846620 -82.366873 78.841926 -82.479521 78.839579 -82.564007 78.841926 -82.582781 78.841926 -82.648493 78.841926 -82.808078 78.841926 -82.958275 78.863048 -83.108472 78.879476 -83.239895 78.888863 -83.343156 78.888863 -83.437029 78.888863 -83.615389 78.891210 -83.784361 78.893557 -83.953333 78.900597 -84.094143 78.905291 -84.197404 78.905291 -84.291277 78.909984 -84.450862 78.931106 -84.563510 78.952227 -84.629222 78.975696 -84.779419 78.994470 -84.770032 78.994470 -84.835743 78.994470 -84.892067 79.027326 -84.901454 79.050794 -84.835743 79.071916 -84.760644 79.100078 -84.647996 79.109465 -84.535348 79.076610 -84.291277 79.069569 -84.188017 79.034367 -84.075368 78.999164 -83.878234 78.982736 -83.709262 78.975696 -83.530903 78.978043 -83.408867 79.003858 -83.399480 79.015592 -83.512128 79.003858 -83.652938 79.006205 -83.756199 79.039060 -83.774974 79.060182 -83.812523 79.088344 -83.943946 79.081303 -84.037819 79.111812 -84.150467 79.142321 -84.065981 79.175177 -84.037819 79.198645 -84.028432 79.210379 -84.141080 79.177524 -84.291277 79.161096 -84.403925 79.163443 -84.422700 79.193951 -84.460249 79.217420 -84.535348 79.250275 -84.507186 79.259663 -84.507186 79.294865 -84.572898 79.332415 -84.563510 79.372311 -84.591672 79.407513 -84.732482 79.442716 -84.882680 79.482612 -85.023490 79.508427 -85.107976 79.541283 -85.136138 79.569445 -85.145525 79.576486 -85.145525 79.581179 -85.173687 79.611688 -85.239399 79.644544 -85.361434 79.660972 -85.511632 79.679746 -85.614892 79.703215 -85.708766 79.717296 -85.746315 79.717296 -85.952837 79.724336 -86.187520 79.752498 -86.394042 79.773620 -86.591176 79.818210 -86.609950 79.841678 -86.609950 79.874534 -86.609950 79.926164 -86.600563 79.963713 -86.497302 79.973101 -86.328330 79.970754 -86.168745 79.940245 -85.924675 79.930858 -85.680604 79.905042 -85.521019 79.890961 -85.464695 79.907389 -85.474082 79.923817 -85.661829 79.954326 -85.830801 79.961367 -86.046710 79.980141 -86.215682 79.994222 -86.356492 79.998916 # -b -83.209386 80.005956 -82.993477 79.949632 -82.862055 79.919123 -82.683695 79.874534 -82.486561 79.829944 -82.383300 79.808822 -82.298814 79.783007 -82.298814 79.733724 -82.195554 79.717296 -82.167392 79.672706 -82.111067 79.644544 -81.989032 79.644544 -81.979645 79.616382 -81.970257 79.581179 -81.970257 79.562405 -81.970257 79.550670 -81.885771 79.555364 -81.791898 79.578832 -81.557214 79.578832 -81.369468 79.557711 -81.219270 79.531896 -81.050298 79.508427 -80.937650 79.496693 -80.909488 79.501387 -80.947037 79.515468 -80.947037 79.536589 -80.900101 79.560058 -80.806227 79.569445 -80.740516 79.571792 -80.609093 79.576486 -80.458896 79.592913 -80.299311 79.609341 -80.111564 79.609341 -80.064627 79.635156 -80.092789 79.653931 -80.224212 79.653931 -80.289923 79.653931 -80.346247 79.649237 -80.477670 79.635156 -80.618480 79.616382 -80.787452 79.614035 -80.928263 79.602301 -81.059685 79.616382 -81.181721 79.628116 -81.256820 79.649237 -81.378855 79.653931 -81.510278 79.665665 -81.632313 79.670359 -81.707412 79.700868 -81.707412 79.717296 -81.801285 79.717296 -81.810673 79.743111 -81.801285 79.768926 -81.820060 79.806475 -81.848222 79.848718 -81.885771 79.862799 -81.895159 79.869840 -81.782511 79.881574 -81.679250 79.893308 -81.660475 79.907389 -81.698025 79.919123 -81.763736 79.919123 -81.820060 79.930858 -81.923321 79.926164 -81.989032 79.937898 -82.045356 79.940245 -82.139230 79.954326 -82.308202 79.984835 -82.495948 79.996569 # -b -79.846372 77.161592 -80.062280 77.117002 -80.343901 77.037210 -80.437774 77.039557 -80.221865 77.117002 -80.240640 77.166286 -80.409612 77.163939 -80.587971 77.170980 -80.794493 77.196795 -81.047951 77.199142 -81.432832 77.178020 -81.686290 77.112309 -81.911587 77.044250 -81.977298 77.102921 -82.014847 77.178020 -82.127495 77.217916 -81.855262 77.206182 -81.489156 77.229650 -81.310797 77.255466 -81.310797 77.281281 -81.629966 77.328217 -81.695678 77.393929 -81.686290 77.433825 -81.385895 77.351686 -81.160599 77.304749 -80.897754 77.260159 -80.606746 77.229650 -80.250027 77.224957 # -b -90.125509 74.502628 -89.773484 74.502628 -89.637368 74.549565 -89.416765 74.615276 -89.430846 74.636398 -89.496558 74.659866 -89.627980 74.690375 -89.595125 74.751393 -89.627980 74.746699 -89.496558 74.758433 -89.351054 74.739658 -89.383910 74.810063 -89.243099 74.695068 -89.130451 74.648132 -89.041272 74.683334 -88.956786 74.742005 -88.942705 74.807717 -88.858218 74.800676 -88.778426 74.767820 -88.689246 74.756086 -88.689246 74.704456 -88.745570 74.594155 -88.754958 74.521403 -88.769039 74.479160 -88.754958 74.479160 -88.614148 74.465079 -88.501500 74.453344 -88.346608 74.479160 -88.163555 74.446304 -88.018052 74.486200 -87.952340 74.436917 -87.764593 74.458038 -87.586234 74.462732 -87.576847 74.528443 -87.445424 74.528443 -87.464198 74.462732 -87.281145 74.446304 -87.093398 74.453344 -86.905652 74.443957 -86.783616 74.467425 -86.816472 74.509669 -86.915039 74.568339 -86.849328 74.509669 -86.581788 74.462732 -86.440978 74.504975 -86.384654 74.570686 -86.253231 74.509669 -86.178133 74.443957 -86.121809 74.450998 -85.821414 74.462732 -85.689991 74.526096 -85.689991 74.652825 -85.582037 74.584767 -85.450614 74.497934 -85.337966 74.479160 -85.281642 74.521403 -85.117363 74.568339 -85.159606 74.636398 -85.173687 74.641091 -85.150219 74.688028 -85.126751 74.617623 -85.028184 74.504975 -84.821662 74.509669 -84.577591 74.504975 -84.192710 74.526096 -83.892315 74.537831 -83.695181 74.556605 -83.451110 74.688028 -83.376012 74.734965 -83.573146 74.788942 -83.671713 74.866387 -83.972108 74.894549 -83.892315 74.892203 -83.737424 74.896896 -83.540290 74.871081 -83.408867 74.800676 -83.207039 74.803023 -83.174184 74.730271 -83.188265 74.603542 -83.009905 74.535484 -82.869095 74.490894 -82.648493 74.504975 -82.592169 74.551912 -82.479521 74.502628 -82.404422 74.488547 -82.216675 74.465079 -81.963217 74.450998 -81.752002 74.509669 -81.531399 74.533137 -81.343652 74.551912 -81.193455 74.558952 -81.169987 74.556605 -81.005708 74.551912 -80.817961 74.558952 -80.803880 74.561299 -80.728782 74.551912 -80.531647 74.584767 -80.287577 74.587114 -80.287577 74.695068 -80.287577 74.725577 -80.287577 74.556605 -80.362675 74.756086 -80.320432 74.788942 -80.418999 74.840572 -80.672458 74.913324 -80.663070 74.983729 -80.648989 75.042400 -80.475323 75.063522 -80.287577 75.108111 -80.189010 75.173823 # -b -79.944939 75.535235 -80.123298 75.530542 -80.395531 75.514114 -80.564503 75.530542 -80.353288 75.561051 -80.376756 75.603294 -80.418999 75.624415 -80.550422 75.654924 -80.616134 75.657271 -80.728782 75.678392 -80.949384 75.659618 -81.169987 75.678392 -81.240392 75.687780 -81.226311 75.767572 -81.259166 75.802775 -81.306103 75.791040 -81.310797 75.795734 -81.456300 75.819203 -81.568949 75.833284 -81.648741 75.837977 -81.737921 75.849711 -81.813019 75.854405 -81.888118 75.835630 -82.005460 75.823896 -82.118108 75.781653 -82.193207 75.748797 -82.254224 75.765225 -82.334017 75.762878 -82.366873 75.798081 -82.423197 75.793387 -82.441971 75.786347 -82.502989 75.812162 -82.526457 75.819203 -82.596862 75.814509 -82.657880 75.767572 -82.728285 75.758185 -82.840933 75.713595 -82.930113 75.699514 -83.028680 75.673699 -83.014599 75.640843 -82.958275 75.624415 -83.080310 75.631456 -83.324381 75.652577 -83.502741 75.636149 -83.610695 75.579825 -83.652938 75.596253 -83.643551 75.582172 -83.620082 75.528195 -83.634163 75.504727 -83.652938 75.528195 -83.807829 75.535235 -83.873541 75.551663 -83.929865 75.591560 -84.126999 75.535235 -84.305358 75.537582 -84.418006 75.514114 -84.568204 75.497686 -84.591672 75.497686 -84.582285 75.462484 -84.385151 75.424934 -84.042513 75.399119 -83.995576 75.359223 -84.206791 75.385038 -84.385151 75.380344 -84.615141 75.387385 -84.779419 75.368610 -84.901454 75.345142 -84.924923 75.340448 -84.957778 75.331061 -85.131444 75.319327 -85.220624 75.342795 -85.032877 75.366263 -84.910842 75.387385 -85.023490 75.424934 -85.244092 75.436668 -85.441227 75.462484 -85.506938 75.500033 -85.619586 75.539929 -85.751009 75.563397 -85.915287 75.577478 -86.060791 75.523501 -86.037323 75.462484 -86.093647 75.424934 -86.126502 75.453096 -86.178133 75.523501 -86.281394 75.551663 -86.455059 75.497686 -86.501996 75.462484 -86.600563 75.429628 -86.689743 75.427281 -86.764842 75.431975 -86.689743 75.488299 -86.722599 75.507073 -86.877490 75.554010 -86.919733 75.582172 -86.929120 75.582172 -87.008912 75.596253 -87.140335 75.631456 -87.196659 75.629109 -87.295226 75.596253 -87.337469 75.544623 -87.295226 75.500033 -87.248290 75.431975 -87.370325 75.370957 -87.459505 75.413200 -87.548684 75.516461 -87.670720 75.539929 -87.825611 75.551663 -87.891322 75.525848 -87.900710 75.525848 -87.957034 75.507073 -88.046214 75.511767 -88.055601 75.525848 -88.013358 75.551663 -88.163555 75.535235 -88.144781 75.572785 -87.957034 75.575132 -87.778674 75.589213 -87.736431 75.631456 -87.647252 75.732370 -87.694188 75.744104 -87.731738 75.798081 -87.783368 75.784000 -87.858467 75.767572 -87.910097 75.765225 # -b -90.059798 75.784000 -89.994087 75.802775 -89.937763 75.833284 -89.956537 75.849711 # -b -90.268666 76.107863 -89.940109 76.089089 -89.686651 76.093782 -89.517679 76.121944 -89.423806 76.154800 -89.329932 76.225205 -89.386256 76.283876 -89.498904 76.279182 -89.696039 76.267448 -89.714813 76.272142 -89.799299 76.281529 -89.958884 76.283876 # -b -79.792394 75.028319 -80.036465 75.014238 -80.210131 74.988423 -80.224212 74.962608 -80.379103 74.969648 -80.487058 74.939139 -80.496445 74.932099 -80.421346 74.889856 -80.346247 74.852306 -80.191356 74.807717 -80.045853 74.817104 # -b -80.165541 69.968543 -80.273496 70.001398 # -b -80.519913 69.968543 -80.763984 70.008439 -81.059685 70.038948 -81.435179 70.088231 -81.721493 70.111699 -81.777817 70.027213 # -b -84.854518 69.980277 -85.361434 70.048335 -85.910594 70.036601 -85.624280 70.027213 # -b -85.582037 69.970889 -86.056097 70.017826 -86.384654 70.125780 -86.595869 70.257203 -86.652193 70.437910 -86.783616 70.308834 -87.135641 70.273631 -87.619090 70.311180 -87.872548 70.301793 -87.919484 70.266591 -88.262122 70.311180 -88.041520 70.327608 -88.346608 70.405054 -88.670472 70.463725 -89.078821 70.623310 -89.308811 70.787588 -89.496558 70.881461 -89.365135 70.989416 -89.529413 71.050434 -89.229018 71.022272 -88.858218 71.015231 -88.581292 70.954213 -88.248041 70.900236 -87.788062 70.907277 -87.454811 70.956560 -87.234209 70.977682 -87.553378 71.031659 -87.886629 71.132573 -88.093150 71.217059 -88.637616 71.238180 -89.041272 71.242874 -89.538801 71.285117 -89.956537 71.308585 # -b -90.125509 71.651223 -89.947150 71.761525 # -b -90.069185 72.054879 -89.881439 72.129978 -89.693692 72.167527 -89.970618 72.169874 # -b -90.048064 72.367008 -89.916641 72.437413 -89.907254 72.580570 -89.738282 72.606385 -89.696039 72.669750 -89.663183 72.747195 -89.320545 72.747195 -89.508292 72.780051 -89.484823 72.923208 -89.254834 72.967798 -89.386256 73.047590 -89.287689 73.120342 -89.179735 73.181360 -89.067087 73.207175 -88.945051 73.254112 -88.837097 73.298702 -88.715062 73.425431 -88.438135 73.512264 -88.109578 73.603790 -87.832652 73.664808 -87.522869 73.716438 -87.170844 73.761028 -86.706171 73.810312 -86.419857 73.815005 -86.166399 73.810312 -85.959877 73.791537 -85.725194 73.784496 -85.504591 73.791537 -85.274601 73.782150 -85.110323 73.735213 # -b -85.107976 73.735213 -84.995328 73.714091 -84.995328 73.695317 -85.173687 73.624912 -85.450614 73.542772 -85.689991 73.479408 -85.887125 73.371453 -86.121809 73.291661 -86.328330 73.176666 -86.408123 73.012388 -86.605257 72.885659 -86.769535 72.782398 -86.802391 72.613426 -86.572401 72.486697 -86.417510 72.362314 -86.581788 72.190995 -86.605257 72.031411 -86.440978 71.878866 -86.178133 71.752137 -86.009161 71.681732 -85.736928 71.569084 -85.525713 71.468170 -85.206543 71.442355 -85.117363 71.390725 -85.061039 71.313279 -85.061039 71.266342 -85.314497 71.285117 -85.502244 71.252261 -85.591424 71.217059 -85.769783 71.200631 -86.042016 71.186550 -86.262619 71.104411 -86.605257 71.024618 -86.717905 71.001150 -86.408123 70.984722 -86.243844 71.036353 -86.042016 71.085636 -85.779171 71.127879 -85.549181 71.149001 -85.295723 71.141960 -85.248786 71.139613 -85.126751 71.160735 -85.061039 71.127879 -85.117363 71.071555 -85.159606 70.963601 -85.061039 70.926051 -84.920229 71.050434 -84.906148 71.163082 -84.873292 71.245221 -84.906148 71.341441 -84.821662 71.386031 -84.821662 71.418887 -84.751257 71.547963 -84.807581 71.627755 -85.075120 71.627755 -85.460001 71.669998 -85.704072 71.766218 -85.713459 71.862438 -85.999773 71.923456 -86.065485 71.977433 -85.877738 72.017330 -85.666523 72.085388 -85.633667 72.151099 -85.549181 72.228545 -85.394290 72.228545 -85.215930 72.209770 -85.028184 72.268441 -84.929616 72.371702 -84.995328 72.397517 -85.107976 72.367008 -85.281642 72.362314 -85.624280 72.428026 -85.746315 72.517205 -85.666523 72.568836 -85.821414 72.714340 -85.835495 72.876271 -85.746315 72.927902 -85.525713 72.932595 -85.084508 72.899740 -84.863905 72.857497 -84.643303 72.812907 -84.356989 72.737808 -84.136386 72.749542 -84.497799 72.848109 -84.831049 72.892699 -85.140832 72.984226 -85.427146 73.003000 -85.614892 73.049937 -85.492857 73.071059 -85.370821 73.054631 -85.337966 73.101567 -84.887373 73.066365 -84.544736 73.024122 -84.277196 73.003000 -83.958027 72.986573 -83.925171 73.024122 -84.521267 73.082793 -84.995328 73.143810 -85.230011 73.228297 -85.117363 73.317476 -84.887373 73.340945 -84.666771 73.240031 -84.464943 73.207175 -84.633915 73.340945 -84.586979 73.401962 -84.258422 73.446552 -83.981495 73.409003 -83.850072 73.343291 -83.784361 73.286967 -83.718650 73.387881 -84.004963 73.470021 -83.648244 73.566241 -83.286832 73.631952 -83.056842 73.648380 -82.869095 73.695317 -82.568700 73.685929 -82.249531 73.700010 -81.906893 73.704704 -81.611192 73.707051 -81.522012 73.646033 -81.367121 73.577975 -81.334265 73.474714 -81.301409 73.380841 -81.268554 73.312783 -81.390589 73.263499 -81.522012 73.225950 -81.137131 73.188400 -80.850817 73.120342 -80.705313 73.054631 -80.728782 72.988919 -80.902447 72.951370 -80.883673 72.899740 -80.728782 72.796479 -80.573890 72.756583 -80.442468 72.711993 -80.564503 72.606385 -80.648989 72.484350 -80.728782 72.367008 -80.850817 72.284869 -80.935303 72.183955 -80.972852 72.153446 -80.860204 72.155793 -80.705313 72.090081 -80.752250 72.061919 -81.005708 72.085388 -81.090194 72.024370 -80.972852 71.963352 -81.005708 71.902335 -80.705313 71.975087 -80.475323 72.104162 -80.395531 72.200383 -80.231253 72.186302 -80.142073 72.317724 -80.142073 72.357621 # -b -88.553130 76.999661 -88.787813 76.976192 -88.787813 76.971499 -88.862912 76.938643 -88.984948 76.924562 -89.229018 76.879972 -89.501251 76.828342 -89.613899 76.741509 -89.576350 76.694572 -89.585737 76.628861 -89.632674 76.570190 -89.688998 76.534987 -89.623287 76.509172 -89.482477 76.445807 -89.341667 76.394177 -89.210244 76.384790 -88.975560 76.459888 -88.928624 76.534987 -88.881687 76.450501 -88.834750 76.408258 -88.703327 76.516213 -88.787813 76.628861 -88.853525 76.720387 -88.722102 76.769671 -88.665778 76.692225 -88.675165 76.605392 -88.675165 76.549068 -88.628229 76.441114 -88.600067 76.382443 -88.393545 76.373056 -88.252735 76.370709 -88.158862 76.321425 -88.018052 76.333159 -87.867854 76.347240 -87.783368 76.427033 -87.811530 76.518559 -87.755206 76.483357 -87.698882 76.436420 -87.426649 76.389483 -87.323388 76.344894 -87.088705 76.328466 -87.004219 76.410605 -86.797697 76.459888 -86.788310 76.567843 -86.694436 76.518559 -86.675662 76.448154 -86.769535 76.363668 -86.769535 76.337853 -86.459753 76.321425 -86.215682 76.302651 -86.797697 76.459888 -86.788310 76.567843 -86.694436 76.518559 -86.675662 76.448154 -86.769535 76.363668 -86.769535 76.337853 -86.459753 76.321425 -86.215682 76.302651 -86.018548 76.267448 -85.830801 76.272142 -85.586730 76.255714 -85.530406 76.213471 -85.286335 76.232245 -84.920229 76.239286 -84.685546 76.246327 -84.826356 76.293263 -85.201849 76.415299 -85.239399 76.434073 -85.276948 76.525600 -85.023490 76.396524 -84.770032 76.394177 -84.460249 76.466929 -84.460249 76.603045 -84.328827 76.556109 -84.037819 76.436420 -83.652938 76.382443 -83.408867 76.417645 -83.390093 76.527947 -83.596614 76.675797 -83.624776 76.722734 -83.493353 76.668757 -83.343156 76.560802 -83.211733 76.448154 -83.155409 76.391830 -82.892564 76.342547 -82.742366 76.363668 -82.395035 76.373056 -82.272999 76.481010 -82.423197 76.558456 -82.667267 76.649982 -82.498295 76.614780 -82.179126 76.600699 -82.150964 76.572537 -82.141576 76.499785 -82.038316 76.448154 -81.662822 76.429380 -81.531399 76.450501 -81.371814 76.462235 -81.184068 76.450501 -81.033870 76.394177 -81.015095 76.330813 -81.118356 76.227552 -81.231004 76.180615 -81.127744 76.121944 -80.921222 76.145413 -80.320432 76.220511 # -b -79.792394 72.754236 -80.092789 72.829335 -80.210131 72.944329 -80.242987 73.071059 -80.257068 73.176666 -80.477670 73.188400 -80.773371 73.223603 -80.984587 73.322170 -80.975199 73.432471 -80.871939 73.470021 -80.862551 73.603790 -80.717047 73.692970 -80.477670 73.702357 -80.233599 73.653074 -80.092789 73.664808 # -b -99.944668 71.871826 -99.986911 71.881213 # -b -100.000992 73.120342 -99.935280 73.106261 -99.888344 73.129729 # -b -100.090171 73.885410 -99.986911 73.861942 -99.921199 73.824393 -99.813245 73.782150 -99.658354 73.775109 -99.559787 73.761028 -99.437751 73.723479 -99.315716 73.707051 -99.240617 73.700010 -99.020015 73.711745 -98.930835 73.695317 -98.710232 73.721132 -98.489630 73.732866 -98.301883 73.763375 -98.179848 73.803271 -98.104749 73.815005 -98.057812 73.819699 -97.917002 73.843167 -97.804354 73.852555 -97.729255 73.850208 -97.574364 73.861942 -97.442941 73.880717 -97.410086 73.843167 -97.273969 73.803271 -97.175402 73.753988 -97.067448 73.742253 -97.076835 73.683583 -97.100303 73.624912 -97.208258 73.585015 -97.273969 73.547466 -97.320906 73.547466 -97.518040 73.538079 -97.583751 73.505223 -97.518040 73.495836 -97.564977 73.488795 -97.649463 73.484102 -97.630688 73.462980 -97.518040 73.458286 -97.452329 73.444205 -97.306825 73.446552 -97.273969 73.399615 -97.273969 73.355026 -97.288050 73.312783 -97.353762 73.331557 -97.550896 73.308089 -97.715174 73.270540 -97.794967 73.242378 -97.870065 73.214216 -97.968632 73.164932 -98.048425 73.117995 -98.189235 73.082793 -98.278415 73.031162 -98.409837 72.988919 -98.423918 72.958410 -98.433306 72.925555 -98.433306 72.892699 -98.423918 72.866884 -98.259640 72.918514 -98.024956 72.993613 -97.762111 73.014735 -97.597833 72.986573 -97.518040 72.951370 -97.428860 72.927902 -97.344374 72.899740 -97.344374 72.876271 -97.344374 72.848109 -97.353762 72.834028 -97.297438 72.817600 -97.264582 72.789438 -97.255195 72.763623 -97.166015 72.756583 -97.100303 72.723727 -97.076835 72.683831 -97.156627 72.636894 -97.156627 72.582917 -97.123772 72.585264 -96.898476 72.648628 -96.715422 72.658016 -96.701341 72.695565 -96.677873 72.721380 -96.612162 72.695565 -96.569919 72.669750 -96.579306 72.613426 -96.527676 72.585264 -96.471352 72.533633 -96.391559 72.442107 -96.391559 72.390476 -96.438496 72.357621 -96.560531 72.315378 -96.626243 72.298950 -96.701341 72.291909 -96.668486 72.270788 -96.593387 72.223851 -96.546450 72.174568 -96.527676 72.085388 -96.560531 72.047838 -96.677873 72.007942 -96.691954 71.991514 -96.546450 71.998555 -96.504207 71.961006 -96.480739 71.885907 -96.494820 71.813155 -96.569919 71.796727 -96.635630 71.820195 -96.832764 71.773259 -96.912557 71.672345 -97.100303 71.623061 -97.330293 71.569084 -97.574364 71.601940 -97.762111 71.601940 -97.902921 71.585512 -98.090668 71.601940 -98.137605 71.569084 -97.992101 71.508066 -97.917002 71.475211 -97.917002 71.418887 -98.071893 71.378990 -98.222091 71.343788 -98.259640 71.299198 -98.409837 71.252261 -98.531873 71.259302 -98.564729 71.249915 -98.611665 71.299198 -98.700845 71.362563 -98.808799 71.355522 -98.883898 71.308585 -99.038789 71.308585 -99.085726 71.355522 -99.137356 71.418887 -99.184293 71.508066 -99.207761 71.550309 -99.315716 71.599593 -99.395508 71.693466 -99.559787 71.761525 -99.700597 71.792033 -99.813245 71.820195 -99.878956 71.857745 -99.944668 71.871826 # -b -96.680220 72.974838 -96.670833 72.925555 -96.694301 72.941983 -96.670833 72.986573 -96.595734 73.038203 -96.637977 73.096874 -96.717769 73.117995 -96.792868 73.143810 -96.891435 73.160238 -97.069795 73.120342 -97.234073 73.071059 -97.201217 73.012388 -97.144893 72.970145 -97.088569 72.934942 -97.022858 72.880965 -96.825724 72.897393 -96.727157 72.934942 -96.703688 72.949023 -96.680220 72.974838 # -b -98.665642 73.800924 -98.581156 73.800924 -98.567075 73.810312 -98.501364 73.824393 -98.346473 73.833780 -98.215050 73.871329 -98.083627 73.913572 -97.938124 73.972243 -97.863025 74.028567 -97.872412 74.073157 -98.093015 74.077851 -98.360554 74.044995 -98.459121 74.028567 -98.646868 73.998058 -98.867470 73.988671 -99.031749 73.941734 -99.073992 73.906532 -99.228883 73.892451 -99.440098 73.850208 -99.383774 73.829086 -99.327450 73.831433 -99.285207 73.824393 -99.120929 73.810312 -99.064604 73.831433 -98.989506 73.831433 -98.933182 73.775109 -98.867470 73.800924 -98.811146 73.812658 -98.754822 73.793884 -98.665642 73.800924 # -b -96.393906 69.952115 -96.450230 70.008439 -96.605121 70.069456 -96.628590 70.156289 -96.637977 70.245469 -96.637977 70.329955 -96.614509 70.386279 -96.506554 70.419135 -96.440843 70.419135 -96.375131 70.477806 -96.318807 70.534130 -96.253096 70.574026 -96.196772 70.569332 -96.154529 70.536477 -96.088818 70.566985 -96.065349 70.656165 -96.140448 70.623310 -96.220240 70.679634 -96.318807 70.766466 -96.473698 70.827484 -96.473698 70.886155 -96.440843 70.968294 -96.361050 71.022272 -96.318807 71.050434 -96.375131 71.052780 -96.361050 71.118492 -96.328195 71.163082 -96.342276 71.210018 -96.328195 71.252261 -96.262483 71.280423 -96.173304 71.273383 -96.140448 71.294504 -96.131061 71.343788 -95.999638 71.378990 -95.821278 71.315626 -95.722711 71.263996 -95.657000 71.235834 -95.591288 71.245221 -95.567820 71.287464 -95.525577 71.341441 -95.567820 71.461130 -95.680468 71.468170 -95.788423 71.503373 -95.821278 71.569084 -95.722711 71.616021 -95.666387 71.658264 -95.502109 71.707547 -95.403542 71.754484 -95.337830 71.806114 -95.314362 71.862438 -95.206408 71.937537 -95.117228 71.949271 -95.037435 71.953965 # -b -96.410334 75.633803 -96.443190 75.640843 -96.518288 75.612681 -96.565225 75.584519 -96.607468 75.554010 -96.598081 75.532889 -96.630936 75.497686 -96.762359 75.481258 -96.752972 75.464830 -96.696648 75.450749 -96.771747 75.424934 -96.842152 75.424934 -96.950106 75.413200 -97.025205 75.434322 -97.015817 75.476565 -97.104997 75.500033 -97.137853 75.549316 -97.081529 75.568091 -96.950106 75.589213 -96.828071 75.622068 -96.738891 75.612681 -96.640324 75.638496 -96.508901 75.647884 -96.466658 75.685433 -96.452577 75.720635 -96.400947 75.708901 -96.363397 75.680739 -96.278911 75.657271 -96.175650 75.650230 -96.156876 75.612681 -96.124020 75.579825 -96.189731 75.549316 -96.297686 75.514114 -96.354010 75.539929 -96.485433 75.563397 -96.508901 75.600947 -96.508901 75.633803 # -b -97.689359 76.002256 -97.661197 75.990521 -97.689359 75.978787 -97.689359 75.955319 -97.661197 75.924810 -97.689359 75.880220 -97.773845 75.861446 -97.933430 75.828590 -97.961592 75.795734 -97.877106 75.800428 -97.783232 75.774613 -97.689359 75.772266 -97.623648 75.767572 -97.520387 75.776959 -97.492225 75.720635 -97.520387 75.654924 -97.520387 75.586866 -97.543855 75.521154 -97.534468 75.490646 -97.487531 75.450749 -97.487531 75.436668 -97.543855 75.471871 -97.600179 75.521154 -97.642422 75.577478 -97.731602 75.626762 -97.820782 75.645537 -97.886493 75.626762 -98.017916 75.633803 -98.074240 75.600947 -98.008529 75.598600 -97.928736 75.579825 -97.905268 75.537582 -97.928736 75.521154 -97.985060 75.556357 -98.074240 75.549316 -98.116483 75.535235 -98.116483 75.523501 -98.158726 75.507073 -98.116483 75.495339 -98.017916 75.469524 -98.107096 75.464830 -98.125870 75.439015 -98.083627 75.408506 -98.116483 75.403813 -98.215050 75.434322 -98.261987 75.408506 -98.304230 75.361570 -98.271374 75.328714 -98.182194 75.342795 -98.139951 75.319327 -98.060159 75.279430 -98.008529 75.253615 -97.872412 75.192598 -97.830169 75.157395 -97.905268 75.143314 -98.017916 75.159742 -98.116483 75.211372 -98.196275 75.227800 -98.294843 75.220760 -98.294843 75.187904 -98.261987 75.157395 -98.261987 75.133927 -98.172807 75.098724 -98.158726 75.049441 -98.337086 75.042400 -98.501364 75.030666 -98.632787 75.030666 -98.656255 75.070562 -98.745435 75.051787 -98.844002 75.023625 -98.966037 75.023625 -99.031749 75.044747 -99.008280 75.089337 -99.120929 75.075256 -99.153784 75.025972 -99.252351 75.033013 -99.341531 75.037706 -99.341531 75.086990 -99.397855 75.051787 -99.538665 75.030666 -99.604377 75.072909 -99.552746 75.122192 -99.585602 75.105765 -99.702944 75.037706 -99.773349 74.997810 # -b -100.062009 75.518808 -99.860182 75.518808 -99.850794 75.549316 # -b -100.050275 75.593906 -99.975176 75.612681 -99.745187 75.636149 -99.754574 75.657271 -99.843754 75.680739 -99.824979 75.713595 -99.731106 75.725329 -99.651313 75.737063 -99.557440 75.741757 -99.477647 75.741757 -99.411936 75.765225 -99.426017 75.786347 -99.482341 75.765225 -99.566827 75.769919 -99.660701 75.758185 -99.745187 75.751144 -99.759268 75.758185 -99.773349 75.765225 -99.843754 75.734716 # -b -100.083131 75.978787 -99.989258 75.974094 -99.885997 75.971747 -99.735799 76.004602 -99.717025 76.018683 -99.895384 76.006949 -99.970483 76.042152 # -b -100.094865 76.204083 -99.935280 76.204083 # -b -100.029154 76.645288 -99.935280 76.654676 -99.860182 76.661716 -99.766308 76.661716 -99.719371 76.642942 -99.681822 76.624167 -99.559787 76.600699 -99.494075 76.572537 -99.409589 76.563149 -99.400202 76.563149 -99.390815 76.565496 -99.259392 76.542028 -99.146744 76.542028 -99.109194 76.539681 -99.156131 76.499785 -99.118582 76.471623 -99.090420 76.499785 -99.024708 76.502132 -98.883898 76.481010 -98.818187 76.523253 -98.921448 76.579577 -98.958997 76.600699 -98.893285 76.626514 -98.743088 76.621820 -98.611665 76.614780 -98.536567 76.664063 -98.611665 76.671104 -98.724313 76.675797 -98.836961 76.689878 -98.714926 76.696919 -98.508405 76.687532 -98.395756 76.642942 -98.283108 76.612433 -98.170460 76.593658 -98.292496 76.610086 -98.405144 76.603045 -98.339432 76.579577 -98.217397 76.563149 -98.123524 76.565496 -97.982713 76.551415 -97.851291 76.513866 -97.776192 76.485704 -97.766805 76.431726 -97.823129 76.382443 -97.823129 76.347240 -97.823129 76.307344 -97.757417 76.276835 -97.682319 76.232245 -97.644769 76.166534 -97.710481 76.117251 -97.701093 76.086742 -97.719868 76.053886 -97.710481 76.016337 -97.691706 76.002256 # -b -95.065597 77.933701 -95.074985 77.936048 -95.121921 77.943088 -95.290894 77.943088 -95.422316 77.921967 -95.572514 77.914926 -95.750873 77.893805 -95.957395 77.867990 -96.192078 77.860949 -96.295339 77.877377 -96.436149 77.914926 -96.501860 77.896152 -96.595734 77.875030 -96.717769 77.849215 -96.661445 77.856255 -96.614509 77.842174 -96.614509 77.823400 -96.633283 77.816359 -96.736544 77.792891 -96.811643 77.760035 -96.943066 77.769423 -97.177749 77.792891 -97.224686 77.818706 -97.177749 77.844521 -97.065101 77.898498 -97.121425 77.917273 -97.252848 77.943088 -97.403045 77.987678 -97.478144 78.011147 -97.637729 78.029921 -97.750377 78.062777 -97.694053 78.093286 -97.665891 78.112060 -97.468757 78.116754 -97.205911 78.100326 -96.943066 78.102673 -96.755319 78.140222 -96.867967 78.144916 -96.821030 78.187159 -97.027552 78.198893 -97.205911 78.229402 -97.384271 78.248177 -97.543855 78.234096 -97.750377 78.243483 -97.872412 78.257564 -97.909962 78.278686 -97.919349 78.278686 -97.938124 78.281033 -97.872412 78.283379 -97.769151 78.299807 -97.797313 78.332663 -97.985060 78.342050 -98.022610 78.384293 -98.041384 78.426536 -98.013222 78.471126 -98.144645 78.478167 -98.285455 78.534491 -98.360554 78.572040 -98.313617 78.583774 -98.229131 78.588468 -98.125870 78.602549 -98.069546 78.630711 -98.097708 78.675301 -98.219744 78.691729 -98.276068 78.738665 -98.294843 78.764481 -98.294843 78.827845 -98.266681 78.839579 -98.276068 78.865395 -98.154032 78.893557 -97.956898 78.919372 -97.778539 78.914678 -97.609567 78.905291 -97.403045 78.898250 -97.196524 78.863048 -97.027552 78.839579 -96.905516 78.823151 -96.774093 78.790296 -96.642671 78.764481 -96.445536 78.757440 -96.295339 78.733972 -96.173304 78.698769 -96.060655 78.691729 -95.985557 78.663567 -96.041881 78.616630 -96.041881 78.579081 -96.070043 78.543878 -95.966782 78.539184 -95.816585 78.534491 -95.685162 78.553265 -95.525577 78.557959 -95.356605 78.525103 -95.187633 78.506329 -95.084372 78.494595 -95.084372 78.494595 -94.999886 78.450005 -94.952949 78.438271 -94.877851 78.419496 -94.812139 78.388987 -94.783977 78.360825 -94.793365 78.332663 -94.877851 78.323276 -94.990499 78.306848 -94.999886 78.297460 -94.999886 78.128488 -94.999886 78.128488 -94.990499 78.105020 -94.981111 78.116754 -94.859076 78.097979 -94.783977 78.074511 -94.802752 78.044002 -94.802752 78.013493 -94.868463 77.982984 -94.924787 77.954822 -94.943562 77.926660 -94.999886 77.917273 -95.065597 77.933701 # -b -100.029154 78.724584 -99.963442 78.698769 -99.897731 78.672954 -99.841407 78.698769 -99.775696 78.689382 -99.700597 78.668260 -99.681822 78.637751 -99.766308 78.614283 -99.775696 78.567346 -99.869569 78.532144 -99.972830 78.496941 -99.954055 78.466433 -99.907118 78.433577 -99.925893 78.403068 -99.925893 78.370212 -99.803858 78.365519 -99.672435 78.349091 -99.606723 78.281033 -99.494075 78.252871 -99.353265 78.191853 -99.231230 78.154303 -99.118582 78.112060 -99.034096 78.072164 -99.090420 78.032268 -99.203068 77.980638 -99.165518 77.931354 -99.259392 77.872683 -99.372040 77.867990 -99.550399 77.849215 -99.794470 77.853909 -99.935280 77.835134 # -b -98.341779 80.027078 -98.332392 79.982488 -98.276068 79.951979 -98.238518 79.919123 -98.266681 79.876880 -98.266681 79.832291 -98.238518 79.787701 -98.266681 79.743111 -98.313617 79.693827 -98.360554 79.653931 -98.426265 79.618729 -98.548301 79.632810 -98.632787 79.668012 -98.773597 79.707908 -98.914407 79.745458 -98.886245 79.768926 -98.905020 79.808822 -99.036442 79.834637 -99.167865 79.834637 -99.364999 79.827597 -99.533971 79.839331 -99.533971 79.862799 -99.543359 79.900349 -99.533971 79.935551 -99.533971 79.959020 # -b -89.970618 78.499288 -90.055104 78.543878 -90.120816 78.560306 -90.195915 78.553265 -90.214689 78.480514 -90.083266 78.426536 # -b -89.904907 78.227055 -90.130203 78.245830 -90.271013 78.236443 -90.411823 78.231749 -90.430598 78.234096 -90.468147 78.241136 -90.618345 78.241136 -90.599570 78.224709 -90.496309 78.196546 -90.317950 78.184812 -90.195915 78.166038 -90.130203 78.100326 -90.177140 78.072164 -90.336725 78.076858 -90.524471 78.065124 -90.806092 78.069817 -91.012613 78.088592 -91.172198 78.102673 -91.266071 78.102673 -91.350557 78.109714 -91.510142 78.109714 -91.660340 78.147263 -91.838699 78.151957 -92.007671 78.151957 -92.092157 78.201240 -92.176643 78.220015 -92.242355 78.234096 -92.214193 78.248177 -92.139094 78.262258 -92.148481 78.285726 -92.204805 78.295114 -92.223580 78.262258 -92.298679 78.259911 -92.355003 78.255217 -92.458264 78.266952 -92.495813 78.292767 -92.523975 78.295114 -92.580299 78.313888 -92.730496 78.337357 -92.833757 78.386640 -92.833757 78.424190 -92.843145 78.440617 -92.768046 78.438271 -92.646010 78.440617 -92.458264 78.459392 -92.401940 78.457045 -92.289291 78.459392 -92.101545 78.461739 -91.923185 78.468779 -91.754213 78.475820 -91.688502 78.480514 -91.650952 78.496941 -91.688502 78.508676 -91.791762 78.515716 -91.960735 78.506329 -92.092157 78.527450 -92.242355 78.546225 -92.345615 78.553265 -92.420714 78.548572 -92.570912 78.579081 -92.664785 78.569693 -92.749271 78.562653 -92.833757 78.560306 -92.899469 78.553265 -92.965180 78.555612 -93.087215 78.590815 -93.105990 78.614283 -93.059053 78.635405 -93.190476 78.635405 -93.293737 78.679995 -93.331286 78.729278 -93.237413 78.743359 -93.105990 78.722238 -92.899469 78.719891 -92.711722 78.715197 -92.739884 78.752746 -92.908856 78.764481 -93.021504 78.794989 -93.115377 78.804377 -93.265575 78.804377 -93.443934 78.797336 -93.519033 78.825498 -93.556582 78.863048 -93.725555 78.912331 -93.772491 78.959268 -93.556582 79.006205 -93.359448 79.015592 -93.274962 79.027326 -93.190476 79.048448 -93.096603 79.088344 -92.918243 79.125893 -92.702334 79.121200 -92.589686 79.121200 -92.458264 79.132934 -92.345615 79.142321 -92.035833 79.137627 -91.848086 79.142321 -91.660340 79.147015 -91.378719 79.168136 -91.068937 79.184564 -90.787317 79.191605 -90.524471 79.198645 -90.383661 79.200992 -90.327337 79.208032 -90.271013 79.240888 -90.186527 79.271397 -90.214689 79.269050 -90.402436 79.243235 -90.665282 79.238541 -90.937514 79.229154 -91.228522 79.222113 -91.359945 79.198645 -91.538304 79.205686 -91.660340 79.205686 -91.791762 79.198645 -91.951347 79.193951 -92.035833 79.203339 -92.054608 79.205686 -92.195418 79.217420 -92.279904 79.238541 -92.270517 79.264356 -92.082770 79.266703 -92.035833 79.287825 -91.895023 79.276091 -91.575854 79.283131 -91.341170 79.292518 -91.106487 79.308946 -91.022000 79.323027 -91.040775 79.337108 -91.284846 79.332415 -91.463205 79.323027 -91.650952 79.320681 -91.895023 79.315987 -92.082770 79.327721 -92.157869 79.346496 -92.110932 79.377005 -92.092157 79.402820 -92.279904 79.398126 -92.420714 79.388739 -92.552137 79.381698 -92.580299 79.372311 -92.589686 79.330068 -92.702334 79.327721 -92.749271 79.320681 -92.908856 79.308946 -92.983955 79.320681 -92.890081 79.374658 -92.852532 79.412207 -92.890081 79.442716 -92.965180 79.409860 -93.021504 79.358230 -93.096603 79.339455 -93.190476 79.332415 -93.228025 79.292518 -93.246800 79.276091 -93.425160 79.229154 -93.556582 79.226807 -93.669230 79.259663 -93.744329 79.259663 -93.734942 79.283131 -93.725555 79.313640 -93.678618 79.337108 -93.528420 79.353536 -93.472096 79.372311 -93.519033 79.377005 -93.594132 79.369964 -93.612906 79.369964 -93.659843 79.379351 -93.781879 79.393432 -93.856977 79.395779 -93.969625 79.400473 -94.101048 79.369964 -94.091661 79.353536 -94.072886 79.341802 -94.110436 79.318334 -94.166760 79.318334 -94.298182 79.301906 -94.467154 79.266703 -94.551641 79.229154 -94.626739 79.262010 -94.683063 79.287825 -94.701838 79.299559 -94.683063 79.315987 -94.767549 79.346496 -94.805099 79.379351 -94.823873 79.379351 -94.842648 79.384045 -94.908359 79.362924 -94.992846 79.362924 -95.002233 79.365270 -95.049170 79.386392 -95.067944 79.384045 -95.114881 79.381698 -95.199367 79.379351 -95.302628 79.402820 -95.377726 79.416901 -95.358952 79.454450 -95.396501 79.475572 -95.368339 79.503734 -95.246304 79.527202 -95.246304 79.527202 -95.002233 79.501387 -94.974071 79.494346 -94.927134 79.494346 -94.814486 79.510774 -94.636127 79.517815 -94.607965 79.534243 -94.373281 79.538936 -94.194922 79.538936 -93.997787 79.564751 -93.903914 79.583526 -93.885139 79.604648 -93.838203 79.623422 -93.819428 79.649237 -93.791266 79.663318 -93.885139 79.642197 -94.044724 79.616382 -94.119823 79.602301 -94.166760 79.588220 -94.326344 79.597607 -94.476542 79.618729 -94.598577 79.616382 -94.748775 79.618729 -94.927134 79.604648 -95.002233 79.597607 -95.077332 79.621075 -95.077332 79.621075 -95.161818 79.623422 -95.302628 79.642197 -95.452825 79.665665 -95.518537 79.703215 -95.649959 79.733724 -95.743833 79.780660 -95.837706 79.804129 -95.922192 79.818210 -95.865868 79.832291 -96.006678 79.844025 -96.072390 79.867493 -95.987904 79.876880 -95.678121 79.874534 -95.621797 79.898002 -95.668734 79.916777 -95.828319 79.919123 -96.016066 79.933204 -96.081777 79.973101 # -b -94.823873 80.003610 -94.730000 79.989529 # -b -94.349813 80.003610 -94.227777 79.994222 -94.162066 79.973101 -94.049418 79.949632 -94.068192 79.970754 # -b -95.065597 77.738914 -94.999886 77.727179 -94.990499 77.720139 -94.924787 77.720139 -94.849689 77.743607 -94.755815 77.738914 -94.652554 77.755341 -94.549294 77.752995 -94.549294 77.734220 -94.483582 77.734220 -94.314610 77.720139 -94.239511 77.734220 -94.164413 77.717792 -94.089314 77.715445 -93.986053 77.713098 -93.929729 77.694324 -93.835856 77.701364 -93.732595 77.701364 -93.666884 77.720139 -93.648109 77.734220 -93.601172 77.722486 -93.516686 77.696671 -93.375876 77.694324 -93.300777 77.680243 -93.272615 77.656774 -93.206904 77.621572 -93.235066 77.602797 -93.347714 77.593410 -93.441587 77.591063 -93.488524 77.569942 -93.441587 77.551167 -93.422813 77.515964 -93.460362 77.487802 -93.469750 77.461987 -93.432200 77.440866 -93.488524 77.419744 -93.526074 77.396276 -93.619947 77.391582 -93.666884 77.403316 -93.741982 77.398623 -93.845243 77.389235 -93.882792 77.389235 -93.967279 77.400969 -94.108089 77.398623 -94.258286 77.405663 -94.305223 77.419744 -94.370934 77.440866 -94.474195 77.431478 -94.596230 77.429131 -94.699491 77.429131 -94.727653 77.445559 -94.802752 77.443212 -94.868463 77.419744 -94.971724 77.415050 -94.999886 77.412704 -95.018661 77.431478 -95.018661 77.431478 -95.056210 77.433825 -95.206408 77.450253 -95.337830 77.447906 -95.572514 77.452600 -95.741486 77.494843 -95.882296 77.494843 -96.060655 77.548820 -96.135754 77.595757 -96.135754 77.621572 -96.192078 77.633306 -96.145142 77.680243 -95.957395 77.715445 -95.797810 77.731873 -95.628838 77.738914 -95.581901 77.762382 -95.553739 77.792891 -95.441091 77.792891 -95.375380 77.738914 -95.290894 77.745954 -95.197020 77.727179 -95.065597 77.738914 # -b -94.999886 76.211124 -94.990499 76.262754 -94.981111 76.286223 -94.859076 76.243980 -94.680716 76.243980 -94.446033 76.239286 -94.286448 76.211124 -94.108089 76.220511 -93.939117 76.206430 -93.817081 76.215818 -93.957891 76.234592 -93.939117 76.269795 -93.873405 76.279182 -93.807694 76.279182 -93.788919 76.265101 -93.648109 76.288570 -93.526074 76.312038 -93.497912 76.335506 -93.422813 76.356628 -93.244453 76.328466 -93.169355 76.241633 -93.075481 76.180615 -92.915896 76.121944 -92.831410 76.023377 -92.840798 75.950625 -92.746924 75.934197 -92.737537 75.934197 -92.531015 75.863792 -92.362043 75.784000 -92.343269 75.690127 -92.286945 75.605641 -92.155522 75.570438 -92.385512 75.504727 -92.653051 75.373304 -92.554484 75.354529 -92.587340 75.312286 -92.638970 75.237187 -92.662438 75.180863 -92.554484 75.105765 -92.286945 75.131580 -92.188378 75.126886 -92.254089 75.070562 -92.014712 75.098724 -91.944307 75.077603 -92.244702 75.051787 -92.352656 74.974342 -92.286945 74.854653 -92.310413 74.800676 -92.268170 74.784248 -92.235314 74.772514 -92.080423 74.725577 -91.892676 74.718537 -91.756560 74.695068 -91.878595 74.683334 -91.859821 74.643438 -91.756560 74.615276 -91.573507 74.622317 -91.418616 74.631704 -91.404535 74.716190 -91.315355 74.730271 -91.141689 74.795982 -91.010266 74.810063 -91.085365 74.770167 -91.198013 74.709149 -91.151076 74.690375 -91.075978 74.669253 -90.953942 74.617623 -90.911699 74.598848 -90.911699 74.730271 -90.723952 74.608236 -90.522125 74.605889 -90.587836 74.556605 -90.400089 74.544871 -90.334378 74.584767 -90.282747 74.514362 -90.127856 74.502628 # -b -89.937763 75.765225 -90.059798 75.784000 # -b -89.958884 75.849711 -90.062145 75.880220 -90.090307 75.910729 -90.193568 75.929504 -90.278054 75.884914 -90.343765 75.873180 -90.475188 75.903689 -90.615998 75.868486 -90.691097 75.859099 -90.681709 75.917770 -90.822519 75.901342 -90.944555 75.903689 -90.953942 75.915423 -91.057203 75.859099 -91.273112 75.786347 -91.413922 75.755838 -91.376373 75.849711 -91.226175 75.873180 -91.198013 75.894301 -91.310661 75.941238 -91.141689 75.955319 -90.878844 75.960013 -90.653547 75.969400 -90.550287 75.978787 -90.728646 76.009296 -90.963330 75.992868 -91.075978 76.025724 -91.019654 76.035111 -91.010266 76.053886 -91.085365 76.053886 -91.160464 76.084395 -91.395147 76.117251 -91.629831 76.112557 -91.714317 76.124291 -91.507795 76.175921 -91.629831 76.187656 -91.629831 76.201737 -91.601669 76.222858 -91.329436 76.147759 -91.066590 76.126638 -90.878844 76.133678 -90.644160 76.072661 -90.512737 76.072661 -90.681709 76.110210 -90.465801 76.114904 -90.268666 76.107863 # -b -89.958884 76.283876 -90.080920 76.295610 -90.221730 76.316732 -90.324990 76.335506 -90.456413 76.356628 -90.597223 76.363668 -90.681709 76.342547 -90.747421 76.370709 -90.850682 76.387137 -91.000879 76.403564 -91.085365 76.429380 -91.160464 76.434073 -91.263724 76.429380 -91.423309 76.434073 -91.582894 76.434073 -91.629831 76.462235 -91.629831 76.483357 -91.423309 76.478663 -91.310661 76.466929 -91.169851 76.466929 -91.104140 76.495091 -91.019654 76.462235 -90.869456 76.436420 -90.709871 76.427033 -90.559674 76.441114 -90.597223 76.469276 -90.615998 76.516213 -90.709871 76.551415 -90.897618 76.574883 -91.019654 76.605392 -91.188626 76.631207 -91.357598 76.642942 -91.470246 76.668757 -91.498408 76.671104 -91.517183 76.692225 -91.686155 76.701613 -91.714317 76.682838 -91.855127 76.675797 -91.949000 76.666410 -92.089810 76.649982 -92.258783 76.596005 -92.493466 76.579577 -92.606114 76.614780 -92.775086 76.579577 -92.953446 76.586618 -93.056707 76.596005 -93.178742 76.593658 -93.272615 76.551415 -93.347714 76.518559 -93.394651 76.492744 -93.479137 76.457542 -93.591785 76.427033 -93.648109 76.419992 -93.732595 76.408258 -93.704433 76.450501 -93.704433 76.471623 -93.713820 76.481010 -93.582398 76.539681 -93.497912 76.579577 -93.526074 76.628861 -93.469750 76.671104 -93.413425 76.739162 -93.479137 76.753243 -93.497912 76.802526 -93.610560 76.835382 -93.741982 76.903440 -93.807694 76.945683 -93.976666 76.931602 -94.070539 76.969152 -94.155025 76.931602 -94.248899 76.915175 -94.314610 76.915175 -94.399096 76.908134 -94.511744 76.955071 -94.652554 76.969152 -94.746428 76.994967 -94.877851 77.006701 -94.999886 77.030169 -94.999886 76.211124 -95.074985 76.267448 -95.168858 76.342547 -95.253344 76.354281 -95.337830 76.380096 -95.459866 76.382443 -95.600676 76.391830 -95.713324 76.394177 -96.060655 76.593658 -96.107592 76.586618 -96.192078 76.586618 -96.257790 76.617126 -96.323501 76.654676 -96.379825 76.645288 -96.483086 76.664063 -96.567572 76.678144 -96.586347 76.711000 -96.755319 76.725081 -96.896129 76.722734 -97.008777 76.748549 -96.999390 76.764977 -96.961840 76.816607 -96.896129 76.830688 -96.755319 76.793139 -96.623896 76.781405 -96.436149 76.772018 -96.323501 76.776711 -96.361050 76.793139 -96.567572 76.800180 -96.614509 76.818954 -96.454924 76.818954 -96.567572 76.844769 -96.680220 76.882319 -96.867967 76.896400 -96.905516 76.933949 -96.839805 76.959764 -96.896129 76.992620 -96.783481 76.990273 -96.633283 76.980886 -96.520635 77.009048 -96.511248 77.046597 -96.304726 77.065372 -96.088818 77.086493 -95.919845 77.093534 -95.750873 77.086493 -95.572514 77.081800 -95.450478 77.053638 -95.290894 77.048944 -95.168858 77.025476 -94.999886 77.030169 # -b -94.999886 75.657271 -95.032742 75.690127 -94.985805 75.636149 -94.873157 75.619722 -94.633780 75.589213 -94.446033 75.535235 -94.281754 75.511767 -94.291142 75.476565 -94.169106 75.474218 -94.079927 75.420241 -94.145638 75.342795 -93.948504 75.396772 -93.826468 75.340448 -93.840549 75.314633 -93.685658 75.279430 -93.587091 75.234841 -93.652803 75.206679 -93.662190 75.190251 -93.596479 75.126886 -93.605866 75.101071 -93.619947 75.068215 -93.652803 75.023625 -93.587091 74.934446 -93.540155 74.845266 -93.563623 74.763127 -93.587091 74.709149 -93.638722 74.671600 -93.793613 74.636398 -94.037684 74.641091 -94.267673 74.617623 -94.488276 74.636398 -94.732347 74.622317 -94.920094 74.666906 -94.952949 74.704456 -94.952949 74.704456 -94.985805 74.704456 -95.051516 74.711496 -95.107840 74.725577 -95.126615 74.744352 -95.150083 74.772514 -95.215795 74.803023 -95.295587 74.826491 -95.328443 74.819451 -95.403542 74.828838 -95.459866 74.807717 -95.427010 74.781901 -95.502109 74.774861 -95.567820 74.795982 -95.581901 74.812410 -95.591288 74.852306 -95.614757 74.861694 -95.666387 74.873428 -95.755567 74.873428 -95.802504 74.840572 -95.901071 74.861694 -95.943314 74.899243 -96.055962 74.953220 -96.055962 74.990770 -95.976169 75.033013 -96.041881 75.016585 -96.088818 75.056481 -96.145142 74.993117 -96.187385 74.962608 -96.276564 74.957914 -96.328195 75.018932 -96.417374 75.037706 -96.506554 75.126886 -96.530023 75.173823 -96.515942 75.216066 -96.407987 75.216066 -96.328195 75.234841 -96.384519 75.267696 -96.295339 75.279430 -96.107592 75.277084 -95.886990 75.288818 -95.957395 75.305246 -96.098205 75.312286 -95.877602 75.328714 -95.901071 75.349835 -96.065349 75.356876 -96.055962 75.382691 -95.957395 75.429628 -95.943314 75.399119 -95.802504 75.410853 -95.802504 75.457790 -95.966782 75.464830 -96.107592 75.420241 -96.121673 75.457790 -96.009025 75.485952 -95.854134 75.481258 -95.722711 75.469524 -95.722711 75.495339 -95.788423 75.565744 -95.722711 75.582172 -95.549045 75.615028 -95.412929 75.645537 -95.337830 75.666658 -95.140696 75.680739 -95.084372 75.690127 # -b -95.070291 74.073157 -94.999886 74.047342 -94.990499 74.077851 -94.835608 74.110707 -94.727653 74.068464 -94.507051 74.080198 -94.338079 74.091932 -94.173800 74.110707 -93.634028 74.171724 -93.488524 74.171724 -93.225679 74.143562 -92.962833 74.122441 -92.897122 74.110707 -92.883041 74.070810 -92.793861 74.040301 -92.742231 74.094279 -92.540403 74.077851 -92.399593 74.005099 -92.310413 73.955815 -92.178990 73.986324 -92.132053 74.016833 -92.047567 74.019180 -92.047567 74.023874 -91.944307 74.019180 -91.723704 74.019180 -91.592281 74.016833 -91.371679 74.009793 -91.216788 73.993365 -91.029041 73.976937 -90.733340 73.946428 -90.569061 73.915919 -90.423558 73.906532 -90.334378 73.901838 -90.348459 73.871329 -90.437639 73.845514 -90.470494 73.775109 -90.536206 73.692970 -90.658241 73.641340 -90.756808 73.580322 -90.874150 73.568588 -90.996185 73.561547 -91.094752 73.587362 -91.141689 73.540426 -91.019654 73.519304 -91.029041 73.462980 -91.094752 73.416043 -91.132302 73.380841 -91.207400 73.324517 -91.230869 73.272886 -91.470246 73.244724 -91.606362 73.216562 -91.428003 73.197788 -91.517183 73.096874 -91.625137 73.045243 -91.723704 72.951370 -91.859821 72.871578 -91.902064 72.864537 -91.902064 72.857497 -92.066342 72.770664 -92.188378 72.711993 -92.366737 72.704952 -92.408980 72.707299 -92.638970 72.758929 -92.840798 72.723727 -93.080175 72.747195 -93.249147 72.789438 -93.291390 72.796479 -93.455669 72.791785 -93.634028 72.770664 -93.929729 72.749542 -94.262980 72.747195 -94.394403 72.733114 -94.248899 72.714340 -94.216043 72.690871 -93.976666 72.690871 -93.896874 72.672097 -93.774838 72.589957 -93.624641 72.540674 -93.521380 72.460881 -93.634028 72.428026 -93.666884 72.406904 -93.699739 72.357621 -93.765451 72.310684 -93.864018 72.301297 -93.962585 72.256707 -93.995441 72.205076 -94.042377 72.167527 -94.150332 72.146406 -94.173800 72.129978 -94.150332 72.115897 -94.173800 72.078347 -94.262980 72.052532 -94.394403 72.040798 -94.427258 72.007942 -94.582149 72.022023 -94.638473 72.014983 -94.727653 72.005595 -94.835608 72.005595 -94.910706 72.005595 -94.990499 71.986821 -94.999886 72.005595 -95.004580 72.014983 -95.004580 72.014983 -95.037435 72.010289 -95.126615 72.000902 -95.225182 72.029064 -95.215795 72.076000 -95.117228 72.120590 -94.952949 72.144059 -94.995192 72.167527 -95.126615 72.153446 -95.215795 72.183955 -95.225182 72.263747 -95.225182 72.331806 -95.225182 72.406904 -95.182939 72.467922 -95.028048 72.510165 -94.938868 72.559449 -95.140696 72.535980 -95.248651 72.526593 -95.281506 72.557102 -95.337830 72.599345 -95.403542 72.632200 -95.525577 72.653322 -95.614757 72.690871 -95.647613 72.730767 -95.591288 72.754236 -95.657000 72.805866 -95.680468 72.855150 -95.689856 72.911474 -95.680468 72.963104 -95.680468 73.005347 -95.680468 73.047590 -95.680468 73.092180 -95.666387 73.117995 -95.600676 73.134423 -95.647613 73.171972 -95.624144 73.190747 -95.624144 73.235337 -95.624144 73.286967 -95.633532 73.340945 -95.657000 73.406656 -95.689856 73.462980 -95.699243 73.549813 -95.666387 73.589709 -95.666387 73.622565 -95.689856 73.664808 -95.713324 73.700010 -95.680468 73.735213 -95.591288 73.763375 -95.511496 73.793884 -95.459866 73.775109 -95.380073 73.770415 -95.290894 73.742253 -95.206408 73.730519 -95.150083 73.707051 -95.150083 73.707051 -94.999886 73.648380 -94.924787 73.657767 -94.859076 73.624912 -94.769896 73.608484 -94.624392 73.627258 -94.713572 73.667155 -94.877851 73.676542 -94.990499 73.702357 -94.990499 73.730519 -94.999886 73.735213 -95.037435 73.840820 -95.037435 73.840820 -95.060904 73.840820 -95.150083 73.840820 -95.272119 73.866636 -95.328443 73.885410 -95.403542 73.904185 -95.403542 73.955815 -95.403542 74.002752 -95.394154 74.030914 -95.281506 74.044995 -95.173552 74.066117 -95.070291 74.073157 # -b -94.999886 71.937537 -95.037435 71.953965 -94.999886 71.944578 -94.877851 71.939884 -94.704185 71.956312 -94.615005 71.932844 -94.507051 71.895294 -94.539906 71.850704 -94.591537 71.827236 -94.624392 71.775606 -94.591537 71.738056 -94.450727 71.775606 -94.450727 71.714588 -94.436646 71.672345 -94.272367 71.721628 -94.216043 71.773259 -94.042377 71.702854 -93.887486 71.723975 -93.732595 71.747444 -93.741982 71.686426 -93.798306 71.599593 -93.709127 71.529188 -93.521380 71.519801 -93.291390 71.407152 -93.159967 71.336747 -93.047319 71.292158 -92.995689 71.195937 -92.939365 71.104411 -92.939365 71.036353 -92.929977 70.982375 -92.948752 70.848606 -93.014463 70.855646 -93.005076 70.799322 -92.793861 70.785241 -92.742231 70.660859 -92.676519 70.672593 -92.474691 70.667899 -92.343269 70.613922 -92.333881 70.609229 -92.333881 70.588107 -92.319800 70.522396 -92.301026 70.484846 -92.146134 70.400360 -92.089810 70.336996 -92.066342 70.292406 -92.066342 70.273631 -92.014712 70.273631 -91.934919 70.311180 -91.911451 70.341689 -91.794109 70.304140 -91.770641 70.231388 -91.747173 70.193839 -91.625137 70.177411 -91.559426 70.130474 -91.573507 70.121087 -91.657993 70.111699 -91.780028 70.107006 -91.892676 70.102312 -92.047567 70.125780 -92.211846 70.158636 -92.333881 70.175064 -92.455917 70.163330 -92.432448 70.144555 -92.441836 70.107006 -92.507547 70.083537 -92.498160 70.069456 -92.155522 70.050682 # -b -89.958884 71.308585 -90.038677 71.343788 -90.127856 71.418887 -90.113775 71.529188 -90.127856 71.651223 # -b -89.949497 71.761525 -90.071532 71.836623 -90.193568 71.963352 -90.071532 72.054879 # -b -89.970618 72.169874 -90.045717 72.367008 # -b -110.068914 72.540674 -109.979735 72.564142 # -b -110.003203 72.653322 -109.914023 72.695565 # -b -110.068914 72.974838 -109.881168 72.951370 -109.848312 72.906780 -109.824844 72.890352 -109.702808 72.899740 -109.618322 72.897393 -109.627709 72.859843 -109.571385 72.824641 -109.482206 72.780051 -109.341395 72.747195 -109.242828 72.765970 -109.120793 72.730767 -109.120793 72.707299 -108.965902 72.674443 -108.989370 72.641588 -109.041001 72.625160 -109.008145 72.622813 -108.843866 72.606385 -108.712444 72.524246 -108.712444 72.437413 -108.735912 72.355274 -108.712444 72.294256 -108.670201 72.244973 -108.581021 72.193342 -108.566940 72.106509 -108.548165 72.031411 -108.501229 72.010289 -108.383887 71.984474 -108.280626 71.946925 -108.416742 71.864785 -108.402661 71.796727 -108.402661 71.766218 -108.402661 71.733363 -108.304094 71.728669 -108.196140 71.681732 -108.125735 71.648876 -108.027168 71.655917 -107.994312 71.672345 -107.975537 71.702854 -107.886358 71.721628 -107.740854 71.738056 -107.600044 71.796727 -107.576575 71.855398 -107.421684 71.878866 -107.421684 71.911722 -107.534332 71.961006 -107.642287 72.007942 -107.698611 72.073654 -107.684530 72.132325 -107.773710 72.162833 -107.830034 72.256707 -107.853502 72.327112 -107.862889 72.345887 -107.797178 72.350580 -107.830034 72.397517 -107.820646 72.458535 -107.895745 72.498431 -107.905132 72.564142 -107.905132 72.606385 -107.942682 72.674443 -107.961456 72.711993 -107.975537 72.723727 -108.050636 72.803519 -108.125735 72.911474 -108.172672 72.988919 -108.228996 73.024122 -108.149203 73.024122 -108.125735 73.089833 -108.205527 73.092180 -108.271239 73.150851 -108.196140 73.176666 -108.017780 73.179013 -107.975537 73.209522 -108.172672 73.263499 -108.163284 73.312783 -108.083492 73.308089 -108.092879 73.340945 -107.975537 73.340945 -107.830034 73.322170 -107.707998 73.317476 -107.576575 73.303395 -107.553107 73.270540 -107.365360 73.214216 -107.224550 73.176666 -107.003948 73.160238 -106.947624 73.146157 -106.914768 73.155545 -106.891300 73.190747 -106.989867 73.200135 -107.022722 73.242378 -107.022722 73.270540 -106.938236 73.279927 -106.825588 73.272886 -106.736408 73.254112 -106.694165 73.223603 -106.595598 73.214216 -106.548662 73.200135 -106.506419 73.150851 -106.473563 73.115648 -106.384383 73.075752 -106.196636 73.045243 -106.098069 73.021775 -105.943178 72.995960 -105.933791 72.960757 -105.868079 72.951370 -105.703801 72.918514 -105.656864 72.897393 -105.558297 72.871578 -105.525442 72.841069 -105.394019 72.805866 -105.370550 72.773011 -105.445649 72.737808 -105.492586 72.697912 -105.379938 72.697912 -105.337695 72.655669 -105.281371 72.604038 -105.281371 72.543021 -105.304839 72.510165 -105.271983 72.484350 -105.239128 72.460881 -105.215659 72.411598 -105.215659 72.402211 -105.192191 72.371702 -105.159335 72.327112 -105.107705 72.270788 -105.093624 72.214464 -105.093624 72.151099 -105.074849 72.066613 -105.074849 72.014983 -105.018525 71.993861 -104.985669 71.944578 -104.952814 71.885907 -104.929345 71.862438 -104.919958 71.857745 -104.633644 71.745097 -104.511609 71.674692 -104.445897 71.627755 -104.413042 71.585512 -104.445897 71.540922 -104.389573 71.503373 -104.380186 71.442355 -104.380186 71.400112 -104.413042 71.407152 -104.544464 71.376644 -104.544464 71.308585 -104.520996 71.263996 -104.520996 71.224099 -104.600789 71.153694 -104.530383 71.076249 -104.413042 71.038699 -104.267538 71.015231 -104.211214 70.961254 -104.070404 70.888502 -103.981224 70.839218 -103.938981 70.801669 -103.835720 70.785241 -103.638586 70.768813 -103.582262 70.719530 -103.497776 70.656165 -103.394515 70.632697 -103.286561 70.628003 -103.197381 70.623310 -103.089427 70.583413 -103.009634 70.609229 -103.009634 70.660859 -102.943923 70.679634 -102.746789 70.649125 -102.634141 70.616269 -102.681077 70.566985 -102.582510 70.529436 -102.347827 70.470765 -102.183548 70.405054 -101.986414 70.341689 -101.808055 70.308834 -101.587452 70.308834 -101.498272 70.266591 -101.531128 70.214960 -101.512353 70.158636 -101.343381 70.146902 -101.226040 70.177411 -101.179103 70.151596 -101.024212 70.170370 -100.939726 70.158636 -100.902176 70.092925 -100.859933 70.013132 # -b -104.973935 73.080446 -104.973935 73.120342 -104.908224 73.176666 -104.734558 73.261152 -104.645378 73.364413 -104.603135 73.453593 -104.589054 73.519304 -104.546811 73.556853 -104.621910 73.603790 -104.753333 73.608484 -104.865981 73.676542 -105.077196 73.714091 -105.250862 73.742253 -105.447996 73.753988 -105.626355 73.742253 -105.804715 73.725826 -105.978381 73.735213 -106.180209 73.721132 -106.433667 73.723479 -106.630801 73.692970 -106.729368 73.646033 -106.818548 73.589709 -107.025069 73.509917 -107.062619 73.458286 -106.982826 73.441859 -106.804467 73.432471 -106.705900 73.399615 -106.583864 73.387881 -106.475910 73.340945 -106.353874 73.303395 -106.245920 73.279927 -106.189596 73.244724 -106.076948 73.188400 -105.959606 73.160238 -105.856345 73.101567 -105.771859 73.066365 -105.739004 73.014735 -105.626355 72.974838 -105.462077 72.918514 -105.363510 72.883312 -105.316573 72.902086 -105.316573 72.925555 -105.218006 72.927902 -105.152295 72.960757 -105.053728 72.995960 -104.988016 73.047590 -104.973935 73.080446 # -b -99.989258 71.881213 -100.036194 71.895294 -100.111293 71.953965 -100.191085 72.007942 -100.200473 72.052532 -100.313121 72.092428 -100.444544 72.106509 -100.543111 72.085388 -100.641678 72.066613 -100.716776 72.137018 -100.852893 72.200383 -100.974928 72.200383 -101.017171 72.153446 -101.181450 72.169874 -101.448989 72.174568 -101.500619 72.228545 -101.514700 72.254360 -101.688366 72.308337 -101.711834 72.345887 -101.843257 72.378742 -102.054472 72.430373 -102.120184 72.477309 -102.260994 72.524246 -102.415885 72.592304 -102.429966 72.641588 -102.439353 72.697912 -102.406498 72.812907 -102.340786 72.899740 -102.176508 72.944329 -102.021617 72.944329 -101.941824 72.953717 -101.899581 72.932595 -101.786933 72.899740 -101.655510 72.876271 -101.636736 72.866884 -101.678979 72.829335 -101.580412 72.796479 -101.514700 72.789438 -101.369197 72.780051 -101.280017 72.747195 -101.270629 72.688524 -101.195531 72.653322 -101.139207 72.604038 -100.805956 72.596998 -100.683921 72.622813 -100.641678 72.648628 -100.552498 72.648628 -100.519642 72.636894 -100.388219 72.653322 -100.289652 72.674443 -100.177004 72.716686 -100.275571 72.773011 -100.313121 72.864537 -100.242716 72.864537 -100.111293 72.805866 -100.036194 72.822294 -100.022113 72.897393 -100.101906 72.934942 -100.177004 72.941983 -100.275571 72.937289 -100.313121 72.998307 -100.411688 73.010041 -100.411688 73.082793 -100.430463 73.146157 -100.397607 73.164932 -100.233328 73.176666 -100.101906 73.146157 -100.003339 73.120342 # -b -99.890690 73.129729 -100.036194 73.188400 -100.158230 73.244724 -100.289652 73.303395 -100.355364 73.272886 -100.388219 73.225950 -100.552498 73.207175 -100.754326 73.197788 -100.885749 73.228297 -101.040640 73.251765 -101.181450 73.336251 -101.326954 73.345638 -101.369197 73.427778 -101.345728 73.481755 -101.162675 73.493489 -100.984316 73.484102 -100.852893 73.451246 -100.805956 73.411350 -100.632290 73.380841 -100.585354 73.416043 -100.665146 73.479408 -100.651065 73.526345 -100.773100 73.533385 -100.895136 73.540426 -100.993703 73.585015 -101.148594 73.587362 -101.181450 73.622565 -101.228386 73.653074 -101.162675 73.690623 -101.040640 73.725826 -100.885749 73.761028 -100.707389 73.779803 -100.608822 73.744600 -100.486787 73.735213 -100.364751 73.725826 -100.266184 73.711745 -100.191085 73.690623 -100.144149 73.723479 -100.144149 73.761028 -100.299040 73.772762 -100.378832 73.789190 -100.453931 73.824393 -100.275571 73.864289 -100.092518 73.885410 # -b -99.775696 74.997810 -100.005685 75.002504 -100.216901 74.995463 -100.446890 75.025972 -100.587700 75.070562 -100.587700 75.105765 -100.587700 75.112805 -100.601781 75.145661 -100.611169 75.185557 -100.667493 75.225453 -100.644025 75.244228 -100.521989 75.255962 -100.390566 75.241881 -100.235675 75.246575 -100.137108 75.267696 -100.291999 75.279430 -100.423422 75.279430 -100.367098 75.335754 -100.348323 75.349835 -100.489133 75.345142 -100.658106 75.321673 -100.723817 75.373304 -100.667493 75.382691 -100.503214 75.408506 -100.554845 75.422587 -100.634637 75.443709 -100.756673 75.464830 -100.620556 75.467177 -100.423422 75.476565 -100.249756 75.467177 -100.179351 75.495339 -100.259144 75.507073 -100.062009 75.518808 # -b -99.850794 75.549316 -100.062009 75.544623 -100.259144 75.530542 -100.202819 75.549316 -100.005685 75.572785 -100.047928 75.593906 # -b -99.841407 75.734716 -100.019766 75.739410 -100.188738 75.725329 -100.310774 75.706554 -100.357711 75.701861 -100.479746 75.708901 -100.611169 75.694820 -100.733204 75.678392 -100.841159 75.661965 -101.010131 75.650230 -101.150941 75.638496 -101.296445 75.638496 -101.502966 75.647884 -101.606227 75.610334 -101.723569 75.633803 -101.789280 75.626762 -101.901928 75.589213 -102.033351 75.577478 -102.211710 75.577478 -102.352520 75.577478 -102.432313 75.565744 -102.507412 75.537582 -102.652915 75.554010 -102.751482 75.572785 -102.826581 75.636149 -102.784338 75.645537 -102.671690 75.645537 -102.699852 75.683086 -102.652915 75.722982 -102.512105 75.734716 -102.390070 75.722982 -102.268034 75.713595 -102.127224 75.701861 -102.174161 75.739410 -102.277422 75.755838 -102.221098 75.795734 -102.343133 75.795734 -102.324358 75.856752 -102.070900 75.896648 -101.948865 75.898995 -101.808055 75.866139 -101.704794 75.842671 -101.610921 75.828590 -101.545209 75.786347 -101.366850 75.781653 -101.179103 75.795734 -101.019518 75.837977 -101.150941 75.826243 -101.319913 75.802775 -101.329300 75.847365 -101.366850 75.880220 -101.507660 75.896648 -101.648470 75.931851 -101.582759 75.974094 -101.432561 76.016337 -101.432561 76.042152 -101.648470 76.011643 -101.873766 75.997562 -101.901928 76.051539 -102.023964 76.105516 -102.023964 76.168881 -101.958252 76.218164 -102.080288 76.227552 -102.221098 76.222858 -102.211710 76.283876 -102.239872 76.328466 -102.136612 76.375402 -102.023964 76.405911 -102.061513 76.415299 -101.995802 76.455195 -101.873766 76.476316 -101.770505 76.462235 -101.639083 76.462235 -101.545209 76.445807 -101.498272 76.443461 -101.423174 76.450501 -101.376237 76.429380 -101.366850 76.427033 -101.376237 76.405911 -101.366850 76.375402 -101.291751 76.382443 -101.197878 76.363668 -101.085230 76.342547 -101.141554 76.328466 -101.207265 76.288570 -101.104004 76.258061 -100.925645 76.204083 -100.812997 76.164187 -100.822384 76.147759 -100.756673 76.121944 -100.625250 76.138372 -100.512602 76.126638 -100.597088 76.112557 -100.625250 76.091435 -100.409341 76.056233 -100.230982 76.011643 -100.137108 75.990521 -100.099559 75.978787 # -b -99.972830 76.042152 -100.047928 76.075008 -100.113640 76.119597 -100.235675 76.192349 -100.094865 76.204083 # -b -99.939974 76.204083 -100.033847 76.241633 -100.193432 76.227552 -100.446890 76.227552 -100.615862 76.269795 -100.540764 76.293263 -100.334242 76.288570 -100.287306 76.321425 -100.127721 76.326119 -100.259144 76.342547 -100.409341 76.384790 -100.550151 76.377749 -100.719123 76.384790 -100.888095 76.419992 -101.038293 76.483357 -101.075842 76.499785 -101.057067 76.527947 -100.869321 76.534987 -100.794222 76.600699 -100.606475 76.638248 -100.475052 76.657023 -100.296693 76.657023 -100.155883 76.652329 -100.033847 76.645288 # -b -100.050275 78.736319 -100.069050 78.731625 -100.031501 78.724584 # -b -99.939974 77.835134 -100.024460 77.799931 -100.155883 77.816359 -100.259144 77.849215 -100.381179 77.844521 -100.559538 77.891458 -100.681574 77.914926 -100.690961 77.954822 -100.812997 78.008800 -100.869321 78.039309 -100.878708 78.069817 -100.878708 78.105020 -100.869321 78.126141 -100.972581 78.154303 -101.066455 78.184812 -101.075842 78.222362 -101.132166 78.231749 -101.197878 78.208281 -101.376237 78.203587 -101.479498 78.210628 -101.488885 78.241136 -101.554597 78.271645 -101.704794 78.271645 -101.826829 78.288073 -102.042738 78.297460 -102.268034 78.299807 -102.465169 78.271645 -102.643528 78.271645 -102.840662 78.304501 -102.878212 78.353784 -102.859437 78.384293 -103.009634 78.363172 -103.216156 78.351438 -103.432065 78.325622 -103.591649 78.327969 -103.770009 78.295114 -103.816946 78.278686 -103.723072 78.276339 -103.854495 78.250524 -104.070404 78.245830 -104.295700 78.259911 -104.445897 78.285726 -104.605482 78.306848 -104.718130 78.327969 -104.765067 78.339703 -104.830778 78.363172 -104.952814 78.405415 -104.962201 78.426536 -104.980976 78.461739 -104.990363 78.496941 -104.990363 78.525103 -104.896490 78.550919 -104.774454 78.562653 -104.567933 78.565000 -104.445897 78.553265 -104.229989 78.527450 -104.061016 78.508676 -103.901432 78.518063 -103.770009 78.508676 -103.591649 78.501635 -103.535325 78.548572 -103.432065 78.595508 -103.563487 78.609589 -103.816946 78.604896 -104.032854 78.616630 -103.995305 78.649486 -103.807558 78.656526 -103.619811 78.684688 -103.525938 78.722238 -103.507163 78.764481 -103.582262 78.757440 -103.666748 78.745706 -103.741847 78.757440 -103.854495 78.738665 -103.882657 78.780908 -103.901432 78.783255 -103.976530 78.785602 -104.070404 78.743359 -104.229989 78.757440 -104.267538 78.816111 -104.229989 78.830192 -104.192439 78.832539 -104.164277 78.832539 -104.126728 78.846620 -104.061016 78.870088 -104.023467 78.900597 -104.070404 78.945187 -104.154890 78.971002 -104.286313 78.975696 -104.380186 78.947534 -104.530383 78.935800 -104.633644 78.888863 -104.671194 78.846620 -104.736905 78.816111 -104.877715 78.806724 -105.009138 78.792643 -105.056075 78.806724 -105.103011 78.830192 -104.971588 78.851313 -104.943426 78.874782 -104.896490 78.909984 -104.840166 78.933453 -104.802616 78.956921 -104.793229 79.013245 -104.887102 79.010898 -105.027913 79.022632 -105.215659 78.999164 -105.431568 78.985083 -105.638090 78.989777 -105.656864 79.001511 -105.675639 79.041407 -105.703801 79.076610 -105.713188 79.118853 -105.741350 79.158749 -105.713188 79.186911 -105.647477 79.238541 -105.591153 79.280784 -105.544216 79.294865 -105.328307 79.273744 -105.046687 79.287825 -104.802616 79.297212 -104.624257 79.304253 -104.464672 79.327721 -104.220601 79.348843 -104.023467 79.337108 -103.816946 79.311293 -103.779396 79.294865 -103.854495 79.257316 -103.807558 79.264356 -103.629199 79.278437 -103.375741 79.273744 -103.310029 79.233848 -103.328804 79.189258 -103.338191 79.142321 -103.375741 79.074263 -103.385128 79.020286 -103.347579 79.017939 -103.263093 78.987430 -103.141057 78.954574 -103.084733 78.989777 -103.065958 79.027326 -103.065958 79.088344 -102.990860 79.128240 -102.831275 79.170483 -102.718627 79.198645 -102.530880 79.198645 -102.343133 79.184564 -102.239872 79.165789 -102.080288 79.114159 -101.920703 79.090691 -101.883153 79.060182 -101.892541 79.041407 -101.732956 79.060182 -101.695407 79.095384 -101.535822 79.060182 -101.507660 79.001511 -101.601533 78.938146 -101.610921 78.912331 -101.441948 78.893557 -101.451336 78.870088 -101.413786 78.860701 -101.282364 78.898250 -101.141554 78.914678 -101.000743 78.917025 -100.906870 78.942840 -100.784835 78.926412 -100.700349 78.909984 -100.615862 78.893557 -100.493827 78.893557 -100.418728 78.872435 -100.315468 78.858354 -100.249756 78.830192 -100.221594 78.802030 -100.296693 78.757440 -100.287306 78.738665 -100.221594 78.733972 -100.127721 78.745706 -100.071397 78.745706 -100.052622 78.736319 # -b -101.991108 77.947782 -101.981721 77.950129 -101.887847 77.954822 -101.765812 77.966557 -101.033599 77.842174 -100.920951 77.792891 -101.089923 77.790544 -101.305832 77.802278 -101.549903 77.790544 -101.718875 77.760035 -101.869072 77.750648 -102.113143 77.755341 -102.319665 77.795238 -102.498024 77.844521 -102.563736 77.867990 -102.610672 77.912579 -102.441700 77.931354 -102.263341 77.950129 -102.113143 77.950129 -101.991108 77.947782 # -b -105.023219 77.572288 -104.966895 77.553514 -104.919958 77.515964 -104.966895 77.461987 -104.938733 77.440866 -104.891796 77.429131 -104.769761 77.426785 -104.666500 77.417397 -104.666500 77.393929 -104.572627 77.365767 -104.478753 77.339952 -104.403654 77.337605 -104.356718 77.323524 -104.431816 77.285974 -104.582014 77.281281 -104.450591 77.271893 -104.291006 77.246078 -104.272232 77.220263 -104.272232 77.199142 -104.375492 77.156899 -104.497528 77.145164 -104.582014 77.109962 -104.788535 77.138124 -104.957507 77.178020 -105.135867 77.170980 -105.173416 77.224957 -105.257902 77.255466 -105.351776 77.300055 -105.464424 77.375154 -105.520748 77.389235 -105.605234 77.443212 -105.680333 77.492496 -105.652171 77.515964 -105.699107 77.544126 -105.755431 77.586369 -105.792981 77.621572 -105.839917 77.668509 -105.933791 77.713098 -106.008890 77.731873 -105.971340 77.764729 -105.896242 77.745954 -105.755431 77.741260 -105.577072 77.738914 -105.408100 77.701364 -105.323614 77.659121 -105.173416 77.633306 -105.107705 77.609838 -105.079543 77.574635 -105.023219 77.572288 # -b -104.009386 76.603045 -103.999999 76.596005 -103.943675 76.598352 -103.896738 76.628861 -103.802865 76.598352 -103.624505 76.570190 -103.586956 76.523253 -103.342885 76.497438 -103.277174 76.476316 -103.173913 76.450501 -103.080039 76.410605 -103.126976 76.380096 -103.202075 76.356628 -103.324110 76.347240 -103.455533 76.333159 -103.662054 76.316732 -103.831027 76.323772 -103.943675 76.328466 -104.131422 76.319078 -104.309781 76.330813 -104.281619 76.347240 -104.103259 76.351934 -104.122034 76.358975 -104.253457 76.375402 -104.375492 76.394177 -104.497528 76.419992 -104.441204 76.445807 -104.413042 76.499785 -104.413042 76.527947 -104.516302 76.495091 -104.572627 76.504478 -104.572627 76.537334 -104.619563 76.539681 -104.694662 76.556109 -104.694662 76.586618 -104.619563 76.612433 -104.544464 76.628861 -104.375492 76.657023 -104.215908 76.675797 -103.999999 76.673450 -103.953062 76.633554 -103.990611 76.617126 -103.999999 76.614780 -104.009386 76.603045 # -b -101.021865 76.739162 -100.946766 76.741509 -100.881055 76.748549 -100.749632 76.764977 -100.674533 76.743856 -100.552498 76.715694 -100.674533 76.687532 -100.852893 76.638248 -101.087576 76.603045 -101.322260 76.563149 -101.491232 76.563149 -101.632042 76.567843 -101.688366 76.581924 -101.678979 76.614780 -101.463070 76.642942 -101.294098 76.680491 -101.162675 76.725081 -101.031252 76.736815 -101.021865 76.739162 # -b -103.028409 76.323772 -103.000247 76.321425 -103.000247 76.323772 -102.925148 76.323772 -102.765563 76.323772 -102.699852 76.283876 -102.577817 76.248673 -102.605979 76.182962 -102.681077 76.145413 -102.859437 76.114904 -103.112895 76.084395 -103.338191 76.063273 -103.516551 76.060927 -103.704298 76.063273 -103.929594 76.056233 -103.995305 76.058580 -103.995305 76.082048 -104.061016 76.086742 -104.145503 76.058580 -104.276925 76.100823 -104.417735 76.103170 -104.464672 76.140719 -104.511609 76.178268 -104.445897 76.201737 -104.417735 76.239286 -104.258151 76.241633 -104.023467 76.248673 -103.723072 76.272142 -103.554100 76.297957 -103.366353 76.307344 -103.225543 76.321425 -103.131670 76.340200 -103.028409 76.323772 # -b -103.049531 76.070314 -102.965044 76.075008 -102.918108 76.075008 -102.777298 76.100823 -102.674037 76.105516 -102.523839 76.091435 -102.392417 76.079701 -102.420579 76.032765 -102.552001 76.002256 -102.730361 75.983481 -103.002594 75.962359 -103.256052 75.936544 -103.500123 75.922463 -103.706644 75.908382 -103.875616 75.903689 -103.931941 75.906035 -103.931941 75.931851 -103.922553 75.955319 -103.753581 75.976440 -103.565834 76.002256 -103.359313 76.030418 -103.199728 76.051539 -103.049531 76.070314 # -b -103.061265 75.917770 -102.995553 75.931851 -102.958004 75.943585 -102.864131 75.955319 -102.732708 75.964706 -102.526186 75.976440 -102.422926 75.995215 -102.263341 76.011643 -102.197629 75.990521 -102.122531 75.950625 -102.235179 75.929504 -102.413538 75.884914 -102.526186 75.842671 -102.582510 75.812162 -102.638834 75.774613 -102.742095 75.784000 -102.854743 75.788694 -102.995553 75.765225 -103.136363 75.748797 -103.324110 75.753491 -103.427371 75.774613 -103.399209 75.805121 -103.277174 75.845018 -103.220849 75.880220 -103.145751 75.908382 -103.061265 75.917770 # -b -104.086832 75.446056 -103.964796 75.427281 -103.964796 75.422587 -103.955409 75.420241 -103.931941 75.380344 -103.833373 75.347489 -103.777049 75.284124 -103.734806 75.239534 -103.636239 75.173823 -103.791130 75.103418 -103.988265 75.072909 -104.199480 75.049441 -104.471713 75.075256 -104.673540 75.084643 -104.861287 75.126886 -104.903530 75.180863 -104.772107 75.255962 -104.692315 75.305246 -104.640685 75.373304 -104.584361 75.429628 -104.420082 75.443709 -104.232335 75.453096 -104.086832 75.446056 # -b -110.043099 76.506825 -109.892902 76.511519 -109.817803 76.516213 -109.705155 76.556109 -109.705155 76.610086 -109.639444 76.638248 -109.564345 76.682838 -109.489246 76.734468 -109.451697 76.772018 -109.357823 76.816607 -109.198239 76.837729 -108.982330 76.830688 -108.794583 76.854157 -108.747646 76.825995 -108.634998 76.783752 -108.531737 76.743856 -108.541125 76.701613 -108.606836 76.675797 -108.728872 76.649982 -108.672547 76.598352 -108.559899 76.563149 -108.597449 76.532640 -108.569287 76.488051 -108.559899 76.455195 -108.512963 76.431726 -108.372153 76.427033 -108.278279 76.389483 -108.128082 76.347240 -108.109307 76.309691 -108.128082 76.283876 -108.137469 76.262754 -108.099920 76.241633 -108.240730 76.204083 -108.325216 76.164187 -108.409702 76.119597 -108.531737 76.098476 -108.578674 76.098476 -108.578674 76.093782 -108.466026 76.091435 -108.362765 76.072661 -108.250117 76.079701 -108.165631 76.077354 -108.043596 76.082048 -107.930948 76.093782 -107.790137 76.070314 -107.696264 76.032765 -107.602391 76.013990 -107.630553 75.985828 -107.696264 75.936544 -107.855849 75.934197 -107.930948 75.891954 -108.024821 75.847365 -107.987272 75.805121 -107.884011 75.842671 -107.799525 75.896648 -107.668102 75.915423 -107.480355 75.931851 -107.330158 75.920116 -107.151798 75.917770 -107.114249 75.898995 -107.086087 75.861446 -107.001601 75.793387 -106.926502 75.734716 -106.870178 75.704208 -106.813854 75.769919 -106.776305 75.812162 -106.682431 75.814509 -106.766917 75.840324 -106.795079 75.906035 -106.851403 75.969400 -106.738755 76.011643 -106.663657 76.065620 -106.475910 76.053886 -106.297550 76.053886 -106.269388 76.049192 -106.091029 76.032765 -105.865733 75.978787 -105.677986 75.931851 -105.565338 75.849711 -105.462077 75.795734 -105.480852 75.739410 -105.443302 75.706554 -105.438609 75.636149 -105.494933 75.570438 -105.673292 75.530542 -105.692067 75.476565 -105.739004 75.406160 -105.781247 75.331061 -105.870426 75.286471 -105.912669 75.225453 -105.978381 75.155048 -106.067560 75.105765 -106.123885 75.065868 -106.288163 75.072909 -106.419586 75.061175 -106.475910 75.047094 -106.565090 75.037706 -106.762224 74.967301 -106.996907 74.946180 -107.217510 74.943833 -107.334851 74.962608 -107.480355 74.971995 -107.644634 75.009544 -107.743201 75.044747 -107.724426 75.108111 -107.776056 75.098724 -107.888705 75.061175 -108.052983 75.007198 -108.118694 74.971995 -108.395621 74.967301 -108.419089 74.967301 -108.681935 74.979036 -108.757034 74.990770 -108.714791 74.995463 -108.583368 75.035360 -108.738259 75.094030 -108.738259 75.133927 -108.780502 75.122192 -108.879069 75.112805 -108.944780 75.063522 -109.090284 75.009544 -109.310887 74.990770 -109.418841 74.957914 -109.508021 74.925058 -109.728623 74.906284 -109.949226 74.887509 # -b -110.064221 75.577478 -109.796682 75.570438 -109.468125 75.556357 -109.148955 75.535235 -108.979983 75.549316 -108.947127 75.570438 -108.914271 75.622068 -108.904884 75.671352 -108.914271 75.722982 -108.975289 75.767572 -109.041001 75.791040 -109.073856 75.828590 -109.092631 75.849711 -109.209973 75.840324 -109.266297 75.863792 -109.294459 75.906035 -109.374251 75.875527 -109.430575 75.915423 -109.341395 75.936544 -109.214666 75.978787 -109.200585 76.030418 -109.102018 76.039805 -109.120793 76.100823 -109.148955 76.161840 -109.205279 76.206430 -109.294459 76.222858 -109.313233 76.248673 -109.407107 76.253367 -109.449350 76.262754 # -b -110.075955 78.093286 -109.888208 78.074511 -109.831884 78.029921 -109.869433 77.964210 -109.963307 77.929007 # -b -110.019631 78.604896 -110.000856 78.581427 -109.860046 78.567346 -109.738011 78.574387 -109.709849 78.543878 -109.559651 78.511022 -109.550264 78.478167 -109.512714 78.459392 -109.503327 78.431230 -109.503327 78.377253 -109.559651 78.318582 -109.700461 78.302154 -109.935145 78.290420 # -b -120.017148 72.230892 -119.899807 72.256707 -119.852870 72.277828 -119.665123 72.294256 -119.477376 72.327112 -119.378809 72.350580 -119.355341 72.406904 -119.322485 72.467922 -119.289630 72.514859 -119.237999 72.564142 -119.223918 72.636894 -119.069027 72.690871 -118.848425 72.740155 -118.726389 72.758929 -118.576192 72.773011 -118.397832 72.838722 -118.233554 72.864537 -117.989483 72.911474 -117.726637 72.986573 -117.571746 73.021775 -117.491954 73.028816 -117.337063 73.054631 -117.205640 73.101567 -117.064830 73.134423 -116.942794 73.162585 -116.764435 73.207175 -116.600157 73.249418 -116.356086 73.279927 -116.168339 73.303395 -115.947736 73.331557 -115.849169 73.355026 -115.792845 73.371453 -115.741215 73.387881 -115.652035 73.401962 -115.520612 73.434818 -115.389190 73.472367 -115.389190 73.521651 -115.398577 73.580322 -115.530000 73.606137 -115.661422 73.655421 -115.759990 73.702357 -115.914881 73.721132 -116.060384 73.770415 -116.234050 73.845514 -116.412410 73.892451 -116.656481 73.955815 -116.755048 74.007446 -116.877083 74.044995 -116.952182 74.073157 -117.107073 74.129481 -117.271351 74.157643 -117.416855 74.218661 -117.557665 74.256210 -117.778268 74.277332 -117.989483 74.284372 -118.153761 74.298453 -118.332121 74.305494 -118.562111 74.277332 -118.862506 74.239782 -118.970460 74.211620 -119.026784 74.171724 -118.895361 74.122441 -118.993928 74.080198 -119.026784 74.030914 -119.223918 73.998058 -119.280242 74.059076 -119.158207 74.098972 -119.167594 74.134175 -119.158207 74.176418 -119.191063 74.216314 -119.336566 74.218661 -119.458602 74.228048 -119.557169 74.195193 -119.557169 74.171724 -119.697979 74.143562 -119.754303 74.080198 -119.796546 74.047342 -119.843483 74.091932 -119.852870 74.152950 -119.763690 74.185805 -119.688592 74.218661 -119.777771 74.242129 -119.909194 74.265598 # -b -117.369918 69.952115 -117.416855 70.024867 -117.252577 70.048335 -117.041362 70.092925 -116.576688 70.144555 -116.304455 70.182105 -115.994673 70.226694 -115.792845 70.245469 -115.473676 70.266591 -115.253073 70.285365 -115.088795 70.290059 -114.835337 70.297099 -114.624121 70.327608 -114.459843 70.346383 -114.239240 70.353423 -113.976395 70.311180 -113.633757 70.301793 -113.267651 70.290059 -113.014192 70.271284 -112.882770 70.247816 -112.741960 70.247816 -112.554213 70.252510 -112.408709 70.297099 -112.352385 70.327608 -112.418096 70.367505 -112.408709 70.398013 -112.253818 70.360464 -112.098927 70.374545 -112.131782 70.407401 -112.244431 70.466072 -112.366466 70.491887 -112.530744 70.498927 -112.741960 70.515355 -112.807671 70.557598 -113.014192 70.555251 -113.150309 70.574026 -113.291119 70.599841 -113.389686 70.639737 -113.553965 70.646778 -113.666613 70.656165 -113.798035 70.642084 -113.896602 70.674940 -113.943539 70.686674 -114.173529 70.667899 -114.351888 70.653818 -114.436375 70.653818 -114.549023 70.653818 -114.727382 70.620963 -114.858805 70.609229 -114.999615 70.609229 -115.201443 70.576373 -115.389190 70.555251 -115.473676 70.541170 -115.506531 70.536477 -115.652035 70.569332 -115.792845 70.574026 -115.938349 70.569332 -116.126096 70.599841 -116.201195 70.642084 -116.421797 70.623310 -116.609544 70.609229 -116.909939 70.595148 -117.116460 70.635044 -117.238496 70.660859 -117.383999 70.653818 -117.557665 70.639737 -117.590521 70.674940 -117.581134 70.700755 -117.660926 70.714836 -117.834592 70.733611 -117.890916 70.761773 -118.031726 70.815750 -118.111518 70.869727 -118.233554 70.928398 -118.308653 71.022272 -118.144374 71.078596 -117.956627 71.149001 -117.792349 71.172469 -117.557665 71.202978 -117.369918 71.207671 -117.182172 71.217059 -116.928713 71.259302 -116.675255 71.308585 -116.487508 71.343788 -116.290374 71.357869 -116.135483 71.378990 -116.158952 71.350828 -116.069772 71.341441 -115.816314 71.350828 -115.708359 71.376644 -115.774071 71.400112 -115.896106 71.414193 -116.083853 71.414193 -116.027529 71.435314 -115.905493 71.468170 -115.750602 71.482251 -115.675504 71.482251 -115.562855 71.508066 -115.539387 71.536228 -115.717747 71.536228 -115.905493 71.526841 -116.191807 71.503373 -116.323230 71.486945 -116.478121 71.484598 -116.656481 71.475211 -116.844227 71.447049 -117.064830 71.442355 -117.163397 71.414193 -117.318288 71.414193 -117.402774 71.428274 -117.426243 71.456436 -117.571746 71.463477 -117.646845 71.447049 -117.557665 71.432968 -117.571746 71.397765 -117.670313 71.397765 -117.759493 71.393071 -117.834592 71.397765 -117.914384 71.369603 -118.144374 71.362563 -118.252328 71.390725 -118.275797 71.440008 -118.219473 71.491639 -118.111518 71.519801 -117.933159 71.522147 -117.825204 71.526841 -117.834592 71.569084 -117.858060 71.616021 -117.858060 71.651223 -117.956627 71.651223 -118.111518 71.634795 -118.341508 71.583165 -118.454156 71.599593 -118.463544 71.644183 -118.562111 71.658264 -118.717002 71.655917 -118.829650 71.634795 -118.946992 71.630102 -118.970460 71.686426 -119.050252 71.761525 -119.069027 71.864785 -118.970460 71.961006 -118.773326 72.040798 -118.660678 72.083041 -118.618435 72.113550 -118.487012 72.176914 -118.275797 72.209770 -118.120906 72.223851 -118.111518 72.261400 -118.144374 72.303643 -118.200698 72.334152 -118.355589 72.331806 -118.430688 72.334152 -118.496399 72.371702 -118.505787 72.465575 -118.430688 72.543021 -118.233554 72.625160 -117.966015 72.707299 -117.736025 72.796479 -117.515422 72.857497 -117.294820 72.899740 -117.097686 72.941983 -116.844227 72.993613 -116.722192 73.040550 -116.501589 73.056978 -116.388941 73.115648 -116.116709 73.127383 -115.914881 73.169626 -115.792845 73.190747 -115.539387 73.232990 -115.131038 73.286967 -114.891661 73.326864 -114.727382 73.352679 -114.614734 73.352679 -114.483311 73.336251 -114.426987 73.298702 -114.319033 73.279927 -114.295564 73.242378 -114.173529 73.190747 -114.117205 73.120342 -114.107818 73.066365 -114.098430 72.974838 -114.107818 72.885659 -114.117205 72.850456 -114.206385 72.838722 -114.337807 72.812907 -114.426987 72.765970 -114.450456 72.730767 -114.436375 72.707299 -114.483311 72.674443 -114.591266 72.658016 -114.727382 72.641588 -114.746157 72.615773 -114.638202 72.573530 -114.516167 72.613426 -114.417600 72.620466 -114.319033 72.658016 -114.182916 72.681484 -114.065575 72.681484 -114.042106 72.648628 -114.018638 72.625160 -113.844972 72.648628 -113.690081 72.674443 -113.610289 72.747195 -113.708856 72.770664 -113.708856 72.834028 -113.600901 72.918514 -113.455397 72.951370 -113.436623 72.986573 -113.380299 73.005347 -113.347443 73.012388 -113.248876 73.021775 -113.070517 73.021775 -112.906238 72.988919 -112.718491 72.953717 -112.596456 72.927902 -112.455646 72.918514 -112.244431 72.883312 -112.000360 72.871578 -111.859550 72.812907 -111.681190 72.791785 -111.549767 72.749542 -111.502831 72.747195 -111.394876 72.695565 -111.338552 72.669750 -111.305696 72.580570 -111.418345 72.526593 -111.493443 72.486697 -111.638947 72.430373 -111.859550 72.364661 -111.990972 72.334152 -111.990972 72.315378 -111.868937 72.324765 -111.793838 72.331806 -111.723433 72.334152 -111.681190 72.341193 -111.559155 72.388130 -111.493443 72.423332 -111.394876 72.451494 -111.305696 72.458535 -111.315084 72.420985 -111.362021 72.395170 -111.418345 72.355274 -111.418345 72.345887 -111.329165 72.338846 -111.263453 72.334152 -111.197742 72.322418 -111.141418 72.348233 -111.117950 72.390476 -111.061626 72.451494 -111.052238 72.491390 -110.930203 72.503124 -110.808167 72.564142 -110.733069 72.568836 -110.676745 72.564142 -110.620421 72.559449 -110.601646 72.550061 -110.479611 72.566489 -110.413899 72.554755 -110.390431 72.540674 -110.366962 72.526593 -110.291864 72.503124 -110.226152 72.477309 -110.169828 72.503124 -110.226152 72.559449 -110.268395 72.575876 -110.216765 72.582917 -110.160441 72.559449 -110.071261 72.540674 # -b -109.982081 72.564142 -110.014937 72.615773 -110.146360 72.641588 -110.235540 72.665056 -110.249621 72.690871 -110.216765 72.704952 -110.113504 72.681484 -110.005550 72.653322 # -b -109.916370 72.695565 -110.014937 72.733114 -110.071261 72.747195 -110.146360 72.775357 -110.179216 72.798826 -110.324719 72.817600 -110.446755 72.876271 -110.521854 72.944329 -110.535935 72.988919 -110.390431 72.995960 -110.235540 72.979532 -110.071261 72.974838 # -b -110.052487 76.502132 -110.043099 76.518559 -110.043099 76.506825 # -b -109.953919 74.887509 -110.165135 74.887509 -110.352881 74.849960 -110.427980 74.840572 -110.540628 74.838225 -110.681438 74.814757 -110.648583 74.772514 -110.714294 74.727924 -110.826942 74.711496 -110.836329 74.704456 -110.850410 74.704456 -110.869185 74.685681 -110.991221 74.666906 -111.188355 74.634051 -111.357327 74.624663 -111.376102 74.598848 -111.653028 74.589461 -111.784451 74.542524 -112.061377 74.500281 -112.272593 74.472119 -112.493195 74.458038 -112.657474 74.446304 -112.910932 74.453344 -113.155003 74.458038 -113.507028 74.462732 -113.704162 74.488547 -113.816810 74.521403 -114.023332 74.547218 -114.201691 74.594155 -114.342501 74.634051 -114.398825 74.650479 -114.488005 74.690375 -114.488005 74.716190 -114.398825 74.774861 -114.234547 74.821798 -114.089043 74.826491 -113.849666 74.871081 -113.629063 74.880468 -113.539884 74.859347 -113.427235 74.864041 -113.295813 74.889856 -113.295813 74.941486 -113.089291 75.018932 -112.821752 75.023625 -112.493195 75.042400 -112.183413 75.049441 -111.972198 75.044747 -111.915874 74.993117 -111.742208 74.993117 -111.653028 75.044747 -111.610785 75.070562 -111.432426 75.103418 -111.324471 75.164436 -111.089788 75.216066 -111.014689 75.263003 -111.024076 75.305246 -111.221210 75.305246 -111.455894 75.201985 -111.676496 75.216066 -111.831388 75.199638 -112.028522 75.183210 -112.357079 75.164436 -112.436871 75.218413 -112.380547 75.270043 -112.502582 75.244228 -112.634005 75.218413 -112.657474 75.279430 -112.746653 75.293511 -112.779509 75.199638 -112.920319 75.133927 -113.140922 75.126886 -113.206633 75.180863 -113.361524 75.115152 -113.629063 75.098724 -113.934152 75.049441 -114.046800 75.103418 -114.037413 75.133927 -113.934152 75.173823 -113.783954 75.211372 -113.859053 75.216066 -113.891909 75.284124 -113.868440 75.366263 -113.596208 75.410853 -113.441316 75.464830 -113.563352 75.457790 -113.727630 75.417894 -113.915377 75.434322 -114.070268 75.439015 -114.154754 75.335754 -114.225159 75.255962 -114.309645 75.241881 -114.445762 75.321673 -114.595959 75.335754 -114.610040 75.255962 -114.464537 75.201985 -114.478618 75.115152 -114.586572 75.101071 -114.610040 75.086990 -114.732076 75.058828 -114.872886 75.009544 -115.107569 75.018932 -115.206136 75.103418 -115.206136 75.185557 -115.304704 75.176170 -115.445514 75.140967 -115.633260 75.145661 -115.614486 75.058828 -115.623873 74.993117 -115.853863 75.004851 -116.074465 75.044747 -116.252825 75.089337 -116.163645 75.140967 -116.309149 75.169129 -116.295068 75.230147 -116.539139 75.206679 -116.647093 75.143314 -116.891164 75.159742 -117.003812 75.171476 -117.243189 75.180863 -117.520116 75.218413 -117.707863 75.277084 -117.675007 75.316980 -117.609296 75.347489 -117.496648 75.434322 -117.290126 75.502380 -117.046055 75.514114 -116.792597 75.518808 -116.637706 75.507073 -116.384248 75.507073 -116.121402 75.504727 -116.008754 75.521154 -115.802233 75.589213 -115.459595 75.633803 -115.337559 75.654924 -115.248380 75.699514 -115.206136 75.734716 -115.534693 75.671352 -115.919574 75.654924 -116.173033 75.600947 -116.337311 75.586866 -116.647093 75.565744 -117.013200 75.572785 -117.341756 75.579825 -117.341756 75.685433 -117.238496 75.795734 -117.092992 75.807468 -116.914632 75.812162 -116.844227 75.814509 -116.722192 75.840324 -116.604850 75.861446 -116.464040 75.866139 -116.356086 75.870833 -116.304455 75.875527 -116.238744 75.880220 -116.112015 75.938891 -116.102627 75.941238 -116.215276 75.922463 -116.318536 75.901342 -116.426491 75.898995 -116.539139 75.896648 -116.661174 75.887261 -116.797291 75.870833 -116.947488 75.870833 -117.036668 75.859099 -117.121154 75.891954 -117.111767 75.950625 -117.064830 75.999909 -116.994425 76.011643 -117.017893 76.049192 -117.083605 76.086742 -116.985038 76.180615 -116.844227 76.213471 -116.703417 76.204083 -116.604850 76.201737 -116.520364 76.208777 -116.464040 76.211124 -116.346698 76.190002 -116.257519 76.187656 -116.121402 76.171228 -116.079159 76.194696 -116.163645 76.199390 -116.238744 76.241633 -116.370167 76.255714 -116.506283 76.258061 -116.633012 76.262754 -116.698724 76.307344 -116.684643 76.344894 -116.623625 76.419992 -116.506283 76.481010 -116.384248 76.481010 -116.285681 76.483357 -116.205888 76.523253 -116.135483 76.513866 -116.027529 76.525600 -115.905493 76.502132 -115.806926 76.445807 -115.811620 76.398871 -115.806926 76.358975 -115.844476 76.330813 -115.821007 76.276835 -115.797539 76.229899 -115.684891 76.218164 -115.548774 76.229899 -115.468982 76.251020 -115.417352 76.279182 -115.332866 76.272142 -115.196749 76.281529 -115.187362 76.225205 -115.088795 76.215818 -114.990228 76.204083 -114.962066 76.147759 -114.924516 76.086742 -114.886967 76.063273 -114.793093 75.999909 -114.694526 75.999909 -114.619428 75.955319 -114.685139 75.924810 -114.797787 75.894301 -114.811868 75.845018 -114.713301 75.833284 -114.633509 75.852058 -114.488005 75.875527 -114.488005 75.856752 -114.450456 75.823896 -114.426987 75.772266 -114.488005 75.741757 -114.441068 75.746451 -114.398825 75.678392 -114.422294 75.629109 -114.436375 75.610334 -114.314339 75.565744 -114.150061 75.554010 -114.060881 75.563397 -114.018638 75.561051 -113.929458 75.586866 -113.798035 75.577478 -113.629063 75.598600 -113.497641 75.598600 -113.399073 75.563397 -113.047048 75.577478 # -b -109.986775 76.262754 -110.193297 76.316732 -110.371656 76.347240 -110.399818 76.389483 -110.399818 76.429380 -110.484304 76.459888 -110.381043 76.459888 -110.193297 76.476316 -110.090036 76.495091 -110.052487 76.502132 # -b -118.059888 76.049192 -118.200698 76.013990 -118.163149 76.035111 -118.041113 76.049192 -117.937853 76.100823 -117.750106 76.124291 -117.581134 76.112557 -117.590521 76.044499 -117.703169 75.974094 -117.843979 75.870833 -117.872141 75.840324 -117.966015 75.805121 -118.031726 75.720635 -118.134987 75.671352 -118.219473 75.612681 -118.477625 75.523501 -118.763939 75.514114 -118.881280 75.563397 -119.083108 75.584519 -119.313098 75.617375 -119.472683 75.690127 -119.406971 75.732370 -119.144126 75.788694 -119.031478 75.833284 -118.834344 75.896648 -118.627822 75.962359 -118.364977 75.990521 -118.289878 76.032765 -118.139680 76.049192 # -b -120.045311 77.041904 -119.904500 77.065372 -119.829402 77.112309 -119.688592 77.145164 -119.557169 77.152205 -119.519619 77.192101 -119.406971 77.229650 -119.341260 77.248425 -119.322485 77.304749 -119.209837 77.314136 -119.078414 77.323524 -118.900055 77.323524 -118.853118 77.358726 -118.702921 77.354033 -118.580885 77.321177 -118.515174 77.344645 -118.261716 77.346992 -118.186617 77.368114 -118.027032 77.372807 -118.064582 77.311790 -118.008258 77.246078 -117.914384 77.262506 -117.961321 77.318830 -117.895610 77.358726 -117.726637 77.316483 -117.491954 77.285974 -117.341756 77.285974 -117.388693 77.321177 -117.285432 77.321177 -117.097686 77.307096 -116.900551 77.356380 -116.928713 77.377501 -117.050749 77.372807 -117.210334 77.400969 -117.322982 77.454947 -117.266658 77.450253 -117.135235 77.469028 -117.031974 77.515964 -116.891164 77.525352 -116.675255 77.548820 -116.581382 77.527698 -116.459346 77.504230 -116.337311 77.487802 -116.271600 77.473721 -116.262212 77.450253 -116.027529 77.419744 -115.961817 77.405663 -115.802233 77.356380 -115.642648 77.323524 -115.633260 77.283628 -115.680197 77.260159 -115.755296 77.255466 -115.914881 77.243731 -115.980592 77.208529 -116.168339 77.196795 -116.262212 77.187407 -116.431184 77.189754 -116.496896 77.175673 -116.496896 77.156899 -116.553220 77.149858 -116.571995 77.119349 -116.496896 77.072412 -116.421797 77.046597 -116.252825 76.997314 -116.130790 76.973845 -116.065078 76.950377 -116.055691 76.901094 -116.196501 76.903440 -116.356086 76.938643 -116.496896 76.905787 -116.449959 76.849463 -116.299762 76.842423 -116.243438 76.795486 -116.187114 76.779058 -116.093240 76.696919 -116.243438 76.647635 -116.356086 76.624167 -116.534445 76.581924 -116.816065 76.572537 -117.013200 76.579577 -117.125848 76.546721 -117.182172 76.490397 -117.163397 76.427033 -117.135235 76.358975 -117.210334 76.300304 -117.351144 76.288570 -117.454405 76.272142 -117.679701 76.281529 -117.773574 76.321425 -117.933159 76.377749 -118.083356 76.445807 -118.092744 76.516213 -118.027032 76.584271 -118.036420 76.654676 -117.895610 76.755590 -117.876835 76.809567 -118.008258 76.811914 -118.158455 76.772018 -118.449463 76.781405 -118.468237 76.736815 -118.458850 76.711000 -118.599660 76.680491 -118.477625 76.654676 -118.468237 76.600699 -118.458850 76.546721 -118.646597 76.504478 -118.824956 76.560802 -118.975154 76.567843 -118.975154 76.539681 -119.069027 76.499785 -118.965766 76.469276 -118.853118 76.462235 -118.778020 76.452848 -118.731083 76.403564 -118.665371 76.349587 -118.721695 76.302651 -118.975154 76.262754 -119.012703 76.173575 -119.078414 76.126638 -119.115964 76.138372 -119.237999 76.121944 -119.350647 76.206430 -119.491457 76.276835 -119.547781 76.368362 -119.641655 76.333159 -119.773078 76.356628 -119.782465 76.304997 -119.744916 76.236939 -119.669817 76.208777 -119.688592 76.187656 -119.773078 76.164187 -119.641655 76.150106 -119.791852 76.138372 -119.960824 76.107863 -119.763690 76.079701 -119.641655 76.011643 -119.613493 75.978787 -119.763690 75.981134 -119.810627 75.903689 -119.970212 75.880220 # -b -114.154754 76.891706 -114.079656 76.894053 -113.976395 76.887012 -113.863747 76.865891 -113.863747 76.865891 -113.769873 76.833035 -113.647838 76.807220 -113.657225 76.776711 -113.713549 76.729775 -113.844972 76.729775 -114.004557 76.725081 -114.154754 76.715694 -114.276790 76.729775 -114.473924 76.741509 -114.586572 76.739162 -114.755544 76.748549 -114.971453 76.811914 -114.905742 76.844769 -114.520861 76.870585 -114.314339 76.884666 -114.154754 76.891706 # -b -112.094233 78.034615 -112.066071 78.029921 -111.972198 78.018187 -111.972198 78.032268 -111.775064 78.053390 -111.606091 78.062777 -111.502831 78.074511 -111.333859 78.076858 -111.193048 78.081552 -111.155499 78.053390 -110.995914 78.044002 -110.930203 78.069817 -110.836329 78.090939 -110.620421 78.100326 -110.348188 78.105020 -110.244927 78.095633 -110.075955 78.093286 # -b -109.965654 77.929007 -110.125238 77.919620 -110.247274 77.919620 -110.341147 77.903192 -110.510119 77.900845 -110.622767 77.886764 -110.782352 77.877377 -111.026423 77.877377 -111.063972 77.856255 -111.148459 77.851562 -111.195395 77.839828 -111.148459 77.825747 -111.063972 77.816359 -111.139071 77.802278 -111.326818 77.802278 -111.477015 77.802278 -111.599051 77.795238 -111.542727 77.783504 -111.542727 77.750648 -111.542727 77.736567 -111.411304 77.771769 -111.383142 77.743607 -111.477015 77.708405 -111.401917 77.720139 -111.261107 77.757688 -111.148459 77.757688 -111.139071 77.708405 -111.063972 77.724833 -111.035810 77.776463 -110.951324 77.795238 -110.876226 77.767076 -110.688479 77.752995 -110.510119 77.774116 -110.341147 77.774116 -110.312985 77.736567 -110.303598 77.696671 -110.266049 77.663815 -110.303598 77.616878 -110.303598 77.576982 -110.331760 77.525352 -110.435021 77.497190 -110.557056 77.473721 -110.726028 77.459640 -110.904388 77.445559 -111.045198 77.433825 -111.204783 77.424438 -111.354980 77.440866 -111.514565 77.422091 -111.674150 77.393929 -111.899446 77.370461 -112.096580 77.346992 -112.331263 77.346992 -112.556560 77.368114 -112.669208 77.415050 -112.687982 77.452600 -112.810018 77.466681 -113.044701 77.473721 -113.241835 77.494843 -113.373258 77.534739 -113.382646 77.586369 -113.335709 77.612185 -113.382646 77.654428 -113.382646 77.715445 -113.438970 77.741260 -113.495294 77.790544 -113.476519 77.823400 -113.429582 77.872683 -113.363871 77.891458 -113.251223 77.886764 -113.063476 77.917273 -112.913279 77.917273 -112.828792 77.954822 -112.669208 77.978291 -112.500236 77.966557 -112.462686 77.994719 -112.359425 78.018187 -112.274939 78.025228 -112.199841 78.015840 -112.143517 78.025228 -112.096580 78.034615 # -b -115.070020 77.940741 -115.041858 77.943088 -115.004309 77.952476 -114.957372 77.954822 -114.872886 77.938395 -114.882273 77.975944 -114.816562 78.006453 -114.656977 78.032268 -114.544329 78.041655 -114.488005 78.020534 -114.506780 77.997066 -114.478618 77.980638 -114.450456 77.957169 -114.290871 77.938395 -114.187610 77.910233 -114.103124 77.884417 -113.962314 77.867990 -113.840278 77.839828 -113.802729 77.814012 -113.755792 77.785850 -113.877828 77.738914 -114.046800 77.717792 -114.196997 77.703711 -114.356582 77.694324 -114.478618 77.722486 -114.628815 77.755341 -114.750850 77.802278 -114.863499 77.846868 -114.985534 77.844521 -115.032471 77.872683 -115.060633 77.905539 -115.182668 77.931354 -115.192055 77.936048 -115.126344 77.943088 -115.070020 77.940741 # -b -110.129932 78.630711 -110.092383 78.635405 -110.073608 78.635405 -110.017284 78.604896 # -b -109.932798 78.290420 -110.073608 78.309195 -110.233193 78.302154 -110.411552 78.285726 -110.589912 78.271645 -110.787046 78.283379 -111.012342 78.325622 -111.124990 78.363172 -111.293962 78.372559 -111.397223 78.405415 -111.500484 78.396027 -111.547421 78.419496 -111.538033 78.365519 -111.462934 78.320929 -111.584970 78.313888 -111.538033 78.271645 -111.669456 78.271645 -111.791491 78.266952 -111.913527 78.259911 -112.007400 78.295114 -112.082499 78.342050 -112.232696 78.346744 -112.392281 78.356131 -112.457993 78.386640 -112.598803 78.381946 -112.570641 78.358478 -112.580028 78.346744 -112.645739 78.353784 -112.711451 78.356131 -112.824099 78.342050 -112.927360 78.330316 -112.908585 78.295114 -112.936747 78.266952 -112.974296 78.288073 -113.058782 78.283379 -113.218367 78.262258 -113.349790 78.271645 -113.377952 78.311541 -113.490600 78.311541 -113.434276 78.351438 -113.349790 78.405415 -113.265304 78.428883 -113.077557 78.461739 -112.993071 78.442964 -112.852261 78.450005 -112.842874 78.471126 -112.739613 78.478167 -112.683289 78.487554 -112.533091 78.522757 -112.420443 78.529797 -112.279633 78.543878 -112.101274 78.541531 -111.951076 78.548572 -111.753942 78.569693 -111.594357 78.583774 -111.481709 78.630711 -111.472322 78.640098 -111.369061 78.679995 -111.293962 78.654179 -111.209476 78.679995 -111.059279 78.698769 -110.937243 78.736319 -110.833983 78.731625 -110.702560 78.731625 -110.599299 78.741012 -110.514813 78.726931 -110.505426 78.703463 -110.430327 78.698769 -110.383390 78.670607 -110.251968 78.672954 -110.129932 78.654179 -110.129932 78.637751 -110.129932 78.630711 # -b -130.141395 70.074150 -129.977117 70.099965 -129.878550 70.163330 -129.855081 70.207920 -129.714271 70.240775 -129.667335 70.193839 -129.559380 70.146902 -129.493669 70.064763 -129.559380 70.050682 -129.615704 70.020173 # -b -128.421165 69.949768 -128.331985 70.031907 -128.388309 70.081191 -128.299130 70.118740 -128.111383 70.146902 -127.956492 70.168024 -127.815682 70.184451 -127.703034 70.226694 -127.834456 70.238429 -127.979960 70.257203 -128.101996 70.297099 -128.069140 70.327608 -128.055059 70.381586 -128.101996 70.419135 -128.275661 70.398013 -128.266274 70.447297 -128.177094 70.508315 -128.087914 70.541170 -127.881393 70.503621 -127.679565 70.419135 -127.515287 70.355770 -127.341621 70.292406 -127.219586 70.207920 -127.186730 70.118740 -127.163261 70.036601 # -b -124.858669 69.989664 -124.914993 70.001398 # -b -125.189573 69.942727 -125.203654 70.001398 -125.147330 70.050682 -125.091006 70.048335 -125.025295 70.027213 -124.846935 70.048335 -124.762449 70.027213 # -b -124.703778 69.961502 -124.623986 70.017826 -124.492563 70.024867 -124.506644 70.064763 -124.647454 70.076497 -124.703778 70.095272 -124.736634 70.114046 -124.591130 70.121087 -124.473788 70.125780 -124.459707 70.095272 -124.408077 70.055375 -124.426852 70.001398 # -b -124.286042 74.016833 -124.149925 73.953469 -124.117069 73.953469 -124.009115 73.915919 -123.919935 73.864289 -124.009115 73.822046 -124.074826 73.793884 -124.149925 73.714091 -124.220330 73.646033 -124.286042 73.603790 -124.450320 73.556853 -124.450320 73.528691 -124.506644 73.465327 -124.591130 73.444205 -124.661535 73.373800 -124.661535 73.326864 -124.746021 73.282274 -124.811733 73.263499 -124.769490 73.218909 -124.825814 73.204828 -124.891525 73.155545 -124.990092 73.134423 -124.947849 73.080446 -124.835201 73.085140 -124.778877 73.045243 -124.661535 73.021775 -124.647454 72.993613 -124.670923 72.960757 -124.792958 72.941983 -124.933768 72.934942 -125.055804 72.909127 -125.201307 72.927902 -125.220082 72.892699 -125.187226 72.848109 -125.144983 72.829335 -125.144983 72.765970 -125.112128 72.756583 -125.121515 72.716686 -125.187226 72.639241 -125.088659 72.655669 -125.065191 72.599345 -125.187226 72.582917 -125.299874 72.535980 -125.168452 72.503124 -125.252938 72.482003 -125.389054 72.500778 -125.431297 72.460881 -125.497009 72.430373 -125.506396 72.402211 -125.506396 72.362314 -125.619044 72.338846 -125.586188 72.303643 -125.506396 72.291909 -125.440684 72.263747 -125.576801 72.261400 -125.628431 72.252013 -125.661287 72.244973 -125.764548 72.230892 -125.684755 72.216811 -125.661287 72.174568 -125.741079 72.181608 -125.806791 72.137018 -125.783322 72.092428 -125.708224 72.078347 -125.750467 72.052532 -125.839646 71.984474 -125.985150 71.975087 -125.928826 71.925803 -125.764548 71.953965 -125.595576 71.963352 -125.431297 71.977433 -125.252938 71.970393 -125.102740 71.956312 -125.055804 71.925803 -125.220082 71.944578 -125.220082 71.916416 -125.065191 71.888254 -124.891525 71.848357 -124.792958 71.810808 -124.778877 71.850704 -124.769490 71.874173 -124.623986 71.862438 -124.623986 71.827236 -124.614599 71.799074 -124.516031 71.792033 -124.361140 71.773259 -124.173394 71.745097 -124.041971 71.695813 -123.929323 71.634795 -123.854224 71.543269 -123.732188 71.486945 -123.643009 71.386031 -123.558523 71.294504 -123.469343 71.214712 -123.347308 71.141960 -123.234659 71.097370 -123.014057 71.111451 -122.840391 71.177163 -122.694887 71.238180 -122.497753 71.256955 -122.441429 71.263996 -122.253682 71.322666 -122.065936 71.386031 -121.911044 71.449395 -121.845333 71.503373 -121.803090 71.519801 -121.648199 71.477558 -121.615343 71.449395 -121.648199 71.407152 -121.483920 71.400112 -121.436984 71.397765 -121.272705 71.407152 -121.197607 71.456436 -121.174138 71.508066 -121.084958 71.461130 -121.009860 71.456436 -120.897212 71.475211 -120.690690 71.543269 -120.554574 71.627755 -120.545186 71.695813 -120.502943 71.738056 -120.545186 71.766218 -120.545186 71.827236 -120.535799 71.916416 -120.578042 71.968046 -120.512331 72.017330 -120.371521 72.085388 -120.315197 72.122937 -120.268260 72.193342 -120.258873 72.263747 -120.216629 72.277828 -120.136837 72.254360 -120.014802 72.230892 # -b -119.906847 74.265598 -120.103981 74.284372 -120.258873 74.310188 -120.423151 74.343043 -120.545186 74.394674 -120.676609 74.432223 -120.812726 74.462732 -120.911293 74.479160 -120.953536 74.533137 -121.075571 74.551912 -121.183526 74.556605 -121.329029 74.570686 -121.526163 74.591808 -121.657586 74.584767 -121.770234 74.580074 -121.835946 74.547218 -121.892270 74.528443 -121.990837 74.547218 -122.098791 74.549565 -122.253682 74.521403 -122.389799 74.514362 -122.497753 74.521403 -122.643257 74.509669 -122.751211 74.509669 -122.882634 74.509669 -123.028138 74.509669 -123.117318 74.504975 -123.136092 74.481506 -123.117318 74.469772 -123.093849 74.422836 -123.093849 74.373552 -123.117318 74.389980 -123.159561 74.422836 -123.234659 74.441610 -123.258128 74.490894 -123.323839 74.502628 -123.413019 74.453344 -123.469343 74.462732 -123.511586 74.493241 -123.666477 74.490894 -123.788513 74.479160 -123.788513 74.462732 -123.919935 74.469772 -124.074826 74.479160 -124.187475 74.474466 -124.187475 74.441610 -124.262573 74.436917 -124.459707 74.432223 -124.703778 74.401714 -124.614599 74.389980 -124.581743 74.343043 -124.525419 74.289066 -124.426852 74.260904 -124.286042 74.237436 -124.450320 74.211620 -124.459707 74.155296 -124.408077 74.101319 -124.351753 74.056729 -124.286042 74.016833 # -b -120.132143 77.011395 -120.094594 76.999661 -120.085207 77.018435 -120.047657 77.041904 # -b -119.967865 75.880220 -120.118062 75.884914 -120.164999 75.913076 -120.277647 75.941238 -120.305809 75.870833 -120.380908 75.823896 -120.521718 75.903689 -120.540493 75.962359 -120.540493 76.016337 -120.681303 76.018683 -120.840888 76.091435 -120.775176 76.143066 -120.793951 76.190002 -120.840888 76.227552 -121.047409 76.185309 -121.094346 76.100823 -121.094346 76.053886 -121.131895 76.016337 -121.263318 75.950625 -121.422903 76.004602 -121.629424 76.025724 -121.789009 76.032765 -121.882882 76.053886 -121.911044 76.082048 -121.864108 76.107863 -121.864108 76.140719 -121.873495 76.166534 -121.995531 76.063273 -122.117566 76.042152 -122.248989 75.971747 -122.389799 75.950625 -122.399186 75.945932 -122.539996 75.945932 -122.699581 75.992868 -122.690194 76.016337 -122.568158 76.105516 -122.483672 76.168881 -122.624482 76.187656 -122.887328 76.112557 -122.934265 76.194696 -122.915490 76.215818 -122.831004 76.239286 -122.662032 76.279182 -122.633870 76.375402 -122.427348 76.398871 -122.380411 76.427033 -122.220827 76.455195 -122.061242 76.455195 -121.845333 76.424686 -121.760847 76.445807 -121.638812 76.431726 -121.601262 76.459888 -121.488614 76.532640 -121.422903 76.567843 -121.291480 76.603045 -121.263318 76.633554 -121.282093 76.701613 -121.225769 76.671104 -121.103733 76.678144 -120.991085 76.701613 -120.915986 76.711000 -120.850275 76.743856 -120.718852 76.746202 -120.606204 76.776711 -120.474781 76.825995 -120.240098 76.847116 -120.409070 76.858850 -120.296422 76.926909 -120.240098 76.948030 -120.211936 76.987926 -120.127450 77.011395 # -b -131.023805 69.970889 -130.990950 70.031907 -130.915851 70.081191 -130.751572 70.118740 -130.671780 70.121087 -130.563826 70.158636 -130.451177 70.139861 -130.361998 70.107006 -130.221188 70.102312 -130.141395 70.074150 # -b -150.157552 70.423829 -149.871238 70.447297 -149.716347 70.489540 -149.570843 70.496580 -149.317385 70.491887 -149.110864 70.463725 -148.923117 70.426175 -148.669659 70.419135 -148.580479 70.405054 -148.557010 70.346383 -148.383345 70.348730 -148.247228 70.341689 -148.106418 70.315874 -147.951527 70.308834 -147.852960 70.266591 -147.796636 70.252510 -147.730925 70.257203 -147.576033 70.240775 -147.355431 70.203226 -147.158297 70.182105 -147.003406 70.144555 -146.839127 70.158636 -146.651380 70.175064 -146.430778 70.177411 -146.196094 70.177411 -146.041203 70.170370 -145.844069 70.130474 -145.670403 70.062416 -145.567143 70.050682 -145.416945 70.050682 -145.294910 70.048335 -145.327765 70.008439 # -b -144.952272 69.982624 -144.919416 70.024867 # -b -144.611981 69.982624 -144.489945 70.020173 -144.391378 70.031907 -144.381991 70.050682 -144.367910 70.055375 -144.358522 70.050682 -144.250568 70.055375 -144.072209 70.069456 -143.875074 70.081191 -143.785895 70.102312 -143.673247 70.081191 -143.541824 70.013132 -143.485500 70.050682 -143.508968 70.118740 -143.419788 70.099965 -143.311834 70.102312 -143.232042 70.125780 -143.044295 70.102312 -142.870629 70.064763 -142.757981 70.043641 -142.560847 70.006092 # -b -160.061196 70.290059 -159.972017 70.247816 -159.882837 70.292406 -159.873449 70.367505 -159.929774 70.414441 -159.873449 70.477806 -159.727946 70.473112 -159.563667 70.489540 -159.488569 70.510661 -159.662234 70.496580 -159.807738 70.524742 -159.896918 70.602188 # -b -160.105786 70.649125 -159.964976 70.667899 -159.964976 70.693715 -159.885184 70.745345 -159.655194 70.813403 -159.411123 70.860340 -159.181133 70.893196 -159.026242 70.907277 -159.091953 70.874421 -159.336024 70.841565 -159.359493 70.820444 -159.378267 70.792282 -159.443979 70.759426 -159.533158 70.733611 -159.411123 70.712489 -159.223376 70.667899 -159.270313 70.740651 -159.213989 70.745345 -159.101341 70.773507 -159.181133 70.801669 -158.993386 70.792282 -158.815027 70.773507 -158.528713 70.787588 -158.340966 70.801669 -158.373822 70.832178 -158.186075 70.834525 -157.965473 70.834525 -157.834050 70.869727 -157.679159 70.916664 -157.580592 70.947173 -157.482024 70.982375 -157.439781 71.003497 -157.359989 71.057474 -157.294278 71.085636 -157.252035 71.099717 -157.219179 71.132573 -157.162855 71.141960 -157.050207 71.120839 -156.984495 71.141960 -157.031432 71.207671 -156.975108 71.200631 -156.965721 71.214712 -156.951640 71.238180 -156.900009 71.259302 -156.843685 71.280423 -156.810830 71.315626 -156.712263 71.341441 -156.679407 71.322666 -156.646551 71.315626 -156.557371 71.285117 -156.411868 71.256955 -156.280445 71.273383 -156.125554 71.242874 -156.102085 71.177163 -156.083311 71.163082 -155.895564 71.186550 -155.731285 71.186550 -155.651493 71.172469 -155.576394 71.141960 -155.552926 71.092677 -155.576394 71.052780 -155.651493 71.024618 -155.764141 71.001150 -155.881483 70.961254 -156.026987 70.947173 -156.102085 70.926051 -156.214734 70.949520 -156.256977 70.909623 -156.346156 70.839218 -156.303913 70.855646 -156.158409 70.848606 -156.050455 70.815750 -155.947194 70.799322 -155.815772 70.768813 -155.773529 70.848606 -155.684349 70.775854 -155.585782 70.827484 -155.473134 70.785241 -155.454359 70.728917 -155.275999 70.726570 -155.308855 70.799322 -155.299468 70.841565 -155.463746 70.914317 -155.430891 71.001150 -155.308855 71.038699 -155.177432 71.031659 -155.200901 71.099717 -155.069478 71.057474 -155.078865 71.111451 -154.989686 71.104411 -154.759696 71.071555 -154.637660 70.977682 -154.557868 70.926051 -154.647048 70.879115 -154.515625 70.848606 -154.327878 70.841565 -154.219924 70.806363 -154.074420 70.806363 -153.952384 70.869727 -153.820962 70.900236 -153.745863 70.846259 -153.600359 70.869727 -153.600359 70.879115 -153.567503 70.879115 -153.412612 70.921358 -153.234253 70.935439 -153.069974 70.933092 -152.962020 70.862687 -152.915083 70.808710 -152.905696 70.775854 -152.774273 70.806363 -152.717949 70.775854 -152.760192 70.869727 -152.661625 70.867380 -152.473878 70.867380 -152.276744 70.846259 -152.135934 70.822791 -152.145321 70.752385 -152.267357 70.660859 -152.220420 70.623310 -152.056142 70.620963 -151.957575 70.581067 -152.135934 70.581067 -152.356537 70.574026 -152.234501 70.548211 -151.990430 70.555251 -151.779215 70.555251 -151.558613 70.548211 -151.582081 70.508315 -151.736972 70.456684 -151.582081 70.447297 -151.197200 70.437910 -151.065777 70.447297 -150.854562 70.459031 -150.699671 70.477806 -150.511924 70.503621 -150.333565 70.496580 -150.225610 70.482499 -150.183367 70.440256 -150.324177 70.426175 -150.357033 70.398013 -150.159899 70.423829 # -b -162.532414 69.970889 -162.457315 70.031907 -162.293037 70.017826 # -b -161.903462 69.956808 -162.039578 70.008439 -162.236712 70.062416 -162.203857 70.137515 -162.081821 70.222001 -161.992642 70.290059 -161.894075 70.285365 -161.804895 70.273631 -161.870606 70.257203 -161.903462 70.245469 -161.903462 70.219654 -161.917543 70.189145 -161.983254 70.132821 -161.861219 70.175064 -161.795507 70.214960 -161.617148 70.219654 -161.462257 70.233735 -161.241654 70.292406 -161.067989 70.315874 -160.880242 70.360464 -160.692495 70.405054 -160.579847 70.440256 -160.528216 70.470765 -160.748819 70.430869 -160.734738 70.456684 -160.528216 70.510661 -160.373325 70.550558 -160.237209 70.583413 -160.152723 70.576373 -160.063543 70.557598 -160.030687 70.508315 -160.138642 70.466072 -160.119867 70.398013 -160.227822 70.329955 -160.072930 70.367505 -160.063543 70.290059 # -b -159.896918 70.602188 -160.028341 70.616269 -160.103439 70.649125 # -b -179.945930 71.540922 -179.927156 71.526841 -179.805120 71.550309 -179.706553 71.550309 -179.706553 71.555003 -179.692472 71.547963 -179.640842 71.529188 -179.518806 71.526841 -179.462482 71.505720 -179.349834 71.533882 -179.241880 71.555003 -179.129232 71.540922 -179.077601 71.564390 -179.077601 71.555003 -178.979034 71.547963 -178.875774 71.529188 -178.711495 71.498679 -178.481505 71.484598 -178.368857 71.454089 -178.195191 71.447049 -178.115399 71.421233 -178.171723 71.400112 -178.162336 71.376644 -178.073156 71.355522 -177.951120 71.313279 -177.829085 71.285117 -177.655419 71.238180 -177.599095 71.167775 -177.664807 71.111451 -177.852553 71.062168 -178.026219 71.029312 -178.228047 71.001150 -178.382938 70.982375 -178.458037 70.977682 -178.603541 70.970641 -178.791287 70.942479 -178.941485 70.935439 -179.129232 70.900236 -179.284123 70.907277 -179.485951 70.921358 -179.593905 70.954213 -179.725328 70.961254 -179.903687 70.968294 # -b 179.821548 71.529188 180.000000 71.538293 # -b -180.000000 71.538293 -179.948462 71.540922 # -b 170.415433 69.930993 170.448289 70.008439 170.612567 70.048335 170.833170 70.055375 171.096015 70.043641 171.330699 70.017826 # -b -179.901340 70.968294 -180.000000 70.976516 # -b 180.000000 70.976516 179.901526 70.984722 179.746634 70.956560 179.633986 70.914317 179.591743 70.862687 179.483789 70.855646 179.296042 70.855646 179.183394 70.846259 179.127070 70.869727 179.051971 70.853299 178.906467 70.853299 178.784432 70.827484 178.751576 70.874421 178.667090 70.916664 178.634235 70.935439 178.554442 70.970641 178.479343 71.029312 178.554442 71.106758 178.718721 71.141960 178.784432 71.210018 178.972179 71.259302 179.127070 71.313279 179.239718 71.369603 179.347672 71.397765 179.502564 71.447049 179.624599 71.449395 179.699698 71.505720 179.821733 71.529188 # -b 159.922733 70.451991 160.002525 70.407401 160.002525 70.367505 160.044768 70.299446 160.044768 70.226694 # -b 168.099107 69.994358 168.164818 70.006092 168.263385 70.031907 168.474600 70.020173 # -b 149.965112 72.017330 150.030823 71.956312 150.049598 71.902335 150.040210 71.843664 # -b 149.920522 71.653570 150.098881 71.625408 150.239691 71.618368 150.328871 71.545616 150.474375 71.508066 150.662122 71.484598 150.662122 71.437661 150.727833 71.386031 150.901499 71.381337 151.211281 71.421233 151.422496 71.430621 151.619630 71.437661 151.652486 71.393071 151.732278 71.346135 151.882476 71.289811 152.004511 71.254608 152.215726 71.202978 152.370618 71.156041 152.337762 71.078596 152.206339 71.012884 151.971656 70.982375 151.783909 70.970641 151.896557 70.942479 152.126547 70.937785 152.304906 70.888502 152.478572 70.841565 152.591220 70.789935 152.732030 70.834525 152.943245 70.829831 153.130992 70.874421 153.187316 70.881461 153.229559 70.869727 153.309352 70.888502 153.384450 70.907277 153.529954 70.890849 153.661377 70.909623 153.858511 70.916664 154.046258 70.916664 154.210536 70.890849 154.341959 70.897889 154.454607 70.914317 154.562562 70.937785 154.618886 70.963601 154.740921 70.975335 154.970911 70.949520 155.224369 70.935439 155.426197 70.937785 155.557620 70.977682 155.764141 70.977682 155.951888 70.963601 156.055149 70.989416 156.285139 71.005844 156.529209 71.010537 156.749812 70.998803 156.946946 71.012884 157.158161 71.024618 157.364683 71.010537 157.650997 71.012884 157.885680 70.982375 158.092202 70.977682 158.359741 70.968294 158.622586 70.963601 158.843189 70.937785 158.998080 70.874421 159.162358 70.841565 159.284394 70.780547 159.350105 70.740651 159.472141 70.707796 159.627032 70.628003 159.725599 70.602188 159.814779 70.562292 159.814779 70.531783 159.922733 70.451991 # -b 160.044768 70.226694 159.979057 70.165677 159.922733 70.095272 # -b 149.887666 75.201985 150.009701 75.211372 150.220917 75.192598 150.352339 75.138620 150.629266 75.112805 150.849868 75.108111 151.089246 75.096377 150.901499 75.056481 150.901499 75.011891 150.924967 74.927405 150.694977 74.840572 150.305403 74.774861 150.155205 74.753739 150.033170 74.732618 # -b 139.984022 71.442355 140.040346 71.493985 140.030958 71.564390 # -b 139.906576 72.094775 140.005143 72.125284 140.145953 72.169874 140.366556 72.183955 140.512060 72.240279 140.643482 72.313031 140.690419 72.397517 140.723275 72.449147 140.821842 72.500778 141.009589 72.557102 141.164480 72.575876 141.117543 72.606385 141.009589 72.641588 140.995508 72.690871 140.807761 72.740155 140.831229 72.780051 140.976733 72.831681 141.117543 72.826988 141.281822 72.819947 141.352227 72.810560 141.469568 72.789438 141.549361 72.749542 141.704252 72.716686 141.859143 72.716686 141.976485 72.709646 142.023421 72.714340 142.065665 72.709646 142.197087 72.700259 142.474014 72.697912 142.694616 72.683831 142.896444 72.693218 143.102966 72.690871 143.290712 72.690871 143.534783 72.690871 143.764773 72.665056 144.008844 72.658016 144.248221 72.660362 144.525148 72.650975 144.670652 72.618119 144.825543 72.589957 144.966353 72.573530 145.243279 72.566489 145.520206 72.552408 145.707953 72.543021 145.815907 72.552408 145.905087 72.519552 146.092834 72.479656 146.214869 72.437413 146.346292 72.430373 146.501183 72.437413 146.623218 72.413945 146.745254 72.374049 146.609137 72.364661 146.388535 72.364661 146.135077 72.371702 145.961411 72.388130 145.806520 72.420985 145.693872 72.420985 145.421639 72.428026 145.130631 72.446800 144.825543 72.467922 144.590859 72.500778 144.548616 72.489043 144.417193 72.486697 144.351482 72.444454 144.426581 72.392823 144.459436 72.327112 144.450049 72.273135 144.351482 72.237932 144.248221 72.169874 144.182510 72.137018 144.285771 72.125284 144.623715 72.125284 144.891254 72.141712 145.144712 72.153446 145.421639 72.172221 145.604692 72.230892 145.806520 72.256707 146.003654 72.270788 146.167932 72.303643 146.355679 72.308337 146.566894 72.317724 146.764028 72.324765 146.820352 72.280175 146.623218 72.207423 146.435472 72.106509 146.200788 72.010289 146.069365 71.921109 145.914474 71.918763 145.881618 71.989168 145.895699 72.045492 145.895699 72.108856 145.862844 72.167527 145.905087 72.207423 145.980186 72.148752 146.069365 72.113550 146.158545 72.162833 146.149158 72.219157 145.994267 72.237932 145.848763 72.214464 145.726727 72.160487 145.726727 72.106509 145.693872 72.003249 145.661016 71.963352 145.553062 71.956312 145.440413 71.918763 145.341846 71.949271 145.186955 71.921109 144.999208 71.939884 144.966353 71.888254 145.144712 71.867132 145.266748 71.874173 145.398170 71.846011 145.351234 71.834276 145.233892 71.820195 145.130631 71.763871 145.013289 71.792033 144.877173 71.749790 144.924110 71.709894 144.956965 71.672345 144.999208 71.623061 145.163487 71.644183 145.252667 71.651223 145.252667 71.585512 145.299603 71.613674 145.421639 71.644183 145.585917 71.686426 145.750196 71.726322 145.914474 71.761525 146.003654 71.834276 146.182013 71.895294 146.355679 71.939884 146.510570 71.972740 146.576282 72.040798 146.632606 72.118244 146.745254 72.193342 146.876677 72.237932 147.017487 72.263747 147.040955 72.301297 147.172378 72.341193 147.360125 72.367008 147.538484 72.367008 147.669907 72.364661 147.867041 72.371702 148.031319 72.359968 148.111112 72.327112 148.120499 72.341193 148.134580 72.343540 148.209679 72.350580 148.373957 72.357621 148.486605 72.364661 148.641497 72.336499 148.848018 72.310684 148.960666 72.277828 149.049846 72.273135 149.232899 72.261400 149.444114 72.223851 149.608393 72.190995 149.786752 72.153446 149.852463 72.085388 149.965112 72.017330 # -b 150.042557 71.843664 149.934603 71.827236 149.798486 71.796727 149.690532 71.846011 149.577884 71.878866 149.469929 71.897641 149.347894 71.874173 149.235246 71.813155 149.117904 71.749790 149.005256 71.709894 149.005256 71.672345 149.103823 71.688773 149.235246 71.674692 149.380750 71.667651 149.479317 71.639489 149.667064 71.646530 149.765631 71.688773 149.920522 71.653570 # -b 139.960553 75.793387 140.045039 75.823896 140.167075 75.812162 140.336047 75.802775 140.307885 75.765225 140.336047 75.744104 140.270336 75.720635 140.214012 75.683086 140.251561 75.678392 140.232786 75.650230 140.265642 75.617375 140.411146 75.626762 140.509713 75.598600 140.608280 75.624415 140.697460 75.607987 140.786639 75.607987 140.838270 75.622068 140.828882 75.650230 140.828882 75.732370 140.913368 75.760532 140.894594 75.776959 140.781946 75.812162 140.781946 75.875527 140.753784 75.952972 140.772558 76.009296 140.828882 76.032765 140.941530 76.065620 141.082341 76.079701 141.232538 76.056233 141.363961 76.032765 141.542320 76.006949 141.664356 75.964706 141.795778 75.917770 141.908427 75.873180 141.945976 75.823896 142.011687 75.786347 142.096173 75.734716 142.265146 75.732370 142.405956 75.708901 142.410649 75.647884 142.335551 75.600947 142.302695 75.544623 142.222902 75.492992 142.124335 75.455443 142.072705 75.403813 142.072705 75.361570 142.105561 75.314633 142.204128 75.225453 142.302695 75.159742 142.457586 75.108111 142.556153 75.068215 142.753287 75.056481 142.941034 75.047094 143.128781 75.014238 143.260204 74.981382 143.316528 74.948527 143.293059 74.925058 143.095925 74.913324 142.922259 74.896896 142.678188 74.925058 142.457586 74.955567 142.410649 74.913324 142.401262 74.871081 142.213515 74.845266 142.124335 74.880468 141.903733 74.946180 141.805166 74.976689 141.917814 74.979036 141.936589 75.030666 141.762923 75.072909 141.617419 75.033013 141.495384 74.981382 141.209070 74.962608 141.002548 74.948527 140.767865 74.913324 140.514407 74.847613 140.228093 74.831185 139.998103 74.795982 # -b 141.328758 76.143066 141.375695 76.143066 141.469568 76.131332 141.619766 76.105516 141.751189 76.058580 141.920161 76.009296 142.107908 75.974094 142.229943 75.920116 142.342591 75.880220 142.502176 75.852058 142.699310 75.852058 142.943381 75.826243 143.121740 75.845018 143.271938 75.882567 143.450297 75.894301 143.638044 75.873180 143.844566 75.859099 143.966601 75.793387 144.088636 75.744104 144.220059 75.718289 144.398419 75.711248 144.520454 75.678392 144.651877 75.654924 144.839624 75.629109 144.985127 75.607987 145.135325 75.575132 145.257360 75.530542 145.379396 75.530542 145.412251 75.497686 145.346540 75.495339 145.205730 75.500033 145.083695 75.507073 144.914722 75.492992 144.849011 75.453096 144.642489 75.441362 144.694120 75.422587 144.661264 75.385038 144.661264 75.321673 144.764525 75.270043 144.675345 75.239534 144.619021 75.159742 144.374950 75.124539 144.299852 75.089337 144.022925 75.054134 143.849259 75.016585 143.670900 75.054134 143.337649 75.061175 142.999705 75.084643 142.732166 75.138620 142.577275 75.237187 142.436464 75.321673 142.323816 75.403813 142.356672 75.481258 142.436464 75.535235 142.502176 75.598600 142.591356 75.661965 142.675842 75.732370 142.694616 75.769919 142.544419 75.769919 142.478708 75.816856 142.356672 75.842671 142.234637 75.877873 142.121989 75.920116 142.018728 75.955319 141.877918 75.997562 141.774657 76.030418 141.671396 76.058580 141.521199 76.086742 141.417938 76.126638 141.399163 76.138372 141.389776 76.143066 141.371001 76.143066 # -b 146.292315 75.558704 146.306396 75.551663 146.404963 75.528195 146.569241 75.514114 146.667808 75.485952 146.724132 75.448403 146.888411 75.422587 147.165337 75.401466 147.442264 75.399119 147.573687 75.415547 147.761433 75.403813 147.991423 75.387385 148.221413 75.375651 148.366917 75.385038 148.554664 75.370957 148.596907 75.331061 148.456097 75.328714 148.432628 75.300552 148.221413 75.251268 148.343448 75.253615 148.629762 75.263003 148.916076 75.255962 149.052193 75.248922 149.202390 75.274737 149.380750 75.274737 149.559109 75.248922 149.667064 75.194944 149.887666 75.201985 # -b 150.030823 74.732618 149.843076 74.720884 149.721041 74.760780 149.622474 74.732618 149.476970 74.744352 149.387790 74.793636 149.345547 74.737312 149.148413 74.737312 148.862099 74.767820 148.660271 74.831185 148.373957 74.828838 148.120499 74.849960 147.956221 74.908630 147.777861 74.932099 147.613583 74.990770 147.439917 74.997810 147.270945 75.011891 147.064423 75.049441 147.064423 75.117499 147.040955 75.180863 146.810965 75.253615 146.721785 75.342795 146.510570 75.399119 146.322823 75.464830 146.257112 75.523501 146.247725 75.544623 146.257112 75.551663 146.289968 75.558704 # -b 140.953265 74.138869 140.976733 74.223355 140.807761 74.270291 140.521447 74.307841 140.249214 74.265598 140.103710 74.197539 140.080242 74.159990 140.094323 74.106013 140.127179 74.054382 140.145953 74.002752 140.145953 73.946428 140.282070 73.915919 140.479204 73.892451 140.544915 73.892451 140.436961 73.915919 140.390024 73.946428 140.488591 73.955815 140.666951 73.953469 140.699806 73.988671 140.798374 74.002752 140.864085 74.016833 140.896941 74.033261 140.967346 74.066117 141.047138 74.082545 140.915715 74.098972 140.953265 74.138869 # -b 141.328758 73.892451 141.338146 73.894798 141.403857 73.894798 141.516505 73.899491 141.638541 73.925307 141.769963 73.927653 141.943629 73.922960 142.131376 73.897145 142.333204 73.845514 142.497482 73.838474 142.727472 73.742253 142.872976 73.697664 143.060723 73.667155 143.201533 73.592056 143.347037 73.526345 143.422135 73.453593 143.422135 73.347985 143.501928 73.275233 143.511315 73.225950 143.323568 73.244724 143.182758 73.225950 142.938687 73.232990 142.694616 73.272886 142.572581 73.265846 142.398915 73.279927 142.187700 73.265846 141.877918 73.308089 141.746495 73.352679 141.502424 73.338598 141.206723 73.362066 140.887553 73.418390 140.535528 73.439512 140.282070 73.399615 140.028612 73.362066 # -b 139.784541 73.472367 140.047386 73.467674 140.314926 73.484102 140.399412 73.521651 140.535528 73.610831 140.634095 73.688276 140.742050 73.768069 140.756131 73.826739 140.840617 73.876023 140.953265 73.887757 141.117543 73.876023 141.248966 73.887757 141.328758 73.892451 # -b 139.972288 72.472616 140.005143 72.477309 140.061467 72.463228 140.178809 72.460881 140.366556 72.463228 140.535528 72.479656 140.676338 72.489043 140.709194 72.477309 140.690419 72.432719 140.587158 72.359968 140.554303 72.308337 140.469817 72.261400 140.446348 72.294256 140.446348 72.350580 140.446348 72.364661 140.347781 72.270788 140.282070 72.230892 140.136566 72.237932 # -b 129.946608 71.038699 130.054562 71.078596 130.143742 71.038699 130.232922 71.012884 130.232922 70.970641 130.322102 70.923704 130.462912 70.895542 130.599028 70.902583 130.706983 70.853299 130.838405 70.862687 130.861874 70.937785 130.936972 70.921358 130.993296 70.848606 131.049620 70.813403 131.115332 70.728917 131.213899 70.707796 131.335934 70.693715 131.401646 70.780547 131.580005 70.855646 131.631636 70.968294 131.734896 71.005844 131.899175 71.139613 132.030598 71.167775 132.021210 71.245221 132.007129 71.367256 132.054066 71.442355 132.077534 71.538575 132.218344 71.625408 132.349767 71.731016 132.438947 71.813155 132.514046 71.874173 132.626694 71.946925 132.725261 71.970393 132.758116 71.949271 132.781585 71.871826 132.837909 71.808461 132.903620 71.747444 133.011575 71.716935 133.091367 71.688773 133.157078 71.646530 133.208709 71.606633 133.265033 71.557350 133.419924 71.522147 133.565428 71.465823 133.673382 71.409499 133.837661 71.400112 134.048876 71.423580 134.227235 71.407152 134.358658 71.409499 134.546405 71.400112 134.635585 71.423580 134.720071 71.378990 134.823331 71.336747 134.832719 71.374297 134.776395 71.451742 134.823331 71.508066 134.907817 71.566737 135.020465 71.618368 135.184744 71.625408 135.363103 71.632449 135.583706 71.639489 135.790227 71.594899 135.959200 71.592552 136.057767 71.543269 136.264288 71.529188 136.367549 71.508066 136.508359 71.522147 136.597539 71.515107 136.621007 71.512760 136.728961 71.486945 136.860384 71.458783 137.113842 71.400112 137.245265 71.395418 137.414237 71.364909 137.479949 71.296851 137.634840 71.282770 137.634840 71.226446 137.719326 71.195937 137.855442 71.184203 137.963397 71.141960 138.061964 71.181856 138.273179 71.177163 138.329503 71.240527 138.493781 71.282770 138.582961 71.332054 138.714384 71.371950 138.737852 71.378990 138.756627 71.381337 138.845807 71.400112 138.934986 71.423580 138.977229 71.400112 139.066409 71.437661 139.211913 71.423580 139.333948 71.402459 139.343336 71.423580 139.432516 71.486945 139.451290 71.512760 139.639037 71.472864 139.817396 71.442355 139.981675 71.442355 # -b 140.028612 71.564390 139.981675 71.599593 139.817396 71.658264 139.728217 71.738056 139.718829 71.808461 139.704748 71.850704 139.883108 71.853051 139.859640 71.904682 139.793928 71.953965 139.751685 71.984474 139.775153 72.019676 139.906576 72.094775 # -b 136.013177 74.054382 136.013177 74.042648 136.069501 74.019180 136.182149 73.998058 136.257248 73.948775 136.224392 73.887757 136.215005 73.876023 136.078888 73.885410 135.970934 73.960509 135.750331 74.028567 135.670539 74.094279 135.496873 74.145909 135.417081 74.169377 135.431162 74.239782 135.539116 74.235089 135.684620 74.148256 135.848898 74.091932 135.980321 74.049689 136.013177 74.054382 # -b 135.848898 75.549316 135.816043 75.514114 135.792574 75.488299 135.726863 75.467177 135.783187 75.420241 135.806655 75.382691 135.717476 75.345142 135.628296 75.354529 135.487486 75.375651 135.417081 75.427281 135.464017 75.469524 135.407693 75.500033 135.464017 75.544623 135.496873 75.624415 135.464017 75.692473 135.478098 75.744104 135.482792 75.800428 135.482792 75.845018 135.487486 75.821549 135.510954 75.788694 135.553197 75.755838 135.623602 75.673699 135.764412 75.626762 135.886448 75.617375 135.853592 75.598600 135.797268 75.568091 135.755025 75.549316 # -b 139.918310 75.837977 139.955860 75.823896 139.965247 75.793387 # -b 140.005143 74.795982 139.850252 74.798329 139.671893 74.842919 139.817396 74.833532 139.948819 74.868734 139.775153 74.896896 139.639037 74.960261 139.639037 75.018932 139.629650 75.056481 139.563938 75.049441 139.385579 75.018932 139.376191 74.979036 139.366804 74.955567 139.333948 74.906284 139.498227 74.920365 139.409047 74.859347 139.333948 74.753739 139.221300 74.699762 139.042941 74.688028 138.878662 74.718537 138.737852 74.734965 138.568880 74.742005 138.306035 74.753739 138.127675 74.786595 137.939928 74.817104 137.799118 74.901590 137.766263 74.941486 137.719326 74.976689 137.653614 75.035360 137.433012 75.028319 137.282815 75.054134 137.193635 75.084643 137.095068 75.089337 136.949564 75.126886 136.860384 75.211372 136.771204 75.265349 136.705493 75.321673 136.672637 75.338101 136.860384 75.368610 137.038744 75.338101 137.259346 75.363916 137.170166 75.417894 136.991807 75.406160 136.949564 75.429628 136.991807 75.446056 137.146698 75.446056 137.127923 75.502380 136.916708 75.542276 136.818141 75.577478 136.794673 75.591560 136.827529 75.596253 136.916708 75.575132 136.991807 75.546970 137.048131 75.577478 137.062212 75.600947 137.080987 75.631456 136.982420 75.676046 136.982420 75.746451 137.057518 75.776959 137.184247 75.762878 137.221797 75.793387 137.203022 75.812162 137.174860 75.849711 137.132617 75.826243 137.099761 75.856752 137.057518 75.920116 137.080987 75.945932 137.151392 75.990521 137.203022 75.974094 137.278121 75.990521 137.362607 76.002256 137.442399 76.028071 137.479949 76.077354 137.531579 76.138372 137.559741 76.119597 137.601984 76.136025 137.658308 76.166534 137.770956 76.199390 137.822587 76.204083 137.911766 76.218164 137.944622 76.211124 137.897685 76.159494 137.911766 76.112557 137.972784 76.079701 138.066657 76.030418 138.155837 75.978787 138.202774 75.967053 138.287260 75.978787 138.306035 75.945932 138.376440 75.915423 138.320116 75.873180 138.362359 75.828590 138.409295 75.826243 138.446845 75.837977 # -b 140.028612 73.362066 139.840865 73.366760 139.704748 73.416043 139.653118 73.437165 139.784541 73.472367 # -b 137.038744 71.613674 137.048131 71.613674 137.080987 71.601940 137.193635 71.566737 137.301589 71.564390 137.367301 71.587859 137.512804 71.585512 137.733407 71.578471 137.907073 71.571431 137.977478 71.533882 137.855442 71.479904 137.775650 71.435314 137.620759 71.456436 137.489336 71.435314 137.348526 71.449395 137.203022 71.472864 136.958951 71.508066 136.771204 71.536228 136.738349 71.559697 136.785285 71.571431 136.907321 71.573778 136.949564 71.599593 137.015275 71.608980 137.038744 71.613674 # -b 138.043189 71.526841 138.061964 71.538575 138.160531 71.557350 138.249711 71.578471 138.348278 71.578471 138.460926 71.543269 138.517250 71.578471 138.526637 71.639489 138.634592 71.646530 138.803564 71.618368 138.934986 71.571431 138.958455 71.519801 138.958455 71.493985 138.944374 71.463477 138.902131 71.437661 138.822338 71.414193 138.723771 71.378990 138.559493 71.336747 138.437457 71.350828 138.315422 71.350828 138.240323 71.343788 138.108900 71.325013 137.996252 71.357869 137.874217 71.350828 137.864830 71.400112 137.986865 71.437661 138.052576 71.472864 138.029108 71.508066 138.029108 71.515107 138.029108 71.536228 138.043189 71.526841 # -b 139.972288 72.472616 139.972288 72.472616 # -b 140.138913 72.237932 139.960553 72.280175 139.810356 72.223851 139.599141 72.233238 139.533429 72.226198 139.486493 72.195689 139.387926 72.176914 139.265890 72.209770 139.157936 72.254360 139.233035 72.294256 139.369151 72.308337 139.336295 72.352927 139.378538 72.388130 139.509961 72.397517 139.509961 72.437413 139.467718 72.486697 139.608528 72.507818 139.777500 72.503124 139.894842 72.503124 139.960553 72.493737 139.974634 72.472616 # -b 119.977252 73.021775 120.141531 73.017081 120.296422 73.003000 120.460700 72.995960 120.671915 72.981879 120.892518 72.951370 121.047409 72.920861 121.080265 72.930248 121.122508 72.941983 121.244543 72.946676 121.432290 72.960757 121.563713 72.970145 121.718604 72.970145 121.915738 72.941983 122.028386 72.944329 122.094098 72.953717 122.206746 72.963104 122.291232 72.941983 122.347556 72.972491 122.460204 72.946676 122.577546 72.977185 122.732437 73.012388 122.999976 73.024122 123.140786 73.040550 123.239353 73.033509 123.384857 73.082793 123.450568 73.125036 123.352001 73.200135 123.220578 73.296355 123.164254 73.373800 123.173642 73.399615 123.229966 73.430124 123.140786 73.444205 123.154867 73.472367 123.206497 73.547466 123.309758 73.664808 123.319146 73.751641 123.352001 73.777456 123.441181 73.744600 123.525667 73.702357 123.638315 73.685929 123.802594 73.688276 123.858918 73.709398 123.826062 73.765722 123.826062 73.798577 123.858918 73.836127 123.966872 73.833780 124.070133 73.815005 124.187475 73.784496 124.398690 73.775109 124.544193 73.768069 124.642761 73.744600 124.708472 73.737560 124.816426 73.753988 124.938462 73.709398 125.027641 73.678889 125.093353 73.707051 125.173145 73.688276 125.215388 73.646033 125.224776 73.608484 125.281100 73.582669 125.393748 73.568588 125.459459 73.608484 125.558026 73.577975 125.647206 73.596750 125.712917 73.580322 125.788016 73.549813 125.919439 73.561547 125.999231 73.549813 126.088411 73.533385 126.205753 73.563894 126.327788 73.526345 126.407581 73.486448 126.539003 73.453593 126.562472 73.420737 126.614102 73.401962 126.679813 73.430124 126.750218 73.439512 126.801849 73.465327 126.937965 73.467674 126.970821 73.512264 127.045920 73.533385 127.177342 73.519304 127.266522 73.512264 127.275910 73.505223 127.299378 73.502876 127.355702 73.491142 127.454269 73.493489 127.543449 73.486448 127.642016 73.481755 127.764051 73.493489 127.829763 73.500529 127.961185 73.477061 128.139545 73.458286 128.191175 73.437165 128.261580 73.416043 128.191175 73.397269 128.280355 73.373800 128.402390 73.371453 128.491570 73.366760 128.524426 73.326864 128.500957 73.289314 128.646461 73.256459 128.820127 73.225950 128.932775 73.218909 128.932775 73.183707 129.087666 73.136770 129.176846 73.078099 129.341124 73.047590 129.449079 73.021775 129.463160 72.993613 129.514790 72.972491 129.472547 72.944329 129.463160 72.899740 129.430304 72.883312 129.308269 72.876271 129.341124 72.826988 129.317656 72.791785 129.341124 72.751889 129.416223 72.742502 129.359899 72.730767 129.373980 72.676790 129.373980 72.658016 129.251945 72.634547 129.219089 72.585264 129.308269 72.559449 129.397448 72.540674 129.350512 72.528940 129.251945 72.493737 129.228476 72.463228 129.383367 72.439760 129.538259 72.406904 129.627438 72.376395 129.547646 72.320071 129.463160 72.273135 129.463160 72.219157 129.505403 72.202730 129.406836 72.172221 129.416223 72.153446 129.528871 72.160487 129.416223 72.122937 129.219089 72.092428 129.195621 72.054879 129.261332 72.033757 129.176846 72.026717 129.073585 72.052532 129.040730 72.024370 128.965631 72.003249 128.899919 71.970393 128.834208 71.935190 128.712173 71.888254 128.735641 71.796727 128.768497 71.756831 128.843595 71.738056 128.885838 71.688773 128.843595 71.639489 128.942162 71.594899 129.031342 71.613674 129.120522 71.632449 129.139297 71.653570 129.176846 71.625408 129.176846 71.606633 129.195621 71.585512 129.261332 71.545616 129.261332 71.479904 129.317656 71.458783 129.373980 71.378990 129.496016 71.287464 129.505403 71.247568 129.561727 71.268689 129.693150 71.240527 129.749474 71.160735 129.815185 71.102064 129.904365 71.073902 129.946608 71.038699 # -b 109.942185 76.661716 110.064221 76.678144 110.176869 76.694572 110.251968 76.718040 110.383390 76.720387 110.514813 76.708653 110.627461 76.699266 110.777659 76.696919 110.956018 76.706306 111.078053 76.713347 111.078053 76.692225 111.068666 76.664063 111.134378 76.638248 111.228251 76.661716 111.397223 76.649982 111.472322 76.619473 111.406610 76.593658 111.453547 76.591311 111.500484 76.574883 111.613132 76.560802 111.772717 76.544375 111.857203 76.509172 111.922914 76.495091 112.044950 76.448154 112.073112 76.422339 112.073112 76.398871 112.204534 76.412952 112.354732 76.375402 112.476767 76.337853 112.617577 76.312038 112.673901 76.295610 112.636352 76.267448 112.608190 76.225205 112.551866 76.211124 112.476767 76.206430 112.580028 76.173575 112.664514 76.152453 112.720838 76.117251 112.749000 76.086742 112.795937 76.065620 112.889810 76.067967 112.908585 76.098476 113.077557 76.138372 113.021233 76.166534 112.964909 76.197043 113.058782 76.211124 113.143268 76.218164 113.246529 76.173575 113.340403 76.138372 113.424889 76.086742 113.406114 76.039805 113.424889 75.992868 113.471825 75.948278 113.490600 75.913076 113.631410 75.898995 113.753446 75.913076 113.809770 75.861446 113.809770 75.793387 113.734671 75.725329 113.668959 75.673699 113.603248 75.622068 113.490600 75.575132 113.368565 75.563397 113.424889 75.589213 113.490600 75.640843 113.349790 75.666658 112.993071 75.690127 112.871036 75.711248 112.739613 75.730023 112.617577 75.769919 112.429831 75.821549 112.289020 75.828590 112.242084 75.802775 112.364119 75.753491 112.504929 75.727676 112.608190 75.708901 112.542479 75.680739 112.631658 75.624415 112.631658 75.605641 112.730225 75.563397 112.795937 75.584519 112.828792 75.626762 112.969603 75.638496 113.025927 75.633803 113.040008 75.568091 113.190205 75.532889 113.279385 75.511767 113.424889 75.507073 113.523456 75.511767 113.546924 75.453096 113.556311 75.422587 113.392033 75.439015 113.401420 75.417894 113.457744 75.375651 113.499987 75.370957 113.499987 75.326367 113.499987 75.284124 113.401420 75.255962 113.335709 75.213719 113.227754 75.178517 113.124494 75.155048 113.124494 75.136273 113.072863 75.082296 112.936747 75.025972 112.861648 75.028319 112.763081 75.028319 112.608190 74.988423 112.608190 74.981382 112.706757 74.964955 112.598803 74.925058 112.476767 74.922711 112.345344 74.873428 112.387587 74.922711 112.312489 74.920365 112.124742 74.896896 111.988626 74.873428 111.936995 74.842919 112.054337 74.835879 112.199841 74.821798 112.068418 74.807717 111.890058 74.798329 111.782104 74.781901 111.627213 74.767820 111.636600 74.756086 111.725780 74.723231 111.636600 74.685681 111.613132 74.638744 111.514565 74.657519 111.397223 74.683334 111.293962 74.692722 111.176621 74.662213 111.031117 74.619970 110.918469 74.622317 110.876226 74.577727 110.852757 74.554258 110.665011 74.537831 110.599299 74.551912 110.491345 74.542524 110.547669 74.540177 110.557056 74.528443 110.425633 74.495587 110.223805 74.483853 110.172175 74.446304 110.190950 74.425182 110.073608 74.399367 109.904636 74.354777 109.853006 74.333656 # -b 109.986775 73.491142 110.085342 73.523998 110.174522 73.512264 110.230846 73.549813 110.296557 73.580322 110.427980 73.601443 110.625114 73.624912 110.845717 73.655421 110.780005 73.707051 110.714294 73.744600 110.559403 73.768069 110.474917 73.725826 110.287170 73.702357 110.151054 73.653074 # -b 109.787294 73.974590 110.017284 74.000405 110.294211 74.012139 110.491345 73.965203 110.702560 73.946428 110.791740 73.892451 110.866838 73.913572 110.899694 73.953469 111.031117 74.000405 111.265800 74.028567 111.495790 74.033261 111.472322 74.002752 111.308043 73.934694 111.265800 73.979284 111.176621 73.927653 111.200089 73.857248 111.275188 73.793884 111.472322 73.744600 111.641294 73.707051 111.683537 73.678889 111.861896 73.692970 112.115355 73.678889 112.411056 73.678889 112.711451 73.704704 112.828792 73.775109 112.875729 73.864289 112.819405 73.934694 112.777162 74.002752 112.875729 73.937041 112.983684 73.876023 113.138575 73.805618 113.171430 73.716438 113.269997 73.692970 113.359177 73.620218 113.368565 73.549813 113.251223 73.465327 113.185511 73.420737 113.269997 73.376147 113.218367 73.326864 113.326322 73.310436 113.504681 73.305742 113.438970 73.251765 113.185511 73.263499 113.129187 73.228297 113.406114 73.197788 113.734671 73.263499 113.866094 73.305742 114.100777 73.275233 114.250975 73.200135 114.250975 73.305742 114.462190 73.143810 114.626468 73.148504 114.485658 73.218909 114.288524 73.305742 114.044453 73.364413 113.823851 73.371453 113.645491 73.444205 113.546924 73.495836 113.776914 73.519304 114.044453 73.554507 114.185263 73.568588 114.396478 73.570934 114.593613 73.552160 114.673405 73.554507 114.706261 73.563894 114.861152 73.563894 115.034818 73.582669 115.278888 73.610831 115.321131 73.617871 115.321131 73.660114 115.476023 73.676542 115.663769 73.688276 115.818660 73.685929 116.029876 73.669502 116.217622 73.646033 116.358433 73.627258 116.602503 73.627258 116.823106 73.596750 117.020240 73.599096 117.254924 73.559200 117.508382 73.547466 117.705516 73.538079 117.846326 73.552160 118.034073 73.561547 118.235901 73.531038 118.400179 73.526345 118.597313 73.538079 118.728736 73.533385 118.864852 73.505223 118.916483 73.465327 # -b 113.018886 74.512015 113.084598 74.490894 113.150309 74.462732 113.305200 74.462732 113.352137 74.434570 113.352137 74.387633 113.328668 74.312534 113.262957 74.256210 113.206633 74.209274 113.051742 74.181112 112.910932 74.136522 112.779509 74.096626 112.577681 74.117747 112.389934 74.136522 112.192800 74.136522 111.981585 74.211620 111.807919 74.232742 111.610785 74.251517 111.474669 74.307841 111.488750 74.333656 111.554461 74.373552 111.685884 74.340696 111.817307 74.336003 111.929955 74.364165 112.005053 74.411101 111.981585 74.455691 111.929955 74.502628 112.005053 74.547218 112.117701 74.530790 112.291367 74.519056 112.446258 74.504975 112.577681 74.500281 112.699717 74.495587 112.812365 74.493241 112.943787 74.502628 113.018886 74.512015 # -b 118.942298 73.467674 118.942298 73.455940 118.876587 73.462980 118.810875 73.465327 118.778020 73.430124 118.688840 73.420737 118.580885 73.434818 118.458850 73.416043 118.425994 73.373800 118.458850 73.338598 118.468237 73.305742 118.458850 73.289314 118.435382 73.275233 118.435382 73.272886 118.435382 73.244724 118.444769 73.209522 118.533949 73.167279 118.688840 73.153198 118.867199 73.110955 119.064333 73.085140 119.228612 73.068712 119.392890 73.059324 119.529007 73.028816 119.636961 73.003000 119.758997 72.981879 119.937356 72.956064 119.988986 72.981879 119.979599 73.021775 # -b 99.864875 79.665665 100.015073 79.677399 100.118333 79.672706 100.230982 79.653931 # -b 99.975176 78.431230 100.031501 78.435924 100.087825 78.457045 100.087825 78.487554 100.153536 78.534491 100.275571 78.600202 100.228635 78.635405 100.388219 78.705810 100.547804 78.785602 100.604128 78.773868 100.735551 78.745706 100.866974 78.726931 101.064108 78.729278 100.989009 78.757440 100.791875 78.797336 100.791875 78.860701 100.782488 78.912331 100.810650 78.975696 100.895136 78.996817 100.998397 79.017939 101.054721 79.015592 101.148594 79.024979 101.035946 79.032020 101.026559 79.076610 101.148594 79.107119 101.336341 79.114159 101.223693 79.125893 101.233080 79.177524 101.420827 79.224460 101.589799 79.245582 101.617961 79.278437 101.589799 79.325374 101.711834 79.344149 101.815095 79.294865 101.862032 79.233848 101.965293 79.222113 102.153039 79.215073 102.190589 79.262010 102.181202 79.320681 102.153039 79.372311 102.228138 79.400473 102.359561 79.428635 102.444047 79.416901 102.594244 79.407513 102.763217 79.402820 102.866477 79.384045 102.875865 79.337108 102.866477 79.299559 102.904027 79.327721 102.988513 79.348843 103.119936 79.323027 103.119936 79.283131 102.997900 79.233848 102.904027 79.177524 102.922801 79.104772 102.866477 79.055488 102.875865 79.010898 103.054224 79.055488 103.138710 79.076610 103.307682 79.139974 103.307682 79.203339 103.410943 79.208032 103.542366 79.175177 103.598690 79.158749 103.626852 79.104772 103.673789 79.088344 103.795824 79.125893 103.852148 79.165789 103.870923 79.179870 104.039895 79.163443 103.964796 79.132934 104.039895 79.109465 104.114994 79.100078 104.068057 79.050794 104.077444 79.022632 104.199480 78.978043 104.302740 78.978043 104.274578 79.024979 104.330902 79.034367 104.424776 79.050794 104.462325 78.985083 104.499875 78.956921 104.565586 78.917025 104.659459 78.867741 104.865981 78.841926 105.053728 78.823151 105.194538 78.799683 105.269637 78.790296 105.410447 78.752746 105.438609 78.719891 105.457383 78.675301 105.457383 78.614283 105.401059 78.572040 105.457383 78.525103 105.457383 78.459392 105.288411 78.398374 105.128826 78.330316 104.931692 78.290420 104.819044 78.309195 104.650072 78.297460 104.434163 78.297460 104.190092 78.269298 103.992958 78.238790 103.748887 78.212974 103.448492 78.220015 103.260746 78.201240 103.063612 78.212974 102.988513 78.203587 102.950963 78.170731 102.810153 78.151957 102.716280 78.173078 102.537920 78.215321 102.406498 78.203587 102.246913 78.203587 102.040391 78.180119 101.918356 78.205934 101.739997 78.182465 101.467764 78.182465 101.111045 78.187159 101.045333 78.151957 100.998397 78.116754 100.904523 78.112060 100.744938 78.058083 100.529030 78.041655 100.294346 78.013493 100.069050 77.968903 # -b 99.986911 78.339703 100.033847 78.365519 # -b 107.022722 78.175425 107.041497 78.163691 107.107208 78.156650 107.219857 78.135529 107.351279 78.149610 107.454540 78.173078 107.604737 78.173078 107.642287 78.151957 107.773710 78.151957 107.801872 78.119101 107.642287 78.069817 107.585963 78.027574 107.473315 78.051043 107.276181 78.053390 107.022722 78.076858 106.910074 78.088592 106.694165 78.105020 106.534581 78.109714 106.600292 78.130835 106.759877 78.128488 106.844363 78.161344 106.966398 78.168384 107.022722 78.175425 # -b 99.951708 76.450501 100.092518 76.448154 100.299040 76.443461 100.439850 76.450501 100.590047 76.462235 100.712083 76.473970 100.862280 76.499785 101.012478 76.509172 101.115738 76.530294 101.134513 76.537334 101.068802 76.551415 101.068802 76.581924 101.068802 76.631207 101.068802 76.654676 101.115738 76.624167 101.228386 76.621820 101.322260 76.614780 101.341035 76.633554 101.228386 76.652329 101.190837 76.678144 101.181450 76.711000 101.059414 76.722734 100.927992 76.734468 100.852893 76.764977 100.852893 76.802526 100.815343 76.811914 100.899830 76.854157 100.984316 76.889359 100.993703 76.922215 101.106351 76.922215 101.172062 76.957418 101.162675 76.983233 101.190837 77.025476 101.294098 77.070066 101.387971 77.098228 101.444295 77.119349 101.510007 77.149858 101.556943 77.163939 101.678979 77.194448 101.707141 77.222610 101.819789 77.236691 101.866726 77.260159 101.988761 77.274240 102.082634 77.295362 102.101409 77.297709 102.110796 77.302402 102.129571 77.318830 102.185895 77.346992 102.289156 77.382195 102.373642 77.405663 102.476903 77.440866 102.542614 77.471374 102.617713 77.497190 102.683424 77.513617 102.777298 77.534739 102.927495 77.558207 102.946270 77.588716 102.993206 77.609838 103.143404 77.607491 103.312376 77.600450 103.425024 77.595757 103.537672 77.605144 103.631546 77.628612 103.640933 77.642693 103.716032 77.656774 103.838067 77.677896 103.903778 77.689630 104.007039 77.684936 104.100913 77.694324 104.157237 77.691977 104.260497 77.675549 104.260497 77.652081 104.279272 77.638000 104.391920 77.633306 104.448244 77.656774 104.523343 77.670855 104.635991 77.642693 104.701702 77.602797 104.823738 77.565248 104.973935 77.541779 105.114745 77.520658 105.293105 77.508924 105.443302 77.513617 105.527788 77.544126 105.593500 77.530045 105.696761 77.527698 105.743697 77.487802 105.800021 77.424438 105.884507 77.377501 105.978381 77.346992 106.044092 77.321177 105.884507 77.346992 105.743697 77.342299 105.612274 77.339952 105.612274 77.311790 105.527788 77.274240 105.452690 77.239038 105.274330 77.236691 105.049034 77.194448 104.945773 77.152205 104.823738 77.105268 104.711090 77.070066 104.607829 77.034863 104.476406 77.023129 104.326209 76.966805 104.260497 76.938643 104.373146 76.959764 104.542118 76.976192 104.720477 77.002007 104.898837 77.004354 105.039647 77.023129 105.152295 77.046597 105.274330 77.058331 105.396366 77.058331 105.518401 77.060678 105.631049 77.051291 105.677986 77.077106 105.734310 77.128737 105.743697 77.070066 105.668599 77.018435 105.668599 77.004354 105.781247 77.020782 105.865733 77.023129 105.968993 77.044250 106.025317 77.025476 106.100416 77.004354 106.175515 77.011395 106.241226 77.034863 106.400811 77.034863 106.466522 77.023129 106.560396 77.025476 106.597945 77.004354 106.663657 76.985580 106.738755 76.997314 106.748143 76.999661 106.804467 76.990273 106.898340 76.976192 107.020376 76.971499 107.133024 76.971499 107.226897 76.962111 107.208122 76.948030 107.217510 76.917521 107.311383 76.901094 107.311383 76.877625 107.179960 76.879972 107.151798 76.865891 107.208122 76.840076 107.057925 76.804873 106.982826 76.774364 106.992214 76.755590 107.086087 76.783752 107.179960 76.814261 107.283221 76.828342 107.179960 76.788445 107.095474 76.736815 106.926502 76.720387 106.842016 76.718040 106.776305 76.673450 106.644882 76.631207 106.560396 76.570190 106.475910 76.509172 106.400811 76.520906 106.306938 76.506825 106.175515 76.490397 106.081641 76.476316 106.119191 76.471623 106.119191 76.448154 106.166128 76.445807 106.306938 76.448154 106.485297 76.448154 106.644882 76.434073 106.748143 76.424686 106.907727 76.448154 107.057925 76.443461 107.189348 76.443461 107.311383 76.445807 107.367707 76.490397 107.414644 76.492744 107.442806 76.476316 107.630553 76.499785 107.733813 76.544375 107.743201 76.591311 107.808912 76.586618 107.865236 76.591311 107.987272 76.635901 107.949722 76.638248 107.799525 76.628861 107.855849 76.654676 107.884011 76.701613 107.940335 76.711000 108.090532 76.711000 108.118694 76.729775 108.128082 76.741509 108.240730 76.736815 108.268892 76.718040 108.193793 76.696919 108.165631 76.666410 108.259504 76.678144 108.343991 76.701613 108.372153 76.687532 108.447251 76.673450 108.606836 76.678144 108.757034 76.685185 108.954168 76.701613 108.991717 76.696919 109.085590 76.694572 109.235788 76.708653 109.310887 76.734468 109.367211 76.722734 109.489246 76.703959 109.592507 76.687532 109.676993 76.664063 109.770866 76.673450 109.808416 76.673450 109.845965 76.673450 109.939838 76.661716 # -b 110.031365 74.333656 109.993816 74.328962 109.993816 74.324269 109.984428 74.319575 109.928104 74.265598 109.885861 74.225701 109.730970 74.157643 109.510368 74.101319 109.224054 74.068464 108.937740 73.991018 108.707750 73.927653 108.637345 73.843167 108.505922 73.791537 108.365112 73.707051 108.252464 73.653074 108.144510 73.587362 108.031861 73.627258 107.858196 73.608484 107.604737 73.606137 107.360667 73.601443 107.116596 73.601443 107.107208 73.573281 107.196388 73.561547 107.018029 73.540426 107.064965 73.514610 107.027416 73.486448 106.910074 73.448899 106.806814 73.397269 106.764571 73.319823 106.586211 73.296355 106.332753 73.275233 106.168474 73.286967 106.037052 73.207175 105.980728 73.157891 105.971340 73.127383 105.882161 73.094527 105.792981 73.040550 105.717882 72.988919 105.652171 72.944329 105.595847 72.909127 105.450343 72.848109 105.333001 72.819947 105.196885 72.784745 105.112399 72.789438 104.999751 72.801173 104.779148 72.756583 104.713437 72.721380 104.549158 72.700259 104.427123 72.658016 104.305087 72.625160 104.140809 72.592304 104.164277 72.550061 104.281619 72.540674 104.328556 72.575876 104.558545 72.594651 104.638338 72.582917 104.558545 72.552408 104.657113 72.585264 104.826085 72.655669 105.023219 72.704952 105.131173 72.726074 105.262596 72.756583 105.464424 72.758929 105.652171 72.798826 105.760125 72.859843 105.882161 72.885659 106.013583 72.941983 106.182555 72.904433 106.421933 72.885659 106.609679 72.857497 106.788039 72.841069 106.919462 72.857497 106.886606 72.866884 106.708246 72.888005 106.511112 72.918514 106.290510 72.951370 106.168474 73.042897 106.145006 73.113302 106.248267 73.129729 106.346834 73.164932 106.656616 73.129729 106.853750 73.125036 106.985173 73.162585 107.262100 73.153198 107.515558 73.148504 107.590656 73.134423 107.745548 73.164932 107.956763 73.232990 108.111654 73.223603 108.299401 73.216562 108.243077 73.251765 108.275932 73.296355 108.487148 73.291661 108.660813 73.317476 108.881416 73.319823 109.134874 73.347985 109.191198 73.385534 109.167730 73.427778 109.266297 73.397269 109.336702 73.406656 109.224054 73.455940 109.102018 73.523998 109.116099 73.526345 109.181811 73.500529 109.289765 73.465327 109.435269 73.416043 109.641790 73.416043 109.810763 73.465327 109.984428 73.491142 # -b 110.151054 73.653074 109.977388 73.657767 109.799028 73.648380 109.691074 73.678889 109.676993 73.638993 109.775560 73.624912 109.667606 73.601443 109.522102 73.667155 109.437616 73.742253 109.447003 73.791537 109.644137 73.857248 109.742704 73.904185 109.789641 73.974590 # -b 92.366737 80.010650 92.573258 79.989529 92.761005 79.982488 92.948752 79.987182 93.108337 79.977794 93.296084 79.949632 93.465056 79.926164 93.634028 79.907389 93.662190 79.881574 93.540155 79.829944 93.408732 79.818210 93.314858 79.797088 93.258534 79.778313 93.098950 79.745458 92.892428 79.703215 92.761005 79.703215 92.667132 79.684440 92.507547 79.670359 92.301026 79.689134 92.122666 79.679746 91.953694 79.658625 91.775335 79.642197 91.625137 79.660972 91.493714 79.691480 91.324742 79.714949 91.334130 79.729030 91.446778 79.736070 91.615750 79.726683 91.690848 79.707908 91.812884 79.689134 91.925532 79.707908 91.991243 79.721989 92.132053 79.712602 92.216540 79.712602 92.254089 79.736070 92.132053 79.761886 91.963081 79.783007 91.803497 79.794741 91.615750 79.808822 91.456165 79.815863 91.315355 79.829944 91.334130 79.841678 91.446778 79.848718 91.428003 79.874534 91.399841 79.907389 91.296580 79.921470 91.146383 79.928511 91.127608 79.954326 91.193319 79.970754 91.259031 79.984835 91.268418 79.998916 # -b 94.030643 80.003610 93.833509 79.996569 # -b 98.057812 80.020037 98.132911 79.989529 98.132911 79.942592 98.114136 79.895655 97.926389 79.872187 97.672931 79.853412 97.672931 79.829944 97.654157 79.783007 97.494572 79.787701 97.372536 79.768926 97.175402 79.747805 96.987655 79.726683 96.893782 79.703215 96.987655 79.703215 97.137853 79.696174 97.325600 79.724336 97.447635 79.750151 97.560283 79.747805 97.729255 79.757192 97.832516 79.778313 97.898227 79.806475 97.992101 79.836984 98.151686 79.862799 98.339432 79.886268 98.405144 79.898002 98.423918 79.921470 98.433306 79.954326 98.452080 79.989529 # -b 98.862777 80.001263 98.937875 79.989529 99.097460 79.991875 # -b 99.280513 80.010650 99.515197 79.982488 99.533971 79.942592 99.656007 79.902696 99.731106 79.869840 99.881303 79.829944 99.843754 79.790048 99.975176 79.806475 99.956402 79.766579 99.853141 79.710255 99.862528 79.665665 # -b 100.228635 79.653931 99.918852 79.635156 99.881303 79.602301 99.815592 79.548324 99.731106 79.520162 99.712331 79.477918 99.665394 79.470878 99.665394 79.426288 99.693556 79.377005 99.674782 79.332415 99.674782 79.287825 99.599683 79.238541 99.421323 79.250275 99.233577 79.276091 99.073992 79.304253 98.970731 79.306600 99.008280 79.233848 99.120929 79.196298 99.327450 79.144668 99.505809 79.132934 99.477647 79.088344 99.590296 79.064875 99.702944 79.020286 99.712331 78.956921 99.665394 78.928759 99.693556 78.870088 99.477647 78.834886 99.233577 78.823151 99.224189 78.771521 98.980118 78.773868 98.782984 78.748053 98.557688 78.762134 98.341779 78.766827 98.069546 78.771521 97.881800 78.771521 97.656503 78.771521 97.581405 78.813764 97.459369 78.839579 97.262235 78.858354 97.083876 78.867741 96.990002 78.909984 96.642671 78.933453 96.426762 78.949881 96.220240 78.954574 96.229628 78.992124 96.041881 79.001511 95.854134 78.985083 95.779035 79.010898 95.760261 79.055488 95.750873 79.109465 95.694549 79.158749 95.591288 79.123546 95.459866 79.078957 95.178245 79.015592 95.028048 78.994470 94.924787 79.041407 94.830914 79.050794 94.708878 79.085997 94.605618 79.151708 94.352160 79.184564 94.230124 79.226807 94.211349 79.278437 94.211349 79.320681 94.220737 79.372311 94.201962 79.412207 94.136251 79.449756 94.136251 79.477918 93.986053 79.482612 93.901567 79.470878 93.779532 79.454450 93.741982 79.484959 93.666884 79.499040 93.516686 79.482612 93.441587 79.510774 93.385263 79.538936 93.216291 79.524855 93.197517 79.499040 93.206904 79.466184 93.141193 79.449756 93.075481 79.517815 92.944058 79.534243 92.822023 79.553017 92.953446 79.560058 93.131805 79.543630 93.272615 79.578832 93.404038 79.609341 93.544848 79.628116 93.695046 79.658625 93.732595 79.707908 93.826468 79.745458 93.882792 79.752498 94.051765 79.761886 94.286448 79.768926 94.474195 79.797088 94.483582 79.820556 94.323997 79.844025 94.239511 79.898002 94.295835 79.919123 94.352160 79.949632 94.492970 79.970754 94.577456 79.984835 # -b 99.942321 78.424190 99.970483 78.431230 # -b 100.064356 77.968903 99.942321 77.926660 99.792123 77.936048 99.632539 77.924314 99.444792 77.938395 99.463566 77.968903 99.557440 78.008800 99.529278 78.046349 99.332144 78.025228 99.379080 78.076858 99.397855 78.128488 99.472954 78.168384 99.594989 78.203587 99.717025 78.262258 99.885997 78.311541 99.942321 78.323276 99.979870 78.339703 # -b 100.031501 78.365519 99.928240 78.384293 99.928240 78.412455 99.947014 78.424190 # -b 89.914294 75.462484 90.078573 75.481258 90.003474 75.488299 # -b 89.980006 75.551663 90.111428 75.584519 90.332031 75.575132 90.463454 75.582172 90.763849 75.626762 90.796704 75.640843 90.904659 75.622068 91.050162 75.612681 91.172198 75.629109 91.303621 75.650230 91.435043 75.645537 91.524223 75.643190 91.524223 75.626762 91.524223 75.680739 91.547692 75.718289 91.580547 75.706554 91.622790 75.708901 91.688502 75.711248 91.744826 75.727676 91.852780 75.727676 91.913798 75.741757 91.956041 75.753491 92.040527 75.762878 92.101545 75.776959 92.162562 75.798081 92.232967 75.802775 92.326841 75.814509 92.444183 75.840324 92.491119 75.863792 92.500507 75.887261 92.481732 75.915423 92.491119 75.936544 92.448876 75.936544 92.416021 75.929504 92.420714 75.898995 92.411327 75.887261 92.373778 75.913076 92.355003 75.967053 92.270517 75.948278 92.181337 75.920116 92.148481 75.936544 92.153175 75.985828 92.148481 76.018683 92.186031 76.035111 92.200112 76.006949 92.223580 75.985828 92.279904 76.018683 92.350309 76.046846 92.406633 76.051539 92.383165 76.016337 92.401940 76.002256 92.523975 76.025724 92.631929 76.028071 92.636623 76.046846 92.566218 76.065620 92.580299 76.084395 92.697641 76.091435 92.744577 76.086742 92.829064 76.091435 92.871307 76.075008 92.908856 76.044499 92.951099 76.065620 93.002729 76.084395 93.007423 76.100823 93.030891 76.114904 93.115377 76.107863 93.171701 76.086742 93.256188 76.091435 93.284350 76.084395 93.321899 76.075008 93.326593 76.105516 93.368836 76.121944 93.420466 76.114904 93.462709 76.121944 93.542501 76.128985 93.631681 76.126638 93.711474 76.093782 93.777185 76.075008 93.763104 76.032765 93.730248 75.978787 93.641068 75.936544 93.575357 75.906035 93.551889 75.882567 93.584744 75.856752 93.669230 75.873180 93.734942 75.936544 93.824122 75.948278 93.903914 75.960013 93.946157 75.990521 93.960238 75.964706 94.054111 75.957666 94.044724 75.922463 93.988400 75.889608 93.960238 75.863792 93.988400 75.856752 94.110436 75.906035 94.147985 75.894301 94.176147 75.906035 94.218390 75.936544 94.265327 75.971747 94.321651 75.990521 94.331038 75.974094 94.331038 75.948278 94.331038 75.913076 94.401443 75.948278 94.438992 75.952972 94.481235 75.974094 94.532866 75.969400 94.593884 75.955319 94.640820 75.967053 94.636127 76.002256 94.607965 76.023377 94.542253 76.025724 94.579803 76.072661 94.617352 76.075008 94.687757 76.079701 94.715919 76.056233 94.762856 76.058580 94.767549 76.086742 94.744081 76.107863 94.725306 76.133678 94.762856 76.147759 94.837954 76.161840 94.903666 76.190002 94.992846 76.220511 95.063251 76.248673 95.119575 76.246327 95.114881 76.197043 95.175899 76.201737 95.274466 76.208777 95.293240 76.187656 95.283853 76.161840 95.260385 76.143066 95.260385 76.126638 95.354258 76.110210 95.448132 76.112557 95.476294 76.089089 95.476294 76.037458 95.532618 76.013990 95.593635 76.011643 95.626491 76.056233 95.626491 76.096129 95.626491 76.126638 95.626491 76.143066 95.635878 76.159494 95.654653 76.182962 95.664040 76.199390 95.654653 76.236939 95.593635 76.255714 95.504456 76.248673 95.424663 76.255714 95.429357 76.288570 95.354258 76.323772 95.293240 76.326119 95.260385 76.333159 95.246304 76.382443 95.189980 76.410605 95.194673 76.431726 95.166511 76.445807 95.161818 76.464582 # -b 98.804106 76.464582 98.888592 76.469276 98.935529 76.464582 99.001240 76.459888 99.104501 76.450501 99.245311 76.441114 99.376734 76.431726 99.536318 76.427033 99.714678 76.422339 99.817939 76.438767 99.874263 76.441114 99.883650 76.441114 99.958749 76.450501 # -b 96.321154 76.274489 96.321154 76.272142 96.283605 76.248673 96.283605 76.215818 96.330542 76.185309 96.311767 76.159494 96.321154 76.128985 96.189731 76.133678 96.058309 76.136025 95.926886 76.138372 95.757914 76.147759 95.645266 76.171228 95.504456 76.175921 95.448132 76.194696 95.326096 76.211124 95.288547 76.239286 95.269772 76.251020 95.354258 76.265101 95.373033 76.248673 95.438744 76.243980 95.457519 76.215818 95.513843 76.248673 95.607716 76.255714 95.710977 76.295610 95.776688 76.274489 95.917499 76.267448 96.011372 76.251020 96.030147 76.236939 96.133407 76.265101 96.274217 76.288570 96.424415 76.276835 96.555838 76.248673 96.584000 76.225205 96.574612 76.185309 96.555838 76.157147 96.508901 76.185309 96.490126 76.236939 96.396253 76.262754 96.321154 76.274489 # -b 96.300033 77.004354 96.300033 76.987926 96.196772 76.964458 96.084124 76.931602 95.999638 76.898747 95.868215 76.889359 95.736792 76.861197 95.671081 76.868238 95.671081 76.894053 95.755567 76.896400 95.877602 76.933949 95.868215 76.952724 95.736792 76.926909 95.577207 76.910481 95.436397 76.912828 95.239263 76.896400 95.173552 76.915175 95.333137 76.948030 95.483334 76.997314 95.633532 77.004354 95.868215 77.046597 96.027800 77.067719 96.121673 77.095881 96.271871 77.140471 96.337582 77.117002 96.393906 77.088840 96.393906 77.048944 96.365744 77.009048 96.337582 76.994967 96.328195 76.990273 96.300033 77.004354 # -b 80.341554 73.164932 80.454202 73.183707 80.562156 73.209522 80.585625 73.261152 80.519913 73.272886 80.407265 73.270540 80.341554 73.315129 80.407265 73.352679 80.463589 73.345638 80.552769 73.329210 80.552769 73.364413 80.651336 73.385534 80.782759 73.418390 80.829696 73.458286 80.740516 73.465327 80.707660 73.437165 80.641949 73.430124 80.576237 73.477061 80.552769 73.526345 80.627868 73.540426 80.740516 73.549813 80.839083 73.547466 80.871939 73.568588 81.036217 73.592056 81.148865 73.568588 81.247432 73.561547 81.303756 73.573281 81.303756 73.596750 81.402323 73.606137 81.491503 73.610831 81.599457 73.620218 81.712106 73.629605 81.843528 73.641340 81.965564 73.657767 82.054743 73.657767 82.172085 73.655421 82.294121 73.641340 82.449012 73.653074 82.636759 73.660114 82.716551 73.648380 82.801037 73.634299 82.932460 73.638993 83.176531 73.646033 83.373665 73.648380 83.664672 73.660114 83.918131 73.676542 84.068328 73.702357 84.171589 73.704704 84.368723 73.714091 84.547082 73.723479 84.753604 73.753988 84.819315 73.751641 84.852171 73.716438 84.983594 73.704704 85.194809 73.695317 85.429492 73.751641 85.481123 73.793884 85.626627 73.812658 85.758049 73.815005 85.847229 73.805618 85.969264 73.838474 86.077219 73.852555 86.199254 73.857248 86.264966 73.852555 86.485568 73.861942 86.663928 73.885410 86.673315 73.918266 86.574748 73.934694 86.541892 73.958162 86.631072 73.974590 86.574748 74.009793 86.584135 74.028567 86.696783 74.021527 86.795350 74.007446 86.837593 74.021527 86.893917 74.037955 86.785963 74.059076 86.715558 74.096626 86.682702 74.148256 86.640459 74.225701 86.518424 74.242129 86.354145 74.253863 86.189867 74.256210 86.077219 74.267944 85.969264 74.284372 85.856616 74.310188 85.847229 74.359471 85.889472 74.380593 86.002120 74.385286 86.077219 74.385286 86.067832 74.399367 86.020895 74.415795 86.142930 74.434570 86.241497 74.439263 86.274353 74.455691 86.307209 74.462732 86.377614 74.467425 86.443325 74.458038 86.541892 74.448651 86.584135 74.469772 86.518424 74.483853 86.518424 74.502628 86.509037 74.523750 86.584135 74.540177 86.509037 74.547218 86.462100 74.561299 86.344758 74.573033 86.232110 74.605889 86.020895 74.608236 85.833148 74.610582 85.692338 74.624663 85.668870 74.650479 85.748662 74.662213 85.701725 74.706803 85.814373 74.723231 85.889472 74.730271 85.969264 74.749046 85.912940 74.786595 85.870697 74.812410 85.889472 74.819451 85.955183 74.817104 86.002120 74.805370 86.086606 74.795982 86.189867 74.781901 86.232110 74.732618 86.330677 74.716190 86.476181 74.697415 86.518424 74.671600 86.584135 74.643438 86.649847 74.619970 86.771882 74.648132 86.663928 74.688028 86.715558 74.737312 86.828206 74.737312 86.884530 74.767820 86.917386 74.786595 86.950242 74.817104 87.048809 74.854653 87.091052 74.880468 87.156763 74.922711 87.114520 74.948527 87.170844 74.967301 87.260024 74.974342 87.292879 74.948527 87.400834 74.934446 87.588581 74.976689 87.654292 75.007198 87.522869 75.011891 87.358591 75.021279 87.260024 75.016585 87.114520 75.042400 86.950242 75.054134 86.828206 75.079949 86.917386 75.101071 87.072277 75.126886 87.245943 75.124539 87.490014 75.115152 87.644905 75.108111 87.701229 75.082296 87.734084 75.068215 87.776327 75.072909 87.898363 75.094030 87.987543 75.096377 88.039173 75.115152 88.020398 75.145661 88.039173 75.166782 88.241001 75.206679 88.325487 75.237187 88.395892 75.267696 88.438135 75.293511 88.503846 75.302899 88.616494 75.307592 88.649350 75.342795 88.790160 75.347489 88.968520 75.368610 88.921583 75.394425 88.823016 75.394425 88.846484 75.415547 88.968520 75.417894 89.067087 75.427281 89.189122 75.469524 89.278302 75.441362 89.376869 75.417894 89.475436 75.403813 89.606859 75.436668 89.728894 75.462484 89.916641 75.462484 # -b 90.003474 75.488299 89.890826 75.502380 89.834502 75.523501 89.980006 75.551663 # -b 89.496558 77.304749 89.468396 77.302402 89.468396 77.285974 89.440234 77.260159 89.505945 77.243731 89.515332 77.208529 89.590431 77.199142 89.571656 77.159245 89.487170 77.131083 89.336973 77.152205 89.280649 77.126390 89.196163 77.135777 89.139839 77.208529 89.196163 77.250772 89.261874 77.271893 89.365135 77.293015 89.449621 77.304749 89.496558 77.304749 # -b 82.188513 75.413200 82.254224 75.401466 82.272999 75.342795 82.230756 75.340448 82.108721 75.356876 82.043009 75.298205 82.052397 75.232494 82.043009 75.192598 81.944442 75.248922 81.920974 75.352182 81.831794 75.328714 81.723840 75.368610 81.611192 75.382691 81.601804 75.321673 81.658128 75.251268 81.690984 75.201985 81.625273 75.244228 81.545480 75.319327 81.493850 75.370957 81.503237 75.427281 81.658128 75.464830 81.681597 75.424934 81.766083 75.403813 81.855262 75.434322 81.888118 75.460137 81.986685 75.497686 81.822407 75.483605 81.855262 75.509420 82.075865 75.516461 82.240143 75.488299 82.155657 75.457790 82.188513 75.413200 # -b 82.319936 70.398013 82.319936 70.423829 82.352792 70.470765 82.441971 70.515355 82.564007 70.517702 82.639105 70.451991 82.714204 70.379239 82.770528 70.308834 82.817465 70.240775 82.747060 70.214960 82.648493 70.158636 82.517070 70.189145 82.427890 70.231388 82.385647 70.273631 82.352792 70.315874 82.319936 70.360464 82.319936 70.398013 # -b 79.961367 72.198036 80.181969 72.144059 80.379103 72.099469 80.590318 72.068960 80.843777 72.031411 80.843777 71.984474 80.918875 71.937537 81.153559 71.850704 81.294369 71.766218 81.327225 71.780299 81.416404 71.745097 81.538440 71.714588 81.669862 71.702854 81.834141 71.669998 81.989032 71.679385 82.167392 71.681732 82.355138 71.686426 82.575741 71.702854 82.716551 71.723975 82.885523 71.745097 82.984090 71.721628 83.106126 71.695813 83.303260 71.655917 83.279791 71.590206 83.270404 71.557350 83.115513 71.543269 83.073270 71.475211 83.059189 71.407152 83.016946 71.364909 82.674308 71.306239 82.430237 71.249915 82.298814 71.174816 82.331670 71.113798 82.355138 71.015231 82.298814 70.933092 82.312895 70.846259 82.322283 70.759426 82.387994 70.719530 82.298814 70.623310 82.242490 70.543517 82.233103 70.456684 82.233103 70.386279 82.242490 70.329955 82.242490 70.257203 82.289427 70.182105 82.387994 70.137515 82.477174 70.114046 82.632065 70.111699 82.796343 70.102312 82.951234 70.081191 83.092045 70.064763 83.246936 70.048335 83.303260 70.099965 83.237548 70.151596 83.148369 70.226694 83.181224 70.273631 83.312647 70.252510 83.523862 70.273631 83.598961 70.297099 83.720996 70.360464 83.800789 70.444950 83.810176 70.536477 83.767933 70.646778 83.678753 70.738304 83.622429 70.846259 83.589574 70.928398 83.448764 70.994109 83.303260 71.062168 83.336115 71.134920 83.270404 71.228793 83.401827 71.313279 83.425295 71.411846 83.613042 71.468170 83.688141 71.583165 83.702222 71.637142 83.655285 71.674692 83.547331 71.745097 83.481619 71.829583 83.425295 71.789687 83.270404 71.829583 83.082657 71.848357 82.894910 71.864785 82.716551 71.899988 82.585128 71.991514 82.477174 72.029064 82.275346 72.047838 82.345751 72.073654 82.430237 72.139365 82.322283 72.230892 82.200247 72.230892 82.054743 72.254360 81.913933 72.294256 81.716799 72.308337 81.482116 72.308337 81.228657 72.334152 81.106622 72.381089 80.975199 72.423332 80.900101 72.482003 80.886020 72.533633 80.900101 72.580570 80.810921 72.620466 80.787452 72.700259 80.834389 72.763623 80.867245 72.791785 80.942344 72.824641 80.951731 72.864537 81.022136 72.892699 80.918875 72.927902 80.867245 72.979532 80.843777 73.024122 80.820308 73.045243 80.754597 73.038203 80.646642 73.064018 80.665417 73.089833 80.580931 73.110955 80.510526 73.127383 80.458896 73.136770 80.444815 73.136770 80.341554 73.164932 # -b 70.243122 73.014735 70.144555 73.021775 70.177411 73.054631 70.275978 73.134423 70.285365 73.204828 70.233735 73.279927 70.341689 73.343291 70.473112 73.434818 70.806363 73.462980 71.092677 73.432471 71.214712 73.378494 71.158388 73.331557 71.083289 73.249418 71.181856 73.242378 71.346135 73.242378 71.524494 73.235337 71.599593 73.176666 71.336747 73.150851 71.181856 73.085140 70.862687 73.099221 70.660859 73.061671 70.520049 73.040550 70.454337 73.120342 70.374545 73.071059 70.341689 73.040550 70.318221 73.014735 70.243122 73.014735 # -b 74.202233 73.019428 74.258557 73.066365 74.413448 73.085140 74.634051 73.064018 74.854653 73.038203 74.878122 73.019428 74.732618 73.005347 74.657519 72.906780 74.657519 72.841069 74.469772 72.902086 74.225701 72.967798 74.202233 73.019428 # -b 79.276091 73.012388 79.266703 72.960757 79.379351 72.927902 79.496693 72.892699 79.529549 72.780051 79.529549 72.700259 79.445063 72.672097 79.323027 72.700259 79.055488 72.704952 78.834886 72.756583 78.703463 72.812907 78.816111 72.890352 78.971002 72.944329 79.078957 73.005347 79.177524 73.047590 79.243235 73.040550 79.308946 73.021775 79.276091 73.012388 # -b 77.368114 72.500778 77.466681 72.514859 77.490149 72.524246 77.588716 72.575876 77.720139 72.568836 77.931354 72.543021 78.184812 72.526593 78.316235 72.474962 78.269298 72.402211 78.086245 72.364661 77.884417 72.287216 77.588716 72.261400 77.321177 72.254360 77.203835 72.233238 77.025476 72.233238 76.969152 72.291909 77.081800 72.378742 77.222610 72.444454 77.368114 72.500778 # -b 69.947421 72.871578 70.144555 72.871578 70.365158 72.871578 70.473112 72.876271 70.792282 72.859843 70.970641 72.876271 71.289811 72.883312 71.566737 72.892699 71.665304 72.873924 71.829583 72.824641 72.106509 72.782398 72.383436 72.749542 72.505471 72.740155 72.589957 72.723727 # -b 72.592304 72.723727 72.629854 72.723727 72.629854 72.716686 72.550061 72.683831 72.629854 72.653322 72.629854 72.620466 72.592304 72.566489 72.592304 72.526593 72.615773 72.428026 72.681484 72.345887 72.681484 72.308337 72.639241 72.200383 72.526593 72.120590 72.507818 72.073654 72.409251 71.956312 72.254360 71.862438 72.273135 71.806114 72.263747 71.761525 72.118244 71.709894 72.085388 71.648876 71.986821 71.630102 71.799074 71.592552 71.789687 71.583165 71.766218 71.576125 71.756831 71.498679 71.878866 71.428274 72.000902 71.355522 72.188649 71.280423 72.409251 71.235834 72.559449 71.188897 72.540674 71.127879 72.517205 71.050434 72.648628 70.956560 72.770664 70.853299 72.770664 70.733611 72.681484 70.639737 72.695565 70.536477 72.728421 70.437910 72.714340 70.398013 72.573530 70.360464 72.484350 70.329955 72.409251 70.257203 72.442107 70.177411 72.559449 70.132821 72.573530 70.095272 72.526593 70.006092 # -b 73.641340 69.942727 73.763375 70.006092 73.749294 70.114046 73.796231 70.196186 74.059076 70.308834 74.082545 70.355770 74.237436 70.482499 74.303147 70.602188 74.303147 70.660859 74.134175 70.787588 73.894798 70.921358 73.838474 71.010537 73.796231 71.113798 73.627258 71.228793 73.495836 71.308585 73.387881 71.357869 73.186053 71.425927 72.998307 71.486945 72.998307 71.540922 73.120342 71.578471 73.284621 71.637142 73.355026 71.702854 73.364413 71.752137 73.340945 71.829583 73.528691 71.878866 73.650727 71.909375 73.880717 71.956312 74.101319 71.993861 74.223355 72.005595 74.246823 72.007942 74.279679 72.029064 74.589461 72.099469 74.842919 72.183955 74.983729 72.268441 74.997810 72.378742 74.983729 72.519552 74.899243 72.632200 74.763127 72.740155 74.753739 72.803519 75.016585 72.845762 75.105765 72.791785 75.326367 72.733114 75.392079 72.700259 75.373304 72.655669 75.415547 72.599345 75.570438 72.540674 75.593906 72.524246 75.439015 72.493737 75.481258 72.397517 75.537582 72.331806 75.612681 72.254360 75.561051 72.200383 75.439015 72.106509 75.359223 72.038451 75.204332 71.991514 75.359223 71.930497 75.302899 71.857745 75.251268 71.789687 75.260656 71.728669 75.359223 71.658264 75.471871 71.601940 75.481258 71.484598 75.457790 71.454089 75.218413 71.440008 75.171476 71.418887 75.251268 71.378990 75.359223 71.334401 75.537582 71.287464 75.767572 71.252261 75.978787 71.235834 76.110210 71.217059 76.288570 71.210018 76.485704 71.202978 76.729775 71.195937 76.917521 71.163082 77.170980 71.160735 77.335258 71.158388 77.400969 71.158388 77.574635 71.141960 77.752995 71.090330 77.809319 71.029312 77.950129 70.982375 78.128488 70.949520 78.414802 70.940132 78.414802 70.996456 78.184812 71.085636 78.161344 71.177163 78.151957 71.263996 77.940741 71.238180 77.865643 71.280423 77.907886 71.369603 77.729526 71.308585 77.612185 71.292158 77.555861 71.280423 77.541779 71.278077 77.443212 71.315626 77.288321 71.322666 77.114655 71.393071 76.861197 71.428274 76.617126 71.486945 76.438767 71.540922 76.340200 71.550309 76.297957 71.627755 76.199390 71.714588 76.119597 71.829583 76.002256 71.871826 76.175921 71.946925 76.373056 71.956312 76.551415 71.862438 76.837729 71.768565 76.837729 71.681732 77.203835 71.716935 77.490149 71.784993 77.832787 71.824889 78.029921 71.895294 78.105020 71.975087 77.865643 72.038451 77.654428 72.052532 77.368114 72.045492 77.433825 72.153446 77.598104 72.176914 77.832787 72.207423 77.940741 72.268441 78.095633 72.324765 78.381946 72.341193 78.724584 72.338846 79.010898 72.334152 79.320681 72.331806 79.574139 72.301297 79.813516 72.256707 79.959020 72.198036 # -b 59.933476 75.999909 60.017962 76.044499 60.111835 76.063273 60.215096 76.072661 60.355906 76.093782 60.449779 76.110210 60.599977 76.100823 60.656301 76.089089 60.534265 76.039805 60.440392 75.964706 60.609364 75.952972 60.703237 76.006949 60.881597 76.032765 61.031794 76.039805 61.116280 76.089089 60.984858 76.114904 60.919146 76.164187 60.919146 76.211124 60.919146 76.225205 61.041182 76.220511 61.106893 76.258061 61.022407 76.281529 61.397901 76.304997 61.426063 76.265101 61.623197 76.262754 61.782782 76.251020 61.998690 76.255714 62.242761 76.246327 62.252149 76.157147 62.439895 76.138372 62.590093 76.190002 62.749678 76.168881 62.834164 76.166534 63.050073 76.201737 63.237819 76.234592 63.406792 76.251020 63.500665 76.281529 63.632088 76.297957 63.829222 76.297957 63.876159 76.267448 63.932483 76.258061 64.101455 76.267448 64.185941 76.293263 64.307976 76.288570 64.383075 76.321425 64.542660 76.328466 64.664695 76.363668 64.889991 76.427033 65.058963 76.415299 65.237323 76.422339 65.312422 76.450501 65.406295 76.518559 65.575267 76.488051 65.716077 76.502132 65.838113 76.539681 65.819338 76.586618 65.772401 76.657023 65.847500 76.708653 65.913211 76.720387 66.063409 76.732121 66.241768 76.781405 66.279318 76.776711 66.251156 76.772018 66.391966 76.781405 66.467065 76.804873 66.589100 76.835382 66.664199 76.882319 66.795621 76.875278 66.898882 76.861197 67.171115 76.903440 67.349475 76.945683 67.565383 76.952724 67.771905 76.945683 67.931490 76.943337 68.072300 76.931602 68.269434 76.910481 68.475955 76.894053 68.626153 76.861197 68.710639 76.823648 68.860836 76.795486 68.842062 76.748549 68.879611 76.718040 68.973484 76.668757 69.039196 76.631207 69.029808 76.579577 68.870224 76.553762 68.795125 76.481010 68.898386 76.478663 69.048583 76.473970 69.001646 76.445807 68.795125 76.410605 68.682477 76.377749 68.597991 76.351934 68.551054 76.328466 68.466568 76.304997 68.419631 76.262754 68.344533 76.234592 68.241272 76.197043 68.297596 76.171228 68.372695 76.145413 68.231885 76.164187 68.072300 76.180615 67.912715 76.180615 67.743743 76.166534 67.584158 76.131332 67.387024 76.082048 67.255601 76.046846 67.030305 76.004602 66.880108 75.999909 66.654811 75.967053 66.467065 75.967053 66.269930 75.945932 66.082184 75.915423 65.866275 75.927157 65.659753 75.908382 65.500168 75.896648 65.368746 75.868486 65.321809 75.821549 65.124675 75.776959 65.030801 75.828590 64.871217 75.758185 64.514498 75.706554 64.153085 75.652577 63.857384 75.600947 63.744736 75.607987 63.669637 75.657271 63.528827 75.694820 63.416179 75.676046 63.449035 75.626762 63.392711 75.610334 63.341080 75.568091 63.106397 75.504727 62.810695 75.424934 62.655804 75.424934 62.369490 75.396772 62.313166 75.359223 62.223987 75.321673 62.148888 75.359223 62.036240 75.307592 61.914204 75.267696 61.782782 75.204332 61.651359 75.155048 61.454225 75.101071 61.299334 75.049441 61.135055 75.030666 60.956696 75.018932 60.815886 75.018932 60.726706 74.990770 60.693850 75.028319 60.482635 75.023625 60.407536 75.051787 60.294888 74.976689 60.426311 74.943833 60.571815 74.934446 60.628139 74.885162 60.449779 74.842919 60.262032 74.795982 60.163465 74.758433 60.205708 74.713843 60.130610 74.664560 59.999187 74.659866 # -b 59.766850 70.146902 60.020308 70.050682 # -b 66.858986 69.888750 66.910616 70.036601 # -b 67.211011 69.975583 67.333047 70.074150 67.220399 70.151596 67.178156 70.285365 67.318966 70.360464 67.309578 70.484846 67.318966 70.616269 67.417533 70.696061 67.300191 70.792282 67.032652 70.801669 66.891842 70.754732 66.779194 70.740651 66.638383 70.721877 66.525735 70.799322 66.614915 70.902583 66.802662 70.935439 66.943472 70.977682 67.032652 71.036353 67.032652 71.076249 67.032652 71.125532 66.976328 71.141960 66.858986 71.071555 66.779194 71.036353 66.690014 71.043393 66.690014 71.076249 66.736951 71.149001 66.812049 71.266342 66.934085 71.294504 67.309578 71.343788 67.652216 71.449395 68.013629 71.583165 68.201376 71.688773 68.370348 71.784993 68.445447 71.888254 68.511158 72.031411 68.567482 72.181608 68.666049 72.247319 68.764616 72.367008 68.820940 72.484350 68.886652 72.589957 69.018074 72.683831 69.172965 72.763623 69.262145 72.838722 69.262145 72.876271 69.351325 72.925555 69.360712 72.927902 69.515603 72.932595 69.726819 72.951370 69.858241 72.944329 69.736206 72.899740 69.947421 72.871578 # -b 58.797607 80.001263 58.684959 79.996569 58.591086 79.991875 58.581698 79.973101 58.562924 79.968407 58.553536 79.951979 58.562924 79.942592 58.638023 79.942592 58.675572 79.930858 58.750671 79.921470 58.741283 79.900349 58.778833 79.886268 58.806995 79.879227 58.872706 79.902696 58.891481 79.909736 58.957192 79.900349 59.032291 79.888615 59.022903 79.876880 59.051066 79.862799 59.116777 79.848718 59.210650 79.853412 59.276362 79.853412 59.351460 79.855759 59.379622 79.869840 59.473496 79.867493 59.520433 79.874534 59.492271 79.895655 59.473496 79.900349 59.557982 79.902696 59.595531 79.893308 59.698792 79.898002 59.745729 79.912083 59.689405 79.930858 59.689405 79.956673 59.651855 79.980141 59.651855 79.996569 # -b 53.744871 73.261152 53.801195 73.277580 53.899762 73.270540 54.054654 73.251765 54.251788 73.251765 54.406679 73.303395 54.636669 73.333904 54.871352 73.369107 55.101342 73.369107 55.298476 73.315129 55.462755 73.291661 55.730294 73.286967 55.918041 73.251765 56.138643 73.195441 56.359246 73.190747 56.500056 73.127383 56.546992 73.080446 56.401489 73.061671 56.260679 73.047590 56.049463 73.047590 55.918041 73.028816 56.091706 73.019428 56.293534 73.005347 56.424957 73.005347 56.345165 72.970145 56.138643 72.977185 55.903960 72.944329 55.716213 72.911474 55.936815 72.902086 56.148030 72.923208 56.302922 72.934942 56.326390 72.871578 56.246598 72.822294 56.091706 72.780051 55.918041 72.763623 55.697438 72.780051 55.575403 72.775357 55.551934 72.756583 55.519079 72.723727 55.819474 72.733114 55.885185 72.672097 55.828861 72.646281 55.753762 72.604038 55.697438 72.517205 55.584790 72.535980 55.519079 72.507818 55.584790 72.484350 55.575403 72.423332 55.453367 72.418638 55.462755 72.355274 55.443980 72.284869 55.462755 72.209770 55.551934 72.151099 55.542547 72.090081 55.420512 71.977433 55.443980 71.916416 55.519079 71.881213 55.551934 71.747444 55.584790 71.655917 55.664582 71.547963 55.716213 71.491639 55.871104 71.421233 56.025995 71.301545 56.082319 71.252261 56.105787 71.181856 56.326390 71.078596 56.523524 70.994109 56.720658 70.933092 56.866162 70.909623 57.039828 70.841565 57.175944 70.808710 57.340223 70.766466 57.438790 70.773507 57.635924 70.712489 57.518582 70.696061 57.518582 70.639737 57.405934 70.620963 57.340223 70.609229 57.175944 70.623310 56.964729 70.632697 56.866162 70.599841 56.974116 70.588107 57.161863 70.581067 57.283899 70.562292 57.143089 70.550558 57.110233 70.510661 57.110233 70.496580 56.955342 70.534130 56.800451 70.590454 56.701884 70.635044 56.598623 70.656165 56.654947 70.728917 56.467200 70.696061 56.302922 70.696061 56.213742 70.660859 56.246598 70.620963 56.359246 70.606882 56.448425 70.623310 56.481281 70.562292 56.326390 70.566985 56.227823 70.550558 56.040076 70.606882 55.936815 70.602188 55.993139 70.555251 55.903960 70.583413 55.786618 70.660859 55.730294 70.656165 55.631727 70.656165 55.476836 70.689021 55.420512 70.623310 55.345413 70.642084 55.298476 70.616269 55.289089 70.550558 55.176441 70.550558 54.979307 70.606882 54.791560 70.667899 54.725848 70.719530 54.937064 70.719530 54.922983 70.747692 54.627281 70.759426 54.528714 70.740651 54.397291 70.728917 54.284643 70.726570 54.218932 70.712489 54.087509 70.726570 53.998329 70.785241 53.923231 70.754732 53.787114 70.775854 53.754259 70.806363 53.744871 70.855646 53.768340 70.921358 53.754259 70.961254 53.679160 71.003497 53.744871 71.024618 53.956086 70.984722 53.998329 71.010537 53.932618 71.064515 54.087509 71.038699 54.308112 71.050434 54.326886 71.071555 54.106284 71.090330 54.195464 71.120839 54.073428 71.146654 53.932618 71.160735 53.843438 71.149001 53.735484 71.163082 53.566512 71.217059 53.566512 71.263996 53.632223 71.256955 53.655692 71.313279 53.754259 71.343788 53.988942 71.449395 53.899762 71.440008 53.744871 71.397765 53.566512 71.301545 53.458557 71.263996 53.458557 71.350828 53.411621 71.400112 53.425702 71.468170 53.458557 71.519801 53.303666 71.477558 53.270811 71.456436 53.237955 71.447049 53.106532 71.482251 53.040821 71.425927 52.918785 71.449395 52.853074 71.418887 52.796750 71.493985 52.796750 71.578471 52.651246 71.620714 52.552679 71.562044 52.496355 71.529188 52.477580 71.461130 52.430644 71.491639 52.388401 71.547963 52.299221 71.515107 52.275752 71.456436 52.055150 71.456436 51.947196 71.461130 51.881484 71.491639 51.759449 71.498679 51.660882 71.550309 51.613945 71.606633 51.529459 71.674692 51.496603 71.759178 51.482522 71.841317 51.515378 71.904682 51.529459 71.979780 51.595170 72.031411 51.768836 72.083041 51.858016 72.099469 51.970664 72.054879 52.078618 72.092428 52.242897 72.099469 52.233509 72.045492 52.332077 72.014983 52.397788 72.061919 52.430644 72.120590 52.510436 72.132325 52.519823 72.209770 52.519823 72.254360 52.641859 72.256707 52.651246 72.298950 52.599616 72.355274 52.651246 72.355274 52.740426 72.362314 52.740426 72.435066 52.820218 72.446800 52.895317 72.500778 53.003271 72.533633 53.040821 72.566489 52.838993 72.517205 52.763894 72.554755 52.820218 72.589957 52.862461 72.622813 52.698183 72.613426 52.562066 72.641588 52.411869 72.695565 52.430644 72.728421 52.477580 72.780051 52.609003 72.822294 52.782669 72.857497 53.003271 72.885659 53.139388 72.864537 53.359990 72.909127 53.191018 72.909127 53.106532 72.944329 53.172244 72.974838 53.294279 72.984226 53.247342 73.019428 53.148775 73.047590 53.125307 73.092180 53.223874 73.129729 53.458557 73.207175 53.669773 73.235337 53.744871 73.261152 # -b 53.669773 73.763375 53.669773 73.789190 53.754259 73.765722 53.974861 73.782150 54.096897 73.831433 54.242400 73.883064 54.481778 73.915919 54.758704 73.934694 54.669524 73.962856 54.768091 74.047342 54.946451 74.080198 55.068486 74.122441 55.279701 74.087238 55.533160 74.073157 55.786618 74.026220 56.105787 74.002752 55.927428 74.073157 55.683357 74.122441 55.378269 74.171724 55.077874 74.209274 55.223377 74.195193 55.551934 74.209274 55.631727 74.260904 55.354800 74.305494 55.190522 74.331309 55.223377 74.364165 55.509691 74.378246 55.852329 74.378246 56.007220 74.399367 55.871104 74.441610 55.664582 74.455691 55.551934 74.493241 55.462755 74.544871 55.453367 74.605889 55.509691 74.622317 55.608258 74.587114 55.772537 74.622317 56.016608 74.648132 56.180886 74.631704 56.415570 74.624663 56.645560 74.664560 56.434344 74.652825 56.312309 74.671600 56.204355 74.732618 56.007220 74.746699 55.852329 74.730271 55.641114 74.727924 55.584790 74.767820 55.598871 74.772514 55.730294 74.807717 55.852329 74.880468 55.903960 74.925058 55.805393 74.922711 55.796005 74.946180 55.716213 74.986076 55.551934 74.922711 55.542547 74.990770 55.429899 75.016585 55.551934 75.068215 55.500304 75.091684 55.598871 75.145661 55.730294 75.138620 55.918041 75.140967 55.927428 75.065868 56.072932 75.042400 56.270066 75.077603 56.467200 75.098724 56.636172 75.169129 56.701884 75.248922 56.866162 75.263003 57.021053 75.291165 57.152476 75.281777 57.260430 75.284124 57.349610 75.277084 57.481033 75.265349 57.626537 75.305246 57.847139 75.363916 57.870607 75.417894 57.790815 75.467177 57.856526 75.488299 57.870607 75.483605 57.978562 75.500033 57.936319 75.554010 58.213245 75.617375 58.288344 75.607987 58.396299 75.603294 58.452623 75.617375 58.565271 75.629109 58.499559 75.657271 58.541802 75.690127 58.574658 75.751144 58.640369 75.791040 58.724855 75.814509 58.804648 75.835630 58.860972 75.859099 58.945458 75.877873 59.053412 75.887261 59.147286 75.913076 59.212997 75.948278 59.236465 75.999909 # -b 60.076632 74.659866 59.874805 74.645785 59.710526 74.695068 59.447681 74.720884 59.489924 74.688028 59.710526 74.617623 59.823174 74.549565 59.888886 74.509669 59.856030 74.509669 59.677670 74.544871 59.433600 74.605889 59.212997 74.636398 59.039331 74.617623 59.058106 74.596501 59.039331 74.568339 59.128511 74.502628 59.212997 74.481506 59.015863 74.514362 58.983007 74.486200 59.081574 74.432223 59.090962 74.411101 59.058106 74.399367 59.025250 74.382939 59.015863 74.378246 58.973620 74.373552 58.860972 74.373552 58.785873 74.422836 58.565271 74.469772 58.255488 74.533137 58.222633 74.486200 58.466704 74.420489 58.598126 74.352431 58.687306 74.298453 58.738936 74.260904 58.753017 74.206927 58.663838 74.211620 58.616901 74.176418 58.598126 74.129481 58.485478 74.167031 58.443235 74.164684 58.452623 74.103666 58.499559 74.082545 58.419767 74.059076 58.255488 74.103666 58.213245 74.047342 58.246101 74.014486 58.264876 73.974590 58.255488 73.976937 58.124066 73.962856 58.034886 74.005099 57.903463 74.014486 57.837752 74.080198 57.715716 74.150603 57.560825 74.218661 57.504501 74.164684 57.448177 74.122441 57.495114 74.066117 57.504501 74.059076 57.429402 74.044995 57.274511 74.030914 57.363691 74.019180 57.570213 73.998058 57.692248 73.967550 57.701635 73.913572 57.879995 73.890104 57.781428 73.866636 57.823671 73.833780 57.837752 73.791537 57.804896 73.746947 57.790815 73.723479 57.617149 73.721132 57.527970 73.793884 57.405934 73.810312 57.241656 73.819699 56.941261 73.831433 56.776982 73.819699 56.941261 73.782150 57.208800 73.772762 57.373078 73.707051 57.462258 73.662461 57.518582 73.603790 57.462258 73.568588 57.363691 73.556853 57.330835 73.526345 57.129008 73.566241 57.039828 73.627258 56.842694 73.646033 56.931873 73.559200 57.021053 73.500529 57.063296 73.484102 57.152476 73.458286 57.185332 73.416043 57.152476 73.411350 57.039828 73.371453 57.006972 73.340945 56.955342 73.305742 56.842694 73.298702 56.833306 73.279927 56.800451 73.263499 56.711271 73.225950 56.565767 73.232990 56.434344 73.268193 56.359246 73.258805 56.237210 73.258805 56.105787 73.258805 55.918041 73.303395 55.763149 73.322170 55.566015 73.317476 55.443980 73.331557 55.298476 73.373800 55.157666 73.409003 54.922983 73.401962 54.782172 73.392575 54.585038 73.369107 54.481778 73.343291 54.373823 73.322170 54.284643 73.322170 54.106284 73.331557 54.143833 73.350332 54.317499 73.380841 54.397291 73.425431 54.275256 73.427778 54.284643 73.488795 54.373823 73.528691 54.495859 73.559200 54.702380 73.606137 54.838496 73.599096 54.979307 73.631952 55.091955 73.655421 55.077874 73.671848 54.922983 73.704704 54.838496 73.667155 54.636669 73.655421 54.495859 73.613177 54.416066 73.587362 54.242400 73.589709 54.007717 73.599096 53.974861 73.646033 53.866907 73.676542 53.754259 73.692970 53.702628 73.725826 53.679160 73.753988 53.669773 73.763375 # -b 52.310955 71.287464 52.310955 71.308585 52.390747 71.315626 52.578494 71.355522 52.752160 71.322666 52.921132 71.263996 52.963375 71.299198 53.127654 71.214712 53.183978 71.181856 53.193365 71.120839 53.174590 71.043393 53.127654 71.022272 53.151122 70.956560 53.207446 70.893196 53.141735 70.879115 53.005618 71.008190 52.874195 71.085636 52.766241 71.200631 52.620737 71.207671 52.381360 71.249915 52.310955 71.287464 # -b 58.764752 69.968543 58.708428 70.027213 58.666185 70.083537 58.666185 70.125780 58.577005 70.144555 58.534762 70.207920 58.699040 70.182105 58.877400 70.196186 58.788220 70.219654 58.633329 70.273631 58.699040 70.285365 58.797607 70.336996 58.863319 70.412094 59.027597 70.430869 59.196569 70.329955 59.360848 70.290059 59.393703 70.247816 59.468802 70.200879 59.769197 70.146902 # -b 47.624325 80.005956 47.643100 79.987182 47.652487 79.954326 47.727586 79.961367 47.793297 79.968407 47.830847 79.980141 47.915333 79.989529 # -b 29.957350 70.705449 30.055917 70.642084 30.229583 70.620963 30.332844 70.590454 30.163872 70.555251 30.318763 70.529436 30.605077 70.524742 30.684869 70.484846 30.759968 70.440256 30.971183 70.405054 31.013426 70.322915 30.882003 70.278325 30.661401 70.247816 30.539366 70.214960 30.375087 70.158636 30.196728 70.130474 29.999593 70.069456 # -b 19.987995 78.968655 20.232066 78.956921 20.307164 78.931106 20.354101 78.909984 20.485524 78.900597 20.626334 78.884169 20.861017 78.874782 21.067539 78.860701 21.217736 78.867741 21.358547 78.858354 21.424258 78.848967 21.414871 78.816111 21.424258 78.785602 21.443033 78.757440 21.405483 78.729278 21.377321 78.701116 21.349159 78.679995 21.283448 78.661220 21.161412 78.658873 21.067539 78.654179 20.936116 78.672954 20.738982 78.679995 20.654496 78.672954 20.523073 78.649486 20.457362 78.635405 20.260228 78.644792 20.166354 78.635405 20.119418 78.614283 20.025544 78.588468 # -b 21.389055 78.604896 21.435992 78.616630 21.454767 78.614283 21.398443 78.581427 21.304569 78.569693 21.398443 78.567346 21.614352 78.574387 21.802098 78.586121 21.914746 78.590815 22.121268 78.588468 22.130655 78.565000 22.215141 78.534491 22.337177 78.503982 22.477987 78.478167 22.384113 78.457045 22.215141 78.431230 22.186979 78.398374 22.158817 78.360825 22.121268 78.316235 22.130655 78.297460 22.093106 78.259911 21.933521 78.252871 21.783324 78.252871 21.661288 78.257564 21.548640 78.229402 21.389055 78.208281 21.182534 78.210628 21.144985 78.182465 21.032336 78.187159 20.891526 78.198893 20.788266 78.224709 20.760104 78.257564 20.656843 78.295114 20.647455 78.306848 20.609906 78.349091 20.638068 78.379600 20.638068 78.417149 20.403385 78.426536 20.318899 78.447658 20.178088 78.471126 20.271962 78.482860 20.431547 78.501635 20.675617 78.508676 20.769491 78.536838 20.891526 78.520410 21.013562 78.541531 21.051111 78.581427 21.107435 78.600202 21.276407 78.614283 21.389055 78.604896 # -b 22.888683 78.281033 22.935620 78.262258 22.935620 78.248177 22.926232 78.248177 22.926232 78.238790 22.935620 78.229402 22.982556 78.220015 23.001331 78.205934 23.020106 78.191853 23.076430 78.203587 23.132754 78.212974 23.170303 78.212974 23.170303 78.208281 23.226627 78.198893 23.236015 78.189506 23.254789 78.170731 23.320501 78.161344 23.358050 78.144916 23.358050 78.137876 23.301726 78.128488 23.292339 78.123795 23.292339 78.119101 23.292339 78.081552 23.301726 78.097979 23.311113 78.083898 23.245402 78.090939 23.132754 78.093286 23.104592 78.067471 23.076430 78.048696 23.048268 78.039309 23.048268 78.015840 23.038880 77.999412 23.085817 77.980638 23.113979 77.957169 23.170303 77.950129 23.236015 77.947782 23.273564 77.924314 23.358050 77.910233 23.386212 77.886764 23.498860 77.875030 23.573959 77.844521 23.630283 77.839828 23.714769 77.835134 23.808642 77.811666 23.930678 77.821053 24.033939 77.844521 24.109037 77.851562 24.137199 77.879724 24.202911 77.886764 24.249847 77.872683 24.324946 77.844521 24.428207 77.842174 24.465756 77.823400 24.512693 77.806972 24.522080 77.802278 24.512693 77.781157 24.531468 77.776463 24.615954 77.781157 24.644116 77.762382 24.644116 77.750648 24.691052 77.745954 24.747376 77.738914 24.822475 77.738914 24.888187 77.734220 24.906961 77.724833 24.897574 77.706058 24.831862 77.701364 24.766151 77.710752 24.709827 77.710752 24.691052 77.703711 24.644116 77.703711 24.578404 77.706058 24.493918 77.691977 24.409432 77.682590 24.315559 77.675549 24.202911 77.663815 24.146587 77.659121 24.127812 77.642693 24.127812 77.621572 24.071488 77.612185 24.024551 77.602797 24.005777 77.595757 23.940065 77.581676 23.921290 77.562901 23.864966 77.544126 23.855579 77.520658 23.864966 77.511271 23.818030 77.497190 23.771093 77.487802 23.752318 77.469028 23.714769 77.459640 23.630283 77.461987 23.592734 77.452600 23.611508 77.422091 23.611508 77.417397 23.517635 77.419744 23.461311 77.405663 23.451923 77.382195 23.395599 77.382195 23.367437 77.377501 23.358050 77.375154 23.301726 77.370461 23.273564 77.361073 23.198465 77.368114 23.189078 77.384542 23.160916 77.393929 23.132754 77.386888 23.132754 77.365767 23.057655 77.361073 22.973169 77.349339 22.926232 77.335258 22.879296 77.325871 22.851134 77.311790 22.851134 77.295362 22.869908 77.288321 22.869908 77.278934 22.794810 77.267200 22.757260 77.260159 22.691549 77.248425 22.663387 77.276587 22.663387 77.278934 22.597675 77.267200 22.578901 77.264853 22.550739 77.257812 22.503802 77.257812 22.485027 77.274240 22.438091 77.290668 22.391154 77.307096 22.466253 77.325871 22.503802 77.344645 22.597675 77.363420 22.616450 77.379848 22.578901 77.408010 22.569513 77.429131 22.616450 77.450253 22.672774 77.464334 22.729098 77.471374 22.804197 77.476068 22.804197 77.497190 22.832359 77.513617 22.869908 77.539433 22.832359 77.539433 22.729098 77.534739 22.682162 77.520658 22.663387 77.490149 22.635225 77.483109 22.597675 77.497190 22.578901 77.518311 22.607063 77.525352 22.635225 77.544126 22.616450 77.553514 22.541351 77.558207 22.447478 77.560554 22.381767 77.548820 22.297281 77.527698 22.278506 77.499536 22.259731 77.487802 22.194020 77.480762 22.137696 77.487802 22.071984 77.480762 22.053210 77.461987 21.987498 77.461987 21.884238 77.469028 21.799752 77.469028 21.715265 77.466681 21.658941 77.461987 21.565068 77.461987 21.508744 77.457293 21.424258 77.457293 21.377321 77.445559 21.311610 77.429131 21.245898 77.433825 21.189574 77.438519 21.161412 77.452600 21.114476 77.443212 21.058152 77.438519 20.992440 77.431478 20.926729 77.447906 20.851630 77.459640 20.851630 77.466681 20.870405 77.497190 20.851630 77.515964 20.842243 77.525352 20.907954 77.534739 20.936116 77.551167 20.926729 77.569942 20.954891 77.569942 21.048764 77.576982 21.152025 77.595757 21.217736 77.612185 21.236511 77.630959 21.217736 77.652081 21.236511 77.659121 21.245898 77.689630 21.236511 77.715445 21.255286 77.727179 21.339772 77.755341 21.339772 77.776463 21.367934 77.788197 21.414871 77.799931 21.480582 77.830440 21.499357 77.872683 21.536906 77.889111 21.565068 77.903192 21.555681 77.914926 21.480582 77.924314 21.396096 77.926660 21.302222 77.947782 21.208349 77.952476 21.142638 77.959516 21.152025 77.990025 21.142638 78.001759 21.058152 78.001759 20.992440 78.018187 20.964278 78.036962 20.851630 78.046349 20.842243 78.051043 20.879792 78.062777 20.879792 78.072164 20.898567 78.095633 20.992440 78.105020 21.086314 78.119101 21.161412 78.128488 21.245898 78.135529 21.367934 78.163691 21.499357 78.170731 21.649554 78.177772 21.734040 78.182465 21.780977 78.194200 21.846688 78.187159 21.978111 78.180119 22.062597 78.173078 22.128308 78.175425 22.194020 78.187159 22.306668 78.184812 22.372379 78.182465 22.447478 78.184812 22.541351 78.205934 22.550739 78.210628 22.550739 78.220015 22.578901 78.220015 22.691549 78.220015 22.729098 78.220015 22.719711 78.227055 22.757260 78.227055 22.785422 78.229402 22.813584 78.238790 22.832359 78.259911 22.860521 78.281033 22.888683 78.281033 # -b 26.427710 78.703463 26.465260 78.705810 26.465260 78.698769 26.465260 78.694076 26.512196 78.689382 26.540358 78.658873 26.540358 78.654179 26.596683 78.654179 26.671781 78.628364 26.737493 78.626017 26.821979 78.633058 26.868915 78.637751 26.897077 78.665914 26.934627 78.679995 26.934627 78.687035 26.887690 78.687035 26.803204 78.715197 26.775042 78.729278 26.671781 78.736319 26.643619 78.757440 26.634232 78.769174 26.615457 78.773868 26.568520 78.790296 26.484034 78.809070 26.446485 78.806724 26.418323 78.799683 26.418323 78.776215 26.399548 78.776215 26.352612 78.766827 26.361999 78.764481 26.380774 78.748053 26.399548 78.733972 26.399548 78.731625 26.408936 78.722238 26.418323 78.708157 26.427710 78.703463 # -b 28.976373 78.839579 29.004535 78.844273 29.004535 78.841926 29.023310 78.839579 29.089021 78.841926 29.126571 78.832539 29.201670 78.823151 29.276768 78.823151 29.286156 78.837232 29.304930 78.851313 29.408191 78.858354 29.436353 78.863048 29.502064 78.865395 29.549001 78.870088 29.558388 78.874782 29.549001 78.893557 29.530226 78.902944 29.483290 78.900597 29.483290 78.893557 29.473902 78.886516 29.380029 78.874782 29.304930 78.874782 29.229832 78.874782 29.164120 78.874782 29.098409 78.893557 29.032697 78.893557 28.976373 78.898250 28.966986 78.902944 29.004535 78.909984 29.023310 78.917025 28.976373 78.921719 28.873113 78.935800 28.788627 78.935800 28.685366 78.935800 28.657204 78.940493 28.619654 78.952227 28.600880 78.954574 28.553943 78.949881 28.478844 78.945187 28.441295 78.942840 28.441295 78.935800 28.460070 78.921719 28.460070 78.919372 28.460070 78.914678 28.441295 78.914678 28.394358 78.912331 28.375584 78.905291 28.338034 78.893557 28.291097 78.893557 28.234773 78.900597 28.187837 78.902944 28.150287 78.895903 28.018865 78.872435 28.000090 78.872435 28.000090 78.874782 28.000090 78.870088 27.990703 78.834886 27.981315 78.837232 27.915604 78.851313 27.849892 78.858354 27.793568 78.858354 27.793568 78.851313 27.793568 78.830192 27.802956 78.825498 27.793568 78.816111 27.793568 78.809070 27.849892 78.806724 27.924991 78.809070 28.000090 78.804377 28.037639 78.806724 28.037639 78.827845 28.103351 78.830192 28.150287 78.841926 28.178449 78.846620 28.272323 78.851313 28.338034 78.863048 28.347422 78.863048 28.356809 78.870088 28.347422 78.863048 28.347422 78.867741 28.403746 78.865395 28.478844 78.856007 28.553943 78.865395 28.544556 78.879476 28.535168 78.884169 28.553943 78.886516 28.610267 78.891210 28.713528 78.884169 28.807401 78.888863 28.854338 78.874782 28.901275 78.858354 28.938824 78.848967 28.976373 78.839579 # -b 27.112986 80.005956 27.103599 79.989529 27.122374 79.968407 27.037888 79.935551 27.047275 79.919123 27.028500 79.909736 27.075437 79.907389 27.141148 79.895655 27.178698 79.886268 27.169310 79.860453 27.122374 79.839331 27.094212 79.820556 27.037888 79.818210 26.962789 79.815863 26.850141 79.815863 26.775042 79.808822 26.756267 79.787701 26.699943 79.780660 26.587295 79.750151 26.587295 79.733724 26.615457 79.724336 26.587295 79.724336 26.512196 79.719642 26.465260 79.698521 26.446485 79.682093 26.390161 79.675053 26.361999 79.691480 26.324450 79.684440 26.296288 79.675053 26.258738 79.660972 26.221189 79.642197 26.164865 79.639850 26.108541 79.656278 26.052217 79.651584 26.033442 79.632810 25.986505 79.632810 25.958343 79.630463 25.873857 79.609341 25.826921 79.597607 25.826921 79.567098 25.836308 79.543630 25.920794 79.541283 25.948956 79.517815 25.902019 79.513121 25.911407 79.496693 25.902019 79.487306 25.892632 79.480265 25.883245 79.470878 25.817533 79.470878 25.779984 79.473225 25.751822 79.463837 25.761209 79.447410 25.779984 79.430982 25.751822 79.414554 25.695498 79.409860 25.704885 79.393432 25.704885 79.386392 25.657948 79.377005 25.592237 79.374658 25.526526 79.369964 25.442040 79.351189 25.404490 79.341802 25.376328 79.334762 25.338779 79.332415 25.291842 79.320681 25.244905 79.320681 25.207356 79.332415 25.160419 79.332415 25.141645 79.320681 25.122870 79.313640 25.066546 79.311293 25.019609 79.318334 25.019609 79.332415 24.963285 79.334762 24.897574 79.346496 24.869412 79.351189 24.841250 79.351189 24.822475 79.348843 24.784926 79.341802 24.700440 79.325374 24.625341 79.306600 24.531468 79.301906 24.437594 79.294865 24.371883 79.292518 24.296784 79.290172 24.240460 79.276091 24.240460 79.257316 24.240460 79.252622 24.221685 79.250275 24.212298 79.226807 24.155974 79.210379 24.137199 79.186911 24.090263 79.175177 24.052713 79.172830 24.024551 79.172830 23.996389 79.177524 23.949452 79.175177 23.940065 79.163443 23.902516 79.158749 23.827417 79.154055 23.752318 79.147015 23.695994 79.147015 23.686607 79.147015 23.686607 79.158749 23.630283 79.151708 23.592734 79.147015 23.555184 79.147015 23.451923 79.147015 23.386212 79.147015 23.376825 79.151708 23.386212 79.163443 23.367437 79.154055 23.311113 79.144668 23.245402 79.147015 23.236015 79.154055 23.236015 79.163443 23.226627 79.165789 23.170303 79.170483 23.104592 79.161096 23.020106 79.165789 22.935620 79.177524 22.916845 79.189258 22.945007 79.196298 22.954394 79.198645 22.888683 79.198645 22.832359 79.210379 22.804197 79.226807 22.822972 79.243235 22.832359 79.250275 22.813584 79.238541 22.785422 79.238541 22.700936 79.247929 22.672774 79.254969 22.644612 79.269050 22.616450 79.297212 22.607063 79.323027 22.635225 79.330068 22.691549 79.355883 22.700936 79.365270 22.719711 79.386392 22.682162 79.393432 22.644612 79.372311 22.597675 79.365270 22.550739 79.360577 22.494415 79.367617 22.409929 79.369964 22.306668 79.372311 22.231569 79.384045 22.165858 79.393432 22.118921 79.393432 22.090759 79.386392 22.062597 79.377005 21.987498 79.372311 21.921787 79.358230 21.865463 79.348843 21.780977 79.358230 21.734040 79.369964 21.696491 79.374658 21.621392 79.369964 21.565068 79.377005 21.546293 79.384045 21.546293 79.388739 21.555681 79.395779 21.536906 79.402820 21.480582 79.402820 21.461807 79.386392 21.471195 79.372311 21.443033 79.360577 21.377321 79.374658 21.339772 79.391086 21.302222 79.381698 21.255286 79.372311 21.189574 79.369964 21.123863 79.372311 21.095701 79.369964 21.095701 79.353536 21.067539 79.348843 21.029990 79.351189 20.992440 79.344149 20.926729 79.341802 20.879792 79.339455 20.832855 79.341802 20.785919 79.358230 20.729595 79.369964 20.729595 79.381698 20.738982 79.402820 20.720207 79.416901 20.682658 79.433329 20.654496 79.438022 20.598172 79.433329 20.513686 79.428635 20.429200 79.430982 20.344714 79.430982 20.325939 79.433329 20.232066 79.442716 20.166354 79.454450 20.119418 79.470878 20.091256 79.484959 # -b 19.931671 79.614035 20.044319 79.606994 20.138192 79.604648 20.185129 79.597607 20.185129 79.578832 20.279002 79.578832 20.325939 79.553017 20.438587 79.557711 20.588785 79.557711 20.682658 79.553017 20.776531 79.564751 20.851630 79.560058 20.898567 79.553017 20.926729 79.536589 21.029990 79.541283 21.095701 79.548324 21.067539 79.553017 21.029990 79.567098 21.039377 79.578832 21.020602 79.592913 20.926729 79.583526 20.814081 79.588220 20.804693 79.604648 20.767144 79.599954 20.682658 79.602301 20.598172 79.614035 20.551235 79.618729 20.607559 79.628116 20.626334 79.639850 20.616947 79.644544 20.579397 79.658625 20.616947 79.660972 20.673271 79.677399 20.767144 79.679746 20.870405 79.684440 20.870405 79.663318 20.936116 79.658625 20.973666 79.679746 21.020602 79.684440 21.114476 79.679746 21.170800 79.686787 21.255286 79.691480 21.311610 79.693827 21.311610 79.684440 21.349159 79.677399 21.508744 79.679746 21.630779 79.675053 21.752815 79.679746 21.809139 79.682093 21.837301 79.691480 21.809139 79.696174 21.818526 79.707908 21.884238 79.710255 21.921787 79.712602 21.940562 79.710255 21.978111 79.717296 21.978111 79.743111 21.996886 79.752498 21.968724 79.757192 21.846688 79.750151 21.799752 79.759539 21.837301 79.768926 21.921787 79.773620 21.931174 79.794741 21.931174 79.808822 21.884238 79.799435 21.846688 79.787701 21.780977 79.787701 21.724653 79.799435 21.649554 79.799435 21.612005 79.785354 21.555681 79.775967 21.443033 79.775967 21.339772 79.778313 21.302222 79.773620 21.217736 79.773620 21.114476 79.778313 21.001828 79.773620 20.870405 79.775967 20.842243 79.775967 20.814081 79.778313 20.785919 79.780660 20.738982 79.759539 20.598172 79.764232 20.466749 79.764232 20.372876 79.764232 20.363488 79.759539 20.354101 79.750151 20.241453 79.752498 20.156967 79.752498 20.138192 79.750151 20.110030 79.747805 20.025544 79.721989 # -b 22.128308 80.010650 22.184632 79.987182 22.297281 79.968407 22.325443 79.982488 22.353605 79.994222 22.438091 79.991875 # -b 21.320997 69.888750 21.255286 70.013132 # -b 21.973417 69.989664 21.973417 70.062416 21.851382 70.062416 21.696491 70.088231 21.541600 70.121087 21.541600 70.168024 21.541600 70.283018 21.607311 70.259550 21.687103 70.193839 21.795058 70.137515 21.804445 70.240775 21.893625 70.273631 21.940562 70.245469 22.057903 70.273631 22.090759 70.212613 22.161164 70.231388 22.212794 70.170370 22.212794 70.125780 22.358298 70.107006 22.447478 70.118740 22.391154 70.196186 22.564820 70.193839 22.785422 70.189145 22.921539 70.175064 22.940313 70.170370 22.963782 70.158636 22.874602 70.121087 22.841746 70.095272 23.085817 70.069456 22.987250 70.048335 # -b 23.228974 69.956808 23.252442 70.050682 23.299379 70.118740 23.252442 70.168024 23.275911 70.203226 23.365091 70.233735 23.505901 70.297099 23.595080 70.362811 23.825070 70.447297 24.111384 70.447297 24.280356 70.447297 24.214645 70.529436 24.346068 70.602188 24.599526 70.646778 24.566670 70.674940 24.421166 70.721877 24.313212 70.806363 24.378923 70.801669 24.566670 70.773507 24.585445 70.834525 24.599526 70.921358 24.730949 70.921358 24.787273 70.886155 24.960938 70.961254 24.984407 70.916664 25.050118 70.879115 25.172154 70.853299 25.195622 70.775854 25.359900 70.787588 25.505404 70.820444 25.622746 70.860340 25.702538 70.846259 25.801105 70.822791 25.669683 70.733611 25.589890 70.705449 25.425612 70.635044 25.270721 70.555251 25.214397 70.496580 25.148685 70.447297 25.172154 70.405054 25.129911 70.327608 25.115830 70.292406 25.129911 70.252510 25.026650 70.233735 24.928083 70.182105 24.909308 70.111699 24.928083 70.031907 25.082974 70.057722 25.214397 70.125780 25.336432 70.196186 25.481936 70.283018 25.327045 70.226694 25.434999 70.341689 25.603971 70.412094 25.711926 70.496580 25.810493 70.536477 25.833961 70.550558 26.012321 70.653818 26.176599 70.740651 26.331490 70.820444 26.439445 70.893196 26.561480 70.916664 26.641272 70.907277 26.674128 70.834525 26.674128 70.773507 26.660047 70.707796 26.495769 70.653818 26.528624 70.635044 26.674128 70.566985 26.584948 70.459031 26.561480 70.360464 26.692903 70.405054 26.824326 70.451991 27.035541 70.451991 27.026153 70.543517 27.091865 70.602188 27.223287 70.609229 27.199819 70.674940 27.246756 70.726570 27.368791 70.780547 27.453277 70.860340 27.500214 70.926051 27.556538 70.970641 27.589394 71.076249 27.673880 71.043393 27.786528 71.001150 28.016518 71.057474 28.129166 71.057474 28.260589 71.022272 28.227733 70.963601 28.448335 70.963601 28.424867 70.867380 28.293444 70.785241 27.974275 70.799322 27.861627 70.747692 28.016518 70.681980 27.753672 70.609229 27.917951 70.609229 28.204265 70.674940 28.284057 70.616269 28.115085 70.529436 27.917951 70.470765 27.974275 70.444950 28.096310 70.463725 28.171409 70.459031 28.284057 70.426175 28.349768 70.419135 28.570371 70.456684 28.523434 70.543517 28.537515 70.660859 28.570371 70.740651 28.734649 70.834525 28.880153 70.848606 28.997495 70.822791 29.166467 70.846259 29.208710 70.806363 29.283809 70.785241 29.297890 70.726570 29.274421 70.696061 29.283809 70.672593 29.316664 70.656165 29.438700 70.674940 29.673383 70.705449 29.715626 70.672593 29.715626 70.628003 29.837662 70.646778 29.959697 70.705449 # -b 30.001940 70.069456 29.739095 70.076497 29.518492 70.092925 29.372988 70.102312 29.232178 70.125780 29.096062 70.121087 28.922396 70.151596 28.678325 70.175064 28.678325 70.146902 28.645470 70.125780 28.725262 70.092925 28.978720 70.069456 29.063206 70.043641 29.175854 70.001398 # -b 19.999729 70.095272 20.065440 70.074150 # -b 20.682658 70.214960 20.734288 70.219654 20.748369 70.196186 20.790612 70.175064 20.757757 70.132821 20.748369 70.043641 20.701433 70.027213 20.626334 70.038948 20.626334 70.099965 20.560623 70.062416 20.471443 70.088231 20.471443 70.146902 20.527767 70.196186 20.682658 70.214960 # -b 22.733792 70.226694 22.700936 70.226694 22.602369 70.257203 22.466253 70.285365 22.447478 70.322915 22.499108 70.355770 22.602369 70.353423 22.686855 70.341689 22.752567 70.336996 22.822972 70.327608 22.921539 70.290059 22.930926 70.238429 22.888683 70.231388 22.766648 70.226694 22.733792 70.226694 # -b 22.358298 70.646778 22.414622 70.656165 22.414622 70.681980 22.433397 70.674940 22.489721 70.674940 22.522577 70.700755 22.555432 70.689021 22.555432 70.679634 22.555432 70.667899 22.564820 70.623310 22.644612 70.639737 22.766648 70.646778 22.776035 70.681980 22.766648 70.712489 22.874602 70.712489 22.921539 70.672593 23.043574 70.656165 23.095205 70.623310 23.085817 70.583413 22.987250 70.583413 22.963782 70.536477 22.888683 70.508315 22.752567 70.536477 22.668081 70.491887 22.564820 70.484846 22.499108 70.515355 22.358298 70.482499 22.301974 70.522396 22.245650 70.451991 22.194020 70.557598 22.179939 70.574026 22.048516 70.588107 22.081372 70.606882 22.170551 70.632697 22.301974 70.620963 22.358298 70.646778 # -b 23.383865 70.327608 23.332235 70.336996 23.332235 70.308834 23.243055 70.283018 23.163263 70.285365 23.064696 70.292406 22.989597 70.334649 22.966129 70.367505 22.989597 70.400360 22.966129 70.433216 22.933273 70.447297 23.008372 70.489540 23.111632 70.466072 23.163263 70.529436 23.243055 70.515355 23.332235 70.510661 23.416721 70.557598 23.496513 70.536477 23.562225 70.496580 23.585693 70.447297 23.505901 70.386279 23.383865 70.327608 # -b 23.935371 70.517702 23.846192 70.491887 23.813336 70.529436 23.747625 70.602188 23.691301 70.696061 23.738237 70.728917 23.789868 70.681980 23.879047 70.689021 24.001083 70.653818 24.033939 70.590454 24.057407 70.574026 24.043326 70.550558 24.043326 70.524742 23.935371 70.517702 # -b 25.831614 71.062168 25.897326 71.024618 25.920794 71.008190 25.977118 70.989416 25.995893 70.968294 25.995893 70.942479 25.920794 70.954213 25.831614 70.961254 25.765903 70.933092 25.723660 70.916664 25.634480 70.935439 25.554688 70.926051 25.503057 70.933092 25.479589 70.933092 25.465508 70.935439 25.423265 70.928398 25.390409 70.956560 25.521832 70.982375 25.568769 71.017578 25.399797 71.022272 25.282455 71.008190 25.301230 71.043393 25.456121 71.052780 25.611012 71.038699 25.653255 71.078596 25.634480 71.111451 25.742435 71.071555 25.831614 71.062168 # -b 14.749859 79.740764 14.937606 79.719642 14.975155 79.719642 15.031479 79.719642 15.040866 79.707908 15.050254 79.691480 15.115965 79.682093 15.162902 79.663318 15.200451 79.642197 15.228613 79.616382 15.256775 79.595260 15.275550 79.564751 15.284937 79.534243 15.294325 79.510774 15.322487 79.475572 15.341261 79.445063 15.369423 79.421594 15.369423 79.416901 15.369423 79.416901 15.369423 79.405167 15.369423 79.388739 15.388198 79.358230 15.444522 79.325374 15.491459 79.290172 15.491459 79.247929 15.482071 79.222113 15.491459 79.196298 15.435135 79.175177 15.388198 79.149362 15.416360 79.132934 15.472684 79.137627 15.491459 79.158749 15.557170 79.165789 15.632269 79.165789 15.716755 79.137627 15.829403 79.093038 15.885727 79.057835 15.970213 79.034367 16.035924 78.999164 16.082861 78.961615 16.195509 78.931106 16.308157 78.912331 16.458355 78.900597 16.486517 78.917025 16.411418 78.956921 16.289383 79.008551 16.223671 79.048448 16.120411 79.085997 16.064086 79.114159 16.007762 79.149362 15.998375 79.182217 15.979600 79.233848 15.913889 79.262010 15.885727 79.306600 15.876340 79.360577 15.848178 79.386392 15.829403 79.407513 15.829403 79.459144 15.829403 79.501387 15.829403 79.550670 15.791854 79.574139 15.782466 79.611688 15.754304 79.646891 15.754304 79.691480 15.744917 79.696174 15.679205 79.693827 15.669818 79.724336 15.669818 79.747805 15.735530 79.785354 15.735530 79.820556 15.763692 79.855759 15.876340 79.853412 16.035924 79.867493 15.998375 79.888615 15.932664 79.909736 15.970213 79.928511 15.988988 79.959020 15.998375 79.998916 # -b 16.556922 80.010650 16.556922 79.989529 16.575697 79.959020 16.575697 79.937898 16.575697 79.909736 16.575697 79.890961 16.575697 79.867493 16.678957 79.872187 16.735281 79.855759 16.857317 79.848718 16.866704 79.876880 16.819767 79.909736 16.951190 79.919123 17.063838 79.928511 17.138937 79.909736 17.251585 79.895655 17.401782 79.867493 17.542593 79.836984 17.683403 79.808822 17.777276 79.771273 17.908699 79.738417 17.871150 79.705561 17.861762 79.675053 17.777276 79.660972 17.749114 79.630463 17.730339 79.592913 17.692790 79.557711 17.570755 79.536589 17.523818 79.508427 17.580142 79.517815 17.645853 79.499040 17.674015 79.470878 17.711565 79.445063 17.702177 79.421594 17.645853 79.388739 17.561367 79.365270 17.570755 79.332415 17.645853 79.360577 17.730339 79.379351 17.758501 79.386392 17.805438 79.414554 17.936861 79.430982 18.049509 79.459144 18.058896 79.463837 17.965023 79.489653 17.983798 79.527202 18.002572 79.550670 18.058896 79.574139 18.115220 79.590567 18.199706 79.604648 18.274805 79.574139 18.453165 79.571792 18.509489 79.550670 18.593975 79.513121 18.650299 79.475572 18.687848 79.442716 18.725397 79.421594 18.781722 79.393432 18.838046 79.372311 18.828658 79.334762 18.781722 79.313640 18.781722 79.290172 18.716010 79.243235 18.725397 79.208032 18.762947 79.172830 18.913144 79.175177 19.044567 79.165789 19.194765 79.170483 19.373124 79.161096 19.504547 79.128240 19.635970 79.118853 19.645357 79.114159 19.673519 79.093038 19.701681 79.064875 19.767392 79.032020 19.842491 78.992124 19.983301 78.968655 # -b 20.020850 78.588468 19.926977 78.567346 19.823716 78.574387 19.758005 78.579081 19.692294 78.572040 19.513934 78.565000 19.589033 78.534491 19.560871 78.506329 19.523321 78.459392 19.354349 78.461739 19.288638 78.431230 19.147828 78.433577 19.016405 78.414802 19.063342 78.374906 19.063342 78.318582 19.035180 78.276339 19.072729 78.250524 19.007018 78.245830 19.016405 78.227055 19.044567 78.205934 18.969468 78.173078 18.969468 78.140222 18.969468 78.097979 18.997630 78.051043 18.969468 78.008800 18.903757 77.997066 18.819271 78.008800 18.687848 78.025228 18.575200 78.015840 18.425003 78.001759 18.425003 77.975944 18.453165 77.954822 18.453165 77.919620 18.434390 77.882071 18.453165 77.830440 18.490714 77.806972 18.462552 77.776463 18.406228 77.731873 18.406228 77.708405 18.387453 77.670855 18.434390 77.673202 18.425003 77.642693 18.387453 77.598104 18.349904 77.572288 18.331129 77.569942 18.331129 77.555861 18.331129 77.530045 18.274805 77.504230 18.274805 77.469028 18.209094 77.461987 18.068284 77.483109 17.946248 77.469028 17.758501 77.464334 17.580142 77.436172 17.608304 77.400969 17.739727 77.410357 17.777276 77.389235 17.814825 77.363420 17.749114 77.356380 17.627079 77.356380 17.467494 77.311790 17.401782 77.276587 17.373620 77.241385 17.383008 77.215569 17.373620 77.189754 17.373620 77.152205 17.392395 77.138124 17.401782 77.117002 17.392395 77.093534 17.354846 77.063025 17.307909 77.032516 17.336071 77.020782 17.383008 76.994967 17.317296 76.964458 17.373620 76.955071 17.354846 76.933949 17.279747 76.896400 17.176486 76.870585 17.082613 76.851810 17.045064 76.821301 17.073226 76.800180 17.063838 76.788445 17.016902 76.755590 17.101388 76.708653 17.120162 76.675797 17.063838 76.664063 17.054451 76.640595 17.045064 76.603045 16.951190 76.579577 16.847929 76.556109 16.678957 76.553762 16.556922 76.586618 16.556922 76.614780 16.538147 76.610086 16.491210 76.591311 16.425499 76.560802 16.331626 76.556109 16.350400 76.603045 16.322238 76.628861 16.331626 76.657023 16.303464 76.689878 16.143879 76.729775 15.965519 76.755590 15.730836 76.804873 15.599413 76.837729 15.599413 76.882319 15.674512 76.898747 15.758998 76.910481 15.918583 76.922215 16.050005 76.915175 16.181428 76.924562 16.218978 76.891706 16.369175 76.950377 16.369175 76.980886 16.256527 76.976192 16.134492 77.011395 16.059393 77.011395 15.909195 77.006701 15.824709 76.985580 15.730836 76.997314 15.608800 76.983233 15.467990 76.980886 15.299018 76.987926 15.195757 77.002007 15.195757 77.053638 15.054947 77.095881 14.970461 77.091187 14.782714 77.114655 14.613742 77.135777 14.416608 77.152205 14.369671 77.192101 14.303960 77.224957 14.228861 77.239038 14.172537 77.271893 14.144375 77.314136 14.088051 77.330564 14.022340 77.370461 14.050502 77.393929 14.097439 77.433825 14.012953 77.494843 14.116213 77.511271 14.275798 77.560554 14.416608 77.555861 14.529256 77.548820 14.548031 77.513617 14.585580 77.457293 14.726390 77.464334 14.773327 77.492496 14.782714 77.520658 14.970461 77.523005 15.026785 77.506577 15.158208 77.501883 15.280244 77.508924 15.374117 77.515964 15.374117 77.511271 15.411666 77.501883 15.571251 77.494843 15.740223 77.487802 15.974907 77.471374 15.993681 77.499536 15.881033 77.544126 15.758998 77.544126 15.571251 77.569942 15.383504 77.576982 15.242694 77.576982 15.045560 77.586369 14.895363 77.616878 14.848426 77.647387 14.895363 77.656774 14.998623 77.647387 15.111271 77.663815 15.242694 77.677896 15.317793 77.684936 15.486765 77.694324 15.599413 77.715445 15.693287 77.710752 15.796547 77.724833 15.890421 77.710752 15.909195 77.717792 16.068780 77.729526 16.078167 77.752995 16.143879 77.750648 16.294076 77.752995 16.303464 77.781157 16.331626 77.799931 16.434886 77.764729 16.509985 77.771769 16.556922 77.785850 16.707119 77.783504 16.829155 77.767076 16.932415 77.783504 16.876091 77.837481 16.791605 77.865643 16.876091 77.860949 16.857317 77.900845 16.810380 77.903192 16.669570 77.889111 16.632021 77.844521 16.538147 77.842174 16.406724 77.816359 16.256527 77.828093 16.068780 77.821053 15.927970 77.802278 15.852871 77.799931 15.796547 77.799931 15.712061 77.821053 15.608800 77.828093 15.543089 77.825747 15.411666 77.818706 15.336568 77.799931 15.242694 77.778810 15.242694 77.774116 15.176983 77.771769 15.092497 77.762382 14.998623 77.760035 14.961074 77.752995 14.895363 77.769423 14.839039 77.738914 14.726390 77.734220 14.688841 77.767076 14.604355 77.762382 14.604355 77.738914 14.519869 77.741260 14.454158 77.731873 14.332122 77.731873 14.238249 77.757688 14.163150 77.736567 14.059889 77.710752 13.890917 77.710752 13.759494 77.724833 13.759494 77.748301 13.797044 77.776463 13.740720 77.806972 13.721945 77.825747 13.703170 77.860949 13.665621 77.875030 13.665621 77.903192 13.646846 77.947782 13.656234 77.982984 13.646846 78.006453 13.721945 78.029921 13.853368 78.041655 13.928466 78.044002 14.022340 78.013493 14.088051 77.964210 14.219474 77.950129 14.275798 77.980638 14.172537 78.022881 14.200699 78.051043 14.369671 78.065124 14.548031 78.067471 14.754552 78.081552 14.867201 78.067471 15.045560 78.076858 15.036173 78.137876 15.111271 78.144916 15.167595 78.180119 15.289631 78.191853 15.355342 78.227055 15.486765 78.224709 15.627575 78.198893 15.683899 78.229402 15.561864 78.285726 15.627575 78.292767 15.730836 78.313888 15.852871 78.342050 15.927970 78.337357 16.059393 78.342050 16.134492 78.349091 16.256527 78.351438 16.284689 78.339703 16.350400 78.332663 16.425499 78.320929 16.613246 78.318582 16.763443 78.318582 16.800993 78.342050 16.885479 78.344397 16.988739 78.356131 17.054451 78.381946 17.110775 78.377253 17.279747 78.386640 17.364233 78.410108 17.307909 78.433577 17.148324 78.414802 16.951190 78.393681 16.894866 78.386640 16.894866 78.384293 16.772831 78.396027 16.660183 78.433577 16.603859 78.457045 16.547534 78.419496 16.425499 78.431230 16.378562 78.459392 16.406724 78.496941 16.472436 78.518063 16.500598 78.557959 16.632021 78.583774 16.697732 78.616630 16.791605 78.651833 16.688345 78.658873 16.669570 78.710503 16.613246 78.719891 16.538147 78.687035 16.378562 78.665914 16.406724 78.618977 16.378562 78.565000 16.265914 78.525103 16.106329 78.513369 16.068780 78.473473 15.881033 78.459392 15.730836 78.447658 15.599413 78.426536 15.496152 78.464086 15.355342 78.487554 15.299018 78.565000 15.289631 78.574387 15.402279 78.628364 15.477378 78.672954 15.543089 78.715197 15.524314 78.773868 15.430441 78.823151 15.252082 78.762134 15.214532 78.696422 15.214532 78.654179 15.111271 78.626017 15.054947 78.595508 14.961074 78.595508 14.857813 78.633058 14.876588 78.672954 14.857813 78.715197 14.754552 78.722238 14.623130 78.701116 14.576193 78.665914 14.529256 78.597855 14.519869 78.562653 14.501094 78.492248 14.416608 78.445311 14.538644 78.438271 14.641904 78.412455 14.688841 78.367865 14.594968 78.351438 14.454158 78.370212 14.369671 78.363172 14.275798 78.365519 14.172537 78.304501 14.181925 78.283379 14.144375 78.229402 14.041115 78.227055 13.994178 78.224709 13.900304 78.227055 13.834593 78.184812 13.703170 78.189506 13.581135 78.205934 13.552973 78.189506 13.515424 78.187159 13.449712 78.220015 13.393388 78.203587 13.355839 78.191853 13.252578 78.212974 13.205641 78.196546 13.074219 78.220015 13.027282 78.208281 12.942796 78.257564 13.036669 78.281033 13.017894 78.306848 12.989732 78.351438 12.877084 78.337357 12.792598 78.351438 12.642401 78.356131 12.623626 78.374906 12.595464 78.398374 12.445267 78.445311 12.473429 78.473473 12.689338 78.473473 12.820760 78.487554 12.970958 78.478167 13.158705 78.501635 13.196254 78.553265 12.989732 78.525103 12.848922 78.527450 12.689338 78.527450 12.567302 78.539184 12.398330 78.550919 12.219971 78.579081 12.032224 78.597855 12.004062 78.623670 11.882026 78.651833 11.910188 78.679995 11.806928 78.703463 11.656730 78.719891 11.675505 78.738665 11.750603 78.794989 11.872639 78.797336 11.910188 78.802030 11.966512 78.825498 11.938350 78.827845 11.788153 78.839579 11.591019 78.888863 11.459596 78.909984 11.346948 78.949881 11.562857 78.952227 11.684892 78.914678 11.938350 78.909984 12.135484 78.893557 12.379555 78.879476 12.417105 78.917025 12.398330 78.933453 12.323231 78.966308 12.126097 78.942840 11.966512 78.956921 11.947738 78.999164 11.844477 79.006205 11.656730 79.034367 11.703667 79.076610 11.853864 79.095384 11.806928 79.130587 11.853864 79.168136 12.004062 79.193951 11.975900 79.219767 12.022836 79.254969 12.022836 79.269050 11.882026 79.262010 11.778766 79.233848 11.769378 79.215073 11.675505 79.247929 11.468983 79.264356 11.365723 79.264356 11.506533 79.226807 11.628568 79.196298 11.450209 79.109465 11.271849 79.085997 11.177976 79.104772 11.159201 79.161096 11.121652 79.184564 11.112264 79.224460 10.999616 79.278437 10.999616 79.226807 10.980842 79.287825 10.933905 79.323027 10.886968 79.304253 10.886968 79.299559 10.830644 79.294865 10.811869 79.341802 10.811869 79.386392 10.811869 79.428635 10.774320 79.468531 10.689834 79.484959 10.671059 79.517815 10.811869 79.527202 10.952680 79.508427 11.009004 79.543630 10.896356 79.583526 10.802482 79.618729 10.774320 79.656278 10.793095 79.684440 10.905743 79.682093 10.990229 79.646891 11.055940 79.614035 11.271849 79.606994 11.309398 79.628116 11.206138 79.677399 11.131039 79.710255 11.140426 79.743111 11.206138 79.754845 11.300011 79.743111 11.403272 79.724336 11.497145 79.754845 11.459596 79.775967 11.459596 79.787701 11.515920 79.797088 11.534695 79.804129 11.637955 79.815863 11.703667 79.790048 11.750603 79.759539 11.844477 79.724336 11.947738 79.696174 12.013449 79.665665 12.079160 79.686787 12.154259 79.663318 12.210583 79.668012 12.201196 79.705561 12.154259 79.768926 12.135484 79.801782 12.135484 79.820556 12.285682 79.827597 12.323231 79.799435 12.323231 79.764232 12.464041 79.752498 12.482816 79.736070 12.623626 79.738417 12.726887 79.750151 12.895859 79.761886 12.970958 79.775967 13.149317 79.792394 13.261965 79.815863 13.477874 79.822903 13.590522 79.834637 13.759494 79.827597 13.797044 79.787701 13.862755 79.759539 13.853368 79.724336 13.768882 79.693827 13.665621 79.672706 13.459099 79.663318 13.337064 79.693827 13.280740 79.672706 13.017894 79.670359 12.961570 79.642197 12.726887 79.585873 12.633013 79.567098 12.435879 79.564751 12.370168 79.534243 12.464041 79.520162 12.595464 79.517815 12.726887 79.538936 12.942796 79.553017 13.102381 79.562405 13.261965 79.564751 13.449712 79.553017 13.393388 79.534243 13.355839 79.508427 13.205641 79.484959 13.271353 79.447410 13.233803 79.405167 13.318289 79.372311 13.421550 79.416901 13.459099 79.456797 13.656234 79.402820 13.740720 79.327721 13.872142 79.271397 14.097439 79.210379 14.228861 79.200992 14.116213 79.238541 14.031727 79.294865 14.012953 79.323027 13.947241 79.386392 13.872142 79.445063 13.872142 79.487306 13.843980 79.527202 13.900304 79.574139 14.088051 79.611688 14.097439 79.635156 14.266411 79.670359 14.303960 79.721989 14.341509 79.740764 14.454158 79.780660 14.519869 79.773620 14.641904 79.759539 14.745165 79.740764 # -b 10.513821 78.874782 10.513821 78.884169 10.626469 78.865395 10.757892 78.851313 10.861153 78.827845 10.870540 78.797336 10.992576 78.762134 11.142773 78.726931 11.161548 78.701116 11.161548 78.665914 11.199097 78.616630 11.217872 78.581427 11.283583 78.572040 11.339907 78.560306 11.302358 78.522757 11.368069 78.525103 11.433781 78.508676 11.443168 78.487554 11.630915 78.454698 11.743563 78.419496 11.837436 78.417149 11.874986 78.398374 11.856211 78.386640 11.884373 78.353784 11.940697 78.311541 12.043958 78.295114 12.090895 78.271645 12.072120 78.250524 12.100282 78.220015 12.137831 78.196546 12.025183 78.201240 11.912535 78.203587 11.856211 78.220015 11.818662 78.257564 11.809274 78.290420 11.771725 78.313888 11.649690 78.337357 11.602753 78.344397 11.593366 78.367865 11.443168 78.398374 11.405619 78.414802 11.339907 78.435924 11.264809 78.431230 11.161548 78.442964 11.077062 78.464086 11.020738 78.464086 10.889315 78.529797 10.879928 78.562653 10.832991 78.616630 10.757892 78.670607 10.673406 78.724584 10.570145 78.731625 10.504434 78.757440 10.513821 78.802030 10.513821 78.846620 10.513821 78.874782 # -b 18.884982 74.453344 18.894370 74.453344 18.894370 74.448651 18.894370 74.436917 18.903757 74.422836 18.960081 74.404061 19.025792 74.394674 19.016405 74.373552 18.974162 74.347737 19.016405 74.345390 19.072729 74.338350 19.138440 74.359471 19.204152 74.373552 19.213539 74.394674 19.213539 74.422836 19.237008 74.429876 19.269863 74.460385 19.269863 74.474466 19.227620 74.476813 19.171296 74.497934 19.091504 74.519056 19.049261 74.519056 19.039873 74.497934 19.025792 74.486200 18.960081 74.486200 18.917838 74.493241 18.870901 74.483853 18.870901 74.469772 18.884982 74.453344 # -b 20.086562 79.484959 19.983301 79.487306 19.908202 79.501387 19.889428 79.515468 19.851878 79.529549 19.795554 79.538936 19.729843 79.553017 19.692294 79.576486 19.692294 79.583526 19.701681 79.588220 19.776780 79.595260 19.851878 79.592913 19.917590 79.606994 19.926977 79.614035 # -b 20.020850 79.721989 19.926977 79.719642 19.833104 79.719642 19.739230 79.726683 19.711068 79.726683 19.711068 79.712602 19.664132 79.707908 19.570258 79.698521 19.513934 79.684440 19.438835 79.689134 19.438835 79.707908 19.354349 79.717296 19.298025 79.710255 19.232314 79.717296 19.166602 79.712602 19.129053 79.710255 19.072729 79.710255 18.997630 79.712602 18.941306 79.717296 18.875595 79.710255 18.847433 79.707908 18.809884 79.710255 18.791109 79.710255 18.762947 79.719642 18.678461 79.729030 18.706623 79.738417 18.744172 79.752498 18.678461 79.757192 18.650299 79.771273 18.659686 79.783007 18.622137 79.780660 18.556425 79.766579 18.528263 79.745458 18.490714 79.768926 18.425003 79.783007 18.425003 79.787701 18.425003 79.804129 18.368679 79.811169 18.302967 79.827597 18.312355 79.832291 18.312355 79.848718 18.312355 79.867493 18.274805 79.867493 18.180932 79.872187 18.152770 79.888615 18.190319 79.893308 18.274805 79.909736 18.378066 79.930858 18.453165 79.928511 18.556425 79.933204 18.565813 79.942592 18.500101 79.949632 18.471939 79.961367 18.509489 79.966060 18.565813 79.961367 18.697235 79.944939 18.725397 79.961367 18.706623 79.980141 18.725397 79.989529 # -b 18.863861 70.020173 18.863861 70.020173 # -b 18.786415 69.989664 18.730091 70.006092 18.683154 70.055375 18.739479 70.081191 18.852127 70.062416 19.039873 70.062416 19.114972 70.055375 19.147828 70.031907 # -b 19.215886 69.987317 19.347309 70.006092 # -b 18.884982 69.975583 18.917838 70.017826 18.861514 70.020173 # -b 19.821369 70.158636 19.854225 70.168024 19.877694 70.139861 19.943405 70.137515 19.999729 70.095272 # -b 20.065440 70.074150 19.990342 70.020173 19.844838 70.038948 19.722802 70.062416 19.704028 70.092925 19.624235 70.175064 19.549137 70.231388 19.600767 70.238429 19.689947 70.219654 19.713415 70.193839 19.746271 70.139861 19.821369 70.158636 # -b -14.205393 -7.918222 -14.249983 -7.873632 -14.249983 -7.927609 -14.228861 -7.962812 -14.205393 -7.951077 -14.205393 -7.918222 # -b -36.157689 -10.150062 -36.035653 -9.976396 -35.937086 -9.887216 -35.892496 -9.856708 -35.749340 -9.725285 -35.561593 -9.516416 -35.385580 -9.298161 -35.188446 -8.948482 -35.054676 -8.706758 -35.010086 -8.465034 -34.944375 -8.267900 -34.866930 -8.061379 -34.834074 -7.819655 -34.780097 -7.455895 -34.834074 -7.103870 -34.878664 -6.817556 -34.988965 -6.411554 -35.099266 -6.014938 -35.188446 -5.585468 -35.409048 -5.308541 -35.650772 -5.153650 -35.904231 -5.120794 -36.246869 -5.153650 -36.422881 -5.141916 -36.643484 -5.177118 -36.873474 -4.998759 -37.072955 -5.022227 -37.270089 -4.768769 -37.657316 -4.569288 -37.899040 -4.358073 -38.152499 -4.125736 -38.164233 -4.125736 -38.253413 -4.015435 -38.539726 -3.761977 -38.903486 -3.496784 -39.222656 -3.285569 -39.386934 -3.163534 -39.741306 -2.966400 -39.983030 -2.886607 # -b -50.048606 0.037549 -49.917183 -0.018775 # -b -39.983030 -2.886607 -40.248222 -2.886607 -40.412501 -2.886607 -40.832584 -2.910076 -41.163488 -2.966400 -41.581225 -2.931197 -42.001308 -2.820896 -42.451901 -2.731716 -42.707706 -2.666005 -42.904840 -2.588559 -43.148911 -2.466524 -43.301455 -2.478258 -43.313189 -2.489992 -43.324923 -2.478258 -43.500936 -2.454790 -43.545526 -2.400812 -43.578382 -2.335101 -43.766128 -2.532235 -43.864695 -2.600293 -43.984384 -2.654271 -44.172131 -2.743450 -44.249576 -2.755184 -44.305900 -2.766919 -44.350490 -2.776306 -44.371612 -2.788040 -44.425589 -2.809162 -44.493647 -2.809162 -44.493647 -2.600293 -44.350490 -2.433668 -44.282432 -2.323367 -44.327022 -2.257655 -44.416202 -2.177863 -44.503035 -2.177863 -44.603948 -2.201331 -44.690781 -2.112152 -44.559359 -2.091030 -44.493647 -1.990116 -44.657926 -1.757780 -44.714250 -1.581767 -44.747105 -1.513709 -44.866794 -1.513709 -44.866794 -1.513709 -45.033419 -1.546564 -45.176576 -1.624010 -45.340855 -1.724924 -45.340855 -1.492587 -45.364323 -1.337696 -45.573191 -1.225048 -45.782060 -1.203926 -45.847771 -1.147602 -45.892361 -1.093625 -45.993275 -1.126481 -46.124698 -1.004445 -46.443867 -1.025567 -46.631614 -0.938734 -46.885072 -0.837820 -47.093941 -0.748640 -47.138530 -0.694663 -47.260566 -0.605483 -47.281687 -0.605483 -47.403723 -0.661808 -47.624325 -0.638339 -47.734627 -0.650073 -47.943495 -0.694663 -47.966963 -0.715785 -47.988085 -0.715785 -47.999819 -0.793230 -48.020940 -0.861288 -48.110120 -0.870676 -48.142976 -1.081891 -48.196953 -1.081891 -48.286133 -1.081891 -48.340110 -1.260250 -48.351844 -1.447997 -48.450411 -1.570033 -48.527857 -1.546564 -48.605302 -1.537177 -48.727338 -1.591154 -48.980796 -1.736658 -49.013652 -1.814104 -49.058242 -1.936139 -49.156809 -2.177863 -49.201398 -2.267043 -49.234254 -2.344488 -49.278844 -2.511114 -49.311700 -2.555703 -49.365677 -2.412547 -49.365677 -2.245921 -49.332821 -2.100417 -49.267110 -1.924405 -49.222520 -1.846959 -49.222520 -1.814104 -49.278844 -1.802369 -49.332821 -1.724924 -49.201398 -1.659212 -48.957328 -1.525443 -48.804783 -1.424529 -48.649892 -1.248516 -48.605302 -1.114747 -48.462145 -0.837820 -48.450411 -0.528038 -48.384700 -0.328557 -48.372966 -0.295701 -48.682748 -0.218256 -48.947940 -0.185400 -49.091097 -0.218256 -49.112219 -0.251111 -49.123953 -0.251111 -49.222520 -0.307435 -49.499447 -0.283967 -49.785760 -0.206521 -49.938305 -0.206521 -49.950039 -0.206521 # -b -49.950039 -0.206521 -50.006363 -0.239377 -50.015750 -0.239377 -50.072074 -0.328557 -50.194110 -0.295701 -50.280943 -0.373147 -50.302064 -0.605483 -50.337267 -0.826086 -50.337267 -0.938734 -50.391244 -1.025567 -50.522667 -1.060769 -50.665824 -0.983324 -50.832449 -1.025567 -51.020196 -1.126481 -51.196208 -1.192192 -51.318244 -1.215661 -51.339365 -1.070157 -51.261920 -0.894144 -51.240798 -0.706397 -51.351099 -0.617218 -51.362834 -0.438858 -51.252532 -0.262846 -51.041317 -0.105608 -50.931016 -0.007041 # -b -80.017691 -2.290511 -79.928511 -2.189597 -79.895655 -2.177863 -79.907389 -2.257655 -79.907389 -2.356222 -79.907389 -2.522848 -79.862799 -2.555703 -79.785354 -2.489992 -79.761886 -2.478258 -79.752498 -2.555703 -79.797088 -2.666005 -79.818210 -2.853752 -79.862799 -2.966400 -79.895655 -3.109557 -79.928511 -3.154146 -79.982488 -3.240979 # -b -80.038812 -6.808169 -79.818210 -7.071014 -79.707908 -7.169581 -79.618729 -7.369062 -79.576486 -7.533341 -79.487306 -7.709353 -79.323027 -7.939343 -79.144668 -8.127090 -78.968655 -8.235044 -78.914678 -8.324224 -78.804377 -8.455647 -78.804377 -8.521358 -78.748053 -8.730227 -78.661220 -8.903892 -78.593162 -9.079905 -78.539184 -9.155004 -78.527450 -9.166738 -78.417149 -9.450705 -78.374906 -9.582128 -78.318582 -9.734672 -78.273992 -9.844973 -78.229402 -9.985783 # -b -89.355748 -0.748640 -89.332279 -0.727519 -89.332279 -0.804964 -89.355748 -0.870676 -89.466049 -0.971590 -89.552882 -0.992711 -89.609206 -0.959856 -89.609206 -0.882410 -89.543494 -0.837820 -89.466049 -0.783843 -89.409725 -0.760375 -89.355748 -0.748640 # -b -80.059934 0.171319 -80.137379 -0.018775 -80.292270 -0.218256 -80.402572 -0.361413 -80.423693 -0.516304 -80.402572 -0.682929 -80.468283 -0.715785 -80.590318 -0.905878 -80.745209 -0.983324 -80.864898 -1.081891 -80.820308 -1.382286 -80.820308 -1.591154 -80.864898 -1.692068 -80.820308 -1.957260 -80.799187 -2.079296 -80.832042 -2.189597 -80.855511 -2.201331 -80.888366 -2.245921 -80.843777 -2.335101 -80.745209 -2.412547 -80.634908 -2.466524 -80.512873 -2.543969 -80.402572 -2.644883 -80.336860 -2.677739 -80.313392 -2.677739 -80.304004 -2.654271 -80.235946 -2.576825 -80.160847 -2.511114 -80.125645 -2.466524 -80.083402 -2.367957 -80.017691 -2.290511 # -b -79.982488 -3.240979 -80.059934 -3.309038 -80.160847 -3.363015 -80.259415 -3.395870 -80.271149 -3.395870 # -b -80.271149 -3.395870 -80.292270 -3.419339 -80.346247 -3.508519 -80.524607 -3.595351 -80.677151 -3.729121 -80.799187 -3.851156 -80.897754 -3.949724 -81.019789 -4.083493 -81.174680 -4.203182 -81.252126 -4.315830 -81.273247 -4.512964 -81.284982 -4.691323 -81.207536 -4.900192 -81.151212 -4.977637 -81.130090 -5.087939 -81.141825 -5.153650 -81.097235 -5.329663 -80.986933 -5.451698 -80.888366 -5.594855 -80.864898 -5.728625 -81.040911 -5.848313 -81.141825 -5.970349 -80.998668 -6.113506 -80.888366 -6.212073 -80.623174 -6.366964 -80.435427 -6.488999 -80.226559 -6.632156 -80.038812 -6.808169 # -b -91.460859 -0.328557 -91.439737 -0.384881 -91.428003 -0.495182 -91.428003 -0.528038 -91.538304 -0.528038 -91.615750 -0.495182 -91.648605 -0.429471 -91.636871 -0.361413 -91.571160 -0.349678 -91.472593 -0.340291 -91.460859 -0.328557 # -b -91.371679 0.103261 -91.261378 -0.161932 -91.207400 -0.307435 -91.097099 -0.417737 -91.031388 -0.506916 -91.019654 -0.605483 -90.942208 -0.682929 -90.909352 -0.826086 -90.921087 -0.938734 -91.040775 -1.016180 -91.151076 -1.060769 -91.317702 -1.093625 -91.428003 -1.081891 -91.493714 -0.971590 -91.460859 -0.837820 -91.371679 -0.772109 -91.251990 -0.694663 -91.186279 -0.605483 -91.219135 -0.506916 -91.284846 -0.384881 -91.350557 -0.272233 -91.395147 -0.185400 -91.439737 -0.140810 -91.472593 -0.129076 -91.526570 -0.051630 # -b -90.712218 -0.206521 -90.831907 -0.218256 -90.876497 -0.295701 -90.876497 -0.373147 -90.810785 -0.384881 -90.733340 -0.417737 -90.667628 -0.417737 -90.623039 -0.349678 -90.623039 -0.272233 -90.712218 -0.206521 # -b -90.346112 -0.528038 -90.324990 -0.549159 -90.259279 -0.626605 -90.524471 -0.572628 -90.414170 -0.549159 -90.346112 -0.528038 -90.524471 -0.572628 -90.414170 -0.549159 -90.346112 -0.528038 # -b -140.030958 -8.727880 -139.988715 -8.760736 -139.955860 -8.849915 -139.965247 -8.903892 # -b -138.960802 -9.713551 -138.960802 -9.692429 -138.906824 -9.647839 -138.871622 -9.692429 -138.817645 -9.701816 -138.740199 -9.725285 -138.751933 -9.746406 -138.817645 -9.746406 -138.871622 -9.767528 -138.949067 -9.767528 -138.960802 -9.713551 # -b -140.087283 -8.727880 -140.054427 -8.718493 -140.030958 -8.727880 # -b -139.965247 -8.903892 -140.009837 -8.957870 -140.075548 -8.936748 -140.120138 -8.892158 -140.120138 -8.805325 -140.108404 -8.760736 -140.087283 -8.727880 # -b -157.906802 -9.002460 -157.895067 -8.990725 -157.850478 -8.969604 -157.784766 -9.014194 -157.740176 -9.079905 -157.751911 -9.101027 -157.805888 -9.089292 -157.850478 -9.035315 -157.906802 -9.002460 # -b -173.062663 -2.776306 -173.086131 -2.752838 -173.074397 -2.785693 -173.062663 -2.776306 # -b -170.668891 -3.705653 -170.690013 -3.715040 -170.690013 -3.672797 -170.657157 -3.693918 -170.657157 -3.738508 -170.668891 -3.705653 # -b -171.804759 -9.145616 -171.793025 -9.133882 -171.727314 -9.187860 -171.750782 -9.232449 -171.783638 -9.220715 -171.804759 -9.145616 # -b 174.318220 -0.635992 174.339341 -0.680582 174.372197 -0.769762 174.383931 -0.814352 174.372197 -0.758028 174.339341 -0.692316 174.318220 -0.635992 # -b 179.152700 -8.509624 179.164434 -8.596457 179.143313 -8.652781 179.098723 -8.629313 179.098723 -8.554214 179.098723 -8.521358 179.152700 -8.509624 # -b 160.816877 -8.389936 160.816877 -8.333612 160.849733 -8.324224 160.969421 -8.422791 161.046867 -8.575336 161.091457 -8.685637 161.091457 -8.772470 161.213492 -8.871037 161.323794 -9.035315 161.389505 -9.155004 161.368383 -9.232449 161.377771 -9.298161 161.478685 -9.319282 161.565518 -9.319282 161.654697 -9.429584 161.675819 -9.570394 161.666432 -9.614984 161.633576 -9.528151 161.445829 -9.483561 161.323794 -9.384994 161.147781 -9.199594 161.014011 -8.957870 160.903710 -8.739614 160.849733 -8.542480 160.837999 -8.422791 160.816877 -8.389936 # -b 160.263024 -8.990725 160.253637 -8.948482 160.340470 -8.925014 160.441384 -8.969604 160.518829 -9.056437 160.518829 -9.133882 160.417915 -9.133882 160.319348 -9.047049 160.263024 -8.990725 # -b 159.932120 -9.331016 160.098746 -9.352138 160.152723 -9.363872 160.209047 -9.363872 160.241903 -9.352138 160.263024 -9.352138 160.352204 -9.375606 160.429649 -9.363872 160.539951 -9.462439 160.671373 -9.537538 160.793409 -9.603249 160.891976 -9.680695 160.969421 -9.701816 160.960034 -9.833239 160.859120 -9.920072 160.694842 -9.887216 160.539951 -9.844973 160.363938 -9.823852 160.220781 -9.833239 160.075277 -9.833239 # -b 169.537717 -0.835473 169.525982 -0.814352 169.525982 -0.802618 169.558838 -0.802618 169.591694 -0.868329 169.591694 -0.924653 169.549451 -0.924653 169.525982 -0.880063 169.525982 -0.847207 169.537717 -0.835473 # -b 150.129390 -2.475911 150.141124 -2.431321 150.260813 -2.410200 150.371114 -2.410200 150.481415 -2.421934 150.549474 -2.565091 150.549474 -2.642536 150.448560 -2.663658 150.328871 -2.687126 150.206836 -2.576825 150.129390 -2.508767 150.129390 -2.475911 # -b 150.957823 -2.642536 150.967210 -2.586212 151.023534 -2.621415 151.145570 -2.698860 151.300461 -2.785693 151.410762 -2.886607 151.563306 -2.964053 151.741666 -3.086088 151.929413 -3.217511 152.126547 -3.240979 152.314294 -3.384136 152.424595 -3.494438 152.558364 -3.583617 152.668666 -3.661063 152.767233 -3.804220 152.889268 -3.905134 153.088749 -3.937989 153.154461 -4.015435 153.220172 -4.191448 153.297617 -4.313483 153.297617 -4.412050 153.220172 -4.545820 153.130992 -4.766422 152.966714 -4.778156 152.910390 -4.578675 152.844678 -4.313483 152.790701 -4.125736 152.713256 -3.905134 152.612342 -3.726774 152.513775 -3.571883 152.403473 -3.485050 152.304906 -3.461582 152.126547 -3.440460 151.938800 -3.318425 151.786256 -3.151800 151.664220 -3.140065 151.521063 -3.029764 151.410762 -2.975787 151.255871 -2.874873 151.100980 -2.764572 150.957823 -2.752838 150.957823 -2.687126 150.957823 -2.642536 # -b 149.908788 -5.517409 150.051944 -5.439964 150.051944 -5.317928 150.084800 -5.240483 150.150512 -5.109060 150.239691 -5.052736 150.293668 -5.085592 150.206836 -5.252217 150.195101 -5.428230 150.293668 -5.496288 150.448560 -5.461085 150.615185 -5.451698 150.746608 -5.517409 150.901499 -5.505675 151.035268 -5.451698 151.187813 -5.273339 151.354438 -5.052736 151.530451 -4.942435 151.640752 -4.954169 151.795643 -4.864989 151.819111 -4.677242 151.786256 -4.512964 151.708810 -4.346339 151.718197 -4.257159 151.873089 -4.224303 151.995124 -4.290015 152.105425 -4.280627 152.150015 -4.236037 152.269704 -4.203182 152.326028 -4.236037 152.403473 -4.257159 152.502040 -4.435518 152.513775 -4.677242 152.480919 -4.843868 152.370618 -4.954169 152.260316 -4.998759 152.203992 -5.130182 152.269704 -5.329663 152.150015 -5.550265 152.006858 -5.583121 151.786256 -5.550265 151.708810 -5.639445 151.697076 -5.770868 151.497595 -5.970349 151.255871 -6.090037 151.035268 -6.190951 150.856909 -6.244928 150.659775 -6.277784 150.472028 -6.277784 150.305403 -6.277784 150.105922 -6.322374 # -b 154.677557 -4.954169 154.656435 -4.965903 154.698678 -4.933047 154.743268 -5.076204 154.766736 -5.231096 154.766736 -5.329663 154.743268 -5.296807 154.689291 -5.153650 154.689291 -5.031615 154.677557 -4.954169 # -b 154.832448 -5.418842 154.886425 -5.428230 154.942749 -5.461085 155.097640 -5.484554 155.207941 -5.648832 155.351098 -5.827192 155.494255 -5.970349 155.628025 -6.113506 155.815772 -6.277784 156.012906 -6.432675 156.057496 -6.587566 156.069230 -6.686133 156.024640 -6.740110 155.902604 -6.805822 155.747713 -6.829290 155.592822 -6.796435 155.407422 -6.653278 155.329977 -6.498386 155.318242 -6.244928 155.163351 -6.146361 154.987339 -5.970349 154.865303 -5.770868 154.832448 -5.606589 154.844182 -5.505675 154.832448 -5.418842 # -b 156.587880 -6.596954 156.653592 -6.554711 156.775627 -6.686133 156.874194 -6.751845 157.061941 -6.784700 157.118265 -6.883267 157.195711 -6.972447 157.371723 -7.038159 157.449169 -7.124991 157.568857 -7.157847 157.604060 -7.279883 157.449169 -7.301004 157.249688 -7.202437 157.040819 -7.136726 156.796749 -6.895002 156.674713 -6.718989 156.587880 -6.596954 # -b 156.653592 -7.500485 156.742771 -7.533341 156.820217 -7.620174 156.862460 -7.709353 156.841338 -7.817308 156.820217 -7.883019 156.752159 -7.775065 156.665326 -7.664764 156.620736 -7.542728 156.653592 -7.500485 # -b 157.205098 -7.850164 157.261422 -7.918222 157.261422 -8.049644 157.172242 -8.082500 157.094797 -7.951077 157.085409 -7.784452 157.151121 -7.796186 157.205098 -7.850164 # -b 157.371723 -8.181067 157.359989 -8.115356 157.383457 -8.005055 157.493759 -7.960465 157.604060 -7.960465 157.658037 -8.082500 157.702627 -8.148212 157.878640 -8.246779 157.946698 -8.488503 157.834050 -8.488503 157.702627 -8.333612 157.580592 -8.223310 157.449169 -8.246779 157.371723 -8.181067 # -b 157.383457 -8.554214 157.348255 -8.476768 157.383457 -8.443913 157.449169 -8.422791 157.470290 -8.476768 157.482024 -8.563601 157.458556 -8.608191 157.383457 -8.554214 # -b 158.045265 -8.608191 158.000675 -8.587070 158.033531 -8.530746 158.089855 -8.509624 158.155566 -8.509624 158.188422 -8.575336 158.176688 -8.641047 158.110976 -8.673903 158.045265 -8.608191 # -b 158.629627 -7.509872 158.662483 -7.488751 158.796252 -7.566196 158.915941 -7.653029 159.061445 -7.742209 159.213989 -7.829042 159.326637 -7.906488 159.469794 -7.960465 159.601217 -8.016789 159.699784 -8.103622 159.800698 -8.136477 159.910999 -8.223310 159.932120 -8.324224 159.943855 -8.422791 159.932120 -8.455647 159.821819 -8.399323 159.666928 -8.312490 159.512037 -8.202189 159.368880 -8.103622 159.237457 -8.037910 159.082566 -7.951077 158.915941 -7.873632 158.763396 -7.742209 158.674217 -7.599052 158.629627 -7.509872 # -b 159.678662 -9.277039 159.767842 -9.220715 159.800698 -9.253571 159.932120 -9.331016 # -b 160.075277 -9.833239 159.910999 -9.758140 159.767842 -9.626718 159.666928 -9.504682 159.657541 -9.396728 159.678662 -9.277039 # -b 152.722643 -8.948482 152.844678 -9.047049 152.945592 -9.101027 153.065281 -9.166738 153.077015 -9.277039 152.933858 -9.277039 152.811823 -9.145616 152.746111 -8.981338 152.722643 -8.948482 # -b 150.648041 -9.342751 150.692630 -9.342751 150.746608 -9.363872 150.889765 -9.396728 151.035268 -9.495295 151.056390 -9.603249 151.077511 -9.701816 150.913233 -9.680695 150.692630 -9.626718 150.659775 -9.528151 150.636306 -9.408462 150.648041 -9.342751 # -b 150.967210 -9.800383 151.035268 -9.844973 151.133835 -9.943540 151.187813 -9.952928 151.288727 -9.931806 151.375559 -9.964662 # -b 151.122101 -10.018639 151.044656 -9.931806 150.990679 -9.833239 150.967210 -9.800383 # -b 149.953377 -9.593862 150.150512 -9.692429 150.019089 -9.767528 # -b 146.695970 -1.999504 146.728826 -1.978382 146.794537 -1.978382 146.850861 -2.032359 147.015140 -2.044093 147.202887 -2.011238 147.116054 -2.210719 147.015140 -2.166129 146.937694 -2.154395 146.895451 -2.198985 146.773416 -2.255309 146.695970 -2.154395 146.728826 -2.067562 146.707704 -2.055828 146.695970 -1.999504 # -b 149.664717 -1.335349 149.721041 -1.314228 149.775018 -1.401061 149.852463 -1.511362 149.798486 -1.579420 149.676451 -1.490240 149.643595 -1.379939 149.664717 -1.335349 # -b 147.181765 -5.252217 147.247476 -5.252217 147.303801 -5.296807 147.357778 -5.395374 147.292066 -5.472820 147.214621 -5.451698 147.170031 -5.341397 147.181765 -5.252217 # -b 147.921018 -5.538531 147.944487 -5.517409 147.986730 -5.529144 148.031319 -5.529144 148.108765 -5.561999 148.186211 -5.615976 148.207332 -5.738012 148.207332 -5.803723 148.097031 -5.803723 148.019585 -5.726278 147.977342 -5.639445 147.932752 -5.583121 147.921018 -5.538531 # -b 148.451403 -5.517409 148.484259 -5.472820 148.540583 -5.439964 148.650884 -5.496288 148.770572 -5.505675 148.937198 -5.517409 149.235246 -5.538531 149.357281 -5.561999 149.476970 -5.561999 149.599005 -5.538531 149.732775 -5.538531 149.908788 -5.517409 # -b 150.105922 -6.322374 149.852463 -6.334108 149.643595 -6.134627 149.509826 -6.134627 149.312691 -6.190951 149.113210 -6.047794 148.925464 -5.937493 148.672005 -5.869435 148.505380 -5.726278 148.451403 -5.529144 148.451403 -5.517409 # -b 141.119890 -2.576825 141.197336 -2.621415 141.373348 -2.698860 141.495384 -2.731716 141.650275 -2.752838 141.849756 -2.874873 142.025768 -2.919463 142.225249 -2.975787 142.422383 -3.095476 142.577275 -3.172921 142.776756 -3.217511 142.943381 -3.294957 143.128781 -3.318425 143.361118 -3.363015 143.527743 -3.428726 143.703755 -3.506172 143.891502 -3.595351 144.123839 -3.693918 144.323320 -3.759630 144.508720 -3.759630 144.609634 -3.860544 144.764525 -4.081146 144.985127 -4.214916 145.193996 -4.346339 145.438067 -4.468374 145.668056 -4.623265 145.867537 -4.855602 145.956717 -5.076204 145.966105 -5.252217 145.956717 -5.418842 146.022429 -5.505675 146.275887 -5.571387 146.484755 -5.615976 146.663115 -5.726278 146.827393 -5.827192 146.994018 -5.892903 147.214621 -5.946880 147.423489 -5.991470 147.590114 -5.979736 147.777861 -6.090037 147.932752 -6.266050 148.019585 -6.453797 147.998464 -6.718989 147.843573 -6.718989 147.712150 -6.784700 147.500935 -6.805822 147.268598 -6.805822 147.181765 -6.906736 147.268598 -7.049893 147.324922 -7.247027 147.435223 -7.477017 147.590114 -7.542728 147.798983 -7.775065 147.953874 -7.894753 148.075909 -7.972199 148.120499 -8.016789 148.141621 -8.049644 # -b 148.129886 -8.049644 148.186211 -8.049644 148.263656 -8.070766 148.308246 -8.115356 148.329367 -8.223310 148.341102 -8.465034 148.451403 -8.608191 148.582826 -8.706758 148.728329 -8.990725 148.871486 -9.079905 149.002909 -9.056437 149.146066 -9.047049 149.312691 -9.023581 149.399524 -9.101027 149.390137 -9.277039 149.357281 -9.441318 149.509826 -9.561006 149.721041 -9.561006 149.953377 -9.593862 # -b 150.019089 -9.767528 149.953377 -9.898951 # -b 147.899897 -10.051495 147.766127 -9.887216 147.622970 -9.713551 147.479813 -9.570394 147.348390 -9.474173 147.226355 -9.396728 147.202887 -9.396728 147.202887 -9.384994 147.104320 -9.277039 147.083198 -9.220715 147.125441 -9.079905 146.982284 -9.068171 146.773416 -9.035315 146.663115 -8.805325 146.552813 -8.652781 146.409656 -8.476768 146.365066 -8.246779 146.153851 -8.103622 145.966105 -8.049644 145.790092 -7.983933 145.602345 -7.972199 145.438067 -7.861898 145.337153 -7.850164 145.283175 -7.817308 145.259707 -7.817308 145.161140 -7.763331 145.029717 -7.730475 144.940538 -7.664764 144.928803 -7.599052 144.797381 -7.554462 144.687079 -7.620174 144.543922 -7.500485 144.443009 -7.566196 144.377297 -7.643642 144.255262 -7.697619 144.034659 -7.643642 143.903236 -7.554462 143.957214 -7.817308 144.013538 -7.972199 143.870381 -8.026176 143.649778 -8.005055 143.560599 -8.103622 143.605188 -8.190455 143.483153 -8.267900 143.316528 -8.324224 143.128781 -8.366467 143.241429 -8.465034 143.349383 -8.608191 143.426829 -8.793591 143.462031 -8.903892 143.372852 -9.002460 143.262550 -9.035315 143.173371 -9.079905 143.063069 -9.155004 142.908178 -9.253571 142.797877 -9.286427 142.678188 -9.253571 142.544419 -9.211328 142.511563 -9.187860 142.422383 -9.178472 142.290961 -9.178472 142.124335 -9.187860 141.960057 -9.232449 141.805166 -9.220715 141.650275 -9.178472 141.572829 -9.122148 141.518852 -9.133882 141.340492 -9.145616 # -b 141.340492 -9.145616 141.331105 -9.122148 141.119890 -9.056437 140.976733 -8.948482 140.666951 -8.685637 140.502672 -8.488503 140.314926 -8.300756 140.148300 -8.202189 140.115445 -8.136477 140.028612 -8.059032 # -b 139.927698 -2.344488 140.106057 -2.332754 140.192890 -2.288164 140.336047 -2.353876 140.436961 -2.332754 140.514407 -2.344488 140.612974 -2.398466 140.702153 -2.454790 140.800720 -2.464177 140.833576 -2.499379 140.833576 -2.553357 140.866432 -2.586212 140.964999 -2.586212 141.009589 -2.565091 141.075300 -2.576825 141.119890 -2.576825 # -b 140.028612 -8.059032 139.796275 -8.115356 139.620262 -8.181067 139.420781 -8.148212 139.265890 -8.124743 139.122733 -8.256166 139.024166 -8.169333 139.000698 -8.291369 139.012432 -8.333612 138.956108 -8.357080 138.824685 -8.366467 138.735505 -8.291369 138.538371 -8.357080 138.360012 -8.399323 138.205121 -8.411057 138.007987 -8.432179 137.864830 -8.422791 137.853095 -8.256166 137.975131 -8.059032 138.085432 -7.784452 138.240323 -7.599052 138.383480 -7.455895 138.604083 -7.378450 138.758974 -7.390184 138.934986 -7.509872 139.066409 -7.554462 139.066409 -7.423040 138.878662 -7.258761 138.902131 -7.202437 139.033554 -7.169581 138.836419 -7.103870 138.625204 -6.960713 138.726118 -6.916123 138.768361 -6.730723 138.801217 -6.608688 138.648673 -6.498386 138.503169 -6.256662 138.460926 -6.057181 138.437457 -5.881169 138.449192 -5.803723 138.371746 -5.738012 138.228589 -5.538531 138.183999 -5.451698 138.073698 -5.451698 137.951663 -5.407108 137.864830 -5.296807 137.841361 -5.296807 137.796771 -5.240483 137.752182 -5.174771 137.653614 -5.153650 137.555047 -5.130182 137.400156 -5.043349 137.224144 -4.965903 137.045784 -4.975290 136.893240 -4.897845 136.670291 -4.778156 136.428567 -4.710098 136.252554 -4.688977 136.064807 -4.599797 135.898182 -4.545820 135.701048 -4.534085 135.534422 -4.512964 135.391265 -4.480108 135.257496 -4.468374 135.147195 -4.456640 135.114339 -4.390929 135.060362 -4.379194 134.882002 -4.290015 134.783435 -4.158592 134.750579 -4.003701 134.595688 -4.015435 134.419676 -3.982579 134.396207 -4.102268 134.330496 -3.991967 134.154483 -3.872278 134.065304 -3.837075 134.023061 -3.726774 133.844701 -3.649329 133.811845 -3.527293 133.823580 -3.327812 133.901025 -3.118944 133.877557 -2.975787 133.835314 -3.095476 133.800111 -3.285569 133.746134 -3.428726 133.668688 -3.583617 133.602977 -3.693918 133.570121 -3.837075 133.492676 -3.959111 133.370640 -4.092880 133.194628 -4.114002 133.028002 -4.137470 132.941170 -4.092880 132.896580 -4.024822 132.884846 -3.860544 132.828521 -3.649329 132.851990 -3.562496 132.840256 -3.363015 132.718220 -3.363015 132.575063 -3.118944 132.387316 -2.996908 132.145592 -3.008643 131.990701 -2.952319 132.023557 -2.785693 132.190182 -2.708248 132.443640 -2.698860 132.697099 -2.752838 132.905967 -2.630802 133.060858 -2.553357 133.239218 -2.487645 133.424618 -2.553357 133.645220 -2.565091 133.811845 -2.499379 133.823580 -2.309286 133.889291 -2.187250 133.910412 -2.067562 133.734400 -2.145007 133.382375 -2.243574 132.974025 -2.332754 132.685365 -2.321020 132.521086 -2.276430 132.366195 -2.321020 132.101003 -2.177863 132.044679 -2.067562 131.957846 -1.900936 131.913256 -1.701455 131.802955 -1.600542 131.626942 -1.511362 131.448582 -1.534830 131.317160 -1.457385 131.272570 -1.579420 131.073089 -1.490240 130.986256 -1.457385 130.953400 -1.433916 130.962788 -1.412795 131.007377 -1.314228 131.096557 -1.201580 131.195124 -1.013833 131.251448 -0.868329 131.317160 -0.826086 131.504906 -0.781496 131.648063 -0.781496 131.835810 -0.725172 132.002435 -0.570281 132.166714 -0.427124 132.399051 -0.359066 132.664243 -0.359066 132.905967 -0.415390 133.138304 -0.570281 133.260339 -0.704051 133.415230 -0.790883 133.612364 -0.781496 133.811845 -0.781496 134.023061 -0.790883 134.088772 -1.079544 134.208461 -1.269638 134.231929 -1.555952 134.154483 -1.788288 134.133362 -2.022972 134.187339 -2.243574 134.243663 -2.454790 134.386820 -2.654271 134.473653 -2.797427 134.506509 -2.698860 134.518243 -2.541622 134.705990 -2.609681 134.795169 -2.907729 134.849147 -2.985174 134.938326 -3.184655 135.093217 -3.285569 135.248108 -3.372402 135.379531 -3.384136 135.623602 -3.363015 135.722169 -3.140065 135.853592 -3.086088 135.975627 -2.996908 136.008483 -2.853752 136.097663 -2.776306 136.219698 -2.675392 136.362855 -2.565091 136.473156 -2.264696 136.637435 -2.222453 136.771204 -2.222453 136.881506 -2.198985 137.102108 -2.145007 137.256999 -2.032359 137.245265 -1.889202 137.245265 -1.856347 137.322711 -1.778901 137.555047 -1.612276 137.620759 -1.579420 137.897685 -1.412795 138.017374 -1.469119 138.085432 -1.567686 138.205121 -1.600542 138.437457 -1.689721 138.648673 -1.788288 138.768361 -1.811757 138.845807 -1.889202 139.045288 -1.954914 139.277624 -2.022972 139.409047 -2.121539 139.563938 -2.222453 139.707095 -2.288164 139.817396 -2.321020 139.927698 -2.344488 # -b 135.489832 -0.748640 135.435855 -0.704051 135.513301 -0.692316 135.665845 -0.704051 135.733903 -0.736906 135.865326 -0.748640 136.020217 -0.826086 136.163374 -0.948121 136.252554 -1.046688 136.329999 -1.147602 136.252554 -1.180458 136.041339 -1.201580 135.942772 -1.135868 135.909916 -1.025567 135.766759 -0.912919 135.588400 -0.826086 135.489832 -0.748640 # -b 135.611868 -1.633397 135.611868 -1.600542 135.665845 -1.600542 135.755025 -1.600542 135.898182 -1.624010 136.031951 -1.645131 136.207964 -1.689721 136.383977 -1.689721 136.527134 -1.710843 136.747736 -1.722577 136.836916 -1.767167 136.869772 -1.877468 136.660903 -1.910324 136.449688 -1.889202 136.261941 -1.868081 136.074194 -1.811757 135.898182 -1.755433 135.733903 -1.701455 135.632989 -1.677987 135.611868 -1.633397 # -b 130.423015 -0.114995 130.378426 -0.114995 130.423015 -0.105608 130.500461 -0.070405 130.577907 -0.070405 130.699942 -0.049284 131.260836 -0.337944 131.141147 -0.349678 130.974522 -0.382534 130.852486 -0.436511 130.721064 -0.359066 130.577907 -0.305089 130.455871 -0.281620 130.366691 -0.215909 130.366691 -0.171319 130.423015 -0.114995 # -b 130.699942 -0.990364 130.721064 -0.990364 130.819631 -0.936387 130.908810 -0.912919 130.997990 -0.969243 131.007377 -1.112400 131.007377 -1.269638 130.897076 -1.290759 130.810243 -1.246169 130.732798 -1.091278 130.699942 -0.990364 # -b 129.958342 -1.800023 130.068643 -1.767167 130.169557 -1.710843 130.300980 -1.710843 130.390160 -1.832878 130.366691 -1.910324 130.390160 -1.999504 130.235269 -2.067562 130.047522 -2.088683 # -b 129.892631 -3.018030 130.035788 -3.041498 130.202413 -3.041498 130.345570 -3.008643 130.512195 -3.062620 130.587294 -3.240979 130.631884 -3.363015 130.699942 -3.449848 130.843099 -3.494438 130.864220 -3.726774 130.786775 -3.905134 130.655352 -3.804220 130.512195 -3.738508 130.357304 -3.649329 130.202413 -3.571883 130.035788 -3.473316 # -b 133.072592 -5.395374 133.084326 -5.383640 133.138304 -5.341397 133.194628 -5.362518 133.161772 -5.496288 133.084326 -5.672301 133.028002 -5.681688 133.049124 -5.517409 133.072592 -5.395374 # -b 134.297640 -5.803723 134.353964 -5.726278 134.440797 -5.571387 134.506509 -5.451698 134.652012 -5.505675 134.705990 -5.594855 134.762314 -5.726278 134.762314 -5.791989 134.762314 -5.881169 134.738845 -6.003204 134.738845 -6.057181 134.771701 -6.256662 134.705990 -6.376351 134.607422 -6.366964 134.497121 -6.322374 134.407941 -6.212073 134.353964 -6.068916 134.375086 -5.970349 134.431410 -5.836579 134.375086 -5.869435 134.297640 -5.803723 # -b 134.231929 -6.212073 134.220195 -6.167483 134.199073 -6.134627 134.199073 -6.101771 134.231929 -6.080650 134.276519 -6.122893 134.309374 -6.179217 134.363352 -6.244928 134.407941 -6.266050 134.518243 -6.310640 134.562833 -6.355230 134.574567 -6.420941 134.595688 -6.498386 134.583954 -6.531242 134.518243 -6.519508 134.452531 -6.432675 134.386820 -6.355230 134.297640 -6.298905 134.253050 -6.244928 134.231929 -6.212073 # -b 134.175605 -6.233194 134.243663 -6.266050 134.309374 -6.366964 134.375086 -6.432675 134.431410 -6.498386 134.485387 -6.564098 134.485387 -6.674399 134.452531 -6.796435 134.396207 -6.906736 134.264785 -6.939591 134.187339 -6.906736 134.121628 -6.796435 134.098159 -6.653278 134.133362 -6.564098 134.199073 -6.730723 134.243663 -6.695521 134.264785 -6.465531 134.231929 -6.477265 134.175605 -6.355230 134.166217 -6.233194 134.175605 -6.233194 # -b 131.183390 -7.784452 131.206858 -7.763331 131.260836 -7.751596 131.239714 -7.653029 131.227980 -7.521607 131.317160 -7.455895 131.460317 -7.345594 131.537762 -7.157847 131.603474 -7.124991 131.713775 -7.202437 131.713775 -7.411305 131.704387 -7.587318 131.594086 -7.763331 131.493172 -7.894753 131.394605 -8.026176 131.317160 -7.972199 131.183390 -7.873632 131.183390 -7.784452 # -b 129.782329 -1.856347 129.880897 -1.856347 129.958342 -1.800023 # -b 130.047522 -2.088683 129.925486 -2.011238 129.815185 -1.933792 129.782329 -1.856347 # -b 127.982307 -3.527293 127.937717 -3.485050 127.916596 -3.240979 127.961185 -3.130678 128.048018 -3.074354 128.137198 -2.952319 128.238112 -2.863139 128.390656 -2.874873 128.578403 -2.898341 128.700438 -2.907729 128.909307 -2.886607 129.087666 -2.842017 129.197968 -2.907729 129.373980 -2.863139 129.540605 -2.820896 129.728352 -2.898341 129.892631 -3.018030 # -b 130.035788 -3.473316 129.892631 -3.395870 129.704884 -3.363015 129.540605 -3.363015 129.540605 -3.440460 129.439692 -3.461582 129.242557 -3.449848 129.054811 -3.428726 128.965631 -3.351281 128.899919 -3.285569 128.745028 -3.351281 128.688704 -3.449848 128.536160 -3.485050 128.357801 -3.405258 128.247499 -3.285569 128.160666 -3.196389 128.116077 -3.250367 128.071487 -3.339546 128.026897 -3.461582 127.982307 -3.527293 # -b 129.650907 -7.906488 129.639173 -7.861898 129.749474 -7.861898 129.838654 -7.850164 129.848041 -7.939343 129.770595 -8.037910 129.716618 -8.026176 129.650907 -7.906488 # -b 128.590137 -7.181315 128.545547 -7.157847 128.634727 -7.124991 128.688704 -7.148460 128.688704 -7.223559 128.634727 -7.268148 128.590137 -7.181315 # -b 125.907705 -8.026176 125.830259 -7.927609 125.884236 -7.784452 125.961682 -7.697619 126.095451 -7.709353 126.259730 -7.709353 126.393500 -7.664764 126.482679 -7.599052 126.614102 -7.533341 126.679813 -7.608439 126.813583 -7.685885 126.855826 -7.730475 126.658692 -7.850164 126.515535 -7.972199 126.327788 -7.993320 126.161163 -7.983933 126.029740 -8.037910 125.907705 -8.026176 # -b 124.781224 -9.068171 124.814079 -9.056437 124.891525 -8.990725 124.990092 -8.903892 125.067538 -8.784204 125.123862 -8.662168 125.278753 -8.652781 125.421910 -8.629313 125.597922 -8.596457 125.797403 -8.563601 125.907705 -8.497890 126.071983 -8.530746 126.217487 -8.521358 126.405234 -8.521358 126.581246 -8.497890 126.780727 -8.432179 126.933272 -8.411057 127.043573 -8.357080 127.198464 -8.411057 127.231320 -8.476768 127.132753 -8.706758 126.834705 -8.793591 126.635224 -8.903892 126.393500 -9.023581 126.128307 -9.089292 125.895970 -9.211328 125.687102 -9.253571 125.511090 -9.286427 125.356198 -9.396728 125.213041 -9.483561 125.112128 -9.417849 # -b 125.112128 -9.417849 125.123862 -9.483561 125.102740 -9.504682 125.067538 -9.603249 125.025295 -9.692429 124.914993 -9.790996 124.825814 -9.887216 # -b 123.722801 -10.009252 123.678211 -9.887216 123.687599 -9.767528 123.711067 -9.626718 123.833102 -9.504682 123.976259 -9.384994 124.053705 -9.352138 124.140538 -9.331016 124.217983 -9.277039 124.307163 -9.232449 124.438586 -9.187860 124.539500 -9.133882 124.616945 -9.133882 124.692044 -9.122148 124.781224 -9.068171 # -b 124.494910 -8.190455 124.539500 -8.169333 124.605211 -8.181067 124.670923 -8.190455 124.769490 -8.181067 125.025295 -8.157599 125.112128 -8.267900 125.034682 -8.378201 124.914993 -8.432179 124.748368 -8.455647 124.581743 -8.455647 124.471442 -8.399323 124.527766 -8.300756 124.494910 -8.190455 # -b 124.020849 -8.465034 123.997381 -8.366467 124.063092 -8.324224 124.164006 -8.267900 124.274307 -8.235044 124.274307 -8.366467 124.173394 -8.554214 124.107682 -8.488503 124.020849 -8.465034 # -b 123.356695 -8.521358 123.380163 -8.455647 123.401285 -8.300756 123.466996 -8.223310 123.523320 -8.300756 123.577297 -8.333612 123.666477 -8.202189 123.765044 -8.181067 123.821368 -8.267900 123.722801 -8.432179 123.643009 -8.509624 123.535054 -8.587070 123.413019 -8.575336 123.356695 -8.521358 # -b 120.000721 -8.443913 120.057045 -8.443913 120.143878 -8.366467 120.254179 -8.324224 120.387948 -8.267900 120.498250 -8.235044 120.662528 -8.213923 120.763442 -8.291369 120.951189 -8.300756 121.138936 -8.345346 121.237503 -8.455647 121.359538 -8.521358 121.490961 -8.575336 121.624731 -8.509624 121.767887 -8.488503 121.955634 -8.443913 122.054201 -8.432179 122.110525 -8.509624 122.230214 -8.563601 122.429695 -8.596457 122.528262 -8.542480 122.638563 -8.411057 122.706622 -8.366467 122.816923 -8.333612 122.915490 -8.256166 122.915490 -8.291369 122.861513 -8.202189 122.870900 -8.037910 122.971814 -8.115356 123.014057 -8.324224 122.960080 -8.399323 122.915490 -8.488503 122.784067 -8.608191 122.596320 -8.706758 122.429695 -8.751348 122.220827 -8.751348 121.976756 -8.849915 121.711563 -8.817060 121.523817 -8.817060 121.336070 -8.903892 121.127202 -8.948482 120.939455 -8.859303 120.772829 -8.838181 120.596817 -8.793591 120.355093 -8.805325 120.188467 -8.805325 120.033576 -8.817060 # -b 119.878685 -8.488503 120.000721 -8.443913 # -b 120.000721 -9.277039 120.057045 -9.331016 120.134490 -9.450705 120.244791 -9.462439 120.298769 -9.528151 120.420804 -9.614984 120.608551 -9.713551 120.796298 -9.931806 # -b 119.902154 -9.352138 120.000721 -9.277039 # -b 120.188467 0.028162 120.143878 -0.215909 120.143878 -0.481101 120.155612 -0.758028 120.277647 -0.912919 120.474781 -0.980977 120.629672 -1.201580 120.751708 -1.401061 120.927721 -1.391673 121.138936 -1.379939 121.183526 -1.269638 121.326682 -1.135868 121.469839 -0.957509 121.666974 -0.868329 121.833599 -0.924653 121.899310 -0.924653 122.054201 -0.969243 122.143381 -0.826086 122.286538 -0.802618 122.429695 -0.790883 122.673766 -0.790883 122.838044 -0.790883 122.861513 -0.713438 122.882634 -0.635992 123.037525 -0.582015 123.168948 -0.537425 123.368429 -0.549159 123.478730 -0.692316 123.457609 -0.903532 123.344961 -1.025567 123.114971 -0.903532 122.894368 -0.957509 122.683153 -1.201580 122.518875 -1.412795 122.352249 -1.567686 122.077670 -1.701455 121.943900 -1.734311 121.744419 -1.856347 121.645852 -1.877468 121.413515 -1.800023 121.436984 -1.987769 121.690442 -2.145007 121.899310 -2.421934 122.054201 -2.663658 122.209093 -2.863139 122.298272 -2.898341 122.375718 -3.086088 122.486019 -3.217511 122.417961 -3.327812 122.286538 -3.372402 122.263070 -3.527293 122.286538 -3.637594 122.507141 -3.792486 122.605708 -3.914521 122.605708 -4.081146 122.716009 -4.158592 122.849778 -4.125736 122.894368 -4.280627 122.838044 -4.358073 122.760599 -4.447253 122.495406 -4.435518 122.230214 -4.501230 122.119913 -4.745301 121.932166 -4.864989 121.657586 -4.843868 121.568407 -4.634999 121.547285 -4.379194 121.624731 -4.158592 121.523817 -4.015435 121.314948 -3.860544 121.106080 -3.661063 120.984045 -3.395870 121.127202 -3.118944 121.127202 -2.907729 121.094346 -2.752838 121.049756 -2.642536 120.829153 -2.621415 120.585083 -2.752838 120.387948 -2.919463 120.298769 -3.151800 120.432538 -3.395870 120.441926 -3.649329 120.432538 -3.905134 120.420804 -4.257159 120.420804 -4.578675 120.486516 -4.745301 120.364480 -4.998759 120.387948 -5.285073 120.465394 -5.550265 120.409070 -5.594855 120.155612 -5.615976 # -b 121.866455 -5.198240 121.878189 -5.153650 121.943900 -5.120794 122.033080 -5.130182 122.110525 -5.240483 122.098791 -5.407108 122.009612 -5.439964 121.911044 -5.341397 121.866455 -5.219361 121.866455 -5.198240 # -b 122.375718 -4.721832 122.396839 -4.733566 122.417961 -4.733566 122.450817 -4.733566 122.507141 -4.721832 122.617442 -4.644387 122.694887 -4.667855 122.706622 -4.799278 122.739477 -4.954169 122.727743 -5.052736 122.673766 -5.198240 122.638563 -5.383640 122.596320 -5.317928 122.474285 -5.383640 122.331128 -5.341397 122.331128 -5.120794 122.340515 -4.965903 122.363984 -4.799278 122.375718 -4.721832 # -b 122.805189 -4.998759 122.849778 -4.954169 122.861513 -4.843868 122.861513 -4.677242 122.870900 -4.522351 122.927224 -4.468374 122.981201 -4.358073 123.046913 -4.423784 123.147827 -4.578675 123.201804 -4.754688 123.159561 -4.733566 123.046913 -4.864989 123.014057 -4.965903 123.025791 -5.052736 123.114971 -5.109060 123.168948 -5.240483 123.168948 -5.374252 123.046913 -5.439964 122.948346 -5.538531 122.793454 -5.672301 122.673766 -5.561999 122.673766 -5.439964 122.706622 -5.285073 122.760599 -5.174771 122.805189 -4.998759 # -b 123.037525 -4.015435 123.082115 -3.959111 123.082115 -3.959111 123.114971 -3.991967 123.201804 -4.024822 123.246394 -4.114002 123.213538 -4.224303 123.136092 -4.236037 123.046913 -4.179713 123.025791 -4.036556 123.037525 -4.015435 # -b 123.070381 -1.156990 123.091503 -1.156990 123.180682 -1.156990 123.201804 -1.213314 123.168948 -1.314228 123.103237 -1.412795 123.014057 -1.555952 122.861513 -1.546564 122.826310 -1.379939 122.861513 -1.290759 122.927224 -1.225048 123.004670 -1.192192 123.070381 -1.156990 # -b 123.225272 -1.379939 123.312105 -1.269638 123.389551 -1.246169 123.511586 -1.269638 123.535054 -1.314228 123.523320 -1.445650 123.457609 -1.555952 123.323839 -1.490240 123.279249 -1.591154 123.213538 -1.511362 123.201804 -1.412795 123.225272 -1.379939 # -b 124.417464 -1.668600 124.438586 -1.677987 124.494910 -1.668600 124.616945 -1.668600 124.769490 -1.677987 124.891525 -1.710843 124.957236 -1.746045 125.058150 -1.734311 125.135596 -1.734311 125.213041 -1.734311 125.245897 -1.755433 125.267019 -1.811757 125.213041 -1.823491 125.079272 -1.900936 124.936115 -1.910324 124.769490 -1.910324 124.605211 -2.022972 124.494910 -1.999504 124.450320 -1.910324 124.405730 -1.788288 124.393996 -1.734311 124.417464 -1.668600 # -b 125.421910 -1.823491 125.400788 -1.788288 125.487621 -1.811757 125.630778 -1.856347 125.764548 -1.823491 125.884236 -1.800023 125.996884 -1.800023 126.172897 -1.788288 126.283198 -1.778901 126.304320 -1.788288 126.238608 -1.844612 126.062596 -1.889202 125.907705 -1.910324 125.698836 -1.933792 125.543945 -1.954914 125.466500 -1.877468 125.421910 -1.823491 # -b 125.907705 -2.011238 125.952295 -1.966648 125.973416 -1.978382 125.973416 -2.177863 126.006272 -2.344488 126.039127 -2.443055 125.996884 -2.377344 125.895970 -2.154395 125.895970 -2.067562 125.907705 -2.011238 # -b 126.062596 -3.086088 126.095451 -3.086088 126.128307 -3.172921 126.238608 -3.140065 126.327788 -3.107210 126.492067 -3.062620 126.736137 -3.018030 126.945006 -3.140065 127.088163 -3.240979 127.088163 -3.327812 127.189077 -3.318425 127.231320 -3.562496 127.165608 -3.693918 126.966127 -3.771364 126.801849 -3.860544 126.548391 -3.804220 126.337175 -3.705653 126.205753 -3.539027 126.095451 -3.372402 126.039127 -3.208124 126.039127 -3.118944 126.062596 -3.086088 # -b 127.928330 0.061018 127.961185 -0.269886 128.048018 -0.459980 128.170054 -0.647726 128.303823 -0.802618 128.369535 -0.868329 128.280355 -0.891797 128.092608 -0.704051 127.928330 -0.481101 127.749970 -0.269886 # -b 127.353355 -0.359066 127.430801 -0.349678 127.519980 -0.359066 127.597426 -0.459980 127.618547 -0.603137 127.695993 -0.692316 127.839150 -0.781496 127.794560 -0.868329 127.674872 -0.781496 127.519980 -0.802618 127.487125 -0.668848 127.430801 -0.582015 127.365089 -0.427124 127.353355 -0.359066 # -b 127.409679 -1.445650 127.475391 -1.433916 127.618547 -1.356471 127.794560 -1.391673 127.949451 -1.457385 128.116077 -1.534830 128.160666 -1.600542 128.116077 -1.689721 127.928330 -1.689721 127.707727 -1.701455 127.541102 -1.734311 127.419066 -1.668600 127.397945 -1.591154 127.386211 -1.511362 127.409679 -1.445650 # -b 128.059752 -3.815954 128.005775 -3.783098 128.005775 -3.783098 128.005775 -3.705653 128.048018 -3.628207 128.160666 -3.583617 128.238112 -3.517906 128.313211 -3.527293 128.303823 -3.672797 128.247499 -3.750243 128.181788 -3.750243 128.059752 -3.815954 128.005775 -3.783098 # -b 112.150557 -8.256166 112.075458 -8.267900 111.962810 -8.256166 111.843122 -8.324224 111.753942 -8.357080 111.676496 -8.324224 111.554461 -8.291369 111.434772 -8.267900 111.333859 -8.223310 111.268147 -8.157599 111.223557 -8.213923 111.047545 -8.213923 110.859798 -8.181067 110.716641 -8.136477 110.582871 -8.091888 110.418593 -8.005055 110.296557 -7.906488 110.165135 -7.829042 110.010244 -7.763331 # -b 109.944532 -6.838678 110.087689 -6.873880 110.263702 -6.883267 110.418593 -6.939591 110.540628 -6.883267 110.639195 -6.707255 110.704907 -6.608688 110.737762 -6.477265 110.859798 -6.376351 111.002955 -6.388085 111.103869 -6.554711 111.235291 -6.662665 111.411304 -6.662665 111.566195 -6.575832 111.655375 -6.641543 111.753942 -6.662665 111.864243 -6.730723 111.986279 -6.763579 112.051990 -6.796435 112.051990 -6.796435 112.117701 -6.838678 112.117701 -6.838678 112.162291 -6.838678 112.251471 -6.829290 112.427484 -6.829290 112.570641 -6.906736 112.659820 -7.049893 112.713798 -7.169581 112.847567 -7.268148 112.880423 -7.444161 112.892157 -7.566196 113.056435 -7.653029 113.267651 -7.709353 113.455397 -7.697619 113.640797 -7.664764 113.840278 -7.676498 114.084349 -7.631908 114.293218 -7.664764 114.436375 -7.775065 114.448109 -8.016789 114.415253 -8.213923 114.391785 -8.389936 114.436375 -8.509624 114.504433 -8.608191 114.558410 -8.793591 114.469230 -8.751348 114.370663 -8.629313 114.084349 -8.554214 113.753446 -8.476768 113.464785 -8.357080 113.211327 -8.279634 112.978990 -8.357080 112.725532 -8.422791 112.493195 -8.378201 112.284327 -8.291369 112.206881 -8.267900 112.185760 -8.267900 112.150557 -8.256166 # -b 117.583480 0.007041 117.527156 -0.159585 117.517769 -0.370800 117.517769 -0.481101 117.383999 -0.647726 117.273698 -0.912919 117.142275 -1.180458 116.975650 -1.314228 116.898205 -1.269638 116.787903 -1.401061 116.633012 -1.511362 116.489855 -1.645131 116.325577 -1.767167 116.358433 -1.823491 116.457000 -1.856347 116.489855 -2.022972 116.489855 -2.154395 116.590769 -2.198985 116.689336 -2.255309 116.656481 -2.398466 116.590769 -2.597946 116.489855 -2.532235 116.435878 -2.586212 116.412410 -2.809162 116.346698 -2.964053 116.257519 -2.975787 116.236397 -3.062620 116.248131 -3.151800 116.224663 -3.217511 116.170686 -3.240979 116.104974 -3.318425 116.081506 -3.428726 116.048650 -3.539027 115.982939 -3.571883 115.905493 -3.637594 115.828048 -3.693918 115.771724 -3.705653 115.762336 -3.705653 115.684891 -3.759630 115.574590 -3.815954 115.419698 -3.881665 115.253073 -3.959111 115.100529 -4.036556 114.901048 -4.125736 114.746157 -4.170326 114.725035 -4.092880 114.701567 -3.970845 114.680445 -3.827688 114.656977 -3.715040 114.603000 -3.550762 114.546676 -3.506172 114.469230 -3.485050 114.391785 -3.416992 114.326073 -3.363015 114.194651 -3.363015 114.084349 -3.363015 113.929458 -3.416992 113.762833 -3.440460 113.720590 -3.351281 113.697121 -3.196389 113.521109 -3.208124 113.366218 -3.196389 113.255916 -3.130678 113.166737 -3.062620 113.068170 -3.029764 113.023580 -3.086088 113.044701 -3.184655 112.892157 -3.285569 112.648086 -3.384136 112.516663 -3.395870 112.406362 -3.372402 112.317182 -3.363015 112.218615 -3.395870 112.185760 -3.416992 112.150557 -3.428726 112.040256 -3.440460 112.040256 -3.440460 112.007400 -3.461582 111.962810 -3.485050 111.920567 -3.485050 111.908833 -3.473316 111.908833 -3.372402 111.897099 -3.273835 111.875977 -3.151800 111.831388 -2.996908 111.777410 -2.853752 111.742208 -2.776306 111.688231 -2.863139 111.655375 -2.907729 111.599051 -2.952319 111.545074 -2.931197 111.423038 -2.898341 111.333859 -2.919463 111.235291 -2.996908 111.157846 -3.029764 110.993567 -3.041498 110.892654 -3.008643 110.782352 -3.018030 110.716641 -3.029764 110.639195 -2.964053 110.528894 -2.886607 110.463183 -2.940584 110.329413 -2.952319 110.263702 -2.698860 110.263702 -2.541622 110.275436 -2.520501 110.209724 -2.431321 110.165135 -2.288164 110.132279 -2.145007 110.120545 -2.067562 110.021978 -1.856347 110.010244 -1.767167 110.054833 -1.710843 110.075955 -1.555952 110.043099 -1.347083 # -b 116.269253 -3.285569 116.292721 -3.273835 116.302108 -3.327812 116.334964 -3.440460 116.346698 -3.506172 116.358433 -3.628207 116.358433 -3.750243 116.367820 -3.804220 116.391288 -3.881665 116.367820 -3.914521 116.280987 -4.015435 116.191807 -4.024822 116.158952 -3.914521 116.137830 -3.771364 116.126096 -3.604739 116.126096 -3.527293 116.147217 -3.416992 116.170686 -3.339546 116.215276 -3.294957 116.257519 -3.262101 116.269253 -3.285569 # -b 120.033576 -8.817060 119.923275 -8.805325 119.878685 -8.751348 119.857564 -8.596457 119.878685 -8.488503 # -b 120.134490 -10.063229 119.913888 -9.943540 119.681551 -9.779262 119.460949 -9.790996 119.240346 -9.767528 119.094842 -9.593862 119.094842 -9.450705 119.216878 -9.396728 119.371769 -9.363872 119.547781 -9.352138 119.669817 -9.342751 119.824708 -9.363872 119.902154 -9.352138 # -b 117.109420 -8.411057 117.142275 -8.389936 117.285432 -8.357080 117.473179 -8.389936 117.628070 -8.432179 117.782961 -8.554214 117.848673 -8.641047 117.935506 -8.685637 118.024685 -8.685637 118.102131 -8.641047 118.245288 -8.608191 118.224166 -8.530746 118.036420 -8.432179 117.893263 -8.312490 117.848673 -8.148212 117.980096 -8.070766 118.146721 -8.169333 118.278144 -8.324224 118.411913 -8.312490 118.587926 -8.267900 118.709961 -8.357080 118.721695 -8.497890 118.796794 -8.411057 118.930564 -8.267900 119.029131 -8.411057 119.118311 -8.497890 119.130045 -8.619925 119.205144 -8.685637 119.094842 -8.718493 118.942298 -8.673903 118.918830 -8.718493 118.930564 -8.793591 118.686493 -8.826447 118.510480 -8.772470 118.489359 -8.685637 118.224166 -8.826447 117.958974 -8.903892 117.705516 -9.002460 117.473179 -9.035315 117.285432 -9.079905 117.064830 -9.068171 116.909939 -9.002460 116.853615 -8.892158 116.853615 -8.751348 116.832493 -8.619925 116.963916 -8.530746 117.064830 -8.488503 117.109420 -8.411057 # -b 116.104974 -8.455647 116.158952 -8.389936 116.236397 -8.345346 116.367820 -8.223310 116.567301 -8.213923 116.722192 -8.312490 116.743313 -8.521358 116.665868 -8.718493 116.656481 -8.903892 116.534445 -8.936748 116.334964 -8.936748 116.104974 -8.936748 115.959471 -8.871037 115.959471 -8.739614 116.081506 -8.685637 116.104974 -8.575336 116.104974 -8.455647 # -b 115.044205 -8.091888 115.088795 -8.091888 115.220217 -8.037910 115.398577 -8.082500 115.574590 -8.169333 115.673157 -8.300756 115.684891 -8.443913 115.530000 -8.521358 115.375109 -8.619925 115.264807 -8.817060 115.231952 -8.718493 115.100529 -8.530746 114.955025 -8.411057 114.802481 -8.389936 114.668711 -8.366467 114.579531 -8.300756 114.558410 -8.124743 114.603000 -8.049644 114.779012 -8.070766 114.912782 -8.070766 114.966759 -8.091888 115.023083 -8.091888 115.044205 -8.091888 # -b 112.802977 -6.927857 112.868689 -6.939591 113.002458 -6.862146 113.145615 -6.850412 113.399073 -6.862146 113.598554 -6.862146 113.807423 -6.873880 113.974048 -6.850412 114.072615 -7.049893 113.974048 -7.092136 113.762833 -7.136726 113.509375 -7.223559 113.300506 -7.193050 113.124494 -7.181315 112.946134 -7.157847 112.835833 -7.103870 112.802977 -7.014690 112.802977 -6.927857 # -b 115.297663 -6.784700 115.309397 -6.772966 115.541734 -6.772966 115.607445 -6.817556 115.619179 -6.895002 115.518266 -6.948979 115.398577 -7.005303 115.297663 -6.873880 115.297663 -6.784700 # -b 120.155612 -5.615976 119.923275 -5.672301 119.681551 -5.648832 119.526660 -5.571387 119.416359 -5.296807 119.460949 -5.141916 119.470336 -5.120794 119.547781 -4.921313 119.571250 -4.688977 119.625227 -4.358073 119.690938 -4.060025 119.636961 -3.947377 119.580637 -3.661063 119.547781 -3.461582 119.317792 -3.473316 119.106576 -3.506172 118.951685 -3.262101 118.918830 -3.018030 118.918830 -2.842017 118.930564 -2.663658 119.130045 -2.421934 119.249733 -2.109805 119.383503 -1.856347 119.371769 -1.591154 119.371769 -1.302493 119.470336 -1.103013 119.580637 -0.903532 119.714407 -0.769762 119.803586 -0.603137 119.845830 -0.781496 119.890419 -0.570281 119.878685 -0.183053 119.747262 -0.037549 119.791852 -0.049284 # -b 103.838067 0.072752 103.739500 -0.037549 103.596343 -0.171319 103.650320 -0.227643 103.772356 -0.248765 103.727766 -0.382534 103.596343 -0.492835 103.528285 -0.668848 103.617465 -0.802618 103.805211 -0.936387 103.960103 -1.002099 104.103259 -0.990364 104.269885 -1.046688 104.457632 -1.058423 104.556199 -1.257904 104.600789 -1.424529 104.612523 -1.600542 104.654766 -1.746045 104.621910 -1.877468 104.732211 -1.889202 104.898837 -1.966648 105.009138 -2.076949 104.931692 -2.264696 104.898837 -2.344488 105.041994 -2.309286 105.208619 -2.353876 105.372897 -2.344488 105.539523 -2.365610 105.727269 -2.431321 105.769512 -2.553357 105.891548 -2.698860 105.968993 -2.853752 106.102763 -2.975787 106.145006 -3.140065 106.102763 -3.306691 105.992462 -3.571883 105.968993 -3.726774 106.025317 -3.771364 106.046439 -3.881665 105.992462 -4.092880 105.968993 -4.224303 105.947872 -4.412050 105.968993 -4.566941 105.968993 -4.733566 105.968993 -4.909579 105.968993 -5.097326 105.968993 -5.273339 105.947872 -5.461085 105.924404 -5.606589 105.882161 -5.782602 105.781247 -5.791989 105.694414 -5.726278 105.581766 -5.615976 105.429221 -5.505675 105.372897 -5.561999 105.340042 -5.726278 105.218006 -5.759133 105.030259 -5.615976 104.865981 -5.505675 104.732211 -5.529144 104.800270 -5.660566 104.865981 -5.815457 104.776801 -5.860047 104.577320 -5.693422 104.445897 -5.550265 104.291006 -5.418842 104.147849 -5.285073 104.025814 -5.109060 103.894391 -4.965903 103.718379 -4.864989 103.605730 -4.843868 103.429718 -4.688977 103.265439 -4.522351 103.087080 -4.412050 102.967391 -4.334604 102.789032 -4.191448 102.601285 -4.114002 102.469862 -3.937989 102.404151 -3.705653 102.303237 -3.571883 102.094369 -3.440460 101.918356 -3.250367 101.784586 -3.086088 101.620308 -2.898341 101.498272 -2.741103 101.364503 -2.597946 101.221346 -2.464177 101.089923 -2.321020 101.012478 -2.198985 101.000743 -2.076949 100.979622 -1.877468 100.845852 -1.600542 100.669840 -1.269638 100.571273 -1.091278 100.538417 -0.868329 100.371792 -0.626605 100.261490 -0.537425 100.139455 -0.382534 100.029154 -0.305089 # -b 104.445897 -0.481101 104.424776 -0.415390 104.478753 -0.370800 104.556199 -0.349678 104.678234 -0.513957 104.654766 -0.558547 104.654766 -0.591402 104.544464 -0.603137 104.490487 -0.570281 104.645378 -0.359066 104.687621 -0.427124 104.699356 -0.471714 104.445897 -0.481101 # -b 105.262596 -1.889202 105.318920 -1.877468 105.396366 -1.800023 105.429221 -1.722577 105.295452 -1.922058 105.450343 -1.624010 105.516054 -1.567686 105.616968 -1.534830 105.727269 -1.567686 105.748391 -1.668600 105.769512 -1.710843 105.846958 -1.710843 105.870426 -1.689721 105.870426 -1.591154 105.915016 -1.490240 106.025317 -1.490240 106.091029 -1.656866 106.189596 -1.811757 106.245920 -2.088683 106.311631 -2.276430 106.400811 -2.398466 106.511112 -2.454790 106.609679 -2.508767 106.698859 -2.520501 106.809160 -2.508767 106.785692 -2.663658 106.752836 -2.797427 106.741102 -2.919463 106.785692 -3.018030 106.752836 -3.041498 106.687125 -3.062620 106.565090 -2.952319 106.389077 -2.874873 106.222452 -2.809162 106.112150 -2.708248 106.046439 -2.553357 106.058173 -2.443055 105.980728 -2.288164 105.882161 -2.145007 105.760125 -2.088683 105.649824 -2.022972 105.527788 -2.011238 105.396366 -1.978382 105.318920 -1.954914 105.295452 -1.922058 105.262596 -1.889202 # -b 107.790137 -2.541622 107.822993 -2.508767 107.912173 -2.508767 108.034208 -2.532235 108.132775 -2.597946 108.243077 -2.642536 108.341644 -2.752838 108.353378 -2.907729 108.332256 -3.041498 108.231342 -3.151800 108.123388 -3.196389 108.043596 -3.086088 107.956763 -3.130678 107.801872 -3.140065 107.736160 -3.086088 107.691570 -2.952319 107.679836 -2.820896 107.691570 -2.719982 107.736160 -2.630802 107.757282 -2.576825 107.790137 -2.541622 # -b 110.010244 -7.763331 109.876474 -7.742209 109.756785 -7.709353 109.634750 -7.697619 109.545570 -7.709353 109.425882 -7.676498 109.280378 -7.653029 109.193545 -7.676498 109.127833 -7.718741 109.038654 -7.709353 108.982330 -7.643642 108.806317 -7.643642 108.707750 -7.742209 108.618570 -7.784452 108.552859 -7.784452 108.442558 -7.763331 108.275932 -7.730475 108.067064 -7.685885 107.912173 -7.643642 107.691570 -7.533341 107.447500 -7.488751 107.217510 -7.488751 107.062619 -7.477017 106.874872 -7.423040 106.764571 -7.357328 106.642535 -7.312738 106.553355 -7.291617 106.478257 -7.223559 106.520500 -7.157847 106.642535 -7.005303 106.621414 -6.981835 106.466522 -6.972447 106.245920 -6.883267 106.102763 -6.829290 105.924404 -6.829290 105.769512 -6.817556 105.649824 -6.772966 105.560644 -6.763579 105.450343 -6.751845 105.384631 -6.674399 105.340042 -6.641543 105.340042 -6.629809 105.340042 -6.620422 105.351776 -6.531242 105.372897 -6.596954 105.417487 -6.608688 105.483199 -6.662665 105.593500 -6.662665 105.703801 -6.596954 105.760125 -6.465531 105.846958 -6.465531 105.947872 -6.322374 105.992462 -6.167483 106.067560 -5.991470 106.168474 -5.946880 106.299897 -5.914025 106.478257 -5.946880 106.731715 -5.979736 106.940583 -6.024326 107.083740 -5.946880 107.184654 -5.902290 107.393522 -5.902290 107.503824 -6.024326 107.560148 -6.167483 107.736160 -6.190951 107.891051 -6.167483 108.144510 -6.244928 108.320522 -6.266050 108.442558 -6.388085 108.564593 -6.498386 108.707750 -6.763579 108.794583 -6.772966 108.904884 -6.796435 108.994064 -6.784700 109.104365 -6.784700 109.202932 -6.796435 109.324968 -6.796435 109.468125 -6.805822 109.590160 -6.784700 109.810763 -6.829290 109.944532 -6.838678 # -b 110.043099 -1.347083 109.986775 -1.201580 109.899942 -1.034954 109.810763 -0.891797 109.766173 -0.781496 109.688727 -0.692316 109.623016 -0.659461 109.512714 -0.626605 109.414147 -0.513957 109.315580 -0.525691 109.238135 -0.459980 109.202932 -0.248765 109.202932 -0.082139 # -b 100.029154 -0.305089 99.963442 -0.147851 # -b 98.836961 -0.936387 98.902673 -0.912919 99.024708 -0.891797 99.069298 -0.948121 99.102154 -1.124134 99.235923 -1.401061 99.334490 -1.523096 99.411936 -1.624010 99.379080 -1.710843 99.245311 -1.755433 99.135010 -1.710843 99.015321 -1.624010 98.902673 -1.469119 98.804106 -1.257904 98.771250 -1.124134 98.771250 -1.079544 98.804106 -1.002099 98.836961 -0.936387 # -b 55.275008 -4.569288 55.286742 -4.569288 55.286742 -4.524698 55.275008 -4.569288 # -b 43.137177 0.192440 42.860250 -0.161932 42.806273 -0.150197 42.529346 -0.272233 42.606792 -0.161932 42.618526 -0.194787 42.639647 -0.361413 42.541080 -0.384881 42.487103 -0.560894 42.308744 -0.748640 42.123344 -0.971590 42.001308 -1.126481 41.869886 -1.304840 41.792440 -1.347083 # -b 41.792440 -1.347083 41.682139 -1.635744 41.506126 -1.846959 41.351235 -1.924405 41.196344 -1.957260 41.074308 -1.957260 40.987476 -2.067562 40.886562 -2.201331 40.877174 -2.377344 40.677693 -2.478258 40.435969 -2.600293 40.292812 -2.853752 40.248222 -3.175268 40.093331 -3.508519 # -b 46.443867 -9.417849 46.488457 -9.396728 46.357034 -9.396728 46.300710 -9.483561 46.443867 -9.495295 46.577637 -9.408462 46.443867 -9.417849 # -b 34.151145 -0.938734 34.061965 -1.025567 34.061965 -1.025567 34.007988 -1.147602 34.061965 -1.269638 34.040844 -1.325962 33.942276 -1.304840 33.918808 -1.403407 33.909421 -1.469119 33.808507 -1.492587 33.799120 -1.581767 33.742795 -1.635744 33.698206 -1.703802 33.677084 -1.781248 33.555049 -1.781248 33.501071 -1.835225 33.555049 -1.891549 33.468216 -1.957260 33.379036 -2.013585 33.346180 -2.067562 33.411892 -2.091030 33.501071 -2.145007 33.611373 -2.145007 33.698206 -2.135620 33.766264 -2.123886 33.808507 -2.201331 33.787385 -2.245921 33.599639 -2.400812 33.444747 -2.454790 33.146699 -2.466524 33.071601 -2.489992 33.015277 -2.666005 33.027011 -2.799774 32.904975 -2.898341 32.872120 -2.698860 32.860385 -2.532235 32.782940 -2.522848 32.672639 -2.588559 32.562337 -2.511114 32.386325 -2.311633 32.299492 -2.257655 32.198578 -2.377344 32.231434 -2.532235 32.123479 -2.543969 32.055421 -2.666005 32.055421 -2.677739 32.001444 -2.698860 31.912264 -2.755184 31.825431 -2.588559 31.834819 -2.454790 31.813697 -2.356222 31.769107 -2.201331 31.747986 -2.046440 31.747986 -1.868081 31.769107 -1.659212 31.846553 -1.415142 31.858287 -1.236782 31.870021 -1.049035 31.780841 -0.894144 # -b 29.861130 -6.388085 30.060611 -6.510121 30.260092 -6.608688 30.445492 -6.796435 30.588649 -6.960713 30.612117 -7.127338 30.600383 -7.369062 30.677829 -7.577931 30.755274 -7.786799 30.877310 -8.005055 30.964143 -8.225657 31.029854 -8.324224 31.163624 -8.554214 # -b 34.040844 -9.692429 34.052578 -9.614984 34.184000 -9.561006 34.404603 -9.746406 34.559494 -9.997518 # -b 34.040844 -9.692429 34.073699 -9.887216 # -b 29.994900 -7.237640 30.236624 -7.312738 30.412636 -7.533341 30.480695 -7.873632 30.579262 -8.148212 # -b 30.633239 -8.235044 30.612117 -8.279634 30.588649 -8.399323 30.612117 -8.554214 30.677829 -8.587070 30.809252 -8.608191 31.008733 -8.772470 31.163624 -8.554214 # -b 34.019722 0.114995 34.007988 -0.028162 34.073699 -0.105608 34.139411 -0.194787 34.195735 -0.349678 34.315423 -0.328557 34.437459 -0.272233 34.625205 -0.239377 34.812952 -0.251111 34.812952 -0.340291 34.604084 -0.417737 34.449193 -0.539772 34.249712 -0.539772 34.106555 -0.783843 34.151145 -0.938734 # -b 32.419180 0.103261 32.332348 -0.028162 32.156335 -0.096220 31.956854 -0.140810 31.945120 -0.239377 31.980322 -0.349678 31.902877 -0.506916 31.813697 -0.706397 31.769107 -0.804964 31.759720 -0.849554 31.780841 -0.894144 # -b 40.093331 -3.508519 39.872729 -3.893399 39.753040 -4.226650 39.586415 -4.524698 39.332957 -4.646734 # -b 39.929053 -5.087939 39.961909 -4.888458 39.950174 -4.956516 39.929053 -5.055083 39.950174 -5.209974 39.872729 -5.418842 39.774162 -5.341397 39.795283 -5.109060 39.785896 -4.888458 39.839873 -4.921313 39.905585 -4.888458 39.917319 -4.998759 39.929053 -5.087939 # -b 39.386934 -5.761480 39.443258 -5.815457 39.431524 -5.738012 39.431524 -5.916371 39.464380 -6.125240 39.520704 -6.202685 39.574681 -6.212073 39.607536 -6.334108 39.631005 -6.432675 39.553559 -6.388085 39.454992 -6.301252 39.386934 -6.256662 39.344691 -6.026673 39.332957 -5.892903 39.386934 -5.761480 # -b 39.332957 -4.646734 39.332957 -4.733566 39.300101 -4.855602 39.267245 -4.998759 39.189800 -5.287420 39.133476 -5.397721 39.067764 -5.639445 38.948076 -5.949227 38.891752 -6.080650 38.912873 -6.280131 38.948076 -6.388085 39.112354 -6.510121 39.234390 -6.587566 39.344691 -6.742457 39.497235 -6.873880 39.619271 -7.094483 39.619271 -7.169581 39.565293 -7.204784 39.476114 -7.336207 39.454992 -7.554462 39.422136 -7.676498 39.476114 -7.786799 39.476114 -7.873632 39.497235 -7.983933 39.476114 -8.159946 39.365812 -8.169333 39.332957 -8.300756 39.377547 -8.476768 39.476114 -8.706758 39.565293 -8.784204 39.565293 -8.828794 39.497235 -8.882771 39.541825 -8.936748 39.598149 -9.035315 39.642739 -9.091639 39.741306 -9.244184 39.753040 -9.342751 39.729572 -9.474173 39.828139 -9.561006 39.872729 -9.668961 39.872729 -9.790996 39.929053 -9.856708 39.929053 -9.997518 # -b 29.696852 -4.381541 29.696852 -4.480108 29.685118 -4.712445 29.708586 -5.010493 29.786031 -5.076204 29.851743 -5.177118 29.840009 -5.439964 29.884599 -5.684035 29.962044 -5.916371 29.905720 -6.036060 29.795419 -6.146361 29.861130 -6.388085 # -b 29.333092 -3.386483 29.410538 -3.407605 29.443394 -3.541374 29.464515 -3.729121 29.464515 -3.949724 29.497371 -4.116349 29.586550 -4.271240 29.696852 -4.381541 # -b 29.333092 -3.386483 29.288502 -3.473316 29.255647 -3.661063 29.178201 -3.928602 29.157080 -4.137470 29.166467 -4.247772 29.243913 -4.193794 29.276768 -4.390929 29.166467 -4.789890 29.157080 -5.087939 29.267381 -5.418842 29.387069 -5.660566 29.377682 -5.881169 29.333092 -6.113506 29.398804 -6.411554 29.497371 -6.542976 29.619406 -6.841024 29.750829 -7.005303 29.994900 -7.237640 # -b 13.290127 -10.018639 13.191560 -9.734672 13.125849 -9.450705 13.060137 -9.187860 13.060137 -9.068171 13.146970 -8.948482 13.280740 -8.817060 13.290127 -8.673903 13.280740 -8.509624 13.215029 -8.258513 13.158705 -8.192801 13.092993 -8.082500 13.015548 -7.861898 12.949836 -7.631908 12.884125 -7.413652 12.839535 -7.193050 12.783211 -7.049893 12.663522 -6.895002 12.541487 -6.730723 12.452307 -6.566445 12.342006 -6.411554 12.288029 -6.301252 12.288029 -6.247275 # -b 12.288029 -6.247275 12.266907 -6.169830 12.309150 -6.059528 12.299763 -5.916371 12.222317 -5.838926 # -b 12.222317 -5.838926 12.133138 -5.728625 12.100282 -5.594855 12.112016 -5.418842 12.067426 -5.165384 11.968859 -5.066817 # -b 11.968859 -5.066817 11.924269 -4.965903 11.846824 -4.801625 11.790500 -4.646734 11.682545 -4.503577 11.537041 -4.369807 11.417353 -4.247772 11.295317 -4.071759 11.074715 -3.970845 # -b 11.074715 -3.970845 11.041859 -3.916868 10.952680 -3.717387 10.767280 -3.541374 10.523209 -3.264448 10.302606 -3.064967 10.072616 -2.886607 # -b 10.072616 -2.886607 9.873135 -2.710595 9.729978 -2.489992 9.563353 -2.278777 9.366219 -2.034706 9.244184 -1.924405 9.166738 -1.746045 9.068171 -1.492587 8.990725 -1.248516 8.903892 -1.070157 8.814713 -0.870676 8.749001 -0.760375 8.826447 -0.748640 8.957870 -0.694663 9.068171 -0.539772 9.199594 -0.429471 9.232449 -0.194787 # -b -40.062822 -19.779126 -39.931400 -19.664132 -39.821098 -19.537402 -39.743653 -19.361390 -39.731919 -19.173643 -39.731919 -18.974162 -39.731919 -18.762947 -39.731919 -18.523570 -39.699063 -18.324089 -39.623964 -18.122261 -39.513663 -18.007266 -39.358772 -17.859415 -39.260205 -17.702177 -39.269592 -17.596570 -39.293061 -17.436985 -39.269592 -17.237504 -39.260205 -17.035676 -39.269592 -16.993433 -39.225002 -16.854970 -39.149904 -16.632021 -39.126435 -16.430193 -39.126435 -16.291729 -39.081845 -16.165000 -39.039602 -16.089902 -39.016134 -15.897461 -39.016134 -15.770732 -39.072458 -15.665124 -39.114701 -15.536049 -39.114701 -15.428094 -39.114701 -15.259122 -39.114701 -15.118312 -39.114701 -14.991583 -39.126435 -14.979849 -39.138169 -14.883628 -39.159291 -14.775674 -39.159291 -14.594968 -39.126435 -14.336816 -39.114701 -14.123254 -39.105314 -13.886223 -39.072458 -13.724292 -39.016134 -13.712558 -39.016134 -13.541239 -39.016134 -13.369920 -39.016134 -13.271353 -38.872977 -13.121155 -38.685230 -12.926368 -38.619519 -12.926368 -38.586663 -13.046056 -38.455240 -12.980345 -38.309737 -12.872391 -38.178314 -12.698725 -38.046891 -12.527406 -37.936590 -12.342006 -37.838023 -12.191808 -37.760577 -12.039264 -37.692519 -11.910188 -37.593952 -11.703667 -37.572830 -11.670811 -37.539975 -11.583978 -37.450795 -11.464290 -37.295904 -11.215525 # -b -37.295904 -11.215525 -37.183256 -11.133386 -37.101117 -11.067674 -37.028365 -10.999616 -37.016630 -10.978495 -36.929798 -10.837685 -36.643484 -10.661672 -36.509714 -10.586573 -36.300846 -10.368318 -36.157689 -10.150062 # -b -40.250569 -20.185129 -40.184858 -19.964526 -40.152002 -19.861266 -40.062822 -19.779126 # -b -70.097618 -15.406973 -69.975583 -15.343608 -69.898137 -15.334221 -69.820692 -15.205145 -69.710391 -15.334221 -69.567234 -15.439828 -69.456932 -15.514927 -69.370100 -15.599413 -69.236330 -15.665124 -69.170619 -15.791854 -69.006340 -15.812975 -68.806859 -15.824709 -68.752882 -15.876340 -68.863183 -15.972560 -68.905426 -16.026537 -68.795125 -16.111023 -68.675436 -16.195509 -68.684824 -16.378562 -68.785738 -16.333972 -68.851449 -16.409071 -69.006340 -16.451314 -69.137763 -16.345707 -69.215208 -16.240099 -69.346631 -16.195509 -69.480401 -16.111023 -69.546112 -16.005416 -69.644679 -15.909195 -69.766715 -15.812975 -69.865282 -15.791854 -69.886403 -15.812975 # -b -77.769423 -11.126345 -77.748301 -11.159201 -77.715445 -11.269502 -77.715445 -11.323479 -77.703711 -11.365723 -77.703711 -11.422047 -77.638000 -11.508879 -77.483109 -11.583978 -77.363420 -11.745910 -77.262506 -11.985287 -77.175673 -12.191808 -77.041904 -12.320884 -76.943337 -12.503938 -76.865891 -12.623626 -76.746202 -12.797292 -76.645288 -12.959224 -76.567843 -13.100034 -76.436420 -13.238497 -76.347240 -13.454406 -76.281529 -13.637459 -76.314385 -13.811125 -76.481010 -13.982444 -76.424686 -14.165497 -76.260408 -14.327428 -76.150106 -14.465892 -76.051539 -14.627823 -75.929504 -14.766287 -75.786347 -14.829651 -75.619722 -14.970461 -75.455443 -15.141780 -75.312286 -15.301365 -75.169129 -15.418707 -74.993117 -15.557170 -74.772514 -15.641656 -74.584767 -15.782466 -74.429876 -15.834097 -74.164684 -15.972560 -74.066117 -16.089902 -74.033261 -16.132145 -73.988671 -16.143879 -73.878370 -16.186122 -73.702357 -16.249486 -73.514610 -16.345707 -73.294008 -16.430193 -73.085140 -16.514679 -72.841069 -16.632021 -72.589957 -16.707119 -72.378742 -16.854970 -72.181608 -17.002821 -71.916416 -17.141284 -71.716935 -17.237504 -71.573778 -17.427598 -71.409499 -17.575448 -71.320320 -17.702177 -71.144307 -17.859415 -70.879115 -18.058896 -70.726570 -18.164504 -70.581067 -18.248990 -70.581067 -18.260724 # -b -70.581067 -18.260724 -70.571679 -18.260724 -70.527089 -18.354598 -70.473112 -18.532957 -70.437910 -18.744172 -70.405054 -18.974162 -70.362811 -19.192418 -70.339342 -19.434142 -70.339342 -19.579645 -70.327608 -19.673519 -70.261897 -19.830757 # -b -70.041294 -15.599413 -70.074150 -15.590026 -70.074150 -15.568904 -70.097618 -15.451562 -70.097618 -15.406973 # -b -69.886403 -15.812975 -70.031907 -15.803588 -70.053029 -15.686246 -70.041294 -15.599413 # -b -78.229402 -9.985783 -78.196546 -10.117206 -78.142569 -10.227507 -78.065124 -10.380052 -77.975944 -10.509128 -77.856255 -10.685140 -77.832787 -10.901049 -77.809319 -10.999616 -77.783504 -11.072368 -77.769423 -11.126345 # -b -149.453502 -17.568408 -149.420646 -17.547286 -149.444114 -17.655241 -149.444114 -17.697484 -149.387790 -17.727993 -149.289223 -17.791357 -149.354934 -17.918086 -149.420646 -17.770236 -149.575537 -17.770236 -149.674104 -17.643506 -149.674104 -17.505043 -149.554415 -17.537899 -149.453502 -17.568408 # -b -145.639894 -17.326684 -145.628160 -17.336071 -145.562449 -17.399436 -145.541327 -17.495656 -145.628160 -17.505043 -145.672750 -17.390048 -145.693872 -17.293828 -145.639894 -17.326684 -145.672750 -17.390048 -145.693872 -17.293828 -145.639894 -17.326684 # -b -145.121244 -16.073474 -145.121244 -16.042965 # -b -146.433125 -14.428342 -146.510570 -14.449464 -146.522304 -14.449464 -146.522304 -14.503441 -146.531692 -14.578540 -146.465980 -14.557418 -146.367413 -14.440077 -146.433125 -14.428342 # -b -146.113955 -14.374365 -146.179667 -14.395487 -146.200788 -14.440077 -146.191401 -14.503441 -146.113955 -14.491707 -146.024775 -14.395487 -146.036510 -14.353244 -146.113955 -14.374365 # -b -140.336047 -15.988988 -140.303191 -15.925623 -140.303191 -15.946745 -140.347781 -16.000722 -140.357169 -16.042965 -140.282070 -16.031231 -140.249214 -15.935011 -140.270336 -15.913889 -140.336047 -15.988988 # -b -140.589505 -19.678213 -140.568384 -19.689947 -140.523794 -19.638316 -140.535528 -19.596073 -140.568384 -19.605461 -140.577771 -19.617195 # -b -145.067267 -19.814329 -145.121244 -19.804942 -145.132978 -19.814329 -145.165834 -19.877694 -145.142365 -19.929324 -145.076654 -19.898815 -145.067267 -19.814329 # -b -150.005008 -17.568408 -149.993274 -17.589529 -149.939296 -17.559020 -149.918175 -17.495656 -149.960418 -17.483922 # -b -151.626671 -16.744669 -151.636058 -16.732934 -151.570347 -16.723547 -151.516370 -16.754056 -151.483514 -16.829155 -151.504635 -16.880785 -151.582081 -16.838542 -151.626671 -16.744669 # -b -150.005008 -17.505043 -150.005008 -17.568408 # -b -149.960418 -17.483922 -150.005008 -17.505043 # -b -160.908404 -10.368318 -160.896670 -10.323728 -160.854427 -10.347196 -160.809837 -10.389439 -160.809837 -10.422295 -160.875548 -10.434029 -160.908404 -10.401173 -160.908404 -10.368318 # -b -172.827979 -13.470834 -172.673088 -13.491955 -172.518197 -13.515424 -172.452486 -13.599910 -172.375040 -13.707864 -172.386774 -13.869796 -172.452486 -13.836940 -172.518197 -13.806431 -172.628498 -13.827553 -172.762268 -13.815818 -172.872569 -13.740720 -172.959402 -13.611644 -173.036848 -13.557667 -173.093172 -13.470834 -173.081438 -13.461446 -173.048582 -13.491955 -172.938281 -13.482568 -172.827979 -13.470834 # -b -171.945569 -13.848674 -171.879858 -13.848674 -171.802412 -13.869796 -171.757823 -13.881530 -171.724967 -13.935507 -171.626400 -13.944894 -171.605278 -14.031727 -171.680377 -14.052849 -171.879858 -14.062236 -171.978425 -14.041115 -172.055871 -14.031727 -172.133316 -14.041115 -172.231883 -13.977750 -172.276473 -13.890917 -172.210762 -13.827553 -172.112195 -13.836940 -172.034749 -13.836940 -171.945569 -13.848674 # -b -170.016471 -18.969468 -170.016471 -18.884982 -170.004737 -18.978856 -170.004737 -19.084463 -170.016471 -19.126706 -170.093916 -19.105585 -170.115038 -18.957734 -170.093916 -18.894370 -170.037592 -18.873248 -170.016471 -18.969468 # -b 177.789189 -17.420557 177.810310 -17.432291 177.878369 -17.420557 177.965201 -17.378314 178.030913 -17.357193 178.066115 -17.420557 178.108358 -17.453413 178.176417 -17.526165 178.286718 -17.537899 178.352429 -17.612998 178.385285 -17.706871 178.394672 -17.727993 178.418141 -17.864109 178.450996 -18.033081 178.429875 -18.117567 178.319574 -18.117567 178.176417 -18.129301 178.066115 -18.223175 177.965201 -18.244296 177.866634 -18.244296 177.777455 -18.232562 177.678888 -18.223175 177.580321 -18.223175 177.523996 -18.150423 177.437164 -18.129301 177.404308 -18.129301 177.249417 -18.117567 177.160237 -18.033081 177.127381 -17.906352 177.171971 -17.791357 177.204827 -17.655241 177.303394 -17.568408 177.437164 -17.462800 177.514609 -17.441679 177.589708 -17.420557 177.700009 -17.441679 177.789189 -17.420557 # -b 178.749044 -16.467742 178.826490 -16.521719 178.826490 -16.509985 178.847611 -16.467742 178.969647 -16.413765 179.112804 -16.362135 179.277082 -16.308157 179.453095 -16.233059 179.598599 -16.202550 179.840323 -16.181428 179.783999 -16.254180 179.631454 -16.350400 179.509419 -16.446621 179.420239 -16.594471 179.387384 -16.660183 179.476563 -16.594471 179.607986 -16.509985 179.697166 -16.467742 179.697166 -16.573350 179.697166 -16.648448 179.730022 -16.765790 179.619720 -16.754056 179.488297 -16.754056 179.300551 -16.765790 179.157394 -16.786912 179.133925 -16.690691 179.079948 -16.660183 178.969647 -16.754056 178.903936 -16.913641 178.814756 -16.923028 178.725576 -16.901907 178.638743 -16.988739 178.504974 -16.880785 178.462731 -16.817421 178.352429 -16.786912 178.352429 -16.660183 178.516708 -16.627327 178.638743 -16.552228 178.749044 -16.467742 # -b 159.967323 -11.731829 160.089358 -11.731829 160.209047 -11.764685 160.307614 -11.839783 160.319348 -11.905495 160.209047 -11.896107 160.089358 -11.839783 # -b 166.444588 -14.728737 166.477444 -14.707616 166.510299 -14.740471 166.531421 -14.815570 166.531421 -14.867201 166.576011 -14.942299 166.599479 -15.029132 166.608866 -15.113618 166.632335 -15.179330 166.698046 -15.209838 166.775492 -15.167595 166.820081 -15.083109 166.852937 -15.008011 166.897527 -14.963421 166.939770 -15.017398 166.951504 -15.083109 166.963238 -15.125352 166.996094 -15.134740 167.007828 -15.179330 167.028950 -15.221573 167.040684 -15.275550 167.050071 -15.381157 167.073540 -15.477378 167.028950 -15.519621 166.930383 -15.531355 166.862324 -15.531355 166.752023 -15.594719 166.665190 -15.606454 166.599479 -15.435135 166.531421 -15.306059 166.510299 -15.083109 166.477444 -14.932912 166.456322 -14.803836 166.444588 -14.728737 # -b 167.061805 -15.871646 167.082927 -15.862259 167.150985 -15.871646 167.204962 -15.913889 167.237818 -15.979600 167.270674 -16.031231 167.315264 -16.042965 167.336385 -16.073474 167.392709 -16.139185 167.437299 -16.211937 167.503010 -16.254180 167.568722 -16.308157 167.589843 -16.341013 167.613312 -16.371522 167.634433 -16.437233 167.601578 -16.488864 167.524132 -16.488864 167.413831 -16.500598 167.294142 -16.500598 167.270674 -16.319891 167.237818 -16.148573 167.226084 -16.073474 167.172107 -16.064086 167.082927 -16.010109 167.061805 -15.925623 167.061805 -15.871646 # -b 168.031048 -15.477378 168.054517 -15.456256 168.054517 -15.510233 168.063904 -15.594719 168.099107 -15.702674 168.131962 -15.744917 168.131962 -15.808281 168.131962 -15.892767 168.099107 -15.913889 168.054517 -15.820016 168.031048 -15.679205 168.021661 -15.519621 168.031048 -15.477378 # -b 168.021661 -16.085208 168.054517 -16.052352 168.054517 -16.052352 168.054517 -16.139185 168.063904 -16.223671 168.108494 -16.287036 168.141350 -16.329279 168.054517 -16.350400 167.965337 -16.350400 167.878504 -16.308157 167.833914 -16.223671 167.833914 -16.190816 167.911360 -16.169694 167.965337 -16.106329 168.021661 -16.085208 # -b 168.307975 -17.547286 168.329096 -17.559020 168.373686 -17.589529 168.394808 -17.676362 168.406542 -17.770236 168.329096 -17.800744 168.251651 -17.800744 168.153084 -17.791357 168.087372 -17.727993 168.099107 -17.664628 168.153084 -17.589529 168.242264 -17.537899 168.307975 -17.547286 # -b 168.836013 -18.643258 168.836013 -18.622137 168.859481 -18.622137 168.946314 -18.654992 168.979170 -18.727744 168.969782 -18.748866 168.990904 -18.842739 169.014372 -18.936613 168.969782 -18.936613 168.868869 -18.842739 168.826625 -18.727744 168.836013 -18.643258 168.868869 -18.842739 168.826625 -18.727744 168.836013 -18.643258 # -b 169.101205 -19.366083 169.145795 -19.344962 169.157529 -19.375471 169.223241 -19.438835 169.256096 -19.481078 169.232628 -19.553830 169.211506 -19.605461 169.124674 -19.565564 169.080084 -19.490466 169.080084 -19.408327 169.101205 -19.366083 # -b 161.488072 -10.182918 161.466951 -10.171183 161.565518 -10.248629 161.675819 -10.258016 161.842444 -10.323728 162.009069 -10.380052 162.173348 -10.445763 162.239059 -10.574839 162.349361 -10.652285 162.384563 -10.727383 162.438540 -10.771973 162.349361 -10.847072 162.128758 -10.781361 161.931624 -10.694528 161.786120 -10.520862 161.642963 -10.445763 161.556130 -10.281485 161.488072 -10.194652 161.488072 -10.182918 # -b 165.728803 -10.804829 165.740537 -10.837685 165.749925 -10.781361 165.794515 -10.717996 165.850839 -10.652285 165.961140 -10.652285 166.071441 -10.706262 166.080828 -10.793095 165.993995 -10.825950 165.937671 -10.814216 165.839104 -10.879928 165.827370 -10.825950 165.782780 -10.825950 165.728803 -10.804829 # -b 159.979057 -11.839783 159.878143 -11.806928 159.910999 -11.776419 159.967323 -11.731829 # -b 160.089358 -11.839783 159.979057 -11.839783 # -b 151.375559 -9.964662 151.387294 -10.105472 151.244137 -10.117206 151.122101 -10.018639 # -b 149.953377 -9.898951 150.173980 -10.018639 150.328871 -10.096085 150.516618 -10.161796 150.669162 -10.171183 150.814666 -10.194652 150.978944 -10.227507 151.011800 -10.314340 150.824053 -10.368318 150.615185 -10.347196 150.481415 -10.356583 150.615185 -10.389439 150.770076 -10.499740 150.680896 -10.607695 150.439172 -10.685140 150.173980 -10.607695 150.117656 -10.488006 150.105922 -10.422295 # -b 139.866680 -17.718605 140.045039 -17.781970 140.275029 -17.730339 140.474510 -17.645853 140.781946 -17.549633 140.859391 -17.434638 140.915715 -17.169446 140.936837 -17.063838 141.058872 -16.840889 141.169174 -16.639061 141.213763 -16.458355 141.279475 -16.204897 141.356920 -15.841137 141.443753 -15.543089 141.544667 -15.329527 141.586910 -15.115965 141.554054 -14.848426 141.455487 -14.515175 141.488343 -14.235902 141.467222 -14.010606 141.443753 -13.656234 141.544667 -13.461446 141.610379 -13.311249 141.586910 -13.128196 141.586910 -13.008507 141.676090 -12.825454 141.697211 -12.651788 141.577523 -12.621279 141.554054 -12.621279 141.577523 -12.414758 141.654968 -12.090895 141.852103 -12.025183 141.929548 -11.863252 141.999953 -11.525307 142.225249 -11.255421 142.225249 -11.025431 142.225249 -10.999616 # -b 142.722778 -11.025431 142.722778 -11.048900 142.746247 -11.123999 142.767368 -11.264809 142.779102 -11.515920 142.779102 -11.752950 142.833080 -11.926616 143.032561 -11.926616 143.077150 -12.046305 143.065416 -12.165993 143.041948 -12.295069 143.152249 -12.393636 143.229695 -12.576689 143.318874 -12.642401 143.318874 -12.825454 143.330609 -12.891165 143.417442 -12.933408 143.462031 -13.203294 143.539477 -13.419203 143.539477 -13.560013 143.527743 -13.785310 143.593454 -13.935507 143.626310 -14.109173 143.703755 -14.289879 143.837525 -14.430689 144.001804 -14.494054 144.123839 -14.386099 144.234140 -14.313347 144.398419 -14.247636 144.553310 -14.280492 144.619021 -14.409568 144.675345 -14.559765 144.851358 -14.634864 144.994515 -14.806183 145.137672 -14.881282 145.304297 -15.029132 145.259707 -15.212185 145.313684 -15.317793 145.292563 -15.489112 145.280829 -15.651043 145.346540 -15.820016 145.358274 -15.970213 145.435720 -16.129798 145.447454 -16.310504 145.447454 -16.416112 145.501431 -16.617940 145.623467 -16.765790 145.733768 -16.925375 145.876925 -16.925375 145.909780 -17.148324 145.987226 -17.307909 146.052937 -17.498003 146.097527 -17.697484 146.097527 -17.878190 146.106915 -17.983798 146.074059 -18.108180 146.064672 -18.277152 146.106915 -18.467246 146.228950 -18.570506 146.318130 -18.591628 146.294661 -18.676114 146.350985 -18.612749 146.350985 -18.654992 146.318130 -18.730091 146.339251 -18.769987 146.339251 -18.875595 146.404963 -19.053954 146.649034 -19.126706 146.726479 -19.232314 146.902492 -19.305066 147.078504 -19.335575 147.254517 -19.389552 147.331963 -19.377818 147.430530 -19.305066 147.496241 -19.598420 147.564299 -19.743924 147.662866 -19.816676 147.761433 -19.795554 147.838879 -19.765045 147.982036 -19.858919 148.148661 -19.889428 # -b 142.225249 -10.999616 142.225249 -10.978495 142.246371 -10.957373 142.302695 -10.912783 142.401262 -10.891662 142.544419 -10.804829 142.621864 -10.706262 142.720432 -10.750852 142.720432 -10.847072 142.727472 -10.858806 142.743900 -10.924518 142.762675 -10.990229 142.727472 -10.999616 142.727472 -11.025431 # -b 150.105922 -10.422295 149.852463 -10.389439 149.622474 -10.356583 149.378403 -10.302606 149.157800 -10.281485 148.970053 -10.236895 148.848018 -10.204039 148.540583 -10.194652 148.385692 -10.161796 148.174476 -10.150062 147.986730 -10.051495 147.899897 -10.051495 # -b 129.923140 -13.581135 130.110886 -13.581135 130.230575 -13.461446 130.209453 -13.245537 130.066297 -13.257272 130.099152 -13.149317 130.110886 -12.977998 130.188332 -12.792598 130.352610 -12.750355 130.507502 -12.684644 130.540357 -12.543834 130.683514 -12.576689 130.805550 -12.651788 130.882995 -12.783211 130.904117 -12.651788 130.793815 -12.480469 130.859527 -12.447614 130.958094 -12.295069 131.068395 -12.327925 131.202165 -12.381902 131.223286 -12.285682 131.279610 -12.285682 131.434501 -12.327925 131.664491 -12.306803 131.840504 -12.349046 131.995395 -12.349046 132.159673 -12.295069 132.237119 -12.273948 132.347420 -12.231705 132.514046 -12.133138 132.502311 -11.938350 132.502311 -11.698973 132.392010 -11.591019 132.204263 -11.569897 132.061106 -11.602753 131.929684 -11.504186 131.840504 -11.396231 # -b 131.840504 -11.396231 131.676225 -11.330520 131.687960 -11.309398 131.741937 -11.297664 131.819382 -11.330520 131.852238 -11.255421 131.908562 -11.199097 131.950805 -11.264809 131.974273 -11.417353 132.007129 -11.525307 132.084575 -11.405619 132.084575 -11.255421 132.138552 -11.231953 132.171408 -11.231953 132.227732 -11.309398 132.314565 -11.297664 132.370889 -11.396231 132.448334 -11.483064 132.546901 -11.569897 132.600878 -11.602753 132.645468 -11.471330 132.734648 -11.450209 132.812094 -11.504186 132.877805 -11.623874 133.009228 -11.764685 133.142997 -11.785806 133.274420 -11.830396 133.340132 -11.818662 133.417577 -11.839783 133.483288 -11.896107 133.605324 -11.806928 133.671035 -11.785806 133.671035 -11.806928 133.671035 -11.905495 133.769602 -11.950084 133.936228 -11.959472 134.013673 -12.025183 134.112240 -12.090895 134.278866 -12.058039 134.422023 -12.121403 134.586301 -12.046305 134.630891 -12.046305 134.729458 -12.165993 134.928939 -12.165993 135.015772 -12.219971 135.104952 -12.327925 135.137807 -12.295069 135.203519 -12.231705 135.313820 -12.133138 135.391265 -12.090895 135.456977 -12.067426 135.501567 -12.079160 135.546157 -12.079160 135.644724 -12.079160 135.776146 -12.025183 135.832470 -12.004062 135.766759 -12.112016 135.722169 -12.187115 135.755025 -12.241092 135.799615 -12.262214 135.898182 -12.177727 135.921650 -12.231705 135.921650 -12.295069 135.898182 -12.403024 135.898182 -12.534446 135.921650 -12.597811 135.975627 -12.567302 136.085929 -12.534446 136.196230 -12.339659 136.163374 -12.295069 136.175108 -12.133138 136.360508 -11.971206 136.416832 -12.025183 136.461422 -12.112016 136.482544 -12.381902 136.625701 -12.285682 136.736002 -12.273948 136.836916 -12.360781 136.780592 -12.435879 136.714880 -12.609545 136.616313 -12.792598 136.538868 -12.846575 136.461422 -12.837188 136.428567 -12.891165 136.470810 -12.945143 136.494278 -12.999120 136.538868 -13.041363 136.470810 -13.170439 136.416832 -13.245537 136.339387 -13.290127 136.285410 -13.278393 136.196230 -13.257272 136.151640 -13.161051 136.074194 -13.269006 136.097663 -13.430937 136.130518 -13.506036 136.064807 -13.440325 135.987362 -13.311249 135.898182 -13.299515 135.865326 -13.515424 135.811349 -13.677355 135.811349 -13.773575 135.886448 -13.752454 135.987362 -13.731332 135.954506 -13.860408 135.886448 -14.064583 135.886448 -14.130294 135.844205 -14.235902 135.710435 -14.472932 135.656458 -14.677107 135.534422 -14.848426 135.534422 -15.029132 135.644724 -15.104231 135.710435 -15.223919 135.853592 -15.191064 135.942772 -15.275550 135.954506 -15.287284 136.008483 -15.329527 136.118784 -15.383504 136.285410 -15.437481 136.327653 -15.618188 136.395711 -15.768385 136.395711 -16.012456 136.571723 -15.895114 136.768858 -15.949092 136.968339 -15.991335 137.210063 -15.979600 137.287508 -16.108676 137.475255 -16.226018 137.674736 -16.310504 137.839014 -16.406724 137.949316 -16.542841 138.104207 -16.671917 138.247364 -16.693038 138.378787 -16.765790 138.676835 -16.831502 138.885703 -16.883132 139.061716 -17.009861 139.129774 -17.202301 139.207219 -17.317296 139.350376 -17.413517 139.514655 -17.519124 139.746991 -17.655241 139.779847 -17.676362 139.866680 -17.718605 # -b 130.054562 -11.839783 130.000585 -11.851517 # -b 129.967729 -11.698973 130.009972 -11.677852 130.033441 -11.525307 130.110886 -11.417353 130.176598 -11.429087 130.221188 -11.569897 130.286899 -11.677852 130.364345 -11.752950 130.451177 -11.830396 130.408934 -11.839783 130.209453 -11.830396 130.054562 -11.839783 # -b 130.254043 -11.255421 130.298633 -11.309398 130.397200 -11.351642 130.462912 -11.417353 130.552091 -11.450209 130.617803 -11.471330 130.749226 -11.438474 130.871261 -11.405619 130.958094 -11.417353 131.080129 -11.342254 131.178696 -11.255421 131.267876 -11.285930 131.357056 -11.396231 131.378177 -11.471330 131.389912 -11.579285 131.312466 -11.656730 131.246755 -11.752950 131.103598 -11.830396 130.969828 -11.905495 130.826671 -11.905495 130.704636 -11.806928 130.552091 -11.710707 130.430056 -11.644996 130.364345 -11.515920 130.308021 -11.384497 130.254043 -11.255421 # -b 136.428567 -11.525307 136.395711 -11.525307 136.395711 -11.450209 136.416832 -11.297664 136.527134 -11.135733 136.592845 -11.112264 136.592845 -11.243687 136.482544 -11.396231 136.428567 -11.525307 # -b 136.405098 -13.818165 136.461422 -13.818165 136.482544 -13.872142 136.571723 -13.743067 136.625701 -13.893264 136.759470 -13.797044 136.780592 -14.085704 136.801713 -14.193659 136.869772 -14.259370 136.703146 -14.322735 136.494278 -14.313347 136.395711 -14.184272 136.405098 -13.818165 # -b 139.580366 -16.437233 139.669546 -16.470089 139.681280 -16.479476 139.779847 -16.566309 139.702402 -16.566309 139.535776 -16.617940 139.535776 -16.671917 139.470065 -16.723547 139.294052 -16.777524 139.207219 -16.650795 139.317521 -16.521719 139.404353 -16.500598 139.481799 -16.416112 139.580366 -16.437233 # -b 119.878685 -19.941058 120.045311 -19.910549 120.221323 -19.804942 120.474781 -19.765045 120.662528 -19.722802 120.871396 -19.628929 121.014553 -19.535056 121.113120 -19.441182 121.268012 -19.305066 121.321989 -19.262823 121.432290 -19.168949 121.488614 -19.053954 121.509736 -18.887329 121.598915 -18.760600 121.652893 -18.687848 121.688095 -18.612749 121.697482 -18.497754 121.819518 -18.509489 121.974409 -18.352251 122.204399 -18.141036 122.260723 -18.044815 122.195011 -18.002572 122.150422 -17.814825 122.094098 -17.624732 122.061242 -17.476881 122.084710 -17.265666 122.227867 -17.042717 122.305313 -16.988739 122.415614 -17.000474 122.469591 -16.873745 122.624482 -16.744669 122.678460 -16.744669 122.701928 -16.744669 122.678460 -16.650795 122.755905 -16.458355 122.800495 -16.437233 122.845085 -16.608552 122.922530 -16.714160 122.964773 -16.831502 123.032832 -16.988739 123.152520 -17.211689 123.262821 -17.338418 123.340267 -17.486269 123.417713 -17.570755 123.495158 -17.380661 123.506892 -17.117815 123.549135 -17.127203 123.682905 -17.094347 123.650049 -16.883132 123.516280 -16.681304 123.417713 -16.608552 123.462302 -16.521719 123.450568 -16.479476 123.438834 -16.235405 123.528014 -16.160307 123.715761 -16.247140 123.870652 -16.214284 123.957485 -16.343360 124.091254 -16.500598 124.234411 -16.512332 124.386955 -16.542841 124.431545 -16.416112 124.267267 -16.343360 124.300123 -16.129798 124.377568 -16.045312 124.487869 -15.949092 124.541847 -15.841137 124.508991 -15.735530 124.455014 -15.543089 124.541847 -15.437481 124.685004 -15.392892 124.884485 -15.500846 124.929074 -15.458603 124.872750 -15.350649 124.828161 -15.245041 124.839895 -15.137087 124.917340 -15.052601 125.072231 -15.094844 125.236510 -15.158208 125.236510 -15.073722 125.126209 -14.890669 125.116821 -14.677107 125.269366 -14.611396 125.358545 -14.602008 125.480581 -14.559765 125.522824 -14.548031 125.644859 -14.548031 125.665981 -14.698228 125.766895 -14.644251 125.898317 -14.538644 125.987497 -14.334469 125.987497 -14.235902 125.886583 -14.109173 125.942907 -14.001218 126.029740 -14.109173 126.064943 -14.259370 126.175244 -14.184272 126.240955 -14.076317 126.285545 -14.097439 126.306667 -14.184272 126.416968 -14.172537 126.527269 -14.109173 126.625836 -14.055196 126.691548 -13.989484 126.649305 -13.860408 126.801849 -13.839287 126.858173 -13.881530 126.968474 -13.926120 127.013064 -13.947241 127.189077 -13.947241 127.365089 -14.055196 127.508246 -14.172537 127.663137 -14.376712 127.806294 -14.569152 127.961185 -14.677107 128.059752 -14.752206 128.038631 -14.857813 127.994041 -15.052601 127.994041 -15.245041 127.961185 -15.414013 127.904861 -15.554823 127.818028 -15.651043 127.883740 -15.618188 127.970573 -15.437481 128.015163 -15.287284 128.048018 -15.308406 128.080874 -15.254428 128.113730 -15.125352 128.104342 -15.094844 128.104342 -15.073722 128.125464 -15.052601 128.191175 -14.986889 128.247499 -14.998623 128.268621 -14.965768 128.390656 -14.998623 128.378922 -14.881282 128.444633 -14.836692 128.622993 -14.902403 128.852983 -14.890669 129.061851 -14.857813 129.183887 -14.932912 129.261332 -15.019745 129.383367 -15.137087 129.503056 -15.254428 129.592236 -15.233307 129.535912 -14.956380 129.669681 -14.890669 129.681416 -14.857813 129.559380 -14.731084 129.437345 -14.602008 129.282454 -14.386099 129.371633 -14.109173 129.425611 -14.139682 129.514790 -14.097439 129.603970 -13.980097 129.657947 -13.881530 129.714271 -13.797044 129.714271 -13.667968 129.801104 -13.548279 129.923140 -13.581135 # -b 130.000585 -11.851517 129.967729 -11.743563 129.967729 -11.698973 # -b 124.825814 -9.887216 124.703778 -10.051495 124.572355 -10.105472 124.471442 -10.171183 124.295429 -10.204039 124.131150 -10.302606 123.964525 -10.347196 123.833102 -10.368318 123.666477 -10.356583 123.567910 -10.258016 123.699333 -10.105472 123.722801 -10.009252 # -b 122.903756 -10.901049 122.915490 -10.793095 122.981201 -10.771973 123.082115 -10.760239 123.180682 -10.673406 123.279249 -10.586573 123.380163 -10.509128 123.413019 -10.499740 123.424753 -10.541983 123.424753 -10.619429 123.380163 -10.717996 123.258128 -10.814216 123.103237 -10.924518 122.981201 -10.933905 122.903756 -10.901049 # -b 120.796298 -9.931806 120.850275 -10.117206 120.739974 -10.215773 120.552227 -10.290872 120.322237 -10.281485 120.134490 -10.063229 # -b 118.864852 -20.077175 119.008009 -19.952792 119.249733 -19.941058 # -b 119.425746 -20.034931 119.646349 -19.941058 119.878685 -19.941058 # -b 49.950039 -14.052849 50.027484 -14.332122 50.048606 -14.590274 50.104930 -14.878935 50.226965 -15.146474 50.259821 -15.423400 50.226965 -15.690940 50.137786 -15.904502 # -b 57.492767 -20.011463 57.558478 -19.980954 # -b 40.677693 -10.999616 40.633103 -11.112264 40.583820 -11.175629 40.532190 -11.262462 40.466478 -11.405619 40.400767 -11.534695 40.337402 -11.774072 40.358524 -12.013449 40.358524 -12.208236 40.412501 -12.543834 40.424235 -12.801986 40.313934 -12.900553 40.346790 -13.071872 40.403114 -13.071872 40.403114 -13.374613 40.379645 -13.675008 40.391379 -13.806431 40.412501 -13.966016 40.435969 -14.041115 40.424235 -14.095092 40.391379 -14.191312 40.468825 -14.245289 40.534536 -14.191312 40.600248 -14.320388 40.501681 -14.449464 40.579126 -14.461198 40.665959 -14.515175 40.665959 -14.674760 40.579126 -14.846079 40.513415 -15.038520 40.346790 -15.209838 40.489946 -15.252082 40.480559 -15.402279 40.445357 -15.531355 40.302200 -15.606454 40.292812 -15.606454 40.281078 -15.615841 40.116800 -15.796547 # -b 43.113708 -11.393885 43.113708 -11.351642 43.125442 -11.351642 43.202888 -11.361029 43.259212 -11.447862 43.301455 -11.600406 43.324923 -11.762338 43.378901 -11.849171 43.378901 -11.947738 43.324923 -11.926616 43.181766 -11.828049 43.158298 -11.666117 43.137177 -11.480717 43.113708 -11.393885 # -b 44.305900 -16.265914 44.371612 -16.169694 44.392733 -16.160307 44.437323 -16.169694 44.514769 -16.202550 44.812817 -16.181428 44.878528 -16.106329 44.988829 -16.042965 45.087396 -15.988988 45.120252 -16.085208 45.188310 -16.118064 45.286877 -16.000722 45.397179 -16.042965 45.495746 -15.925623 45.519214 -15.808281 45.695227 -15.766038 45.793794 -15.829403 45.915829 -15.723795 46.026131 -15.754304 46.112963 -15.935011 46.234999 -16.064086 46.378156 -16.096942 46.500191 -16.073474 46.455601 -15.913889 46.267855 -15.754304 46.288976 -15.585332 46.476723 -15.381157 46.697325 -15.252082 46.819361 -15.306059 46.840482 -15.435135 46.852217 -15.540742 46.995373 -15.552476 47.105675 -15.489112 47.051697 -15.369423 46.929662 -15.155861 47.051697 -15.050254 47.204242 -14.857813 47.161999 -14.815570 47.293422 -14.686494 47.347399 -14.815570 47.305156 -15.029132 47.424844 -14.878935 47.591470 -14.674760 47.746361 -14.686494 47.844928 -14.665373 47.800338 -14.590274 47.636059 -14.545684 47.546880 -14.407221 47.591470 -14.299266 47.746361 -14.095092 47.844928 -14.203046 47.856662 -13.977750 47.800338 -13.848674 47.746361 -13.632765 47.800338 -13.557667 47.988085 -13.623378 48.065530 -13.815818 48.164097 -13.665621 48.229809 -13.569401 48.295520 -13.482568 48.330723 -13.287780 48.462145 -13.386348 48.626424 -13.278393 48.715604 -13.017894 48.736725 -12.769130 48.736725 -12.607198 48.626424 -12.445267 48.715604 -12.478122 48.891616 -12.262214 49.023039 -12.175381 49.234254 -12.358434 49.398533 -12.597811 49.586279 -12.780864 49.586279 -12.769130 49.720049 -13.008507 49.785760 -13.254925 49.806882 -13.461446 49.905449 -13.761841 49.950039 -14.052849 # -b 50.137786 -15.904502 49.994629 -15.925623 49.884327 -15.690940 49.806882 -15.435135 49.642603 -15.444522 49.574545 -15.850524 49.574545 -16.127451 49.696581 -16.341013 49.696581 -16.627327 49.619135 -16.817421 49.508834 -16.934762 49.365677 -17.188220 49.321087 -17.495656 49.321087 -17.749114 49.267110 -18.075324 49.210786 -18.371025 49.145074 -18.654992 49.046507 -18.927225 48.947940 -19.166602 48.912738 -19.178337 48.891616 -19.335575 48.825905 -19.511587 48.760193 -19.732190 48.682748 -19.959833 # -b 44.315288 -20.023197 44.404467 -19.835451 44.359878 -19.659438 44.437323 -19.565564 44.383346 -19.396592 44.228455 -19.145481 44.129888 -18.812230 44.073564 -18.570506 44.019587 -18.328782 43.996118 -18.054203 43.996118 -17.800744 43.876430 -17.634119 43.808371 -17.526165 43.876430 -17.399436 44.052442 -17.136590 44.216721 -16.786912 44.315288 -16.552228 44.305900 -16.392643 44.305900 -16.265914 # -b 39.929053 -9.997518 40.006498 -10.051495 40.126187 -10.107819 40.227101 -10.281485 40.292812 -10.293219 40.391379 -10.323728 40.489946 -10.389439 # -b 40.489946 -10.389439 40.579126 -10.520862 40.644838 -10.553718 40.677693 -10.652285 40.644838 -10.694528 40.656572 -10.814216 40.656572 -10.945639 40.677693 -10.999616 # -b 40.116800 -15.796547 39.983030 -15.956132 39.905585 -16.118064 39.607536 -16.277648 39.652126 -16.308157 39.708450 -16.362135 39.631005 -16.509985 39.443258 -16.648448 39.222656 -16.775178 39.058377 -16.838542 38.948076 -17.030983 38.704005 -17.157712 38.560848 -17.145977 38.396570 -17.157712 38.152499 -17.242198 37.889653 -17.357193 37.579871 -17.495656 37.359268 -17.601263 37.051833 -17.821866 36.852352 -17.981451 36.807762 -18.150423 36.720929 -18.211441 36.620015 -18.223175 36.566038 -18.232562 36.488593 -18.265418 36.566038 -18.317048 36.610628 -18.359291 36.509714 -18.476633 36.390026 -18.601015 36.300846 -18.706623 36.178810 -18.894370 36.080243 -18.854473 36.026266 -18.685501 35.958208 -18.812230 35.904231 -18.957734 35.749340 -19.030486 35.662507 -19.126706 35.561593 -19.241701 35.397314 -19.396592 35.221302 -19.574952 34.988965 -19.720456 34.845808 -19.887081 34.646327 -19.938711 # -b 34.944375 -11.600406 34.899785 -11.501839 34.768362 -11.426740 34.679183 -11.307052 34.613471 -11.241340 34.568881 -11.055940 # -b 34.327157 -10.999616 34.327157 -11.034819 34.172266 -11.088796 34.172266 -11.142773 34.172266 -11.199097 34.130023 -11.253074 34.139411 -11.339907 34.184000 -11.468983 34.205122 -11.633262 34.216856 -11.752950 34.151145 -11.882026 34.073699 -12.013449 34.029109 -12.130791 34.007988 -12.304457 34.019722 -12.445267 34.061965 -12.597811 34.106555 -12.769130 34.162879 -12.921674 34.172266 -13.146970 34.172266 -13.362879 34.240325 -13.578788 34.371747 -13.590522 34.470314 -13.698477 34.482049 -13.890917 34.482049 -14.085704 34.526638 -14.214780 34.625205 -14.235902 34.714385 -14.257023 34.812952 -14.191312 34.944375 -14.214780 35.066410 -14.364978 35.209567 -14.470585 35.197833 -14.449464 35.164978 -14.386099 35.120388 -14.224168 35.087532 -14.010606 35.000699 -13.858061 34.878664 -13.773575 34.845808 -13.665621 34.824686 -13.665621 34.824686 -13.644499 34.789484 -13.644499 # -b 34.944375 -11.600406 34.845808 -11.600406 34.857542 -11.666117 34.866930 -11.774072 34.866930 -11.849171 34.845808 -11.968859 34.789484 -12.088548 34.723773 -12.229358 34.658061 -12.403024 34.636940 -12.543834 34.636940 -12.715153 34.646327 -12.867697 34.658061 -13.050750 34.658061 -13.233803 34.679183 -13.395735 34.735507 -13.545932 34.789484 -13.644499 34.845808 -13.644499 # -b 34.559494 -9.997518 34.646327 -10.293219 34.714385 -10.631163 34.643980 -10.750852 34.568881 -10.999616 # -b 34.073699 -9.887216 34.139411 -10.051495 34.195735 -10.248629 34.261446 -10.380052 34.315423 -10.541983 34.327157 -10.673406 34.327157 -10.793095 34.327157 -10.999616 # -b 11.626221 -17.314950 11.626221 -17.209342 11.605100 -17.073226 11.572244 -16.838542 11.572244 -16.636714 11.659077 -16.681304 11.682545 -16.796299 11.670811 -16.681304 11.659077 -16.488864 11.659077 -16.319891 11.659077 -16.139185 11.682545 -15.925623 11.825702 -15.775426 11.879679 -15.615841 11.945391 -15.338914 12.022836 -15.167595 12.046305 -14.921178 12.100282 -14.761593 12.133138 -14.545684 12.177727 -14.428342 12.210583 -14.235902 12.288029 -14.062236 12.353740 -13.912039 12.353740 -13.773575 12.419452 -13.686742 12.431186 -13.569401 12.475776 -13.449712 12.541487 -13.308902 12.705765 -13.179826 12.816067 -13.062484 12.827801 -12.942796 12.848922 -12.823107 13.015548 -12.748008 13.215029 -12.661176 13.334717 -12.532100 13.456753 -12.391289 13.543586 -12.241092 13.621031 -12.043958 13.653887 -11.882026 13.665621 -11.795193 13.665621 -11.785806 13.677355 -11.762338 13.677355 -11.666117 13.677355 -11.555816 13.677355 -11.459596 13.698477 -11.393885 13.721945 -11.307052 13.721945 -11.220219 13.710211 -11.100530 13.698477 -11.034819 # -b 12.893512 -20.053706 12.806679 -19.919937 12.762089 -19.793207 12.696378 -19.678213 12.651788 -19.605461 12.618932 -19.481078 12.529753 -19.387205 12.464041 -19.293332 12.431186 -19.187724 12.374862 -19.126706 12.309150 -19.063342 12.231705 -18.894370 12.121403 -18.748866 12.046305 -18.694889 11.968859 -18.643258 11.957125 -18.612749 11.936003 -18.601015 11.846824 -18.476633 11.757644 -18.317048 11.670811 -18.150423 11.670811 -17.981451 11.647343 -17.927474 11.614487 -17.821866 11.605100 -17.718605 11.614487 -17.580142 11.614487 -17.441679 11.626221 -17.336071 11.626221 -17.314950 # -b 13.698477 -11.034819 13.787656 -10.901049 13.754801 -10.781361 13.710211 -10.553718 13.477874 -10.368318 13.391041 -10.150062 13.290127 -10.018639 # -b -50.097889 -29.858783 -49.987588 -29.703892 -49.877287 -29.530226 -49.776373 -29.377682 -49.633216 -29.204016 -49.546383 -29.135958 -49.490059 -29.086675 -49.424348 -29.018616 -49.337515 -28.903621 -49.203745 -28.776892 -49.060588 -28.690059 -48.872842 -28.652510 -48.839986 -28.652510 -48.839986 -28.495272 -48.741419 -28.368543 -48.663973 -28.349768 -48.619383 -28.124472 -48.607649 -27.861627 -48.607649 -27.636330 -48.574793 -27.380525 -48.598262 -27.272571 -48.574793 -27.223287 -48.398781 -27.232675 -48.387047 -27.223287 -48.565406 -27.075437 -48.652239 -26.997991 -48.631118 -26.779736 -48.663973 -26.730452 -48.696829 -26.690556 -48.696829 -26.631885 -48.675707 -26.512196 -48.717950 -26.394855 -48.750806 -26.284553 -48.675707 -26.146090 -48.631118 -25.977118 -48.652239 -25.887938 -48.598262 -25.796412 -48.497348 -25.688457 -48.387047 -25.538260 -48.255624 -25.437346 -48.166444 -25.348166 -48.013900 -25.228478 -47.880130 -25.108789 -47.837887 -25.007875 -47.682996 -24.857678 -47.572695 -24.747376 -47.429538 -24.646463 -47.295768 -24.594832 -47.164346 -24.505652 -47.054044 -24.393004 -46.922622 -24.273316 -46.734875 -24.141893 -46.535394 -24.031592 -46.392237 -23.949452 -46.281936 -23.989349 -46.216224 -23.940065 -46.040212 -23.778134 -45.831343 -23.757012 -45.610741 -23.787521 -45.488705 -23.747625 -45.357283 -23.585693 -45.256369 -23.555184 -45.223513 -23.482432 -45.157802 -23.463658 -45.169536 -23.412027 -45.092090 -23.372131 -44.904343 -23.311113 -44.704862 -23.280604 -44.594561 -23.268870 -44.627417 -23.198465 -44.728331 -23.146835 -44.749452 -23.146835 -44.672007 -23.067042 -44.561705 -23.006025 -44.442017 -22.902764 -44.373959 -22.933273 -44.385693 -23.015412 -44.319981 -23.036534 -44.153356 -22.984903 -44.010199 -22.933273 -43.944488 -22.902764 -43.822452 -22.933273 -43.702764 -22.984903 -43.559607 -22.994291 -43.416450 -22.963782 -43.249825 -22.872255 -43.139523 -22.862868 -43.073812 -22.945007 -42.909533 -22.963782 -42.721787 -22.954394 -42.632607 -22.945007 -42.522306 -22.914498 -42.390883 -22.914498 -42.203136 -22.881643 -42.059979 -22.851134 -41.994268 -22.801850 -42.027123 -22.719711 -42.071713 -22.689202 -42.059979 -22.628184 -41.970799 -22.473293 -41.750197 -22.330136 -41.553063 -22.229222 -41.365316 -22.156470 -41.210425 -22.074331 -41.132979 -21.971070 -41.111858 -21.849035 -41.123592 -21.673022 -41.111858 -21.508744 -41.079002 -21.332731 -40.956967 -21.147331 -40.834931 -20.971319 -40.736364 -20.868058 -40.614329 -20.776531 -40.494640 -20.619293 -40.384339 -20.443281 -40.250569 -20.185129 # -b -50.184722 -30.116935 -50.140133 -29.964391 -50.097889 -29.858783 # -b -70.261897 -19.830757 -70.229041 -20.006769 -70.229041 -20.203904 -70.252510 -20.370529 -70.261897 -20.631028 -70.273631 -20.919688 -70.217307 -21.116822 -70.163330 -21.374974 -70.163330 -21.560374 -70.217307 -21.745774 -70.229041 -21.949949 -70.294753 -22.165858 -70.318221 -22.372379 -70.318221 -22.677468 -70.339342 -22.881643 -70.395667 -23.006025 -70.473112 -23.006025 -70.559945 -23.106939 -70.625656 -23.329888 -70.625656 -23.433149 -70.581067 -23.494166 -70.515355 -23.564572 -70.527089 -23.766399 -70.571679 -23.970574 -70.571679 -24.151280 -70.571679 -24.343721 -70.571679 -24.576057 -70.571679 -24.775538 -70.548211 -24.946857 -70.538823 -25.017262 -70.538823 -25.097055 -70.538823 -25.268374 -70.548211 -25.409184 -70.670246 -25.498364 -70.747692 -25.639174 -70.792282 -25.777637 -70.792282 -25.887938 -70.780547 -25.995893 -70.747692 -26.136703 -70.726570 -26.244657 -70.726570 -26.394855 -70.759426 -26.533318 -70.768813 -26.699943 -70.792282 -26.850141 -70.869727 -27.056662 -70.944826 -27.124720 -71.001150 -27.213900 -71.012884 -27.303080 -71.012884 -27.401647 -71.012884 -27.450931 -71.001150 -27.547151 -71.055127 -27.617556 -71.144307 -27.772447 -71.188897 -27.969581 -71.221752 -28.213652 -71.254608 -28.380277 -71.308585 -28.553943 -71.353175 -28.708834 -71.475211 -28.854338 -71.540922 -28.941171 # -b -71.540922 -28.941171 -71.597246 -29.049125 -71.606633 -29.126571 -71.606633 -29.204016 -71.564390 -29.272075 -71.519801 -29.398804 -71.486945 -29.504411 -71.442355 -29.591244 -71.442355 -29.706239 -71.430621 -29.802459 -71.397765 -29.889292 # -b -109.498633 -27.169310 -109.400066 -27.159923 -109.376598 -27.120027 -109.409454 -27.080131 -109.454044 -27.070743 -109.486899 -27.051969 -109.531489 -27.129414 -109.543223 -27.169310 # -b -124.945502 -24.641769 -124.978358 -24.712174 -124.922034 -24.712174 -124.912647 -24.651156 -124.954890 -24.672278 -124.945502 -24.641769 # -b -135.684620 -21.461807 -135.705741 -21.461807 -135.759719 -21.543946 -135.750331 -21.586190 -135.649417 -21.565068 -135.640030 -21.482929 -135.684620 -21.461807 # -b -130.270471 -25.043078 -130.282205 -25.082974 -130.247003 -25.092361 -130.237615 -25.043078 -130.270471 -25.043078 # -b -137.249959 -23.111632 -137.282815 -23.102245 -137.292202 -23.163263 -137.292202 -23.184384 -137.249959 -23.193772 -137.238225 -23.153875 -137.249959 -23.111632 # -b -140.798374 -21.750468 -140.756131 -21.658941 -140.788986 -21.668329 -140.810108 -21.771589 -140.756131 -21.762202 -140.732662 -21.677716 -140.744396 -21.668329 -140.798374 -21.750468 # -b -175.219404 -21.133250 -175.186549 -21.121516 -175.186549 -21.203655 -175.219404 -21.297529 -175.287463 -21.288141 -175.386030 -21.236511 -175.496331 -21.194268 -175.540921 -21.100395 -175.475209 -21.100395 -175.353174 -21.133250 -175.219404 -21.133250 # -b 165.010672 -21.431298 164.872208 -21.370281 164.642218 -21.248245 164.508449 -21.081620 164.409882 -20.947850 164.299581 -20.865711 164.212748 -20.659190 164.025001 -20.513686 164.025001 -20.368182 163.924087 -20.253187 164.034388 -20.222678 164.189279 -20.304818 164.278459 -20.283696 164.377026 -20.347061 164.520183 -20.450321 164.651606 -20.492564 164.675074 -20.586438 164.752520 -20.659190 164.851087 -20.668577 164.862821 -20.668577 164.998937 -20.717861 164.998937 -20.717861 165.010672 -20.738982 165.022406 -20.769491 165.066996 -20.821121 165.109239 -20.884486 165.153829 -20.957238 165.186684 -20.966625 165.243008 -21.008868 165.254742 -21.060498 165.275864 -21.112129 165.296985 -21.194268 165.365044 -21.215390 165.419021 -21.297529 165.550444 -21.370281 165.618502 -21.443033 165.651358 -21.482929 165.717069 -21.494663 165.771046 -21.607311 165.925937 -21.616698 166.036239 -21.658941 166.158274 -21.689450 166.289697 -21.811486 166.399998 -21.893625 166.489178 -21.978111 166.543155 -22.079025 166.653456 -22.060250 166.796613 -22.161164 166.841203 -22.316055 166.808347 -22.355951 166.730902 -22.355951 166.709780 -22.398194 166.698046 -22.480334 166.653456 -22.459212 166.620600 -22.377073 166.489178 -22.304321 166.444588 -22.255038 166.289697 -22.255038 166.191130 -22.182286 166.047973 -22.182286 166.003383 -22.121268 165.982261 -22.008620 165.893082 -22.008620 165.827370 -21.956989 165.738190 -21.956989 165.705335 -21.884238 165.627889 -21.884238 165.583299 -21.832607 165.472998 -21.811486 165.341575 -21.698838 165.231274 -21.689450 165.132707 -21.637820 165.109239 -21.525172 165.043527 -21.461807 165.010672 -21.431298 # -b 166.996094 -20.802347 167.028950 -20.811734 167.106395 -20.790612 167.172107 -20.821121 167.172107 -20.926729 167.216697 -20.987747 167.303530 -21.018255 167.303530 -21.121516 167.282408 -21.173147 167.226084 -21.194268 167.127517 -21.133250 167.007828 -21.060498 166.984360 -20.978359 167.007828 -20.914995 166.996094 -20.842243 166.996094 -20.802347 # -b 167.711879 -21.452420 167.667289 -21.421911 167.711879 -21.400790 167.768203 -21.410177 167.810446 -21.391402 167.878504 -21.443033 167.944215 -21.443033 167.965337 -21.494663 167.977071 -21.586190 167.944215 -21.647207 167.810446 -21.637820 167.744735 -21.555681 167.711879 -21.452420 # -b 149.922869 -22.203407 150.033170 -22.121268 150.089494 -22.285546 150.197448 -22.367686 150.396929 -22.459212 150.540086 -22.574207 150.561208 -22.459212 150.584676 -22.316055 150.662122 -22.379420 150.671509 -22.492068 150.716099 -22.541351 150.781810 -22.808891 150.781810 -23.062349 150.805279 -23.306420 150.870990 -23.541103 151.014147 -23.651404 151.124448 -23.785174 151.246484 -23.886088 151.389640 -23.996389 151.621977 -23.996389 151.753400 -24.087916 151.875435 -24.228726 151.983390 -24.411779 152.018592 -24.512693 152.171137 -24.641769 152.358883 -24.702787 152.349496 -24.752070 152.448063 -24.892880 152.591220 -25.064199 152.558364 -25.165113 152.767233 -25.244905 152.823557 -25.385716 152.844678 -25.524179 152.856412 -25.683764 152.954980 -25.843348 153.008957 -25.923141 153.077015 -25.824574 153.098136 -26.073338 153.044159 -26.322103 153.077015 -26.420670 153.098136 -26.488728 153.119258 -26.688209 153.142726 -26.944014 153.208438 -27.091865 153.130992 -27.051969 153.098136 -27.171657 153.130992 -27.230328 153.142726 -27.338282 153.208438 -27.406341 153.253028 -27.594087 153.297617 -27.702042 153.384450 -27.868667 153.429040 -27.986009 153.450162 -28.072842 153.506486 -28.211305 153.551076 -28.326300 153.551076 -28.443642 153.560463 -28.560984 153.560463 -28.589146 153.560463 -28.755771 153.518220 -29.006882 153.450162 -29.133611 153.363329 -29.394110 153.330473 -29.720320 # -b 153.098136 -24.794313 153.119258 -24.733295 153.175582 -24.803700 153.220172 -24.883493 153.274149 -24.975019 153.274149 -25.214397 153.175582 -25.413878 153.098136 -25.564075 153.065281 -25.674376 153.008957 -25.674376 152.976101 -25.493670 152.987835 -25.355207 152.976101 -25.214397 153.086402 -25.073587 153.154461 -24.923389 153.098136 -24.794313 # -b 153.450162 -27.347670 153.518220 -27.338282 153.539341 -27.406341 153.518220 -27.526029 153.473630 -27.622249 153.429040 -27.594087 153.417306 -27.446237 153.450162 -27.347670 153.417306 -27.446237 153.450162 -27.347670 # -b 148.148661 -19.889428 148.247228 -20.034931 148.357530 -20.138192 148.467831 -20.065440 148.554664 -20.138192 148.688433 -20.210944 148.775266 -20.264921 148.852712 -20.335326 148.897302 -20.532461 148.876180 -20.523073 148.765879 -20.501952 148.742410 -20.710820 148.852712 -20.814081 149.028724 -20.835202 149.073314 -20.926729 149.207084 -21.081620 149.239940 -21.236511 149.293917 -21.339772 149.326772 -21.454767 149.460542 -21.485276 149.481664 -21.597924 149.481664 -21.865463 149.493398 -22.050863 149.537988 -22.133002 149.547375 -22.142389 149.547375 -22.194020 149.570843 -22.276159 149.648289 -22.348911 149.690532 -22.492068 149.746856 -22.501455 149.812567 -22.459212 149.922869 -22.459212 149.922869 -22.203407 # -b 113.913030 -21.865463 114.023332 -21.773936 114.023332 -21.792711 114.023332 -21.856076 114.023332 -21.926481 114.013944 -22.039129 114.002210 -22.090759 113.957620 -22.154124 113.945886 -22.233916 114.002210 -22.276159 113.990476 -22.398194 113.957620 -22.492068 114.046800 -22.522577 114.201691 -22.398194 114.276790 -22.172898 114.365969 -22.050863 114.455149 -21.895972 114.586572 -21.844341 114.729729 -21.762202 114.851764 -21.731693 114.983187 -21.619045 115.126344 -21.588536 115.337559 -21.558027 115.424392 -21.412524 115.555815 -21.288141 115.689585 -21.217736 115.799886 -21.041724 115.919574 -20.978359 116.062731 -20.926729 116.173033 -20.844590 116.306802 -20.783572 116.494549 -20.647455 116.625972 -20.574704 116.691683 -20.553582 116.736273 -20.595825 116.891164 -20.616947 117.034321 -20.616947 117.189212 -20.668577 117.376959 -20.689698 117.529503 -20.659190 117.684394 -20.616947 117.872141 -20.462055 118.059888 -20.368182 118.235901 -20.325939 118.435382 -20.316552 118.611394 -20.283696 118.864852 -20.077175 # -b 119.249733 -19.941058 119.425746 -20.034931 # -b 114.962066 -30.105201 114.929210 -29.931535 114.929210 -29.769604 114.929210 -29.614712 114.929210 -29.431659 114.861152 -29.239219 114.807175 -29.142999 114.717995 -29.006882 114.565450 -28.793320 114.520861 -28.570371 114.344848 -28.347422 114.124245 -27.995396 114.100777 -27.622249 113.981089 -27.378179 113.870787 -27.051969 113.659572 -26.934627 113.495294 -26.756267 113.373258 -26.617804 113.328668 -26.469953 113.218367 -26.390161 113.185511 -26.300981 113.143268 -26.232923 113.164390 -26.141397 113.197246 -26.221189 113.286425 -26.232923 113.352137 -26.261085 113.406114 -26.380774 113.429582 -26.540358 113.507028 -26.500462 113.549271 -26.599029 113.683040 -26.617804 113.781608 -26.528624 113.760486 -26.380774 113.593861 -26.232923 113.483559 -25.984159 113.384992 -25.754169 113.373258 -25.585197 113.450704 -25.643867 113.539884 -25.824574 113.593861 -26.024055 113.626716 -26.211802 113.781608 -26.052217 113.826197 -26.193027 113.847319 -26.380774 113.981089 -26.399548 114.079656 -26.282207 114.124245 -26.073338 114.091390 -25.775290 113.957620 -25.655602 113.847319 -25.453774 113.802729 -25.505404 113.826197 -25.385716 113.760486 -25.294189 113.694775 -25.183888 113.528149 -24.852984 113.450704 -24.723908 113.295813 -24.451675 113.307547 -24.198217 113.295813 -23.947106 113.384992 -23.785174 113.528149 -23.651404 113.638451 -23.550491 113.671306 -23.388559 113.650185 -23.245402 113.671306 -23.031840 113.671306 -22.909805 113.617329 -22.818278 113.539884 -22.696243 113.584473 -22.522577 113.626716 -22.316055 113.727630 -22.172898 113.781608 -22.050863 113.837932 -21.917093 113.913030 -21.865463 # -b 55.122464 -20.987747 55.045018 -20.966625 55.155319 -20.945504 55.275008 -20.914995 55.429899 -20.893873 55.594177 -20.978359 55.704479 -21.142638 55.704479 -21.288141 55.683357 -21.391402 55.507344 -21.410177 55.340719 -21.318650 55.188175 -21.152025 55.122464 -20.987747 # -b 57.391853 -20.074828 57.415321 -20.044319 57.492767 -20.011463 # -b 57.558478 -19.980954 57.567866 -20.065440 57.567866 -20.126458 57.635924 -20.283696 57.612456 -20.417466 57.492767 -20.490218 57.293286 -20.501952 57.260430 -20.335326 57.326142 -20.159314 57.391853 -20.074828 # -b 48.682748 -19.959833 48.593568 -20.250840 48.516123 -20.429200 48.384700 -20.738982 48.295520 -21.142638 48.208687 -21.421911 48.098386 -21.792711 47.966963 -22.090759 47.844928 -22.489721 47.767482 -22.754913 47.711158 -22.959088 47.657181 -23.245402 47.568001 -23.519982 47.514024 -23.792215 47.436578 -24.076182 47.293422 -24.339027 47.194854 -24.580751 47.061085 -24.791966 46.974252 -24.932776 46.798239 -25.082974 46.631614 -25.162766 46.476723 -25.132257 46.190409 -25.193275 45.892361 -25.251946 45.594313 -25.423265 45.307999 -25.573462 45.054541 -25.613359 44.857407 -25.463161 44.714250 -25.373981 44.449057 -25.212050 44.204986 -25.092361 43.996118 -24.932776 43.852961 -24.730949 43.730926 -24.571364 43.622971 -24.278009 43.566647 -23.965880 43.566647 -23.731197 43.644093 -23.569265 43.554913 -23.294685 43.456346 -23.060002 43.292068 -22.928579 43.170032 -22.663387 43.170032 -22.416969 43.137177 -22.203407 43.137177 -21.893625 43.191154 -21.802098 43.268599 -21.698838 43.334311 -21.534559 43.402369 -21.421911 43.522057 -21.276407 43.665214 -21.224777 43.721538 -21.048764 43.831840 -20.760104 43.996118 -20.480830 44.151009 -20.210944 44.315288 -20.023197 # -b 32.815796 -26.735146 32.794674 -26.944014 32.750084 -27.120027 32.639783 -27.326548 32.630396 -27.542457 32.585806 -27.758366 32.487239 -27.964887 32.430915 -28.208958 32.386325 -28.453029 32.222046 -28.666591 32.013178 -28.812095 31.858287 -28.927090 31.691662 -28.976373 31.539117 -29.072594 31.384226 -29.246259 31.262191 -29.401150 31.229335 -29.459821 31.173011 -29.525533 31.107300 -29.689811 31.008733 -29.804806 30.954755 -29.929188 # -b 34.646327 -19.938711 34.636940 -20.086562 34.613471 -20.250840 34.592350 -20.450321 34.625205 -20.614600 34.735507 -20.696739 34.866930 -20.790612 34.944375 -20.893873 34.956109 -21.039377 34.988965 -21.069886 35.010086 -21.224777 35.054676 -21.349159 35.155590 -21.607311 35.230689 -21.811486 35.254157 -22.140043 35.287013 -22.222182 35.385580 -22.140043 35.463026 -22.203407 35.463026 -22.386460 35.451291 -22.581248 35.430170 -22.776035 35.418436 -22.980210 35.397314 -23.214893 35.319869 -23.437842 35.254157 -23.712422 35.164978 -23.996389 35.197833 -24.177095 35.265891 -24.024551 35.397314 -23.874354 35.397314 -23.935371 35.340990 -24.155974 35.242423 -24.348414 35.132122 -24.479837 34.977231 -24.651156 34.714385 -24.831862 34.383481 -24.951551 34.162879 -24.972673 33.909421 -25.061852 33.578517 -25.193275 33.346180 -25.294189 33.214758 -25.392756 33.027011 -25.484283 32.860385 -25.524179 32.773553 -25.603971 32.639783 -25.822227 32.475505 -26.012321 32.442649 -26.012321 32.585806 -26.132009 32.705494 -26.289247 32.815796 -26.209455 32.872120 -26.110888 32.850998 -26.279860 32.839264 -26.448832 32.839264 -26.596683 32.827530 -26.735146 32.815796 -26.735146 # -b 16.432540 -28.666591 16.378562 -28.636082 16.301117 -28.636082 16.179081 -28.530475 16.047659 -28.394358 15.958479 -28.326300 15.881033 -28.286404 15.782466 -28.208958 15.672165 -28.101004 15.585332 -27.946113 15.517274 -27.807649 15.442175 -27.720817 15.374117 -27.631637 15.263816 -27.514295 15.165249 -27.406341 15.144127 -27.258490 15.111271 -27.042581 15.043213 -26.864222 15.022092 -26.706984 15.000970 -26.538012 14.932912 -26.378427 14.900056 -26.329143 14.890669 -26.319756 14.923525 -26.150784 14.867201 -26.031095 14.801489 -25.911407 14.756899 -25.751822 14.747512 -25.564075 14.735778 -25.373981 14.756899 -25.242559 14.768633 -25.132257 14.747512 -25.012569 14.691188 -24.902268 14.580887 -24.712174 14.526909 -24.590138 14.491707 -24.479837 14.404874 -24.317906 14.372018 -24.137199 14.381406 -23.954146 14.381406 -23.834458 14.372018 -23.691301 14.372018 -23.519982 14.372018 -23.367437 14.360284 -23.203159 14.372018 -23.102245 14.393140 -22.907458 14.381406 -22.754913 14.348550 -22.560126 14.294573 -22.438091 14.196006 -22.243303 14.073970 -22.100146 13.951935 -21.956989 13.841634 -21.832607 13.764188 -21.677716 13.754801 -21.576802 13.621031 -21.421911 13.510730 -21.255286 13.433284 -21.112129 13.358186 -20.997134 13.290127 -20.863364 13.236150 -20.750716 13.191560 -20.605212 13.125849 -20.501952 13.092993 -20.356448 12.982692 -20.199210 12.893512 -20.053706 # -b 17.094347 -30.102854 17.040370 -29.938576 16.951190 -29.671037 16.840889 -29.441047 16.786912 -29.314318 16.685998 -29.072594 16.521719 -28.917702 16.465395 -28.840257 16.477129 -28.734649 16.432540 -28.666591 # -b -53.240302 -33.611373 -53.118266 -33.538621 -52.951641 -33.425973 -52.820218 -33.287509 -52.709917 -33.167821 -52.623084 -32.982421 -52.533904 -32.881507 -52.477580 -32.759472 -52.468193 -32.703148 -52.444725 -32.639783 -52.411869 -32.480198 -52.357892 -32.386325 -52.203001 -32.217353 -51.970664 -32.078889 -51.782917 -31.938079 -51.585783 -31.844206 -51.442626 -31.769107 -51.308856 -31.663500 -51.198555 -31.588401 -51.123456 -31.494527 -50.989687 -31.334943 -50.858264 -31.182398 -50.759697 -31.032201 -50.614193 -30.870269 -50.503892 -30.698950 -50.417059 -30.555793 -50.318492 -30.471307 -50.283289 -30.375087 -50.250434 -30.269479 -50.184722 -30.116935 # -b -60.020308 -38.828387 -59.853683 -38.809613 -59.665936 -38.809613 -59.435946 -38.776757 -59.194222 -38.725126 -58.983007 -38.664109 -58.795260 -38.603091 -58.708428 -38.560848 -58.684959 -38.560848 -58.541802 -38.560848 -58.311812 -38.499830 -58.067742 -38.429425 -57.826018 -38.335552 -57.626537 -38.187701 -57.584294 -38.030463 -57.516235 -37.838023 -57.396547 -37.680785 -57.175944 -37.488344 -57.021053 -37.295904 -56.833306 -37.094076 -56.711271 -36.889901 -56.711271 -36.704501 -56.711271 -36.472165 -56.744127 -36.331355 -56.922486 -36.347782 -57.164210 -36.251562 -57.373078 -36.045041 -57.441137 -35.857294 -57.351957 -35.714137 -57.241656 -35.488841 -57.241656 -35.444251 -57.253390 -35.336297 -57.373078 -35.237729 -57.539704 -35.092226 -57.769694 -34.927947 -57.957440 -34.819993 -58.201511 -34.702651 -58.410380 -34.611124 -58.508947 -34.418684 -58.553536 -34.310730 -58.497212 -34.273180 -58.464357 -34.146451 -58.476091 -34.007988 -58.476091 -33.998601 # -b -58.476091 -33.998601 -58.454969 -33.989213 -58.344668 -34.017375 -58.267223 -34.099514 -58.145187 -34.219203 -58.023152 -34.320117 -57.957440 -34.437459 -57.837752 -34.456233 -57.682861 -34.465621 -57.462258 -34.484395 -57.274511 -34.484395 -57.098499 -34.564188 -56.821572 -34.674489 -56.579848 -34.756628 -56.392101 -34.791831 -56.237210 -34.864583 -56.126909 -34.873970 -55.974365 -34.857542 -55.774884 -34.819993 -55.533160 -34.819993 -55.345413 -34.857542 -55.145932 -34.883357 -54.904208 -34.946722 -54.606160 -34.857542 -54.385557 -34.766016 -54.176689 -34.636940 -54.010064 -34.484395 -53.934965 -34.437459 -53.878641 -34.320117 -53.735484 -34.191041 -53.613449 -34.007988 -53.568859 -33.916461 -53.536003 -33.824935 -53.470292 -33.768611 -53.416314 -33.742795 -53.359990 -33.705246 -53.350603 -33.686471 -53.327135 -33.613720 # -b -51.266613 -30.004287 -51.254879 -30.060611 -51.243145 -30.119282 -51.243145 -30.194381 -51.198555 -30.262439 -51.132844 -30.328150 -51.123456 -30.377434 -51.123456 -30.424371 -51.034277 -30.443145 -50.956831 -30.386821 -50.846530 -30.368047 -50.703373 -30.328150 -50.614193 -30.281214 -50.548482 -30.337538 -50.548482 -30.461920 -50.593072 -30.520591 -50.658783 -30.529978 -50.682251 -30.490082 -50.682251 -30.461920 -50.747963 -30.461920 -50.736229 -30.558140 -50.736229 -30.652014 -50.736229 -30.776396 -50.846530 -30.900778 -50.923975 -30.957102 -50.989687 -30.975877 -51.022543 -31.004039 -51.078867 -31.090872 -51.177434 -31.156583 -51.198555 -31.269231 -51.231411 -31.372492 -51.254879 -31.449938 -51.266613 -31.534424 -51.365180 -31.571973 -51.452013 -31.628297 -51.585783 -31.712783 -51.707818 -31.797269 -51.815773 -31.853593 -51.926074 -31.891143 -52.026988 -31.872368 -52.104434 -31.872368 -52.113821 -31.947467 -52.092699 -32.050727 -52.104434 -32.050727 -52.181879 -31.985016 -52.224122 -31.919305 -52.268712 -31.862981 -52.280446 -31.787882 -52.268712 -31.759720 -52.191266 -31.731558 -52.170145 -31.628297 -52.125555 -31.628297 -52.104434 -31.543811 -52.092699 -31.431163 -52.048109 -31.363105 -51.926074 -31.353717 -51.794651 -31.344330 -51.728940 -31.269231 -51.728940 -31.241069 -51.618639 -31.194133 -51.562315 -31.050976 -51.520072 -30.938328 -51.475482 -30.813945 -51.442626 -30.729459 -51.419158 -30.757621 -51.386302 -30.720072 -51.365180 -30.614464 -51.320591 -30.529978 -51.299469 -30.452533 -51.299469 -30.386821 -51.299469 -30.281214 -51.299469 -30.138057 -51.266613 -30.004287 # -b -62.369490 -40.039354 -62.280311 -39.844567 -62.247455 -39.870382 -62.148888 -39.734266 -62.104298 -39.478461 -62.158275 -39.368159 -62.313166 -39.248471 -62.346022 -38.999706 -62.357756 -38.896445 -62.313166 -38.757982 -62.214599 -38.835428 -62.071442 -38.931648 -61.806250 -38.957463 -61.552792 -38.990319 -61.299334 -38.999706 -61.055263 -38.990319 -60.834660 -38.957463 -60.658648 -38.948076 -60.428658 -38.922261 -60.273767 -38.880018 -60.020308 -38.828387 # -b -71.397765 -29.889292 -71.454089 -30.041836 -71.486945 -30.184993 -71.585512 -30.234277 -71.707547 -30.299988 -71.728669 -30.499469 -71.749790 -30.701297 -71.749790 -30.851495 -71.728669 -31.041588 -71.716935 -31.203520 -71.684079 -31.372492 -71.662957 -31.562586 -71.630102 -31.750332 -71.618368 -31.947467 -71.618368 -32.163375 -71.585512 -32.294798 -71.529188 -32.482545 -71.529188 -32.649170 -71.529188 -32.872120 -71.597246 -33.031704 -71.716935 -33.205370 -71.728669 -33.390770 -71.716935 -33.623107 -71.716935 -33.759223 -71.850704 -33.888299 -71.937537 -34.146451 -71.982127 -34.329504 -72.005595 -34.345932 -72.014983 -34.437459 -72.014983 -34.538373 -72.071307 -34.646327 -72.137018 -34.791831 -72.214464 -34.991312 -72.235585 -35.118041 -72.345887 -35.263545 -72.435066 -35.390274 -72.533633 -35.542818 -72.611079 -35.714137 -72.643935 -35.812704 -72.676790 -35.946474 -72.775357 -36.063815 -72.819947 -36.242175 -72.852803 -36.385332 -72.918514 -36.526142 -72.974838 -36.659912 -73.040550 -36.695114 -73.106261 -36.641137 -73.216562 -36.685727 -73.216562 -36.800722 -73.195441 -36.934491 -73.195441 -37.065914 -73.195441 -37.180909 -73.338598 -37.234886 -73.493489 -37.180909 -73.636646 -37.314679 -73.636646 -37.481304 -73.636646 -37.593952 -73.657767 -37.734762 -73.657767 -37.830982 -73.624912 -37.917815 -73.559200 -38.030463 -73.514610 -38.187701 -73.559200 -38.560848 -73.580322 -38.560848 -73.592056 -38.586663 -73.559200 -38.654721 -73.502876 -38.750942 -73.448899 -38.828387 -73.416043 -38.948076 -73.371453 -39.102967 -73.350332 -39.257858 -73.338598 -39.384587 -73.338598 -39.523050 -73.404309 -39.675595 -73.493489 -39.760081 -73.526345 -39.844567 -73.636646 -39.886810 -73.702357 -39.912625 # -b 172.816245 -34.467968 172.839714 -34.449193 172.839714 -34.458580 172.849101 -34.458580 172.905425 -34.467968 172.905425 -34.514904 172.917159 -34.622859 172.971136 -34.742547 173.015726 -34.796524 173.015726 -34.850502 173.027460 -34.885704 173.114293 -34.986618 173.203473 -34.951416 173.290306 -34.869276 173.313774 -34.904479 173.302040 -34.977231 173.412341 -34.977231 173.510908 -34.967843 173.611822 -35.040595 173.731511 -35.059370 173.832425 -35.049983 173.952113 -35.132122 174.008437 -35.176712 173.975582 -35.195486 173.874668 -35.230689 174.008437 -35.303441 174.085883 -35.348031 174.118739 -35.284666 174.196184 -35.338643 174.205572 -35.420783 174.261896 -35.509962 174.339341 -35.582714 174.414440 -35.636691 174.449642 -35.690669 174.449642 -35.770461 174.491886 -35.887803 174.449642 -35.852600 174.294751 -35.789236 174.205572 -35.789236 174.229040 -35.897190 174.261896 -35.913618 174.304139 -35.906577 174.372197 -35.951167 174.414440 -36.066162 174.536475 -36.164729 174.658511 -36.333701 174.757078 -36.422881 174.780546 -36.458084 174.679632 -36.547263 174.646777 -36.655218 174.670245 -36.681033 174.724222 -36.706848 174.724222 -36.812456 174.658511 -36.821843 174.592799 -36.875820 174.635042 -36.911023 174.691366 -36.911023 174.757078 -36.946225 174.780546 -36.972041 174.846258 -36.972041 174.900235 -36.972041 174.956559 -36.946225 175.076247 -36.936838 175.153693 -36.965000 175.177161 -37.087036 175.219404 -37.202030 175.329706 -37.237233 175.407151 -37.157441 175.407151 -36.965000 175.397764 -36.777253 175.386030 -36.697461 175.320318 -36.617669 175.275728 -36.566038 175.353174 -36.556651 175.407151 -36.645831 175.540921 -36.681033 175.660609 -36.697461 175.660609 -36.786641 175.660609 -36.850005 175.705199 -36.875820 175.716933 -37.000203 175.749789 -37.079995 175.749789 -37.157441 175.738055 -37.211418 175.749789 -37.256008 175.761523 -37.307638 175.827235 -37.368656 175.871825 -37.457835 175.881212 -37.518853 175.904680 -37.615073 176.036103 -37.694866 176.202728 -37.694866 176.399862 -37.816901 176.632199 -37.877919 176.897392 -37.929549 177.040548 -37.999954 177.139116 -38.016382 177.216561 -38.016382 177.303394 -37.929549 177.380840 -37.929549 177.458285 -37.833329 177.523996 -37.772311 177.601442 -37.737109 177.690622 -37.666704 177.756333 -37.640889 177.833779 -37.605686 177.887756 -37.563443 177.988670 -37.535281 178.141214 -37.563443 178.263250 -37.615073 178.385285 -37.685478 178.385285 -37.755884 178.361817 -37.877919 178.328961 -37.964752 178.296105 -38.035157 178.274984 -38.077400 178.274984 -38.190048 178.274984 -38.312083 178.251515 -38.356673 178.263250 -38.450547 178.218660 -38.581970 178.054381 -38.666456 177.911224 -38.711045 177.887756 -38.795532 177.878369 -38.908180 177.845513 -38.959810 177.854900 -39.079499 177.911224 -39.105314 177.911224 -39.156944 177.810310 -39.260205 177.789189 -39.166331 177.768067 -39.088886 177.678888 -39.063071 177.556852 -39.063071 177.425429 -39.088886 177.282272 -39.088886 177.171971 -39.124088 177.082791 -39.192147 176.951369 -39.328263 176.873923 -39.396321 176.775356 -39.499582 176.787090 -39.558253 176.829333 -39.541825 176.885657 -39.661514 176.972490 -39.713144 176.951369 -39.830486 176.862189 -39.992417 # -b 175.001149 -40.034660 174.855645 -39.914972 174.635042 -39.891504 174.426174 -39.804671 174.271283 -39.694369 174.107005 -39.577028 173.898136 -39.551212 173.722124 -39.389281 173.743245 -39.217962 173.919258 -39.079499 174.095270 -39.002053 174.339341 -38.943382 174.491886 -38.814306 174.559944 -38.607785 174.569331 -38.441159 174.592799 -38.295656 174.646777 -38.138418 174.768812 -38.147805 174.801668 -38.103215 174.801668 -38.051585 174.801668 -37.964752 174.768812 -37.842716 174.855645 -37.772311 174.813402 -37.720681 174.757078 -37.528241 174.789934 -37.361615 174.724222 -37.387430 174.559944 -37.256008 174.524741 -37.166828 174.635042 -37.150400 174.691366 -37.096423 174.712488 -37.042446 174.703101 -36.990815 174.613921 -36.972041 174.426174 -37.007243 174.339341 -36.857046 174.229040 -36.697461 174.160982 -36.547263 174.139860 -36.502674 174.160982 -36.547263 174.196184 -36.601241 174.250161 -36.662258 174.315873 -36.610628 174.339341 -36.432269 174.261896 -36.432269 174.196184 -36.397066 174.238427 -36.352476 174.229040 -36.272684 174.238427 -36.190545 174.160982 -36.155342 174.118739 -36.209319 173.996703 -36.190545 173.975582 -36.272684 174.008437 -36.352476 174.008437 -36.387679 173.764367 -36.066162 173.611822 -35.906577 173.445197 -35.735259 173.346630 -35.592102 173.334896 -35.538124 173.412341 -35.455985 173.478053 -35.348031 173.424076 -35.312828 173.391220 -35.383233 173.269184 -35.474760 173.137762 -35.348031 173.060316 -35.202527 173.069703 -35.139162 173.081438 -35.113347 173.069703 -35.068757 173.036848 -34.967843 172.950015 -34.859889 172.872569 -34.758975 172.795124 -34.660408 172.684822 -34.559494 172.651967 -34.496130 172.738800 -34.477355 172.816245 -34.467968 # -b 153.330473 -29.720320 153.264762 -30.046530 153.229559 -30.217849 153.196704 -30.257745 153.119258 -30.429064 153.053547 -30.562834 153.032425 -30.762315 153.032425 -30.828026 153.020691 -30.849148 153.053547 -30.999345 153.065281 -31.142502 153.008957 -31.245763 152.999569 -31.339636 # -b 152.999569 -31.339636 152.800088 -31.764413 152.788354 -31.811350 152.734377 -31.942773 152.645197 -32.036646 152.567752 -32.158682 152.457450 -32.261943 152.457450 -32.365203 152.492653 -32.459077 152.415207 -32.550603 152.293172 -32.663251 152.239195 -32.710188 152.105425 -32.719575 152.084304 -32.766512 152.171137 -32.813449 151.974002 -32.858039 151.851967 -32.914363 151.797990 -33.043439 151.687689 -33.174861 151.577387 -33.404851 151.443618 -33.562089 151.323929 -33.580864 151.267605 -33.609026 151.246484 -33.672390 151.366172 -33.709940 151.356785 -33.902380 151.255871 -34.076046 151.213628 -34.085433 151.190160 -34.223897 151.035268 -34.388175 150.969557 -34.578269 150.892111 -34.815299 150.849868 -34.942028 150.793544 -35.078145 150.781810 -35.240076 150.739567 -35.204874 150.638653 -35.141509 150.584676 -35.258851 150.507230 -35.430170 150.408663 -35.528737 150.364074 -35.683628 150.298362 -35.709443 150.242038 -35.808010 150.220917 -36.023919 150.176327 -36.167076 150.155205 -36.282071 150.209182 -36.397066 150.164593 -36.460431 150.143471 -36.638790 150.077760 -36.735010 150.021436 -36.850005 # -b 149.988580 -37.079995 150.012048 -37.141013 150.044904 -37.220805 150.054291 -37.380390 150.021436 -37.502425 # -b 150.021436 -37.502425 150.021436 -37.502425 # -b 150.021436 -36.850005 149.979193 -36.990815 149.988580 -37.079995 # -b 150.021436 -37.502425 149.979193 -37.598646 149.833689 -37.537628 149.767977 -37.547015 149.735122 -37.739456 149.537988 -37.781699 149.371362 -37.816901 149.096783 -37.826289 148.843324 -37.826289 148.566398 -37.826289 148.378651 -37.835676 148.158049 -37.896694 147.949180 -37.974139 147.740312 -38.060972 147.573687 -38.183008 147.453998 -38.253413 147.331963 -38.321471 147.266251 -38.382489 147.200540 -38.427078 147.155950 -38.504524 146.935347 -38.617172 146.836780 -38.704005 146.768722 -38.642987 146.681889 -38.659415 146.515264 -38.704005 146.383841 -38.694618 146.306396 -38.711045 146.294661 -38.840121 146.350985 -38.910526 146.428431 -38.823694 146.538732 -38.755635 146.625565 -38.755635 146.548120 -38.910526 146.526998 -39.056030 146.449553 -39.133476 146.306396 -38.978585 146.196094 -38.875324 146.118649 -38.875324 145.963758 -38.823694 145.876925 -38.685230 145.799479 -38.678190 145.677444 -38.685230 145.546021 -38.572582 145.522553 -38.488096 145.578877 -38.330858 145.456841 -38.234638 145.325419 -38.314430 145.236239 -38.375448 145.060226 -38.427078 144.863092 -38.366061 144.785646 -38.288615 145.027370 -38.288615 145.071960 -38.131377 145.050839 -37.938937 144.884214 -37.870878 144.773912 -37.922509 144.586165 -38.044544 144.410153 -38.060972 144.487598 -38.096175 144.663611 -38.183008 144.675345 -38.227597 144.508720 -38.244025 144.311586 -38.321471 144.123839 -38.443506 143.947826 -38.650028 143.814057 -38.704005 143.682634 -38.755635 143.626310 -38.772063 143.384586 -38.823694 143.307140 -38.746248 142.943381 -38.617172 142.612477 -38.443506 142.448199 -38.391876 142.183006 -38.366061 141.950670 -38.305043 141.807513 -38.262800 141.654968 -38.288615 141.532933 -38.366061 141.500077 -38.375448 141.488343 -38.366061 141.356920 -38.201782 141.026017 -38.053932 140.683379 -38.028116 140.418186 -37.903734 140.253908 -37.748843 140.143607 -37.554056 # -b 147.904590 -39.797630 147.970302 -39.748347 148.047747 -39.790590 148.136927 -39.865688 148.280084 -39.959562 # -b 148.104071 -40.121493 147.993770 -39.959562 147.904590 -39.907931 147.860000 -39.865688 147.904590 -39.797630 # -b 140.143607 -37.554056 139.955860 -37.450795 139.812703 -37.194990 139.723523 -37.009590 139.714136 -36.929798 139.800969 -36.779600 139.812703 -36.584813 139.723523 -36.397066 139.681280 -36.272684 139.636690 -36.167076 139.592100 -36.113099 139.514655 -36.033307 139.392619 -35.906577 139.261197 -35.744646 139.216607 -35.700056 139.261197 -35.610876 139.338642 -35.458332 139.317521 -35.420783 139.183751 -35.430170 139.052328 -35.439557 138.942027 -35.474760 138.885703 -35.512309 138.775402 -35.556899 138.599389 -35.620264 138.479700 -35.655466 138.402255 -35.655466 138.291954 -35.674241 138.158184 -35.629651 138.291954 -35.474760 138.435111 -35.240076 138.500822 -35.005393 138.489088 -34.761322 138.378787 -34.496130 138.223895 -34.315423 138.092473 -34.223897 137.982171 -34.413990 137.871870 -34.568881 137.860136 -34.761322 137.794425 -34.942028 137.761569 -35.122735 137.728713 -35.169671 137.573822 -35.132122 137.376688 -35.214261 137.156085 -35.214261 136.980073 -35.312828 136.858037 -35.214261 136.902627 -35.087532 136.944870 -34.932641 137.198328 -34.951416 137.397809 -34.862236 137.454133 -34.641633 137.475255 -34.470314 137.442399 -34.442152 137.430665 -34.388175 137.454133 -34.296649 137.454133 -34.158185 137.496377 -34.085433 137.564435 -33.975132 137.674736 -33.738102 137.785037 -33.681778 137.883604 -33.524540 137.883604 -33.395464 137.883604 -33.219451 137.895339 -33.146699 137.993906 -33.165474 137.970437 -33.052826 137.928194 -32.951912 137.916460 -32.942525 137.916460 -32.794674 137.839014 -32.757125 137.839014 -32.588153 137.761569 -32.515401 137.707592 -32.644477 137.716979 -32.804061 137.716979 -32.951912 137.618412 -32.970687 137.486989 -33.156087 137.397809 -33.322712 137.275774 -33.498725 137.254653 -33.609026 137.165473 -33.728714 136.968339 -33.719327 136.890893 -33.747489 136.869772 -33.829628 136.616313 -33.930542 136.515399 -34.022069 136.395711 -34.066659 136.285410 -34.296649 136.142253 -34.432765 136.097663 -34.479702 135.921650 -34.597043 135.865326 -34.770709 135.853592 -34.780097 135.954506 -34.770709 135.954506 -35.033555 135.853592 -34.951416 135.722169 -34.988965 135.555544 -34.805912 135.370144 -34.723773 135.269230 -34.615818 135.116686 -34.606431 135.104952 -34.460927 135.182397 -34.496130 135.280964 -34.561841 135.391265 -34.634593 135.424121 -34.496130 135.370144 -34.287261 135.269230 -34.186347 135.226987 -33.965745 135.093217 -33.782692 134.928939 -33.681778 134.851493 -33.414239 134.774048 -33.332099 134.696602 -33.203023 134.598035 -33.228839 134.389167 -33.156087 134.222542 -33.062213 134.091119 -32.923750 134.091119 -32.766512 134.177952 -32.775899 134.222542 -32.559991 134.001939 -32.506013 133.837661 -32.477851 133.441045 -32.139907 133.340132 -32.102358 133.372987 -32.205618 133.372987 -32.224393 133.208709 -32.205618 133.020962 -32.102358 132.624347 -31.942773 132.514046 -31.961548 132.424866 -32.017872 132.359154 -32.046034 132.314565 -32.036646 # -b 132.314565 -32.036646 132.293443 -32.027259 132.194876 -31.989710 132.039985 -31.867674 131.687960 -31.614216 131.476744 -31.557892 131.267876 -31.529730 131.091863 -31.529730 130.892382 -31.520343 130.573213 -31.557892 130.286899 -31.586054 # -b 136.548255 -35.817398 136.592845 -35.772808 136.801713 -35.700056 136.980073 -35.664853 137.165473 -35.620264 137.308630 -35.592102 137.442399 -35.629651 137.552701 -35.636691 137.573822 -35.744646 137.684123 -35.772808 137.839014 -35.798623 137.993906 -35.798623 138.104207 -35.915965 137.883604 -35.897190 137.639533 -35.915965 137.618412 -35.995757 137.486989 -36.077896 137.299242 -36.033307 137.078640 -36.040347 136.879159 -36.040347 136.649169 -36.023919 136.538868 -35.880762 136.548255 -35.817398 # -b 130.286899 -31.586054 129.955995 -31.576667 129.535912 -31.567279 129.183887 -31.576667 128.808393 -31.726864 128.468102 -31.867674 128.092608 -32.083583 127.904861 -32.083583 127.630282 -32.111745 127.332234 -32.224393 126.956740 -32.271330 126.691548 -32.261943 126.592981 -32.271330 126.306667 -32.261943 126.086064 -32.215006 125.820872 -32.271330 125.633125 -32.412140 125.391401 -32.522441 125.149677 -32.644477 124.839895 -32.710188 124.685004 -32.822836 124.541847 -32.876813 124.332978 -32.895588 124.100642 -33.008236 124.002075 -33.193636 123.924629 -33.423626 123.837796 -33.508112 123.727495 -33.653616 123.659437 -33.782692 123.528014 -33.820241 123.307411 -33.864831 123.152520 -33.864831 122.976508 -33.810854 122.744171 -33.829628 122.591627 -33.848403 122.380411 -33.892993 122.183277 -33.930542 122.084710 -33.829628 121.995531 -33.782692 121.885229 -33.820241 121.598915 -33.848403 121.289133 -33.792079 121.068531 -33.792079 120.772829 -33.902380 120.484169 -33.902380 120.209589 -33.892993 120.188467 -33.892993 120.176733 -33.892993 # -b 120.176733 -33.892993 119.988986 -33.883606 119.789505 -33.956357 119.613493 -34.085433 119.526660 -34.195735 119.559516 -34.277874 119.526660 -34.287261 119.404625 -34.388175 119.205144 -34.423378 118.885974 -34.451540 118.799141 -34.514904 118.620782 -34.606431 118.456503 -34.751935 118.367323 -34.862236 118.235901 -34.951416 118.081010 -34.996005 117.904997 -34.925600 117.883875 -35.078145 117.750106 -35.033555 117.597561 -35.087532 117.475526 -34.970190 117.398080 -34.979578 117.132888 -34.996005 116.879430 -35.005393 116.593116 -34.970190 116.539139 -34.916213 116.471081 -34.862236 116.438225 -34.862236 116.306802 -34.805912 116.306802 -34.824686 116.119055 -34.805912 115.943043 -34.660408 115.844476 -34.578269 115.698972 -34.432765 115.501838 -34.296649 115.337559 -34.242671 115.093488 -34.205122 115.081754 -34.050231 115.072367 -33.892993 115.060633 -33.754530 115.072367 -33.571477 115.072367 -33.552702 # -b 115.072367 -33.552702 115.081754 -33.543314 115.105223 -33.562089 115.260114 -33.609026 115.424392 -33.580864 115.612139 -33.332099 115.722440 -33.118537 115.722440 -32.970687 115.644995 -32.775899 115.644995 -32.550603 115.666116 -32.644477 115.734174 -32.477851 115.710706 -32.290105 115.698972 -32.149294 115.743562 -31.877062 115.698972 -31.661153 115.600405 -31.482793 115.501838 -31.302087 115.391536 -31.076791 115.346947 -30.896084 115.248380 -30.790477 115.126344 -30.619158 115.006655 -30.342231 114.962066 -30.105201 # -b 30.954755 -29.929188 30.776396 -30.208462 30.656707 -30.398555 30.555793 -30.569874 30.391515 -30.759968 30.260092 -30.950062 30.060611 -31.196479 # -b 30.060611 -31.196479 29.861130 -31.358411 29.631140 -31.536770 29.455128 -31.649419 29.288502 -31.820738 29.178201 -31.952160 29.002189 -32.177456 28.781586 -32.372244 28.528128 -32.616315 28.274670 -32.773553 28.152634 -32.867426 27.976622 -33.043439 27.800609 -33.181902 27.633984 -33.273428 27.481439 -33.367302 27.281958 -33.486990 27.127067 -33.578517 26.929933 -33.672390 26.721065 -33.745142 26.521584 -33.773304 26.322103 -33.763917 26.136703 -33.754530 25.916100 -33.763917 25.761209 -33.789732 25.660295 -33.836669 25.627440 -33.864831 25.695498 -34.000947 25.683764 -34.111249 25.397450 -34.076046 25.165113 -34.019722 24.944511 -34.038497 24.813088 -34.230937 24.559630 -34.230937 24.327293 -34.167573 24.040979 -34.101861 23.874354 -34.066659 23.620896 -34.029109 23.379172 -34.047884 23.224280 -34.158185 23.081123 -34.167573 22.883989 -34.111249 22.651653 -34.057271 22.496762 -34.047884 22.353605 -34.066659 22.189326 -34.085433 22.100146 -34.167573 21.989845 -34.230937 21.825567 -34.284914 21.792711 -34.404603 21.682410 -34.432765 21.536906 -34.423378 21.295182 -34.404603 21.241205 -34.458580 21.062845 -34.432765 20.898567 -34.413990 20.731942 -34.442152 20.666230 -34.496130 20.567663 -34.496130 20.480830 -34.505517 20.335326 -34.514904 20.269615 -34.587656 20.149926 -34.704998 # -b 20.149926 -34.704998 19.983301 -34.742547 19.861266 -34.742547 19.774433 -34.742547 19.685253 -34.723773 19.619542 -34.695611 19.464651 -34.704998 19.354349 -34.651021 19.288638 -34.632246 19.255782 -34.604084 19.267516 -34.496130 19.190071 -34.423378 19.023446 -34.423378 18.847433 -34.442152 18.760600 -34.404603 18.781722 -34.303689 18.769987 -34.120636 18.605709 -34.111249 18.471939 -34.130023 18.429696 -34.186347 18.429696 -34.294302 18.450818 -34.395216 18.417962 -34.413990 18.319395 -34.275527 18.307661 -34.111249 18.319395 -33.993907 18.361638 -33.918808 18.396841 -33.874218 18.385106 -33.754530 18.241949 -33.606679 18.131648 -33.423626 18.054203 -33.376689 17.943901 -33.219451 18.009613 -33.200677 17.965023 -33.099763 17.845334 -33.024664 17.800744 -33.015277 17.812479 -32.848651 17.866456 -32.745391 18.075324 -32.820489 18.164504 -32.707841 18.251337 -32.569378 18.230215 -32.231434 18.209094 -31.942773 18.098793 -31.745639 17.932167 -31.527383 17.800744 -31.339636 17.702177 -31.226988 17.601263 -31.065057 17.502696 -30.818639 17.380661 -30.675482 17.293828 -30.504163 17.183527 -30.304682 17.094347 -30.102854 # -b -68.642581 -50.018097 -68.663702 -49.933611 -68.684824 -49.783414 -68.630847 -49.870246 # -b -67.990161 -50.067381 -67.837616 -49.954733 -67.748436 -49.776373 -67.682725 -49.598014 -67.617014 -49.412614 -67.593545 -49.339862 -67.748436 -49.419654 -67.703847 -49.274150 -67.539568 -49.037120 -67.307231 -48.898657 -67.262642 -48.884576 -67.175809 -48.811824 -67.009183 -48.687442 -66.866026 -48.635811 -66.678280 -48.520816 -66.525735 -48.448064 -66.391966 -48.358885 -66.215953 -48.241543 -66.072796 -48.175832 -65.929639 -48.175832 -65.908518 -48.042062 -65.763014 -48.004513 -65.786482 -47.887171 -65.863928 -47.739320 -65.798217 -47.701771 -65.664447 -47.553920 -65.664447 -47.352092 -65.709037 -47.215976 -65.840460 -47.126796 -66.061062 -47.147918 -66.293399 -47.140877 -66.502267 -47.096287 -66.746338 -47.021189 -66.943472 -46.870991 -67.142953 -46.711406 -67.307231 -46.619880 -67.441001 -46.476723 -67.551302 -46.300710 -67.584158 -46.209184 -67.572424 -46.141125 -67.527834 -46.002662 -67.417533 -45.871239 -67.318966 -45.763285 -67.262642 -45.655331 -67.164075 -45.547376 -67.086629 -45.486358 -67.009183 -45.422994 -66.856639 -45.298612 -66.668892 -45.237594 -66.481146 -45.237594 -66.359110 -45.120252 -66.171363 -45.049847 -65.983616 -45.059234 -65.852194 -45.073315 -65.655060 -45.082703 -65.565880 -45.082703 -65.509556 -45.002910 -65.521290 -44.941893 -65.619857 -44.761186 -65.500168 -44.627417 -65.366399 -44.587521 -65.279566 -44.524156 -65.202120 -44.376305 -65.202120 -44.169784 -65.178652 -43.986731 -65.246710 -43.787250 -65.202120 -43.627665 -65.047229 -43.484508 -64.981518 -43.371860 -64.904072 -43.282680 -64.749181 -43.226356 -64.606024 -43.170032 -64.528579 -43.139523 -64.430012 -43.097280 -64.352566 -43.057384 -64.286855 -43.040956 # -b -64.286855 -43.040956 -64.275121 -43.010447 -64.373688 -42.977592 -64.519191 -42.944736 -64.716326 -42.928308 -64.871217 -42.871984 -65.026108 -42.815660 -65.026108 -42.733521 -64.936928 -42.670156 -64.838361 -42.660769 -64.716326 -42.571589 -64.561434 -42.531693 -64.364300 -42.571589 -64.265733 -42.653728 -64.253999 -42.815660 -64.110842 -42.864944 -63.944217 -42.871984 -63.747083 -42.815660 -63.613313 -42.742908 -63.580457 -42.595058 -63.625047 -42.360374 -63.636781 -42.245379 -63.779938 -42.081101 -64.000541 -42.196096 -64.298589 -42.212523 -64.176553 -42.268848 -64.120229 -42.383842 -64.275121 -42.426085 -64.483989 -42.456594 -64.594290 -42.393230 -64.519191 -42.294663 -64.760915 -42.238339 -65.014374 -42.064673 -65.035495 -41.876926 -65.035495 -41.611734 -65.047229 -41.431027 -65.157531 -41.172876 -65.157531 -40.872481 -64.958050 -40.689427 -64.859482 -40.780954 -64.793771 -40.846665 -64.519191 -40.905336 -64.352566 -40.964007 -64.143698 -41.032065 -63.967685 -41.123592 -63.801060 -41.163488 -63.547602 -41.172876 -63.315265 -41.172876 -63.106397 -41.182263 -62.864673 -41.081349 -62.688660 -41.039106 -62.500913 -40.973395 -62.378878 -40.872481 -62.324901 -40.755139 -62.313166 -40.654225 -62.369490 -40.454744 -62.402346 -40.250569 -62.369490 -40.039354 # -b -73.702357 -39.912625 -73.714091 -40.039354 -73.702357 -40.065169 -73.702357 -40.184858 -73.714091 -40.393726 -73.723479 -40.562698 -73.812658 -40.738711 -73.845514 -40.898296 -73.866636 -41.064921 -73.878370 -41.271443 -73.857248 -41.431027 -73.800924 -41.529594 -73.714091 -41.555410 -73.657767 -41.637549 -73.681236 -41.719688 -73.559200 -41.768972 -73.427778 -41.801827 -73.272886 -41.768972 -73.195441 -41.752544 -73.106261 -41.693873 -73.085140 -41.595306 -72.974838 -41.546022 -72.808213 -41.555410 -72.688524 -41.661017 -72.578223 -41.703260 -72.479656 -41.703260 -72.357621 -41.661017 -72.313031 -41.653977 -72.313031 -41.670405 -72.423332 -41.752544 -72.533633 -41.778359 -72.709646 -41.867539 -72.765970 -41.998961 -72.611079 -42.048245 -72.456188 -42.048245 -72.444454 -42.156199 -72.423332 -42.334559 -72.423332 -42.489450 -72.512512 -42.301703 -72.655669 -42.278235 -72.733114 -42.409658 -72.632200 -42.538734 -72.533633 -42.611485 -72.665056 -42.588017 -72.808213 -42.733521 -72.775357 -42.879025 -72.754236 -43.017488 -72.819947 -43.170032 -72.852803 -43.259212 -72.951370 -43.331964 -72.995960 -43.388288 -73.019428 -43.477468 -73.007694 -43.564300 -72.951370 -43.597156 -72.897393 -43.627665 -72.909127 -43.653480 -72.930248 -43.716845 -72.885659 -43.787250 -72.986573 -43.867042 -73.052284 -43.963262 -73.085140 -44.059483 -73.150851 -44.099379 -73.207175 -44.129888 -73.228297 -44.169784 -73.249418 -44.169784 # -b -73.249418 -44.169784 -73.249418 -44.193252 -73.195441 -44.249576 -73.061671 -44.289473 -72.951370 -44.352837 -72.852803 -44.430283 -72.754236 -44.453751 -72.688524 -44.549971 -72.688524 -44.650885 -72.688524 -44.784655 -72.721380 -44.862100 -72.831681 -44.932505 -72.909127 -45.002910 -73.061671 -45.035766 -73.249418 -45.026379 -73.338598 -45.066275 -73.338598 -45.153108 -73.371453 -45.268103 -73.371453 -45.284531 -73.207175 -45.298612 -72.951370 -45.408913 -72.831681 -45.408913 -72.819947 -45.500439 -72.930248 -45.516867 -72.930248 -45.066275 -73.106261 -45.439422 -73.261152 -45.361976 -73.338598 -45.378404 -73.437165 -45.439422 -73.502876 -45.509827 -73.526345 -45.594313 -73.526345 -45.641250 -73.448899 -45.610741 -73.305742 -45.563804 -73.171972 -45.554417 -73.171972 -45.610741 -73.305742 -45.648290 -73.392575 -45.718695 -73.392575 -45.772672 -73.272886 -45.786753 -73.240031 -45.803181 -73.272886 -45.810222 -73.392575 -45.817262 -73.470021 -45.833690 -73.502876 -45.847771 -73.547466 -45.911136 -73.559200 -46.016743 -73.570934 -46.117657 -73.592056 -46.225612 -73.570934 -46.192756 -73.514610 -46.131738 -73.460633 -46.056639 -73.427778 -45.979194 -73.359719 -45.911136 -73.272886 -45.871239 -73.282274 -45.965113 -73.371453 -46.110617 -73.416043 -46.209184 -73.416043 -46.263161 -73.526345 -46.300710 -73.657767 -46.385196 -73.723479 -46.439174 -73.746947 -46.528353 -73.833780 -46.551822 -73.833780 -46.476723 -73.800924 -46.338260 -73.812658 -46.263161 -73.911226 -46.338260 -74.000405 -46.460295 -74.122441 -46.446214 -74.209274 -46.347647 -74.164684 -46.277242 -74.054382 -46.178675 -74.066117 -46.094189 -74.155296 -46.155206 -74.164684 -46.080108 -74.131828 -45.986234 -74.197539 -45.965113 -74.232742 -45.932257 -74.340696 -45.887667 -74.474466 -45.955725 -74.551912 -45.911136 -74.704456 -45.887667 -74.849960 -45.894708 -75.025972 -45.925217 -75.014238 -46.033171 -74.969648 -46.094189 -74.903937 -46.124698 -74.805370 -46.101229 -74.749046 -46.124698 -74.749046 -46.216224 -74.915671 -46.277242 -75.058828 -46.293670 -75.201985 -46.439174 -75.345142 -46.528353 -75.488299 -46.582330 -75.532889 -46.711406 -75.565744 -46.840482 -75.532889 -46.953130 -75.345142 -46.976599 -75.300552 -46.861604 -75.345142 -46.765384 -75.422587 -46.725487 -75.312286 -46.657429 -75.157395 -46.605799 -75.047094 -46.666817 -74.948527 -46.748956 -74.793636 -46.793546 -74.683334 -46.840482 -74.584767 -46.817014 -74.483853 -46.741915 -74.340696 -46.734875 -74.221008 -46.793546 -74.087238 -46.885072 -74.033261 -46.967211 -73.976937 -47.004761 -74.155296 -47.119756 -74.087238 -47.171386 -74.021527 -47.208935 -74.176418 -47.239444 -74.364165 -47.314543 -74.462732 -47.434232 -74.408755 -47.471781 -74.286719 -47.516371 -74.176418 -47.560961 -74.021527 -47.589123 -74.155296 -47.664221 -74.164684 -47.722892 -74.131828 -47.753401 -74.077851 -47.790951 -73.967550 -47.805032 -73.845514 -47.797991 -73.800924 -47.715852 -73.746947 -47.790951 -73.690623 -47.952882 -73.570934 -48.124201 -73.427778 -48.182872 -73.338598 -48.218075 -73.460633 -48.227462 -73.636646 -48.145323 -73.746947 -48.079611 -73.911226 -48.049102 -74.131828 -48.027981 -74.197539 -48.065530 -74.176418 -48.182872 -74.176418 -48.241543 -74.242129 -48.124201 -74.340696 -48.004513 -74.483853 -47.983391 -74.495587 -48.117161 -74.483853 -48.234502 -74.408755 -48.321335 -74.364165 -48.438677 -74.307841 -48.483267 -74.197539 -48.455105 -74.033261 -48.431637 -73.934694 -48.417556 -73.857248 -48.365925 -73.812658 -48.513776 -73.756334 -48.607649 -73.944081 -48.504388 -74.122441 -48.504388 -74.232742 -48.520816 -74.274985 -48.659280 -74.155296 -48.746112 -74.232742 -48.739072 -74.298453 -48.804783 -74.307841 -48.919778 -74.307841 -49.044161 -74.298453 -49.173236 -74.286719 -49.253029 -74.274985 -49.346902 -74.242129 -49.433735 -74.143562 -49.468938 -74.054382 -49.353943 -74.021527 -49.245988 -73.857248 -49.152115 -73.779803 -49.130993 -73.857248 -49.304659 -73.890104 -49.382105 -73.934694 -49.468938 -73.890104 -49.541690 -73.779803 -49.576892 -73.779803 -49.612095 -73.857248 -49.612095 -73.967550 -49.583933 -74.077851 -49.626176 -74.242129 -49.705968 -74.242129 -49.769333 -74.242129 -49.776373 -74.286719 -49.818616 -74.298453 -49.926571 # -b -73.878370 -41.752544 -73.833780 -41.726729 -73.833780 -41.745503 -73.824393 -41.834683 -73.812658 -41.876926 -73.746947 -41.867539 -73.681236 -41.867539 -73.603790 -41.883967 -73.570934 -41.933250 -73.526345 -42.024777 -73.481755 -42.123344 -73.470021 -42.196096 -73.404309 -42.327518 -73.392575 -42.400270 -73.547466 -42.426085 -73.636646 -42.571589 -73.702357 -42.555161 -73.746947 -42.620873 -73.756334 -42.660769 -73.681236 -42.759336 -73.580322 -42.775764 -73.538079 -42.864944 -73.702357 -42.879025 -73.681236 -42.961164 -73.592056 -43.090240 -73.580322 -43.212275 -73.746947 -43.202888 -73.702357 -43.364820 -73.779803 -43.444612 -73.944081 -43.435225 -74.286719 -43.364820 -74.397020 -43.195847 -74.298453 -43.057384 -74.242129 -42.904840 -74.176418 -42.733521 -74.164684 -42.578630 -74.188152 -42.426085 -74.176418 -42.278235 -74.110707 -42.113956 -74.098972 -41.966106 -74.066117 -41.883967 -73.988671 -41.860498 -73.911226 -41.768972 -73.878370 -41.752544 # -b -73.007694 -44.406814 -72.995960 -44.446711 -72.951370 -44.453751 -72.909127 -44.477219 -72.819947 -44.500688 -72.775357 -44.564052 -72.765970 -44.610989 -72.798826 -44.690781 -72.808213 -44.697822 -72.808213 -44.707209 -72.808213 -44.838632 -72.986573 -44.932505 -73.129729 -44.955974 -73.261152 -44.932505 -73.350332 -44.848019 -73.416043 -44.730678 -73.448899 -44.620376 -73.305742 -44.533543 -73.150851 -44.463138 -73.007694 -44.406814 # -b -74.298453 -44.650885 -74.319575 -44.660273 -74.298453 -44.643845 -74.209274 -44.643845 -74.110707 -44.643845 -74.033261 -44.660273 -73.967550 -44.681394 -73.955815 -44.714250 -74.077851 -44.761186 -74.197539 -44.784655 -74.232742 -44.744759 -74.274985 -44.707209 -74.298453 -44.650885 # -b -74.232742 -45.049847 -74.331309 -45.026379 -74.319575 -44.988829 -74.274985 -44.965361 -74.155296 -44.925465 -74.000405 -44.941893 -73.967550 -44.972402 -73.976937 -44.988829 -74.110707 -45.019338 -74.232742 -45.049847 # -b -74.164684 -45.129640 -74.232742 -45.129640 -74.188152 -45.106171 -74.110707 -45.106171 -73.955815 -45.089743 -73.812658 -45.082703 -73.746947 -45.190657 -73.746947 -45.291571 -73.866636 -45.244634 -74.000405 -45.160148 -74.098972 -45.153108 -74.164684 -45.129640 # -b -74.143562 -45.237594 -74.188152 -45.221166 -74.155296 -45.230553 -74.087238 -45.244634 -73.988671 -45.284531 -73.911226 -45.338508 -73.857248 -45.392485 -73.890104 -45.369017 -73.988671 -45.354936 -74.054382 -45.322080 -74.143562 -45.237594 # -b -73.866636 -45.796141 -73.824393 -45.772672 -73.768069 -45.826650 -73.746947 -45.932257 -73.756334 -45.941644 -73.857248 -45.948685 -73.878370 -45.847771 -73.878370 -45.779713 -73.866636 -45.826650 -73.866636 -45.796141 # -b -74.298453 -47.776870 -74.450998 -47.783910 -74.629357 -47.732280 -74.617623 -47.643100 -74.528443 -47.605551 -74.474466 -47.560961 -74.397020 -47.605551 -74.307841 -47.664221 -74.265598 -47.760442 -74.298453 -47.776870 # -b -74.981382 -47.701771 -74.981382 -47.753401 -75.070562 -47.835540 -75.213719 -47.849621 -75.300552 -47.812072 -75.291165 -47.805032 -75.255962 -47.753401 -75.201985 -47.739320 -75.079949 -47.701771 -74.981382 -47.701771 # -b -75.136273 -48.093692 -75.136273 -48.079611 -75.103418 -48.086652 -75.002504 -48.124201 -74.915671 -48.131242 -74.814757 -48.159404 -74.781901 -48.203994 -74.793636 -48.300214 -74.838225 -48.328376 -74.936792 -48.344804 -75.025972 -48.248583 -75.124539 -48.117161 -75.136273 -48.093692 # -b -75.443709 -48.168791 -75.455443 -48.072571 -75.443709 -48.072571 -75.399119 -48.065530 -75.324020 -48.027981 -75.300552 -48.065530 -75.267696 -48.159404 -75.246575 -48.218075 -75.201985 -48.300214 -75.157395 -48.396434 -75.103418 -48.462145 -75.070562 -48.513776 -75.070562 -48.570100 -75.112805 -48.607649 -75.169129 -48.541938 -75.213719 -48.417556 -75.300552 -48.365925 -75.377998 -48.300214 -75.443709 -48.168791 # -b -74.915671 -48.410515 -74.915671 -48.403475 -74.838225 -48.417556 -74.772514 -48.438677 -74.695068 -48.438677 -74.638744 -48.520816 -74.528443 -48.593568 -74.507322 -48.628771 -74.594155 -48.614690 -74.739658 -48.586528 -74.871081 -48.541938 -74.936792 -48.476226 -74.948527 -48.417556 -74.915671 -48.410515 # -b -75.467177 -48.607649 -75.488299 -48.541938 -75.488299 -48.520816 -75.488299 -48.497348 -75.443709 -48.476226 -75.377998 -48.462145 -75.324020 -48.504388 -75.300552 -48.570100 -75.291165 -48.621730 -75.356876 -48.694482 -75.434322 -48.746112 -75.476565 -48.687442 -75.467177 -48.607649 # -b -75.014238 -48.985490 -74.981382 -48.971409 -75.002504 -48.912738 -75.014238 -48.870495 -74.993117 -48.804783 -74.892203 -48.724991 -74.793636 -48.680401 -74.671600 -48.739072 -74.573033 -48.825905 -74.507322 -48.936206 -74.474466 -49.065282 -74.462732 -49.210786 -74.441610 -49.382105 -74.441610 -49.640257 -74.429876 -49.790454 -74.441610 -49.919530 # -b -74.727924 -50.046259 -74.849960 -49.933611 -74.849960 -49.804535 -74.849960 -49.720049 -74.849960 -49.633216 -74.805370 -49.562811 -74.814757 -49.518221 -74.903937 -49.483019 -75.079949 -49.433735 -75.190251 -49.339862 -75.234841 -49.304659 -75.201985 -49.260069 -75.112805 -49.274150 -74.981382 -49.332821 -74.960261 -49.196705 -75.070562 -49.187317 -75.169129 -49.116912 -75.124539 -49.044161 -75.014238 -48.985490 # -b -75.521154 -49.705968 -75.532889 -49.698928 -75.532889 -49.691887 -75.544623 -49.647297 -75.509420 -49.633216 -75.443709 -49.633216 -75.389732 -49.640257 -75.324020 -49.748211 -75.223106 -49.846778 -75.267696 -49.863206 -75.422587 -49.856165 -75.521154 -49.790454 -75.521154 -49.705968 # -b -176.322417 -43.791944 -176.313030 -43.775516 -176.313030 -43.822452 -176.345885 -43.871736 -176.378741 -43.942141 -176.378741 -44.021933 -176.399862 -44.045402 -176.510164 -44.068870 -176.608731 -44.118154 -176.686176 -44.068870 -176.632199 -43.935100 -176.653321 -43.885817 -176.742500 -43.878776 -176.862189 -43.838880 -176.841067 -43.815412 -176.676789 -43.775516 -176.510164 -43.766128 -176.399862 -43.806025 -176.322417 -43.791944 # -b 172.067605 -41.050840 172.100461 -41.060227 172.112195 -41.060227 172.112195 -40.985129 172.121582 -40.867787 172.177906 -40.825544 172.264739 -40.792688 172.332797 -40.734017 172.410243 -40.658919 172.485341 -40.649531 172.518197 -40.607288 172.595643 -40.574433 172.628498 -40.623716 172.628498 -40.691774 172.628498 -40.776260 172.696557 -40.858400 172.806858 -40.884215 172.905425 -40.874827 172.982871 -40.959314 172.982871 -41.050840 172.982871 -41.191650 173.036848 -41.292564 173.158883 -41.341848 173.236329 -41.283177 173.334896 -41.233893 173.358364 -41.208078 173.400607 -41.175222 173.501521 -41.142367 173.567232 -41.093083 173.588354 -41.060227 173.644678 -41.034412 173.698655 -41.008597 173.754979 -40.975741 173.841812 -40.966354 173.874668 -40.985129 173.853546 -41.001557 173.776101 -41.060227 173.797222 -41.083696 173.820691 -41.184610 173.787835 -41.266749 173.764367 -41.316032 173.832425 -41.276136 173.942726 -41.233893 173.942726 -41.226853 173.898136 -41.168182 173.919258 -41.151754 173.952113 -41.076655 173.975582 -41.050840 174.017825 -41.034412 174.074149 -41.034412 174.118739 -41.067268 174.139860 -41.109511 174.160982 -41.135326 174.118739 -41.191650 174.062415 -41.243281 174.008437 -41.283177 174.062415 -41.292564 174.128126 -41.374703 174.085883 -41.449802 174.053027 -41.524901 174.095270 -41.597653 174.139860 -41.689179 174.184450 -41.771318 174.139860 -41.862845 174.053027 -41.952025 173.975582 -42.043551 173.942726 -42.142118 173.832425 -42.264154 173.722124 -42.280582 173.698655 -42.336906 173.621210 -42.412004 173.501521 -42.510572 173.424076 -42.646688 173.346630 -42.761683 173.280919 -42.867290 173.236329 -42.890759 173.180005 -42.947083 173.114293 -42.972898 173.102559 -42.972898 173.093172 -42.986979 173.036848 -43.036263 172.950015 -43.076159 172.893691 -43.109014 172.881957 -43.116055 172.872569 -43.116055 172.872569 -43.125442 172.839714 -43.132483 172.827979 -43.141870 172.816245 -43.148911 172.806858 -43.148911 172.795124 -43.165339 172.783390 -43.191154 172.771655 -43.191154 172.771655 -43.205235 172.762268 -43.261559 172.738800 -43.357779 172.729412 -43.446959 172.729412 -43.519711 172.696557 -43.606544 172.684822 -43.662868 172.738800 -43.672255 172.860835 -43.702764 172.992258 -43.759088 173.036848 -43.871736 173.015726 -43.918673 172.926546 -43.831840 172.917159 -43.918673 172.717678 -43.871736 172.518197 -43.815412 172.398509 -43.766128 172.342185 -43.791944 172.342185 -43.878776 172.288207 -43.935100 172.199028 -43.878776 172.145050 -43.871736 172.112195 -43.949181 171.969038 -44.005506 171.835268 -44.038361 171.769557 -44.078257 171.670990 -44.125194 171.581810 -44.118154 171.548954 -44.045402 171.494977 -44.028974 171.459775 -44.038361 171.450387 -44.092338 171.459775 -44.155703 171.405797 -44.315288 171.283762 -44.481913 171.239172 -44.629764 171.229785 -44.779961 171.218050 -44.873834 171.119483 -44.920771 171.119483 -44.974748 171.140605 -45.078009 171.053772 -45.155455 170.964592 -45.225860 170.952858 -45.293918 170.920002 -45.394832 170.920002 -45.505133 170.854291 -45.589619 170.809701 -45.636556 170.699400 -45.711655 170.666544 -45.775019 170.657157 -45.798488 170.678278 -45.828996 170.666544 -45.873586 170.600833 -45.913482 170.621954 -45.920523 170.699400 -45.936951 170.657157 -46.021437 170.511653 -46.012050 170.359109 -46.089495 170.258195 -46.173981 170.171362 -46.258467 170.028205 -46.310098 # -b 169.995349 -43.350739 170.115038 -43.294414 170.138506 -43.181766 170.225339 -43.132483 170.335640 -43.052690 170.436554 -43.003407 170.546856 -42.996366 170.732256 -42.907187 170.854291 -42.818007 170.931737 -42.752296 171.009182 -42.656075 171.107749 -42.557508 171.140605 -42.468328 171.164073 -42.428432 171.206316 -42.313437 171.229785 -42.240685 171.250906 -42.142118 171.274375 -42.017736 171.372942 -41.853458 171.483243 -41.804174 171.570076 -41.747850 171.703845 -41.682139 171.814147 -41.656324 171.879858 -41.564797 171.990159 -41.400519 172.023015 -41.292564 172.055871 -41.142367 172.067605 -41.050840 # -b 176.862189 -39.992417 176.775356 -40.109759 176.709645 -40.220060 176.620465 -40.330362 176.587609 -40.440663 176.477308 -40.532190 176.367007 -40.649531 176.202728 -40.858400 176.080693 -41.017984 175.982126 -41.151754 175.770911 -41.374703 175.639488 -41.440415 175.451741 -41.531941 175.296850 -41.581225 175.177161 -41.492045 175.087982 -41.391131 174.712488 -41.400519 174.646777 -41.292564 174.646777 -41.151754 174.658511 -41.226853 174.745344 -41.125939 174.801668 -41.083696 174.879113 -40.942886 175.001149 -40.841972 175.099716 -40.682387 175.132571 -40.499334 175.186549 -40.363217 175.186549 -40.245876 175.111450 -40.144962 175.001149 -40.034660 # -b 167.878504 -46.744262 167.911360 -46.706713 167.911360 -46.713753 167.920747 -46.758343 167.988805 -46.812320 168.042783 -46.866298 168.063904 -46.910887 168.042783 -46.910887 167.953603 -46.934356 167.944215 -46.948437 168.021661 -46.971905 168.087372 -46.985986 168.099107 -47.016495 168.099107 -47.084553 168.009927 -47.098634 167.932481 -47.166692 167.833914 -47.197201 167.768203 -47.150265 167.690757 -47.166692 167.646167 -47.218323 167.601578 -47.309849 167.503010 -47.279341 167.481889 -47.225363 167.503010 -47.150265 167.524132 -47.091594 167.568722 -47.054044 167.613312 -47.000067 167.657902 -46.941396 167.700145 -46.866298 167.700145 -46.767730 167.711879 -46.720794 167.777590 -46.713753 167.833914 -46.720794 167.878504 -46.744262 # -b 170.028205 -46.310098 169.885048 -46.333566 169.816990 -46.364075 169.807603 -46.418052 169.718423 -46.441520 169.685567 -46.486110 169.673833 -46.523660 169.640977 -46.540087 169.587000 -46.563556 169.497820 -46.591718 169.366398 -46.622227 169.232628 -46.652736 169.157529 -46.645695 169.080084 -46.669163 168.958048 -46.690285 168.847747 -46.652736 168.814891 -46.547128 168.749180 -46.540087 168.638879 -46.584677 168.516843 -46.608146 168.451132 -46.591718 168.451132 -46.563556 168.340831 -46.591718 168.307975 -46.523660 168.307975 -46.448561 168.275119 -46.462642 168.230529 -46.462642 168.120228 -46.418052 168.009927 -46.418052 167.899626 -46.411012 167.768203 -46.401624 167.711879 -46.249080 167.613312 -46.188062 167.446686 -46.173981 167.371588 -46.211531 167.315264 -46.258467 167.150985 -46.279589 166.972626 -46.258467 166.775492 -46.242039 166.665190 -46.181022 166.719168 -46.089495 166.820081 -46.012050 166.874059 -45.927563 166.808347 -45.988581 166.676925 -46.073067 166.620600 -46.082455 166.653456 -45.997969 166.698046 -45.936951 166.686312 -45.920523 166.620600 -45.967460 166.489178 -45.981541 166.456322 -45.906442 166.510299 -45.843077 166.608866 -45.812569 166.742636 -45.798488 166.874059 -45.721042 166.829469 -45.711655 166.796613 -45.674105 166.874059 -45.636556 166.930383 -45.549723 166.841203 -45.559110 166.742636 -45.535642 166.730902 -45.458196 166.841203 -45.458196 166.897527 -45.394832 166.841203 -45.364323 166.841203 -45.310346 166.930383 -45.310346 166.972626 -45.350242 167.028950 -45.333814 167.061805 -45.326774 167.127517 -45.333814 167.172107 -45.310346 167.160373 -45.279837 167.073540 -45.270450 167.007828 -45.216472 167.017216 -45.146067 167.040684 -45.099131 167.050071 -45.068622 167.073540 -44.991176 167.106395 -44.960667 167.204962 -44.904343 167.270674 -44.890262 167.315264 -44.937199 167.336385 -45.014645 167.371588 -45.038113 167.425565 -45.038113 167.458421 -44.991176 167.425565 -44.866794 167.446686 -44.810470 167.503010 -44.796389 167.556988 -44.669660 167.711879 -44.639151 167.822180 -44.559359 167.843302 -44.425589 167.944215 -44.331716 168.063904 -44.284779 168.131962 -44.092338 168.209408 -44.085298 168.307975 -44.028974 168.430010 -44.028974 168.573167 -43.982037 168.704590 -43.982037 168.868869 -43.949181 169.014372 -43.885817 169.145795 -43.791944 169.267831 -43.719192 169.387519 -43.662868 169.530676 -43.599503 169.664446 -43.510323 169.861580 -43.407063 169.995349 -43.350739 # -b 148.280084 -39.959562 148.336408 -40.137921 148.324674 -40.222407 148.136927 -40.290465 148.104071 -40.121493 # -b 148.136927 -40.424235 148.092337 -40.372605 148.169783 -40.356177 148.280084 -40.339749 148.357530 -40.323321 148.467831 -40.356177 148.500686 -40.450050 148.369264 -40.466478 148.291818 -40.450050 148.136927 -40.424235 148.291818 -40.450050 148.136927 -40.424235 # -b 144.795034 -40.675346 144.806768 -40.675346 144.839624 -40.717589 144.982781 -40.759833 145.116550 -40.827891 145.226851 -40.776260 145.304297 -40.776260 145.435720 -40.818503 145.557755 -40.860746 145.787745 -40.985129 145.996613 -41.109511 146.217216 -41.135326 146.404963 -41.151754 146.583322 -41.168182 146.681889 -41.168182 146.759335 -41.118898 146.879023 -41.060227 147.066770 -41.001557 147.254517 -41.010944 147.463385 -40.985129 147.651132 -40.827891 147.761433 -40.867787 147.904590 -40.893602 147.960914 -40.769220 148.125193 -40.818503 148.280084 -40.968701 148.324674 -41.168182 148.345795 -41.276136 148.369264 -41.416946 148.336408 -41.567144 148.336408 -41.714994 148.336408 -41.839377 148.357530 -42.003655 148.369264 -42.085794 148.423241 -42.167934 148.378651 -42.339253 148.378651 -42.200789 148.357530 -42.076407 148.301205 -41.977840 148.268350 -42.052939 148.169783 -42.174974 148.080603 -42.299356 148.092337 -42.503531 148.005504 -42.519959 147.993770 -42.656075 147.982036 -42.771070 147.904590 -42.827394 147.784902 -42.827394 147.606542 -42.778111 147.564299 -42.834435 147.564299 -42.949430 147.496241 -43.062078 147.376552 -43.118402 147.331963 -43.254518 147.242783 -43.174726 147.144216 -43.141870 147.066770 -43.214622 147.033914 -43.360126 147.033914 -43.472774 146.902492 -43.592463 146.792190 -43.608890 146.681889 -43.536138 146.559854 -43.512670 146.473021 -43.552566 146.273540 -43.496242 146.097527 -43.496242 146.031816 -43.416450 146.151504 -43.383594 146.228950 -43.296761 146.052937 -43.296761 145.876925 -43.231050 145.743155 -43.029222 145.656322 -42.923615 145.590611 -42.883718 145.513165 -42.820354 145.435720 -42.731174 145.379396 -42.583323 145.325419 -42.444860 145.280829 -42.322825 145.226851 -42.142118 145.215117 -42.142118 145.325419 -42.289969 145.447454 -42.437820 145.567143 -42.289969 145.435720 -42.217217 145.313684 -42.076407 145.203383 -41.937944 145.104816 -41.764278 145.006249 -41.616427 144.940538 -41.508473 144.851358 -41.360622 144.773912 -41.217465 144.795034 -41.017984 144.785646 -40.844319 144.795034 -40.675346 # -b 70.027213 -49.163849 69.999051 -49.182624 69.999051 -49.255376 # -b 68.966444 -49.109872 69.999051 -49.145074 # -b 69.970889 -49.656684 70.168024 -49.691887 70.362811 -49.656684 70.252510 -49.602707 70.362811 -49.546383 70.252510 -49.511181 70.196186 -49.529955 70.139861 -49.583933 69.999051 -49.511181 69.999051 -49.365677 70.306487 -49.328128 70.419135 -49.419654 70.503621 -49.346902 70.585760 -49.220173 70.642084 -49.109872 70.559945 -49.034773 70.334649 -49.072323 70.306487 -49.145074 70.252510 -49.109872 70.139861 -49.145074 70.055375 -49.145074 # -b 69.999051 -49.255376 69.970889 -49.274150 69.916912 -49.292925 69.832426 -49.311700 69.747940 -49.311700 69.637639 -49.292925 69.637639 -49.220173 69.581315 -49.163849 69.468667 -49.109872 69.691616 -49.128647 69.747940 -49.109872 69.804264 -49.053548 69.747940 -49.018345 69.776102 -48.980796 69.665801 -48.943247 69.581315 -48.999571 69.384181 -49.053548 69.189393 -49.053548 69.104907 -49.034773 69.189393 -48.943247 69.133069 -48.908044 69.273879 -48.851720 69.273879 -48.741419 69.133069 -48.795396 69.161231 -48.666320 69.076745 -48.647545 68.966444 -48.631118 68.966444 -48.685095 68.910120 -48.741419 68.853796 -48.814171 68.910120 -48.889269 68.938282 -48.943247 68.910120 -49.034773 68.966444 -49.109872 # -b 69.999051 -49.145074 69.050930 -49.292925 69.161231 -49.292925 69.245717 -49.201398 69.245717 -49.328128 69.161231 -49.328128 69.076745 -49.438429 69.022768 -49.546383 69.189393 -49.675459 69.104907 -49.637910 69.189393 -49.619135 69.302041 -49.583933 69.412343 -49.511181 69.581315 -49.529955 69.581315 -49.656684 69.776102 -49.656684 69.776102 -49.529955 69.832426 -49.511181 69.916912 -49.565158 69.970889 -49.656684 # -b 37.612727 -46.880379 37.645582 -46.873338 37.701906 -46.856910 37.711294 -46.873338 37.812208 -46.910887 37.821595 -46.985986 37.800473 -47.016495 37.669051 -47.016495 37.600992 -46.924968 37.612727 -46.880379 # -b -26.359652 -58.408033 -26.303328 -58.415073 -26.282207 -58.403339 -26.261085 -58.443235 -26.261085 -58.494866 -26.359652 -58.494866 -26.458219 -58.459663 -26.491075 -58.431501 -26.491075 -58.403339 -26.437098 -58.403339 -26.359652 -58.408033 # -b -38.124337 -54.028838 -38.157192 -54.003023 -38.112602 -54.010064 -38.056278 -54.003023 -37.981180 -53.995983 -37.870878 -53.988942 -37.781699 -53.977208 -37.704253 -54.003023 -37.582218 -54.003023 -37.450795 -53.977208 -37.450795 -54.014757 -37.352228 -54.021798 -37.241927 -54.047613 -37.209071 -54.099243 -37.131625 -54.087509 -37.065914 -54.068735 -36.997856 -54.094550 -36.911023 -54.094550 -36.845312 -54.125059 -36.812456 -54.132099 -36.756132 -54.139140 -36.711542 -54.157914 -36.634096 -54.190770 -36.666952 -54.216585 -36.702155 -54.254135 -36.601241 -54.254135 -36.568385 -54.294031 -36.535529 -54.326886 -36.436962 -54.352702 -36.371251 -54.301071 -36.282071 -54.326886 -36.216360 -54.409026 -36.150648 -54.479431 -36.094324 -54.505246 -36.073203 -54.538102 -35.962902 -54.594426 -35.930046 -54.575651 -35.906577 -54.594426 -35.906577 -54.646056 -35.885456 -54.709421 -35.829132 -54.772785 -35.852600 -54.772785 -35.951167 -54.768091 -35.995757 -54.786866 -35.984023 -54.824415 -35.951167 -54.869005 -35.984023 -54.876046 -36.040347 -54.894820 -36.138914 -54.869005 -36.249215 -54.772785 -36.303193 -54.735236 -36.326661 -54.671871 -36.392372 -54.639015 -36.481552 -54.582691 -36.523795 -54.531061 -36.591853 -54.493512 -36.711542 -54.467697 -36.756132 -54.448922 -36.788987 -54.409026 -36.899289 -54.364436 -37.042446 -54.326886 -37.152747 -54.301071 -37.274782 -54.275256 -37.406205 -54.268216 -37.406205 -54.242400 -37.361615 -54.202504 -37.385084 -54.176689 -37.396818 -54.139140 -37.507119 -54.150874 -37.650276 -54.171995 -37.748843 -54.164955 -37.748843 -54.132099 -37.737109 -54.113324 -37.769965 -54.094550 -37.769965 -54.073428 -37.802820 -54.061694 -37.892000 -54.054654 -37.969446 -54.035879 -38.056278 -54.054654 -38.133724 -54.014757 -38.124337 -54.028838 # -b -59.313911 -51.423851 -59.292790 -51.388649 -59.269321 -51.416811 -59.182488 -51.437932 -59.159020 -51.491910 -59.203610 -51.527112 -59.248200 -51.616292 -59.346767 -51.649148 -59.445334 -51.738327 -59.555635 -51.841588 -59.633081 -51.874444 -59.677670 -51.923727 -59.755116 -51.991785 -59.853683 -52.003520 -59.931129 -51.991785 -59.975719 -51.996479 # -b -60.020308 -51.731287 -59.963984 -51.724246 # -b -60.041430 -51.505991 -59.942863 -51.470788 -59.898273 -51.449667 -59.710526 -51.463748 -59.546248 -51.491910 -59.424212 -51.491910 -59.313911 -51.484869 -59.313911 -51.423851 # -b -58.464357 -51.327631 -58.386911 -51.306510 -58.344668 -51.346406 -58.276610 -51.409770 -58.243754 -51.470788 -58.201511 -51.430892 -58.079476 -51.423851 -57.912850 -51.430892 -57.837752 -51.442626 -57.793162 -51.477829 -57.715716 -51.520072 -57.715716 -51.574049 -57.903463 -51.595170 -57.948053 -51.623332 -57.837752 -51.628026 -57.715716 -51.656188 -57.694595 -51.717206 -57.781428 -51.766489 -57.924585 -51.780570 -58.046620 -51.848629 -58.178043 -51.916687 -58.332934 -51.928421 -58.508947 -51.916687 -58.753017 -51.881484 -58.851585 -51.881484 -58.762405 -51.935461 -58.642716 -51.984745 -58.607514 -52.010560 -58.565271 -52.071578 -58.565271 -52.153717 -58.598126 -52.139636 -58.642716 -52.078618 -58.762405 -52.099740 -58.851585 -52.120861 -58.950152 -52.057497 -59.048719 -52.078618 -59.015863 -52.132596 -58.973620 -52.240550 -58.884440 -52.240550 -58.806995 -52.221775 -58.806995 -52.247590 -58.950152 -52.247590 -59.093309 -52.235856 -59.137898 -52.200654 -59.227078 -52.179532 -59.292790 -52.207694 -59.281055 -52.247590 -59.259934 -52.289834 -59.259934 -52.343811 -59.203610 -52.362585 -59.292790 -52.348504 -59.391357 -52.308608 -59.480536 -52.221775 -59.590838 -52.132596 -59.579103 -52.106780 -59.501658 -52.064537 -59.501658 -51.984745 -59.457068 -51.949542 -59.435946 -51.923727 -59.412478 -51.860363 -59.358501 -51.848629 -59.313911 -51.841588 -59.159020 -51.759449 -59.105043 -51.724246 -59.006476 -51.670269 -59.015863 -51.588130 -59.015863 -51.559968 -58.983007 -51.520072 -58.983007 -51.470788 -58.917296 -51.463748 -58.863319 -51.430892 -58.774139 -51.430892 -58.785873 -51.353446 -58.774139 -51.299469 -58.708428 -51.327631 -58.586392 -51.346406 -58.464357 -51.327631 # -b -70.064763 -52.578494 -69.898137 -52.517477 -69.799570 -52.510436 -69.600089 -52.484621 -69.522644 -52.409522 -69.480401 -52.322689 -69.358365 -52.275752 -69.226943 -52.247590 -69.083786 -52.254631 -69.006340 -52.289834 -68.839715 -52.343811 -68.642581 -52.343811 -68.431366 -52.376666 -68.365654 -52.362585 -68.365654 -52.322689 # -b -68.365654 -52.322689 -68.365654 -52.308608 -68.389122 -52.294527 -68.431366 -52.275752 -68.508811 -52.214735 -68.630847 -52.120861 -68.741148 -52.038722 -68.806859 -51.949542 -68.884305 -51.848629 -69.015727 -51.698431 -69.126029 -51.677310 -69.226943 -51.691391 -69.391221 -51.609251 -69.280920 -51.581089 -69.060317 -51.588130 -69.006340 -51.513031 -69.060317 -51.334672 -69.116641 -51.210289 -69.194087 -51.050705 -69.292654 -51.083560 -69.402955 -51.083560 -69.269186 -50.959178 -69.149497 -50.708067 -69.039196 -50.471036 -68.872571 -50.372469 -68.663702 -50.280943 -68.487690 -50.210538 -68.454834 -50.189416 -68.454834 -50.130745 -68.499424 -50.067381 -68.642581 -50.018097 # -b -68.630847 -49.870246 -68.487690 -50.032178 -68.353920 -50.116664 -68.243619 -50.123705 -68.168520 -50.123705 -67.990161 -50.067381 # -b -68.651968 -52.658287 -68.553401 -52.712264 -68.532279 -52.738079 -68.454834 -52.806137 -68.398510 -52.857768 -68.311677 -52.944601 -68.222497 -53.045514 -68.156786 -53.132347 -68.145052 -53.176937 -68.222497 -53.111226 -68.344533 -53.092451 -68.454834 -53.118266 -68.487690 -53.191018 -68.421978 -53.282545 -68.299943 -53.310707 -68.189642 -53.376418 -68.112196 -53.467945 -68.046485 -53.585286 -67.990161 -53.669773 -67.903328 -53.730790 -67.748436 -53.801195 -67.584158 -53.859866 -67.506712 -53.904456 -67.429267 -53.988942 -67.318966 -54.061694 -67.175809 -54.080469 -67.086629 -54.125059 -66.966940 -54.150874 -66.889495 -54.216585 -66.800315 -54.242400 -66.690014 -54.261175 -66.612568 -54.319846 -66.481146 -54.401985 -66.359110 -54.460656 -66.227687 -54.524021 -66.093918 -54.575651 -65.917905 -54.639015 -65.807604 -54.678912 -65.587001 -54.697686 -65.357012 -54.697686 -65.157531 -54.671871 -65.145796 -54.742276 -65.178652 -54.861965 -65.246710 -54.913595 -65.324156 -54.925329 -65.476700 -54.976960 -65.631591 -54.951145 -65.741892 -54.939410 -65.840460 -54.925329 -65.974229 -54.965226 -66.171363 -54.995734 -66.305133 -55.021550 -66.347376 -55.059099 -66.514001 -55.033284 -66.690014 -54.958185 -66.812049 -54.925329 -66.966940 -54.913595 -67.110097 -54.894820 -67.307231 -54.869005 -67.483244 -54.876046 -67.638135 -54.876046 -67.781292 -54.869005 -67.837616 -54.850231 -67.936183 -54.824415 -68.067606 -54.812681 -68.210763 -54.805641 -68.377388 -54.843190 -68.499424 -54.887780 -68.586257 -54.894820 # -b -69.158884 -54.995734 -69.149497 -55.007469 -69.248064 -55.021550 -69.370100 -55.033284 -69.501522 -55.059099 -69.632945 -55.059099 -69.733859 -55.077874 -69.776102 -55.077874 -69.811305 -55.066139 -69.844160 -55.014509 -69.844160 -54.976960 -69.844160 -54.932370 -69.799570 -54.920636 -69.766715 -54.913595 -69.733859 -54.925329 -69.644679 -54.913595 -69.513257 -54.906555 -69.468667 -54.920636 -69.280920 -54.939410 -69.194087 -54.958185 -69.158884 -54.995734 # -b -69.942727 -55.174094 -69.909872 -55.152972 -69.811305 -55.148279 -69.632945 -55.129504 -69.480401 -55.103689 -69.337244 -55.084914 -69.215208 -55.052058 -69.137763 -55.040324 -69.039196 -55.028590 -68.950016 -55.028590 -68.818593 -55.033284 -68.675436 -55.002775 -68.532279 -54.969919 -68.431366 -54.976960 -68.344533 -55.033284 -68.288209 -55.059099 -68.255353 -55.122464 -68.344533 -55.141238 -68.464221 -55.152972 -68.586257 -55.148279 -68.708292 -55.122464 -68.851449 -55.091955 -68.896039 -55.103689 -68.830327 -55.141238 -68.696558 -55.185828 -68.565135 -55.197562 -68.410244 -55.211643 -68.267087 -55.211643 -68.189642 -55.242152 -68.177907 -55.286742 -68.145052 -55.312557 -68.321064 -55.317251 -68.443100 -55.312557 -68.508811 -55.331332 -68.499424 -55.354800 -68.353920 -55.380615 -68.201376 -55.392350 -68.091074 -55.429899 -68.067606 -55.500304 -67.990161 -55.523772 -67.969039 -55.610605 -67.915062 -55.681010 -67.915062 -55.711519 -67.969039 -55.711519 -68.067606 -55.662236 -68.133317 -55.610605 -68.145052 -55.535506 -68.243619 -55.523772 -68.365654 -55.462755 -68.454834 -55.474489 -68.597991 -55.493263 -68.651968 -55.512038 -68.741148 -55.467448 -68.762269 -55.455714 -68.774003 -55.418165 -68.785738 -55.373575 -68.872571 -55.347760 -68.905426 -55.312557 -68.905426 -55.305517 -68.994606 -55.272661 -69.215208 -55.267967 -69.292654 -55.324291 -69.236330 -55.392350 -69.072052 -55.486223 -68.994606 -55.549588 -69.060317 -55.556628 -69.280920 -55.549588 -69.346631 -55.535506 -69.391221 -55.486223 -69.402955 -55.443980 -69.480401 -55.411124 -69.611824 -55.361841 -69.600089 -55.336026 -69.468667 -55.298476 -69.370100 -55.260927 -69.337244 -55.230418 -69.346631 -55.211643 -69.456932 -55.223377 -69.590702 -55.272661 -69.733859 -55.291436 -69.844160 -55.291436 -69.942727 -55.272661 -69.963849 -55.216337 -69.954462 -55.178788 -69.942727 -55.174094 # -b -68.091074 -55.014509 -68.112196 -55.033284 -68.210763 -55.021550 -68.255353 -55.007469 -68.278821 -54.958185 -68.222497 -54.951145 -68.067606 -54.951145 -67.947917 -54.932370 -67.793026 -54.920636 -67.638135 -54.939410 -67.506712 -54.958185 -67.340087 -54.965226 -67.175809 -54.976960 -67.110097 -55.028590 -67.077242 -55.110729 -67.042039 -55.178788 -67.042039 -55.216337 -67.053773 -55.253886 -67.131219 -55.305517 -67.229786 -55.331332 -67.330700 -55.336026 -67.363556 -55.317251 -67.372943 -55.267967 -67.396411 -55.242152 -67.494978 -55.223377 -67.572424 -55.223377 -67.572424 -55.267967 -67.682725 -55.272661 -67.727315 -55.260927 -67.694459 -55.235112 -67.781292 -55.230418 -67.891593 -55.223377 -68.013629 -55.204603 -68.046485 -55.152972 -68.067606 -55.103689 -68.079340 -55.052058 -68.091074 -55.014509 -66.600834 -55.223377 -66.558591 -55.216337 -66.481146 -55.211643 -66.424821 -55.249193 -66.436556 -55.272661 -66.514001 -55.305517 -66.579713 -55.286742 -66.612568 -55.253886 -66.612568 -55.216337 # -b -64.408890 -54.798600 -64.397156 -54.793907 -64.319710 -54.793907 -64.230531 -54.772785 -64.176553 -54.761051 -64.131964 -54.772785 -64.045131 -54.772785 -63.955951 -54.772785 -63.801060 -54.742276 -63.714227 -54.735236 -63.681371 -54.754010 -63.690759 -54.798600 -63.690759 -54.819722 -63.756470 -54.831456 -63.845650 -54.824415 -63.944217 -54.812681 -64.066252 -54.824415 -64.087374 -54.883086 -64.155432 -54.869005 -64.265733 -54.861965 -64.373688 -54.894820 -64.408890 -54.920636 -64.495723 -54.906555 -64.573169 -54.906555 -64.606024 -54.894820 -64.584903 -54.857271 -64.519191 -54.805641 -64.507457 -54.772785 -64.462867 -54.786866 -64.408890 -54.798600 # -b -60.890984 -51.820466 -60.846394 -51.799345 -60.834660 -51.827507 -60.801805 -51.827507 -60.768949 -51.841588 -60.792417 -51.949542 -60.869863 -51.991785 -60.980164 -51.963623 -61.066997 -51.909646 -61.156177 -51.874444 -61.198420 -51.841588 -61.198420 -51.785264 -61.210154 -51.717206 -61.144442 -51.691391 -61.132708 -51.717206 -61.177298 -51.780570 -61.156177 -51.848629 -61.099853 -51.874444 -61.088118 -51.834547 -61.045875 -51.799345 -60.944961 -51.799345 -60.890984 -51.820466 # -b -59.975719 -51.996479 -60.107141 -52.045763 -60.130610 -52.010560 -60.175200 -52.017601 -60.163465 -52.052803 -60.163465 -52.120861 -60.273767 -52.174839 -60.327744 -52.167798 -60.416924 -52.207694 -60.527225 -52.247590 -60.560081 -52.207694 -60.581202 -52.146677 -60.691503 -52.132596 -60.714972 -52.146677 -60.670382 -52.193613 -60.703237 -52.179532 -60.825273 -52.106780 -60.890984 -52.064537 -60.858129 -52.045763 -60.691503 -52.045763 -60.691503 -51.996479 -60.691503 -51.977704 -60.581202 -51.996479 -60.438045 -51.996479 -60.339478 -51.956583 -60.482635 -51.949542 -60.470901 -51.923727 -60.351212 -51.841588 -60.306622 -51.855669 -60.240911 -51.860363 -60.163465 -51.745368 -60.020308 -51.731287 # -b -59.963984 -51.724246 -60.029696 -51.670269 -60.107141 -51.642107 -60.184587 -51.581089 -60.229177 -51.552927 -60.360600 -51.559968 -60.405189 -51.534153 -60.339478 -51.527112 -60.327744 -51.498950 -60.372334 -51.463748 -60.482635 -51.449667 -60.506103 -51.381608 -60.428658 -51.416811 -60.318356 -51.456707 -60.184587 -51.484869 -60.041430 -51.505991 # -b -68.741148 -52.658287 -68.659009 -52.637165 -68.743495 -52.550332 -68.910120 -52.618390 -69.104907 -52.653593 -69.273879 -52.637165 -69.358365 -52.533904 -69.412343 -52.465846 -69.637639 -52.517477 -69.691616 -52.637165 -69.747940 -52.738079 -69.945074 -52.770935 # -b -69.999051 -53.395193 -69.776102 -53.343562 -69.553153 -53.327135 -69.412343 -53.343562 -69.330203 -53.428049 -69.384181 -53.561818 -69.637639 -53.611102 -69.860588 -53.643957 -69.916912 -53.693241 # -b -69.999051 -54.155567 -69.776102 -54.204851 -69.581315 -54.237707 -69.412343 -54.286990 -69.358365 -54.369129 -69.524991 -54.369129 -69.553153 -54.418413 -69.691616 -54.303418 -69.860588 -54.286990 -69.888750 -54.401985 # -b -69.999051 -54.887780 -69.970889 -54.854924 -69.804264 -54.854924 -69.553153 -54.854924 -69.273879 -54.887780 -69.022768 -55.000428 -68.910120 -54.951145 -68.743495 -54.951145 -68.797472 -54.887780 -68.602684 -54.887780 -68.586257 -54.894820 # -b -74.298453 -49.926571 -74.307841 -50.011057 -74.385286 -50.060340 -74.462732 -50.130745 -74.551912 -50.182376 -74.462732 -50.295024 -74.340696 -50.379510 -74.221008 -50.428793 -74.098972 -50.442874 -73.988671 -50.449915 -73.890104 -50.527360 -73.857248 -50.569603 -74.066117 -50.527360 -74.122441 -50.597765 -74.033261 -50.715107 -73.934694 -50.778472 -73.833780 -50.778472 -73.779803 -50.701026 -73.714091 -50.729188 -73.702357 -50.862958 -73.878370 -50.902854 -74.087238 -50.902854 -74.131828 -50.987340 -74.077851 -51.118763 -73.944081 -51.214983 -73.746947 -51.346406 -73.636646 -51.423851 -73.570934 -51.534153 -73.502876 -51.642107 -73.526345 -51.752408 -73.538079 -51.916687 -73.470021 -52.045763 -73.383188 -52.078618 -73.282274 -52.085659 -73.261152 -51.949542 -73.282274 -51.792304 -73.392575 -51.623332 -73.371453 -51.656188 -73.282274 -51.780570 -73.249418 -51.881484 -73.195441 -51.970664 -73.139117 -52.024641 -73.040550 -51.977704 -72.974838 -51.874444 -73.028816 -51.799345 -73.085140 -51.710165 -73.040550 -51.698431 -72.897393 -51.785264 -72.754236 -51.827507 -72.655669 -51.806385 -72.643935 -51.724246 -72.831681 -51.635067 -73.019428 -51.552927 -73.207175 -51.463748 -73.117995 -51.470788 -72.909127 -51.538846 -72.643935 -51.691391 -72.578223 -51.738327 -72.500778 -51.806385 -72.479656 -51.902606 -72.489043 -51.970664 -72.622813 -51.996479 -72.643935 -52.003520 -72.622813 -52.017601 -72.566489 -52.064537 -72.456188 -52.146677 -72.435066 -52.282793 -72.500778 -52.390747 -72.611079 -52.423603 -72.709646 -52.463499 -72.754236 -52.510436 -72.754236 -52.578494 -72.632200 -52.564413 -72.489043 -52.545639 -72.456188 -52.604309 -72.456188 -52.679408 -72.345887 -52.618390 -72.104162 -52.557373 -71.904682 -52.557373 -71.695813 -52.564413 -71.508066 -52.597269 -71.409499 -52.719304 -71.299198 -52.813178 -71.099717 -52.885930 -71.123185 -52.965722 -71.210018 -53.092451 -71.343788 -53.165203 -71.552656 -53.242649 -71.784993 -53.263770 -71.895294 -53.329481 -71.961006 -53.402233 -72.113550 -53.449170 -72.092428 -53.381112 -72.137018 -53.303666 -72.291909 -53.348256 -72.301297 -53.460904 -72.214464 -53.566512 -72.014983 -53.676813 -71.850704 -53.723750 -71.651223 -53.782421 -71.496332 -53.789461 -71.332054 -53.827011 -71.233487 -53.845785 -71.132573 -53.841092 -71.078596 -53.808236 -71.022272 -53.735484 -70.989416 -53.650998 -70.968294 -53.467945 -70.956560 -53.282545 -70.911970 -53.191018 -70.857993 -53.078370 -70.836872 -53.012659 -70.836872 -52.911745 -70.846259 -52.792056 -70.836872 -52.766241 -70.801669 -52.759201 -70.670246 -52.738079 -70.548211 -52.691142 -70.428522 -52.705223 -70.285365 -52.679408 -70.196186 -52.625431 -70.064763 -52.578494 # -b -74.441610 -49.919530 -74.551912 -50.032178 -74.727924 -50.046259 # -b -75.377998 -50.302064 -75.389732 -50.266862 -75.389732 -50.252781 -75.356876 -50.189416 -75.279430 -50.203497 -75.180863 -50.238700 -75.047094 -50.182376 -74.882815 -50.154214 -74.849960 -50.224619 -74.903937 -50.287983 -74.936792 -50.344307 -74.960261 -50.485117 -75.136273 -50.428793 -75.190251 -50.358388 -75.324020 -50.414712 -75.377998 -50.302064 # -b -74.441610 -50.686945 -74.573033 -50.665824 -74.573033 -50.644702 -74.573033 -50.597765 -74.629357 -50.527360 -74.695068 -50.428793 -74.695068 -50.393591 -74.629357 -50.379510 -74.528443 -50.471036 -74.364165 -50.555522 -74.253863 -50.637662 -74.188152 -50.743269 -74.155296 -50.827755 -74.188152 -50.834796 -74.298453 -50.764391 -74.373552 -50.722148 -74.441610 -50.686945 # -b -74.441610 -51.001421 -74.495587 -51.083560 -74.474466 -51.189168 -74.629357 -51.153965 -74.749046 -51.015502 -74.826491 -50.895813 -74.838225 -50.722148 -74.826491 -50.658783 -74.826491 -50.658783 -74.814757 -50.679905 -74.704456 -50.708067 -74.584767 -50.736229 -74.483853 -50.771431 -74.441610 -50.869998 -74.408755 -50.966218 # -b -74.882815 -51.430892 -74.871081 -51.395689 -74.859347 -51.334672 -74.826491 -51.306510 -74.749046 -51.264267 -74.695068 -51.210289 -74.629357 -51.182127 -74.594155 -51.327631 -74.573033 -51.388649 -74.629357 -51.416811 -74.749046 -51.442626 -74.838225 -51.423851 -74.859347 -51.416811 -74.871081 -51.416811 -74.882815 -51.430892 # -b -74.871081 -52.139636 -74.969648 -52.132596 -74.969648 -52.064537 -74.969648 -51.970664 -74.960261 -51.902606 -74.936792 -51.834547 -74.882815 -51.792304 -74.849960 -51.691391 -74.793636 -51.738327 -74.781901 -51.888525 -74.814757 -52.038722 -74.849960 -52.139636 -74.871081 -52.139636 # -b -74.054382 -51.677310 -73.976937 -51.766489 -73.922960 -51.820466 -73.866636 -51.881484 -73.967550 -51.867403 -74.110707 -51.792304 -74.164684 -51.710165 -74.164684 -51.670269 -74.164684 -51.656188 -74.164684 -51.602211 -74.122441 -51.567008 -74.054382 -51.677310 # -b -73.714091 -51.534153 -73.702357 -51.534153 -73.690623 -51.567008 -73.669502 -51.602211 -73.657767 -51.670269 -73.657767 -51.731287 -73.723479 -51.670269 -73.833780 -51.595170 -73.890104 -51.491910 -73.890104 -51.423851 -73.857248 -51.449667 -73.812658 -51.520072 -73.714091 -51.534153 # -b -73.538079 -52.221775 -73.514610 -52.214735 -73.514610 -52.207694 -73.502876 -52.179532 -73.460633 -52.167798 -73.371453 -52.207694 -73.272886 -52.221775 -73.195441 -52.167798 -73.085140 -52.139636 -73.007694 -52.179532 -72.986573 -52.282793 -72.951370 -52.336770 -72.852803 -52.289834 -72.819947 -52.214735 -72.787092 -52.153717 -72.841069 -52.106780 -72.864537 -52.024641 -72.798826 -52.038722 -72.676790 -52.092699 -72.632200 -52.193613 -72.611079 -52.329730 -72.688524 -52.390747 -72.798826 -52.470540 -72.918514 -52.644206 -72.841069 -52.665327 -72.754236 -52.691142 -72.655669 -52.759201 -72.622813 -52.824912 -72.554755 -52.871849 -72.444454 -52.918785 -72.369355 -52.857768 -72.235585 -52.792056 -72.137018 -52.712264 -72.005595 -52.705223 -71.773259 -52.733385 -71.606633 -52.719304 -71.552656 -52.726345 -71.486945 -52.806137 -71.486945 -52.900011 -71.630102 -52.965722 -71.761525 -53.031433 -71.904682 -53.104185 -72.038451 -53.151122 -72.181608 -53.132347 -72.259054 -53.144081 -72.247319 -53.209793 -72.291909 -53.237955 -72.378742 -53.205099 -72.489043 -53.249689 -72.456188 -53.315400 -72.521899 -53.348256 -72.521899 -53.442130 -72.467922 -53.507841 -72.622813 -53.474985 -72.754236 -53.402233 -72.909127 -53.322441 -73.085140 -53.230914 -73.117995 -53.191018 -72.974838 -53.176937 -72.798826 -53.230914 -72.697912 -53.191018 -72.688524 -53.125307 -72.787092 -53.078370 -72.876271 -52.958682 -72.918514 -53.012659 -72.995960 -53.057249 -73.085140 -53.057249 -73.272886 -53.045514 -73.240031 -52.984497 -73.240031 -52.932866 -73.416043 -52.892970 -73.460633 -52.838993 -73.448899 -52.759201 -73.481755 -52.745120 -73.592056 -52.766241 -73.570934 -52.691142 -73.570934 -52.585535 -73.538079 -52.477580 -73.559200 -52.369626 -73.538079 -52.289834 -73.538079 -52.221775 # -b -73.723479 -52.449418 -73.657767 -52.477580 -73.669502 -52.538598 -73.681236 -52.592575 -73.702357 -52.644206 -73.768069 -52.691142 -73.812658 -52.712264 -73.857248 -52.705223 -73.878370 -52.686449 -73.878370 -52.672368 -73.857248 -52.651246 -73.812658 -52.625431 -73.812658 -52.597269 -73.812658 -52.585535 -73.857248 -52.611350 -73.901838 -52.611350 -73.944081 -52.557373 -73.944081 -52.491661 -73.866636 -52.470540 -73.768069 -52.456459 -73.723479 -52.449418 # -b -74.671600 -52.759201 -74.695068 -52.752160 -74.671600 -52.752160 -74.605889 -52.777975 -74.540177 -52.817871 -74.474466 -52.871849 -74.418142 -52.911745 -74.298453 -52.944601 -74.209274 -52.977456 -74.131828 -52.998578 -74.054382 -53.019699 -73.934694 -53.052555 -73.833780 -53.071330 -73.723479 -53.104185 -73.603790 -53.137041 -73.538079 -53.165203 -73.502876 -53.242649 -73.460633 -53.242649 -73.416043 -53.209793 -73.371453 -53.216833 -73.294008 -53.270811 -73.216562 -53.303666 -73.129729 -53.343562 -73.106261 -53.388152 -73.207175 -53.381112 -73.305742 -53.388152 -73.404309 -53.355297 -73.502876 -53.336522 -73.570934 -53.270811 -73.723479 -53.183978 -73.812658 -53.118266 -73.833780 -53.165203 -73.812658 -53.205099 -73.866636 -53.216833 -74.012139 -53.191018 -74.077851 -53.172244 -74.087238 -53.158163 -74.209274 -53.118266 -74.340696 -53.057249 -74.474466 -53.019699 -74.561299 -52.939907 -74.617623 -52.857768 -74.650479 -52.799097 -74.671600 -52.759201 # -b -74.629357 -51.731287 -74.629357 -51.717206 -74.617623 -51.759449 -74.594155 -51.773530 -74.573033 -51.799345 -74.573033 -51.841588 -74.573033 -51.902606 -74.573033 -51.949542 -74.584767 -52.024641 -74.629357 -52.092699 -74.704456 -52.120861 -74.739658 -52.092699 -74.749046 -52.031682 -74.749046 -51.970664 -74.739658 -51.916687 -74.695068 -51.888525 -74.662213 -51.860363 -74.662213 -51.799345 -74.683334 -51.745368 -74.662213 -51.724246 -74.629357 -51.731287 # -b -73.613177 -53.395193 -73.592056 -53.388152 -73.526345 -53.381112 -73.437165 -53.402233 -73.416043 -53.460904 -73.359719 -53.467945 -73.240031 -53.474985 -73.162585 -53.519575 -73.085140 -53.526616 -73.085140 -53.449170 -73.052284 -53.442130 -72.974838 -53.449170 -72.930248 -53.474985 -72.864537 -53.526616 -72.831681 -53.474985 -72.775357 -53.519575 -72.688524 -53.632223 -72.643935 -53.618142 -72.599345 -53.592327 -72.489043 -53.606408 -72.435066 -53.643957 -72.435066 -53.683854 -72.334152 -53.723750 -72.235585 -53.756605 -72.202730 -53.794155 -72.214464 -53.819970 -72.214464 -53.852826 -72.345887 -53.859866 -72.357621 -53.951393 -72.369355 -54.035879 -72.423332 -54.080469 -72.545368 -54.061694 -72.599345 -54.021798 -72.622813 -54.054654 -72.599345 -54.132099 -72.665056 -54.150874 -72.808213 -54.120365 -72.909127 -54.125059 -72.974838 -54.099243 -72.897393 -54.073428 -72.808213 -54.061694 -72.909127 -54.035879 -73.028816 -54.021798 -73.139117 -54.028838 -73.240031 -54.014757 -73.294008 -53.970167 -73.282274 -53.918537 -73.294008 -53.866907 -73.272886 -53.819970 -73.272886 -53.794155 -73.350332 -53.789461 -73.448899 -53.761299 -73.470021 -53.716709 -73.481755 -53.676813 -73.514610 -53.625183 -73.526345 -53.592327 -73.603790 -53.533656 -73.681236 -53.453864 -73.681236 -53.428049 -73.613177 -53.395193 # -b -71.883560 -53.859866 -71.860092 -53.859866 -71.850704 -53.885681 -71.794380 -53.925578 -71.728669 -53.932618 -71.684079 -53.984248 -71.707547 -54.010064 -71.707547 -54.061694 -71.662957 -54.094550 -71.618368 -54.028838 -71.552656 -53.988942 -71.430621 -53.995983 -71.386031 -54.042919 -71.308585 -54.028838 -71.266342 -54.094550 -71.266342 -54.132099 -71.221752 -54.197810 -71.165428 -54.157914 -71.090330 -54.164955 -71.022272 -54.216585 -71.001150 -54.286990 -71.099717 -54.357395 -71.221752 -54.357395 -71.266342 -54.331580 -71.275730 -54.305765 -71.332054 -54.261175 -71.496332 -54.242400 -71.662957 -54.228319 -71.716935 -54.275256 -71.684079 -54.301071 -71.707547 -54.312805 -71.850704 -54.279950 -71.895294 -54.235360 -71.993861 -54.190770 -72.092428 -54.171995 -72.104162 -54.120365 -72.104162 -54.106284 -72.137018 -54.054654 -72.158140 -54.003023 -72.181608 -53.951393 -72.092428 -53.958433 -71.993861 -53.925578 -71.928150 -53.866907 -71.883560 -53.859866 # -b -70.548211 -53.592327 -70.515355 -53.592327 -70.515355 -53.599368 -70.482499 -53.611102 -70.473112 -53.697935 -70.473112 -53.782421 -70.449644 -53.866907 -70.428522 -53.937312 -70.395667 -53.988942 -70.372198 -54.054654 -70.383932 -54.094550 -70.428522 -54.087509 -70.494234 -54.054654 -70.571679 -54.003023 -70.637391 -53.984248 -70.625656 -54.087509 -70.571679 -54.176689 -70.505968 -54.216585 -70.383932 -54.223626 -70.318221 -54.279950 -70.351077 -54.286990 -70.461378 -54.275256 -70.548211 -54.249441 -70.649125 -54.183729 -70.747692 -54.132099 -70.825137 -54.054654 -70.846259 -53.970167 -70.836872 -53.904456 -70.792282 -53.878641 -70.726570 -53.873947 -70.649125 -53.873947 -70.616269 -53.845785 -70.625656 -53.782421 -70.670246 -53.730790 -70.658512 -53.702628 -70.581067 -53.643957 -70.548211 -53.592327 # -b -71.001150 -55.110729 -71.012884 -55.096648 -71.012884 -55.077874 -70.989416 -55.033284 -70.923704 -55.002775 -70.846259 -54.988694 -70.801669 -54.984000 -70.768813 -55.033284 -70.747692 -55.084914 -70.747692 -55.129504 -70.780547 -55.152972 -70.836872 -55.160013 -70.890849 -55.148279 -70.968294 -55.122464 -71.001150 -55.110729 # -b -70.362811 -55.272661 -70.395667 -55.260927 -70.395667 -55.267967 -70.449644 -55.267967 -70.538823 -55.223377 -70.604535 -55.167053 -70.616269 -55.129504 -70.571679 -55.115423 -70.515355 -55.122464 -70.437910 -55.148279 -70.362811 -55.141238 -70.327608 -55.192869 -70.339342 -55.235112 -70.362811 -55.272661 # -b -69.945074 -52.770935 -69.999051 -52.806137 -70.139861 -52.738079 -70.419135 -52.754507 -70.224348 -52.789709 -70.196186 -52.857768 -70.111699 -52.942254 -70.168024 -53.024393 -70.278325 -53.043168 -70.362811 -52.991537 -70.447297 -53.007965 -70.447297 -53.144081 -70.475459 -53.261423 -70.419135 -53.343562 -70.306487 -53.378765 -70.168024 -53.444476 -69.999051 -53.395193 # -b -69.916912 -53.693241 -70.083537 -53.693241 -70.139861 -53.777727 -70.111699 -53.909150 -70.055375 -54.106284 -69.999051 -54.155567 # -b -69.888750 -54.401985 -70.027213 -54.303418 -70.111699 -54.254135 -70.224348 -54.319846 -70.196186 -54.369129 -70.027213 -54.401985 -70.139861 -54.418413 -70.196186 -54.465350 -70.306487 -54.385557 -70.503621 -54.303418 -70.670246 -54.254135 -70.949520 -54.106284 -70.949520 -54.204851 -70.754732 -54.286990 -70.698408 -54.369129 -70.754732 -54.385557 -70.811056 -54.369129 -70.839218 -54.369129 -70.921358 -54.418413 -71.090330 -54.418413 -71.090330 -54.481778 -71.313279 -54.498205 -71.369603 -54.514633 -71.285117 -54.563917 -71.285117 -54.646056 -71.313279 -54.676565 -71.146654 -54.676565 -71.090330 -54.646056 -70.949520 -54.660137 -70.811056 -54.676565 -70.921358 -54.725848 -70.949520 -54.758704 -70.811056 -54.758704 -70.811056 -54.791560 -70.893196 -54.822069 -70.726570 -54.838496 -70.613922 -54.805641 -70.419135 -54.854924 -70.252510 -54.887780 -69.999051 -54.887780 # -b 166.167661 -50.600112 166.191130 -50.640008 166.179395 -50.696332 166.179395 -50.738575 166.179395 -50.808981 166.200517 -50.837143 166.223985 -50.872345 166.179395 -50.844183 166.146540 -50.851224 166.092563 -50.865305 166.069094 -50.886426 166.101950 -50.900507 166.101950 -50.954484 165.991649 -50.947444 165.914203 -50.912241 165.925937 -50.900507 165.947059 -50.844183 165.914203 -50.816021 165.947059 -50.752656 166.036239 -50.682251 166.101950 -50.600112 166.113684 -50.571950 166.134806 -50.571950 166.167661 -50.600112 # -b -1.509015 -70.053029 -1.415142 -69.984970 -1.410448 -69.938034 -1.462078 -69.877016 -1.072504 -69.745593 -0.908225 -69.696310 -0.880063 -69.656413 -0.988018 -69.637639 -0.988018 -69.492135 -0.959856 -69.370100 -1.119440 -69.271532 -1.227395 -69.154191 -1.020873 -69.111948 -0.776802 -69.142457 -0.420083 -69.081439 -0.326210 -69.067358 -0.213562 -69.121335 -0.138463 -69.123682 -0.147851 -69.130722 # -b 0.021122 -69.095520 -0.058671 -69.201127 # -b -45.697574 -60.548346 -45.620128 -60.548346 -45.500439 -60.548346 -45.399526 -60.553040 -45.312693 -60.595283 -45.235247 -60.644567 -45.169536 -60.665688 -45.113212 -60.710278 -45.059234 -60.743134 -45.059234 -60.764255 -45.146067 -60.743134 -45.235247 -60.719665 -45.333814 -60.698544 -45.432381 -60.693850 -45.575538 -60.705584 -45.664718 -60.644567 -45.685839 -60.618751 -45.775019 -60.639873 -45.885320 -60.651607 -45.974500 -60.635179 -45.983888 -60.618751 -45.941644 -60.585896 -45.697574 -60.548346 # -b -54.646056 -61.144442 -54.650750 -61.170258 -54.692993 -61.191379 -54.876046 -61.203113 -55.145932 -61.254744 -55.340719 -61.322802 -55.472142 -61.294640 -55.561322 -61.163217 -55.443980 -61.118627 -55.124810 -61.102199 -54.800947 -61.102199 -54.671871 -61.123321 -54.646056 -61.144442 # -b -58.943111 -62.273270 -58.980660 -62.268576 -58.924336 -62.223987 -58.830463 -62.184090 -58.736590 -62.153582 -58.642716 -62.106645 -58.544149 -62.090217 -58.478438 -62.069095 -58.365790 -62.045627 -58.112331 -62.010425 -57.858873 -61.984609 -57.699288 -61.996344 -57.638271 -62.076136 -57.802549 -62.104298 -57.938666 -62.123073 -58.102944 -62.151235 -58.201511 -62.223987 -58.347015 -62.266230 -58.422114 -62.247455 -58.600473 -62.301432 -58.703734 -62.308473 -58.802301 -62.273270 -58.943111 -62.273270 # -b -60.027349 -62.641723 -59.919395 -62.719169 # -b -58.316506 -64.448786 -58.297731 -64.448786 -58.194471 -64.408890 -58.171002 -64.364300 -58.194471 -64.300936 -58.250795 -64.244612 -58.466704 -64.235224 -58.466704 -64.235224 -58.438542 -64.141351 -58.335281 -64.110842 -58.297731 -64.007581 -58.091210 -63.953604 -57.879995 -63.913708 -57.894076 -64.021662 -57.682861 -64.031050 -57.527970 -64.045131 -57.391853 -64.103802 -57.204106 -64.197675 -57.241656 -64.291548 -57.448177 -64.357260 -57.495114 -64.434705 -57.847139 -64.476948 -58.105291 -64.502764 -58.203858 -64.491029 -58.316506 -64.448786 # -b -57.490420 -64.601331 -57.532663 -64.587250 -57.382466 -64.526232 -57.110233 -64.481642 -56.950648 -64.453480 -57.039828 -64.509804 -57.199413 -64.596637 # -b -60.062551 -63.953604 -59.799706 -63.890240 -59.762157 -63.887893 -59.583797 -63.920748 -59.499311 -63.883199 -59.353807 -63.808100 -59.227078 -63.742389 -59.039331 -63.740042 -58.846891 -63.587498 -58.405686 -63.517093 -58.185083 -63.510052 -57.912850 -63.441994 -57.668780 -63.399751 -57.354304 -63.359855 -57.138395 -63.343427 -57.011666 -63.383323 -56.931873 -63.493624 -57.025747 -63.643822 -57.194719 -63.681371 -57.218187 -63.615660 -57.316754 -63.556989 -57.466952 -63.552295 -57.664086 -63.625047 -57.734491 -63.686065 -57.748572 -63.704840 -57.894076 -63.714227 -58.128759 -63.779938 -58.382218 -63.864424 -58.532415 -63.981766 -58.677919 -64.106148 -58.804648 -64.246958 -58.907909 -64.453480 -58.842197 -64.606024 -58.907909 -64.751528 -58.968926 -64.979171 -59.090962 -65.162224 -59.255240 -65.319462 -59.466455 -65.464966 -59.499311 -65.565880 -59.565022 -65.678528 -59.823174 -65.950761 # -b -57.283899 -64.636533 -57.434096 -64.638880 -57.490420 -64.601331 # -b -57.739185 -63.937176 -57.678167 -63.899627 -57.363691 -63.876159 -57.222881 -63.906667 -57.204106 -63.948910 -57.391853 -64.002888 -57.485726 -64.009928 -57.607762 -63.977072 -57.739185 -63.937176 # -b -60.717318 -67.042039 -60.717318 -67.124178 -60.745480 -67.342434 -60.834660 -67.647523 -60.815886 -67.957305 -60.867516 -68.234231 -60.787724 -68.515852 -60.604670 -68.827981 -60.571815 -69.020421 -60.379374 -69.172965 -60.266726 -69.386527 -60.398149 -69.569581 -60.604670 -69.830079 # -b -61.120974 -62.763759 -61.102199 -62.777840 -61.083425 -62.770799 -61.106893 -62.747331 -61.045875 -62.709781 -60.909759 -62.688660 -60.858129 -62.669885 -60.778336 -62.625295 -60.675075 -62.611214 -60.496716 -62.608868 -60.233870 -62.604174 -60.097754 -62.580706 -60.074286 -62.594787 -60.027349 -62.641723 # -b -59.917048 -62.719169 -60.095407 -62.787227 -60.231524 -62.810695 -60.362946 -62.791921 -60.423964 -62.761412 -60.555387 -62.728556 -60.719665 -62.728556 -60.841701 -62.742637 -61.010673 -62.766106 -61.118627 -62.780187 -61.118627 -62.763759 # -b -62.691007 -64.566128 -62.648764 -64.582556 -62.644070 -64.507457 -62.658151 -64.425318 -62.479792 -64.345526 -62.554890 -64.256346 -62.545503 -64.183594 -62.348369 -64.136657 -62.254495 -64.141351 -62.094911 -64.192981 -62.071442 -64.216450 -62.094911 -64.291548 -62.226333 -64.378381 -62.329594 -64.455827 -62.357756 -64.491029 -62.489179 -64.512151 -62.578359 -64.537966 -62.691007 -64.566128 # -b -64.296242 -64.756222 -64.202369 -64.728060 -64.155432 -64.636533 -63.986460 -64.591943 -63.784632 -64.547353 -63.639128 -64.469908 -63.559336 -64.368994 -63.427913 -64.340832 -63.277716 -64.336138 -63.249554 -64.392462 -63.371589 -64.472255 -63.258941 -64.467561 -63.165067 -64.465214 -63.122824 -64.505110 -63.240166 -64.582556 -63.216698 -64.638880 -63.085275 -64.620105 -62.935078 -64.582556 -62.855285 -64.613065 -63.136905 -64.662348 -63.315265 -64.742141 -63.484237 -64.763262 -63.690759 -64.800812 -63.859731 -64.845401 -64.033396 -64.847748 -64.113189 -64.826627 -64.235224 -64.786731 -64.296242 -64.756222 # -b -66.248809 -65.941373 -66.225341 -65.948414 -66.309827 -65.892090 -66.187791 -65.856887 -66.131467 -65.807604 -66.093918 -65.751280 -65.995351 -65.676181 -65.915558 -65.617510 -65.699649 -65.591695 -65.638632 -65.631591 -65.591695 -65.723118 -65.751280 -65.748933 -65.868622 -65.814644 -65.967189 -65.889743 -66.107999 -65.941373 -66.225341 -65.948414 -66.248809 -65.941373 # -b -69.076745 -67.825882 -68.992259 -67.835269 -69.095520 -67.809454 -69.137763 -67.757824 -69.302041 -67.689766 -69.339591 -67.605280 -69.287960 -67.539568 -69.231636 -67.448042 -69.072052 -67.358862 -68.870224 -67.262642 -68.710639 -67.140606 -68.569829 -66.999796 -68.504117 -66.950513 -68.353920 -66.887148 -68.138011 -66.873067 -67.950264 -66.823783 -67.823535 -66.816743 -67.912715 -66.915310 -68.001895 -67.023264 -68.030057 -67.131219 -67.926796 -67.239173 -67.950264 -67.304885 -68.105155 -67.354168 -68.302290 -67.452735 -68.199029 -67.494978 -68.025363 -67.511406 -68.138011 -67.595892 -68.231885 -67.685072 -68.429019 -67.692112 -68.494730 -67.699153 -68.630847 -67.764864 -68.790431 -67.828229 -68.968791 -67.835269 -69.076745 -67.825882 # -b -70.064763 -69.295001 -69.933340 -69.363059 -69.722125 -69.367753 -69.557846 -69.395915 -69.553153 -69.529684 -69.510910 -69.581315 -69.374793 -69.632945 -69.351325 -69.834773 # -b -68.837368 -70.001398 -68.682477 -69.902831 -68.527586 -69.771408 -68.659009 -69.625905 -68.738801 -69.466320 -68.382082 -69.452239 -68.274128 -69.337244 -68.433712 -69.236330 -68.194335 -69.196434 -67.659257 -69.208168 -67.490285 -69.116641 -67.485591 -68.982872 -67.321313 -68.924201 -67.091323 -68.832674 -67.110097 -68.649621 -67.063161 -68.567482 -66.927044 -68.466568 -67.152340 -68.358614 -66.969287 -68.332798 -66.725216 -68.316371 -67.105404 -68.224844 -67.124178 -68.149745 -67.034999 -68.091074 -66.837864 -67.999548 -66.682973 -67.875166 -66.880108 -67.858738 -66.880108 -67.832923 -66.837864 -67.800067 -66.772153 -67.774252 -66.725216 -67.757824 -66.593794 -67.699153 -66.598487 -67.633442 -66.725216 -67.626401 -66.964594 -67.659257 -67.053773 -67.649869 -67.293150 -67.633442 -67.532528 -67.631095 -67.551302 -67.548956 -67.593545 -67.483244 -67.678031 -67.448042 -67.612320 -67.424573 -67.546609 -67.365902 -67.541915 -67.274376 -67.391718 -67.185196 -67.260295 -67.100710 -67.110097 -67.060814 -67.049080 -67.027958 -66.880108 -67.027958 -66.837864 -67.152340 -66.856639 -67.267335 -66.814396 -67.342434 -66.687667 -67.358862 -66.640730 -67.358862 -66.448290 -67.384677 -66.321561 -67.333047 -66.326254 -67.133566 -66.330948 -66.917657 -66.330948 -66.877761 -66.035247 -66.875414 -65.579961 -66.772153 -65.401601 -66.631343 -65.570574 -66.549204 -65.763014 -66.434209 -65.725465 -66.335642 -65.589348 -66.241768 -65.467313 -66.225341 -65.425070 -66.215953 -65.303034 -66.173710 -65.227936 -66.124427 -65.087125 -66.105652 -65.087125 -66.063409 -65.073044 -66.014125 -65.091819 -66.014125 -64.951009 -66.004738 -64.847748 -66.044634 -64.622452 -66.072796 -64.397156 -66.070449 -64.383075 -66.004738 -64.594290 -65.915558 -64.598984 -65.875662 -64.420624 -65.854541 -64.303283 -65.828725 -64.533272 -65.725465 -64.476948 -65.706690 -64.275121 -65.720771 -64.073293 -65.732505 -64.139004 -65.659753 -64.040437 -65.640979 -63.862078 -65.645672 -63.664943 -65.633938 -63.730655 -65.577614 -63.974726 -65.523637 -64.031050 -65.410989 -64.120229 -65.312422 -64.054518 -65.195080 -63.805753 -65.148143 -63.298837 -65.136409 -63.092316 -65.197427 -62.904569 -65.150490 -63.148640 -65.084779 -63.134559 -65.049576 -62.787227 -64.915806 -62.402346 -64.904072 -62.524382 -64.866523 -62.472751 -64.716326 -62.355409 -64.645920 -62.355409 -64.737447 -62.238068 -64.749181 -62.069095 -64.718672 -61.947060 -64.664695 -61.670134 -64.613065 -61.505855 -64.566128 -61.505855 -64.474601 -61.289946 -64.425318 -61.102199 -64.399503 -60.952002 -64.237571 -60.825273 -64.141351 -60.440392 -64.014622 -60.064898 -63.953604 # -b -59.825521 -65.950761 -60.210402 -66.169016 -60.445086 -66.361457 -60.632832 -66.596140 -60.722012 -66.807356 -60.754868 -66.992756 -60.717318 -67.042039 # -b -75.910729 -70.010786 -75.821549 -69.973236 -75.830937 -69.888750 -76.042152 -69.818345 -76.037458 -69.757327 -75.732370 -69.724472 -75.389732 -69.724472 -75.300552 -69.628251 -75.164436 -69.593049 -74.817104 -69.628251 -74.727924 -69.715084 -74.601195 -69.764368 -74.399367 -69.799570 -74.394674 -69.858241 -74.568339 -69.926299 -74.643438 -69.989664 # -b -74.573033 -70.001398 -74.361818 -69.893444 -74.352431 -69.869975 -74.174071 -69.851201 -73.836127 -69.799570 -73.493489 -69.797224 -73.301048 -69.794877 -73.005347 -69.790183 -72.704952 -69.750287 -72.639241 -69.701003 -72.648628 -69.651720 -72.803519 -69.604783 -72.798826 -69.578968 -72.658016 -69.508563 -72.540674 -69.445198 -72.470269 -69.438158 -72.287216 -69.471013 -71.996208 -69.546112 -71.784993 -69.569581 -71.681732 -69.532031 -71.695813 -69.388874 -71.902335 -69.264492 -72.033757 -69.226943 -71.780299 -69.158884 -71.573778 -69.072052 -71.348482 -69.003993 -71.057474 -68.945322 -70.611575 -68.921854 -70.353423 -68.919507 -70.245469 -68.973484 -70.146902 -69.057971 -70.038948 -69.135416 -70.038948 -69.118988 -70.090578 -69.168272 -70.067110 -69.295001 # -b -90.484575 -68.804512 -90.428251 -68.860836 -90.357846 -68.926548 -90.404783 -69.027462 -90.461107 -69.074398 -90.630079 -69.065011 -90.841294 -69.032155 -90.921087 -68.954710 -90.841294 -68.867877 -90.742727 -68.809206 -90.620692 -68.792778 -90.484575 -68.804512 # -b 159.753761 -69.675188 160.063543 -69.855894 160.265371 -69.977930 # -b 164.132955 -67.548956 164.165811 -67.504366 164.278459 -67.452735 164.419269 -67.466816 164.517836 -67.591199 164.456818 -67.647523 164.334783 -67.663950 164.170505 -67.624054 164.128262 -67.577118 164.189279 -67.523140 # -b 149.864198 -68.501771 150.094188 -68.447793 150.587023 -68.384429 150.995372 -68.414938 151.521063 -68.487690 152.239195 -68.522892 152.943245 -68.482996 153.393838 -68.407897 154.201149 -68.562788 154.492157 -68.656662 154.402977 -68.684824 154.374815 -68.750535 154.398283 -68.910120 154.684597 -69.065011 154.909893 -68.980525 155.398035 -69.025115 156.383706 -69.097867 156.923478 -69.191740 156.829604 -69.074398 156.820217 -68.950016 157.125306 -69.088479 157.289584 -69.219902 157.702627 -69.226943 158.153219 -69.269186 158.303417 -69.323163 158.721153 -69.351325 159.129503 -69.480401 159.753761 -69.675188 # -b 139.923004 -66.690014 140.636442 -66.767459 141.363961 -66.814396 141.640887 -66.793275 141.828634 -66.894189 142.114948 -67.011530 142.373100 -67.023264 142.762675 -66.955206 143.142862 -66.898882 143.527743 -67.042039 143.828138 -67.079588 144.161388 -67.088976 144.452396 -67.145300 144.973393 -67.002143 145.546021 -67.049080 145.827641 -67.234480 145.503778 -67.391718 145.147059 -67.546609 145.273788 -67.673338 145.560102 -67.645176 145.987226 -67.729662 146.301702 -67.818842 146.437818 -67.865778 146.620872 -67.910368 147.024527 -68.020669 147.493894 -68.041791 148.019585 -68.107502 148.155702 -68.267087 148.057135 -68.332798 147.737965 -68.393816 147.841226 -68.450140 148.202638 -68.436059 148.629762 -68.429019 148.864446 -68.377388 148.981788 -68.368001 149.136679 -68.459528 149.310345 -68.506464 149.432380 -68.452487 149.512172 -68.534626 149.662370 -68.525239 149.737469 -68.494730 149.826648 -68.511158 149.864198 -68.501771 # -b 129.894978 -66.007085 130.256390 -65.953108 130.425362 -66.096265 130.932279 -66.197178 131.293691 -66.192485 131.871013 -66.211259 132.133858 -66.192485 132.514046 -66.183097 132.842602 -66.136161 133.532572 -66.131467 133.955002 -66.190138 134.457225 -66.051675 134.518243 -65.863928 134.508855 -65.697303 134.705990 -65.476700 134.907817 -65.312422 135.217600 -65.108247 135.414734 -65.091819 135.588400 -65.249057 135.550850 -65.488434 135.447589 -65.772401 135.208212 -65.990657 134.790476 -66.077490 135.039240 -66.063409 135.226987 -66.077490 135.691660 -66.169016 135.893488 -66.190138 136.029605 -66.302786 136.583458 -66.359110 137.193635 -66.361457 137.616065 -66.476452 138.831726 -66.633690 138.911518 -66.645424 139.409047 -66.668892 139.920657 -66.690014 # -b 119.604106 -66.969287 120.017148 -66.858986 120.439579 -66.788581 120.932414 -66.805009 121.293827 -66.633690 121.650546 -66.462371 121.035675 -66.370844 120.829153 -66.124427 120.852622 -65.831072 121.181179 -65.720771 121.368926 -65.741892 121.523817 -66.009432 121.824212 -66.258196 122.166849 -66.396659 122.410920 -66.481146 122.523568 -66.600834 122.809882 -66.725216 123.007016 -66.786234 123.302718 -66.790928 123.635968 -66.673586 123.865958 -66.624302 123.875345 -66.598487 123.748616 -66.598487 123.542095 -66.572672 123.363735 -66.551551 123.279249 -66.455330 123.434140 -66.335642 123.828409 -66.239422 124.311857 -66.201872 124.861016 -66.258196 125.386707 -66.298092 125.856074 -66.349723 126.179938 -66.361457 126.461558 -66.445943 126.832358 -66.565632 126.926231 -66.582059 127.099897 -66.556244 127.376823 -66.682973 127.494165 -66.833171 127.813335 -67.023264 128.198216 -67.034999 128.705132 -67.006837 129.122869 -67.037345 129.442038 -66.966940 129.568767 -66.753378 129.535912 -66.619609 129.718965 -66.434209 129.714271 -66.340335 129.817532 -66.215953 129.897324 -66.007085 # -b 109.958613 -66.652464 110.212071 -66.650118 110.385737 -66.570325 110.474917 -66.530429 110.709600 -66.483492 110.573484 -66.399006 110.521854 -66.291052 110.925509 -66.164323 111.465281 -66.023513 111.897099 -65.936680 112.122395 -65.896784 112.404015 -65.840460 112.868689 -65.784135 113.248876 -65.753627 113.572739 -65.934333 113.877828 -66.049328 114.248628 -66.169016 114.502086 -66.307480 114.488005 -66.441249 114.703914 -66.537470 114.849418 -66.544510 115.032471 -66.492880 115.173281 -66.483492 115.314091 -66.431862 115.910187 -66.387272 116.360779 -66.518695 116.665868 -66.619609 116.698724 -66.701748 116.942794 -66.903576 117.332369 -66.943472 117.717250 -66.973981 117.740718 -66.981021 118.097437 -66.969287 118.510480 -66.922351 119.017397 -66.920004 119.604106 -66.969287 # -b 99.822632 -65.821685 100.198126 -65.704343 100.428116 -65.582308 100.775447 -65.469660 101.042986 -65.460272 101.263589 -65.540065 101.573371 -65.650366 101.972333 -65.758320 102.272728 -65.767708 102.582510 -65.716077 102.685771 -65.530677 102.906374 -65.354665 102.873518 -65.199774 103.065958 -65.164571 103.310029 -65.291300 103.624505 -65.406295 104.046935 -65.401601 104.525690 -65.457925 104.802616 -65.633938 105.009138 -65.845153 105.304839 -66.054022 104.999751 -66.054022 104.413042 -65.927292 104.140809 -65.885049 104.131422 -65.917905 104.037548 -65.995351 104.413042 -66.084530 104.844859 -66.136161 105.375244 -66.208913 105.830530 -66.333295 106.525193 -66.450637 107.008641 -66.497573 107.553107 -66.577366 107.876970 -66.614915 108.069411 -66.598487 108.219608 -66.661852 108.454292 -66.851945 108.703056 -66.966940 108.721831 -66.976328 109.050388 -66.936432 109.148955 -66.856639 109.280378 -66.711135 109.646484 -66.645424 109.914023 -66.650118 109.956266 -66.652464 # -b 89.545841 -66.920004 90.207649 -66.861333 90.892925 -66.748685 91.850433 -66.624302 92.235314 -66.619609 92.653051 -66.673586 93.047319 -66.678280 93.634028 -66.666546 94.047071 -66.600834 94.309916 -66.626649 # -b 94.300529 -66.636037 94.455420 -66.612568 94.737040 -66.537470 94.835608 -66.417781 94.999886 -66.431862 95.140696 -66.492880 95.173552 -66.481146 95.154777 -66.347376 95.300281 -66.323908 95.520883 -66.265237 95.614757 -66.093918 95.558433 -65.861581 95.497415 -65.619857 95.563126 -65.368746 95.755567 -65.195080 96.093511 -65.152837 96.562878 -65.211508 97.013471 -65.326503 97.318559 -65.450885 97.712827 -65.598736 98.116483 -65.737199 98.440346 -65.816991 98.862777 -65.868622 99.332144 -65.917905 99.524584 -65.946067 99.824979 -65.821685 # -b 79.768926 -68.034750 80.360328 -67.999548 81.083154 -67.943224 81.294369 -67.896287 81.500890 -67.689766 81.421098 -67.485591 81.791898 -67.396411 82.172085 -67.234480 82.284733 -67.114791 82.369219 -66.959900 81.820060 -66.713482 81.350693 -66.384925 81.336612 -66.049328 81.740268 -65.861581 82.082905 -65.819338 82.181473 -66.025860 82.495948 -66.150242 82.829199 -66.345029 83.265710 -66.504614 83.552024 -66.570325 83.843032 -66.502267 84.387498 -66.481146 84.711361 -66.523389 84.922576 -66.661852 85.283989 -66.551551 85.725194 -66.391966 86.152318 -66.328601 86.264966 -66.314520 86.884530 -66.164323 87.649598 -66.129120 88.273857 -66.192485 88.517927 -66.356763 88.921583 -66.701748 89.545841 -66.920004 # -b 69.682229 -68.053525 70.099965 -68.325758 70.240775 -68.440753 70.475459 -68.544014 70.597494 -68.630847 70.766466 -68.687171 71.357869 -68.734107 71.616021 -68.717679 72.038451 -68.553401 72.141712 -68.410244 72.474962 -68.393816 73.249418 -68.546360 73.493489 -68.609725 73.427778 -68.689517 73.301048 -68.900733 73.455940 -68.924201 73.883064 -68.792778 74.629357 -68.987565 74.347737 -69.046236 74.634051 -69.266839 74.788942 -69.438158 74.225701 -69.590702 73.939388 -69.661107 73.807965 -69.797224 74.192846 -69.818345 74.530790 -69.752634 74.990770 -69.590702 75.370957 -69.311429 75.718289 -69.344284 75.446056 -69.522644 75.535235 -69.578968 75.845018 -69.588355 76.042152 -69.524991 76.544375 -69.499176 77.140471 -69.311429 77.581676 -69.238677 77.929007 -69.048583 77.722486 -68.781044 77.886764 -68.640234 78.243483 -68.497077 78.745706 -68.330452 78.989777 -68.199029 79.768926 -68.034750 # -b 59.680017 -67.541915 60.088367 -67.527834 60.853435 -67.555996 61.158523 -67.581811 61.332189 -67.612320 61.275865 -67.652216 61.322802 -67.689766 61.327496 -67.678031 61.501161 -67.668644 61.923592 -67.668644 62.313166 -67.706193 62.580706 -67.762518 62.913956 -67.746090 63.289450 -67.656910 63.664943 -67.633442 64.228184 -67.701500 64.894685 -67.800067 65.326503 -67.809454 65.603429 -67.861085 66.410740 -67.882206 67.124178 -67.959652 67.908021 -67.961998 68.551054 -67.990161 69.161231 -67.900981 69.625905 -67.884553 69.682229 -68.053525 # -b 49.992282 -67.349475 50.273902 -67.302538 50.485117 -67.281416 50.250434 -67.196930 50.104930 -67.105404 50.391244 -67.030305 50.386550 -66.936432 50.039219 -66.887148 # -b 49.903102 -66.671239 50.062687 -66.593794 50.466343 -66.401353 50.799593 -66.368497 51.128150 -66.335642 51.569355 -66.176057 52.179532 -66.077490 52.545639 -66.070449 52.822565 -66.035247 53.385806 -66.016472 53.836398 -66.035247 54.244747 -66.070449 54.653096 -66.075143 55.023896 -66.079837 55.249193 -66.147895 55.615299 -66.258196 55.868757 -66.401353 56.084666 -66.443596 56.103441 -66.457677 56.258332 -66.535123 56.436691 -66.567978 56.802797 -66.638383 57.201759 -66.753378 57.201759 -66.842558 57.070337 -66.887148 56.723005 -66.858986 56.469547 -66.905923 56.450772 -66.999796 56.572808 -67.117138 56.624438 -67.222745 56.812185 -67.182849 57.032787 -67.206318 57.173597 -67.199277 57.412975 -67.157034 57.600721 -67.145300 57.811937 -67.192237 58.018458 -67.206318 58.154574 -67.239173 58.323547 -67.314272 58.562924 -67.330700 58.872706 -67.398758 58.722509 -67.417533 58.445582 -67.412839 58.656797 -67.497325 58.914949 -67.548956 59.182488 -67.506712 59.252893 -67.415186 59.403091 -67.424573 59.445334 -67.473857 59.487577 -67.523140 59.680017 -67.541915 # -b 39.940787 -68.966444 40.278731 -68.823287 40.597901 -68.771657 41.029719 -68.684824 41.395825 -68.581563 41.865192 -68.490036 42.184361 -68.447793 42.376802 -68.318717 42.606792 -68.210763 42.803926 -68.095768 43.310842 -67.983120 43.916326 -67.898634 44.268351 -67.757824 44.808123 -67.687419 45.024032 -67.689766 45.127293 -67.746090 45.620128 -67.696806 45.789100 -67.480897 46.249080 -67.344781 46.690285 -67.443348 46.915581 -67.494978 47.187814 -67.567730 47.018842 -67.586505 46.934356 -67.635788 47.070472 -67.713234 47.126796 -67.821188 47.328624 -67.851697 47.469434 -67.844657 47.779216 -67.818842 48.070224 -67.741396 48.380006 -67.640482 48.088999 -67.401105 48.689788 -67.558343 49.041814 -67.511406 48.994877 -67.436307 48.741419 -67.445695 48.614690 -67.459776 48.370619 -67.340087 48.164097 -67.248561 48.253277 -67.124178 48.417556 -67.084282 48.642852 -67.098363 48.971409 -67.074895 49.168543 -67.138259 49.492406 -67.203971 49.759945 -67.318966 49.661378 -67.375290 49.989935 -67.349475 # -b 50.036872 -66.887148 49.900755 -66.671239 # -b 29.858783 -69.353672 30.262439 -69.344284 30.365700 -69.238677 30.661401 -69.133069 30.905472 -69.156538 31.219948 -69.231636 31.590748 -69.205821 31.905224 -69.332550 32.149294 -69.445198 32.365203 -69.550806 32.904975 -69.604783 33.059866 -69.527338 33.012930 -69.334897 33.186596 -69.299695 32.970687 -69.201127 32.801715 -69.043889 33.186596 -68.766963 33.674737 -68.717679 33.961051 -68.774003 34.275527 -68.921854 34.543066 -69.055624 35.096919 -69.226943 35.524043 -69.407649 35.585061 -69.471013 35.810357 -69.590702 36.307886 -69.670494 36.556651 -69.745593 36.612975 -69.757327 36.819496 -69.731512 37.265395 -69.693963 37.575177 -69.811305 # -b 38.150152 -70.132821 38.535033 -69.940381 38.628906 -69.837120 38.863590 -69.752634 39.478461 -69.675188 39.342344 -69.602436 39.225002 -69.553153 39.351731 -69.557846 39.361119 -69.417036 39.314182 -69.327857 39.422136 -69.219902 39.370506 -69.130722 39.511316 -69.001646 39.699063 -68.992259 39.717838 -68.989912 39.943134 -68.966444 # -b 19.525668 -69.994358 20.041972 -69.987317 # -b 27.507255 -70.053029 27.633984 -69.956808 27.986009 -69.905178 28.582105 -69.844160 28.891887 -69.808958 28.999842 -69.764368 29.079634 -69.625905 29.398804 -69.489788 29.858783 -69.353672 # -b 9.868442 -69.975583 10.051495 -69.963849 # -b 12.600158 -70.104659 12.863003 -69.984970 12.665869 -69.930993 12.886472 -69.841813 13.313596 -69.783143 13.501342 -69.651720 13.477874 -69.548459 13.951935 -69.473360 14.289879 -69.417036 14.571499 -69.381834 14.717003 -69.372446 14.759246 -69.391221 14.839039 -69.370100 15.092497 -69.459279 15.280244 -69.644679 15.303712 -69.712738 15.327180 -69.841813 15.618188 -69.846507 16.345707 -69.792530 16.974658 -69.808958 17.561367 -69.813651 17.819519 -69.855894 17.974410 -69.902831 18.373372 -69.989664 # -b 19.147828 -70.043641 19.523321 -69.994358 # -b -0.150197 -69.130722 0.023468 -69.095520 # -b -0.053977 -69.201127 0.044590 -69.377140 0.208868 -69.520297 0.359066 -69.651720 0.673542 -69.851201 1.016180 -69.980277 # -b 1.342390 -70.062416 1.783595 -69.933340 # -b 6.824597 -70.010786 7.171928 -69.992011 # -b 7.545075 -70.003745 7.906488 -69.994358 8.239738 -69.989664 # -b 9.239490 -70.043641 9.103373 -69.989664 9.295814 -69.961502 9.868442 -69.975583 # -b -10.150062 -70.914317 -9.882523 -70.780547 -9.652533 -70.660859 -9.539885 -70.635044 -9.281733 -70.578720 -9.023581 -70.585760 -8.704411 -70.571679 -8.371161 -70.602188 -8.296062 -70.705449 -7.840776 -70.717183 -7.582624 -70.623310 -7.366715 -70.520049 -7.014690 -70.501274 -6.751845 -70.484846 -6.493693 -70.484846 -6.263703 -70.520049 -6.014938 -70.508315 -5.573733 -70.466072 -5.188852 -70.459031 -4.864989 -70.470765 -4.550513 -70.449644 -4.311136 -70.407401 -3.977886 -70.353423 -3.672797 -70.358117 -3.372402 -70.360464 -3.048539 -70.329955 -2.804468 -70.315874 -2.597946 -70.266591 -2.217759 -70.151596 -1.818797 -70.123434 -1.509015 -70.053029 # -b -20.105337 -73.479408 -19.767392 -73.315129 -19.560871 -73.164932 -19.452916 -73.066365 -19.237008 -72.998307 -18.969468 -72.911474 -18.955387 -72.869231 -18.931919 -72.761276 -18.734785 -72.634547 -18.495408 -72.629854 -17.983798 -72.686178 -17.500350 -72.688524 -17.101388 -72.613426 -16.833848 -72.571183 -16.542841 -72.533633 -16.420805 -72.486697 -16.261221 -72.428026 -15.913889 -72.287216 -15.529008 -72.209770 -15.125352 -72.134671 -14.590274 -72.061919 -14.139682 -72.019676 -13.773575 -72.010289 -13.515424 -72.059573 -13.318289 -72.104162 -12.980345 -72.076000 -12.928715 -72.026717 -13.046056 -71.989168 -12.956877 -71.895294 -12.778517 -71.831930 -12.501591 -71.770912 -12.295069 -71.651223 -12.304457 -71.524494 -12.140178 -71.407152 -11.853864 -71.350828 -11.576938 -71.238180 -11.370416 -71.141960 -11.009004 -71.059821 -10.671059 -71.031659 -10.375358 -70.994109 -10.150062 -70.914317 # -b -30.236624 -76.718040 -29.842355 -76.596005 -29.279115 -76.476316 -28.790973 -76.375402 -28.424867 -76.307344 -27.955500 -76.241633 -27.457971 -76.187656 -27.044928 -76.105516 -26.791470 -76.021030 -26.650660 -75.915423 -26.491075 -75.791040 -26.843100 -75.676046 -26.683515 -75.565744 -26.110888 -75.431975 -25.449080 -75.354529 -25.031343 -75.293511 -24.763804 -75.255962 -24.857678 -75.265349 -24.425860 -75.086990 -24.045673 -74.857000 -23.984655 -74.749046 -23.642017 -74.535484 -23.022453 -74.354777 -22.637572 -74.256210 -22.440438 -74.213967 -22.309015 -74.202233 -21.975764 -74.221008 -21.558027 -74.216314 -21.234164 -74.124788 -21.065192 -74.040301 -20.727248 -73.908879 -20.436240 -73.763375 -20.239106 -73.594403 -20.107683 -73.479408 # -b -31.975629 -77.117002 -31.571973 -77.126390 -31.215254 -76.973845 -31.008733 -76.910481 -30.708338 -76.828342 -30.238971 -76.718040 # -b -40.799729 -77.825747 -39.494888 -77.994719 -38.687577 -77.964210 -37.514160 -77.985331 -36.190545 -77.985331 -35.261198 -77.929007 -35.430170 -77.870336 -34.970190 -77.607491 -33.975132 -77.422091 -32.848651 -77.196795 -31.975629 -77.117002 # -b -50.323186 -77.659121 -49.713009 -77.736567 -49.027733 -77.689630 -47.966963 -77.722486 -47.657181 -77.755341 -46.746609 -77.912579 -45.920523 -78.058083 -44.906690 -78.123795 -44.944240 -78.126141 -44.427936 -78.250524 -43.573688 -78.184812 -42.907187 -77.966557 -42.428432 -77.818706 -41.921516 -77.684936 -40.795035 -77.825747 # -b -45.997969 -77.680243 -46.110617 -77.689630 -46.504885 -77.729526 -47.471781 -77.713098 -48.260318 -77.645040 -48.326029 -77.551167 -47.621978 -77.471374 -46.927315 -77.534739 -46.223265 -77.626266 -45.885320 -77.699017 -46.091842 -77.724833 # -b -60.238564 -72.160487 -59.961638 -72.303643 # -b -60.210402 -72.890352 -59.698792 -73.014735 -59.318605 -73.343291 -59.656549 -73.380841 # -b -60.590589 -75.281777 -59.637774 -75.448403 -58.764752 -75.607987 -58.093557 -75.748797 -57.633577 -76.004602 -57.168904 -76.241633 -56.765248 -76.422339 -56.511790 -76.457542 -56.131603 -76.673450 -55.826514 -76.788445 -55.540200 -76.854157 -55.225724 -76.896400 -54.709421 -77.046597 -54.451269 -77.077106 -54.132099 -77.140471 -54.085162 -77.241385 -54.225972 -77.269547 -54.460656 -77.309443 -54.446575 -77.457293 -54.207198 -77.659121 # -b -60.602324 -69.830079 -60.813539 -70.097618 -60.869863 -70.395667 -60.691503 -70.557598 -60.592936 -70.698408 -60.592936 -70.926051 -60.419270 -71.064515 -60.344172 -71.357869 -60.297235 -71.634795 -60.555387 -71.806114 -60.541306 -71.855398 -60.226830 -71.827236 -60.175200 -71.961006 -60.499063 -72.040798 -60.236217 -72.160487 # -b -59.961638 -72.303643 -60.205708 -72.472616 -60.459167 -72.693218 -60.210402 -72.890352 # -b -59.654202 -73.380841 -60.034389 -73.394922 -60.545999 -73.453593 -60.719665 -73.620218 -60.855782 -73.819699 -60.855782 -73.981631 -60.578855 -74.143562 -61.015367 -74.141215 -60.977817 -74.155296 -60.677422 -74.284372 -60.569468 -74.392327 -60.996592 -74.514362 -61.498815 -74.723231 -61.756966 -74.908630 -61.428409 -75.098724 -60.588243 -75.281777 # -b -69.353672 -69.834773 -69.208168 -70.013132 -69.015727 -70.057722 -68.837368 -70.001398 # -b -74.936792 -70.043641 -75.148008 -70.024867 -75.246575 -70.020173 -75.448403 -70.027213 -75.744104 -70.029560 -75.908382 -70.010786 # -b -74.643438 -69.989664 -74.666906 -70.048335 -74.793636 -70.060069 -74.939139 -70.043641 # -b -80.036465 -73.085140 -79.482612 -73.019428 -78.971002 -73.085140 -78.675301 -73.251765 -78.332663 -73.444205 -77.966557 -73.481755 -77.990025 -73.343291 -78.266952 -73.181360 -78.647139 -73.045243 -78.708157 -72.885659 -78.276339 -72.852803 -77.760035 -72.822294 -77.544126 -72.756583 -77.971250 -72.655669 -78.013493 -72.592304 -77.675549 -72.559449 -77.131083 -72.557102 -76.868238 -72.587611 -76.802526 -72.573530 -76.633554 -72.582917 -76.628861 -72.669750 -76.473970 -72.702605 -76.370709 -72.672097 -76.098476 -72.695565 -76.145413 -72.829335 -75.849711 -73.031162 -75.798081 -73.052284 -75.798081 -72.939636 -75.431975 -72.904433 -75.079949 -72.895046 -74.629357 -72.923208 -74.338350 -72.977185 -73.934694 -72.984226 -73.704704 -73.068712 -73.840820 -73.174319 -73.761028 -73.270540 -73.465327 -73.263499 -73.188400 -73.315129 -72.906780 -73.502876 -72.658016 -73.484102 -72.761276 -73.355026 -72.315378 -73.340945 -71.930497 -73.350332 -71.803768 -73.209522 -72.376395 -73.092180 -72.643935 -73.017081 -72.559449 -72.944329 -72.216811 -72.869231 -72.132325 -72.693218 -72.324765 -72.585264 -72.521899 -72.493737 -72.545368 -72.484350 -72.428026 -72.463228 -72.432719 -72.310684 -72.719033 -72.174568 -73.113302 -72.120590 -73.244724 -72.174568 -73.615524 -72.202730 -73.901838 -72.158140 -74.540177 -72.099469 -74.925058 -71.982127 -75.295858 -71.836623 -75.539929 -71.672345 -75.511767 -71.493985 -75.197291 -71.508066 -74.906284 -71.454089 -74.868734 -71.371950 -74.338350 -71.369603 -74.042648 -71.355522 -73.662461 -71.259302 -73.319823 -71.188897 -73.258805 -71.090330 -73.685929 -70.970641 -73.840820 -70.907277 -74.244476 -70.881461 -74.770167 -70.907277 -75.272390 -70.928398 -75.408506 -70.886155 -75.155048 -70.787588 -75.079949 -70.672593 -74.652825 -70.752385 -74.568339 -70.731264 -74.389980 -70.731264 -74.333656 -70.724223 -74.221008 -70.569332 -74.385286 -70.400360 -74.601195 -70.196186 -74.610582 -70.092925 -74.629357 -70.076497 -74.573033 -70.001398 # -b -90.301522 -72.496084 -89.963578 -72.493737 -89.437887 -72.505471 -88.818322 -72.517205 -88.198758 -72.528940 -87.757553 -72.561795 -87.311654 -72.540674 -86.593523 -72.636894 -86.175786 -72.789438 -85.800292 -72.880965 -85.293376 -72.885659 -84.486065 -72.866884 -83.880581 -72.885659 -82.998171 -72.927902 -82.275346 -72.988919 -81.721493 -73.033509 -81.252126 -73.007694 -80.496445 -73.061671 -80.036465 -73.085140 # -b -100.054969 -72.014983 -99.867222 -72.031411 # -b -100.045582 -72.087735 -99.773349 -72.141712 -99.524584 -72.179261 -99.463566 -72.181608 -99.275820 -72.169874 -99.120929 -72.268441 -98.956650 -72.221504 -98.642174 -72.270788 -98.440346 -72.348233 -98.280762 -72.317724 -98.177501 -72.219157 -98.243212 -72.137018 -98.468508 -72.155793 -98.421572 -72.036104 -98.135258 -72.019676 -97.961592 -72.092428 -98.003835 -72.212117 -97.802007 -72.240279 -97.562630 -72.282522 -97.539162 -72.120590 -97.374883 -72.101816 -97.327946 -72.176914 -97.093263 -72.219157 -96.957147 -72.099469 -96.797562 -72.047838 -96.544104 -71.996208 -96.628590 -72.108856 -96.581653 -72.252013 -96.337582 -72.207423 -95.929233 -72.209770 -95.891683 -72.291909 -96.206159 -72.374049 -96.126367 -72.437413 -95.760261 -72.411598 -95.694549 -72.479656 -96.116980 -72.533633 -95.919845 -72.634547 -95.539658 -72.726074 -95.304975 -72.756583 -95.197020 -72.714340 -95.121921 -72.707299 -95.018661 -72.704952 -94.906013 -72.733114 -94.525825 -72.716686 -94.079927 -72.660362 -93.676271 -72.704952 -93.282003 -72.733114 -92.887734 -72.744848 -92.408980 -72.737808 -91.953694 -72.690871 -91.470246 -72.599345 -90.860069 -72.543021 -90.301522 -72.496084 # -b -104.903530 -73.308089 -104.880062 -73.258805 -104.701702 -73.247071 -104.457632 -73.279927 -104.298047 -73.345638 -104.161930 -73.418390 -104.194786 -73.486448 -104.330902 -73.509917 -104.537424 -73.474714 -104.795576 -73.418390 -104.908224 -73.350332 -104.903530 -73.308089 # -b -110.029018 -74.350084 -109.681687 -74.448651 -109.686380 -74.587114 -109.193545 -74.718537 -108.329910 -74.910977 -107.602391 -75.040053 -107.010988 -75.070562 -107.208122 -74.871081 -107.494436 -74.605889 -107.597697 -74.392327 -107.226897 -74.289066 -106.612026 -74.260904 -105.607581 -74.274985 -104.795576 -74.352431 -104.894143 -74.439263 -105.250862 -74.657519 -105.480852 -74.814757 -105.222700 -74.878122 -104.931692 -74.810063 -104.631297 -74.805370 -103.711338 -74.894549 -102.843009 -75.016585 -102.106103 -75.143314 -101.505313 -75.115152 -101.181450 -75.009544 -101.350422 -74.833532 -101.636736 -74.720884 -101.890194 -74.652825 -101.791627 -74.526096 -101.927743 -74.314881 -101.988761 -74.218661 -101.927743 -74.138869 -102.021617 -73.983977 -102.134265 -73.838474 -102.317318 -73.749294 -101.998148 -73.739907 -101.556943 -73.753988 -101.143900 -73.751641 -100.876361 -73.700010 -100.974928 -73.589709 -101.289404 -73.498183 -101.594493 -73.458286 -102.016923 -73.498183 -102.331399 -73.507570 -102.678731 -73.500529 -103.011981 -73.430124 -103.124629 -73.376147 -103.274827 -73.291661 -103.415637 -73.218909 -103.495429 -73.150851 -103.490736 -73.078099 -103.227890 -73.017081 -103.115242 -72.958410 -102.899333 -72.941983 -102.800766 -72.890352 -102.838315 -72.859843 -102.871171 -72.758929 -102.997900 -72.669750 -103.335844 -72.564142 -103.589303 -72.496084 -103.584609 -72.423332 -103.152791 -72.404557 -102.650569 -72.411598 -102.279769 -72.324765 -102.214057 -72.226198 -101.786933 -72.141712 -101.214305 -72.050185 -100.712083 -72.061919 -100.054969 -72.014983 # -b -99.864875 -72.031411 -100.043235 -72.087735 # -b -120.141531 -73.915919 -119.808280 -73.951122 -119.521966 -73.986324 -118.954032 -74.037955 -118.306306 -74.059076 -117.588174 -74.127134 -117.179825 -74.155296 -116.611891 -74.103666 -115.987633 -74.134175 -115.424392 -74.181112 -114.734423 -74.136522 -114.147714 -74.012139 -113.978742 -74.061423 -114.147714 -74.162337 -113.748752 -74.141215 -113.448357 -74.190499 -113.194899 -74.289066 -112.622271 -74.326615 -112.026175 -74.371205 -111.692924 -74.340696 -111.472322 -74.232742 -111.031117 -74.267944 -110.603993 -74.331309 -110.026671 -74.350084 # -b -130.223534 -74.192846 -129.721312 -74.199886 -129.068892 -74.155296 -128.411778 -74.096626 # -b -127.503553 -73.988671 -127.024798 -73.913572 -126.409927 -73.803271 -125.954641 -73.718785 -125.668327 -73.620218 -125.752814 -73.516957 -125.513436 -73.369107 -124.889178 -73.336251 -124.466748 -73.369107 -124.030237 -73.470021 -123.804940 -73.568588 -123.499852 -73.624912 -123.030485 -73.700010 -122.528262 -73.725826 -121.880536 -73.765722 -121.214034 -73.807965 -120.763442 -73.852555 -120.392642 -73.892451 -120.247138 -73.904185 -120.143878 -73.915919 # -b -140.474510 -75.126886 -139.211913 -74.910977 -137.512804 -74.744352 -135.931037 -74.673947 -135.316167 -74.737312 # -b -135.318514 -74.737312 -134.839759 -74.824144 -134.515896 -74.807717 -134.201420 -74.765474 -133.891638 -74.739658 -133.520838 -74.706803 -133.046777 -74.634051 -132.783932 -74.603542 -132.333339 -74.540177 -131.948458 -74.418142 -131.446236 -74.307841 -131.131760 -74.249170 -130.629537 -74.199886 -130.225881 -74.192846 # -b -150.134084 -76.614780 -149.514519 -76.462235 -148.716595 -76.333159 -148.143968 -76.260408 # -b -145.801826 -75.335754 -145.750196 -75.488299 -146.186707 -75.596253 -146.623218 -75.666658 -146.956469 -75.690127 -147.224008 -75.607987 -146.979937 -75.554010 -146.674849 -75.497686 -146.247725 -75.424934 -145.923861 -75.349835 -145.801826 -75.335754 # -b -147.461038 -76.347240 -147.198193 -76.450501 -146.625565 -76.530294 -145.827641 -76.546721 -145.621120 -76.441114 -146.090487 -76.265101 -146.588016 -76.089089 -146.634953 -75.978787 -146.043550 -75.830937 -145.043798 -75.626762 -144.015885 -75.483605 -142.931647 -75.347489 -142.279227 -75.237187 -141.767616 -75.166782 -141.453141 -75.171476 -140.472163 -75.126886 # -b -160.464852 -77.975944 -159.629379 -77.900845 -158.634321 -77.823400 -158.568609 -77.652081 -158.624933 -77.499536 -158.709419 -77.285974 -158.465348 -77.203835 -157.348255 -77.173326 -156.202999 -77.138124 -154.935708 -77.117002 -154.353693 -77.161592 -153.856164 -77.163939 -153.283536 -77.276587 -152.701521 -77.260159 -151.894210 -77.255466 -151.415456 -77.107615 -150.936701 -76.884666 -150.542433 -76.772018 -150.157552 -76.718040 -150.157552 -76.711000 -150.129390 -76.614780 # -b -170.490532 -78.565000 -169.467311 -78.560306 -168.415929 -78.569693 -166.989054 -78.546225 -166.144193 -78.529797 -164.998937 -78.565000 -164.454472 -78.407762 -164.050816 -78.248177 -163.478188 -78.201240 -162.408031 -78.173078 -161.600720 -78.034615 -160.464852 -77.975944 # -b 179.938890 -78.330316 180.000000 -78.335895 # -b -180.000000 -78.335895 -178.981566 -78.428883 -177.667338 -78.513369 -176.287399 -78.506329 -175.067045 -78.534491 -173.949952 -78.515716 -173.865466 -78.520410 -173.621395 -78.508676 -171.837800 -78.574387 -170.486023 -78.565000 # -b 169.988309 -71.411846 170.199524 -71.585512 170.377884 -71.763871 170.485838 -71.914069 170.274623 -72.031411 # -b 169.910863 -77.530045 170.004737 -77.513617 170.661851 -77.562901 172.257698 -77.675549 173.524989 -77.752995 174.351075 -77.811666 175.299197 -77.851562 176.482002 -77.952476 177.439510 -78.048696 178.500280 -78.189506 179.936543 -78.330316 # -b 160.263024 -69.977930 160.281799 -70.020173 160.225475 -70.125780 160.671373 -70.322915 161.018705 -70.405054 161.201758 -70.348730 161.459910 -70.416788 161.858872 -70.456684 162.112330 -70.550558 162.271915 -70.719530 162.666183 -70.853299 162.839849 -70.825137 162.975966 -70.731264 163.590836 -70.792282 164.088365 -70.764120 164.247950 -70.752385 164.524877 -70.759426 165.304026 -70.717183 165.862573 -70.628003 166.275616 -70.658512 166.167661 -70.747692 166.299084 -70.759426 166.571317 -70.752385 166.890487 -70.850953 166.989054 -71.019925 167.458421 -70.994109 167.599231 -71.059821 168.124922 -71.170122 168.570820 -71.332054 169.021413 -71.510413 169.293646 -71.639489 169.589347 -71.681732 169.772400 -71.669998 169.880354 -71.571431 169.777094 -71.437661 169.988309 -71.411846 # -b 170.274623 -72.031411 169.974228 -72.080694 169.678527 -72.141712 169.903823 -72.298950 169.913210 -72.432719 169.852192 -72.660362 169.565879 -72.866884 169.331195 -73.014735 169.073043 -73.125036 168.796117 -73.244724 168.383074 -73.357372 168.054517 -73.446552 167.613312 -73.491142 167.021909 -73.723479 166.871712 -73.922960 166.618254 -74.103666 166.223985 -74.274985 165.571565 -74.310188 164.952001 -74.265598 164.895677 -74.296107 165.125667 -74.411101 165.332188 -74.561299 165.430755 -74.666906 164.740786 -74.652825 164.144689 -74.753739 163.839601 -74.918018 163.421864 -75.101071 163.501657 -75.263003 163.872457 -75.471871 164.360598 -75.549316 164.229175 -75.631456 163.431252 -75.577478 162.689652 -75.532889 162.708426 -75.593906 162.877398 -75.661965 162.445581 -75.837977 162.501905 -75.962359 162.642715 -76.121944 162.952497 -76.157147 162.802300 -76.295610 162.539454 -76.347240 162.614553 -76.398871 162.553535 -76.577230 162.539454 -76.715694 162.609859 -76.875278 162.445581 -76.936296 162.370482 -76.962111 162.483130 -77.006701 162.774138 -77.117002 162.736588 -77.269547 162.849236 -77.356380 162.957191 -77.461987 162.943110 -77.600450 163.182487 -77.717792 163.421864 -77.811666 163.487576 -77.954822 163.731646 -77.882071 163.830214 -77.882071 164.215094 -77.856255 164.365292 -77.785850 164.276112 -77.736567 163.971024 -77.638000 164.149383 -77.483109 164.313662 -77.332911 164.327743 -77.210876 164.416922 -77.145164 164.538958 -77.142818 164.675074 -77.217916 164.707930 -77.241385 164.825272 -77.288321 164.933226 -77.365767 165.294639 -77.424438 165.557484 -77.440866 165.810942 -77.476068 166.012770 -77.605144 166.177049 -77.530045 # -b 169.603428 -73.338598 169.373438 -73.315129 169.495474 -73.308089 169.603428 -73.338598 169.340582 -73.390228 169.373438 -73.315129 169.495474 -73.308089 169.603428 -73.338598 # -b 37.577524 -69.811305 37.962405 -70.020173 38.150152 -70.132821 # -b 20.041972 -69.987317 20.548888 -70.055375 21.083967 -70.095272 21.426605 -70.158636 21.328038 -70.156289 20.929076 -70.168024 21.022949 -70.236082 21.792711 -70.236082 22.459212 -70.207920 23.008372 -70.233735 23.332235 -70.393320 23.933025 -70.440256 24.378923 -70.339342 24.519733 -70.261897 24.641769 -70.226694 24.791966 -70.217307 24.867065 -70.243122 24.890533 -70.250163 25.284802 -70.203226 25.566422 -70.283018 25.730700 -70.189145 26.092113 -70.132821 26.279860 -70.078844 26.148437 -70.006092 26.617804 -70.022520 27.082477 -70.022520 27.509601 -70.053029 # -b 10.051495 -69.963849 10.084351 -70.027213 10.525556 -70.001398 10.764933 -70.020173 11.004310 -70.036601 11.422047 -70.057722 11.928963 -70.043641 12.327925 -70.095272 12.600158 -70.104659 # -b 18.373372 -69.989664 18.758253 -70.017826 19.147828 -70.043641 # -b 1.013833 -69.980277 1.342390 -70.062416 # -b 1.781248 -69.933340 2.208372 -70.015479 2.457136 -70.074150 2.813855 -70.111699 3.222205 -70.099965 3.630554 -70.107006 4.062372 -70.069456 4.677242 -70.024867 5.080898 -70.036601 5.118447 -70.128127 5.447004 -70.137515 5.615976 -70.207920 5.564346 -70.290059 5.775561 -70.259550 5.850660 -70.179758 5.972695 -70.158636 6.014938 -70.224348 6.277784 -70.252510 6.399819 -70.203226 6.259009 -70.128127 6.493693 -70.038948 6.822250 -70.010786 # -b 7.171928 -69.992011 7.547422 -70.003745 # -b 8.242085 -69.989664 8.838181 -70.008439 8.936748 -70.076497 9.194900 -70.107006 9.241837 -70.043641 # -b -19.443529 81.768430 -19.274557 81.791898 -19.039873 81.782511 -18.908451 81.744961 -18.720704 81.719146 -18.645605 81.686290 -18.561119 81.665169 -18.589281 81.644047 -18.777028 81.648741 -18.974162 81.686290 -19.283944 81.733227 -19.443529 81.768430 # -b -19.598420 80.231253 -19.504547 80.203091 -19.288638 80.186663 -19.063342 80.153807 -19.091504 80.123298 -19.391899 80.099830 -19.729843 80.052893 -19.926977 80.020037 -19.936364 80.099830 -19.898815 80.177275 -19.767392 80.212478 -19.598420 80.231253 # -b -20.018504 81.463341 -19.990342 81.496197 -19.811982 81.524359 -19.596073 81.522012 -19.333228 81.524359 -19.183030 81.522012 -18.948347 81.458647 -18.957734 81.510278 -18.704276 81.486809 -18.413268 81.449260 -18.225522 81.453954 -18.216134 81.496197 -18.300620 81.543133 -18.187972 81.559561 -17.981451 81.529052 -18.047162 81.573642 -17.812479 81.575989 -17.943901 81.611192 -18.065937 81.629966 -17.972063 81.662822 -18.065937 81.693331 -18.103486 81.709759 -18.075324 81.709759 -17.765542 81.705065 -17.568408 81.676903 -17.699831 81.712106 -17.643506 81.763736 -17.605957 81.824754 -17.455760 81.815366 -17.380661 81.852916 -17.221076 81.834141 -17.089653 81.845875 -16.977005 81.874037 -16.742322 81.869343 -16.423152 81.871690 -16.179081 81.890465 -15.878686 81.885771 -15.634616 81.878731 -15.456256 81.892812 -15.202798 81.904546 -14.761593 81.885771 -14.555071 81.852916 -14.376712 81.831794 -14.151416 81.815366 -13.944894 81.808326 -13.691436 81.810673 -13.475527 81.796592 -13.231456 81.766083 -12.959224 81.740268 -12.743315 81.683943 -12.546181 81.651088 -12.349046 81.615885 -12.292722 81.568949 -12.574343 81.496197 -12.837188 81.442219 -13.175132 81.388242 -13.269006 81.331918 -13.372267 81.296716 -13.691436 81.275594 -13.747760 81.221617 -13.851021 81.191108 -14.048155 81.165293 -14.038768 81.130090 -14.151416 81.108969 -14.264064 81.108969 -14.451811 81.111316 -14.695882 81.111316 -14.958727 81.116009 -15.118312 81.080807 -15.118312 81.047951 -15.071375 81.012749 -14.855466 80.972852 -14.742818 80.907141 -14.921178 80.853164 -15.306059 80.846123 -15.690940 80.832042 -15.963173 80.806227 -16.010109 80.794493 -16.010109 80.766331 -16.047659 80.731128 -16.329279 80.702966 -16.714160 80.705313 -17.070879 80.724088 -17.390048 80.731128 -17.718605 80.742863 -17.925127 80.782759 -18.094099 80.754597 -18.150423 80.702966 -18.319395 80.688885 -18.488367 80.658377 -18.591628 80.623174 -18.835699 80.613787 -19.145481 80.637255 -19.464651 80.646642 -19.736883 80.665417 # -b -20.018504 80.627868 -19.708721 80.606746 -19.502200 80.580931 -19.267516 80.559809 -18.929572 80.552769 -18.638565 80.538688 -18.206747 80.543382 -17.840641 80.566850 -17.718605 80.604399 -17.249238 80.595012 -16.948843 80.564503 -16.629674 80.552769 -16.263567 80.536341 -16.244793 80.496445 -16.376216 80.435427 -16.573350 80.386144 -16.704772 80.390837 -16.826808 80.383797 -16.704772 80.329820 -16.826808 80.278189 -17.061491 80.226559 -17.455760 80.217172 -17.774929 80.224212 -18.009613 80.224212 -18.366332 80.212478 -18.657339 80.224212 -19.042220 80.231253 -19.333228 80.250027 -19.530362 80.268802 -19.896468 80.271149 # -b -19.774433 79.980141 -19.652397 80.005956 -19.427101 80.034118 -19.107932 80.062280 -18.910797 80.052893 -18.694889 80.066974 -18.469592 80.102177 -18.272458 80.111564 -18.019000 80.125645 -17.709218 80.113911 -17.474534 80.071668 -17.512084 80.012997 # -b -21.121516 82.153311 -20.999481 82.139230 -20.905607 82.108721 -20.849283 82.080559 -20.670924 82.043009 -20.539501 82.010154 -20.314205 81.977298 -20.229719 81.925668 -20.051359 81.876384 -20.041972 81.834141 -20.239106 81.831794 -20.539501 81.855262 -20.792959 81.920974 -20.999481 81.979645 -21.206002 82.014847 -21.374974 82.071171 -21.299876 82.134536 -21.121516 82.153311 # -b -22.851134 82.033622 -22.785422 82.017194 -22.663387 81.956176 -22.560126 81.911587 -22.531964 81.871690 -22.494415 81.815366 -22.513189 81.761389 -22.531964 81.698025 -22.522577 81.625273 -22.550739 81.550174 -22.635225 81.477422 -22.710324 81.421098 -22.785422 81.390589 -22.898070 81.338959 -23.076430 81.294369 -23.414374 81.277941 -23.714769 81.231004 -23.564572 81.221617 -23.461311 81.242738 -23.217240 81.252126 -23.358050 81.179374 -23.461311 81.123050 -23.630283 81.036217 -23.808642 80.989280 -24.043326 80.923569 -24.146587 80.839083 -24.249847 80.745209 -24.597179 80.665417 -24.512693 80.639602 -24.737989 80.569197 -24.906961 80.482364 -24.963285 80.433080 -24.925736 80.430734 -24.709827 80.482364 -24.578404 80.524607 -24.484531 80.557463 -24.268622 80.590318 -24.146587 80.625521 -23.902516 80.688885 -23.921290 80.726435 -23.780480 80.773371 -23.686607 80.827349 -23.827417 80.829696 -23.818030 80.855511 -23.649058 80.874285 -23.442536 80.911835 -23.160916 80.944690 -23.020106 80.996321 -22.879296 81.047951 -22.691549 81.120703 -22.362992 81.188761 -22.071984 81.245085 -21.931174 81.294369 -21.762202 81.348346 -21.715265 81.402323 -21.546293 81.446913 -21.255286 81.517318 -20.954891 81.573642 -20.767144 81.594764 -20.513686 81.622926 -20.325939 81.648741 -20.532461 81.597111 -20.541848 81.543133 -20.466749 81.507931 -20.485524 81.479769 -20.438587 81.418751 -20.156967 81.453954 -20.025544 81.463341 # -b -19.741577 80.665417 -20.060747 80.679498 -20.567663 80.634908 -20.717861 80.576237 -21.497010 80.555116 -21.252939 80.531647 -20.990093 80.533994 -20.886833 80.487058 -20.614600 80.533994 -20.426853 80.555116 -20.286043 80.604399 -20.023197 80.627868 # -b -19.896468 80.271149 -20.084215 80.203091 -20.206250 80.139726 -20.553582 80.088096 -20.403385 80.078708 -20.525420 80.012997 # -b -30.175606 83.500394 -29.987859 83.502741 -29.893986 83.483966 # -b -30.053571 83.406520 -29.715626 83.399480 -29.584204 83.404174 -29.302583 83.420601 -29.471556 83.422948 -29.696852 83.444070 -29.584204 83.451110 -29.358907 83.460498 -28.983414 83.465191 -28.420173 83.451110 -27.706736 83.418255 -27.218594 83.373665 -26.936974 83.343156 -26.768001 83.303260 -26.880650 83.251629 -27.181044 83.195305 -27.537763 83.176531 -27.838158 83.150715 -28.345075 83.129594 -28.927090 83.136634 -29.208710 83.138981 -29.678077 83.146022 # -b -30.318763 83.089698 -29.924495 83.080310 -29.586550 83.061536 -29.586550 83.028680 -29.661649 82.993477 -29.398804 83.021640 -29.267381 83.052148 -28.798014 83.047455 -28.366196 83.040414 -27.971928 83.035721 -27.690308 83.042761 -27.427462 83.077964 -26.995644 83.108472 -26.582602 83.129594 -26.150784 83.129594 -25.925488 83.103779 -25.775290 83.089698 -25.944262 83.061536 -25.887938 83.014599 -25.756516 82.998171 -25.681417 82.974703 -25.756516 82.937153 -25.887938 82.906645 -25.925488 82.897257 -26.188333 82.864402 -26.469953 82.843280 -26.207108 82.845627 -26.310369 82.808078 -26.498115 82.782262 -26.873609 82.758794 -27.220941 82.732979 -27.023807 82.730632 -26.695250 82.744713 -26.282207 82.758794 -26.160171 82.784609 -25.831614 82.817465 -25.005528 82.862055 -24.648809 82.855014 -24.385964 82.873789 -24.423513 82.847974 -24.432901 82.831546 -24.357802 82.801037 -24.385964 82.768181 -24.339027 82.732979 -24.104344 82.775222 -23.907209 82.810424 -23.738237 82.819812 -23.588040 82.791650 -23.419068 82.768181 -23.297032 82.754100 -23.043574 82.749407 -22.930926 82.772875 -22.827665 82.782262 -22.715017 82.747060 -22.508496 82.737672 -22.273812 82.709510 -21.954643 82.664921 -21.719959 82.636759 -21.569762 82.594516 -21.588536 82.559313 -21.644860 82.535845 -21.654248 82.533498 -21.823220 82.526457 -22.039129 82.484214 -22.330136 82.451359 -22.583594 82.425543 -22.536658 82.380954 -22.686855 82.331670 -23.043574 82.296467 -23.353356 82.270652 -23.738237 82.256571 -24.010470 82.265959 -24.282703 82.256571 -24.789619 82.219022 -25.052465 82.172085 -25.521832 82.136883 -25.765903 82.125148 -25.916100 82.125148 -25.925488 82.125148 -26.207108 82.125148 -26.423017 82.122802 -26.685862 82.122802 -27.023807 82.134536 -27.333589 82.134536 -27.624596 82.155657 -27.953153 82.155657 -28.384971 82.158004 -28.788627 82.162698 -29.248606 82.150964 # -b -30.163872 81.946789 -29.901026 81.958523 -29.412885 81.974951 -29.178201 81.979645 -28.549249 81.979645 -28.164368 81.974951 -27.629290 81.979645 -27.188085 81.972604 -26.662394 81.970257 -26.596683 81.949136 -26.164865 81.909240 -26.127315 81.796592 -26.343224 81.716799 -26.981563 81.641700 -27.291346 81.620579 -27.685614 81.554868 -28.136206 81.507931 -28.258242 81.446913 -28.145594 81.430485 -27.995396 81.407017 -27.732551 81.404670 -27.169310 81.491503 -26.408936 81.575989 -25.742435 81.627619 -25.723660 81.665169 -25.338779 81.695678 -24.803700 81.695678 -24.615954 81.733227 -24.775538 81.763736 -24.784926 81.805979 -24.803700 81.850569 -24.860025 81.902199 -24.803700 81.951483 -24.550242 81.986685 -24.362495 82.005460 -23.893128 82.031275 -23.395599 82.035969 -22.907458 82.045356 -22.851134 82.033622 # -b -40.055782 83.155409 -39.886810 83.108472 # -b -40.079250 82.836240 -39.900891 82.770528 -39.722531 82.754100 -39.647433 82.808078 -39.853954 82.808078 -39.975990 82.850321 # -b -40.067516 82.991131 -39.767121 82.981743 -39.278980 82.988784 -38.959810 83.009905 -38.584316 82.986437 -38.584316 82.998171 -38.828387 83.019293 -39.147557 83.019293 -39.485501 83.026333 -39.842220 83.021640 -39.879769 83.049802 -39.560600 83.073270 -39.185106 83.096738 -38.772063 83.106126 -38.359020 83.110819 -38.302696 83.134288 -38.565542 83.141328 -38.847162 83.143675 -38.903486 83.153062 -39.091233 83.167143 -39.091233 83.185918 -39.335304 83.190612 -39.710797 83.185918 -39.898544 83.199999 -39.954868 83.216427 # -b -40.022926 83.251629 -39.947828 83.277445 -39.947828 83.298566 # -b -40.067516 83.359584 -39.879769 83.378358 # -b -40.001805 83.404174 -39.945481 83.429989 -39.757734 83.420601 -39.494888 83.406520 -39.325916 83.394786 -39.119395 83.366624 -39.006747 83.373665 -39.250818 83.420601 -39.175719 83.448764 -39.138169 83.479272 -38.894099 83.505088 -38.743901 83.495700 -38.687577 83.469885 -38.499830 83.460498 -38.236985 83.446417 -38.086787 83.411214 -37.861491 83.366624 -37.598646 83.345503 -37.561096 83.354890 -37.579871 83.376012 -37.805167 83.394786 -37.842716 83.422948 -37.767618 83.434683 -37.823942 83.460498 -38.049238 83.486313 -38.086787 83.514475 -37.917815 83.537943 -37.542322 83.554371 -37.166828 83.556718 -37.054180 83.542637 -36.866433 83.552024 -36.659912 83.547331 -36.509714 83.537943 -36.321967 83.563758 -36.190545 83.589574 -35.927699 83.591920 -35.758727 83.542637 -35.758727 83.568452 -35.608529 83.561412 -35.420783 83.507434 -35.214261 83.460498 -35.176712 83.495700 -35.270585 83.530903 -35.326909 83.561412 -35.064064 83.589574 -34.838767 83.603655 -34.538373 83.606001 -34.313076 83.608348 -34.050231 83.608348 -33.824935 83.606001 -33.768611 83.589574 -33.618413 83.568452 -33.336793 83.582533 -33.111497 83.596614 -32.923750 83.570799 -32.867426 83.566105 -32.642130 83.552024 -32.266636 83.570799 -31.816044 83.587227 -31.496874 83.577839 -31.158930 83.549677 -30.802211 83.528556 -30.670788 83.526209 -30.633239 83.481619 -30.332844 83.472232 -30.426717 83.498047 -30.163872 83.500394 # -b -29.886945 83.483966 -30.055917 83.474579 -30.281214 83.462845 -30.187340 83.444070 -30.149791 83.439376 -30.055917 83.406520 # -b -29.678077 83.146022 -30.109895 83.162450 -30.598036 83.167143 -31.198826 83.162450 -31.574320 83.157756 -31.855940 83.153062 -32.250208 83.117860 -32.531829 83.092045 -32.832223 83.066229 -33.264041 83.042761 -33.677084 83.056842 -33.902380 83.080310 -34.071352 83.099085 -34.202775 83.108472 -34.521945 83.131941 -34.709692 83.148369 -34.803565 83.122553 -34.521945 83.099085 -34.221550 83.087351 -33.921155 83.054495 -33.864831 83.028680 -34.184000 82.993477 -34.540719 82.974703 -34.934988 82.984090 -35.066410 82.960622 -35.329256 82.932460 -35.836172 82.923072 -36.211666 82.913685 -36.605934 82.899604 -36.756132 82.887870 -36.493286 82.880829 -36.587160 82.847974 -36.558998 82.803384 -36.436962 82.803384 -36.324314 82.843280 -36.042694 82.880829 -35.742299 82.894910 -35.685975 82.892564 -35.404355 82.885523 -35.197833 82.880829 -35.141509 82.843280 -35.150897 82.784609 -34.981924 82.803384 -34.981924 82.843280 -34.981924 82.876136 -34.906826 82.911338 -34.625205 82.927766 -34.381135 82.932460 -34.061965 82.930113 -33.817894 82.934807 -33.423626 82.948888 -33.160780 82.953581 -33.066907 82.911338 -32.935484 82.901951 -32.860385 82.948888 -32.785287 82.981743 -32.484892 83.016946 -32.128173 83.049802 -31.809003 83.054495 -31.546158 83.089698 -31.114340 83.103779 -30.701297 83.101432 -30.250705 83.089698 # -b -29.666343 82.150964 -30.192034 82.125148 -30.698950 82.104027 -31.177705 82.104027 -31.337289 82.118108 -31.543811 82.150964 -31.769107 82.155657 -31.994403 82.167392 -32.369897 82.174432 -32.904975 82.158004 -32.651517 82.141576 -32.219699 82.146270 -31.853593 82.136883 -31.590748 82.111067 -31.421776 82.092293 -31.384226 82.045356 -31.778494 82.014847 -32.144601 81.984338 -32.557644 81.958523 -32.782940 81.956176 -33.008236 81.930361 -33.374342 81.899852 -33.609026 81.871690 -34.050231 81.829447 -34.134717 81.756695 -34.106555 81.702718 -34.050231 81.637007 -33.731061 81.655781 -33.496378 81.681597 -33.167821 81.747308 -32.736003 81.801285 -32.332348 81.829447 -31.862981 81.852916 -31.449938 81.876384 -31.158930 81.897505 -30.914859 81.899852 -30.961796 81.848222 -30.661401 81.890465 -30.539366 81.925668 -30.163872 81.946789 # -b -48.415209 82.622678 -48.377659 82.625024 -48.067877 82.634412 -47.851968 82.650840 -47.758095 82.643799 -47.589123 82.632065 -47.560961 82.648493 -47.523411 82.671961 -47.354439 82.671961 -47.147918 82.669614 -46.913234 82.650840 -46.744262 82.625024 -46.575290 82.599209 -46.340606 82.575741 -46.171634 82.545232 -46.012050 82.535845 -45.843077 82.502989 -45.786753 82.465440 -45.655331 82.430237 -45.448809 82.402075 -45.326774 82.364526 -45.298612 82.324629 -45.505133 82.294121 -45.599007 82.289427 -45.786753 82.254224 -45.861852 82.226062 -45.927563 82.195554 -45.871239 82.160351 -45.758591 82.122802 -45.645943 82.082905 -45.664718 82.047703 -45.824303 82.028928 -46.012050 82.066478 -46.096536 82.122802 -46.227958 82.169738 -46.453255 82.202594 -46.669163 82.226062 -46.988333 82.268305 -47.213629 82.294121 -47.307503 82.317589 -47.476475 82.341057 -47.654834 82.369219 -47.814419 82.413809 -47.908292 82.477174 -48.077264 82.533498 -48.218075 82.578088 -48.358885 82.608597 -48.415209 82.622678 # -b -47.699424 82.944194 -47.661875 82.951234 -47.530452 82.937153 -47.305156 82.941847 -46.929662 82.897257 -46.948437 82.925419 -47.136184 82.965315 -47.267606 82.970009 -47.474128 82.972356 -47.530452 82.995824 -47.399029 83.035721 -47.136184 83.042761 -47.004761 83.073270 -46.835789 83.066229 -46.798239 83.038067 -46.629267 83.012252 -46.572943 82.998171 -46.328872 82.979396 -46.047252 82.937153 -45.990928 82.883176 -45.934604 82.843280 -46.103576 82.843280 -46.366422 82.855014 -46.554168 82.855014 -46.704366 82.840933 -46.929662 82.845627 -47.211282 82.850321 -47.436578 82.897257 -47.586776 82.916032 -47.699424 82.944194 # -b -42.538734 83.164796 -42.426085 83.164796 -42.182015 83.167143 -42.013042 83.155409 -41.900394 83.122553 -41.712648 83.073270 -41.487351 83.047455 -41.262055 83.023986 -41.093083 82.993477 -40.942886 82.960622 -41.168182 82.953581 -41.468577 82.970009 -41.731422 83.009905 -41.937944 83.047455 -42.238339 83.096738 -42.388536 83.124900 -42.519959 83.148369 -42.538734 83.164796 # -b -41.632855 83.134288 -41.632855 83.167143 -41.520207 83.164796 -41.201038 83.148369 -41.013291 83.124900 -40.825544 83.103779 -40.581473 83.082657 -40.412501 83.049802 -40.450050 83.016946 -40.525149 82.986437 -40.637797 82.955928 -40.844319 83.000518 -41.144713 83.054495 -41.463883 83.085004 -41.632855 83.134288 # -b -41.611734 83.361931 -41.536635 83.354890 -41.423987 83.331422 -41.104817 83.293872 -40.841972 83.263364 -40.654225 83.211733 -40.485253 83.185918 -40.259957 83.164796 -40.072210 83.155409 # -b -39.900891 83.108472 -40.013539 83.094391 -40.313934 83.120207 -40.651878 83.143675 -40.839625 83.185918 -41.008597 83.232855 -41.233893 83.244589 -41.515513 83.251629 -41.665711 83.265710 -41.740810 83.314994 -41.646936 83.333769 -41.609387 83.361931 # -b -50.135439 82.491255 -49.928917 82.470133 -49.656684 82.423197 -49.609748 82.364526 -49.253029 82.317589 -48.849373 82.280040 -48.483267 82.223716 -48.445718 82.162698 -48.192259 82.153311 -47.722892 82.118108 -47.338011 82.092293 -46.971905 82.038316 -46.802933 81.986685 -46.737222 81.939749 -46.558862 81.916280 -46.342953 81.866997 -46.051946 81.817713 -45.742163 81.766083 -45.441769 81.744961 -45.366670 81.768430 -45.178923 81.777817 -45.075662 81.796592 -45.075662 81.838835 -45.103824 81.855262 -45.329121 81.874037 -45.507480 81.911587 -45.582579 81.942095 -45.676452 81.960870 -45.770326 82.000766 -45.648290 82.024235 -45.516867 82.040662 -45.404219 82.064131 -44.991176 82.078212 -44.794042 82.057090 -44.503035 82.047703 -44.643845 82.061784 -44.925465 82.082905 -45.169536 82.106374 -45.254022 82.108721 -45.451156 82.104027 -45.573191 82.129842 -45.667065 82.167392 -45.601353 82.197900 -45.526255 82.228409 -45.404219 82.265959 -45.197698 82.301161 -44.765880 82.294121 -44.334062 82.256571 -43.902245 82.230756 -43.648787 82.190860 -43.517364 82.204941 -43.395328 82.207288 -43.489202 82.235450 -43.742660 82.258918 -43.911632 82.265959 -44.296513 82.280040 -44.503035 82.301161 -44.737718 82.329323 -44.653232 82.385647 -44.634457 82.387994 -44.784655 82.404422 -44.991176 82.444318 -45.282184 82.477174 -45.413607 82.507683 -45.507480 82.538191 -45.657677 82.573394 -45.826650 82.594516 -45.958072 82.639105 -46.267855 82.674308 -46.427439 82.714204 -46.521313 82.732979 -46.483763 82.768181 -46.202143 82.770528 -45.873586 82.775222 -45.535642 82.763488 -45.225860 82.758794 -44.812817 82.761141 -44.343450 82.772875 -43.883470 82.770528 -43.404716 82.768181 -43.151258 82.728285 -42.935349 82.669614 -42.925961 82.610943 -42.897799 82.528804 -42.841475 82.458399 -42.700665 82.474827 -42.681890 82.498295 -42.700665 82.545232 -42.710053 82.587475 -42.756989 82.625024 -42.775764 82.683695 -42.888412 82.723591 -42.766377 82.744713 -42.447207 82.718898 -42.212523 82.671961 -41.949678 82.639105 -41.799480 82.594516 -41.611734 82.554619 -41.348888 82.540538 -41.161141 82.484214 -41.095430 82.432584 -40.917070 82.392688 -40.917070 82.432584 -40.841972 82.481867 -40.917070 82.507683 -41.057881 82.547579 -40.964007 82.582781 -40.982782 82.615637 -40.964007 82.648493 -40.973395 82.648493 -41.123592 82.657880 -41.245627 82.683695 -41.536635 82.709510 -41.771318 82.711857 -41.893354 82.732979 -41.987227 82.756447 -42.118650 82.770528 -42.315784 82.775222 -42.550468 82.791650 -42.756989 82.817465 -43.019835 82.826852 -43.376554 82.843280 -43.564300 82.843280 -43.761435 82.843280 -43.883470 82.840933 -44.127541 82.833893 -44.559359 82.831546 -44.934852 82.836240 -45.178923 82.866748 -45.244634 82.901951 -45.178923 82.946541 -45.075662 82.932460 -44.831591 82.897257 -44.606295 82.899604 -44.484260 82.904298 -44.540584 82.918379 -44.634457 82.908991 -44.765880 82.916032 -44.869141 82.911338 -44.991176 82.932460 -45.085050 82.953581 -45.197698 82.981743 -45.310346 82.991131 -45.422994 83.009905 -45.376057 83.038067 -45.451156 83.054495 -45.516867 83.052148 -45.563804 83.094391 -45.488705 83.129594 -45.451156 83.108472 -45.376057 83.120207 -45.329121 83.138981 -45.291571 83.113166 -45.216472 83.094391 -45.141374 83.073270 -45.150761 83.096738 -45.188310 83.131941 -45.141374 83.153062 -44.981789 83.148369 -44.718943 83.108472 -44.615683 83.068576 -44.568746 83.080310 -44.615683 83.117860 -44.427936 83.108472 -44.277738 83.068576 -44.371612 83.110819 -44.540584 83.157756 -44.681394 83.153062 -44.794042 83.185918 -44.643845 83.204693 -44.465485 83.185918 -44.371612 83.211733 -44.409161 83.225814 -44.456098 83.235202 -44.409161 83.270404 -44.240189 83.263364 -44.108766 83.228161 -43.986731 83.228161 -43.845921 83.199999 -43.761435 83.169490 -43.752047 83.155409 -43.827146 83.129594 -43.855308 83.080310 -43.742660 83.087351 -43.592463 83.094391 -43.442265 83.061536 -43.339004 83.028680 -43.245131 82.991131 -43.123095 82.944194 -42.963511 82.937153 -42.879025 82.923072 -42.738215 82.934807 -42.559855 82.927766 -42.484756 82.887870 -42.259460 82.836240 # -b -39.978336 82.850321 -40.090985 82.892564 -40.241182 82.927766 -40.203633 82.970009 -40.072210 82.991131 # -b -39.957215 83.216427 -40.032314 83.228161 -40.032314 83.251629 # -b -39.957215 83.298566 -40.032314 83.329075 -40.069863 83.359584 # -b -39.879769 83.378358 -40.011192 83.404174 # -b -53.721403 82.317589 -53.674466 82.308202 -53.561818 82.301161 -53.355297 82.280040 -53.186325 82.256571 -53.186325 82.219022 -53.120613 82.179126 -52.895317 82.153311 -52.594922 82.122802 -52.397788 82.080559 -52.219428 82.038316 -51.956583 82.000766 -51.815773 81.972604 -51.834547 81.958523 -52.078618 81.944442 -52.238203 81.949136 -52.416563 81.949136 -52.651246 81.970257 -52.829606 81.981992 -53.017352 82.017194 -53.214487 82.050050 -53.392846 82.054743 -53.561818 82.075865 -53.740178 82.115761 -53.815276 82.165045 -53.927924 82.207288 -53.965474 82.247184 -53.899762 82.268305 -53.852826 82.296467 -53.721403 82.317589 # -b -60.193974 81.869343 -59.893579 81.857609 -59.611959 81.841181 -59.414825 81.789551 -59.396050 81.744961 -59.367888 81.712106 -59.311564 81.667516 -59.114430 81.625273 -58.898521 81.597111 -58.701387 81.571295 -58.429154 81.557214 -58.213245 81.533746 -58.053661 81.496197 -57.912850 81.470381 -57.790815 81.444566 -57.790815 81.416404 -57.659392 81.390589 -57.574906 81.425792 -57.659392 81.470381 -57.734491 81.538440 -58.016111 81.568949 -58.203858 81.601804 -58.316506 81.611192 -58.447929 81.620579 -58.485478 81.660475 -58.673225 81.646394 -58.804648 81.714452 -58.907909 81.768430 -58.992395 81.813019 -59.180141 81.871690 -59.414825 81.911587 -59.611959 81.916280 -59.799706 81.939749 # -b -60.029696 81.967911 -59.870111 82.005460 -59.644815 82.031275 -59.428906 82.059437 -59.147286 82.080559 -58.968926 82.094640 -58.649757 82.113414 -58.386911 82.120455 -58.124066 82.136883 -57.748572 82.150964 -57.476339 82.179126 -57.185332 82.200247 -57.025747 82.197900 -57.006972 82.162698 -56.894324 82.193207 -56.819225 82.233103 -56.462506 82.254224 -56.378020 82.237797 -56.171499 82.226062 -55.918041 82.237797 -56.011914 82.247184 -56.180886 82.244837 -56.199661 82.265959 -55.936815 82.294121 -55.739681 82.317589 -55.439286 82.352792 -55.176441 82.345751 -54.988694 82.329323 -54.847884 82.263612 -54.697686 82.237797 -54.594426 82.204941 -54.491165 82.165045 -54.322193 82.122802 -54.256481 82.045356 -54.190770 81.972604 -54.059347 81.930361 -54.040573 81.878731 -54.068735 81.813019 -54.134446 81.754349 -54.200157 81.705065 -54.256481 81.644047 -54.256481 81.587723 -54.200157 81.533746 -54.049960 81.526706 -53.880988 81.566602 -53.909150 81.627619 -53.927924 81.690984 -53.674466 81.749655 -53.496107 81.822407 -53.458557 81.888118 -53.496107 81.942095 -53.524269 82.000766 -53.270811 81.974951 -53.026740 81.949136 -52.792056 81.932708 -52.641859 81.916280 -52.604309 81.913933 -52.444725 81.906893 -52.134942 81.897505 -51.853322 81.848222 -51.571702 81.805979 -51.355793 81.759042 -51.074173 81.730880 -50.886426 81.702718 -50.623581 81.686290 -50.698679 81.730880 -50.933363 81.770776 -51.121110 81.794245 -51.299469 81.848222 -51.487216 81.883424 -51.656188 81.925668 -51.299469 81.902199 -50.877039 81.892812 -50.642355 81.859956 -50.435834 81.862303 -50.210538 81.895159 -50.285636 81.944442 -50.708067 81.989032 -50.886426 82.035969 -50.999074 82.085252 -51.186821 82.129842 -51.355793 82.167392 -51.477829 82.207288 -51.524765 82.251878 -51.524765 82.294121 -51.534153 82.334017 -51.571702 82.371566 -51.646801 82.397381 -51.759449 82.437278 -51.862710 82.479521 -51.834547 82.498295 -51.796998 82.507683 -51.787611 82.507683 # -b -51.789958 82.507683 -51.667922 82.507683 -51.480175 82.510029 -51.104682 82.514723 -50.813674 82.505336 -50.569603 82.502989 -50.287983 82.491255 -50.156560 82.491255 -50.137786 82.491255 # -b -70.196186 80.280536 -69.754981 80.329820 -69.651720 80.397878 -69.510910 80.451855 -69.398262 80.515220 -69.370100 80.548075 -69.201127 80.576237 -69.041543 80.620827 -68.797472 80.653683 -68.684824 80.700620 -68.497077 80.738169 -68.187295 80.747556 -68.121583 80.773371 -68.008935 80.801533 -67.877512 80.822655 -67.736702 80.850817 -67.595892 80.864898 -67.624054 80.878979 -67.558343 80.893060 -67.342434 80.914182 -67.088976 80.944690 -66.920004 80.996321 -66.779194 81.015095 -66.600834 81.047951 -66.525735 81.094888 -66.300439 81.146518 -66.122080 81.202842 -66.009432 81.202842 -65.793523 81.216923 -65.427417 81.273247 -65.108247 81.320184 -64.901725 81.348346 -64.751528 81.383549 -64.620105 81.418751 -64.591943 81.453954 -64.535619 81.498544 -64.591943 81.531399 -64.760915 81.529052 -64.901725 81.524359 -65.023761 81.524359 -65.324156 81.507931 -65.699649 81.484463 -66.018819 81.458647 -66.403700 81.416404 -66.647771 81.383549 -66.863680 81.355387 -67.126525 81.338959 -67.417533 81.327225 -67.689766 81.320184 -68.008935 81.294369 -68.299943 81.259166 -68.553401 81.231004 -68.816246 81.209883 -69.060317 81.177027 -69.276226 81.162946 -69.557846 81.169987 -69.783143 81.132437 -69.989664 81.090194 # -b -70.031907 81.172333 -69.928646 81.209883 -69.928646 81.238045 -69.900484 81.242738 -69.778449 81.231004 -69.581315 81.212230 -69.337244 81.221617 -69.083786 81.245085 -68.858490 81.273247 -68.605031 81.310797 -68.351573 81.350693 -68.116890 81.378855 -67.919755 81.404670 -67.666297 81.428138 -67.356515 81.458647 -67.121832 81.482116 -67.084282 81.496197 -67.056120 81.503237 -67.168768 81.519665 -67.356515 81.529052 -67.572424 81.529052 -67.891593 81.510278 -68.126277 81.500890 -68.304636 81.496197 -68.558095 81.500890 -68.745841 81.505584 -68.961750 81.493850 -69.149497 81.477422 -69.177659 81.512625 -69.168272 81.550174 -69.046236 81.533746 -68.811553 81.533746 -68.755229 81.554868 -68.914814 81.583030 -69.083786 81.615885 -69.233983 81.644047 -69.365406 81.676903 -69.449892 81.705065 -69.243370 81.676903 -69.046236 81.641700 -68.877264 81.601804 -68.680130 81.580683 -68.539320 81.561908 -68.238925 81.568949 -68.163826 81.585376 -68.304636 81.615885 -68.248312 81.613538 -68.041791 81.606498 -67.947917 81.594764 -67.741396 81.592417 -67.356515 81.587723 -67.168768 81.594764 -66.934085 81.615885 -66.727563 81.625273 -66.492880 81.604151 -66.211259 81.620579 -66.089224 81.625273 -65.910865 81.615885 -65.666794 81.641700 -65.479047 81.660475 -65.497822 81.665169 -65.770054 81.660475 -66.032900 81.662822 -65.863928 81.688637 -65.676181 81.700371 -65.469660 81.712106 -65.300687 81.721493 -65.047229 81.730880 -64.962743 81.707412 -64.850095 81.698025 -64.709285 81.690984 -64.549700 81.700371 -64.352566 81.719146 -64.352566 81.754349 -64.380728 81.770776 -64.324404 81.761389 -64.155432 81.740268 -64.080333 81.744961 -63.939523 81.770776 -63.836262 81.801285 -63.779938 81.820060 -63.629741 81.838835 -63.413832 81.848222 -63.066500 81.881078 -62.766106 81.916280 -62.625295 81.965564 -62.456323 81.979645 -62.146541 82.017194 -61.996344 82.068824 -61.930632 82.104027 -61.742885 82.122802 -61.545751 82.153311 -61.348617 82.176779 -61.282906 82.204941 -61.245356 82.219022 -61.198420 82.249531 -61.160870 82.291774 -61.170258 82.343404 -61.254744 82.373913 -61.395554 82.427890 -61.611463 82.451359 -61.893083 82.460746 -62.249802 82.470133 -62.390612 82.484214 -62.371837 82.500642 # -b -62.367144 82.500642 -62.385918 82.502989 -62.639376 82.502989 -62.817736 82.465440 -62.920997 82.491255 -63.136905 82.460746 -63.390364 82.416156 -63.268328 82.456052 -63.249554 82.491255 -63.174455 82.526457 -63.052419 82.559313 -63.240166 82.573394 -63.521786 82.603903 -63.596885 82.643799 -63.615660 82.671961 -63.822181 82.709510 -63.991153 82.732979 -63.756470 82.758794 -63.700146 82.801037 -63.803407 82.857361 -63.916055 82.843280 -64.019315 82.852667 -64.131964 82.836240 -64.282161 82.803384 -64.404196 82.782262 -64.545007 82.805731 -64.723366 82.815118 -64.732753 82.847974 -64.742141 82.873789 -64.789077 82.876136 -64.770303 82.894910 -64.779690 82.916032 -64.911113 82.908991 -64.976824 82.885523 -64.901725 82.866748 -64.976824 82.847974 -65.239670 82.808078 -65.173958 82.791650 -65.004986 82.761141 -65.117634 82.732979 -65.230282 82.779916 -65.427417 82.808078 -65.399255 82.847974 -65.502515 82.850321 -66.046981 82.803384 -66.450637 82.754100 -66.563285 82.732979 -66.628996 82.721245 -66.882454 82.711857 -66.920004 82.707164 -66.957553 82.704817 -67.135913 82.695429 -67.286110 82.671961 -67.492631 82.650840 -67.858738 82.646146 -68.224844 82.625024 -68.534626 82.608597 -68.337492 82.669614 -67.952611 82.695429 -67.464469 82.742366 -67.051426 82.789303 -66.704095 82.817465 -66.441249 82.864402 -66.366151 82.918379 -66.328601 82.951234 -66.441249 82.953581 -66.572672 82.958275 -66.657158 82.965315 -66.741644 82.965315 -66.854292 82.953581 -66.938778 82.974703 -67.023264 82.988784 -67.032652 82.991131 -67.107751 82.979396 -67.229786 82.972356 -67.295497 82.995824 -67.464469 83.016946 -67.558343 82.995824 -67.670991 82.993477 -67.736702 82.981743 -67.746090 82.958275 -67.811801 83.019293 # -b -64.880604 79.982488 -64.617758 80.015344 -64.430012 80.048199 -64.307976 80.081055 -64.242265 80.109217 -63.988807 80.102177 -63.744736 80.120951 -64.007581 80.130339 -64.157779 80.174929 -64.185941 80.226559 -64.120229 80.252374 -64.242265 80.261761 -64.279814 80.219518 -64.326751 80.160847 -64.458174 80.102177 -64.617758 80.071668 -64.899379 80.043506 -65.105900 80.041159 -65.284260 80.055240 -65.378133 80.081055 -65.490781 80.022384 # -b -66.159629 79.989529 -66.244115 80.031772 -66.460024 80.078708 -66.600834 80.055240 -66.797968 80.038812 -67.051426 80.022384 -67.192237 80.050546 -67.192237 80.052893 -67.248561 80.078708 -67.351821 80.106870 -67.511406 80.118604 -67.633442 80.149113 -67.661604 80.205437 -67.633442 80.214825 -67.633442 80.268802 -67.699153 80.308698 -67.670991 80.325126 -67.436307 80.350941 -67.304885 80.376756 -67.107751 80.390837 -67.023264 80.407265 -66.957553 80.414306 -66.835518 80.447161 -66.713482 80.489404 -66.732257 80.503485 -66.816743 80.536341 -66.704095 80.559809 -66.516348 80.562156 -66.394313 80.578584 -66.244115 80.604399 -66.037594 80.637255 -65.840460 80.637255 -65.680875 80.620827 -65.493128 80.592665 -65.427417 80.618480 -65.643325 80.641949 -65.727811 80.679498 -65.680875 80.712354 -65.530677 80.745209 -65.342930 80.768678 -65.145796 80.801533 -65.155184 80.846123 -64.986212 80.871939 -64.882951 80.911835 -64.920500 80.954078 -64.779690 80.991627 -64.526232 81.010402 -64.385422 81.040911 -64.338485 81.066726 -64.338485 81.066726 -64.291548 81.094888 -64.160126 81.134784 -64.066252 81.144171 -63.925442 81.134784 -63.822181 81.158252 -63.587498 81.202842 -63.371589 81.198149 -63.155680 81.188761 -62.827123 81.179374 -62.611214 81.158252 -62.498566 81.116009 -62.338982 81.097235 -62.085523 81.071420 -61.944713 81.097235 -61.785128 81.111316 -61.550445 81.155906 -61.559832 81.195802 -61.644318 81.242738 -61.728804 81.282635 -61.728804 81.306103 -61.766354 81.355387 -61.550445 81.399976 -61.390860 81.456300 -61.343923 81.505584 -61.550445 81.533746 -61.625544 81.554868 -61.634931 81.578336 -61.728804 81.608845 -61.756966 81.629966 -61.869615 81.644047 -61.869615 81.634660 -61.879002 81.646394 -61.944713 81.681597 -61.925939 81.719146 -61.869615 81.768430 -61.728804 81.813019 -61.484734 81.848222 -61.240663 81.876384 -61.024754 81.892812 -60.874556 81.909240 -60.771296 81.916280 # -b -60.768949 81.916280 -60.740787 81.920974 -60.628139 81.904546 -60.440392 81.885771 -60.186934 81.869343 # -b -59.797359 81.939749 -60.032043 81.967911 # -b -80.177275 80.498792 -79.970754 80.517566 -79.801782 80.526954 -79.548324 80.536341 -79.238541 80.536341 -79.050794 80.548075 -78.834886 80.559809 -78.656526 80.562156 -78.478167 80.564503 -78.403068 80.576237 -78.412455 80.587971 -78.609589 80.597359 -78.863048 80.595012 -79.088344 80.590318 -79.285478 80.611440 -79.548324 80.597359 -79.764232 80.595012 -79.895655 80.583278 # -b -80.210131 80.623174 -79.956673 80.637255 -79.834637 80.660723 -79.637503 80.688885 -79.477918 80.700620 -79.262010 80.719394 -79.158749 80.738169 -79.036713 80.740516 -78.961615 80.749903 -78.820805 80.759290 -78.539184 80.780412 -78.229402 80.801533 -78.013493 80.810921 -77.891458 80.806227 -77.835134 80.782759 -77.760035 80.782759 -77.760035 80.794493 -77.760035 80.817961 -77.656774 80.827349 -77.506577 80.827349 -77.337605 80.813268 -77.159245 80.815614 -77.027823 80.820308 -76.905787 80.822655 -76.821301 80.803880 -76.680491 80.787452 -76.558456 80.792146 -76.558456 80.817961 -76.586618 80.839083 -76.652329 80.853164 -76.624167 80.867245 -76.520906 80.876632 -76.389483 80.883673 -76.229899 80.860204 -76.136025 80.857858 -76.136025 80.881326 -76.164187 80.897754 -76.126638 80.911835 -75.948278 80.918875 -75.704208 80.918875 -75.563397 80.930609 -75.497686 80.937650 -75.497686 80.951731 -75.582172 80.954078 -75.685433 80.939997 -75.873180 80.932956 -76.126638 80.928263 -76.323772 80.916528 -76.483357 80.904794 -76.586618 80.900101 -76.736815 80.890713 -76.896400 80.886020 -77.018435 80.876632 -77.112309 80.876632 -77.224957 80.883673 -77.412704 80.883673 -77.506577 80.888366 -77.572288 80.900101 -77.684936 80.900101 -77.750648 80.900101 -77.835134 80.897754 -77.853909 80.904794 -77.938395 80.907141 -78.088592 80.897754 -78.201240 80.902447 -78.351438 80.895407 -78.454698 80.890713 -78.520410 80.888366 -78.604896 80.876632 -78.783255 80.874285 -78.924065 80.857858 -79.027326 80.853164 -79.093038 80.860204 -79.215073 80.843777 -79.365270 80.836736 -79.421594 80.848470 -79.487306 80.857858 -79.506080 80.881326 -79.515468 80.911835 -79.543630 80.954078 -79.449756 80.986933 -79.233848 81.026830 -79.130587 81.059685 -79.130587 81.104275 -79.130587 81.127744 -79.046101 81.162946 -78.848967 81.179374 -78.811417 81.221617 -78.773868 81.238045 -78.773868 81.242738 -78.755093 81.254473 -78.689382 81.270901 -78.595508 81.287328 -78.464086 81.299063 -78.398374 81.322531 -78.285726 81.338959 -78.135529 81.350693 -78.107367 81.355387 -78.013493 81.369468 -77.929007 81.383549 -77.844521 81.395283 -77.806972 81.414057 -77.694324 81.444566 -77.638000 81.465688 -77.713098 81.465688 -77.844521 81.449260 -77.947782 81.421098 -78.135529 81.399976 -78.285726 81.376508 -78.482860 81.357733 -78.604896 81.341306 -78.764481 81.317837 -78.942840 81.284982 -79.036713 81.247432 -79.177524 81.216923 -79.280784 81.184068 -79.365270 81.139478 -79.412207 81.116009 -79.421594 81.111316 -79.384045 81.106622 -79.393432 81.092541 -79.459144 81.083154 -79.534243 81.073766 -79.599954 81.083154 -79.675053 81.097235 -79.721989 81.106622 -79.731377 81.104275 -79.797088 81.106622 -79.890961 81.130090 # -b -80.066974 81.125397 -79.963713 81.104275 -79.869840 81.085501 -79.766579 81.052645 -79.851065 81.010402 -79.926164 80.935303 -79.869840 80.921222 -79.851065 80.947037 -79.738417 80.937650 -79.738417 80.911835 -79.804129 80.881326 -79.935551 80.853164 -79.935551 80.817961 # -b -71.167775 79.959020 -70.904930 80.001263 -70.886155 80.038812 -71.252261 80.062280 -71.665304 80.041159 -72.247319 80.005956 # -b -72.700259 79.998916 -72.493737 80.027078 -72.409251 80.078708 -72.240279 80.059934 -71.827236 80.066974 -71.526841 80.109217 -71.095023 80.149113 -70.681980 80.132685 -70.390973 80.137379 -70.334649 80.174929 -70.503621 80.224212 -70.804016 80.261761 -70.869727 80.313392 -70.804016 80.381450 -70.710142 80.407265 -70.681980 80.374409 -70.681980 80.318085 -70.625656 80.282883 -70.193839 80.280536 # -b -69.987317 81.090194 -70.146902 81.064379 -70.315874 81.047951 -70.325261 81.066726 -70.175064 81.113663 -70.212613 81.113663 -70.456684 81.097235 -70.879115 81.097235 -71.029312 81.125397 -71.057474 81.141825 -70.907277 81.139478 -70.757079 81.134784 -70.513008 81.132437 -70.250163 81.139478 -70.024867 81.172333 # -b -69.766715 83.019293 -70.029560 83.031027 -70.348730 83.014599 -70.517702 83.052148 -70.611575 83.087351 -70.667899 83.108472 -70.930745 83.106126 -71.231140 83.103779 -72.113550 83.052148 -72.132325 83.031027 -72.188649 83.005212 -72.207423 82.993477 -72.489043 83.019293 -72.395170 83.080310 -72.489043 83.094391 -72.920861 83.106126 -73.240031 83.085004 -73.709398 83.087351 -73.728172 83.087351 -73.822046 83.066229 -73.897145 83.056842 -73.972243 83.031027 -74.178765 82.991131 -74.347737 82.932460 -74.272638 82.892564 -74.216314 82.847974 -74.037955 82.789303 -73.803271 82.744713 -74.188152 82.775222 -74.366512 82.817465 -74.742005 82.864402 -74.892203 82.892564 -74.986076 82.911338 -75.136273 82.965315 -75.399119 83.012252 -75.812162 83.038067 -76.206430 83.038067 -76.394177 83.026333 -76.694572 83.033374 -77.032516 83.047455 -77.257812 83.040414 -77.276587 83.040414 -77.276587 83.040414 -77.539433 83.026333 -77.708405 83.007559 -77.971250 83.007559 -78.215321 83.014599 -78.478167 83.002865 -78.459392 82.958275 -78.346744 82.941847 -78.102673 82.911338 -77.821053 82.857361 -77.576982 82.815118 -77.398623 82.772875 -77.163939 82.770528 -77.220263 82.744713 -77.117002 82.686042 -76.760283 82.636759 -76.422339 82.582781 -76.187656 82.547579 -76.384790 82.507683 -76.703959 82.449012 -76.966805 82.416156 -77.004354 82.470133 -76.825995 82.521764 -76.938643 82.585128 -77.248425 82.639105 -77.576982 82.693083 -77.699017 82.744713 -77.980638 82.805731 -78.299807 82.866748 -78.675301 82.901951 -79.107119 82.932460 -79.294865 82.901951 -79.294865 82.876136 -79.445063 82.864402 -79.482612 82.843280 -79.670359 82.838586 -79.764232 82.876136 -79.839331 82.923072 -80.064627 82.930113 -80.214825 82.883176 -80.308698 82.876136 # -b -90.036330 80.526954 -89.811034 80.489404 -89.632674 80.484711 -89.670223 80.517566 -89.557575 80.512873 -89.463702 80.522260 -89.304117 80.519913 -89.229018 80.503485 -89.172694 80.494098 -89.060046 80.482364 -88.984948 80.447161 -88.947398 80.433080 -88.938011 80.402572 -88.938011 80.390837 -89.041272 80.390837 -89.088208 80.369716 -89.013110 80.360328 -88.975560 80.343901 -88.947398 80.308698 -88.994335 80.285230 -88.994335 80.233599 -88.994335 80.193703 -88.900462 80.158501 -88.815975 80.139726 -88.891074 80.160847 -88.853525 80.146766 -88.693940 80.111564 -88.571905 80.071668 -88.421707 80.064627 -88.374770 80.090442 -88.252735 80.088096 -88.140087 80.090442 -88.130700 80.102177 -88.130700 80.120951 -88.224573 80.139726 -88.205798 80.167888 -88.290284 80.181969 -88.440482 80.214825 -88.562517 80.252374 -88.571905 80.268802 -88.571905 80.315739 -88.562517 80.346247 -88.421707 80.402572 -88.187024 80.407265 -88.008664 80.393184 -87.858467 80.390837 -87.680107 80.372063 -87.595621 80.348594 -87.605009 80.294617 -87.548684 80.257068 -87.529910 80.224212 -87.529910 80.167888 -87.633171 80.158501 -87.670720 80.137379 -87.811530 80.120951 -87.858467 80.102177 -87.971115 80.097483 -87.989889 80.076361 -87.867854 80.059934 -87.736431 80.064627 -87.614396 80.081055 -87.539297 80.076361 -87.379712 80.064627 -87.248290 80.050546 # -b -86.354145 79.998916 -86.523118 80.008303 -86.673315 80.022384 -86.739026 80.071668 -86.739026 80.120951 -86.729639 80.163194 -86.729639 80.186663 -86.682702 80.210131 -86.654540 80.242987 -86.616991 80.266455 -86.523118 80.304004 -86.372920 80.318085 -86.185173 80.313392 -86.034976 80.318085 -85.819067 80.322779 -85.528059 80.280536 -85.283989 80.240640 -85.143178 80.226559 -85.068080 80.247680 -84.917882 80.259415 -84.542389 80.259415 -84.204444 80.235946 -84.026085 80.214825 -83.866500 80.167888 -83.631817 80.106870 -83.425295 80.069321 -83.209386 80.005956 # -b -82.493602 79.996569 -82.559313 80.020037 -82.559313 80.064627 -82.700123 80.104523 -82.859708 80.144420 -83.019293 80.174929 -83.131941 80.210131 -83.253976 80.240640 -83.376012 80.271149 -83.432336 80.280536 -83.422948 80.311045 -83.235202 80.322779 -83.056842 80.327473 -82.897257 80.327473 -82.793997 80.336860 -82.625024 80.350941 -82.390341 80.372063 -82.230756 80.360328 -82.061784 80.362675 -81.949136 80.355635 -81.920974 80.355635 -81.798938 80.365022 -81.592417 80.390837 -81.414057 80.407265 -81.169987 80.414306 -81.029176 80.416653 -80.841430 80.414306 -80.738169 80.430734 -80.597359 80.416653 -80.494098 80.416653 -80.437774 80.426040 -80.465936 80.437774 -80.597359 80.449508 -80.747556 80.465936 -80.710007 80.489404 -80.587971 80.508179 -80.503485 80.508179 -80.400225 80.501139 -80.174929 80.498792 # -b -79.890961 80.583278 -80.078708 80.573890 -80.163194 80.566850 -80.285230 80.569197 -80.463589 80.578584 -80.407265 80.590318 -80.332166 80.606746 -80.210131 80.623174 # -b -79.890961 81.130090 -79.994222 81.141825 -80.059934 81.177027 -80.163194 81.167640 -80.163194 81.146518 -80.059934 81.125397 # -b -79.935551 80.817961 -80.038812 80.796840 -80.160847 80.782759 -80.311045 80.759290 -80.442468 80.726435 -80.480017 80.721741 -80.555116 80.724088 -80.714701 80.702966 -80.874285 80.679498 -81.043258 80.646642 -81.240392 80.623174 -81.456300 80.602053 -81.662822 80.590318 -81.766083 80.571544 -81.925668 80.552769 -82.019541 80.541035 -82.132189 80.526954 -82.207288 80.524607 -82.329323 80.517566 -82.451359 80.508179 -82.639105 80.496445 -82.751753 80.491751 -82.845627 80.489404 -82.930113 80.480017 -83.136634 80.465936 -83.305607 80.451855 -83.465191 80.463589 -83.587227 80.508179 -83.596614 80.529301 -83.596614 80.552769 -83.493353 80.569197 -83.465191 80.590318 -83.314994 80.597359 -83.117860 80.625521 -82.930113 80.641949 -82.751753 80.641949 -82.676655 80.641949 -82.667267 80.665417 -82.573394 80.679498 -82.507683 80.710007 -82.338710 80.735822 -82.226062 80.752250 -82.085252 80.766331 -82.010154 80.773371 -81.991379 80.780412 -82.132189 80.775718 -82.263612 80.766331 -82.301161 80.782759 -82.310548 80.787452 -82.301161 80.803880 -82.272999 80.817961 -82.254224 80.822655 -82.319936 80.839083 -82.254224 80.862551 -82.235450 80.886020 -82.301161 80.874285 -82.404422 80.846123 -82.517070 80.843777 -82.639105 80.836736 -82.629718 80.825002 -82.479521 80.810921 -82.460746 80.782759 -82.554619 80.763984 -82.667267 80.726435 -82.817465 80.702966 -82.939500 80.688885 -83.061536 80.665417 -83.221121 80.646642 -83.390093 80.634908 -83.474579 80.618480 -83.502741 80.597359 -83.596614 80.597359 -83.615389 80.597359 -83.634163 80.597359 -83.746812 80.592665 -83.821910 80.587971 -83.850072 80.597359 -83.934558 80.604399 -83.943946 80.630215 -83.915784 80.648989 -83.878234 80.677151 -83.765586 80.693579 -83.756199 80.717047 -83.709262 80.738169 -83.662326 80.752250 -83.728037 80.756944 -83.812523 80.717047 -83.897009 80.686539 -84.037819 80.665417 -84.197404 80.651336 -84.216179 80.618480 -84.206791 80.585625 -84.131693 80.569197 -84.122305 80.552769 -84.188017 80.510526 -84.197404 80.508179 -84.253728 80.489404 -84.263115 80.468283 -84.338214 80.456549 -84.479024 80.456549 -84.629222 80.449508 -84.779419 80.454202 -84.920229 80.454202 -85.042265 80.475323 -85.136138 80.480017 -85.258173 80.480017 -85.352047 80.482364 -85.417758 80.496445 -85.380209 80.515220 -85.286335 80.536341 -85.154913 80.559809 -85.201849 80.576237 -85.342659 80.559809 -85.417758 80.524607 -85.492857 80.522260 -85.558568 80.515220 -85.586730 80.496445 -85.633667 80.489404 -85.661829 80.489404 -85.802639 80.498792 -85.952837 80.501139 -86.056097 80.515220 -86.234457 80.533994 -86.394042 80.543382 -86.431591 80.562156 -86.412816 80.578584 -86.365880 80.597359 -86.365880 80.634908 -86.272006 80.653683 -86.272006 80.665417 -86.234457 80.688885 -86.215682 80.710007 -86.187520 80.726435 -86.103034 80.745209 -86.046710 80.766331 -86.046710 80.773371 -85.999773 80.789799 -85.915287 80.808574 -85.821414 80.825002 -85.793252 80.843777 -85.680604 80.857858 -85.708766 80.871939 -85.652442 80.883673 -85.586730 80.897754 -85.530406 80.911835 -85.530406 80.923569 -85.361434 80.923569 -85.286335 80.937650 -85.145525 80.951731 -85.107976 80.963465 -84.920229 80.970506 -84.798194 80.989280 -84.713708 80.991627 -84.572898 80.982240 -84.403925 80.986933 -84.188017 80.991627 -84.028432 80.998668 -83.897009 81.015095 -83.746812 81.015095 -83.709262 81.015095 -83.662326 81.003361 -83.596614 81.022136 -83.408867 81.029176 -83.211733 81.047951 -83.061536 81.052645 -82.864402 81.054992 -82.629718 81.054992 -82.479521 81.078460 -82.244837 81.087847 -82.132189 81.099582 -82.132189 81.104275 -82.301161 81.097235 -82.432584 81.097235 -82.592169 81.085501 -82.808078 81.080807 -82.967662 81.073766 -83.127247 81.071420 -83.277445 81.073766 -83.465191 81.062032 -83.596614 81.057339 -83.765586 81.054992 -83.878234 81.047951 -84.019044 81.050298 -84.056594 81.054992 -84.150467 81.054992 -84.319439 81.047951 -84.450862 81.038564 -84.610447 81.029176 -84.704320 81.029176 -84.826356 81.022136 -84.967166 81.010402 -85.089201 81.005708 -85.230011 81.015095 -85.380209 81.015095 -85.455308 81.008055 -85.586730 80.991627 -85.671216 80.970506 -85.830801 80.954078 -85.896513 80.923569 -86.168745 80.883673 -86.328330 80.839083 -86.469140 80.789799 -86.525464 80.747556 -86.600563 80.714701 -86.741373 80.677151 -86.816472 80.634908 -86.816472 80.609093 -86.844634 80.583278 -86.938507 80.562156 -87.041768 80.552769 -87.135641 80.559809 -87.248290 80.559809 -87.323388 80.559809 -87.417262 80.569197 -87.511135 80.585625 -87.614396 80.613787 -87.661333 80.623174 -87.745819 80.630215 -87.914791 80.634908 -88.074376 80.651336 -88.121312 80.658377 -88.168249 80.663070 -88.280897 80.695926 -88.421707 80.733475 -88.600067 80.759290 -88.759651 80.785106 -88.928624 80.789799 -89.013110 80.796840 -89.116370 80.829696 -89.229018 80.841430 -89.304117 80.853164 -89.341667 80.864898 # -b -79.968407 82.876136 -80.024731 82.941847 -80.250027 82.962969 -80.531647 82.953581 -80.850817 82.944194 -81.188761 82.892564 -81.226311 82.876136 -81.038564 82.840933 -80.794493 82.838586 -80.794493 82.826852 -80.869592 82.775222 -80.700620 82.728285 -80.409612 82.709510 -80.240640 82.686042 -80.569197 82.695429 -80.860204 82.700123 -80.813268 82.660227 -80.813268 82.643799 -81.057339 82.695429 -81.329571 82.763488 -81.648741 82.786956 -82.005460 82.793997 -82.249531 82.798690 -82.362179 82.765834 -82.118108 82.723591 -82.005460 82.676655 -81.855262 82.639105 -81.676903 82.599209 -81.517318 82.592169 -81.479769 82.556966 -81.395283 82.524110 -81.292022 82.472480 -81.479769 82.458399 -81.789551 82.498295 -82.024235 82.545232 -82.305855 82.589822 -82.681348 82.617984 -83.000518 82.625024 -83.225814 82.608597 -83.338462 82.571047 -83.263364 82.545232 -83.000518 82.502989 -82.625024 82.491255 -82.493602 82.470133 -82.775222 82.463093 -82.962969 82.477174 -83.122553 82.477174 -83.347850 82.472480 -83.432336 82.444318 -83.544984 82.402075 -83.526209 82.348098 -83.404174 82.296467 -83.131941 82.265959 -82.775222 82.221369 -82.502989 82.188513 -82.343404 82.167392 -81.986685 82.136883 -81.705065 82.108721 -81.451607 82.108721 -81.536093 82.078212 -81.601804 82.045356 -81.376508 81.991379 -81.254473 81.958523 -81.714452 82.003113 -82.089946 82.038316 -82.334017 82.075865 -82.653186 82.118108 -82.906645 82.167392 -83.197652 82.214328 -83.413561 82.254224 -83.685794 82.265959 -83.845379 82.254224 -83.854766 82.216675 -83.732731 82.165045 -83.657632 82.139230 -83.563758 82.092293 -83.272751 82.082905 -83.197652 82.071171 -83.469885 82.075865 -83.751505 82.075865 -83.892315 82.075865 -83.845379 82.141576 -83.939252 82.195554 -84.136386 82.244837 -84.211485 82.291774 -84.352295 82.317589 -84.361682 82.317589 -84.408619 82.322283 -84.633915 82.336364 -84.840437 82.341057 -85.037571 82.315242 -85.178381 82.348098 -85.403677 82.373913 -85.422452 82.402075 -85.291029 82.430237 -85.544487 82.432584 -85.713459 82.437278 -85.910594 82.444318 -86.117115 82.437278 -86.417510 82.423197 -86.586482 82.397381 -86.370573 82.373913 -86.304862 82.348098 -86.295475 82.319936 -86.154664 82.301161 -86.210988 82.272999 -86.220376 82.247184 -86.492609 82.242490 -86.783616 82.216675 -87.055849 82.226062 -87.281145 82.226062 -87.365631 82.195554 -87.346857 82.150964 -87.065236 82.113414 -86.755454 82.113414 -86.520771 82.082905 -86.192214 82.054743 -85.863657 82.031275 -85.525713 82.017194 -85.272254 82.012500 -85.450614 81.996073 -85.403677 81.939749 -85.713459 81.993726 -86.042016 81.998419 -86.088953 81.953830 -85.929368 81.897505 -86.126502 81.932708 -86.436285 82.014847 -86.793004 82.050050 -87.065236 82.045356 -87.290533 82.038316 -87.281145 81.996073 -87.431343 81.977298 -87.262371 81.920974 -87.365631 81.920974 -87.543991 81.979645 -87.562765 82.031275 -87.656639 82.047703 -87.666026 82.050050 -87.675414 82.050050 -87.816224 82.059437 -88.013358 82.080559 -88.144781 82.066478 -88.313753 82.096986 -88.614148 82.094640 -88.745570 82.068824 -89.017803 82.057090 -89.243099 82.003113 -89.571656 81.965564 -89.562269 81.939749 -89.383910 81.899852 -89.261874 81.848222 -89.524720 81.902199 -89.674917 81.913933 -89.674917 81.859956 -89.646755 81.784857 -89.806340 81.827100 -89.956537 81.852916 # -b -90.036330 81.629966 -89.848583 81.599457 -89.782872 81.594764 -89.482477 81.601804 -89.397991 81.590070 -89.613899 81.564255 -89.970618 81.529052 # -b -90.059798 81.357733 -89.900213 81.378855 -89.637368 81.411711 -89.383910 81.428138 -89.149226 81.460994 -88.970867 81.486809 -88.632922 81.514971 -88.257429 81.536093 -88.097844 81.559561 -88.003970 81.538440 -87.750512 81.536093 -87.459505 81.526706 -87.337469 81.503237 -87.018300 81.507931 -86.652193 81.519665 -86.483221 81.505584 -86.624031 81.489156 -86.774229 81.453954 -86.980750 81.470381 -87.365631 81.475075 -87.712963 81.496197 -87.938259 81.505584 -88.126006 81.498544 -88.482725 81.477422 -88.632922 81.446913 -88.942705 81.404670 -89.393297 81.331918 -89.750016 81.310797 -89.750016 81.284982 -89.552882 81.266207 -89.261874 81.242738 -89.036578 81.231004 -88.783120 81.235698 -88.999029 81.200495 -89.365135 81.200495 -89.703079 81.193455 -89.890826 81.181721 -89.947150 81.139478 -89.918988 81.094888 -89.928375 81.057339 -89.768791 81.012749 -89.515332 80.991627 -89.205550 80.982240 -88.980254 81.008055 -88.764345 81.022136 -88.501500 81.017442 -88.285591 81.022136 -88.097844 81.029176 -87.750512 81.029176 -87.459505 81.033870 -87.234209 81.026830 -87.112173 81.033870 -86.868102 81.047951 -86.652193 81.069073 -86.426897 81.080807 -86.210988 81.123050 -85.985692 81.158252 -85.891819 81.186414 -85.694685 81.188761 -85.328578 81.212230 -85.000022 81.242738 -84.774725 81.259166 -84.502492 81.266207 -84.558817 81.235698 -84.765338 81.195802 -85.140832 81.162946 -85.506938 81.116009 -85.779171 81.066726 -85.769783 81.040911 -86.182826 81.012749 -86.539545 80.970506 -86.849328 80.954078 -87.121560 80.944690 -87.290533 80.937650 -87.534603 80.942344 -87.844386 80.963465 -88.163555 80.963465 -88.417013 80.961118 -88.576598 80.932956 -88.886381 80.925916 -89.149226 80.909488 -89.205550 80.881326 -89.365135 80.871939 -89.336973 80.864898 # -b -99.123275 80.076361 -99.085726 80.081055 -99.057564 80.074015 -99.010627 80.055240 -98.954303 80.041159 -98.907367 80.036465 -98.832268 80.045853 -98.729007 80.059934 -98.635134 80.057587 -98.475549 80.057587 -98.344126 80.027078 # -b -99.531625 79.959020 -99.484688 80.003610 -99.400202 80.024731 -99.343878 80.052893 -99.259392 80.066974 -99.118582 80.076361 # -b -95.187633 80.578584 -94.999886 80.573890 -94.952949 80.559809 -94.924787 80.559809 -94.765203 80.571544 -94.633780 80.573890 -94.511744 80.543382 -94.370934 80.538688 -94.164413 80.541035 -93.986053 80.543382 -93.835856 80.536341 -93.732595 80.529301 -93.601172 80.515220 -93.582398 80.550422 -93.648109 80.578584 -93.807694 80.576237 -93.957891 80.580931 -94.108089 80.585625 -94.136251 80.585625 -94.155025 80.585625 -94.211349 80.590318 -94.220737 80.616134 -94.258286 80.648989 -94.136251 80.658377 -93.976666 80.651336 -93.817081 80.651336 -93.713820 80.670111 -93.497912 80.674804 -93.582398 80.691232 -93.666884 80.702966 -93.817081 80.688885 -93.845243 80.705313 -93.882792 80.717047 -94.061152 80.712354 -94.183187 80.695926 -94.370934 80.695926 -94.474195 80.717047 -94.577456 80.717047 -94.615005 80.731128 -94.652554 80.742863 -94.615005 80.761637 -94.446033 80.775718 -94.446033 80.787452 -94.652554 80.773371 -94.812139 80.761637 -94.915400 80.766331 -94.971724 80.787452 -94.971724 80.815614 -94.887238 80.822655 -94.802752 80.843777 -94.765203 80.855511 -94.906013 80.853164 -94.952949 80.864898 -94.952949 80.888366 -94.943562 80.909488 -94.971724 80.935303 -94.924787 80.958771 -94.840301 80.977546 -94.699491 80.977546 -94.605618 80.991627 -94.596230 81.012749 -94.539906 80.996321 -94.370934 80.991627 -94.173800 80.984587 -94.173800 80.961118 -94.126863 80.951731 -94.155025 80.937650 -94.089314 80.930609 -94.032990 80.939997 -93.995441 80.958771 -93.920342 80.961118 -93.817081 80.958771 -93.807694 80.970506 -93.798306 80.979893 -93.732595 80.991627 -93.601172 80.982240 -93.582398 80.996321 -93.666884 81.010402 -93.788919 81.010402 -93.788919 81.026830 -93.920342 81.033870 -93.995441 81.064379 -93.873405 81.043258 -93.713820 81.033870 -93.591785 81.050298 -93.441587 81.047951 -93.366489 81.045604 -93.338327 81.045604 -93.216291 81.045604 -93.113031 81.036217 -93.028545 81.043258 -93.000382 81.045604 -92.953446 81.054992 -92.803248 81.069073 -92.746924 81.073766 -92.737537 81.090194 -92.699988 81.106622 -92.653051 81.123050 -92.671826 81.134784 -92.643664 81.155906 -92.681213 81.162946 -92.775086 81.144171 -92.850185 81.146518 -92.925284 81.160599 -92.925284 81.177027 -92.962833 81.181721 -93.113031 81.181721 -93.225679 81.188761 -93.300777 81.167640 -93.469750 81.155906 -93.610560 81.146518 -93.713820 81.144171 -93.807694 81.146518 -93.854630 81.162946 -93.939117 81.146518 -94.070539 81.155906 -94.239511 81.165293 -94.342772 81.174680 -94.399096 81.200495 -94.446033 81.216923 -94.436646 81.235698 -94.436646 81.247432 -94.399096 81.261513 -94.408484 81.270901 -94.464808 81.270901 -94.530519 81.270901 -94.605618 81.277941 -94.605618 81.294369 -94.511744 81.317837 -94.370934 81.327225 -94.248899 81.341306 -94.126863 81.317837 -93.939117 81.301409 -93.497912 81.270901 -93.404038 81.280288 -93.488524 81.322531 -93.554236 81.343652 -93.404038 81.338959 -93.235066 81.345999 -93.103643 81.329571 -92.953446 81.322531 -92.897122 81.313144 -92.859572 81.310797 -92.746924 81.289675 -92.427755 81.270901 -92.230621 81.254473 -92.080423 81.233351 -92.014712 81.195802 -91.789416 81.169987 -91.657993 81.125397 -91.545345 81.104275 -91.564119 81.073766 -91.545345 81.036217 -91.601669 81.029176 -91.582894 81.017442 -91.507795 81.001014 -91.404535 80.965812 -91.348211 80.925916 -91.329436 80.895407 -91.244950 80.867245 -91.207400 80.850817 -91.122914 80.843777 -91.066590 80.810921 -91.075978 80.801533 -91.029041 80.796840 -90.963330 80.761637 -90.963330 80.747556 -90.972717 80.712354 -90.935168 80.693579 -90.766195 80.686539 -90.709871 80.656030 -90.634773 80.616134 -90.569061 80.595012 -90.615998 80.576237 -90.691097 80.529301 -90.709871 80.503485 -90.700484 80.496445 -90.691097 80.496445 -90.653547 80.519913 -90.615998 80.552769 -90.512737 80.555116 -90.475188 80.566850 -90.437639 80.536341 -90.240504 80.526954 -90.033983 80.526954 # -b -96.079430 79.973101 -96.041881 80.001263 -95.816585 80.022384 -95.703937 80.038812 -95.901071 80.045853 -96.107592 80.034118 -96.192078 80.078708 -96.210853 80.123298 -96.220240 80.135032 -96.201466 80.142073 -96.070043 80.151460 -95.948007 80.146766 -95.797810 80.132685 -95.638225 80.118604 -95.506802 80.102177 -95.450478 80.090442 -95.319056 80.069321 -95.300281 80.036465 -95.112534 80.027078 -95.112534 80.027078 -94.999886 80.012997 -94.924787 80.005956 -94.849689 80.012997 -94.821527 80.003610 # -b -94.725306 79.989529 -94.593884 80.008303 -94.471848 80.017691 -94.349813 80.003610 # -b -94.072886 79.970754 -94.194922 80.008303 -94.298182 80.034118 -94.298182 80.066974 -94.176147 80.097483 -94.044724 80.109217 -93.885139 80.118604 -93.791266 80.120951 -93.669230 80.127992 -93.594132 80.130339 -93.678618 80.146766 -93.810041 80.142073 -93.969625 80.139726 -94.054111 80.158501 -94.091661 80.186663 -94.176147 80.189010 -94.288795 80.151460 -94.382668 80.120951 -94.551641 80.111564 -94.626739 80.088096 -94.823873 80.071668 -94.955296 80.090442 -95.067944 80.106870 -95.002233 80.095136 -95.067944 80.106870 -95.105494 80.111564 -95.199367 80.113911 -95.246304 80.132685 -95.330790 80.144420 -95.321402 80.153807 -95.199367 80.179622 -95.114881 80.181969 -95.321402 80.153807 -95.199367 80.179622 -95.114881 80.181969 -95.114881 80.181969 -95.002233 80.167888 -94.983458 80.167888 -94.842648 80.174929 -94.748775 80.167888 -94.664289 80.196050 -94.617352 80.226559 -94.720613 80.217172 -94.805099 80.214825 -94.927134 80.212478 -94.974071 80.200744 -94.992846 80.203091 -95.133656 80.233599 -95.002233 80.207784 -95.133656 80.233599 -95.161818 80.242987 -95.236916 80.235946 -95.312015 80.200744 -95.480987 80.184316 -95.603023 80.179622 -95.603023 80.217172 -95.706283 80.221865 -95.875256 80.240640 -96.063002 80.242987 -96.081777 80.273496 -96.063002 80.296964 -96.128714 80.313392 -96.278911 80.325126 -96.297686 80.339207 -96.203812 80.341554 -96.091164 80.365022 -95.940967 80.348594 -95.837706 80.374409 -95.696896 80.374409 -95.443438 80.367369 -95.255691 80.365022 -95.002233 80.332166 -94.927134 80.336860 -94.861423 80.343901 -94.870810 80.367369 -94.927134 80.365022 -94.945909 80.357982 -94.974071 80.369716 -94.992846 80.365022 -95.443438 80.367369 -95.002233 80.362675 -95.077332 80.383797 -95.180592 80.388491 -95.302628 80.400225 -95.424663 80.411959 -95.527924 80.430734 -95.696896 80.442468 -95.800157 80.451855 -95.762607 80.475323 -95.687509 80.480017 -95.687509 80.501139 -95.678121 80.519913 -95.668734 80.536341 -95.743833 80.569197 -95.687509 80.576237 -95.574861 80.576237 -95.434051 80.573890 -95.377726 80.576237 -95.340177 80.576237 -95.293240 80.576237 -95.189980 80.578584 # -b -89.949497 81.852916 -90.024596 81.902199 -90.193568 81.904546 -90.428251 81.897505 -90.653547 81.890465 -90.841294 81.857609 -91.104140 81.838835 -91.169851 81.791898 -91.291887 81.770776 -91.451471 81.782511 -91.629831 81.749655 -91.770641 81.733227 -91.826965 81.686290 -91.911451 81.665169 -91.958388 81.644047 -92.024099 81.615885 -91.873902 81.615885 -91.667380 81.604151 -91.507795 81.585376 -91.395147 81.552521 -91.395147 81.531399 -91.338823 81.517318 -91.066590 81.540787 -90.897618 81.561908 -90.878844 81.540787 -90.822519 81.568949 -90.691097 81.599457 -90.615998 81.629966 -90.409477 81.637007 -90.212342 81.611192 -90.156018 81.655781 -90.033983 81.669862 -90.033983 81.629966 # -b -89.970618 81.529052 -90.393049 81.458647 -90.655894 81.409364 -90.449373 81.383549 -90.317950 81.362427 -90.289788 81.334265 -90.064492 81.357733 # -b 91.296580 80.001263 91.296580 80.008303 91.212094 80.027078 91.090059 80.045853 91.024347 80.059934 91.061897 80.062280 91.230869 80.045853 91.315355 80.048199 91.399841 80.045853 91.456165 80.052893 91.578200 80.055240 91.653299 80.062280 91.765947 80.071668 91.841046 80.045853 91.991243 80.041159 92.141441 80.017691 92.366737 80.010650 # -b 91.275459 79.998916 91.303621 80.001263 # -b 90.911699 81.223964 90.930474 81.223964 91.052509 81.212230 91.202707 81.207536 91.418616 81.198149 91.559426 81.179374 91.653299 81.158252 91.653299 81.120703 91.512489 81.090194 91.334130 81.071420 91.127608 81.054992 90.949249 81.040911 90.770889 81.047951 90.601917 81.047951 90.395395 81.054992 90.207649 81.073766 90.048064 81.097235 # -b 89.972965 81.167640 90.123163 81.188761 90.320297 81.188761 90.545593 81.198149 90.742727 81.202842 90.874150 81.212230 90.911699 81.223964 # -b 94.870810 81.101928 94.908359 81.108969 95.021008 81.130090 95.105494 81.153559 95.067944 81.177027 95.021008 81.209883 95.227529 81.223964 95.443438 81.231004 95.565473 81.252126 95.668734 81.223964 95.818931 81.202842 95.950354 81.174680 96.044228 81.134784 96.109939 81.087847 96.203812 81.066726 96.307073 81.047951 96.363397 81.008055 96.419721 80.965812 96.504207 80.935303 96.598081 80.916528 96.682567 80.876632 96.860926 80.855511 96.964187 80.836736 97.058060 80.822655 97.189483 80.801533 97.302131 80.801533 97.377230 80.766331 97.461716 80.735822 97.452329 80.702966 97.452329 80.684192 97.593139 80.688885 97.705787 80.695926 97.780886 80.684192 97.649463 80.658377 97.433554 80.644296 97.339681 80.613787 97.123772 80.611440 97.048673 80.566850 97.058060 80.538688 97.039286 80.491751 97.020511 80.447161 96.964187 80.400225 97.048673 80.397878 97.217645 80.414306 97.255195 80.383797 97.217645 80.346247 97.255195 80.339207 97.330293 80.332166 97.330293 80.304004 97.264582 80.271149 97.104997 80.240640 96.926638 80.250027 96.710729 80.252374 96.541757 80.240640 96.297686 80.245334 96.100552 80.240640 95.828319 80.224212 95.574861 80.205437 95.424663 80.170235 95.208754 80.163194 94.880197 80.120951 94.767549 80.071668 94.532866 80.052893 94.241858 80.043506 94.035337 80.003610 # -b 93.833509 79.996569 93.664537 80.017691 93.467403 80.017691 93.354755 80.045853 93.195170 80.062280 93.044972 80.081055 92.969874 80.130339 92.744577 80.146766 92.481732 80.139726 92.284598 80.160847 92.078076 80.189010 92.162562 80.233599 92.275210 80.259415 92.031140 80.259415 91.862167 80.301658 91.646259 80.299311 91.561773 80.259415 91.374026 80.247680 91.383413 80.294617 91.496061 80.322779 91.561773 80.355635 91.702583 80.357982 91.937266 80.372063 92.012365 80.395531 91.824618 80.393184 91.777681 80.426040 91.909104 80.440121 92.125013 80.444815 92.312760 80.463589 92.481732 80.494098 92.641317 80.503485 92.631929 80.536341 92.753965 80.573890 92.810289 80.602053 92.744577 80.620827 92.650704 80.641949 92.519281 80.637255 92.453570 80.667764 92.472345 80.707660 92.566218 80.759290 92.688253 80.780412 92.810289 80.808574 93.016810 80.836736 93.110684 80.871939 93.129458 80.907141 93.223332 80.909488 93.364142 80.909488 93.551889 80.923569 93.720861 80.937650 93.917995 80.970506 94.021256 80.991627 94.209003 80.991627 94.396749 80.986933 94.575109 80.984587 94.706532 80.984587 94.837954 81.015095 94.866116 81.029176 94.828567 81.069073 94.856729 81.099582 94.866116 81.101928 # -b 94.880197 80.015344 94.917747 80.017691 94.974071 80.029425 94.927134 80.062280 94.927134 80.081055 95.067944 80.059934 95.246304 80.029425 95.377726 80.034118 95.340177 80.069321 95.499762 80.085749 95.640572 80.104523 95.856481 80.102177 95.940967 80.118604 96.156876 80.113911 96.288299 80.116258 96.438496 80.130339 96.757666 80.142073 96.954800 80.139726 97.170709 80.139726 97.217645 80.158501 97.433554 80.163194 97.471103 80.139726 97.546202 80.125645 97.583751 80.111564 97.658850 80.092789 97.733949 80.071668 97.902921 80.064627 98.062506 80.020037 # -b 98.454427 79.989529 98.360554 80.008303 98.341779 80.027078 98.379329 80.041159 98.463815 80.050546 98.557688 80.038812 98.651561 80.031772 98.792372 80.038812 98.905020 80.031772 98.867470 80.001263 # -b 99.104501 79.991875 99.282860 80.010650 # -b 94.572762 79.984835 94.657248 80.008303 94.779284 80.017691 94.854382 80.015344 94.873157 80.015344 # -b 79.982488 80.862551 80.048199 80.878979 80.160847 80.890713 80.292270 80.881326 80.404918 80.871939 80.639602 80.846123 80.705313 80.829696 80.799187 80.822655 80.874285 80.815614 80.921222 80.810921 80.930609 80.808574 80.930609 80.808574 80.968159 80.808574 81.033870 80.794493 80.986933 80.773371 80.846123 80.752250 80.677151 80.747556 80.517566 80.731128 80.273496 80.724088 80.076361 80.719394 # -b 90.050411 81.097235 89.947150 81.127744 89.975312 81.167640 # -b 79.926164 80.848470 79.944939 80.850817 79.982488 80.862551 # -b 80.069321 80.719394 79.872187 80.721741 79.721989 80.747556 79.628116 80.771025 79.628116 80.803880 79.750151 80.827349 79.834637 80.843777 79.900349 80.850817 79.919123 80.848470 # -b 60.506103 80.789799 60.487329 80.794493 60.449779 80.792146 60.355906 80.789799 60.271420 80.794493 60.252645 80.806227 60.158772 80.810921 60.093060 80.806227 # -b 59.933476 80.376756 60.017962 80.381450 60.074286 80.374409 60.149384 80.365022 60.196321 80.365022 60.233870 80.362675 60.262032 80.379103 60.355906 80.383797 60.412230 80.372063 60.487329 80.374409 60.581202 80.374409 60.590589 80.372063 60.590589 80.369716 60.599977 80.362675 60.693850 80.353288 60.815886 80.350941 60.919146 80.362675 60.984858 80.346247 61.069344 80.339207 61.153830 80.346247 61.275865 80.350941 61.285253 80.367369 61.350964 80.367369 61.472999 80.369716 61.538711 80.376756 61.538711 80.402572 61.510549 80.430734 61.482387 80.461242 61.482387 80.482364 61.482387 80.496445 61.472999 80.512873 61.416675 80.531647 61.397901 80.545728 61.360351 80.562156 61.266478 80.573890 61.200766 80.583278 61.163217 80.599706 61.172604 80.623174 61.200766 80.627868 61.210154 80.641949 61.257091 80.651336 61.360351 80.660723 61.407288 80.670111 61.538711 80.670111 61.698296 80.681845 61.810944 80.674804 61.970528 80.667764 62.101951 80.670111 62.214599 80.679498 62.299085 80.688885 62.289698 80.698273 62.280311 80.717047 62.289698 80.735822 62.280311 80.747556 62.205212 80.756944 62.186437 80.768678 62.177050 80.789799 62.167663 80.794493 62.158275 80.801533 62.167663 80.803880 62.148888 80.810921 62.092564 80.820308 62.083176 80.825002 62.083176 80.841430 62.064402 80.862551 61.998690 80.867245 61.932979 80.878979 61.839106 80.881326 61.726458 80.874285 61.698296 80.853164 61.613809 80.836736 61.519936 80.825002 61.472999 80.808574 61.397901 80.794493 61.322802 80.789799 61.257091 80.796840 61.210154 80.806227 61.106893 80.803880 61.022407 80.803880 60.956696 80.810921 60.881597 80.808574 60.844048 80.801533 60.797111 80.787452 60.712625 80.778065 60.637526 80.778065 60.609364 80.785106 60.571815 80.789799 60.506103 80.789799 # -b 60.980164 81.071420 60.980164 81.073766 60.970777 81.071420 60.961389 81.054992 60.961389 81.036217 60.905065 81.040911 60.783030 81.033870 60.660994 81.026830 60.548346 81.017442 60.492022 81.026830 60.426311 81.022136 60.379374 81.005708 60.219789 80.991627 60.172853 80.965812 60.116529 80.937650 60.191627 80.928263 60.257339 80.914182 60.294888 80.895407 60.398149 80.895407 60.520184 80.876632 60.660994 80.871939 60.792417 80.876632 60.886291 80.855511 60.989551 80.860204 61.120974 80.869592 61.299334 80.890713 61.421369 80.911835 61.487080 80.925916 61.515242 80.939997 61.534017 80.958771 61.468306 80.972852 61.327496 80.979893 61.327496 80.991627 61.299334 81.003361 61.299334 81.010402 61.365045 81.003361 61.440144 81.012749 61.430756 81.026830 61.289946 81.031523 61.149136 81.043258 61.055263 81.064379 61.017713 81.073766 60.980164 81.071420 # -b 63.528827 81.287328 63.510052 81.292022 63.472503 81.289675 63.434954 81.275594 63.312918 81.254473 63.237819 81.238045 63.115784 81.223964 63.012523 81.195802 62.909262 81.172333 62.843551 81.153559 62.787227 81.146518 62.721516 81.123050 62.646417 81.106622 62.618255 81.094888 62.655804 81.104275 62.721516 81.101928 62.730903 81.087847 62.730903 81.078460 62.749678 81.069073 62.834164 81.054992 62.843551 81.038564 62.796614 81.024483 62.777840 80.996321 62.665192 80.965812 62.561931 80.958771 62.477445 80.937650 62.458670 80.918875 62.496219 80.904794 62.618255 80.890713 62.796614 80.878979 62.843551 80.853164 62.974974 80.841430 63.068847 80.827349 63.068847 80.799187 63.181495 80.782759 63.303531 80.768678 63.341080 80.752250 63.378629 80.735822 63.472503 80.754597 63.556989 80.775718 63.575764 80.794493 63.603926 80.810921 63.707186 80.822655 63.754123 80.839083 63.763510 80.862551 63.866771 80.871939 63.941870 80.876632 63.941870 80.895407 64.016969 80.911835 64.063905 80.925916 64.120229 80.932956 64.204715 80.954078 64.326751 80.956425 64.430012 80.958771 64.552047 80.961118 64.627146 80.958771 64.749181 80.972852 64.852442 80.975199 64.927541 80.972852 65.012027 80.970506 65.030801 80.961118 65.058963 80.949384 65.105900 80.954078 65.199774 80.963465 65.256098 80.961118 65.312422 80.958771 65.378133 80.958771 65.425070 80.963465 65.490781 80.958771 65.509556 80.965812 65.443844 80.975199 65.378133 80.998668 65.312422 81.015095 65.199774 81.024483 65.143450 81.043258 65.143450 81.062032 65.134062 81.080807 65.134062 81.099582 65.049576 81.099582 64.965090 81.101928 64.946315 81.123050 64.871217 81.130090 64.833667 81.146518 64.824280 81.148865 64.814893 81.158252 64.749181 81.172333 64.777343 81.191108 64.814893 81.209883 64.889991 81.223964 64.918153 81.238045 64.918153 81.256820 64.899379 81.277941 64.899379 81.292022 64.899379 81.303756 64.946315 81.322531 64.965090 81.336612 64.918153 81.348346 64.871217 81.362427 64.805505 81.369468 64.702245 81.362427 64.674082 81.378855 64.617758 81.385895 64.505110 81.385895 64.392462 81.378855 64.307976 81.378855 64.232877 81.385895 64.139004 81.378855 64.063905 81.357733 63.913708 81.334265 63.801060 81.320184 63.688412 81.301409 63.622700 81.289675 63.566376 81.284982 63.528827 81.287328 # -b 63.538214 81.693331 63.613313 81.695678 63.632088 81.681597 63.669637 81.665169 63.688412 81.651088 63.632088 81.632313 63.556989 81.615885 63.406792 81.625273 63.256594 81.611192 63.162721 81.615885 63.125171 81.634660 62.974974 81.637007 62.852938 81.658128 62.806002 81.676903 62.712128 81.676903 62.599480 81.665169 62.524382 81.667516 62.458670 81.667516 62.411733 81.672209 62.421121 81.686290 62.421121 81.690984 62.392959 81.700371 62.411733 81.712106 62.421121 81.721493 62.468057 81.721493 62.552544 81.728533 62.599480 81.712106 62.627642 81.700371 62.674579 81.695678 62.730903 81.707412 62.777840 81.726187 62.843551 81.721493 62.909262 81.716799 62.937424 81.730880 62.974974 81.744961 63.059460 81.754349 63.162721 81.749655 63.200270 81.735574 63.265981 81.735574 63.359855 81.744961 63.406792 81.735574 63.444341 81.721493 63.500665 81.709759 63.538214 81.693331 # -b 50.844183 80.871939 50.834796 80.871939 50.769084 80.864898 50.693986 80.839083 50.374816 80.822655 50.252781 80.820308 50.299717 80.843777 50.393591 80.862551 50.393591 80.878979 50.374816 80.890713 50.337267 80.869592 50.299717 80.864898 50.243393 80.860204 50.224619 80.869592 50.149520 80.857858 50.065034 80.853164 # -b 49.996976 80.853164 50.006363 80.864898 # -b 49.928917 80.806227 50.013403 80.787452 50.069727 80.771025 50.097889 80.759290 50.050953 80.752250 50.032178 80.731128 # -b 49.964120 80.318085 50.039219 80.313392 50.114317 80.320432 50.057993 80.339207 50.067381 80.339207 50.161254 80.329820 50.217578 80.346247 50.245740 80.357982 50.226965 80.374409 50.255127 80.379103 50.292677 80.388491 50.283289 80.407265 50.283289 80.426040 50.180029 80.421346 50.076768 80.437774 # -b 49.964120 80.484711 50.067381 80.496445 50.067381 80.505832 50.142479 80.508179 50.264515 80.510526 50.283289 80.526954 50.292677 80.529301 50.377163 80.526954 50.480424 80.522260 50.583684 80.512873 50.696332 80.505832 50.743269 80.517566 50.818368 80.512873 50.884079 80.498792 50.987340 80.496445 51.043664 80.496445 51.043664 80.515220 51.109375 80.526954 51.231411 80.545728 51.306510 80.531647 51.362834 80.531647 51.372221 80.548075 51.400383 80.562156 51.494256 80.576237 51.513031 80.599706 51.513031 80.616134 51.569355 80.630215 51.578742 80.648989 51.578742 80.663070 51.578742 80.681845 51.531806 80.691232 51.466094 80.681845 51.419158 80.691232 51.390996 80.714701 51.362834 80.726435 51.297122 80.733475 51.231411 80.733475 51.165699 80.719394 51.062439 80.724088 50.959178 80.726435 50.893467 80.717047 50.837143 80.710007 50.790206 80.698273 50.696332 80.698273 50.564910 80.684192 50.452262 80.674804 50.349001 80.674804 50.292677 80.686539 50.283289 80.702966 50.302064 80.714701 50.311451 80.738169 50.349001 80.759290 50.424100 80.761637 50.555522 80.763984 50.640008 80.787452 50.705720 80.789799 50.818368 80.785106 50.893467 80.803880 50.884079 80.822655 50.884079 80.836736 50.931016 80.853164 50.959178 80.867245 50.977953 80.874285 50.959178 80.883673 50.959178 80.886020 50.884079 80.886020 50.865305 80.876632 50.837143 80.871939 # -b 53.029087 80.353288 53.066636 80.357982 53.085411 80.365022 53.104185 80.348594 53.113573 80.339207 53.226221 80.334513 53.357643 80.332166 53.376418 80.308698 53.470292 80.285230 53.573552 80.264108 53.573552 80.245334 53.639264 80.240640 53.714362 80.224212 53.676813 80.196050 53.658038 80.165541 53.611102 80.165541 53.554778 80.172582 53.460904 80.170235 53.385806 80.160847 53.460904 80.142073 53.460904 80.113911 53.413968 80.116258 53.357643 80.130339 53.273157 80.127992 53.169897 80.113911 53.132347 80.111564 53.076023 80.116258 53.038474 80.132685 52.963375 80.135032 52.944601 80.123298 52.953988 80.104523 52.897664 80.113911 52.831952 80.120951 52.775628 80.120951 52.691142 80.116258 52.653593 80.125645 52.672368 80.146766 52.634818 80.139726 52.540945 80.142073 52.503396 80.163194 52.437684 80.174929 52.381360 80.186663 52.371973 80.198397 52.343811 80.205437 52.353198 80.212478 52.465846 80.207784 52.559720 80.228906 52.653593 80.235946 52.794403 80.245334 52.813178 80.261761 52.850727 80.287577 52.850727 80.296964 52.785016 80.296964 52.785016 80.306351 52.831952 80.318085 52.831952 80.329820 52.822565 80.339207 52.878889 80.341554 52.935213 80.332166 52.972763 80.336860 52.982150 80.350941 53.029087 80.353288 # -b 56.767595 80.327473 56.758208 80.336860 56.739433 80.329820 56.579848 80.329820 56.598623 80.306351 56.636172 80.292270 56.626785 80.289923 56.532911 80.280536 56.476587 80.287577 56.410876 80.294617 56.298228 80.287577 56.204355 80.282883 56.157418 80.289923 56.072932 80.289923 55.988446 80.287577 55.922734 80.282883 55.866410 80.275842 55.857023 80.254721 55.913347 80.235946 55.913347 80.207784 55.932122 80.196050 55.922734 80.181969 55.885185 80.174929 55.857023 80.160847 55.866410 80.123298 55.866410 80.111564 55.810086 80.092789 55.781924 80.074015 55.800699 80.059934 55.875798 80.064627 55.941509 80.066974 55.997833 80.071668 56.044770 80.057587 56.138643 80.052893 56.194967 80.062280 56.260679 80.071668 56.298228 80.064627 56.326390 80.045853 56.420263 80.038812 56.495362 80.038812 56.551686 80.050546 56.579848 80.055240 56.598623 80.055240 56.626785 80.036465 56.711271 80.034118 56.786370 80.041159 56.889630 80.036465 56.936567 80.038812 56.955342 80.055240 56.917792 80.069321 56.870856 80.095136 56.861468 80.116258 56.805144 80.127992 56.880243 80.132685 56.917792 80.146766 56.936567 80.174929 56.983504 80.189010 57.002278 80.205437 56.992891 80.214825 57.011666 80.217172 57.067990 80.219518 57.058602 80.240640 57.105539 80.261761 57.105539 80.278189 57.077377 80.296964 57.049215 80.304004 56.936567 80.311045 56.880243 80.327473 56.833306 80.334513 56.805144 80.332166 56.767595 80.327473 # -b 58.102944 80.456549 58.084169 80.465936 58.027845 80.442468 57.962134 80.437774 57.924585 80.449508 57.868261 80.454202 57.811937 80.433080 57.765000 80.426040 57.671126 80.428387 57.558478 80.430734 57.445830 80.428387 57.370732 80.426040 57.351957 80.433080 57.351957 80.449508 57.286245 80.451855 57.220534 80.449508 57.173597 80.454202 57.107886 80.449508 57.098499 80.435427 57.098499 80.426040 57.126661 80.409612 57.201759 80.390837 57.220534 80.379103 57.201759 80.372063 57.201759 80.357982 57.220534 80.350941 57.267471 80.336860 57.314408 80.325126 57.314408 80.304004 57.305020 80.278189 57.258083 80.261761 57.258083 80.238293 57.229921 80.233599 57.220534 80.221865 57.258083 80.198397 57.239309 80.179622 57.220534 80.170235 57.136048 80.170235 57.117273 80.151460 57.107886 80.137379 57.145435 80.132685 57.248696 80.123298 57.267471 80.102177 57.323795 80.097483 57.408281 80.088096 57.408281 80.057587 57.483380 80.055240 57.567866 80.057587 57.671126 80.050546 57.736838 80.052893 57.793162 80.059934 57.765000 80.074015 57.755613 80.102177 57.708676 80.109217 57.671126 80.135032 57.671126 80.151460 57.614802 80.181969 57.689901 80.186663 57.811937 80.191356 57.962134 80.207784 58.027845 80.224212 58.168656 80.235946 58.206205 80.254721 58.271916 80.273496 58.375177 80.280536 58.459663 80.282883 58.553536 80.287577 58.609861 80.282883 58.694347 80.285230 58.778833 80.285230 58.872706 80.285230 58.910255 80.278189 58.947805 80.266455 59.004129 80.280536 59.079228 80.285230 59.116777 80.296964 59.116777 80.308698 59.098002 80.322779 58.975967 80.334513 58.910255 80.348594 58.806995 80.348594 58.675572 80.353288 58.581698 80.374409 58.459663 80.383797 58.337628 80.395531 58.318853 80.414306 58.243754 80.428387 58.149881 80.447161 58.121719 80.454202 58.102944 80.456549 # -b 59.227078 80.045853 59.217691 80.045853 59.189529 80.045853 59.142592 80.024731 59.076881 80.029425 58.954845 80.020037 58.804648 80.001263 # -b 59.656549 79.996569 59.590838 80.005956 59.496964 80.012997 59.412478 80.031772 59.337379 80.038812 59.262281 80.043506 59.224731 80.045853 # -b 60.097754 80.806227 60.003881 80.806227 59.938169 80.817961 59.816134 80.803880 59.712873 80.789799 59.665936 80.775718 59.684711 80.761637 59.665936 80.752250 59.637774 80.740516 59.590838 80.728782 59.590838 80.710007 59.600225 80.679498 59.543901 80.660723 59.478190 80.639602 59.384316 80.620827 59.356154 80.599706 59.290443 80.569197 59.271668 80.533994 59.252893 80.522260 59.318605 80.505832 59.337379 80.468283 59.346767 80.458896 59.356154 80.437774 59.384316 80.416653 59.496964 80.414306 59.534514 80.407265 59.525126 80.393184 59.534514 80.381450 59.590838 80.367369 59.665936 80.357982 59.759810 80.362675 59.825521 80.360328 59.881845 80.374409 59.938169 80.376756 # -b 58.422114 81.787204 58.422114 81.791898 58.403339 81.791898 58.365790 81.782511 58.309466 81.782511 58.253142 81.798938 58.168656 81.803632 58.112331 81.791898 58.009071 81.787204 57.924585 81.770776 57.933972 81.754349 57.933972 81.740268 57.887035 81.723840 57.933972 81.714452 57.896423 81.700371 57.877648 81.681597 57.980909 81.672209 58.027845 81.646394 58.149881 81.632313 58.271916 81.641700 58.384564 81.653435 58.469050 81.651088 58.525374 81.644047 58.609861 81.641700 58.656797 81.655781 58.750671 81.655781 58.825769 81.660475 58.891481 81.683943 58.966579 81.702718 58.966579 81.716799 58.966579 81.735574 58.994741 81.749655 58.957192 81.768430 58.872706 81.798938 58.760058 81.801285 58.703734 81.784857 58.628635 81.782511 58.515987 81.787204 58.422114 81.787204 # -b 57.671126 81.531399 57.586640 81.531399 57.558478 81.529052 57.455218 81.536093 57.408281 81.524359 57.380119 81.522012 57.239309 81.524359 57.126661 81.514971 57.098499 81.500890 56.985851 81.498544 56.873203 81.486809 56.854428 81.472728 56.798104 81.463341 56.704230 81.458647 56.723005 81.439873 56.704230 81.425792 56.694843 81.414057 56.779329 81.411711 56.910752 81.416404 56.985851 81.411711 57.051562 81.392936 57.117273 81.385895 57.145435 81.390589 57.192372 81.399976 57.248696 81.395283 57.295633 81.383549 57.370732 81.378855 57.473992 81.376508 57.539704 81.378855 57.539704 81.371814 57.539704 81.360080 57.605415 81.362427 57.699288 81.357733 57.755613 81.348346 57.765000 81.336612 57.877648 81.350693 57.980909 81.360080 58.056007 81.360080 58.140493 81.369468 58.187430 81.385895 58.234367 81.388242 58.271916 81.395283 58.318853 81.397630 58.365790 81.411711 58.384564 81.423445 58.337628 81.437526 58.206205 81.432832 58.178043 81.449260 58.112331 81.463341 58.046620 81.486809 57.933972 81.498544 57.877648 81.514971 57.811937 81.524359 57.793162 81.536093 57.671126 81.531399 # -b 56.535258 81.369468 56.535258 81.374161 56.422610 81.376508 56.366286 81.367121 56.366286 81.348346 56.356899 81.341306 56.356899 81.331918 56.422610 81.324878 56.450772 81.313144 56.413223 81.303756 56.403835 81.282635 56.431998 81.282635 56.507096 81.273247 56.469547 81.266207 56.403835 81.266207 56.403835 81.247432 56.413223 81.231004 56.413223 81.216923 56.356899 81.216923 56.300575 81.214576 56.281800 81.235698 56.225476 81.242738 56.178539 81.233351 56.131603 81.226311 56.065891 81.235698 56.009567 81.242738 55.981405 81.235698 55.896919 81.231004 55.859370 81.233351 55.849982 81.238045 55.849982 81.249779 55.812433 81.254473 55.746722 81.268554 55.671623 81.270901 55.615299 81.268554 55.549588 81.259166 55.427552 81.259166 55.408777 81.245085 55.418165 81.226311 55.436939 81.207536 55.521425 81.193455 55.605912 81.184068 55.681010 81.179374 55.727947 81.158252 55.803046 81.153559 55.925081 81.160599 56.009567 81.160599 56.065891 81.169987 56.169152 81.177027 56.197314 81.174680 56.197314 81.148865 56.234863 81.148865 56.375673 81.155906 56.488322 81.160599 56.535258 81.160599 56.544646 81.165293 56.488322 81.177027 56.525871 81.191108 56.638519 81.195802 56.732392 81.200495 56.873203 81.209883 56.948301 81.219270 56.948301 81.207536 57.060949 81.209883 57.192372 81.214576 57.295633 81.219270 57.380119 81.233351 57.455218 81.238045 57.502154 81.256820 57.567866 81.259166 57.633577 81.270901 57.671126 81.266207 57.680514 81.259166 57.727450 81.261513 57.793162 81.263860 57.793162 81.275594 57.774387 81.294369 57.727450 81.306103 57.624190 81.310797 57.558478 81.317837 57.520929 81.303756 57.502154 81.294369 57.427056 81.303756 57.305020 81.301409 57.229921 81.310797 57.229921 81.324878 57.098499 81.329571 56.948301 81.336612 56.873203 81.362427 56.798104 81.376508 56.685456 81.374161 56.535258 81.369468 # -b 58.708428 80.853164 58.727202 80.860204 58.727202 80.855511 58.745977 80.841430 58.708428 80.825002 58.774139 80.808574 58.774139 80.782759 58.745977 80.771025 58.661491 80.754597 58.558230 80.728782 58.445582 80.712354 58.361096 80.710007 58.342321 80.726435 58.276610 80.731128 58.210899 80.733475 58.117025 80.726435 58.060701 80.740516 57.985602 80.752250 57.863567 80.754597 57.769694 80.756944 57.760306 80.768678 57.854180 80.782759 57.948053 80.794493 58.060701 80.808574 58.088863 80.822655 58.182737 80.825002 58.257835 80.825002 58.285997 80.841430 58.323547 80.846123 58.408033 80.846123 58.492519 80.853164 58.548843 80.855511 58.614554 80.855511 58.680266 80.855511 58.708428 80.853164 # -b 56.105787 80.719394 56.068238 80.719394 56.030689 80.717047 55.983752 80.702966 55.908653 80.712354 55.796005 80.717047 55.730294 80.705313 55.711519 80.688885 55.608258 80.681845 55.476836 80.677151 55.401737 80.670111 55.429899 80.663070 55.533160 80.663070 55.589484 80.656030 55.504998 80.651336 55.495610 80.637255 55.523772 80.623174 55.504998 80.613787 55.551934 80.599706 55.645808 80.599706 55.720906 80.590318 55.796005 80.592665 55.918041 80.599706 56.049463 80.597359 56.162111 80.609093 56.227823 80.611440 56.246598 80.599706 56.312309 80.592665 56.424957 80.592665 56.546992 80.592665 56.603316 80.595012 56.603316 80.599706 56.622091 80.609093 56.706577 80.602053 56.828613 80.616134 56.884937 80.623174 56.922486 80.634908 56.922486 80.653683 56.913099 80.670111 56.847387 80.679498 56.762901 80.681845 56.791063 80.688885 56.762901 80.698273 56.669028 80.705313 56.565767 80.710007 56.537605 80.719394 56.490668 80.719394 56.387408 80.721741 56.302922 80.719394 56.180886 80.719394 56.105787 80.719394 # -b 54.606160 80.860204 54.615547 80.862551 54.596772 80.862551 54.512286 80.853164 54.399638 80.853164 54.258828 80.841430 54.108631 80.843777 54.014757 80.846123 54.014757 80.834389 54.071081 80.815614 54.071081 80.796840 54.071081 80.778065 54.052307 80.766331 54.099243 80.766331 54.183729 80.763984 54.324540 80.766331 54.399638 80.761637 54.474737 80.766331 54.559223 80.754597 54.606160 80.738169 54.606160 80.726435 54.577998 80.707660 54.643709 80.702966 54.709421 80.710007 54.784519 80.700620 54.869005 80.695926 54.953491 80.702966 55.037977 80.717047 55.160013 80.712354 55.244499 80.700620 55.282048 80.695926 55.319598 80.710007 55.422858 80.726435 55.554281 80.731128 55.695091 80.733475 55.732641 80.742863 55.798352 80.747556 55.807739 80.759290 55.695091 80.766331 55.648155 80.787452 55.591831 80.782759 55.544894 80.761637 55.432246 80.766331 55.310210 80.775718 55.253886 80.782759 55.282048 80.792146 55.357147 80.801533 55.357147 80.817961 55.300823 80.827349 55.216337 80.813268 55.094301 80.806227 54.981653 80.806227 54.972266 80.815614 54.972266 80.829696 55.000428 80.839083 54.991041 80.850817 54.934717 80.860204 54.859618 80.848470 54.765745 80.848470 54.681259 80.857858 54.606160 80.860204 # -b 55.864063 80.970506 55.826514 80.975199 55.817127 80.977546 55.751415 80.986933 55.695091 81.005708 55.610605 81.010402 55.469795 81.010402 55.394696 81.024483 55.282048 81.024483 55.216337 81.024483 55.150626 81.038564 55.019203 81.050298 54.934717 81.045604 54.840843 81.050298 54.737583 81.040911 54.653096 81.043258 54.559223 81.036217 54.531061 81.024483 54.531061 81.010402 54.484124 80.991627 54.465350 80.977546 54.371476 80.968159 54.418413 80.958771 54.512286 80.954078 54.531061 80.949384 54.643709 80.944690 54.765745 80.942344 54.793907 80.932956 54.775132 80.914182 54.878393 80.916528 55.000428 80.918875 55.094301 80.923569 55.235112 80.918875 55.319598 80.918875 55.394696 80.907141 55.366534 80.883673 55.394696 80.878979 55.479182 80.867245 55.563669 80.871939 55.657542 80.881326 55.685704 80.869592 55.742028 80.850817 55.788965 80.822655 55.788965 80.810921 55.948549 80.796840 56.070585 80.787452 56.192620 80.789799 56.305268 80.782759 56.417916 80.775718 56.511790 80.754597 56.577501 80.759290 56.661987 80.768678 56.708924 80.747556 56.708924 80.733475 56.708924 80.719394 56.737086 80.714701 56.830959 80.724088 56.877896 80.719394 56.877896 80.705313 56.877896 80.695926 56.887284 80.688885 56.952995 80.688885 56.999932 80.674804 56.999932 80.660723 56.981157 80.663070 57.056256 80.660723 57.131354 80.660723 57.290939 80.672458 57.488073 80.674804 57.525623 80.691232 57.591334 80.705313 57.610109 80.717047 57.619496 80.735822 57.638271 80.754597 57.572559 80.759290 57.459911 80.775718 57.412975 80.796840 57.290939 80.808574 57.178291 80.829696 57.103192 80.853164 57.018706 80.864898 56.915446 80.871939 56.849734 80.886020 56.765248 80.893060 56.690149 80.907141 56.633825 80.911835 56.605663 80.911835 56.549339 80.909488 56.408529 80.918875 56.305268 80.925916 56.286494 80.932956 56.324043 80.942344 56.342818 80.958771 56.248944 80.979893 56.183233 80.989280 56.051810 80.979893 55.929775 80.965812 55.864063 80.970506 # -b 56.821572 81.043258 56.821572 81.045604 56.699537 81.045604 56.558727 81.045604 56.530565 81.057339 56.455466 81.069073 56.370980 81.054992 56.286494 81.057339 56.230170 81.066726 56.183233 81.076113 56.108134 81.062032 56.117522 81.047951 56.202008 81.026830 56.342818 81.017442 56.446079 80.991627 56.549339 80.972852 56.708924 80.954078 56.802797 80.939997 56.821572 80.932956 56.877896 80.928263 56.934220 80.928263 56.971770 80.911835 57.065643 80.883673 57.225228 80.846123 57.337876 80.817961 57.488073 80.815614 57.553785 80.817961 57.553785 80.810921 57.553785 80.789799 57.685207 80.794493 57.769694 80.789799 57.816630 80.803880 57.835405 80.806227 57.872954 80.825002 57.919891 80.825002 57.948053 80.829696 57.966828 80.839083 58.004377 80.846123 58.013764 80.860204 58.023152 80.871939 58.023152 80.878979 57.948053 80.881326 57.816630 80.883673 57.713369 80.907141 57.675820 80.925916 57.572559 80.937650 57.450524 80.958771 57.366038 80.972852 57.253390 80.991627 57.150129 81.003361 57.056256 81.012749 56.990544 81.024483 56.887284 81.040911 56.821572 81.043258 # -b 46.511925 80.860204 46.324179 80.850817 46.202143 80.841430 46.098882 80.832042 46.080108 80.817961 45.995622 80.817961 45.826650 80.801533 45.714001 80.787452 45.714001 80.773371 45.667065 80.773371 45.573191 80.768678 45.460543 80.761637 45.413607 80.747556 45.385445 80.747556 45.329121 80.747556 45.272796 80.745209 45.207085 80.726435 45.150761 80.717047 45.085050 80.724088 45.019338 80.724088 44.934852 80.719394 44.859753 80.705313 44.831591 80.688885 44.765880 80.710007 44.690781 80.710007 44.615683 80.695926 44.521809 80.695926 44.465485 80.688885 44.437323 80.667764 44.380999 80.658377 44.324675 80.656030 44.324675 80.651336 44.362224 80.637255 44.334062 80.625521 44.258964 80.623174 44.193252 80.606746 44.249576 80.609093 44.277738 80.595012 44.212027 80.580931 44.212027 80.576237 44.296513 80.576237 44.277738 80.559809 44.230802 80.552769 44.249576 80.550422 44.305900 80.545728 44.268351 80.531647 44.212027 80.524607 44.249576 80.522260 44.296513 80.503485 44.371612 80.501139 44.465485 80.515220 44.521809 80.519913 44.606295 80.522260 44.747105 80.515220 44.887916 80.515220 44.963014 80.512873 45.056888 80.491751 45.122599 80.489404 45.122599 80.475323 45.094437 80.463589 45.141374 80.447161 45.225860 80.454202 45.272796 80.461242 45.300958 80.472977 45.300958 80.503485 45.347895 80.503485 45.413607 80.487058 45.488705 80.487058 45.516867 80.487058 45.554417 80.498792 45.648290 80.503485 45.751551 80.501139 45.779713 80.491751 45.807875 80.475323 45.845424 80.458896 45.948685 80.461242 45.976847 80.444815 46.005009 80.414306 46.080108 80.409612 46.136432 80.421346 46.145819 80.442468 46.145819 80.449508 46.220918 80.442468 46.249080 80.449508 46.192756 80.465936 46.145819 80.482364 46.098882 80.498792 46.089495 80.517566 46.183369 80.522260 46.202143 80.541035 46.098882 80.552769 45.967460 80.562156 45.920523 80.576237 45.911136 80.595012 45.958072 80.618480 45.958072 80.641949 45.967460 80.660723 46.061333 80.660723 46.127044 80.660723 46.155206 80.679498 46.211531 80.679498 46.277242 80.679498 46.286629 80.691232 46.286629 80.710007 46.267855 80.726435 46.333566 80.717047 46.399277 80.717047 46.446214 80.731128 46.474376 80.752250 46.540087 80.752250 46.624574 80.745209 46.690285 80.747556 46.840482 80.756944 46.981292 80.754597 47.103328 80.754597 47.262913 80.752250 47.413110 80.752250 47.591470 80.747556 47.638406 80.724088 47.722892 80.714701 47.779216 80.691232 47.873090 80.688885 47.910639 80.665417 47.948189 80.660723 47.995125 80.660723 48.051449 80.646642 48.145323 80.646642 48.211034 80.644296 48.286133 80.648989 48.370619 80.660723 48.408168 80.648989 48.455105 80.646642 48.586528 80.651336 48.708563 80.663070 48.905697 80.681845 48.896310 80.681845 48.905697 80.695926 48.811824 80.707660 48.708563 80.717047 48.605302 80.733475 48.492654 80.740516 48.464492 80.738169 48.380006 80.752250 48.276745 80.773371 48.107773 80.778065 47.995125 80.794493 47.910639 80.815614 47.835540 80.815614 47.779216 80.817961 47.666568 80.810921 47.619632 80.825002 47.506984 80.822655 47.384948 80.829696 47.384948 80.846123 47.300462 80.848470 47.225363 80.853164 47.169039 80.839083 47.131490 80.841430 47.047004 80.846123 46.990680 80.855511 46.943743 80.846123 46.924968 80.834389 46.896806 80.834389 46.821708 80.843777 46.652736 80.843777 46.577637 80.853164 46.511925 80.860204 # -b 50.062687 80.853164 49.996976 80.853164 # -b 50.006363 80.864898 49.987588 80.878979 49.931264 80.869592 49.884327 80.867245 49.762292 80.860204 49.677806 80.862551 49.630869 80.848470 49.677806 80.846123 49.734130 80.841430 49.677806 80.834389 49.612095 80.822655 49.621482 80.817961 49.687193 80.810921 49.762292 80.801533 49.828003 80.801533 49.931264 80.806227 # -b 50.029831 80.731128 49.964120 80.731128 49.870246 80.735822 49.795148 80.733475 49.738824 80.726435 49.673112 80.735822 49.569852 80.731128 49.504140 80.724088 49.475978 80.717047 49.466591 80.707660 49.485366 80.693579 49.485366 80.686539 49.466591 80.681845 49.410267 80.688885 49.353943 80.691232 49.335168 80.681845 49.278844 80.677151 49.250682 80.667764 49.297619 80.651336 49.278844 80.648989 49.260069 80.648989 49.231907 80.651336 49.194358 80.653683 49.175583 80.653683 49.166196 80.639602 49.231907 80.663070 49.288231 80.653683 49.278844 80.644296 49.213133 80.646642 49.175583 80.651336 49.147421 80.641949 49.044161 80.630215 48.987836 80.623174 48.912738 80.623174 48.856414 80.616134 48.856414 80.606746 48.781315 80.606746 48.668667 80.602053 48.640505 80.609093 48.593568 80.611440 48.527857 80.604399 48.415209 80.592665 48.311948 80.585625 48.302561 80.599706 48.236849 80.609093 48.152363 80.604399 48.086652 80.606746 48.011553 80.613787 47.945842 80.625521 47.870743 80.630215 47.861356 80.623174 47.851968 80.599706 47.786257 80.602053 47.758095 80.609093 47.701771 80.609093 47.589123 80.611440 47.467087 80.613787 47.382601 80.606746 47.316890 80.620827 47.232404 80.630215 47.176080 80.637255 47.110368 80.623174 47.035270 80.616134 46.950784 80.625521 46.875685 80.630215 46.819361 80.627868 46.781811 80.611440 46.669163 80.602053 46.650389 80.590318 46.669163 80.583278 46.631614 80.562156 46.594065 80.548075 46.537741 80.531647 46.528353 80.522260 46.565903 80.503485 46.622227 80.505832 46.706713 80.503485 46.819361 80.512873 46.903847 80.519913 46.941396 80.526954 46.941396 80.505832 46.978946 80.508179 47.147918 80.512873 47.241791 80.487058 47.363827 80.477670 47.391989 80.461242 47.363827 80.451855 47.316890 80.442468 47.298115 80.428387 47.382601 80.426040 47.448313 80.421346 47.514024 80.430734 47.589123 80.430734 47.579735 80.418999 47.551573 80.407265 47.645447 80.400225 47.654834 80.369716 47.579735 80.374409 47.485862 80.367369 47.457700 80.383797 47.354439 80.388491 47.279341 80.395531 47.269953 80.379103 47.213629 80.367369 47.129143 80.372063 47.063432 80.372063 46.988333 80.365022 46.988333 80.353288 46.988333 80.339207 46.894460 80.341554 46.856910 80.322779 46.875685 80.306351 46.819361 80.313392 46.791199 80.313392 46.734875 80.301658 46.669163 80.280536 46.697325 80.259415 46.697325 80.233599 46.622227 80.233599 46.603452 80.217172 46.650389 80.207784 46.725487 80.207784 46.819361 80.191356 46.809973 80.170235 46.856910 80.170235 46.978946 80.179622 46.969558 80.163194 46.875685 80.146766 46.913234 80.142073 46.960171 80.137379 46.922622 80.116258 46.978946 80.111564 47.044657 80.120951 47.138530 80.123298 47.204242 80.127992 47.288728 80.123298 47.391989 80.125645 47.420151 80.135032 47.420151 80.144420 47.476475 80.158501 47.589123 80.170235 47.682996 80.177275 47.720546 80.167888 47.720546 80.149113 47.711158 80.132685 47.682996 80.123298 47.739320 80.125645 47.805032 80.139726 47.851968 80.127992 47.889518 80.102177 47.889518 80.088096 47.861356 80.078708 47.786257 80.076361 47.701771 80.064627 47.645447 80.045853 47.645447 80.031772 47.617285 80.005956 # -b 47.910639 79.989529 47.985738 80.010650 48.013900 80.022384 47.995125 80.038812 48.023287 80.050546 48.088999 80.059934 48.145323 80.043506 48.145323 80.015344 48.220421 80.012997 48.304907 80.020037 48.314295 80.043506 48.361232 80.045853 48.351844 80.057587 48.304907 80.074015 48.314295 80.090442 48.304907 80.123298 48.333069 80.130339 48.417556 80.123298 48.436330 80.104523 48.473880 80.095136 48.567753 80.102177 48.652239 80.085749 48.689788 80.095136 48.689788 80.111564 48.661626 80.132685 48.689788 80.135032 48.774274 80.142073 48.821211 80.120951 48.877535 80.123298 48.943247 80.142073 48.962021 80.160847 48.924472 80.170235 48.858761 80.179622 48.896310 80.181969 48.915085 80.205437 48.868148 80.231253 48.915085 80.221865 48.971409 80.210131 48.990183 80.226559 48.924472 80.247680 48.877535 80.261761 48.858761 80.280536 48.821211 80.292270 48.727338 80.294617 48.661626 80.299311 48.624077 80.304004 48.624077 80.332166 48.605302 80.339207 48.680401 80.341554 48.774274 80.346247 48.821211 80.336860 48.943247 80.336860 49.027733 80.339207 49.065282 80.315739 49.159155 80.322779 49.168543 80.329820 49.290578 80.334513 49.346902 80.329820 49.375064 80.313392 49.412614 80.318085 49.468938 80.329820 49.515874 80.325126 49.534649 80.322779 49.562811 80.318085 49.619135 80.313392 49.684847 80.318085 49.731783 80.332166 49.759945 80.327473 49.806882 80.311045 49.910143 80.313392 49.966467 80.318085 # -b 50.083808 80.437774 49.999322 80.440121 49.914836 80.442468 49.886674 80.458896 49.877287 80.458896 49.896062 80.482364 49.971160 80.484711 # -b 33.463522 80.207784 33.491684 80.212478 33.491684 80.207784 33.491684 80.196050 33.538621 80.179622 33.510459 80.179622 33.416585 80.177275 33.350874 80.179622 33.313325 80.172582 33.200677 80.167888 33.125578 80.146766 33.022317 80.135032 32.947218 80.132685 32.900282 80.118604 32.825183 80.123298 32.703148 80.120951 32.590499 80.113911 32.562337 80.097483 32.430915 80.092789 32.393365 80.081055 32.346429 80.074015 32.280717 80.076361 32.261943 80.071668 32.196231 80.071668 32.092970 80.078708 32.083583 80.081055 32.083583 80.076361 32.064808 80.074015 32.036646 80.066974 32.036646 80.052893 32.008484 80.050546 31.970935 80.048199 31.961548 80.041159 31.952160 80.038812 31.877062 80.038812 31.820738 80.050546 31.698702 80.029425 31.642378 80.043506 31.614216 80.038812 31.557892 80.036465 31.501568 80.024731 31.435857 80.031772 31.435857 80.045853 31.435857 80.057587 31.435857 80.064627 31.370145 80.064627 31.323208 80.071668 31.370145 80.076361 31.445244 80.083402 31.510955 80.097483 31.557892 80.092789 31.661153 80.095136 31.745639 80.109217 31.820738 80.106870 31.933386 80.109217 32.064808 80.132685 32.092970 80.125645 32.177456 80.127992 32.261943 80.142073 32.337041 80.151460 32.374591 80.156154 32.430915 80.158501 32.468464 80.163194 32.534175 80.167888 32.637436 80.170235 32.703148 80.167888 32.759472 80.170235 32.797021 80.186663 32.815796 80.189010 32.881507 80.191356 32.947218 80.205437 32.956606 80.221865 32.975380 80.224212 33.059866 80.217172 33.106803 80.217172 33.172515 80.224212 33.238226 80.217172 33.322712 80.214825 33.416585 80.217172 33.454135 80.217172 33.463522 80.207784 # -b 22.778382 80.512873 22.759607 80.515220 22.759607 80.512873 22.806544 80.498792 22.825318 80.482364 22.909805 80.468283 23.031840 80.472977 23.106939 80.465936 23.182037 80.465936 23.219587 80.454202 23.228974 80.440121 23.200812 80.421346 23.200812 80.407265 23.182037 80.393184 23.078777 80.388491 23.069389 80.381450 23.116326 80.369716 23.135101 80.353288 23.163263 80.343901 23.200812 80.334513 23.238361 80.322779 23.200812 80.306351 23.182037 80.287577 23.172650 80.273496 23.163263 80.254721 23.097551 80.242987 23.041227 80.233599 23.031840 80.217172 23.031840 80.200744 23.003678 80.189010 22.966129 80.174929 22.947354 80.163194 22.928579 80.153807 22.919192 80.139726 22.937967 80.125645 22.975516 80.109217 23.013065 80.102177 23.060002 80.102177 23.069389 80.102177 23.069389 80.102177 23.106939 80.104523 23.153875 80.120951 23.153875 80.132685 23.153875 80.142073 23.182037 80.139726 23.238361 80.142073 23.247749 80.160847 23.257136 80.167888 23.285298 80.163194 23.285298 80.149113 23.294685 80.132685 23.313460 80.132685 23.360397 80.132685 23.379172 80.158501 23.379172 80.177275 23.407334 80.177275 23.435496 80.163194 23.473045 80.142073 23.482432 80.132685 23.482432 80.125645 23.473045 80.113911 23.501207 80.102177 23.557531 80.099830 23.604468 80.116258 23.585693 80.123298 23.576306 80.132685 23.642017 80.132685 23.698341 80.132685 23.726503 80.144420 23.707728 80.153807 23.679566 80.163194 23.660792 80.170235 23.698341 80.172582 23.754665 80.170235 23.810989 80.181969 23.810989 80.191356 23.764053 80.205437 23.726503 80.217172 23.726503 80.233599 23.764053 80.231253 23.820377 80.228906 23.857926 80.233599 23.848539 80.245334 23.773440 80.252374 23.735890 80.257068 23.735890 80.271149 23.773440 80.268802 23.820377 80.254721 23.876701 80.245334 23.951799 80.245334 24.017511 80.245334 24.026898 80.252374 24.026898 80.264108 23.989349 80.273496 23.979961 80.280536 23.998736 80.278189 24.064447 80.261761 24.120771 80.252374 24.186483 80.242987 24.205258 80.242987 24.205258 80.261761 24.148933 80.273496 24.120771 80.280536 24.130159 80.287577 24.177095 80.280536 24.214645 80.271149 24.299131 80.264108 24.374230 80.257068 24.421166 80.240640 24.468103 80.240640 24.524427 80.245334 24.571364 80.245334 24.590138 80.264108 24.646463 80.266455 24.693399 80.259415 24.730949 80.266455 24.768498 80.294617 24.806047 80.315739 24.815435 80.329820 24.815435 80.332166 24.834209 80.334513 24.881146 80.336860 24.890533 80.322779 24.890533 80.301658 24.881146 80.289923 24.862371 80.273496 24.862371 80.257068 24.862371 80.235946 24.862371 80.224212 24.777885 80.217172 24.730949 80.207784 24.655850 80.200744 24.618301 80.191356 24.618301 80.179622 24.618301 80.163194 24.590138 80.151460 24.552589 80.142073 24.524427 80.132685 24.486878 80.113911 24.486878 80.116258 24.524427 80.127992 24.608913 80.137379 24.693399 80.153807 24.730949 80.170235 24.759111 80.186663 24.796660 80.198397 24.834209 80.200744 24.899921 80.207784 24.928083 80.200744 24.946857 80.196050 25.012569 80.193703 25.068893 80.198397 25.087668 80.217172 25.115830 80.228906 25.172154 80.235946 25.284802 80.242987 25.350513 80.242987 25.388062 80.238293 25.369288 80.233599 25.303576 80.233599 25.247252 80.219518 25.219090 80.207784 25.256640 80.200744 25.312964 80.200744 25.341126 80.186663 25.350513 80.170235 25.425612 80.170235 25.444386 80.181969 25.444386 80.198397 25.453774 80.207784 25.510098 80.203091 25.528873 80.186663 25.538260 80.174929 25.566422 80.163194 25.613359 80.165541 25.660295 80.181969 25.697845 80.196050 25.726007 80.191356 25.763556 80.184316 25.782331 80.179622 25.791718 80.179622 25.819880 80.172582 25.810493 80.172582 25.810493 80.170235 25.810493 80.151460 25.782331 80.144420 25.782331 80.139726 25.848042 80.139726 25.894979 80.142073 25.932528 80.146766 25.970078 80.160847 26.017014 80.160847 26.026402 80.151460 26.167212 80.151460 26.270472 80.151460 26.354958 80.151460 26.458219 80.153807 26.533318 80.151460 26.599029 80.139726 26.645966 80.132685 26.664741 80.132685 26.730452 80.139726 26.796164 80.132685 26.843100 80.123298 26.824326 80.102177 26.824326 80.095136 26.880650 80.085749 26.908812 80.074015 26.955748 80.074015 26.955748 80.062280 26.955748 80.055240 26.974523 80.055240 27.040234 80.059934 27.105946 80.062280 27.115333 80.055240 27.134108 80.055240 27.134108 80.038812 27.115333 80.017691 27.105946 80.005956 # -b 19.955139 80.402572 20.030238 80.388491 20.133499 80.409612 20.217985 80.418999 20.302471 80.409612 20.302471 80.390837 20.321245 80.374409 20.358795 80.362675 20.433893 80.346247 20.452668 80.329820 20.424506 80.322779 20.433893 80.299311 20.462055 80.280536 20.555929 80.271149 20.649802 80.280536 20.734288 80.289923 20.743676 80.273496 20.734288 80.252374 20.734288 80.245334 20.781225 80.231253 20.781225 80.219518 20.781225 80.210131 20.781225 80.212478 20.781225 80.207784 20.846936 80.198397 20.959585 80.196050 21.053458 80.196050 21.109782 80.196050 21.222430 80.214825 21.241205 80.217172 21.288141 80.231253 21.306916 80.219518 21.372628 80.212478 21.457114 80.228906 21.494663 80.240640 21.579149 80.233599 21.644860 80.207784 21.748121 80.207784 21.757508 80.228906 21.757508 80.252374 21.785671 80.254721 21.860769 80.266455 21.907706 80.250027 21.898319 80.221865 21.917093 80.198397 21.917093 80.196050 21.841995 80.172582 21.738734 80.151460 21.710572 80.130339 21.541600 80.095136 21.588536 80.099830 21.682410 80.116258 21.795058 80.127992 21.841995 80.130339 21.907706 80.109217 22.001579 80.076361 22.039129 80.038812 22.123615 80.010650 # -b 22.435744 79.991875 22.445131 80.010650 22.370032 80.024731 22.323096 80.034118 22.407582 80.041159 22.426356 80.057587 22.379420 80.074015 22.370032 80.092789 22.351258 80.123298 22.360645 80.149113 22.379420 80.198397 22.407582 80.217172 22.426356 80.247680 22.426356 80.261761 22.445131 80.280536 22.445131 80.292270 22.445131 80.306351 22.416969 80.315739 22.323096 80.318085 22.323096 80.339207 22.351258 80.355635 22.379420 80.381450 22.379420 80.400225 22.379420 80.402572 22.435744 80.400225 22.501455 80.407265 22.539005 80.407265 22.548392 80.367369 22.614103 80.346247 22.632878 80.322779 22.717364 80.329820 22.792463 80.334513 22.792463 80.346247 22.801850 80.357982 22.783075 80.362675 22.792463 80.397878 22.820625 80.421346 22.811237 80.428387 22.792463 80.458896 22.792463 80.475323 22.764301 80.494098 22.764301 80.505832 22.754913 80.505832 22.764301 80.512873 22.783075 80.512873 # -b 15.996028 79.998916 16.099289 80.012997 16.183775 80.050546 16.305810 80.062280 16.409071 80.036465 16.512332 80.031772 16.559269 80.017691 16.559269 80.010650 # -b 18.730091 79.989529 18.814577 80.003610 18.870901 80.017691 18.880289 80.029425 18.823965 80.024731 18.720704 80.017691 18.645605 80.012997 18.561119 80.012997 18.504795 80.012997 18.495408 80.024731 18.457858 80.027078 18.429696 80.034118 18.392147 80.034118 18.382760 80.020037 18.345210 80.015344 18.317048 80.015344 18.279499 80.022384 18.204400 80.024731 18.157463 80.045853 18.091752 80.045853 18.063590 80.066974 18.082365 80.074015 18.138689 80.076361 18.138689 80.090442 18.063590 80.102177 18.035428 80.123298 18.016653 80.132685 17.950942 80.142073 17.904005 80.132685 17.847681 80.137379 17.810132 80.139726 17.781970 80.139726 17.763195 80.142073 17.650547 80.132685 17.547286 80.125645 17.547286 80.142073 17.622385 80.160847 17.753808 80.189010 17.828906 80.193703 17.913393 80.179622 18.035428 80.181969 18.091752 80.181969 18.101139 80.174929 18.119914 80.160847 18.204400 80.160847 18.317048 80.167888 18.410922 80.160847 18.476633 80.170235 18.561119 80.144420 18.654992 80.142073 18.701929 80.170235 18.720704 80.186663 18.786415 80.179622 18.852127 80.172582 18.908451 80.163194 18.908451 80.139726 18.908451 80.123298 18.983549 80.118604 19.086810 80.106870 19.096197 80.085749 19.161909 80.066974 19.161909 80.048199 19.274557 80.015344 19.359043 80.001263 19.424754 80.012997 19.424754 80.024731 19.405980 80.052893 19.405980 80.069321 19.359043 80.088096 19.387205 80.081055 19.452916 80.074015 19.509240 80.083402 19.462304 80.095136 19.452916 80.104523 19.424754 80.111564 19.387205 80.132685 19.415367 80.132685 19.490466 80.125645 19.565564 80.116258 19.603114 80.123298 19.603114 80.135032 19.565564 80.146766 19.509240 80.158501 19.405980 80.160847 19.330881 80.163194 19.283944 80.179622 19.171296 80.172582 19.133747 80.198397 19.124359 80.205437 19.068035 80.221865 19.039873 80.228906 19.039873 80.242987 19.096197 80.252374 19.096197 80.271149 19.096197 80.282883 19.086810 80.299311 19.086810 80.313392 19.077423 80.336860 19.077423 80.350941 19.124359 80.332166 19.190071 80.315739 19.255782 80.292270 19.340268 80.275842 19.387205 80.247680 19.415367 80.224212 19.481078 80.210131 19.528015 80.214825 19.574952 80.214825 19.659438 80.207784 19.725149 80.189010 19.781473 80.167888 19.828410 80.177275 19.837797 80.189010 19.856572 80.198397 19.856572 80.200744 19.856572 80.214825 19.828410 80.224212 19.828410 80.221865 19.762699 80.228906 19.734537 80.247680 19.734537 80.252374 19.800248 80.259415 19.800248 80.280536 19.828410 80.301658 19.800248 80.306351 19.772086 80.327473 19.828410 80.325126 19.847185 80.325126 19.847185 80.327473 19.790861 80.327473 19.743924 80.334513 19.734537 80.341554 19.762699 80.348594 19.847185 80.362675 19.884734 80.374409 19.865959 80.383797 19.781473 80.374409 19.725149 80.374409 19.715762 80.393184 19.715762 80.402572 19.678213 80.404918 19.640663 80.383797 19.612501 80.365022 19.584339 80.367369 19.574952 80.383797 19.546790 80.388491 19.509240 80.386144 19.490466 80.393184 19.443529 80.407265 19.443529 80.426040 19.490466 80.454202 19.518628 80.468283 19.565564 80.475323 19.603114 80.451855 19.668825 80.442468 19.678213 80.465936 19.668825 80.487058 19.668825 80.501139 19.706375 80.515220 19.743924 80.515220 19.762699 80.491751 19.800248 80.465936 19.959833 80.465936 19.987995 80.449508 19.950445 80.416653 19.959833 80.402572 asymptote-2.62/examples/stereoscopic.asy0000644000000000000000000000025213607467113017233 0ustar rootrootimport three; currentprojection=perspective(50*dir(70,15)); picture pic; unitsize(pic,1cm); draw(pic,xscale3(10)*unitcube,yellow,blue); addStereoViews(pic); asymptote-2.62/examples/cos3.asy0000644000000000000000000000110613607467113015377 0ustar rootrootimport graph3; import palette; size(12cm,IgnoreAspect); currentprojection=orthographic(1,-2,1); real f(pair z) {return abs(cos(z));} real Arg(triple v) {return degrees(cos((v.x,v.y)),warn=false);} surface s=surface(f,(-pi,-2),(pi,2),20,Spline); s.colors(palette(s.map(Arg),Wheel())); draw(s,render(compression=Low,merge=true)); real xmin=point((-1,-1,-1)).x; real xmax=point((1,1,1)).x; draw((xmin,0,0)--(xmax,0,0),dashed); xaxis3("$\mathop{\rm Re} z$",Bounds,InTicks); yaxis3("$\mathop{\rm Im} z$",Bounds,InTicks(beginlabel=false)); zaxis3("$|\cos(z)|$",Bounds,InTicks); asymptote-2.62/examples/cones.asy0000644000000000000000000000067513607467113015651 0ustar rootrootimport solids; size(200); currentprojection=orthographic(5,4,2); render render=render(compression=Low,merge=true); revolution upcone=cone(-Z,1,1); revolution downcone=cone(Z,1,-1); draw(surface(upcone),green,render); draw(surface(downcone),green,render); draw(upcone,5,blue,longitudinalpen=nullpen); draw(downcone,5,blue,longitudinalpen=nullpen); revolution cone=shift(2Y-2X)*cone(1,1); draw(surface(cone),green,render); draw(cone,5,blue); asymptote-2.62/examples/parametricelevation.asy0000644000000000000000000000037613607467113020576 0ustar rootrootimport graph3; import palette; size(200); currentprojection=orthographic(4,2,4); triple f(pair z) {return expi(z.x,z.y);} surface s=surface(f,(0,0),(pi,2pi),10,Spline); draw(s,mean(palette(s.map(zpart),BWRainbow())),black,nolight,render(merge=true)); asymptote-2.62/examples/circumcircle.asy0000644000000000000000000000034413607467113017177 0ustar rootrootunitsize(1inch); path tri=(0,0)--(1,0)--(2,1)--cycle; pair p1=point(tri,0.5); pair p2=point(tri,1.5); pair z0=extension(p1,p1+I*dir(tri,0.5),p2,p2+I*dir(tri,1.5)); dot(z0); draw(circle(z0,abs(z0-point(tri,0)))); draw(tri,red); asymptote-2.62/examples/sphereskeleton.asy0000644000000000000000000000024513607467113017566 0ustar rootrootsize(100); import solids; currentprojection=orthographic(5,4,2); revolution sphere=sphere(1); draw(surface(sphere),green+opacity(0.2)); draw(sphere,m=7,blue); asymptote-2.62/examples/log.asy0000644000000000000000000000031613607467113015313 0ustar rootrootimport graph; size(150,0); real f(real x) {return log(x);} pair F(real x) {return (x,f(x));} xaxis("$x$",0); yaxis("$y$"); draw(graph(f,0.01,10,operator ..)); labelx(1,SSE); label("$\log x$",F(7),SE); asymptote-2.62/examples/linearregression.asy0000644000000000000000000000356413607467113020115 0ustar rootrootimport graph3; import math; // for the leastsquares routine Billboard.targetsize = true; // Perspective should not affect the labels. currentprojection = perspective(60 * (5, 2, 3)); file duncan = input("linearregression.dat"); string headers = duncan; real[][] independentvars; real[] dependentvars; while (!eof(duncan)) { string line = duncan; string[] entries = split(line); if (entries.length < 5) continue; string type = entries[1]; real income = (real)(entries[2]); real education = (real)(entries[3]); real prestige = (real)(entries[4]); // include 1.0 for the residue independentvars.push(new real[] {income, education, 1.0}); dependentvars.push(prestige); } real[] coeffs = leastsquares(independentvars, dependentvars, warn=false); if (coeffs.length == 0) { abort("Unable to find regression: independent variables are " + "linearly dependent."); } real f(pair xy) { return coeffs[0] * xy.x // income + coeffs[1] * xy.y // education + coeffs[2]; // residue } real xmin = infinity, xmax = -infinity, ymin = infinity, ymax = -infinity; for (real[] row : independentvars) { if (row[0] < xmin) xmin = row[0]; if (row[0] > xmax) xmax = row[0]; if (row[1] < ymin) ymin = row[1]; if (row[1] > ymax) ymax = row[1]; } // Draw the plane draw(surface(f, (xmin, ymin), (xmax, ymax)), surfacepen=emissive(blue + opacity(0.6)), meshpen = blue); for (int ii = 0; ii < independentvars.length; ++ii) { triple pt = (independentvars[ii][0], independentvars[ii][1], dependentvars[ii]); draw(shift(pt) * unitsphere, material(yellow, emissivepen=0.2*yellow)); real z = f((pt.x, pt.y)); if (pt.z > z) draw (pt -- (pt.x, pt.y, z), green); else draw(pt -- (pt.x, pt.y, z), red); } xaxis3("income", Bounds(Min, Min), InTicks); yaxis3("education", Bounds(Min, Min), InTicks); zaxis3("prestige", Bounds(Min, Min), InTicks); asymptote-2.62/examples/unitcircle.asy0000644000000000000000000000050213607467113016670 0ustar rootrootsize(0,150); pair z0=0; pair z1=1; real theta=30; pair z=dir(theta); draw(circle(z0,1)); filldraw(z0--arc(z0,1,0,theta)--cycle,lightgrey); dot(z0); dot(Label,z1); dot("$(x,y)=(\cos\theta,\sin\theta)$",z); arrow("area $\frac{\theta}{2}$",dir(0.5*theta),2E); draw("$\theta$",arc(z0,0.7,0,theta),LeftSide,Arrow,PenMargin); asymptote-2.62/examples/fjortoft.asy0000644000000000000000000000130613607467113016367 0ustar rootrootsize(15cm,0); pair d=(1.5,1); real s=d.x+1; picture box(string s) { picture pic; draw(pic,box(0,d)); label(pic,s,d/2); return pic; } add(box("$k_1$")); add(shift(s)*box("$k_2$")); add(shift(s)^2*box("$k_3$")); path g=(d.x,d.y/2)--(s,d.y/2); path G=(d.x/2,-(s-d.x))--(d.x/2,0); draw(Label(baseline("$\ldots$")),shift(-s)*g,BeginArrow,BeginPenMargin); draw(Label("$Z_1$"),g,BeginArrow,BeginPenMargin); draw(Label("$E_1$",LeftSide),g,Blank); draw(Label("$Z_3$"),shift(s)*g,Arrow,PenMargin); draw(Label("$E_3$",LeftSide),shift(s)*g,Blank); draw(Label("$Z_2$"),shift(s)*G,Arrow,PenMargin); draw(Label("$E_2$",LeftSide),shift(s)*G,Blank); draw(Label(baseline("$\ldots$")),shift(s)^2*g,Arrow,PenMargin); asymptote-2.62/examples/spring2.asy0000644000000000000000000000005313607467113016114 0ustar rootrootimport spring; drawspring(40.0,"$L+x$"); asymptote-2.62/examples/spiral.asy0000644000000000000000000000032213607467113016021 0ustar rootrootsize(0,150); import graph; real f(real t) {return exp(-t/(2pi));} draw(polargraph(f,0,20*pi,operator ..)); xaxis("$x$",-infinity,1.3); yaxis("$y$",-infinity,1); labelx(1); labelx("$e^{-1}$",1.0/exp(1),SE); asymptote-2.62/examples/refs.bib0000644000000000000000000000300113607467113015423 0ustar rootroot@ARTICLE{Hobby86, AUTHOR = "John D. Hobby", TITLE = "Smooth, Easy to Compute Interpolating Splines", JOURNAL = "Discrete Comput. Geom.", YEAR = 1986, VOLUME = 1, PAGES = "123-140"} @BOOK{Knuth86b, AUTHOR = "Donald E. Knuth", TITLE = "The \MF{}book", PUBLISHER = "Addison-Wesley", YEAR = 1986, ADDRESS = "Reading, Massachusetts"} @article{Bowman07, title={{The 3D {A}symptote generalization of MetaPost B\'ezier interpolation}}, author={John C. Bowman}, journal={Proceedings in Applied Mathematics and Mechanics}, volume={7}, number={1}, pages={2010021-2010022}, year={2007} } @article{Bowman08, title={Asymptote: A vector graphics language}, author={John C. Bowman and Andy Hammerlindl}, journal={TUGboat: The Communications of the \TeX\ Users Group}, volume={29}, number={2}, pages={288-294}, year={2008} } @article{Bowman09, title={Asymptote: Lifting {\TeX} to three dimensions}, author={John C. Bowman and Orest Shardt}, journal={TUGboat: The Communications of the \TeX\ Users Group}, volume={30}, number={1}, pages={58-63}, year={2009} } @article{Shardt12, title={Surface Parametrization of Nonsimply Connected Planar {B\'ezier} Regions}, author={Orest Shardt and John C. Bowman}, journal = {Computer-Aided Design}, volume={44}, number={5}, pages={484.e1-10}, year={2012}, } asymptote-2.62/examples/hyperboloidsilhouette.asy0000644000000000000000000000041313607467113021156 0ustar rootrootsize(200); import solids; settings.render=0; settings.prc=false; currentprojection=perspective(4,4,3); revolution hyperboloid=revolution(graph(new triple(real z) { return (sqrt(1+z*z),0,z);},-2,2,20,operator ..),axis=Z); draw(hyperboloid.silhouette(64),blue); asymptote-2.62/examples/sinxlex.asy0000644000000000000000000000060113607467113016221 0ustar rootrootimport geometry; size(0,100); real theta=30; pair A=(0,0); pair B=dir(theta); pair C=(1,0); pair D=(1,Tan(theta)); pair E=(Cos(theta),0); filldraw(A--C{N}..B--cycle,lightgrey); draw(B--C--D--cycle); draw(B--E); draw("$x$",arc(C,A,B,0.7),RightSide,Arrow,PenMargin); dot("$A$",A,W); dot("$B$",B,NW); dot("$C$",C); dot("$D$",D); dot(("$E$"),E,S); label("$1$",A--B,LeftSide); asymptote-2.62/examples/limit.asy0000644000000000000000000000121613607467113015650 0ustar rootrootsize(200,200,IgnoreAspect); import graph; real L=1; real epsilon=0.25; real a(int n) {return L+1/n;} for(int i=1; i < 20; ++i) dot((i,a(i))); real N=1/epsilon; xaxis(Label("$n$",align=2S)); yaxis(Label("$a_n$",0.85)); xtick("$2$",2); ytick("$\frac{3}{2}$",3/2); ytick("$2$",2); yequals(Label("$L$",0,up),L,extend=true,blue); yequals(Label("$L+\epsilon$",1,NW),L+epsilon,extend=true,red+dashed); yequals(Label("$L-\epsilon$",1,SW),L-epsilon,extend=true,red+dashed); xequals(N,extend=true,darkgreen+dashed); labelx(shift(0,-10)*"$N=\frac{1}{\epsilon}$",N,E,darkgreen); label("$a_n=1+\frac{1}{n},\quad \epsilon=\frac{1}{4}$",point((0,1)),10S+E); asymptote-2.62/examples/fano.asy0000644000000000000000000000076213607467113015462 0ustar rootrootimport math; size(100,0); pair z4=(0,0); pair z7=(2,0); pair z1=point(rotate(60)*(z4--z7),1); pair z5=interp(z4,z7,0.5); pair z3=interp(z7,z1,0.5); pair z2=interp(z1,z4,0.5); pair z6=extension(z4,z3,z7,z2); draw(z4--z7--z1--cycle); draw(z4--z3); draw(z7--z2); draw(z1--z5); draw(circle(z6,abs(z3-z6))); label("1",z1,dir(z5--z1)); label("2",z2,dir(z7--z2)); label("3",z3,dir(z4--z3)); label("4",z4,dir(z3--z4)); label("5",z5,dir(z1--z5)); label("6",z6,2.5E+0.1*N); label("7",z7,dir(z2--z7)); asymptote-2.62/examples/logdown.asy0000644000000000000000000000053513607467113016206 0ustar rootrootimport graph; size(200,IgnoreAspect); real log10Down(real x) {return -log10(x);} real pow10Down(real x) {return pow10(-x);} scaleT LogDown=scaleT(log10Down,pow10Down,logarithmic=true); scale(Linear,LogDown); draw(graph(exp,-5,5)); yaxis("$y$",RightTicks(Label(Fill(white)),DefaultLogFormat),BeginArrow); xaxis("$x$",LeftTicks(NoZero),EndArrow); asymptote-2.62/examples/clockarray.asy0000644000000000000000000000137213607467113016667 0ustar rootrootint nx=3; int ny=4; real xmargin=1cm; real ymargin=xmargin; size(settings.paperwidth,settings.paperheight); picture pic; real width=settings.paperwidth/nx-xmargin; real height=settings.paperheight/ny-ymargin; if(width <= 0 || height <= 0) abort("margin too big"); size(pic,width,height); pen p=linewidth(0.5mm); draw(pic,unitcircle,p); real h=0.08; real m=0.05; for(int hour=1; hour <= 12; ++hour) { pair z=dir((12-hour+3)*30); label(pic,string(hour),z,z); draw(pic,z--(1-h)*z,p); } for(int minutes=0; minutes < 60; ++minutes) { pair z=dir(6*minutes); draw(pic,z--(1-m)*z); } dot(pic,(0,0)); frame f=pic.fit(); pair size=size(f)+(xmargin,ymargin); for(int i=0; i < nx; ++i) for(int j=0; j < ny; ++j) add(shift(realmult(size,(i,j)))*f); asymptote-2.62/examples/partialsurface.asy0000644000000000000000000000130713607467113017540 0ustar rootrootimport graph3; import palette; size(0,300); currentprojection=perspective(3,-2,2); real V(real r) {return r^4-r^2;} real V(pair pos) {return V(abs(pos));} real R=1/sqrt(2); real z=-0.2; bool active(pair pos) {return abs(pos) < R;} bool above(pair pos) {return V(pos) >= z;} pair a=(-1.5,-1); pair b=(0.5,1); real f=1.2; draw(plane(f*(b.x-a.x,0,z),(0,f*(b.y-a.y),z),(a.x,a.y,z)), lightgrey+opacity(0.5)); surface s=surface(V,a,b,40,Spline,active); draw(s,mean(palette(s.map(new real(triple v) { return above((v.x,v.y)) ? 1 : 0;}), new pen[] {lightblue,lightgreen})),black); xaxis3(Label("$\phi^\dagger\phi$",1),red,Arrow3); zaxis3(Label("$V(\phi^\dagger\phi)$",1),0,0.3,red,Arrow3); asymptote-2.62/examples/billboard.asy0000644000000000000000000000023213607467113016461 0ustar rootrootimport three; size(100); currentprojection=perspective(1,-2,1); draw(unitbox); label("Billboard",X,red,Billboard); label("Embedded",Y,blue,Embedded); asymptote-2.62/examples/tvgen.asy0000644000000000000000000011660613607467113015667 0ustar rootroot/* tvgen - draw pm5544-like television test cards. * Copyright (C) 2007, 2009, 2012, Servaas Vandenberghe. * * The tvgen code below 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public * License along with tvgen: see the file COPYING. If not, write to the * Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, * Boston, MA 02110-1301, USA. * * tvgen-1.2/tvgen.asy http://picaros.org/ftp/soft/tvgen-1.2.tgz * This asy script generates pm5544-like television test cards. The image * parameters were derived from a 1990 recording. The basic parameters * conform to itu-r bt.470, bt.601, and bt.709. There is no unique image * since local variants exist and parameters have varied over time. */ //papertype="a4"; import plain; int verbose=settings.verbose/*+2*/; /* uncomment for debug info */ /* tv dot coordinates --> PS points */ pair tvps(real col, real row, real xd, real yd, int Nv) { real psx, psy; psx=col*xd; psy=(Nv-row)*yd; return (psx,psy); } path tvrect(int lc, int tr, int rc, int br, real xd, real yd, int Nv) { real lx, ty, rx, by; pair[] z; lx=lc*xd; ty=(Nv-tr)*yd; rx=rc*xd; by=(Nv-br)*yd; /* bl br tr tl */ z[0]=(lx, by); z[1]=(rx, by); z[2]=(rx, ty); z[3]=(lx, ty); return z[0]--z[1]--z[2]--z[3]--cycle; } /********************* horizontal castellations ********************/ /* Draw a horizontal red line in the top left and the bottom right * castellation. These testlines disappear if the monitor is not set * in a dot-exact mode. An example is image crop due to overscan. * * For 625 line systems any analog-compatible processing removes * these red testlines since the first halfline of the odd field and * the last halfline of the even field are ignored. A full 576 * visible line frame often results via a final copy paste operation. */ void castelhor(int colortv, int[] rccoll, int[] rccolr, int cmaxi, int Nh, int topdist, int botdist, pen pdef, real xd, real yd, int Nv) { pen pblack, pwhite, pred; int i; pblack = pdef+gray(0.0); pwhite = pdef+gray(1.0); pred = pdef+rgb(0.75, 0, 0); /** top and bottom: white corners. **/ for (i=-1; i<=cmaxi; ++i) { pen pcast; int inext, lc, rc, tr, br; path zzc; inext = i+1; if (inext%2 == 0) { pcast = pwhite; } else { pcast = pblack; } if (i >= 0) { lc = rccolr[i]; } else { lc = 0; } if (inext <= cmaxi) { rc = rccoll[inext]; } else { rc = Nh; } if (i == 0 && colortv > 0 && topdist > 1) { path zzr; zzr = tvrect(lc,0, rc,1, xd,yd,Nv); fill(zzr, p=pred); tr = 1; } else { tr = 0; } zzc = tvrect(lc,tr, rc,topdist, xd,yd,Nv); fill(zzc, p=pcast); if (inext == cmaxi && colortv > 0 && botdist+1 < Nv) { path zzr; zzr = tvrect(lc,Nv-1, rc,Nv, xd,yd,Nv); fill(zzr, p=pred); br = Nv-1; } else { br = Nv; } zzc = tvrect(lc,botdist, rc,br, xd,yd,Nv); fill(zzc, p=pcast); } return; } /********************* vertical castellations ********************/ /* The bottom right red rectangle tests for a non causal color FIR * filter in the receiver. The last 2..4 dots then typically appear * colorless, green, or cyan. * * This stems from the fact that the chroma subcarrier is of lower * bandwidth than luma and thus continues after the last active sample. * These trailing (y,u,v) samples result from an abrupt signal to zero * transition and depend on the transmit and receive filters. Samples * from VHS, system B/G/D/K, system I, or a DVD player output are * different. Nevertheless, a sharpening filter uses this data and so * adds false color to the last dots. */ void castelver(int colortv, int leftdist, int rightdist, int Nh, int[] rcrowb, int[] rcrowt, int rmaxi, pen pdef, real xd, real yd, int Nv) { pen pblack, pwhite; int i; pblack = pdef+gray(0.0); pwhite = pdef+gray(1.0); for (i=0; i0) { pcastr = pdef+rgb(0.75,0.0,0); } else { pcastr = pcastl; } tr=rcrowb[i]; br=rcrowt[i+1]; zzc=tvrect( 0,tr, leftdist,br, xd,yd,Nv); fill(zzc, p=pcastl); zzc=tvrect(rightdist,tr, Nh,br, xd,yd,Nv); fill(zzc, p=pcastr); } return; } /********************* image aspect ratio markers ********************/ void rimarkers(real rimage, int Nh, int Nhc, int os, int Nvc, int Nsy, pen pdef, real xd, real yd, int Nv) { int[] ridefN={ 4, 16 }; int[] ridefD={ 3, 9 }; int i; for (i=0; i<2; ++i) { real rid=ridefN[i]/ridefD[i]; if (rimage>rid) { int off, offa, offb; /* Nhdef=Nh*rid/rimage */ off=round(Nh*rid/rimage/2); offa=off+os; offb=off-os; // write(offa,offb); if (2*offa 0) { /* black, vertical gridlines redrawn below */ pair[] z; int col; z[0]=rcright[divsy]; col = rccolc[divsx+1]; z[1]=tvps(col,rcrowc[divsy], xd,yd,Nv); z[2]=tvps(col,rcrowc[divsy-1], xd,yd,Nv); col = rccolc[divsx]; z[3]=tvps(col,rcrowc[divsy-1], xd,yd,Nv); z[4]=tvps(col,rcrowc[divsy], xd,yd,Nv); z[5]=rcleft[divsy]; z[6]=rcleft[divsy+1]; z[7]=tvps(col,rcrowc[divsy+1], xd,yd,Nv); z[8]=tvps(col,rcrowc[divsy+2], xd,yd,Nv); col = rccolc[divsx+1]; z[9]=tvps(col,rcrowc[divsy+2], xd,yd,Nv); z[10]=tvps(col,rcrowc[divsy+1], xd,yd,Nv); z[11]=rcright[divsy+1]; fill(z[1]--z[2]--z[3]--z[4] //--z[5]--z[6] --arc(ccenter, z[5], z[6]) --z[7]--z[8]--z[9]--z[10] //--z[11]--z[0] --arc(ccenter,z[11], z[0]) --cycle, p=pblack); } else { /* 3 rows of black squares inside the gratings */ int i, imax = divsy+1; for (i=divsy-1; i<=imax; ++i) { /* all 3 rows */ int lmaxoff, lmincol, lmaxcol; int inext = i+1; int tr, br, j; /* XXX rcoff is relative to ccenter */ lmaxoff = min(floor(rcoff[i]), floor(rcoff[inext])); lmincol = Nhc-lmaxoff; lmaxcol = Nhc+lmaxoff; /* square top and bottom */ tr = rcrowb[i]; br = rcrowt[inext]; for (j=0; j 1) { write("centerline long : rows tr br ", rows, tr, br); } zz=tvrect(Nhc-os, tr, Nhc+os, br, xd,yd,Nv); fill(zz, p=pwhite); zz=tvrect(Nhc-maxoff,Nvc-1, Nhc+maxoff,Nvc+1, xd,yd,Nv); fill(zz, p=pwhite); /* vertical short lines */ rows=min(Nvc-rcrowc[divsy], rcrowc[divsy+1]-Nvc); tr=Nvc-rows; br=Nvc+rows; if (verbose > 1) { write("centerline short: rows tr br ", rows, tr, br); } if (colortv > 0) { int i; for (i=0; i<=cmaxi; ++i) { int coll, colr; coll=rccoll[i]; colr=rccolr[i]; if (mincol<=coll && colr<=maxcol) { path zzv; zzv=tvrect(coll, tr, colr, br, xd,yd,Nv); fill(zzv, p=pwhite); } } } return; } /************************ topbw **************************************/ void topbw(int[] coff, int Nhc, int os, int urow, int trow, int brow, pair ccenter, pair rclt, pair rclb, pair rcrt, pair rcrb, pen pdef, real xd, real yd, int Nv) { pen pblack=pdef+gray(0.0), pwhite=pdef+gray(1.0); pair[] ze; path zext, zref, zint; int off, col, cr; off=ceil((coff[2]+coff[3])/2); ze[0]=tvps(Nhc+off,trow, xd,yd,Nv); ze[1]=rcrt; ze[2]=rclt; ze[3]=tvps(Nhc-off,trow, xd,yd,Nv); ze[4]=tvps(Nhc-off,brow, xd,yd,Nv); col=Nhc-coff[2]-os; ze[5]=tvps(col,brow, xd,yd,Nv); ze[6]=tvps(col,trow, xd,yd,Nv); cr=col+3*os; /* reflection test black pulse */ zref=tvrect(col,trow, cr,brow, xd,yd,Nv); ze[7]=tvps(cr,trow, xd,yd,Nv); ze[8]=tvps(cr,brow, xd,yd,Nv); ze[9]=tvps(Nhc+off,brow, xd,yd,Nv); //dot(ze); zext=ze[0] // --ze[1]--ze[2] --arc(ccenter, ze[1], ze[2]) --ze[3]--ze[4]--ze[5]--ze[6]--ze[7]--ze[8]--ze[9]--cycle; off=ceil((coff[1]+coff[2])/2); zint=tvrect(Nhc-off,urow, Nhc+off,trow, xd,yd,Nv); /* paths are completely resolved; no free endpoint conditions */ fill(zext^^reverse(zint), p=pwhite); fill(zint, p=pblack); fill(zref, p=pblack); fill(arc(ccenter,rclt,rclb)--ze[4]--ze[3]--cycle, p=pblack); fill(arc(ccenter,rcrb,rcrt)--ze[0]--ze[9]--cycle, p=pblack); return; } /************************ testtone **************************************/ /* x on circle -> return y>=0 * in: * x x-coordinate relative to origin * crad circle radius in y units, true size=crad*yd */ real testcircx(real x, real crad, real xd, real yd) { real relx, ph, y; relx=x*xd/yd/crad; if (relx>1) { ph=0; } else { ph=acos(relx); } y=crad*sin(ph); // or (x*xd)^2+(y*yd)^2=(crad*yd)^2 return y; } /* y on circle -> return x>=0 */ real testcircy(real y, real crad, real xd, real yd) { real rely, ph, x; rely=y/crad; if (rely>1) { ph=pi/2; } else { ph=asin(rely); } x=crad*cos(ph)*yd/xd; // or (x*xd)^2+(y*yd)^2=(crad*yd)^2 return x; } /* brow>trow && xb>xt */ void testtone(real Tt, int trow, int brow, real ccol, real crow, real crad, pen pdef, real xd, real yd, int Nv) { int blocks, i; real yt, xt, yb, xb, Ttt=Tt/2; pair ccenter; yt=crow-trow; xt=testcircy(yt, crad, xd, yd); yb=crow-brow; xb=testcircy(yb, crad, xd, yd); //write('#xt yt\t',xt,yt); write('#xb yb\t',xb,yb); ccenter=tvps(ccol,crow, xd,yd,Nv); blocks=floor(2*xb/Tt); for (i=-blocks-1; i<=blocks; ++i) { real tl, tr; path zz; tl=max(-xb,min(i*Ttt,xb)); /* limit [-xb..xb] */ tr=max(-xb,min((i+1)*Ttt,xb)); if (tl<-xt && tr<=-xt || tr>xt && tl>=xt) { /* top full circle */ pair[] z; real yl, yr; yl=testcircx(tl, crad, xd, yd); yr=testcircx(tr, crad, xd, yd); z[0]=tvps(ccol+tl,brow, xd,yd,Nv); z[1]=tvps(ccol+tr,brow, xd,yd,Nv); z[2]=tvps(ccol+tr,crow-yr, xd,yd,Nv); z[3]=tvps(ccol+tl,crow-yl, xd,yd,Nv); zz=z[0]--z[1]--arc(ccenter,z[2],z[3])--cycle; } else if(tl<-xt) { /* tl in circel, tr not, partial */ pair[] z; real yl; yl=testcircx(tl, crad, xd, yd); z[0]=tvps(ccol+tl,brow, xd,yd,Nv); z[1]=tvps(ccol+tr,brow, xd,yd,Nv); z[2]=tvps(ccol+tr,trow, xd,yd,Nv); z[3]=tvps(ccol-xt,trow, xd,yd,Nv); z[4]=tvps(ccol+tl,crow-yl, xd,yd,Nv); zz=z[0]--z[1]--z[2]--arc(ccenter,z[3],z[4])--cycle; } else if(tr>xt) { /* tr in circle, tl not, partial */ pair[] z; real yr; yr=testcircx(tr, crad, xd, yd); z[0]=tvps(ccol+tl,brow, xd,yd,Nv); z[1]=tvps(ccol+tr,brow, xd,yd,Nv); z[2]=tvps(ccol+tr,crow-yr, xd,yd,Nv); z[3]=tvps(ccol+xt,trow, xd,yd,Nv); z[4]=tvps(ccol+tl,trow, xd,yd,Nv); zz=z[0]--z[1]--arc(ccenter,z[2],z[3])--z[4]--cycle; } else { /* full block */ pair[] z; z[0]=tvps(ccol+tr,trow, xd,yd,Nv); z[1]=tvps(ccol+tl,trow, xd,yd,Nv); z[2]=tvps(ccol+tl,brow, xd,yd,Nv); z[3]=tvps(ccol+tr,brow, xd,yd,Nv); zz=z[0]--z[1]--z[2]--z[3]--cycle; } if (tl1) { thetaret=0; } else { real dpi=2*pi; cycles-=coverflow*sgn(cycles); thetaret=theta+cycles*dpi; /* cycles=(-1 .. 1) */ if (thetaret>pi) { thetaret-=dpi; } else if (thetaret<-pi) { thetaret-=dpi; } } //write("addphase: ", step, theta, thetaret); return thetaret; } void testfreqs(real[] ftones, int[] coff, int Nhc, int trow,int crow,int brow, pair ccenter, pair rclt, pair rclb, pair rcrt, pair rcrb, pen pdef, real xd, real yd, int Nv) { int[] divc; real[] divfl, divfr; int i, divs, coffmax, off, divnext; real fl, fr, thr, thl; /* Segment info for PAL continental test card * segment i extends from (divc[i] .. divc[i+1]) with frequency divf[i] */ divs=2; // the number of segments to the right, total=2*divs+1 divc[0]=0; for (i=0; i<=divs; ++i) { int ii=i*2, il=divs-i, ir=divs+i; divc[i+1]=ceil((coff[ii]+coff[ii+1])/2); /* xdot distance to center */ divfl[i]=ftones[divs-i]; divfr[i]=ftones[divs+i]; } coffmax=divc[divs+1]; int trowlim=coff[0]; int tr; tr=crow; divnext=0; fl=0; fr=0; thl=0; /* ={ 0, -pi/2 } : initial angle at center vertical line Nhc */ thr=thl; /* draw a vertical line at off..off+1, use theta for off+1/2 */ for (off=0; off0) { if (verbose > 1) write("right ears"); cy=cyr; cu=cur; cv=cvr; } else { if (verbose > 1) write("left ears"); cy=cyl; cu=cul; cv=cvl; } lcol=Nhc+dright*coffa[5]; ccol=Nhc+dright*coff[6]; cicol=Nhc+dright*coffa[6]; rcol=Nhc+dright*coffb[7]; int urow, trow, crow, brow, arow; urow=rcrowb[divsy-5]; trow=rcrowt[divsy-3]; crow=Nvc; brow=rcrowb[divsy+4]; arow=rcrowt[divsy+6]; z[0]=tvps(ccol,urow, xd,yd,Nv); z[1]=tvps(ccol,trow, xd,yd,Nv); z[2]=tvps(cicol,trow, xd,yd,Nv); z[3]=tvps(cicol,crow, xd,yd,Nv); z[4]=tvps(rcol,crow, xd,yd,Nv); z[5]=tvps(rcol,urow, xd,yd,Nv); zz[0]=z[0]--z[1]--z[2]--z[3]--z[4]--z[5]--cycle; zz[1]=tvrect(lcol,urow, ccol,trow, xd,yd,Nv); zz[2]=tvrect(lcol,brow, ccol,arow, xd,yd,Nv); z[0]=tvps(ccol,arow, xd,yd,Nv); z[1]=tvps(ccol,brow, xd,yd,Nv); z[2]=tvps(cicol,brow, xd,yd,Nv); z[3]=tvps(cicol,crow, xd,yd,Nv); z[4]=tvps(rcol,crow, xd,yd,Nv); z[5]=tvps(rcol,arow, xd,yd,Nv); zz[3]=z[0]--z[1]--z[2]--z[3]--z[4]--z[5]--cycle; for (i=0; i<4; ++i) { real y, u, v, A, ph, By, Ry, Gy, R, G, B; y=cy[i]; u=cu[i]; v=cv[i]; A=hypot(u,v); ph= (u!=0 || v!=0) ? atan2(v,u) : 0.0; if (v>=0) { if (ph<0) ph=ph+pi; } else { if (ph>0) ph=ph-pi; } if (A>0) { u=u/A*cI; v=v/A*cI; } By=u/wu; Ry=v/wv; Gy=(-wr*Ry-wb*By)/wg; //write(y,Gy,A,ph*180/pi); R=Ry+y; G=Gy+y; B=By+y; if (verbose > 1) write(y*1000, round(R*1000), round(G*1000), round(B*1000)); fill(zz[i], p=pdef+rgb(R,G,B)); } return; } /****************************** NTSC bars ***********************************/ /* amplitude equals color burst smpte (pm: -V +U) * y campl sat R G B * left 0.5 0.21 70% -I? * right 0.5 0.17 60% +Q? */ void ntscbars(int[] rccoll, int[] rccolr, int divsx, int[] rcrowt, int[] rcrowb, int divsy, int dright, pen pdef, real xd, real yd, int Nv) { /* The amplitude of (i,q) as seen on a vectorscope, * max 0.292 Vn for 100% saturation in I==0 ears. * burst: 0.143 Vcvbs, 20 IRE or 0.200 V normalized. * pedestal: (yp,up,vp)=(p,0,0)+(1-p)*(y,u,v), p=0.075. * choice: equal amplitude for colorburst and subcarrier. */ real campl=0.200/0.925; /* wg=0.587, y=wr*R+wg*G+wb*B */ real wr=0.299, wb=0.114, wg=1-wr-wb; /* iT : iq -> RyBy : rotation+scaling */ real iT11=0.95, iT12=0.62, iT21=-1.11, iT22=1.71; /* bars -2 -1 0 1 2 */ real[] cyl={ 0.50, 0.50, 1, 0.50, 0.50 }; real[] cil={ 0, 0, 0, -1, 1 }; real[] cql={ -1, 1, 0, 0, 0 }; int[] indl={ -7, -8, 0, 8, 7 }; real cy, ci, cq; int rmaxi, dri, ind, ibase, lcol, rcol, i; rmaxi=2*divsy+1; if (dright<-2 || dright>2) { dri=2; } else { dri=2+dright; } cy=cyl[dri]; ci=cil[dri]; cq=cql[dri]; ind=indl[dri]; ibase=divsx+ind; lcol=rccolr[ibase]; rcol=rccoll[ibase+1]; real A, By, Ry, Gy, R, G, B; A=hypot(ci,cq); if (A>0) { ci=ci/A*campl; cq=cq/A*campl; } Ry=iT11*ci+iT12*cq; By=iT21*ci+iT22*cq; Gy=(-wr*Ry-wb*By)/wg; //write(cy,Ry,Gy,By); R=Ry+cy; G=Gy+cy; B=By+cy; if (verbose > 1) write(ind, cy*1000, round(ci*1000), round(cq*1000), round(R*1000), round(G*1000), round(B*1000)); for (i=0; i0) { trow=rcrowb[i]; } else { trow=floor((rcrowb[i]+rcrowt[inext])/2); } if (inext768 rerastering * 16 720->768 rerastering */ access settings; usersetting(); if (bsys<0 || bsys>12 || colortv<0 || colortv>3 || os<=0 || os>16) { write("Error: bad user input: bsys, colortv, os=\t", bsys, colortv, os); abort("Bad option -u bsys=N ?"); } int[] bNdot= { 12, 16, 12, 16, 1, 1, 1, 64, 10, 8, 10, 1, 1 }; int[] bDdot= { 11, 15, 11, 11, 1, 1, 1, 45, 11, 9, 11, 1, 1 }; int[] bNh= { 704, 720, 720, 720, 768, 768, 786, 720, 704, 720, 720, 1920, 1600 }; int[] bNv= { 576, 576, 576, 576, 576, 576, 576, 576, 480, 480, 480, 1080, 1200 }; real[] bfs= { 13.5,13.5,13.5,13.5, 14.75,14.4,14.75,13.5, 13.5,13.5,13.5, 36, 30 }; int[] bNsy= { 42, 42, 42, 42, 42, 42, 42, 42, 34, 34, 34, 78, 90 }; int[] bNsh= { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 }; /* active lines for a 625 line frame * The number of active video lines decreased around 1997. * old: 3 run in + 575 visible + 3 run out = 581 lines * new: 6 teletext and WSS + 575 visible * Hence the image center shifted down by 3 lines. Thus * old TV + new testcard = bottom is cut off, * new TV + old testcard = top is cut off. * * To generate the old testcard either use Nv=582 Nsh=0 or Nv=576 Nsh=3. * * aspect ratio * rimage=xsize/ysize rimage=rdot*Nh/Nv * Nh=704 dots * Nv=576 lines * rd=ri*Nv/Nh=4/3*9/11=12/11 * * Nv: 480=2^5*3*5 576=2^6*3^2 * Nh: 704=2^6*11 720=2^4*3^2*5 * * horizontal line distance for pre 1997 test pattern * top 8 lines, 13 squares of Ny=43 lines, bottom 9 lines * top 12 lines, 13 squares of Ny=42 lines, bottom 18 lines * pairs are from odd even field * Interlace test: Ny must be odd for a cross-hatch without centerline. * * squares: ly=Nsy, lx=rd*Nsx, lx=ly ==> Nsx=Nsy/rd={ 39.4, 38.5 } * x line width 230 ns -> 3 dots * bottom 2.9us red -> 39.15 dots * * resolution DPI from image aspect ratio * Rv=Nv/ly, ly=4in * ri=Ni/Di, Ni={ 4, 15, 16} Di={ 3, 11, 9} * lx=ri*ly * * Rh=Nh/lx=Di*(Nh/(Ni*ly)) * integer Rh: * Ni=4 ri=4/Di => Nh=k*16 * Ni=15 ri=15/Di => Nh=k*60 * Ni=16 ri=16/Di => Nh=k*64 * * resolution DPI from dot aspect ratio, general algorithm, * * rd=Nd/Dd=ldx/ldy * * assume 1 dot = Nd x Dd square subdots at a resolution of k, in dpi, then * * ldx=Nd/k, ldy=Dd/k ==> Rh=k/Nd, Rv=k/Dd * * choosing k=m*Nd*Dd for integer Rh and Rv gives * * ldx=1/(m*Dd), ldy=1/(m*Nd), Rh=m*Dd, Rv=m*Nd * * and * * lx=Nh*ldx=Nh/(m*Dd), ly=Nv*ldy=Nv/(m*Nd) * * so choose m for the intended height Ly, in inch, as * * m=round(Nv/(Ly*Nd)) * * which limits Ly<=Nv/Nd since Rv>=Nd. */ //cm=72/2.540005; real Ly, ly, lx, ysize, xsize, rimage, xd, yd, pwidth; int Nd, Dd, m, Nh, Nv, Nshift, Na, Nsy; real fs, Ttone; Nd=bNdot[bsys]; Dd=bDdot[bsys]*os; Nh=bNh[bsys]*os; Nv=bNv[bsys]; Ly=4; // 4 inch vertical size m=floor(0.5+Nv/(Ly*Nd)); if (m < 1) m=1; ly=Nv/(m*Nd); lx=Nh/(m*Dd); ysize=ly*1inch; xsize=lx*1inch; rimage=xsize/ysize; if (verbose > 1) { write("#Nd Dd m ri:\t", Nd, Dd, m, rimage); } //size(xsize, ysize, Aspect); // should not have any effect Nsy=bNsy[bsys]; // grating size in lines 42,43 or 34,35 Nshift=bNsh[bsys]; // shift image up: pre 1997 =3, 2007 =0 fs=1e6*bfs[bsys]*os; Na=0; // add 1,0,-1 to height of hor center squares for even Na+Nsy Ttone=fs/250e3; // period of ft=250 kHz, fs/ft=54 real[] ftones={0.8e6/fs, 1.8e6/fs, 2.8e6/fs, 3.8e6/fs, 4.8e6/fs}; xd=xsize/Nh; yd=ysize/Nv; pwidth=min(abs(xd),abs(yd)); pen pdefault = squarecap+linewidth(pwidth); pen pblack = pdefault+gray(0.0); pen pwhite = pdefault+gray(1.0); /**** calculate grating repeats and size in tv dots ****/ /* horizontal lines */ int divsy, rdisty, Nvc, Nt, Nb, rmaxi; Nvc=floor(Nv/2)-Nshift; /* top half picture (Nv-2)/2-(Nsy+Na)/2 dots for divisions of Nsy dots */ divsy=floor(((Nv-2-Na)/Nsy-1)/2); rdisty=Na+Nsy*(1+2*divsy); /* first guess free lines top and bottom */ Nt=Nvc-ceil(rdisty/2); Nb=Nv-Nt-rdisty; if (verbose > 1) { write('#divsy t b: \t', divsy, Nt, Nb); } rmaxi=2*divsy+1; /* Nsyc: center square height * line pairing test: verify distance of center to top and bot * distance is odd ==> top=even/odd, cent=odd/even, bot=even/odd * * Nsyc odd: not possible * * Nsyc even: * Nsyc/2 odd --> OK * Nsyc/2 even --> stagger the raster one line upwards * * rcrowt top dist of hor line * rcrowc true center for color info, distance to top of image. * rcrowb bot dist of hor line * * offd = offu-Nsyc * Nt = Nvc-(offu+divsy*Nsy); * Nb = Nv-( Nvc-(offd-divsy*Nsy) ); * ==> Nt+Nb = Nv-Nsyc-2*divsy*Nsy */ int Nsyc, offu, offd, Nyst=0, i; int[] rcrowt, rcrowc, rcrowb; Nsyc=Nsy+Na; offu=floor(Nsyc/2); offd=offu-Nsyc; if (Nsyc%2 != 0) { Nyst=1; } else if (Nsyc%4 == 0) { Nyst=1; /* stagger */ } for (i=0; i<=divsy; ++i) { int iu, id, ou, od, ru, rd; iu=divsy-i; id=divsy+i+1; ou=offu+Nsy*i; od=offd-Nsy*i; if (verbose > 1) { write(ou,od); } rcrowc[iu]=Nvc-ou; rcrowc[id]=Nvc-od; ru=Nvc-(ou+Nyst); rd=Nvc-(od+Nyst); rcrowt[iu]=ru-1; rcrowb[iu]=ru+1; rcrowt[id]=rd-1; rcrowb[id]=rd+1; } Nt=floor((rcrowt[0]+rcrowb[0])/2); Nb=Nv-Nt-Nsyc-2*Nsy*divsy; if (verbose > 1) { write('#st t b: \t', Nyst, Nt, Nb); } /* vertical lines * (Nh-2*os)/2-Nsx/2 dots available for divisions of Nsx dots. * At least 5 dots margin left and right ==> use -10*os */ real lsq, Nsx, rdistx; int divsx, Nhc, Nl, Nr, cmaxi; lsq=Nsy*yd; Nsx=lsq/xd; /* floating point */ divsx=floor(((Nh-10*os)/Nsx-1)/2); Nhc=round(Nh/2); rdistx=(1+2*divsx)*Nsx; Nl=Nhc-round(rdistx/2); if (verbose > 1) { write('#divsx Nsx l:\t', divsx, Nsx, Nl); } cmaxi=2*divsx+1; int[] coff, coffl, coffr; int[] rccoll, rccolc, rccolr; for (i=0; i<=divsx; ++i) { int off, offl, offr, il, ir; real cdist; cdist=Nsx*(1+2*i); /* horizontal distance 2 symmetrical vert lines */ off=round(cdist/2); // write(cdist, off); offl=off-os; offr=off+os; coff[i]=off; coffl[i]=offl; coffr[i]=offr; if (verbose > 1) { write(cdist, off); } il=divsx-i; ir=divsx+i+1; rccoll[il]=Nhc-offr; rccolc[il]=Nhc-off; rccolr[il]=Nhc-offl; rccoll[ir]=Nhc+offl; rccolc[ir]=Nhc+off; rccolr[ir]=Nhc+offr; } Nl=rccolc[0]; Nr=Nh-rccolc[cmaxi]; if (verbose > 1) { write('#divsx Nsx l r:\t', divsx, Nsx, Nl, Nr); } /**** draw gray background ****/ { path zz; //zz=tvrect(0,0, Nh,Nv, xd,yd,Nv); /* keep white canvas for castellations */ zz=tvrect(rccoll[0],rcrowt[0], rccolr[cmaxi],rcrowb[rmaxi], xd,yd,Nv); fill(zz, p=pdefault+gray(0.5)); //dot(zz); } /**** draw center circle ****/ real cx, cy, crad; pair ccenter; path ccirc; cx=Nh/2; cy=Nv/2-Nshift; crad=6*Nsy; if (Nv%2 != 0) { crad+=0.5; } ccenter=tvps(cx,cy, xd,yd,Nv); ccirc=circle(ccenter, crad*yd); if (colortv<=0) { draw(ccirc, p=pwhite+linewidth(2*yd)); } /**** draw 2*divsy+2 horizontal gridlines ****/ real[] rcang, rcoff; pair[] rcright, rcleft; int i; for (i=0; i<=rmaxi; ++i) { real y, ph, x; path zzh; pair zd; zzh=tvrect(0,rcrowt[i], Nh,rcrowb[i], xd,yd,Nv); fill(zzh, p=pwhite); y=cy-rcrowc[i]; if (abs(y)4/3) { rimarkers(rimage, Nh, Nhc, os, Nvc, Nsy, pwhite, xd, yd, Nv); } /****** line pairing center ******/ centerline(colortv, rccoll, rccolc, rccolr, divsx, Nhc, os, rcrowt, rcrowc, rcrowb, divsy, Nvc, ccenter, rcoff, rcright, rcleft, pdefault, xd, yd, Nv); if (colortv>0) { /* topbw structure */ topbw(coff, Nhc, os, rcrowc[divsy-5], rcrowc[divsy-4], rcrowc[divsy-3], ccenter, rcleft[divsy-4], rcleft[divsy-3], rcright[divsy-4], rcright[divsy-3], pdefault, xd, yd, Nv); /* 250 kHz */ testtone(Ttone, rcrowc[divsy-3], rcrowc[divsy-2], cx, cy, crad, pdefault, xd, yd, Nv); /* color bars */ colorbars(coff, Nhc, rcrowc[divsy-2], rcrowc[divsy-1], rcrowc[divsy], ccenter, rcleft[divsy-2], rcleft[divsy], rcright[divsy-2], rcright[divsy], pdefault, xd, yd, Nv); /* test frequencies */ testfreqs(ftones, coff, Nhc, rcrowc[divsy+1], rcrowc[divsy+2], rcrowc[divsy+3], ccenter, rcleft[divsy+1], rcleft[divsy+3], rcright[divsy+1],rcright[divsy+3], pdefault, xd, yd, Nv); /* gray bars */ graybars(coff, Nhc, rcrowc[divsy+3], rcrowc[divsy+4], ccenter, rcleft[divsy+3], rcleft[divsy+4], rcright[divsy+3], rcright[divsy+4], pdefault, xd,yd,Nv); /* PAL ears */ if (colortv == 1) { palears(coff,coffr,coffl, Nhc, rcrowt, rcrowb, Nvc, divsy, -1, pdefault, xd, yd, Nv); palears(coff,coffr,coffl, Nhc, rcrowt, rcrowb, Nvc, divsy, 1, pdefault, xd, yd, Nv); } else if (colortv == 2) { ntscbars(rccoll, rccolr, divsx, rcrowt, rcrowb, divsy, -1, pdefault, xd, yd, Nv); ntscbars(rccoll, rccolr, divsx, rcrowt, rcrowb, divsy, 1, pdefault, xd, yd, Nv); ntscbars(rccoll, rccolr, divsx, rcrowt, rcrowb, divsy, -2, pdefault, xd, yd, Nv); ntscbars(rccoll, rccolr, divsx, rcrowt, rcrowb, divsy, 2, pdefault, xd, yd, Nv); } /* bottom wh - black - wh */ bottombw(round((coff[2]+coff[3])/2), Nhc, rcrowc[divsy+4], rcrowc[divsy+5], ccenter, rcleft[divsy+4], rcleft[divsy+5], rcright[divsy+4], rcright[divsy+5], pdefault, xd, yd, Nv); /* bottom yellow red circle */ bottomcirc(coff[0], Nhc, rcrowc[divsy+5], cx, cy, crad, ccenter, rcleft[divsy+5], rcright[divsy+5], pdefault, xd, yd, Nv); } /********************** set id *********************/ { /* dpi */ pair rpos=tvps(Nhc,round((rcrowc[divsy-4]+rcrowc[divsy-5])/2), xd,yd,Nv); string iRhor, iRver, ires; real Rh, Rv; Rh=Nh/xsize*inch; Rv=Nv/ysize*inch; iRhor=format("%.4gx", Rh); iRver=format("%.4gdpi", Rv); ires=insert(iRver,0, iRhor); /* size info */ int rowbot=round((rcrowc[divsy+4]+rcrowc[divsy+5])/2); pair tpos=tvps(Nhc,rowbot, xd,yd,Nv); string ihor, iver, itot, iasp, ifm; real asp, fm; ihor=format("%ix",Nh); iver=format("%i ",Nv); itot=insert(iver,0, ihor); asp=xsize/ysize; iasp=format("%.3g ",asp); fm=fs/1e6; ifm=format("%.4gMHz",fm); itot=insert(iasp,0, itot); itot=insert(ifm,0, itot); /* size of square */ int rowNsy, colNsy; pair Npos; string iNsy; pen pbw; rowNsy = round((rcrowc[divsy+5]+rcrowc[divsy+6])/2); colNsy = round((rccolc[divsx+5]+rccolc[divsx+6])/2); Npos = tvps(colNsy,rowNsy, xd,yd,Nv); iNsy = format("%i", Nsy); if (colortv>0) { pbw=pdefault+gray(1.0); } else { pbw=pdefault+gray(0.0); } label(ires, rpos, p=pbw); label(itot, tpos, p=pbw); label(iNsy, Npos, p=pbw); if (verbose > 1) write('#res:\t', ires, itot, iNsy); } asymptote-2.62/examples/near_earth.asy0000644000000000000000000000304113607467113016640 0ustar rootrootimport three; import math; texpreamble("\usepackage{bm}"); size(300,0); pen thickp=linewidth(0.5mm); real radius=0.8, lambda=37, aux=60; currentprojection=perspective(4,1,2); // Planes pen bg=gray(0.9)+opacity(0.5); draw(surface((1.2,0,0)--(1.2,0,1.2)--(0,0,1.2)--(0,0,0)--cycle),bg); draw(surface((0,1.2,0)--(0,1.2,1.2)--(0,0,1.2)--(0,0,0)--cycle),bg); draw(surface((1.2,0,0)--(1.2,1.2,0)--(0,1.2,0)--(0,0,0)--cycle),bg); real r=1.5; pen p=rgb(0,0.7,0); draw(Label("$x$",1),O--r*X,p,Arrow3); draw(Label("$y$",1),O--r*Y,p,Arrow3); draw(Label("$z$",1),O--r*Z,p,Arrow3); label("$\rm O$",(0,0,0),W); // Point Q triple pQ=radius*dir(lambda,aux); draw(O--radius*dir(90,aux),dashed); label("$\rm Q$",pQ,N+3*W); draw("$\lambda$",arc(O,0.15pQ,0.15*Z),N+0.3E); // Particle triple m=pQ-(0.26,-0.4,0.28); real width=5; dot("$m$",m,SE,linewidth(width)); draw("$\bm{\rho}$",(0,0,0)--m,Arrow3,PenMargin3(0,width)); draw("$\bm{r}$",pQ--m,Arrow3,PenMargin3(0,width)); // Spherical octant real r=sqrt(pQ.x^2+pQ.y^2); draw(arc((0,0,pQ.z),(r,0,pQ.z),(0,r,pQ.z)),dashed); draw(arc(O,radius*Z,radius*dir(90,aux)),dashed); draw(arc(O,radius*Z,radius*X),thickp); draw(arc(O,radius*Z,radius*Y),thickp); draw(arc(O,radius*X,radius*Y),thickp); // Moving axes triple i=dir(90+lambda,aux); triple k=unit(pQ); triple j=cross(k,i); draw(Label("$x$",1),pQ--pQ+0.2*i,2W,red,Arrow3); draw(Label("$y$",1),pQ--pQ+0.32*j,red,Arrow3); draw(Label("$z$",1),pQ--pQ+0.26*k,red,Arrow3); draw("$\bm{R}$",O--pQ,Arrow3,PenMargin3); draw("$\omega\bm{K}$",arc(0.9Z,0.2,90,-120,90,160,CW),1.2N,Arrow3); asymptote-2.62/examples/projectrevolution.asy0000644000000000000000000000066613607467113020337 0ustar rootrootimport solids; import palette; currentprojection=orthographic(20,0,3); size(400,300,IgnoreAspect); revolution r=revolution(graph(new triple(real x) { return (x,0,sin(x)*exp(-x/2));},0,2pi,operator ..),axis=Z); surface s=surface(r); surface S=planeproject(shift(-Z)*unitsquare3)*s; S.colors(palette(s.map(zpart),Rainbow())); render render=render(compression=Low,merge=true); draw(S,render); draw(s,lightgray,render); asymptote-2.62/examples/hyperboloid.asy0000644000000000000000000000046413607467113017056 0ustar rootrootsize(200); import solids; currentprojection=perspective(4,4,3); revolution hyperboloid=revolution(graph(new triple(real z) { return (sqrt(1+z*z),0,z);},-2,2,20,operator ..),axis=Z); draw(surface(hyperboloid),green,render(compression=Low,merge=true)); draw(hyperboloid,6,blue,longitudinalpen=nullpen); asymptote-2.62/examples/roundpath.asy0000644000000000000000000000243613607467113016543 0ustar rootroot// example file for 'roundedpath.asy' // written by stefan knorr // import needed packages import roundedpath; // define open and closed path path A = (0,0)--(10,10)--(30,10)--(20,0)--(30,-10)--(10,-10); path B = A--cycle; draw(shift(-60,0)*A, green); draw(shift(-30,0)*roundedpath(A,1), red); // draw open path and some modifications for (int i = 1; i < 20; ++i) draw(roundedpath(A,i/4), rgb(1 - i*0.049, 0, i*0.049) + linewidth(0.5)); draw(shift(-60,-30)*B, green); draw(shift(-30,-30)*roundedpath(B,1), red); //draw closed path and some modifications for (int i = 1; i < 20; ++i) // only round edges draw(shift(0,-30)*roundedpath(B,i/4), rgb(0.5, i*0.049,0) + linewidth(0.5)); for (int i = 1; i < 20; ++i) // round edged and scale draw(shift(0,-60)*roundedpath(B,i/4,1-i/50), rgb(1, 1 - i*0.049,i*0.049) + linewidth(0.5)); for (int i = 1; i < 50; ++i) // shift (round edged und scaled shifted version) draw(shift(-30,-60)*shift(10,0)*roundedpath(shift(-10,0)*B,i/10,1-i/80), rgb( i*0.024, 1 - i*0.024,0) + linewidth(0.5)); for (int i = 1; i < 20; ++i) // shift (round edged und scaled shifted version) draw(shift(-60,-60)*shift(10,0)*roundedpath(shift(-10,0)*B,i/4,1-i/50), gray(i/40)); asymptote-2.62/examples/pathintersectsurface.asy0000644000000000000000000000064313607467113020763 0ustar rootrootsize(500); import graph3; currentprojection=perspective(-5,-4,2); path3 g=randompath3(10); draw(g,red); triple[][] P={ {(0,0,0),(1,0,0),(1,0,0),(2,0,0)}, {(0,4/3,0),(2/3,4/3,2),(4/3,4/3,2),(2,4/3,0)}, {(0,2/3,0),(2/3,2/3,0),(4/3,2/3,0),(2,2/3,0)}, {(0,2,0),(2/3,2,0),(4/3,2,0),(2,2,0)}}; surface s=surface(patch(P)); s.append(unitplane); draw(s,lightgray+opacity(0.9)); dot(intersectionpoints(g,s),blue); asymptote-2.62/examples/xsin1x.asy0000644000000000000000000000110413607467113015760 0ustar rootrootimport graph; size(300,0); real f(real x) {return (x != 0.0) ? x * sin(1.0 / x) : 0.0;} pair F(real x) {return (x,f(x));} xaxis("$x$",red); yaxis(red); draw(graph(f,-1.2/pi,1.2/pi,1000)); label("$x\sin\frac{1}{x}$",F(1.1/pi),NW); picture pic; size(pic,50,IgnoreAspect); xaxis(pic,red); yaxis(pic,red); draw(pic,graph(pic,f,-0.1/pi,0.1/pi,1000)); add(new void(frame f, transform t) { frame G=shift(point(f,N+0.85W))*align(bbox(pic,blue),10SE); add(f,G); draw(f,t*box(min(pic,user=true),max(pic,user=true)),blue); draw(f,point(G,E)--t*point(pic,W),blue); }); asymptote-2.62/examples/electromagnetic.asy0000644000000000000000000000245613607467113017706 0ustar rootrootimport graph; import palette; texpreamble("\usepackage[amssymb,thinqspace,thinspace]{SIunits}"); size(800,200); real c=3e8; real nm=1e-9; real freq(real lambda) {return c/(lambda*nm);} real lambda(real f) {return c/(f*nm);} real fmin=10; real fmax=1e23; scale(Log(true),Linear(true)); xlimits(fmin,fmax); ylimits(0,1); real uv=freq(400); real ir=freq(700); bounds visible=bounds(Scale(uv).x,Scale(ir).x); palette(visible,uv,ir+(0,2),Bottom,Rainbow(),invisible); xaxis(Label("\hertz",1),Bottom,RightTicks,above=true); real log10Left(real x) {return -log10(x);} real pow10Left(real x) {return pow10(-x);} scaleT LogLeft=scaleT(log10Left,pow10Left,logarithmic=true); picture q=secondaryX(new void(picture p) { scale(p,LogLeft,Linear); xlimits(p,lambda(fmax),lambda(fmin)); ylimits(p,0,1); xaxis(p,Label("\nano\metre",1,0.01N),Top,LeftTicks(DefaultLogFormat,n=10)); }); add(q,above=true); margin margin=PenMargin(0,0); draw("radio",Scale((10,1))--Scale((5e12,1)),S,Arrow); draw("infrared",Scale((1e12,1.75))--Scale(shift(0,1.75)*ir),LeftSide,Arrows,margin); draw("UV",Scale(shift(0,1.75)*uv)--Scale((1e17,1.76)),LeftSide,Arrows,margin); draw("x-rays",Scale((1e16,1))--Scale((1e21,1)),RightSide,Arrows); draw("$\gamma$-rays",Scale((fmax,1.75))--Scale((2e18,1.75)),Arrow); asymptote-2.62/examples/sinc.asy0000644000000000000000000000111713607467113015466 0ustar rootrootimport graph3; import contour; currentprojection=orthographic(1,-2,1); currentlight=White; size(12cm,0); real sinc(pair z) { real r=2pi*abs(z); return r != 0 ? sin(r)/r : 1; } render render=render(compression=Low,merge=true); draw(lift(sinc,contour(sinc,(-2,-2),(2,2),new real[] {0})),red); draw(surface(sinc,(-2,-2),(2,2),Spline),lightgray,render); draw(scale3(2*sqrt(2))*unitdisk,paleyellow+opacity(0.25),nolight,render); draw(scale3(2*sqrt(2))*unitcircle3,red,render); xaxis3("$x$",Bounds,InTicks); yaxis3("$y$",Bounds,InTicks(beginlabel=false)); zaxis3("$z$",Bounds,InTicks); asymptote-2.62/examples/label3zoom.asy0000644000000000000000000000104213607467113016576 0ustar rootrootimport three; currentlight=Headlamp; size(469.75499pt,0); currentprojection=perspective( camera=(160.119024441391,136.348802919248,253.822628496226), up=(-0.188035408976828,0.910392236102215,-0.368549401594584), target=(25.5462739598034,1.77605243766079,-9.93996244768584), zoom=5.59734733413271, angle=5.14449021168139, viewportshift=(0.813449720559684,-0.604674743165144), autoadjust=false); draw(scale3(4)*extrude("$\displaystyle\int\limits_{-\infty}^{+\infty}\!\! e^{-\alpha x^2}\!\!=\sqrt{\frac{\pi}{\alpha}}$",2Z), material(blue)); asymptote-2.62/examples/treetest.asy0000644000000000000000000000113213607467113016366 0ustar rootrootimport drawtree; treeLevelStep = 2cm; TreeNode root = makeNode( "Root" ); TreeNode child1 = makeNode( root, "Child\_1" ); TreeNode child2 = makeNode( root, "Child\_2" ); TreeNode gchild1 = makeNode( child1, "Grandchild\_1" ); TreeNode gchild2 = makeNode( child1, "Grandchild\_2" ); TreeNode gchild3 = makeNode( child1, "Grandchild\_3" ); TreeNode gchild4 = makeNode( child1, "Grandchild\_4" ); TreeNode gchild11 = makeNode( child2, "Grandchild\_1" ); TreeNode gchild22 = makeNode( child2, "Grandchild\_2" ); TreeNode ggchild1 = makeNode( gchild1, "Great Grandchild\_1" ); draw( root, (0,0) ); asymptote-2.62/examples/transparency.asy0000644000000000000000000000036613607467113017250 0ustar rootrootsize(0,150); if(settings.outformat == "") settings.outformat="pdf"; begingroup(); fill(shift(1.5dir(120))*unitcircle,green+opacity(0.75)); fill(shift(1.5dir(60))*unitcircle,red+opacity(0.75)); fill(unitcircle,blue+opacity(0.75)); endgroup(); asymptote-2.62/examples/sqrtx01.asy0000644000000000000000000000124213607467113016053 0ustar rootrootimport graph3; import solids; size(0,150); currentprojection=perspective(1.5,0,10,Y); pen color=green+opacity(0.75); real f(real x){return sqrt(x);} pair F(real x){return (x,f(x));} triple F3(real x){return (x,f(x),0);} path p=graph(F,0,1,n=20,operator ..); path3 p3=path3(p); revolution a=revolution(p3,X,0,360); draw(surface(a),color,render(compression=Low,merge=true)); draw(p3,blue); real x=relpoint(p,0.5).x; xaxis3(Label("$x$",1),xmax=1.5,dashed,Arrow3); yaxis3(Label("$y$",1),Arrow3); dot(Label("$(1,1)$"),(1,1,0)); arrow(Label("$y=\sqrt{x}$"),F3(0.7),Y,0.75cm,red); draw(arc(1.2X,0.4,90,90,175,-40,CW),Arrow3); draw("$r$",(x,0,0)--F3(x),red,Arrow3,PenMargin3); asymptote-2.62/examples/unitoctant.asy0000644000000000000000000000131113607467113016716 0ustar rootrootimport graph3; currentprojection=orthographic(5,4,2); size(0,150); patch s=octant1; draw(surface(s),green+opacity(0.5)); draw(s.external(),blue); triple[][] P=s.P; for(int i=0; i < 4; ++i) dot(P[i],red); axes3("$x$","$y$",Label("$z$",align=Z)); triple P00=P[0][0]; triple P10=P[1][0]; triple P01=P[0][1]; triple P02=P[0][2]; triple P11=P[1][1]; triple P12=P[1][2]; triple Q11=XYplane(xypart(P11)); triple Q12=XYplane(xypart(P12)); draw(P11--Q11,dashed); draw(P12--Q12,dashed); draw(O--Q12--Q11--(Q11.x,0,0)); draw(Q12--(Q12.x,0,0)); label("$(1,0,0)$",P00,-2Y); label("$(1,a,0)$",P10,-Z); label("$(1,0,a)$",P01,-2Y); label("$(a,0,1)$",P02,Z+X-Y); label("$(1,a,a)$",P11,3X); label("$(a,a^2,1)$",P12,7X+Y); asymptote-2.62/examples/controlsystem.asy0000644000000000000000000000141213607467113017455 0ustar rootrootsize(0,4cm); import flowchart; block delay=roundrectangle("$e^{-sT_t}$",(0.33,0)); block system=roundrectangle("$\frac{s+3}{s^2+0.3s+1}$",(0.6,0)); block controller=roundrectangle("$0.06\left( 1 + \frac{1}{s}\right)$", (0.45,-0.25)); block sum1=circle("",(0.15,0),mindiameter=0.3cm); block junction1=circle("",(0.75,0),fillpen=currentpen); draw(delay); draw(system); draw(controller); draw(sum1); draw(junction1); add(new void(picture pic, transform t) { blockconnector operator --=blockconnector(pic,t); block(0,0)--Label("$u$",align=N)--Arrow--sum1--Arrow--delay--Arrow-- system--junction1--Label("$y$",align=N)--Arrow--block(1,0); junction1--Down--Left--Arrow--controller--Left--Up-- Label("$-$",position=3,align=ESE)--Arrow--sum1; }); asymptote-2.62/examples/star.asy0000644000000000000000000000022113607467113015476 0ustar rootrootsize(100); import math; int n=5; path p; int i=0; do { p=p--unityroot(n,i); i=(i+2) % n; } while(i != 0); filldraw(p--cycle,red+evenodd); asymptote-2.62/examples/delu.asy0000644000000000000000000000077213607467113015471 0ustar rootrootsize(7cm,0); pair z1=(1,-0.25); pair v1=dir(45); pair z2=-z1; pair v2=0.75*dir(260); pair z3=(z1.x,-3); // A centered random number real crand() {return unitrand()-0.5;} guide g; pair lastz; for(int i=0; i < 60; ++i) { pair z=0.75*lastz+(crand(),crand()); g=g..2.5*z; lastz=z; } g=shift(0,-.5)*g..cycle; draw(g,gray(0.7)); draw("$r$",z1--z2,RightSide,red,Arrows,DotMargins); draw(z1--z1+v1,Arrow); draw(z2--z2+v2,Arrow); draw(z3--z3+v1-v2,green,Arrow); dot("1",z1,S,blue); dot("2",z2,NW,blue); asymptote-2.62/examples/cyclohexane.asy0000644000000000000000000000345313607467113017041 0ustar rootrootimport three; currentprojection=perspective(300,-650,500); currentlight.background=palecyan; surface carbon=scale3(70)*unitsphere; // 70 pm surface hydrogen=scale3(25)*unitsphere; // 25 pm real alpha=90+aSin(1/3); real CCbond=156; // 156 pm real CHbond=110; // 110 pm triple c1=(0,0,0); triple h1=c1+CHbond*Z; triple c2=rotate(alpha,c1,c1+Y)*(CCbond*Z); triple h2=rotate(120,c1,c2)*h1; triple h3=c2-CHbond*Z; triple h4=rotate(120,c2,c1)*h3; triple c3=rotate(120,c2,h3)*c1; triple h5=c3+CHbond*Z; triple h6=rotate(-120,c3,c2)*h5; triple c4=rotate(-120,c3,h5)*c2; triple h7=c4-CHbond*Z; triple h8=rotate(120,c4,c3)*h7; triple c5=rotate(120,c4,h7)*c3; triple h9=c5+CHbond*Z; triple h10=rotate(-120,c5,c4)*h9; triple c6=rotate(-120,c5,h9)*c4; triple h11=c6-CHbond*Z; triple h12=rotate(120,c6,c5)*h11; pen Black=gray(0.4); defaultrender=render(compression=Zero,merge=true); draw(shift(c1)*carbon,Black); draw(shift(c2)*carbon,Black); draw(shift(c3)*carbon,Black); draw(shift(c4)*carbon,Black); draw(shift(c5)*carbon,Black); draw(shift(c6)*carbon,Black); material White=material(diffusepen=gray(0.4),emissivepen=gray(0.6)); draw(shift(h1)*hydrogen,White); draw(shift(h2)*hydrogen,White); draw(shift(h3)*hydrogen,White); draw(shift(h4)*hydrogen,White); draw(shift(h5)*hydrogen,White); draw(shift(h6)*hydrogen,White); draw(shift(h7)*hydrogen,White); draw(shift(h8)*hydrogen,White); draw(shift(h9)*hydrogen,White); draw(shift(h10)*hydrogen,White); draw(shift(h11)*hydrogen,White); draw(shift(h12)*hydrogen,White); pen thick=linewidth(10); draw(c1--c2--c3--c4--c5--c6--cycle,thick); draw(c1--h1,thick); draw(c1--h2,thick); draw(c2--h3,thick); draw(c2--h4,thick); draw(c3--h5,thick); draw(c3--h6,thick); draw(c4--h7,thick); draw(c4--h8,thick); draw(c5--h9,thick); draw(c5--h10,thick); draw(c6--h11,thick); draw(c6--h12,thick); asymptote-2.62/examples/progrid.asy0000644000000000000000000000007213607467113016177 0ustar rootrootlabel("$\displaystyle X_i = \sum_{j=1}^{N} a_{ij} f_j$"); asymptote-2.62/examples/poster.asy0000644000000000000000000000167413607467113016056 0ustar rootrootorientation=Landscape; import slide; import graph; defaultpen(deepblue); pagenumberpen=invisible; real f(real x) {return (x != 0) ? x*sin(1/x) : 0;} pair F(real x) {return (x,f(x));} xaxis(background,grey); yaxis(background,-0.25,0.25,grey); real a=1.2/pi; draw(background,graph(background,f,-a,a,10000),grey); label(background,"$x\sin\frac{1}{x}$",F(0.92/pi),3SE,grey+fontsize(14pt)); frame f=background.fit(); box(f,RadialShade(yellow,0.6*yellow+red),above=false); background.erase(); add(background,f); title("Young Researchers' Conference",align=3S,fontsize(48pt)); center("University of Alberta, Edmonton, April 1--2, 2006"); skip(4); center("A general conference for\\ the mathematical and statistical sciences\\ for graduate students, by graduate students.",fontsize(32pt)); label("Registration and abstract submission online.",(0,-0.5)); label("\tt http://www.pims.math.ca/science/2006/06yrc/",point(SW),2NE, black+fontsize(18pt)); asymptote-2.62/examples/strokepath.asy0000644000000000000000000000047313607467113016722 0ustar rootrootpath g=scale(100)*unitcircle; pen p=linewidth(1cm); frame f; // Equivalent to draw(f,g,p): fill(f,strokepath(g,p),red); shipout("strokepathframe",f); shipped=false; size(400); // Equivalent to draw(g,p): add(new void(frame f, transform t) { fill(f,strokepath(t*g,p),red); }); currentpicture.addPath(g,p); asymptote-2.62/examples/sin3.asy0000644000000000000000000000110313607467113015401 0ustar rootrootimport graph3; import palette; size(12cm,IgnoreAspect); currentprojection=orthographic(1,-2,1); real f(pair z) {return abs(sin(z));} real Arg(triple v) {return degrees(cos((v.x,v.y)),warn=false);} surface s=surface(f,(-pi,-2),(pi,2),20,Spline); s.colors(palette(s.map(Arg),Wheel())); draw(s,render(compression=Low,merge=true)); real xmin=point((-1,-1,-1)).x; real xmax=point((1,1,1)).x; draw((xmin,0,0)--(xmax,0,0),dashed); xaxis3("$\mathop{\rm Re} z$",Bounds,InTicks); yaxis3("$\mathop{\rm Im} z$",Bounds,InTicks(beginlabel=false)); zaxis3("$|\sin(z)|$",Bounds,InTicks); asymptote-2.62/examples/splitpatch.asy0000644000000000000000000000420413607467113016705 0ustar rootrootimport three; size(300); // A structure to subdivide two intersecting patches about their intersection. struct split { surface[] S={new surface}; surface[] T={new surface}; struct tree { tree[] tree=new tree[2]; } // Default subdivision depth. int n=20; // Subdivide p and q to depth n if they overlap. void write(tree pt, tree qt, triple[][] p, triple[][] q, int depth=n) { --depth; triple[][][] Split(triple[][] P, real u=0)=depth % 2 == 0 ? hsplit : vsplit; triple[][][] P=Split(p); triple[][][] Q=Split(q); for(int i=0; i < 2; ++i) { triple[][] Pi=P[i]; for(int j=0; j < 2; ++j) { triple[][] Qj=Q[j]; if(overlap(Pi,Qj)) { if(!pt.tree.initialized(i)) pt.tree[i]=new tree; if(!qt.tree.initialized(j)) qt.tree[j]=new tree; if(depth > 0) write(pt.tree[i],qt.tree[j],Pi,Qj,depth); } } } } // Output the subpatches of p from subdivision. void read(surface[] S, tree t, triple[][] p, int depth=n) { --depth; triple[][][] Split(triple[][] P, real u=0)=depth % 2 == 0 ? hsplit : vsplit; triple[][][] P=Split(p); for(int i=0; i < 2; ++i) { if(t.tree.initialized(i)) read(S,t.tree[i],P[i],depth); else { S[0].push(patch(P[i])); } } } void operator init(triple[][] p, triple[][] q, int depth=n) { tree ptrunk,qtrunk; write(ptrunk,qtrunk,p,q,depth); read(T,ptrunk,p,depth); read(S,qtrunk,q,depth); } } currentprojection=orthographic(0,0,1); triple[][] A={ {(0,0,0),(1,0,0),(1,0,0),(2,0,0)}, {(0,4/3,0),(2/3,4/3,2),(4/3,4/3,2),(2,4/3,0)}, {(0,2/3,0),(2/3,2/3,0),(4/3,2/3,0),(2,2/3,0)}, {(0,2,0),(2/3,2,0),(4/3,2,0),(2,2,0)} }; triple[][] B={ {(0.5,0,-1),(0.5,1,-1),(0.5,2,-1),(0.5,3,-1)}, {(0.5,0,0),(0.5,1,0),(0.5,2,0),(0.5,3,0)}, {(0.5,0,1),(0.5,1,1),(0.5,2,1),(0.5,3,1)}, {(0.5,0,2),(0.5,1,2),(0.5,2,2),(0.5,3,2)} }; split S=split(B,A); defaultrender.merge=true; for(int i=0; i < S.S[0].s.length; ++i) draw(surface(S.S[0].s[i]),Pen(i)); for(int i=0; i < S.T[0].s.length; ++i) draw(surface(S.T[0].s[i]),Pen(i)); asymptote-2.62/examples/upint.asy0000644000000000000000000000030713607467113015671 0ustar rootrootimport graph; import lowupint; size(100,0); real a=-0.8, b=1.2; real c=-1.0/sqrt(3.0); partition(a,b,c,max); arrow("$f(x)$",F(0.5*(a+b)),NNE,red); label("$\cal{U}$",(0.5*(a+b),f(0.5*(a+b))/2)); asymptote-2.62/examples/jump.asy0000644000000000000000000000044313607467113015506 0ustar rootrootimport graph; size(4inches,0); real f1(real x) {return (1+x^2);} real f2(real x) {return (4-x);} xaxis("$x$",LeftTicks,Arrow); yaxis("$y$",RightTicks,Arrow); draw("$y=1+x^2$",graph(f1,-2,1)); dot((1,f1(1)),UnFill); draw("$y=4-x$",graph(f2,1,5),LeftSide,red,Arrow); dot((1,f2(1)),red); asymptote-2.62/examples/uhrturm.obj0000644000000000000000000006276013607467113016231 0ustar rootrootThis file may be used freely for non commercial purposes. # Generated by CtrlView V3.00 # D:\saltel\3DS_FILES\uhrturm.obj g v 1.13195 1.87823 1.13195 v 1.13195 -1.87823 1.13195 v 1.13195 -1.87823 -1.13195 v 1.13195 1.87823 -1.13195 v -1.13195 1.87823 -1.13195 v -1.13195 1.87823 1.13195 v -1.13195 -1.87823 1.13195 v -1.13195 -1.87823 -1.13195 v -1.48021 1.33917 1.47956 v 1.47912 1.33917 1.48065 v 1.12573 1.33917 1.12694 v -1.1266 1.33917 1.12606 v -1.48021 0.589166 1.47956 v 1.47912 0.589166 1.48065 v -1.1266 0.589166 1.12606 v 1.12573 0.589166 1.12694 v 1.48108 1.33917 -1.47868 v 1.12727 1.33917 -1.12539 v 1.48108 0.589166 -1.47868 v 1.12727 0.589166 -1.12539 v -1.47824 0.589166 -1.48152 v -1.47824 1.33917 -1.48152 v -1.12505 0.589166 -1.1276 v -1.12505 1.33917 -1.1276 v -1.26581 1.48992 1.82059 v -1.26581 0.588913 1.82059 v -0.530699 0.588913 1.08569 v -0.530699 1.48992 1.08569 v -1.15829 1.48992 0.457918 v -1.15829 0.588913 0.457918 v -1.8934 0.588913 1.19281 v -1.8934 1.48992 1.19281 v 1.16926 1.87107 1.244 v 1.16932 1.87107 -1.24394 v 0.585613 4.34992 1.5e-005 v -0.593474 4.34992 -1.6e-005 v -1.16176 1.87107 -1.244 v -1.16183 1.87107 1.24394 v 0.20932 2.114 1.12512 v 0.20932 2.239 1.12512 v 0.209038 2.614 1.62512 v 0.208967 2.614 1.75012 v 0.208967 2.864 1.75012 v 0.209534 2.864 0.750118 v 0.289322 2.239 1.12516 v 0.289322 2.114 1.12516 v 0.289534 2.864 0.750164 v 0.289038 2.614 1.62516 v 0.288967 2.864 1.75016 v 0.288967 2.614 1.75016 v -0.29068 2.114 1.12484 v -0.29068 2.239 1.12484 v -0.290962 2.614 1.62484 v -0.291033 2.614 1.74984 v -0.291033 2.864 1.74984 v -0.290466 2.864 0.749836 v -0.210678 2.239 1.12488 v -0.210678 2.114 1.12488 v -0.210466 2.864 0.749881 v -0.210962 2.614 1.62488 v -0.211033 2.864 1.74988 v -0.211033 2.614 1.74988 v 0.398979 2.814 1.80184 v -0.00102 3.214 1.80168 v -0.00102 3.114 1.80168 v 0.34898 2.764 1.80182 v -0.40102 2.814 1.80153 v -0.351021 2.764 1.80155 v -0.000319 3.114 0.563502 v -0.000319 3.214 0.563502 v 0.399681 2.814 0.563655 v 0.349682 2.764 0.563636 v -0.350319 2.764 0.563368 v -0.400318 2.814 0.563349 v -1.36571 1.76335 1.30816 v -1.99019 1.4739 1.20524 v -1.26193 1.4739 1.93265 v -0.194054 1.4739 0.862978 v -0.922319 1.4739 0.135567 v -0.825571 1.76335 0.767107 v -1.52113 1.31426 1.52054 v 1.52009 1.31426 1.52158 v 1.10309 1.63426 1.10421 v -1.10388 1.63426 1.10341 v 1.52204 1.31426 -1.51964 v 1.10453 1.63426 -1.10276 v -1.51919 1.31426 -1.52249 v -1.10243 1.63426 -1.10486 v 1.1845 2.68385 0.281632 v 1.18441 2.88385 0.481632 v 1.18441 2.83385 0.481632 v 1.18449 2.65885 0.306632 v 1.18433 2.68385 0.681632 v 1.18434 2.65885 0.656632 v 0.565324 2.83385 0.481265 v 0.565324 2.88385 0.481265 v 0.565406 2.68385 0.281265 v 0.565396 2.65885 0.306265 v 0.565253 2.65885 0.656265 v 0.565242 2.68385 0.681265 v -1.80243 1.37433 1.2849 v -1.79277 0.840846 1.29455 v -1.38452 0.855616 1.70279 v -1.39417 1.38909 1.69314 v -1.17726 1.37433 1.73387 v -1.17335 0.840846 1.72996 v -1.00819 0.855616 1.56482 v -1.0121 1.38909 1.56872 v -1.63705 1.37433 0.935206 v -1.64095 0.840846 0.93911 v -1.80612 0.855616 1.10425 v -1.80222 1.38909 1.10035 v 1.88055 1.48992 1.20586 v 1.88055 0.588913 1.20586 v 1.14568 0.588913 0.470727 v 1.14568 1.48992 0.470727 v 0.517887 1.48992 1.0983 v 0.517887 0.588913 1.0983 v 1.25277 0.588913 1.83343 v 1.25277 1.48992 1.83343 v 1.36813 1.76335 1.30575 v 1.26519 1.4739 1.93023 v 1.99262 1.4739 1.20198 v 0.922974 1.4739 0.134077 v 0.195543 1.4739 0.862323 v 0.827085 1.76335 0.765592 v 1.34486 1.37433 1.74246 v 1.35451 0.840846 1.73281 v 1.76276 0.855616 1.32457 v 1.75311 1.38909 1.33422 v 1.79384 1.37433 1.1173 v 1.78993 0.840846 1.1134 v 1.62479 0.855616 0.948235 v 1.6287 1.38909 0.952139 v 0.995163 1.37433 1.57707 v 0.999067 0.840846 1.58098 v 1.1642 0.855616 1.74615 v 1.1603 1.38909 1.74225 v 1.26594 1.48992 -1.82051 v 1.26594 0.588913 -1.82051 v 0.530787 0.588913 -1.08565 v 0.530787 1.48992 -1.08565 v 1.15834 1.48992 -0.457845 v 1.15834 0.588913 -0.457845 v 1.89349 0.588913 -1.1927 v 1.89349 1.48992 -1.1927 v 1.36581 1.76335 -1.30808 v 1.99029 1.4739 -1.20512 v 1.26206 1.4739 -1.93257 v 0.194132 1.4739 -0.862956 v 0.922358 1.4739 -0.135507 v 0.825644 1.76335 -0.767052 v 1.80253 1.37433 -1.2848 v 1.79287 0.840846 -1.29445 v 1.38464 0.855616 -1.70271 v 1.39429 1.38909 -1.69306 v 1.17738 1.37433 -1.7338 v 1.17348 0.840846 -1.72989 v 1.00831 0.855616 -1.56475 v 1.01221 1.38909 -1.56865 v 1.63713 1.37433 -0.935107 v 1.64103 0.840846 -0.939011 v 1.80621 0.855616 -1.10414 v 1.80231 1.38909 -1.10024 v -1.10388 1.63426 1.10341 v 1.10309 1.63426 1.10421 v 1.52009 1.31426 1.52158 v -1.52113 1.31426 1.52054 v 1.10453 1.63426 -1.10276 v 1.52204 1.31426 -1.51964 v -1.10243 1.63426 -1.10486 v -1.51919 1.31426 -1.52249 v 1.13198 1.87823 -1.13191 v 1.13198 -1.87823 -1.13191 v -1.13191 -1.87823 -1.13198 v -1.13191 1.87823 -1.13198 v -1.13189 1.87823 -1.132 v -1.13189 -1.87823 -1.132 v -1.132 -1.87823 1.13189 v -1.132 1.87823 1.13189 v -1.13203 1.87823 1.13186 v -1.13203 -1.87823 1.13186 v 1.13186 -1.87823 1.13204 v 1.13186 1.87823 1.13204 v 0 0.425 1.134 v -0.122418 0.41429 1.134 v -0.241117 0.382486 1.134 v -0.352491 0.330553 1.134 v -0.453154 0.260071 1.134 v -0.54005 0.173179 1.134 v -0.610537 0.072519 1.134 v -0.662475 -0.038852 1.134 v -0.694284 -0.157549 1.134 v -0.705 -0.279967 1.134 v -0.694296 -0.402386 1.134 v -0.662497 -0.521087 1.134 v -0.61057 -0.632462 1.134 v -0.540092 -0.733129 1.134 v -0.453204 -0.820029 1.134 v -0.352547 -0.890521 1.134 v -0.241179 -0.942463 1.134 v -0.122483 -0.974279 1.134 v -6.5e-005 -0.985 1.134 v 0.122354 -0.974301 1.134 v 0.241056 -0.942508 1.134 v 0.352434 -0.890586 1.134 v 0.453104 -0.820113 1.134 v 0.540008 -0.733229 1.134 v 0.610504 -0.632575 1.134 v 0.662452 -0.521209 1.134 v 0.694273 -0.402515 1.134 v 0.705 -0.280098 1.134 v 0.694307 -0.157678 1.134 v 0.662519 -0.038975 1.134 v 0.610602 0.072406 1.134 v 0.540134 0.173079 1.134 v 0.453254 0.259987 1.134 v 0.352604 0.330488 1.134 v 0.24124 0.382441 1.134 v 0.122547 0.414267 1.134 v -0.022031 0.3569 1.144 v -0.022031 0.1031 1.144 v 0.022031 0.1031 1.144 v 0.022031 0.3569 1.144 v -0.337525 0.260559 1.144 v -0.210627 0.040761 1.144 v -0.172467 0.062792 1.144 v -0.299365 0.28259 1.144 v -0.562582 0.01938 1.144 v -0.342787 -0.107524 1.144 v -0.320755 -0.069365 1.144 v -0.54055 0.057539 1.144 v -0.636901 -0.302014 1.144 v -0.383101 -0.302021 1.144 v -0.383099 -0.257959 1.144 v -0.636899 -0.257952 1.144 v -0.540568 -0.617511 1.144 v -0.320766 -0.490618 1.144 v -0.342796 -0.452458 1.144 v -0.562598 -0.579351 1.144 v -0.299395 -0.842574 1.144 v -0.172485 -0.622782 1.144 v -0.210644 -0.60075 1.144 v -0.337553 -0.820541 1.144 v 0.021998 -0.916901 1.144 v 0.022011 -0.663101 1.144 v -0.022051 -0.663099 1.144 v -0.022065 -0.916899 1.144 v 0.337496 -0.820577 1.144 v 0.21061 -0.600772 1.144 v 0.172449 -0.622801 1.144 v 0.299336 -0.842606 1.144 v 0.562566 -0.57941 1.144 v 0.342778 -0.452494 1.144 v 0.320744 -0.490652 1.144 v 0.540532 -0.617567 1.144 v 0.636902 -0.258019 1.144 v 0.383102 -0.257999 1.144 v 0.383098 -0.302062 1.144 v 0.636898 -0.302082 1.144 v 0.540586 0.057482 1.144 v 0.320777 -0.069399 1.144 v 0.342805 -0.10756 1.144 v 0.562614 0.019321 1.144 v 0.299425 0.282558 1.144 v 0.172503 0.062773 1.144 v 0.210661 0.040738 1.144 v 0.337582 0.260523 1.144 v 0.569006 -0.128884 1.135 v -0.021876 -0.253928 1.135 v -0.013192 -0.313016 1.135 v 0.57769 -0.187972 1.135 v -0.343714 -0.249302 1.13464 v 0.036147 -0.31015 1.13464 v 0.042763 -0.250677 1.13464 v -0.337099 -0.18983 1.13464 v 1.134 0.425 0 v 1.134 0.41429 0.122418 v 1.134 0.382486 0.241117 v 1.134 0.330553 0.352491 v 1.134 0.260071 0.453154 v 1.134 0.173179 0.54005 v 1.134 0.072519 0.610537 v 1.134 -0.038852 0.662475 v 1.134 -0.157549 0.694284 v 1.134 -0.279967 0.705 v 1.134 -0.402386 0.694296 v 1.134 -0.521087 0.662497 v 1.134 -0.632462 0.61057 v 1.134 -0.733129 0.540092 v 1.134 -0.820029 0.453204 v 1.134 -0.890521 0.352547 v 1.134 -0.942463 0.241179 v 1.134 -0.974279 0.122483 v 1.134 -0.985 6.5e-005 v 1.134 -0.974301 -0.122354 v 1.134 -0.942508 -0.241056 v 1.134 -0.890586 -0.352434 v 1.134 -0.820113 -0.453104 v 1.134 -0.733229 -0.540008 v 1.134 -0.632575 -0.610504 v 1.134 -0.521209 -0.662452 v 1.134 -0.402515 -0.694273 v 1.134 -0.280098 -0.705 v 1.134 -0.157678 -0.694307 v 1.134 -0.038975 -0.662519 v 1.134 0.072406 -0.610602 v 1.134 0.173079 -0.540134 v 1.134 0.259987 -0.453254 v 1.134 0.330488 -0.352604 v 1.134 0.382441 -0.24124 v 1.134 0.414267 -0.122547 v 1.144 0.3569 0.022031 v 1.144 0.1031 0.022031 v 1.144 0.1031 -0.022031 v 1.144 0.3569 -0.022031 v 1.144 0.260559 0.337525 v 1.144 0.040761 0.210627 v 1.144 0.062792 0.172467 v 1.144 0.28259 0.299365 v 1.144 0.01938 0.562582 v 1.144 -0.107524 0.342787 v 1.144 -0.069365 0.320755 v 1.144 0.057539 0.54055 v 1.144 -0.302014 0.636901 v 1.144 -0.302021 0.383101 v 1.144 -0.257959 0.383099 v 1.144 -0.257952 0.636899 v 1.144 -0.617511 0.540568 v 1.144 -0.490618 0.320766 v 1.144 -0.452458 0.342796 v 1.144 -0.579351 0.562598 v 1.144 -0.842574 0.299395 v 1.144 -0.622782 0.172485 v 1.144 -0.60075 0.210644 v 1.144 -0.820541 0.337553 v 1.144 -0.916901 -0.021998 v 1.144 -0.663101 -0.022011 v 1.144 -0.663099 0.022051 v 1.144 -0.916899 0.022065 v 1.144 -0.820577 -0.337496 v 1.144 -0.600772 -0.21061 v 1.144 -0.622801 -0.172449 v 1.144 -0.842606 -0.299336 v 1.144 -0.57941 -0.562566 v 1.144 -0.452494 -0.342778 v 1.144 -0.490652 -0.320744 v 1.144 -0.617567 -0.540532 v 1.144 -0.258019 -0.636902 v 1.144 -0.257999 -0.383102 v 1.144 -0.302062 -0.383098 v 1.144 -0.302082 -0.636898 v 1.144 0.057482 -0.540586 v 1.144 -0.069399 -0.320777 v 1.144 -0.10756 -0.342805 v 1.144 0.019321 -0.562614 v 1.144 0.282558 -0.299425 v 1.144 0.062773 -0.172503 v 1.144 0.040738 -0.210661 v 1.144 0.260523 -0.337582 v 1.135 -0.128884 -0.569006 v 1.135 -0.253928 0.021876 v 1.135 -0.313016 0.013192 v 1.135 -0.187972 -0.57769 v 1.13464 -0.249302 0.343714 v 1.13464 -0.31015 -0.036147 v 1.13464 -0.250677 -0.042763 v 1.13464 -0.18983 0.337099 v 0 0.425 -1.134 v 0.122418 0.41429 -1.134 v 0.241117 0.382486 -1.134 v 0.352491 0.330553 -1.134 v 0.453154 0.260071 -1.134 v 0.54005 0.173179 -1.134 v 0.610537 0.072519 -1.134 v 0.662475 -0.038852 -1.134 v 0.694284 -0.157549 -1.134 v 0.705 -0.279967 -1.134 v 0.694296 -0.402386 -1.134 v 0.662497 -0.521087 -1.134 v 0.61057 -0.632462 -1.134 v 0.540092 -0.733129 -1.134 v 0.453204 -0.820029 -1.134 v 0.352547 -0.890521 -1.134 v 0.241179 -0.942463 -1.134 v 0.122483 -0.974279 -1.134 v 6.5e-005 -0.985 -1.134 v -0.122354 -0.974301 -1.134 v -0.241056 -0.942508 -1.134 v -0.352434 -0.890586 -1.134 v -0.453104 -0.820113 -1.134 v -0.540008 -0.733229 -1.134 v -0.610504 -0.632575 -1.134 v -0.662452 -0.521209 -1.134 v -0.694273 -0.402515 -1.134 v -0.705 -0.280098 -1.134 v -0.694307 -0.157678 -1.134 v -0.662519 -0.038975 -1.134 v -0.610602 0.072406 -1.134 v -0.540134 0.173079 -1.134 v -0.453254 0.259987 -1.134 v -0.352604 0.330488 -1.134 v -0.24124 0.382441 -1.134 v -0.122547 0.414267 -1.134 v 0.022031 0.3569 -1.144 v 0.022031 0.1031 -1.144 v -0.022031 0.1031 -1.144 v -0.022031 0.3569 -1.144 v 0.337525 0.260559 -1.144 v 0.210627 0.040761 -1.144 v 0.172467 0.062792 -1.144 v 0.299365 0.28259 -1.144 v 0.562582 0.01938 -1.144 v 0.342787 -0.107524 -1.144 v 0.320755 -0.069365 -1.144 v 0.54055 0.057539 -1.144 v 0.636901 -0.302014 -1.144 v 0.383101 -0.302021 -1.144 v 0.383099 -0.257959 -1.144 v 0.636899 -0.257952 -1.144 v 0.540568 -0.617511 -1.144 v 0.320766 -0.490618 -1.144 v 0.342796 -0.452458 -1.144 v 0.562598 -0.579351 -1.144 v 0.299395 -0.842574 -1.144 v 0.172485 -0.622782 -1.144 v 0.210644 -0.60075 -1.144 v 0.337553 -0.820541 -1.144 v -0.021998 -0.916901 -1.144 v -0.022011 -0.663101 -1.144 v 0.022051 -0.663099 -1.144 v 0.022065 -0.916899 -1.144 v -0.337496 -0.820577 -1.144 v -0.21061 -0.600772 -1.144 v -0.172449 -0.622801 -1.144 v -0.299336 -0.842606 -1.144 v -0.562566 -0.57941 -1.144 v -0.342778 -0.452494 -1.144 v -0.320744 -0.490652 -1.144 v -0.540532 -0.617567 -1.144 v -0.636902 -0.258019 -1.144 v -0.383102 -0.257999 -1.144 v -0.383098 -0.302062 -1.144 v -0.636898 -0.302082 -1.144 v -0.540586 0.057482 -1.144 v -0.320777 -0.069399 -1.144 v -0.342805 -0.10756 -1.144 v -0.562614 0.019321 -1.144 v -0.299425 0.282558 -1.144 v -0.172503 0.062773 -1.144 v -0.210661 0.040738 -1.144 v -0.337582 0.260523 -1.144 v -0.569006 -0.128884 -1.135 v 0.021876 -0.253928 -1.135 v 0.013192 -0.313016 -1.135 v -0.57769 -0.187972 -1.135 v 0.343714 -0.249302 -1.13464 v -0.036147 -0.31015 -1.13464 v -0.042763 -0.250677 -1.13464 v 0.337099 -0.18983 -1.13464 v -1.134 0.425 0 v -1.134 0.41429 -0.122418 v -1.134 0.382486 -0.241117 v -1.134 0.330553 -0.352491 v -1.134 0.260071 -0.453154 v -1.134 0.173179 -0.54005 v -1.134 0.072519 -0.610537 v -1.134 -0.038852 -0.662475 v -1.134 -0.157549 -0.694284 v -1.134 -0.279967 -0.705 v -1.134 -0.402386 -0.694296 v -1.134 -0.521087 -0.662497 v -1.134 -0.632462 -0.61057 v -1.134 -0.733129 -0.540092 v -1.134 -0.820029 -0.453204 v -1.134 -0.890521 -0.352547 v -1.134 -0.942463 -0.241179 v -1.134 -0.974279 -0.122483 v -1.134 -0.985 -6.5e-005 v -1.134 -0.974301 0.122354 v -1.134 -0.942508 0.241056 v -1.134 -0.890586 0.352434 v -1.134 -0.820113 0.453104 v -1.134 -0.733229 0.540008 v -1.134 -0.632575 0.610504 v -1.134 -0.521209 0.662452 v -1.134 -0.402515 0.694273 v -1.134 -0.280098 0.705 v -1.134 -0.157678 0.694307 v -1.134 -0.038975 0.662519 v -1.134 0.072406 0.610602 v -1.134 0.173079 0.540134 v -1.134 0.259987 0.453254 v -1.134 0.330488 0.352604 v -1.134 0.382441 0.24124 v -1.134 0.414267 0.122547 v -1.144 0.3569 -0.022031 v -1.144 0.1031 -0.022031 v -1.144 0.1031 0.022031 v -1.144 0.3569 0.022031 v -1.144 0.260559 -0.337525 v -1.144 0.040761 -0.210627 v -1.144 0.062792 -0.172467 v -1.144 0.28259 -0.299365 v -1.144 0.01938 -0.562582 v -1.144 -0.107524 -0.342787 v -1.144 -0.069365 -0.320755 v -1.144 0.057539 -0.54055 v -1.144 -0.302014 -0.636901 v -1.144 -0.302021 -0.383101 v -1.144 -0.257959 -0.383099 v -1.144 -0.257952 -0.636899 v -1.144 -0.617511 -0.540568 v -1.144 -0.490618 -0.320766 v -1.144 -0.452458 -0.342796 v -1.144 -0.579351 -0.562598 v -1.144 -0.842574 -0.299395 v -1.144 -0.622782 -0.172485 v -1.144 -0.60075 -0.210644 v -1.144 -0.820541 -0.337553 v -1.144 -0.916901 0.021998 v -1.144 -0.663101 0.022011 v -1.144 -0.663099 -0.022051 v -1.144 -0.916899 -0.022065 v -1.144 -0.820577 0.337496 v -1.144 -0.600772 0.21061 v -1.144 -0.622801 0.172449 v -1.144 -0.842606 0.299336 v -1.144 -0.57941 0.562566 v -1.144 -0.452494 0.342778 v -1.144 -0.490652 0.320744 v -1.144 -0.617567 0.540532 v -1.144 -0.258019 0.636902 v -1.144 -0.257999 0.383102 v -1.144 -0.302062 0.383098 v -1.144 -0.302082 0.636898 v -1.144 0.057482 0.540586 v -1.144 -0.069399 0.320777 v -1.144 -0.10756 0.342805 v -1.144 0.019321 0.562614 v -1.144 0.282558 0.299425 v -1.144 0.062773 0.172503 v -1.144 0.040738 0.210661 v -1.144 0.260523 0.337582 v -1.135 -0.128884 0.569006 v -1.135 -0.253928 -0.021876 v -1.135 -0.313016 -0.013192 v -1.135 -0.187972 0.57769 v -1.13464 -0.249302 -0.343714 v -1.13464 -0.31015 0.036147 v -1.13464 -0.250677 0.042763 v -1.13464 -0.18983 -0.337099 vn 1 0 0.000569096 vn -1 0 -0.000569096 vn -1 0 -0.000570691 vn 1 0 0.000565259 vn 0.000509719 -0.44721 -0.894429 vn -0.000499176 0 1 vn -0.000481064 0.266932 0.963715 vn -0.000488087 0.514492 0.857495 vn 0.00042804 -0.514498 -0.857492 vn -0.000299513 -0.8 0.6 vn -0.000138291 0.961524 0.274721 vn 0.000137137 -0.961524 -0.27472 vn 0 -1 0 vn 0 1 0 vn -0.000387739 0 1 vn 0.000382513 0 -1 vn 0.707107 0.707106 0.000400743 vn -1 0 -0.000566154 vn -0.600001 -0.799999 -0.00033981 vn -0.707107 -0.707107 -0.000400468 vn -0.707107 -0.707107 -0.000400332 vn 0.707113 -0.7071 0.000400901 vn 0.6 0.8 0.000340172 vn 1 0 0.000566154 vn -0.707107 0.707106 -0.000400744 vn 0.707107 -0.707107 0.000400469 vn -0.436532 0.786406 0.437042 vn 0.429319 0.794316 -0.429823 vn -0.346918 0.871609 -0.346332 vn 0 -1 0 vn 0.346918 0.871608 0.346334 vn -0.000209213 0.793494 0.608578 vn 0.608566 0.793503 0.000390815 vn 0.000571085 0.793502 -0.608568 vn -0.608802 0.793322 -0.000389153 vn 1 0 0.00042435 vn 0.000419184 0.707107 -0.707107 vn -0.000355678 -0.8 0.599999 vn -0.00041917 -0.707107 0.707107 vn 0.000419193 -0.707106 -0.707108 vn 0.000355696 0.8 -0.599999 vn -0.000419162 0.707107 0.707107 vn -0.000419164 -0.707105 0.707108 vn 0.000419163 -0.707107 -0.707107 vn -0.707094 -6.49068e-006 0.70712 vn -0.707098 0 0.707115 vn 0.707069 2.89744e-006 0.707144 vn 0.707064 0 0.70715 vn -0.707045 -4.84174e-006 -0.707169 vn 0.707098 0 0.707115 vn 0.707157 -1.26403e-005 -0.707056 vn -0.70719 4.67573e-006 0.707024 vn -0.707199 -1.1863e-006 0.707015 g f 4 1 2 f 4 2 3 f 4 5 6 f 4 6 1 f 2 7 8 f 2 8 3 g f 9 10 11 f 9 11 12 f 9 13 14 f 9 14 10 f 16 14 13 f 16 13 15 f 15 12 11 f 15 11 16 f 10 17 18 f 10 18 11 f 10 14 19 f 10 19 17 f 20 19 14 f 20 14 16 f 17 19 21 f 17 21 22 f 23 21 19 f 23 19 20 f 20 18 24 f 20 24 23 f 22 9 12 f 22 12 24 f 22 21 13 f 22 13 9 f 15 13 21 f 15 21 23 f 23 24 12 f 23 12 15 f 28 25 26 f 28 26 27 f 32 29 30 f 32 30 31 f 29 28 27 f 29 27 30 f 32 25 28 f 32 28 29 f 25 32 31 f 25 31 26 f 27 26 31 f 27 31 30 g f 33 34 35 f 36 37 38 f 35 34 37 f 35 37 36 f 33 38 37 f 33 37 34 f 38 33 35 f 38 35 36 g f 44//2 39//3 40//2 f 43//2 44//2 40//2 f 43//2 40//2 41//3 f 43//2 41//3 42//3 f 44//1 39//1 40//1 f 44//1 40//1 41//4 f 43//1 44//1 41//4 f 43//1 41//4 42//1 f 45//1 46//1 47//1 f 46//5 39//5 44//5 f 46//5 44//5 47//5 f 40//7 39//6 46//6 f 40//7 46//6 45//7 f 44//8 40//7 45//7 f 44//8 45//7 47//8 f 48//4 45//4 47//4 f 45//9 40//9 44//9 f 45//9 44//9 47//9 f 40//10 45//10 48//10 f 40//10 48//10 41//10 f 44//11 41//11 48//11 f 44//11 48//11 47//11 f 48//4 47//4 49//4 f 48//4 49//4 50//1 f 48//12 41//12 44//12 f 48//12 44//12 47//12 f 50//13 42//13 41//13 f 50//13 41//13 48//13 f 43//6 42//6 50//6 f 43//6 50//6 49//6 f 44//14 43//14 49//14 f 44//14 49//14 47//14 f 56//2 51//3 52//2 f 55//2 56//2 52//2 f 55//2 52//2 53//3 f 55//2 53//3 54//3 f 56//1 51//1 52//1 f 56//1 52//1 53//4 f 55//1 56//1 53//4 f 55//1 53//4 54//1 f 57//1 58//1 59//1 f 58//5 51//5 56//5 f 58//5 56//5 59//5 f 52//7 51//6 58//6 f 52//7 58//6 57//7 f 56//8 52//7 57//7 f 56//8 57//7 59//8 f 60//4 57//4 59//4 f 57//9 52//9 56//9 f 57//9 56//9 59//9 f 52//10 57//10 60//10 f 52//10 60//10 53//10 f 56//11 53//11 60//11 f 56//11 60//11 59//11 f 60//4 59//4 61//4 f 60//4 61//4 62//1 f 60//12 53//12 56//12 f 60//12 56//12 59//12 f 53//13 60//13 62//13 f 53//13 62//13 54//13 f 55//6 54//6 62//6 f 55//6 62//6 61//6 f 56//14 55//14 61//14 f 56//14 61//14 59//14 g f 63//15 64//15 65//15 f 65//15 66//15 63//15 f 65//15 64//15 67//15 f 65//15 67//15 68//15 f 69//16 70//16 71//16 f 63//17 71//17 70//17 f 63//17 70//17 64//17 f 65//18 64//18 70//18 f 65//18 70//18 69//18 f 69//19 71//19 63//19 f 69//19 63//19 65//19 f 71//16 72//16 69//16 f 69//20 72//20 66//20 f 69//20 66//20 65//21 f 72//22 71//22 63//22 f 72//22 63//22 66//22 f 63//23 71//23 69//23 f 63//23 69//23 65//23 f 74//16 70//16 69//16 f 74//16 69//16 73//16 f 64//24 65//24 69//24 f 64//24 69//24 70//24 f 74//25 67//25 64//25 f 74//25 64//25 70//25 f 74//21 73//21 68//21 f 74//21 68//21 67//21 f 65//26 68//26 73//26 f 65//26 73//26 69//22 f 75//27 76//27 77//27 f 78//28 79//28 80//28 f 80//29 79//29 76//29 f 80//29 76//29 75//29 f 76//30 79//30 78//30 f 76//30 78//30 77//30 f 77//31 78//31 80//31 f 77//31 80//31 75//31 f 81//32 82//32 83//32 f 81//32 83//32 84//32 f 82//33 85//33 86//33 f 82//33 86//33 83//33 f 85//34 87//34 88//34 f 85//34 88//34 86//34 f 87//35 81//35 84//35 f 87//35 84//35 88//35 f 89//36 90//24 91//36 f 91//36 92//36 89//36 f 91//36 90//24 93//36 f 91//36 93//36 94//36 f 95//18 96//18 97//18 f 89//37 97//37 96//37 f 89//37 96//37 90//37 f 91//15 90//15 96//15 f 91//15 96//15 95//15 f 95//38 97//38 89//38 f 95//38 89//38 91//38 f 97//18 98//18 95//18 f 95//39 98//39 92//39 f 95//39 92//39 91//39 f 89//40 92//40 98//40 f 89//40 98//40 97//40 f 89//41 97//41 95//41 f 89//41 95//41 91//41 f 100//18 96//18 95//18 f 100//18 95//18 99//18 f 90//16 91//16 95//16 f 90//16 95//16 96//16 f 100//42 93//42 90//42 f 100//42 90//42 96//42 f 94//43 93//43 100//43 f 94//43 100//43 99//43 f 91//44 94//44 99//44 f 91//44 99//44 95//44 g f 104//45 101//45 102//45 f 104//45 102//45 103//46 f 105//47 106//48 107//47 f 105//47 107//47 108//47 f 109//49 110//49 111//49 f 109//49 111//49 112//49 g f 116 113 114 f 116 114 115 f 120 117 118 f 120 118 119 f 117 116 115 f 117 115 118 f 116 117 120 f 116 120 113 f 113 120 119 f 113 119 114 f 119 118 115 f 119 115 114 g f 121 122 123 f 124 125 126 f 126 125 122 f 126 122 121 f 122 125 124 f 122 124 123 f 123 124 126 f 123 126 121 g f 130//50 127//50 128//50 f 130//50 128//50 129//50 f 131//51 132//51 133//51 f 131//51 133//51 134//51 f 135//52 136//52 137//52 f 135//52 137//52 138//53 g f 142 139 140 f 142 140 141 f 146 143 144 f 146 144 145 f 143 142 141 f 143 141 144 f 146 139 142 f 146 142 143 f 139 146 145 f 139 145 140 f 141 140 145 f 141 145 144 g f 147 148 149 f 150 151 152 f 152 151 148 f 152 148 147 f 150 149 148 f 150 148 151 f 149 150 152 f 149 152 147 g f 156 153 154 f 156 154 155 f 157 158 159 f 157 159 160 f 161 162 163 f 161 163 164 g f 166 167 168 f 166 168 165 f 169 170 167 f 169 167 166 f 171 172 170 f 171 170 169 f 165 168 172 f 165 172 171 g f 176 173 174 f 176 174 175 f 180 177 178 f 180 178 179 f 184 181 182 f 184 182 183 g f 220 185 186 f 220 186 187 f 220 187 188 f 220 188 189 f 220 189 190 f 220 190 191 f 220 191 192 f 220 192 193 f 220 193 194 f 220 194 195 f 220 195 196 f 220 196 197 f 220 197 198 f 220 198 199 f 220 199 200 f 220 200 201 f 219 220 201 f 218 219 201 f 217 218 201 f 216 217 201 f 215 216 201 f 214 215 201 f 213 214 201 f 212 213 201 f 211 212 201 f 210 211 201 f 209 210 201 f 209 201 202 f 209 202 203 f 209 203 204 f 209 204 205 f 209 205 206 f 209 206 207 f 209 207 208 g f 224 221 222 f 224 222 223 f 226 227 228 f 226 228 225 f 229 230 231 f 229 231 232 f 236 233 234 f 236 234 235 f 238 239 240 f 238 240 237 f 241 242 243 f 241 243 244 f 247 248 245 f 247 245 246 f 251 252 249 f 251 249 250 f 256 253 254 f 256 254 255 f 260 257 258 f 260 258 259 f 263 264 261 f 263 261 262 f 265 266 267 f 265 267 268 g f 272 269 270 f 272 270 271 f 275 276 273 f 275 273 274 g f 312 277 278 f 312 278 279 f 312 279 280 f 312 280 281 f 312 281 282 f 312 282 283 f 312 283 284 f 312 284 285 f 312 285 286 f 312 286 287 f 312 287 288 f 312 288 289 f 312 289 290 f 312 290 291 f 312 291 292 f 312 292 293 f 311 312 293 f 310 311 293 f 309 310 293 f 308 309 293 f 307 308 293 f 306 307 293 f 305 306 293 f 304 305 293 f 303 304 293 f 302 303 293 f 301 302 293 f 301 293 294 f 301 294 295 f 301 295 296 f 301 296 297 f 301 297 298 f 301 298 299 f 301 299 300 g f 316 313 314 f 316 314 315 f 318 319 320 f 318 320 317 f 321 322 323 f 321 323 324 f 328 325 326 f 328 326 327 f 330 331 332 f 330 332 329 f 333 334 335 f 333 335 336 f 339 340 337 f 339 337 338 f 343 344 341 f 343 341 342 f 348 345 346 f 348 346 347 f 352 349 350 f 352 350 351 f 355 356 353 f 355 353 354 f 357 358 359 f 357 359 360 g f 364 361 362 f 364 362 363 f 367 368 365 f 367 365 366 g f 404 369 370 f 404 370 371 f 404 371 372 f 404 372 373 f 404 373 374 f 404 374 375 f 404 375 376 f 404 376 377 f 404 377 378 f 404 378 379 f 404 379 380 f 404 380 381 f 404 381 382 f 404 382 383 f 404 383 384 f 404 384 385 f 403 404 385 f 402 403 385 f 401 402 385 f 400 401 385 f 399 400 385 f 398 399 385 f 397 398 385 f 396 397 385 f 395 396 385 f 394 395 385 f 393 394 385 f 393 385 386 f 393 386 387 f 393 387 388 f 393 388 389 f 393 389 390 f 393 390 391 f 393 391 392 g f 408 405 406 f 408 406 407 f 410 411 412 f 410 412 409 f 413 414 415 f 413 415 416 f 420 417 418 f 420 418 419 f 422 423 424 f 422 424 421 f 425 426 427 f 425 427 428 f 431 432 429 f 431 429 430 f 435 436 433 f 435 433 434 f 440 437 438 f 440 438 439 f 444 441 442 f 444 442 443 f 447 448 445 f 447 445 446 f 449 450 451 f 449 451 452 g f 456 453 454 f 456 454 455 f 459 460 457 f 459 457 458 g f 496 461 462 f 496 462 463 f 496 463 464 f 496 464 465 f 496 465 466 f 496 466 467 f 496 467 468 f 496 468 469 f 496 469 470 f 496 470 471 f 496 471 472 f 496 472 473 f 496 473 474 f 496 474 475 f 496 475 476 f 496 476 477 f 495 496 477 f 494 495 477 f 493 494 477 f 492 493 477 f 491 492 477 f 490 491 477 f 489 490 477 f 488 489 477 f 487 488 477 f 486 487 477 f 485 486 477 f 485 477 478 f 485 478 479 f 485 479 480 f 485 480 481 f 485 481 482 f 485 482 483 f 485 483 484 g f 500 497 498 f 500 498 499 f 502 503 504 f 502 504 501 f 505 506 507 f 505 507 508 f 512 509 510 f 512 510 511 f 514 515 516 f 514 516 513 f 517 518 519 f 517 519 520 f 523 524 521 f 523 521 522 f 527 528 525 f 527 525 526 f 532 529 530 f 532 530 531 f 536 533 534 f 536 534 535 f 539 540 537 f 539 537 538 f 541 542 543 f 541 543 544 g f 548 545 546 f 548 546 547 f 551 552 549 f 551 549 550 asymptote-2.62/examples/cheese.asy0000644000000000000000000000050213607467113015763 0ustar rootrootimport graph3; import palette; import contour3; size(400); real f(real x, real y, real z) { return cos(x)*sin(y)+cos(y)*sin(z)+cos(z)*sin(x); } surface sf=surface(contour3(f,(-2pi,-2pi,-2pi),(2pi,2pi,2pi),12)); sf.colors(palette(sf.map(abs),Gradient(red,yellow))); currentlight=nolight; draw(sf,render(merge=true)); asymptote-2.62/examples/SierpinskiSponge.asy0000644000000000000000000000447113607467113020034 0ustar rootrootsize(200); import palette; import three; currentprojection=orthographic(1,1,1); triple[] M={ (-1,-1,-1),(0,-1,-1),(1,-1,-1),(1,0,-1), (1,1,-1),(0,1,-1),(-1,1,-1),(-1,0,-1), (-1,-1,0),(1,-1,0),(1,1,0),(-1,1,0), (-1,-1,1),(0,-1,1),(1,-1,1),(1,0,1),(1,1,1),(0,1,1),(-1,1,1),(-1,0,1) }; surface[] Squares={ surface((1,-1,-1)--(1,1,-1)--(1,1,1)--(1,-1,1)--cycle), surface((-1,-1,-1)--(-1,1,-1)--(-1,1,1)--(-1,-1,1)--cycle), surface((1,1,-1)--(-1,1,-1)--(-1,1,1)--(1,1,1)--cycle), surface((1,-1,-1)--(-1,-1,-1)--(-1,-1,1)--(1,-1,1)--cycle), surface((1,-1,1)--(1,1,1)--(-1,1,1)--(-1,-1,1)--cycle), surface((1,-1,-1)--(1,1,-1)--(-1,1,-1)--(-1,-1,-1)--cycle), }; int[][] SquaresPoints={ {2,3,4,10,16,15,14,9}, {0,7,6,11,18,19,12,8}, {4,5,6,11,18,17,16,10}, {2,1,0,8,12,13,14,9}, {12,13,14,15,16,17,18,19}, {0,1,2,3,4,5,6,7} }; int[][] index={ {0,2,4},{0,1},{1,2,4},{2,3},{1,3,4},{0,1},{0,3,4},{2,3}, {4,5},{4,5},{4,5},{4,5}, {0,2,5},{0,1},{1,2,5},{2,3},{1,3,5},{0,1},{0,3,5},{2,3} }; int[] Sponge0=array(n=6,value=1); int[] eraseFaces(int n, int[] Sponge0) { int[] temp=copy(Sponge0); for(int k : index[n]) { temp[k]=0; } return temp; } int[][] Sponge1=new int[20][]; for(int n=0; n < 20; ++n) { Sponge1[n]=eraseFaces(n,Sponge0); } int[][] eraseFaces(int n, int[][] Sponge1) { int[][] temp=copy(Sponge1); for(int k : index[n]) for(int n1 : SquaresPoints[k]) temp[n1][k]=0; return temp; } int[][][] Sponge2=new int[20][][]; for(int n=0; n < 20; ++n) Sponge2[n]=eraseFaces(n,Sponge1); int[][][] eraseFaces(int n, int[][][] Sponge2) { int[][][] temp=copy(Sponge2); for(int k : index[n]) for(int n2: SquaresPoints[k]) for(int n1: SquaresPoints[k]) temp[n2][n1][k]=0; return temp; } int[][][][] Sponge3=new int[20][][][]; for(int n=0; n < 20; ++n) Sponge3[n]=eraseFaces(n,Sponge2); surface s3; real u=2/3; for(int n3=0; n3 < 20; ++n3) { surface s2; for(int n2=0; n2 < 20; ++n2) { surface s1; for(int n1=0; n1 < 20; ++n1) { for(int k=0; k < 6; ++k) { if(Sponge3[n3][n2][n1][k] > 0) { s1.append(scale3(u)*shift(M[n1])*scale3(0.5)*Squares[k]); } } } s2.append(scale3(u)*shift(M[n2])*scale3(0.5)*s1); } s3.append(scale3(u)*shift(M[n3])*scale3(0.5)*s2); } s3.colors(palette(s3.map(abs),Rainbow())); draw(s3); asymptote-2.62/examples/fractaltree.asy0000644000000000000000000000125313607467113017027 0ustar rootrootsize(200); path ltrans(path p,int d) { path a=rotate(65)*scale(0.4)*p; return shift(point(p,(1/d)*length(p))-point(a,0))*a; } path rtrans(path p, int d) { path a=reflect(point(p,0),point(p,length(p)))*rotate(65)*scale(0.35)*p; return shift(point(p,(1/d)*length(p))-point(a,0))*a; } void drawtree(int depth, path branch) { if(depth == 0) return; real breakp=(1/depth)*length(branch); draw(subpath(branch,0,breakp),deepgreen); drawtree(depth-1,subpath(branch,breakp,length(branch))); drawtree(depth-1,ltrans(branch,depth)); drawtree(depth-1,rtrans(branch,depth)); return; } path start=(0,0)..controls (-1/10,1/3) and (-1/20,2/3)..(1/20,1); drawtree(6,start); asymptote-2.62/examples/shadestroke.asy0000644000000000000000000000015013607467113017042 0ustar rootrootsize(100); radialshade(W..N..E--(0,0),stroke=true, red+linewidth(30),(0,0),0.25,yellow,(0,0),1); asymptote-2.62/examples/stroke3.asy0000644000000000000000000000007313607467113016124 0ustar rootrootimport three; size(5cm); draw(O--X,red+1cm,currentlight); asymptote-2.62/examples/label3solid.asy0000644000000000000000000000027313607467113016731 0ustar rootrootimport three; currentprojection=perspective(100,100,200,up=Y); draw(scale3(4)*extrude("$\displaystyle\int_{-\infty}^{+\infty} e^{-\alpha x^2}\,dx=\sqrt{\frac{\pi}{\alpha}}$",2Z),blue); asymptote-2.62/examples/gamma3.asy0000644000000000000000000000131213607467113015674 0ustar rootrootimport graph3; import palette; size(12cm,IgnoreAspect); currentprojection=orthographic(1,-2,1); real X=4.5; real M=abs(gamma((X,0))); pair Gamma(pair z) { return (z.x > 0 || z != floor(z.x)) ? gamma(z) : M; } real f(pair z) {return min(abs(Gamma(z)),M);} surface s=surface(f,(-2.1,-2),(X,2),70,Spline); real Arg(triple v) { return degrees(Gamma((v.x,v.y)),warn=false); } s.colors(palette(s.map(Arg),Wheel())); draw(s,render(compression=Low,merge=true)); real xmin=point((-1,-1,-1)).x; real xmax=point((1,1,1)).x; draw((xmin,0,0)--(xmax,0,0),dashed); xaxis3("$\mathop{\rm Re} z$",Bounds,InTicks); yaxis3("$\mathop{\rm Im} z$",Bounds,InTicks(beginlabel=false)); zaxis3("$|\Gamma(z)|$",Bounds,InTicks); asymptote-2.62/examples/slidedemo_.bbl0000644000000000000000000000052513607467113016603 0ustar rootroot\begin{thebibliography}{Knu86} \bibitem[Hob86]{Hobby86} John~D. Hobby. \newblock Smooth, easy to compute interpolating splines. \newblock {\em Discrete Comput. Geom.}, 1:123--140, 1986. \bibitem[Knu86]{Knuth86b} Donald~E. Knuth. \newblock {\em The \MF{}book}. \newblock Addison-Wesley, Reading, Massachusetts, 1986. \end{thebibliography} asymptote-2.62/examples/label3ribbon.asy0000644000000000000000000000030413607467113017065 0ustar rootrootimport three; currentprojection=perspective(100,100,200,up=Y); draw(scale3(4)*extrude(texpath("$\displaystyle\int_{-\infty}^{+\infty} e^{-\alpha x^2}\,dx=\sqrt{\frac{\pi}{\alpha}}$"),2Z),blue); asymptote-2.62/examples/tiling.asy0000644000000000000000000000015013607467113016014 0ustar rootrootsize(0,150); import patterns; add("checker",checker(blue)); filldraw(unitcircle,pattern("checker")); asymptote-2.62/examples/washer.asy0000644000000000000000000000055013607467113016023 0ustar rootrootimport three; size(10cm); path3[] p=reverse(unitcircle3)^^scale3(0.5)*unitcircle3; path[] g=reverse(unitcircle)^^scale(0.5)*unitcircle; triple H=-0.4Z; render render=render(merge=true); draw(surface(p,planar=true),render); draw(surface(shift(H)*p,planar=true),render); material m=material(lightgray,shininess=1.0); for(path pp : g) draw(extrude(pp,H),m); asymptote-2.62/examples/genustwo.asy0000644000000000000000000000216013607467113016404 0ustar rootrootsize(10cm,0); import smoothcontour3; currentprojection=perspective((18,20,10)); if(settings.render < 0) settings.render=8; real tuberadius = 0.69; // Convert to cylindrical coordinates to draw // a circle revolved about the z axis. real toruscontour(real x, real y, real z) { real r = sqrt(x^2 + y^2); return (r-2)^2 + z^2 - tuberadius^2; } // Take the union of the two tangent tori (by taking // the product of the functions defining them). Then // add (or subtract) a bit of noise to smooth things // out. real f(real x, real y, real z) { real f1 = toruscontour(x - 2 - tuberadius, y, z); real f2 = toruscontour(x + 2 + tuberadius, y, z); return f1 * f2 - 0.1; } // The noisy function extends a bit farther than the union of // the two tori, so include a bit of extra space in the box. triple max = (2*(2+tuberadius), 2+tuberadius, tuberadius) + (0.1, 0.1, 0.1); triple min = -max; // Draw the implicit surface. draw(implicitsurface(f, min, max, overlapedges=true, nx=20, nz=5), surfacepen=material(diffusepen=gray(0.6), emissivepen=gray(0.3), specularpen=gray(0.1))); asymptote-2.62/examples/spiral3.asy0000644000000000000000000000065213607467113016112 0ustar rootrootimport graph3; import palette; size3(10cm); currentprojection=orthographic(5,4,2); viewportmargin=(2cm,0); real r(real t) {return 3exp(-0.1*t);} real x(real t) {return r(t)*cos(t);} real y(real t) {return r(t)*sin(t);} real z(real t) {return t;} path3 p=graph(x,y,z,0,6*pi,50,operator ..); tube T=tube(p,2); surface s=T.s; s.colors(palette(s.map(zpart),BWRainbow())); draw(s,render(merge=true)); draw(T.center,thin()); asymptote-2.62/examples/parametricsurface.asy0000644000000000000000000000062713607467113020237 0ustar rootrootimport graph3; size(200,0); currentprojection=orthographic(4,0,2); real R=2; real a=1.9; triple f(pair t) { return ((R+a*cos(t.y))*cos(t.x),(R+a*cos(t.y))*sin(t.x),a*sin(t.y)); } pen p=rgb(0.2,0.5,0.7); surface s=surface(f,(0,0),(2pi,2pi),8,8,Spline); // surface only //draw(s,lightgray); // mesh only // draw(s,nullpen,meshpen=p); // surface & mesh draw(s,lightgray,meshpen=p,render(merge=true)); asymptote-2.62/examples/colorpatch.asy0000644000000000000000000000065013607467113016671 0ustar rootrootimport three; currentlight=Viewport; size(10cm); surface s=surface(patch(new triple[][] { {(0,0,0),(1,0,0),(1,0,0),(2,0,0)}, {(0,1,0),(1,0,1),(1,0,1),(2,1,0)}, {(0,1,0),(1,0,-1),(1,0,-1),(2,1,0)}, {(0,2,0),(1,2,0),(1,2,0),(2,2,0)}})); s.s[0].colors=new pen[] {red,green,blue,black}; draw(s,nolight); surface t=shift(Z)*unitplane; t.s[0].colors=new pen[] {red,green,blue,black}; draw(t,nolight); asymptote-2.62/examples/tensor.asy0000644000000000000000000000045713607467113016052 0ustar rootrootsize(200); pen[][] p={{red,green,blue,cyan},{blue,green,magenta,rgb(black)}}; path G=(0,0){dir(-120)}..(1,0)..(1,1)..(0,1)..cycle; path[] g={G,subpath(G,2,1)..(2,0)..(2,1)..cycle}; pair[][] z={{(0.5,0.5),(0.5,0.5),(0.5,0.5),(0.5,0.5)},{(2,0.5),(2,0.5),(1.5,0.5),(2,0.5)}}; tensorshade(g,p,z); dot(g); asymptote-2.62/examples/lmfit1.asy0000644000000000000000000000172413607467113015732 0ustar rootrootimport lmfit; import graph; size(10cm, 7cm, IgnoreAspect); real[] date = { 1790, 1800, 1810, 1820, 1830, 1840, 1850, 1860, 1870, 1880, 1890, 1900, 1910, 1920, 1930, 1940, 1950, 1960, 1970, 1980, 1990 }; real[] population = { 3.929, 5.308, 7.240, 9.638, 12.866, 17.069, 23.192, 31.443, 38.558, 50.156, 62.948, 75.996, 91.972, 105.711, 122.775, 131.669, 150.697, 179.323, 203.185, 226.546, 248.710 }; real t0 = 1776; real P(real[] params, real t) { real P0 = params[0]; real K = params[1]; real r = params[2]; return (K * P0) / (P0 + (K - P0) * exp(-r * (t - t0))); } real[] params = { 10, 500, 0.1 }; real res = lmfit.fit(date, population, P, params).norm; write("P_0 = ", params[0]); write("K = ", params[1]); write("r = ", params[2]); write("error = ", res); real P(real t) { return P(params, t); } draw(graph(date, population), blue); draw(graph(P, t0, 2000), red); xaxis("Year", BottomTop, LeftTicks); yaxis("Population in millions", LeftRight, RightTicks); asymptote-2.62/examples/randompath3.asy0000644000000000000000000000006613607467113016754 0ustar rootrootimport three; size(300); draw(randompath3(100),red); asymptote-2.62/examples/venn3.asy0000644000000000000000000000150713607467113015566 0ustar rootrootsize(0,150); pen colour1=red; pen colour2=green; pen colour3=blue; real r=sqrt(3); pair z0=(0,0); pair z1=(-1,0); pair z2=(1,0); pair z3=(0,r); path c1=circle(z1,r); path c2=circle(z2,r); path c3=circle(z3,r); fill(c1,colour1); fill(c2,colour2); fill(c3,colour3); picture intersection12; fill(intersection12,c1,colour1+colour2); clip(intersection12,c2); picture intersection13; fill(intersection13,c1,colour1+colour3); clip(intersection13,c3); picture intersection23; fill(intersection23,c2,colour2+colour3); clip(intersection23,c3); picture intersection123; fill(intersection123,c1,colour1+colour2+colour3); clip(intersection123,c2); clip(intersection123,c3); add(intersection12); add(intersection13); add(intersection23); add(intersection123); draw(c1); draw(c2); draw(c3); label("$A$",z1); label("$B$",z2); label("$C$",z3); asymptote-2.62/examples/mosaic.asy0000644000000000000000000001221213607467113016003 0ustar rootroot// Calendar example contributed by Jens Schwaiger // transformations path similarpath(pair a, pair b, path p) { // transform p into a path starting at a and ending at b pair first; pair last; path p_; first=point(p,0); last=point(p,length(p)); p_=shift(-first)*p; p_=rotate(degrees(b-a))*p_; p_=scale(abs(b-a)/abs(last-first))*p_; p_=shift(a)*p_; return p_; } path c_line(path p) { // returns the path obtained by adding to p a copy rotated // around the endpoint of p by 180 degrees // works only if the initial point and the endpoint of p are different // a c_line is symetric with respect to the center of // the straight line between its endpoints // return p..rotate(180,point(p,length(p)))*reverse(p); } path tounitcircle(path p, int n=300) { // the transformation pair x --> x/sqrt(1+abs(x)^2) // is a bijection from the plane to the open unitdisk real l=arclength(p); path ghlp; for(int i=0; i <= n; ++i) { real at=arctime(p,l/n*i); pair phlp=point(p,at); real trhlp=1/(1+abs(phlp)^2)^(1/2); ghlp=ghlp--trhlp*phlp; } if(cyclic(p)) {ghlp=ghlp--cycle;} return ghlp; } void centershade(picture pic=currentpicture, path p, pen in, pen out, pen drawpen=currentpen) { pair center=0.5(max(p)+min(p)); real radius=0.5abs(max(p)-min(p)); radialshade(pic,p,in,center,0,out,center,radius); draw(pic,p,drawpen); } pair zentrum(path p) {return 0.5(min(p)+max(p));} //%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%% real scalefactor=19/13; // For output: height=scalefactor*width real outputwidth=13cm; picture kalender;// at first we produce a calendar for february 2006 texpreamble("\usepackage[latin1]{inputenc}"); size(outputwidth,0); real yc=0.5; pair diff=(-3.5,5*yc); pen farbe(int j) { pen hlp=0.8white; if(j % 7 == 6) {hlp=red+white;} return hlp;} // farbe=German word for color path kasten=yscale(yc)*unitsquare; // Kasten is a German word meaning something like box path Gkasten=shift((0,2*yc)+diff)*xscale(7)*yscale(2)*kasten; path tage[]= new path[7]; // Tag=day string wochentag[]={"MO","DI","MI","DO","FR","SA","SO"}; path[][] bx= new path[6][7]; string[][] entry= new string[6][7]; bool[][] holiday=new bool[6][7]; // Now the necessary information for February 2006 int start=2; int days=28; for(int i=0; i < entry.length; ++i) { for(int j=0; j < entry[0].length; ++j) { int day=i*7+j-start+1; entry[i][j]=(day > 0 && day <= days ? (string) day : ""); holiday[i][j]=false; } } for(int j=0; j < 7; ++j) { tage[j]=shift((j,yc)+diff)*kasten; filldraw(tage[j],farbe(j),black+2bp); label(wochentag[j],zentrum(tage[j]),Palatino()); for(int i=0; i < 6; ++i) {bx[i][j]=shift((j,-yc*i)+diff)*kasten; filldraw(bx[i][j],farbe(j),black+2bp); if(holiday[i][j]) {filldraw(bx[i][j],farbe(6),black+2bp);}; }; }; filldraw(Gkasten,0.3white,black+2bp); for(int j=0; j < 7; ++j) for(int i=0; i < 6 ; ++i) {label(entry[i][j],zentrum(bx[i][j]),Palatino());} label("\Huge Februar 2006",zentrum(Gkasten),Palatino()+white); // Zentrum=center; Februar=february add(kalender,currentpicture); erase(); // Now the mosaic is constructed pair a[]=new pair[4]; path p[]=new path[4]; path q[]=new path[4]; path kontur[]=new path[5]; picture temppic; a[1]=(0,0); a[2]=(1,0); a[3]=(0,1); // a triangle with abs(a[2]-a[1])=abs(a[3]-a[1] // and a right angle at a[1]; q[1]=(0,0){dir(-20)}::{dir(20)}(0.2,0){dir(-140)}..{dir(0)}(0.3,-0.2){dir(0)}.. {dir(140)}(0.4,0){dir(20)}..{dir(-20)}(1,0); q[2]=(0,0){dir(20)}..{dir(-20)}(0.8,0){dir(-140)}..{dir(0)}(0.9,-0.3){dir(0)}.. {dir(140)}(1,0); q[2]=c_line(q[2]); p[1]=similarpath(a[1],a[2],q[1]);// arbitrary path from a[1] to a[2] p[2]=similarpath(a[2],a[3],q[2]);// arbitrary c_line from a[2] to a[3] p[3]=rotate(90,a[1])*reverse(p[1]);// kontur[1]=p[1]..p[2]..p[3]..cycle;// first tile kontur[2]=rotate(90,a[1])*kontur[1];// second kontur[3]=rotate(180,a[1])*kontur[1];// third kontur[4]=rotate(270,a[1])*kontur[1];// fourth pair tri=2*(interp(a[2],a[3],0.5)-a[1]); pair trii=rotate(90)*tri; // translations of kontur[i], i=1,2,3,4, with respect to // j*tri+k*trii // fill the plane for(int j=-4; j < 4; ++j) for(int k=-4; k < 4; ++k) { transform tr=shift(j*tri+k*trii); for(int i=1; i < 5; ++i) { centershade(temppic,tr*kontur[i],(1-i/10)*white, (1-i/10)*chartreuse,black+2bp); } } // Now we produce the bijective images inside // a suitably scaled unitcircle for(int k=-1; k < 2; ++k) for(int l=-1; l < 2; ++l) { transform tr=shift(k*tri+l*trii); for(int i=1; i < 5; ++i) { centershade(temppic,scale(2.5)*tounitcircle(tr*kontur[i],380), (1-i/10)*white,(1-i/10)*orange,black+2bp); } } add(temppic); // We clip the picture to a suitable box pair piccenter=0.5*(temppic.min()+temppic.max()); pair picbox=temppic.max()-temppic.min(); real picwidth=picbox.x; transform trialtrans=shift(0,-1.5)*shift(piccenter)*yscale(scalefactor)* scale(0.25picwidth)*shift((-0.5,-0.5))*identity(); clip(trialtrans*unitsquare); // add the calendar at a suitable position add(kalender.fit(0.75*outputwidth),interp(point(S),point(N),1/13)); asymptote-2.62/examples/annotation.asy0000644000000000000000000000035413607467113016706 0ustar rootrootimport annotate; settings.outformat="pdf"; size(200); draw(unitcircle); dot((0,0)); annotate("O","(0,0)",(0,0)); annotate("A","(1,0)",(1,0)); annotate("B","(0,1)",(0,1)); annotate("C","(-1,0)",(-1,0)); annotate("D","(0,-1)",(0,-1)); asymptote-2.62/examples/mosquito.asy0000644000000000000000000000472013607467113016415 0ustar rootrootsize(9cm,10cm,IgnoreAspect); pair d=(1,0.25); real s=1.6d.x; real y=0.6; defaultpen(fontsize(8pt)); picture box(string s, pair z=(0,0)) { picture pic; draw(pic,box(-d/2,d/2)); label(pic,s,(0,0)); return shift(z)*pic; } label("Birds",(0,y)); picture removed=box("Removed ($R_B$)"); picture infectious=box("Infectious ($I_B$)",(0,-1.5)); picture susceptible=box("Susceptible ($S_B$)",(0,-3)); add(removed); add(infectious); add(susceptible); label("Mosquitoes",(s,y)); picture larval=box("Larval ($L_M$)",(s,0)); picture susceptibleM=box("Susceptible ($S_M$)",(s,-1)); picture exposed=box("Exposed ($E_M$)",(s,-2)); picture infectiousM=box("Infectious ($I_M$)",(s,-3)); add(larval); add(susceptibleM); add(exposed); add(infectiousM); path ls=point(larval,S)--point(susceptibleM,N); path se=point(susceptibleM,S)--point(exposed,N); path ei=point(exposed,S)--point(infectiousM,N); path si=point(susceptible,N)--point(infectious,S); draw(minipage("\flushright{recovery rate ($g$) \& death rate from virus ($\mu_V$)}",40pt),point(infectious,N)--point(removed,S),LeftSide,Arrow, PenMargin); draw(si,LeftSide,Arrow,PenMargin); draw(minipage("\flushright{maturation rate ($m$)}",50pt),ls,RightSide, Arrow,PenMargin); draw(minipage("\flushright{viral incubation rate ($k$)}",40pt),ei, RightSide,Arrow,PenMargin); path ise=point(infectious,E)--point(se,0.5); draw("$(ac)$",ise,LeftSide,dashed,Arrow,PenMargin); label(minipage("\flushleft{biting rate $\times$ transmission probability}",50pt),point(infectious,SE),dir(-60)+S); path isi=point(infectiousM,W)--point(si,2.0/3); draw("$(ab)$",isi,LeftSide,dashed,Arrow,PenMargin); draw(se,LeftSide,Arrow,PenMargin); real t=2.0; draw("$\beta_M$", point(susceptibleM,E){right}..tension t..{left}point(larval,E), 2*(S+SE),red,Arrow(Fill,0.5)); draw(minipage("\flushleft{birth rate ($\beta_M$)}",20pt), point(exposed,E){right}..tension t..{left}point(larval,E),2SW,red, Arrow(Fill,0.5)); draw("$\beta_M$", point(infectiousM,E){right}..tension t..{left}point(larval,E),2SW, red,Arrow(Fill,0.5)); path arrow=(0,0)--0.75cm*dir(35); draw(point(larval,NNE), Label(minipage("\flushleft{larval death rate ($\mu_L$)}",45pt),1), arrow,blue,Arrow); draw(point(susceptibleM,NNE), Label(minipage("\flushleft{adult death rate ($\mu_A$)}",20pt),1), arrow,N,blue,Arrow); draw(point(exposed,NNE),Label("$\mu_A$",1),arrow,blue,Arrow); draw(point(infectiousM,NNE),Label("$\mu_A$",1),arrow,blue,Arrow); asymptote-2.62/examples/transparentCubes.asy0000644000000000000000000000037213607467113020057 0ustar rootrootimport three; size(100,100); currentprojection=perspective(10,7,40); int N=4; real f=1+1/N; for(int k=0; k < N; ++k) { for(int m=0; m < N; ++m) { for(int n=0; n < N; ++n) { draw(shift((n,m,k)*f)*unitcube,red+opacity(0.5)); } } } asymptote-2.62/examples/worksheet.asy0000644000000000000000000000172213607467113016547 0ustar rootrootimport fontsize; settings.outformat="pdf"; defaultpen(Helvetica()); picture pic; unitsize(pic,mm); pair z=(0,0); real length=88; real height=8; pair step=height*S; label(pic,"Word Wall Spelling",z,Align); z += step; frame f; label(f,"Name:"); pair z0=(max(f).x,min(f).y); draw(f,z0--z0+50mm); add(pic,f,z,Align); z += step; for(int i=1; i <= 15; ++i) { draw(pic,z--z+length); z += step; draw(pic,z--z+length,dashed+gray); z += step; void label(int i) { label(pic,string(i)+".",z,0.2NE,fontsize(0.8*1.5*2*height*mm)+gray); } if(i <= 10) label(i); else if(i == 11) { pair z0=z+length/2; pen p=fontsize(20pt); label(pic,"Challenge Word",z0+N*height,I*Align.y,p+basealign); label(pic,"(optional)",z0,I*Align.y,p); } else if(i == 12) label(1); else if(i == 13) label(2); else if(i == 14) label(3); } draw(pic,z--z+length); add(pic.fit(),(0,0),W); add(pic.fit(),(0,0),E); newpage(); add(pic.fit(),(0,0),W); add(pic.fit(),(0,0),E); asymptote-2.62/examples/NURBSsurface.asy0000644000000000000000000000266513607467113017005 0ustar rootrootimport three; size(10cm); currentprojection=perspective(50,80,50); // Nonrational surface: // udegree=3, vdegree=3, nu=5, nv=6; real[] uknot={0,0,0,0,0.5,1,1,1,1}; real[] vknot={0,0,0,0,0.4,0.6,1,1,1,1}; triple[][] P={{ (-31.2061,12.001,6.45082), (-31.3952,14.7353,6.53707), (-31.5909,21.277,6.70051), (-31.4284,25.4933,6.76745), (-31.5413,30.3485,6.68777), (-31.4896,32.2839,6.58385) },{ (-28.279,12.001,7.89625), (-28.4187,14.7353,8.00954), (-28.5633,21.277,8.22422), (-28.4433,25.4933,8.31214), (-28.5266,30.3485,8.20749), (-28.4885,32.2839,8.07099) },{ (-20,12.001,10.0379), (-20,14.7353,10.2001), (-20,21.277,10.5076), (-20,25.4933,10.6335), (-20,30.3485,10.4836), (-20,32.2839,10.2881) },{ (-11.721,12.001,7.84024), (-11.5813,14.7353,7.95269), (-11.4367,21.277,8.16575), (-11.5567,25.4933,8.25302), (-11.4734,30.3485,8.14915), (-11.5115,32.2839,8.01367) },{ (-8.79391,12.001,6.39481), (-8.60483,14.7353,6.48022), (-8.40905,21.277,6.64204), (-8.57158,25.4933,6.70832), (-8.45874,30.3485,6.62943), (-8.51041,32.2839,6.52653) } }; draw(P,uknot,vknot,new pen[] {red,green,blue,magenta}); // Rational Bezier patch: // udegree=3, vdegree=3, nu=4, nv=4; real[] uknot={0,0,0,0,1,1,1,1}; real[] vknot={0,0,0,0,1,1,1,1}; triple[][] P=scale3(20)*octant1.P; // Optional weights: real[][] weights=array(P.length,array(P[0].length,1.0)); weights[0][2]=5.0; draw(P,uknot,vknot,weights,blue); asymptote-2.62/examples/condor.asy0000644000000000000000000000134313607467113016017 0ustar rootroot// Peter Luschny's Condor function // http://www.luschny.de/math/asy/ElCondorYElGamma.html import palette; import graph3; size(300,300,IgnoreAspect); currentprojection=orthographic(0,-1,0,center=true); currentlight=White; real K=7; triple condor(pair t) { real y=t.y; real x=t.x*y; real e=gamma(y+1); real ymx=y-x; real ypx=y+x; real a=gamma((ymx+1)/2); real b=gamma((ymx+2)/2); real c=gamma((ypx+1)/2); real d=gamma((ypx+2)/2); real A=cos(pi*ymx); real B=cos(pi*ypx); return (x,y,log(e)+log(a)*((A-1)/2)+log(b)*((-A-1)/2)+log(c)*((B-1)/2)+ log(d)*((-B-1)/2)); } surface s=surface(condor,(-1,0),(1,K),16,Spline); s.colors(palette(s.map(zpart),Rainbow())); draw(s,render(compression=Low,merge=true)); asymptote-2.62/examples/circles.asy0000644000000000000000000000110013607467113016146 0ustar rootrootsize(6cm,0); import math; currentpen=magenta; real r1=1; real r2=sqrt(7); real r3=4; pair O=0; path c1=circle(O,r1); draw(c1,green); draw(circle(O,r2),green); draw(circle(O,r3),green); real x=-0.6; real y=-0.8; real yD=0.3; pair A=(sqrt(r1^2-y^2),y); pair B=(-sqrt(r2^2-y^2),y); pair C=(x,sqrt(r3^2-x^2)); pair d=A+r2*dir(B--C); pair D=intersectionpoint(c1,A--d); draw(A--B--C--cycle); draw(interp(A,D,-0.5)--interp(A,D,1.5),blue); dot("$O$",O,S,red); dot("$A$",A,dir(C--A,B--A),red); dot("$B$",B,dir(C--B,A--B),red); dot("$C$",C,dir(A--C,B--C),red); dot("$D$",D,red); asymptote-2.62/examples/triangle.asy0000644000000000000000000000032113607467113016333 0ustar rootrootsize(0,100); import geometry; triangle t=triangle(b=3,alpha=90,c=4); dot((0,0)); draw(t); draw(rotate(90)*t,red); draw(shift((-4,0))*t,blue); draw(reflect((0,0),(1,0))*t,green); draw(slant(2)*t,magenta); asymptote-2.62/examples/cos2theta.asy0000644000000000000000000000035313607467113016427 0ustar rootrootimport graph; size(0,100); real f(real t) {return cos(2*t);} path g=polargraph(f,0,2pi,operator ..)--cycle; fill(g,green+white); xaxis("$x$",above=true); yaxis("$y$",above=true); draw(g); dot(Label,(1,0),NE); dot(Label,(0,1),NE); asymptote-2.62/examples/trumpet.asy0000644000000000000000000000044313607467113016233 0ustar rootrootimport graph3; size(200,0); currentlight=Viewport; triple f(pair t) { real u=log(abs(tan(t.y/2))); return (10*sin(t.y),cos(t.x)*(cos(t.y)+u),sin(t.x)*(cos(t.y)+u)); } surface s=surface(f,(0,pi/2),(2pi,pi-0.1),7,15,Spline); draw(s,olive+0.25*white,render(compression=Low,merge=true)); asymptote-2.62/examples/functionshading.asy0000644000000000000000000000224113607467113017714 0ustar rootrootsize(200); settings.tex="pdflatex"; // PostScript Calculator routine to convert from [0,1]x[0,1] to RG: string redgreen="0"; // PostScript Calculator routine to convert from [0,1]x[0,1] to HS to RGB: // (http://www.texample.net/tikz/examples/hsv-shading): string hsv="0.5 sub exch 0.5 sub exch 2 copy 2 copy 0 eq exch 0 eq and { pop pop 0.0 } {atan 360.0 div} ifelse dup 360 eq { pop 0.0 }{} ifelse 3 1 roll dup mul exch dup mul add sqrt 2.5 mul 0.25 sub 1 1 index 1.0 eq { 3 1 roll pop pop dup dup } { 3 -1 roll 6.0 mul dup 4 1 roll floor dup 5 1 roll 3 index sub neg 1.0 3 index sub 2 index mul 6 1 roll dup 3 index mul neg 1.0 add 2 index mul 7 1 roll neg 1.0 add 2 index mul neg 1.0 add 1 index mul 7 2 roll pop pop dup 0 eq { pop exch pop } { dup 1 eq { pop exch 4 1 roll exch pop } { dup 2 eq { pop 4 1 roll pop } { dup 3 eq { pop exch 4 2 roll pop } { dup 4 eq { pop exch pop 3 -1 roll } { pop 3 1 roll exch pop } ifelse } ifelse } ifelse } ifelse } ifelse } ifelse cvr 3 1 roll cvr 3 1 roll cvr 3 1 roll"; path p=unitcircle; functionshade(p,rgb(zerowinding),redgreen); layer(); draw(p); path g=shift(2*dir(-45))*p; functionshade(g,rgb(zerowinding),hsv); layer(); draw(g); asymptote-2.62/examples/curvedlabel3.asy0000644000000000000000000000107513607467113017110 0ustar rootrootsize(200); import labelpath3; path3 g=(1,0,0)..(0,1,1)..(-1,0,0)..(0,-1,1)..cycle; path3 g2=shift(-Z)*reverse(unitcircle3); string txt1="\hbox{This is a test of \emph{curved} 3D labels in \textbf{Asymptote} (implemented with {\tt texpath}).}"; string txt2="This is a test of curved labels in Asymptote\\(implemented without the {\tt PSTricks pstextpath} macro)."; draw(surface(g),paleblue+opacity(0.5)); draw(labelpath(txt1,subpath(g,0,reltime(g,0.95)),angle=-90),orange); draw(g2,1bp+red); draw(labelpath(txt2,subpath(g2,0,3.9),angle=180,optional=rotate(-70,X)*Z)); asymptote-2.62/examples/slope.asy0000644000000000000000000000377313607467113015666 0ustar rootrootimport ode; import graph; import math; size(200,200,IgnoreAspect); real f(real t, real y) {return cos(y);} //real f(real t, real y) {return 1/(1+y);} typedef real function(real,real); real a=0; real b=1; real y0=0; real L[]={1,2}; int M=L.length; // Number of modes. //real Y0[]=array(M,y0); real Y0[]=new real[] {-1,2}; real[] F(real t, real[] y) { return sequence(new real(int m) {return f(t,y[M-m-1]);},M); // return new real[] {exp((L[1]-1)*t)*y[1], // -exp(-(L[1]-1)*t)*y[0]}; // return new real[]{-y[0]^2}; } real[] G(real t, real[] y) { return F(t,y)-sequence(new real(int m) {return L[m]*y[m];},M); } real lambda=sqrt(0.5); real[] tau,error,error2; int n=25; real order=3; for(int i=0; i < n-1; ++i) { real dt=(b-a)*lambda^(n-i); Solution S=integrate(Y0,L,F,a,b,dt,dynamic=false,0.0002,0.0004,ERK3BS,verbose=false); real maxnorm=0; Solution E=integrate(Y0,G,a,b,1e-2*dt,dynamic=false,0.0002,0.0004,RK5); real[] exact=E.y[E.y.length-1]; // real[] exact=new real[] {exp(-b)*sin(b),exp(-L[1]*b)*cos(b)}; for(int m=0; m < M; ++m) maxnorm=max(maxnorm,abs(S.y[S.y.length-1][m]-exact[m])); if(maxnorm != 0) { tau.push(dt); // error.push(dt^-(order+1)*maxnorm); error.push(maxnorm); } } /* for(int i=0; i < n-1; ++i) { real dt=(b-a)*lambda^(n-i); real maxnorm=0; for(int m=0; m < M; ++m) { solution S=integrate(Y0[m],L[m],f,a,b,dt,dynamic=false,0.000,1000,RK4_375,verbose=false); maxnorm=max(maxnorm,abs(S.y[S.y.length-1]-exact[m])); } error2.push(dt^-order*maxnorm); } */ //scale(Log,Log); scale(Log,Linear); //draw(graph(tau,error),marker(scale(0.8mm)*unitcircle,red)); //draw(graph(tau,error2),marker(scale(0.8mm)*unitcircle,blue)); int[] index=sequence(error.length-1); real[] slope=log(error[index+1]/error[index])/log(tau[index+1]/tau[index]); real[] t=sqrt(tau[index]*tau[index+1]); //write(t,slope); draw(graph(t,slope),red); xaxis("$\tau$",BottomTop,LeftTicks); yaxis("$e/\tau^"+string(order)+"$",LeftRight,RightTicks); asymptote-2.62/examples/vertexshading.asy0000644000000000000000000000117013607467113017404 0ustar rootrootimport three; size(200); currentprojection=perspective(4,5,5); //draw(shift(2Z)*surface(O--X--Y--cycle),blue); draw(surface(unitcircle3,new pen[] {red,green,blue,black})); draw(surface(shift(Z)*unitsquare3, new pen[] {red,green+opacity(0.5),blue,black}), prc() ? nolight : currentlight); draw(surface(shift(X)*((0,0,0)..controls (1,0,0) and (2,0,0)..(3,0,0).. controls (2.5,sqrt(3)/2,0) and (2,sqrt(3),0).. (1.5,3*sqrt(3)/2,0).. controls (1,sqrt(3),0) and (0.5,sqrt(3)/2,0)..cycle), new triple[] {(1.5,sqrt(3)/2,2)},new pen[] {red,green,blue})); asymptote-2.62/examples/magnetic.asy0000644000000000000000000000073713607467113016330 0ustar rootrootimport graph3; import contour3; size(200,0); currentprojection=orthographic((6,8,2),up=Y); real a(real z) {return (z < 6) ? 1 : exp((abs(z)-6)/4);} real b(real z) {return 1/a(z);} real B(real z) {return 1-0.5cos(pi*z/10);} real f(real x, real y, real z) {return 0.5B(z)*(a(z)*x^2+b(z)*y^2)-1;} draw(surface(contour3(f,(-2,-2,-10),(2,2,10),10)),blue+opacity(0.75), render(merge=true)); xaxis3(Label("$x$",1),red); yaxis3(Label("$y$",1),red); zaxis3(Label("$z$",1),red); asymptote-2.62/examples/worldmap.asy0000644000000000000000000000511113607467113016355 0ustar rootrootsize(20cm); // The required data file is available here: // http://www.uni-graz.at/~schwaige/asymptote/worldmap.dat // This data was originally obtained from // http://www.ngdc.noaa.gov/mgg_coastline/mapit.jsp real findtheta(real phi, real epsilon=realEpsilon) { // Determine for given phi the unique solution -pi/2 <= theta <= pi/2 off // 2*theta+sin(2*theta)=pi*sin(phi) // in the non-trivial cases by Newton iteration; // theoretically the initial guess pi*sin(phi)/4 always works. real nwtn(real x, real y) {return x-(2x+sin(2x)-y)/(2+2*cos(2x));}; real y=pi*sin(phi); if(y == 0) return 0.0; if(abs(y) == 1) return pi/2; real startv=y/4; real endv=nwtn(startv,y); if(epsilon < 500*realEpsilon) epsilon=500*realEpsilon; while(abs(endv-startv) > epsilon) {startv=endv; endv=nwtn(startv,y);}; return endv; } pair mollweide(real lambda, real phi, real lambda0=0){ // calculate the Mollweide projection centered at lambda0 for the point // with coordinates(phi,lambda) static real c1=2*sqrt(2)/pi; static real c2=sqrt(2); real theta=findtheta(phi); return(c1*(lambda-lambda0)*cos(theta), c2*sin(theta)); } guide gfrompairs(pair[] data){ guide gtmp; for(int i=0; i < data.length; ++i) { pair tmp=mollweide(radians(data[i].y),radians(data[i].x)); gtmp=gtmp--tmp; } return gtmp; } string datafile="worldmap.dat"; file in=input(datafile,comment="/").line(); // new commentchar since "#" is contained in the file pair[][] arrarrpair=new pair[][] ; int cnt=-1; bool newseg=false; while(true) { if(eof(in)) break; string str=in; string[] spstr=split(str,""); if(spstr[0] == "#") {++cnt; arrarrpair[cnt]=new pair[] ; newseg=true;} if(spstr[0] != "#" && newseg) { string[] spstr1=split(str,'\t'); // separator is TAB not SPACE pair tmp=((real) spstr1[1],(real) spstr1[0]); arrarrpair[cnt].push(tmp); } } for(int i=0; i < arrarrpair.length; ++i) draw(gfrompairs(arrarrpair[i]),1bp+black); // lines of longitude and latitude pair[] constlong(real lambda, int np=100) { pair[] tmp; for(int i=0; i <= np; ++i) tmp.push((-90+i*180/np,lambda)); return tmp; } pair[] constlat(real phi, int np=100) { pair[] tmp; for(int i=0; i <= 2*np; ++i) tmp.push((phi,-180+i*180/np)); return tmp; } for(int j=1; j <= 5; ++j) draw(gfrompairs(constlong(-180+j/6*360)),white); draw(gfrompairs(constlong(-180)),1.5bp+white); draw(gfrompairs(constlong(180)),1.5bp+white); for(int j=0; j <= 12; ++j) draw(gfrompairs(constlat(-90+j/6*180)),white); //draw(gfrompairs(constlong(10)),dotted); close(in); shipout(bbox(1mm,darkblue,Fill(lightblue)), view=true); asymptote-2.62/examples/BezierSurface.asy0000644000000000000000000000276613607467113017276 0ustar rootrootimport three; string viewpoint=" COO=-684.0787963867188 206.90650939941406 218.13809204101562 C2C=0.8244762420654297 -0.563306450843811 0.0540805421769619 ROO=1009.7407942621448 ROLL=17.39344555165265 "; // viewpoint=getstring("viewpoint",viewpoint); currentprojection=perspective(viewpoint); triple[][][] P={ { {(-1.6,0,1.875),(-2.3,0,1.875),(-2.7,0,1.875),(-2.7,0,1.65),}, {(-1.6,-0.3,1.875),(-2.3,-0.3,1.875),(-2.7,-0.3,1.875),(-2.7,-0.3,1.65),}, {(-1.5,-0.3,2.1),(-2.5,-0.3,2.1),(-3,-0.3,2.1),(-3,-0.3,1.65),}, {(-1.5,0,2.1),(-2.5,0,2.1),(-3,0,2.1),(-3,0,1.65),} },{ {(-2.7,0,1.65),(-2.7,0,1.425),(-2.5,0,0.975),(-2,0,0.75),}, {(-2.7,-0.3,1.65),(-2.7,-0.3,1.425),(-2.5,-0.3,0.975),(-2,-0.3,0.75),}, {(-3,-0.3,1.65),(-3,-0.3,1.2),(-2.65,-0.3,0.7275),(-1.9,-0.3,0.45),}, {(-3,0,1.65),(-3,0,1.2),(-2.65,0,0.7275),(-1.9,0,0.45),} },{ {(-2.7,0,1.65),(-2.7,0,1.875),(-2.3,0,1.875),(-1.6,0,1.875),}, {(-2.7,0.3,1.65),(-2.7,0.3,1.875),(-2.3,0.3,1.875),(-1.6,0.3,1.875),}, {(-3,0.3,1.65),(-3,0.3,2.1),(-2.5,0.3,2.1),(-1.5,0.3,2.1),}, {(-3,0,1.65),(-3,0,2.1),(-2.5,0,2.1),(-1.5,0,2.1),} },{ {(-2,0,0.75),(-2.5,0,0.975),(-2.7,0,1.425),(-2.7,0,1.65),}, {(-2,0.3,0.75),(-2.5,0.3,0.975),(-2.7,0.3,1.425),(-2.7,0.3,1.65),}, {(-1.9,0.3,0.45),(-2.65,0.3,0.7275),(-3,0.3,1.2),(-3,0.3,1.65),}, {(-1.9,0,0.45),(-2.65,0,0.7275),(-3,0,1.2),(-3,0,1.65),} } }; picture pic; size(pic,15cm); size3(pic,10cm); draw(pic,surface(P),blue); add(embed("label",pic),(0,0),N); asymptote-2.62/examples/cosaddition.asy0000644000000000000000000000071513607467113017035 0ustar rootrootsize(0,200); import geometry; real A=130; real B=40; pair O=(0,0); pair R=(1,0); pair P=dir(A); pair Q=dir(B); draw(circle(O,1.0)); draw(Q--O--P); draw(P--Q,red); draw(O--Q--R--cycle); draw("$A$",arc(R,O,P,0.3),blue,Arrow,PenMargin); draw("$B$",arc(R,O,Q,0.6),blue,Arrow,PenMargin); pair S=(Cos(B),0); draw(Q--S,blue); perpendicular(S,NE,blue); dot(O); dot("$R=(1,0)$",R); dot("$P=(\cos A,\sin A)$",P,dir(O--P)+W); dot("$Q=(\cos B,\sin B)$",Q,dir(O--Q)); asymptote-2.62/examples/pdb.asy0000644000000000000000000000642013607467113015301 0ustar rootrootimport three; import cpkcolors; // A sample Protein Data Bank file for this example is available from // http://ndbserver.rutgers.edu/files/ftp/NDB/coordinates/na-biol/100d.pdb1 currentlight=White; //currentlight=nolight; defaultrender.merge=true; // Fast low-quality rendering //defaultrender.merge=false; // Slow high-quality rendering bool pixel=false; // Set to true to draw dots as pixels. real width=6; size(200); currentprojection=perspective(30,30,15); pen chainpen=green; pen hetpen=purple; string filename="100d.pdb1"; //string filename=getstring("filename"); string prefix=stripextension(filename); file data=input(filename); pen color(string e) { e=replace(e," ",""); int n=length(e); if(n < 1) return currentpen; if(n > 1) e=substr(e,0,1)+downcase(substr(e,1,n-1)); int index=find(Element == e); if(index < 0) return currentpen; return rgb(Hexcolor[index]); } // ATOM string[] name,altLoc,resName,chainID,iCode,element,charge; int[] serial,resSeq; real[][] occupancy,tempFactor; bool newchain=true; struct bond { int i,j; void operator init(int i, int j) { this.i=i; this.j=j; } } bond[] bonds; struct atom { string name; triple v; void operator init(string name, triple v) { this.name=name; this.v=v; } } struct chain { int[] serial; atom[] a; } int[] serials; chain[] chains; atom[] atoms; while(true) { string line=data; if(eof(data)) break; string record=replace(substr(line,0,6)," ",""); if(record == "TER") {newchain=true; continue;} bool ATOM=record == "ATOM"; bool HETATOM=record == "HETATM"; int serial; atom a; if(ATOM || HETATOM) { serial=(int) substr(line,6,5); a.name=substr(line,76,2); a.v=((real) substr(line,30,8), (real) substr(line,38,8), (real) substr(line,46,8)); } if(ATOM) { if(newchain) { chains.push(new chain); newchain=false; } chain c=chains[chains.length-1]; c.serial.push(serial); c.a.push(a); continue; } if(HETATOM) { serials.push(serial); atoms.push(a); } if(record == "CONECT") { int k=0; int i=(int) substr(line,6,5); while(true) { string s=replace(substr(line,11+k,5)," ",""); if(s == "") break; k += 5; int j=(int) s; if(j <= i) continue; bonds.push(bond(i,j)); } } } write("Number of atomic chains: ",chains.length); int natoms; begingroup3("chained"); for(chain c : chains) { for(int i=0; i < c.a.length-1; ++i) draw(c.a[i].v--c.a[i+1].v,chainpen,currentlight); for(atom a : c.a) if(pixel) pixel(a.v,color(a.name),width); else dot(a.v,color(a.name),currentlight); natoms += c.a.length; } endgroup3(); write("Number of chained atoms: ",natoms); write("Number of hetero atoms: ",atoms.length); begingroup3("hetero"); for(atom h : atoms) if(pixel) pixel(h.v,color(h.name),width); else dot(h.v,color(h.name),currentlight); endgroup3(); write("Number of hetero bonds: ",bonds.length); begingroup3("bonds"); for(bond b : bonds) { triple v(int i) {return atoms[find(serials == i)].v;} draw(v(b.i)--v(b.j),hetpen,currentlight); } endgroup3(); string options; string viewfilename=prefix+".views"; if(!error(input(viewfilename,check=false))) options="3Dviews="+viewfilename; shipout(prefix,options=options); currentpicture.erase(); asymptote-2.62/examples/vectorfield3.asy0000644000000000000000000000101513607467113017120 0ustar rootrootimport graph3; size(12cm,0); currentprojection=orthographic(1,-2,1); currentlight=(1,-1,0.5); real f(pair z) {return abs(z)^2;} path3 gradient(pair z) { static real dx=sqrtEpsilon, dy=dx; return O--((f(z+dx)-f(z-dx))/2dx,(f(z+I*dy)-f(z-I*dy))/2dy,0); } pair a=(-1,-1); pair b=(1,1); triple F(pair z) {return (z.x,z.y,0);} add(vectorfield(gradient,F,a,b,red)); draw(surface(f,a,b,Spline),gray+opacity(0.5)); xaxis3(XY()*"$x$",OutTicks(XY()*Label)); yaxis3(XY()*"$y$",InTicks(YX()*Label)); zaxis3("$z$",OutTicks); asymptote-2.62/examples/tanh.asy0000644000000000000000000000030613607467113015463 0ustar rootrootimport graph; size(100,0); real f(real x) {return tanh(x);} pair F(real x) {return (x,f(x));} xaxis("$x$"); yaxis("$y$"); draw(graph(f,-2.5,2.5,operator ..)); label("$\tanh x$",F(1.5),1.25*N); asymptote-2.62/examples/buildcycle.asy0000644000000000000000000000100113607467113016641 0ustar rootrootsize(200); real w=1.35; path[] p; for(int k=0; k < 2; ++k) { int i=2+2*k; int ii=i^2; p[k]=(w/ii,1){1,-ii}::(w/i,1/i)::(w,1/ii){ii,-1}; } path q0=(0,0)--(w,0.5); path q1=(0,0)--(w,1.5); draw(q0); draw(p[0]); draw(q1); draw(p[1]); path s=buildcycle(q0,p[0],q1,p[1]); fill(s,mediumgrey); label("$P$",intersectionpoint(p[0],q0),N); label("$Q$",intersectionpoint(p[0],q1),E); label("$R$",intersectionpoint(p[1],q1),W); label("$S$",intersectionpoint(p[1],q0),S); label("$f > 0$",0.5*(min(s)+max(s)),UnFill); asymptote-2.62/examples/BezierSaddle.asy0000644000000000000000000000110513607467113017064 0ustar rootrootimport three; size(300); patch p=patch(unstraighten(unitplane.s[0].external())); p.P[3][0]+=(0,0,1); p.P[1][0]+=(0,0,1/3); p.P[2][0]+=(0,0,2/3); p.P[3][1]+=(0,0,2/3); p.P[3][2]+=(0,0,1/3); p.P[2][1]=interp(p.P[2][0],p.P[2][3],1/3); p.P[2][2]=interp(p.P[2][0],p.P[2][3],2/3); p.P[1][1]=interp(p.P[1][0],p.P[1][3],1/3); p.P[1][2]=interp(p.P[1][0],p.P[1][3],2/3); draw(surface(p),red+opacity(0.75)); void dot(triple[][] P) { for(int i=0; i < 4; ++i) for(int j=0; j < 4; ++j) { draw(string(i)+","+string(j),P[i][j],linewidth(1mm)); } } dot(surface(p).s[0].P); asymptote-2.62/examples/hierarchy.asy0000644000000000000000000000071313607467113016511 0ustar rootroottexpreamble("\def\Ham{\mathop {\rm Ham}\nolimits}"); pair align=2N; frame f; ellipse(f,Label("$\Ham(r,2)$",(0,0)),lightblue,Fill,above=false); ellipse(f,Label("BCH Codes",point(f,N),align),green,Fill,above=false); ellipse(f,Label("Cyclic Codes",point(f,N),align),lightmagenta,Fill,above=false); ellipse(f,Label("Linear Codes",point(f,N),align),-4mm,orange,Fill,above=false); box(f,Label("General Codes",point(f,N),align),2mm,yellow,Fill,above=false); add(f); asymptote-2.62/examples/truncatedIcosahedron.asy0000644000000000000000000000404413607467113020704 0ustar rootrootimport graph3; size(200); defaultrender.merge=true; real c=(1+sqrt(5))/2; triple[] z={(c,1,0),(-c,1,0),(-c,-1,0),(c,-1,0)}; triple[] x={(0,c,1),(0,-c,1),(0,-c,-1),(0,c,-1)}; triple[] y={(1,0,c),(1,0,-c),(-1,0,-c),(-1,0,c)}; triple[][] Q={ {(c,1,0),(1,0,-c),(0,c,-1),(0,c,1),(1,0,c),(c,-1,0)}, {(-c,1,0),(0,c,1),(0,c,-1),(-1,0,-c),(-c,-1,0),(-1,0,c)}, {(-c,-1,0),(-c,1,0),(-1,0,-c),(0,-c,-1),(0,-c,1),(-1,0,c)}, {(c,-1,0),(c,1,0),(1,0,c),(0,-c,1),(0,-c,-1),(1,0,-c)}, {(0,c,1),(0,c,-1),(-c,1,0),(-1,0,c),(1,0,c),(c,1,0)}, {(0,-c,1),(0,-c,-1),(-c,-1,0),(-1,0,c),(1,0,c),(c,-1,0)}, {(0,-c,-1),(0,-c,1),(c,-1,0),(1,0,-c),(-1,0,-c),(-c,-1,0)}, {(0,c,-1),(0,c,1),(c,1,0),(1,0,-c),(-1,0,-c),(-c,1,0)}, {(1,0,c),(-1,0,c),(0,-c,1),(c,-1,0),(c,1,0),(0,c,1)}, {(1,0,-c),(-1,0,-c),(0,-c,-1),(c,-1,0),(c,1,0),(0,c,-1)}, {(-1,0,-c),(1,0,-c),(0,c,-1),(-c,1,0),(-c,-1,0),(0,-c,-1)}, {(-1,0,c),(1,0,c),(0,c,1),(-c,1,0),(-c,-1,0),(0,-c,1)} }; real R=abs(interp(Q[0][0],Q[0][1],1/3)); triple[][] P; for(int i=0; i < Q.length; ++i) { P[i]=new triple[] ; for(int j=0; j < Q[i].length; ++j) { P[i][j]=Q[i][j]/R; } } for(int i=0; i < P.length; ++i) { for(int j=1; j < P[i].length; ++j) { triple C=P[i][0]; triple A=P[i][j]; triple B=P[i][j % 5+1]; triple[] sixout=new triple[] {interp(C,A,1/3),interp(C,A,2/3),interp(A,B,1/3),interp(A,B,2/3), interp(B,C,1/3),interp(B,C,2/3)}; triple M=(sum(sixout))/6; triple[] sixin=sequence(new triple(int k) { return interp(sixout[k],M,0.1); },6); draw(surface(reverse(operator--(...sixout)--cycle)^^ operator--(...sixin)--cycle,planar=true),magenta); } } for(int i=0; i < P.length; ++i) { triple[] fiveout=sequence(new triple(int k) { return interp(P[i][0],P[i][k+1],1/3); },5); triple M=(sum(fiveout))/5; triple[] fivein=sequence(new triple(int k) { return interp(fiveout[k],M,0.1); },5); draw(surface(reverse(operator--(...fiveout)--cycle)^^ operator--(...fivein)--cycle,planar=true),cyan); } asymptote-2.62/examples/projectelevation.asy0000644000000000000000000000056513607467113020115 0ustar rootrootimport graph3; import grid3; import palette; currentprojection=orthographic(0.8,1,2); size(400,300,IgnoreAspect); real f(pair z) {return cos(2*pi*z.x)*sin(2*pi*z.y);} surface s=surface(f,(-1/2,-1/2),(1/2,1/2),50,Spline); surface S=planeproject(unitsquare3)*s; S.colors(palette(s.map(zpart),Rainbow())); draw(S,nolight); draw(s,lightgray+opacity(0.7)); grid3(XYZgrid); asymptote-2.62/examples/sacylinder.asy0000644000000000000000000000062013607467113016665 0ustar rootrootimport graph; size(0,100); real r=1; real h=3; yaxis(dashed); real m=0.475*h; draw((r,0)--(r,h)); label("$L$",(r,0.5*h),E); real s=4; pair z1=(s,0); pair z2=z1+(2*pi*r,h); filldraw(box(z1,z2),lightgreen); pair zm=0.5*(z1+z2); label("$L$",(z1.x,zm.y),W); label("$2\pi r$",(zm.x,z2.y),N); draw("$r$",(0,m)--(r,m),N,red,Arrows); draw((0,1.015h),yscale(0.5)*arc(0,0.25cm,-250,70),red,ArcArrow); asymptote-2.62/examples/torus.asy0000644000000000000000000000063513607467113015712 0ustar rootrootsize(200); import graph3; currentprojection=perspective(5,4,4); real R=3; real a=1; /* import solids; revolution torus=revolution(reverse(Circle(R*X,a,Y,32)),Z,90,345); surface s=surface(torus); */ triple f(pair t) { return ((R+a*cos(t.y))*cos(t.x),(R+a*cos(t.y))*sin(t.x),a*sin(t.y)); } surface s=surface(f,(radians(90),0),(radians(345),2pi),8,8,Spline); draw(s,green,render(compression=Low,merge=true)); asymptote-2.62/examples/twistedtubes.asy0000644000000000000000000000156513607467113017267 0ustar rootrootimport graph3; import palette; size(300,300,keepAspect=true); real w=0.4; real f(triple t) {return sin(t.x);} triple f1(pair t) {return (cos(t.x)-2cos(w*t.y),sin(t.x)-2sin(w*t.y),t.y);} triple f2(pair t) {return (cos(t.x)+2cos(w*t.y),sin(t.x)+2sin(w*t.y),t.y);} triple f3(pair t) {return (cos(t.x)+2sin(w*t.y),sin(t.x)-2cos(w*t.y),t.y);} triple f4(pair t) {return (cos(t.x)-2sin(w*t.y),sin(t.x)+2cos(w*t.y),t.y);} surface s1=surface(f1,(0,0),(2pi,10),8,8,Spline); surface s2=surface(f2,(0,0),(2pi,10),8,8,Spline); surface s3=surface(f3,(0,0),(2pi,10),8,8,Spline); surface s4=surface(f4,(0,0),(2pi,10),8,8,Spline); pen[] Rainbow=Rainbow(); s1.colors(palette(s1.map(f),Rainbow)); s2.colors(palette(s2.map(f),Rainbow)); s3.colors(palette(s3.map(f),Rainbow)); s4.colors(palette(s4.map(f),Rainbow)); defaultrender.merge=true; draw(s1); draw(s2); draw(s3); draw(s4); asymptote-2.62/examples/layers.asy0000644000000000000000000000126013607467113016030 0ustar rootrootusepackage("ocg"); settings.tex="pdflatex"; size(0,150); pen colour1=red; pen colour2=green; pair z0=(0,0); pair z1=(-1,0); pair z2=(1,0); real r=1.5; path c1=circle(z1,r); path c2=circle(z2,r); begin("A"); fill(c1,colour1); end(); fill(c2,colour2); picture intersection; fill(intersection,c1,colour1+colour2); clip(intersection,c2); add(intersection); draw(c1); draw(c2); label("$A$",z1); begin("B"); label("$B$",z2); end(); pair z=(0,-2); real m=3; margin BigMargin=Margin(0,m*dot(unit(z1-z),unit(z0-z))); draw(Label("$A\cap B$",0),conj(z)--z0,Arrow,BigMargin); draw(Label("$A\cup B$",0),z--z0,Arrow,BigMargin); draw(z--z1,Arrow,Margin(0,m)); draw(z--z2,Arrow,Margin(0,m)); asymptote-2.62/examples/colorplanes.asy0000644000000000000000000000072113607467113017053 0ustar rootrootsize(6cm,0); import bsp; real u=2.5; real v=1; currentprojection=oblique; path3 y=plane((2u,0,0),(0,2v,0),(-u,-v,0)); path3 l=rotate(90,Z)*rotate(90,Y)*y; path3 g=rotate(90,X)*rotate(90,Y)*y; face[] faces; pen[] p={red,green,blue,black}; int[] edges={0,0,0,2}; gouraudshade(faces.push(y),project(y),p,edges); gouraudshade(faces.push(l),project(l),p,edges); gouraudshade(faces.push(g),project(g),new pen[]{cyan,magenta,yellow,black}, edges); add(faces); asymptote-2.62/examples/spring0.asy0000644000000000000000000000004613607467113016114 0ustar rootrootimport spring; drawspring(0,"$L$"); asymptote-2.62/examples/NURBScurve.asy0000644000000000000000000000121113607467113016463 0ustar rootrootimport three; size(10cm); currentprojection=perspective(50,80,50); // Nonrational curve: // udegree=3, nu=6; real[] knot={0,0,0,0,0.4,0.6,1,1,1,1}; triple[] P={ (-31.2061,12.001,6.45082), (-31.3952,14.7353,6.53707), (-31.5909,21.277,6.70051), (-31.4284,25.4933,6.76745), (-31.5413,30.3485,6.68777), (-31.4896,32.2839,6.58385) }; draw(P,knot,green); // Rational Bezier curve: // udegree=3, nu=4; real[] knot={0,0,0,0,1,1,1,1}; path3 g=scale3(20)*(X{Y}..{-X}Y); triple[] P={point(g,0),postcontrol(g,0),precontrol(g,1),point(g,1)}; // Optional weights: real[] weights=array(P.length,1.0); weights[2]=5; draw(P,knot,weights,red); asymptote-2.62/coenv.cc0000644000000000000000000000214613607467113013622 0ustar rootroot/***** * coenv.cc * Andy Hammerlindl 2004/11/18 * * Bundles the env and coder classes needed in translating the abstract syntax * tree. It also also implements some functions that involve both the env and * coder, such as implicitCast(). *****/ #include "coenv.h" namespace trans { // Prints out error messages for the cast methods. static inline void castError(position pos, ty *target, ty *source) { em.error(pos); em << "cannot convert \'" << *source << "\' to \'" << *target << "\'"; } static inline bool accessCast(position pos, ty *target, ty *source, access *a, coder& c) { if (a) { a->encode(CALL, pos, c); return true; } else { castError(pos, target, source); return false; } } bool coenv::implicitCast(position pos, ty *target, ty *source) { return accessCast(pos, target, source, e.lookupCast(target, source, symbol::castsym), c); } bool coenv::explicitCast(position pos, ty *target, ty *source) { return accessCast(pos, target, source, e.lookupCast(target, source, symbol::ecastsym), c); } } asymptote-2.62/main.cc0000644000000000000000000001226513607467113013437 0ustar rootroot/************ * * This file is part of the vector graphics language Asymptote * Copyright (C) 2004 Andy Hammerlindl, John C. Bowman, Tom Prince * http://asymptote.sourceforge.net * * This program 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 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 Lesser General Public License for more details. * * You should have received a copy of the GNU Lesser General Public License * along with this program. If not, see . * *************/ #ifdef __CYGWIN__ #define _POSIX_C_SOURCE 200809L #endif #include #include #include #include #include #define GC_PTHREAD_SIGMASK_NEEDED #include "common.h" #ifdef HAVE_LIBSIGSEGV #include #endif #include "errormsg.h" #include "fpu.h" #include "settings.h" #include "locate.h" #include "interact.h" #include "fileio.h" #include "stack.h" using namespace settings; using interact::interactive; namespace run { void purge(); } #ifdef PROFILE namespace vm { extern void dumpProfile(); }; #endif #ifdef HAVE_LIBSIGSEGV void stackoverflow_handler (int, stackoverflow_context_t) { em.runtime(vm::getPos()); cerr << "Stack overflow" << endl; abort(); } int sigsegv_handler (void *, int emergency) { if(!emergency) return 0; // Really a stack overflow em.runtime(vm::getPos()); #ifdef HAVE_GL if(gl::glthread) cerr << "Stack overflow or segmentation fault: rerun with -nothreads" << endl; else #endif cerr << "Segmentation fault" << endl; abort(); } #endif void setsignal(RETSIGTYPE (*handler)(int)) { #ifdef HAVE_LIBSIGSEGV char mystack[16384]; stackoverflow_install_handler(&stackoverflow_handler, mystack,sizeof (mystack)); sigsegv_install_handler(&sigsegv_handler); #endif Signal(SIGBUS,handler); Signal(SIGFPE,handler); } void signalHandler(int) { // Print the position and trust the shell to print an error message. em.runtime(vm::getPos()); Signal(SIGBUS,SIG_DFL); Signal(SIGFPE,SIG_DFL); } void interruptHandler(int) { em.Interrupt(true); } bool hangup=false; void hangup_handler(int sig) { hangup=true; } struct Args { int argc; char **argv; Args(int argc, char **argv) : argc(argc), argv(argv) {} }; void *asymain(void *A) { setsignal(signalHandler); Args *args=(Args *) A; fpu_trap(trap()); if(interactive) { Signal(SIGINT,interruptHandler); processPrompt(); } else if (getSetting("listvariables") && numArgs()==0) { try { doUnrestrictedList(); } catch(handled_error) { em.statusError(); } } else { int n=numArgs(); if(n == 0) { int inpipe=intcast(settings::getSetting("inpipe")); if(inpipe >= 0) { Signal(SIGHUP,hangup_handler); camp::openpipeout(); fprintf(camp::pipeout,"\n"); fflush(camp::pipeout); } while(true) { processFile("-",true); try { setOptions(args->argc,args->argv); } catch(handled_error) { em.statusError(); } if(inpipe < 0) break; } } else { for(int ind=0; ind < n; ind++) { processFile(string(getArg(ind)),n > 1); try { if(ind < n-1) setOptions(args->argc,args->argv); } catch(handled_error) { em.statusError(); } } } } #ifdef PROFILE vm::dumpProfile(); #endif if(getSetting("wait")) { int status; while(wait(&status) > 0); } #ifdef HAVE_GL #ifdef HAVE_PTHREAD if(gl::glthread && !getSetting("offscreen")) { pthread_kill(gl::mainthread,SIGURG); pthread_join(gl::mainthread,NULL); } #endif #endif exit(em.processStatus() || interact::interactive ? 0 : 1); } void exitHandler(int) { exit(0); } int main(int argc, char *argv[]) { #ifdef HAVE_LIBGSL unsetenv("GSL_RNG_SEED"); unsetenv("GSL_RNG_TYPE"); #endif setsignal(signalHandler); try { setOptions(argc,argv); } catch(handled_error) { em.statusError(); } Args args(argc,argv); #ifdef HAVE_GL #ifdef __APPLE__ bool usethreads=true; #else bool usethreads=view(); #endif gl::glthread=usethreads ? getSetting("threads") : false; #if HAVE_PTHREAD if(gl::glthread) { pthread_t thread; try { if(pthread_create(&thread,NULL,asymain,&args) == 0) { gl::mainthread=pthread_self(); sigset_t set; sigemptyset(&set); sigaddset(&set, SIGCHLD); pthread_sigmask(SIG_BLOCK, &set, NULL); while(true) { Signal(SIGURG,exitHandler); camp::glrenderWrapper(); gl::initialize=true; } } else gl::glthread=false; } catch(std::bad_alloc&) { outOfMemory(); } } #endif gl::glthread=false; #endif asymain(&args); } #ifdef USEGC GC_API void GC_CALL GC_throw_bad_alloc() { std::bad_alloc(); } #endif asymptote-2.62/constructor.cc0000644000000000000000000000713113607467113015074 0ustar rootroot/***** * constructor.cc * Andy Hammerlindl 2007/05/12 * * Using * * void operator init() * * as a field in the definition structure named Foo implicitly creates a * function that could be explicitly defined with code similar to * * static Foo Foo() { * Foo a=new Foo; * a.operator init(); * return a; * } * * This function is usable within further code in the structure definition and, * after the end of the structure definition, is carried over into the enclosing * scope so that it lasts as long as the type definition. *****/ #include "stack.h" #include "entry.h" #include "coenv.h" #include "dec.h" #include "newexp.h" namespace absyntax { using namespace trans; using namespace types; // Defined in dec.cc. varEntry *makeVarEntry(position pos, coenv &e, record *r, types::ty *t); bool definesImplicitConstructor(coenv &e, record *r, varEntry *v, symbol id) { if (id == symbol::initsym && r != 0 && v->getType()->kind == ty_function && e.c.isStatic() == false && e.c.isTopLevel() == false) { function *ft=dynamic_cast(v->getType()); if (ft->getResult()->kind == ty_void) return true; } return false; } // Given the coenv of the body of the constructor, encode the neccessary // instructions to make a new initialized object. void transConstructorBody(position pos, coenv &e, record *r, varEntry *init) { assert(r); assert(init); // Create a varEntry to hold the new object. Foo a; varEntry *v=makeVarEntry(pos, e, 0 /* not a field */, r); // Initialize the object. a=new Foo; newRecordExp::transFromTyEntry(pos, e, new tyEntry(r, 0, 0, position())); v->encode(WRITE, pos, e.c); e.c.encodePop(); // Push the args onto the stack. size_t numArgs=init->getSignature()->getNumFormals(); for (size_t i=0; iencode(READ, pos, e.c); } // Push the object on the stack. v->encode(READ, pos, e.c); // Call the 'operator init' field of the object. init->encode(CALL, pos, e.c, v->getLevel()); // Push the object again. v->encode(READ, pos, e.c); // Return the initialized object. e.c.encode(inst::ret); } varEntry *constructorFromInitializer(position pos, coenv &e, record *r, varEntry *init) { assert(r); types::function *ft=new types::function(r, init->getSignature()); ostringstream out; ft->printVar(out, symbol::trans("")); // Create a new function environment. coder fc = e.c.newFunction(pos, out.str(), ft); coenv fe(fc,e.e); // Translate the function. fe.e.beginScope(); transConstructorBody(pos, fe, r, init); fe.e.endScope(); // Put an instance of the new function on the stack. vm::lambda *l = fe.c.close(); e.c.encode(inst::pushclosure); e.c.encode(inst::makefunc, l); // Save it into a varEntry. varEntry *v=makeVarEntry(pos, e, r, ft); v->encode(WRITE, pos, e.c); e.c.encodePop(); return v; } void addConstructorFromInitializer(position pos, coenv &e, record *r, varEntry *init) { assert(r); // Constructors are declared statically. e.c.pushModifier(EXPLICIT_STATIC); varEntry *v=constructorFromInitializer(pos, e, r, init); // Add the constructor function under the same name as the record. addVar(e, r, v, r->getName()); // Add to the "post definition environment" of the record, so it will also be // added to the enclosing scope when the record definition ends. r->postdefenv.addVar(r->getName(), v); e.c.popModifier(); } } // namespace absyntax asymptote-2.62/name.h0000644000000000000000000001216713607467113013276 0ustar rootroot/***** * name.h * Andy Hammerlindl 2002/07/14 * * Qualified names (such as x, f, builtin.sin, a.b.c.d, etc.) can be used * either as variables or a type names. This class stores qualified * names used in nameExp and nameTy in the abstract syntax, and * implements the exp and type functions. *****/ #ifndef NAME_H #define NAME_H #include "absyn.h" #include "types.h" #include "frame.h" #include "access.h" namespace trans { class coenv; class varEntry; class tyEntry; } namespace types { class record; } namespace absyntax { using trans::coenv; using trans::action; using types::record; using std::ostream; class name : public absyn { public: name(position pos) : absyn(pos) {} // Helper function - ensures target and source match up, using casting in the // case of a read. Issues errors on failure. void forceEquivalency(action act, coenv &e, types::ty *target, types::ty *source); // Used for determining the type when the context does not establish // the name as a variable or a type. First, the function looks for a // non-function variable fitting the description. If one fits, the // type of the variable is returned. Failing that, the function looks // for a fitting type and returns that. If nothing is found, an // appropriate error is reported and ty_error is returned. // Because this is used only on qualifiers (ie. names to the left of a // dot), it does not look at function variables. // Tacit means that no error messages will be reported to the user. virtual types::ty *getType(coenv &e, bool tacit = false); // Pushes the highest level frame possible onto the stack. Returning // the frame pushed. If no frame can be pushed, returns 0. // NOTE: This duplicates some functionality with getVarEntry. virtual trans::frame *frameTrans(coenv &e); // Helper function for the case where the name is known to be a type. virtual trans::frame *tyFrameTrans(coenv &e) = 0; // Constructs the varEntry part of the tyEntry for the name. Like // getType, this is called on the qualifier, instead of the full name. // This reports no errors, and returns 0 if there is no varEntry to // use. virtual trans::varEntry *getVarEntry(coenv &e) = 0; // As a variable: // Translates the name (much like an expression). virtual void varTrans(action act, coenv &e, types::ty *target) = 0; // Returns the possible variable types. Unlike exp, returns 0 if none // match. virtual types::ty *varGetType(coenv &e) = 0; virtual trans::varEntry *getCallee(coenv &e, types::signature *sig) = 0; // As a type: // Determines the type, as used in a variable declaration. virtual types::ty *typeTrans(coenv &e, bool tacit = false) = 0; // Constructs the tyEntry of the name, needed so that we know the // parent frame for allocating new objects of that type. Reports // errors as typeTrans() does with tacit=false. virtual trans::tyEntry *tyEntryTrans(coenv &e) = 0; virtual void prettyprint(ostream &out, Int indent) = 0; virtual void print(ostream& out) const { out << ""; } virtual symbol getName() = 0; }; inline ostream& operator<< (ostream& out, const name& n) { n.print(out); return out; } class simpleName : public name { symbol id; public: simpleName(position pos, symbol id) : name(pos), id(id) {} trans::varEntry *getVarEntry(coenv &e); // As a variable: void varTrans(action act, coenv &e, types::ty *target); types::ty *varGetType(coenv &); trans::varEntry *getCallee(coenv &e, types::signature *sig); // As a type: types::ty *typeTrans(coenv &e, bool tacit = false); virtual trans::tyEntry *tyEntryTrans(coenv &e); trans::frame *tyFrameTrans(coenv &e); void prettyprint(ostream &out, Int indent); void print(ostream& out) const { out << id; } symbol getName() { return id; } }; class qualifiedName : public name { name *qualifier; symbol id; // Gets the record type associated with the qualifier. Reports an // error and returns null if the type is not a record. record *castToRecord(types::ty *t, bool tacit = false); // Translates as a virtual field, if possible. qt is the type of the // qualifier. Return true if there was a matching virtual field. bool varTransVirtual(action act, coenv &e, types::ty *target, types::ty *qt); // Translates as an ordinary (non-virtual) field of a record, r. void varTransField(action act, coenv &e, types::ty *target, record *r); public: qualifiedName(position pos, name *qualifier, symbol id) : name(pos), qualifier(qualifier), id(id) {} trans::varEntry *getVarEntry(coenv &e); // As a variable: void varTrans(action act, coenv &, types::ty *target); types::ty *varGetType(coenv &); trans::varEntry *getCallee(coenv &e, types::signature *sig); // As a type: types::ty *typeTrans(coenv &e, bool tacit = false); trans::tyEntry *tyEntryTrans(coenv &e); trans::frame *tyFrameTrans(coenv &e); void prettyprint(ostream &out, Int indent); void print(ostream& out) const { out << *qualifier << "." << id; } symbol getName() { return id; } }; } // namespace absyntax #endif asymptote-2.62/exp.h0000644000000000000000000007021113607467113013144 0ustar rootroot/***** * exp.h * Andy Hammerlindl 2002/8/19 * * Represents the abstract syntax tree for the expressions in the * language. this is translated into virtual machine code using trans() * and with the aid of the environment class. *****/ #ifndef EXP_H #define EXP_H #include "types.h" #include "symbol.h" #include "absyn.h" #include "varinit.h" #include "name.h" #include "guideflags.h" namespace trans { class coenv; class coder; struct label_t; typedef label_t *label; class application; } namespace absyntax { using trans::coenv; using trans::label; using trans::application; using trans::access; using sym::symbol; using types::record; using types::array; class exp : public varinit { protected: // The cached type (from a call to cgetType). types::ty *ct; public: exp(position pos) : varinit(pos), ct(0) {} void prettyprint(ostream &out, Int indent) = 0; // When reporting errors with function calls, it is nice to say "no // function f(int)" instead of "no function matching signature // (int)." Hence, this method returns the name of the expression if // there is one. virtual symbol getName() { return symbol::nullsym; } // Checks if the expression can be used as the right side of a scale // expression. ie. 3sin(x) // If a "non-scalable" expression is scaled a warning is issued. virtual bool scalable() { return true; } // Specifies if the value of the expression should be written to interactive // prompt if typed as a stand-alone expression. For example: // > 2+3; // should write 5, but // > x=2+3; // shouldn't. (These choices are largely aesthetic) virtual bool writtenToPrompt() { return true; } // Translates the expression to the given target type. This should only be // called with a type returned by getType(). It does not perform implicit // casting. virtual void transAsType(coenv &e, types::ty *target); // Translates the expression to the given target type, possibly using an // implicit cast. void transToType(coenv &e, types::ty *target); // Translates the expression and returns the resultant type. // For some expressions, this will be ambiguous and return an error. // Trans may only return ty_error, if it (or one of its recursively // called children in the syntax tree) reported an error to em. virtual types::ty *trans(coenv &) = 0; // getType() figures out the type of the expression without translating // the code into the virtual machine language or reporting errors to em. // This must follow a few rules to ensure proper translation: // 1. If this returns a valid type, t, trans(e) must return t or // report an error, and transToType(e, t) must run either reporting // an error or reporting no error and yielding the same result as // trans(e). // 2. If this returns a superposition of types (ie. for overloaded // functions), trans must not return a singular type, and every // type in the superposition must run without error properly // if fed to transAsType(e, t). // 3. If this returns ty_error, then so must a call to trans(e) and any // call to trans, transAsType, or transToType must report an error // to em. // 4. Any call to transAsType(e, t) with a type that is not returned by // getType() (or one of the subtypes in case of a superposition) // must report an error. // Any call to transToType(e, t) with a type that is not returned by // getType() (or one of the subtypes in case of a superposition) // or any type not implicitly castable from the above must report an // error. virtual types::ty *getType(coenv &) = 0; // This is an optimization which works in some cases to by-pass the slow // overloaded function resolution provided by the application class. // // If an expression is called with arguments given by sig, getCallee must // either return 0 (the default), or if it returns a varEntry, the varEntry // must correspond to the function which would be called after normal // function resolution. // // The callee must produce no side effects as there are no guarantees when // the varEntry will be translated. virtual trans::varEntry *getCallee(coenv &e, types::signature *sig) { //#define DEBUG_GETAPP #if DEBUG_GETAPP cout << "exp fail" << endl; cout << "exp fail at " << getPos() << endl; prettyprint(cout, 2); #endif return 0; } // Same result as getType, but caches the result so that subsequent // calls are faster. For this to work correctly, the expression should // only be used in one place, so the environment doesn't change between // calls. virtual types::ty *cgetType(coenv &e) { #ifdef DEBUG_CACHE testCachedType(e); #endif return ct ? ct : ct = getType(e); } void testCachedType(coenv &e); // The expression is being written. Translate code such that the value // (represented by the exp value) is stored into the address represented by // this expression. // In terms of side-effects, this expression must be evaluated (once) before // value is evaluated (once). virtual void transWrite(coenv &e, types::ty *t, exp *value) { em.error(getPos()); em << "expression cannot be used as an address"; // Translate the value for errors. value->transToType(e, t); } // Translates code for calling a function. The arguments, in the order they // appear in the function's signature, must all be on the stack. virtual void transCall(coenv &e, types::ty *target); // transConditionalJump must produce code equivalent to the following: // Evaluate the expression as a boolean. If the result equals cond, jump to // the label dest, otherwise do not jump. In either case, no value is left // on the stack. virtual void transConditionalJump(coenv &e, bool cond, label dest); // This is used to ensure the proper order and number of evaluations. When // called, it immediately translates code to perform the side-effects // consistent with a corresponding call to transAsType(e, target). // // The return value, called an evaluation for lack of a better name, is // another expression that responds to the trans methods exactly as would the // original expression, but without producing side-effects. It is also no // longer overloaded, due to the resolution effected by giving a target type // to evaluate(). // // The methods transAsType, transWrite, and transCall of the evaluation must // be called with the same target type as the original call to evaluate. // When evaluate() is called during the translation of a function, that // function must still be in translation when the evaluation is translated. // // The base implementation uses a tempExp (see below). This is // sufficient for most expressions. virtual exp *evaluate(coenv &e, types::ty *target); // NOTE: could add a "side-effects" method which says if the expression has // side-effects. This might allow some small optimizations in translating. }; class tempExp : public exp { access *a; types::ty *t; public: tempExp(coenv &e, varinit *v, types::ty *t); void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return t; } }; // Wrap a varEntry so that it can be used as an expression. // Translating the varEntry must cause no side-effects. class varEntryExp : public exp { trans::varEntry *v; public: varEntryExp(position pos, trans::varEntry *v) : exp(pos), v(v) {} varEntryExp(position pos, types::ty *t, access *a); varEntryExp(position pos, types::ty *t, vm::bltin f); void prettyprint(ostream &out, Int indent); types::ty *getType(coenv &); types::ty *trans(coenv &e); trans::varEntry *getCallee(coenv &e, types::signature *sig); void transAct(action act, coenv &e, types::ty *target); void transAsType(coenv &e, types::ty *target); void transWrite(coenv &e, types::ty *t, exp *value); void transCall(coenv &e, types::ty *target); }; class nameExp : public exp { name *value; public: nameExp(position pos, name *value) : exp(pos), value(value) {} nameExp(position pos, symbol id) : exp(pos), value(new simpleName(pos, id)) {} nameExp(position pos, string s) : exp(pos), value(new simpleName(pos, symbol::trans(s))) {} void prettyprint(ostream &out, Int indent); symbol getName() { return value->getName(); } void transAsType(coenv &e, types::ty *target) { value->varTrans(trans::READ, e, target); // After translation, the cached type is no longer needed and should be // garbage collected. This could presumably be done in every class derived // from exp, but here it is most important as nameExp can have heavily // overloaded types cached. ct=0; } types::ty *trans(coenv &e) { types::ty *t=cgetType(e); if (t->kind == types::ty_error) { em.error(getPos()); em << "no matching variable \'" << *value << "\'"; return types::primError(); } if (t->kind == types::ty_overloaded) { em.error(getPos()); em << "use of variable \'" << *value << "\' is ambiguous"; return types::primError(); } else { transAsType(e, t); return t; } } types::ty *getType(coenv &e) { types::ty *t=value->varGetType(e); return t ? t : types::primError(); } trans::varEntry *getCallee(coenv &e, types::signature *sig) { #ifdef DEBUG_GETAPP cout << "nameExp" << endl; #endif return value->getCallee(e, sig); } void transWrite(coenv &e, types::ty *target, exp *newValue) { newValue->transToType(e, target); this->value->varTrans(trans::WRITE, e, target); ct=0; // See note in transAsType. } void transCall(coenv &e, types::ty *target) { value->varTrans(trans::CALL, e, target); ct=0; // See note in transAsType. } exp *evaluate(coenv &, types::ty *) { // Names have no side-effects. return this; } }; // Most fields accessed are handled as parts of qualified names, but in cases // like f().x or (new t).x, a separate expression is needed. class fieldExp : public nameExp { exp *object; symbol field; // fieldExp has a lot of common functionality with qualifiedName, so we // essentially hack qualifiedName, by making our object expression look // like a name. class pseudoName : public name { exp *object; public: pseudoName(exp *object) : name(object->getPos()), object(object) {} // As a variable: void varTrans(trans::action act, coenv &e, types::ty *target) { assert(act == trans::READ); object->transToType(e, target); } types::ty *varGetType(coenv &e) { return object->getType(e); } trans::varEntry *getCallee(coenv &, types::signature *) { #ifdef DEBUG_GETAPP cout << "pseudoName" << endl; #endif return 0; } // As a type: types::ty *typeTrans(coenv &, bool tacit = false) { if (!tacit) { em.error(getPos()); em << "expression is not a type"; } return types::primError(); } trans::varEntry *getVarEntry(coenv &) { em.compiler(getPos()); em << "expression cannot be used as part of a type"; return 0; } trans::tyEntry *tyEntryTrans(coenv &) { em.compiler(getPos()); em << "expression cannot be used as part of a type"; return 0; } trans::frame *tyFrameTrans(coenv &) { return 0; } void prettyprint(ostream &out, Int indent); void print(ostream& out) const { out << ""; } symbol getName() { return object->getName(); } }; // Try to get this into qualifiedName somehow. types::ty *getObject(coenv &e); public: fieldExp(position pos, exp *object, symbol field) : nameExp(pos, new qualifiedName(pos, new pseudoName(object), field)), object(object), field(field) {} void prettyprint(ostream &out, Int indent); symbol getName() { return field; } exp *evaluate(coenv &e, types::ty *) { // Evaluate the object. return new fieldExp(getPos(), new tempExp(e, object, getObject(e)), field); } }; class arrayExp : public exp { protected: exp *set; array *getArrayType(coenv &e); array *transArray(coenv &e); public: arrayExp(position pos, exp *set) : exp(pos), set(set) {} }; class subscriptExp : public arrayExp { exp *index; public: subscriptExp(position pos, exp *set, exp *index) : arrayExp(pos, set), index(index) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); void transWrite(coenv &e, types::ty *t, exp *value); exp *evaluate(coenv &e, types::ty *) { return new subscriptExp(getPos(), new tempExp(e, set, getArrayType(e)), new tempExp(e, index, types::primInt())); } }; class slice : public absyn { exp *left; exp *right; public: slice(position pos, exp *left, exp *right) : absyn(pos), left(left), right(right) {} void prettyprint(ostream &out, Int indent); exp *getLeft() { return left; } exp *getRight() { return right; } // Translates code to put the left and right expressions on the stack (in that // order). If left is omitted, zero is pushed on the stack in it's place. If // right is omitted, nothing is pushed in its place. void trans(coenv &e); slice *evaluate(coenv &e) { return new slice(getPos(), left ? new tempExp(e, left, types::primInt()) : 0, right ? new tempExp(e, right, types::primInt()) : 0); } }; class sliceExp : public arrayExp { slice *index; public: sliceExp(position pos, exp *set, slice *index) : arrayExp(pos, set), index(index) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); void transWrite(coenv &e, types::ty *t, exp *value); exp *evaluate(coenv &e, types::ty *) { return new sliceExp(getPos(), new tempExp(e, set, getArrayType(e)), index->evaluate(e)); } }; // The expression "this," that evaluates to the lexically enclosing record. class thisExp : public exp { public: thisExp(position pos) : exp(pos) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); exp *evaluate(coenv &, types::ty *) { // this has no side-effects return this; } }; class literalExp : public exp { public: literalExp(position pos) : exp(pos) {} bool scalable() { return false; } exp *evaluate(coenv &, types::ty *) { // Literals are constant, they have no side-effects. return this; } }; class intExp : public literalExp { Int value; public: intExp(position pos, Int value) : literalExp(pos), value(value) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primInt(); } }; class realExp : public literalExp { protected: double value; public: realExp(position pos, double value) : literalExp(pos), value(value) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primReal(); } }; class stringExp : public literalExp { string str; public: stringExp(position pos, string str) : literalExp(pos), str(str) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primString(); } const string& getString() { return str; } }; class booleanExp : public literalExp { bool value; public: booleanExp(position pos, bool value) : literalExp(pos), value(value) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primBoolean(); } }; class cycleExp : public literalExp { public: cycleExp(position pos) : literalExp(pos) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primCycleToken(); } }; class newPictureExp : public literalExp { public: newPictureExp(position pos) : literalExp(pos) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primPicture(); } }; class nullPathExp : public literalExp { public: nullPathExp(position pos) : literalExp(pos) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primPath(); } }; class nullExp : public literalExp { public: nullExp(position pos) : literalExp(pos) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primNull(); } }; class quoteExp : public exp { runnable *value; public: quoteExp(position pos, runnable *value) : exp(pos), value(value) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primCode(); } }; // A list of expressions used in a function call. class explist : public absyn { typedef mem::vector expvector; expvector exps; public: explist(position pos) : absyn(pos) {} virtual ~explist() {} virtual void add(exp *e) { exps.push_back(e); } virtual void prettyprint(ostream &out, Int indent); virtual size_t size() { return exps.size(); } virtual exp * operator[] (size_t index) { return exps[index]; } }; struct argument { exp *val; symbol name; // No constructor due to the union in camp.y #if 0 argument(exp *val=0, symbol name=0) : val(val), name(name) {} #endif void prettyprint(ostream &out, Int indent); }; class arglist : public gc { public: typedef mem::vector argvector; argvector args; argument rest; // As the language allows named arguments after rest arguments, store the // index of the rest argument in order to ensure proper left-to-right // execution. static const size_t DUMMY_REST_POSITION = 9999; size_t restPosition; arglist() : args(), rest(), restPosition(DUMMY_REST_POSITION) {} virtual ~arglist() {} virtual void addFront(argument a) { args.insert(args.begin(), a); } virtual void addFront(exp *val, symbol name=symbol::nullsym) { argument a; a.val=val; a.name=name; addFront(a); } virtual void add(argument a) { if (rest.val && !a.name) { em.error(a.val->getPos()); em << "unnamed argument after rest argument"; return; } args.push_back(a); } virtual void add(exp *val, symbol name=symbol::nullsym) { argument a; a.val=val; a.name=name; add(a); } virtual void addRest(argument a) { if (rest.val) { em.error(a.val->getPos()); em << "additional rest argument"; return; } rest = a; assert(restPosition == DUMMY_REST_POSITION); restPosition = size(); } virtual void prettyprint(ostream &out, Int indent); virtual size_t size() { return args.size(); } virtual argument& operator[] (size_t index) { return args[index]; } virtual argument& getRest() { return rest; } }; // callExp has a global cache of resolved overloaded functions. This clears // this cache so the associated data can be garbage collected. void clearCachedCalls(); class callExp : public exp { protected: exp *callee; arglist *args; private: // Per object caching - Cache the application when it's determined. application *cachedApp; // In special cases, no application object is needed and we can store the // varEntry used in advance. trans::varEntry *cachedVarEntry; types::signature *argTypes(coenv& e, bool *searchable); void reportArgErrors(coenv &e); application *resolve(coenv &e, types::overloaded *o, types::signature *source, bool tacit); application *resolveWithCache(coenv &e, types::overloaded *o, types::signature *source, bool tacit); void reportMismatch(types::function *ft, types::signature *source); void reportNonFunction(); // Caches either the application object used to apply the function to the // arguments, or in cases where the arguments match the function perfectly, // the varEntry of the callee (or neither in case of an error). Returns // what getType should return. types::ty *cacheAppOrVarEntry(coenv &e, bool tacit); types::ty *transPerfectMatch(coenv &e); public: callExp(position pos, exp *callee, arglist *args) : exp(pos), callee(callee), args(args), cachedApp(0), cachedVarEntry(0) { assert(args); } callExp(position pos, exp *callee) : exp(pos), callee(callee), args(new arglist()), cachedApp(0), cachedVarEntry(0) {} callExp(position pos, exp *callee, exp *arg1) : exp(pos), callee(callee), args(new arglist()), cachedApp(0), cachedVarEntry(0) { args->add(arg1); } callExp(position pos, exp *callee, exp *arg1, exp *arg2) : exp(pos), callee(callee), args(new arglist()), cachedApp(0), cachedVarEntry(0) { args->add(arg1); args->add(arg2); } callExp(position pos, exp *callee, exp *arg1, exp *arg2, exp *arg3) : exp(pos), callee(callee), args(new arglist()), cachedApp(0), cachedVarEntry(0) { args->add(arg1); args->add(arg2); args->add(arg3); } void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); // Returns true if the function call resolves uniquely without error. Used // in implementing the special == and != operators for functions. virtual bool resolved(coenv &e); }; class pairExp : public exp { exp *x; exp *y; public: pairExp(position pos, exp *x, exp *y) : exp(pos), x(x), y(y) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primPair(); } }; class tripleExp : public exp { exp *x; exp *y; exp *z; public: tripleExp(position pos, exp *x, exp *y, exp *z) : exp(pos), x(x), y(y), z(z) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primTriple(); } }; class transformExp : public exp { exp *x; exp *y; exp *xx,*xy,*yx,*yy; public: transformExp(position pos, exp *x, exp *y, exp *xx, exp *xy, exp *yx, exp *yy) : exp(pos), x(x), y(y), xx(xx), xy(xy), yx(yx), yy(yy) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primTransform(); } }; class castExp : public exp { ty *target; exp *castee; types::ty *tryCast(coenv &e, types::ty *t, types::ty *s, symbol csym); public: castExp(position pos, ty *target, exp *castee) : exp(pos), target(target), castee(castee) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; class nullaryExp : public callExp { public: nullaryExp(position pos, symbol op) : callExp(pos, new nameExp(pos, op)) {} }; class unaryExp : public callExp { public: unaryExp(position pos, exp *base, symbol op) : callExp(pos, new nameExp(pos, op), base) {} }; class binaryExp : public callExp { public: binaryExp(position pos, exp *left, symbol op, exp *right) : callExp(pos, new nameExp(pos, op), left, right) {} }; class equalityExp : public callExp { public: equalityExp(position pos, exp *left, symbol op, exp *right) : callExp(pos, new nameExp(pos, op), left, right) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; // Scaling expressions such as 3sin(x). class scaleExp : public binaryExp { exp *getLeft() { return (*this->args)[0].val; } exp *getRight() { return (*this->args)[1].val; } public: scaleExp(position pos, exp *left, exp *right) : binaryExp(pos, left, symbol::trans("*"), right) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); //types::ty *getType(coenv &e); bool scalable() { return false; } }; // Used for tension, which takes two real values, and a boolean to denote if it // is a tension atleast case. class ternaryExp : public callExp { public: ternaryExp(position pos, exp *left, symbol op, exp *right, exp *last) : callExp(pos, new nameExp(pos, op), left, right, last) {} }; // The a ? b : c ternary operator. class conditionalExp : public exp { exp *test; exp *onTrue; exp *onFalse; public: conditionalExp(position pos, exp *test, exp *onTrue, exp *onFalse) : exp(pos), test(test), onTrue(onTrue), onFalse(onFalse) {} void prettyprint(ostream &out, Int indent); void baseTransToType(coenv &e, types::ty *target); void transToType(coenv &e, types::ty *target); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; class andOrExp : public exp { protected: exp *left; symbol op; exp *right; public: andOrExp(position pos, exp *left, symbol op, exp *right) : exp(pos), left(left), op(op), right(right) {} virtual types::ty *trans(coenv &e) = 0; virtual types::ty *getType(coenv &) { return types::primBoolean(); } }; class orExp : public andOrExp { public: orExp(position pos, exp *left, symbol op, exp *right) : andOrExp(pos, left, op, right) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); void transConditionalJump(coenv &e, bool cond, label dest); }; class andExp : public andOrExp { public: andExp(position pos, exp *left, symbol op, exp *right) : andOrExp(pos, left, op, right) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); void transConditionalJump(coenv &e, bool cond, label dest); }; class joinExp : public callExp { public: joinExp(position pos, symbol op) : callExp(pos, new nameExp(pos, op)) {} void pushFront(exp *e) { args->addFront(e); } void pushBack(exp *e) { args->add(e); } void prettyprint(ostream &out, Int indent); }; class specExp : public exp { symbol op; exp *arg; camp::side s; public: specExp(position pos, symbol op, exp *arg, camp::side s=camp::OUT) : exp(pos), op(op), arg(arg), s(s) {} void setSide(camp::side ss) { s=ss; } void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; class assignExp : public exp { protected: exp *dest; exp *value; // This is basically a hook to facilitate selfExp. dest is given as an // argument since it will be a temporary in translation in order to avoid // multiple evaluation. virtual exp *ultimateValue(exp *) { return value; } public: assignExp(position pos, exp *dest, exp *value) : exp(pos), dest(dest), value(value) {} void prettyprint(ostream &out, Int indent); // Don't write the result of an assignment to the prompt. bool writtenToPrompt() { return false; } void transAsType(coenv &e, types::ty *target); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; class selfExp : public assignExp { symbol op; exp *ultimateValue(exp *dest) { return new binaryExp(getPos(), dest, op, value); } public: selfExp(position pos, exp *dest, symbol op, exp *value) : assignExp(pos, dest, value), op(op) {} void prettyprint(ostream &out, Int indent); void transAsType(coenv &e, types::ty *target); }; class prefixExp : public exp { exp *dest; symbol op; public: prefixExp(position pos, exp *dest, symbol op) : exp(pos), dest(dest), op(op) {} void prettyprint(ostream &out, Int indent); bool scalable() { return false; } // Don't write the result to the prompt. bool writtenToPrompt() { return false; } types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; // Postfix expresions are illegal. This is caught here as we can give a // more meaningful error message to the user, rather than a "parse // error." class postfixExp : public exp { exp *dest; symbol op; public: postfixExp(position pos, exp *dest, symbol op) : exp(pos), dest(dest), op(op) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &) { return types::primError(); } }; } // namespace absyntax #endif asymptote-2.62/drawclipend.h0000644000000000000000000000227513607467113014651 0ustar rootroot/***** * drawclipend.h * John Bowman * * End clip of picture to specified path. *****/ #ifndef DRAWCLIPEND_H #define DRAWCLIPEND_H #include "drawclipbegin.h" #include "path.h" namespace camp { class drawClipEnd : public drawElement { bool grestore; drawClipBegin *partner; public: drawClipEnd(bool grestore=true, drawClipBegin *partner=NULL) : grestore(grestore), partner(partner) {} virtual ~drawClipEnd() {} bool endclip() {return true;} void bounds(bbox& b, iopipestream&, boxvector&, bboxlist& bboxstack) { if(bboxstack.size() < 2) reportError("endclip without matching beginclip"); b.clip(bboxstack.back()); bboxstack.pop_back(); b += bboxstack.back(); bboxstack.pop_back(); } bool endgroup() {return true;} bool svg() {return true;} void save(bool b) { grestore=b; if(partner) partner->save(b); } bool draw(psfile *out) { if(grestore) out->grestore(); return true; } bool write(texfile *out, const bbox& bpath) { out->endgroup(); if(out->toplevel()) out->endpicture(bpath); if(grestore) out->grestore(); return true; } }; } GC_DECLARE_PTRFREE(camp::drawClipEnd); #endif asymptote-2.62/INSTALL0000644000000000000000000002431513607467113013234 0ustar rootrootCompiling Asymptote from a Source Release ========================================= To compile and install Asymptote version x.xx from a source release: gunzip asymptote-x.xx.src.tgz tar -xf asymptote-x.xx.src.tar cd asymptote-x.xx ./configure make all make install The last command requires root privileges. To install without root privileges you should change the first line to ./configure --prefix=$HOME/asymptote If you get errors from a broken texinfo or pdftex installation, simply put http://asymptote.sourceforge.net/asymptote.pdf in the doc directory and repeat the commands make all and make install. For a list of configure options, type configure --help See also the generic configure instructions below. Compiling Asymptote from Git Developmental Source Code ============================================================= To compile from Git developmental source code: git clone http://github.com/vectorgraphics/asymptote cd asymptote ./autogen.sh ./configure make all make install Optional packages: * Fast Fourier Transform library http://www.fftw.org/ Version requirement >= 3.0 * The GNU Scientific Library for numerical analysis: http://www.gnu.org/software/gsl/ ***************************************** Generic Configure Instructions (advanced) ***************************************** The `configure' shell script attempts to guess correct values for various system-dependent variables used during compilation. It uses those values to create a `Makefile' in each directory of the package. It may also create one or more `.h' files containing system-dependent definitions. Finally, it creates a shell script `config.status' that you can run in the future to recreate the current configuration, and a file `config.log' containing compiler output (useful mainly for debugging `configure'). It can also use an optional file (typically called `config.cache' and enabled with `--cache-file=config.cache' or simply `-C') that saves the results of its tests to speed up reconfiguring. (Caching is disabled by default to prevent problems with accidental use of stale cache files.) If you need to do unusual things to compile the package, please try to figure out how `configure' could check whether to do them, and mail diffs or instructions to the address given in the `README' so they can be considered for the next release. If you are using the cache, and at some point `config.cache' contains results you don't want to keep, you may remove or edit it. The file `configure.ac' (or `configure.in') is used to create `configure' by a program called `autoconf'. You only need `configure.ac' if you want to change it or regenerate `configure' using a newer version of `autoconf'. The simplest way to compile this package is: 1. `cd' to the directory containing the package's source code and type `./configure' to configure the package for your system. If you're using `csh' on an old version of System V, you might need to type `sh ./configure' instead to prevent `csh' from trying to execute `configure' itself. Running `configure' takes awhile. While running, it prints some messages telling which features it is checking for. 2. Type `make' to compile the package. 3. Optionally, type `make check' to run any self-tests that come with the package. 4. Type `make install' to install the programs and any data files and documentation. 5. You can remove the program binaries and object files from the source code directory by typing `make clean'. To also remove the files that `configure' created (so you can compile the package for a different kind of computer), type `make distclean'. There is also a `make maintainer-clean' target, but that is intended mainly for the package's developers. If you use it, you may have to get all sorts of other programs in order to regenerate files that came with the distribution. Compilers and Options ===================== Some systems require unusual options for compilation or linking that the `configure' script does not know about. Run `./configure --help' for details on some of the pertinent environment variables. You can give `configure' initial values for configuration parameters by setting variables in the command line or in the environment. Here is an example: ./configure CC=c89 CFLAGS=-O2 LIBS=-lposix *Note Defining Variables::, for more details. Compiling For Multiple Architectures ==================================== You can compile the package for more than one kind of computer at the same time, by placing the object files for each architecture in their own directory. To do this, you must use a version of `make' that supports the `VPATH' variable, such as GNU `make'. `cd' to the directory where you want the object files and executables to go and run the `configure' script. `configure' automatically checks for the source code in the directory that `configure' is in and in `..'. If you have to use a `make' that does not support the `VPATH' variable, you have to compile the package for one architecture at a time in the source code directory. After you have installed the package for one architecture, use `make distclean' before reconfiguring for another architecture. Installation Names ================== By default, `make install' installs the package's commands under `/usr/local/bin', include files under `/usr/local/include', etc. You can specify an installation prefix other than `/usr/local' by giving `configure' the option `--prefix=PREFIX'. You can specify separate installation prefixes for architecture-specific files and architecture-independent files. If you pass the option `--exec-prefix=PREFIX' to `configure', the package uses PREFIX as the prefix for installing programs and libraries. Documentation and other data files still use the regular prefix. In addition, if you use an unusual directory layout you can give options like `--bindir=DIR' to specify different values for particular kinds of files. Run `configure --help' for a list of the directories you can set and what kinds of files go in them. If the package supports it, you can cause programs to be installed with an extra prefix or suffix on their names by giving `configure' the option `--program-prefix=PREFIX' or `--program-suffix=SUFFIX'. Optional Features ================= Some packages pay attention to `--enable-FEATURE' options to `configure', where FEATURE indicates an optional part of the package. They may also pay attention to `--with-PACKAGE' options, where PACKAGE is something like `gnu-as' or `x' (for the X Window System). The `README' should mention any `--enable-' and `--with-' options that the package recognizes. For packages that use the X Window System, `configure' can usually find the X include and library files automatically, but if it doesn't, you can use the `configure' options `--x-includes=DIR' and `--x-libraries=DIR' to specify their locations. Specifying the System Type ========================== There may be some features `configure' cannot figure out automatically, but needs to determine by the type of machine the package will run on. Usually, assuming the package is built to be run on the _same_ architectures, `configure' can figure that out, but if it prints a message saying it cannot guess the machine type, give it the `--build=TYPE' option. TYPE can either be a short name for the system type, such as `sun4', or a canonical name which has the form: CPU-COMPANY-SYSTEM where SYSTEM can have one of these forms: OS KERNEL-OS See the file `config.sub' for the possible values of each field. If `config.sub' isn't included in this package, then this package doesn't need to know the machine type. If you are _building_ compiler tools for cross-compiling, you should use the option `--target=TYPE' to select the type of system they will produce code for. If you want to _use_ a cross compiler, that generates code for a platform different from the build platform, you should specify the "host" platform (i.e., that on which the generated programs will eventually be run) with `--host=TYPE'. Sharing Defaults ================ If you want to set default values for `configure' scripts to share, you can create a site shell script called `config.site' that gives default values for variables like `CC', `cache_file', and `prefix'. `configure' looks for `PREFIX/share/config.site' if it exists, then `PREFIX/etc/config.site' if it exists. Or, you can set the `CONFIG_SITE' environment variable to the location of the site script. A warning: not all `configure' scripts look for a site script. Defining Variables ================== Variables not defined in a site shell script can be set in the environment passed to `configure'. However, some packages may run configure again during the build, and the customized values of these variables may be lost. In order to avoid this problem, you should set them in the `configure' command line, using `VAR=value'. For example: ./configure CC=/usr/local2/bin/gcc causes the specified `gcc' to be used as the C compiler (unless it is overridden in the site shell script). Here is a another example: /bin/bash ./configure CONFIG_SHELL=/bin/bash Here the `CONFIG_SHELL=/bin/bash' operand causes subsequent configuration-related scripts to be executed by `/bin/bash'. `configure' Invocation ====================== `configure' recognizes the following options to control how it operates. `--help' `-h' Print a summary of the options to `configure', and exit. `--version' `-V' Print the version of Autoconf used to generate the `configure' script, and exit. `--cache-file=FILE' Enable the cache: use and save the results of the tests in FILE, traditionally `config.cache'. FILE defaults to `/dev/null' to disable caching. `--config-cache' `-C' Alias for `--cache-file=config.cache'. `--quiet' `--silent' `-q' Do not print messages saying which checks are being made. To suppress all normal output, redirect it to `/dev/null' (any error messages will still be shown). `--srcdir=DIR' Look for the package's source code in directory DIR. Usually `configure' can determine that directory automatically. `configure' also accepts some other options. Run `configure --help' for more details. asymptote-2.62/common.h0000644000000000000000000000276013607467113013644 0ustar rootroot/**** * common.h * * Definitions common to all files. *****/ #ifndef COMMON_H #define COMMON_H #undef NDEBUG #include #include #ifdef HAVE_CONFIG_H #include "config.h" #endif #if !defined(FOR_SHARED) && \ ((defined(HAVE_LIBGL) && defined(HAVE_LIBGLUT) && defined(HAVE_LIBGLM)) || defined(HAVE_LIBOSMESA)) #define HAVE_GL #endif #ifdef HAVE_PTHREAD #include #endif #include "memory.h" #if defined(HAVE_LONG_LONG) && defined(LLONG_MAX) && defined(LLONG_MIN) #define Int_MAX2 LLONG_MAX #define Int_MIN LLONG_MIN typedef long long Int; typedef unsigned long long unsignedInt; #else #undef HAVE_LONG_LONG #ifdef HAVE_LONG #define Int_MAX2 LONG_MAX #define Int_MIN LONG_MIN typedef long Int; typedef unsigned long unsignedInt; #else #define Int_MAX2 INT_MAX #define Int_MIN INT_MIN typedef int Int; typedef unsigned int unsignedInt; #endif #endif #ifndef COMPACT #if Int_MAX2 >= 0x7fffffffffffffffLL #define COMPACT 1 #else #define COMPACT 0 #endif #endif #if COMPACT // Reserve highest two values for DefaultValue and Undefined states. #define Int_MAX (Int_MAX2-2) #define int_MAX (LONG_MAX-2) #else #define Int_MAX Int_MAX2 #define int_MAX LONG_MAX #endif #define int_MIN LONG_MIN #ifndef RANDOM_MAX #define RANDOM_MAX 0x7FFFFFFF #endif using std::cout; using std::cin; using std::cerr; using std::endl; using std::istream; using std::ostream; using mem::string; using mem::stringstream; using mem::istringstream; using mem::ostringstream; using mem::stringbuf; #endif asymptote-2.62/camp.tab.cc0000644000000000000000000037161513607467132014210 0ustar rootroot/* A Bison parser, made by GNU Bison 3.0.5. */ /* Bison implementation for Yacc-like parsers in C Copyright (C) 1984, 1989-1990, 2000-2015, 2018 Free Software Foundation, Inc. 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 . */ /* As a special exception, you may create a larger work that contains part or all of the Bison parser skeleton and distribute that work under terms of your choice, so long as that work isn't itself a parser generator using the skeleton or a modified version thereof as a parser skeleton. Alternatively, if you modify or redistribute the parser skeleton itself, you may (at your option) remove this special exception, which will cause the skeleton and the resulting Bison output files to be licensed under the GNU General Public License without this special exception. This special exception was added by the Free Software Foundation in version 2.2 of Bison. */ /* C LALR(1) parser skeleton written by Richard Stallman, by simplifying the original so-called "semantic" parser. */ /* All symbols defined below should begin with yy or YY, to avoid infringing on user name space. This should be done even for local variables, as they might otherwise be expanded by user macros. There are some unavoidable exceptions within include files to define necessary library symbols; they are noted "INFRINGES ON USER NAME SPACE" below. */ /* Identify Bison output. */ #define YYBISON 1 /* Bison version. */ #define YYBISON_VERSION "3.0.5" /* Skeleton name. */ #define YYSKELETON_NAME "yacc.c" /* Pure parsers. */ #define YYPURE 0 /* Push parsers. */ #define YYPUSH 0 /* Pull parsers. */ #define YYPULL 1 /* Copy the first part of user declarations. */ #line 1 "camp.y" /* yacc.c:339 */ /***** * camp.y * Andy Hammerlindl 08/12/2002 * * The grammar of the camp language. *****/ #include "errormsg.h" #include "exp.h" #include "newexp.h" #include "dec.h" #include "fundec.h" #include "stm.h" #include "modifier.h" #include "opsymbols.h" // Avoid error messages with unpatched bison-1.875: #ifndef __attribute__ #define __attribute__(x) #endif // Used when a position needs to be determined and no token is // available. Defined in camp.l. position lexerPos(); bool lexerEOF(); int yylex(void); /* function prototype */ void yyerror(const char *s) { if (!lexerEOF()) { em.error(lexerPos()); em << s; em.cont(); } } // Check if the symbol given is "keyword". Returns true in this case and // returns false and reports an error otherwise. bool checkKeyword(position pos, symbol sym) { if (sym != symbol::trans("keyword")) { em.error(pos); em << "expected 'keyword' here"; return false; } return true; } namespace absyntax { file *root; } using namespace absyntax; using sym::symbol; using mem::string; #line 125 "camp.tab.c" /* yacc.c:339 */ # ifndef YY_NULLPTR # if defined __cplusplus && 201103L <= __cplusplus # define YY_NULLPTR nullptr # else # define YY_NULLPTR 0 # endif # endif /* Enabling verbose error messages. */ #ifdef YYERROR_VERBOSE # undef YYERROR_VERBOSE # define YYERROR_VERBOSE 1 #else # define YYERROR_VERBOSE 0 #endif /* In a future release of Bison, this section will be replaced by #include "camp.tab.h". */ #ifndef YY_YY_CAMP_TAB_H_INCLUDED # define YY_YY_CAMP_TAB_H_INCLUDED /* Debug traces. */ #ifndef YYDEBUG # define YYDEBUG 1 #endif #if YYDEBUG extern int yydebug; #endif /* Token type. */ #ifndef YYTOKENTYPE # define YYTOKENTYPE enum yytokentype { ID = 258, SELFOP = 259, DOTS = 260, COLONS = 261, DASHES = 262, INCR = 263, LONGDASH = 264, CONTROLS = 265, TENSION = 266, ATLEAST = 267, CURL = 268, COR = 269, CAND = 270, BAR = 271, AMPERSAND = 272, EQ = 273, NEQ = 274, LT = 275, LE = 276, GT = 277, GE = 278, CARETS = 279, OPERATOR = 280, LOOSE = 281, ASSIGN = 282, DIRTAG = 283, JOIN_PREC = 284, AND = 285, ELLIPSIS = 286, ACCESS = 287, UNRAVEL = 288, IMPORT = 289, INCLUDE = 290, FROM = 291, QUOTE = 292, STRUCT = 293, TYPEDEF = 294, NEW = 295, IF = 296, ELSE = 297, WHILE = 298, DO = 299, FOR = 300, BREAK = 301, CONTINUE = 302, RETURN_ = 303, THIS = 304, EXPLICIT = 305, GARBAGE = 306, LIT = 307, STRING = 308, PERM = 309, MODIFIER = 310, UNARY = 311, EXP_IN_PARENS_RULE = 312 }; #endif /* Value type. */ #if ! defined YYSTYPE && ! defined YYSTYPE_IS_DECLARED union YYSTYPE { #line 60 "camp.y" /* yacc.c:355 */ position pos; bool boo; struct { position pos; sym::symbol sym; } ps; absyntax::name *n; absyntax::varinit *vi; absyntax::arrayinit *ai; absyntax::exp *e; absyntax::stringExp *stre; absyntax::specExp *se; absyntax::joinExp *j; absyntax::explist *elist; absyntax::argument arg; absyntax::arglist *alist; absyntax::slice *slice; absyntax::dimensions *dim; absyntax::ty *t; absyntax::decid *di; absyntax::decidlist *dil; absyntax::decidstart *dis; absyntax::runnable *run; struct { position pos; trans::permission val; } perm; struct { position pos; trans::modifier val; } mod; absyntax::modifierList *ml; //absyntax::program *prog; absyntax::vardec *vd; //absyntax::vardecs *vds; absyntax::dec *d; absyntax::idpair *ip; absyntax::idpairlist *ipl; absyntax::stm *s; absyntax::block *b; absyntax::stmExpList *sel; //absyntax::funheader *fh; absyntax::formal *fl; absyntax::formals *fls; #line 270 "camp.tab.c" /* yacc.c:355 */ }; typedef union YYSTYPE YYSTYPE; # define YYSTYPE_IS_TRIVIAL 1 # define YYSTYPE_IS_DECLARED 1 #endif extern YYSTYPE yylval; int yyparse (void); #endif /* !YY_YY_CAMP_TAB_H_INCLUDED */ /* Copy the second part of user declarations. */ #line 287 "camp.tab.c" /* yacc.c:358 */ #ifdef short # undef short #endif #ifdef YYTYPE_UINT8 typedef YYTYPE_UINT8 yytype_uint8; #else typedef unsigned char yytype_uint8; #endif #ifdef YYTYPE_INT8 typedef YYTYPE_INT8 yytype_int8; #else typedef signed char yytype_int8; #endif #ifdef YYTYPE_UINT16 typedef YYTYPE_UINT16 yytype_uint16; #else typedef unsigned short int yytype_uint16; #endif #ifdef YYTYPE_INT16 typedef YYTYPE_INT16 yytype_int16; #else typedef short int yytype_int16; #endif #ifndef YYSIZE_T # ifdef __SIZE_TYPE__ # define YYSIZE_T __SIZE_TYPE__ # elif defined size_t # define YYSIZE_T size_t # elif ! defined YYSIZE_T # include /* INFRINGES ON USER NAME SPACE */ # define YYSIZE_T size_t # else # define YYSIZE_T unsigned int # endif #endif #define YYSIZE_MAXIMUM ((YYSIZE_T) -1) #ifndef YY_ # if defined YYENABLE_NLS && YYENABLE_NLS # if ENABLE_NLS # include /* INFRINGES ON USER NAME SPACE */ # define YY_(Msgid) dgettext ("bison-runtime", Msgid) # endif # endif # ifndef YY_ # define YY_(Msgid) Msgid # endif #endif #ifndef YY_ATTRIBUTE # if (defined __GNUC__ \ && (2 < __GNUC__ || (__GNUC__ == 2 && 96 <= __GNUC_MINOR__))) \ || defined __SUNPRO_C && 0x5110 <= __SUNPRO_C # define YY_ATTRIBUTE(Spec) __attribute__(Spec) # else # define YY_ATTRIBUTE(Spec) /* empty */ # endif #endif #ifndef YY_ATTRIBUTE_PURE # define YY_ATTRIBUTE_PURE YY_ATTRIBUTE ((__pure__)) #endif #ifndef YY_ATTRIBUTE_UNUSED # define YY_ATTRIBUTE_UNUSED YY_ATTRIBUTE ((__unused__)) #endif #if !defined _Noreturn \ && (!defined __STDC_VERSION__ || __STDC_VERSION__ < 201112) # if defined _MSC_VER && 1200 <= _MSC_VER # define _Noreturn __declspec (noreturn) # else # define _Noreturn YY_ATTRIBUTE ((__noreturn__)) # endif #endif /* Suppress unused-variable warnings by "using" E. */ #if ! defined lint || defined __GNUC__ # define YYUSE(E) ((void) (E)) #else # define YYUSE(E) /* empty */ #endif #if defined __GNUC__ && 407 <= __GNUC__ * 100 + __GNUC_MINOR__ /* Suppress an incorrect diagnostic about yylval being uninitialized. */ # define YY_IGNORE_MAYBE_UNINITIALIZED_BEGIN \ _Pragma ("GCC diagnostic push") \ _Pragma ("GCC diagnostic ignored \"-Wuninitialized\"")\ _Pragma ("GCC diagnostic ignored \"-Wmaybe-uninitialized\"") # define YY_IGNORE_MAYBE_UNINITIALIZED_END \ _Pragma ("GCC diagnostic pop") #else # define YY_INITIAL_VALUE(Value) Value #endif #ifndef YY_IGNORE_MAYBE_UNINITIALIZED_BEGIN # define YY_IGNORE_MAYBE_UNINITIALIZED_BEGIN # define YY_IGNORE_MAYBE_UNINITIALIZED_END #endif #ifndef YY_INITIAL_VALUE # define YY_INITIAL_VALUE(Value) /* Nothing. */ #endif #if ! defined yyoverflow || YYERROR_VERBOSE /* The parser invokes alloca or malloc; define the necessary symbols. */ # ifdef YYSTACK_USE_ALLOCA # if YYSTACK_USE_ALLOCA # ifdef __GNUC__ # define YYSTACK_ALLOC __builtin_alloca # elif defined __BUILTIN_VA_ARG_INCR # include /* INFRINGES ON USER NAME SPACE */ # elif defined _AIX # define YYSTACK_ALLOC __alloca # elif defined _MSC_VER # include /* INFRINGES ON USER NAME SPACE */ # define alloca _alloca # else # define YYSTACK_ALLOC alloca # if ! defined _ALLOCA_H && ! defined EXIT_SUCCESS # include /* INFRINGES ON USER NAME SPACE */ /* Use EXIT_SUCCESS as a witness for stdlib.h. */ # ifndef EXIT_SUCCESS # define EXIT_SUCCESS 0 # endif # endif # endif # endif # endif # ifdef YYSTACK_ALLOC /* Pacify GCC's 'empty if-body' warning. */ # define YYSTACK_FREE(Ptr) do { /* empty */; } while (0) # ifndef YYSTACK_ALLOC_MAXIMUM /* The OS might guarantee only one guard page at the bottom of the stack, and a page size can be as small as 4096 bytes. So we cannot safely invoke alloca (N) if N exceeds 4096. Use a slightly smaller number to allow for a few compiler-allocated temporary stack slots. */ # define YYSTACK_ALLOC_MAXIMUM 4032 /* reasonable circa 2006 */ # endif # else # define YYSTACK_ALLOC YYMALLOC # define YYSTACK_FREE YYFREE # ifndef YYSTACK_ALLOC_MAXIMUM # define YYSTACK_ALLOC_MAXIMUM YYSIZE_MAXIMUM # endif # if (defined __cplusplus && ! defined EXIT_SUCCESS \ && ! ((defined YYMALLOC || defined malloc) \ && (defined YYFREE || defined free))) # include /* INFRINGES ON USER NAME SPACE */ # ifndef EXIT_SUCCESS # define EXIT_SUCCESS 0 # endif # endif # ifndef YYMALLOC # define YYMALLOC malloc # if ! defined malloc && ! defined EXIT_SUCCESS void *malloc (YYSIZE_T); /* INFRINGES ON USER NAME SPACE */ # endif # endif # ifndef YYFREE # define YYFREE free # if ! defined free && ! defined EXIT_SUCCESS void free (void *); /* INFRINGES ON USER NAME SPACE */ # endif # endif # endif #endif /* ! defined yyoverflow || YYERROR_VERBOSE */ #if (! defined yyoverflow \ && (! defined __cplusplus \ || (defined YYSTYPE_IS_TRIVIAL && YYSTYPE_IS_TRIVIAL))) /* A type that is properly aligned for any stack member. */ union yyalloc { yytype_int16 yyss_alloc; YYSTYPE yyvs_alloc; }; /* The size of the maximum gap between one aligned stack and the next. */ # define YYSTACK_GAP_MAXIMUM (sizeof (union yyalloc) - 1) /* The size of an array large to enough to hold all stacks, each with N elements. */ # define YYSTACK_BYTES(N) \ ((N) * (sizeof (yytype_int16) + sizeof (YYSTYPE)) \ + YYSTACK_GAP_MAXIMUM) # define YYCOPY_NEEDED 1 /* Relocate STACK from its old location to the new one. The local variables YYSIZE and YYSTACKSIZE give the old and new number of elements in the stack, and YYPTR gives the new location of the stack. Advance YYPTR to a properly aligned location for the next stack. */ # define YYSTACK_RELOCATE(Stack_alloc, Stack) \ do \ { \ YYSIZE_T yynewbytes; \ YYCOPY (&yyptr->Stack_alloc, Stack, yysize); \ Stack = &yyptr->Stack_alloc; \ yynewbytes = yystacksize * sizeof (*Stack) + YYSTACK_GAP_MAXIMUM; \ yyptr += yynewbytes / sizeof (*yyptr); \ } \ while (0) #endif #if defined YYCOPY_NEEDED && YYCOPY_NEEDED /* Copy COUNT objects from SRC to DST. The source and destination do not overlap. */ # ifndef YYCOPY # if defined __GNUC__ && 1 < __GNUC__ # define YYCOPY(Dst, Src, Count) \ __builtin_memcpy (Dst, Src, (Count) * sizeof (*(Src))) # else # define YYCOPY(Dst, Src, Count) \ do \ { \ YYSIZE_T yyi; \ for (yyi = 0; yyi < (Count); yyi++) \ (Dst)[yyi] = (Src)[yyi]; \ } \ while (0) # endif # endif #endif /* !YYCOPY_NEEDED */ /* YYFINAL -- State number of the termination state. */ #define YYFINAL 3 /* YYLAST -- Last index in YYTABLE. */ #define YYLAST 1979 /* YYNTOKENS -- Number of terminals. */ #define YYNTOKENS 76 /* YYNNTS -- Number of nonterminals. */ #define YYNNTS 50 /* YYNRULES -- Number of rules. */ #define YYNRULES 200 /* YYNSTATES -- Number of states. */ #define YYNSTATES 376 /* YYTRANSLATE[YYX] -- Symbol number corresponding to YYX as returned by yylex, with out-of-bounds checking. */ #define YYUNDEFTOK 2 #define YYMAXUTOK 312 #define YYTRANSLATE(YYX) \ ((unsigned int) (YYX) <= YYMAXUTOK ? yytranslate[YYX] : YYUNDEFTOK) /* YYTRANSLATE[TOKEN-NUM] -- Symbol number corresponding to TOKEN-NUM as returned by yylex, without out-of-bounds checking. */ static const yytype_uint8 yytranslate[] = { 0, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 30, 2, 29, 2, 2, 42, 43, 27, 25, 45, 26, 44, 28, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 36, 48, 2, 2, 2, 35, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 46, 2, 47, 31, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 40, 2, 41, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 32, 33, 34, 37, 38, 39, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75 }; #if YYDEBUG /* YYRLINE[YYN] -- Source line where rule number YYN was defined. */ static const yytype_uint16 yyrline[] = { 0, 191, 191, 195, 196, 201, 202, 207, 208, 209, 214, 215, 216, 218, 223, 224, 225, 227, 232, 233, 234, 235, 237, 239, 241, 242, 244, 246, 248, 249, 254, 256, 260, 261, 266, 267, 272, 274, 278, 279, 284, 288, 292, 293, 297, 301, 302, 306, 307, 312, 313, 318, 319, 324, 325, 326, 328, 333, 334, 338, 343, 344, 346, 348, 353, 354, 355, 359, 361, 366, 367, 368, 370, 375, 376, 380, 382, 384, 387, 390, 396, 398, 403, 404, 408, 409, 410, 411, 415, 416, 418, 419, 421, 422, 425, 429, 430, 432, 434, 436, 440, 441, 445, 446, 448, 450, 456, 457, 461, 462, 463, 464, 466, 467, 469, 471, 473, 475, 476, 477, 478, 479, 480, 481, 482, 483, 484, 485, 486, 487, 488, 489, 490, 491, 492, 493, 494, 495, 496, 498, 500, 502, 504, 506, 508, 513, 515, 520, 522, 523, 524, 526, 532, 534, 537, 539, 540, 547, 548, 550, 553, 556, 562, 563, 564, 567, 573, 574, 576, 578, 579, 583, 585, 588, 591, 597, 598, 603, 604, 605, 606, 608, 610, 612, 614, 616, 618, 619, 620, 621, 625, 629, 633, 634, 635, 639, 640, 644, 645, 649, 650 }; #endif #if YYDEBUG || YYERROR_VERBOSE || 0 /* YYTNAME[SYMBOL-NUM] -- String name of the symbol SYMBOL-NUM. First, the terminals, then, starting at YYNTOKENS, nonterminals. */ static const char *const yytname[] = { "$end", "error", "$undefined", "ID", "SELFOP", "DOTS", "COLONS", "DASHES", "INCR", "LONGDASH", "CONTROLS", "TENSION", "ATLEAST", "CURL", "COR", "CAND", "BAR", "AMPERSAND", "EQ", "NEQ", "LT", "LE", "GT", "GE", "CARETS", "'+'", "'-'", "'*'", "'/'", "'%'", "'#'", "'^'", "OPERATOR", "LOOSE", "ASSIGN", "'?'", "':'", "DIRTAG", "JOIN_PREC", "AND", "'{'", "'}'", "'('", "')'", "'.'", "','", "'['", "']'", "';'", "ELLIPSIS", "ACCESS", "UNRAVEL", "IMPORT", "INCLUDE", "FROM", "QUOTE", "STRUCT", "TYPEDEF", "NEW", "IF", "ELSE", "WHILE", "DO", "FOR", "BREAK", "CONTINUE", "RETURN_", "THIS", "EXPLICIT", "GARBAGE", "LIT", "STRING", "PERM", "MODIFIER", "UNARY", "EXP_IN_PARENS_RULE", "$accept", "file", "fileblock", "bareblock", "name", "runnable", "modifiers", "dec", "idpair", "idpairlist", "strid", "stridpair", "stridpairlist", "vardec", "barevardec", "type", "celltype", "dims", "dimexps", "decidlist", "decid", "decidstart", "varinit", "block", "arrayinit", "basearrayinit", "varinits", "formals", "explicitornot", "formal", "fundec", "typedec", "slice", "value", "argument", "arglist", "tuple", "exp", "join", "dir", "basicjoin", "tension", "controls", "stm", "stmexp", "blockstm", "forinit", "fortest", "forupdate", "stmexplist", YY_NULLPTR }; #endif # ifdef YYPRINT /* YYTOKNUM[NUM] -- (External) token number corresponding to the (internal) symbol number NUM (which must be that of a token). */ static const yytype_uint16 yytoknum[] = { 0, 256, 257, 258, 259, 260, 261, 262, 263, 264, 265, 266, 267, 268, 269, 270, 271, 272, 273, 274, 275, 276, 277, 278, 279, 43, 45, 42, 47, 37, 35, 94, 280, 281, 282, 63, 58, 283, 284, 285, 123, 125, 40, 41, 46, 44, 91, 93, 59, 286, 287, 288, 289, 290, 291, 292, 293, 294, 295, 296, 297, 298, 299, 300, 301, 302, 303, 304, 305, 306, 307, 308, 309, 310, 311, 312 }; # endif #define YYPACT_NINF -285 #define yypact_value_is_default(Yystate) \ (!!((Yystate) == (-285))) #define YYTABLE_NINF -45 #define yytable_value_is_error(Yytable_value) \ 0 /* YYPACT[STATE-NUM] -- Index in YYTABLE of the portion describing STATE-NUM. */ static const yytype_int16 yypact[] = { -285, 41, 472, -285, -285, 873, 873, 873, 873, -285, 873, -285, 873, -285, 14, 20, 14, 16, 8, 23, 31, 20, 20, 26, 49, 614, 56, 86, 91, 687, -285, 141, -285, -285, -285, 18, -285, 543, -285, -285, 100, 53, -285, -285, -285, -285, 122, 1545, -285, 125, -285, 224, 148, 148, 148, 148, 1931, 330, 203, 60, 1146, 190, -285, 194, -285, 88, 0, 155, 161, 166, 168, -1, 169, -285, 180, 34, -285, 236, 207, 15, 873, 873, 193, 873, -285, -285, -285, 961, 148, 235, 254, 616, 212, -285, -285, -285, -285, -285, 35, 217, -285, 229, 685, 262, 741, 873, 79, -285, -285, 141, -285, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 873, 761, 873, -285, 231, -285, 741, -285, -285, 141, 114, -285, 873, -285, 873, 270, 14, -285, -285, -285, -285, -285, 24, 39, 401, -285, 227, 134, -14, 797, 105, 234, 1272, 1312, 233, -285, 278, -285, 243, 237, -285, 249, -285, 893, -285, 107, 1545, -285, 873, -285, 245, 998, 247, -10, 212, 236, 817, -285, 118, -285, 248, 1035, 1545, 873, 853, 291, 292, 197, 1763, 1791, 1819, 1847, 1875, 1875, 1903, 1903, 1903, 1903, 1939, 258, 258, 148, 148, 148, 148, 148, 1931, 1545, 1508, 873, 1188, 197, 231, -285, -285, 873, 1545, 1545, -285, -285, 295, 252, -285, 136, 253, 162, -285, -3, 180, 239, -285, 149, 20, -285, 1072, 146, 94, -285, 797, 212, 614, 614, 873, 46, 873, 873, 873, -285, -285, 893, 893, 1545, -285, 873, -285, -285, 180, 157, -285, -285, -285, 1545, -285, -285, -285, 1580, 873, 1617, -285, -285, 873, 1432, -285, 873, -285, -285, 300, -285, 301, -285, -285, -285, -285, 186, -285, -285, 180, 239, 239, 305, -285, -285, -285, 817, -285, 4, 265, 180, 191, 1109, 251, -285, 1352, 873, 1545, 264, -285, 1545, -285, -285, 1545, -285, 180, 873, 1654, 873, 1727, -285, 1230, -285, -285, -285, -285, -285, -285, 27, 279, 273, -285, 817, 817, -285, 180, -285, 614, 267, 1392, 873, -285, 1691, 873, 1691, -285, 873, 282, 817, -285, 276, -285, -285, -285, -285, 614, 275, 237, 1691, 1470, 817, -285, -285, -285, 614, -285, -285, -285 }; /* YYDEFACT[STATE-NUM] -- Default reduction number in state STATE-NUM. Performed when YYTABLE does not specify something else to do. Zero means the default is an error. */ static const yytype_uint8 yydefact[] = { 3, 0, 2, 1, 7, 0, 0, 0, 0, 9, 0, 5, 0, 177, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 99, 110, 111, 15, 14, 108, 4, 0, 10, 18, 0, 0, 42, 191, 19, 20, 109, 190, 11, 0, 178, 108, 153, 152, 115, 116, 117, 0, 108, 0, 0, 36, 35, 0, 38, 0, 0, 0, 0, 0, 7, 0, 0, 3, 0, 44, 83, 0, 44, 138, 0, 0, 0, 192, 186, 187, 188, 0, 112, 0, 0, 0, 43, 17, 16, 12, 13, 40, 53, 41, 49, 51, 0, 0, 0, 0, 166, 169, 157, 154, 170, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 151, 158, 179, 0, 59, 6, 98, 0, 149, 0, 97, 0, 0, 0, 21, 24, 27, 28, 29, 0, 0, 0, 82, 0, 53, 74, 0, 141, 139, 0, 0, 0, 194, 0, 199, 0, 193, 189, 7, 93, 0, 102, 0, 100, 8, 84, 45, 0, 0, 0, 74, 54, 0, 0, 95, 0, 88, 0, 0, 155, 0, 0, 0, 0, 137, 132, 131, 135, 134, 129, 130, 125, 126, 127, 128, 133, 118, 119, 120, 121, 122, 123, 124, 136, 148, 0, 0, 0, 150, 159, 160, 113, 0, 107, 106, 37, 39, 30, 0, 32, 0, 0, 0, 156, 74, 0, 74, 73, 0, 0, 69, 0, 0, 74, 142, 0, 140, 0, 0, 0, 53, 195, 0, 0, 103, 94, 0, 0, 86, 91, 85, 89, 46, 55, 0, 50, 52, 58, 57, 96, 92, 90, 175, 0, 171, 167, 168, 0, 0, 163, 0, 161, 114, 0, 23, 0, 22, 26, 25, 55, 0, 143, 70, 0, 74, 74, 75, 47, 60, 64, 0, 67, 0, 65, 0, 0, 0, 180, 182, 0, 0, 196, 0, 200, 101, 104, 105, 87, 80, 56, 0, 173, 0, 147, 162, 0, 31, 33, 56, 145, 71, 72, 53, 76, 0, 62, 0, 66, 144, 0, 48, 0, 0, 0, 197, 81, 176, 0, 172, 164, 0, 78, 0, 61, 0, 68, 146, 181, 183, 0, 0, 198, 174, 0, 0, 77, 63, 185, 0, 165, 79, 184 }; /* YYPGOTO[NTERM-NUM]. */ static const yytype_int16 yypgoto[] = { -285, -285, 250, -285, 10, 263, -285, 285, 36, 170, 309, -6, -285, 307, 246, -13, 308, -20, -285, -285, 145, -284, -210, 260, 171, -285, -285, -164, -285, -227, -285, -285, 238, -285, -165, 241, -285, -5, -285, -121, 205, -285, -285, -19, -79, -138, -285, -285, -285, -8 }; /* YYDEFGOTO[NTERM-NUM]. */ static const yytype_int16 yydefgoto[] = { -1, 1, 2, 57, 51, 36, 37, 38, 233, 234, 63, 64, 65, 39, 40, 41, 42, 185, 162, 99, 100, 101, 270, 43, 271, 306, 307, 242, 243, 244, 44, 45, 181, 46, 175, 176, 59, 47, 133, 134, 135, 196, 197, 48, 49, 50, 169, 316, 364, 170 }; /* YYTABLE[YYPACT[STATE-NUM]] -- What to do in state STATE-NUM. If positive, shift that token. If negative, reduce the rule whose number is the opposite. If YYTABLE_NINF, syntax error. */ static const yytype_int16 yytable[] = { 52, 53, 54, 55, 168, 56, 82, 60, 77, 258, 67, 70, 35, 296, 224, 92, 337, 61, 96, 68, 268, -44, 58, 4, 87, 66, 88, 231, 71, 239, 158, 75, 78, 267, 74, 240, 305, 9, 141, 240, 293, 3, 231, 90, 90, 339, 240, 35, 149, 9, 153, 232, 355, 340, 241, 92, 98, 159, 241, 161, 89, 160, 90, 73, 91, 241, 235, 35, 80, 238, 167, 334, 335, 157, 294, 163, 164, 184, 90, 62, 157, 157, 314, 309, 177, 62, 182, 69, 238, 194, 195, 81, 157, 35, 338, 319, 320, 177, 83, 192, 193, 295, 285, 142, 198, 143, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 210, 211, 212, 213, 214, 215, 216, 217, 218, 219, 221, 222, 322, 358, 359, 182, 147, 84, 225, 148, 308, 227, 85, 228, 230, 250, 240, 4, 246, 369, 247, 97, 4, 259, 183, 260, 5, 6, 245, 261, 226, 374, 333, 183, 273, 241, 260, 102, 35, 103, 261, 104, 177, 342, 7, 8, 136, 262, 9, 238, 317, 10, 128, 157, 289, 272, 12, 290, 349, 246, 302, 12, 276, 278, 303, 297, -34, 298, 304, 19, 146, 299, 22, 323, 19, 298, 150, 22, 360, 299, 289, 30, 151, 292, 31, 32, 30, 152, 282, 31, 32, -34, 154, 11, 286, 122, 123, 124, 125, 126, 127, 128, 332, 300, 298, 311, 312, 343, 299, 298, 132, 172, 158, 299, 272, 5, 6, 310, 89, 140, 90, 313, 91, 315, 90, 318, 75, 165, 177, 177, 178, 183, 321, 7, 8, 186, 187, 9, 190, 89, 10, 90, 168, 137, 132, 325, 229, 180, 253, 327, 12, 173, 329, 249, 254, 256, 257, 174, 124, 125, 126, 127, 128, 19, 255, 263, 22, 266, 274, 279, 280, 287, 272, 288, 291, 30, 330, 231, 31, 32, 241, 336, 347, 341, 345, 348, 356, 357, 362, 368, 370, 372, 350, 139, 352, 95, 155, 236, 331, 361, 72, 76, 166, 79, 269, 248, 4, 156, 272, 272, 5, 6, 223, 365, 0, 191, 189, 371, 0, 366, 0, 0, 367, 0, 272, 0, 375, 0, 7, 8, 0, 0, 9, 0, 0, 10, 272, 0, 0, 0, 0, 0, 0, 11, 138, 12, 0, 0, 0, 0, 0, 13, 0, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 0, 24, 25, 26, 27, 28, 29, 30, 0, 0, 31, 32, 33, 34, 4, 0, 0, 0, 5, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 0, 0, 9, 0, 0, 10, 0, 0, 0, 0, 0, 0, 0, 11, 237, 12, 0, 0, 0, 0, 0, 13, 0, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 0, 24, 25, 26, 27, 28, 29, 30, 0, 0, 31, 32, 33, 34, 4, 0, 0, 0, 5, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 0, 0, 9, 0, 0, 10, 0, 0, 0, 0, 0, 0, 0, 11, 0, 12, 0, 0, 0, 0, 0, 13, 0, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 0, 24, 25, 26, 27, 28, 29, 30, 0, 0, 31, 32, 33, 34, 4, 0, 0, 0, 5, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 0, 0, 9, 0, 0, 10, 0, 0, 0, 0, 0, 0, 0, 11, 0, 12, 0, 0, 0, 0, 0, 13, 0, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 0, 24, 25, 26, 27, 28, 29, 30, 0, 0, 31, 32, 93, 94, 4, 0, 4, 0, 5, 6, 5, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 7, 8, 9, 0, 9, 10, 0, 10, 0, 0, 0, 179, 0, 11, 0, 12, 0, 12, 0, 0, 0, 13, 180, 0, 0, 0, 0, 0, 19, 0, 19, 22, 23, 22, 24, 25, 26, 27, 28, 29, 30, 0, 30, 31, 32, 31, 32, 172, 0, 4, 0, 5, 6, 5, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 7, 8, 7, 8, 9, 0, 9, 10, 0, 10, 0, 0, 0, 0, 0, 0, 0, 12, 188, 12, 0, 0, 0, 0, 174, 86, 0, 0, 0, 0, 19, 0, 19, 22, 4, 22, 0, 0, 5, 6, 0, 0, 30, 0, 30, 31, 32, 31, 32, 0, 0, 0, 0, 0, 4, 0, 7, 8, 5, 6, 9, 0, 0, 10, 220, 0, 0, 179, 0, 0, 0, 0, 0, 12, 0, 0, 7, 8, 0, 0, 9, 0, 0, 10, 0, 0, 19, 0, 0, 22, 4, 0, 0, 12, 5, 6, 0, 0, 30, 0, 0, 31, 32, 0, 0, 0, 19, 0, 0, 22, 4, 0, 7, 8, 5, 6, 9, 0, 30, 10, 0, 31, 32, 0, 0, 0, 0, 0, 0, 12, 0, 0, 7, 8, 180, 0, 9, 0, 0, 10, 0, 0, 19, 0, 0, 22, 4, 246, 0, 12, 5, 6, 0, 0, 30, 277, 0, 31, 32, 0, 0, 0, 19, 0, 0, 22, 4, 0, 7, 8, 5, 6, 9, 0, 30, 10, 0, 31, 32, 0, 0, 0, 0, 0, 0, 12, 172, 0, 7, 8, 5, 6, 9, 0, 0, 10, 0, 0, 19, 0, 0, 22, 0, 0, 0, 12, 0, 0, 7, 8, 30, 0, 9, 31, 32, 10, 0, 0, 19, 0, 0, 22, 0, 0, 0, 12, 0, 0, 0, 0, 30, 0, 0, 31, 32, 0, 0, 0, 19, 0, 0, 22, 0, 0, 0, 0, 0, 0, 0, 0, 30, 0, 0, 31, 32, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 105, 106, 107, 108, 109, 110, 0, 171, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 264, 0, 0, 0, 132, 105, 106, 107, 108, 109, 110, 265, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 264, 0, 0, 0, 132, 105, 106, 107, 108, 109, 110, 275, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 105, 106, 107, 108, 109, 110, 301, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 105, 106, 107, 108, 109, 110, 344, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 0, 0, 144, 0, 145, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 283, 0, 0, 0, 284, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 353, 0, 0, 0, 354, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 0, 0, 251, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 0, 0, 252, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 0, 0, 346, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 0, 0, 363, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 328, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 373, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 281, 0, 0, 0, 132, 105, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 105, 132, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 324, 132, 105, 0, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 326, 132, 105, 0, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 351, 132, 105, 0, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 130, 131, 0, 0, 0, 0, 132, 106, 107, 108, 109, 110, 0, 0, 0, 0, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 0, 0, 131, 0, 0, 0, 0, 132, 106, 107, 108, 109, 110, 0, 0, 0, 0, 0, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 106, 107, 108, 109, 110, 0, 0, 132, 0, 0, 0, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 106, 107, 108, 109, 110, 0, 0, 132, 0, 0, 0, 0, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 106, 107, 108, 109, 110, 0, 0, 132, 0, 0, 0, 0, 0, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 106, 107, 108, 109, 110, 0, 0, 132, 0, 0, 0, 0, 0, 0, 0, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 106, 107, 108, 109, 110, 0, 0, 132, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 121, 122, 123, 124, 125, 126, 127, 128, 129, 106, 107, 108, 109, 110, 0, 0, 132, 106, 107, 108, 109, 110, 0, 0, 0, 0, 0, 0, 121, 122, 123, 124, 125, 126, 127, 128, 0, 122, 123, 124, 125, 126, 127, 128, 132, 0, 0, 0, 0, 0, 0, 0, 132 }; static const yytype_int16 yycheck[] = { 5, 6, 7, 8, 83, 10, 25, 12, 21, 174, 16, 3, 2, 240, 135, 35, 300, 3, 37, 3, 184, 3, 12, 3, 29, 15, 31, 3, 18, 43, 3, 21, 22, 43, 3, 49, 246, 29, 58, 49, 43, 0, 3, 44, 44, 41, 49, 37, 48, 29, 51, 27, 336, 49, 68, 75, 3, 42, 68, 79, 42, 46, 44, 40, 46, 68, 27, 57, 42, 42, 83, 298, 299, 46, 238, 80, 81, 42, 44, 71, 46, 46, 36, 247, 89, 71, 91, 71, 42, 10, 11, 42, 46, 83, 304, 260, 261, 102, 42, 104, 105, 239, 223, 43, 109, 45, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 130, 131, 132, 133, 267, 340, 341, 137, 45, 48, 140, 48, 43, 143, 48, 145, 147, 162, 49, 3, 40, 356, 42, 48, 3, 43, 46, 45, 7, 8, 160, 49, 43, 368, 297, 46, 43, 68, 45, 42, 155, 44, 49, 46, 174, 308, 25, 26, 48, 179, 29, 42, 256, 32, 31, 46, 45, 187, 42, 48, 323, 40, 41, 42, 194, 195, 45, 43, 3, 45, 49, 55, 3, 49, 58, 43, 55, 45, 48, 58, 343, 49, 45, 67, 48, 48, 70, 71, 67, 48, 220, 70, 71, 50, 50, 40, 226, 25, 26, 27, 28, 29, 30, 31, 43, 243, 45, 251, 252, 43, 49, 45, 40, 3, 3, 49, 246, 7, 8, 249, 42, 43, 44, 253, 46, 255, 44, 257, 243, 61, 260, 261, 3, 46, 264, 25, 26, 45, 34, 29, 3, 42, 32, 44, 348, 46, 40, 277, 3, 47, 42, 281, 42, 43, 284, 46, 3, 45, 34, 49, 27, 28, 29, 30, 31, 55, 48, 47, 58, 47, 47, 5, 5, 3, 304, 48, 48, 67, 3, 3, 70, 71, 68, 3, 314, 45, 60, 48, 34, 41, 48, 34, 41, 43, 324, 57, 326, 37, 73, 154, 289, 345, 18, 21, 83, 22, 186, 161, 3, 74, 340, 341, 7, 8, 134, 348, -1, 104, 102, 363, -1, 351, -1, -1, 354, -1, 356, -1, 372, -1, 25, 26, -1, -1, 29, -1, -1, 32, 368, -1, -1, -1, -1, -1, -1, 40, 41, 42, -1, -1, -1, -1, -1, 48, -1, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, -1, 61, 62, 63, 64, 65, 66, 67, -1, -1, 70, 71, 72, 73, 3, -1, -1, -1, 7, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 25, 26, -1, -1, 29, -1, -1, 32, -1, -1, -1, -1, -1, -1, -1, 40, 41, 42, -1, -1, -1, -1, -1, 48, -1, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, -1, 61, 62, 63, 64, 65, 66, 67, -1, -1, 70, 71, 72, 73, 3, -1, -1, -1, 7, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 25, 26, -1, -1, 29, -1, -1, 32, -1, -1, -1, -1, -1, -1, -1, 40, -1, 42, -1, -1, -1, -1, -1, 48, -1, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, -1, 61, 62, 63, 64, 65, 66, 67, -1, -1, 70, 71, 72, 73, 3, -1, -1, -1, 7, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 25, 26, -1, -1, 29, -1, -1, 32, -1, -1, -1, -1, -1, -1, -1, 40, -1, 42, -1, -1, -1, -1, -1, 48, -1, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, -1, 61, 62, 63, 64, 65, 66, 67, -1, -1, 70, 71, 72, 73, 3, -1, 3, -1, 7, 8, 7, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 25, 26, 25, 26, 29, -1, 29, 32, -1, 32, -1, -1, -1, 36, -1, 40, -1, 42, -1, 42, -1, -1, -1, 48, 47, -1, -1, -1, -1, -1, 55, -1, 55, 58, 59, 58, 61, 62, 63, 64, 65, 66, 67, -1, 67, 70, 71, 70, 71, 3, -1, 3, -1, 7, 8, 7, 8, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 25, 26, 25, 26, 29, -1, 29, 32, -1, 32, -1, -1, -1, -1, -1, -1, -1, 42, 43, 42, -1, -1, -1, -1, 49, 48, -1, -1, -1, -1, 55, -1, 55, 58, 3, 58, -1, -1, 7, 8, -1, -1, 67, -1, 67, 70, 71, 70, 71, -1, -1, -1, -1, -1, 3, -1, 25, 26, 7, 8, 29, -1, -1, 32, 13, -1, -1, 36, -1, -1, -1, -1, -1, 42, -1, -1, 25, 26, -1, -1, 29, -1, -1, 32, -1, -1, 55, -1, -1, 58, 3, -1, -1, 42, 7, 8, -1, -1, 67, -1, -1, 70, 71, -1, -1, -1, 55, -1, -1, 58, 3, -1, 25, 26, 7, 8, 29, -1, 67, 32, -1, 70, 71, -1, -1, -1, -1, -1, -1, 42, -1, -1, 25, 26, 47, -1, 29, -1, -1, 32, -1, -1, 55, -1, -1, 58, 3, 40, -1, 42, 7, 8, -1, -1, 67, 12, -1, 70, 71, -1, -1, -1, 55, -1, -1, 58, 3, -1, 25, 26, 7, 8, 29, -1, 67, 32, -1, 70, 71, -1, -1, -1, -1, -1, -1, 42, 3, -1, 25, 26, 7, 8, 29, -1, -1, 32, -1, -1, 55, -1, -1, 58, -1, -1, -1, 42, -1, -1, 25, 26, 67, -1, 29, 70, 71, 32, -1, -1, 55, -1, -1, 58, -1, -1, -1, 42, -1, -1, -1, -1, 67, -1, -1, 70, 71, -1, -1, -1, 55, -1, -1, 58, -1, -1, -1, -1, -1, -1, -1, -1, 67, -1, -1, 70, 71, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 4, 5, 6, 7, 8, 9, -1, 48, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, 36, -1, -1, -1, 40, 4, 5, 6, 7, 8, 9, 47, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, 36, -1, -1, -1, 40, 4, 5, 6, 7, 8, 9, 47, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 4, 5, 6, 7, 8, 9, 47, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 4, 5, 6, 7, 8, 9, 47, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, -1, -1, 43, -1, 45, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 41, -1, -1, -1, 45, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 41, -1, -1, -1, 45, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, -1, -1, 43, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, -1, -1, 43, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, -1, -1, 43, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, -1, -1, 43, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 41, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 41, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, 36, -1, -1, -1, 40, 4, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, 4, 40, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, 39, 40, 4, -1, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, 39, 40, 4, -1, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, 39, 40, 4, -1, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, 34, 35, -1, -1, -1, -1, 40, 5, 6, 7, 8, 9, -1, -1, -1, -1, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, -1, -1, 35, -1, -1, -1, -1, 40, 5, 6, 7, 8, 9, -1, -1, -1, -1, -1, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 5, 6, 7, 8, 9, -1, -1, 40, -1, -1, -1, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 5, 6, 7, 8, 9, -1, -1, 40, -1, -1, -1, -1, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 5, 6, 7, 8, 9, -1, -1, 40, -1, -1, -1, -1, -1, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 5, 6, 7, 8, 9, -1, -1, 40, -1, -1, -1, -1, -1, -1, -1, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 5, 6, 7, 8, 9, -1, -1, 40, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, 24, 25, 26, 27, 28, 29, 30, 31, 32, 5, 6, 7, 8, 9, -1, -1, 40, 5, 6, 7, 8, 9, -1, -1, -1, -1, -1, -1, 24, 25, 26, 27, 28, 29, 30, 31, -1, 25, 26, 27, 28, 29, 30, 31, 40, -1, -1, -1, -1, -1, -1, -1, 40 }; /* YYSTOS[STATE-NUM] -- The (internal number of the) accessing symbol of state STATE-NUM. */ static const yytype_uint8 yystos[] = { 0, 77, 78, 0, 3, 7, 8, 25, 26, 29, 32, 40, 42, 48, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 61, 62, 63, 64, 65, 66, 67, 70, 71, 72, 73, 80, 81, 82, 83, 89, 90, 91, 92, 99, 106, 107, 109, 113, 119, 120, 121, 80, 113, 113, 113, 113, 113, 79, 80, 112, 113, 3, 71, 86, 87, 88, 80, 87, 3, 71, 3, 80, 86, 40, 3, 80, 89, 91, 80, 92, 42, 42, 119, 42, 48, 48, 48, 113, 113, 42, 44, 46, 93, 72, 73, 83, 119, 48, 3, 95, 96, 97, 42, 44, 46, 4, 5, 6, 7, 8, 9, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 34, 35, 40, 114, 115, 116, 48, 46, 41, 81, 43, 93, 43, 45, 43, 45, 3, 45, 48, 48, 48, 48, 48, 51, 50, 78, 99, 46, 3, 42, 46, 93, 94, 113, 113, 61, 90, 91, 120, 122, 125, 48, 3, 43, 49, 110, 111, 113, 3, 36, 47, 108, 113, 46, 42, 93, 45, 34, 43, 111, 3, 108, 113, 113, 10, 11, 117, 118, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 13, 113, 113, 116, 115, 113, 43, 113, 113, 3, 87, 3, 27, 84, 85, 27, 85, 41, 42, 43, 49, 68, 103, 104, 105, 113, 40, 42, 100, 46, 93, 43, 43, 42, 3, 48, 45, 34, 110, 43, 45, 49, 113, 47, 36, 47, 47, 43, 103, 96, 98, 100, 113, 43, 47, 47, 113, 12, 113, 5, 5, 36, 113, 41, 45, 115, 113, 3, 48, 45, 48, 48, 48, 43, 103, 121, 105, 43, 45, 49, 91, 47, 41, 45, 49, 98, 101, 102, 43, 103, 113, 119, 119, 113, 36, 113, 123, 120, 113, 110, 110, 113, 121, 43, 39, 113, 39, 113, 41, 113, 3, 84, 43, 121, 105, 105, 3, 97, 98, 41, 49, 45, 121, 43, 47, 60, 43, 113, 48, 121, 113, 39, 113, 41, 45, 97, 34, 41, 98, 98, 121, 119, 48, 43, 124, 125, 113, 113, 34, 98, 41, 119, 43, 41, 98, 119 }; /* YYR1[YYN] -- Symbol number of symbol that rule YYN derives. */ static const yytype_uint8 yyr1[] = { 0, 76, 77, 78, 78, 79, 79, 80, 80, 80, 81, 81, 81, 81, 82, 82, 82, 82, 83, 83, 83, 83, 83, 83, 83, 83, 83, 83, 83, 83, 84, 84, 85, 85, 86, 86, 87, 87, 88, 88, 89, 90, 91, 91, 92, 93, 93, 94, 94, 95, 95, 96, 96, 97, 97, 97, 97, 98, 98, 99, 100, 100, 100, 100, 101, 101, 101, 102, 102, 103, 103, 103, 103, 104, 104, 105, 105, 105, 105, 105, 106, 106, 107, 107, 108, 108, 108, 108, 109, 109, 109, 109, 109, 109, 109, 109, 109, 109, 109, 109, 110, 110, 111, 111, 111, 111, 112, 112, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 113, 114, 114, 114, 114, 114, 115, 115, 115, 115, 116, 116, 116, 116, 116, 117, 117, 117, 117, 118, 118, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 120, 121, 122, 122, 122, 123, 123, 124, 124, 125, 125 }; /* YYR2[YYN] -- Number of symbols on the right hand side of rule YYN. */ static const yytype_uint8 yyr2[] = { 0, 2, 1, 0, 2, 0, 2, 1, 3, 1, 1, 1, 2, 2, 1, 1, 2, 2, 1, 1, 1, 3, 5, 5, 3, 5, 5, 3, 3, 3, 1, 3, 1, 3, 1, 1, 1, 3, 1, 3, 2, 2, 1, 2, 1, 2, 3, 3, 4, 1, 3, 1, 3, 1, 2, 3, 4, 1, 1, 3, 2, 4, 3, 5, 1, 1, 2, 1, 3, 1, 2, 3, 3, 1, 0, 2, 3, 5, 4, 6, 5, 6, 3, 2, 1, 2, 2, 3, 3, 4, 4, 4, 4, 3, 4, 3, 4, 3, 3, 1, 1, 3, 1, 2, 3, 3, 3, 3, 1, 1, 1, 1, 2, 4, 5, 2, 2, 2, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 2, 3, 4, 3, 4, 5, 6, 6, 7, 5, 3, 3, 3, 2, 2, 2, 2, 3, 4, 1, 1, 2, 2, 3, 4, 3, 5, 7, 1, 3, 3, 1, 1, 2, 4, 3, 5, 2, 4, 1, 1, 2, 5, 7, 5, 7, 9, 8, 2, 2, 2, 3, 1, 1, 0, 1, 1, 0, 1, 0, 1, 1, 3 }; #define yyerrok (yyerrstatus = 0) #define yyclearin (yychar = YYEMPTY) #define YYEMPTY (-2) #define YYEOF 0 #define YYACCEPT goto yyacceptlab #define YYABORT goto yyabortlab #define YYERROR goto yyerrorlab #define YYRECOVERING() (!!yyerrstatus) #define YYBACKUP(Token, Value) \ do \ if (yychar == YYEMPTY) \ { \ yychar = (Token); \ yylval = (Value); \ YYPOPSTACK (yylen); \ yystate = *yyssp; \ goto yybackup; \ } \ else \ { \ yyerror (YY_("syntax error: cannot back up")); \ YYERROR; \ } \ while (0) /* Error token number */ #define YYTERROR 1 #define YYERRCODE 256 /* Enable debugging if requested. */ #if YYDEBUG # ifndef YYFPRINTF # include /* INFRINGES ON USER NAME SPACE */ # define YYFPRINTF fprintf # endif # define YYDPRINTF(Args) \ do { \ if (yydebug) \ YYFPRINTF Args; \ } while (0) /* This macro is provided for backward compatibility. */ #ifndef YY_LOCATION_PRINT # define YY_LOCATION_PRINT(File, Loc) ((void) 0) #endif # define YY_SYMBOL_PRINT(Title, Type, Value, Location) \ do { \ if (yydebug) \ { \ YYFPRINTF (stderr, "%s ", Title); \ yy_symbol_print (stderr, \ Type, Value); \ YYFPRINTF (stderr, "\n"); \ } \ } while (0) /*----------------------------------------. | Print this symbol's value on YYOUTPUT. | `----------------------------------------*/ static void yy_symbol_value_print (FILE *yyoutput, int yytype, YYSTYPE const * const yyvaluep) { FILE *yyo = yyoutput; YYUSE (yyo); if (!yyvaluep) return; # ifdef YYPRINT if (yytype < YYNTOKENS) YYPRINT (yyoutput, yytoknum[yytype], *yyvaluep); # endif YYUSE (yytype); } /*--------------------------------. | Print this symbol on YYOUTPUT. | `--------------------------------*/ static void yy_symbol_print (FILE *yyoutput, int yytype, YYSTYPE const * const yyvaluep) { YYFPRINTF (yyoutput, "%s %s (", yytype < YYNTOKENS ? "token" : "nterm", yytname[yytype]); yy_symbol_value_print (yyoutput, yytype, yyvaluep); YYFPRINTF (yyoutput, ")"); } /*------------------------------------------------------------------. | yy_stack_print -- Print the state stack from its BOTTOM up to its | | TOP (included). | `------------------------------------------------------------------*/ static void yy_stack_print (yytype_int16 *yybottom, yytype_int16 *yytop) { YYFPRINTF (stderr, "Stack now"); for (; yybottom <= yytop; yybottom++) { int yybot = *yybottom; YYFPRINTF (stderr, " %d", yybot); } YYFPRINTF (stderr, "\n"); } # define YY_STACK_PRINT(Bottom, Top) \ do { \ if (yydebug) \ yy_stack_print ((Bottom), (Top)); \ } while (0) /*------------------------------------------------. | Report that the YYRULE is going to be reduced. | `------------------------------------------------*/ static void yy_reduce_print (yytype_int16 *yyssp, YYSTYPE *yyvsp, int yyrule) { unsigned long int yylno = yyrline[yyrule]; int yynrhs = yyr2[yyrule]; int yyi; YYFPRINTF (stderr, "Reducing stack by rule %d (line %lu):\n", yyrule - 1, yylno); /* The symbols being reduced. */ for (yyi = 0; yyi < yynrhs; yyi++) { YYFPRINTF (stderr, " $%d = ", yyi + 1); yy_symbol_print (stderr, yystos[yyssp[yyi + 1 - yynrhs]], &(yyvsp[(yyi + 1) - (yynrhs)]) ); YYFPRINTF (stderr, "\n"); } } # define YY_REDUCE_PRINT(Rule) \ do { \ if (yydebug) \ yy_reduce_print (yyssp, yyvsp, Rule); \ } while (0) /* Nonzero means print parse trace. It is left uninitialized so that multiple parsers can coexist. */ int yydebug; #else /* !YYDEBUG */ # define YYDPRINTF(Args) # define YY_SYMBOL_PRINT(Title, Type, Value, Location) # define YY_STACK_PRINT(Bottom, Top) # define YY_REDUCE_PRINT(Rule) #endif /* !YYDEBUG */ /* YYINITDEPTH -- initial size of the parser's stacks. */ #ifndef YYINITDEPTH # define YYINITDEPTH 200 #endif /* YYMAXDEPTH -- maximum size the stacks can grow to (effective only if the built-in stack extension method is used). Do not make this value too large; the results are undefined if YYSTACK_ALLOC_MAXIMUM < YYSTACK_BYTES (YYMAXDEPTH) evaluated with infinite-precision integer arithmetic. */ #ifndef YYMAXDEPTH # define YYMAXDEPTH 10000 #endif #if YYERROR_VERBOSE # ifndef yystrlen # if defined __GLIBC__ && defined _STRING_H # define yystrlen strlen # else /* Return the length of YYSTR. */ static YYSIZE_T yystrlen (const char *yystr) { YYSIZE_T yylen; for (yylen = 0; yystr[yylen]; yylen++) continue; return yylen; } # endif # endif # ifndef yystpcpy # if defined __GLIBC__ && defined _STRING_H && defined _GNU_SOURCE # define yystpcpy stpcpy # else /* Copy YYSRC to YYDEST, returning the address of the terminating '\0' in YYDEST. */ static char * yystpcpy (char *yydest, const char *yysrc) { char *yyd = yydest; const char *yys = yysrc; while ((*yyd++ = *yys++) != '\0') continue; return yyd - 1; } # endif # endif # ifndef yytnamerr /* Copy to YYRES the contents of YYSTR after stripping away unnecessary quotes and backslashes, so that it's suitable for yyerror. The heuristic is that double-quoting is unnecessary unless the string contains an apostrophe, a comma, or backslash (other than backslash-backslash). YYSTR is taken from yytname. If YYRES is null, do not copy; instead, return the length of what the result would have been. */ static YYSIZE_T yytnamerr (char *yyres, const char *yystr) { if (*yystr == '"') { YYSIZE_T yyn = 0; char const *yyp = yystr; for (;;) switch (*++yyp) { case '\'': case ',': goto do_not_strip_quotes; case '\\': if (*++yyp != '\\') goto do_not_strip_quotes; /* Fall through. */ default: if (yyres) yyres[yyn] = *yyp; yyn++; break; case '"': if (yyres) yyres[yyn] = '\0'; return yyn; } do_not_strip_quotes: ; } if (! yyres) return yystrlen (yystr); return yystpcpy (yyres, yystr) - yyres; } # endif /* Copy into *YYMSG, which is of size *YYMSG_ALLOC, an error message about the unexpected token YYTOKEN for the state stack whose top is YYSSP. Return 0 if *YYMSG was successfully written. Return 1 if *YYMSG is not large enough to hold the message. In that case, also set *YYMSG_ALLOC to the required number of bytes. Return 2 if the required number of bytes is too large to store. */ static int yysyntax_error (YYSIZE_T *yymsg_alloc, char **yymsg, yytype_int16 *yyssp, int yytoken) { YYSIZE_T yysize0 = yytnamerr (YY_NULLPTR, yytname[yytoken]); YYSIZE_T yysize = yysize0; enum { YYERROR_VERBOSE_ARGS_MAXIMUM = 5 }; /* Internationalized format string. */ const char *yyformat = YY_NULLPTR; /* Arguments of yyformat. */ char const *yyarg[YYERROR_VERBOSE_ARGS_MAXIMUM]; /* Number of reported tokens (one for the "unexpected", one per "expected"). */ int yycount = 0; /* There are many possibilities here to consider: - If this state is a consistent state with a default action, then the only way this function was invoked is if the default action is an error action. In that case, don't check for expected tokens because there are none. - The only way there can be no lookahead present (in yychar) is if this state is a consistent state with a default action. Thus, detecting the absence of a lookahead is sufficient to determine that there is no unexpected or expected token to report. In that case, just report a simple "syntax error". - Don't assume there isn't a lookahead just because this state is a consistent state with a default action. There might have been a previous inconsistent state, consistent state with a non-default action, or user semantic action that manipulated yychar. - Of course, the expected token list depends on states to have correct lookahead information, and it depends on the parser not to perform extra reductions after fetching a lookahead from the scanner and before detecting a syntax error. Thus, state merging (from LALR or IELR) and default reductions corrupt the expected token list. However, the list is correct for canonical LR with one exception: it will still contain any token that will not be accepted due to an error action in a later state. */ if (yytoken != YYEMPTY) { int yyn = yypact[*yyssp]; yyarg[yycount++] = yytname[yytoken]; if (!yypact_value_is_default (yyn)) { /* Start YYX at -YYN if negative to avoid negative indexes in YYCHECK. In other words, skip the first -YYN actions for this state because they are default actions. */ int yyxbegin = yyn < 0 ? -yyn : 0; /* Stay within bounds of both yycheck and yytname. */ int yychecklim = YYLAST - yyn + 1; int yyxend = yychecklim < YYNTOKENS ? yychecklim : YYNTOKENS; int yyx; for (yyx = yyxbegin; yyx < yyxend; ++yyx) if (yycheck[yyx + yyn] == yyx && yyx != YYTERROR && !yytable_value_is_error (yytable[yyx + yyn])) { if (yycount == YYERROR_VERBOSE_ARGS_MAXIMUM) { yycount = 1; yysize = yysize0; break; } yyarg[yycount++] = yytname[yyx]; { YYSIZE_T yysize1 = yysize + yytnamerr (YY_NULLPTR, yytname[yyx]); if (! (yysize <= yysize1 && yysize1 <= YYSTACK_ALLOC_MAXIMUM)) return 2; yysize = yysize1; } } } } switch (yycount) { # define YYCASE_(N, S) \ case N: \ yyformat = S; \ break default: /* Avoid compiler warnings. */ YYCASE_(0, YY_("syntax error")); YYCASE_(1, YY_("syntax error, unexpected %s")); YYCASE_(2, YY_("syntax error, unexpected %s, expecting %s")); YYCASE_(3, YY_("syntax error, unexpected %s, expecting %s or %s")); YYCASE_(4, YY_("syntax error, unexpected %s, expecting %s or %s or %s")); YYCASE_(5, YY_("syntax error, unexpected %s, expecting %s or %s or %s or %s")); # undef YYCASE_ } { YYSIZE_T yysize1 = yysize + yystrlen (yyformat); if (! (yysize <= yysize1 && yysize1 <= YYSTACK_ALLOC_MAXIMUM)) return 2; yysize = yysize1; } if (*yymsg_alloc < yysize) { *yymsg_alloc = 2 * yysize; if (! (yysize <= *yymsg_alloc && *yymsg_alloc <= YYSTACK_ALLOC_MAXIMUM)) *yymsg_alloc = YYSTACK_ALLOC_MAXIMUM; return 1; } /* Avoid sprintf, as that infringes on the user's name space. Don't have undefined behavior even if the translation produced a string with the wrong number of "%s"s. */ { char *yyp = *yymsg; int yyi = 0; while ((*yyp = *yyformat) != '\0') if (*yyp == '%' && yyformat[1] == 's' && yyi < yycount) { yyp += yytnamerr (yyp, yyarg[yyi++]); yyformat += 2; } else { yyp++; yyformat++; } } return 0; } #endif /* YYERROR_VERBOSE */ /*-----------------------------------------------. | Release the memory associated to this symbol. | `-----------------------------------------------*/ static void yydestruct (const char *yymsg, int yytype, YYSTYPE *yyvaluep) { YYUSE (yyvaluep); if (!yymsg) yymsg = "Deleting"; YY_SYMBOL_PRINT (yymsg, yytype, yyvaluep, yylocationp); YY_IGNORE_MAYBE_UNINITIALIZED_BEGIN YYUSE (yytype); YY_IGNORE_MAYBE_UNINITIALIZED_END } /* The lookahead symbol. */ int yychar; /* The semantic value of the lookahead symbol. */ YYSTYPE yylval; /* Number of syntax errors so far. */ int yynerrs; /*----------. | yyparse. | `----------*/ int yyparse (void) { int yystate; /* Number of tokens to shift before error messages enabled. */ int yyerrstatus; /* The stacks and their tools: 'yyss': related to states. 'yyvs': related to semantic values. Refer to the stacks through separate pointers, to allow yyoverflow to reallocate them elsewhere. */ /* The state stack. */ yytype_int16 yyssa[YYINITDEPTH]; yytype_int16 *yyss; yytype_int16 *yyssp; /* The semantic value stack. */ YYSTYPE yyvsa[YYINITDEPTH]; YYSTYPE *yyvs; YYSTYPE *yyvsp; YYSIZE_T yystacksize; int yyn; int yyresult; /* Lookahead token as an internal (translated) token number. */ int yytoken = 0; /* The variables used to return semantic value and location from the action routines. */ YYSTYPE yyval; #if YYERROR_VERBOSE /* Buffer for error messages, and its allocated size. */ char yymsgbuf[128]; char *yymsg = yymsgbuf; YYSIZE_T yymsg_alloc = sizeof yymsgbuf; #endif #define YYPOPSTACK(N) (yyvsp -= (N), yyssp -= (N)) /* The number of symbols on the RHS of the reduced rule. Keep to zero when no symbol should be popped. */ int yylen = 0; yyssp = yyss = yyssa; yyvsp = yyvs = yyvsa; yystacksize = YYINITDEPTH; YYDPRINTF ((stderr, "Starting parse\n")); yystate = 0; yyerrstatus = 0; yynerrs = 0; yychar = YYEMPTY; /* Cause a token to be read. */ goto yysetstate; /*------------------------------------------------------------. | yynewstate -- Push a new state, which is found in yystate. | `------------------------------------------------------------*/ yynewstate: /* In all cases, when you get here, the value and location stacks have just been pushed. So pushing a state here evens the stacks. */ yyssp++; yysetstate: *yyssp = yystate; if (yyss + yystacksize - 1 <= yyssp) { /* Get the current used size of the three stacks, in elements. */ YYSIZE_T yysize = yyssp - yyss + 1; #ifdef yyoverflow { /* Give user a chance to reallocate the stack. Use copies of these so that the &'s don't force the real ones into memory. */ YYSTYPE *yyvs1 = yyvs; yytype_int16 *yyss1 = yyss; /* Each stack pointer address is followed by the size of the data in use in that stack, in bytes. This used to be a conditional around just the two extra args, but that might be undefined if yyoverflow is a macro. */ yyoverflow (YY_("memory exhausted"), &yyss1, yysize * sizeof (*yyssp), &yyvs1, yysize * sizeof (*yyvsp), &yystacksize); yyss = yyss1; yyvs = yyvs1; } #else /* no yyoverflow */ # ifndef YYSTACK_RELOCATE goto yyexhaustedlab; # else /* Extend the stack our own way. */ if (YYMAXDEPTH <= yystacksize) goto yyexhaustedlab; yystacksize *= 2; if (YYMAXDEPTH < yystacksize) yystacksize = YYMAXDEPTH; { yytype_int16 *yyss1 = yyss; union yyalloc *yyptr = (union yyalloc *) YYSTACK_ALLOC (YYSTACK_BYTES (yystacksize)); if (! yyptr) goto yyexhaustedlab; YYSTACK_RELOCATE (yyss_alloc, yyss); YYSTACK_RELOCATE (yyvs_alloc, yyvs); # undef YYSTACK_RELOCATE if (yyss1 != yyssa) YYSTACK_FREE (yyss1); } # endif #endif /* no yyoverflow */ yyssp = yyss + yysize - 1; yyvsp = yyvs + yysize - 1; YYDPRINTF ((stderr, "Stack size increased to %lu\n", (unsigned long int) yystacksize)); if (yyss + yystacksize - 1 <= yyssp) YYABORT; } YYDPRINTF ((stderr, "Entering state %d\n", yystate)); if (yystate == YYFINAL) YYACCEPT; goto yybackup; /*-----------. | yybackup. | `-----------*/ yybackup: /* Do appropriate processing given the current state. Read a lookahead token if we need one and don't already have one. */ /* First try to decide what to do without reference to lookahead token. */ yyn = yypact[yystate]; if (yypact_value_is_default (yyn)) goto yydefault; /* Not known => get a lookahead token if don't already have one. */ /* YYCHAR is either YYEMPTY or YYEOF or a valid lookahead symbol. */ if (yychar == YYEMPTY) { YYDPRINTF ((stderr, "Reading a token: ")); yychar = yylex (); } if (yychar <= YYEOF) { yychar = yytoken = YYEOF; YYDPRINTF ((stderr, "Now at end of input.\n")); } else { yytoken = YYTRANSLATE (yychar); YY_SYMBOL_PRINT ("Next token is", yytoken, &yylval, &yylloc); } /* If the proper action on seeing token YYTOKEN is to reduce or to detect an error, take that action. */ yyn += yytoken; if (yyn < 0 || YYLAST < yyn || yycheck[yyn] != yytoken) goto yydefault; yyn = yytable[yyn]; if (yyn <= 0) { if (yytable_value_is_error (yyn)) goto yyerrlab; yyn = -yyn; goto yyreduce; } /* Count tokens shifted since error; after three, turn off error status. */ if (yyerrstatus) yyerrstatus--; /* Shift the lookahead token. */ YY_SYMBOL_PRINT ("Shifting", yytoken, &yylval, &yylloc); /* Discard the shifted token. */ yychar = YYEMPTY; yystate = yyn; YY_IGNORE_MAYBE_UNINITIALIZED_BEGIN *++yyvsp = yylval; YY_IGNORE_MAYBE_UNINITIALIZED_END goto yynewstate; /*-----------------------------------------------------------. | yydefault -- do the default action for the current state. | `-----------------------------------------------------------*/ yydefault: yyn = yydefact[yystate]; if (yyn == 0) goto yyerrlab; goto yyreduce; /*-----------------------------. | yyreduce -- Do a reduction. | `-----------------------------*/ yyreduce: /* yyn is the number of a rule to reduce with. */ yylen = yyr2[yyn]; /* If YYLEN is nonzero, implement the default value of the action: '$$ = $1'. Otherwise, the following line sets YYVAL to garbage. This behavior is undocumented and Bison users should not rely upon it. Assigning to YYVAL unconditionally makes the parser a bit smaller, and it avoids a GCC warning that YYVAL may be used uninitialized. */ yyval = yyvsp[1-yylen]; YY_REDUCE_PRINT (yyn); switch (yyn) { case 2: #line 191 "camp.y" /* yacc.c:1648 */ { absyntax::root = (yyvsp[0].b); } #line 1955 "camp.tab.c" /* yacc.c:1648 */ break; case 3: #line 195 "camp.y" /* yacc.c:1648 */ { (yyval.b) = new file(lexerPos(), false); } #line 1961 "camp.tab.c" /* yacc.c:1648 */ break; case 4: #line 197 "camp.y" /* yacc.c:1648 */ { (yyval.b) = (yyvsp[-1].b); (yyval.b)->add((yyvsp[0].run)); } #line 1967 "camp.tab.c" /* yacc.c:1648 */ break; case 5: #line 201 "camp.y" /* yacc.c:1648 */ { (yyval.b) = new block(lexerPos(), true); } #line 1973 "camp.tab.c" /* yacc.c:1648 */ break; case 6: #line 203 "camp.y" /* yacc.c:1648 */ { (yyval.b) = (yyvsp[-1].b); (yyval.b)->add((yyvsp[0].run)); } #line 1979 "camp.tab.c" /* yacc.c:1648 */ break; case 7: #line 207 "camp.y" /* yacc.c:1648 */ { (yyval.n) = new simpleName((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 1985 "camp.tab.c" /* yacc.c:1648 */ break; case 8: #line 208 "camp.y" /* yacc.c:1648 */ { (yyval.n) = new qualifiedName((yyvsp[-1].pos), (yyvsp[-2].n), (yyvsp[0].ps).sym); } #line 1991 "camp.tab.c" /* yacc.c:1648 */ break; case 9: #line 209 "camp.y" /* yacc.c:1648 */ { (yyval.n) = new simpleName((yyvsp[0].ps).pos, symbol::trans("operator answer")); } #line 1998 "camp.tab.c" /* yacc.c:1648 */ break; case 10: #line 214 "camp.y" /* yacc.c:1648 */ { (yyval.run) = (yyvsp[0].d); } #line 2004 "camp.tab.c" /* yacc.c:1648 */ break; case 11: #line 215 "camp.y" /* yacc.c:1648 */ { (yyval.run) = (yyvsp[0].s); } #line 2010 "camp.tab.c" /* yacc.c:1648 */ break; case 12: #line 217 "camp.y" /* yacc.c:1648 */ { (yyval.run) = new modifiedRunnable((yyvsp[-1].ml)->getPos(), (yyvsp[-1].ml), (yyvsp[0].d)); } #line 2016 "camp.tab.c" /* yacc.c:1648 */ break; case 13: #line 219 "camp.y" /* yacc.c:1648 */ { (yyval.run) = new modifiedRunnable((yyvsp[-1].ml)->getPos(), (yyvsp[-1].ml), (yyvsp[0].s)); } #line 2022 "camp.tab.c" /* yacc.c:1648 */ break; case 14: #line 223 "camp.y" /* yacc.c:1648 */ { (yyval.ml) = new modifierList((yyvsp[0].mod).pos); (yyval.ml)->add((yyvsp[0].mod).val); } #line 2028 "camp.tab.c" /* yacc.c:1648 */ break; case 15: #line 224 "camp.y" /* yacc.c:1648 */ { (yyval.ml) = new modifierList((yyvsp[0].perm).pos); (yyval.ml)->add((yyvsp[0].perm).val); } #line 2034 "camp.tab.c" /* yacc.c:1648 */ break; case 16: #line 226 "camp.y" /* yacc.c:1648 */ { (yyval.ml) = (yyvsp[-1].ml); (yyval.ml)->add((yyvsp[0].mod).val); } #line 2040 "camp.tab.c" /* yacc.c:1648 */ break; case 17: #line 228 "camp.y" /* yacc.c:1648 */ { (yyval.ml) = (yyvsp[-1].ml); (yyval.ml)->add((yyvsp[0].perm).val); } #line 2046 "camp.tab.c" /* yacc.c:1648 */ break; case 18: #line 232 "camp.y" /* yacc.c:1648 */ { (yyval.d) = (yyvsp[0].vd); } #line 2052 "camp.tab.c" /* yacc.c:1648 */ break; case 19: #line 233 "camp.y" /* yacc.c:1648 */ { (yyval.d) = (yyvsp[0].d); } #line 2058 "camp.tab.c" /* yacc.c:1648 */ break; case 20: #line 234 "camp.y" /* yacc.c:1648 */ { (yyval.d) = (yyvsp[0].d); } #line 2064 "camp.tab.c" /* yacc.c:1648 */ break; case 21: #line 236 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new accessdec((yyvsp[-2].pos), (yyvsp[-1].ipl)); } #line 2070 "camp.tab.c" /* yacc.c:1648 */ break; case 22: #line 238 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new unraveldec((yyvsp[-4].pos), (yyvsp[-3].n), (yyvsp[-1].ipl)); } #line 2076 "camp.tab.c" /* yacc.c:1648 */ break; case 23: #line 240 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new unraveldec((yyvsp[-4].pos), (yyvsp[-3].n), WILDCARD); } #line 2082 "camp.tab.c" /* yacc.c:1648 */ break; case 24: #line 241 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new unraveldec((yyvsp[-2].pos), (yyvsp[-1].n), WILDCARD); } #line 2088 "camp.tab.c" /* yacc.c:1648 */ break; case 25: #line 243 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new fromaccessdec((yyvsp[-4].pos), (yyvsp[-3].ps).sym, (yyvsp[-1].ipl)); } #line 2094 "camp.tab.c" /* yacc.c:1648 */ break; case 26: #line 245 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new fromaccessdec((yyvsp[-4].pos), (yyvsp[-3].ps).sym, WILDCARD); } #line 2100 "camp.tab.c" /* yacc.c:1648 */ break; case 27: #line 247 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new importdec((yyvsp[-2].pos), (yyvsp[-1].ip)); } #line 2106 "camp.tab.c" /* yacc.c:1648 */ break; case 28: #line 248 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new includedec((yyvsp[-2].pos), (yyvsp[-1].ps).sym); } #line 2112 "camp.tab.c" /* yacc.c:1648 */ break; case 29: #line 250 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new includedec((yyvsp[-2].pos), (yyvsp[-1].stre)->getString()); } #line 2118 "camp.tab.c" /* yacc.c:1648 */ break; case 30: #line 254 "camp.y" /* yacc.c:1648 */ { (yyval.ip) = new idpair((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 2124 "camp.tab.c" /* yacc.c:1648 */ break; case 31: #line 256 "camp.y" /* yacc.c:1648 */ { (yyval.ip) = new idpair((yyvsp[-2].ps).pos, (yyvsp[-2].ps).sym, (yyvsp[-1].ps).sym , (yyvsp[0].ps).sym); } #line 2130 "camp.tab.c" /* yacc.c:1648 */ break; case 32: #line 260 "camp.y" /* yacc.c:1648 */ { (yyval.ipl) = new idpairlist(); (yyval.ipl)->add((yyvsp[0].ip)); } #line 2136 "camp.tab.c" /* yacc.c:1648 */ break; case 33: #line 262 "camp.y" /* yacc.c:1648 */ { (yyval.ipl) = (yyvsp[-2].ipl); (yyval.ipl)->add((yyvsp[0].ip)); } #line 2142 "camp.tab.c" /* yacc.c:1648 */ break; case 34: #line 266 "camp.y" /* yacc.c:1648 */ { (yyval.ps) = (yyvsp[0].ps); } #line 2148 "camp.tab.c" /* yacc.c:1648 */ break; case 35: #line 267 "camp.y" /* yacc.c:1648 */ { (yyval.ps).pos = (yyvsp[0].stre)->getPos(); (yyval.ps).sym = symbol::literalTrans((yyvsp[0].stre)->getString()); } #line 2155 "camp.tab.c" /* yacc.c:1648 */ break; case 36: #line 272 "camp.y" /* yacc.c:1648 */ { (yyval.ip) = new idpair((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 2161 "camp.tab.c" /* yacc.c:1648 */ break; case 37: #line 274 "camp.y" /* yacc.c:1648 */ { (yyval.ip) = new idpair((yyvsp[-2].ps).pos, (yyvsp[-2].ps).sym, (yyvsp[-1].ps).sym , (yyvsp[0].ps).sym); } #line 2167 "camp.tab.c" /* yacc.c:1648 */ break; case 38: #line 278 "camp.y" /* yacc.c:1648 */ { (yyval.ipl) = new idpairlist(); (yyval.ipl)->add((yyvsp[0].ip)); } #line 2173 "camp.tab.c" /* yacc.c:1648 */ break; case 39: #line 280 "camp.y" /* yacc.c:1648 */ { (yyval.ipl) = (yyvsp[-2].ipl); (yyval.ipl)->add((yyvsp[0].ip)); } #line 2179 "camp.tab.c" /* yacc.c:1648 */ break; case 40: #line 284 "camp.y" /* yacc.c:1648 */ { (yyval.vd) = (yyvsp[-1].vd); } #line 2185 "camp.tab.c" /* yacc.c:1648 */ break; case 41: #line 288 "camp.y" /* yacc.c:1648 */ { (yyval.vd) = new vardec((yyvsp[-1].t)->getPos(), (yyvsp[-1].t), (yyvsp[0].dil)); } #line 2191 "camp.tab.c" /* yacc.c:1648 */ break; case 42: #line 292 "camp.y" /* yacc.c:1648 */ { (yyval.t) = (yyvsp[0].t); } #line 2197 "camp.tab.c" /* yacc.c:1648 */ break; case 43: #line 293 "camp.y" /* yacc.c:1648 */ { (yyval.t) = new arrayTy((yyvsp[-1].n), (yyvsp[0].dim)); } #line 2203 "camp.tab.c" /* yacc.c:1648 */ break; case 44: #line 297 "camp.y" /* yacc.c:1648 */ { (yyval.t) = new nameTy((yyvsp[0].n)); } #line 2209 "camp.tab.c" /* yacc.c:1648 */ break; case 45: #line 301 "camp.y" /* yacc.c:1648 */ { (yyval.dim) = new dimensions((yyvsp[-1].pos)); } #line 2215 "camp.tab.c" /* yacc.c:1648 */ break; case 46: #line 302 "camp.y" /* yacc.c:1648 */ { (yyval.dim) = (yyvsp[-2].dim); (yyval.dim)->increase(); } #line 2221 "camp.tab.c" /* yacc.c:1648 */ break; case 47: #line 306 "camp.y" /* yacc.c:1648 */ { (yyval.elist) = new explist((yyvsp[-2].pos)); (yyval.elist)->add((yyvsp[-1].e)); } #line 2227 "camp.tab.c" /* yacc.c:1648 */ break; case 48: #line 308 "camp.y" /* yacc.c:1648 */ { (yyval.elist) = (yyvsp[-3].elist); (yyval.elist)->add((yyvsp[-1].e)); } #line 2233 "camp.tab.c" /* yacc.c:1648 */ break; case 49: #line 312 "camp.y" /* yacc.c:1648 */ { (yyval.dil) = new decidlist((yyvsp[0].di)->getPos()); (yyval.dil)->add((yyvsp[0].di)); } #line 2239 "camp.tab.c" /* yacc.c:1648 */ break; case 50: #line 314 "camp.y" /* yacc.c:1648 */ { (yyval.dil) = (yyvsp[-2].dil); (yyval.dil)->add((yyvsp[0].di)); } #line 2245 "camp.tab.c" /* yacc.c:1648 */ break; case 51: #line 318 "camp.y" /* yacc.c:1648 */ { (yyval.di) = new decid((yyvsp[0].dis)->getPos(), (yyvsp[0].dis)); } #line 2251 "camp.tab.c" /* yacc.c:1648 */ break; case 52: #line 320 "camp.y" /* yacc.c:1648 */ { (yyval.di) = new decid((yyvsp[-2].dis)->getPos(), (yyvsp[-2].dis), (yyvsp[0].vi)); } #line 2257 "camp.tab.c" /* yacc.c:1648 */ break; case 53: #line 324 "camp.y" /* yacc.c:1648 */ { (yyval.dis) = new decidstart((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 2263 "camp.tab.c" /* yacc.c:1648 */ break; case 54: #line 325 "camp.y" /* yacc.c:1648 */ { (yyval.dis) = new decidstart((yyvsp[-1].ps).pos, (yyvsp[-1].ps).sym, (yyvsp[0].dim)); } #line 2269 "camp.tab.c" /* yacc.c:1648 */ break; case 55: #line 326 "camp.y" /* yacc.c:1648 */ { (yyval.dis) = new fundecidstart((yyvsp[-2].ps).pos, (yyvsp[-2].ps).sym, 0, new formals((yyvsp[-1].pos))); } #line 2276 "camp.tab.c" /* yacc.c:1648 */ break; case 56: #line 329 "camp.y" /* yacc.c:1648 */ { (yyval.dis) = new fundecidstart((yyvsp[-3].ps).pos, (yyvsp[-3].ps).sym, 0, (yyvsp[-1].fls)); } #line 2282 "camp.tab.c" /* yacc.c:1648 */ break; case 57: #line 333 "camp.y" /* yacc.c:1648 */ { (yyval.vi) = (yyvsp[0].e); } #line 2288 "camp.tab.c" /* yacc.c:1648 */ break; case 58: #line 334 "camp.y" /* yacc.c:1648 */ { (yyval.vi) = (yyvsp[0].ai); } #line 2294 "camp.tab.c" /* yacc.c:1648 */ break; case 59: #line 339 "camp.y" /* yacc.c:1648 */ { (yyval.b) = (yyvsp[-1].b); } #line 2300 "camp.tab.c" /* yacc.c:1648 */ break; case 60: #line 343 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = new arrayinit((yyvsp[-1].pos)); } #line 2306 "camp.tab.c" /* yacc.c:1648 */ break; case 61: #line 345 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = new arrayinit((yyvsp[-3].pos)); (yyval.ai)->addRest((yyvsp[-1].vi)); } #line 2312 "camp.tab.c" /* yacc.c:1648 */ break; case 62: #line 347 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = (yyvsp[-1].ai); } #line 2318 "camp.tab.c" /* yacc.c:1648 */ break; case 63: #line 349 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = (yyvsp[-3].ai); (yyval.ai)->addRest((yyvsp[-1].vi)); } #line 2324 "camp.tab.c" /* yacc.c:1648 */ break; case 64: #line 353 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = new arrayinit((yyvsp[0].pos)); } #line 2330 "camp.tab.c" /* yacc.c:1648 */ break; case 65: #line 354 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = (yyvsp[0].ai); } #line 2336 "camp.tab.c" /* yacc.c:1648 */ break; case 66: #line 355 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = (yyvsp[-1].ai); } #line 2342 "camp.tab.c" /* yacc.c:1648 */ break; case 67: #line 359 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = new arrayinit((yyvsp[0].vi)->getPos()); (yyval.ai)->add((yyvsp[0].vi));} #line 2349 "camp.tab.c" /* yacc.c:1648 */ break; case 68: #line 362 "camp.y" /* yacc.c:1648 */ { (yyval.ai) = (yyvsp[-2].ai); (yyval.ai)->add((yyvsp[0].vi)); } #line 2355 "camp.tab.c" /* yacc.c:1648 */ break; case 69: #line 366 "camp.y" /* yacc.c:1648 */ { (yyval.fls) = new formals((yyvsp[0].fl)->getPos()); (yyval.fls)->add((yyvsp[0].fl)); } #line 2361 "camp.tab.c" /* yacc.c:1648 */ break; case 70: #line 367 "camp.y" /* yacc.c:1648 */ { (yyval.fls) = new formals((yyvsp[-1].pos)); (yyval.fls)->addRest((yyvsp[0].fl)); } #line 2367 "camp.tab.c" /* yacc.c:1648 */ break; case 71: #line 369 "camp.y" /* yacc.c:1648 */ { (yyval.fls) = (yyvsp[-2].fls); (yyval.fls)->add((yyvsp[0].fl)); } #line 2373 "camp.tab.c" /* yacc.c:1648 */ break; case 72: #line 371 "camp.y" /* yacc.c:1648 */ { (yyval.fls) = (yyvsp[-2].fls); (yyval.fls)->addRest((yyvsp[0].fl)); } #line 2379 "camp.tab.c" /* yacc.c:1648 */ break; case 73: #line 375 "camp.y" /* yacc.c:1648 */ { (yyval.boo) = true; } #line 2385 "camp.tab.c" /* yacc.c:1648 */ break; case 74: #line 376 "camp.y" /* yacc.c:1648 */ { (yyval.boo) = false; } #line 2391 "camp.tab.c" /* yacc.c:1648 */ break; case 75: #line 381 "camp.y" /* yacc.c:1648 */ { (yyval.fl) = new formal((yyvsp[0].t)->getPos(), (yyvsp[0].t), 0, 0, (yyvsp[-1].boo), 0); } #line 2397 "camp.tab.c" /* yacc.c:1648 */ break; case 76: #line 383 "camp.y" /* yacc.c:1648 */ { (yyval.fl) = new formal((yyvsp[-1].t)->getPos(), (yyvsp[-1].t), (yyvsp[0].dis), 0, (yyvsp[-2].boo), 0); } #line 2403 "camp.tab.c" /* yacc.c:1648 */ break; case 77: #line 385 "camp.y" /* yacc.c:1648 */ { (yyval.fl) = new formal((yyvsp[-3].t)->getPos(), (yyvsp[-3].t), (yyvsp[-2].dis), (yyvsp[0].vi), (yyvsp[-4].boo), 0); } #line 2409 "camp.tab.c" /* yacc.c:1648 */ break; case 78: #line 388 "camp.y" /* yacc.c:1648 */ { bool k = checkKeyword((yyvsp[-1].ps).pos, (yyvsp[-1].ps).sym); (yyval.fl) = new formal((yyvsp[-2].t)->getPos(), (yyvsp[-2].t), (yyvsp[0].dis), 0, (yyvsp[-3].boo), k); } #line 2416 "camp.tab.c" /* yacc.c:1648 */ break; case 79: #line 391 "camp.y" /* yacc.c:1648 */ { bool k = checkKeyword((yyvsp[-3].ps).pos, (yyvsp[-3].ps).sym); (yyval.fl) = new formal((yyvsp[-4].t)->getPos(), (yyvsp[-4].t), (yyvsp[-2].dis), (yyvsp[0].vi), (yyvsp[-5].boo), k); } #line 2423 "camp.tab.c" /* yacc.c:1648 */ break; case 80: #line 397 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new fundec((yyvsp[-2].pos), (yyvsp[-4].t), (yyvsp[-3].ps).sym, new formals((yyvsp[-2].pos)), (yyvsp[0].s)); } #line 2429 "camp.tab.c" /* yacc.c:1648 */ break; case 81: #line 399 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new fundec((yyvsp[-3].pos), (yyvsp[-5].t), (yyvsp[-4].ps).sym, (yyvsp[-2].fls), (yyvsp[0].s)); } #line 2435 "camp.tab.c" /* yacc.c:1648 */ break; case 82: #line 403 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new recorddec((yyvsp[-2].pos), (yyvsp[-1].ps).sym, (yyvsp[0].b)); } #line 2441 "camp.tab.c" /* yacc.c:1648 */ break; case 83: #line 404 "camp.y" /* yacc.c:1648 */ { (yyval.d) = new typedec((yyvsp[-1].pos), (yyvsp[0].vd)); } #line 2447 "camp.tab.c" /* yacc.c:1648 */ break; case 84: #line 408 "camp.y" /* yacc.c:1648 */ { (yyval.slice) = new slice((yyvsp[0].pos), 0, 0); } #line 2453 "camp.tab.c" /* yacc.c:1648 */ break; case 85: #line 409 "camp.y" /* yacc.c:1648 */ { (yyval.slice) = new slice((yyvsp[0].pos), (yyvsp[-1].e), 0); } #line 2459 "camp.tab.c" /* yacc.c:1648 */ break; case 86: #line 410 "camp.y" /* yacc.c:1648 */ { (yyval.slice) = new slice((yyvsp[-1].pos), 0, (yyvsp[0].e)); } #line 2465 "camp.tab.c" /* yacc.c:1648 */ break; case 87: #line 411 "camp.y" /* yacc.c:1648 */ { (yyval.slice) = new slice((yyvsp[-1].pos), (yyvsp[-2].e), (yyvsp[0].e)); } #line 2471 "camp.tab.c" /* yacc.c:1648 */ break; case 88: #line 415 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new fieldExp((yyvsp[-1].pos), (yyvsp[-2].e), (yyvsp[0].ps).sym); } #line 2477 "camp.tab.c" /* yacc.c:1648 */ break; case 89: #line 416 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new subscriptExp((yyvsp[-2].pos), new nameExp((yyvsp[-3].n)->getPos(), (yyvsp[-3].n)), (yyvsp[-1].e)); } #line 2484 "camp.tab.c" /* yacc.c:1648 */ break; case 90: #line 418 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new subscriptExp((yyvsp[-2].pos), (yyvsp[-3].e), (yyvsp[-1].e)); } #line 2490 "camp.tab.c" /* yacc.c:1648 */ break; case 91: #line 419 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new sliceExp((yyvsp[-2].pos), new nameExp((yyvsp[-3].n)->getPos(), (yyvsp[-3].n)), (yyvsp[-1].slice)); } #line 2497 "camp.tab.c" /* yacc.c:1648 */ break; case 92: #line 421 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new sliceExp((yyvsp[-2].pos), (yyvsp[-3].e), (yyvsp[-1].slice)); } #line 2503 "camp.tab.c" /* yacc.c:1648 */ break; case 93: #line 422 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new callExp((yyvsp[-1].pos), new nameExp((yyvsp[-2].n)->getPos(), (yyvsp[-2].n)), new arglist()); } #line 2511 "camp.tab.c" /* yacc.c:1648 */ break; case 94: #line 426 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new callExp((yyvsp[-2].pos), new nameExp((yyvsp[-3].n)->getPos(), (yyvsp[-3].n)), (yyvsp[-1].alist)); } #line 2519 "camp.tab.c" /* yacc.c:1648 */ break; case 95: #line 429 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new callExp((yyvsp[-1].pos), (yyvsp[-2].e), new arglist()); } #line 2525 "camp.tab.c" /* yacc.c:1648 */ break; case 96: #line 431 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new callExp((yyvsp[-2].pos), (yyvsp[-3].e), (yyvsp[-1].alist)); } #line 2531 "camp.tab.c" /* yacc.c:1648 */ break; case 97: #line 433 "camp.y" /* yacc.c:1648 */ { (yyval.e) = (yyvsp[-1].e); } #line 2537 "camp.tab.c" /* yacc.c:1648 */ break; case 98: #line 435 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new nameExp((yyvsp[-1].n)->getPos(), (yyvsp[-1].n)); } #line 2543 "camp.tab.c" /* yacc.c:1648 */ break; case 99: #line 436 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new thisExp((yyvsp[0].pos)); } #line 2549 "camp.tab.c" /* yacc.c:1648 */ break; case 100: #line 440 "camp.y" /* yacc.c:1648 */ { (yyval.arg).name = symbol::nullsym; (yyval.arg).val=(yyvsp[0].e); } #line 2555 "camp.tab.c" /* yacc.c:1648 */ break; case 101: #line 441 "camp.y" /* yacc.c:1648 */ { (yyval.arg).name = (yyvsp[-2].ps).sym; (yyval.arg).val=(yyvsp[0].e); } #line 2561 "camp.tab.c" /* yacc.c:1648 */ break; case 102: #line 445 "camp.y" /* yacc.c:1648 */ { (yyval.alist) = new arglist(); (yyval.alist)->add((yyvsp[0].arg)); } #line 2567 "camp.tab.c" /* yacc.c:1648 */ break; case 103: #line 447 "camp.y" /* yacc.c:1648 */ { (yyval.alist) = new arglist(); (yyval.alist)->addRest((yyvsp[0].arg)); } #line 2573 "camp.tab.c" /* yacc.c:1648 */ break; case 104: #line 449 "camp.y" /* yacc.c:1648 */ { (yyval.alist) = (yyvsp[-2].alist); (yyval.alist)->add((yyvsp[0].arg)); } #line 2579 "camp.tab.c" /* yacc.c:1648 */ break; case 105: #line 451 "camp.y" /* yacc.c:1648 */ { (yyval.alist) = (yyvsp[-2].alist); (yyval.alist)->addRest((yyvsp[0].arg)); } #line 2585 "camp.tab.c" /* yacc.c:1648 */ break; case 106: #line 456 "camp.y" /* yacc.c:1648 */ { (yyval.alist) = new arglist(); (yyval.alist)->add((yyvsp[-2].e)); (yyval.alist)->add((yyvsp[0].e)); } #line 2591 "camp.tab.c" /* yacc.c:1648 */ break; case 107: #line 457 "camp.y" /* yacc.c:1648 */ { (yyval.alist) = (yyvsp[-2].alist); (yyval.alist)->add((yyvsp[0].e)); } #line 2597 "camp.tab.c" /* yacc.c:1648 */ break; case 108: #line 461 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new nameExp((yyvsp[0].n)->getPos(), (yyvsp[0].n)); } #line 2603 "camp.tab.c" /* yacc.c:1648 */ break; case 109: #line 462 "camp.y" /* yacc.c:1648 */ { (yyval.e) = (yyvsp[0].e); } #line 2609 "camp.tab.c" /* yacc.c:1648 */ break; case 110: #line 463 "camp.y" /* yacc.c:1648 */ { (yyval.e) = (yyvsp[0].e); } #line 2615 "camp.tab.c" /* yacc.c:1648 */ break; case 111: #line 464 "camp.y" /* yacc.c:1648 */ { (yyval.e) = (yyvsp[0].stre); } #line 2621 "camp.tab.c" /* yacc.c:1648 */ break; case 112: #line 466 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new scaleExp((yyvsp[-1].e)->getPos(), (yyvsp[-1].e), (yyvsp[0].e)); } #line 2627 "camp.tab.c" /* yacc.c:1648 */ break; case 113: #line 468 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new castExp((yyvsp[-2].n)->getPos(), new nameTy((yyvsp[-2].n)), (yyvsp[0].e)); } #line 2633 "camp.tab.c" /* yacc.c:1648 */ break; case 114: #line 470 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new castExp((yyvsp[-3].n)->getPos(), new arrayTy((yyvsp[-3].n), (yyvsp[-2].dim)), (yyvsp[0].e)); } #line 2639 "camp.tab.c" /* yacc.c:1648 */ break; case 115: #line 472 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new unaryExp((yyvsp[-1].ps).pos, (yyvsp[0].e), (yyvsp[-1].ps).sym); } #line 2645 "camp.tab.c" /* yacc.c:1648 */ break; case 116: #line 474 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new unaryExp((yyvsp[-1].ps).pos, (yyvsp[0].e), (yyvsp[-1].ps).sym); } #line 2651 "camp.tab.c" /* yacc.c:1648 */ break; case 117: #line 475 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new unaryExp((yyvsp[-1].ps).pos, (yyvsp[0].e), (yyvsp[-1].ps).sym); } #line 2657 "camp.tab.c" /* yacc.c:1648 */ break; case 118: #line 476 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2663 "camp.tab.c" /* yacc.c:1648 */ break; case 119: #line 477 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2669 "camp.tab.c" /* yacc.c:1648 */ break; case 120: #line 478 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2675 "camp.tab.c" /* yacc.c:1648 */ break; case 121: #line 479 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2681 "camp.tab.c" /* yacc.c:1648 */ break; case 122: #line 480 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2687 "camp.tab.c" /* yacc.c:1648 */ break; case 123: #line 481 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2693 "camp.tab.c" /* yacc.c:1648 */ break; case 124: #line 482 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2699 "camp.tab.c" /* yacc.c:1648 */ break; case 125: #line 483 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2705 "camp.tab.c" /* yacc.c:1648 */ break; case 126: #line 484 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2711 "camp.tab.c" /* yacc.c:1648 */ break; case 127: #line 485 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2717 "camp.tab.c" /* yacc.c:1648 */ break; case 128: #line 486 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2723 "camp.tab.c" /* yacc.c:1648 */ break; case 129: #line 487 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new equalityExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2729 "camp.tab.c" /* yacc.c:1648 */ break; case 130: #line 488 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new equalityExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2735 "camp.tab.c" /* yacc.c:1648 */ break; case 131: #line 489 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new andExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2741 "camp.tab.c" /* yacc.c:1648 */ break; case 132: #line 490 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new orExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2747 "camp.tab.c" /* yacc.c:1648 */ break; case 133: #line 491 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2753 "camp.tab.c" /* yacc.c:1648 */ break; case 134: #line 492 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2759 "camp.tab.c" /* yacc.c:1648 */ break; case 135: #line 493 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2765 "camp.tab.c" /* yacc.c:1648 */ break; case 136: #line 494 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2771 "camp.tab.c" /* yacc.c:1648 */ break; case 137: #line 495 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2777 "camp.tab.c" /* yacc.c:1648 */ break; case 138: #line 497 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newRecordExp((yyvsp[-1].pos), (yyvsp[0].t)); } #line 2783 "camp.tab.c" /* yacc.c:1648 */ break; case 139: #line 499 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newArrayExp((yyvsp[-2].pos), (yyvsp[-1].t), (yyvsp[0].elist), 0, 0); } #line 2789 "camp.tab.c" /* yacc.c:1648 */ break; case 140: #line 501 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newArrayExp((yyvsp[-3].pos), (yyvsp[-2].t), (yyvsp[-1].elist), (yyvsp[0].dim), 0); } #line 2795 "camp.tab.c" /* yacc.c:1648 */ break; case 141: #line 503 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newArrayExp((yyvsp[-2].pos), (yyvsp[-1].t), 0, (yyvsp[0].dim), 0); } #line 2801 "camp.tab.c" /* yacc.c:1648 */ break; case 142: #line 505 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newArrayExp((yyvsp[-3].pos), (yyvsp[-2].t), 0, (yyvsp[-1].dim), (yyvsp[0].ai)); } #line 2807 "camp.tab.c" /* yacc.c:1648 */ break; case 143: #line 507 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newFunctionExp((yyvsp[-4].pos), (yyvsp[-3].t), new formals((yyvsp[-2].pos)), (yyvsp[0].s)); } #line 2813 "camp.tab.c" /* yacc.c:1648 */ break; case 144: #line 509 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newFunctionExp((yyvsp[-5].pos), new arrayTy((yyvsp[-4].t)->getPos(), (yyvsp[-4].t), (yyvsp[-3].dim)), new formals((yyvsp[-2].pos)), (yyvsp[0].s)); } #line 2822 "camp.tab.c" /* yacc.c:1648 */ break; case 145: #line 514 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newFunctionExp((yyvsp[-5].pos), (yyvsp[-4].t), (yyvsp[-2].fls), (yyvsp[0].s)); } #line 2828 "camp.tab.c" /* yacc.c:1648 */ break; case 146: #line 516 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new newFunctionExp((yyvsp[-6].pos), new arrayTy((yyvsp[-5].t)->getPos(), (yyvsp[-5].t), (yyvsp[-4].dim)), (yyvsp[-2].fls), (yyvsp[0].s)); } #line 2837 "camp.tab.c" /* yacc.c:1648 */ break; case 147: #line 521 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new conditionalExp((yyvsp[-3].pos), (yyvsp[-4].e), (yyvsp[-2].e), (yyvsp[0].e)); } #line 2843 "camp.tab.c" /* yacc.c:1648 */ break; case 148: #line 522 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new assignExp((yyvsp[-1].pos), (yyvsp[-2].e), (yyvsp[0].e)); } #line 2849 "camp.tab.c" /* yacc.c:1648 */ break; case 149: #line 523 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new callExp((yyvsp[-2].pos), new nameExp((yyvsp[-2].pos), SYM_TUPLE), (yyvsp[-1].alist)); } #line 2855 "camp.tab.c" /* yacc.c:1648 */ break; case 150: #line 525 "camp.y" /* yacc.c:1648 */ { (yyvsp[-1].j)->pushFront((yyvsp[-2].e)); (yyvsp[-1].j)->pushBack((yyvsp[0].e)); (yyval.e) = (yyvsp[-1].j); } #line 2861 "camp.tab.c" /* yacc.c:1648 */ break; case 151: #line 527 "camp.y" /* yacc.c:1648 */ { (yyvsp[0].se)->setSide(camp::OUT); joinExp *jexp = new joinExp((yyvsp[0].se)->getPos(), SYM_DOTS); (yyval.e)=jexp; jexp->pushBack((yyvsp[-1].e)); jexp->pushBack((yyvsp[0].se)); } #line 2871 "camp.tab.c" /* yacc.c:1648 */ break; case 152: #line 533 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new prefixExp((yyvsp[-1].ps).pos, (yyvsp[0].e), SYM_PLUS); } #line 2877 "camp.tab.c" /* yacc.c:1648 */ break; case 153: #line 535 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new prefixExp((yyvsp[-1].ps).pos, (yyvsp[0].e), SYM_MINUS); } #line 2883 "camp.tab.c" /* yacc.c:1648 */ break; case 154: #line 538 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new postfixExp((yyvsp[0].ps).pos, (yyvsp[-1].e), SYM_PLUS); } #line 2889 "camp.tab.c" /* yacc.c:1648 */ break; case 155: #line 539 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new selfExp((yyvsp[-1].ps).pos, (yyvsp[-2].e), (yyvsp[-1].ps).sym, (yyvsp[0].e)); } #line 2895 "camp.tab.c" /* yacc.c:1648 */ break; case 156: #line 541 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new quoteExp((yyvsp[-3].pos), (yyvsp[-1].b)); } #line 2901 "camp.tab.c" /* yacc.c:1648 */ break; case 157: #line 547 "camp.y" /* yacc.c:1648 */ { (yyval.j) = new joinExp((yyvsp[0].ps).pos,(yyvsp[0].ps).sym); } #line 2907 "camp.tab.c" /* yacc.c:1648 */ break; case 158: #line 549 "camp.y" /* yacc.c:1648 */ { (yyval.j) = (yyvsp[0].j); } #line 2913 "camp.tab.c" /* yacc.c:1648 */ break; case 159: #line 551 "camp.y" /* yacc.c:1648 */ { (yyvsp[-1].se)->setSide(camp::OUT); (yyval.j) = (yyvsp[0].j); (yyval.j)->pushFront((yyvsp[-1].se)); } #line 2920 "camp.tab.c" /* yacc.c:1648 */ break; case 160: #line 554 "camp.y" /* yacc.c:1648 */ { (yyvsp[0].se)->setSide(camp::IN); (yyval.j) = (yyvsp[-1].j); (yyval.j)->pushBack((yyvsp[0].se)); } #line 2927 "camp.tab.c" /* yacc.c:1648 */ break; case 161: #line 557 "camp.y" /* yacc.c:1648 */ { (yyvsp[-2].se)->setSide(camp::OUT); (yyvsp[0].se)->setSide(camp::IN); (yyval.j) = (yyvsp[-1].j); (yyval.j)->pushFront((yyvsp[-2].se)); (yyval.j)->pushBack((yyvsp[0].se)); } #line 2934 "camp.tab.c" /* yacc.c:1648 */ break; case 162: #line 562 "camp.y" /* yacc.c:1648 */ { (yyval.se) = new specExp((yyvsp[-2].ps).pos, (yyvsp[-2].ps).sym, (yyvsp[-1].e)); } #line 2940 "camp.tab.c" /* yacc.c:1648 */ break; case 163: #line 563 "camp.y" /* yacc.c:1648 */ { (yyval.se) = new specExp((yyvsp[-2].pos), symbol::opTrans("spec"), (yyvsp[-1].e)); } #line 2946 "camp.tab.c" /* yacc.c:1648 */ break; case 164: #line 565 "camp.y" /* yacc.c:1648 */ { (yyval.se) = new specExp((yyvsp[-4].pos), symbol::opTrans("spec"), new pairExp((yyvsp[-2].pos), (yyvsp[-3].e), (yyvsp[-1].e))); } #line 2953 "camp.tab.c" /* yacc.c:1648 */ break; case 165: #line 568 "camp.y" /* yacc.c:1648 */ { (yyval.se) = new specExp((yyvsp[-6].pos), symbol::opTrans("spec"), new tripleExp((yyvsp[-4].pos), (yyvsp[-5].e), (yyvsp[-3].e), (yyvsp[-1].e))); } #line 2960 "camp.tab.c" /* yacc.c:1648 */ break; case 166: #line 573 "camp.y" /* yacc.c:1648 */ { (yyval.j) = new joinExp((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 2966 "camp.tab.c" /* yacc.c:1648 */ break; case 167: #line 575 "camp.y" /* yacc.c:1648 */ { (yyval.j) = new joinExp((yyvsp[-2].ps).pos, (yyvsp[-2].ps).sym); (yyval.j)->pushBack((yyvsp[-1].e)); } #line 2972 "camp.tab.c" /* yacc.c:1648 */ break; case 168: #line 577 "camp.y" /* yacc.c:1648 */ { (yyval.j) = new joinExp((yyvsp[-2].ps).pos, (yyvsp[-2].ps).sym); (yyval.j)->pushBack((yyvsp[-1].e)); } #line 2978 "camp.tab.c" /* yacc.c:1648 */ break; case 169: #line 578 "camp.y" /* yacc.c:1648 */ { (yyval.j) = new joinExp((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 2984 "camp.tab.c" /* yacc.c:1648 */ break; case 170: #line 579 "camp.y" /* yacc.c:1648 */ { (yyval.j) = new joinExp((yyvsp[0].ps).pos, (yyvsp[0].ps).sym); } #line 2990 "camp.tab.c" /* yacc.c:1648 */ break; case 171: #line 583 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-1].ps).pos, (yyvsp[0].e), (yyvsp[-1].ps).sym, new booleanExp((yyvsp[-1].ps).pos, false)); } #line 2997 "camp.tab.c" /* yacc.c:1648 */ break; case 172: #line 586 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new ternaryExp((yyvsp[-3].ps).pos, (yyvsp[-2].e), (yyvsp[-3].ps).sym, (yyvsp[0].e), new booleanExp((yyvsp[-3].ps).pos, false)); } #line 3004 "camp.tab.c" /* yacc.c:1648 */ break; case 173: #line 589 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-2].ps).pos, (yyvsp[0].e), (yyvsp[-2].ps).sym, new booleanExp((yyvsp[-1].ps).pos, true)); } #line 3011 "camp.tab.c" /* yacc.c:1648 */ break; case 174: #line 592 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new ternaryExp((yyvsp[-4].ps).pos, (yyvsp[-2].e), (yyvsp[-4].ps).sym, (yyvsp[0].e), new booleanExp((yyvsp[-3].ps).pos, true)); } #line 3018 "camp.tab.c" /* yacc.c:1648 */ break; case 175: #line 597 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new unaryExp((yyvsp[-1].ps).pos, (yyvsp[0].e), (yyvsp[-1].ps).sym); } #line 3024 "camp.tab.c" /* yacc.c:1648 */ break; case 176: #line 599 "camp.y" /* yacc.c:1648 */ { (yyval.e) = new binaryExp((yyvsp[-3].ps).pos, (yyvsp[-2].e), (yyvsp[-3].ps).sym, (yyvsp[0].e)); } #line 3030 "camp.tab.c" /* yacc.c:1648 */ break; case 177: #line 603 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new emptyStm((yyvsp[0].pos)); } #line 3036 "camp.tab.c" /* yacc.c:1648 */ break; case 178: #line 604 "camp.y" /* yacc.c:1648 */ { (yyval.s) = (yyvsp[0].s); } #line 3042 "camp.tab.c" /* yacc.c:1648 */ break; case 179: #line 605 "camp.y" /* yacc.c:1648 */ { (yyval.s) = (yyvsp[-1].s); } #line 3048 "camp.tab.c" /* yacc.c:1648 */ break; case 180: #line 607 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new ifStm((yyvsp[-4].pos), (yyvsp[-2].e), (yyvsp[0].s)); } #line 3054 "camp.tab.c" /* yacc.c:1648 */ break; case 181: #line 609 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new ifStm((yyvsp[-6].pos), (yyvsp[-4].e), (yyvsp[-2].s), (yyvsp[0].s)); } #line 3060 "camp.tab.c" /* yacc.c:1648 */ break; case 182: #line 611 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new whileStm((yyvsp[-4].pos), (yyvsp[-2].e), (yyvsp[0].s)); } #line 3066 "camp.tab.c" /* yacc.c:1648 */ break; case 183: #line 613 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new doStm((yyvsp[-6].pos), (yyvsp[-5].s), (yyvsp[-2].e)); } #line 3072 "camp.tab.c" /* yacc.c:1648 */ break; case 184: #line 615 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new forStm((yyvsp[-8].pos), (yyvsp[-6].run), (yyvsp[-4].e), (yyvsp[-2].sel), (yyvsp[0].s)); } #line 3078 "camp.tab.c" /* yacc.c:1648 */ break; case 185: #line 617 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new extendedForStm((yyvsp[-7].pos), (yyvsp[-5].t), (yyvsp[-4].ps).sym, (yyvsp[-2].e), (yyvsp[0].s)); } #line 3084 "camp.tab.c" /* yacc.c:1648 */ break; case 186: #line 618 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new breakStm((yyvsp[-1].pos)); } #line 3090 "camp.tab.c" /* yacc.c:1648 */ break; case 187: #line 619 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new continueStm((yyvsp[-1].pos)); } #line 3096 "camp.tab.c" /* yacc.c:1648 */ break; case 188: #line 620 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new returnStm((yyvsp[-1].pos)); } #line 3102 "camp.tab.c" /* yacc.c:1648 */ break; case 189: #line 621 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new returnStm((yyvsp[-2].pos), (yyvsp[-1].e)); } #line 3108 "camp.tab.c" /* yacc.c:1648 */ break; case 190: #line 625 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new expStm((yyvsp[0].e)->getPos(), (yyvsp[0].e)); } #line 3114 "camp.tab.c" /* yacc.c:1648 */ break; case 191: #line 629 "camp.y" /* yacc.c:1648 */ { (yyval.s) = new blockStm((yyvsp[0].b)->getPos(), (yyvsp[0].b)); } #line 3120 "camp.tab.c" /* yacc.c:1648 */ break; case 192: #line 633 "camp.y" /* yacc.c:1648 */ { (yyval.run) = 0; } #line 3126 "camp.tab.c" /* yacc.c:1648 */ break; case 193: #line 634 "camp.y" /* yacc.c:1648 */ { (yyval.run) = (yyvsp[0].sel); } #line 3132 "camp.tab.c" /* yacc.c:1648 */ break; case 194: #line 635 "camp.y" /* yacc.c:1648 */ { (yyval.run) = (yyvsp[0].vd); } #line 3138 "camp.tab.c" /* yacc.c:1648 */ break; case 195: #line 639 "camp.y" /* yacc.c:1648 */ { (yyval.e) = 0; } #line 3144 "camp.tab.c" /* yacc.c:1648 */ break; case 196: #line 640 "camp.y" /* yacc.c:1648 */ { (yyval.e) = (yyvsp[0].e); } #line 3150 "camp.tab.c" /* yacc.c:1648 */ break; case 197: #line 644 "camp.y" /* yacc.c:1648 */ { (yyval.sel) = 0; } #line 3156 "camp.tab.c" /* yacc.c:1648 */ break; case 198: #line 645 "camp.y" /* yacc.c:1648 */ { (yyval.sel) = (yyvsp[0].sel); } #line 3162 "camp.tab.c" /* yacc.c:1648 */ break; case 199: #line 649 "camp.y" /* yacc.c:1648 */ { (yyval.sel) = new stmExpList((yyvsp[0].s)->getPos()); (yyval.sel)->add((yyvsp[0].s)); } #line 3168 "camp.tab.c" /* yacc.c:1648 */ break; case 200: #line 651 "camp.y" /* yacc.c:1648 */ { (yyval.sel) = (yyvsp[-2].sel); (yyval.sel)->add((yyvsp[0].s)); } #line 3174 "camp.tab.c" /* yacc.c:1648 */ break; #line 3178 "camp.tab.c" /* yacc.c:1648 */ default: break; } /* User semantic actions sometimes alter yychar, and that requires that yytoken be updated with the new translation. We take the approach of translating immediately before every use of yytoken. One alternative is translating here after every semantic action, but that translation would be missed if the semantic action invokes YYABORT, YYACCEPT, or YYERROR immediately after altering yychar or if it invokes YYBACKUP. In the case of YYABORT or YYACCEPT, an incorrect destructor might then be invoked immediately. In the case of YYERROR or YYBACKUP, subsequent parser actions might lead to an incorrect destructor call or verbose syntax error message before the lookahead is translated. */ YY_SYMBOL_PRINT ("-> $$ =", yyr1[yyn], &yyval, &yyloc); YYPOPSTACK (yylen); yylen = 0; YY_STACK_PRINT (yyss, yyssp); *++yyvsp = yyval; /* Now 'shift' the result of the reduction. Determine what state that goes to, based on the state we popped back to and the rule number reduced by. */ yyn = yyr1[yyn]; yystate = yypgoto[yyn - YYNTOKENS] + *yyssp; if (0 <= yystate && yystate <= YYLAST && yycheck[yystate] == *yyssp) yystate = yytable[yystate]; else yystate = yydefgoto[yyn - YYNTOKENS]; goto yynewstate; /*--------------------------------------. | yyerrlab -- here on detecting error. | `--------------------------------------*/ yyerrlab: /* Make sure we have latest lookahead translation. See comments at user semantic actions for why this is necessary. */ yytoken = yychar == YYEMPTY ? YYEMPTY : YYTRANSLATE (yychar); /* If not already recovering from an error, report this error. */ if (!yyerrstatus) { ++yynerrs; #if ! YYERROR_VERBOSE yyerror (YY_("syntax error")); #else # define YYSYNTAX_ERROR yysyntax_error (&yymsg_alloc, &yymsg, \ yyssp, yytoken) { char const *yymsgp = YY_("syntax error"); int yysyntax_error_status; yysyntax_error_status = YYSYNTAX_ERROR; if (yysyntax_error_status == 0) yymsgp = yymsg; else if (yysyntax_error_status == 1) { if (yymsg != yymsgbuf) YYSTACK_FREE (yymsg); yymsg = (char *) YYSTACK_ALLOC (yymsg_alloc); if (!yymsg) { yymsg = yymsgbuf; yymsg_alloc = sizeof yymsgbuf; yysyntax_error_status = 2; } else { yysyntax_error_status = YYSYNTAX_ERROR; yymsgp = yymsg; } } yyerror (yymsgp); if (yysyntax_error_status == 2) goto yyexhaustedlab; } # undef YYSYNTAX_ERROR #endif } if (yyerrstatus == 3) { /* If just tried and failed to reuse lookahead token after an error, discard it. */ if (yychar <= YYEOF) { /* Return failure if at end of input. */ if (yychar == YYEOF) YYABORT; } else { yydestruct ("Error: discarding", yytoken, &yylval); yychar = YYEMPTY; } } /* Else will try to reuse lookahead token after shifting the error token. */ goto yyerrlab1; /*---------------------------------------------------. | yyerrorlab -- error raised explicitly by YYERROR. | `---------------------------------------------------*/ yyerrorlab: /* Pacify compilers like GCC when the user code never invokes YYERROR and the label yyerrorlab therefore never appears in user code. */ if (/*CONSTCOND*/ 0) goto yyerrorlab; /* Do not reclaim the symbols of the rule whose action triggered this YYERROR. */ YYPOPSTACK (yylen); yylen = 0; YY_STACK_PRINT (yyss, yyssp); yystate = *yyssp; goto yyerrlab1; /*-------------------------------------------------------------. | yyerrlab1 -- common code for both syntax error and YYERROR. | `-------------------------------------------------------------*/ yyerrlab1: yyerrstatus = 3; /* Each real token shifted decrements this. */ for (;;) { yyn = yypact[yystate]; if (!yypact_value_is_default (yyn)) { yyn += YYTERROR; if (0 <= yyn && yyn <= YYLAST && yycheck[yyn] == YYTERROR) { yyn = yytable[yyn]; if (0 < yyn) break; } } /* Pop the current state because it cannot handle the error token. */ if (yyssp == yyss) YYABORT; yydestruct ("Error: popping", yystos[yystate], yyvsp); YYPOPSTACK (1); yystate = *yyssp; YY_STACK_PRINT (yyss, yyssp); } YY_IGNORE_MAYBE_UNINITIALIZED_BEGIN *++yyvsp = yylval; YY_IGNORE_MAYBE_UNINITIALIZED_END /* Shift the error token. */ YY_SYMBOL_PRINT ("Shifting", yystos[yyn], yyvsp, yylsp); yystate = yyn; goto yynewstate; /*-------------------------------------. | yyacceptlab -- YYACCEPT comes here. | `-------------------------------------*/ yyacceptlab: yyresult = 0; goto yyreturn; /*-----------------------------------. | yyabortlab -- YYABORT comes here. | `-----------------------------------*/ yyabortlab: yyresult = 1; goto yyreturn; #if !defined yyoverflow || YYERROR_VERBOSE /*-------------------------------------------------. | yyexhaustedlab -- memory exhaustion comes here. | `-------------------------------------------------*/ yyexhaustedlab: yyerror (YY_("memory exhausted")); yyresult = 2; /* Fall through. */ #endif yyreturn: if (yychar != YYEMPTY) { /* Make sure we have latest lookahead translation. See comments at user semantic actions for why this is necessary. */ yytoken = YYTRANSLATE (yychar); yydestruct ("Cleanup: discarding lookahead", yytoken, &yylval); } /* Do not reclaim the symbols of the rule whose action triggered this YYABORT or YYACCEPT. */ YYPOPSTACK (yylen); YY_STACK_PRINT (yyss, yyssp); while (yyssp != yyss) { yydestruct ("Cleanup: popping", yystos[*yyssp], yyvsp); YYPOPSTACK (1); } #ifndef yyoverflow if (yyss != yyssa) YYSTACK_FREE (yyss); #endif #if YYERROR_VERBOSE if (yymsg != yymsgbuf) YYSTACK_FREE (yymsg); #endif return yyresult; } asymptote-2.62/runpicture.cc0000644000000000000000000015420213607467143014714 0ustar rootroot/***** Autogenerated from runpicture.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runpicture.in" /***** * runpicture.in * * Runtime functions for picture operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 29 "runpicture.in" #include "picture.h" #include "drawelement.h" #include "path.h" #include "array.h" #include "arrayop.h" #include "drawpath.h" #include "drawfill.h" #include "drawclipbegin.h" #include "drawclipend.h" #include "drawgsave.h" #include "drawgrestore.h" #include "drawgroup.h" #include "drawverbatim.h" #include "drawlabel.h" #include "drawlayer.h" #include "drawimage.h" #include "drawpath3.h" #include "drawsurface.h" using namespace camp; using namespace settings; using namespace vm; typedef array Intarray; typedef array Intarray2; typedef array realarray; typedef array realarray2; typedef array pairarray; typedef array pairarray2; typedef array triplearray; typedef array triplearray2; typedef array patharray; typedef array penarray; typedef array penarray2; typedef callable callableTransform; typedef callable callablePen; using types::IntArray; using types::IntArray2; using types::realArray; using types::realArray2; using types::pairArray; using types::pairArray2; using types::tripleArray; using types::tripleArray2; using types::pathArray; using types::penArray; using types::penArray2; static transform ZeroTransform=transform(0.0,0.0,0.0,0.0,0.0,0.0); transform getTransform(xmap_t &xmap, picture::nodelist::iterator p) { string s=(*p)->KEY; transform t; // Don't apply xmap without an explicit corresponding key size_t n=s.length(); if(n == 0 || s.substr(n-1) != "1") return t; xmap_t::iterator q=xmap.find(s.substr(0,n-2)); if(q != xmap.end()) { xtransform_t& v=q->second; if(!v.empty()) { t=v.front(); v.pop_front(); } } return t; } function *transformFunction() { return new function(primTransform()); } function *penFunction() { return new function(primPen(),primInt(),primInt()); } // Ignore unclosed begingroups but not spurious endgroups. const char *nobegin="endgroup without matching begingroup"; array *emptyarray=new array(0); array *nop(array *a) { return a; } triple Zero; string defaultformat3="prc"; // Autogenerated routines: #ifndef NOSYM #include "runpicture.symbols.h" #endif namespace run { #line 128 "runpicture.in" void newPicture(stack *Stack) { #line 129 "runpicture.in" {Stack->push(new picture()); return;} } #line 133 "runpicture.in" // bool empty(picture *f); void gen_runpicture1(stack *Stack) { picture * f=vm::pop(Stack); #line 134 "runpicture.in" {Stack->push(f->null()); return;} } #line 138 "runpicture.in" // void erase(picture *f); void gen_runpicture2(stack *Stack) { picture * f=vm::pop(Stack); #line 139 "runpicture.in" f->nodes.clear(); } #line 143 "runpicture.in" // pair min(picture *f); void gen_runpicture3(stack *Stack) { picture * f=vm::pop(Stack); #line 144 "runpicture.in" {Stack->push(f->bounds().Min()); return;} } #line 148 "runpicture.in" // pair max(picture *f); void gen_runpicture4(stack *Stack) { picture * f=vm::pop(Stack); #line 149 "runpicture.in" {Stack->push(f->bounds().Max()); return;} } #line 153 "runpicture.in" // pair size(picture *f); void gen_runpicture5(stack *Stack) { picture * f=vm::pop(Stack); #line 154 "runpicture.in" bbox b=f->bounds(); {Stack->push(b.Max()-b.Min()); return;} } #line 159 "runpicture.in" // void _draw(picture *f, path g, pen p); void gen_runpicture6(stack *Stack) { pen p=vm::pop(Stack); path g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 160 "runpicture.in" f->append(new drawPath(g,p)); } #line 164 "runpicture.in" // void fill(picture *f, patharray *g, pen p=CURRENTPEN, bool copy=true); void gen_runpicture7(stack *Stack) { bool copy=vm::pop(Stack,true); pen p=vm::pop(Stack,CURRENTPEN); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 165 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawFill(*copyarray(g),false,p)); } #line 170 "runpicture.in" // void latticeshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray2 *p, transform t=identity, bool copy=true); void gen_runpicture8(stack *Stack) { bool copy=vm::pop(Stack,true); transform t=vm::pop(Stack,identity); penarray2 * p=vm::pop(Stack); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 173 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawLatticeShade(*copyarray(g),stroke,fillrule,*copyarray(p), t)); } #line 179 "runpicture.in" // void axialshade(picture *f, patharray *g, bool stroke=false, pen pena, pair a, bool extenda=true, pen penb, pair b, bool extendb=true, bool copy=true); void gen_runpicture9(stack *Stack) { bool copy=vm::pop(Stack,true); bool extendb=vm::pop(Stack,true); pair b=vm::pop(Stack); pen penb=vm::pop(Stack); bool extenda=vm::pop(Stack,true); pair a=vm::pop(Stack); pen pena=vm::pop(Stack); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 182 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawAxialShade(*copyarray(g),stroke,pena,a,extenda,penb,b, extendb)); } #line 188 "runpicture.in" // void radialshade(picture *f, patharray *g, bool stroke=false, pen pena, pair a, real ra, bool extenda=true, pen penb, pair b, real rb, bool extendb=true, bool copy=true); void gen_runpicture10(stack *Stack) { bool copy=vm::pop(Stack,true); bool extendb=vm::pop(Stack,true); real rb=vm::pop(Stack); pair b=vm::pop(Stack); pen penb=vm::pop(Stack); bool extenda=vm::pop(Stack,true); real ra=vm::pop(Stack); pair a=vm::pop(Stack); pen pena=vm::pop(Stack); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 191 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawRadialShade(*copyarray(g),stroke,pena,a,ra,extenda, penb,b,rb,extendb)); } #line 197 "runpicture.in" // void gouraudshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray *p, pairarray *z, Intarray *edges, bool copy=true); void gen_runpicture11(stack *Stack) { bool copy=vm::pop(Stack,true); Intarray * edges=vm::pop(Stack); pairarray * z=vm::pop(Stack); penarray * p=vm::pop(Stack); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 200 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; checkArrays(p,z); checkArrays(z,edges); f->append(new drawGouraudShade(*copyarray(g),stroke,fillrule,*copyarray(p), *copyarray(z),*copyarray(edges))); } #line 208 "runpicture.in" // void gouraudshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray *p, Intarray *edges, bool copy=true); void gen_runpicture12(stack *Stack) { bool copy=vm::pop(Stack,true); Intarray * edges=vm::pop(Stack); penarray * p=vm::pop(Stack); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 211 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; size_t n=checkArrays(p,edges); size_t m=checkArray(g); array *z=new array(n); Int k=0; Int in=(Int) n; for(size_t j=0; j < m; ++j) { path *P=read(g,j); assert(P); Int stop=Min(P->size(),in-k); mem::vector& nodes=P->Nodes(); for(Int i=0; i < stop; ++i) (*z)[k++]=nodes[i].point; } checkArrays(p,z); f->append(new drawGouraudShade(*copyarray(g),stroke,fillrule,*copyarray(p), *z,*copyarray(edges))); } #line 232 "runpicture.in" // void tensorshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray2 *p, patharray *b=NULL, pairarray2 *z=emptyarray, bool copy=true); void gen_runpicture13(stack *Stack) { bool copy=vm::pop(Stack,true); pairarray2 * z=vm::pop(Stack,emptyarray); patharray * b=vm::pop(Stack,NULL); penarray2 * p=vm::pop(Stack); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 235 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; array *(*copyarray2)(array *a)=copy ? copyArray2 : nop; if(b == NULL) b=g; size_t n=checkArrays(p,b); size_t nz=checkArray(z); if(nz != 0) checkEqual(nz,n); f->append(new drawTensorShade(*copyarray(g),stroke,fillrule,*copyarray2(p), *copyarray(b),*copyarray2(z))); } #line 247 "runpicture.in" // void functionshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, string shader=emptystring, bool copy=true); void gen_runpicture14(stack *Stack) { bool copy=vm::pop(Stack,true); string shader=vm::pop(Stack,emptystring); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 250 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawFunctionShade(*copyarray(g),stroke,fillrule,shader)); } // Clip a picture to a superpath using the given fill rule. // Subsequent additions to the picture will not be affected by the clipping. #line 257 "runpicture.in" // void clip(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, bool copy=true); void gen_runpicture15(stack *Stack) { bool copy=vm::pop(Stack,true); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 259 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; drawClipBegin *begin=new drawClipBegin(*copyarray(g),stroke,fillrule,true); f->enclose(begin,new drawClipEnd(true,begin)); } #line 265 "runpicture.in" // void beginclip(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, bool copy=true); void gen_runpicture16(stack *Stack) { bool copy=vm::pop(Stack,true); pen fillrule=vm::pop(Stack,CURRENTPEN); bool stroke=vm::pop(Stack,false); patharray * g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 267 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawClipBegin(*copyarray(g),stroke,fillrule,false)); } #line 272 "runpicture.in" // void endclip(picture *f); void gen_runpicture17(stack *Stack) { picture * f=vm::pop(Stack); #line 273 "runpicture.in" f->append(new drawClipEnd(false)); } #line 277 "runpicture.in" // void gsave(picture *f); void gen_runpicture18(stack *Stack) { picture * f=vm::pop(Stack); #line 278 "runpicture.in" f->append(new drawGsave()); } #line 282 "runpicture.in" // void grestore(picture *f); void gen_runpicture19(stack *Stack) { picture * f=vm::pop(Stack); #line 283 "runpicture.in" f->append(new drawGrestore()); } #line 287 "runpicture.in" // void begingroup(picture *f); void gen_runpicture20(stack *Stack) { picture * f=vm::pop(Stack); #line 288 "runpicture.in" f->append(new drawBegin()); } #line 292 "runpicture.in" // void endgroup(picture *f); void gen_runpicture21(stack *Stack) { picture * f=vm::pop(Stack); #line 293 "runpicture.in" f->append(new drawEnd()); } #line 297 "runpicture.in" // void _begingroup3(picture *f, string name, real compression, real granularity, bool closed, bool tessellate, bool dobreak, bool nobreak, triple center, Int interaction); void gen_runpicture22(stack *Stack) { Int interaction=vm::pop(Stack); triple center=vm::pop(Stack); bool nobreak=vm::pop(Stack); bool dobreak=vm::pop(Stack); bool tessellate=vm::pop(Stack); bool closed=vm::pop(Stack); real granularity=vm::pop(Stack); real compression=vm::pop(Stack); string name=vm::pop(Stack); picture * f=vm::pop(Stack); #line 300 "runpicture.in" f->append(new drawBegin3(name,compression,granularity, closed,tessellate,dobreak,nobreak, center,(Interaction) intcast(interaction))); } #line 306 "runpicture.in" // void endgroup3(picture *f); void gen_runpicture23(stack *Stack) { picture * f=vm::pop(Stack); #line 307 "runpicture.in" f->append(new drawEnd3()); } #line 311 "runpicture.in" // void add(picture *dest, picture *src); void gen_runpicture24(stack *Stack) { picture * src=vm::pop(Stack); picture * dest=vm::pop(Stack); #line 312 "runpicture.in" dest->add(*src); } #line 316 "runpicture.in" // void prepend(picture *dest, picture *src); void gen_runpicture25(stack *Stack) { picture * src=vm::pop(Stack); picture * dest=vm::pop(Stack); #line 317 "runpicture.in" dest->prepend(*src); } #line 321 "runpicture.in" // void postscript(picture *f, string s); void gen_runpicture26(stack *Stack) { string s=vm::pop(Stack); picture * f=vm::pop(Stack); #line 322 "runpicture.in" f->append(new drawVerbatim(PostScript,s)); } #line 326 "runpicture.in" // void tex(picture *f, string s); void gen_runpicture27(stack *Stack) { string s=vm::pop(Stack); picture * f=vm::pop(Stack); #line 327 "runpicture.in" f->append(new drawVerbatim(TeX,s)); } #line 331 "runpicture.in" // void postscript(picture *f, string s, pair min, pair max); void gen_runpicture28(stack *Stack) { pair max=vm::pop(Stack); pair min=vm::pop(Stack); string s=vm::pop(Stack); picture * f=vm::pop(Stack); #line 332 "runpicture.in" f->append(new drawVerbatim(PostScript,s,min,max)); } #line 336 "runpicture.in" // void tex(picture *f, string s, pair min, pair max); void gen_runpicture29(stack *Stack) { pair max=vm::pop(Stack); pair min=vm::pop(Stack); string s=vm::pop(Stack); picture * f=vm::pop(Stack); #line 337 "runpicture.in" f->append(new drawVerbatim(TeX,s,min,max)); } #line 341 "runpicture.in" // void texpreamble(string s); void gen_runpicture30(stack *Stack) { string s=vm::pop(Stack); #line 342 "runpicture.in" string t=s+"\n"; processDataStruct &pd=processData(); pd.TeXpipepreamble.push_back(t); pd.TeXpreamble.push_back(t); } #line 349 "runpicture.in" // void deletepreamble(); void gen_runpicture31(stack *) { #line 350 "runpicture.in" if(getSetting("inlinetex")) { unlink(buildname(outname(),"pre").c_str()); } } #line 356 "runpicture.in" // void _labelpath(picture *f, string s, string size, path g, string justify, pair offset, pen p); void gen_runpicture32(stack *Stack) { pen p=vm::pop(Stack); pair offset=vm::pop(Stack); string justify=vm::pop(Stack); path g=vm::pop(Stack); string size=vm::pop(Stack); string s=vm::pop(Stack); picture * f=vm::pop(Stack); #line 358 "runpicture.in" f->append(new drawLabelPath(s,size,g,justify,offset,p)); } #line 362 "runpicture.in" // void texreset(); void gen_runpicture33(stack *) { #line 363 "runpicture.in" processDataStruct &pd=processData(); pd.TeXpipepreamble.clear(); pd.TeXpreamble.clear(); pd.tex.pipeclose(); } #line 370 "runpicture.in" // void layer(picture *f); void gen_runpicture34(stack *Stack) { picture * f=vm::pop(Stack); #line 371 "runpicture.in" f->append(new drawLayer()); } #line 375 "runpicture.in" // void newpage(picture *f); void gen_runpicture35(stack *Stack) { picture * f=vm::pop(Stack); #line 376 "runpicture.in" f->append(new drawNewPage()); } #line 380 "runpicture.in" // void _image(picture *f, realarray2 *data, pair initial, pair final, penarray *palette=NULL, transform t=identity, bool copy=true, bool antialias=false); void gen_runpicture36(stack *Stack) { bool antialias=vm::pop(Stack,false); bool copy=vm::pop(Stack,true); transform t=vm::pop(Stack,identity); penarray * palette=vm::pop(Stack,NULL); pair final=vm::pop(Stack); pair initial=vm::pop(Stack); realarray2 * data=vm::pop(Stack); picture * f=vm::pop(Stack); #line 383 "runpicture.in" array *(*copyarray)(array *a)=copy ? copyArray : nop; array *(*copyarray2)(array *a)=copy ? copyArray2 : nop; f->append(new drawPaletteImage(*copyarray2(data),*copyarray(palette), t*matrix(initial,final),antialias)); } #line 390 "runpicture.in" // void _image(picture *f, penarray2 *data, pair initial, pair final, transform t=identity, bool copy=true, bool antialias=false); void gen_runpicture37(stack *Stack) { bool antialias=vm::pop(Stack,false); bool copy=vm::pop(Stack,true); transform t=vm::pop(Stack,identity); pair final=vm::pop(Stack); pair initial=vm::pop(Stack); penarray2 * data=vm::pop(Stack); picture * f=vm::pop(Stack); #line 392 "runpicture.in" array *(*copyarray2)(array *a)=copy ? copyArray2 : nop; f->append(new drawNoPaletteImage(*copyarray2(data),t*matrix(initial,final), antialias)); } #line 398 "runpicture.in" // void _image(picture *f, callablePen *F, Int width, Int height, pair initial, pair final, transform t=identity, bool antialias=false); void gen_runpicture38(stack *Stack) { bool antialias=vm::pop(Stack,false); transform t=vm::pop(Stack,identity); pair final=vm::pop(Stack); pair initial=vm::pop(Stack); Int height=vm::pop(Stack); Int width=vm::pop(Stack); callablePen * F=vm::pop(Stack); picture * f=vm::pop(Stack); #line 400 "runpicture.in" f->append(new drawFunctionImage(Stack,F,width,height, t*matrix(initial,final),antialias)); } #line 405 "runpicture.in" // string nativeformat(); void gen_runpicture39(stack *Stack) { #line 406 "runpicture.in" {Stack->push(nativeformat()); return;} } #line 410 "runpicture.in" // bool latex(); void gen_runpicture40(stack *Stack) { #line 411 "runpicture.in" {Stack->push(latex(getSetting("tex"))); return;} } #line 415 "runpicture.in" // bool pdf(); void gen_runpicture41(stack *Stack) { #line 416 "runpicture.in" {Stack->push(pdf(getSetting("tex"))); return;} } #line 420 "runpicture.in" // void _shipout(string prefix=emptystring, picture *f, picture *preamble=NULL, string format=emptystring, bool wait=false, bool view=true, transform T=identity); void gen_runpicture42(stack *Stack) { transform T=vm::pop(Stack,identity); bool view=vm::pop(Stack,true); bool wait=vm::pop(Stack,false); string format=vm::pop(Stack,emptystring); picture * preamble=vm::pop(Stack,NULL); picture * f=vm::pop(Stack); string prefix=vm::pop(Stack,emptystring); #line 423 "runpicture.in" if(prefix.empty()) prefix=outname(); picture *result=new picture; unsigned level=0; picture::nodelist::iterator p; xmap_t xmap=processData().xmap; transform Tinv=inverse(T); for(p = f->nodes.begin(); p != f->nodes.end(); ++p) { transform t=getTransform(xmap,p); bool Delete=(t == ZeroTransform); if(!Delete && !t.isIdentity()) t=T*t*Tinv; picture *group=new picture; assert(*p); if((*p)->endgroup()) error(nobegin); if((*p)->begingroup()) { ++level; while(p != f->nodes.end() && level) { if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); } ++p; if(p == f->nodes.end()) break; assert(*p); if((*p)->begingroup()) ++level; if((*p)->endgroup()) { if(level) --level; else error(nobegin); } } } if(p == f->nodes.end()) break; assert(*p); if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); result->add(*group); } } result->shipout(preamble,prefix,format,wait,view); } #line 469 "runpicture.in" // void shipout3(string prefix, picture *f, string format=emptystring, real width, real height, real angle, real zoom, triple m, triple M, pair shift, pair margin, realarray2 *t, realarray *background, triplearray *lights, realarray2 *diffuse, realarray2 *specular, bool view=true); void gen_runpicture43(stack *Stack) { bool view=vm::pop(Stack,true); realarray2 * specular=vm::pop(Stack); realarray2 * diffuse=vm::pop(Stack); triplearray * lights=vm::pop(Stack); realarray * background=vm::pop(Stack); realarray2 * t=vm::pop(Stack); pair margin=vm::pop(Stack); pair shift=vm::pop(Stack); triple M=vm::pop(Stack); triple m=vm::pop(Stack); real zoom=vm::pop(Stack); real angle=vm::pop(Stack); real height=vm::pop(Stack); real width=vm::pop(Stack); string format=vm::pop(Stack,emptystring); picture * f=vm::pop(Stack); string prefix=vm::pop(Stack); #line 474 "runpicture.in" size_t n=checkArrays(lights,diffuse); checkEqual(n,checkArray(specular)); real *T,*Background,*Diffuse,*Specular; triple *Lights; copyArray2C(T,t,true,4); copyArrayC(Background,background); copyArrayC(Lights,lights); copyArray2C(Diffuse,diffuse,false,4,UseGC); copyArray2C(Specular,specular,false,4,UseGC); f->shipout3(prefix,format,width,height,angle,zoom,m,M,shift,margin,T, Background,n,Lights,Diffuse,Specular,view); delete[] Background; delete[] T; } #line 494 "runpicture.in" // void shipout3(string prefix, picture *f, string format=defaultformat3); void gen_runpicture44(stack *Stack) { string format=vm::pop(Stack,defaultformat3); picture * f=vm::pop(Stack); string prefix=vm::pop(Stack); #line 495 "runpicture.in" f->shipout3(prefix,format); } #line 499 "runpicture.in" // void xmap(string key, transform t=identity); void gen_runpicture45(stack *Stack) { transform t=vm::pop(Stack,identity); string key=vm::pop(Stack); #line 500 "runpicture.in" xmap_t &xmap=processData().xmap; xmap_t::iterator p=xmap.find(key); if(p != xmap.end()) p->second.push_back(t); else { xtransform_t *v=new xtransform_t(); v->push_back(t); xmap[key]=*v; } } #line 512 "runpicture.in" // void deconstruct(picture *f, picture *preamble=NULL, transform T=identity); void gen_runpicture46(stack *Stack) { transform T=vm::pop(Stack,identity); picture * preamble=vm::pop(Stack,NULL); picture * f=vm::pop(Stack); #line 513 "runpicture.in" unsigned level=0; string prefix=outname(); const string xformat="svg"; openpipeout(); const string Done="Done"; const string Error="Error"; unsigned arg=0; xmap_t xmap=processData().xmap; transform Tinv=inverse(T); for(picture::nodelist::iterator p=f->nodes.begin();;) { if(p == f->nodes.end()) break; picture *group=new picture; transform t=getTransform(xmap,p); bool Delete=(t == ZeroTransform); if(!Delete && !t.isIdentity()) t=T*t*Tinv; assert(*p); if((*p)->endgroup()) { fprintf(pipeout,"%s\n",Error.c_str()); fflush(pipeout); error(nobegin); } bool clip=false; if((*p)->begingroup()) { ++level; while(p != f->nodes.end() && level) { if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); if((*p)->endclip()) clip=true; } ++p; if(p == f->nodes.end()) break; assert(*p); if((*p)->begingroup()) ++level; if((*p)->endgroup()) { if(level) --level; else { fprintf(pipeout,"%s\n",Error.c_str()); fflush(pipeout); error(nobegin); } } } } if(p != f->nodes.end()) { if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); if((*p)->endclip()) clip=true; ostringstream buf; buf << prefix << "_" << arg; string outname=buildname(buf.str(),xformat); group->shipout(preamble,outname,xformat,false,false); bbox b=group->bounds(); if(!b.empty) { fprintf(pipeout,"KEY=%s%d\n",e->KEY.c_str(),clip); const char *oldlocale=setlocale(LC_NUMERIC,NULL); bool override=oldlocale && strcmp(oldlocale,"C") != 0; if(override) { oldlocale=StrdupNoGC(oldlocale); setlocale(LC_NUMERIC,"C"); } fprintf(pipeout,"%g %g %g %g\n",b.left,b.bottom,b.right,b.top); if(override) { setlocale(LC_NUMERIC,oldlocale); delete[] oldlocale; } fflush(pipeout); ++arg; } } ++p; } } fprintf(pipeout,"%s\n",Done.c_str()); fflush(pipeout); } // Three-dimensional picture and surface operations // Bezier curve #line 608 "runpicture.in" // void _draw(picture *f, path3 g, triple center=Zero, pen p, Int interaction=0); void gen_runpicture47(stack *Stack) { Int interaction=vm::pop(Stack,0); pen p=vm::pop(Stack); triple center=vm::pop(Stack,Zero); path3 g=vm::pop(Stack); picture * f=vm::pop(Stack); #line 609 "runpicture.in" if(g.size() > 0) f->append(new drawPath3(g,center,p,(Interaction) intcast(interaction))); } // Bezier patch #line 615 "runpicture.in" // void draw(picture *f, triplearray2 *P, triple center, bool straight, penarray *p, real opacity, real shininess, real metallic, real fresnel0, real PRCshininess, penarray *colors, Int interaction, bool prc=true); void gen_runpicture48(stack *Stack) { bool prc=vm::pop(Stack,true); Int interaction=vm::pop(Stack); penarray * colors=vm::pop(Stack); real PRCshininess=vm::pop(Stack); real fresnel0=vm::pop(Stack); real metallic=vm::pop(Stack); real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); bool straight=vm::pop(Stack); triple center=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); picture * f=vm::pop(Stack); #line 618 "runpicture.in" f->append(new drawBezierPatch(*P,center,straight,*p,opacity,shininess, metallic,fresnel0,PRCshininess,*colors, (Interaction) intcast(interaction),prc)); } // Bezier triangle #line 625 "runpicture.in" // void drawbeziertriangle(picture *f, triplearray2 *P, triple center, bool straight, penarray *p, real opacity, real shininess, real metallic, real fresnel0, real PRCshininess, penarray *colors, Int interaction, bool prc=true); void gen_runpicture49(stack *Stack) { bool prc=vm::pop(Stack,true); Int interaction=vm::pop(Stack); penarray * colors=vm::pop(Stack); real PRCshininess=vm::pop(Stack); real fresnel0=vm::pop(Stack); real metallic=vm::pop(Stack); real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); bool straight=vm::pop(Stack); triple center=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); picture * f=vm::pop(Stack); #line 629 "runpicture.in" f->append(new drawBezierTriangle(*P,center,straight,*p,opacity,shininess, metallic,fresnel0,PRCshininess,*colors, (Interaction) intcast(interaction),prc)); } // General NURBS curve #line 636 "runpicture.in" // void draw(picture *f, triplearray *P, realarray *knot, realarray *weights=emptyarray, pen p); void gen_runpicture50(stack *Stack) { pen p=vm::pop(Stack); realarray * weights=vm::pop(Stack,emptyarray); realarray * knot=vm::pop(Stack); triplearray * P=vm::pop(Stack); picture * f=vm::pop(Stack); #line 638 "runpicture.in" f->append(new drawNurbsPath3(*P,knot,weights,p)); } // General NURBS surface #line 643 "runpicture.in" // void draw(picture *f, triplearray2 *P, realarray *uknot, realarray *vknot, realarray2 *weights=emptyarray, penarray *p, real opacity, real shininess,real metallic, real fresnel0, real PRCshininess, penarray *colors); void gen_runpicture51(stack *Stack) { penarray * colors=vm::pop(Stack); real PRCshininess=vm::pop(Stack); real fresnel0=vm::pop(Stack); real metallic=vm::pop(Stack); real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); realarray2 * weights=vm::pop(Stack,emptyarray); realarray * vknot=vm::pop(Stack); realarray * uknot=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); picture * f=vm::pop(Stack); #line 647 "runpicture.in" f->append(new drawNurbs(*P,uknot,vknot,weights,*p,opacity,shininess, metallic, fresnel0, PRCshininess,*colors)); } // PRC unit sphere #line 653 "runpicture.in" // void drawPRCsphere(picture *f, realarray2 *t, bool half=false, penarray *p, real opacity, real shininess, Int type); void gen_runpicture52(stack *Stack) { Int type=vm::pop(Stack); real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); bool half=vm::pop(Stack,false); realarray2 * t=vm::pop(Stack); picture * f=vm::pop(Stack); #line 655 "runpicture.in" f->append(new drawSphere(*t,half,*p,opacity,shininess,intcast(type))); } // PRC unit cylinder #line 660 "runpicture.in" // void drawPRCcylinder(picture *f, realarray2 *t, penarray *p, real opacity, real shininess); void gen_runpicture53(stack *Stack) { real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); realarray2 * t=vm::pop(Stack); picture * f=vm::pop(Stack); #line 662 "runpicture.in" f->append(new drawCylinder(*t,*p,opacity,shininess)); } // PRC unit disk #line 667 "runpicture.in" // void drawPRCdisk(picture *f, realarray2 *t, penarray *p, real opacity, real shininess); void gen_runpicture54(stack *Stack) { real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); realarray2 * t=vm::pop(Stack); picture * f=vm::pop(Stack); #line 669 "runpicture.in" f->append(new drawDisk(*t,*p,opacity,shininess)); } // General PRC tube #line 674 "runpicture.in" // void drawPRCtube(picture *f, path3 center, path3 g, penarray *p, real opacity, real shininess); void gen_runpicture55(stack *Stack) { real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); path3 g=vm::pop(Stack); path3 center=vm::pop(Stack); picture * f=vm::pop(Stack); #line 676 "runpicture.in" f->append(new drawTube(center,g,*p,opacity,shininess)); } // Draw pixel #line 681 "runpicture.in" // void drawpixel(picture *f, triple v, pen p, real width=1.0); void gen_runpicture56(stack *Stack) { real width=vm::pop(Stack,1.0); pen p=vm::pop(Stack); triple v=vm::pop(Stack); picture * f=vm::pop(Stack); #line 682 "runpicture.in" f->append(new drawPixel(v,p,width)); } // Draw triangles #line 687 "runpicture.in" // void draw(picture *f, triplearray *v, Intarray2 *vi, triplearray *n, Intarray2 *ni, penarray *p, real opacity, real shininess, real metallic, real fresnel0, real PRCshininess, penarray *c=emptyarray, Intarray2 *ci=emptyarray); void gen_runpicture57(stack *Stack) { Intarray2 * ci=vm::pop(Stack,emptyarray); penarray * c=vm::pop(Stack,emptyarray); real PRCshininess=vm::pop(Stack); real fresnel0=vm::pop(Stack); real metallic=vm::pop(Stack); real shininess=vm::pop(Stack); real opacity=vm::pop(Stack); penarray * p=vm::pop(Stack); Intarray2 * ni=vm::pop(Stack); triplearray * n=vm::pop(Stack); Intarray2 * vi=vm::pop(Stack); triplearray * v=vm::pop(Stack); picture * f=vm::pop(Stack); #line 692 "runpicture.in" f->append(new drawTriangles(*v,*vi,*n,*ni,*p,opacity,shininess,metallic,fresnel0,PRCshininess, *c,*ci)); } #line 697 "runpicture.in" // triple min3(picture *f); void gen_runpicture58(stack *Stack) { picture * f=vm::pop(Stack); #line 698 "runpicture.in" {Stack->push(f->bounds3().Min()); return;} } #line 702 "runpicture.in" // triple max3(picture *f); void gen_runpicture59(stack *Stack) { picture * f=vm::pop(Stack); #line 703 "runpicture.in" {Stack->push(f->bounds3().Max()); return;} } #line 707 "runpicture.in" // triple size3(picture *f); void gen_runpicture60(stack *Stack) { picture * f=vm::pop(Stack); #line 708 "runpicture.in" bbox3 b=f->bounds3(); {Stack->push(b.Max()-b.Min()); return;} } #line 713 "runpicture.in" // pair minratio(picture *f); void gen_runpicture61(stack *Stack) { picture * f=vm::pop(Stack); #line 714 "runpicture.in" {Stack->push(f->ratio(::min)); return;} } #line 718 "runpicture.in" // pair maxratio(picture *f); void gen_runpicture62(stack *Stack) { picture * f=vm::pop(Stack); #line 719 "runpicture.in" {Stack->push(f->ratio(::max)); return;} } #line 723 "runpicture.in" // bool is3D(picture *f); void gen_runpicture63(stack *Stack) { picture * f=vm::pop(Stack); #line 724 "runpicture.in" {Stack->push(f->have3D()); return;} } } // namespace run namespace trans { void gen_runpicture_venv(venv &ve) { #line 128 "runpicture.in" REGISTER_BLTIN(run::newPicture,"newPicture"); #line 133 "runpicture.in" addFunc(ve, run::gen_runpicture1, primBoolean(), SYM(empty), formal(primPicture(), SYM(f), false, false)); #line 138 "runpicture.in" addFunc(ve, run::gen_runpicture2, primVoid(), SYM(erase), formal(primPicture(), SYM(f), false, false)); #line 143 "runpicture.in" addFunc(ve, run::gen_runpicture3, primPair(), SYM(min), formal(primPicture(), SYM(f), false, false)); #line 148 "runpicture.in" addFunc(ve, run::gen_runpicture4, primPair(), SYM(max), formal(primPicture(), SYM(f), false, false)); #line 153 "runpicture.in" addFunc(ve, run::gen_runpicture5, primPair(), SYM(size), formal(primPicture(), SYM(f), false, false)); #line 159 "runpicture.in" addFunc(ve, run::gen_runpicture6, primVoid(), SYM(_draw), formal(primPicture(), SYM(f), false, false), formal(primPath(), SYM(g), false, false), formal(primPen(), SYM(p), false, false)); #line 164 "runpicture.in" addFunc(ve, run::gen_runpicture7, primVoid(), SYM(fill), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primPen(), SYM(p), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 170 "runpicture.in" addFunc(ve, run::gen_runpicture8, primVoid(), SYM(latticeshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(penArray2() , SYM(p), false, false), formal(primTransform(), SYM(t), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 179 "runpicture.in" addFunc(ve, run::gen_runpicture9, primVoid(), SYM(axialshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(pena), false, false), formal(primPair(), SYM(a), false, false), formal(primBoolean(), SYM(extenda), true, false), formal(primPen(), SYM(penb), false, false), formal(primPair(), SYM(b), false, false), formal(primBoolean(), SYM(extendb), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 188 "runpicture.in" addFunc(ve, run::gen_runpicture10, primVoid(), SYM(radialshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(pena), false, false), formal(primPair(), SYM(a), false, false), formal(primReal(), SYM(ra), false, false), formal(primBoolean(), SYM(extenda), true, false), formal(primPen(), SYM(penb), false, false), formal(primPair(), SYM(b), false, false), formal(primReal(), SYM(rb), false, false), formal(primBoolean(), SYM(extendb), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 197 "runpicture.in" addFunc(ve, run::gen_runpicture11, primVoid(), SYM(gouraudshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(penArray() , SYM(p), false, false), formal(pairArray(), SYM(z), false, false), formal(IntArray(), SYM(edges), false, false), formal(primBoolean(), SYM(copy), true, false)); #line 208 "runpicture.in" addFunc(ve, run::gen_runpicture12, primVoid(), SYM(gouraudshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(penArray() , SYM(p), false, false), formal(IntArray(), SYM(edges), false, false), formal(primBoolean(), SYM(copy), true, false)); #line 232 "runpicture.in" addFunc(ve, run::gen_runpicture13, primVoid(), SYM(tensorshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(penArray2() , SYM(p), false, false), formal(pathArray() , SYM(b), true, false), formal(pairArray2(), SYM(z), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 247 "runpicture.in" addFunc(ve, run::gen_runpicture14, primVoid(), SYM(functionshade), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(primString() , SYM(shader), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 255 "runpicture.in" addFunc(ve, run::gen_runpicture15, primVoid(), SYM(clip), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 265 "runpicture.in" addFunc(ve, run::gen_runpicture16, primVoid(), SYM(beginclip), formal(primPicture(), SYM(f), false, false), formal(pathArray() , SYM(g), false, false), formal(primBoolean(), SYM(stroke), true, false), formal(primPen(), SYM(fillrule), true, false), formal(primBoolean(), SYM(copy), true, false)); #line 272 "runpicture.in" addFunc(ve, run::gen_runpicture17, primVoid(), SYM(endclip), formal(primPicture(), SYM(f), false, false)); #line 277 "runpicture.in" addFunc(ve, run::gen_runpicture18, primVoid(), SYM(gsave), formal(primPicture(), SYM(f), false, false)); #line 282 "runpicture.in" addFunc(ve, run::gen_runpicture19, primVoid(), SYM(grestore), formal(primPicture(), SYM(f), false, false)); #line 287 "runpicture.in" addFunc(ve, run::gen_runpicture20, primVoid(), SYM(begingroup), formal(primPicture(), SYM(f), false, false)); #line 292 "runpicture.in" addFunc(ve, run::gen_runpicture21, primVoid(), SYM(endgroup), formal(primPicture(), SYM(f), false, false)); #line 297 "runpicture.in" addFunc(ve, run::gen_runpicture22, primVoid(), SYM(_begingroup3), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(name), false, false), formal(primReal(), SYM(compression), false, false), formal(primReal(), SYM(granularity), false, false), formal(primBoolean(), SYM(closed), false, false), formal(primBoolean(), SYM(tessellate), false, false), formal(primBoolean(), SYM(dobreak), false, false), formal(primBoolean(), SYM(nobreak), false, false), formal(primTriple(), SYM(center), false, false), formal(primInt(), SYM(interaction), false, false)); #line 306 "runpicture.in" addFunc(ve, run::gen_runpicture23, primVoid(), SYM(endgroup3), formal(primPicture(), SYM(f), false, false)); #line 311 "runpicture.in" addFunc(ve, run::gen_runpicture24, primVoid(), SYM(add), formal(primPicture(), SYM(dest), false, false), formal(primPicture(), SYM(src), false, false)); #line 316 "runpicture.in" addFunc(ve, run::gen_runpicture25, primVoid(), SYM(prepend), formal(primPicture(), SYM(dest), false, false), formal(primPicture(), SYM(src), false, false)); #line 321 "runpicture.in" addFunc(ve, run::gen_runpicture26, primVoid(), SYM(postscript), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(s), false, false)); #line 326 "runpicture.in" addFunc(ve, run::gen_runpicture27, primVoid(), SYM(tex), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(s), false, false)); #line 331 "runpicture.in" addFunc(ve, run::gen_runpicture28, primVoid(), SYM(postscript), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(s), false, false), formal(primPair(), SYM(min), false, false), formal(primPair(), SYM(max), false, false)); #line 336 "runpicture.in" addFunc(ve, run::gen_runpicture29, primVoid(), SYM(tex), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(s), false, false), formal(primPair(), SYM(min), false, false), formal(primPair(), SYM(max), false, false)); #line 341 "runpicture.in" addFunc(ve, run::gen_runpicture30, primVoid(), SYM(texpreamble), formal(primString() , SYM(s), false, false)); #line 349 "runpicture.in" addFunc(ve, run::gen_runpicture31, primVoid(), SYM(deletepreamble)); #line 356 "runpicture.in" addFunc(ve, run::gen_runpicture32, primVoid(), SYM(_labelpath), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(s), false, false), formal(primString() , SYM(size), false, false), formal(primPath(), SYM(g), false, false), formal(primString() , SYM(justify), false, false), formal(primPair(), SYM(offset), false, false), formal(primPen(), SYM(p), false, false)); #line 362 "runpicture.in" addFunc(ve, run::gen_runpicture33, primVoid(), SYM(texreset)); #line 370 "runpicture.in" addFunc(ve, run::gen_runpicture34, primVoid(), SYM(layer), formal(primPicture(), SYM(f), false, false)); #line 375 "runpicture.in" addFunc(ve, run::gen_runpicture35, primVoid(), SYM(newpage), formal(primPicture(), SYM(f), false, false)); #line 380 "runpicture.in" addFunc(ve, run::gen_runpicture36, primVoid(), SYM(_image), formal(primPicture(), SYM(f), false, false), formal(realArray2(), SYM(data), false, false), formal(primPair(), SYM(initial), false, false), formal(primPair(), SYM(final), false, false), formal(penArray() , SYM(palette), true, false), formal(primTransform(), SYM(t), true, false), formal(primBoolean(), SYM(copy), true, false), formal(primBoolean(), SYM(antialias), true, false)); #line 390 "runpicture.in" addFunc(ve, run::gen_runpicture37, primVoid(), SYM(_image), formal(primPicture(), SYM(f), false, false), formal(penArray2() , SYM(data), false, false), formal(primPair(), SYM(initial), false, false), formal(primPair(), SYM(final), false, false), formal(primTransform(), SYM(t), true, false), formal(primBoolean(), SYM(copy), true, false), formal(primBoolean(), SYM(antialias), true, false)); #line 398 "runpicture.in" addFunc(ve, run::gen_runpicture38, primVoid(), SYM(_image), formal(primPicture(), SYM(f), false, false), formal(penFunction(), SYM(f), false, false), formal(primInt(), SYM(width), false, false), formal(primInt(), SYM(height), false, false), formal(primPair(), SYM(initial), false, false), formal(primPair(), SYM(final), false, false), formal(primTransform(), SYM(t), true, false), formal(primBoolean(), SYM(antialias), true, false)); #line 405 "runpicture.in" addFunc(ve, run::gen_runpicture39, primString() , SYM(nativeformat)); #line 410 "runpicture.in" addFunc(ve, run::gen_runpicture40, primBoolean(), SYM(latex)); #line 415 "runpicture.in" addFunc(ve, run::gen_runpicture41, primBoolean(), SYM(pdf)); #line 420 "runpicture.in" addFunc(ve, run::gen_runpicture42, primVoid(), SYM(_shipout), formal(primString() , SYM(prefix), true, false), formal(primPicture(), SYM(f), false, false), formal(primPicture(), SYM(preamble), true, false), formal(primString() , SYM(format), true, false), formal(primBoolean(), SYM(wait), true, false), formal(primBoolean(), SYM(view), true, false), formal(primTransform(), SYM(t), true, false)); #line 469 "runpicture.in" addFunc(ve, run::gen_runpicture43, primVoid(), SYM(shipout3), formal(primString() , SYM(prefix), false, false), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(format), true, false), formal(primReal(), SYM(width), false, false), formal(primReal(), SYM(height), false, false), formal(primReal(), SYM(angle), false, false), formal(primReal(), SYM(zoom), false, false), formal(primTriple(), SYM(m), false, false), formal(primTriple(), SYM(m), false, false), formal(primPair(), SYM(shift), false, false), formal(primPair(), SYM(margin), false, false), formal(realArray2(), SYM(t), false, false), formal(realArray(), SYM(background), false, false), formal(tripleArray(), SYM(lights), false, false), formal(realArray2(), SYM(diffuse), false, false), formal(realArray2(), SYM(specular), false, false), formal(primBoolean(), SYM(view), true, false)); #line 494 "runpicture.in" addFunc(ve, run::gen_runpicture44, primVoid(), SYM(shipout3), formal(primString() , SYM(prefix), false, false), formal(primPicture(), SYM(f), false, false), formal(primString() , SYM(format), true, false)); #line 499 "runpicture.in" addFunc(ve, run::gen_runpicture45, primVoid(), SYM(xmap), formal(primString() , SYM(key), false, false), formal(primTransform(), SYM(t), true, false)); #line 512 "runpicture.in" addFunc(ve, run::gen_runpicture46, primVoid(), SYM(deconstruct), formal(primPicture(), SYM(f), false, false), formal(primPicture(), SYM(preamble), true, false), formal(primTransform(), SYM(t), true, false)); #line 604 "runpicture.in" addFunc(ve, run::gen_runpicture47, primVoid(), SYM(_draw), formal(primPicture(), SYM(f), false, false), formal(primPath3(), SYM(g), false, false), formal(primTriple(), SYM(center), true, false), formal(primPen(), SYM(p), false, false), formal(primInt(), SYM(interaction), true, false)); #line 614 "runpicture.in" addFunc(ve, run::gen_runpicture48, primVoid(), SYM(draw), formal(primPicture(), SYM(f), false, false), formal(tripleArray2(), SYM(p), false, false), formal(primTriple(), SYM(center), false, false), formal(primBoolean(), SYM(straight), false, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false), formal(primReal(), SYM(metallic), false, false), formal(primReal(), SYM(fresnel0), false, false), formal(primReal(), SYM(prcshininess), false, false), formal(penArray() , SYM(colors), false, false), formal(primInt(), SYM(interaction), false, false), formal(primBoolean(), SYM(prc), true, false)); #line 624 "runpicture.in" addFunc(ve, run::gen_runpicture49, primVoid(), SYM(drawbeziertriangle), formal(primPicture(), SYM(f), false, false), formal(tripleArray2(), SYM(p), false, false), formal(primTriple(), SYM(center), false, false), formal(primBoolean(), SYM(straight), false, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false), formal(primReal(), SYM(metallic), false, false), formal(primReal(), SYM(fresnel0), false, false), formal(primReal(), SYM(prcshininess), false, false), formal(penArray() , SYM(colors), false, false), formal(primInt(), SYM(interaction), false, false), formal(primBoolean(), SYM(prc), true, false)); #line 635 "runpicture.in" addFunc(ve, run::gen_runpicture50, primVoid(), SYM(draw), formal(primPicture(), SYM(f), false, false), formal(tripleArray(), SYM(p), false, false), formal(realArray(), SYM(knot), false, false), formal(realArray(), SYM(weights), true, false), formal(primPen(), SYM(p), false, false)); #line 642 "runpicture.in" addFunc(ve, run::gen_runpicture51, primVoid(), SYM(draw), formal(primPicture(), SYM(f), false, false), formal(tripleArray2(), SYM(p), false, false), formal(realArray(), SYM(uknot), false, false), formal(realArray(), SYM(vknot), false, false), formal(realArray2(), SYM(weights), true, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false), formal(primReal(), SYM(metallic), false, false), formal(primReal(), SYM(fresnel0), false, false), formal(primReal(), SYM(prcshininess), false, false), formal(penArray() , SYM(colors), false, false)); #line 652 "runpicture.in" addFunc(ve, run::gen_runpicture52, primVoid(), SYM(drawPRCsphere), formal(primPicture(), SYM(f), false, false), formal(realArray2(), SYM(t), false, false), formal(primBoolean(), SYM(half), true, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false), formal(primInt(), SYM(type), false, false)); #line 659 "runpicture.in" addFunc(ve, run::gen_runpicture53, primVoid(), SYM(drawPRCcylinder), formal(primPicture(), SYM(f), false, false), formal(realArray2(), SYM(t), false, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false)); #line 666 "runpicture.in" addFunc(ve, run::gen_runpicture54, primVoid(), SYM(drawPRCdisk), formal(primPicture(), SYM(f), false, false), formal(realArray2(), SYM(t), false, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false)); #line 673 "runpicture.in" addFunc(ve, run::gen_runpicture55, primVoid(), SYM(drawPRCtube), formal(primPicture(), SYM(f), false, false), formal(primPath3(), SYM(center), false, false), formal(primPath3(), SYM(g), false, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false)); #line 680 "runpicture.in" addFunc(ve, run::gen_runpicture56, primVoid(), SYM(drawpixel), formal(primPicture(), SYM(f), false, false), formal(primTriple(), SYM(v), false, false), formal(primPen(), SYM(p), false, false), formal(primReal(), SYM(width), true, false)); #line 686 "runpicture.in" addFunc(ve, run::gen_runpicture57, primVoid(), SYM(draw), formal(primPicture(), SYM(f), false, false), formal(tripleArray(), SYM(v), false, false), formal(IntArray2(), SYM(vi), false, false), formal(tripleArray(), SYM(n), false, false), formal(IntArray2(), SYM(ni), false, false), formal(penArray() , SYM(p), false, false), formal(primReal(), SYM(opacity), false, false), formal(primReal(), SYM(shininess), false, false), formal(primReal(), SYM(metallic), false, false), formal(primReal(), SYM(fresnel0), false, false), formal(primReal(), SYM(prcshininess), false, false), formal(penArray() , SYM(c), true, false), formal(IntArray2(), SYM(ci), true, false)); #line 697 "runpicture.in" addFunc(ve, run::gen_runpicture58, primTriple(), SYM(min3), formal(primPicture(), SYM(f), false, false)); #line 702 "runpicture.in" addFunc(ve, run::gen_runpicture59, primTriple(), SYM(max3), formal(primPicture(), SYM(f), false, false)); #line 707 "runpicture.in" addFunc(ve, run::gen_runpicture60, primTriple(), SYM(size3), formal(primPicture(), SYM(f), false, false)); #line 713 "runpicture.in" addFunc(ve, run::gen_runpicture61, primPair(), SYM(minratio), formal(primPicture(), SYM(f), false, false)); #line 718 "runpicture.in" addFunc(ve, run::gen_runpicture62, primPair(), SYM(maxratio), formal(primPicture(), SYM(f), false, false)); #line 723 "runpicture.in" addFunc(ve, run::gen_runpicture63, primBoolean(), SYM(is3D), formal(primPicture(), SYM(f), false, false)); } } // namespace trans asymptote-2.62/predicates.cc0000644000000000000000000034247113607467113014643 0ustar rootroot/*****************************************************************************/ /* */ /* Routines for Arbitrary Precision Floating-point Arithmetic */ /* and Fast Robust Geometric Predicates */ /* (predicates.c) */ /* */ /* May 18, 1996 */ /* */ /* Placed in the public domain by */ /* Jonathan Richard Shewchuk */ /* School of Computer Science */ /* Carnegie Mellon University */ /* 5000 Forbes Avenue */ /* Pittsburgh, Pennsylvania 15213-3891 */ /* jrs@cs.cmu.edu */ /* */ /* This file contains C implementation of algorithms for exact addition */ /* and multiplication of floating-point numbers, and predicates for */ /* robustly performing the orientation and incircle tests used in */ /* computational geometry. The algorithms and underlying theory are */ /* described in Jonathan Richard Shewchuk. "Adaptive Precision Floating- */ /* Point Arithmetic and Fast Robust Geometric Predicates." Technical */ /* Report CMU-CS-96-140, School of Computer Science, Carnegie Mellon */ /* University, Pittsburgh, Pennsylvania, May 1996. (Submitted to */ /* Discrete & Computational Geometry.) */ /* */ /* This file, the paper listed above, and other information are available */ /* from the Web page http://www.cs.cmu.edu/~quake/robust.html . */ /* */ /*****************************************************************************/ /*****************************************************************************/ /* */ /* Using this code: */ /* */ /* First, read the short or long version of the paper (from the Web page */ /* above). */ /* */ /* Be sure to call exactinit() once, before calling any of the arithmetic */ /* functions or geometric predicates. Also be sure to turn on the */ /* optimizer when compiling this file. */ /* */ /* */ /* Several geometric predicates are defined. Their parameters are all */ /* points. Each point is an array of two or three floating-point */ /* numbers. The geometric predicates, described in the papers, are */ /* */ /* orient2d(pa, pb, pc) */ /* orient2dfast(pa, pb, pc) */ /* orient3d(pa, pb, pc, pd) */ /* orient3dfast(pa, pb, pc, pd) */ /* incircle(pa, pb, pc, pd) */ /* incirclefast(pa, pb, pc, pd) */ /* insphere(pa, pb, pc, pd, pe) */ /* inspherefast(pa, pb, pc, pd, pe) */ /* */ /* Those with suffix "fast" are approximate, non-robust versions. Those */ /* without the suffix are adaptive precision, robust versions. There */ /* are also versions with the suffices "exact" and "slow", which are */ /* non-adaptive, exact arithmetic versions, which I use only for timings */ /* in my arithmetic papers. */ /* */ /* */ /* An expansion is represented by an array of floating-point numbers, */ /* sorted from smallest to largest magnitude (possibly with interspersed */ /* zeros). The length of each expansion is stored as a separate integer, */ /* and each arithmetic function returns an integer which is the length */ /* of the expansion it created. */ /* */ /* Several arithmetic functions are defined. Their parameters are */ /* */ /* e, f Input expansions */ /* elen, flen Lengths of input expansions (must be >= 1) */ /* h Output expansion */ /* b Input scalar */ /* */ /* The arithmetic functions are */ /* */ /* grow_expansion(elen, e, b, h) */ /* grow_expansion_zeroelim(elen, e, b, h) */ /* expansion_sum(elen, e, flen, f, h) */ /* expansion_sum_zeroelim1(elen, e, flen, f, h) */ /* expansion_sum_zeroelim2(elen, e, flen, f, h) */ /* fast_expansion_sum(elen, e, flen, f, h) */ /* fast_expansion_sum_zeroelim(elen, e, flen, f, h) */ /* linear_expansion_sum(elen, e, flen, f, h) */ /* linear_expansion_sum_zeroelim(elen, e, flen, f, h) */ /* scale_expansion(elen, e, b, h) */ /* scale_expansion_zeroelim(elen, e, b, h) */ /* compress(elen, e, h) */ /* */ /* All of these are described in the long version of the paper; some are */ /* described in the short version. All return an integer that is the */ /* length of h. Those with suffix _zeroelim perform zero elimination, */ /* and are recommended over their counterparts. The procedure */ /* fast_expansion_sum_zeroelim() (or linear_expansion_sum_zeroelim() on */ /* processors that do not use the round-to-even tiebreaking rule) is */ /* recommended over expansion_sum_zeroelim(). Each procedure has a */ /* little note next to it (in the code below) that tells you whether or */ /* not the output expansion may be the same array as one of the input */ /* expansions. */ /* */ /* */ /* If you look around below, you'll also find macros for a bunch of */ /* simple unrolled arithmetic operations, and procedures for printing */ /* expansions (commented out because they don't work with all C */ /* compilers) and for generating random floating-point numbers whose */ /* significand bits are all random. Most of the macros have undocumented */ /* requirements that certain of their parameters should not be the same */ /* variable; for safety, better to make sure all the parameters are */ /* distinct variables. Feel free to send email to jrs@cs.cmu.edu if you */ /* have questions. */ /* */ /*****************************************************************************/ #include #include #include #include #include "predicates.h" /* FPU control. We MUST have only double precision (not extended precision) */ #include "rounding.h" /* On some machines, the exact arithmetic routines might be defeated by the */ /* use of internal extended precision floating-point registers. Sometimes */ /* this problem can be fixed by defining certain values to be volatile, */ /* thus forcing them to be stored to memory and rounded off. This isn't */ /* a great solution, though, as it slows the arithmetic down. */ /* */ /* To try this out, write "#define INEXACT volatile" below. Normally, */ /* however, INEXACT should be defined to be nothing. ("#define INEXACT".) */ #define INEXACT /* Nothing */ /* #define INEXACT volatile */ #define REAL double /* float or double */ #define REALPRINT doubleprint #define REALRAND doublerand #define NARROWRAND narrowdoublerand #define UNIFORMRAND uniformdoublerand /* Which of the following two methods of finding the absolute values is */ /* fastest is compiler-dependent. A few compilers can inline and optimize */ /* the fabs() call; but most will incur the overhead of a function call, */ /* which is disastrously slow. A faster way on IEEE machines might be to */ /* mask the appropriate bit, but that's difficult to do in C. */ /*#define Absolute(a) ((a) >= 0.0 ? (a) : -(a)) */ #define Absolute(a) fabs(a) /* Many of the operations are broken up into two pieces, a main part that */ /* performs an approximate operation, and a "tail" that computes the */ /* roundoff error of that operation. */ /* */ /* The operations Fast_Two_Sum(), Fast_Two_Diff(), Two_Sum(), Two_Diff(), */ /* Split(), and Two_Product() are all implemented as described in the */ /* reference. Each of these macros requires certain variables to be */ /* defined in the calling routine. The variables `bvirt', `c', `abig', */ /* `_i', `_j', `_k', `_l', `_m', and `_n' are declared `INEXACT' because */ /* they store the result of an operation that may incur roundoff error. */ /* The input parameter `x' (or the highest numbered `x_' parameter) must */ /* also be declared `INEXACT'. */ #define Fast_Two_Sum_Tail(a, b, x, y) \ bvirt = x - a; \ y = b - bvirt #define Fast_Two_Sum(a, b, x, y) \ x = (REAL) (a + b); \ Fast_Two_Sum_Tail(a, b, x, y) #define Fast_Two_Diff_Tail(a, b, x, y) \ bvirt = a - x; \ y = bvirt - b #define Fast_Two_Diff(a, b, x, y) \ x = (REAL) (a - b); \ Fast_Two_Diff_Tail(a, b, x, y) #define Two_Sum_Tail(a, b, x, y) \ bvirt = (REAL) (x - a); \ avirt = x - bvirt; \ bround = b - bvirt; \ around = a - avirt; \ y = around + bround #define Two_Sum(a, b, x, y) \ x = (REAL) (a + b); \ Two_Sum_Tail(a, b, x, y) #define Two_Diff_Tail(a, b, x, y) \ bvirt = (REAL) (a - x); \ avirt = x + bvirt; \ bround = bvirt - b; \ around = a - avirt; \ y = around + bround #define Two_Diff(a, b, x, y) \ x = (REAL) (a - b); \ Two_Diff_Tail(a, b, x, y) #define Split(a, ahi, alo) \ c = (REAL) (splitter * a); \ abig = (REAL) (c - a); \ ahi = c - abig; \ alo = a - ahi #define Two_Product_Tail(a, b, x, y) \ Split(a, ahi, alo); \ Split(b, bhi, blo); \ err1 = x - (ahi * bhi); \ err2 = err1 - (alo * bhi); \ err3 = err2 - (ahi * blo); \ y = (alo * blo) - err3 #define Two_Product(a, b, x, y) \ x = (REAL) (a * b); \ Two_Product_Tail(a, b, x, y) /* Two_Product_Presplit() is Two_Product() where one of the inputs has */ /* already been split. Avoids redundant splitting. */ #define Two_Product_Presplit(a, b, bhi, blo, x, y) \ x = (REAL) (a * b); \ Split(a, ahi, alo); \ err1 = x - (ahi * bhi); \ err2 = err1 - (alo * bhi); \ err3 = err2 - (ahi * blo); \ y = (alo * blo) - err3 /* Two_Product_2Presplit() is Two_Product() where both of the inputs have */ /* already been split. Avoids redundant splitting. */ #define Two_Product_2Presplit(a, ahi, alo, b, bhi, blo, x, y) \ x = (REAL) (a * b); \ err1 = x - (ahi * bhi); \ err2 = err1 - (alo * bhi); \ err3 = err2 - (ahi * blo); \ y = (alo * blo) - err3 /* Square() can be done more quickly than Two_Product(). */ #define Square_Tail(a, x, y) \ Split(a, ahi, alo); \ err1 = x - (ahi * ahi); \ err3 = err1 - ((ahi + ahi) * alo); \ y = (alo * alo) - err3 #define Square(a, x, y) \ x = (REAL) (a * a); \ Square_Tail(a, x, y) /* Macros for summing expansions of various fixed lengths. These are all */ /* unrolled versions of Expansion_Sum(). */ #define Two_One_Sum(a1, a0, b, x2, x1, x0) \ Two_Sum(a0, b , _i, x0); \ Two_Sum(a1, _i, x2, x1) #define Two_One_Diff(a1, a0, b, x2, x1, x0) \ Two_Diff(a0, b , _i, x0); \ Two_Sum( a1, _i, x2, x1) #define Two_Two_Sum(a1, a0, b1, b0, x3, x2, x1, x0) \ Two_One_Sum(a1, a0, b0, _j, _0, x0); \ Two_One_Sum(_j, _0, b1, x3, x2, x1) #define Two_Two_Diff(a1, a0, b1, b0, x3, x2, x1, x0) \ Two_One_Diff(a1, a0, b0, _j, _0, x0); \ Two_One_Diff(_j, _0, b1, x3, x2, x1) #define Four_One_Sum(a3, a2, a1, a0, b, x4, x3, x2, x1, x0) \ Two_One_Sum(a1, a0, b , _j, x1, x0); \ Two_One_Sum(a3, a2, _j, x4, x3, x2) #define Four_Two_Sum(a3, a2, a1, a0, b1, b0, x5, x4, x3, x2, x1, x0) \ Four_One_Sum(a3, a2, a1, a0, b0, _k, _2, _1, _0, x0); \ Four_One_Sum(_k, _2, _1, _0, b1, x5, x4, x3, x2, x1) #define Four_Four_Sum(a3, a2, a1, a0, b4, b3, b1, b0, x7, x6, x5, x4, x3, x2, \ x1, x0) \ Four_Two_Sum(a3, a2, a1, a0, b1, b0, _l, _2, _1, _0, x1, x0); \ Four_Two_Sum(_l, _2, _1, _0, b4, b3, x7, x6, x5, x4, x3, x2) #define Eight_One_Sum(a7, a6, a5, a4, a3, a2, a1, a0, b, x8, x7, x6, x5, x4, \ x3, x2, x1, x0) \ Four_One_Sum(a3, a2, a1, a0, b , _j, x3, x2, x1, x0); \ Four_One_Sum(a7, a6, a5, a4, _j, x8, x7, x6, x5, x4) #define Eight_Two_Sum(a7, a6, a5, a4, a3, a2, a1, a0, b1, b0, x9, x8, x7, \ x6, x5, x4, x3, x2, x1, x0) \ Eight_One_Sum(a7, a6, a5, a4, a3, a2, a1, a0, b0, _k, _6, _5, _4, _3, _2, \ _1, _0, x0); \ Eight_One_Sum(_k, _6, _5, _4, _3, _2, _1, _0, b1, x9, x8, x7, x6, x5, x4, \ x3, x2, x1) #define Eight_Four_Sum(a7, a6, a5, a4, a3, a2, a1, a0, b4, b3, b1, b0, x11, \ x10, x9, x8, x7, x6, x5, x4, x3, x2, x1, x0) \ Eight_Two_Sum(a7, a6, a5, a4, a3, a2, a1, a0, b1, b0, _l, _6, _5, _4, _3, \ _2, _1, _0, x1, x0); \ Eight_Two_Sum(_l, _6, _5, _4, _3, _2, _1, _0, b4, b3, x11, x10, x9, x8, \ x7, x6, x5, x4, x3, x2) /* Macros for multiplying expansions of various fixed lengths. */ #define Two_One_Product(a1, a0, b, x3, x2, x1, x0) \ Split(b, bhi, blo); \ Two_Product_Presplit(a0, b, bhi, blo, _i, x0); \ Two_Product_Presplit(a1, b, bhi, blo, _j, _0); \ Two_Sum(_i, _0, _k, x1); \ Fast_Two_Sum(_j, _k, x3, x2) #define Four_One_Product(a3, a2, a1, a0, b, x7, x6, x5, x4, x3, x2, x1, x0) \ Split(b, bhi, blo); \ Two_Product_Presplit(a0, b, bhi, blo, _i, x0); \ Two_Product_Presplit(a1, b, bhi, blo, _j, _0); \ Two_Sum(_i, _0, _k, x1); \ Fast_Two_Sum(_j, _k, _i, x2); \ Two_Product_Presplit(a2, b, bhi, blo, _j, _0); \ Two_Sum(_i, _0, _k, x3); \ Fast_Two_Sum(_j, _k, _i, x4); \ Two_Product_Presplit(a3, b, bhi, blo, _j, _0); \ Two_Sum(_i, _0, _k, x5); \ Fast_Two_Sum(_j, _k, x7, x6) #define Two_Two_Product(a1, a0, b1, b0, x7, x6, x5, x4, x3, x2, x1, x0) \ Split(a0, a0hi, a0lo); \ Split(b0, bhi, blo); \ Two_Product_2Presplit(a0, a0hi, a0lo, b0, bhi, blo, _i, x0); \ Split(a1, a1hi, a1lo); \ Two_Product_2Presplit(a1, a1hi, a1lo, b0, bhi, blo, _j, _0); \ Two_Sum(_i, _0, _k, _1); \ Fast_Two_Sum(_j, _k, _l, _2); \ Split(b1, bhi, blo); \ Two_Product_2Presplit(a0, a0hi, a0lo, b1, bhi, blo, _i, _0); \ Two_Sum(_1, _0, _k, x1); \ Two_Sum(_2, _k, _j, _1); \ Two_Sum(_l, _j, _m, _2); \ Two_Product_2Presplit(a1, a1hi, a1lo, b1, bhi, blo, _j, _0); \ Two_Sum(_i, _0, _n, _0); \ Two_Sum(_1, _0, _i, x2); \ Two_Sum(_2, _i, _k, _1); \ Two_Sum(_m, _k, _l, _2); \ Two_Sum(_j, _n, _k, _0); \ Two_Sum(_1, _0, _j, x3); \ Two_Sum(_2, _j, _i, _1); \ Two_Sum(_l, _i, _m, _2); \ Two_Sum(_1, _k, _i, x4); \ Two_Sum(_2, _i, _k, x5); \ Two_Sum(_m, _k, x7, x6) /* An expansion of length two can be squared more quickly than finding the */ /* product of two different expansions of length two, and the result is */ /* guaranteed to have no more than six (rather than eight) components. */ #define Two_Square(a1, a0, x5, x4, x3, x2, x1, x0) \ Square(a0, _j, x0); \ _0 = a0 + a0; \ Two_Product(a1, _0, _k, _1); \ Two_One_Sum(_k, _1, _j, _l, _2, x1); \ Square(a1, _j, _1); \ Two_Two_Sum(_j, _1, _l, _2, x5, x4, x3, x2) /* 2^(-p), where p=DBL_MANT_DIG. Used to estimate roundoff errors. */ static const REAL epsilon=0.5*DBL_EPSILON; /* 2^ceiling(p/2) + 1. Used to split floats in half. */ static const REAL splitter=sqrt((DBL_MANT_DIG % 2 ? 2.0 : 1.0)/epsilon)+1.0; /* A set of coefficients used to calculate maximum roundoff errors. */ const REAL resulterrbound=(3.0 + 8.0 * epsilon) * epsilon; const REAL ccwerrboundA=(3.0 + 16.0 * epsilon) * epsilon; const REAL ccwerrboundB=(2.0 + 12.0 * epsilon) * epsilon; const REAL ccwerrboundC=(9.0 + 64.0 * epsilon) * epsilon * epsilon; const REAL o3derrboundA=(7.0 + 56.0 * epsilon) * epsilon; const REAL o3derrboundB=(3.0 + 28.0 * epsilon) * epsilon; const REAL o3derrboundC=(26.0 + 288.0 * epsilon) * epsilon * epsilon; const REAL iccerrboundA=(10.0 + 96.0 * epsilon) * epsilon; const REAL iccerrboundB=(4.0 + 48.0 * epsilon) * epsilon; const REAL iccerrboundC=(44.0 + 576.0 * epsilon) * epsilon * epsilon; const REAL isperrboundA=(16.0 + 224.0 * epsilon) * epsilon; const REAL isperrboundB=(5.0 + 72.0 * epsilon) * epsilon; const REAL isperrboundC=(71.0 + 1408.0 * epsilon) * epsilon * epsilon; /*****************************************************************************/ /* */ /* doubleprint() Print the bit representation of a double. */ /* */ /* Useful for debugging exact arithmetic routines. */ /* */ /*****************************************************************************/ /* void doubleprint(number) double number; { unsigned long long no; unsigned long long sign, expo; int exponent; int i, bottomi; no = *(unsigned long long *) &number; sign = no & 0x8000000000000000ll; expo = (no >> 52) & 0x7ffll; exponent = (int) expo; exponent = exponent - 1023; if (sign) { printf("-"); } else { printf(" "); } if (exponent == -1023) { printf( "0.0000000000000000000000000000000000000000000000000000_ ( )"); } else { printf("1."); bottomi = -1; for (i = 0; i < 52; i++) { if (no & 0x0008000000000000ll) { printf("1"); bottomi = i; } else { printf("0"); } no <<= 1; } printf("_%d (%d)", exponent, exponent - 1 - bottomi); } } */ /*****************************************************************************/ /* */ /* floatprint() Print the bit representation of a float. */ /* */ /* Useful for debugging exact arithmetic routines. */ /* */ /*****************************************************************************/ /* void floatprint(number) float number; { unsigned no; unsigned sign, expo; int exponent; int i, bottomi; no = *(unsigned *) &number; sign = no & 0x80000000; expo = (no >> 23) & 0xff; exponent = (int) expo; exponent = exponent - 127; if (sign) { printf("-"); } else { printf(" "); } if (exponent == -127) { printf("0.00000000000000000000000_ ( )"); } else { printf("1."); bottomi = -1; for (i = 0; i < 23; i++) { if (no & 0x00400000) { printf("1"); bottomi = i; } else { printf("0"); } no <<= 1; } printf("_%3d (%3d)", exponent, exponent - 1 - bottomi); } } */ /*****************************************************************************/ /* */ /* expansion_print() Print the bit representation of an expansion. */ /* */ /* Useful for debugging exact arithmetic routines. */ /* */ /*****************************************************************************/ /* void expansion_print(elen, e) int elen; REAL *e; { int i; for (i = elen - 1; i >= 0; i--) { REALPRINT(e[i]); if (i > 0) { printf(" +\n"); } else { printf("\n"); } } } */ /*****************************************************************************/ /* */ /* doublerand() Generate a double with random 53-bit significand and a */ /* random exponent in [0, 511]. */ /* */ /*****************************************************************************/ /* static double doublerand() { double result; double expo; long a, b, c; long i; a = random(); b = random(); c = random(); result = (double) (a - 1073741824) * 8388608.0 + (double) (b >> 8); for (i = 512, expo = 2; i <= 131072; i *= 2, expo = expo * expo) { if (c & i) { result *= expo; } } return result; } */ /*****************************************************************************/ /* */ /* narrowdoublerand() Generate a double with random 53-bit significand */ /* and a random exponent in [0, 7]. */ /* */ /*****************************************************************************/ /* static double narrowdoublerand() { double result; double expo; long a, b, c; long i; a = random(); b = random(); c = random(); result = (double) (a - 1073741824) * 8388608.0 + (double) (b >> 8); for (i = 512, expo = 2; i <= 2048; i *= 2, expo = expo * expo) { if (c & i) { result *= expo; } } return result; } */ /*****************************************************************************/ /* */ /* uniformdoublerand() Generate a double with random 53-bit significand. */ /* */ /*****************************************************************************/ /* static double uniformdoublerand() { double result; long a, b; a = random(); b = random(); result = (double) (a - 1073741824) * 8388608.0 + (double) (b >> 8); return result; } */ /*****************************************************************************/ /* */ /* floatrand() Generate a float with random 24-bit significand and a */ /* random exponent in [0, 63]. */ /* */ /*****************************************************************************/ /* static float floatrand() { float result; float expo; long a, c; long i; a = random(); c = random(); result = (float) ((a - 1073741824) >> 6); for (i = 512, expo = 2; i <= 16384; i *= 2, expo = expo * expo) { if (c & i) { result *= expo; } } return result; } */ /*****************************************************************************/ /* */ /* narrowfloatrand() Generate a float with random 24-bit significand and */ /* a random exponent in [0, 7]. */ /* */ /*****************************************************************************/ /* static float narrowfloatrand() { float result; float expo; long a, c; long i; a = random(); c = random(); result = (float) ((a - 1073741824) >> 6); for (i = 512, expo = 2; i <= 2048; i *= 2, expo = expo * expo) { if (c & i) { result *= expo; } } return result; } */ /*****************************************************************************/ /* */ /* uniformfloatrand() Generate a float with random 24-bit significand. */ /* */ /*****************************************************************************/ /* static float uniformfloatrand() { float result; long a; a = random(); result = (float) ((a - 1073741824) >> 6); return result; } */ /*****************************************************************************/ /* */ /* fast_expansion_sum_zeroelim() Sum two expansions, eliminating zero */ /* components from the output expansion. */ /* */ /* Sets h = e + f. See the long version of my paper for details. */ /* */ /* If round-to-even is used (as with IEEE 754), maintains the strongly */ /* nonoverlapping property. (That is, if e is strongly nonoverlapping, h */ /* will be also.) Does NOT maintain the nonoverlapping or nonadjacent */ /* properties. */ /* */ /*****************************************************************************/ static int fast_expansion_sum_zeroelim(int elen, const REAL *e, int flen, const REAL *f, REAL *h) /* h cannot be e or f. */ { REAL Q; INEXACT REAL Qnew; INEXACT REAL hh; INEXACT REAL bvirt; REAL avirt, bround, around; int eindex, findex, hindex; REAL enow, fnow; enow = e[0]; fnow = f[0]; eindex = findex = 0; if ((fnow > enow) == (fnow > -enow)) { Q = enow; enow = e[++eindex]; } else { Q = fnow; fnow = f[++findex]; } hindex = 0; if ((eindex < elen) && (findex < flen)) { if ((fnow > enow) == (fnow > -enow)) { Fast_Two_Sum(enow, Q, Qnew, hh); enow = e[++eindex]; } else { Fast_Two_Sum(fnow, Q, Qnew, hh); fnow = f[++findex]; } Q = Qnew; if (hh != 0.0) { h[hindex++] = hh; } while ((eindex < elen) && (findex < flen)) { if ((fnow > enow) == (fnow > -enow)) { Two_Sum(Q, enow, Qnew, hh); enow = e[++eindex]; } else { Two_Sum(Q, fnow, Qnew, hh); fnow = f[++findex]; } Q = Qnew; if (hh != 0.0) { h[hindex++] = hh; } } } while (eindex < elen) { Two_Sum(Q, enow, Qnew, hh); enow = e[++eindex]; Q = Qnew; if (hh != 0.0) { h[hindex++] = hh; } } while (findex < flen) { Two_Sum(Q, fnow, Qnew, hh); fnow = f[++findex]; Q = Qnew; if (hh != 0.0) { h[hindex++] = hh; } } if ((Q != 0.0) || (hindex == 0)) { h[hindex++] = Q; } return hindex; } /*****************************************************************************/ /* */ /* scale_expansion_zeroelim() Multiply an expansion by a scalar, */ /* eliminating zero components from the */ /* output expansion. */ /* */ /* Sets h = be. See either version of my paper for details. */ /* */ /* Maintains the nonoverlapping property. If round-to-even is used (as */ /* with IEEE 754), maintains the strongly nonoverlapping and nonadjacent */ /* properties as well. (That is, if e has one of these properties, so */ /* will h.) */ /* */ /*****************************************************************************/ static int scale_expansion_zeroelim(int elen, const REAL *e, REAL b, REAL *h) /* e and h cannot be the same. */ { INEXACT REAL Q, sum; REAL hh; INEXACT REAL product1; REAL product0; int eindex, hindex; REAL enow; INEXACT REAL bvirt; REAL avirt, bround, around; INEXACT REAL c; INEXACT REAL abig; REAL ahi, alo, bhi, blo; REAL err1, err2, err3; Split(b, bhi, blo); Two_Product_Presplit(e[0], b, bhi, blo, Q, hh); hindex = 0; if (hh != 0) { h[hindex++] = hh; } for (eindex = 1; eindex < elen; eindex++) { enow = e[eindex]; Two_Product_Presplit(enow, b, bhi, blo, product1, product0); Two_Sum(Q, product0, sum, hh); if (hh != 0) { h[hindex++] = hh; } Fast_Two_Sum(product1, sum, Q, hh); if (hh != 0) { h[hindex++] = hh; } } if ((Q != 0.0) || (hindex == 0)) { h[hindex++] = Q; } return hindex; } /*****************************************************************************/ /* */ /* estimate() Produce a one-word estimate of an expansion's value. */ /* */ /* See either version of my paper for details. */ /* */ /*****************************************************************************/ static REAL estimate(int elen, const REAL *e) { REAL Q; int eindex; Q = e[0]; for (eindex = 1; eindex < elen; eindex++) { Q += e[eindex]; } return Q; } /*****************************************************************************/ /* */ /* orient2dfast() Approximate 2D orientation test. Nonrobust. */ /* orient2dexact() Exact 2D orientation test. Robust. */ /* orient2dslow() Another exact 2D orientation test. Robust. */ /* orient2d() Adaptive exact 2D orientation test. Robust. */ /* */ /* Return a positive value if the points pa, pb, and pc occur */ /* in counterclockwise order; a negative value if they occur */ /* in clockwise order; and zero if they are collinear. The */ /* result is also a rough approximation of twice the signed */ /* area of the triangle defined by the three points. */ /* */ /* Only the first and last routine should be used; the middle two are for */ /* timings. */ /* */ /* The last three use exact arithmetic to ensure a correct answer. The */ /* result returned is the determinant of a matrix. In orient2d() only, */ /* this determinant is computed adaptively, in the sense that exact */ /* arithmetic is used only to the degree it is needed to ensure that the */ /* returned value has the correct sign. Hence, orient2d() is usually quite */ /* fast, but will run more slowly when the input points are collinear or */ /* nearly so. */ /* */ /*****************************************************************************/ REAL orient2dadapt(const REAL *pa, const REAL *pb, const REAL *pc, const REAL detsum) { INEXACT REAL acx, acy, bcx, bcy; REAL acxtail, acytail, bcxtail, bcytail; INEXACT REAL detleft, detright; REAL detlefttail, detrighttail; REAL det, errbound; REAL B[4], C1[8], C2[12], D[16]; INEXACT REAL B3; int C1length, C2length, Dlength; REAL u[4]; INEXACT REAL u3; INEXACT REAL s1, t1; REAL s0, t0; INEXACT REAL bvirt; REAL avirt, bround, around; INEXACT REAL c; INEXACT REAL abig; REAL ahi, alo, bhi, blo; REAL err1, err2, err3; INEXACT REAL _i, _j; REAL _0; acx = (REAL) (pa[0] - pc[0]); bcx = (REAL) (pb[0] - pc[0]); acy = (REAL) (pa[1] - pc[1]); bcy = (REAL) (pb[1] - pc[1]); Two_Product(acx, bcy, detleft, detlefttail); Two_Product(acy, bcx, detright, detrighttail); Two_Two_Diff(detleft, detlefttail, detright, detrighttail, B3, B[2], B[1], B[0]); B[3] = B3; det = estimate(4, B); errbound = ccwerrboundB * detsum; if ((det >= errbound) || (-det >= errbound)) { return det; } Two_Diff_Tail(pa[0], pc[0], acx, acxtail); Two_Diff_Tail(pb[0], pc[0], bcx, bcxtail); Two_Diff_Tail(pa[1], pc[1], acy, acytail); Two_Diff_Tail(pb[1], pc[1], bcy, bcytail); if ((acxtail == 0.0) && (acytail == 0.0) && (bcxtail == 0.0) && (bcytail == 0.0)) { return det; } errbound = ccwerrboundC * detsum + resulterrbound * Absolute(det); det += (acx * bcytail + bcy * acxtail) - (acy * bcxtail + bcx * acytail); if ((det >= errbound) || (-det >= errbound)) { return det; } Two_Product(acxtail, bcy, s1, s0); Two_Product(acytail, bcx, t1, t0); Two_Two_Diff(s1, s0, t1, t0, u3, u[2], u[1], u[0]); u[3] = u3; C1length = fast_expansion_sum_zeroelim(4, B, 4, u, C1); Two_Product(acx, bcytail, s1, s0); Two_Product(acy, bcxtail, t1, t0); Two_Two_Diff(s1, s0, t1, t0, u3, u[2], u[1], u[0]); u[3] = u3; C2length = fast_expansion_sum_zeroelim(C1length, C1, 4, u, C2); Two_Product(acxtail, bcytail, s1, s0); Two_Product(acytail, bcxtail, t1, t0); Two_Two_Diff(s1, s0, t1, t0, u3, u[2], u[1], u[0]); u[3] = u3; Dlength = fast_expansion_sum_zeroelim(C2length, C2, 4, u, D); return(D[Dlength - 1]); } REAL orient2d(const REAL *pa, const REAL *pb, const REAL *pc) { REAL detleft, detright, det; REAL detsum, errbound; REAL orient; FPU_ROUND_DOUBLE; detleft = (pa[0] - pc[0]) * (pb[1] - pc[1]); detright = (pa[1] - pc[1]) * (pb[0] - pc[0]); det = detleft - detright; if (detleft > 0.0) { if (detright <= 0.0) { FPU_RESTORE; return det; } else { detsum = detleft + detright; } } else if (detleft < 0.0) { if (detright >= 0.0) { FPU_RESTORE; return det; } else { detsum = -detleft - detright; } } else { FPU_RESTORE; return det; } errbound = ccwerrboundA * detsum; if ((det >= errbound) || (-det >= errbound)) { FPU_RESTORE; return det; } orient = orient2dadapt(pa, pb, pc, detsum); FPU_RESTORE; return orient; } REAL orient2d(const REAL ax, const REAL ay, const REAL bx, const REAL by, const REAL cx, const REAL cy) { REAL detleft, detright, det; REAL detsum, errbound; REAL orient; FPU_ROUND_DOUBLE; detleft = (ax - cx) * (by - cy); detright = (ay - cy) * (bx - cx); det = detleft - detright; if (detleft > 0.0) { if (detright <= 0.0) { FPU_RESTORE; return det; } else { detsum = detleft + detright; } } else if (detleft < 0.0) { if (detright >= 0.0) { FPU_RESTORE; return det; } else { detsum = -detleft - detright; } } else { FPU_RESTORE; return det; } errbound = ccwerrboundA * detsum; if ((det >= errbound) || (-det >= errbound)) { FPU_RESTORE; return det; } REAL pa[]={ax,ay}; REAL pb[]={bx,by}; REAL pc[]={cx,cy}; orient = orient2dadapt(pa, pb, pc, detsum); FPU_RESTORE; return orient; } /*****************************************************************************/ /* */ /* orient3dfast() Approximate 3D orientation test. Nonrobust. */ /* orient3dexact() Exact 3D orientation test. Robust. */ /* orient3dslow() Another exact 3D orientation test. Robust. */ /* orient3d() Adaptive exact 3D orientation test. Robust. */ /* */ /* Return a positive value if the point pd lies below the */ /* plane passing through pa, pb, and pc; "below" is defined so */ /* that pa, pb, and pc appear in counterclockwise order when */ /* viewed from above the plane. Returns a negative value if */ /* pd lies above the plane. Returns zero if the points are */ /* coplanar. The result is also a rough approximation of six */ /* times the signed volume of the tetrahedron defined by the */ /* four points. */ /* */ /* Only the first and last routine should be used; the middle two are for */ /* timings. */ /* */ /* The last three use exact arithmetic to ensure a correct answer. The */ /* result returned is the determinant of a matrix. In orient3d() only, */ /* this determinant is computed adaptively, in the sense that exact */ /* arithmetic is used only to the degree it is needed to ensure that the */ /* returned value has the correct sign. Hence, orient3d() is usually quite */ /* fast, but will run more slowly when the input points are coplanar or */ /* nearly so. */ /* */ /*****************************************************************************/ static REAL orient3dadapt(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd, REAL permanent) { INEXACT REAL adx, bdx, cdx, ady, bdy, cdy, adz, bdz, cdz; REAL det, errbound; INEXACT REAL bdxcdy1, cdxbdy1, cdxady1, adxcdy1, adxbdy1, bdxady1; REAL bdxcdy0, cdxbdy0, cdxady0, adxcdy0, adxbdy0, bdxady0; REAL bc[4], ca[4], ab[4]; INEXACT REAL bc3, ca3, ab3; REAL adet[8], bdet[8], cdet[8]; int alen, blen, clen; REAL abdet[16]; int ablen; REAL *finnow, *finother, *finswap; REAL fin1[192], fin2[192]; int finlength; REAL adxtail, bdxtail, cdxtail; REAL adytail, bdytail, cdytail; REAL adztail, bdztail, cdztail; INEXACT REAL at_blarge, at_clarge; INEXACT REAL bt_clarge, bt_alarge; INEXACT REAL ct_alarge, ct_blarge; REAL at_b[4], at_c[4], bt_c[4], bt_a[4], ct_a[4], ct_b[4]; int at_blen, at_clen, bt_clen, bt_alen, ct_alen, ct_blen; INEXACT REAL bdxt_cdy1, cdxt_bdy1, cdxt_ady1; INEXACT REAL adxt_cdy1, adxt_bdy1, bdxt_ady1; REAL bdxt_cdy0, cdxt_bdy0, cdxt_ady0; REAL adxt_cdy0, adxt_bdy0, bdxt_ady0; INEXACT REAL bdyt_cdx1, cdyt_bdx1, cdyt_adx1; INEXACT REAL adyt_cdx1, adyt_bdx1, bdyt_adx1; REAL bdyt_cdx0, cdyt_bdx0, cdyt_adx0; REAL adyt_cdx0, adyt_bdx0, bdyt_adx0; REAL bct[8], cat[8], abt[8]; int bctlen, catlen, abtlen; INEXACT REAL bdxt_cdyt1, cdxt_bdyt1, cdxt_adyt1; INEXACT REAL adxt_cdyt1, adxt_bdyt1, bdxt_adyt1; REAL bdxt_cdyt0, cdxt_bdyt0, cdxt_adyt0; REAL adxt_cdyt0, adxt_bdyt0, bdxt_adyt0; REAL u[4], v[12], w[16]; INEXACT REAL u3; int vlength, wlength; REAL negate; INEXACT REAL bvirt; REAL avirt, bround, around; INEXACT REAL c; INEXACT REAL abig; REAL ahi, alo, bhi, blo; REAL err1, err2, err3; INEXACT REAL _i, _j, _k; REAL _0; adx = (REAL) (pa[0] - pd[0]); bdx = (REAL) (pb[0] - pd[0]); cdx = (REAL) (pc[0] - pd[0]); ady = (REAL) (pa[1] - pd[1]); bdy = (REAL) (pb[1] - pd[1]); cdy = (REAL) (pc[1] - pd[1]); adz = (REAL) (pa[2] - pd[2]); bdz = (REAL) (pb[2] - pd[2]); cdz = (REAL) (pc[2] - pd[2]); Two_Product(bdx, cdy, bdxcdy1, bdxcdy0); Two_Product(cdx, bdy, cdxbdy1, cdxbdy0); Two_Two_Diff(bdxcdy1, bdxcdy0, cdxbdy1, cdxbdy0, bc3, bc[2], bc[1], bc[0]); bc[3] = bc3; alen = scale_expansion_zeroelim(4, bc, adz, adet); Two_Product(cdx, ady, cdxady1, cdxady0); Two_Product(adx, cdy, adxcdy1, adxcdy0); Two_Two_Diff(cdxady1, cdxady0, adxcdy1, adxcdy0, ca3, ca[2], ca[1], ca[0]); ca[3] = ca3; blen = scale_expansion_zeroelim(4, ca, bdz, bdet); Two_Product(adx, bdy, adxbdy1, adxbdy0); Two_Product(bdx, ady, bdxady1, bdxady0); Two_Two_Diff(adxbdy1, adxbdy0, bdxady1, bdxady0, ab3, ab[2], ab[1], ab[0]); ab[3] = ab3; clen = scale_expansion_zeroelim(4, ab, cdz, cdet); ablen = fast_expansion_sum_zeroelim(alen, adet, blen, bdet, abdet); finlength = fast_expansion_sum_zeroelim(ablen, abdet, clen, cdet, fin1); det = estimate(finlength, fin1); errbound = o3derrboundB * permanent; if ((det >= errbound) || (-det >= errbound)) { return det; } Two_Diff_Tail(pa[0], pd[0], adx, adxtail); Two_Diff_Tail(pb[0], pd[0], bdx, bdxtail); Two_Diff_Tail(pc[0], pd[0], cdx, cdxtail); Two_Diff_Tail(pa[1], pd[1], ady, adytail); Two_Diff_Tail(pb[1], pd[1], bdy, bdytail); Two_Diff_Tail(pc[1], pd[1], cdy, cdytail); Two_Diff_Tail(pa[2], pd[2], adz, adztail); Two_Diff_Tail(pb[2], pd[2], bdz, bdztail); Two_Diff_Tail(pc[2], pd[2], cdz, cdztail); if ((adxtail == 0.0) && (bdxtail == 0.0) && (cdxtail == 0.0) && (adytail == 0.0) && (bdytail == 0.0) && (cdytail == 0.0) && (adztail == 0.0) && (bdztail == 0.0) && (cdztail == 0.0)) { return det; } errbound = o3derrboundC * permanent + resulterrbound * Absolute(det); det += (adz * ((bdx * cdytail + cdy * bdxtail) - (bdy * cdxtail + cdx * bdytail)) + adztail * (bdx * cdy - bdy * cdx)) + (bdz * ((cdx * adytail + ady * cdxtail) - (cdy * adxtail + adx * cdytail)) + bdztail * (cdx * ady - cdy * adx)) + (cdz * ((adx * bdytail + bdy * adxtail) - (ady * bdxtail + bdx * adytail)) + cdztail * (adx * bdy - ady * bdx)); if ((det >= errbound) || (-det >= errbound)) { return det; } finnow = fin1; finother = fin2; if (adxtail == 0.0) { if (adytail == 0.0) { at_b[0] = 0.0; at_blen = 1; at_c[0] = 0.0; at_clen = 1; } else { negate = -adytail; Two_Product(negate, bdx, at_blarge, at_b[0]); at_b[1] = at_blarge; at_blen = 2; Two_Product(adytail, cdx, at_clarge, at_c[0]); at_c[1] = at_clarge; at_clen = 2; } } else { if (adytail == 0.0) { Two_Product(adxtail, bdy, at_blarge, at_b[0]); at_b[1] = at_blarge; at_blen = 2; negate = -adxtail; Two_Product(negate, cdy, at_clarge, at_c[0]); at_c[1] = at_clarge; at_clen = 2; } else { Two_Product(adxtail, bdy, adxt_bdy1, adxt_bdy0); Two_Product(adytail, bdx, adyt_bdx1, adyt_bdx0); Two_Two_Diff(adxt_bdy1, adxt_bdy0, adyt_bdx1, adyt_bdx0, at_blarge, at_b[2], at_b[1], at_b[0]); at_b[3] = at_blarge; at_blen = 4; Two_Product(adytail, cdx, adyt_cdx1, adyt_cdx0); Two_Product(adxtail, cdy, adxt_cdy1, adxt_cdy0); Two_Two_Diff(adyt_cdx1, adyt_cdx0, adxt_cdy1, adxt_cdy0, at_clarge, at_c[2], at_c[1], at_c[0]); at_c[3] = at_clarge; at_clen = 4; } } if (bdxtail == 0.0) { if (bdytail == 0.0) { bt_c[0] = 0.0; bt_clen = 1; bt_a[0] = 0.0; bt_alen = 1; } else { negate = -bdytail; Two_Product(negate, cdx, bt_clarge, bt_c[0]); bt_c[1] = bt_clarge; bt_clen = 2; Two_Product(bdytail, adx, bt_alarge, bt_a[0]); bt_a[1] = bt_alarge; bt_alen = 2; } } else { if (bdytail == 0.0) { Two_Product(bdxtail, cdy, bt_clarge, bt_c[0]); bt_c[1] = bt_clarge; bt_clen = 2; negate = -bdxtail; Two_Product(negate, ady, bt_alarge, bt_a[0]); bt_a[1] = bt_alarge; bt_alen = 2; } else { Two_Product(bdxtail, cdy, bdxt_cdy1, bdxt_cdy0); Two_Product(bdytail, cdx, bdyt_cdx1, bdyt_cdx0); Two_Two_Diff(bdxt_cdy1, bdxt_cdy0, bdyt_cdx1, bdyt_cdx0, bt_clarge, bt_c[2], bt_c[1], bt_c[0]); bt_c[3] = bt_clarge; bt_clen = 4; Two_Product(bdytail, adx, bdyt_adx1, bdyt_adx0); Two_Product(bdxtail, ady, bdxt_ady1, bdxt_ady0); Two_Two_Diff(bdyt_adx1, bdyt_adx0, bdxt_ady1, bdxt_ady0, bt_alarge, bt_a[2], bt_a[1], bt_a[0]); bt_a[3] = bt_alarge; bt_alen = 4; } } if (cdxtail == 0.0) { if (cdytail == 0.0) { ct_a[0] = 0.0; ct_alen = 1; ct_b[0] = 0.0; ct_blen = 1; } else { negate = -cdytail; Two_Product(negate, adx, ct_alarge, ct_a[0]); ct_a[1] = ct_alarge; ct_alen = 2; Two_Product(cdytail, bdx, ct_blarge, ct_b[0]); ct_b[1] = ct_blarge; ct_blen = 2; } } else { if (cdytail == 0.0) { Two_Product(cdxtail, ady, ct_alarge, ct_a[0]); ct_a[1] = ct_alarge; ct_alen = 2; negate = -cdxtail; Two_Product(negate, bdy, ct_blarge, ct_b[0]); ct_b[1] = ct_blarge; ct_blen = 2; } else { Two_Product(cdxtail, ady, cdxt_ady1, cdxt_ady0); Two_Product(cdytail, adx, cdyt_adx1, cdyt_adx0); Two_Two_Diff(cdxt_ady1, cdxt_ady0, cdyt_adx1, cdyt_adx0, ct_alarge, ct_a[2], ct_a[1], ct_a[0]); ct_a[3] = ct_alarge; ct_alen = 4; Two_Product(cdytail, bdx, cdyt_bdx1, cdyt_bdx0); Two_Product(cdxtail, bdy, cdxt_bdy1, cdxt_bdy0); Two_Two_Diff(cdyt_bdx1, cdyt_bdx0, cdxt_bdy1, cdxt_bdy0, ct_blarge, ct_b[2], ct_b[1], ct_b[0]); ct_b[3] = ct_blarge; ct_blen = 4; } } bctlen = fast_expansion_sum_zeroelim(bt_clen, bt_c, ct_blen, ct_b, bct); wlength = scale_expansion_zeroelim(bctlen, bct, adz, w); finlength = fast_expansion_sum_zeroelim(finlength, finnow, wlength, w, finother); finswap = finnow; finnow = finother; finother = finswap; catlen = fast_expansion_sum_zeroelim(ct_alen, ct_a, at_clen, at_c, cat); wlength = scale_expansion_zeroelim(catlen, cat, bdz, w); finlength = fast_expansion_sum_zeroelim(finlength, finnow, wlength, w, finother); finswap = finnow; finnow = finother; finother = finswap; abtlen = fast_expansion_sum_zeroelim(at_blen, at_b, bt_alen, bt_a, abt); wlength = scale_expansion_zeroelim(abtlen, abt, cdz, w); finlength = fast_expansion_sum_zeroelim(finlength, finnow, wlength, w, finother); finswap = finnow; finnow = finother; finother = finswap; if (adztail != 0.0) { vlength = scale_expansion_zeroelim(4, bc, adztail, v); finlength = fast_expansion_sum_zeroelim(finlength, finnow, vlength, v, finother); finswap = finnow; finnow = finother; finother = finswap; } if (bdztail != 0.0) { vlength = scale_expansion_zeroelim(4, ca, bdztail, v); finlength = fast_expansion_sum_zeroelim(finlength, finnow, vlength, v, finother); finswap = finnow; finnow = finother; finother = finswap; } if (cdztail != 0.0) { vlength = scale_expansion_zeroelim(4, ab, cdztail, v); finlength = fast_expansion_sum_zeroelim(finlength, finnow, vlength, v, finother); finswap = finnow; finnow = finother; finother = finswap; } if (adxtail != 0.0) { if (bdytail != 0.0) { Two_Product(adxtail, bdytail, adxt_bdyt1, adxt_bdyt0); Two_One_Product(adxt_bdyt1, adxt_bdyt0, cdz, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; if (cdztail != 0.0) { Two_One_Product(adxt_bdyt1, adxt_bdyt0, cdztail, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; } } if (cdytail != 0.0) { negate = -adxtail; Two_Product(negate, cdytail, adxt_cdyt1, adxt_cdyt0); Two_One_Product(adxt_cdyt1, adxt_cdyt0, bdz, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; if (bdztail != 0.0) { Two_One_Product(adxt_cdyt1, adxt_cdyt0, bdztail, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; } } } if (bdxtail != 0.0) { if (cdytail != 0.0) { Two_Product(bdxtail, cdytail, bdxt_cdyt1, bdxt_cdyt0); Two_One_Product(bdxt_cdyt1, bdxt_cdyt0, adz, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; if (adztail != 0.0) { Two_One_Product(bdxt_cdyt1, bdxt_cdyt0, adztail, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; } } if (adytail != 0.0) { negate = -bdxtail; Two_Product(negate, adytail, bdxt_adyt1, bdxt_adyt0); Two_One_Product(bdxt_adyt1, bdxt_adyt0, cdz, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; if (cdztail != 0.0) { Two_One_Product(bdxt_adyt1, bdxt_adyt0, cdztail, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; } } } if (cdxtail != 0.0) { if (adytail != 0.0) { Two_Product(cdxtail, adytail, cdxt_adyt1, cdxt_adyt0); Two_One_Product(cdxt_adyt1, cdxt_adyt0, bdz, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; if (bdztail != 0.0) { Two_One_Product(cdxt_adyt1, cdxt_adyt0, bdztail, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; } } if (bdytail != 0.0) { negate = -cdxtail; Two_Product(negate, bdytail, cdxt_bdyt1, cdxt_bdyt0); Two_One_Product(cdxt_bdyt1, cdxt_bdyt0, adz, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; if (adztail != 0.0) { Two_One_Product(cdxt_bdyt1, cdxt_bdyt0, adztail, u3, u[2], u[1], u[0]); u[3] = u3; finlength = fast_expansion_sum_zeroelim(finlength, finnow, 4, u, finother); finswap = finnow; finnow = finother; finother = finswap; } } } if (adztail != 0.0) { wlength = scale_expansion_zeroelim(bctlen, bct, adztail, w); finlength = fast_expansion_sum_zeroelim(finlength, finnow, wlength, w, finother); finswap = finnow; finnow = finother; finother = finswap; } if (bdztail != 0.0) { wlength = scale_expansion_zeroelim(catlen, cat, bdztail, w); finlength = fast_expansion_sum_zeroelim(finlength, finnow, wlength, w, finother); finswap = finnow; finnow = finother; finother = finswap; } if (cdztail != 0.0) { wlength = scale_expansion_zeroelim(abtlen, abt, cdztail, w); finlength = fast_expansion_sum_zeroelim(finlength, finnow, wlength, w, finother); finswap = finnow; finnow = finother; finother = finswap; } return finnow[finlength - 1]; } REAL orient3d(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd) { REAL adx, bdx, cdx, ady, bdy, cdy, adz, bdz, cdz; REAL bdxcdy, cdxbdy, cdxady, adxcdy, adxbdy, bdxady; REAL det; REAL permanent, errbound; REAL orient; FPU_ROUND_DOUBLE; adx = pa[0] - pd[0]; bdx = pb[0] - pd[0]; cdx = pc[0] - pd[0]; ady = pa[1] - pd[1]; bdy = pb[1] - pd[1]; cdy = pc[1] - pd[1]; adz = pa[2] - pd[2]; bdz = pb[2] - pd[2]; cdz = pc[2] - pd[2]; bdxcdy = bdx * cdy; cdxbdy = cdx * bdy; cdxady = cdx * ady; adxcdy = adx * cdy; adxbdy = adx * bdy; bdxady = bdx * ady; det = adz * (bdxcdy - cdxbdy) + bdz * (cdxady - adxcdy) + cdz * (adxbdy - bdxady); permanent = (Absolute(bdxcdy) + Absolute(cdxbdy)) * Absolute(adz) + (Absolute(cdxady) + Absolute(adxcdy)) * Absolute(bdz) + (Absolute(adxbdy) + Absolute(bdxady)) * Absolute(cdz); errbound = o3derrboundA * permanent; if ((det > errbound) || (-det > errbound)) { FPU_RESTORE; return det; } orient = orient3dadapt(pa, pb, pc, pd, permanent); FPU_RESTORE; return orient; } /*****************************************************************************/ /* */ /* incirclefast() Approximate 2D incircle test. Nonrobust. */ /* incircleexact() Exact 2D incircle test. Robust. */ /* incircleslow() Another exact 2D incircle test. Robust. */ /* incircle() Adaptive exact 2D incircle test. Robust. */ /* */ /* Return a positive value if the point pd lies inside the */ /* circle passing through pa, pb, and pc; a negative value if */ /* it lies outside; and zero if the four points are cocircular.*/ /* The points pa, pb, and pc must be in counterclockwise */ /* order, or the sign of the result will be reversed. */ /* */ /* Only the first and last routine should be used; the middle two are for */ /* timings. */ /* */ /* The last three use exact arithmetic to ensure a correct answer. The */ /* result returned is the determinant of a matrix. In incircle() only, */ /* this determinant is computed adaptively, in the sense that exact */ /* arithmetic is used only to the degree it is needed to ensure that the */ /* returned value has the correct sign. Hence, incircle() is usually quite */ /* fast, but will run more slowly when the input points are cocircular or */ /* nearly so. */ /* */ /*****************************************************************************/ static REAL incircleadapt(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd, REAL permanent) { INEXACT REAL adx, bdx, cdx, ady, bdy, cdy; REAL det, errbound; INEXACT REAL bdxcdy1, cdxbdy1, cdxady1, adxcdy1, adxbdy1, bdxady1; REAL bdxcdy0, cdxbdy0, cdxady0, adxcdy0, adxbdy0, bdxady0; REAL bc[4], ca[4], ab[4]; INEXACT REAL bc3, ca3, ab3; REAL axbc[8], axxbc[16], aybc[8], ayybc[16], adet[32]; int axbclen, axxbclen, aybclen, ayybclen, alen; REAL bxca[8], bxxca[16], byca[8], byyca[16], bdet[32]; int bxcalen, bxxcalen, bycalen, byycalen, blen; REAL cxab[8], cxxab[16], cyab[8], cyyab[16], cdet[32]; int cxablen, cxxablen, cyablen, cyyablen, clen; REAL abdet[64]; int ablen; REAL fin1[1152], fin2[1152]; REAL *finnow, *finother, *finswap; int finlength; REAL adxtail, bdxtail, cdxtail, adytail, bdytail, cdytail; INEXACT REAL adxadx1, adyady1, bdxbdx1, bdybdy1, cdxcdx1, cdycdy1; REAL adxadx0, adyady0, bdxbdx0, bdybdy0, cdxcdx0, cdycdy0; REAL aa[4], bb[4], cc[4]; INEXACT REAL aa3, bb3, cc3; INEXACT REAL ti1, tj1; REAL ti0, tj0; REAL u[4], v[4]; INEXACT REAL u3, v3; REAL temp8[8], temp16a[16], temp16b[16], temp16c[16]; REAL temp32a[32], temp32b[32], temp48[48], temp64[64]; int temp8len, temp16alen, temp16blen, temp16clen; int temp32alen, temp32blen, temp48len, temp64len; REAL axtbb[8], axtcc[8], aytbb[8], aytcc[8]; int axtbblen, axtcclen, aytbblen, aytcclen; REAL bxtaa[8], bxtcc[8], bytaa[8], bytcc[8]; int bxtaalen, bxtcclen, bytaalen, bytcclen; REAL cxtaa[8], cxtbb[8], cytaa[8], cytbb[8]; int cxtaalen, cxtbblen, cytaalen, cytbblen; REAL axtbc[8], aytbc[8], bxtca[8], bytca[8], cxtab[8], cytab[8]; int axtbclen = 0, aytbclen = 0; int bxtcalen = 0, bytcalen = 0; int cxtablen = 0, cytablen = 0; REAL axtbct[16], aytbct[16], bxtcat[16], bytcat[16], cxtabt[16], cytabt[16]; int axtbctlen, aytbctlen, bxtcatlen, bytcatlen, cxtabtlen, cytabtlen; REAL axtbctt[8], aytbctt[8], bxtcatt[8]; REAL bytcatt[8], cxtabtt[8], cytabtt[8]; int axtbcttlen, aytbcttlen, bxtcattlen, bytcattlen, cxtabttlen, cytabttlen; REAL abt[8], bct[8], cat[8]; int abtlen, bctlen, catlen; REAL abtt[4], bctt[4], catt[4]; int abttlen, bcttlen, cattlen; INEXACT REAL abtt3, bctt3, catt3; REAL negate; INEXACT REAL bvirt; REAL avirt, bround, around; INEXACT REAL c; INEXACT REAL abig; REAL ahi, alo, bhi, blo; REAL err1, err2, err3; INEXACT REAL _i, _j; REAL _0; adx = (REAL) (pa[0] - pd[0]); bdx = (REAL) (pb[0] - pd[0]); cdx = (REAL) (pc[0] - pd[0]); ady = (REAL) (pa[1] - pd[1]); bdy = (REAL) (pb[1] - pd[1]); cdy = (REAL) (pc[1] - pd[1]); Two_Product(bdx, cdy, bdxcdy1, bdxcdy0); Two_Product(cdx, bdy, cdxbdy1, cdxbdy0); Two_Two_Diff(bdxcdy1, bdxcdy0, cdxbdy1, cdxbdy0, bc3, bc[2], bc[1], bc[0]); bc[3] = bc3; axbclen = scale_expansion_zeroelim(4, bc, adx, axbc); axxbclen = scale_expansion_zeroelim(axbclen, axbc, adx, axxbc); aybclen = scale_expansion_zeroelim(4, bc, ady, aybc); ayybclen = scale_expansion_zeroelim(aybclen, aybc, ady, ayybc); alen = fast_expansion_sum_zeroelim(axxbclen, axxbc, ayybclen, ayybc, adet); Two_Product(cdx, ady, cdxady1, cdxady0); Two_Product(adx, cdy, adxcdy1, adxcdy0); Two_Two_Diff(cdxady1, cdxady0, adxcdy1, adxcdy0, ca3, ca[2], ca[1], ca[0]); ca[3] = ca3; bxcalen = scale_expansion_zeroelim(4, ca, bdx, bxca); bxxcalen = scale_expansion_zeroelim(bxcalen, bxca, bdx, bxxca); bycalen = scale_expansion_zeroelim(4, ca, bdy, byca); byycalen = scale_expansion_zeroelim(bycalen, byca, bdy, byyca); blen = fast_expansion_sum_zeroelim(bxxcalen, bxxca, byycalen, byyca, bdet); Two_Product(adx, bdy, adxbdy1, adxbdy0); Two_Product(bdx, ady, bdxady1, bdxady0); Two_Two_Diff(adxbdy1, adxbdy0, bdxady1, bdxady0, ab3, ab[2], ab[1], ab[0]); ab[3] = ab3; cxablen = scale_expansion_zeroelim(4, ab, cdx, cxab); cxxablen = scale_expansion_zeroelim(cxablen, cxab, cdx, cxxab); cyablen = scale_expansion_zeroelim(4, ab, cdy, cyab); cyyablen = scale_expansion_zeroelim(cyablen, cyab, cdy, cyyab); clen = fast_expansion_sum_zeroelim(cxxablen, cxxab, cyyablen, cyyab, cdet); ablen = fast_expansion_sum_zeroelim(alen, adet, blen, bdet, abdet); finlength = fast_expansion_sum_zeroelim(ablen, abdet, clen, cdet, fin1); det = estimate(finlength, fin1); errbound = iccerrboundB * permanent; if ((det >= errbound) || (-det >= errbound)) { return det; } Two_Diff_Tail(pa[0], pd[0], adx, adxtail); Two_Diff_Tail(pa[1], pd[1], ady, adytail); Two_Diff_Tail(pb[0], pd[0], bdx, bdxtail); Two_Diff_Tail(pb[1], pd[1], bdy, bdytail); Two_Diff_Tail(pc[0], pd[0], cdx, cdxtail); Two_Diff_Tail(pc[1], pd[1], cdy, cdytail); if ((adxtail == 0.0) && (bdxtail == 0.0) && (cdxtail == 0.0) && (adytail == 0.0) && (bdytail == 0.0) && (cdytail == 0.0)) { return det; } errbound = iccerrboundC * permanent + resulterrbound * Absolute(det); det += ((adx * adx + ady * ady) * ((bdx * cdytail + cdy * bdxtail) - (bdy * cdxtail + cdx * bdytail)) + 2.0 * (adx * adxtail + ady * adytail) * (bdx * cdy - bdy * cdx)) + ((bdx * bdx + bdy * bdy) * ((cdx * adytail + ady * cdxtail) - (cdy * adxtail + adx * cdytail)) + 2.0 * (bdx * bdxtail + bdy * bdytail) * (cdx * ady - cdy * adx)) + ((cdx * cdx + cdy * cdy) * ((adx * bdytail + bdy * adxtail) - (ady * bdxtail + bdx * adytail)) + 2.0 * (cdx * cdxtail + cdy * cdytail) * (adx * bdy - ady * bdx)); if ((det >= errbound) || (-det >= errbound)) { return det; } finnow = fin1; finother = fin2; if ((bdxtail != 0.0) || (bdytail != 0.0) || (cdxtail != 0.0) || (cdytail != 0.0)) { Square(adx, adxadx1, adxadx0); Square(ady, adyady1, adyady0); Two_Two_Sum(adxadx1, adxadx0, adyady1, adyady0, aa3, aa[2], aa[1], aa[0]); aa[3] = aa3; } if ((cdxtail != 0.0) || (cdytail != 0.0) || (adxtail != 0.0) || (adytail != 0.0)) { Square(bdx, bdxbdx1, bdxbdx0); Square(bdy, bdybdy1, bdybdy0); Two_Two_Sum(bdxbdx1, bdxbdx0, bdybdy1, bdybdy0, bb3, bb[2], bb[1], bb[0]); bb[3] = bb3; } if ((adxtail != 0.0) || (adytail != 0.0) || (bdxtail != 0.0) || (bdytail != 0.0)) { Square(cdx, cdxcdx1, cdxcdx0); Square(cdy, cdycdy1, cdycdy0); Two_Two_Sum(cdxcdx1, cdxcdx0, cdycdy1, cdycdy0, cc3, cc[2], cc[1], cc[0]); cc[3] = cc3; } if (adxtail != 0.0) { axtbclen = scale_expansion_zeroelim(4, bc, adxtail, axtbc); temp16alen = scale_expansion_zeroelim(axtbclen, axtbc, 2.0 * adx, temp16a); axtcclen = scale_expansion_zeroelim(4, cc, adxtail, axtcc); temp16blen = scale_expansion_zeroelim(axtcclen, axtcc, bdy, temp16b); axtbblen = scale_expansion_zeroelim(4, bb, adxtail, axtbb); temp16clen = scale_expansion_zeroelim(axtbblen, axtbb, -cdy, temp16c); temp32alen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16clen, temp16c, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; } if (adytail != 0.0) { aytbclen = scale_expansion_zeroelim(4, bc, adytail, aytbc); temp16alen = scale_expansion_zeroelim(aytbclen, aytbc, 2.0 * ady, temp16a); aytbblen = scale_expansion_zeroelim(4, bb, adytail, aytbb); temp16blen = scale_expansion_zeroelim(aytbblen, aytbb, cdx, temp16b); aytcclen = scale_expansion_zeroelim(4, cc, adytail, aytcc); temp16clen = scale_expansion_zeroelim(aytcclen, aytcc, -bdx, temp16c); temp32alen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16clen, temp16c, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; } if (bdxtail != 0.0) { bxtcalen = scale_expansion_zeroelim(4, ca, bdxtail, bxtca); temp16alen = scale_expansion_zeroelim(bxtcalen, bxtca, 2.0 * bdx, temp16a); bxtaalen = scale_expansion_zeroelim(4, aa, bdxtail, bxtaa); temp16blen = scale_expansion_zeroelim(bxtaalen, bxtaa, cdy, temp16b); bxtcclen = scale_expansion_zeroelim(4, cc, bdxtail, bxtcc); temp16clen = scale_expansion_zeroelim(bxtcclen, bxtcc, -ady, temp16c); temp32alen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16clen, temp16c, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; } if (bdytail != 0.0) { bytcalen = scale_expansion_zeroelim(4, ca, bdytail, bytca); temp16alen = scale_expansion_zeroelim(bytcalen, bytca, 2.0 * bdy, temp16a); bytcclen = scale_expansion_zeroelim(4, cc, bdytail, bytcc); temp16blen = scale_expansion_zeroelim(bytcclen, bytcc, adx, temp16b); bytaalen = scale_expansion_zeroelim(4, aa, bdytail, bytaa); temp16clen = scale_expansion_zeroelim(bytaalen, bytaa, -cdx, temp16c); temp32alen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16clen, temp16c, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; } if (cdxtail != 0.0) { cxtablen = scale_expansion_zeroelim(4, ab, cdxtail, cxtab); temp16alen = scale_expansion_zeroelim(cxtablen, cxtab, 2.0 * cdx, temp16a); cxtbblen = scale_expansion_zeroelim(4, bb, cdxtail, cxtbb); temp16blen = scale_expansion_zeroelim(cxtbblen, cxtbb, ady, temp16b); cxtaalen = scale_expansion_zeroelim(4, aa, cdxtail, cxtaa); temp16clen = scale_expansion_zeroelim(cxtaalen, cxtaa, -bdy, temp16c); temp32alen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16clen, temp16c, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; } if (cdytail != 0.0) { cytablen = scale_expansion_zeroelim(4, ab, cdytail, cytab); temp16alen = scale_expansion_zeroelim(cytablen, cytab, 2.0 * cdy, temp16a); cytaalen = scale_expansion_zeroelim(4, aa, cdytail, cytaa); temp16blen = scale_expansion_zeroelim(cytaalen, cytaa, bdx, temp16b); cytbblen = scale_expansion_zeroelim(4, bb, cdytail, cytbb); temp16clen = scale_expansion_zeroelim(cytbblen, cytbb, -adx, temp16c); temp32alen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16clen, temp16c, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; } if ((adxtail != 0.0) || (adytail != 0.0)) { if ((bdxtail != 0.0) || (bdytail != 0.0) || (cdxtail != 0.0) || (cdytail != 0.0)) { Two_Product(bdxtail, cdy, ti1, ti0); Two_Product(bdx, cdytail, tj1, tj0); Two_Two_Sum(ti1, ti0, tj1, tj0, u3, u[2], u[1], u[0]); u[3] = u3; negate = -bdy; Two_Product(cdxtail, negate, ti1, ti0); negate = -bdytail; Two_Product(cdx, negate, tj1, tj0); Two_Two_Sum(ti1, ti0, tj1, tj0, v3, v[2], v[1], v[0]); v[3] = v3; bctlen = fast_expansion_sum_zeroelim(4, u, 4, v, bct); Two_Product(bdxtail, cdytail, ti1, ti0); Two_Product(cdxtail, bdytail, tj1, tj0); Two_Two_Diff(ti1, ti0, tj1, tj0, bctt3, bctt[2], bctt[1], bctt[0]); bctt[3] = bctt3; bcttlen = 4; } else { bct[0] = 0.0; bctlen = 1; bctt[0] = 0.0; bcttlen = 1; } if (adxtail != 0.0) { temp16alen = scale_expansion_zeroelim(axtbclen, axtbc, adxtail, temp16a); axtbctlen = scale_expansion_zeroelim(bctlen, bct, adxtail, axtbct); temp32alen = scale_expansion_zeroelim(axtbctlen, axtbct, 2.0 * adx, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; if (bdytail != 0.0) { temp8len = scale_expansion_zeroelim(4, cc, adxtail, temp8); temp16alen = scale_expansion_zeroelim(temp8len, temp8, bdytail, temp16a); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp16alen, temp16a, finother); finswap = finnow; finnow = finother; finother = finswap; } if (cdytail != 0.0) { temp8len = scale_expansion_zeroelim(4, bb, -adxtail, temp8); temp16alen = scale_expansion_zeroelim(temp8len, temp8, cdytail, temp16a); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp16alen, temp16a, finother); finswap = finnow; finnow = finother; finother = finswap; } temp32alen = scale_expansion_zeroelim(axtbctlen, axtbct, adxtail, temp32a); axtbcttlen = scale_expansion_zeroelim(bcttlen, bctt, adxtail, axtbctt); temp16alen = scale_expansion_zeroelim(axtbcttlen, axtbctt, 2.0 * adx, temp16a); temp16blen = scale_expansion_zeroelim(axtbcttlen, axtbctt, adxtail, temp16b); temp32blen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32b); temp64len = fast_expansion_sum_zeroelim(temp32alen, temp32a, temp32blen, temp32b, temp64); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp64len, temp64, finother); finswap = finnow; finnow = finother; finother = finswap; } if (adytail != 0.0) { temp16alen = scale_expansion_zeroelim(aytbclen, aytbc, adytail, temp16a); aytbctlen = scale_expansion_zeroelim(bctlen, bct, adytail, aytbct); temp32alen = scale_expansion_zeroelim(aytbctlen, aytbct, 2.0 * ady, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; temp32alen = scale_expansion_zeroelim(aytbctlen, aytbct, adytail, temp32a); aytbcttlen = scale_expansion_zeroelim(bcttlen, bctt, adytail, aytbctt); temp16alen = scale_expansion_zeroelim(aytbcttlen, aytbctt, 2.0 * ady, temp16a); temp16blen = scale_expansion_zeroelim(aytbcttlen, aytbctt, adytail, temp16b); temp32blen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32b); temp64len = fast_expansion_sum_zeroelim(temp32alen, temp32a, temp32blen, temp32b, temp64); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp64len, temp64, finother); finswap = finnow; finnow = finother; finother = finswap; } } if ((bdxtail != 0.0) || (bdytail != 0.0)) { if ((cdxtail != 0.0) || (cdytail != 0.0) || (adxtail != 0.0) || (adytail != 0.0)) { Two_Product(cdxtail, ady, ti1, ti0); Two_Product(cdx, adytail, tj1, tj0); Two_Two_Sum(ti1, ti0, tj1, tj0, u3, u[2], u[1], u[0]); u[3] = u3; negate = -cdy; Two_Product(adxtail, negate, ti1, ti0); negate = -cdytail; Two_Product(adx, negate, tj1, tj0); Two_Two_Sum(ti1, ti0, tj1, tj0, v3, v[2], v[1], v[0]); v[3] = v3; catlen = fast_expansion_sum_zeroelim(4, u, 4, v, cat); Two_Product(cdxtail, adytail, ti1, ti0); Two_Product(adxtail, cdytail, tj1, tj0); Two_Two_Diff(ti1, ti0, tj1, tj0, catt3, catt[2], catt[1], catt[0]); catt[3] = catt3; cattlen = 4; } else { cat[0] = 0.0; catlen = 1; catt[0] = 0.0; cattlen = 1; } if (bdxtail != 0.0) { temp16alen = scale_expansion_zeroelim(bxtcalen, bxtca, bdxtail, temp16a); bxtcatlen = scale_expansion_zeroelim(catlen, cat, bdxtail, bxtcat); temp32alen = scale_expansion_zeroelim(bxtcatlen, bxtcat, 2.0 * bdx, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; if (cdytail != 0.0) { temp8len = scale_expansion_zeroelim(4, aa, bdxtail, temp8); temp16alen = scale_expansion_zeroelim(temp8len, temp8, cdytail, temp16a); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp16alen, temp16a, finother); finswap = finnow; finnow = finother; finother = finswap; } if (adytail != 0.0) { temp8len = scale_expansion_zeroelim(4, cc, -bdxtail, temp8); temp16alen = scale_expansion_zeroelim(temp8len, temp8, adytail, temp16a); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp16alen, temp16a, finother); finswap = finnow; finnow = finother; finother = finswap; } temp32alen = scale_expansion_zeroelim(bxtcatlen, bxtcat, bdxtail, temp32a); bxtcattlen = scale_expansion_zeroelim(cattlen, catt, bdxtail, bxtcatt); temp16alen = scale_expansion_zeroelim(bxtcattlen, bxtcatt, 2.0 * bdx, temp16a); temp16blen = scale_expansion_zeroelim(bxtcattlen, bxtcatt, bdxtail, temp16b); temp32blen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32b); temp64len = fast_expansion_sum_zeroelim(temp32alen, temp32a, temp32blen, temp32b, temp64); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp64len, temp64, finother); finswap = finnow; finnow = finother; finother = finswap; } if (bdytail != 0.0) { temp16alen = scale_expansion_zeroelim(bytcalen, bytca, bdytail, temp16a); bytcatlen = scale_expansion_zeroelim(catlen, cat, bdytail, bytcat); temp32alen = scale_expansion_zeroelim(bytcatlen, bytcat, 2.0 * bdy, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; temp32alen = scale_expansion_zeroelim(bytcatlen, bytcat, bdytail, temp32a); bytcattlen = scale_expansion_zeroelim(cattlen, catt, bdytail, bytcatt); temp16alen = scale_expansion_zeroelim(bytcattlen, bytcatt, 2.0 * bdy, temp16a); temp16blen = scale_expansion_zeroelim(bytcattlen, bytcatt, bdytail, temp16b); temp32blen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32b); temp64len = fast_expansion_sum_zeroelim(temp32alen, temp32a, temp32blen, temp32b, temp64); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp64len, temp64, finother); finswap = finnow; finnow = finother; finother = finswap; } } if ((cdxtail != 0.0) || (cdytail != 0.0)) { if ((adxtail != 0.0) || (adytail != 0.0) || (bdxtail != 0.0) || (bdytail != 0.0)) { Two_Product(adxtail, bdy, ti1, ti0); Two_Product(adx, bdytail, tj1, tj0); Two_Two_Sum(ti1, ti0, tj1, tj0, u3, u[2], u[1], u[0]); u[3] = u3; negate = -ady; Two_Product(bdxtail, negate, ti1, ti0); negate = -adytail; Two_Product(bdx, negate, tj1, tj0); Two_Two_Sum(ti1, ti0, tj1, tj0, v3, v[2], v[1], v[0]); v[3] = v3; abtlen = fast_expansion_sum_zeroelim(4, u, 4, v, abt); Two_Product(adxtail, bdytail, ti1, ti0); Two_Product(bdxtail, adytail, tj1, tj0); Two_Two_Diff(ti1, ti0, tj1, tj0, abtt3, abtt[2], abtt[1], abtt[0]); abtt[3] = abtt3; abttlen = 4; } else { abt[0] = 0.0; abtlen = 1; abtt[0] = 0.0; abttlen = 1; } if (cdxtail != 0.0) { temp16alen = scale_expansion_zeroelim(cxtablen, cxtab, cdxtail, temp16a); cxtabtlen = scale_expansion_zeroelim(abtlen, abt, cdxtail, cxtabt); temp32alen = scale_expansion_zeroelim(cxtabtlen, cxtabt, 2.0 * cdx, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; if (adytail != 0.0) { temp8len = scale_expansion_zeroelim(4, bb, cdxtail, temp8); temp16alen = scale_expansion_zeroelim(temp8len, temp8, adytail, temp16a); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp16alen, temp16a, finother); finswap = finnow; finnow = finother; finother = finswap; } if (bdytail != 0.0) { temp8len = scale_expansion_zeroelim(4, aa, -cdxtail, temp8); temp16alen = scale_expansion_zeroelim(temp8len, temp8, bdytail, temp16a); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp16alen, temp16a, finother); finswap = finnow; finnow = finother; finother = finswap; } temp32alen = scale_expansion_zeroelim(cxtabtlen, cxtabt, cdxtail, temp32a); cxtabttlen = scale_expansion_zeroelim(abttlen, abtt, cdxtail, cxtabtt); temp16alen = scale_expansion_zeroelim(cxtabttlen, cxtabtt, 2.0 * cdx, temp16a); temp16blen = scale_expansion_zeroelim(cxtabttlen, cxtabtt, cdxtail, temp16b); temp32blen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32b); temp64len = fast_expansion_sum_zeroelim(temp32alen, temp32a, temp32blen, temp32b, temp64); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp64len, temp64, finother); finswap = finnow; finnow = finother; finother = finswap; } if (cdytail != 0.0) { temp16alen = scale_expansion_zeroelim(cytablen, cytab, cdytail, temp16a); cytabtlen = scale_expansion_zeroelim(abtlen, abt, cdytail, cytabt); temp32alen = scale_expansion_zeroelim(cytabtlen, cytabt, 2.0 * cdy, temp32a); temp48len = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp32alen, temp32a, temp48); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp48len, temp48, finother); finswap = finnow; finnow = finother; finother = finswap; temp32alen = scale_expansion_zeroelim(cytabtlen, cytabt, cdytail, temp32a); cytabttlen = scale_expansion_zeroelim(abttlen, abtt, cdytail, cytabtt); temp16alen = scale_expansion_zeroelim(cytabttlen, cytabtt, 2.0 * cdy, temp16a); temp16blen = scale_expansion_zeroelim(cytabttlen, cytabtt, cdytail, temp16b); temp32blen = fast_expansion_sum_zeroelim(temp16alen, temp16a, temp16blen, temp16b, temp32b); temp64len = fast_expansion_sum_zeroelim(temp32alen, temp32a, temp32blen, temp32b, temp64); finlength = fast_expansion_sum_zeroelim(finlength, finnow, temp64len, temp64, finother); finswap = finnow; finnow = finother; finother = finswap; } } return finnow[finlength - 1]; } REAL incircle(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd) { REAL adx, bdx, cdx, ady, bdy, cdy; REAL bdxcdy, cdxbdy, cdxady, adxcdy, adxbdy, bdxady; REAL alift, blift, clift; REAL det; REAL permanent, errbound; REAL inc; FPU_ROUND_DOUBLE; adx = pa[0] - pd[0]; bdx = pb[0] - pd[0]; cdx = pc[0] - pd[0]; ady = pa[1] - pd[1]; bdy = pb[1] - pd[1]; cdy = pc[1] - pd[1]; bdxcdy = bdx * cdy; cdxbdy = cdx * bdy; alift = adx * adx + ady * ady; cdxady = cdx * ady; adxcdy = adx * cdy; blift = bdx * bdx + bdy * bdy; adxbdy = adx * bdy; bdxady = bdx * ady; clift = cdx * cdx + cdy * cdy; det = alift * (bdxcdy - cdxbdy) + blift * (cdxady - adxcdy) + clift * (adxbdy - bdxady); permanent = (Absolute(bdxcdy) + Absolute(cdxbdy)) * alift + (Absolute(cdxady) + Absolute(adxcdy)) * blift + (Absolute(adxbdy) + Absolute(bdxady)) * clift; errbound = iccerrboundA * permanent; if ((det > errbound) || (-det > errbound)) { FPU_RESTORE; return det; } inc = incircleadapt(pa, pb, pc, pd, permanent); FPU_RESTORE; return inc; } REAL incircle(REAL ax, REAL ay, REAL bx, REAL by, REAL cx, REAL cy, REAL dx, REAL dy) { REAL adx, bdx, cdx, ady, bdy, cdy; REAL bdxcdy, cdxbdy, cdxady, adxcdy, adxbdy, bdxady; REAL alift, blift, clift; REAL det; REAL permanent, errbound; REAL inc; FPU_ROUND_DOUBLE; adx = ax - dx; bdx = bx - dx; cdx = cx - dx; ady = ay - dy; bdy = by - dy; cdy = cy - dy; bdxcdy = bdx * cdy; cdxbdy = cdx * bdy; alift = adx * adx + ady * ady; cdxady = cdx * ady; adxcdy = adx * cdy; blift = bdx * bdx + bdy * bdy; adxbdy = adx * bdy; bdxady = bdx * ady; clift = cdx * cdx + cdy * cdy; det = alift * (bdxcdy - cdxbdy) + blift * (cdxady - adxcdy) + clift * (adxbdy - bdxady); permanent = (Absolute(bdxcdy) + Absolute(cdxbdy)) * alift + (Absolute(cdxady) + Absolute(adxcdy)) * blift + (Absolute(adxbdy) + Absolute(bdxady)) * clift; errbound = iccerrboundA * permanent; if ((det > errbound) || (-det > errbound)) { FPU_RESTORE; return det; } REAL pa[]={ax,ay}; REAL pb[]={bx,by}; REAL pc[]={cx,cy}; REAL pd[]={dx,dy}; inc = incircleadapt(pa, pb, pc, pd, permanent); FPU_RESTORE; return inc; } /*****************************************************************************/ /* */ /* inspherefast() Approximate 3D insphere test. Nonrobust. */ /* insphereexact() Exact 3D insphere test. Robust. */ /* insphereslow() Another exact 3D insphere test. Robust. */ /* insphere() Adaptive exact 3D insphere test. Robust. */ /* */ /* Return a positive value if the point pe lies inside the */ /* sphere passing through pa, pb, pc, and pd; a negative value */ /* if it lies outside; and zero if the five points are */ /* cospherical. The points pa, pb, pc, and pd must be ordered */ /* so that they have a positive orientation (as defined by */ /* orient3d()), or the sign of the result will be reversed. */ /* */ /* Only the first and last routine should be used; the middle two are for */ /* timings. */ /* */ /* The last three use exact arithmetic to ensure a correct answer. The */ /* result returned is the determinant of a matrix. In insphere() only, */ /* this determinant is computed adaptively, in the sense that exact */ /* arithmetic is used only to the degree it is needed to ensure that the */ /* returned value has the correct sign. Hence, insphere() is usually quite */ /* fast, but will run more slowly when the input points are cospherical or */ /* nearly so. */ /* */ /*****************************************************************************/ static REAL insphereexact(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd, const REAL *pe) { INEXACT REAL axby1, bxcy1, cxdy1, dxey1, exay1; INEXACT REAL bxay1, cxby1, dxcy1, exdy1, axey1; INEXACT REAL axcy1, bxdy1, cxey1, dxay1, exby1; INEXACT REAL cxay1, dxby1, excy1, axdy1, bxey1; REAL axby0, bxcy0, cxdy0, dxey0, exay0; REAL bxay0, cxby0, dxcy0, exdy0, axey0; REAL axcy0, bxdy0, cxey0, dxay0, exby0; REAL cxay0, dxby0, excy0, axdy0, bxey0; REAL ab[4], bc[4], cd[4], de[4], ea[4]; REAL ac[4], bd[4], ce[4], da[4], eb[4]; REAL temp8a[8], temp8b[8], temp16[16]; int temp8alen, temp8blen, temp16len; REAL abc[24], bcd[24], cde[24], dea[24], eab[24]; REAL abd[24], bce[24], cda[24], deb[24], eac[24]; int abclen, bcdlen, cdelen, dealen, eablen; int abdlen, bcelen, cdalen, deblen, eaclen; REAL temp48a[48], temp48b[48]; int temp48alen, temp48blen; REAL abcd[96], bcde[96], cdea[96], deab[96], eabc[96]; int abcdlen, bcdelen, cdealen, deablen, eabclen; REAL temp192[192]; REAL det384x[384], det384y[384], det384z[384]; int xlen, ylen, zlen; REAL detxy[768]; int xylen; REAL adet[1152], bdet[1152], cdet[1152], ddet[1152], edet[1152]; int alen, blen, clen, dlen, elen; REAL abdet[2304], cddet[2304], cdedet[3456]; int ablen, cdlen; REAL deter[5760]; int deterlen; int i; INEXACT REAL bvirt; REAL avirt, bround, around; INEXACT REAL c; INEXACT REAL abig; REAL ahi, alo, bhi, blo; REAL err1, err2, err3; INEXACT REAL _i, _j; REAL _0; Two_Product(pa[0], pb[1], axby1, axby0); Two_Product(pb[0], pa[1], bxay1, bxay0); Two_Two_Diff(axby1, axby0, bxay1, bxay0, ab[3], ab[2], ab[1], ab[0]); Two_Product(pb[0], pc[1], bxcy1, bxcy0); Two_Product(pc[0], pb[1], cxby1, cxby0); Two_Two_Diff(bxcy1, bxcy0, cxby1, cxby0, bc[3], bc[2], bc[1], bc[0]); Two_Product(pc[0], pd[1], cxdy1, cxdy0); Two_Product(pd[0], pc[1], dxcy1, dxcy0); Two_Two_Diff(cxdy1, cxdy0, dxcy1, dxcy0, cd[3], cd[2], cd[1], cd[0]); Two_Product(pd[0], pe[1], dxey1, dxey0); Two_Product(pe[0], pd[1], exdy1, exdy0); Two_Two_Diff(dxey1, dxey0, exdy1, exdy0, de[3], de[2], de[1], de[0]); Two_Product(pe[0], pa[1], exay1, exay0); Two_Product(pa[0], pe[1], axey1, axey0); Two_Two_Diff(exay1, exay0, axey1, axey0, ea[3], ea[2], ea[1], ea[0]); Two_Product(pa[0], pc[1], axcy1, axcy0); Two_Product(pc[0], pa[1], cxay1, cxay0); Two_Two_Diff(axcy1, axcy0, cxay1, cxay0, ac[3], ac[2], ac[1], ac[0]); Two_Product(pb[0], pd[1], bxdy1, bxdy0); Two_Product(pd[0], pb[1], dxby1, dxby0); Two_Two_Diff(bxdy1, bxdy0, dxby1, dxby0, bd[3], bd[2], bd[1], bd[0]); Two_Product(pc[0], pe[1], cxey1, cxey0); Two_Product(pe[0], pc[1], excy1, excy0); Two_Two_Diff(cxey1, cxey0, excy1, excy0, ce[3], ce[2], ce[1], ce[0]); Two_Product(pd[0], pa[1], dxay1, dxay0); Two_Product(pa[0], pd[1], axdy1, axdy0); Two_Two_Diff(dxay1, dxay0, axdy1, axdy0, da[3], da[2], da[1], da[0]); Two_Product(pe[0], pb[1], exby1, exby0); Two_Product(pb[0], pe[1], bxey1, bxey0); Two_Two_Diff(exby1, exby0, bxey1, bxey0, eb[3], eb[2], eb[1], eb[0]); temp8alen = scale_expansion_zeroelim(4, bc, pa[2], temp8a); temp8blen = scale_expansion_zeroelim(4, ac, -pb[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, ab, pc[2], temp8a); abclen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, abc); temp8alen = scale_expansion_zeroelim(4, cd, pb[2], temp8a); temp8blen = scale_expansion_zeroelim(4, bd, -pc[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, bc, pd[2], temp8a); bcdlen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, bcd); temp8alen = scale_expansion_zeroelim(4, de, pc[2], temp8a); temp8blen = scale_expansion_zeroelim(4, ce, -pd[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, cd, pe[2], temp8a); cdelen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, cde); temp8alen = scale_expansion_zeroelim(4, ea, pd[2], temp8a); temp8blen = scale_expansion_zeroelim(4, da, -pe[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, de, pa[2], temp8a); dealen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, dea); temp8alen = scale_expansion_zeroelim(4, ab, pe[2], temp8a); temp8blen = scale_expansion_zeroelim(4, eb, -pa[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, ea, pb[2], temp8a); eablen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, eab); temp8alen = scale_expansion_zeroelim(4, bd, pa[2], temp8a); temp8blen = scale_expansion_zeroelim(4, da, pb[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, ab, pd[2], temp8a); abdlen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, abd); temp8alen = scale_expansion_zeroelim(4, ce, pb[2], temp8a); temp8blen = scale_expansion_zeroelim(4, eb, pc[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, bc, pe[2], temp8a); bcelen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, bce); temp8alen = scale_expansion_zeroelim(4, da, pc[2], temp8a); temp8blen = scale_expansion_zeroelim(4, ac, pd[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, cd, pa[2], temp8a); cdalen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, cda); temp8alen = scale_expansion_zeroelim(4, eb, pd[2], temp8a); temp8blen = scale_expansion_zeroelim(4, bd, pe[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, de, pb[2], temp8a); deblen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, deb); temp8alen = scale_expansion_zeroelim(4, ac, pe[2], temp8a); temp8blen = scale_expansion_zeroelim(4, ce, pa[2], temp8b); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp8alen = scale_expansion_zeroelim(4, ea, pc[2], temp8a); eaclen = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp16len, temp16, eac); temp48alen = fast_expansion_sum_zeroelim(cdelen, cde, bcelen, bce, temp48a); temp48blen = fast_expansion_sum_zeroelim(deblen, deb, bcdlen, bcd, temp48b); for (i = 0; i < temp48blen; i++) { temp48b[i] = -temp48b[i]; } bcdelen = fast_expansion_sum_zeroelim(temp48alen, temp48a, temp48blen, temp48b, bcde); xlen = scale_expansion_zeroelim(bcdelen, bcde, pa[0], temp192); xlen = scale_expansion_zeroelim(xlen, temp192, pa[0], det384x); ylen = scale_expansion_zeroelim(bcdelen, bcde, pa[1], temp192); ylen = scale_expansion_zeroelim(ylen, temp192, pa[1], det384y); zlen = scale_expansion_zeroelim(bcdelen, bcde, pa[2], temp192); zlen = scale_expansion_zeroelim(zlen, temp192, pa[2], det384z); xylen = fast_expansion_sum_zeroelim(xlen, det384x, ylen, det384y, detxy); alen = fast_expansion_sum_zeroelim(xylen, detxy, zlen, det384z, adet); temp48alen = fast_expansion_sum_zeroelim(dealen, dea, cdalen, cda, temp48a); temp48blen = fast_expansion_sum_zeroelim(eaclen, eac, cdelen, cde, temp48b); for (i = 0; i < temp48blen; i++) { temp48b[i] = -temp48b[i]; } cdealen = fast_expansion_sum_zeroelim(temp48alen, temp48a, temp48blen, temp48b, cdea); xlen = scale_expansion_zeroelim(cdealen, cdea, pb[0], temp192); xlen = scale_expansion_zeroelim(xlen, temp192, pb[0], det384x); ylen = scale_expansion_zeroelim(cdealen, cdea, pb[1], temp192); ylen = scale_expansion_zeroelim(ylen, temp192, pb[1], det384y); zlen = scale_expansion_zeroelim(cdealen, cdea, pb[2], temp192); zlen = scale_expansion_zeroelim(zlen, temp192, pb[2], det384z); xylen = fast_expansion_sum_zeroelim(xlen, det384x, ylen, det384y, detxy); blen = fast_expansion_sum_zeroelim(xylen, detxy, zlen, det384z, bdet); temp48alen = fast_expansion_sum_zeroelim(eablen, eab, deblen, deb, temp48a); temp48blen = fast_expansion_sum_zeroelim(abdlen, abd, dealen, dea, temp48b); for (i = 0; i < temp48blen; i++) { temp48b[i] = -temp48b[i]; } deablen = fast_expansion_sum_zeroelim(temp48alen, temp48a, temp48blen, temp48b, deab); xlen = scale_expansion_zeroelim(deablen, deab, pc[0], temp192); xlen = scale_expansion_zeroelim(xlen, temp192, pc[0], det384x); ylen = scale_expansion_zeroelim(deablen, deab, pc[1], temp192); ylen = scale_expansion_zeroelim(ylen, temp192, pc[1], det384y); zlen = scale_expansion_zeroelim(deablen, deab, pc[2], temp192); zlen = scale_expansion_zeroelim(zlen, temp192, pc[2], det384z); xylen = fast_expansion_sum_zeroelim(xlen, det384x, ylen, det384y, detxy); clen = fast_expansion_sum_zeroelim(xylen, detxy, zlen, det384z, cdet); temp48alen = fast_expansion_sum_zeroelim(abclen, abc, eaclen, eac, temp48a); temp48blen = fast_expansion_sum_zeroelim(bcelen, bce, eablen, eab, temp48b); for (i = 0; i < temp48blen; i++) { temp48b[i] = -temp48b[i]; } eabclen = fast_expansion_sum_zeroelim(temp48alen, temp48a, temp48blen, temp48b, eabc); xlen = scale_expansion_zeroelim(eabclen, eabc, pd[0], temp192); xlen = scale_expansion_zeroelim(xlen, temp192, pd[0], det384x); ylen = scale_expansion_zeroelim(eabclen, eabc, pd[1], temp192); ylen = scale_expansion_zeroelim(ylen, temp192, pd[1], det384y); zlen = scale_expansion_zeroelim(eabclen, eabc, pd[2], temp192); zlen = scale_expansion_zeroelim(zlen, temp192, pd[2], det384z); xylen = fast_expansion_sum_zeroelim(xlen, det384x, ylen, det384y, detxy); dlen = fast_expansion_sum_zeroelim(xylen, detxy, zlen, det384z, ddet); temp48alen = fast_expansion_sum_zeroelim(bcdlen, bcd, abdlen, abd, temp48a); temp48blen = fast_expansion_sum_zeroelim(cdalen, cda, abclen, abc, temp48b); for (i = 0; i < temp48blen; i++) { temp48b[i] = -temp48b[i]; } abcdlen = fast_expansion_sum_zeroelim(temp48alen, temp48a, temp48blen, temp48b, abcd); xlen = scale_expansion_zeroelim(abcdlen, abcd, pe[0], temp192); xlen = scale_expansion_zeroelim(xlen, temp192, pe[0], det384x); ylen = scale_expansion_zeroelim(abcdlen, abcd, pe[1], temp192); ylen = scale_expansion_zeroelim(ylen, temp192, pe[1], det384y); zlen = scale_expansion_zeroelim(abcdlen, abcd, pe[2], temp192); zlen = scale_expansion_zeroelim(zlen, temp192, pe[2], det384z); xylen = fast_expansion_sum_zeroelim(xlen, det384x, ylen, det384y, detxy); elen = fast_expansion_sum_zeroelim(xylen, detxy, zlen, det384z, edet); ablen = fast_expansion_sum_zeroelim(alen, adet, blen, bdet, abdet); cdlen = fast_expansion_sum_zeroelim(clen, cdet, dlen, ddet, cddet); cdelen = fast_expansion_sum_zeroelim(cdlen, cddet, elen, edet, cdedet); deterlen = fast_expansion_sum_zeroelim(ablen, abdet, cdelen, cdedet, deter); return deter[deterlen - 1]; } static REAL insphereadapt(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd, const REAL *pe, REAL permanent) { INEXACT REAL aex, bex, cex, dex, aey, bey, cey, dey, aez, bez, cez, dez; REAL det, errbound; INEXACT REAL aexbey1, bexaey1, bexcey1, cexbey1; INEXACT REAL cexdey1, dexcey1, dexaey1, aexdey1; INEXACT REAL aexcey1, cexaey1, bexdey1, dexbey1; REAL aexbey0, bexaey0, bexcey0, cexbey0; REAL cexdey0, dexcey0, dexaey0, aexdey0; REAL aexcey0, cexaey0, bexdey0, dexbey0; REAL ab[4], bc[4], cd[4], da[4], ac[4], bd[4]; INEXACT REAL ab3, bc3, cd3, da3, ac3, bd3; REAL abeps, bceps, cdeps, daeps, aceps, bdeps; REAL temp8a[8], temp8b[8], temp8c[8], temp16[16], temp24[24], temp48[48]; int temp8alen, temp8blen, temp8clen, temp16len, temp24len, temp48len; REAL xdet[96], ydet[96], zdet[96], xydet[192]; int xlen, ylen, zlen, xylen; REAL adet[288], bdet[288], cdet[288], ddet[288]; int alen, blen, clen, dlen; REAL abdet[576], cddet[576]; int ablen, cdlen; REAL fin1[1152]; int finlength; REAL aextail, bextail, cextail, dextail; REAL aeytail, beytail, ceytail, deytail; REAL aeztail, beztail, ceztail, deztail; INEXACT REAL bvirt; REAL avirt, bround, around; INEXACT REAL c; INEXACT REAL abig; REAL ahi, alo, bhi, blo; REAL err1, err2, err3; INEXACT REAL _i, _j; REAL _0; aex = (REAL) (pa[0] - pe[0]); bex = (REAL) (pb[0] - pe[0]); cex = (REAL) (pc[0] - pe[0]); dex = (REAL) (pd[0] - pe[0]); aey = (REAL) (pa[1] - pe[1]); bey = (REAL) (pb[1] - pe[1]); cey = (REAL) (pc[1] - pe[1]); dey = (REAL) (pd[1] - pe[1]); aez = (REAL) (pa[2] - pe[2]); bez = (REAL) (pb[2] - pe[2]); cez = (REAL) (pc[2] - pe[2]); dez = (REAL) (pd[2] - pe[2]); Two_Product(aex, bey, aexbey1, aexbey0); Two_Product(bex, aey, bexaey1, bexaey0); Two_Two_Diff(aexbey1, aexbey0, bexaey1, bexaey0, ab3, ab[2], ab[1], ab[0]); ab[3] = ab3; Two_Product(bex, cey, bexcey1, bexcey0); Two_Product(cex, bey, cexbey1, cexbey0); Two_Two_Diff(bexcey1, bexcey0, cexbey1, cexbey0, bc3, bc[2], bc[1], bc[0]); bc[3] = bc3; Two_Product(cex, dey, cexdey1, cexdey0); Two_Product(dex, cey, dexcey1, dexcey0); Two_Two_Diff(cexdey1, cexdey0, dexcey1, dexcey0, cd3, cd[2], cd[1], cd[0]); cd[3] = cd3; Two_Product(dex, aey, dexaey1, dexaey0); Two_Product(aex, dey, aexdey1, aexdey0); Two_Two_Diff(dexaey1, dexaey0, aexdey1, aexdey0, da3, da[2], da[1], da[0]); da[3] = da3; Two_Product(aex, cey, aexcey1, aexcey0); Two_Product(cex, aey, cexaey1, cexaey0); Two_Two_Diff(aexcey1, aexcey0, cexaey1, cexaey0, ac3, ac[2], ac[1], ac[0]); ac[3] = ac3; Two_Product(bex, dey, bexdey1, bexdey0); Two_Product(dex, bey, dexbey1, dexbey0); Two_Two_Diff(bexdey1, bexdey0, dexbey1, dexbey0, bd3, bd[2], bd[1], bd[0]); bd[3] = bd3; temp8alen = scale_expansion_zeroelim(4, cd, bez, temp8a); temp8blen = scale_expansion_zeroelim(4, bd, -cez, temp8b); temp8clen = scale_expansion_zeroelim(4, bc, dez, temp8c); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp24len = fast_expansion_sum_zeroelim(temp8clen, temp8c, temp16len, temp16, temp24); temp48len = scale_expansion_zeroelim(temp24len, temp24, aex, temp48); xlen = scale_expansion_zeroelim(temp48len, temp48, -aex, xdet); temp48len = scale_expansion_zeroelim(temp24len, temp24, aey, temp48); ylen = scale_expansion_zeroelim(temp48len, temp48, -aey, ydet); temp48len = scale_expansion_zeroelim(temp24len, temp24, aez, temp48); zlen = scale_expansion_zeroelim(temp48len, temp48, -aez, zdet); xylen = fast_expansion_sum_zeroelim(xlen, xdet, ylen, ydet, xydet); alen = fast_expansion_sum_zeroelim(xylen, xydet, zlen, zdet, adet); temp8alen = scale_expansion_zeroelim(4, da, cez, temp8a); temp8blen = scale_expansion_zeroelim(4, ac, dez, temp8b); temp8clen = scale_expansion_zeroelim(4, cd, aez, temp8c); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp24len = fast_expansion_sum_zeroelim(temp8clen, temp8c, temp16len, temp16, temp24); temp48len = scale_expansion_zeroelim(temp24len, temp24, bex, temp48); xlen = scale_expansion_zeroelim(temp48len, temp48, bex, xdet); temp48len = scale_expansion_zeroelim(temp24len, temp24, bey, temp48); ylen = scale_expansion_zeroelim(temp48len, temp48, bey, ydet); temp48len = scale_expansion_zeroelim(temp24len, temp24, bez, temp48); zlen = scale_expansion_zeroelim(temp48len, temp48, bez, zdet); xylen = fast_expansion_sum_zeroelim(xlen, xdet, ylen, ydet, xydet); blen = fast_expansion_sum_zeroelim(xylen, xydet, zlen, zdet, bdet); temp8alen = scale_expansion_zeroelim(4, ab, dez, temp8a); temp8blen = scale_expansion_zeroelim(4, bd, aez, temp8b); temp8clen = scale_expansion_zeroelim(4, da, bez, temp8c); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp24len = fast_expansion_sum_zeroelim(temp8clen, temp8c, temp16len, temp16, temp24); temp48len = scale_expansion_zeroelim(temp24len, temp24, cex, temp48); xlen = scale_expansion_zeroelim(temp48len, temp48, -cex, xdet); temp48len = scale_expansion_zeroelim(temp24len, temp24, cey, temp48); ylen = scale_expansion_zeroelim(temp48len, temp48, -cey, ydet); temp48len = scale_expansion_zeroelim(temp24len, temp24, cez, temp48); zlen = scale_expansion_zeroelim(temp48len, temp48, -cez, zdet); xylen = fast_expansion_sum_zeroelim(xlen, xdet, ylen, ydet, xydet); clen = fast_expansion_sum_zeroelim(xylen, xydet, zlen, zdet, cdet); temp8alen = scale_expansion_zeroelim(4, bc, aez, temp8a); temp8blen = scale_expansion_zeroelim(4, ac, -bez, temp8b); temp8clen = scale_expansion_zeroelim(4, ab, cez, temp8c); temp16len = fast_expansion_sum_zeroelim(temp8alen, temp8a, temp8blen, temp8b, temp16); temp24len = fast_expansion_sum_zeroelim(temp8clen, temp8c, temp16len, temp16, temp24); temp48len = scale_expansion_zeroelim(temp24len, temp24, dex, temp48); xlen = scale_expansion_zeroelim(temp48len, temp48, dex, xdet); temp48len = scale_expansion_zeroelim(temp24len, temp24, dey, temp48); ylen = scale_expansion_zeroelim(temp48len, temp48, dey, ydet); temp48len = scale_expansion_zeroelim(temp24len, temp24, dez, temp48); zlen = scale_expansion_zeroelim(temp48len, temp48, dez, zdet); xylen = fast_expansion_sum_zeroelim(xlen, xdet, ylen, ydet, xydet); dlen = fast_expansion_sum_zeroelim(xylen, xydet, zlen, zdet, ddet); ablen = fast_expansion_sum_zeroelim(alen, adet, blen, bdet, abdet); cdlen = fast_expansion_sum_zeroelim(clen, cdet, dlen, ddet, cddet); finlength = fast_expansion_sum_zeroelim(ablen, abdet, cdlen, cddet, fin1); det = estimate(finlength, fin1); errbound = isperrboundB * permanent; if ((det >= errbound) || (-det >= errbound)) { return det; } Two_Diff_Tail(pa[0], pe[0], aex, aextail); Two_Diff_Tail(pa[1], pe[1], aey, aeytail); Two_Diff_Tail(pa[2], pe[2], aez, aeztail); Two_Diff_Tail(pb[0], pe[0], bex, bextail); Two_Diff_Tail(pb[1], pe[1], bey, beytail); Two_Diff_Tail(pb[2], pe[2], bez, beztail); Two_Diff_Tail(pc[0], pe[0], cex, cextail); Two_Diff_Tail(pc[1], pe[1], cey, ceytail); Two_Diff_Tail(pc[2], pe[2], cez, ceztail); Two_Diff_Tail(pd[0], pe[0], dex, dextail); Two_Diff_Tail(pd[1], pe[1], dey, deytail); Two_Diff_Tail(pd[2], pe[2], dez, deztail); if ((aextail == 0.0) && (aeytail == 0.0) && (aeztail == 0.0) && (bextail == 0.0) && (beytail == 0.0) && (beztail == 0.0) && (cextail == 0.0) && (ceytail == 0.0) && (ceztail == 0.0) && (dextail == 0.0) && (deytail == 0.0) && (deztail == 0.0)) { return det; } errbound = isperrboundC * permanent + resulterrbound * Absolute(det); abeps = (aex * beytail + bey * aextail) - (aey * bextail + bex * aeytail); bceps = (bex * ceytail + cey * bextail) - (bey * cextail + cex * beytail); cdeps = (cex * deytail + dey * cextail) - (cey * dextail + dex * ceytail); daeps = (dex * aeytail + aey * dextail) - (dey * aextail + aex * deytail); aceps = (aex * ceytail + cey * aextail) - (aey * cextail + cex * aeytail); bdeps = (bex * deytail + dey * bextail) - (bey * dextail + dex * beytail); det += (((bex * bex + bey * bey + bez * bez) * ((cez * daeps + dez * aceps + aez * cdeps) + (ceztail * da3 + deztail * ac3 + aeztail * cd3)) + (dex * dex + dey * dey + dez * dez) * ((aez * bceps - bez * aceps + cez * abeps) + (aeztail * bc3 - beztail * ac3 + ceztail * ab3))) - ((aex * aex + aey * aey + aez * aez) * ((bez * cdeps - cez * bdeps + dez * bceps) + (beztail * cd3 - ceztail * bd3 + deztail * bc3)) + (cex * cex + cey * cey + cez * cez) * ((dez * abeps + aez * bdeps + bez * daeps) + (deztail * ab3 + aeztail * bd3 + beztail * da3)))) + 2.0 * (((bex * bextail + bey * beytail + bez * beztail) * (cez * da3 + dez * ac3 + aez * cd3) + (dex * dextail + dey * deytail + dez * deztail) * (aez * bc3 - bez * ac3 + cez * ab3)) - ((aex * aextail + aey * aeytail + aez * aeztail) * (bez * cd3 - cez * bd3 + dez * bc3) + (cex * cextail + cey * ceytail + cez * ceztail) * (dez * ab3 + aez * bd3 + bez * da3))); if ((det >= errbound) || (-det >= errbound)) { return det; } return insphereexact(pa, pb, pc, pd, pe); } REAL insphere(const REAL *pa, const REAL *pb, const REAL *pc, const REAL *pd, const REAL *pe) { REAL aex, bex, cex, dex; REAL aey, bey, cey, dey; REAL aez, bez, cez, dez; REAL aexbey, bexaey, bexcey, cexbey, cexdey, dexcey, dexaey, aexdey; REAL aexcey, cexaey, bexdey, dexbey; REAL alift, blift, clift, dlift; REAL ab, bc, cd, da, ac, bd; REAL abc, bcd, cda, dab; REAL aezplus, bezplus, cezplus, dezplus; REAL aexbeyplus, bexaeyplus, bexceyplus, cexbeyplus; REAL cexdeyplus, dexceyplus, dexaeyplus, aexdeyplus; REAL aexceyplus, cexaeyplus, bexdeyplus, dexbeyplus; REAL det; REAL permanent, errbound; REAL ins; FPU_ROUND_DOUBLE; aex = pa[0] - pe[0]; bex = pb[0] - pe[0]; cex = pc[0] - pe[0]; dex = pd[0] - pe[0]; aey = pa[1] - pe[1]; bey = pb[1] - pe[1]; cey = pc[1] - pe[1]; dey = pd[1] - pe[1]; aez = pa[2] - pe[2]; bez = pb[2] - pe[2]; cez = pc[2] - pe[2]; dez = pd[2] - pe[2]; aexbey = aex * bey; bexaey = bex * aey; ab = aexbey - bexaey; bexcey = bex * cey; cexbey = cex * bey; bc = bexcey - cexbey; cexdey = cex * dey; dexcey = dex * cey; cd = cexdey - dexcey; dexaey = dex * aey; aexdey = aex * dey; da = dexaey - aexdey; aexcey = aex * cey; cexaey = cex * aey; ac = aexcey - cexaey; bexdey = bex * dey; dexbey = dex * bey; bd = bexdey - dexbey; abc = aez * bc - bez * ac + cez * ab; bcd = bez * cd - cez * bd + dez * bc; cda = cez * da + dez * ac + aez * cd; dab = dez * ab + aez * bd + bez * da; alift = aex * aex + aey * aey + aez * aez; blift = bex * bex + bey * bey + bez * bez; clift = cex * cex + cey * cey + cez * cez; dlift = dex * dex + dey * dey + dez * dez; det = (dlift * abc - clift * dab) + (blift * cda - alift * bcd); aezplus = Absolute(aez); bezplus = Absolute(bez); cezplus = Absolute(cez); dezplus = Absolute(dez); aexbeyplus = Absolute(aexbey); bexaeyplus = Absolute(bexaey); bexceyplus = Absolute(bexcey); cexbeyplus = Absolute(cexbey); cexdeyplus = Absolute(cexdey); dexceyplus = Absolute(dexcey); dexaeyplus = Absolute(dexaey); aexdeyplus = Absolute(aexdey); aexceyplus = Absolute(aexcey); cexaeyplus = Absolute(cexaey); bexdeyplus = Absolute(bexdey); dexbeyplus = Absolute(dexbey); permanent = ((cexdeyplus + dexceyplus) * bezplus + (dexbeyplus + bexdeyplus) * cezplus + (bexceyplus + cexbeyplus) * dezplus) * alift + ((dexaeyplus + aexdeyplus) * cezplus + (aexceyplus + cexaeyplus) * dezplus + (cexdeyplus + dexceyplus) * aezplus) * blift + ((aexbeyplus + bexaeyplus) * dezplus + (bexdeyplus + dexbeyplus) * aezplus + (dexaeyplus + aexdeyplus) * bezplus) * clift + ((bexceyplus + cexbeyplus) * aezplus + (cexaeyplus + aexceyplus) * bezplus + (aexbeyplus + bexaeyplus) * cezplus) * dlift; errbound = isperrboundA * permanent; if ((det > errbound) || (-det > errbound)) { FPU_RESTORE; return det; } ins = insphereadapt(pa, pb, pc, pd, pe, permanent); FPU_RESTORE; return ins; } asymptote-2.62/drawsurface.h0000644000000000000000000004665513607467113014675 0ustar rootroot/***** * drawsurface.h * * Stores a surface that has been added to a picture. *****/ #ifndef DRAWSURFACE_H #define DRAWSURFACE_H #include "drawelement.h" #include "arrayop.h" #include "path3.h" #include "beziercurve.h" #include "bezierpatch.h" namespace run { void inverse(double *a, size_t n); } namespace camp { #ifdef HAVE_LIBGLM void storecolor(GLfloat *colors, int i, const vm::array &pens, int j); #endif class drawSurface : public drawElement { protected: triple *controls; size_t ncontrols; triple center; bool straight; // True iff Bezier patch is planar and has straight edges. prc::RGBAColour diffuse; prc::RGBAColour emissive; prc::RGBAColour specular; prc::RGBAColour *colors; double opacity; double shininess; double metallic; double fresnel0; double PRCshininess; bool invisible; Interaction interaction; bool billboard; size_t centerIndex; triple Min,Max; bool prc; public: #ifdef HAVE_GL BezierCurve C; bool transparent; #endif string wrongsize() { return (ncontrols == 16 ? "4x4" : "triangular")+ string(" array of triples and array of 4 pens required"); } void init() { billboard=interaction == BILLBOARD && !settings::getSetting("offscreen"); centerIndex=0; } drawSurface(const vm::array& g, size_t ncontrols, triple center, bool straight, const vm::array&p, double opacity, double shininess, double metallic, double fresnel0, double PRCshininess, const vm::array &pens, Interaction interaction, bool prc, const string& key="") : drawElement(key), ncontrols(ncontrols), center(center), straight(straight), opacity(opacity), shininess(shininess), metallic(metallic), fresnel0(fresnel0), PRCshininess(PRCshininess), interaction(interaction), prc(prc) { init(); if(checkArray(&g) != 4 || checkArray(&p) != 3) reportError(wrongsize()); size_t k=0; controls=new(UseGC) triple[ncontrols]; for(unsigned int i=0; i < 4; ++i) { vm::array *gi=vm::read(g,i); size_t n=(ncontrols == 16 ? 4 : i+1); if(checkArray(gi) != n) reportError(wrongsize()); for(unsigned int j=0; j < n; ++j) controls[k++]=vm::read(gi,j); } pen surfacepen=vm::read(p,0); invisible=surfacepen.invisible(); diffuse=rgba(surfacepen); emissive=rgba(vm::read(p,1)); specular=rgba(vm::read(p,2)); size_t nodes=(ncontrols == 16 ? 4 : 3); size_t size=checkArray(&pens); if(size > 0) { if(size != nodes) reportError("one vertex pen required per node"); colors=new(UseGC) prc::RGBAColour[nodes]; for(size_t i=0; i < nodes; ++i) colors[i]=rgba(vm::read(pens,i)); } else colors=NULL; } drawSurface(const double* t, const drawSurface *s) : drawElement(s->KEY), ncontrols(s->ncontrols), straight(s->straight), diffuse(s->diffuse), emissive(s->emissive), specular(s->specular), colors(s->colors), opacity(s->opacity), shininess(s->shininess), metallic(s->metallic), fresnel0(s->fresnel0), PRCshininess(s->PRCshininess), invisible(s->invisible), interaction(s->interaction), prc(s->prc) { init(); if(s->controls) { controls=new(UseGC) triple[ncontrols]; for(unsigned int i=0; i < ncontrols; ++i) controls[i]=t*s->controls[i]; } else controls=NULL; center=t*s->center; } virtual ~drawSurface() {} bool is3D() {return true;} }; class drawBezierPatch : public drawSurface { public: #ifdef HAVE_GL BezierPatch S; #endif drawBezierPatch(const vm::array& g, triple center, bool straight, const vm::array&p, double opacity, double shininess, double metallic, double fresnel0, double PRCshininess, const vm::array &pens, Interaction interaction, bool prc) : drawSurface(g,16,center,straight,p,opacity, shininess,metallic,fresnel0,PRCshininess,pens,interaction,prc) {} drawBezierPatch(const double* t, const drawBezierPatch *s) : drawSurface(t,s) {} void bounds(const double* t, bbox3& b); void ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first); void meshinit() { if(billboard) centerIndex=centerindex(center); } bool write(prcfile *out, unsigned int *, double, groupsmap&); bool write(jsfile *out); void render(double, const triple& b, const triple& B, double perspective, bool remesh); drawElement *transformed(const double* t); }; class drawBezierTriangle : public drawSurface { public: #ifdef HAVE_GL BezierTriangle S; #endif drawBezierTriangle(const vm::array& g, triple center, bool straight, const vm::array&p, double opacity, double shininess, double metallic, double fresnel0, double PRCshininess, const vm::array &pens, Interaction interaction, bool prc) : drawSurface(g,10,center,straight,p,opacity,shininess,metallic,fresnel0, PRCshininess,pens,interaction,prc) {} drawBezierTriangle(const double* t, const drawBezierTriangle *s) : drawSurface(t,s) {} void bounds(const double* t, bbox3& b); void ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first); void meshinit() { if(billboard) centerIndex=centerindex(center); } bool write(prcfile *out, unsigned int *, double, groupsmap&); bool write(jsfile *out); void render(double, const triple& b, const triple& B, double perspective, bool remesh); drawElement *transformed(const double* t); }; class drawNurbs : public drawElement { protected: size_t udegree,vdegree; size_t nu,nv; triple *controls; double *weights; double *uknots, *vknots; prc::RGBAColour diffuse; prc::RGBAColour emissive; prc::RGBAColour specular; double opacity; double shininess; double metallic; double fresnel0; double PRCshininess; triple normal; bool invisible; triple Min,Max; #ifdef HAVE_LIBGLM GLfloat *colors; GLfloat *Controls; GLfloat *uKnots; GLfloat *vKnots; #endif public: drawNurbs(const vm::array& g, const vm::array* uknot, const vm::array* vknot, const vm::array* weight, const vm::array&p, double opacity, double shininess, double metallic, double fresnel0, double PRCshininess, const vm::array &pens, const string& key="") : drawElement(key), opacity(opacity), shininess(shininess), metallic(metallic), fresnel0(fresnel0), PRCshininess(PRCshininess) { size_t weightsize=checkArray(weight); const string wrongsize="Inconsistent NURBS data"; nu=checkArray(&g); if(nu == 0 || (weightsize != 0 && weightsize != nu) || checkArray(&p) != 3) reportError(wrongsize); vm::array *g0=vm::read(g,0); nv=checkArray(g0); size_t n=nu*nv; controls=new(UseGC) triple[n]; size_t k=0; for(size_t i=0; i < nu; ++i) { vm::array *gi=vm::read(g,i); if(checkArray(gi) != nv) reportError(wrongsize); for(size_t j=0; j < nv; ++j) controls[k++]=vm::read(gi,j); } if(weightsize > 0) { size_t k=0; weights=new(UseGC) double[n]; for(size_t i=0; i < nu; ++i) { vm::array *weighti=vm::read(weight,i); if(checkArray(weighti) != nv) reportError(wrongsize); for(size_t j=0; j < nv; ++j) weights[k++]=vm::read(weighti,j); } } else weights=NULL; size_t nuknots=checkArray(uknot); size_t nvknots=checkArray(vknot); if(nuknots <= nu+1 || nuknots > 2*nu || nvknots <= nv+1 || nvknots > 2*nv) reportError(wrongsize); udegree=nuknots-nu-1; vdegree=nvknots-nv-1; run::copyArrayC(uknots,uknot,0,UseGC); run::copyArrayC(vknots,vknot,0,UseGC); pen surfacepen=vm::read(p,0); invisible=surfacepen.invisible(); diffuse=rgba(surfacepen); emissive=rgba(vm::read(p,1)); specular=rgba(vm::read(p,2)); #ifdef HAVE_LIBGLM Controls=NULL; int size=checkArray(&pens); if(size > 0) { colors=new(UseGC) GLfloat[16]; if(size != 4) reportError(wrongsize); storecolor(colors,0,pens,0); storecolor(colors,8,pens,1); storecolor(colors,12,pens,2); storecolor(colors,4,pens,3); } else colors=NULL; #endif } drawNurbs(const double* t, const drawNurbs *s) : drawElement(s->KEY), udegree(s->udegree), vdegree(s->vdegree), nu(s->nu), nv(s->nv), weights(s->weights), uknots(s->uknots), vknots(s->vknots), diffuse(s->diffuse), emissive(s->emissive), specular(s->specular), opacity(s->opacity), shininess(s->shininess), PRCshininess(s->PRCshininess), invisible(s->invisible) { const size_t n=nu*nv; controls=new(UseGC) triple[n]; for(unsigned int i=0; i < n; ++i) controls[i]=t*s->controls[i]; #ifdef HAVE_LIBGLM Controls=NULL; colors=s->colors; #endif } bool is3D() {return true;} void bounds(const double* t, bbox3& b); virtual ~drawNurbs() {} bool write(prcfile *out, unsigned int *, double, groupsmap&); void displacement(); void ratio(const double* t, pair &b, double (*m)(double, double), double, bool &first); void render(double size2, const triple& b, const triple& B, double perspective, bool remesh); drawElement *transformed(const double* t); }; // Draw a transformed PRC object. class drawPRC : public drawElementLC { protected: prc::RGBAColour diffuse; prc::RGBAColour emissive; prc::RGBAColour specular; double opacity; double shininess; bool invisible; public: drawPRC(const vm::array& t, const vm::array&p, double opacity, double shininess) : drawElementLC(t), opacity(opacity), shininess(shininess) { string needthreepens="array of 3 pens required"; if(checkArray(&p) != 3) reportError(needthreepens); pen surfacepen=vm::read(p,0); invisible=surfacepen.invisible(); diffuse=rgba(surfacepen); emissive=rgba(vm::read(p,1)); specular=rgba(vm::read(p,2)); } drawPRC(const double* t, const drawPRC *s) : drawElementLC(t,s), diffuse(s->diffuse), emissive(s->emissive), specular(s->specular), opacity(s->opacity), shininess(s->shininess), invisible(s->invisible) { } bool write(prcfile *out, unsigned int *, double, groupsmap&) { return true; } virtual void transformedbounds(const double*, bbox3&) {} virtual void transformedratio(const double*, pair&, double (*)(double, double), double, bool&) {} }; // Draw a PRC unit sphere. class drawSphere : public drawPRC { bool half; int type; public: drawSphere(const vm::array& t, bool half, const vm::array&p, double opacity, double shininess, int type) : drawPRC(t,p,opacity,shininess), half(half), type(type) {} drawSphere(const double* t, const drawSphere *s) : drawElement(s->KEY), drawPRC(t,s), half(s->half), type(s->type) {} void P(triple& t, double x, double y, double z); bool write(prcfile *out, unsigned int *, double, groupsmap&); drawElement *transformed(const double* t) { return new drawSphere(t,this); } }; // Draw a PRC unit cylinder. class drawCylinder : public drawPRC { public: drawCylinder(const vm::array& t, const vm::array&p, double opacity, double shininess) : drawPRC(t,p,opacity,shininess) {} drawCylinder(const double* t, const drawCylinder *s) : drawPRC(t,s) {} bool write(prcfile *out, unsigned int *, double, groupsmap&); drawElement *transformed(const double* t) { return new drawCylinder(t,this); } }; // Draw a PRC unit disk. class drawDisk : public drawPRC { public: drawDisk(const vm::array& t, const vm::array&p, double opacity, double shininess) : drawPRC(t,p,opacity,shininess) {} drawDisk(const double* t, const drawDisk *s) : drawPRC(t,s) {} bool write(prcfile *out, unsigned int *, double, groupsmap&); drawElement *transformed(const double* t) { return new drawDisk(t,this); } }; // Draw a PRC tube. class drawTube : public drawElement { protected: path3 center; path3 g; prc::RGBAColour diffuse; prc::RGBAColour emissive; prc::RGBAColour specular; double opacity; double shininess; bool invisible; public: drawTube(path3 center, path3 g, const vm::array&p, double opacity, double shininess) : center(center), g(g), opacity(opacity), shininess(shininess) { string needthreepens="array of 3 pens required"; if(checkArray(&p) != 3) reportError(needthreepens); pen surfacepen=vm::read(p,0); invisible=surfacepen.invisible(); diffuse=rgba(surfacepen); emissive=rgba(vm::read(p,1)); specular=rgba(vm::read(p,2)); } drawTube(const double* t, const drawTube *s) : drawElement(s->KEY), center(camp::transformed(t,s->center)), g(camp::transformed(t,s->g)), diffuse(s->diffuse), emissive(s->emissive), specular(s->specular), opacity(s->opacity), shininess(s->shininess), invisible(s->invisible) { } bool write(prcfile *out, unsigned int *, double, groupsmap&); drawElement *transformed(const double* t) { return new drawTube(t,this); } }; class drawBaseTriangles : public drawElement { protected: #ifdef HAVE_GL Triangles R; bool transparent; #endif size_t nP; triple* P; size_t nN; triple* N; size_t nI; size_t Ni; uint32_t (*PI)[3]; uint32_t (*NI)[3]; triple Min,Max; static const string wrongsize; static const string outofrange; public: drawBaseTriangles(const vm::array& v, const vm::array& vi, const vm::array& n, const vm::array& ni) { nP=checkArray(&v); P=new(UseGC) triple[nP]; for(size_t i=0; i < nP; ++i) P[i]=vm::read(v,i); nI=checkArray(&vi); PI=new(UseGC) uint32_t[nI][3]; for(size_t i=0; i < nI; ++i) { vm::array *vii=vm::read(vi,i); if(checkArray(vii) != 3) reportError(wrongsize); uint32_t *PIi=PI[i]; for(size_t j=0; j < 3; ++j) { size_t index=unsignedcast(vm::read(vii,j)); if(index >= nP) reportError(outofrange); PIi[j]=index; } } nN=checkArray(&n); if(nN) { N=new(UseGC) triple[nN]; for(size_t i=0; i < nN; ++i) N[i]=vm::read(n,i); Ni=checkArray(&ni); if(Ni == 0 && nN == nP) NI=PI; else { if(Ni != nI) reportError("Index arrays have different lengths"); NI=new(UseGC) uint32_t[nI][3]; for(size_t i=0; i < nI; ++i) { vm::array *nii=vm::read(ni,i); if(checkArray(nii) != 3) reportError(wrongsize); uint32_t *NIi=NI[i]; for(size_t j=0; j < 3; ++j) { size_t index=unsignedcast(vm::read(nii,j)); if(index >= nN) reportError(outofrange); NIi[j]=index; } } } } else Ni=0; } drawBaseTriangles(const double* t, const drawBaseTriangles *s) : drawElement(s->KEY), nP(s->nP), nN(s->nN), nI(s->nI), Ni(s->Ni) { P=new(UseGC) triple[nP]; for(size_t i=0; i < nP; i++) P[i]=t*s->P[i]; PI=new(UseGC) uint32_t[nI][3]; for(size_t i=0; i < nI; ++i) { uint32_t *PIi=PI[i]; uint32_t *sPIi=s->PI[i]; for(size_t j=0; j < 3; ++j) PIi[j]=sPIi[j]; } if(nN) { N=new(UseGC) triple[nN]; if(t == NULL) { for(size_t i=0; i < nN; i++) N[i]=s->N[i]; } else { double T[]={t[0],t[1],t[2], t[4],t[5],t[6], t[8],t[9],t[10]}; run::inverse(T,3); for(size_t i=0; i < nN; i++) N[i]=unit(Transform3(s->N[i],T)); } if(Ni == 0) { NI=PI; } else { NI=new(UseGC) uint32_t[nI][3]; for(size_t i=0; i < nI; ++i) { uint32_t *NIi=NI[i]; uint32_t *sNIi=s->NI[i]; for(size_t j=0; j < 3; ++j) NIi[j]=sNIi[j]; } } } } bool is3D() {return true;} void bounds(const double* t, bbox3& b); void ratio(const double* t, pair &b, double (*m)(double, double), double fuzz, bool &first); virtual ~drawBaseTriangles() {} drawElement *transformed(const double* t) { return new drawBaseTriangles(t,this); } }; class drawTriangles : public drawBaseTriangles { size_t nC; prc::RGBAColour*C; uint32_t (*CI)[3]; size_t Ci; // Asymptote material data prc::RGBAColour diffuse; prc::RGBAColour emissive; prc::RGBAColour specular; double opacity; double shininess; double metallic; double fresnel0; double PRCshininess; bool invisible; public: drawTriangles(const vm::array& v, const vm::array& vi, const vm::array& n, const vm::array& ni, const vm::array&p, double opacity, double shininess, double metallic, double fresnel0, double PRCshininess, const vm::array& c, const vm::array& ci) : drawBaseTriangles(v,vi,n,ni), opacity(opacity),shininess(shininess),metallic(metallic), fresnel0(fresnel0),PRCshininess(PRCshininess) { const string needthreepens="array of 3 pens required"; if(checkArray(&p) != 3) reportError(needthreepens); const pen surfacepen=vm::read(p,0); invisible=surfacepen.invisible(); diffuse=rgba(surfacepen); nC=checkArray(&c); if(nC) { C=new(UseGC) prc::RGBAColour[nC]; for(size_t i=0; i < nC; ++i) C[i]=rgba(vm::read(c,i)); size_t nI=checkArray(&vi); Ci=checkArray(&ci); if(Ci == 0 && nC == nP) CI=PI; else { if(Ci != nI) reportError("Index arrays have different lengths"); CI=new(UseGC) uint32_t[nI][3]; for(size_t i=0; i < nI; ++i) { vm::array *cii=vm::read(ci,i); if(checkArray(cii) != 3) reportError(wrongsize); uint32_t *CIi=CI[i]; for(size_t j=0; j < 3; ++j) { size_t index=unsignedcast(vm::read(cii,j)); if(index >= nC) reportError(outofrange); CIi[j]=index; } } } } else { emissive=rgba(vm::read(p,1)); } specular=rgba(vm::read(p,2)); } drawTriangles(const double* t, const drawTriangles *s) : drawBaseTriangles(t,s), nC(s->nC), diffuse(s->diffuse), emissive(s->emissive), specular(s->specular), opacity(s->opacity), shininess(s->shininess), metallic(s->metallic), fresnel0(s->fresnel0), PRCshininess(s->PRCshininess), invisible(s->invisible) { if(nC) { C=new(UseGC) prc::RGBAColour[nC]; for(size_t i=0; i < nC; ++i) C[i]=s->C[i]; CI=new(UseGC) uint32_t[nI][3]; for(size_t i=0; i < nI; ++i) { uint32_t *CIi=CI[i]; uint32_t *sCIi=s->CI[i]; for(size_t j=0; j < 3; ++j) CIi[j]=sCIi[j]; } } } virtual ~drawTriangles() {} void render(double size2, const triple& b, const triple& B, double perspective, bool remesh); bool write(prcfile *out, unsigned int *, double, groupsmap&); bool write(jsfile *out); drawElement *transformed(const double* t) { return new drawTriangles(t,this); } }; } #endif asymptote-2.62/camp.l0000644000000000000000000003203313607467113013274 0ustar rootroot%{ /***** * camp.l * Andy Hammerlindl 2002/06/14 * * The lexical analyzer of the Asymptote language. *****/ #include #include #include #include #include "util.h" #include "modifier.h" #include "exp.h" #include "stm.h" #include "fundec.h" #include "errormsg.h" #include "interact.h" #include "lexical.h" using namespace absyntax; using mem::string; #include "camp.tab.h" #include "opsymbols.h" #define YY_NO_INPUT static void yyunput(int, char *); void (*unused)(int,char *) = yyunput; fileinfo* fi; Int tokPos; Int charPos; //int commentDepth = 0; bool eof; string eofMessage; extern errorstream em; extern "C" int yywrap(void) { charPos=1; return 1; } typedef size_t (*input_f) (char* bif, size_t max_size); input_f yy_input = NULL; void setlexer(input_f input, string filename) { YY_FLUSH_BUFFER; yywrap(); fi = new fileinfo(filename); yy_input = input; tokPos = charPos = 1; eof=false; eofMessage=""; } #define YY_INPUT(buf,result,max_size) {result=yy_input(buf,max_size);} position lexerPos() { position p; p.init(fi, tokPos); return p; } namespace { position here() { return lexerPos(); } void adjust() { tokPos = charPos; charPos += yyleng; yylval.pos = here(); } void savesymbol(symbol name) { adjust(); yylval.ps.pos=yylval.pos; // avoid invoking here() twice yylval.ps.sym=name; } /* For optimization reasons, the operator names are translated into symbols * just once, and can be accessed throughout the code as SYM_PLUS, SYM_DASHES, * etc. Following the Don't Repeat Yourself principle, the mapping from * strings to names is defined only here in camp.l (because we can't produce * lex rules from a C style macro). * The script opsymbols.pl reads this file scanning for rules using DEFSYMBOL * and creates opsymbols.h which defines the names for use in C++ code. */ #define DEFSYMBOL(name) \ savesymbol(name) /* Extra symbols can be added by EXTRASYMBOL */ #define EXTRASYMBOL(chars, codename) /* blank */ EXTRASYMBOL(tuple, SYM_TUPLE); void makesymbol() { assert(strlen(yytext) == (size_t)yyleng); savesymbol(symbol::rawTrans(yytext, yyleng+1)); } void makeopsymbol() { savesymbol(symbol::opTrans(yytext)); } void makemod(trans::modifier mod) { yylval.mod.pos=here(); yylval.mod.val=mod; } void makeperm(trans::permission perm) { yylval.perm.pos=here(); yylval.perm.val=perm; } void newline() { fi->newline(); charPos = tokPos = 1; } void error(void) { em.error(here()); } } // Used by the lexer rules to flag an unexpected end of input. The message is // the error message that should be reported, and may differ if, say the input // ends in the middle of a string or comment. void setEOF(string message) { eof=true; eofMessage=message; } // Called by code outside of the lexer to see if a parse error was caused by // running out of input. bool lexerEOF() { return eof; } // Called by code outside of the lexer when it wants to report the unexpected // eof as an error (instead of looking for more input). void reportEOF() { assert(eof); error(); em << eofMessage; em.sync(); } position stringpos; // The position of the start of the string. string stringbuild; // Stores the string literal as it is read. namespace { void startstring() { adjust(); stringpos = here(); } void append(char c) { stringbuild.push_back(c); yylval.pos = here(); } void getstring(void) { // NOTE: Replace here() with a position at the start of the string. yylval.stre = new stringExp(stringpos, stringbuild); string().swap(stringbuild); } } %} %x lexcomment %x texstring %x cstring %x lexformat %x opname LETTER [_A-Za-z] ESC \\ ENDL \\?(\r\n|\n|\r) EXTRAOPS <<|>>|$|$$|@|@@|~|<> %% { \/\* {adjust(); /*commentDepth++;*/} \*\/ {adjust(); /*commentDepth--;*/ /*if (commentDepth == 0)*/ BEGIN INITIAL; } \r\n|\n|\r {adjust(); newline(); continue; } <> {adjust(); setEOF("comment not terminated"); BEGIN INITIAL; return GARBAGE; } . {adjust(); continue; } } { \"/([ \t]|{ENDL})*[\"\'] {adjust(); BEGIN INITIAL;} \" {adjust(); BEGIN INITIAL; getstring(); return STRING; } <> {adjust(); setEOF("string not terminated"); BEGIN INITIAL; getstring(); return GARBAGE; } {ENDL} {adjust(); newline(); append('\n'); continue; } {ESC}{ESC} {adjust(); append('\\'); append('\\'); continue; } {ESC}\" {adjust(); append('\"'); continue; } . {adjust(); append(*yytext); } } { \'/([ \t]|{ENDL})*[\"\'] {adjust(); BEGIN INITIAL;} \' {adjust(); BEGIN INITIAL; getstring(); return STRING; } <> {adjust(); setEOF("string not terminated"); BEGIN INITIAL; getstring(); return GARBAGE; } {ENDL} {adjust(); newline(); append('\n'); continue; } {ESC}(\'|\"|\?|\\) {adjust(); append(yytext[1]); continue; } {ESC}a {adjust(); append('\a'); continue; } {ESC}b {adjust(); append('\b'); continue; } {ESC}f {adjust(); append('\f'); continue; } {ESC}n {adjust(); append('\n'); continue; } {ESC}r {adjust(); append('\r'); continue; } {ESC}t {adjust(); append('\t'); continue; } {ESC}v {adjust(); append('\v'); continue; } {ESC}[0-7] {adjust(); char x=(char)(yytext[1]-'0'); append(x); continue; } {ESC}[0-7][0-7] {adjust(); char x=(char)((yytext[1]-'0')*8+yytext[2]-'0'); append(x); continue; } {ESC}[0-3][0-7][0-7] {adjust(); char x=(char)((yytext[1]-'0')*64+(yytext[2]-'0')*8 +yytext[3]-'0'); append(x); continue; } {ESC}x[0-9,A-F] {adjust(); char x=(char) (yytext[2] <= '9' ? yytext[2]-'0' : 10+yytext[2]-'A'); append(x); continue; } {ESC}x[0-9,A-F][0-9,A-F] {adjust(); char x=(char) ((yytext[2] <= '9' ? yytext[2]-'0' : 10+yytext[2]-'A')*16 +(yytext[3] <= '9' ? yytext[3]-'0' : 10+yytext[3]-'A')); append(x); continue; } . {adjust(); append(*yytext); } } [ \t] {adjust(); continue;} {ENDL} {adjust(); newline(); continue;} \/\/[^\n]* {adjust(); continue;} "," {adjust(); return ','; } ":" {adjust(); return ':'; } ";" {adjust(); return ';'; } "(" {adjust(); return '('; } ")" {adjust(); return ')'; } "[" {adjust(); return '['; } "]" {adjust(); return ']'; } "{" {adjust(); return '{'; } "}" {adjust(); return '}'; } "." {adjust(); return '.'; } "..." {adjust(); return ELLIPSIS; } "+" {DEFSYMBOL(SYM_PLUS); return '+'; } "-" {DEFSYMBOL(SYM_MINUS); return '-'; } "*" {DEFSYMBOL(SYM_TIMES); return '*'; } "/" {DEFSYMBOL(SYM_DIVIDE); return '/'; } "#" {DEFSYMBOL(SYM_QUOTIENT); return '#'; } "%" {DEFSYMBOL(SYM_MOD); return '%'; } "^" {DEFSYMBOL(SYM_CARET); return '^'; } "**" {savesymbol(SYM_CARET); return '^'; } "?" {adjust(); return '?'; } "=" {adjust(); return ASSIGN; } "==" {DEFSYMBOL(SYM_EQ); return EQ; } "!=" {DEFSYMBOL(SYM_NEQ); return NEQ; } "<" {DEFSYMBOL(SYM_LT); return LT; } "<=" {DEFSYMBOL(SYM_LE); return LE; } ">" {DEFSYMBOL(SYM_GT); return GT; } ">=" {DEFSYMBOL(SYM_GE); return GE; } "&&" {DEFSYMBOL(SYM_CAND); return CAND; } "||" {DEFSYMBOL(SYM_COR); return COR; } "!" {DEFSYMBOL(SYM_LOGNOT); return OPERATOR; } "^^" {DEFSYMBOL(SYM_CARETS); return CARETS; } "::" {DEFSYMBOL(SYM_COLONS); return COLONS; } "++" {DEFSYMBOL(SYM_INCR); return INCR; } ".." {DEFSYMBOL(SYM_DOTS); return DOTS; } "--" {DEFSYMBOL(SYM_DASHES); return DASHES; } "---" {DEFSYMBOL(SYM_LONGDASH); return LONGDASH; } "&" {DEFSYMBOL(SYM_AMPERSAND); return AMPERSAND; } "|" {DEFSYMBOL(SYM_BAR); return BAR; } {EXTRAOPS} {makeopsymbol(); return OPERATOR; } "+=" {savesymbol(SYM_PLUS); return SELFOP; } "-=" {savesymbol(SYM_MINUS); return SELFOP; } "*=" {savesymbol(SYM_TIMES); return SELFOP; } "/=" {savesymbol(SYM_DIVIDE); return SELFOP; } "#=" {savesymbol(SYM_QUOTIENT); return SELFOP; } "%=" {savesymbol(SYM_MOD); return SELFOP; } "^=" {savesymbol(SYM_CARET); return SELFOP; } and {adjust(); return AND; } controls {DEFSYMBOL(SYM_CONTROLS); return CONTROLS; } tension {DEFSYMBOL(SYM_TENSION); return TENSION; } atleast {DEFSYMBOL(SYM_ATLEAST); return ATLEAST; } curl {DEFSYMBOL(SYM_CURL); return CURL; } if {adjust(); return IF; } else {adjust(); return ELSE; } while {adjust(); return WHILE; } for {adjust(); return FOR; } do {adjust(); return DO; } return {adjust(); return RETURN_; } break {adjust(); return BREAK; } continue {adjust(); return CONTINUE; } struct {adjust(); return STRUCT; } typedef {adjust(); return TYPEDEF; } new {adjust(); return NEW; } access {adjust(); return ACCESS; } import {adjust(); return IMPORT; } unravel {adjust(); return UNRAVEL; } from {adjust(); return FROM; } include {adjust(); return INCLUDE; } quote {adjust(); return QUOTE; } static {adjust(); makemod(trans::EXPLICIT_STATIC); return MODIFIER; } public {adjust(); makeperm(trans::PUBLIC); return PERM; } private {adjust(); makeperm(trans::PRIVATE); return PERM; } restricted {adjust(); makeperm(trans::RESTRICTED); return PERM; } this {adjust(); return THIS; } explicit {adjust(); return EXPLICIT; } [0-9]+ try { adjust(); yylval.e= new intExp(here(), lexical::cast(yytext)); } catch (lexical::bad_cast&) { error(); em << "invalid integer"; yylval.e= new intExp(here(), 0); } return LIT; ([0-9]*\.[0-9]+)|([0-9]+\.[0-9]*)|([0-9]*\.*[0-9]+e[-+]*[0-9]+)|([0-9]+\.[0-9]*e[-+]*[0-9]+) try { adjust(); yylval.e= new realExp(here(), lexical::cast(yytext)); } catch (lexical::bad_cast&) { error(); em << "invalid real"; yylval.e= new realExp(here(), 0); } return LIT; true { adjust(); yylval.e= new booleanExp(here(), true); return LIT; } false { adjust(); yylval.e= new booleanExp(here(), false); return LIT; } null { adjust(); yylval.e= new nullExp(here()); return LIT; } cycle { adjust(); yylval.e= new cycleExp(here()); return LIT; } newframe { adjust(); yylval.e= new newPictureExp(here()); return LIT; } operator {adjust(); BEGIN opname; } { [ \t\r] {adjust(); continue;} {ENDL} {adjust(); newline(); continue;} <> {adjust(); setEOF("missing operator name"); BEGIN INITIAL; return GARBAGE; } "**" { savesymbol(SYM_CARET); BEGIN INITIAL; return ID; } [-+*/#%^!<>]|==|!=|<=|>=|&|\||\^\^|\.\.|::|--|---|\+\+|{EXTRAOPS} { makeopsymbol(); BEGIN INITIAL; return ID;} {LETTER}({LETTER}|[0-9])* { makeopsymbol(); BEGIN INITIAL; return ID; } . {} } {LETTER}({LETTER}|[0-9])* { makesymbol(); return ID; } \/\* {adjust(); /*commentDepth = 1;*/ BEGIN lexcomment; } \" {startstring(); BEGIN texstring; } \' {startstring(); BEGIN cstring; } <> { setEOF("unexpected end of input"); yyterminate(); } . {adjust(); error(); em << "invalid token"; if (isgraph(yytext[0])) em << " '" << yytext[0] << "'"; } asymptote-2.62/flatguide.cc0000644000000000000000000000177413607467113014462 0ustar rootroot/***** * flatguide.cc * Andy Hammerlindl 2005/02/23 * * The data structure that builds up a knotlist. This is done by calling in * order the methods to set knots, specifiers, and tensions. * Used by the guide solving routines. *****/ #include "flatguide.h" namespace camp { void flatguide::addPre(path& p, Int j) { setSpec(new controlSpec(p.precontrol(j),p.straight(j-1)),IN); } void flatguide::addPoint(path& p, Int j) { add(p.point(j)); } void flatguide::addPost(path& p, Int j) { setSpec(new controlSpec(p.postcontrol(j),p.straight(j)),OUT); } void flatguide::uncheckedAdd(path p, bool allowsolve) { Int n=p.length(); if(n < 0) return; if(n == 0) { addPoint(p,0); return; } int nminus1=n-1; if(!allowsolve && p.cyclic()) addPre(p,0); for(Int i=0; i < nminus1;) { addPoint(p,i); addPost(p,i); ++i; addPre(p,i); } addPoint(p,nminus1); addPost(p,nminus1); if(allowsolve || !p.cyclic()) { addPre(p,n); addPoint(p,n); } } spec flatguide::open; } asymptote-2.62/table.h0000644000000000000000000000521113607467113013435 0ustar rootroot/***** * table.h * Andy Hammerlindl 2002/06/18 * * Table used to bind symbols to vars and types in a namespace. *****/ #ifndef TABLE_H #define TABLE_H #include #include #include "symbol.h" #include "common.h" namespace sym { template class table; template std::ostream& operator<< (std::ostream& out, const table& t); template class table { protected: typedef mem::multimap scope_t; typedef typename scope_t::iterator scope_iterator; typedef mem::list scopes_t; typedef mem::list name_t; typedef typename name_t::iterator name_iterator; typedef mem::map names_t; typedef typename names_t::iterator names_iterator; scopes_t scopes; names_t names; void remove(symbol key); public : table(); void enter(symbol key, B value); B look(symbol key); // Allows scoping and overloading of symbols of the same name void beginScope(); void endScope(); // Copies all bindings in the top scope to the scope underneath it, and // removes the the top scope. void collapseScope(); // Adds to l, all names prefixed by start. void completions(mem::list& l, string start); friend std::ostream& operator<< (std::ostream& out, const table& t); }; template inline table::table() { beginScope(); } template inline void table::enter(symbol key, B value) { scopes.front().insert(std::make_pair(key,value)); names[key].push_front(value); } template inline B table::look(symbol key) { if (!names[key].empty()) return names[key].front(); return 0; } template inline void table::beginScope() { scopes.push_front(scope_t()); } template inline void table::remove(symbol key) { if (!names[key].empty()) names[key].pop_front(); } template inline void table::endScope() { scope_t &scope = scopes.front(); for (scope_iterator p = scope.begin(); p != scope.end(); ++p) remove(p->first); scopes.pop_front(); } template inline void table::collapseScope() { scope_t scope = scopes.front(); scopes.pop_front(); scopes.front().insert(scope.begin(), scope.end()); } // Returns true if start is a prefix for name; eg, mac is a prefix of machine. inline bool prefix(string start, string name) { return equal(start.begin(), start.end(), name.begin()); } template inline void table::completions(mem::list& l, string start) { for (names_iterator p = names.begin(); p != names.end(); ++p) if (prefix(start, p->first) && !p->second.empty()) l.push_back(p->first); } } // namespace sym #endif asymptote-2.62/pen.cc0000644000000000000000000000307213607467113013271 0ustar rootroot/***** * pen.cc * John Bowman * *****/ #include "pen.h" #include "drawelement.h" namespace camp { const char* DEFPAT=""; const char* DEFLATEXFONT="\\usefont{\\ASYencoding}{\\ASYfamily}{\\ASYseries}{\\ASYshape}"; const char* DEFCONTEXTFONT="modern"; const char* DEFTEXFONT="cmr12"; const double DEFWIDTH=-1; const Int DEFCAP=-1; const Int DEFJOIN=-1; const double DEFMITER=0; const transform nullTransform=transform(0.0,0.0,0.0,0.0,0.0,0.0); const char* PSCap[]={"butt","round","square"}; const char* Cap[]={"square","round","extended"}; const Int nCap=sizeof(Cap)/sizeof(char*); const char* Join[]={"miter","round","bevel"}; const Int nJoin=sizeof(Join)/sizeof(char*); const char* OverwriteTag[]={"Allow","Suppress","SupressQuiet", "Move","MoveQuiet"}; const Int nOverwrite=sizeof(OverwriteTag)/sizeof(char*); const char* FillRuleTag[]={"ZeroWinding","EvenOdd"}; const Int nFill=sizeof(FillRuleTag)/sizeof(char*); const char* BaseLineTag[]={"NoAlign","Align"}; const Int nBaseLine=sizeof(BaseLineTag)/sizeof(char*); const char* ColorDeviceSuffix[]={"","","Gray","RGB","CMYK",""}; const unsigned nColorSpace=sizeof(ColorDeviceSuffix)/sizeof(char*); const char* BlendMode[]={"Compatible","Normal","Multiply","Screen", "Overlay","SoftLight","HardLight", "ColorDodge","ColorBurn","Darken", "Lighten","Difference","Exclusion", "Hue","Saturation","Color","Luminosity"}; const Int nBlendMode=sizeof(BlendMode)/sizeof(char*); pen drawElement::lastpen; } asymptote-2.62/config.guess0000755000000000000000000012620613607467113014525 0ustar rootroot#! /bin/sh # Attempt to guess a canonical system name. # Copyright 1992-2018 Free Software Foundation, Inc. timestamp='2018-03-08' # This file 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 . # # As a special exception to the GNU General Public License, if you # distribute this file as part of a program that contains a # configuration script generated by Autoconf, you may include it under # the same distribution terms that you use for the rest of that # program. This Exception is an additional permission under section 7 # of the GNU General Public License, version 3 ("GPLv3"). # # Originally written by Per Bothner; maintained since 2000 by Ben Elliston. # # You can get the latest version of this script from: # https://git.savannah.gnu.org/gitweb/?p=config.git;a=blob_plain;f=config.guess # # Please send patches to . me=`echo "$0" | sed -e 's,.*/,,'` usage="\ Usage: $0 [OPTION] Output the configuration name of the system \`$me' is run on. Options: -h, --help print this help, then exit -t, --time-stamp print date of last modification, then exit -v, --version print version number, then exit Report bugs and patches to ." version="\ GNU config.guess ($timestamp) Originally written by Per Bothner. Copyright 1992-2018 Free Software Foundation, Inc. This is free software; see the source for copying conditions. There is NO warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE." help=" Try \`$me --help' for more information." # Parse command line while test $# -gt 0 ; do case $1 in --time-stamp | --time* | -t ) echo "$timestamp" ; exit ;; --version | -v ) echo "$version" ; exit ;; --help | --h* | -h ) echo "$usage"; exit ;; -- ) # Stop option processing shift; break ;; - ) # Use stdin as input. break ;; -* ) echo "$me: invalid option $1$help" >&2 exit 1 ;; * ) break ;; esac done if test $# != 0; then echo "$me: too many arguments$help" >&2 exit 1 fi trap 'exit 1' 1 2 15 # CC_FOR_BUILD -- compiler used by this script. Note that the use of a # compiler to aid in system detection is discouraged as it requires # temporary files to be created and, as you can see below, it is a # headache to deal with in a portable fashion. # Historically, `CC_FOR_BUILD' used to be named `HOST_CC'. We still # use `HOST_CC' if defined, but it is deprecated. # Portable tmp directory creation inspired by the Autoconf team. set_cc_for_build=' trap "exitcode=\$?; (rm -f \$tmpfiles 2>/dev/null; rmdir \$tmp 2>/dev/null) && exit \$exitcode" 0 ; trap "rm -f \$tmpfiles 2>/dev/null; rmdir \$tmp 2>/dev/null; exit 1" 1 2 13 15 ; : ${TMPDIR=/tmp} ; { tmp=`(umask 077 && mktemp -d "$TMPDIR/cgXXXXXX") 2>/dev/null` && test -n "$tmp" && test -d "$tmp" ; } || { test -n "$RANDOM" && tmp=$TMPDIR/cg$$-$RANDOM && (umask 077 && mkdir $tmp) ; } || { tmp=$TMPDIR/cg-$$ && (umask 077 && mkdir $tmp) && echo "Warning: creating insecure temp directory" >&2 ; } || { echo "$me: cannot create a temporary directory in $TMPDIR" >&2 ; exit 1 ; } ; dummy=$tmp/dummy ; tmpfiles="$dummy.c $dummy.o $dummy.rel $dummy" ; case $CC_FOR_BUILD,$HOST_CC,$CC in ,,) echo "int x;" > "$dummy.c" ; for c in cc gcc c89 c99 ; do if ($c -c -o "$dummy.o" "$dummy.c") >/dev/null 2>&1 ; then CC_FOR_BUILD="$c"; break ; fi ; done ; if test x"$CC_FOR_BUILD" = x ; then CC_FOR_BUILD=no_compiler_found ; fi ;; ,,*) CC_FOR_BUILD=$CC ;; ,*,*) CC_FOR_BUILD=$HOST_CC ;; esac ; set_cc_for_build= ;' # This is needed to find uname on a Pyramid OSx when run in the BSD universe. # (ghazi@noc.rutgers.edu 1994-08-24) if (test -f /.attbin/uname) >/dev/null 2>&1 ; then PATH=$PATH:/.attbin ; export PATH fi UNAME_MACHINE=`(uname -m) 2>/dev/null` || UNAME_MACHINE=unknown UNAME_RELEASE=`(uname -r) 2>/dev/null` || UNAME_RELEASE=unknown UNAME_SYSTEM=`(uname -s) 2>/dev/null` || UNAME_SYSTEM=unknown UNAME_VERSION=`(uname -v) 2>/dev/null` || UNAME_VERSION=unknown case "$UNAME_SYSTEM" in Linux|GNU|GNU/*) # If the system lacks a compiler, then just pick glibc. # We could probably try harder. LIBC=gnu eval "$set_cc_for_build" cat <<-EOF > "$dummy.c" #include #if defined(__UCLIBC__) LIBC=uclibc #elif defined(__dietlibc__) LIBC=dietlibc #else LIBC=gnu #endif EOF eval "`$CC_FOR_BUILD -E "$dummy.c" 2>/dev/null | grep '^LIBC' | sed 's, ,,g'`" # If ldd exists, use it to detect musl libc. if command -v ldd >/dev/null && \ ldd --version 2>&1 | grep -q ^musl then LIBC=musl fi ;; esac # Note: order is significant - the case branches are not exclusive. case "$UNAME_MACHINE:$UNAME_SYSTEM:$UNAME_RELEASE:$UNAME_VERSION" in *:NetBSD:*:*) # NetBSD (nbsd) targets should (where applicable) match one or # more of the tuples: *-*-netbsdelf*, *-*-netbsdaout*, # *-*-netbsdecoff* and *-*-netbsd*. For targets that recently # switched to ELF, *-*-netbsd* would select the old # object file format. This provides both forward # compatibility and a consistent mechanism for selecting the # object file format. # # Note: NetBSD doesn't particularly care about the vendor # portion of the name. We always set it to "unknown". sysctl="sysctl -n hw.machine_arch" UNAME_MACHINE_ARCH=`(uname -p 2>/dev/null || \ "/sbin/$sysctl" 2>/dev/null || \ "/usr/sbin/$sysctl" 2>/dev/null || \ echo unknown)` case "$UNAME_MACHINE_ARCH" in armeb) machine=armeb-unknown ;; arm*) machine=arm-unknown ;; sh3el) machine=shl-unknown ;; sh3eb) machine=sh-unknown ;; sh5el) machine=sh5le-unknown ;; earmv*) arch=`echo "$UNAME_MACHINE_ARCH" | sed -e 's,^e\(armv[0-9]\).*$,\1,'` endian=`echo "$UNAME_MACHINE_ARCH" | sed -ne 's,^.*\(eb\)$,\1,p'` machine="${arch}${endian}"-unknown ;; *) machine="$UNAME_MACHINE_ARCH"-unknown ;; esac # The Operating System including object format, if it has switched # to ELF recently (or will in the future) and ABI. case "$UNAME_MACHINE_ARCH" in earm*) os=netbsdelf ;; arm*|i386|m68k|ns32k|sh3*|sparc|vax) eval "$set_cc_for_build" if echo __ELF__ | $CC_FOR_BUILD -E - 2>/dev/null \ | grep -q __ELF__ then # Once all utilities can be ECOFF (netbsdecoff) or a.out (netbsdaout). # Return netbsd for either. FIX? os=netbsd else os=netbsdelf fi ;; *) os=netbsd ;; esac # Determine ABI tags. case "$UNAME_MACHINE_ARCH" in earm*) expr='s/^earmv[0-9]/-eabi/;s/eb$//' abi=`echo "$UNAME_MACHINE_ARCH" | sed -e "$expr"` ;; esac # The OS release # Debian GNU/NetBSD machines have a different userland, and # thus, need a distinct triplet. However, they do not need # kernel version information, so it can be replaced with a # suitable tag, in the style of linux-gnu. case "$UNAME_VERSION" in Debian*) release='-gnu' ;; *) release=`echo "$UNAME_RELEASE" | sed -e 's/[-_].*//' | cut -d. -f1,2` ;; esac # Since CPU_TYPE-MANUFACTURER-KERNEL-OPERATING_SYSTEM: # contains redundant information, the shorter form: # CPU_TYPE-MANUFACTURER-OPERATING_SYSTEM is used. echo "$machine-${os}${release}${abi}" exit ;; *:Bitrig:*:*) UNAME_MACHINE_ARCH=`arch | sed 's/Bitrig.//'` echo "$UNAME_MACHINE_ARCH"-unknown-bitrig"$UNAME_RELEASE" exit ;; *:OpenBSD:*:*) UNAME_MACHINE_ARCH=`arch | sed 's/OpenBSD.//'` echo "$UNAME_MACHINE_ARCH"-unknown-openbsd"$UNAME_RELEASE" exit ;; *:LibertyBSD:*:*) UNAME_MACHINE_ARCH=`arch | sed 's/^.*BSD\.//'` echo "$UNAME_MACHINE_ARCH"-unknown-libertybsd"$UNAME_RELEASE" exit ;; *:MidnightBSD:*:*) echo "$UNAME_MACHINE"-unknown-midnightbsd"$UNAME_RELEASE" exit ;; *:ekkoBSD:*:*) echo "$UNAME_MACHINE"-unknown-ekkobsd"$UNAME_RELEASE" exit ;; *:SolidBSD:*:*) echo "$UNAME_MACHINE"-unknown-solidbsd"$UNAME_RELEASE" exit ;; macppc:MirBSD:*:*) echo powerpc-unknown-mirbsd"$UNAME_RELEASE" exit ;; *:MirBSD:*:*) echo "$UNAME_MACHINE"-unknown-mirbsd"$UNAME_RELEASE" exit ;; *:Sortix:*:*) echo "$UNAME_MACHINE"-unknown-sortix exit ;; *:Redox:*:*) echo "$UNAME_MACHINE"-unknown-redox exit ;; mips:OSF1:*.*) echo mips-dec-osf1 exit ;; alpha:OSF1:*:*) case $UNAME_RELEASE in *4.0) UNAME_RELEASE=`/usr/sbin/sizer -v | awk '{print $3}'` ;; *5.*) UNAME_RELEASE=`/usr/sbin/sizer -v | awk '{print $4}'` ;; esac # According to Compaq, /usr/sbin/psrinfo has been available on # OSF/1 and Tru64 systems produced since 1995. I hope that # covers most systems running today. This code pipes the CPU # types through head -n 1, so we only detect the type of CPU 0. ALPHA_CPU_TYPE=`/usr/sbin/psrinfo -v | sed -n -e 's/^ The alpha \(.*\) processor.*$/\1/p' | head -n 1` case "$ALPHA_CPU_TYPE" in "EV4 (21064)") UNAME_MACHINE=alpha ;; "EV4.5 (21064)") UNAME_MACHINE=alpha ;; "LCA4 (21066/21068)") UNAME_MACHINE=alpha ;; "EV5 (21164)") UNAME_MACHINE=alphaev5 ;; "EV5.6 (21164A)") UNAME_MACHINE=alphaev56 ;; "EV5.6 (21164PC)") UNAME_MACHINE=alphapca56 ;; "EV5.7 (21164PC)") UNAME_MACHINE=alphapca57 ;; "EV6 (21264)") UNAME_MACHINE=alphaev6 ;; "EV6.7 (21264A)") UNAME_MACHINE=alphaev67 ;; "EV6.8CB (21264C)") UNAME_MACHINE=alphaev68 ;; "EV6.8AL (21264B)") UNAME_MACHINE=alphaev68 ;; "EV6.8CX (21264D)") UNAME_MACHINE=alphaev68 ;; "EV6.9A (21264/EV69A)") UNAME_MACHINE=alphaev69 ;; "EV7 (21364)") UNAME_MACHINE=alphaev7 ;; "EV7.9 (21364A)") UNAME_MACHINE=alphaev79 ;; esac # A Pn.n version is a patched version. # A Vn.n version is a released version. # A Tn.n version is a released field test version. # A Xn.n version is an unreleased experimental baselevel. # 1.2 uses "1.2" for uname -r. echo "$UNAME_MACHINE"-dec-osf"`echo "$UNAME_RELEASE" | sed -e 's/^[PVTX]//' | tr ABCDEFGHIJKLMNOPQRSTUVWXYZ abcdefghijklmnopqrstuvwxyz`" # Reset EXIT trap before exiting to avoid spurious non-zero exit code. exitcode=$? trap '' 0 exit $exitcode ;; Amiga*:UNIX_System_V:4.0:*) echo m68k-unknown-sysv4 exit ;; *:[Aa]miga[Oo][Ss]:*:*) echo "$UNAME_MACHINE"-unknown-amigaos exit ;; *:[Mm]orph[Oo][Ss]:*:*) echo "$UNAME_MACHINE"-unknown-morphos exit ;; *:OS/390:*:*) echo i370-ibm-openedition exit ;; *:z/VM:*:*) echo s390-ibm-zvmoe exit ;; *:OS400:*:*) echo powerpc-ibm-os400 exit ;; arm:RISC*:1.[012]*:*|arm:riscix:1.[012]*:*) echo arm-acorn-riscix"$UNAME_RELEASE" exit ;; arm*:riscos:*:*|arm*:RISCOS:*:*) echo arm-unknown-riscos exit ;; SR2?01:HI-UX/MPP:*:* | SR8000:HI-UX/MPP:*:*) echo hppa1.1-hitachi-hiuxmpp exit ;; Pyramid*:OSx*:*:* | MIS*:OSx*:*:* | MIS*:SMP_DC-OSx*:*:*) # akee@wpdis03.wpafb.af.mil (Earle F. Ake) contributed MIS and NILE. if test "`(/bin/universe) 2>/dev/null`" = att ; then echo pyramid-pyramid-sysv3 else echo pyramid-pyramid-bsd fi exit ;; NILE*:*:*:dcosx) echo pyramid-pyramid-svr4 exit ;; DRS?6000:unix:4.0:6*) echo sparc-icl-nx6 exit ;; DRS?6000:UNIX_SV:4.2*:7* | DRS?6000:isis:4.2*:7*) case `/usr/bin/uname -p` in sparc) echo sparc-icl-nx7; exit ;; esac ;; s390x:SunOS:*:*) echo "$UNAME_MACHINE"-ibm-solaris2"`echo "$UNAME_RELEASE" | sed -e 's/[^.]*//'`" exit ;; sun4H:SunOS:5.*:*) echo sparc-hal-solaris2"`echo "$UNAME_RELEASE"|sed -e 's/[^.]*//'`" exit ;; sun4*:SunOS:5.*:* | tadpole*:SunOS:5.*:*) echo sparc-sun-solaris2"`echo "$UNAME_RELEASE" | sed -e 's/[^.]*//'`" exit ;; i86pc:AuroraUX:5.*:* | i86xen:AuroraUX:5.*:*) echo i386-pc-auroraux"$UNAME_RELEASE" exit ;; i86pc:SunOS:5.*:* | i86xen:SunOS:5.*:*) eval "$set_cc_for_build" SUN_ARCH=i386 # If there is a compiler, see if it is configured for 64-bit objects. # Note that the Sun cc does not turn __LP64__ into 1 like gcc does. # This test works for both compilers. if [ "$CC_FOR_BUILD" != no_compiler_found ]; then if (echo '#ifdef __amd64'; echo IS_64BIT_ARCH; echo '#endif') | \ (CCOPTS="" $CC_FOR_BUILD -E - 2>/dev/null) | \ grep IS_64BIT_ARCH >/dev/null then SUN_ARCH=x86_64 fi fi echo "$SUN_ARCH"-pc-solaris2"`echo "$UNAME_RELEASE"|sed -e 's/[^.]*//'`" exit ;; sun4*:SunOS:6*:*) # According to config.sub, this is the proper way to canonicalize # SunOS6. Hard to guess exactly what SunOS6 will be like, but # it's likely to be more like Solaris than SunOS4. echo sparc-sun-solaris3"`echo "$UNAME_RELEASE"|sed -e 's/[^.]*//'`" exit ;; sun4*:SunOS:*:*) case "`/usr/bin/arch -k`" in Series*|S4*) UNAME_RELEASE=`uname -v` ;; esac # Japanese Language versions have a version number like `4.1.3-JL'. echo sparc-sun-sunos"`echo "$UNAME_RELEASE"|sed -e 's/-/_/'`" exit ;; sun3*:SunOS:*:*) echo m68k-sun-sunos"$UNAME_RELEASE" exit ;; sun*:*:4.2BSD:*) UNAME_RELEASE=`(sed 1q /etc/motd | awk '{print substr($5,1,3)}') 2>/dev/null` test "x$UNAME_RELEASE" = x && UNAME_RELEASE=3 case "`/bin/arch`" in sun3) echo m68k-sun-sunos"$UNAME_RELEASE" ;; sun4) echo sparc-sun-sunos"$UNAME_RELEASE" ;; esac exit ;; aushp:SunOS:*:*) echo sparc-auspex-sunos"$UNAME_RELEASE" exit ;; # The situation for MiNT is a little confusing. The machine name # can be virtually everything (everything which is not # "atarist" or "atariste" at least should have a processor # > m68000). The system name ranges from "MiNT" over "FreeMiNT" # to the lowercase version "mint" (or "freemint"). Finally # the system name "TOS" denotes a system which is actually not # MiNT. But MiNT is downward compatible to TOS, so this should # be no problem. atarist[e]:*MiNT:*:* | atarist[e]:*mint:*:* | atarist[e]:*TOS:*:*) echo m68k-atari-mint"$UNAME_RELEASE" exit ;; atari*:*MiNT:*:* | atari*:*mint:*:* | atarist[e]:*TOS:*:*) echo m68k-atari-mint"$UNAME_RELEASE" exit ;; *falcon*:*MiNT:*:* | *falcon*:*mint:*:* | *falcon*:*TOS:*:*) echo m68k-atari-mint"$UNAME_RELEASE" exit ;; milan*:*MiNT:*:* | milan*:*mint:*:* | *milan*:*TOS:*:*) echo m68k-milan-mint"$UNAME_RELEASE" exit ;; hades*:*MiNT:*:* | hades*:*mint:*:* | *hades*:*TOS:*:*) echo m68k-hades-mint"$UNAME_RELEASE" exit ;; *:*MiNT:*:* | *:*mint:*:* | *:*TOS:*:*) echo m68k-unknown-mint"$UNAME_RELEASE" exit ;; m68k:machten:*:*) echo m68k-apple-machten"$UNAME_RELEASE" exit ;; powerpc:machten:*:*) echo powerpc-apple-machten"$UNAME_RELEASE" exit ;; RISC*:Mach:*:*) echo mips-dec-mach_bsd4.3 exit ;; RISC*:ULTRIX:*:*) echo mips-dec-ultrix"$UNAME_RELEASE" exit ;; VAX*:ULTRIX*:*:*) echo vax-dec-ultrix"$UNAME_RELEASE" exit ;; 2020:CLIX:*:* | 2430:CLIX:*:*) echo clipper-intergraph-clix"$UNAME_RELEASE" exit ;; mips:*:*:UMIPS | mips:*:*:RISCos) eval "$set_cc_for_build" sed 's/^ //' << EOF > "$dummy.c" #ifdef __cplusplus #include /* for printf() prototype */ int main (int argc, char *argv[]) { #else int main (argc, argv) int argc; char *argv[]; { #endif #if defined (host_mips) && defined (MIPSEB) #if defined (SYSTYPE_SYSV) printf ("mips-mips-riscos%ssysv\\n", argv[1]); exit (0); #endif #if defined (SYSTYPE_SVR4) printf ("mips-mips-riscos%ssvr4\\n", argv[1]); exit (0); #endif #if defined (SYSTYPE_BSD43) || defined(SYSTYPE_BSD) printf ("mips-mips-riscos%sbsd\\n", argv[1]); exit (0); #endif #endif exit (-1); } EOF $CC_FOR_BUILD -o "$dummy" "$dummy.c" && dummyarg=`echo "$UNAME_RELEASE" | sed -n 's/\([0-9]*\).*/\1/p'` && SYSTEM_NAME=`"$dummy" "$dummyarg"` && { echo "$SYSTEM_NAME"; exit; } echo mips-mips-riscos"$UNAME_RELEASE" exit ;; Motorola:PowerMAX_OS:*:*) echo powerpc-motorola-powermax exit ;; Motorola:*:4.3:PL8-*) echo powerpc-harris-powermax exit ;; Night_Hawk:*:*:PowerMAX_OS | Synergy:PowerMAX_OS:*:*) echo powerpc-harris-powermax exit ;; Night_Hawk:Power_UNIX:*:*) echo powerpc-harris-powerunix exit ;; m88k:CX/UX:7*:*) echo m88k-harris-cxux7 exit ;; m88k:*:4*:R4*) echo m88k-motorola-sysv4 exit ;; m88k:*:3*:R3*) echo m88k-motorola-sysv3 exit ;; AViiON:dgux:*:*) # DG/UX returns AViiON for all architectures UNAME_PROCESSOR=`/usr/bin/uname -p` if [ "$UNAME_PROCESSOR" = mc88100 ] || [ "$UNAME_PROCESSOR" = mc88110 ] then if [ "$TARGET_BINARY_INTERFACE"x = m88kdguxelfx ] || \ [ "$TARGET_BINARY_INTERFACE"x = x ] then echo m88k-dg-dgux"$UNAME_RELEASE" else echo m88k-dg-dguxbcs"$UNAME_RELEASE" fi else echo i586-dg-dgux"$UNAME_RELEASE" fi exit ;; M88*:DolphinOS:*:*) # DolphinOS (SVR3) echo m88k-dolphin-sysv3 exit ;; M88*:*:R3*:*) # Delta 88k system running SVR3 echo m88k-motorola-sysv3 exit ;; XD88*:*:*:*) # Tektronix XD88 system running UTekV (SVR3) echo m88k-tektronix-sysv3 exit ;; Tek43[0-9][0-9]:UTek:*:*) # Tektronix 4300 system running UTek (BSD) echo m68k-tektronix-bsd exit ;; *:IRIX*:*:*) echo mips-sgi-irix"`echo "$UNAME_RELEASE"|sed -e 's/-/_/g'`" exit ;; ????????:AIX?:[12].1:2) # AIX 2.2.1 or AIX 2.1.1 is RT/PC AIX. echo romp-ibm-aix # uname -m gives an 8 hex-code CPU id exit ;; # Note that: echo "'`uname -s`'" gives 'AIX ' i*86:AIX:*:*) echo i386-ibm-aix exit ;; ia64:AIX:*:*) if [ -x /usr/bin/oslevel ] ; then IBM_REV=`/usr/bin/oslevel` else IBM_REV="$UNAME_VERSION.$UNAME_RELEASE" fi echo "$UNAME_MACHINE"-ibm-aix"$IBM_REV" exit ;; *:AIX:2:3) if grep bos325 /usr/include/stdio.h >/dev/null 2>&1; then eval "$set_cc_for_build" sed 's/^ //' << EOF > "$dummy.c" #include main() { if (!__power_pc()) exit(1); puts("powerpc-ibm-aix3.2.5"); exit(0); } EOF if $CC_FOR_BUILD -o "$dummy" "$dummy.c" && SYSTEM_NAME=`"$dummy"` then echo "$SYSTEM_NAME" else echo rs6000-ibm-aix3.2.5 fi elif grep bos324 /usr/include/stdio.h >/dev/null 2>&1; then echo rs6000-ibm-aix3.2.4 else echo rs6000-ibm-aix3.2 fi exit ;; *:AIX:*:[4567]) IBM_CPU_ID=`/usr/sbin/lsdev -C -c processor -S available | sed 1q | awk '{ print $1 }'` if /usr/sbin/lsattr -El "$IBM_CPU_ID" | grep ' POWER' >/dev/null 2>&1; then IBM_ARCH=rs6000 else IBM_ARCH=powerpc fi if [ -x /usr/bin/lslpp ] ; then IBM_REV=`/usr/bin/lslpp -Lqc bos.rte.libc | awk -F: '{ print $3 }' | sed s/[0-9]*$/0/` else IBM_REV="$UNAME_VERSION.$UNAME_RELEASE" fi echo "$IBM_ARCH"-ibm-aix"$IBM_REV" exit ;; *:AIX:*:*) echo rs6000-ibm-aix exit ;; ibmrt:4.4BSD:*|romp-ibm:4.4BSD:*) echo romp-ibm-bsd4.4 exit ;; ibmrt:*BSD:*|romp-ibm:BSD:*) # covers RT/PC BSD and echo romp-ibm-bsd"$UNAME_RELEASE" # 4.3 with uname added to exit ;; # report: romp-ibm BSD 4.3 *:BOSX:*:*) echo rs6000-bull-bosx exit ;; DPX/2?00:B.O.S.:*:*) echo m68k-bull-sysv3 exit ;; 9000/[34]??:4.3bsd:1.*:*) echo m68k-hp-bsd exit ;; hp300:4.4BSD:*:* | 9000/[34]??:4.3bsd:2.*:*) echo m68k-hp-bsd4.4 exit ;; 9000/[34678]??:HP-UX:*:*) HPUX_REV=`echo "$UNAME_RELEASE"|sed -e 's/[^.]*.[0B]*//'` case "$UNAME_MACHINE" in 9000/31?) HP_ARCH=m68000 ;; 9000/[34]??) HP_ARCH=m68k ;; 9000/[678][0-9][0-9]) if [ -x /usr/bin/getconf ]; then sc_cpu_version=`/usr/bin/getconf SC_CPU_VERSION 2>/dev/null` sc_kernel_bits=`/usr/bin/getconf SC_KERNEL_BITS 2>/dev/null` case "$sc_cpu_version" in 523) HP_ARCH=hppa1.0 ;; # CPU_PA_RISC1_0 528) HP_ARCH=hppa1.1 ;; # CPU_PA_RISC1_1 532) # CPU_PA_RISC2_0 case "$sc_kernel_bits" in 32) HP_ARCH=hppa2.0n ;; 64) HP_ARCH=hppa2.0w ;; '') HP_ARCH=hppa2.0 ;; # HP-UX 10.20 esac ;; esac fi if [ "$HP_ARCH" = "" ]; then eval "$set_cc_for_build" sed 's/^ //' << EOF > "$dummy.c" #define _HPUX_SOURCE #include #include int main () { #if defined(_SC_KERNEL_BITS) long bits = sysconf(_SC_KERNEL_BITS); #endif long cpu = sysconf (_SC_CPU_VERSION); switch (cpu) { case CPU_PA_RISC1_0: puts ("hppa1.0"); break; case CPU_PA_RISC1_1: puts ("hppa1.1"); break; case CPU_PA_RISC2_0: #if defined(_SC_KERNEL_BITS) switch (bits) { case 64: puts ("hppa2.0w"); break; case 32: puts ("hppa2.0n"); break; default: puts ("hppa2.0"); break; } break; #else /* !defined(_SC_KERNEL_BITS) */ puts ("hppa2.0"); break; #endif default: puts ("hppa1.0"); break; } exit (0); } EOF (CCOPTS="" $CC_FOR_BUILD -o "$dummy" "$dummy.c" 2>/dev/null) && HP_ARCH=`"$dummy"` test -z "$HP_ARCH" && HP_ARCH=hppa fi ;; esac if [ "$HP_ARCH" = hppa2.0w ] then eval "$set_cc_for_build" # hppa2.0w-hp-hpux* has a 64-bit kernel and a compiler generating # 32-bit code. hppa64-hp-hpux* has the same kernel and a compiler # generating 64-bit code. GNU and HP use different nomenclature: # # $ CC_FOR_BUILD=cc ./config.guess # => hppa2.0w-hp-hpux11.23 # $ CC_FOR_BUILD="cc +DA2.0w" ./config.guess # => hppa64-hp-hpux11.23 if echo __LP64__ | (CCOPTS="" $CC_FOR_BUILD -E - 2>/dev/null) | grep -q __LP64__ then HP_ARCH=hppa2.0w else HP_ARCH=hppa64 fi fi echo "$HP_ARCH"-hp-hpux"$HPUX_REV" exit ;; ia64:HP-UX:*:*) HPUX_REV=`echo "$UNAME_RELEASE"|sed -e 's/[^.]*.[0B]*//'` echo ia64-hp-hpux"$HPUX_REV" exit ;; 3050*:HI-UX:*:*) eval "$set_cc_for_build" sed 's/^ //' << EOF > "$dummy.c" #include int main () { long cpu = sysconf (_SC_CPU_VERSION); /* The order matters, because CPU_IS_HP_MC68K erroneously returns true for CPU_PA_RISC1_0. CPU_IS_PA_RISC returns correct results, however. */ if (CPU_IS_PA_RISC (cpu)) { switch (cpu) { case CPU_PA_RISC1_0: puts ("hppa1.0-hitachi-hiuxwe2"); break; case CPU_PA_RISC1_1: puts ("hppa1.1-hitachi-hiuxwe2"); break; case CPU_PA_RISC2_0: puts ("hppa2.0-hitachi-hiuxwe2"); break; default: puts ("hppa-hitachi-hiuxwe2"); break; } } else if (CPU_IS_HP_MC68K (cpu)) puts ("m68k-hitachi-hiuxwe2"); else puts ("unknown-hitachi-hiuxwe2"); exit (0); } EOF $CC_FOR_BUILD -o "$dummy" "$dummy.c" && SYSTEM_NAME=`"$dummy"` && { echo "$SYSTEM_NAME"; exit; } echo unknown-hitachi-hiuxwe2 exit ;; 9000/7??:4.3bsd:*:* | 9000/8?[79]:4.3bsd:*:*) echo hppa1.1-hp-bsd exit ;; 9000/8??:4.3bsd:*:*) echo hppa1.0-hp-bsd exit ;; *9??*:MPE/iX:*:* | *3000*:MPE/iX:*:*) echo hppa1.0-hp-mpeix exit ;; hp7??:OSF1:*:* | hp8?[79]:OSF1:*:*) echo hppa1.1-hp-osf exit ;; hp8??:OSF1:*:*) echo hppa1.0-hp-osf exit ;; i*86:OSF1:*:*) if [ -x /usr/sbin/sysversion ] ; then echo "$UNAME_MACHINE"-unknown-osf1mk else echo "$UNAME_MACHINE"-unknown-osf1 fi exit ;; parisc*:Lites*:*:*) echo hppa1.1-hp-lites exit ;; C1*:ConvexOS:*:* | convex:ConvexOS:C1*:*) echo c1-convex-bsd exit ;; C2*:ConvexOS:*:* | convex:ConvexOS:C2*:*) if getsysinfo -f scalar_acc then echo c32-convex-bsd else echo c2-convex-bsd fi exit ;; C34*:ConvexOS:*:* | convex:ConvexOS:C34*:*) echo c34-convex-bsd exit ;; C38*:ConvexOS:*:* | convex:ConvexOS:C38*:*) echo c38-convex-bsd exit ;; C4*:ConvexOS:*:* | convex:ConvexOS:C4*:*) echo c4-convex-bsd exit ;; CRAY*Y-MP:*:*:*) echo ymp-cray-unicos"$UNAME_RELEASE" | sed -e 's/\.[^.]*$/.X/' exit ;; CRAY*[A-Z]90:*:*:*) echo "$UNAME_MACHINE"-cray-unicos"$UNAME_RELEASE" \ | sed -e 's/CRAY.*\([A-Z]90\)/\1/' \ -e y/ABCDEFGHIJKLMNOPQRSTUVWXYZ/abcdefghijklmnopqrstuvwxyz/ \ -e 's/\.[^.]*$/.X/' exit ;; CRAY*TS:*:*:*) echo t90-cray-unicos"$UNAME_RELEASE" | sed -e 's/\.[^.]*$/.X/' exit ;; CRAY*T3E:*:*:*) echo alphaev5-cray-unicosmk"$UNAME_RELEASE" | sed -e 's/\.[^.]*$/.X/' exit ;; CRAY*SV1:*:*:*) echo sv1-cray-unicos"$UNAME_RELEASE" | sed -e 's/\.[^.]*$/.X/' exit ;; *:UNICOS/mp:*:*) echo craynv-cray-unicosmp"$UNAME_RELEASE" | sed -e 's/\.[^.]*$/.X/' exit ;; F30[01]:UNIX_System_V:*:* | F700:UNIX_System_V:*:*) FUJITSU_PROC=`uname -m | tr ABCDEFGHIJKLMNOPQRSTUVWXYZ abcdefghijklmnopqrstuvwxyz` FUJITSU_SYS=`uname -p | tr ABCDEFGHIJKLMNOPQRSTUVWXYZ abcdefghijklmnopqrstuvwxyz | sed -e 's/\///'` FUJITSU_REL=`echo "$UNAME_RELEASE" | sed -e 's/ /_/'` echo "${FUJITSU_PROC}-fujitsu-${FUJITSU_SYS}${FUJITSU_REL}" exit ;; 5000:UNIX_System_V:4.*:*) FUJITSU_SYS=`uname -p | tr ABCDEFGHIJKLMNOPQRSTUVWXYZ abcdefghijklmnopqrstuvwxyz | sed -e 's/\///'` FUJITSU_REL=`echo "$UNAME_RELEASE" | tr ABCDEFGHIJKLMNOPQRSTUVWXYZ abcdefghijklmnopqrstuvwxyz | sed -e 's/ /_/'` echo "sparc-fujitsu-${FUJITSU_SYS}${FUJITSU_REL}" exit ;; i*86:BSD/386:*:* | i*86:BSD/OS:*:* | *:Ascend\ Embedded/OS:*:*) echo "$UNAME_MACHINE"-pc-bsdi"$UNAME_RELEASE" exit ;; sparc*:BSD/OS:*:*) echo sparc-unknown-bsdi"$UNAME_RELEASE" exit ;; *:BSD/OS:*:*) echo "$UNAME_MACHINE"-unknown-bsdi"$UNAME_RELEASE" exit ;; *:FreeBSD:*:*) UNAME_PROCESSOR=`/usr/bin/uname -p` case "$UNAME_PROCESSOR" in amd64) UNAME_PROCESSOR=x86_64 ;; i386) UNAME_PROCESSOR=i586 ;; esac echo "$UNAME_PROCESSOR"-unknown-freebsd"`echo "$UNAME_RELEASE"|sed -e 's/[-(].*//'`" exit ;; i*:CYGWIN*:*) echo "$UNAME_MACHINE"-pc-cygwin exit ;; *:MINGW64*:*) echo "$UNAME_MACHINE"-pc-mingw64 exit ;; *:MINGW*:*) echo "$UNAME_MACHINE"-pc-mingw32 exit ;; *:MSYS*:*) echo "$UNAME_MACHINE"-pc-msys exit ;; i*:PW*:*) echo "$UNAME_MACHINE"-pc-pw32 exit ;; *:Interix*:*) case "$UNAME_MACHINE" in x86) echo i586-pc-interix"$UNAME_RELEASE" exit ;; authenticamd | genuineintel | EM64T) echo x86_64-unknown-interix"$UNAME_RELEASE" exit ;; IA64) echo ia64-unknown-interix"$UNAME_RELEASE" exit ;; esac ;; i*:UWIN*:*) echo "$UNAME_MACHINE"-pc-uwin exit ;; amd64:CYGWIN*:*:* | x86_64:CYGWIN*:*:*) echo x86_64-unknown-cygwin exit ;; prep*:SunOS:5.*:*) echo powerpcle-unknown-solaris2"`echo "$UNAME_RELEASE"|sed -e 's/[^.]*//'`" exit ;; *:GNU:*:*) # the GNU system echo "`echo "$UNAME_MACHINE"|sed -e 's,[-/].*$,,'`-unknown-$LIBC`echo "$UNAME_RELEASE"|sed -e 's,/.*$,,'`" exit ;; *:GNU/*:*:*) # other systems with GNU libc and userland echo "$UNAME_MACHINE-unknown-`echo "$UNAME_SYSTEM" | sed 's,^[^/]*/,,' | tr "[:upper:]" "[:lower:]"``echo "$UNAME_RELEASE"|sed -e 's/[-(].*//'`-$LIBC" exit ;; i*86:Minix:*:*) echo "$UNAME_MACHINE"-pc-minix exit ;; aarch64:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; aarch64_be:Linux:*:*) UNAME_MACHINE=aarch64_be echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; alpha:Linux:*:*) case `sed -n '/^cpu model/s/^.*: \(.*\)/\1/p' < /proc/cpuinfo` in EV5) UNAME_MACHINE=alphaev5 ;; EV56) UNAME_MACHINE=alphaev56 ;; PCA56) UNAME_MACHINE=alphapca56 ;; PCA57) UNAME_MACHINE=alphapca56 ;; EV6) UNAME_MACHINE=alphaev6 ;; EV67) UNAME_MACHINE=alphaev67 ;; EV68*) UNAME_MACHINE=alphaev68 ;; esac objdump --private-headers /bin/sh | grep -q ld.so.1 if test "$?" = 0 ; then LIBC=gnulibc1 ; fi echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; arc:Linux:*:* | arceb:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; arm*:Linux:*:*) eval "$set_cc_for_build" if echo __ARM_EABI__ | $CC_FOR_BUILD -E - 2>/dev/null \ | grep -q __ARM_EABI__ then echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" else if echo __ARM_PCS_VFP | $CC_FOR_BUILD -E - 2>/dev/null \ | grep -q __ARM_PCS_VFP then echo "$UNAME_MACHINE"-unknown-linux-"$LIBC"eabi else echo "$UNAME_MACHINE"-unknown-linux-"$LIBC"eabihf fi fi exit ;; avr32*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; cris:Linux:*:*) echo "$UNAME_MACHINE"-axis-linux-"$LIBC" exit ;; crisv32:Linux:*:*) echo "$UNAME_MACHINE"-axis-linux-"$LIBC" exit ;; e2k:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; frv:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; hexagon:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; i*86:Linux:*:*) echo "$UNAME_MACHINE"-pc-linux-"$LIBC" exit ;; ia64:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; k1om:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; m32r*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; m68*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; mips:Linux:*:* | mips64:Linux:*:*) eval "$set_cc_for_build" sed 's/^ //' << EOF > "$dummy.c" #undef CPU #undef ${UNAME_MACHINE} #undef ${UNAME_MACHINE}el #if defined(__MIPSEL__) || defined(__MIPSEL) || defined(_MIPSEL) || defined(MIPSEL) CPU=${UNAME_MACHINE}el #else #if defined(__MIPSEB__) || defined(__MIPSEB) || defined(_MIPSEB) || defined(MIPSEB) CPU=${UNAME_MACHINE} #else CPU= #endif #endif EOF eval "`$CC_FOR_BUILD -E "$dummy.c" 2>/dev/null | grep '^CPU'`" test "x$CPU" != x && { echo "$CPU-unknown-linux-$LIBC"; exit; } ;; mips64el:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; openrisc*:Linux:*:*) echo or1k-unknown-linux-"$LIBC" exit ;; or32:Linux:*:* | or1k*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; padre:Linux:*:*) echo sparc-unknown-linux-"$LIBC" exit ;; parisc64:Linux:*:* | hppa64:Linux:*:*) echo hppa64-unknown-linux-"$LIBC" exit ;; parisc:Linux:*:* | hppa:Linux:*:*) # Look for CPU level case `grep '^cpu[^a-z]*:' /proc/cpuinfo 2>/dev/null | cut -d' ' -f2` in PA7*) echo hppa1.1-unknown-linux-"$LIBC" ;; PA8*) echo hppa2.0-unknown-linux-"$LIBC" ;; *) echo hppa-unknown-linux-"$LIBC" ;; esac exit ;; ppc64:Linux:*:*) echo powerpc64-unknown-linux-"$LIBC" exit ;; ppc:Linux:*:*) echo powerpc-unknown-linux-"$LIBC" exit ;; ppc64le:Linux:*:*) echo powerpc64le-unknown-linux-"$LIBC" exit ;; ppcle:Linux:*:*) echo powerpcle-unknown-linux-"$LIBC" exit ;; riscv32:Linux:*:* | riscv64:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; s390:Linux:*:* | s390x:Linux:*:*) echo "$UNAME_MACHINE"-ibm-linux-"$LIBC" exit ;; sh64*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; sh*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; sparc:Linux:*:* | sparc64:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; tile*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; vax:Linux:*:*) echo "$UNAME_MACHINE"-dec-linux-"$LIBC" exit ;; x86_64:Linux:*:*) echo "$UNAME_MACHINE"-pc-linux-"$LIBC" exit ;; xtensa*:Linux:*:*) echo "$UNAME_MACHINE"-unknown-linux-"$LIBC" exit ;; i*86:DYNIX/ptx:4*:*) # ptx 4.0 does uname -s correctly, with DYNIX/ptx in there. # earlier versions are messed up and put the nodename in both # sysname and nodename. echo i386-sequent-sysv4 exit ;; i*86:UNIX_SV:4.2MP:2.*) # Unixware is an offshoot of SVR4, but it has its own version # number series starting with 2... # I am not positive that other SVR4 systems won't match this, # I just have to hope. -- rms. # Use sysv4.2uw... so that sysv4* matches it. echo "$UNAME_MACHINE"-pc-sysv4.2uw"$UNAME_VERSION" exit ;; i*86:OS/2:*:*) # If we were able to find `uname', then EMX Unix compatibility # is probably installed. echo "$UNAME_MACHINE"-pc-os2-emx exit ;; i*86:XTS-300:*:STOP) echo "$UNAME_MACHINE"-unknown-stop exit ;; i*86:atheos:*:*) echo "$UNAME_MACHINE"-unknown-atheos exit ;; i*86:syllable:*:*) echo "$UNAME_MACHINE"-pc-syllable exit ;; i*86:LynxOS:2.*:* | i*86:LynxOS:3.[01]*:* | i*86:LynxOS:4.[02]*:*) echo i386-unknown-lynxos"$UNAME_RELEASE" exit ;; i*86:*DOS:*:*) echo "$UNAME_MACHINE"-pc-msdosdjgpp exit ;; i*86:*:4.*:*) UNAME_REL=`echo "$UNAME_RELEASE" | sed 's/\/MP$//'` if grep Novell /usr/include/link.h >/dev/null 2>/dev/null; then echo "$UNAME_MACHINE"-univel-sysv"$UNAME_REL" else echo "$UNAME_MACHINE"-pc-sysv"$UNAME_REL" fi exit ;; i*86:*:5:[678]*) # UnixWare 7.x, OpenUNIX and OpenServer 6. case `/bin/uname -X | grep "^Machine"` in *486*) UNAME_MACHINE=i486 ;; *Pentium) UNAME_MACHINE=i586 ;; *Pent*|*Celeron) UNAME_MACHINE=i686 ;; esac echo "$UNAME_MACHINE-unknown-sysv${UNAME_RELEASE}${UNAME_SYSTEM}{$UNAME_VERSION}" exit ;; i*86:*:3.2:*) if test -f /usr/options/cb.name; then UNAME_REL=`sed -n 's/.*Version //p' /dev/null >/dev/null ; then UNAME_REL=`(/bin/uname -X|grep Release|sed -e 's/.*= //')` (/bin/uname -X|grep i80486 >/dev/null) && UNAME_MACHINE=i486 (/bin/uname -X|grep '^Machine.*Pentium' >/dev/null) \ && UNAME_MACHINE=i586 (/bin/uname -X|grep '^Machine.*Pent *II' >/dev/null) \ && UNAME_MACHINE=i686 (/bin/uname -X|grep '^Machine.*Pentium Pro' >/dev/null) \ && UNAME_MACHINE=i686 echo "$UNAME_MACHINE"-pc-sco"$UNAME_REL" else echo "$UNAME_MACHINE"-pc-sysv32 fi exit ;; pc:*:*:*) # Left here for compatibility: # uname -m prints for DJGPP always 'pc', but it prints nothing about # the processor, so we play safe by assuming i586. # Note: whatever this is, it MUST be the same as what config.sub # prints for the "djgpp" host, or else GDB configure will decide that # this is a cross-build. echo i586-pc-msdosdjgpp exit ;; Intel:Mach:3*:*) echo i386-pc-mach3 exit ;; paragon:*:*:*) echo i860-intel-osf1 exit ;; i860:*:4.*:*) # i860-SVR4 if grep Stardent /usr/include/sys/uadmin.h >/dev/null 2>&1 ; then echo i860-stardent-sysv"$UNAME_RELEASE" # Stardent Vistra i860-SVR4 else # Add other i860-SVR4 vendors below as they are discovered. echo i860-unknown-sysv"$UNAME_RELEASE" # Unknown i860-SVR4 fi exit ;; mini*:CTIX:SYS*5:*) # "miniframe" echo m68010-convergent-sysv exit ;; mc68k:UNIX:SYSTEM5:3.51m) echo m68k-convergent-sysv exit ;; M680?0:D-NIX:5.3:*) echo m68k-diab-dnix exit ;; M68*:*:R3V[5678]*:*) test -r /sysV68 && { echo 'm68k-motorola-sysv'; exit; } ;; 3[345]??:*:4.0:3.0 | 3[34]??A:*:4.0:3.0 | 3[34]??,*:*:4.0:3.0 | 3[34]??/*:*:4.0:3.0 | 4400:*:4.0:3.0 | 4850:*:4.0:3.0 | SKA40:*:4.0:3.0 | SDS2:*:4.0:3.0 | SHG2:*:4.0:3.0 | S7501*:*:4.0:3.0) OS_REL='' test -r /etc/.relid \ && OS_REL=.`sed -n 's/[^ ]* [^ ]* \([0-9][0-9]\).*/\1/p' < /etc/.relid` /bin/uname -p 2>/dev/null | grep 86 >/dev/null \ && { echo i486-ncr-sysv4.3"$OS_REL"; exit; } /bin/uname -p 2>/dev/null | /bin/grep entium >/dev/null \ && { echo i586-ncr-sysv4.3"$OS_REL"; exit; } ;; 3[34]??:*:4.0:* | 3[34]??,*:*:4.0:*) /bin/uname -p 2>/dev/null | grep 86 >/dev/null \ && { echo i486-ncr-sysv4; exit; } ;; NCR*:*:4.2:* | MPRAS*:*:4.2:*) OS_REL='.3' test -r /etc/.relid \ && OS_REL=.`sed -n 's/[^ ]* [^ ]* \([0-9][0-9]\).*/\1/p' < /etc/.relid` /bin/uname -p 2>/dev/null | grep 86 >/dev/null \ && { echo i486-ncr-sysv4.3"$OS_REL"; exit; } /bin/uname -p 2>/dev/null | /bin/grep entium >/dev/null \ && { echo i586-ncr-sysv4.3"$OS_REL"; exit; } /bin/uname -p 2>/dev/null | /bin/grep pteron >/dev/null \ && { echo i586-ncr-sysv4.3"$OS_REL"; exit; } ;; m68*:LynxOS:2.*:* | m68*:LynxOS:3.0*:*) echo m68k-unknown-lynxos"$UNAME_RELEASE" exit ;; mc68030:UNIX_System_V:4.*:*) echo m68k-atari-sysv4 exit ;; TSUNAMI:LynxOS:2.*:*) echo sparc-unknown-lynxos"$UNAME_RELEASE" exit ;; rs6000:LynxOS:2.*:*) echo rs6000-unknown-lynxos"$UNAME_RELEASE" exit ;; PowerPC:LynxOS:2.*:* | PowerPC:LynxOS:3.[01]*:* | PowerPC:LynxOS:4.[02]*:*) echo powerpc-unknown-lynxos"$UNAME_RELEASE" exit ;; SM[BE]S:UNIX_SV:*:*) echo mips-dde-sysv"$UNAME_RELEASE" exit ;; RM*:ReliantUNIX-*:*:*) echo mips-sni-sysv4 exit ;; RM*:SINIX-*:*:*) echo mips-sni-sysv4 exit ;; *:SINIX-*:*:*) if uname -p 2>/dev/null >/dev/null ; then UNAME_MACHINE=`(uname -p) 2>/dev/null` echo "$UNAME_MACHINE"-sni-sysv4 else echo ns32k-sni-sysv fi exit ;; PENTIUM:*:4.0*:*) # Unisys `ClearPath HMP IX 4000' SVR4/MP effort # says echo i586-unisys-sysv4 exit ;; *:UNIX_System_V:4*:FTX*) # From Gerald Hewes . # How about differentiating between stratus architectures? -djm echo hppa1.1-stratus-sysv4 exit ;; *:*:*:FTX*) # From seanf@swdc.stratus.com. echo i860-stratus-sysv4 exit ;; i*86:VOS:*:*) # From Paul.Green@stratus.com. echo "$UNAME_MACHINE"-stratus-vos exit ;; *:VOS:*:*) # From Paul.Green@stratus.com. echo hppa1.1-stratus-vos exit ;; mc68*:A/UX:*:*) echo m68k-apple-aux"$UNAME_RELEASE" exit ;; news*:NEWS-OS:6*:*) echo mips-sony-newsos6 exit ;; R[34]000:*System_V*:*:* | R4000:UNIX_SYSV:*:* | R*000:UNIX_SV:*:*) if [ -d /usr/nec ]; then echo mips-nec-sysv"$UNAME_RELEASE" else echo mips-unknown-sysv"$UNAME_RELEASE" fi exit ;; BeBox:BeOS:*:*) # BeOS running on hardware made by Be, PPC only. echo powerpc-be-beos exit ;; BeMac:BeOS:*:*) # BeOS running on Mac or Mac clone, PPC only. echo powerpc-apple-beos exit ;; BePC:BeOS:*:*) # BeOS running on Intel PC compatible. echo i586-pc-beos exit ;; BePC:Haiku:*:*) # Haiku running on Intel PC compatible. echo i586-pc-haiku exit ;; x86_64:Haiku:*:*) echo x86_64-unknown-haiku exit ;; SX-4:SUPER-UX:*:*) echo sx4-nec-superux"$UNAME_RELEASE" exit ;; SX-5:SUPER-UX:*:*) echo sx5-nec-superux"$UNAME_RELEASE" exit ;; SX-6:SUPER-UX:*:*) echo sx6-nec-superux"$UNAME_RELEASE" exit ;; SX-7:SUPER-UX:*:*) echo sx7-nec-superux"$UNAME_RELEASE" exit ;; SX-8:SUPER-UX:*:*) echo sx8-nec-superux"$UNAME_RELEASE" exit ;; SX-8R:SUPER-UX:*:*) echo sx8r-nec-superux"$UNAME_RELEASE" exit ;; SX-ACE:SUPER-UX:*:*) echo sxace-nec-superux"$UNAME_RELEASE" exit ;; Power*:Rhapsody:*:*) echo powerpc-apple-rhapsody"$UNAME_RELEASE" exit ;; *:Rhapsody:*:*) echo "$UNAME_MACHINE"-apple-rhapsody"$UNAME_RELEASE" exit ;; *:Darwin:*:*) UNAME_PROCESSOR=`uname -p` || UNAME_PROCESSOR=unknown eval "$set_cc_for_build" if test "$UNAME_PROCESSOR" = unknown ; then UNAME_PROCESSOR=powerpc fi if test "`echo "$UNAME_RELEASE" | sed -e 's/\..*//'`" -le 10 ; then if [ "$CC_FOR_BUILD" != no_compiler_found ]; then if (echo '#ifdef __LP64__'; echo IS_64BIT_ARCH; echo '#endif') | \ (CCOPTS="" $CC_FOR_BUILD -E - 2>/dev/null) | \ grep IS_64BIT_ARCH >/dev/null then case $UNAME_PROCESSOR in i386) UNAME_PROCESSOR=x86_64 ;; powerpc) UNAME_PROCESSOR=powerpc64 ;; esac fi # On 10.4-10.6 one might compile for PowerPC via gcc -arch ppc if (echo '#ifdef __POWERPC__'; echo IS_PPC; echo '#endif') | \ (CCOPTS="" $CC_FOR_BUILD -E - 2>/dev/null) | \ grep IS_PPC >/dev/null then UNAME_PROCESSOR=powerpc fi fi elif test "$UNAME_PROCESSOR" = i386 ; then # Avoid executing cc on OS X 10.9, as it ships with a stub # that puts up a graphical alert prompting to install # developer tools. Any system running Mac OS X 10.7 or # later (Darwin 11 and later) is required to have a 64-bit # processor. This is not true of the ARM version of Darwin # that Apple uses in portable devices. UNAME_PROCESSOR=x86_64 fi echo "$UNAME_PROCESSOR"-apple-darwin"$UNAME_RELEASE" exit ;; *:procnto*:*:* | *:QNX:[0123456789]*:*) UNAME_PROCESSOR=`uname -p` if test "$UNAME_PROCESSOR" = x86; then UNAME_PROCESSOR=i386 UNAME_MACHINE=pc fi echo "$UNAME_PROCESSOR"-"$UNAME_MACHINE"-nto-qnx"$UNAME_RELEASE" exit ;; *:QNX:*:4*) echo i386-pc-qnx exit ;; NEO-*:NONSTOP_KERNEL:*:*) echo neo-tandem-nsk"$UNAME_RELEASE" exit ;; NSE-*:NONSTOP_KERNEL:*:*) echo nse-tandem-nsk"$UNAME_RELEASE" exit ;; NSR-*:NONSTOP_KERNEL:*:*) echo nsr-tandem-nsk"$UNAME_RELEASE" exit ;; NSV-*:NONSTOP_KERNEL:*:*) echo nsv-tandem-nsk"$UNAME_RELEASE" exit ;; NSX-*:NONSTOP_KERNEL:*:*) echo nsx-tandem-nsk"$UNAME_RELEASE" exit ;; *:NonStop-UX:*:*) echo mips-compaq-nonstopux exit ;; BS2000:POSIX*:*:*) echo bs2000-siemens-sysv exit ;; DS/*:UNIX_System_V:*:*) echo "$UNAME_MACHINE"-"$UNAME_SYSTEM"-"$UNAME_RELEASE" exit ;; *:Plan9:*:*) # "uname -m" is not consistent, so use $cputype instead. 386 # is converted to i386 for consistency with other x86 # operating systems. if test "$cputype" = 386; then UNAME_MACHINE=i386 else UNAME_MACHINE="$cputype" fi echo "$UNAME_MACHINE"-unknown-plan9 exit ;; *:TOPS-10:*:*) echo pdp10-unknown-tops10 exit ;; *:TENEX:*:*) echo pdp10-unknown-tenex exit ;; KS10:TOPS-20:*:* | KL10:TOPS-20:*:* | TYPE4:TOPS-20:*:*) echo pdp10-dec-tops20 exit ;; XKL-1:TOPS-20:*:* | TYPE5:TOPS-20:*:*) echo pdp10-xkl-tops20 exit ;; *:TOPS-20:*:*) echo pdp10-unknown-tops20 exit ;; *:ITS:*:*) echo pdp10-unknown-its exit ;; SEI:*:*:SEIUX) echo mips-sei-seiux"$UNAME_RELEASE" exit ;; *:DragonFly:*:*) echo "$UNAME_MACHINE"-unknown-dragonfly"`echo "$UNAME_RELEASE"|sed -e 's/[-(].*//'`" exit ;; *:*VMS:*:*) UNAME_MACHINE=`(uname -p) 2>/dev/null` case "$UNAME_MACHINE" in A*) echo alpha-dec-vms ; exit ;; I*) echo ia64-dec-vms ; exit ;; V*) echo vax-dec-vms ; exit ;; esac ;; *:XENIX:*:SysV) echo i386-pc-xenix exit ;; i*86:skyos:*:*) echo "$UNAME_MACHINE"-pc-skyos"`echo "$UNAME_RELEASE" | sed -e 's/ .*$//'`" exit ;; i*86:rdos:*:*) echo "$UNAME_MACHINE"-pc-rdos exit ;; i*86:AROS:*:*) echo "$UNAME_MACHINE"-pc-aros exit ;; x86_64:VMkernel:*:*) echo "$UNAME_MACHINE"-unknown-esx exit ;; amd64:Isilon\ OneFS:*:*) echo x86_64-unknown-onefs exit ;; esac echo "$0: unable to guess system type" >&2 case "$UNAME_MACHINE:$UNAME_SYSTEM" in mips:Linux | mips64:Linux) # If we got here on MIPS GNU/Linux, output extra information. cat >&2 <&2 </dev/null || echo unknown` uname -r = `(uname -r) 2>/dev/null || echo unknown` uname -s = `(uname -s) 2>/dev/null || echo unknown` uname -v = `(uname -v) 2>/dev/null || echo unknown` /usr/bin/uname -p = `(/usr/bin/uname -p) 2>/dev/null` /bin/uname -X = `(/bin/uname -X) 2>/dev/null` hostinfo = `(hostinfo) 2>/dev/null` /bin/universe = `(/bin/universe) 2>/dev/null` /usr/bin/arch -k = `(/usr/bin/arch -k) 2>/dev/null` /bin/arch = `(/bin/arch) 2>/dev/null` /usr/bin/oslevel = `(/usr/bin/oslevel) 2>/dev/null` /usr/convex/getsysinfo = `(/usr/convex/getsysinfo) 2>/dev/null` UNAME_MACHINE = "$UNAME_MACHINE" UNAME_RELEASE = "$UNAME_RELEASE" UNAME_SYSTEM = "$UNAME_SYSTEM" UNAME_VERSION = "$UNAME_VERSION" EOF exit 1 # Local variables: # eval: (add-hook 'before-save-hook 'time-stamp) # time-stamp-start: "timestamp='" # time-stamp-format: "%:y-%02m-%02d" # time-stamp-end: "'" # End: asymptote-2.62/entry.h0000644000000000000000000003471313607467113013520 0ustar rootroot/***** * entry.h * Andy Hammerlindl 2002/08/29 * * All variables, built-in functions and user-defined functions reside * within the same namespace. To keep track of all these, a table of * "entries" is used. *****/ #ifndef ENTRY_H #define ENTRY_H #include #include "common.h" #include "frame.h" #include "table.h" #include "types.h" #include "modifier.h" using sym::symbol; using types::ty; using types::signature; // Forward declaration. namespace types { class record; } using types::record; namespace trans { // An entry is associated to a name in the (variable or type) environment, and // has permission based on the enclosing records where it was defined or // imported. class entry : public gc { struct pr { permission perm; record *r; pr(permission perm, record *r) : perm(perm), r(r) {} // Returns true if the permission allows access in this context. bool check(action act, coder &c); // Reports an error if permission is not allowed. void report(action act, position pos, coder &c); }; mem::list perms; void addPerm(permission perm, record *r) { // Only store restrictive permissions. if (perm != PUBLIC && r) perms.push_back(pr(perm,r)); } // The record where the variable or type is defined, or 0 if the entry is // not a field. record *where; // The location (file and line number) where the entry was defined. position pos; public: entry(record *where, position pos) : where(where), pos(pos) {} entry(permission perm, record *r, record *where, position pos) : where(where), pos(pos) { addPerm(perm, r); } // (Non-destructively) merges two entries, appending permission lists. // The 'where' member is taken from the second entry. entry(entry &e1, entry &e2); // Create an entry with one more permission in the list. entry(entry &base, permission perm, record *r); bool checkPerm(action act, coder &c); void reportPerm(action act, position pos, coder &c); record *whereDefined() { return where; } position getPos() { return pos; } }; class varEntry : public entry { ty *t; access *location; public: varEntry(ty *t, access *location, record *where, position pos) : entry(where, pos), t(t), location(location) {} varEntry(ty *t, access *location, permission perm, record *r, record *where, position pos) : entry(perm, r, where, pos), t(t), location(location) {} // (Non-destructively) merges two varEntries, creating a qualified varEntry. varEntry(varEntry &qv, varEntry &v); ty *getType() { return t; } signature *getSignature() { return t->getSignature(); } access *getLocation() { return location; } frame *getLevel(); // Encodes the access, but also checks permissions. void encode(action act, position pos, coder &c); void encode(action act, position pos, coder &c, frame *top); }; varEntry *qualifyVarEntry(varEntry *qv, varEntry *v); // As looked-up types can be allocated in a new expression, we need to know // what frame they should be allocated on. Type entries store this extra // information along with the type. class tyEntry : public entry { public: ty *t; varEntry *v; // NOTE: Name isn't very descriptive. tyEntry(ty *t, varEntry *v, record *where, position pos) : entry(where, pos), t(t), v(v) {} tyEntry(tyEntry *base, permission perm, record *r) : entry(*base, perm, r), t(base->t), v(base->v) {} // Records need a varEntry that refers back to the qualifier qv; i.e. in // the last new of the code // struct A { // struct B {} // } // A a=new A; // unravel a; // new B; // we need to put a's frame on the stack before allocating an instance of B. // NOTE: A possible optimization could be to only qualify the varEntry if // the type is a record, as other types don't use the varEntry. private: tyEntry(tyEntry *base, varEntry *qv) : entry(*base, *qv), t(base->t), v(qualifyVarEntry(qv, base->v)) {} public: // Since the constructor can only be used when qv is non-null it is private // for safety reasons, and we provide this method instead. friend tyEntry *qualifyTyEntry(varEntry *qv, tyEntry *ent); }; inline tyEntry *qualifyTyEntry(varEntry *qv, tyEntry *ent) { return qv ? new tyEntry(ent, qv) : ent; } // The type environment. class tenv : public sym::table { bool add(symbol dest, names_t::value_type &x, varEntry *qualifier, coder &c); public: // Add the entries in one environment to another, if qualifier is // non-null, it is a record and the source environment is its types. The // coder is used to see which entries are accessible and should be added. void add(tenv& source, varEntry *qualifier, coder &c); // Adds entries of the name src in source as the name dest, returning true if // any were added. bool add(symbol src, symbol dest, tenv& source, varEntry *qualifier, coder &c); }; #if 0 //{{{ /* This version of venv is provided for compiling on systems which do not * have some form of STL hash table. It will eventually be removed. * See the hash version below for documentation on the functions. */ /*NOHASH*/ class venv : public sym::table { /*NOHASH*/ public: /*NOHASH*/ venv() {} /*NOHASH*/ /*NOHASH*/ struct file_env_tag {}; /*NOHASH*/ venv(file_env_tag) {} /*NOHASH*/ /*NOHASH*/ void add(venv& source, varEntry *qualifier, coder &c); /*NOHASH*/ /*NOHASH*/ bool add(symbol src, symbol dest, /*NOHASH*/ venv& source, varEntry *qualifier, coder &c); /*NOHASH*/ /*NOHASH*/ varEntry *lookByType(symbol name, ty *t); /*NOHASH*/ /*NOHASH*/ varEntry *lookBySignature(symbol name, signature *sig) { /*NOHASH*/ // This optimization is not implemented for the NOHASH version. /*NOHASH*/ return 0; /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ ty *getType(symbol name); /*NOHASH*/ /*NOHASH*/ friend std::ostream& operator<< (std::ostream& out, /*NOHASH*/ const venv& ve); /*NOHASH*/ /*NOHASH*/ void list(record *module=0); /*NOHASH*/ }; //}}} #else // For speed reasons, many asserts are only tested when DEBUG_CACHE is set. #ifdef DEBUG_CACHE #define DEBUG_CACHE_ASSERT(x) assert(x) #else #define DEBUG_CACHE_ASSERT(x) (void)(x) #endif // The hash table which is at the core of the variable environment venv. class core_venv : public gc { public: // The cells of the table struct cell { symbol name; varEntry *ent; bool empty() const { return name == 0; } bool isATomb() const { DEBUG_CACHE_ASSERT(!empty()); return ent == 0; } bool filled() const { return !empty() and !isATomb(); } bool matches(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(name.special()); DEBUG_CACHE_ASSERT(t); if (this->name != name) return false; if (!this->ent) return false; return equivalent(this->ent->getType(), t); } bool matches(symbol name, const signature *sig) { DEBUG_CACHE_ASSERT(!name.special()); if (this->name != name) return false; if (!this->ent) return false; return equivalent(this->ent->getSignature(), sig); } void storeNew(symbol name, varEntry *ent) { DEBUG_CACHE_ASSERT(empty() || isATomb()); this->name = name; this->ent = ent; } varEntry *replaceWith(symbol name, varEntry *ent) { this->name = name; varEntry *old = this->ent; this->ent = ent; return old; } void remove() { this->ent = 0; } }; private: size_t capacity; size_t size; size_t mask; cell *table; void initTable(size_t capacity); void resize(); cell& cellByIndex(size_t i); const cell& cellByIndex(size_t i) const; varEntry *storeNew(cell& cell, symbol name, varEntry *ent); varEntry *storeNonSpecialAfterTomb(size_t tombIndex, symbol name, varEntry *ent); varEntry *storeSpecialAfterTomb(size_t tombIndex, symbol name, varEntry *ent); public: core_venv(size_t capacity) { initTable(capacity); } bool empty() const { return size == 0; } void clear(); void confirm_size(); // Store an entry into the table. If this shadows a previous entry, the old // entry is returned, otherwise 0 is returned. varEntry *storeNonSpecial(symbol name, varEntry *ent); varEntry *storeSpecial(symbol name, varEntry *ent); varEntry *store(symbol name, varEntry *ent); // Lookup an entry in the table. varEntry *lookupNonSpecial(symbol name, const signature *sig); varEntry *lookupSpecial(symbol name, const ty *t); varEntry *lookup(symbol name, const ty *t); // Remove an entry from the table. void removeNonSpecial(symbol name, const signature *sig); void removeSpecial(symbol name, const ty *t); void remove(symbol name, const ty *t); // Features for iterating over the entire table. class const_iterator { const core_venv& core; size_t index; public: const_iterator(const core_venv& core, size_t index) : core(core), index(index) {} const cell& operator * () const { return core.cellByIndex(index); } const cell* operator -> () const { return &core.cellByIndex(index); } const_iterator& operator ++ () { // Advance to the next filled cell, or stop at the end of the array. do { ++index; } while (!(*this)->filled() && index < core.capacity); DEBUG_CACHE_ASSERT((*this)->filled() || (*this) == core.end()); return *this; } friend bool operator == (const const_iterator& a, const const_iterator& b) { // For speed, we don't compare the hashtables. return a.index == b.index; } friend bool operator != (const const_iterator& a, const const_iterator& b) { // For speed, we don't compare the hashtables. return a.index != b.index; } }; const_iterator begin() const { size_t index = 0; while (index < capacity && !cellByIndex(index).filled()) ++index; return const_iterator(*this, index); } const_iterator end() const { return const_iterator(*this, capacity); } }; // venv implemented with a hash table. class venv { // A hash table used to quickly look up a variable once its name and type are // known. Includes all scopes. core_venv core; // Record of added variables in the order they were added. struct addition { symbol name; ty *t; varEntry *shadowed; addition(symbol name, ty *t, varEntry *shadowed) : name(name), t(t), shadowed(shadowed) {} }; typedef mem::stack addstack; addstack additions; // A scope can be recorded by the size of the addition stack at the time the // scope began. typedef mem::stack scopestack; scopestack scopesizes; struct namehash { size_t operator()(const symbol name) const { return name.hash(); } }; struct nameeq { bool operator()(const symbol s, const symbol t) const { return s==t; } }; struct namevalue { size_t maxFormals; ty *t; namevalue() : maxFormals(0), t(0) {} void addType(ty *s); void replaceType(ty *new_t, ty *old_t); #if DEBUG_CACHE void popType(ty *tnew); #else void popType(); #endif }; // A dictionary indexed solely on the name, storing for each name the // current (possibly overloaded) type of the name. // The hash table implementation is slightly faster than the std::map binary // tree implementation, so we use it if we can. #ifdef NOHASH typedef mem::map namemap; #else typedef mem::unordered_map namemap; #endif namemap names; // A sanity check. For a given name, it checks that the type stored in the // names hash table exactly matches with all of the entries of that name // stored in the full hash table. void checkName(symbol name); void listValues(symbol name, record *module); // Helper function for endScope. void remove(const addition& a); // These are roughly the size the hashtables will be after loading the // builtin functions and plain module. static const size_t fileCoreSize=1 << 13; static const size_t fileNamesSize=1000; // The number of scopes begun (but not yet ended) when the venv was empty. size_t empty_scopes; public: venv() : core(1 << 2), empty_scopes(0) {} // Most file level modules automatically import plain, so allocate hashtables // big enough to hold it in advance. struct file_env_tag {}; venv(file_env_tag) : core(fileCoreSize), #ifndef NOHASH names(fileNamesSize), #endif empty_scopes(0) {} // Add a new variable definition. void enter(symbol name, varEntry *v); // Add the entries in one environment to another, if qualifier is // non-null, it is a record and entries of the source environment are its // fields. The coder is necessary to check which variables are accessible and // should be added. void add(venv& source, varEntry *qualifier, coder &c); // Add all unshadowed variables from source of the name src as variables // named dest. Returns true if at least one was added. bool add(symbol src, symbol dest, venv& source, varEntry *qualifier, coder &c); // Look for a function that exactly matches the type given. varEntry *lookByType(symbol name, ty *t) { return core.lookup(name, t); } // An optimization heuristic. Try to guess the signature of a variable and // look it up. This is allowed to return 0 even if the appropriate variable // exists. If it returns a varEntry from an overloaded number of choices, // the returned function must be the one which would be called with // arguments given by sig, and its signature must be equivalent to sig. // For instance, in // int f(int a, int b); // int f(int a, int b, int c = 1); // f(a,b); // looking up the signature of 'f' with arguments (int, int) must return 0 // as there is an ambiguity. The maxFormals field is used to ensure we // avoid such ambiguities. varEntry *lookBySignature(symbol name, signature *sig); // Get the (possibly overloaded) type of all variables associated to a // particular name. ty *getType(symbol name); void beginScope(); void endScope(); // Merges the top-level scope with the level immediately underneath it. void collapseScope(); // Prints a list of the variables to the standard output. void list(record *module=0); // Adds to l, all names prefixed by start. void completions(mem::list& l, string start); }; #endif } // namespace trans #endif //ENTRY_H asymptote-2.62/triple.h0000644000000000000000000002055613607467113013656 0ustar rootroot/***** * triple.h * John Bowman * * Stores a three-dimensional point. * *****/ #ifndef TRIPLE_H #define TRIPLE_H #include #include #include #include #include #include "common.h" #include "angle.h" #include "pair.h" namespace camp { typedef double Triple[3]; class triple; bool isIdTransform3(const double* t); void copyTransform3(double*& d, const double* s, GCPlacement placement=NoGC); void multiplyTransform3(double*& t, const double* s, const double* r); void boundstriples(double& x, double& y, double& z, double& X, double& Y, double& Z, size_t n, const triple* v); class triple : virtual public gc { double x; double y; double z; public: triple() : x(0.0), y(0.0), z(0.0) {} triple(double x, double y=0.0, double z=0.0) : x(x), y(y), z(z) {} triple(const Triple& v) : x(v[0]), y(v[1]), z(v[2]) {} virtual ~triple() {} void set(double X, double Y=0.0, double Z=0.0) { x=X; y=Y; z=Z; } double getx() const { return x; } double gety() const { return y; } double getz() const { return z; } // transform by row-major matrix friend triple operator* (const double* t, const triple& v) { if(t == NULL) return v; double f=t[12]*v.x+t[13]*v.y+t[14]*v.z+t[15]; if(f != 0.0) { f=1.0/f; return triple((t[0]*v.x+t[1]*v.y+t[2]*v.z+t[3])*f, (t[4]*v.x+t[5]*v.y+t[6]*v.z+t[7])*f, (t[8]*v.x+t[9]*v.y+t[10]*v.z+t[11])*f); } reportError("division by 0 in transform of a triple"); return 0.0; } friend triple operator* (const triple& v, const double* t) { if(t == NULL) return v; double f=t[3]*v.x+t[7]*v.y+t[11]*v.z+t[15]; if(f != 0.0) { f=1.0/f; return triple((v.x*t[0]+v.y*t[4]+v.z*t[8]+t[12])*f, (v.x*t[1]+v.y*t[5]+v.z*t[9]+t[13])*f, (v.x*t[2]+v.y*t[6]+v.z*t[10]+t[14])*f); } reportError("division by 0 in transform of a triple"); return 0.0; } friend triple Transform3(const triple& v, const double* t) { return triple((t[0]*v.x+t[1]*v.y+t[2]*v.z), (t[3]*v.x+t[4]*v.y+t[5]*v.z), (t[6]*v.x+t[7]*v.y+t[8]*v.z)); } friend triple Transform3(const double* t, const triple& v) { return triple(v.x*t[0]+v.y*t[3]+v.z*t[6], v.x*t[1]+v.y*t[4]+v.z*t[7], v.x*t[2]+v.y*t[5]+v.z*t[8]); } // return x and y components of v*t. friend pair Transform2T(const double* t, const triple& v) { double f=t[3]*v.x+t[7]*v.y+t[11]*v.z+t[15]; f=1.0/f; return pair((t[0]*v.x+t[4]*v.y+t[8]*v.z+t[12])*f, (t[1]*v.x+t[5]*v.y+t[9]*v.z+t[13])*f); } friend void transformtriples(const double* t, size_t n, triple* d, const triple* s) { if(n == 0 || d == NULL || s == NULL) return; for(size_t i=0; i < n; i++) d[i]=t*s[i]; } friend void copytriples(size_t n, triple* d, const triple* s) { if(d == NULL || s == NULL) return; for(size_t i=0; i < n; i++) d[i]=s[i]; } friend void boundstriples(triple& Min, triple& Max, size_t n, const triple* v) { if(n==0 || v==NULL) return; double x,y,z; double X,Y,Z; X=x=v[0].getx(); Y=y=v[0].gety(); Z=z=v[0].getz(); for(size_t i=1; i < n; ++i) { const double vx=v[i].getx(); x=fmin(x,vx); X=fmax(X,vx); const double vy=v[i].gety(); y=fmin(y,vy); Y=fmax(Y,vy); const double vz=v[i].getz(); z=fmin(z,vz); Z=fmax(Z,vz); } Min.set(x,y,z); Max.set(X,Y,Z); } friend void ratiotriples(pair &b, double (*m)(double, double), bool &first, size_t n, const triple* v) { if(n==0 || v==NULL) return; if(first) { first=false; const triple& v0=v[0]; b=pair(v0.x/v0.z,v0.y/v0.z); } double x=b.getx(); double y=b.gety(); for(size_t i=0; i < n; ++i) { const triple& vi = v[i]; x=m(x,vi.x/vi.z); y=m(y,vi.y/vi.z); } b=pair(x,y); } friend triple operator+ (const triple& z, const triple& w) { return triple(z.x + w.x, z.y + w.y, z.z + w.z); } friend triple operator- (const triple& z, const triple& w) { return triple(z.x - w.x, z.y - w.y, z.z - w.z); } friend triple operator- (const triple& z) { return triple(-z.x, -z.y, -z.z); } friend triple operator* (double s, const triple& z) { return triple(s*z.x, s*z.y, s*z.z); } friend triple operator* (const triple& z, double s) { return triple(z.x*s, z.y*s, z.z*s); } friend triple operator/ (const triple& z, double s) { if (s == 0.0) reportError("division by 0"); s=1.0/s; return triple(z.x*s, z.y*s, z.z*s); } const triple& operator+= (const triple& w) { x += w.x; y += w.y; z += w.z; return *this; } const triple& operator-= (const triple& w) { x -= w.x; y -= w.y; z -= w.z; return *this; } friend bool operator== (const triple& z, const triple& w) { return z.x == w.x && z.y == w.y && z.z == w.z; } friend bool operator!= (const triple& z, const triple& w) { return z.x != w.x || z.y != w.y || z.z != w.z; } double abs2() const { return x*x+y*y+z*z; } friend double abs2(const triple &v) { return v.abs2(); } double length() const /* r */ { return sqrt(abs2()); } friend double length(const triple& v) { return v.length(); } double polar() const /* theta */ { double r=length(); if (r == 0.0) reportError("taking polar angle of (0,0,0)"); return acos(z/r); } double azimuth() const /* phi */ { return angle(x,y); } friend triple unit(const triple& v) { double scale=v.length(); if(scale == 0.0) return v; scale=1.0/scale; return triple(v.x*scale,v.y*scale,v.z*scale); } friend double dot(const triple& u, const triple& v) { return u.x*v.x+u.y*v.y+u.z*v.z; } friend triple cross(const triple& u, const triple& v) { return triple(u.y*v.z-u.z*v.y, u.z*v.x-u.x*v.z, u.x*v.y-u.y*v.x); } // Returns a unit triple in the direction (theta,phi), in radians. friend triple expi(double theta, double phi) { double sintheta=sin(theta); return triple(sintheta*cos(phi),sintheta*sin(phi),cos(theta)); } friend istream& operator >> (istream& s, triple& z) { char c; s >> std::ws; bool paren=s.peek() == '('; // parenthesis are optional if(paren) s >> c; s >> z.x >> std::ws; if(s.peek() == ',') s >> c >> z.y; else z.y=0.0; if(s.peek() == ',') s >> c >> z.z; else z.z=0.0; if(paren) { s >> std::ws; if(s.peek() == ')') s >> c; } return s; } friend ostream& operator << (ostream& out, const triple& v) { out << "(" << v.x << "," << v.y << "," << v.z << ")"; return out; } friend jsofstream& operator << (jsofstream& out, const triple& v) { out << "[" << v.x << "," << v.y << "," << v.z << "]"; return out; } }; triple expi(double theta, double phi); // Return the component of vector v perpendicular to a unit vector u. inline triple perp(triple v, triple u) { return v-dot(v,u)*u; } double xratio(const triple& v); double yratio(const triple& v); inline void bounds(double& x, double &X, double v) { if(v < x) x=v; else if(v > X) X=v; } inline void boundstriples(double& x, double& y, double& z, double& X, double& Y, double& Z, size_t n, const triple* v) { X=x=v[0].getx(); Y=y=v[0].gety(); Z=z=v[0].getz(); for(size_t i=1; i < n; ++i) { triple V=v[i]; bounds(x,X,V.getx()); bounds(y,Y,V.gety()); bounds(z,Z,V.getz()); } } extern const double third; // return the maximum distance squared of points c0 and c1 from // the respective internal control points of z0--z1. inline double Straightness(const triple& z0, const triple& c0, const triple& c1, const triple& z1) { triple v=third*(z1-z0); return std::max(abs2(c0-v-z0),abs2(z1-v-c1)); } // return the perpendicular distance squared of a point z from the plane // through u with unit normal n. inline double Distance2(const triple& z, const triple& u, const triple& n) { double d=dot(z-u,n); return d*d; } } //namespace camp GC_DECLARE_PTRFREE(camp::triple); #endif asymptote-2.62/asymptote.nsi0000644000000000000000000001423413607467113014742 0ustar rootroot!define PRODUCT_NAME "Asymptote" !include AsymptoteInstallInfo.nsi !define PRODUCT_WEB_SITE "http://asymptote.sourceforge.net/" !define PRODUCT_DIR_REGKEY "Software\Microsoft\Windows\CurrentVersion\App Paths\Asymptote" !define PRODUCT_FILE_TYPE_REGKEY1 "Software\Classes\.asy" !define PRODUCT_FILE_TYPE_REGKEY2 "Software\Classes\ASYFile\shell\open\command" !define PRODUCT_UNINST_KEY "Software\Microsoft\Windows\CurrentVersion\Uninstall\${PRODUCT_NAME}" !define PRODUCT_UNINST_ROOT_KEY "HKLM" !define PRODUCT_STARTMENU_REGVAL "NSIS:StartMenuDir" SetCompressor lzma XPStyle On ; MUI 1.67 compatible ------ !include "MUI.nsh" !include "LogicLib.nsh" !include "lnkX64IconFix.nsh" ; MUI Settings !define MUI_ABORTWARNING !define MUI_ICON "asy.ico" !define MUI_UNICON "asy.ico" ; Welcome page !insertmacro MUI_PAGE_WELCOME ; License page !insertmacro MUI_PAGE_LICENSE "LICENSE" ;Components page ; don't bother with this until there are other components to install ; e.g.: possibility to automatically detect presence of, download, and install python, miktex, ImageMagick, etc ;!insertmacro MUI_PAGE_COMPONENTS ; Directory page !insertmacro MUI_PAGE_DIRECTORY ; Start menu page var ICONS_GROUP !define MUI_STARTMENUPAGE_NODISABLE !define MUI_STARTMENUPAGE_DEFAULTFOLDER "Asymptote" !define MUI_STARTMENUPAGE_REGISTRY_ROOT "${PRODUCT_UNINST_ROOT_KEY}" !define MUI_STARTMENUPAGE_REGISTRY_KEY "${PRODUCT_UNINST_KEY}" !define MUI_STARTMENUPAGE_REGISTRY_VALUENAME "${PRODUCT_STARTMENU_REGVAL}" !insertmacro MUI_PAGE_STARTMENU Application $ICONS_GROUP ; Instfiles page !insertmacro MUI_PAGE_INSTFILES ; Finish page ;!define MUI_FINISHPAGE_RUN "$INSTDIR\asy.bat" ;!define MUI_FINISHPAGE_SHOWREADME "$INSTDIR\asymptote.pdf" !define MUI_FINISHPAGE_LINK ${PRODUCT_WEB_SITE} !define MUI_FINISHPAGE_LINK_LOCATION ${PRODUCT_WEB_SITE} !insertmacro MUI_PAGE_FINISH ; Uninstaller pages !insertmacro MUI_UNPAGE_WELCOME !insertmacro MUI_UNPAGE_CONFIRM !insertmacro MUI_UNPAGE_INSTFILES !insertmacro MUI_UNPAGE_FINISH ; Language files !insertmacro MUI_LANGUAGE "English" ; Reserve files !insertmacro MUI_RESERVEFILE_INSTALLOPTIONS ; MUI end ------ Name "${PRODUCT_NAME} ${PRODUCT_VERSION}" OutFile "asymptote-${PRODUCT_VERSION}-setup.exe" InstallDir "$PROGRAMFILES64\Asymptote" InstallDirRegKey HKLM "${PRODUCT_DIR_REGKEY}" "" ShowInstDetails show ShowUnInstDetails show Section "Asymptote" SEC01 SetOutPath "$INSTDIR" SetOverwrite try File /r build-${PRODUCT_VERSION}\* FileOpen $0 $INSTDIR\asy.bat w FileWrite $0 "@ECHO OFF" FileWriteByte $0 "13" FileWriteByte $0 "10" FileWrite $0 "set CYGWIN=nodosfilewarning" FileWriteByte $0 "13" FileWriteByte $0 "10" FileWrite $0 '"$INSTDIR\asy.exe" %*' FileWriteByte $0 "13" FileWriteByte $0 "10" FileWrite $0 "if %errorlevel% == 0 exit /b" FileWriteByte $0 "13" FileWriteByte $0 "10" FileWrite $0 "echo." FileWriteByte $0 "13" FileWriteByte $0 "10" FileWrite $0 "PAUSE" FileWriteByte $0 "13" FileWriteByte $0 "10" FileClose $0 ; Shortcuts !insertmacro MUI_STARTMENU_WRITE_BEGIN Application CreateDirectory "$SMPROGRAMS\$ICONS_GROUP" SetOutPath "%USERPROFILE%" CreateShortCut "$SMPROGRAMS\$ICONS_GROUP\Asymptote.lnk" "$INSTDIR\asy.bat" "" "$INSTDIR\asy.ico" ${lnkX64IconFix} "$SMPROGRAMS\$ICONS_GROUP\Asymptote.lnk" CreateShortCut "$DESKTOP\Asymptote.lnk" "$INSTDIR\asy.bat" "" "$INSTDIR\asy.ico" ${lnkX64IconFix} "$DESKTOP\Asymptote.lnk" CreateShortCut "$DESKTOP\Xasy.lnk" "$INSTDIR\GUI\xasy.py" CreateShortCut "$SMPROGRAMS\$ICONS_GROUP\Xasy.lnk" "$INSTDIR\GUI\xasy.py" SetOutPath "$INSTDIR" !insertmacro MUI_STARTMENU_WRITE_END SectionEnd Section "Tester" SectionEnd Section -AdditionalIcons !insertmacro MUI_STARTMENU_WRITE_BEGIN Application WriteIniStr "$INSTDIR\${PRODUCT_NAME}.url" "InternetShortcut" "URL" "${PRODUCT_WEB_SITE}" CreateShortCut "$SMPROGRAMS\$ICONS_GROUP\Website.lnk" "$INSTDIR\${PRODUCT_NAME}.url" CreateShortCut "$SMPROGRAMS\$ICONS_GROUP\Uninstall.lnk" "$INSTDIR\uninst.exe" !insertmacro MUI_STARTMENU_WRITE_END SectionEnd Section -Post WriteUninstaller "$INSTDIR\uninst.exe" ;create registry keys with information needed to run asymptote WriteRegStr HKLM "${PRODUCT_DIR_REGKEY}" "" "$INSTDIR\asy.exe" WriteRegStr HKLM "${PRODUCT_DIR_REGKEY}" "Path" "$INSTDIR" WriteRegStr HKLM "${PRODUCT_FILE_TYPE_REGKEY1}" "" "ASYFile" WriteRegStr HKLM "${PRODUCT_FILE_TYPE_REGKEY2}" "" '"$INSTDIR\asy.bat" "%1"' WriteRegDWORD HKLM "SOFTWARE\Cygwin" "heap_chunk_in_mb" 0xFFFFFF00 ReadRegStr $0 HKLM "SYSTEM\CurrentControlSet\Control\Session Manager\Environment" "CYGWIN" ${If} $0 == "" WriteRegExpandStr HKLM "SYSTEM\CurrentControlSet\Control\Session Manager\Environment" "CYGWIN" "nodosfilewarning" SendMessage ${HWND_BROADCAST} ${WM_WININICHANGE} 0 "STR:Environment" /TIMEOUT=5000 ${Endif} WriteRegStr ${PRODUCT_UNINST_ROOT_KEY} "${PRODUCT_UNINST_KEY}" "DisplayName" "$(^Name)" WriteRegStr ${PRODUCT_UNINST_ROOT_KEY} "${PRODUCT_UNINST_KEY}" "UninstallString" "$INSTDIR\uninst.exe" WriteRegStr ${PRODUCT_UNINST_ROOT_KEY} "${PRODUCT_UNINST_KEY}" "DisplayIcon" "$INSTDIR\asy.exe" WriteRegStr ${PRODUCT_UNINST_ROOT_KEY} "${PRODUCT_UNINST_KEY}" "DisplayVersion" "${PRODUCT_VERSION}" WriteRegStr ${PRODUCT_UNINST_ROOT_KEY} "${PRODUCT_UNINST_KEY}" "URLInfoAbout" "${PRODUCT_WEB_SITE}" SectionEnd Function un.onUninstSuccess HideWindow MessageBox MB_ICONINFORMATION|MB_OK "$(^Name) was successfully removed from your computer." FunctionEnd Section Uninstall !insertmacro MUI_STARTMENU_GETFOLDER "Application" $ICONS_GROUP Delete "$INSTDIR\${PRODUCT_NAME}.url" Delete "$INSTDIR\uninst.exe" !include AsymptoteUninstallList.nsi Delete "$INSTDIR\asy.bat" RMDir "$INSTDIR" Delete "$SMPROGRAMS\$ICONS_GROUP\Uninstall.lnk" Delete "$SMPROGRAMS\$ICONS_GROUP\Website.lnk" Delete "$DESKTOP\Asymptote.lnk" Delete "$DESKTOP\Xasy.lnk" Delete "$SMPROGRAMS\$ICONS_GROUP\Asymptote.lnk" Delete "$SMPROGRAMS\$ICONS_GROUP\Xasy.lnk" RMDir "$SMPROGRAMS\$ICONS_GROUP" DeleteRegKey ${PRODUCT_UNINST_ROOT_KEY} "${PRODUCT_UNINST_KEY}" DeleteRegKey HKLM "${PRODUCT_DIR_REGKEY}" DeleteRegKey HKLM "${PRODUCT_FILE_TYPE_REGKEY1}" DeleteRegKey HKLM "${PRODUCT_FILE_TYPE_REGKEY2}" SetAutoClose true SectionEnd asymptote-2.62/pair.h0000644000000000000000000001167113607467113013310 0ustar rootroot/***** * pair.h * Andy Hammerlindl 2002/05/16 * * Stores a two-dimensional point similar to the pair type in MetaPost. * In some cases, pairs behave as complex numbers. * * A pair is a guide as a pair alone can be used to describe a path. * The solve and subsolve methods are fairly straight forward as solve * returns a path with just the pair and subsolve just adds the pair to * the structure. *****/ #ifndef PAIR_H #define PAIR_H #include #include #include #include #include "common.h" #include "angle.h" namespace camp { class jsofstream : public std::ofstream { public: jsofstream() {} jsofstream(const string& name) : std::ofstream(name.c_str()) {} void open(const string& name) {std::ofstream::open(name.c_str());} template jsofstream& operator << (const T& x) { (std::ofstream&)(*this) << x; return *this; } }; class pair : public gc { double x; double y; public: pair() : x(0.0), y(0.0) {} pair(double x, double y=0.0) : x(x), y(y) {} double getx() const { return x; } double gety() const { return y; } bool isreal() {return y == 0;} friend pair operator+ (const pair& z, const pair& w) { return pair(z.x+w.x,z.y+w.y); } friend pair operator- (const pair& z, const pair& w) { return pair(z.x-w.x,z.y-w.y); } friend pair operator- (const pair& z) { return pair(-z.x,-z.y); } // Complex multiplication friend pair operator* (const pair& z, const pair& w) { return pair(z.x*w.x-z.y*w.y,z.x*w.y+w.x*z.y); } const pair& operator+= (const pair& w) { x += w.x; y += w.y; return *this; } const pair& operator-= (const pair& w) { x -= w.x; y -= w.y; return *this; } const pair& operator*= (const pair& w) { (*this) = (*this) * w; return (*this); } const pair& operator/= (const pair& w) { (*this) = (*this) / w; return (*this); } const pair& scale (double xscale, double yscale) { x *= xscale; y *= yscale; return *this; } friend pair operator/ (const pair &z, double t) { if (t == 0.0) reportError("division by 0"); t=1.0/t; return pair(z.x*t, z.y*t); } friend pair operator/ (const pair& z, const pair& w) { if (!w.nonZero()) reportError("division by pair (0,0)"); double t = 1.0 / (w.x*w.x + w.y*w.y); return pair(t*(z.x*w.x + z.y*w.y), t*(-z.x*w.y + w.x*z.y)); } friend bool operator== (const pair& z, const pair& w) { return z.x == w.x && z.y == w.y; } friend bool operator!= (const pair& z, const pair& w) { return z.x != w.x || z.y != w.y; } double abs2() const { return x*x + y*y; } double length() const { return sqrt(abs2()); } friend double length(const pair& z) { return z.length(); } double angle() const { return camp::angle(x,y); } friend double angle(const pair& z) { return z.angle(); } friend pair unit(const pair& z) { double scale=z.length(); if(scale == 0.0) return z; scale=1.0/scale; return pair(z.x*scale,z.y*scale); } friend pair conj(const pair& z) { return pair(z.x,-z.y); } friend double dot(const pair& z, const pair& w) { return z.x*w.x+z.y*w.y; } friend double cross(const pair& z, const pair& w) { return z.x*w.y-z.y*w.x; } // Return the principal branch of the square root (non-negative real part). friend pair Sqrt(const pair& z) { double mag=z.length(); if(mag == 0.0) return pair(0.0,0.0); else if(z.x > 0) { double re=sqrt(0.5*(mag+z.x)); return pair(re,0.5*z.y/re); } else { double im=sqrt(0.5*(mag-z.x)); if(z.y < 0) im=-im; return pair(0.5*z.y/im,im); } } bool nonZero() const { return x != 0.0 || y != 0.0; } friend istream& operator >> (istream& s, pair& z) { char c; s >> std::ws; bool paren=s.peek() == '('; // parenthesis are optional if(paren) s >> c; s >> z.x >> std::ws; if(!s.eof() && s.peek() == ',') s >> c >> z.y; else z.y=0.0; if(paren) { s >> std::ws; if(s.peek() == ')') s >> c; } return s; } friend ostream& operator << (ostream& out, const pair& z) { out << "(" << z.x << "," << z.y << ")"; return out; } friend jsofstream& operator << (jsofstream& out, const pair& z) { out << "[" << z.x << "," << z.y << "]"; return out; } friend class box; }; // Calculates exp(i * theta), useful for unit vectors. inline pair expi(double theta) { if(theta == 0.0) return pair(1.0,0.0); // Frequently occurring case return pair(cos(theta),sin(theta)); } // Complex exponentiation inline pair pow(const pair& z, const pair& w) { double u=w.getx(); double v=w.gety(); if(z == 0.0) return w == 0.0 ? 1.0 : 0.0; double logr=0.5*log(z.abs2()); double th=z.angle(); return exp(logr*u-th*v)*expi(logr*v+th*u); } } //namespace camp GC_DECLARE_PTRFREE(camp::pair); #endif asymptote-2.62/runtriple.in0000644000000000000000000000524513607467113014560 0ustar rootroot/***** * runtriple.in * * Runtime functions for triple operations. * *****/ triple => primTriple() #include "triple.h" #include "path3.h" using namespace camp; // Autogenerated routines: triple :tripleZero() { static triple zero; return zero; } triple :realRealRealToTriple(real x, real y, real z) { return triple(x,y,z); } real xpart:tripleXPart(triple v) { return v.getx(); } real ypart:tripleYPart(triple v) { return v.gety(); } real zpart:tripleZPart(triple v) { return v.getz(); } triple Operator *(real x, triple v) { return x*v; } triple Operator *(triple v, real x) { return v*x; } triple /(triple v, real x) { return v/x; } real length(triple v) { return v.length(); } real abs(triple v) { return v.length(); } real polar(triple v, bool warn=true) { if(!warn && v.getx() == 0.0 && v.gety() == 0.0 && v.getz() == 0.0) return 0.0; return v.polar(); } real azimuth(triple v, bool warn=true) { if(!warn && v.getx() == 0.0 && v.gety() == 0.0) return 0.0; return v.azimuth(); } real colatitude(triple v, bool warn=true) { if(!warn && v.getx() == 0.0 && v.gety() == 0.0 && v.getz() == 0.0) return 0.0; return degrees(v.polar()); } real latitude(triple v, bool warn=true) { if(!warn && v.getx() == 0.0 && v.gety() == 0.0 && v.getz() == 0.0) return 0.0; return 90.0-degrees(v.polar()); } // Return the longitude of v in [0,360). real longitude(triple v, bool warn=true) { if(!warn && v.getx() == 0.0 && v.gety() == 0.0) return 0.0; return principalBranch(degrees(v.azimuth())); } triple unit(triple v) { return unit(v); } real dot(triple u, triple v) { return dot(u,v); } triple cross(triple u, triple v) { return cross(u,v); } triple dir(explicit triple z) { return unit(z); } triple expi(real polar, real azimuth) { return expi(polar,azimuth); } triple dir(real colatitude, real longitude) { return expi(radians(colatitude),radians(longitude)); } triple realmult(triple u, triple v) { return triple (u.getx()*v.getx(),u.gety()*v.gety(),u.getz()*v.getz()); } // Return the component of vector v perpendicular to a unit vector u. triple perp(triple v, triple u) { return perp(v,u); } triple bezier(triple a, triple b, triple c, triple d, real t) { real onemt=1-t; real onemt2=onemt*onemt; return onemt2*onemt*a+t*(3.0*(onemt2*b+t*onemt*c)+t*t*d); } triple bezierP(triple a, triple b, triple c, triple d, real t) { return 3.0*(t*t*(d-a+3.0*(b-c))+t*(2.0*(a+c)-4.0*b)+b-a); } triple bezierPP(triple a, triple b, triple c, triple d, real t) { return 6.0*(t*(d-a+3.0*(b-c))+a+c-2.0*b); } triple bezierPPP(triple a, triple b, triple c, triple d) { return 6.0*(d-a+3.0*(b-c)); } asymptote-2.62/Pipfile0000644000000000000000000000021213607467113013504 0ustar rootroot[[source]] url = "https://pypi.org/simple" verify_ssl = true name = "pypi" [packages] [dev-packages] [requires] python_version = "3.6" asymptote-2.62/fftw++.h0000644000000000000000000013366713607467113013463 0ustar rootroot/* Fast Fourier transform C++ header class for the FFTW3 Library Copyright (C) 2004-16 John C. Bowman, University of Alberta Malcolm Roberts, University of Strasbourg This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program; if not, write to the Free Software Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. */ #ifndef __fftwpp_h__ #define __fftwpp_h__ 1 #define __FFTWPP_H_VERSION__ 2.07 #include #include #include #include #include #include #ifndef _OPENMP #ifndef FFTWPP_SINGLE_THREAD #define FFTWPP_SINGLE_THREAD #endif #endif #ifndef FFTWPP_SINGLE_THREAD #include #endif inline int get_thread_num() { #ifdef FFTWPP_SINGLE_THREAD return 0; #else return omp_get_thread_num(); #endif } inline int get_max_threads() { #ifdef FFTWPP_SINGLE_THREAD return 1; #else return omp_get_max_threads(); #endif } #ifndef FFTWPP_SINGLE_THREAD #define PARALLEL(code) \ if(threads > 1) { \ _Pragma("omp parallel for num_threads(threads)") \ code \ } else { \ code \ } #else #define PARALLEL(code) \ { \ code \ } #endif #ifndef __Complex_h__ #include typedef std::complex Complex; #endif #include "seconds.h" #include "statistics.h" #include "align.h" namespace fftwpp { // Obsolete names: #define FFTWComplex ComplexAlign #define FFTWdouble doubleAlign #define FFTWdelete deleteAlign class fftw; extern "C" fftw_plan Planner(fftw *F, Complex *in, Complex *out); void LoadWisdom(); void SaveWisdom(); extern const char *inout; struct threaddata { unsigned int threads; double mean; double stdev; threaddata() : threads(0), mean(0.0), stdev(0.0) {} threaddata(unsigned int threads, double mean, double stdev) : threads(threads), mean(mean), stdev(stdev) {} }; class fftw; class ThreadBase { protected: unsigned int threads; unsigned int innerthreads; public: ThreadBase(); ThreadBase(unsigned int threads) : threads(threads) {} void Threads(unsigned int nthreads) {threads=nthreads;} unsigned int Threads() {return threads;} void multithread(unsigned int nx) { if(nx >= threads) { innerthreads=1; } else { innerthreads=threads; threads=1; } } }; inline unsigned int realsize(unsigned int n, Complex *in, Complex *out=NULL) { return (!out || in == out) ? 2*(n/2+1) : n; } inline unsigned int realsize(unsigned int n, Complex *in, double *out) { return realsize(n,in,(Complex *) out); } inline unsigned int realsize(unsigned int n, double *in, Complex *out) { return realsize(n,(Complex *) in,out); } // Base clase for fft routines // class fftw : public ThreadBase { protected: unsigned int doubles; // number of double precision values in dataset int sign; unsigned int threads; double norm; fftw_plan plan; bool inplace; unsigned int Dist(unsigned int n, size_t stride, size_t dist) { return dist ? dist : ((stride == 1) ? n : 1); } static const double twopi; public: static unsigned int effort; static unsigned int maxthreads; static double testseconds; static const char *WisdomName; static fftw_plan (*planner)(fftw *f, Complex *in, Complex *out); virtual unsigned int Threads() {return threads;} static const char *oddshift; // Inplace shift of Fourier origin to (nx/2,0) for even nx. static void Shift(Complex *data, unsigned int nx, unsigned int ny, unsigned int threads) { unsigned int nyp=ny/2+1; unsigned int stop=nx*nyp; if(nx % 2 == 0) { unsigned int inc=2*nyp; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=nyp; i < stop; i += inc) { Complex *p=data+i; for(unsigned int j=0; j < nyp; j++) p[j]=-p[j]; } } else { std::cerr << oddshift << std::endl; exit(1); } } // Out-of-place shift of Fourier origin to (nx/2,0) for even nx. static void Shift(double *data, unsigned int nx, unsigned int ny, unsigned int threads) { if(nx % 2 == 0) { unsigned int stop=nx*ny; unsigned int inc=2*ny; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=ny; i < stop; i += inc) { double *p=data+i; for(unsigned int j=0; j < ny; j++) p[j]=-p[j]; } } else { std::cerr << oddshift << std::endl; exit(1); } } // Inplace shift of Fourier origin to (nx/2,ny/2,0) for even nx and ny. static void Shift(Complex *data, unsigned int nx, unsigned int ny, unsigned int nz, unsigned int threads) { unsigned int nzp=nz/2+1; unsigned int nyzp=ny*nzp; if(nx % 2 == 0 && ny % 2 == 0) { unsigned int pinc=2*nzp; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; i++) { Complex *pstart=data+i*nyzp; Complex *pstop=pstart+nyzp; for(Complex *p=pstart+(1-(i % 2))*nzp; p < pstop; p += pinc) { for(unsigned int k=0; k < nzp; k++) p[k]=-p[k]; } } } else { std::cerr << oddshift << " or odd ny" << std::endl; exit(1); } } // Out-of-place shift of Fourier origin to (nx/2,ny/2,0) for even nx and ny. static void Shift(double *data, unsigned int nx, unsigned int ny, unsigned int nz, unsigned int threads) { unsigned int nyz=ny*nz; if(nx % 2 == 0 && ny % 2 == 0) { unsigned int pinc=2*nz; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; i++) { double *pstart=data+i*nyz; double *pstop=pstart+nyz; for(double *p=pstart+(1-(i % 2))*nz; p < pstop; p += pinc) { for(unsigned int k=0; k < nz; k++) p[k]=-p[k]; } } } else { std::cerr << oddshift << " or odd ny" << std::endl; exit(1); } } fftw() : plan(NULL) {} fftw(unsigned int doubles, int sign, unsigned int threads, unsigned int n=0) : doubles(doubles), sign(sign), threads(threads), norm(1.0/(n ? n : doubles/2)), plan(NULL) { #ifndef FFTWPP_SINGLE_THREAD fftw_init_threads(); #endif } virtual ~fftw() { if(plan) fftw_destroy_plan(plan); } virtual fftw_plan Plan(Complex *in, Complex *out) {return NULL;}; inline void CheckAlign(Complex *p, const char *s) { if((size_t) p % sizeof(Complex) == 0) return; std::cerr << "WARNING: " << s << " array is not " << sizeof(Complex) << "-byte aligned: address " << p << std::endl; } void noplan() { std::cerr << "Unable to construct FFTW plan" << std::endl; exit(1); } static void planThreads(unsigned int threads) { #ifndef FFTWPP_SINGLE_THREAD omp_set_num_threads(threads); fftw_plan_with_nthreads(threads); #endif } threaddata time(fftw_plan plan1, fftw_plan planT, Complex *in, Complex *out, unsigned int Threads) { utils::statistics S,ST; double stop=utils::totalseconds()+testseconds; threads=1; plan=plan1; fft(in,out); threads=Threads; plan=planT; fft(in,out); unsigned int N=1; for(;;) { double t0=utils::totalseconds(); threads=1; plan=plan1; for(unsigned int i=0; i < N; ++i) fft(in,out); double t1=utils::totalseconds(); threads=Threads; plan=planT; for(unsigned int i=0; i < N; ++i) fft(in,out); double t=utils::totalseconds(); S.add(t1-t0); ST.add(t-t1); if(S.mean() < 100.0/CLOCKS_PER_SEC) N *= 2; if(S.count() >= 10) { double error=S.stdev(); double diff=ST.mean()-S.mean(); if(diff >= 0.0 || t > stop) { threads=1; plan=plan1; fftw_destroy_plan(planT); break; } if(diff < -error) { threads=Threads; fftw_destroy_plan(plan1); break; } } } return threaddata(threads,S.mean(),S.stdev()); } virtual threaddata lookup(bool inplace, unsigned int threads) { return threaddata(); } virtual void store(bool inplace, const threaddata& data) {} inline Complex *CheckAlign(Complex *in, Complex *out, bool constructor=true) { #ifndef NO_CHECK_ALIGN CheckAlign(in,constructor ? "constructor input" : "input"); if(out) CheckAlign(out,constructor ? "constructor output" : "output"); else out=in; #else if(!out) out=in; #endif return out; } threaddata Setup(Complex *in, Complex *out=NULL) { bool alloc=!in; if(alloc) in=utils::ComplexAlign((doubles+1)/2); out=CheckAlign(in,out); inplace=(out==in); threaddata data; unsigned int Threads=threads; if(threads > 1) data=lookup(inplace,threads); threads=data.threads > 0 ? data.threads : 1; planThreads(threads); plan=(*planner)(this,in,out); if(!plan) noplan(); fftw_plan planT; if(fftw::maxthreads > 1) { threads=Threads; planThreads(threads); planT=(*planner)(this,in,out); if(data.threads == 0) { if(planT) data=time(plan,planT,in,out,threads); else noplan(); store(inplace,threaddata(threads,data.mean,data.stdev)); } } if(alloc) Array::deleteAlign(in,(doubles+1)/2); return data; } threaddata Setup(Complex *in, double *out) { return Setup(in,(Complex *) out); } threaddata Setup(double *in, Complex *out=NULL) { return Setup((Complex *) in,out); } virtual void Execute(Complex *in, Complex *out, bool=false) { fftw_execute_dft(plan,(fftw_complex *) in,(fftw_complex *) out); } Complex *Setout(Complex *in, Complex *out) { out=CheckAlign(in,out,false); if(inplace ^ (out == in)) { std::cerr << "ERROR: fft " << inout << std::endl; exit(1); } return out; } void fft(Complex *in, Complex *out=NULL) { out=Setout(in,out); Execute(in,out); } void fft(double *in, Complex *out=NULL) { fft((Complex *) in,out); } void fft(Complex *in, double *out) { fft(in,(Complex *) out); } void fft0(Complex *in, Complex *out=NULL) { out=Setout(in,out); Execute(in,out,true); } void fft0(double *in, Complex *out=NULL) { fft0((Complex *) in,out); } void fft0(Complex *in, double *out) { fft0(in,(Complex *) out); } void Normalize(Complex *out) { unsigned int stop=doubles/2; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < stop; i++) out[i] *= norm; } void Normalize(double *out) { #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < doubles; i++) out[i] *= norm; } virtual void fftNormalized(Complex *in, Complex *out=NULL, bool shift=false) { out=Setout(in,out); Execute(in,out,shift); Normalize(out); } virtual void fftNormalized(Complex *in, double *out, bool shift=false) { out=(double *) Setout(in,(Complex *) out); Execute(in,(Complex *) out,shift); Normalize(out); } virtual void fftNormalized(double *in, Complex *out, bool shift=false) { fftNormalized((Complex *) in,out,shift); } template void fft0Normalized(I in, O out) { fftNormalized(in,out,true); } template void Normalize(unsigned int nx, unsigned int M, size_t ostride, size_t odist, O *out) { unsigned int stop=nx*ostride; O *outMdist=out+M*odist; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < stop; i += ostride) { O *pstop=outMdist+i; for(O *p=out+i; p < pstop; p += odist) { *p *= norm; } } } template void fftNormalized(unsigned int nx, unsigned int M, size_t ostride, size_t odist, I *in, O *out=NULL, bool shift=false) { out=(O *) Setout((Complex *) in,(Complex *) out); Execute((Complex *) in,(Complex *) out,shift); Normalize(nx,M,ostride,odist,out); } }; // class fftw class Transpose { fftw_plan plan; fftw_plan plan2; unsigned int a,b; unsigned int nlength,mlength; unsigned int ilast,jlast; unsigned int rows,cols; unsigned int threads; bool inplace; unsigned int size; public: template Transpose(unsigned int rows, unsigned int cols, unsigned int length, T *in, T *out=NULL, unsigned int threads=fftw::maxthreads) : rows(rows), cols(cols), threads(threads) { size=sizeof(T); if(size % sizeof(double) != 0) { std::cerr << "ERROR: Transpose is not implemented for type of size " << size; exit(1); } plan=plan2=NULL; if(rows == 0 || cols == 0) return; size /= sizeof(double); length *= size; if(!out) out=in; inplace=(out==in); if(inplace) { fftw::planThreads(threads); threads=1; } else fftw::planThreads(1); fftw_iodim dims[3]; a=std::min(rows,threads); b=std::min(cols,threads/a); unsigned int n=utils::ceilquotient(rows,a); unsigned int m=utils::ceilquotient(cols,b); // If rows <= threads then a=rows and n=1. // If rows >= threads then b=1 and m=cols. nlength=n*length; mlength=m*length; dims[0].n=n; dims[0].is=cols*length; dims[0].os=length; dims[1].n=m; dims[1].is=length; dims[1].os=rows*length; dims[2].n=length; dims[2].is=1; dims[2].os=1; // A plan with rank=0 is a transpose. plan=fftw_plan_guru_r2r(0,NULL,3,dims,(double *) in,(double *) out, NULL,fftw::effort); ilast=a; jlast=b; if(n*a > rows) { // Only happens when rows > threads. a=utils::ceilquotient(rows,n); ilast=a-1; dims[0].n=rows-n*ilast; plan2=fftw_plan_guru_r2r(0,NULL,3,dims,(double *) in,(double *) out, NULL,fftw::effort); } else { // Only happens when rows < threads. if(m*b > cols) { b=utils::ceilquotient(cols,m); jlast=b-1; dims[1].n=cols-m*jlast; plan2=fftw_plan_guru_r2r(0,NULL,3,dims,(double *) in,(double *) out, NULL,fftw::effort); } } } ~Transpose() { if(plan) fftw_destroy_plan(plan); if(plan2) fftw_destroy_plan(plan2); } template void transpose(T *in, T *out=NULL) { if(rows == 0 || cols == 0) return; if(!out) out=in; if(inplace ^ (out == in)) { std::cerr << "ERROR: Transpose " << inout << std::endl; exit(1); } #ifndef FFTWPP_SINGLE_THREAD if(a > 1) { if(b > 1) { int A=a, B=b; #pragma omp parallel for num_threads(A) for(unsigned int i=0; i < a; ++i) { unsigned int I=i*nlength; #pragma omp parallel for num_threads(B) for(unsigned int j=0; j < b; ++j) { unsigned int J=j*mlength; fftw_execute_r2r((i < ilast && j < jlast) ? plan : plan2, (double *) in+cols*I+J, (double *) out+rows*J+I); } } } else { int A=a; #pragma omp parallel for num_threads(A) for(unsigned int i=0; i < a; ++i) { unsigned int I=i*nlength; fftw_execute_r2r(i < ilast ? plan : plan2, (double *) in+cols*I,(double *) out+I); } } } else if(b > 1) { int B=b; #pragma omp parallel for num_threads(B) for(unsigned int j=0; j < b; ++j) { unsigned int J=j*mlength; fftw_execute_r2r(j < jlast ? plan : plan2, (double *) in+J,(double *) out+rows*J); } } else #endif fftw_execute_r2r(plan,(double *) in,(double*) out); } }; template class Threadtable { public: typedef std::map Table; threaddata Lookup(Table& table, T key) { typename Table::iterator p=table.find(key); return p == table.end() ? threaddata() : p->second; } void Store(Table& threadtable, T key, const threaddata& data) { threadtable[key]=data; } }; struct keytype1 { unsigned int nx; unsigned int threads; bool inplace; keytype1(unsigned int nx, unsigned int threads, bool inplace) : nx(nx), threads(threads), inplace(inplace) {} }; struct keyless1 { bool operator()(const keytype1& a, const keytype1& b) const { return a.nx < b.nx || (a.nx == b.nx && (a.threads < b.threads || (a.threads == b.threads && a.inplace < b.inplace))); } }; struct keytype2 { unsigned int nx; unsigned int ny; unsigned int threads; bool inplace; keytype2(unsigned int nx, unsigned int ny, unsigned int threads, bool inplace) : nx(nx), ny(ny), threads(threads), inplace(inplace) {} }; struct keyless2 { bool operator()(const keytype2& a, const keytype2& b) const { return a.nx < b.nx || (a.nx == b.nx && (a.ny < b.ny || (a.ny == b.ny && (a.threads < b.threads || (a.threads == b.threads && a.inplace < b.inplace))))); } }; struct keytype3 { unsigned int nx; unsigned int ny; unsigned int nz; unsigned int threads; bool inplace; keytype3(unsigned int nx, unsigned int ny, unsigned int nz, unsigned int threads, bool inplace) : nx(nx), ny(ny), nz(nz), threads(threads), inplace(inplace) {} }; struct keyless3 { bool operator()(const keytype3& a, const keytype3& b) const { return a.nx < b.nx || (a.nx == b.nx && (a.ny < b.ny || (a.ny == b.ny && (a.nz < b.nz || (a.nz == b.nz && (a.threads < b.threads || (a.threads == b.threads && a.inplace < b.inplace))))))); } }; // Compute the complex Fourier transform of n complex values. // Before calling fft(), the arrays in and out (which may coincide) must be // allocated as Complex[n]. // // Out-of-place usage: // // fft1d Forward(n,-1,in,out); // Forward.fft(in,out); // // fft1d Backward(n,1,in,out); // Backward.fft(in,out); // // fft1d Backward(n,1,in,out); // Backward.fftNormalized(in,out); // True inverse of Forward.fft(out,in); // // In-place usage: // // fft1d Forward(n,-1); // Forward.fft(in); // // fft1d Backward(n,1); // Backward.fft(in); // class fft1d : public fftw, public Threadtable { unsigned int nx; static Table threadtable; public: fft1d(unsigned int nx, int sign, Complex *in=NULL, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx,sign,threads), nx(nx) {Setup(in,out);} #ifdef __Array_h__ fft1d(int sign, const Array::array1& in, const Array::array1& out=Array::NULL1, unsigned int threads=maxthreads) : fftw(2*in.Nx(),sign,threads), nx(in.Nx()) {Setup(in,out);} #endif threaddata lookup(bool inplace, unsigned int threads) { return this->Lookup(threadtable,keytype1(nx,threads,inplace)); } void store(bool inplace, const threaddata& data) { this->Store(threadtable,keytype1(nx,data.threads,inplace),data); } fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_1d(nx,(fftw_complex *) in,(fftw_complex *) out, sign,effort); } }; template class fftwblock : public virtual fftw { public: int nx; unsigned int M; size_t istride,ostride; size_t idist,odist; fftw_plan plan1,plan2; unsigned int T,Q,R; fftwblock(unsigned int nx, unsigned int M, size_t istride, size_t ostride, size_t idist, size_t odist, Complex *in, Complex *out, unsigned int Threads) : fftw(), nx(nx), M(M), istride(istride), ostride(ostride), idist(Dist(nx,istride,idist)), odist(Dist(nx,ostride,odist)), plan1(NULL), plan2(NULL) { T=1; Q=M; R=0; threaddata S1=Setup(in,out); fftw_plan planT1=plan; if(fftw::maxthreads > 1) { if(Threads > 1) { T=std::min(M,Threads); Q=T > 0 ? M/T : 0; R=M-Q*T; threads=Threads; threaddata ST=Setup(in,out); if(R > 0 && threads == 1 && plan1 != plan2) { fftw_destroy_plan(plan2); plan2=plan1; } if(ST.mean > S1.mean-S1.stdev) { // Use FFTW's multi-threading fftw_destroy_plan(plan); if(R > 0) { fftw_destroy_plan(plan2); plan2=NULL; } T=1; Q=M; R=0; plan=planT1; threads=S1.threads; } else { // Do the multi-threading ourselves fftw_destroy_plan(planT1); threads=ST.threads; } } else Setup(in,out); // Synchronize wisdom } } fftw_plan Plan(int Q, fftw_complex *in, fftw_complex *out) { return fftw_plan_many_dft(1,&nx,Q,in,NULL,istride,idist, out,NULL,ostride,odist,sign,effort); } fftw_plan Plan(int Q, double *in, fftw_complex *out) { return fftw_plan_many_dft_r2c(1,&nx,Q,in,NULL,istride,idist, out,NULL,ostride,odist,effort); } fftw_plan Plan(int Q, fftw_complex *in, double *out) { return fftw_plan_many_dft_c2r(1,&nx,Q,in,NULL,istride,idist, out,NULL,ostride,odist,effort); } fftw_plan Plan(Complex *in, Complex *out) { if(R > 0) { plan2=Plan(Q+1,(I *) in,(O *) out); if(!plan2) return NULL; if(threads == 1) plan1=plan2; } return Plan(Q,(I *) in,(O *) out); } void Execute(fftw_plan plan, fftw_complex *in, fftw_complex *out) { fftw_execute_dft(plan,in,out); } void Execute(fftw_plan plan, double *in, fftw_complex *out) { fftw_execute_dft_r2c(plan,in,out); } void Execute(fftw_plan plan, fftw_complex *in, double *out) { fftw_execute_dft_c2r(plan,in,out); } void Execute(Complex *in, Complex *out, bool=false) { if(T == 1) Execute(plan,(I *) in,(O *) out); else { unsigned int extra=T-R; #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(T) #endif for(unsigned int i=0; i < T; ++i) { unsigned int iQ=i*Q; if(i < extra) Execute(plan,(I *) in+iQ*idist,(O *) out+iQ*odist); else { unsigned int offset=iQ+i-extra; Execute(plan2,(I *) in+offset*idist,(O *) out+offset*odist); } } } } unsigned int Threads() {return std::max(T,threads);} ~fftwblock() { if(plan2) fftw_destroy_plan(plan2); } }; // Compute the complex Fourier transform of M complex vectors, each of // length n. // Before calling fft(), the arrays in and out (which may coincide) must be // allocated as Complex[M*n]. // // Out-of-place usage: // // mfft1d Forward(n,-1,M,stride,dist,in,out); // Forward.fft(in,out); // // In-place usage: // // mfft1d Forward(n,-1,M,stride,dist); // Forward.fft(in); // // Notes: // stride is the spacing between the elements of each Complex vector; // dist is the spacing between the first elements of the vectors. // // class mfft1d : public fftwblock, public Threadtable { static Table threadtable; public: mfft1d(unsigned int nx, int sign, unsigned int M=1, size_t stride=1, size_t dist=0, Complex *in=NULL, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*((nx-1)*stride+(M-1)*Dist(nx,stride,dist)+1),sign,threads,nx), fftwblock (nx,M,stride,stride,dist,dist,in,out,threads) {} mfft1d(unsigned int nx, int sign, unsigned int M, size_t istride, size_t ostride, size_t idist, size_t odist, Complex *in=NULL, Complex *out=NULL, unsigned int threads=maxthreads): fftw(std::max(2*((nx-1)*istride+(M-1)*Dist(nx,istride,idist)+1), 2*((nx-1)*ostride+(M-1)*Dist(nx,ostride,odist)+1)),sign, threads, nx), fftwblock(nx,M,istride,ostride,idist,odist,in, out,threads) {} threaddata lookup(bool inplace, unsigned int threads) { return Lookup(threadtable,keytype3(nx,Q,R,threads,inplace)); } void store(bool inplace, const threaddata& data) { Store(threadtable,keytype3(nx,Q,R,data.threads,inplace),data); } }; // Compute the complex Fourier transform of n real values, using phase sign -1. // Before calling fft(), the array in must be allocated as double[n] and // the array out must be allocated as Complex[n/2+1]. The arrays in and out // may coincide, allocated as Complex[n/2+1]. // // Out-of-place usage: // // rcfft1d Forward(n,in,out); // Forward.fft(in,out); // // In-place usage: // // rcfft1d Forward(n); // Forward.fft(out); // // Notes: // in contains the n real values stored as a Complex array; // out contains the first n/2+1 Complex Fourier values. // class rcfft1d : public fftw, public Threadtable { unsigned int nx; static Table threadtable; public: rcfft1d(unsigned int nx, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*(nx/2+1),-1,threads,nx), nx(nx) {Setup(out,(double*) NULL);} rcfft1d(unsigned int nx, double *in, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*(nx/2+1),-1,threads,nx), nx(nx) {Setup(in,out);} threaddata lookup(bool inplace, unsigned int threads) { return Lookup(threadtable,keytype1(nx,threads,inplace)); } void store(bool inplace, const threaddata& data) { Store(threadtable,keytype1(nx,data.threads,inplace),data); } fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_r2c_1d(nx,(double *) in,(fftw_complex *) out, effort); } void Execute(Complex *in, Complex *out, bool=false) { fftw_execute_dft_r2c(plan,(double *) in,(fftw_complex *) out); } }; // Compute the real inverse Fourier transform of the n/2+1 Complex values // corresponding to the non-negative part of the frequency spectrum, using // phase sign +1. // Before calling fft(), the array in must be allocated as Complex[n/2+1] // and the array out must be allocated as double[n]. The arrays in and out // may coincide, allocated as Complex[n/2+1]. // // Out-of-place usage (input destroyed): // // crfft1d Backward(n,in,out); // Backward.fft(in,out); // // In-place usage: // // crfft1d Backward(n); // Backward.fft(in); // // Notes: // in contains the first n/2+1 Complex Fourier values. // out contains the n real values stored as a Complex array; // class crfft1d : public fftw, public Threadtable { unsigned int nx; static Table threadtable; public: crfft1d(unsigned int nx, double *out=NULL, unsigned int threads=maxthreads) : fftw(2*(nx/2+1),1,threads,nx), nx(nx) {Setup(out);} crfft1d(unsigned int nx, Complex *in, double *out=NULL, unsigned int threads=maxthreads) : fftw(realsize(nx,in,out),1,threads,nx), nx(nx) {Setup(in,out);} threaddata lookup(bool inplace, unsigned int threads) { return Lookup(threadtable,keytype1(nx,threads,inplace)); } void store(bool inplace, const threaddata& data) { Store(threadtable,keytype1(nx,data.threads,inplace),data); } fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_c2r_1d(nx,(fftw_complex *) in,(double *) out,effort); } void Execute(Complex *in, Complex *out, bool=false) { fftw_execute_dft_c2r(plan,(fftw_complex *) in,(double *) out); } }; // Compute the real Fourier transform of M real vectors, each of length n, // using phase sign -1. Before calling fft(), the array in must be // allocated as double[M*n] and the array out must be allocated as // Complex[M*(n/2+1)]. The arrays in and out may coincide, // allocated as Complex[M*(n/2+1)]. // // Out-of-place usage: // // mrcfft1d Forward(n,M,istride,ostride,idist,odist,in,out); // Forward.fft(in,out); // // In-place usage: // // mrcfft1d Forward(n,M,istride,ostride,idist,odist); // Forward.fft(out); // // Notes: // istride is the spacing between the elements of each real vector; // ostride is the spacing between the elements of each Complex vector; // idist is the spacing between the first elements of the real vectors; // odist is the spacing between the first elements of the Complex vectors; // in contains the n real values stored as a Complex array; // out contains the first n/2+1 Complex Fourier values. // class mrcfft1d : public fftwblock, public Threadtable { static Table threadtable; public: mrcfft1d(unsigned int nx, unsigned int M, size_t istride, size_t ostride, size_t idist, size_t odist, double *in=NULL, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(std::max((realsize(nx,in,out)-2)*istride+(M-1)*idist+2, 2*(nx/2*ostride+(M-1)*odist+1)),-1,threads,nx), fftwblock (nx,M,istride,ostride,idist,odist,(Complex *) in,out,threads) {} threaddata lookup(bool inplace, unsigned int threads) { return Lookup(threadtable,keytype3(nx,Q,R,threads,inplace)); } void store(bool inplace, const threaddata& data) { Store(threadtable,keytype3(nx,Q,R,data.threads,inplace),data); } void Normalize(Complex *out) { fftw::Normalize(nx/2+1,M,ostride,odist,out); } void fftNormalized(double *in, Complex *out=NULL, bool shift=false) { fftw::fftNormalized(nx/2+1,M,ostride,odist,in,out,false); } void fft0Normalized(double *in, Complex *out=NULL) { fftw::fftNormalized(nx/2+1,M,ostride,odist,in,out,true); } }; // Compute the real inverse Fourier transform of M complex vectors, each of // length n/2+1, corresponding to the non-negative parts of the frequency // spectra, using phase sign +1. Before calling fft(), the array in must be // allocated as Complex[M*(n/2+1)] and the array out must be allocated as // double[M*n]. The arrays in and out may coincide, // allocated as Complex[M*(n/2+1)]. // // Out-of-place usage (input destroyed): // // mcrfft1d Backward(n,M,istride,ostride,idist,odist,in,out); // Backward.fft(in,out); // // In-place usage: // // mcrfft1d Backward(n,M,istride,ostride,idist,odist); // Backward.fft(out); // // Notes: // stride is the spacing between the elements of each Complex vector; // dist is the spacing between the first elements of the vectors; // in contains the first n/2+1 Complex Fourier values; // out contains the n real values stored as a Complex array. // class mcrfft1d : public fftwblock, public Threadtable { static Table threadtable; public: mcrfft1d(unsigned int nx, unsigned int M, size_t istride, size_t ostride, size_t idist, size_t odist, Complex *in=NULL, double *out=NULL, unsigned int threads=maxthreads) : fftw(std::max(2*(nx/2*istride+(M-1)*idist+1), (realsize(nx,in,out)-2)*ostride+(M-1)*odist+2),1,threads,nx), fftwblock (nx,M,istride,ostride,idist,odist,in,(Complex *) out,threads) {} threaddata lookup(bool inplace, unsigned int threads) { return Lookup(threadtable,keytype3(nx,Q,R,threads,inplace)); } void store(bool inplace, const threaddata& data) { Store(threadtable,keytype3(nx,Q,R,data.threads,inplace),data); } void Normalize(double *out) { fftw::Normalize(nx,M,ostride,odist,out); } void fftNormalized(Complex *in, double *out=NULL, bool shift=false) { fftw::fftNormalized(nx,M,ostride,odist,in,out,false); } void fft0Normalized(Complex *in, double *out=NULL) { fftw::fftNormalized(nx,M,ostride,odist,in,out,true); } }; // Compute the complex two-dimensional Fourier transform of nx times ny // complex values. Before calling fft(), the arrays in and out (which may // coincide) must be allocated as Complex[nx*ny]. // // Out-of-place usage: // // fft2d Forward(nx,ny,-1,in,out); // Forward.fft(in,out); // // fft2d Backward(nx,ny,1,in,out); // Backward.fft(in,out); // // fft2d Backward(nx,ny,1,in,out); // Backward.fftNormalized(in,out); // True inverse of Forward.fft(out,in); // // In-place usage: // // fft2d Forward(nx,ny,-1); // Forward.fft(in); // // fft2d Backward(nx,ny,1); // Backward.fft(in); // // Note: // in[ny*i+j] contains the ny Complex values for each i=0,...,nx-1. // class fft2d : public fftw, public Threadtable { unsigned int nx; unsigned int ny; static Table threadtable; public: fft2d(unsigned int nx, unsigned int ny, int sign, Complex *in=NULL, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*ny,sign,threads), nx(nx), ny(ny) {Setup(in,out);} #ifdef __Array_h__ fft2d(int sign, const Array::array2& in, const Array::array2& out=Array::NULL2, unsigned int threads=maxthreads) : fftw(2*in.Size(),sign,threads), nx(in.Nx()), ny(in.Ny()) { Setup(in,out); } #endif threaddata lookup(bool inplace, unsigned int threads) { return this->Lookup(threadtable,keytype2(nx,ny,threads,inplace)); } void store(bool inplace, const threaddata& data) { this->Store(threadtable,keytype2(nx,ny,data.threads,inplace),data); } fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_2d(nx,ny,(fftw_complex *) in,(fftw_complex *) out, sign,effort); } void Execute(Complex *in, Complex *out, bool=false) { fftw_execute_dft(plan,(fftw_complex *) in,(fftw_complex *) out); } }; // Compute the complex two-dimensional Fourier transform of nx times ny real // values, using phase sign -1. // Before calling fft(), the array in must be allocated as double[nx*ny] and // the array out must be allocated as Complex[nx*(ny/2+1)]. The arrays in // and out may coincide, allocated as Complex[nx*(ny/2+1)]. // // Out-of-place usage: // // rcfft2d Forward(nx,ny,in,out); // Forward.fft(in,out); // Origin of Fourier domain at (0,0) // Forward.fft0(in,out); // Origin of Fourier domain at (nx/2,0); // input destroyed. // // In-place usage: // // rcfft2d Forward(nx,ny); // Forward.fft(in); // Origin of Fourier domain at (0,0) // Forward.fft0(in); // Origin of Fourier domain at (nx/2,0) // // Notes: // in contains the nx*ny real values stored as a Complex array; // out contains the upper-half portion (ky >= 0) of the Complex transform. // class rcfft2d : public fftw { unsigned int nx; unsigned int ny; public: rcfft2d(unsigned int nx, unsigned int ny, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*(ny/2+1),-1,threads,nx*ny), nx(nx), ny(ny) {Setup(out);} rcfft2d(unsigned int nx, unsigned int ny, double *in, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*(ny/2+1),-1,threads,nx*ny), nx(nx), ny(ny) { Setup(in,out); } fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_r2c_2d(nx,ny,(double *) in,(fftw_complex *) out, effort); } void Execute(Complex *in, Complex *out, bool shift=false) { if(shift) { if(inplace) Shift(in,nx,ny,threads); else Shift((double *) in,nx,ny,threads); } fftw_execute_dft_r2c(plan,(double *) in,(fftw_complex *) out); } // Set Nyquist modes of even shifted transforms to zero. void deNyquist(Complex *f) { unsigned int nyp=ny/2+1; if(nx % 2 == 0) #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int j=0; j < nyp; ++j) f[j]=0.0; if(ny % 2 == 0) #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; ++i) f[(i+1)*nyp-1]=0.0; } }; // Compute the real two-dimensional inverse Fourier transform of the // nx*(ny/2+1) Complex values corresponding to the spectral values in the // half-plane ky >= 0, using phase sign +1. // Before calling fft(), the array in must be allocated as // Complex[nx*(ny/2+1)] and the array out must be allocated as // double[nx*ny]. The arrays in and out may coincide, // allocated as Complex[nx*(ny/2+1)]. // // Out-of-place usage (input destroyed): // // crfft2d Backward(nx,ny,in,out); // Backward.fft(in,out); // Origin of Fourier domain at (0,0) // Backward.fft0(in,out); // Origin of Fourier domain at (nx/2,0) // // In-place usage: // // crfft2d Backward(nx,ny); // Backward.fft(in); // Origin of Fourier domain at (0,0) // Backward.fft0(in); // Origin of Fourier domain at (nx/2,0) // // Notes: // in contains the upper-half portion (ky >= 0) of the Complex transform; // out contains the nx*ny real values stored as a Complex array. // class crfft2d : public fftw { unsigned int nx; unsigned int ny; public: crfft2d(unsigned int nx, unsigned int ny, double *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*(ny/2+1),1,threads,nx*ny), nx(nx), ny(ny) {Setup(out);} crfft2d(unsigned int nx, unsigned int ny, Complex *in, double *out=NULL, unsigned int threads=maxthreads) : fftw(nx*realsize(ny,in,out),1,threads,nx*ny), nx(nx), ny(ny) { Setup(in,out); } fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_c2r_2d(nx,ny,(fftw_complex *) in,(double *) out, effort); } void Execute(Complex *in, Complex *out, bool shift=false) { fftw_execute_dft_c2r(plan,(fftw_complex *) in,(double *) out); if(shift) { if(inplace) Shift(out,nx,ny,threads); else Shift((double *) out,nx,ny,threads); } } // Set Nyquist modes of even shifted transforms to zero. void deNyquist(Complex *f) { unsigned int nyp=ny/2+1; if(nx % 2 == 0) #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int j=0; j < nyp; ++j) f[j]=0.0; if(ny % 2 == 0) #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; ++i) f[(i+1)*nyp-1]=0.0; } }; // Compute the complex three-dimensional Fourier transform of // nx times ny times nz complex values. Before calling fft(), the arrays in // and out (which may coincide) must be allocated as Complex[nx*ny*nz]. // // Out-of-place usage: // // fft3d Forward(nx,ny,nz,-1,in,out); // Forward.fft(in,out); // // fft3d Backward(nx,ny,nz,1,in,out); // Backward.fft(in,out); // // fft3d Backward(nx,ny,nz,1,in,out); // Backward.fftNormalized(in,out); // True inverse of Forward.fft(out,in); // // In-place usage: // // fft3d Forward(nx,ny,nz,-1); // Forward.fft(in); // // fft3d Backward(nx,ny,nz,1); // Backward.fft(in); // // Note: // in[nz*(ny*i+j)+k] contains the (i,j,k)th Complex value, // indexed by i=0,...,nx-1, j=0,...,ny-1, and k=0,...,nz-1. // class fft3d : public fftw { unsigned int nx; unsigned int ny; unsigned int nz; public: fft3d(unsigned int nx, unsigned int ny, unsigned int nz, int sign, Complex *in=NULL, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*ny*nz,sign,threads), nx(nx), ny(ny), nz(nz) {Setup(in,out);} #ifdef __Array_h__ fft3d(int sign, const Array::array3& in, const Array::array3& out=Array::NULL3, unsigned int threads=maxthreads) : fftw(2*in.Size(),sign,threads), nx(in.Nx()), ny(in.Ny()), nz(in.Nz()) {Setup(in,out);} #endif fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_3d(nx,ny,nz,(fftw_complex *) in, (fftw_complex *) out, sign, effort); } }; // Compute the complex two-dimensional Fourier transform of // nx times ny times nz real values, using phase sign -1. // Before calling fft(), the array in must be allocated as double[nx*ny*nz] // and the array out must be allocated as Complex[nx*ny*(nz/2+1)]. The // arrays in and out may coincide, allocated as Complex[nx*ny*(nz/2+1)]. // // Out-of-place usage: // // rcfft3d Forward(nx,ny,nz,in,out); // Forward.fft(in,out); // Origin of Fourier domain at (0,0) // Forward.fft0(in,out); // Origin of Fourier domain at (nx/2,ny/2,0); // input destroyed // In-place usage: // // rcfft3d Forward(nx,ny,nz); // Forward.fft(in); // Origin of Fourier domain at (0,0) // Forward.fft0(in); // Origin of Fourier domain at (nx/2,ny/2,0) // // Notes: // in contains the nx*ny*nz real values stored as a Complex array; // out contains the upper-half portion (kz >= 0) of the Complex transform. // class rcfft3d : public fftw { unsigned int nx; unsigned int ny; unsigned int nz; public: rcfft3d(unsigned int nx, unsigned int ny, unsigned int nz, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*ny*(nz/2+1),-1,threads,nx*ny*nz), nx(nx), ny(ny), nz(nz) { Setup(out); } rcfft3d(unsigned int nx, unsigned int ny, unsigned int nz, double *in, Complex *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*ny*(nz/2+1),-1,threads,nx*ny*nz), nx(nx), ny(ny), nz(nz) {Setup(in,out);} fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_r2c_3d(nx,ny,nz,(double *) in,(fftw_complex *) out, effort); } void Execute(Complex *in, Complex *out, bool shift=false) { if(shift) { if(inplace) Shift(in,nx,ny,nz,threads); else Shift((double *) in,nx,ny,nz,threads); } fftw_execute_dft_r2c(plan,(double *) in,(fftw_complex *) out); } // Set Nyquist modes of even shifted transforms to zero. void deNyquist(Complex *f) { unsigned int nzp=nz/2+1; unsigned int yz=ny*nzp; if(nx % 2 == 0) { #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int k=0; k < yz; ++k) f[k]=0.0; } if(ny % 2 == 0) { #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; ++i) { unsigned int iyz=i*yz; for(unsigned int k=0; k < nzp; ++k) f[iyz+k]=0.0; } } if(nz % 2 == 0) #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; ++i) for(unsigned int j=0; j < ny; ++j) f[i*yz+(j+1)*nzp-1]=0.0; } }; // Compute the real two-dimensional inverse Fourier transform of the // nx*ny*(nz/2+1) Complex values corresponding to the spectral values in the // half-plane kz >= 0, using phase sign +1. // Before calling fft(), the array in must be allocated as // Complex[nx*ny*(nz+1)/2] and the array out must be allocated as // double[nx*ny*nz]. The arrays in and out may coincide, // allocated as Complex[nx*ny*(nz/2+1)]. // // Out-of-place usage (input destroyed): // // crfft3d Backward(nx,ny,nz,in,out); // Backward.fft(in,out); // Origin of Fourier domain at (0,0) // Backward.fft0(in,out); // Origin of Fourier domain at (nx/2,ny/2,0) // // In-place usage: // // crfft3d Backward(nx,ny,nz); // Backward.fft(in); // Origin of Fourier domain at (0,0) // Backward.fft0(in); // Origin of Fourier domain at (nx/2,ny/2,0) // // Notes: // in contains the upper-half portion (kz >= 0) of the Complex transform; // out contains the nx*ny*nz real values stored as a Complex array. // class crfft3d : public fftw { unsigned int nx; unsigned int ny; unsigned int nz; public: crfft3d(unsigned int nx, unsigned int ny, unsigned int nz, double *out=NULL, unsigned int threads=maxthreads) : fftw(2*nx*ny*(nz/2+1),1,threads,nx*ny*nz), nx(nx), ny(ny), nz(nz) {Setup(out);} crfft3d(unsigned int nx, unsigned int ny, unsigned int nz, Complex *in, double *out=NULL, unsigned int threads=maxthreads) : fftw(nx*ny*(realsize(nz,in,out)),1,threads,nx*ny*nz), nx(nx), ny(ny), nz(nz) {Setup(in,out);} fftw_plan Plan(Complex *in, Complex *out) { return fftw_plan_dft_c2r_3d(nx,ny,nz,(fftw_complex *) in,(double *) out, effort); } void Execute(Complex *in, Complex *out, bool shift=false) { fftw_execute_dft_c2r(plan,(fftw_complex *) in,(double *) out); if(shift) { if(inplace) Shift(out,nx,ny,nz,threads); else Shift((double *) out,nx,ny,nz,threads); } } // Set Nyquist modes of even shifted transforms to zero. void deNyquist(Complex *f) { unsigned int nzp=nz/2+1; unsigned int yz=ny*nzp; if(nx % 2 == 0) { #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int k=0; k < yz; ++k) f[k]=0.0; } if(ny % 2 == 0) { #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; ++i) { unsigned int iyz=i*yz; for(unsigned int k=0; k < nzp; ++k) f[iyz+k]=0.0; } } if(nz % 2 == 0) #ifndef FFTWPP_SINGLE_THREAD #pragma omp parallel for num_threads(threads) #endif for(unsigned int i=0; i < nx; ++i) for(unsigned int j=0; j < ny; ++j) f[i*yz+(j+1)*nzp-1]=0.0; } }; } #endif asymptote-2.62/coenv.h0000644000000000000000000000161413607467113013463 0ustar rootroot/***** * coenv.h * Andy Hammerlindl 2004/11/18 * * Bundles the env and coder classes needed in translating the abstract syntax * tree. It also also implements some functions that involve both the env and * coder, such as implicitCast(). *****/ #ifndef COENV_H #define COENV_H #include "env.h" #include "coder.h" namespace trans { class coenv { public: coder &c; env &e; coenv(coder &c, env &e) : c(c), e(e) {} // This is used when an expression of type source needs to be an // expression of type target. // If it is allowed, the casting instructions (if any) will be added. // Otherwise, an appropriate error message will be printed. bool implicitCast(position pos, ty *target, ty *source); bool explicitCast(position pos, ty *target, ty *source); void add(protoenv &source, varEntry *qualifier) { e.add(source, qualifier, c); } }; } // namespace trans #endif asymptote-2.62/settings.h0000644000000000000000000000515313607467113014213 0ustar rootroot/***** * settings.h * Andy Hammerlindl 2004/05/10 * * Declares a list of global variables that act as settings in the system. *****/ #ifndef SETTINGS_H #define SETTINGS_H #include #include #include "common.h" #include "pair.h" #include "item.h" namespace types { class record; } namespace camp { void glrenderWrapper(); } namespace gl { extern bool glthread; extern bool initialize; #ifdef HAVE_PTHREAD extern pthread_t mainthread; extern pthread_cond_t initSignal; extern pthread_mutex_t initLock; extern pthread_cond_t readySignal; extern pthread_mutex_t readyLock; void wait(pthread_cond_t& signal, pthread_mutex_t& lock); void endwait(pthread_cond_t& signal, pthread_mutex_t& lock); #endif } namespace settings { extern const char PROGRAM[]; extern const char VERSION[]; extern const char BUGREPORT[]; extern char *argv0; void Warn(const string& s); void noWarn(const string& s); bool warn(const string& s); extern string systemDir; extern string docdir; extern const string dirsep; extern bool safe; bool globalwrite(); extern const string suffix; extern const string guisuffix; extern const string standardprefix; extern string historyname; void SetPageDimensions(); types::record *getSettingsModule(); vm::item& Setting(string name); template inline T getSetting(string name) { return vm::get(Setting(name)); } extern Int verbose; extern bool compact; extern bool gray; extern bool bw; extern bool rgb; extern bool cmyk; bool view(); bool trap(); string outname(); void setOptions(int argc, char *argv[]); // Access the arguments once options have been parsed. int numArgs(); char *getArg(int n); Int getScroll(); extern mode_t mask; bool xe(const string& texengine); bool lua(const string& texengine); bool pdf(const string& texengine); bool latex(const string& texengine); bool context(const string& texengine); string nativeformat(); string defaultformat(); const char *beginlabel(const string& texengine); const char *endlabel(const string& texengine); const char *rawpostscript(const string& texengine); const char *beginpicture(const string& texengine); const char *endpicture(const string& texengine); const char *beginspecial(const string& texengine); const char *endspecial(); string texcommand(); string texprogram(); const double inches=72.0; const double cm=inches/2.54; const double tex2ps=72.0/72.27; const double ps2tex=1.0/tex2ps; const string AsyGL="webgl/asygl.js"; const string WebGLheader="webgl/WebGLheader.html"; const string WebGLfooter="webgl/WebGLfooter.html"; } extern const char *REVISION; extern const char *AsyGLVersion; #endif asymptote-2.62/array.h0000644000000000000000000000363713607467113013476 0ustar rootroot/***** * array.h * Tom Prince 2005/06/18 * * Array type used by virtual machine. *****/ #ifndef ARRAY_H #define ARRAY_H #include "vm.h" #include "common.h" #include "item.h" namespace vm { // Arrays are vectors with push and pop functions. class array : public mem::vector { bool cycle; void setNonBridgingSlice(size_t l, size_t r, mem::vector *a); void setBridgingSlice(size_t l, size_t r, mem::vector *a); public: array() : cycle(false) {} array(size_t n) : mem::vector(n), cycle(false) {} array(size_t n, item i, size_t depth); void push(item i) { push_back(i); } item pop() { item i=back(); pop_back(); return i; } template T read(size_t i) const { return get((*this)[i]); } array *slice(Int left, Int right); void setSlice(Int left, Int right, array *a); void cyclic(bool b) { cycle=b; } bool cyclic() const { return cycle; } array *copyToDepth(size_t depth); }; template inline T read(const array *a, size_t i) { return a->array::read(i); } template inline T read(const array &a, size_t i) { return a.array::read(i); } inline size_t checkArray(const vm::array *a) { if(a == 0) vm::error("dereference of null array"); return a->size(); } inline void checkEqual(size_t i, size_t j) { if(i == j) return; ostringstream buf; buf << "operation attempted on arrays of different lengths: " << i << " != " << j; vm::error(buf); } inline size_t checkArrays(const vm::array *a, const vm::array *b) { size_t asize=checkArray(a); size_t bsize=checkArray(b); checkEqual(asize,bsize); return asize; } // Copies an item to a depth d. If d == 0 then the item is just returned // without copying, otherwise, the array and its subarrays are copied to // depth d. item copyItemToDepth(item i, size_t depth); } // namespace vm #endif // ARRAY_H asymptote-2.62/settings.cc0000644000000000000000000014441613607467113014357 0ustar rootroot/***** * settings.cc * Andy Hammerlindl 2004/05/10 * * Declares a list of global variables that act as settings in the system. *****/ #include #include #include #include #include #include #include #include #include #include "common.h" #if HAVE_GNU_GETOPT_H #include #else #include "getopt.h" #endif #include "util.h" #include "settings.h" #include "interact.h" #include "locate.h" #include "lexical.h" #include "record.h" #include "env.h" #include "item.h" #include "refaccess.h" #include "pipestream.h" #include "array.h" #ifdef HAVE_LIBCURSES extern "C" { #ifdef HAVE_NCURSES_CURSES_H #include #include #elif HAVE_NCURSES_H #include #include #elif HAVE_CURSES_H #include #include #endif } #endif // Workaround broken curses.h files: #ifdef clear #undef clear #endif // Workaround broken header file on i386-solaris with g++ 3.4.3. #ifdef erase #undef erase #endif using vm::item; using trans::itemRefAccess; using trans::refAccess; using trans::varEntry; using vm::array; void runFile(const string& filename); namespace settings { using camp::pair; #ifdef HAVE_LIBGLM const bool havegl=true; #else const bool havegl=false; #endif mode_t mask; string systemDir=ASYMPTOTE_SYSDIR; string defaultEPSdriver="eps2write"; string defaultAsyGL="https://vectorgraphics.github.io/asymptote/base/webgl/asygl-"+ string(AsyGLVersion)+".js"; #ifndef __MSDOS__ bool msdos=false; string HOME="HOME"; string docdir=ASYMPTOTE_DOCDIR; const char pathSeparator=':'; #ifdef __APPLE__ string defaultPSViewer="open"; string defaultPDFViewer="open"; string defaultHTMLViewer="open"; #else string defaultPSViewer="gv"; string defaultPDFViewer="acroread"; string defaultHTMLViewer="google-chrome"; #endif string defaultGhostscript="gs"; string defaultGhostscriptLibrary=""; string defaultDisplay="display"; string defaultAnimate="animate"; void queryRegistry() {} const string dirsep="/"; #else bool msdos=true; string HOME="USERPROFILE"; string docdir="c:\\Program Files\\Asymptote"; const char pathSeparator=';'; //string defaultPSViewer="gsview32.exe"; string defaultPSViewer="cmd"; //string defaultPDFViewer="AcroRd32.exe"; string defaultPDFViewer="cmd"; string defaultHTMLViewer="cmd"; string defaultGhostscript; string defaultGhostscriptLibrary; //string defaultDisplay="imdisplay"; string defaultDisplay="cmd"; //string defaultAnimate="animate"; string defaultAnimate="cmd"; const string dirsep="\\"; #include // Use key to look up an entry in the MSWindows registry, respecting wild cards string getEntry(const string& location, const string& key) { string path="/proc/registry"+location+key; size_t star; string head; while((star=path.find("*")) < string::npos) { string prefix=path.substr(0,star); string suffix=path.substr(star+1); size_t slash=suffix.find("/"); if(slash < string::npos) { path=suffix.substr(slash); suffix=suffix.substr(0,slash); } else { path=suffix; suffix=""; } string directory=head+stripFile(prefix); string file=stripDir(prefix); DIR *dir=opendir(directory.c_str()); if(dir == NULL) return ""; dirent *p; string rsuffix=suffix; reverse(rsuffix.begin(),rsuffix.end()); while((p=readdir(dir)) != NULL) { string dname=p->d_name; string rdname=dname; reverse(rdname.begin(),rdname.end()); if(dname != "." && dname != ".." && dname.substr(0,file.size()) == file && rdname.substr(0,suffix.size()) == rsuffix) { head=directory+p->d_name; break; } } if(p == NULL) return ""; } std::ifstream fin((head+path).c_str()); if(fin) { string s; getline(fin,s); size_t end=s.find('\0'); if(end < string::npos) return s.substr(0,end); } return ""; } // Use key to look up an entry in the MSWindows registry, respecting wild cards string getEntry(const string& key) { string entry=getEntry("64/HKEY_CURRENT_USER/Software/",key); if(entry.empty()) entry=getEntry("64/HKEY_LOCAL_MACHINE/SOFTWARE/",key); if(entry.empty()) entry=getEntry("/HKEY_CURRENT_USER/Software/",key); if(entry.empty()) entry=getEntry("/HKEY_LOCAL_MACHINE/SOFTWARE/",key); return entry; } void queryRegistry() { string defaultGhostscriptLibrary=getEntry("GPL Ghostscript/*/GS_DLL"); if(defaultGhostscriptLibrary.empty()) defaultGhostscriptLibrary=getEntry("AFPL Ghostscript/*/GS_DLL"); string gslib=stripDir(defaultGhostscriptLibrary); defaultGhostscript=stripFile(defaultGhostscriptLibrary)+ ((gslib.empty() || gslib.substr(5,2) == "32") ? "gswin32c.exe" : "gswin64c.exe"); if(defaultPDFViewer != "cmd") defaultPDFViewer=getEntry("Adobe/Acrobat Reader/*/InstallPath/@")+"\\"+ defaultPDFViewer; if(defaultPSViewer != "cmd") defaultPSViewer=getEntry("Ghostgum/GSview/*")+"\\gsview\\"+defaultPSViewer; string s; s=getEntry("Microsoft/Windows/CurrentVersion/App Paths/Asymptote/Path"); if(!s.empty()) docdir=s; // An empty systemDir indicates a TeXLive build if(!systemDir.empty() && !docdir.empty()) systemDir=docdir; } #endif const char PROGRAM[]=PACKAGE_NAME; const char VERSION[]=PACKAGE_VERSION; const char BUGREPORT[]=PACKAGE_BUGREPORT; // The name of the program (as called). Used when displaying help info. char *argv0; // The verbosity setting, a global variable. Int verbose; // Conserve memory at the expense of speed. bool compact; // Colorspace conversion flags (stored in global variables for efficiency). bool gray; bool bw; bool rgb; bool cmyk; // Disable system calls. bool safe=true; // Enable writing to (or changing to) other directories bool globaloption=false; bool globalwrite() {return globaloption || !safe;} const string suffix="asy"; const string guisuffix="gui"; const string standardprefix="out"; string initdir; string historyname; // Local versions of the argument list. int argCount = 0; char **argList = 0; typedef ::option c_option; types::dummyRecord *settingsModule; types::record *getSettingsModule() { return settingsModule; } void noWarn(const string& s) { array *Warn=getSetting("suppress"); size_t size=checkArray(Warn); if(s.empty()) return; for(size_t i=0; i < size; i++) if(vm::read(Warn,i) == s) return; Warn->push(s); } void Warn(const string& s) { array *Warn=getSetting("suppress"); size_t size=checkArray(Warn); for(size_t i=0; i < size; i++) if(vm::read(Warn,i) == s) (*Warn).erase((*Warn).begin()+i,(*Warn).begin()+i+1); } bool warn(const string& s) { if(getSetting("debug")) return true; array *Warn=getSetting("suppress"); size_t size=checkArray(Warn); for(size_t i=0; i < size; i++) if(vm::read(Warn,i) == s) return false; return true; } // The dictionaries of long options and short options. struct option; typedef mem::map optionsMap_t; optionsMap_t optionsMap; typedef mem::map codeMap_t; codeMap_t codeMap; struct option : public gc { string name; char code; // Command line option, i.e. 'V' for -V. bool argument; // If it takes an argument on the command line. This is set // based on whether argname is empty. string argname; // The argument name for printing the description. string desc; // One line description of what the option does. bool cmdlineonly; // If it is only available on the command line. string Default; // A string containing an optional default value. option(string name, char code, string argname, string desc, bool cmdlineonly=false, string Default="") : name(name), code(code), argument(!argname.empty()), argname(argname), desc(desc), cmdlineonly(cmdlineonly), Default(Default) {} virtual ~option() {} // Builds this option's contribution to the optstring argument of get_opt(). virtual string optstring() { if (code) { string base; base.push_back(code); if(argument) base.push_back(':'); return base; } else return ""; } // Sets the contribution to the longopt array. virtual void longopt(c_option &o) { o.name=name.c_str(); o.has_arg=argument ? 1 : 0; o.flag=0; o.val=0; } // Add to the dictionaries of options. virtual void add() { optionsMap[name]=this; if (code) codeMap[code]=this; } // Set the option from the command-line argument. Return true if the option // was correctly parsed. virtual bool getOption() = 0; void error(string msg) { cerr << endl << argv0 << ": "; if (code) cerr << "-" << code << " "; cerr << "(-" << name << ") " << msg << endl; } // The "-f,-outformat format" part of the option. virtual string describeStart() { ostringstream ss; if (code) ss << "-" << code << ","; ss << "-" << name; if (argument) ss << " " << argname; return ss.str(); } // Outputs description of the command for the -help option. virtual void describe() { // Don't show the option if it has no desciption. if (!desc.empty()) { const unsigned WIDTH=22; string start=describeStart(); cerr << std::left << std::setw(WIDTH) << start; if (start.size() >= WIDTH) { cerr << endl; cerr << std::left << std::setw(WIDTH) << ""; } cerr << " " << desc; if(cmdlineonly) cerr << "; command-line only"; if(Default != "") cerr << " [" << Default << "]"; cerr << endl; } } virtual void reset() { } }; const string noarg; struct setting : public option { types::ty *t; private: trans::permission perm; bool added; // Flag the setting as secure, so that it can only be set on the command-line, // though it can still be read in Asymptote code. void secure() { assert(!added); perm = trans::RESTRICTED; } public: setting(string name, char code, string argname, string desc, types::ty *t, string Default) : option(name, code, argname, desc, false,Default), t(t), perm(trans::PUBLIC), added(false) {} void reset() = 0; virtual trans::access *buildAccess() = 0; // Add to the dictionaries of options and to the settings module. virtual void add() { assert(!added); option::add(); settingsModule->add(name, t, buildAccess(), perm); added=true; } friend void addSecureSetting(setting *s) { s->secure(); s->add(); } }; struct itemSetting : public setting { item defaultValue; item value; itemSetting(string name, char code, string argname, string desc, types::ty *t, item defaultValue, string Default="") : setting(name, code, argname, desc, t, Default), defaultValue(defaultValue) {reset();} void reset() { value=defaultValue; } trans::access *buildAccess() { return new itemRefAccess(&(value)); } }; item& Setting(string name) { itemSetting *s=dynamic_cast(optionsMap[name]); if(!s) { cerr << "Cannot find setting named '" << name << "'" << endl; exit(-1); } return s->value; } struct boolSetting : public itemSetting { boolSetting(string name, char code, string desc, bool defaultValue=false) : itemSetting(name, code, noarg, desc, types::primBoolean(), (item)defaultValue, defaultValue ? "true" : "false") {} bool getOption() { value=(item)true; return true; } option *negation(string name) { struct negOption : public option { boolSetting &base; negOption(boolSetting &base, string name) : option(name, 0, noarg, ""), base(base) {} bool getOption() { base.value=(item)false; return true; } }; return new negOption(*this, name); } void add() { setting::add(); negation("no"+name)->add(); if (code) { string nocode="no"; nocode.push_back(code); negation(nocode)->add(); } } // Set several related boolean options at once. Used for view and trap which // have batch and interactive settings. struct multiOption : public option { typedef mem::list setlist; setlist set; multiOption(string name, char code, string desc) : option(name, code, noarg, desc, true) {} void add(boolSetting *s) { set.push_back(s); } void setValue(bool value) { for (setlist::iterator s=set.begin(); s!=set.end(); ++s) (*s)->value=(item)value; } bool getOption() { setValue(true); return true; } option *negation(string name) { struct negOption : public option { multiOption &base; negOption(multiOption &base, string name) : option(name, 0, noarg, ""), base(base) {} bool getOption() { base.setValue(false); return true; } }; return new negOption(*this, name); } void add() { option::add(); negation("no"+name)->add(); if (code) { string nocode="no"; nocode.push_back(code); negation(nocode)->add(); } for (multiOption::setlist::iterator s=set.begin(); s!=set.end(); ++s) (*s)->add(); } }; }; typedef boolSetting::multiOption multiOption; struct argumentSetting : public itemSetting { argumentSetting(string name, char code, string argname, string desc, types::ty *t, item defaultValue) : itemSetting(name, code, argname, desc, t, defaultValue) { assert(!argname.empty()); } }; struct stringSetting : public argumentSetting { stringSetting(string name, char code, string argname, string desc, string defaultValue="") : argumentSetting(name, code, argname, desc.empty() ? "" : desc+(defaultValue.empty() ? "" : " ["+defaultValue+"]"), types::primString(), (item)defaultValue) {} bool getOption() { value=(item)(string)optarg; return true; } }; struct userSetting : public argumentSetting { userSetting(string name, char code, string argname, string desc, string defaultValue="") : argumentSetting(name, code, argname, desc, types::primString(), (item)defaultValue) {} bool getOption() { string s=vm::get(value)+string(optarg); s.push_back(';'); value=(item) s; return true; } }; struct warnSetting : public option { warnSetting(string name, char code, string argname, string desc) : option(name, code, argname, desc, true) {} bool getOption() { Warn(string(optarg)); return true; } option *negation(string name) { struct negOption : public option { warnSetting &base; negOption(warnSetting &base, string name, string argname) : option(name, 0, argname, ""), base(base) {} bool getOption() { noWarn(string(optarg)); return true; } }; return new negOption(*this, name, argname); } void add() { option::add(); negation("no"+name)->add(); if (code) { string nocode="no"; nocode.push_back(code); negation(nocode)->add(); } } }; string GetEnv(string s, string Default) { transform(s.begin(), s.end(), s.begin(), toupper); string t=Getenv(("ASYMPTOTE_"+s).c_str(),msdos); return t.empty() ? Default : t; } struct envSetting : public stringSetting { envSetting(string name, string Default) : stringSetting(name, 0, " ", "", GetEnv(name,Default)) {} }; template struct dataSetting : public argumentSetting { string text; dataSetting(const char *text, string name, char code, string argname, string desc, types::ty *type, T defaultValue) : argumentSetting(name, code, argname, desc, type, (item)defaultValue), text(text) {} bool getOption() { try { value=(item)lexical::cast(optarg); } catch (lexical::bad_cast&) { error("option requires " + text + " as an argument"); return false; } return true; } }; template string description(string desc, T defaultValue) { return desc.empty() ? "" : desc+" ["+String(defaultValue)+"]"; } struct IntSetting : public dataSetting { IntSetting(string name, char code, string argname, string desc, Int defaultValue=0) : dataSetting("an int", name, code, argname, description(desc,defaultValue), types::primInt(), defaultValue) {} }; struct realSetting : public dataSetting { realSetting(string name, char code, string argname, string desc, double defaultValue=0.0) : dataSetting("a real", name, code, argname, description(desc,defaultValue), types::primReal(), defaultValue) {} }; struct pairSetting : public dataSetting { pairSetting(string name, char code, string argname, string desc, pair defaultValue=0.0) : dataSetting("a pair", name, code, argname, description(desc,defaultValue), types::primPair(), defaultValue) {} }; // For setting the alignment of a figure on the page. struct alignSetting : public argumentSetting { alignSetting(string name, char code, string argname, string desc, string defaultValue) : argumentSetting(name, code, argname, description(desc,defaultValue), types::primString(), (item)defaultValue) {} bool getOption() { string str=optarg; if(str == "C" || str == "T" || str == "B" || str == "Z") { value=str; return true; } error("invalid argument for option"); return false; } }; struct stringArraySetting : public itemSetting { stringArraySetting(string name, array *defaultValue) : itemSetting(name, 0, "", "", types::stringArray(), (item) defaultValue) {} bool getOption() {return true;} }; struct engineSetting : public argumentSetting { engineSetting(string name, char code, string argname, string desc, string defaultValue) : argumentSetting(name, code, argname, description(desc,defaultValue), types::primString(), (item)defaultValue) {} bool getOption() { string str=optarg; if(str == "latex" || str == "pdflatex" || str == "xelatex" || str == "tex" || str == "pdftex" || str == "luatex" || str == "lualatex" || str == "context" || str == "none") { value=str; return true; } error("invalid argument for option"); return false; } }; template string stringCast(T x) { ostringstream buf; buf.precision(DBL_DIG); buf.setf(std::ios::boolalpha); buf << x; return string(buf.str()); } template struct refSetting : public setting { T *ref; T defaultValue; string text; refSetting(string name, char code, string argname, string desc, types::ty *t, T *ref, T defaultValue, const char *text="") : setting(name, code, argname, desc, t, stringCast(defaultValue)), ref(ref), defaultValue(defaultValue), text(text) { reset(); } virtual bool getOption() { try { *ref=lexical::cast(optarg); } catch (lexical::bad_cast&) { error("option requires " + text + " as an argument"); return false; } return true; } virtual void reset() { *ref=defaultValue; } trans::access *buildAccess() { return new refAccess(ref); } }; struct boolrefSetting : public refSetting { boolrefSetting(string name, char code, string desc, bool *ref, bool Default=false) : refSetting(name, code, noarg, desc, types::primBoolean(), ref, Default) {} virtual bool getOption() { *ref=true; return true; } virtual option *negation(string name) { struct negOption : public option { boolrefSetting &base; negOption(boolrefSetting &base, string name) : option(name, 0, noarg, ""), base(base) {} bool getOption() { *(base.ref)=false; return true; } }; return new negOption(*this, name); } void add() { setting::add(); negation("no"+name)->add(); if (code) { string nocode="no"; nocode.push_back(code); negation(nocode)->add(); } } }; struct compactSetting : public boolrefSetting { compactSetting(string name, char code, string desc, bool *ref, bool Default=false) : boolrefSetting(name,code,desc,ref,Default) {} bool getOption() { mem::compact(1); return boolrefSetting::getOption(); } option *negation(string name) { mem::compact(0); return boolrefSetting::negation(name); } }; struct incrementSetting : public refSetting { incrementSetting(string name, char code, string desc, Int *ref) : refSetting(name, code, noarg, desc, types::primInt(), ref, 0) {} bool getOption() { // Increment the value. ++(*ref); return true; } option *negation(string name) { struct negOption : public option { incrementSetting &base; negOption(incrementSetting &base, string name) : option(name, 0, noarg, ""), base(base) {} bool getOption() { if(*base.ref) --(*base.ref); return true; } }; return new negOption(*this, name); } void add() { setting::add(); negation("no"+name)->add(); if (code) { string nocode="no"; nocode.push_back(code); negation(nocode)->add(); } } }; struct incrementOption : public option { Int *ref; Int level; incrementOption(string name, char code, string desc, Int *ref, Int level=1) : option(name, code, noarg, desc, true), ref(ref), level(level) {} bool getOption() { // Increment the value. (*ref) += level; return true; } }; void addOption(option *o) { o->add(); } void version() { cerr << PROGRAM << " version " << REVISION << " [(C) 2004 Andy Hammerlindl, John C. Bowman, Tom Prince]" << endl; } void usage(const char *program) { version(); cerr << "\t\t\t" << "http://asymptote.sourceforge.net/" << endl << "Usage: " << program << " [options] [file ...]" << endl; } void reportSyntax() { cerr << endl; usage(argv0); cerr << endl << "Type '" << argv0 << " -h' for a description of options." << endl; exit(1); } void displayOptions() { cerr << endl; cerr << "Options (negate by replacing - with -no): " << endl << endl; for (optionsMap_t::iterator opt=optionsMap.begin(); opt!=optionsMap.end(); ++opt) opt->second->describe(); } struct helpOption : public option { helpOption(string name, char code, string desc) : option(name, code, noarg, desc, true) {} bool getOption() { usage(argv0); displayOptions(); cerr << endl; exit(0); // Unreachable code. return true; } }; struct versionOption : public option { versionOption(string name, char code, string desc) : option(name, code, noarg, desc, true) {} bool disabled; const void feature(const char *s, bool enabled) { if(enabled ^ disabled) cerr << s << endl; } void features(bool enabled) { disabled=!enabled; cerr << endl << (disabled ? "DIS" : "EN") << "ABLED OPTIONS:" << endl; bool glm=false; bool gl=false; bool gsl=false; bool fftw3=false; bool xdr=false; bool readline=false; bool sigsegv=false; bool usegc=false; #if HAVE_LIBGLM glm=true; #endif #ifdef HAVE_GL gl=true; #endif #ifdef HAVE_LIBGSL gsl=true; #endif #ifdef HAVE_LIBFFTW3 fftw3=true; #endif #ifdef HAVE_RPC_RPC_H xdr=true; #endif #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) readline=true; #endif #ifdef HAVE_LIBSIGSEGV sigsegv=true; #endif #ifdef USEGC usegc=true; #endif feature("WebGL 3D HTML rendering",glm); feature("OpenGL 3D OpenGL rendering",gl); feature("GSL GNU Scientific Library (special functions)",gsl); feature("FFTW3 Fast Fourier transforms",fftw3); feature("XDR external data representation (portable binary file format)",xdr); feature("Readline interactive history and editing",readline); feature("Sigsegv distinguish stack overflows from segmentation faults", sigsegv); feature("GC Boehm garbage collector",usegc); } bool getOption() { version(); features(1); features(0); exit(0); // Unreachable code. return true; } }; struct divisorOption : public option { divisorOption(string name, char code, string argname, string desc) : option(name, code, argname, desc) {} bool getOption() { try { #ifdef USEGC Int n=lexical::cast(optarg); if(n > 0) GC_set_free_space_divisor((GC_word) n); #endif } catch (lexical::bad_cast&) { error("option requires an int as an argument"); return false; } return true; } }; // For security reasons, these options aren't fields of the settings module. struct stringOption : public option { char **variable; stringOption(string name, char code, string argname, string desc, char **variable) : option(name, code, argname, desc, true), variable(variable) {} bool getOption() { *variable=optarg; return true; } }; string build_optstring() { string s; for (codeMap_t::iterator p=codeMap.begin(); p !=codeMap.end(); ++p) s +=p->second->optstring(); return s; } c_option *build_longopts() { size_t n=optionsMap.size(); c_option *longopts=new(UseGC) c_option[n+1]; Int i=0; for (optionsMap_t::iterator p=optionsMap.begin(); p !=optionsMap.end(); ++p, ++i) p->second->longopt(longopts[i]); longopts[n].name=NULL; longopts[n].has_arg=0; longopts[n].flag=NULL; longopts[n].val=0; return longopts; } void resetOptions() { for(optionsMap_t::iterator opt=optionsMap.begin(); opt != optionsMap.end(); ++opt) if(opt->first != "config" && opt->first != "dir" && opt->first != "sysdir") opt->second->reset(); } void getOptions(int argc, char *argv[]) { bool syntax=false; optind=0; string optstring=build_optstring(); //cerr << "optstring: " << optstring << endl; c_option *longopts=build_longopts(); int long_index = 0; errno=0; for(;;) { int c = getopt_long_only(argc,argv, optstring.c_str(), longopts, &long_index); if (c == -1) break; if (c == 0) { const char *name=longopts[long_index].name; //cerr << "long option: " << name << endl; if (!optionsMap[name]->getOption()) syntax=true; } else if (codeMap.find((char)c) != codeMap.end()) { //cerr << "char option: " << (char)c << endl; if (!codeMap[(char)c]->getOption()) syntax=true; } else { syntax=true; } errno=0; } if (syntax) reportSyntax(); } #ifdef USEGC void no_GCwarn(char *, GC_word) { } #endif array* stringArray(const char **s) { size_t count=0; while(s[count]) ++count; array *a=new array(count); for(size_t i=0; i < count; ++i) (*a)[i]=string(s[i]); return a; } void initSettings() { static bool initialize=true; if(initialize) { queryRegistry(); initialize=false; } settingsModule=new types::dummyRecord(symbol::trans("settings")); // Default mouse bindings // LEFT: rotate // SHIFT LEFT: zoom // CTRL LEFT: shift // ALT LEFT: pan const char *leftbutton[]={"rotate","zoom","shift","pan",NULL}; // MIDDLE: const char *middlebutton[]={NULL}; // RIGHT: zoom // SHIFT RIGHT: rotateX // CTRL RIGHT: rotateY // ALT RIGHT: rotateZ const char *rightbutton[]={"zoom","rotateX","rotateY","rotateZ",NULL}; // WHEEL_UP: zoomin const char *wheelup[]={"zoomin",NULL}; // WHEEL_DOWN: zoomout const char *wheeldown[]={"zoomout",NULL}; addOption(new stringArraySetting("leftbutton", stringArray(leftbutton))); addOption(new stringArraySetting("middlebutton", stringArray(middlebutton))); addOption(new stringArraySetting("rightbutton", stringArray(rightbutton))); addOption(new stringArraySetting("wheelup", stringArray(wheelup))); addOption(new stringArraySetting("wheeldown", stringArray(wheeldown))); addOption(new stringArraySetting("suppress", new array)); addOption(new warnSetting("warn", 0, "string", "Enable warning")); multiOption *view=new multiOption("View", 'V', "View output"); view->add(new boolSetting("batchView", 0, "View output in batch mode", msdos)); view->add(new boolSetting("multipleView", 0, "View output from multiple batch-mode files", false)); view->add(new boolSetting("interactiveView", 0, "View output in interactive mode", true)); addOption(view); addOption(new stringSetting("outformat", 'f', "format", "Convert each output file to specified format", "")); addOption(new boolSetting("svgemulation", 0, "Emulate unimplemented SVG shading", false)); addOption(new boolSetting("prc", 0, "Embed 3D PRC graphics in PDF output", true)); addOption(new boolSetting("toolbar", 0, "Show 3D toolbar in PDF output", true)); addOption(new boolSetting("axes3", 0, "Show 3D axes in PDF output", true)); addOption(new boolSetting("envmap", 0, "Enable environment map image-based lighting (Experimental)", false)); addOption(new realSetting("render", 0, "n", "Render 3D graphics using n pixels per bp (-1=auto)", havegl ? -1.0 : 0.0)); addOption(new IntSetting("antialias", 0, "n", "Antialiasing width for rasterized output", 2)); addOption(new IntSetting("multisample", 0, "n", "Multisampling width for screen images", 4)); addOption(new boolSetting("offscreen", 0, "Use offscreen rendering",false)); addOption(new boolSetting("twosided", 0, "Use two-sided 3D lighting model for rendering", true)); addOption(new pairSetting("position", 0, "pair", "Initial 3D rendering screen position")); addOption(new pairSetting("maxviewport", 0, "pair", "Maximum viewport size",pair(2048,2048))); addOption(new pairSetting("viewportmargin", 0, "pair", "Horizontal and vertical 3D viewport margin", pair(0.5,0.5))); addOption(new boolSetting("absolute", 0, "Use absolute WebGL dimensions", false)); addOption(new pairSetting("maxtile", 0, "pair", "Maximum rendering tile size",pair(1024,768))); addOption(new boolSetting("iconify", 0, "Iconify rendering window", false)); addOption(new boolSetting("thick", 0, "Render thick 3D lines", true)); addOption(new boolSetting("thin", 0, "Render thin 3D lines", true)); addOption(new boolSetting("autobillboard", 0, "3D labels always face viewer by default", true)); addOption(new boolSetting("threads", 0, "Use POSIX threads for 3D rendering", !msdos)); addOption(new boolSetting("fitscreen", 0, "Fit rendered image to screen", true)); addOption(new boolSetting("interactiveWrite", 0, "Write expressions entered at the prompt to stdout", true)); addOption(new helpOption("help", 'h', "Show summary of options")); addOption(new versionOption("version", 0, "Show version")); addOption(new pairSetting("offset", 'O', "pair", "PostScript offset")); addOption(new pairSetting("aligndir", 0, "pair", "Directional page alignment (overrides align)")); addOption(new alignSetting("align", 'a', "C|B|T|Z", "Center, Bottom, Top, or Zero page alignment", "C")); addOption(new boolSetting("debug", 'd', "Enable debugging messages")); addOption(new incrementSetting("verbose", 'v', "Increase verbosity level (can specify multiple times)", &verbose)); // Resolve ambiguity with --version addOption(new incrementOption("vv", 0,"", &verbose,2)); addOption(new incrementOption("novv", 0,"", &verbose,-2)); addOption(new boolSetting("keep", 'k', "Keep intermediate files")); addOption(new boolSetting("keepaux", 0, "Keep intermediate LaTeX .aux files")); addOption(new engineSetting("tex", 0, "engine", "latex|pdflatex|xelatex|lualatex|tex|pdftex|luatex|context|none", "latex")); addOption(new boolSetting("twice", 0, "Run LaTeX twice (to resolve references)")); addOption(new boolSetting("inlinetex", 0, "Generate inline TeX code")); addOption(new boolSetting("embed", 0, "Embed rendered preview image", true)); addOption(new boolSetting("auto3D", 0, "Automatically activate 3D scene", true)); addOption(new boolSetting("autoplay", 0, "Autoplay 3D animations", false)); addOption(new boolSetting("loop", 0, "Loop 3D animations", false)); addOption(new boolSetting("interrupt", 0, "", false)); addOption(new boolSetting("animating", 0, "", false)); addOption(new boolSetting("reverse", 0, "reverse 3D animations", false)); addOption(new boolSetting("inlineimage", 0, "Generate inline embedded image")); addOption(new boolSetting("parseonly", 'p', "Parse file")); addOption(new boolSetting("translate", 's', "Show translated virtual machine code")); addOption(new boolSetting("tabcompletion", 0, "Interactive prompt auto-completion", true)); addOption(new boolSetting("listvariables", 'l', "List available global functions and variables")); addOption(new boolSetting("where", 0, "Show where listed variables are declared")); multiOption *mask=new multiOption("mask", 'm', "Mask fpu exceptions"); mask->add(new boolSetting("batchMask", 0, "Mask fpu exceptions in batch mode", false)); mask->add(new boolSetting("interactiveMask", 0, "Mask fpu exceptions in interactive mode", true)); addOption(mask); addOption(new boolrefSetting("bw", 0, "Convert all colors to black and white",&bw)); addOption(new boolrefSetting("gray", 0, "Convert all colors to grayscale", &gray)); addOption(new boolrefSetting("rgb", 0, "Convert cmyk colors to rgb",&rgb)); addOption(new boolrefSetting("cmyk", 0, "Convert rgb colors to cmyk",&cmyk)); addSecureSetting(new boolrefSetting("safe", 0, "Disable system call", &safe, true)); addSecureSetting(new boolrefSetting("globalwrite", 0, "Allow write to other directory", &globaloption, false)); addSecureSetting(new stringSetting("outname", 'o', "name", "Alternative output directory/filename")); addOption(new stringOption("cd", 0, "directory", "Set current directory", &startpath)); #ifdef USEGC addOption(new compactSetting("compact", 0, "Conserve memory at the expense of speed", &compact)); addOption(new divisorOption("divisor", 0, "n", "Garbage collect using purge(divisor=n) [2]")); #endif addOption(new stringSetting("prompt", 0,"string","Prompt","> ")); addOption(new stringSetting("prompt2", 0,"string", "Continuation prompt for multiline input ", "..")); addOption(new boolSetting("multiline", 0, "Input code over multiple lines at the prompt")); addOption(new boolSetting("xasy", 0, "Special interactive mode for xasy")); addOption(new boolSetting("wait", 0, "Wait for child processes to finish before exiting")); addOption(new IntSetting("inpipe", 0, "n","",-1)); addOption(new IntSetting("outpipe", 0, "n","",-1)); addOption(new boolSetting("exitonEOF", 0, "Exit interactive mode on EOF", true)); addOption(new boolSetting("quiet", 'q', "Suppress welcome text and noninteractive stdout")); addOption(new boolSetting("localhistory", 0, "Use a local interactive history file")); addOption(new IntSetting("historylines", 0, "n", "Retain n lines of history",1000)); addOption(new IntSetting("scroll", 0, "n", "Scroll standard output n lines at a time",0)); addOption(new IntSetting("level", 0, "n", "Postscript level",3)); addOption(new boolSetting("autoplain", 0, "Enable automatic importing of plain", true)); addOption(new boolSetting("autorotate", 0, "Enable automatic PDF page rotation", false)); addOption(new boolSetting("offline", 0, "Produce offline html files",false)); addOption(new boolSetting("pdfreload", 0, "Automatically reload document in pdfviewer", false)); addOption(new IntSetting("pdfreloaddelay", 0, "usec", "Delay before attempting initial pdf reload" ,750000)); addOption(new stringSetting("autoimport", 0, "string", "Module to automatically import")); addOption(new userSetting("command", 'c', "string", "Command to autoexecute")); addOption(new userSetting("user", 'u', "string", "General purpose user string")); addOption(new realSetting("zoomfactor", 0, "factor", "Zoom step factor", 1.05)); addOption(new realSetting("zoomPinchFactor", 0, "n", "WebGL zoom pinch sensitivity", 10)); addOption(new realSetting("zoomPinchCap", 0, "limit", "WebGL maximum zoom pinch", 100)); addOption(new realSetting("zoomstep", 0, "step", "Mouse motion zoom step", 0.1)); addOption(new realSetting("shiftHoldDistance", 0, "n", "WebGL touch screen distance limit for shift mode", 20)); addOption(new realSetting("shiftWaitTime", 0, "ms", "WebGL touch screen shift mode delay", 200)); addOption(new realSetting("vibrateTime", 0, "ms", "WebGL shift mode vibrate duration", 25)); addOption(new realSetting("spinstep", 0, "deg/s", "Spin speed", 60.0)); addOption(new realSetting("framerate", 0, "frames/s", "Animation speed", 30.0)); addOption(new realSetting("framedelay", 0, "ms", "Additional frame delay", 0.0)); addOption(new realSetting("resizestep", 0, "step", "Resize step", 1.2)); addOption(new IntSetting("digits", 0, "n", "Default output file precision", 6)); addOption(new realSetting("paperwidth", 0, "bp", "")); addOption(new realSetting("paperheight", 0, "bp", "")); addOption(new stringSetting("dvipsOptions", 0, "string", "")); addOption(new stringSetting("dvisvgmOptions", 0, "string", "")); addOption(new stringSetting("convertOptions", 0, "string", "")); addOption(new stringSetting("gsOptions", 0, "string", "")); addOption(new stringSetting("htmlviewerOptions", 0, "string", "")); addOption(new stringSetting("psviewerOptions", 0, "string", "")); addOption(new stringSetting("pdfviewerOptions", 0, "string", "")); addOption(new stringSetting("pdfreloadOptions", 0, "string", "")); addOption(new stringSetting("glOptions", 0, "string", "")); addOption(new stringSetting("hyperrefOptions", 0, "str", "","setpagesize=false,unicode,pdfborder=0 0 0")); addOption(new envSetting("config","config."+suffix)); addOption(new envSetting("htmlviewer", defaultHTMLViewer)); addOption(new envSetting("pdfviewer", defaultPDFViewer)); addOption(new envSetting("psviewer", defaultPSViewer)); addOption(new envSetting("gs", defaultGhostscript)); addOption(new envSetting("libgs", defaultGhostscriptLibrary)); addOption(new envSetting("epsdriver", defaultEPSdriver)); addOption(new envSetting("asygl", defaultAsyGL)); addOption(new envSetting("texpath", "")); addOption(new envSetting("texcommand", "")); addOption(new envSetting("dvips", "dvips")); addOption(new envSetting("dvisvgm", "dvisvgm")); addOption(new envSetting("convert", "convert")); addOption(new envSetting("display", defaultDisplay)); addOption(new envSetting("animate", defaultAnimate)); addOption(new envSetting("papertype", "letter")); addOption(new envSetting("dir", "")); addOption(new envSetting("sysdir", systemDir)); addOption(new envSetting("textcommand","groff")); addOption(new envSetting("textcommandOptions","-e -P -b16")); addOption(new envSetting("textextension", "roff")); addOption(new envSetting("textoutformat", "ps")); addOption(new envSetting("textprologue", ".EQ\ndelim $$\n.EN")); addOption(new envSetting("textinitialfont", ".fam T\n.ps 12")); addOption(new envSetting("textepilogue", ".bp")); } // Access the arguments once options have been parsed. int numArgs() { return argCount; } char *getArg(int n) { return argList[n]; } void setInteractive() { if(numArgs() == 0 && !getSetting("listvariables") && getSetting("command").empty() && (isatty(STDIN_FILENO) || getSetting("xasy"))) interact::interactive=true; if(getSetting("localhistory")) historyname=string(getPath())+dirsep+"."+suffix+"_history"; else { if(mkdir(initdir.c_str(),0777) != 0 && errno != EEXIST) cerr << "failed to create directory "+initdir+"." << endl; historyname=initdir+"/history"; } if(verbose > 1) cerr << "Using history " << historyname << endl; } bool view() { if (interact::interactive) return getSetting("interactiveView"); else return getSetting("batchView") && (numArgs() == 1 || getSetting("multipleView")); } bool trap() { if (interact::interactive) return !getSetting("interactiveMask"); else return !getSetting("batchMask"); } string outname() { string name=getSetting("outname"); if(name.empty() && interact::interactive) return standardprefix; if(msdos) backslashToSlash(name); return name; } string lookup(const string& symbol) { string s; mem::vector cmd; string kpsewhich="kpsewhich"; string fullname=stripFile(argv0)+kpsewhich; std::ifstream exists(fullname.c_str()); if(!exists) fullname=kpsewhich; cmd.push_back(fullname); cmd.push_back("--var-value="+symbol); iopipestream pipe(cmd); pipe >> s; size_t n=s.find('\r'); if(n != string::npos) s.erase(n,1); n=s.find('\n'); if(n != string::npos) s.erase(n,1); return s; } void initDir() { if(getSetting("sysdir").empty()) { string s=lookup("TEXMFMAIN"); if(s.size() > 1) { string texmf=s+dirsep; docdir=texmf+"doc"+dirsep+"asymptote"; Setting("sysdir")=texmf+"asymptote"; s=lookup("ASYMPTOTE_HOME"); if(s.size() > 1) initdir=s; } } if(initdir.empty()) initdir=Getenv("ASYMPTOTE_HOME",msdos); if(initdir.empty()) initdir=Getenv(HOME.c_str(),msdos)+dirsep+"."+suffix; #ifdef __MSDOS__ mask=umask(0); if(mask == 0) mask=0027; umask(mask); #endif if(access(initdir.c_str(),F_OK) == 0) { if(verbose > 1) cerr << "Using configuration directory " << initdir << endl; } } void setPath() { searchPath.clear(); searchPath.push_back("."); string asydir=getSetting("dir"); if(asydir != "") { size_t p,i=0; while((p=asydir.find(pathSeparator,i)) < string::npos) { if(p > i) searchPath.push_back(asydir.substr(i,p-i)); i=p+1; } if(i < asydir.length()) searchPath.push_back(asydir.substr(i)); } if(access(initdir.c_str(),F_OK) == 0) searchPath.push_back(initdir); string sysdir=getSetting("sysdir"); if(sysdir != "") searchPath.push_back(sysdir); } void SetPageDimensions() { string paperType=getSetting("papertype"); if(paperType.empty() && getSetting("paperwidth") != 0.0 && getSetting("paperheight") != 0.0) return; if(paperType == "letter") { Setting("paperwidth")=8.5*inches; Setting("paperheight")=11.0*inches; } else { Setting("paperwidth")=21.0*cm; Setting("paperheight")=29.7*cm; if(paperType != "a4") { cerr << "Unknown paper size \'" << paperType << "\'; assuming a4." << endl; Setting("papertype")=string("a4"); } } } bool xe(const string& texengine) { return texengine == "xelatex"; } bool lua(const string& texengine) { return texengine == "luatex" || texengine == "lualatex"; } bool context(const string& texengine) { return texengine == "context"; } bool pdf(const string& texengine) { return texengine == "pdflatex" || texengine == "pdftex" || xe(texengine) || lua(texengine) || context(texengine); } bool latex(const string& texengine) { return texengine == "latex" || texengine == "pdflatex" || texengine == "xelatex" || texengine == "lualatex"; } string nativeformat() { return pdf(getSetting("tex")) ? "pdf" : "eps"; } string defaultformat() { string format=getSetting("outformat"); return (format.empty()) ? nativeformat() : format; } // TeX special command to set up currentmatrix for typesetting labels. const char *beginlabel(const string& texengine) { if(pdf(texengine)) return xe(texengine) ? "\\special{pdf:literal q #5 0 0 cm}" : "\\special{pdf:q #5 0 0 cm}"; else return "\\special{ps:gsave currentpoint currentpoint translate [#5 0 0] " "concat neg exch neg exch translate}"; } // TeX special command to restore currentmatrix after typesetting labels. const char *endlabel(const string& texengine) { if(pdf(texengine)) return xe(texengine) ? "\\special{pdf:literal Q}" : "\\special{pdf:Q}"; else return "\\special{ps:currentpoint grestore moveto}"; } // TeX macro to typeset raw postscript code const char *rawpostscript(const string& texengine) { if(pdf(texengine)) return "\\def\\ASYraw#1{#1}"; else return "\\def\\ASYraw#1{\n" "currentpoint currentpoint translate matrix currentmatrix\n" "100 12 div -100 12 div scale\n" "#1\n" "setmatrix neg exch neg exch translate}"; } // TeX macro to begin picture const char *beginpicture(const string& texengine) { if(latex(texengine)) return "\\begin{picture}"; if(context(texengine)) return ""; else return "\\picture"; } // TeX macro to end picture const char *endpicture(const string& texengine) { if(latex(texengine)) return "\\end{picture}%"; else if(context(texengine)) return "%"; else return "\\endpicture%"; } // Begin TeX special command. const char *beginspecial(const string& texengine) { if(pdf(texengine)) return xe(texengine) ? "\\special{pdf:literal " : "\\special{pdf:"; else return "\\special{ps:"; } // End TeX special command. const char *endspecial() { return "}%"; } string texcommand() { string command=getSetting("texcommand"); return command.empty() ? getSetting("tex") : command; } string texprogram() { string path=getSetting("texpath"); string engine=texcommand(); return path.empty() ? engine : (string) (path+"/"+engine); } Int getScroll() { Int scroll=settings::getSetting("scroll"); if(scroll < 0) { #ifdef HAVE_LIBCURSES static char *terminal=NULL; if(!terminal) terminal=getenv("TERM"); if(terminal) { #ifndef __MSDOS__ int error=setupterm(terminal,1,&error); if(error == 0) scroll=lines > 2 ? lines-1 : 1; else #endif scroll=0; } else scroll=0; #else scroll=0; #endif } return scroll; } void doConfig(string file) { bool autoplain=getSetting("autoplain"); bool listvariables=getSetting("listvariables"); if(autoplain) Setting("autoplain")=false; // Turn off for speed. if(listvariables) Setting("listvariables")=false; runFile(file); if(autoplain) Setting("autoplain")=true; if(listvariables) Setting("listvariables")=true; } void setOptions(int argc, char *argv[]) { argv0=argv[0]; cout.precision(DBL_DIG); // Build settings module. initSettings(); // Read command-line options initially to obtain config, dir, sysdir, verbose. getOptions(argc,argv); // Make configuration and history directory initDir(); Int Verbose=verbose; string sysdir=getSetting("sysdir"); resetOptions(); // Read user configuration file. setPath(); string filename=getSetting("config"); if(!filename.empty()) { string file=locateFile(filename); if(!file.empty()) { if(Verbose > 1) cerr << "Loading " << filename << " from " << file << endl; doConfig(file); } } // Read command-line options again to override configuration file defaults. getOptions(argc,argv); if(getSetting("outpipe") == 2) // Redirect cerr to cout std::cerr.rdbuf(std::cout.rdbuf()); Setting("sysdir")=sysdir; if(docdir.empty()) docdir=getSetting("dir"); #ifdef USEGC if(verbose == 0 && !getSetting("debug")) GC_set_warn_proc(no_GCwarn); #endif if(setlocale (LC_ALL, "") == NULL && getSetting("debug")) perror("setlocale"); // Set variables for the file arguments. argCount = argc - optind; argList = argv + optind; // Recompute search path. setPath(); if(getSetting("paperwidth") != 0.0 && getSetting("paperheight") != 0.0) Setting("papertype")=string(""); SetPageDimensions(); setInteractive(); } } asymptote-2.62/coder.cc0000644000000000000000000001720013607467113013601 0ustar rootroot/***** * coder.cc * Andy Hammerlindl 2004/11/06 * * Handles encoding of syntax into programs. It's methods are called by * abstract syntax objects during translation to construct the virtual machine * code. *****/ #include #include "errormsg.h" #include "coder.h" #include "genv.h" #include "entry.h" #include "builtin.h" using namespace sym; using namespace types; namespace trans { namespace { function *inittype(); function *bootuptype(); } vm::lambda *newLambda(string name) { assert(!name.empty()); vm::lambda *l = new vm::lambda; #ifdef DEBUG_FRAME l->name = name; #endif return l; } // Used purely for global variables and static code blocks of file // level modules. coder::coder(position pos, string name, modifier sord) #if SIMPLE_FRAME : level(frame::indirect_frame(name)), #else : level(new frame(name, 0, 0)), #endif recordLevel(0), recordType(0), isCodelet(false), l(newLambda(name)), funtype(bootuptype()), parent(0), sord(sord), perm(DEFAULT_PERM), program(new vm::program), curPos(pos) { sord_stack.push(sord); } // Defines a new function environment. coder::coder(position pos, string name, function *t, coder *parent, modifier sord, bool reframe) : level(reframe ? new frame(name, parent->getFrame(), t->sig.getNumFormals()) : parent->getFrame()), recordLevel(parent->recordLevel), recordType(parent->recordType), isCodelet(!reframe), l(newLambda(name)), funtype(t), parent(parent), sord(sord), perm(DEFAULT_PERM), program(new vm::program), curPos(pos) { sord_stack.push(sord); } // Start encoding the body of the record. The function being encoded // is the record's initializer. coder::coder(position pos, record *t, coder *parent, modifier sord) : level(t->getLevel()), recordLevel(t->getLevel()), recordType(t), isCodelet(false), l(t->getInit()), funtype(inittype()), parent(parent), sord(sord), perm(DEFAULT_PERM), program(new vm::program), curPos(pos) { sord_stack.push(sord); } coder coder::newFunction(position pos, string name, function *t, modifier sord) { return coder(pos, name, t, this, sord); } coder coder::newCodelet(position pos) { return coder(pos, "", new function(primVoid()), this, DEFAULT_DYNAMIC, false); } record *coder::newRecord(symbol id) { frame *underlevel = getFrame(); frame *level = new frame(id, underlevel, 0); record *r = new record(id, level); return r; } coder coder::newRecordInit(position pos, record *r, modifier sord) { return coder(pos, r, this, sord); } #ifdef DEBUG_BLTIN void assertBltinLookup(inst::opcode op, item it) { if (op == inst::builtin) { string name=lookupBltin(vm::get(it)); assert(!name.empty()); } } #endif void coder::encodePop() { if (isStatic() && !isTopLevel()) { assert(parent); parent->encodePop(); } else { #ifdef COMBO vm::program::label end = program->end(); --end; inst& lastInst = *end; if (lastInst.op == inst::varsave) { lastInst.op = inst::varpop; return; } if (lastInst.op == inst::fieldsave) { lastInst.op = inst::fieldpop; return; } // TODO: push+pop into no op. #endif // No combo applicable. Just encode a usual pop. encode(inst::pop); } } bool coder::encode(frame *f) { frame *toplevel = getFrame(); if (f == 0) { encode(inst::constpush,(item)0); return true; } else if (f == toplevel) { encode(inst::pushclosure); return true; } else { encode(inst::varpush,toplevel->parentIndex()); return encode(f, toplevel->getParent()); } } bool coder::encode(frame *dest, frame *top) { if (dest == 0) { // Change to encodePop? encode(inst::pop); encode(inst::constpush,(item)0); } else { frame *level = top; while (level != dest) { if (level == 0) { // Frame request was in an improper scope. return false; } encode(inst::fieldpush, level->parentIndex()); level = level->getParent(); } } //cerr << "succeeded\n"; return true; } vm::program::label coder::encodeEmptyJump(inst::opcode op) { // Get the end position before encoding the label. Once encoded, this will // point to the instruction. vm::program::label pos = program->end(); encode(op); return pos; } void replaceEmptyJump(vm::program::label from, vm::program::label to) { from->ref = to; } label coder::defNewLabel() { if (isStatic()) return parent->defNewLabel(); label l = new label_t(); assert(!l->location.defined()); assert(!l->firstUse.defined()); return defLabel(l); } label coder::defLabel(label label) { if (isStatic()) return parent->defLabel(label); //cout << "defining label " << label << endl; assert(!label->location.defined()); //vm::program::label here = program->end(); label->location = program->end(); assert(label->location.defined()); if (label->firstUse.defined()) { replaceEmptyJump(label->firstUse, program->end()); //vm::printInst(cout, label->firstUse, program->begin()); //cout << endl; if (label->moreUses) { typedef label_t::useVector useVector; useVector& v = *label->moreUses; for (useVector::iterator p = v.begin(); p != v.end(); ++p) { replaceEmptyJump(*p, program->end()); } } } return label; } void coder::useLabel(inst::opcode op, label label) { if (isStatic()) return parent->useLabel(op,label); if (label->location.defined()) { encode(op, label->location); } else { if (label->firstUse.defined()) { // Store additional uses in the moreUses array. if (!label->moreUses) label->moreUses = new label_t::useVector; label->moreUses->push_back(encodeEmptyJump(op)); } else { label->firstUse = encodeEmptyJump(op); assert(label->firstUse.defined()); assert(!label->location.defined()); } } } label coder::fwdLabel() { if (isStatic()) return parent->fwdLabel(); // Create a new label without specifying its position. label l = new label_t(); assert(!l->location.defined()); assert(!l->firstUse.defined()); //cout << "forward label " << l << endl; return l; } bool coder::usesClosureSinceLabel(label l) { assert(l->location.defined()); for (vm::program::label i = l->location; i != program->end(); ++i) if (i->op == inst::pushclosure) return true; return false; } void coder::encodePatch(label from, label to) { assert(from->location.defined()); assert(to->location.defined()); assert(from->location->op == inst::nop); from->location->op = inst::jmp; from->location->ref = to->location; } void coder::markPos(position pos) { curPos = pos; } // When translating the function is finished, this ties up loose ends // and returns the lambda. vm::lambda *coder::close() { // These steps must be done dynamically, not statically. sord = EXPLICIT_DYNAMIC; sord_stack.push(sord); // Add a return for void types; may be redundant. if (funtype->result->kind == types::ty_void) encode(inst::ret); l->code = program; l->parentIndex = level->parentIndex(); l->framesize = level->size(); sord_stack.pop(); sord = sord_stack.top(); return l; } void coder::closeRecord() { // Put record into finished state. encode(inst::pushclosure); close(); } bool coder::isRecord() { return (funtype==inittype()); } namespace { function *inittype() { static function t(types::primVoid()); return &t; } function *bootuptype() { static function t(types::primVoid()); return &t; } } // private } // namespace trans asymptote-2.62/newexp.h0000644000000000000000000000237613607467113013665 0ustar rootroot/***** * newexp.h * Andy Hammerlindl 2003/07/28 * * Handles the abstract syntax for expressions the create new objects, * such as record, array, and function constructors. *****/ #ifndef NEWEXP_H #define NEWEXP_H #include "exp.h" #include "dec.h" #include "fundec.h" #include "entry.h" namespace absyntax { typedef fundef newFunctionExp; class newRecordExp : public exp { ty *result; static bool encodeLevel(position pos, coenv &e, trans::tyEntry *ent); public: newRecordExp(position pos, ty *result) : exp(pos), result(result) {} void prettyprint(ostream &out, Int indent); static types::ty *transFromTyEntry(position pos, coenv &e, trans::tyEntry *ent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; class newArrayExp : public exp { ty *celltype; explist *dimexps; dimensions *dims; arrayinit *ai; public: newArrayExp(position pos, ty *celltype, explist *dimexps, dimensions *dims, arrayinit *ai) : exp(pos), celltype(celltype), dimexps(dimexps), dims(dims), ai(ai) {} void prettyprint(ostream &out, Int indent); types::ty *trans(coenv &e); types::ty *getType(coenv &e); }; } // namespace absyntax #endif asymptote-2.62/envcompleter.h0000644000000000000000000000151513607467113015054 0ustar rootroot/***** * envcompleter.h * Andy Hammerlindl 2006/07/31 * * Implements a text completion function for readline based on symbols in the * environment. *****/ #ifndef ENVCOMPLETER_H #define ENVCOMPLETER_H #include "env.h" #include "interact.h" namespace trans { class envCompleter : public interact::completer { public: typedef protoenv::symbol_list symbol_list; private: protoenv &e; symbol_list l; symbol_list::iterator index; // These are completions that don't come from the environment, such as // keywords. They are read from the keywords file. static void basicCompletions(symbol_list &l, string start); void makeList(const char *text); public: envCompleter(protoenv &e) : e(e), l(), index(l.end()) {} char *operator () (const char *text, int state); }; } // namespace trans #endif // ENVCOMPLETER_H asymptote-2.62/ChangeLog0000644000000000000000000522105013607467113013755 0ustar rootrootcommit fe3aaeb627833abb5a7685781d75bc8b4d0c967e Author: John Bowman Date: Tue Jan 14 14:14:11 2020 -0700 Replace object with iframe in WebGL usage comment. commit ecc6df99d5d549399deea418a85b575f4382fc96 Author: John Bowman Date: Sun Jan 12 22:23:08 2020 -0700 Update asygl. commit 339ae281829782c08d0770457f3cb178660b50eb Author: John Bowman Date: Sun Jan 12 22:13:49 2020 -0700 Disable zooming of embedded WebGL images until activated with a click or touch event, using ESC to cancel activation. commit 83f6f46dd747a7f5ffb70724c96e4df8c7baf422 Author: John Bowman Date: Sun Jan 12 18:14:58 2020 -0700 Fix various HTML warnings. commit 63e57e22672ef485fafbe6cb207e03a4d4d30e66 Author: John Bowman Date: Sun Jan 12 16:48:53 2020 -0700 Use relative paths in asymptote.pdf images. commit 79296236068897d39e112d12eaf98ecaaaebecbc Merge: b3b0d915 2898b83f Author: John Bowman Date: Sun Jan 12 16:42:21 2020 -0700 Merge pull request #126 from ivankokan/master WIP: Hyperbola by foci passing through a point commit b3b0d915aca4f6ceb3e398904e06882d06c8bc1b Author: Lemures Lemniscati Date: Mon Jan 13 08:03:07 2020 +0900 Eliminate one more magic offset -37.01pt (related to #123). (#132) commit cbce9f0777e6c14da2e2aebd02a4a4503ebb0f7b Author: John Bowman Date: Sun Jan 12 14:51:29 2020 -0700 Add end-of-line comments. commit da4cf743b5803ccc09227d543358ef561268c242 Author: John Bowman Date: Sun Jan 12 14:41:27 2020 -0700 Remove import of obsolete grffile package. commit c96a7612a3c3d6c2fec92c0232af721abdf9578d Author: John Bowman Date: Sat Jan 11 22:56:23 2020 -0700 Update asygl. commit 1c0db1574a4b4c45f762e500e2d6b5e8b9c0e17c Author: John Bowman Date: Sat Jan 11 22:54:10 2020 -0700 Avoid WebGL polling. commit 4fe02ea82ec6054f89bd901404d9eba533c8d392 Author: John Bowman Date: Sat Jan 11 14:49:06 2020 -0700 Update asygl. commit 12b212ec97a5ef9fa84157723481ac165cfcaaf1 Author: John Bowman Date: Sat Jan 11 14:48:27 2020 -0700 Store webgl context in top rather than parent window. commit 648fa0336acc70b753bdf61a30588b6aa859a949 Author: John Bowman Date: Fri Jan 10 23:13:37 2020 -0700 Update asygl. commit b206e1bea6bf4b59c480fd0f3f705db4301578a3 Author: John Bowman Date: Fri Jan 10 23:10:25 2020 -0700 Populate canvas style with design width and height. commit 685b9eae1f418757d78d53d3e3408acbb64d14e8 Author: John Bowman Date: Wed Jan 8 19:54:08 2020 -0700 Fix typo in documentation. commit b35aa3a56960f9eb6bbecab2e4b325ee02d3b160 Merge: 374823eb 8cfac4d9 Author: John Bowman Date: Sun Jan 5 09:49:20 2020 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote. commit 374823ebedec9a0019e32a20110980650d28a39e Author: John Bowman Date: Sun Jan 5 09:49:03 2020 -0700 Fix documentation of surface tube. commit 8cfac4d98c45505e59794c24e03c9192010616cd Author: Lemures Lemniscati Date: Mon Dec 9 14:48:45 2019 +0900 Fix issue #123 (#131) * Revert "Workaround lualatex bug #123." This reverts commit 41fbc67260971ebd5ab817ac902944d96462f543. Not a lualatex bug, but a wrong assumption in asymptote that \parindent were always 17.61pt. * Fix offset settings where texengine is latex and pdf #123. commit ff4b7ed15b7e5a04f2e5d669a5cdde839dc43e97 Author: John Bowman Date: Sun Dec 8 22:34:52 2019 -0700 Add diagnostic to rationalSimplex. commit 5a15f56a587a9b725c0ad6531598260788ca4677 Author: John Bowman Date: Sat Nov 30 13:32:29 2019 -0700 Fix Bland's rule in iterateDual. commit 51b71e20deb597100963be8ae720124091c9cb99 Author: John Bowman Date: Wed Nov 27 09:31:19 2019 -0700 Remove superfluous semi-colons. commit d4b3051e0a1afc421723539272bba61df1a8b69f Author: John Bowman Date: Tue Nov 26 07:57:25 2019 -0700 Suppress redundant shipout in example. commit 9ea04c5be89ed5d805a21fc0f613cfa04e778b11 Author: John Bowman Date: Tue Nov 26 07:55:43 2019 -0700 Remove non-ASCII characters from geometry.asy. commit 80bc74cbc63f3d98bd15535d451a04cdca41e811 Author: John Bowman Date: Mon Nov 25 19:01:36 2019 -0700 Prevent asy from hanging on texpreamble errors. commit ddf49a3ed614644573673fcf44afa5c1c35279cb Author: John Bowman Date: Mon Nov 25 16:27:08 2019 -0700 Avoid duplicate intersections: don't increase intersection fuzz with depth. commit 14c455c0dd519bc55e3f51bbe6d2e7288b8e48f9 Author: John Bowman Date: Mon Nov 25 11:55:30 2019 -0700 Fix typo in documentation. commit 2898b83f6e50ed08557e130154e087523d97beff Author: ivankokan Date: Mon Nov 25 18:12:53 2019 +0100 Angles considering special cases commit b5455dd04d4a8b71973e03fa973832b5893b689c Author: ivankokan Date: Mon Nov 25 17:16:13 2019 +0100 Remove unnecessary code commit a0aee9784264c7f22de6ac01648de2293de5aec2 Author: ivankokan Date: Mon Nov 25 16:50:11 2019 +0100 Reorder/align some statements commit 41fbc67260971ebd5ab817ac902944d96462f543 Author: John Bowman Date: Sun Nov 24 11:41:56 2019 -0700 Workaround lualatex bug #123. commit ec3c7f09772ebc78880f7a08740e7009e57d20b8 Author: John Bowman Date: Sat Nov 23 00:26:50 2019 -0700 Fix diagnostic. commit 7fbf7c5b0635c6dacaa856901f1c349b95a6c966 Author: John Bowman Date: Sat Nov 23 00:15:20 2019 -0700 Fix example. commit 0f3c966c8b3f905e64c70e005c81679a61289314 Author: ivankokan Date: Fri Nov 22 14:53:19 2019 +0100 hyperbola by foci passing through a point commit 1f6ccfc849a2f920007b270a7cc3c2d4e3a93203 Merge: b050a1b4 1fca842e Author: Ivan Kokan Date: Fri Nov 22 14:15:24 2019 +0100 Merge pull request #1 from vectorgraphics/master Sync commit 1fca842ea05a0a26afd7df011e2cf6e1d6f70994 Author: John Bowman Date: Sun Nov 17 23:43:12 2019 -0700 Update example. commit 9160692eeafe63b7a73aad62917aec6aa4acd26f Author: John Bowman Date: Sun Nov 17 23:30:30 2019 -0700 Increment version to 2.62. commit 908e69dbbd1912344cea79f08c1eb0e67e5519f9 Author: John Bowman Date: Sun Nov 17 22:26:50 2019 -0700 Fix material attribute. commit e00580292beee7b293288d78f53ba9779dad885e Author: John Bowman Date: Sun Nov 17 11:15:50 2019 -0700 Fix issues on Intel GPU under MSWindows. commit ebe76a4b0b55f94c2e8ee2d239fa34fa7b18703e Author: John Bowman Date: Tue Nov 12 09:58:53 2019 -0700 Set materials before offscreen optimization. commit 114081b38510dd52e08a0fc9508e40f873f8d218 Author: John Bowman Date: Sat Nov 9 09:36:41 2019 -0700 Move piicon.png to examples directory. commit a4fba693380c4d18a978926f17aac6af95ac4a2d Author: John Bowman Date: Sat Nov 9 09:19:43 2019 -0700 Install piicon.png instead of piicon.eps. commit 83e20a685902f7b99cb614d1816f48c01c23be90 Author: John Bowman Date: Sat Nov 9 00:25:04 2019 -0700 Use bindAttribLocation instead of getAttribLocation in OpenGL. commit 0c8bf045706326bbafd94c0225d8714f30c97a93 Author: John Bowman Date: Sat Nov 9 00:07:11 2019 -0700 Update asygl. commit 726b3718b56c067fbe12e1b9d934ad09500b195c Author: John Bowman Date: Sat Nov 9 00:05:46 2019 -0700 Bind color attribute. commit 478292990693ea59cce9028f220be0234b4a591b Author: John Bowman Date: Fri Nov 8 23:27:07 2019 -0700 Fix Bland's rule in rationalSimplex and simplex. commit 399ca406efab1136e8e12f976ffb7ffd7ecf7def Author: John Bowman Date: Thu Nov 7 03:15:27 2019 -0700 Update asygl. commit eb146915adde3fc70adab78182c52f23e318df22 Author: John Bowman Date: Thu Nov 7 03:13:03 2019 -0700 Use bindAttribLocation instead of getAttribLocation in WebGL. commit fb2868c7cdb3a93681ab0af8c293867a1efcdbc9 Author: John Bowman Date: Thu Nov 7 01:44:11 2019 -0700 Work around WebGL singleton array optimization bug on Intel GPU. commit 8ad8fb290dada087b068d518e7dc5fe78d39570f Author: John Bowman Date: Wed Nov 6 00:03:32 2019 -0700 Increment version to 2.61. commit 87dc3554015dccce0cf446e27a703043a9c68460 Author: John Bowman Date: Tue Nov 5 17:11:42 2019 -0700 Revert "Remove obsolete MSDOS Intel GPU workaround." This reverts commit e47b19bb47079c8def40e5f4b5eb7946fec6a0c2. commit 08804433e46c83fc4c38ca7db92f21b9cf70fa90 Author: John Bowman Date: Tue Nov 5 11:25:39 2019 -0700 Convert POSIX filename to MSDOS filename. commit 2d54552ca95cce7eef5d2a46bd19136e76bbaa45 Author: John Bowman Date: Tue Nov 5 00:15:02 2019 -0700 Fix commit 24c7bcbc8b6e2e08938ab1fd088e922a0806251f. commit 6bdf7fc2c23fa27d67c42482d37860d41f377d92 Author: John Bowman Date: Mon Nov 4 23:22:22 2019 -0700 Allow an object to be positioned finely with the arrow keys while holding down the mouse button. Fix origin and center order. Fix anchor names. commit 4a0a2aa6e100fefc4961af95f71a018a18e07ce9 Author: John Bowman Date: Mon Nov 4 23:08:54 2019 -0700 Update asymptote.sty to use grffile. commit a11ea822167aee40c23601c4d9e2391ac2571859 Author: John Bowman Date: Mon Nov 4 21:10:30 2019 -0700 Fix commit 41cc1fa54e638954177314a0add6b2d3a043257f. commit 41cc1fa54e638954177314a0add6b2d3a043257f Author: John Bowman Date: Mon Nov 4 00:21:22 2019 -0700 Use grffile to fix issues with included file names. commit 4dc96555e0f56e387d4f64d26865d1cfdcefc0fd Author: John Bowman Date: Sun Nov 3 00:09:12 2019 -0600 Fix bug #117: Wrong silhouette generated of a cylinder. commit 309c5aa4210a9d06b12b15a5bc3d2c21467827f2 Author: John Bowman Date: Sat Nov 2 20:10:10 2019 -0600 Revert "Reinstate comment about using glOptions=-indirect for old graphics card drivers." This reverts commit 1b752422335ba3991f3e2ad0cf145e141336ccb5. commit 6a13f8a10e9fe420f153670b59b25f235cb0407c Author: John Bowman Date: Sat Nov 2 15:05:22 2019 -0600 Fix returned x array in rationalSimplex; port optimizations to simplex. commit 1b752422335ba3991f3e2ad0cf145e141336ccb5 Author: John Bowman Date: Sat Nov 2 10:55:38 2019 -0600 Reinstate comment about using glOptions=-indirect for old graphics card drivers. commit 24c7bcbc8b6e2e08938ab1fd088e922a0806251f Author: John Bowman Date: Sat Nov 2 00:18:23 2019 -0600 Make locatefile return fully qualified file name; use this for viewing WebGL files. commit c7370db9723c5c5ea2d7d699184ab571d994a9c4 Author: John Bowman Date: Thu Oct 31 03:11:33 2019 -0600 Fix xasy resize. commit dea5702365e018d9972aabec6b0ca1010cb0f586 Author: John Bowman Date: Thu Oct 31 02:31:44 2019 -0600 Port xasy to high-resolution screens. commit 7bf1cf2c8bd9726adb1c3e4fc063413261a4335d Author: John Bowman Date: Thu Oct 31 02:27:46 2019 -0600 Implement pad function that pads a picture to a precise size in both directions. commit cbb8cd4e40fbaec31e12e14d9328d77bcdf6c557 Author: John Bowman Date: Tue Oct 29 21:18:36 2019 -0600 Support SVG output of embedded PNG, JPEG, and external vector PDF images using dvisvgm 2.8. commit b4dab27669302117b1b7c04857b08eb8b13c2406 Author: John Bowman Date: Tue Oct 29 09:02:39 2019 -0600 Fix xasy handling of Ctrl-c. commit 5557453a5f8449b7f93919edcfcc988b7cd345dc Author: John Bowman Date: Mon Oct 28 16:30:01 2019 -0600 Fix basic indices in rationalSimplex. commit 874192f5ae7e9f83f87a9172c8fd1a44f70e1231 Author: John Bowman Date: Mon Oct 28 13:35:50 2019 -0600 Simplify code. commit e40690d60d02de390e8fc62828f3051e4e2fdf9d Author: John Bowman Date: Mon Oct 28 13:32:20 2019 -0600 Fix infeasible test in simplex.asy. commit e3a121b5d592616bbbd0ea6dcb72220a062fddde Author: John Bowman Date: Mon Oct 28 13:05:01 2019 -0600 Move basic variables in rationalSimplex to column 0. commit 343f68ac12b52ae5aa33860c7ba7103f817b594c Author: John Bowman Date: Mon Oct 28 03:26:45 2019 -0600 Check for redundant basis vectors in phase1 of rationalSimplex. commit 1812df7829f5f7fcda6cdca25acedd9b97b3145d Author: John Bowman Date: Sat Oct 26 22:31:13 2019 -0600 Standardize write(rational[]) suffixes. commit 4ace4c826aab8ef389a8db8da4ede379d6d3db45 Author: John Bowman Date: Sat Oct 26 22:25:20 2019 -0600 Fix write(rational) default suffixes. commit 215baa5db338ccc96d57b37c384bbe052576f79b Author: John Bowman Date: Sat Oct 26 22:24:42 2019 -0600 Fix iterateDual(real[][],int,int[]). commit 9efff08def182ff337b0181abe0007d70f171fbf Author: John Bowman Date: Fri Oct 25 20:55:54 2019 -0600 Avoid use of test -o. commit 4abe6fcff760363c0f852b1d79a9a206518477a5 Author: John Bowman Date: Fri Oct 25 19:19:55 2019 -0600 Use htmlviewer to display svg files. commit c120b2ee98ce8983ded8d0119dff3beb6bfab9f3 Author: John Bowman Date: Thu Oct 24 17:19:23 2019 -0600 Fix Makefile.in. commit 06fc2f7bac97523daadf79debb6f33b979a7d4be Author: John Bowman Date: Thu Oct 24 17:09:35 2019 -0600 Simplify Makefile.in. commit 6fe8d14817071258f36c6ac61b772a81b482296b Author: John Bowman Date: Thu Oct 24 17:09:02 2019 -0600 Update asygl. commit 743f5bc77fe6796140f613e8754ed6e1022574a2 Author: John Bowman Date: Thu Oct 24 17:07:34 2019 -0600 Fix transparent background. commit 6ac68161f924e83fd2178c30cbdfd3fd05d63900 Author: John Bowman Date: Wed Oct 23 21:09:57 2019 -0600 Fix revision.cc. commit 7ae1f80cf7fb4cb5abbcc23eef8fa4e591a413fc Author: John Bowman Date: Sat Oct 19 23:42:45 2019 -0600 Increment version to 2.60. commit e47b19bb47079c8def40e5f4b5eb7946fec6a0c2 Author: John Bowman Date: Sat Oct 19 22:36:58 2019 -0600 Remove obsolete MSDOS Intel GPU workaround. commit 64ad659eed5015f568fbfc08a4bf65ee66e429a8 Author: John Bowman Date: Sat Oct 19 20:29:42 2019 -0600 Port to MacOSX. commit 1abf16a851f36541dad9fe29f4ea03701dfd426b Author: John Bowman Date: Sat Oct 19 18:10:47 2019 -0600 Fix warning message. commit e3103ae3464da73a0af4e9e193139b68a4758333 Author: John Bowman Date: Sat Oct 19 17:04:00 2019 -0600 Update asygl. commit c05b1d7fab525a7d7f1a153a0af157fa16f99721 Author: John Bowman Date: Sat Oct 19 16:17:31 2019 -0600 Remove unused code. commit 1af6f8a4adda6fd175b72265fe1a3ddd6d0e95db Author: John Bowman Date: Sat Oct 19 16:12:01 2019 -0600 Fix transparency bug introduced in a05450337791d59966d12fedecb19e73bebc2415. commit f634dfe0a8ddedbc1d575cbbe92dcab1f44c3666 Author: John Bowman Date: Sat Oct 19 15:16:22 2019 -0600 Remove maxvertices setting, which is no longer required; fix materialTable resizing. commit 24feb014dd4bc563d52c8fa6b14c3e097ec3d03a Merge: ea84254a 8d8031f7 Author: John Bowman Date: Sat Oct 19 12:53:50 2019 -0600 Merge branch 'prune'. commit 8d8031f70536399553293b76b5893f10c3e0354d Author: John Bowman Date: Sat Oct 19 12:27:32 2019 -0600 Don't reserve space for vertexBuffer data. commit eed0d85771f12724655450b2a07bcc3a2de3c8e6 Author: John Bowman Date: Sat Oct 19 02:47:25 2019 -0600 Port WebGl material changes to OpenGL. commit ea84254a34b02cbfb70fb4c312beb1fb57720f68 Author: John Bowman Date: Sat Oct 19 02:05:16 2019 -0600 Make glm happy again. commit 3f7ebd06a25b02aae4491b063744205414fcbcdd Author: John Bowman Date: Sat Oct 19 01:13:50 2019 -0600 Fix nontransparent material index for WebGL indexed triangles. commit 6f74aa05e584c31361db32218d55fb7a99fcf40b Author: John Bowman Date: Fri Oct 18 15:55:28 2019 -0600 Update asygl. commit 8a741d665941592d420eb212005ad0d9b6700a67 Author: John Bowman Date: Fri Oct 18 15:52:51 2019 -0600 Pass only required material uniforms to each shader; simplify code. commit a1ea5e709290fe4055cc81f2673ac4310f4f500f Author: John Bowman Date: Fri Oct 18 02:15:11 2019 -0600 Update asygl. commit c67276f0c8149efb848cf2f6584d861b0659ae55 Author: John Bowman Date: Fri Oct 18 02:13:55 2019 -0600 If needed, use separate material array for transparent elements. commit 984de25753a7d7c337036fa7b4a1f6525422b2e4 Author: John Bowman Date: Fri Oct 18 01:40:30 2019 -0600 Reindex materials only when needed. commit d80ab0d128061ce19651a0bb52923cb07ae81b5f Author: John Bowman Date: Fri Oct 18 01:28:08 2019 -0600 Fix revision 82f7f09542dbe478f173efe64b52e24091ab7144. commit 595397655afd3e6603ead89b57fc923f45bfb44c Author: John Bowman Date: Fri Oct 18 00:34:53 2019 -0600 Revert "Reduce number of materials in elevation.asy." This reverts commit 38a4badac82efbb0632ade0ee2ebaf486b8153dc. commit 82f7f09542dbe478f173efe64b52e24091ab7144 Author: John Bowman Date: Fri Oct 18 00:32:54 2019 -0600 Respect maximum number of uniforms. commit 256a4a88b5d9e5680c15bebbd7594d67bba858a4 Author: John Bowman Date: Thu Oct 17 00:59:43 2019 -0600 Compress WebGL Material parameters into a single vec4. commit bb9232f14a9f672b65cfd9a709b1345580dd3f6a Author: John Bowman Date: Wed Oct 16 22:32:28 2019 -0600 Illustrate Arrow3(position). commit ca863003b8dd6f18cb94feaeaf64eab639d88671 Author: John Bowman Date: Wed Oct 16 22:04:17 2019 -0600 Fix splitpath settings of arrowhead3. commit 292b048048a42b75fe686c98bf550efafea730c0 Author: John Bowman Date: Wed Oct 16 10:50:23 2019 -0600 Upload asygl.js; make minor updates to documentation and formatting. commit 192a328e5b899cc12ad813faf39b096ca3505606 Author: John Bowman Date: Tue Oct 15 23:58:59 2019 -0600 Fix materialAttrib check in OpenGL. commit 1b357c7161606554d394c3dd05d0971edda82993 Author: John Bowman Date: Tue Oct 15 23:56:25 2019 -0600 Update asygl. commit 1a07e8e4f74732c5a7302706df5ec658b30e62cf Author: John Bowman Date: Tue Oct 15 23:43:54 2019 -0600 Fix attributeMaterialIndex check; simplify code. commit 3903d300105d0822208588e144b4f1ad4b822dd8 Author: John Bowman Date: Tue Oct 15 11:55:41 2019 -0600 Revert "Update asygl." This reverts commit 1e14e51305ae550ac4afeb1b259365cf69070783. commit 1e14e51305ae550ac4afeb1b259365cf69070783 Author: John Bowman Date: Tue Oct 15 11:34:56 2019 -0600 Update asygl. commit 22139a4951f8b568354cac72e61f613782799c68 Author: John Bowman Date: Tue Oct 15 11:32:19 2019 -0600 Fix shader sharing; use separate buffers for each canvas. commit 63eabdd7d504be58b4400d999c800c5fc4a444ae Author: John Bowman Date: Tue Oct 15 03:46:41 2019 -0600 Revert "Update asygl." This reverts commit fc5e4423912f59b77a80a656869ded97a47edf60. commit fc5e4423912f59b77a80a656869ded97a47edf60 Author: John Bowman Date: Tue Oct 15 03:39:37 2019 -0600 Update asygl. commit 88a383380d6f340524d0b58f8ce0b32ebe3ca383 Author: John Bowman Date: Tue Oct 15 03:28:18 2019 -0600 Move shaders to asygl library; share shaders and buffers among embedded images. Check for unused WebGL attributes. commit c6db33e7e18c45b52daaed33e10b10e08dabd371 Author: John Bowman Date: Tue Oct 15 02:01:19 2019 -0600 Optimize OpenGL renderer. commit ce57dbdb9a105320888ac9230b10665185febc7e Author: John Bowman Date: Tue Oct 15 00:53:37 2019 -0600 Check for unused GLSL attributes; restrict glFlush workaround to MSDOS. Remove unnecessary code. commit 229f9ca69f9a59e4f393e7f92db027f9bc570325 Author: John Bowman Date: Mon Oct 14 12:15:43 2019 -0600 Update documentation. commit 38a4badac82efbb0632ade0ee2ebaf486b8153dc Author: John Bowman Date: Mon Oct 14 12:01:43 2019 -0600 Reduce number of materials in elevation.asy. commit e0e8e60a15b158c831f5ea1e300ad86486a35481 Author: John Bowman Date: Mon Oct 14 09:00:58 2019 -0600 Simplify example. commit 089e57508c96518c48b9bb3f21cb922710675f37 Author: John Bowman Date: Sun Oct 13 21:52:55 2019 -0600 Update asygl. commit 2642e40cc6b1623ea3998a1274540913d9bae824 Author: John Bowman Date: Sun Oct 13 21:52:28 2019 -0600 Apply WebGL scissors. commit c0a589e08d0078b26443effef18a68da8c53879e Author: John Bowman Date: Sun Oct 13 21:32:43 2019 -0600 Update asygl. commit 4498544f5f53dd9ea21f96485a30cb5d3b6a4656 Author: John Bowman Date: Sun Oct 13 21:30:20 2019 -0600 Fix offscreen viewport. commit 1af5c5ef00aceebb565710e1899f382826db9f8e Author: John Bowman Date: Sun Oct 13 17:25:57 2019 -0600 Update asygl. commit 324d09b31ac582d2b1cd0b9f905b7ac0089ae5dc Author: John Bowman Date: Sun Oct 13 17:20:45 2019 -0600 Organize asygl variables. commit 2508e0574a5fef5074bf5f6a0037d5190d47b0d7 Author: John Bowman Date: Sun Oct 13 15:15:43 2019 -0600 Use a single WebGL rendering context for embedded images. commit 9cc2fdaee9d2efcca12b587f0902b7a89daea0f9 Author: John Bowman Date: Sun Oct 13 15:15:11 2019 -0600 Update asygl. commit 14c00ed4351d108338a24af8dc8c35e3099a987c Author: John Bowman Date: Sat Oct 12 11:15:02 2019 -0600 Port miscellaneous Python support files and example to Python3. commit f80e63cfe85b233560ab9627731ef3fc16701067 Author: John Bowman Date: Fri Oct 11 03:12:52 2019 -0600 Increment version to 2.59. commit bc7fe4b5126184c965fff4d0daaf592b89ef8d01 Author: John Bowman Date: Fri Oct 11 00:27:09 2019 -0600 Initialize all vertices in triangle arrays, even if they are offscreen. commit 7725cbf46e24261f44fbd80e79565c2d69c00a89 Author: John Bowman Date: Thu Oct 10 10:57:17 2019 -0600 Add outdir() convenience function; make asy() respect outdir(); update documentation and example of external EPS vector graphics. commit e6bbc5094209b432b7ed656c1d5ae1bd8b2103e1 Author: John Bowman Date: Thu Oct 10 09:53:42 2019 -0600 Remove unnecessary code. commit 496a76daee4c2177e6ae95425cc86c2d53f9f453 Author: John Bowman Date: Thu Oct 10 09:39:33 2019 -0600 Revert "Make locatefile return fully qualified path." This reverts commit 9817571be16cc925c549a375b186fdc065a42da6. commit f6881300a037ee9706fd6ff49e3ec4bebaf5d52d Author: John Bowman Date: Thu Oct 10 09:00:51 2019 -0600 Switch order of GLEW library when linking. commit 1c671ec2a8bc186686ccdbc0f4eade2086fb6ce0 Author: John Bowman Date: Thu Oct 10 02:19:02 2019 -0600 Fix bug #90: force graphics() to pass fully qualified file name to xasy; due to current limitations of dvisvgm (2.7.4), this only works with vector EPS files (embedded images, PDF, PNG, and JPG formats are not supported). commit 9817571be16cc925c549a375b186fdc065a42da6 Author: John Bowman Date: Thu Oct 10 02:10:37 2019 -0600 Make locatefile return fully qualified path. commit 436af6420b9ac380acc457ad433f1f119187f5f1 Author: John Bowman Date: Thu Oct 10 00:42:08 2019 -0600 Fix numerical precision issue in geometry.asy. commit d59145980eb39a9d06faebdc7a0b40991a1903c9 Author: John Bowman Date: Wed Oct 9 16:13:48 2019 -0600 Distinguish between msdos and cygwin builds. commit d63f1d90e26cfc27d496daee95858ed03b78692a Author: John Bowman Date: Wed Oct 9 09:30:48 2019 -0600 Change intersection points back to currentcoordsys in geometry.asy. commit f3387ed7d069683918356bfdc3bc70098ad75f44 Author: John Bowman Date: Wed Oct 9 00:19:21 2019 -0600 Handle execError gracefully, without killing parent or current process. commit cd22997a274d034d065b9fcf7afd3ff9bddcb22c Author: John Bowman Date: Tue Oct 8 23:11:26 2019 -0600 Resolve ambiguous function signatures in geometry.asy using ecasts to special cases. commit 2e202e2b5eb4265a73bedae080220d89a21d8a97 Author: John Bowman Date: Tue Oct 8 20:46:24 2019 -0600 Support building asymptote.so again. commit 705dc2e1b9f3ba2004a5bc44641bf30daedb502a Author: John Bowman Date: Tue Oct 8 18:12:30 2019 -0600 Make --version option list both enabled and disabled features. commit c62e05ff995b1b3e128668254918cc61c0173f15 Author: John Bowman Date: Tue Oct 8 18:10:51 2019 -0600 Reluctantly change default xasy editor for UNIX to vi. commit a4c4e374e1d51f2eda6c99d95da522ef4ef3986b Author: John Bowman Date: Tue Oct 8 17:04:22 2019 -0600 Consistently use specified xasy editor. commit 31dd51e17946061ebcbe63abdca4fdcf916eb7f5 Author: John Bowman Date: Tue Oct 8 10:44:43 2019 -0600 Fix configuration issues. commit e547942219cdd1ac6b4dc55785e9148cb1eb9a67 Author: John Bowman Date: Tue Oct 8 10:05:07 2019 -0600 Explicitly link with GLX library if present. commit 8536a52466854b17060c40d80b6cf97805349ec4 Author: John Bowman Date: Tue Oct 8 01:15:36 2019 -0600 Increment version to 2.58. commit 45b49582cbcd3188c713b0fce1eda8ca1a459441 Author: John Bowman Date: Tue Oct 8 00:55:18 2019 -0600 Improve feature description. commit 051f1a6386034b5631f9fa64fc293e92e65667e9 Author: John Bowman Date: Tue Oct 8 00:22:52 2019 -0600 Remove unused variables. commit 2a237885ddc65eb8db7fc9a8d2fa51c17a5b25a1 Author: John Bowman Date: Tue Oct 8 00:17:47 2019 -0600 Fix numerical degeneracy in points[] intersectionpoints(bqe bqe1, bqe bqe2) of geometry module. commit b9d73d9aca44db0196e74e3d52895396cf8d7288 Author: John Bowman Date: Tue Oct 8 00:10:35 2019 -0600 Make --version option display compiled-in features. commit 8544d4972958ff35132da346e4ca5a5422eb77ca Author: John Bowman Date: Mon Oct 7 17:48:46 2019 -0600 Update examples. commit 28d26ed92f31224381dfcab4adf54e3b915320b9 Author: John Bowman Date: Mon Oct 7 16:20:59 2019 -0600 Fix animations. commit b4bbb947303dca29e6ac3f45ebd4a34d0d97282e Author: John Bowman Date: Mon Oct 7 15:48:22 2019 -0600 Fix warning message. commit b0b0f33ca9dbdb63cde838c863ee173534ea3295 Author: John Bowman Date: Mon Oct 7 14:28:36 2019 -0700 Workaround broken XDR headers under MacOS X. commit 9d890eca34a9413f2f9f145546d7430acf2e8d7d Author: John Bowman Date: Mon Oct 7 03:28:07 2019 -0600 Update asygl. commit cf3745d5699be73b72f1cac2b355e689dd9c1bb1 Author: John Bowman Date: Mon Oct 7 03:21:43 2019 -0600 Remesh on home. commit 49c6cc075c1f587577c6a6fa1aad130adf5b4666 Author: John Bowman Date: Mon Oct 7 03:11:22 2019 -0600 Fix viewportshift. commit 12739aee501fdb72956b6bc0ceec97dfd2db35d7 Author: John Bowman Date: Mon Oct 7 00:00:26 2019 -0600 Add missing conditional. commit 383bd8479e344c7dd7181808507122a31663a149 Author: John Bowman Date: Sun Oct 6 23:39:39 2019 -0600 Set ASYGLVERSION in configure.ac; install asygl.js. commit 4e60948a42e1a2e8504b3a76b300bc8f00b02d2e Author: John Bowman Date: Sun Oct 6 21:21:00 2019 -0600 Remove version number from offline asygl library; include pruned gl-matrix source file and license in release. commit 56c9b2ec67ed1e0c20d933f2f6414abdaa81412a Author: John Bowman Date: Sun Oct 6 20:26:57 2019 -0600 Update asygl. commit c55b40e0cba6deb6a431affd1fcc6de9968707ec Author: John Bowman Date: Sun Oct 6 20:24:41 2019 -0600 Use unminified pruned gl-matrix source to build asygl (to satisfy Debian rules). commit 353ed86880e1e6e75d6548708b0533bf4ad30655 Author: John Bowman Date: Sun Oct 6 02:22:54 2019 -0600 Update documentation. commit 8307d5ad2f3d37998e87c231b30009b23e47278b Author: John Bowman Date: Sat Oct 5 21:00:00 2019 -0600 Update asygl. commit dbbfca33d40d31bab922e92f92a6f8e80edb319b Author: John Bowman Date: Sat Oct 5 20:58:51 2019 -0600 Implement viewportshift in webgl. commit 562d634042a295db93d5eaa4651df35350b13f7a Author: John Bowman Date: Sat Oct 5 20:23:53 2019 -0600 Update examples. commit e4da7cbd7ef81b2ce81f84b7240602494096fce0 Author: John Bowman Date: Sat Oct 5 16:28:06 2019 -0600 Remove run-time conditional from fragment shader; move initshader caller. commit 88887ac90cd05e56905dbc6f06e81b0d73b992d4 Author: John Bowman Date: Sat Oct 5 14:42:15 2019 -0600 Output svg rather than html for 2D pictures. commit 3e7af8b130b37a606d0941ad30a4824313dfb196 Author: John Bowman Date: Sat Oct 5 14:41:34 2019 -0600 Cap border. commit bd00509cefeb85989ad059f3a8b6993a1ea3be85 Author: John Bowman Date: Sat Oct 5 14:41:19 2019 -0600 Remove unwanted MSDOS terminators. commit 58bbf1171a5479b8f73d504d15ab4566d4578e91 Author: John Bowman Date: Sat Oct 5 14:40:23 2019 -0600 Simplify code. commit bb7a20bfe034c0ffa2e1a64af3535491d9f4c526 Author: John Bowman Date: Sat Oct 5 14:39:14 2019 -0600 Fix light=nolight in WebGL. commit deddebe4b300db59dabf56c5d8ae736ca7007db6 Author: John Bowman Date: Sat Oct 5 14:36:10 2019 -0600 Update asygl. commit f3136218f7a1bcc7c5e2e8da99e423d11d0ae5bf Author: John Bowman Date: Sat Oct 5 14:33:26 2019 -0600 Handle currentlight=nolight in WebGL. commit 12778d70f1d862dfa815f244cd01cccc84039f71 Author: John Bowman Date: Thu Oct 3 11:39:09 2019 -0600 Increment version to 2.57. commit be2e06c3b0c223338cb8b88906ff84db67690e71 Author: John Bowman Date: Thu Oct 3 10:41:51 2019 -0600 Remove suffix argument from build-script. commit b2558d9e829450fee2baa7c5017c505e99c1a53a Author: John Bowman Date: Thu Oct 3 09:49:13 2019 -0600 Update required dvisgm version in documentation. commit 09715350e4873b76339f06de179fb45868037553 Author: John Bowman Date: Wed Oct 2 15:51:20 2019 -0600 Update documentation and example. commit 7614a954e5f4f81ff8dd004475afb2486c5a4fd4 Author: John Bowman Date: Wed Oct 2 00:49:42 2019 -0600 Document physically based rendering and transparent background option for WebGL. commit 499ae43068ae3cb8c31e3e4a94dd0b10a9bae77a Author: John Bowman Date: Wed Oct 2 00:01:03 2019 -0600 Remove unused code. commit c8238140ab01cbe3c960fb55b36d17ba01c98d82 Author: John Bowman Date: Tue Oct 1 22:58:29 2019 -0600 Fix array bounds. commit 6a3d04c27ac85cb862bbe4d9ae7968941da9785b Author: John Bowman Date: Tue Oct 1 21:56:04 2019 -0600 Disable scrolling within viewport. commit 76aebefd6557f5590e61dfbe32b5391176e2e935 Author: John Bowman Date: Tue Oct 1 21:55:25 2019 -0600 Update asygl. commit 0b49c13bfd465d55bdd96baf9ac273ffe98fe10b Author: John Bowman Date: Tue Oct 1 14:46:58 2019 -0600 Update asygl. commit 437223b1a10947e0496a7cf810796d3081cfb2f9 Author: John Bowman Date: Tue Oct 1 14:38:09 2019 -0600 Allow transparent background in webgl. commit f35a22b836d0c4b2fa3f4182ff852c8aeb3cb44d Author: John Bowman Date: Tue Oct 1 09:54:28 2019 -0600 Implement background color in webgl. commit c3b7f41f9be0dcbca35296aa8ff172a99c63c2f8 Author: John Bowman Date: Tue Oct 1 09:54:05 2019 -0600 Update asygl. commit 451be75316e09552b424bf11612db9a0404bbd9f Author: John Bowman Date: Mon Sep 30 23:54:36 2019 -0600 Fix handling of missing glm library. commit 17694a76cfac4212110f5d9ae271e66222f7d2d4 Author: John Bowman Date: Sun Sep 29 16:21:30 2019 -0600 Increment version to 2.56. commit a8198d8ff1c6742469d0b913adaa6645628fc005 Author: John Bowman Date: Sun Sep 29 15:53:20 2019 -0600 Fix MSDOS portability issue. commit 48f83b023681d7d4bbe7364dab146cb5128c520f Author: John Bowman Date: Sun Sep 29 14:58:32 2019 -0600 Fix compilation without OpenGL. commit 74c3182f0b704858a6557da909d7722129aa7042 Author: John Bowman Date: Sun Sep 29 14:41:41 2019 -0600 Fix test for tr1/unordered_map. commit bd1c855c82d1bd19a1b88724d2511a3fa5d6ae34 Author: John Bowman Date: Sun Sep 29 13:51:56 2019 -0600 Tighten up test for std::tr1::unordered_map on legacy systems. commit f6cd098b98fb8c1be1ac1795cc515a734cd8f20b Author: John Bowman Date: Sun Sep 29 12:41:25 2019 -0600 Fix viewMat initialization. commit b13df4e01c8a015f8937e86adf788e6683fccd08 Author: John Bowman Date: Sun Sep 29 04:37:49 2019 -0600 Increment version to 2.55. commit 1c26011ea8a7fdfba9725ae52ac308970bf2df24 Author: John Bowman Date: Sun Sep 29 03:04:36 2019 -0600 Silence Apple's OpenGL deprecation warning. commit bd6cef0ac6a2e4bce49c92a8ecc792473286b7d9 Author: John Bowman Date: Sun Sep 29 03:02:07 2019 -0600 Silence Apple's OpenGL deprecation warning. commit 908bfa8c1114af3098367b8a87866f3a08951d02 Author: John Bowman Date: Sun Sep 29 02:41:34 2019 -0600 If lighting is enabled, ignore specified vertex colors for PRC. To override this backwards incompatibility and recover the previous behaviour, manually disable lighting when drawing a surface s: draw(s,prc() ? nolight : currentlight); commit 5beec3197c5692b45dfe487d55a1d6eaddeb0a6f Author: John Bowman Date: Sun Sep 29 01:22:14 2019 -0600 Ignore null surfaces; restore example. commit 7e2cf9efabb7506649c401ece5f80c4178177b73 Author: John Bowman Date: Sat Sep 28 23:09:43 2019 -0600 Port to MSDOS. commit bcf31e3f3e9ed3fb876312f793d89543f2e70d17 Author: John Bowman Date: Sat Sep 28 02:42:53 2019 -0600 Install webgl files; clean up GUI files on uninstall. commit 1b6150e70bc601c65af304d12f286cc64363557f Author: John Bowman Date: Sat Sep 28 01:54:30 2019 -0600 Document WebGL interface. commit 8c94986e48dcb1d4ec88ff7c0c87f4ac4d5757d3 Author: John Bowman Date: Sat Sep 28 00:13:44 2019 -0600 Use aspect ratio for fitting; adjust arcball radius to account for viewportmargin; make interaction constants asy settings. commit 5c5ce0424f990db9fa8da644bab334b4b74cbe0c Author: John Bowman Date: Sat Sep 28 00:13:16 2019 -0600 Update asygl. commit 3d1242fc2f31aac1d4e5e297feb403b8e1ca1a51 Author: John Bowman Date: Fri Sep 27 18:12:02 2019 -0600 Define absolute in gl.js. commit 77deba7f33213ae0cba2c34b0d26878d0baf28ce Author: John Bowman Date: Fri Sep 27 18:10:49 2019 -0600 Update asygl. commit 9c4690bf1114f9d0526c72619826176c74ad82da Author: John Bowman Date: Fri Sep 27 17:47:01 2019 -0600 Reduce size of asygl by including only required subset of gl-matrix. commit 1208b33104c5b5b7a2a6fc3f3ad9165dfea92909 Author: John Bowman Date: Fri Sep 27 17:43:13 2019 -0600 Update asygl. commit 77206a8af882bd1f7388df810c9c9c30e6b56f06 Author: John Bowman Date: Fri Sep 27 13:04:09 2019 -0600 Expand webgl viewport to fit window; remove webglscale; rename devicepixel to absolute; add WindowTrim. commit 0ca3d60f01986f0ea89ccfd328bf361f29d73680 Author: John Bowman Date: Fri Sep 27 13:02:49 2019 -0600 Update asygl. commit 34977d2b4808156d276bcbb976ed9c9ec5a8b97b Author: John Bowman Date: Fri Sep 27 02:55:05 2019 -0600 Add webglscale and devicepixels options; implement shrink/expand viewport keys. commit 1ddada67255f9e61349bb5d7f2ce667108bba9db Author: John Bowman Date: Fri Sep 27 02:54:17 2019 -0600 Update asygl. commit 9b0f5a6ae6cd37d337ae2637d1c71d289f239c15 Author: John Bowman Date: Thu Sep 26 03:32:37 2019 -0600 Avoid dvipdf dependency for building documentation. commit ff4b38c9e101ece6d2c6ba21e93bc1f7d8c15364 Author: John Bowman Date: Thu Sep 26 03:10:01 2019 -0600 Support --disable-gl again; ignore settings.render for WebGL output; account for devicePixelRatio; increase default viewportmargin to 0.5. commit ff25ef4b12699218459b62273c775b421f8f0fe9 Author: John Bowman Date: Thu Sep 26 03:06:38 2019 -0600 Update asygl. commit 19528ced5dec8cdb502fcb63ffa6ae0b457b2f04 Author: John Bowman Date: Wed Sep 25 22:52:43 2019 -0600 Replace arcball with simpler version backported from webgl; fix RotateX and Y. commit b1f630df463467db272330d9136915681bf1e30c Author: John Bowman Date: Wed Sep 25 21:06:36 2019 -0600 Fix segmentation fault. commit b232cc52137473a9db16f56c2d275c96b9d7f748 Author: John Bowman Date: Wed Sep 25 19:22:57 2019 -0600 Change rotation matrix back to 4x4. commit 848376cb50be96143325607f05e0d7a081f0867c Author: John Bowman Date: Wed Sep 25 11:45:33 2019 -0600 Move webgl files to base directory. commit 0224793b9a347e5d2ca7985e76783bdee2bb598b Author: John Bowman Date: Wed Sep 25 11:15:59 2019 -0600 Fix vector length in normMouse; improve build-asygl. commit 8388736d5dffa20d4a10886de99a08a3e18dc6b5 Author: John Bowman Date: Wed Sep 25 03:32:59 2019 -0600 Add offline WebGL option. commit 37425ee28f676e2da11d9be7052b0dab28ea4c36 Author: John Bowman Date: Wed Sep 25 03:03:22 2019 -0600 Combine javascript libaries for faster loading; remove obsolete files; add asygl environment variable to specify asygl library. commit 9e815e6e659fa873ae5b665566ae3691c8caa57f Author: John Bowman Date: Wed Sep 25 02:59:36 2019 -0600 Add LGPL license; avoid multiple matrix creations; simplify arcball. commit 0f30a12889852d3d9dc83437ed0e19d048128230 Author: John Bowman Date: Tue Sep 24 14:48:39 2019 -0600 Simplify webgl output of indexed triangles. commit 994c14bb4ac4c6bc00b986b5297c267cdb98bb92 Author: John Bowman Date: Tue Sep 24 10:43:25 2019 -0600 By default, use vertex indices for normal and color indices of indexed triangles. commit f5c79f97e5dc64a3183e1e6fd0a8f2a7417c1f7b Author: John Bowman Date: Tue Sep 24 01:06:04 2019 -0600 Include html comments. commit ca37df6f334784f278ac0edf708670c2bdcf49b9 Author: John Bowman Date: Tue Sep 24 00:12:45 2019 -0600 Add viewportmargin setting. commit e2aca7045e65c11e4a1250f99eb9002803ebcdf9 Author: John Bowman Date: Mon Sep 23 23:20:01 2019 -0600 Add missing offscreen checks. commit 6defe942af805b4ff7659f56ea43784a5193ef7b Author: John Bowman Date: Mon Sep 23 23:03:31 2019 -0600 Simplify code. commit 6fe7fc69fe8e49eed45b6acaa59bc2b1dee7ddc2 Author: John Bowman Date: Mon Sep 23 22:48:09 2019 -0600 Add offscreen detection to indexed triangles. commit a8bc5263f72d87ca005d3d97f2a13037770b56ee Author: John Bowman Date: Mon Sep 23 21:54:04 2019 -0600 Simplify code. commit 25b87d0dedc04180e36678963f59d6d0ed075cd2 Author: John Bowman Date: Mon Sep 23 21:37:21 2019 -0600 Fix tiling. commit 1c442690870ffe6499012f799b97a41f6f6a8efc Author: John Bowman Date: Mon Sep 23 21:23:17 2019 -0600 Implement webgl indexed triangles. commit a05450337791d59966d12fedecb19e73bebc2415 Author: John Bowman Date: Mon Sep 23 03:11:35 2019 -0600 Implement faster WebGL and OpenGL rendering, with improved offscreen detection. commit 07ee50be15e9968de2e1a6f70c00392785bb5028 Merge: 4dcd549b 5e911430 Author: John Bowman Date: Mon Sep 23 01:27:26 2019 -0600 Merge branch 'master' into webgl. commit 5e91143045a807b6c6ba60a125b4220dad6a65bd Author: John Bowman Date: Mon Sep 23 01:11:37 2019 -0600 Fix default value of file word() and documentation. commit 4dcd549b91ff8afe8855ddc20e6756b1e9c9d42e Author: John Bowman Date: Fri Sep 20 23:01:28 2019 -0600 Simplify code. commit fe2cab3b8086e3de638efc1008f69325f6bac8de Author: John Bowman Date: Fri Sep 20 22:57:39 2019 -0600 Minor optimization. commit 6c30c8662563b66a724a1a0dddae20e60bd497ad Author: John Bowman Date: Fri Sep 20 08:11:05 2019 -0600 Don't test for pow and sqrt which are sometimes implemented in hardware. commit 150d007d0a0c9e5fc40fd85f660a0377aab67b1f Author: John Bowman Date: Thu Sep 19 10:19:21 2019 -0600 Simplify code. commit 902fc9bf7e01b270492a2f51260646b3fdef06f1 Author: John Bowman Date: Thu Sep 19 09:32:18 2019 -0600 Optimize bbox2; rename norender to remesh and add missing return value. commit 077d8fd4e631da44cc93fb4a8c94f55841989dac Author: John Bowman Date: Thu Sep 19 02:49:28 2019 -0600 Fix offscreen detection; discard rendered data once it goes offscreen. commit 49e21b13812931778e1385d82412373723b3b1bf Author: John Bowman Date: Tue Sep 17 23:39:07 2019 -0600 Shrink nonbillboard material buffer by 7%. commit 9177fba6a47e79f9e2c21c5f1f76c483e55a4d02 Author: John Bowman Date: Mon Sep 16 16:46:26 2019 -0600 Conditionally view html file. commit a2bb8be9c68dc825477dd03db772b9a0abbeae02 Author: John Bowman Date: Mon Sep 16 16:18:43 2019 -0600 Optimize bounding box computation. commit a0f04aa0c2971e89161e6c459829edb0aefdca7d Author: John Bowman Date: Mon Sep 16 13:52:35 2019 -0600 Improve OpenGL straight optimization for curves. commit 25a04e41dc579c5a2ef66110500aea587abd09b6 Author: John Bowman Date: Mon Sep 16 13:21:21 2019 -0600 Fix order of PRC and webgl quad colors. commit 73b8974d343dc370ec459acf0bc2718165313b71 Author: John Bowman Date: Mon Sep 16 00:03:39 2019 -0600 Optimize offscreen in bezierpatch.h; remove unused code. commit b9866ef6ab0faa0c713cab7b03fe276257cb5217 Author: John Bowman Date: Sun Sep 15 22:24:41 2019 -0600 Add interface to html viewer. commit 24a3e54cd3e06d89869444eb6c8e07487dafe911 Author: John Bowman Date: Sun Sep 15 21:43:45 2019 -0600 Reformat webgl header and footer. commit 573369c22e52e2b4d3424ef1e0e8e4607572f7b4 Merge: e6580bf3 221e1542 Author: John Bowman Date: Sun Sep 15 18:52:46 2019 -0600 Merge branch 'webgl'. commit 221e154209664025595ab423df0220649c084b5f Author: John Bowman Date: Sun Sep 15 18:50:45 2019 -0600 Optimize straight webgl lines. commit 7b36db5c4d07a7632a613c9652e5480ecaf022cb Author: John Bowman Date: Sun Sep 15 18:33:14 2019 -0600 Fix webgl quad normal. commit 712af1c6a75d2d19d85e8b5a4cd71604bc5feb33 Author: John Bowman Date: Sun Sep 15 18:14:40 2019 -0600 Add straight optimization to webgl. commit a33ade59a16fea0df08ee9b7bbc1d06440b0b859 Author: John Bowman Date: Sun Sep 15 16:28:34 2019 -0600 Implement webgl pixel shader. commit 75ec09fc0bb7195580b57e40657ec0e00d46064e Author: John Bowman Date: Sun Sep 15 12:20:22 2019 -0600 Remove duplicate code. commit e6580bf30d1ecd8f96a4b7e48adfcaa2a5d24fd5 Merge: f40bd919 cc4115dd Author: John Bowman Date: Sun Sep 15 01:03:28 2019 -0600 Merge branch 'webgl'. commit cc4115dd23fd4fb69951d5053ce615551b07cc86 Author: John Bowman Date: Sat Sep 14 23:50:33 2019 -0600 Pass asy lighting parameters; don't composite canvas with background. commit f55f0def02b723db059ddc790d29db077986e1ea Author: John Bowman Date: Sat Sep 14 23:46:31 2019 -0600 Use 4x4 viewMat again (for correct lighting under rotation). commit a9146b8722a727d1daa11580609189e2ba3a8bf0 Author: John Bowman Date: Sat Sep 14 18:17:41 2019 -0600 Fix ViewPosition; use a 3x3 view matrix. commit 31d49e55e82774285ac015b16f8969579c43d7c3 Author: John Bowman Date: Sat Sep 14 11:09:55 2019 -0600 Add settings.digits to control default output file precision. commit bd8cd4877ebb7c73cb83a767721dfc858dfe8d57 Author: John Bowman Date: Sat Sep 14 01:00:33 2019 -0600 Standardize matrix names. commit 5ea4aaeae21c21e86535e5d5552a181be7222552 Author: John Bowman Date: Sat Sep 14 00:51:19 2019 -0600 Replace var by let. commit a1fdac350066487d3ffd66733ca59ce6dc11f6ea Author: John Bowman Date: Sat Sep 14 00:49:53 2019 -0600 Further optimize Split3. commit a1a7a736a2e5ea3baaf66eec2d4df27984b2ba36 Author: John Bowman Date: Sat Sep 14 00:46:40 2019 -0600 Optimize split. commit 8b46c31c8ae3d5d681f49d546e1bc8165ac96f0c Author: John Bowman Date: Sat Sep 14 00:31:23 2019 -0600 Add webgl support for Bezier curves. commit 3975ba5416d9708e4c208ef508490571e7bdf985 Author: John Bowman Date: Fri Sep 13 17:42:45 2019 -0600 Detect navigator.vibrate. commit 381f82e9a2e7f220945d83b721832c157d4f4ac6 Author: John Bowman Date: Fri Sep 13 02:51:20 2019 -0600 Indicate shift mode with vibration. commit 9d8b6c4f188ccc7539fb1ab4a6db2439e78567de Author: John Bowman Date: Thu Sep 12 09:59:01 2019 -0600 Remove unused arguments. commit f40bd919b1a2772f8ea696c0004b447ef6f21b11 Merge: a6b55307 76978127 Author: John Bowman Date: Thu Sep 12 09:08:25 2019 -0600 Merge branch 'webgl'. commit 76978127a7d8b3dd68eb44e10ecf5c9c05c53972 Author: John Bowman Date: Thu Sep 12 09:07:57 2019 -0600 Allow for negative dot product. commit a6b5530720e91c8aa3b8ef2798ac24b0e814afec Author: John Bowman Date: Thu Sep 12 00:58:34 2019 -0600 Restore example. commit 56936ea472caf20f8e3d5e5420f35e8d35d62451 Author: John Bowman Date: Thu Sep 12 00:48:50 2019 -0600 Fix arcball radius; improve mobile interaction. commit 3b3b1b2efae71b494eadb4eb4b41fd0f1476d353 Author: John Bowman Date: Thu Sep 12 00:26:20 2019 -0600 Fix arcball numerical precision issues. commit e519ea37e36e4c1027b1b296b28a8d2e946c9f1d Author: John Bowman Date: Wed Sep 11 23:16:09 2019 -0600 Add mobile shift; fix arcball normalization. commit 79abc5f0b321befc032d4eb7d15b75329d202b3a Author: John Bowman Date: Wed Sep 11 19:34:02 2019 -0600 Improve zoom. commit 25e234d15a8ce05874f0951952aed0122532def8 Author: John Bowman Date: Wed Sep 11 11:32:34 2019 -0600 Override scroll bar. commit 86de97f2460dc8a125e18772c31e750251481b22 Author: John Bowman Date: Wed Sep 11 11:08:39 2019 -0600 Implement pinch zoom. commit a9069b5771cf62effa2b6a5f46ac30b5766eb4ca Author: John Bowman Date: Wed Sep 11 00:20:36 2019 -0600 Fix initial projection. commit f37794e9c12fbdd588f9afa8e2400f4c4cae3acd Author: John Bowman Date: Tue Sep 10 23:59:16 2019 -0600 Disable mobile scaling. commit 605c952986ab864f2d6ca8bea0b11fc5cd4ccb0f Author: John Bowman Date: Tue Sep 10 23:58:03 2019 -0600 Disable mobile scaling. commit 2d0ed08cb4fabff9f7b5621feb3853902865d422 Author: John Bowman Date: Tue Sep 10 11:20:46 2019 -0600 Remove scroll bar. commit a3a319b856e16a71b228090ecf24dc735cc7248e Author: John Bowman Date: Tue Sep 10 10:44:59 2019 -0600 Remove webgl directory prefix from link to gl.js; add symbolic link. commit fcc609805e810ffe8e4775cc114297c60319a1de Author: John Bowman Date: Tue Sep 10 10:03:32 2019 -0600 Implement Bezier triangles in webgl. commit c532199499eec51b79c33a8a23d19daddceeeb93 Author: John Bowman Date: Tue Sep 10 08:42:02 2019 -0600 Fix epsilon; move derivative and normal into BezierPatch. commit fa59a4840c2dcbdb54e8188f905460a32745576d Author: John Bowman Date: Tue Sep 10 08:27:53 2019 -0600 Fix undefined variable. commit 1341bf7f83a82780b98826c83f1619794a08a027 Author: John Bowman Date: Tue Sep 10 08:25:53 2019 -0600 Factor code. commit 99b00e26147feae6aff24b94ae83a5ac99c817e7 Author: John Bowman Date: Tue Sep 10 01:20:07 2019 -0600 Begin porting Bezier triangle code to webgl. commit 033ba1eb3a0aca3a46de957c89fad9c33ce8da4b Author: John Bowman Date: Tue Sep 10 00:45:52 2019 -0600 Fix lighting after mode change. commit 2a174661224adc2fbc229b786baef60924761d74 Author: John Bowman Date: Tue Sep 10 00:12:22 2019 -0600 Accumulate onscreen and partially offscreen triangles separately to avoid duplicate rendering. commit 49ea03ddbf861df3edcb3dcdae3922761cb5d785 Author: John Bowman Date: Mon Sep 9 19:40:59 2019 -0600 Clear buffers on construction. commit e3bd396ed745dae9171e44b89d2554ce67e5b0cb Author: John Bowman Date: Mon Sep 9 18:30:00 2019 -0600 Simplify code. commit 5b1b569f3fb253000e7728419d2f9f9612fdc7e8 Author: John Bowman Date: Mon Sep 9 14:07:35 2019 -0600 Fix transparency bug; optimize colorShader and implement generalSHader. commit 61049a4ccd87e0aacd7498dd5c4d3c84960a7d18 Author: John Bowman Date: Mon Sep 9 11:51:27 2019 -0600 Sort transparent webgl triangles (based on centroid; to be improved). commit 0ec8f1841797c62a9a1ea83372f4fcb0880f3c00 Author: John Bowman Date: Mon Sep 9 09:34:28 2019 -0600 Fix missing initialization. commit 40ab227ba04a7e8ea1464af6864a074860e6fc3d Author: John Bowman Date: Mon Sep 9 09:22:53 2019 -0600 Add transparent buffers. commit a401de1b5d3532f6d30c133eed0f4d07a0d8b182 Author: John Bowman Date: Sun Sep 8 23:40:43 2019 -0600 Fix webgl billboard labels. commit 503ba73bb4605ba5030f3d78c71f378ce654031b Author: John Bowman Date: Sun Sep 8 23:17:56 2019 -0600 Avoid depth check in offscreen computations. commit 5c4dcb69f3908b57333ee90af3408cbe857b891a Author: John Bowman Date: Sun Sep 8 21:50:08 2019 -0600 Optimize transpose away. commit a6132b5e1d7a93c43c37d4eb2e238900bc93ff0e Author: John Bowman Date: Sun Sep 8 17:47:34 2019 -0600 Update temporary hard-wired teapot light parameters. commit f2ffc7b52ed3d4a7e375d66fc827f25973afac39 Author: John Bowman Date: Sun Sep 8 17:29:20 2019 -0600 Standardize code. commit f008f017aa1cfce1bb9bb34d91ca8857a20cea7b Author: John Bowman Date: Sun Sep 8 16:12:12 2019 -0600 Remove unwanted code. commit f8c22220b7dee93b97bca2a793df59e6e83ef664 Merge: 4972f905 f1254f8d Author: Supakorn "Jamie" Rassameemasmuang Date: Sun Sep 8 14:39:32 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl commit 4972f90530c591c09030ae84e1f3118dff2d047d Author: Supakorn "Jamie" Rassameemasmuang Date: Sun Sep 8 14:39:27 2019 -0600 Clean up gl.js again. commit f1254f8d7fa19053fc483231053d16103679a2e9 Merge: cc7eb276 bad6b6d5 Author: John Bowman Date: Sun Sep 8 14:34:04 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl. commit cc7eb276596404eba061fee63da9440db518ad03 Author: John Bowman Date: Sun Sep 8 14:28:30 2019 -0600 Optimize bounding box computation; simplify code. commit bad6b6d57c23cddbe4fd823d6ca480997dab65c6 Author: Supakorn "Jamie" Rassameemasmuang Date: Sun Sep 8 14:25:09 2019 -0600 Minor fixes to norm matrix. commit 0c1da0e0dad92876e6254fec9d4625afb09c9614 Author: John Bowman Date: Sun Sep 8 02:36:18 2019 -0600 Batch calls to drawElements. commit 2106227eb55336e1189d99092258730b7583d403 Author: John Bowman Date: Sun Sep 8 01:03:59 2019 -0600 Prepare for batch drawing. commit 108509b7b304267883ac24081f8c7b8149773bab Author: John Bowman Date: Sat Sep 7 21:11:57 2019 -0600 Fix -noautobillboard. commit a9e980f35e2955ec58891850bac3258bb7b9b880 Author: John Bowman Date: Sat Sep 7 20:47:42 2019 -0600 Fix typos. commit 7ffa52cafeed9ff412a4c8dd79f894f6c001de5d Author: John Bowman Date: Sat Sep 7 19:23:48 2019 -0600 Use separate material and center index for each vertex again (to support batch drawing and sorting). commit 17566e437c18c5cba8af049b03e064a0471006a3 Author: John Bowman Date: Sat Sep 7 14:24:13 2019 -0600 Use a 3x3 rotation matrix. commit b57b6298818cb7c561258c5f8f8e8d4724b1f0b2 Author: John Bowman Date: Sat Sep 7 03:52:50 2019 -0600 Simply billboard code and port to webgl. commit 9c34d1e914fc8033f0dce670db80017c40244f66 Author: John Bowman Date: Fri Sep 6 15:08:28 2019 -0600 Enable webgl keyboard input. commit 4cddee557a7ee99117398522b64d532f8e34e9fc Author: John Bowman Date: Fri Sep 6 14:31:46 2019 -0600 Standardize code. commit 3ad3e9447237dba8d2cbd643ecec931ce1c88aef Author: John Bowman Date: Fri Sep 6 13:05:09 2019 -0600 Fix conditional. commit b157bb70ab46e4e67060c838a7aa986c96a9a8a1 Author: John Bowman Date: Fri Sep 6 12:59:21 2019 -0600 Change shaders only when needed; remove duplicate code; improve OpenGL framerate calculation. commit 2b5a4e583a912357b95dd922a414590eae1ec421 Author: John Bowman Date: Fri Sep 6 10:57:51 2019 -0600 Remove extension requirement. commit 52e3053c3b2d9a78e54d24a456b5ac74f1f7f71b Author: John Bowman Date: Fri Sep 6 10:56:36 2019 -0600 Simplify code. commit 309bfd90f3d274d7763de078772faacd7151292a Author: John Bowman Date: Fri Sep 6 03:27:03 2019 -0600 Reduce size of webgl data buffers. commit c33716757576e0534bad2615b1a608bed98059f8 Author: John Bowman Date: Thu Sep 5 10:24:18 2019 -0600 Fix material index for explicit colors; standardize code. commit 1bd14971f286c5c83e0f1732523923d3da08b37f Author: John Bowman Date: Thu Sep 5 03:02:03 2019 -0600 Simplify code. commit f40c3eda4725acecd410cac7243e84053a78d233 Author: John Bowman Date: Thu Sep 5 02:53:35 2019 -0600 Support vertex shading. commit f2e5df6d331708c01f374feef5f70f0d75999c7d Author: John Bowman Date: Wed Sep 4 18:19:47 2019 -0600 Optimize webgl buffers. commit ef1cd85d7183d8399e150fdd8d4633fa8cb7adfd Author: John Bowman Date: Tue Sep 3 22:09:30 2019 -0600 Simplify and optimize code. commit 7b3cd7101983c837c866eaa5540f26718b797d76 Author: John Bowman Date: Tue Sep 3 18:58:12 2019 -0600 Recompute offscreen limits at every render. commit ee547cbd9facf472ea5ef6a504f7103f1aaec51b Author: John Bowman Date: Tue Sep 3 08:26:47 2019 -0600 Optimize shader communication. commit 68f921caf3a603603616f82175916eb768c2161b Author: John Bowman Date: Tue Sep 3 01:11:20 2019 -0600 Reimplement billboard labels to allow remesh suppression. commit 1e2d7c8f77dcd4dbf9cc0e3f7147ef1c492b51f6 Author: John Bowman Date: Tue Sep 3 01:02:10 2019 -0600 Fix typo. commit 7192656cca9bb3607ed5b62b7330e6a7e4e0e97e Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Sep 2 15:19:19 2019 -0600 Fix almost all problem, except for offscreen glitch. commit 173a2c40056c9a23470d2ad8e931a97251471a6e Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Sep 2 14:17:37 2019 -0600 Also reset ship. commit 1bde5bc6489562642c4eaf6e68ac92413ef4fcae Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Sep 2 14:16:54 2019 -0600 Fix zoom clipping issue alongside translation. commit fe8e538c7109073442967cb638af94279788fc86 Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Sep 2 14:01:30 2019 -0600 Add in revised zoom from asy. commit 78044058c643aa5e66bed5c70b0db55a5953b919 Author: John Bowman Date: Sun Sep 1 23:50:54 2019 -0600 Simplify code. commit 144f4615291a6486fdd7c2f16026240f18216538 Author: John Bowman Date: Sun Sep 1 22:02:22 2019 -0600 Output field-of-view angle. commit 1c116f53a002b66b43b315fd2e2730dc1eed6d3e Author: John Bowman Date: Sun Sep 1 20:10:49 2019 -0600 Add missing offscreen code. commit c255024cc0a6d66dd3ce2e5279e1a65fb0b0e828 Author: John Bowman Date: Sun Sep 1 11:57:17 2019 -0600 Compute pMatrix from b and B bounds. commit faf496185b9b48688f9e68b0882f16ec01d5b806 Author: John Bowman Date: Sun Sep 1 11:36:40 2019 -0600 Fix duplicate multiply. commit eb75489e0f7d739b6f2ce707ae3ae7a9176ded19 Author: John Bowman Date: Sun Sep 1 11:35:04 2019 -0600 Port offscreen code to webgl. commit 7a2fe8d7e409f33d19f860083ee71060866d8304 Author: John Bowman Date: Sun Sep 1 03:53:55 2019 -0600 Re-enable remesh suppression with offscreen check. commit fb3e1aa648c78d0c8f3c156b8f68971049c77085 Author: John Bowman Date: Sat Aug 31 19:14:37 2019 -0600 Improve zoom. commit aa2f9e5bcdb6aaf4fc960a0448bbd04c6c174e53 Merge: 11577411 11b7f3b4 Author: John Bowman Date: Sat Aug 31 14:21:25 2019 -0600 Merge branch 'master' into webgl. commit 11b7f3b4400f6c648ad2ccabe9ab06c275fd1f3f Author: John Bowman Date: Sat Aug 31 14:21:16 2019 -0600 Fix pipeclose (cf. 0d057d35cb30d52f33db9f155c880ed8f8a1d7d2). commit 115774110bd39a7609620600999c63eb0823ffb9 Author: John Bowman Date: Sat Aug 31 13:17:52 2019 -0600 Remove unused argument. commit 389543c6b829bab8b8aa1c3f852263d41101079c Author: John Bowman Date: Sat Aug 31 12:57:29 2019 -0600 Optimize and simplify OpenGL shaders. commit 9ce5cfef9a1c6ea054b1d141d8b7d766c0b8f3cb Author: John Bowman Date: Sat Aug 31 03:13:24 2019 -0600 Port to webgl1.0. commit 26f329d066b8b291adf7b63b61301b6f69e288a0 Author: John Bowman Date: Sat Aug 31 00:45:49 2019 -0600 Remove duplicate constants. commit 16a912ce5563f6436094a0f8e2bbb878cadccd9b Author: John Bowman Date: Sat Aug 31 00:39:34 2019 -0600 Support rendering on mobile devices. commit d0e14808336642f9eabc38d66d357bbf13486f4d Author: John Bowman Date: Fri Aug 30 14:38:21 2019 -0600 Fix normals. commit cbccb294ccc2f27a4d0924b3f7337c432e3b98b0 Author: John Bowman Date: Fri Aug 30 14:04:45 2019 -0600 Standardize code. commit 3d4ded0b3b871a6331dd14ae3479ebb1c15ceb8f Author: John Bowman Date: Fri Aug 30 13:40:45 2019 -0600 Simplify normal code. commit b5a083516a854317e9e88e7def584a3f9a907c57 Author: John Bowman Date: Fri Aug 30 01:35:03 2019 -0600 Update normal code. commit 78e4ac384d904e09c05684da6d0eb723878f73bb Author: John Bowman Date: Fri Aug 30 01:18:09 2019 -0600 Remove unused variable. commit 699dd53413ad111d211ed2f616bab85f6162f0cc Author: John Bowman Date: Fri Aug 30 01:16:47 2019 -0600 Update subdivision crack code. commit 9958d795eead1be55e3014fec378695682b5b202 Author: John Bowman Date: Fri Aug 30 00:05:08 2019 -0600 Support webgl output with -V -threads. commit 385c61e1b211b019641c5cd50ce54b71551f7943 Author: John Bowman Date: Thu Aug 29 21:33:58 2019 -0600 Simplify code. commit 35442f0834befc227b88c26ed7deb79e14f7628a Author: John Bowman Date: Thu Aug 29 21:12:10 2019 -0600 Fix nMaterials; remove generated file. commit 1839307bfa3cb7521293ccdd05ec1507cf7ebe53 Author: John Bowman Date: Thu Aug 29 19:47:01 2019 -0600 Revert broken commit "Add back nMaterials." This reverts commit ef0b19a7d1ccd37b80705c0cbaf42f8eb5470b1c. commit ef0b19a7d1ccd37b80705c0cbaf42f8eb5470b1c Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 19:24:02 2019 -0600 Add back nMaterials. commit 71d59116a67658e8bb078c79f6f1e59fcf6e1060 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 19:15:54 2019 -0600 Update Author's name. commit 8964dd0782bff658a3f2d475e10c3c38964ef607 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 19:14:55 2019 -0600 Add in authors names. commit afc2a146dd755fc19adbdba7f7aa28aab5a9b45d Merge: 04feea56 306f6df4 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 19:08:19 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl commit 04feea5687b53250825e77356b5aad4961f17884 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 19:08:14 2019 -0600 Fix vViewPosition. commit 306f6df4e77d854c9890d4a14f8679e7e16f4ebf Merge: 63fb75af ff8cc6d3 Author: John Bowman Date: Thu Aug 29 19:07:05 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl commit 63fb75aff713b84b005076aa50d141b2c7d88f3d Author: John Bowman Date: Thu Aug 29 19:06:55 2019 -0600 Move further parameters into BezierPatch class; fix index. commit ff8cc6d326d163de250f28a2557f61701788037c Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 19:05:07 2019 -0600 Add in orthographic/persp view directions. commit acb3196c4d37930b0ef6d3fb2bee214222789593 Merge: 60dd5701 ce412f94 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 18:49:49 2019 -0600 Merge conflict. commit 60dd5701d70540245e36d6f3d39594db39f2def6 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 18:49:15 2019 -0600 Make res per class. commit ce412f946f8b4736bcabe6bf2b462dd76bd933e2 Author: John Bowman Date: Thu Aug 29 18:46:40 2019 -0600 Fix resolution. commit 80c920eb626193a2aec793c01a7fb81f405466c2 Author: John Bowman Date: Thu Aug 29 17:58:12 2019 -0600 Pass resolution data to webgl. commit f494c725fb05f8245d1d3833028edb74a23cd184 Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 15:46:50 2019 -0600 Remove cpy2web. commit 3037b5620c6263a1b001c45c1bcc029f1e29ed0b Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Aug 29 15:04:23 2019 -0600 Allow for custom vertex structures. commit 88d8ea20543c476bde8d41d8c9132e03b64078c7 Author: John Bowman Date: Thu Aug 29 11:06:17 2019 -0600 Support webgl output with threads. commit 5f47e4e35ddd76d7bcae651aa1ef956e200cb12f Author: Supakorn Rassameemasmuang Date: Wed Aug 28 23:23:29 2019 -0600 Add in blend func. commit 072db3837ccd0526f6bbc3437ec411f1a12fab5d Author: Supakorn Rassameemasmuang Date: Wed Aug 28 23:18:33 2019 -0600 Add in preliminary transparency. commit d1fdc0c19df823ab6bd79420b457197ffc6abcec Author: John Bowman Date: Wed Aug 28 23:10:25 2019 -0600 Remove diagnostic. commit 51c17fc6062f43818eb0e7456bd4e52941875fba Author: John Bowman Date: Wed Aug 28 23:03:01 2019 -0600 Add material index. commit c63b11b282a018eab64aebb87a22e96dbe1d6394 Author: John Bowman Date: Wed Aug 28 21:40:20 2019 -0600 Begin material support. commit 9a31b248de24ad18dc988ca9cbbcc536f4bc9f58 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 17:54:03 2019 -0600 FIx gitignore. commit 864ec8c2519da4a4576be291a554342a0eddd332 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 17:52:35 2019 -0600 Minor cleanups and enable emissive. commit ac2aa94fa9d59a879d84025ca74804812bcf7fa1 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 17:32:58 2019 -0600 Fix float arrays flag. commit 3de4371ce380c2185d7f483f02e2abd48abc55f1 Merge: dc9692dd 2ad31cb3 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 17:31:23 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl commit dc9692dde857f1e57fc097adee2041443a2b1134 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 17:31:10 2019 -0600 Only create array when needed. commit 2ad31cb325dc8106ce4dc8f711dd1864f3f1ddda Author: John Bowman Date: Wed Aug 28 17:29:42 2019 -0600 Simplify code; remove generated file. commit 3b7616ab660d553032d4f0d35a21d0a4c47ca39d Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 17:03:15 2019 -0600 Add a DrawableObject for general drawables. commit 4c06bf02ebba1bd20d30fb00edea9afac2e1e408 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 16:59:05 2019 -0600 Even more refractoring of code. commit 3c831c65c004549b1ad50cf21aae0bb0bf658074 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 16:51:44 2019 -0600 More refractorings of gl.js. commit 00bda50add1752053360384b34a80b519060ee4b Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 16:31:59 2019 -0600 Refractor gl.js code. commit c62534e2dac23166a0905bff68a2956f64cc7600 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 15:50:45 2019 -0600 Clean up gl.js. commit f5068d75f0891a5968c98cfe53e352b4def86aef Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 28 15:01:52 2019 -0600 Expose model Matrix transformation and more docs. commit 3d48b756c0f593fb63e54a991ce5e4b1bd0da9ed Author: Supakorn Rassameemasmuang Date: Wed Aug 28 02:50:00 2019 -0600 Add in zooming back. commit 2d362a692aa7105cc7020bba15bde86508dc9006 Author: Supakorn Rassameemasmuang Date: Wed Aug 28 02:20:09 2019 -0600 Reglue back translation routine. commit 53c16fcd22a2f19cbea8f07c7054d1d9519d4806 Merge: 4c9342e9 df4b5699 Author: John Bowman Date: Wed Aug 28 01:41:15 2019 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote. commit 4c9342e9dd114f4baeb94612f7bc85755aaba0f9 Author: John Bowman Date: Wed Aug 28 01:40:03 2019 -0600 Fix last commit. commit df4b5699744d668ae4cb4367d2ab5f5cf039cc1b Merge: 5b876724 52d3e4d6 Author: John Bowman Date: Wed Aug 28 01:36:05 2019 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 5b87672473974e5dc32c2f11b2afd81ffdc22372 Author: John Bowman Date: Wed Aug 28 01:35:54 2019 -0600 Simplify glew compilation. commit b2a6fff4e97192c5bd42b5eed689d3aa0e0c7b14 Merge: 64d3f620 52d3e4d6 Author: John Bowman Date: Wed Aug 28 01:07:42 2019 -0600 Remove DOS line terminators. commit 52d3e4d670a8ca843302280c7b02462eb672945d Author: John Bowman Date: Wed Aug 28 01:04:23 2019 -0600 Remove spurious DOS line terminators from shader files. commit 64d3f620dc2d49924b1ac9a14cc5c520d2d43d9b Author: John Bowman Date: Tue Aug 27 22:44:54 2019 -0600 Output canvas dimensions; support threads. commit 78e5646fc84ec2609bbe22850ccb82eb568ee8d7 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Aug 27 17:32:12 2019 -0600 Add in temporary canvas height/width. commit ac8cbda3cc382a0ceb632fe3930cb5351a50468f Merge: 8f7b2711 97e03e6d Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Aug 27 17:27:08 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl commit 8f7b271188a337569ed5510434cdef82c5c19503 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Aug 27 17:27:03 2019 -0600 Allow dynamic setting of canvas size. commit 97e03e6de3b7599dc4d78f28438f956c327b94aa Author: John Bowman Date: Tue Aug 27 17:26:32 2019 -0600 Output target to webgl. commit 601ebbadadb2ef652ec4b9062443e412b7a1f314 Author: John Bowman Date: Tue Aug 27 16:52:06 2019 -0600 Fix warning message. commit bff8f83e6b6b72a977a63576e27672d4cb445b8b Author: John Bowman Date: Tue Aug 27 16:36:30 2019 -0600 Compile glew library with -O1 to help out clang compiler. commit ebe09e1b398b244c3a1163e2dea804829fe2d63f Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Aug 27 16:36:22 2019 -0600 Split jsfile into its own cc file. commit d7cfc3e099ff4b094a2b864c3f43559d7257b8ba Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Aug 23 17:27:53 2019 -0600 Change jsfile to handle new p properly. commit 6fc0875e2ed6c3ef9108d0103615d8f1f5264ca7 Merge: 2fe6c372 fa9cfab0 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Aug 23 17:22:06 2019 -0600 Merge in jsfile changes. commit 2fe6c372d13a67e4da203aeeffec99c0a5725fd2 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Aug 23 17:20:41 2019 -0600 Add multiple materials detection and shader generation. commit fa9cfab02ccda80ffae9de90f0dcd5291d1a6d14 Author: John Bowman Date: Fri Aug 23 17:16:32 2019 -0600 Add multiple patch support. commit 40aeca47850dd5dd3295abb77d8c3d5c06347624 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Aug 23 16:10:38 2019 -0600 Add arcball rotation. commit 7325cd22c2ae15edc47dbc3685ea7bed775b1c86 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Aug 23 14:45:42 2019 -0600 Add in material index data. commit 23846f565b4575b0ac410a9ec2d795ecb2978442 Author: Supakorn Rassameemasmuang Date: Fri Aug 23 00:08:40 2019 -0600 Change resolution and minor cleanups. commit 85b3fd03061bcf3e8d0703295ec32d24a8792111 Author: John Bowman Date: Wed Aug 21 16:37:20 2019 -0600 Add webgl option to glrender. commit 9bfd0c90ef80dfcbd28422cc6348f1bf943a5cd7 Merge: 05461c69 3d714156 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 21 16:28:09 2019 -0600 Merge branch 'webgl' of github.com:vectorgraphics/asymptote into webgl commit 05461c6965b795aec295c3d40bbdcb766b652bbf Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 21 16:27:10 2019 -0600 Update settings to prevent autoformat. commit 3d714156611362e7a919c7bdedee31eb52f51ef3 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 21 16:27:10 2019 -0600 Update .gitignore. commit 3ca5d56f78d8c559cd76f5e3b76b147e58203425 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 21 16:23:42 2019 -0600 Fix gl.js vertex function. commit 98a67e304b975c141ff16011fa9ea5eee15c671f Merge: 56076839 7f1fba23 Author: John Bowman Date: Wed Aug 21 15:58:08 2019 -0600 Update webgl files. commit 7f1fba235a28189d306312c09b43352e1d047932 Author: John Bowman Date: Wed Aug 21 10:47:38 2019 -0600 Generalize popcount to systems that lack 64-bit integers. commit 4500dd6b84fae216df649a32c57b70f225883fd1 Author: John Bowman Date: Wed Aug 21 02:53:55 2019 -0600 Update HOWTO-MSWindows. commit c9ee6dc1dbb22d65311639c28ceb5c7bb1391431 Author: John Bowman Date: Wed Aug 21 01:36:17 2019 -0600 Increment version to 2.54. commit 35867d43297d07045d52916bcd3d906f62f7b023 Author: John Bowman Date: Tue Aug 20 22:50:54 2019 -0600 Update example. commit 6570978b49f65c708ea8921ca5fd95a1dab0954b Author: John Bowman Date: Tue Aug 20 22:06:06 2019 -0600 Improve diagnostic about unimplemented feature. commit d741dd1701c53b6ab697b75bc280ced837611669 Author: John Bowman Date: Tue Aug 20 16:49:25 2019 -0600 Fix memory leak. commit 767b059789cd375336d6f2ad42f5c49a9b7d387e Author: John Bowman Date: Tue Aug 20 14:52:15 2019 -0600 Check for lgamma instead of gamma, in both libm and libc. commit d12068ef272111b0831187f2906fecaca1b5fa9d Author: John Bowman Date: Tue Aug 20 14:10:23 2019 -0600 Use gc_allocator_ignore_off_page. commit ea6ec5dc839626629062044ae9291f1289875aeb Author: John Bowman Date: Tue Aug 20 14:03:43 2019 -0600 Only initialize glew once. commit 437acdd38d4c73eaabf8b52f3cec77247b58fe91 Author: John Bowman Date: Tue Aug 20 12:44:19 2019 -0600 Update gc tests. commit f01f7ed4f10ee092be2208e8e3fd63f11d1cd6ce Author: John Bowman Date: Mon Aug 19 03:33:53 2019 -0600 Fix gc struct test. commit bd88b6dcd02dd442a9765195f28502ee9255490c Author: John Bowman Date: Thu Aug 15 23:22:19 2019 -0600 Disable bulky and leaky OpenImageIO library by default. commit 56076839adb43e1a0bc99aa0019a4ff4c275f86b Merge: 46461352 94ac15f8 Author: John Bowman Date: Wed Aug 14 14:51:57 2019 -0600 Begin multiple patch support. commit d84dd8cb79c8b0b85211643427eaa6ad1dba0a99 Author: Supakorn "Jamie" Rassameemasmuang Date: Wed Aug 14 12:15:13 2019 -0600 Add in development WebGL version. commit 4646135212088ec1c2572481c628b58f671b7ac8 Author: John Bowman Date: Wed Aug 14 12:06:51 2019 -0600 Import webgl development files. commit 94ac15f88e5723e38d4e4f3231944b538d8c17ec Author: John Bowman Date: Wed Aug 14 01:36:04 2019 -0600 Fix operator *(transform, revolution). commit fbef675f843d99f46475fbe92a01fe214a03d146 Author: John Bowman Date: Wed Aug 14 00:39:44 2019 -0600 Fix skeletons of transformed solids of revolution. commit f4ac68fd0660655a055c3bc41115e8f8a7752d8c Author: John Bowman Date: Tue Aug 13 19:29:04 2019 -0600 Fix documentation. commit c694474b38ecb4057cb6380441732a6a2bb6018d Author: John Bowman Date: Tue Aug 13 18:02:47 2019 -0600 Add border to OpenGL tiles to remove antialiasing artifacts. commit 74172faf075afc446556df90acf3966931e82679 Author: John Bowman Date: Tue Aug 13 10:24:29 2019 -0600 Remove obsolete MacOS X workaround. commit 05f68ab80e7caa521c967b32ba672fa58bcaae3c Author: John Bowman Date: Mon Aug 12 00:49:22 2019 -0600 Fix DEFINE calls in configure.ac; simplify compilation under CYGWIN. commit 38280e0f75fedc2fe9e9cc1b3e5336d05bba6e56 Author: John Bowman Date: Sun Aug 11 23:56:34 2019 -0600 Prioritize tr/unorderedmap over unorderedmap (for Centos 7). commit 64121726ecd13cda057699758020d7e94c289465 Author: John Bowman Date: Sun Aug 11 23:08:15 2019 -0600 Handle oblique projections as orthographic projections in PRC. commit 557ff750b0043c3bce5fc998bf601211c7bcafa5 Author: John Bowman Date: Sun Aug 11 00:37:06 2019 -0600 Simplify code. commit 7c4367160de72d618382f5a164078a11d9d07edc Author: John Bowman Date: Fri Aug 9 03:30:03 2019 -0600 Increment version to 2.53. commit c1db74235565570e829b865756794a0c5ab0f5fb Author: John Bowman Date: Fri Aug 9 02:23:28 2019 -0600 Fix xasy permissions; update old code. commit b14c49397f59c29929cd21a9da855b1f89b5566a Author: John Bowman Date: Fri Aug 9 01:44:11 2019 -0600 Fix spelling of default. commit 6506b94d5b6d97191ce9e26018c414d4d010e6fa Author: John Bowman Date: Fri Aug 9 01:36:02 2019 -0600 Revert "Prevent xasy menubar from disappearing under MacOS X." This reverts commit 40407fc4644a21e04ad77680939ab48281ad34d8. commit 27d51ec09bb95fe5c18181a807174b65ebbdd487 Author: John Bowman Date: Fri Aug 9 01:33:44 2019 -0600 Support VISUAL, EDITOR, and os-specific xasy editor overrides. commit deebce8021396aa35fb95786099e55c0ee24072c Author: John Bowman Date: Fri Aug 9 01:31:17 2019 -0600 Update documentation. commit b7586ef668e8701b5358da1a1d5ab29e226525fb Author: John Bowman Date: Fri Aug 9 01:30:40 2019 -0600 Use open as default PostScript previewer under MacOS X. commit 40407fc4644a21e04ad77680939ab48281ad34d8 Author: John Bowman Date: Fri Aug 9 01:04:54 2019 -0600 Prevent xasy menubar from disappearing under MacOS X. commit 4f11b34a79a5a95ee6df1cc160502eca1d80ac04 Author: John Bowman Date: Thu Aug 8 19:50:11 2019 -0600 Fix spelling of hexadecimal. commit c79584995e095c4736fae67060618577285f253d Author: John Bowman Date: Thu Aug 8 18:45:05 2019 -0600 Fix GLSL shader initialization on MacOS X. commit 03f7b5ac9e6a814bb5dd720209f68c5eb76933a2 Author: John Bowman Date: Thu Aug 8 18:18:05 2019 -0600 Remove obsolete code. commit 887964b07bc000c7d840d18370cded3561bdd263 Author: John Bowman Date: Wed Aug 7 10:38:46 2019 -0600 Don't attempt to install GUI files if unavailable (due to lack of pyuic5 and pyrcc5). commit c258b9a21580aeb09e68b9109977ee1382b2b3ba Author: John Bowman Date: Tue Aug 6 23:58:18 2019 -0600 Remove obsolete assignment. commit 8a4f415210836d1893e9eb51b0afeebc37c63711 Author: John Bowman Date: Tue Aug 6 19:24:18 2019 -0600 Request OpenGL core profile under MacOS X. commit 6ee0cb2f03140555c09d5a0d9af62c51acd21d33 Author: John Bowman Date: Tue Aug 6 06:00:03 2019 -0600 Remove obsolete code from tr.cc. commit e36a9fc91abe8e9fd55997c86a26d68f16084c03 Author: John Bowman Date: Mon Aug 5 17:02:26 2019 -0600 Increment version to 2.52. commit e0b0d417fb075bc210ce7ddc9f192912e8bab4dd Author: John Bowman Date: Mon Aug 5 16:05:15 2019 -0600 Fix warning messages during MSDOS glew build. commit 5aca47b4bf18d804339f3179680ff564161ec0a2 Author: John Bowman Date: Mon Aug 5 15:37:31 2019 -0600 Update documentation. commit 18385f310b42ae623c16445c6d9fd0cb3d04b986 Author: John Bowman Date: Mon Aug 5 15:06:20 2019 -0600 Pass CPPFLAGS to glew compilation. commit 9427bc84b0bc526a7243a878c4177e7d3d68abfc Author: John Bowman Date: Mon Aug 5 14:25:58 2019 -0600 LONG_LONG_MAX is now called LLONG_MAX. commit 68d5e6143a5a79c1b1f8ec3489cb826ca9a263cc Author: John Bowman Date: Mon Aug 5 14:02:28 2019 -0600 Conditionally compile glew.c without modifying original source. commit 514c2c899382e17095a1fcda124400da6f539d7c Author: John Bowman Date: Mon Aug 5 13:57:41 2019 -0600 Revert "Conditionally compile glew.c." This reverts commit 2c499e90ee421b20dd2a53382396bcb4dc8818f1. commit 50546458facf5c8d09f3fbf41ddfd2d3e5b6bef2 Author: John Bowman Date: Mon Aug 5 13:57:28 2019 -0600 Upgrade CTAN version to -std=c++11. commit 2c499e90ee421b20dd2a53382396bcb4dc8818f1 Author: John Bowman Date: Mon Aug 5 12:14:31 2019 -0600 Conditionally compile glew.c. commit 0f332f7a20509a269f5037e74973803079d72714 Author: John Bowman Date: Mon Aug 5 11:51:47 2019 -0600 Fix glew compilation. commit 04bce42baea1592ecd8a7155915bc4cf5176a267 Author: John Bowman Date: Mon Aug 5 11:41:08 2019 -0600 Add further portability tweaks. commit 0054ed2dc46f367a6c5f516d2b472c92107fb0d5 Author: Mojca Miklavec Date: Mon Aug 5 18:14:46 2019 +0200 Allow overriding binaries in Makefile (#106) commit 45b349053b50d2f7478599b1a81724d0a8974edb Author: John Bowman Date: Sun Aug 4 12:13:03 2019 -0600 Simplify code. commit ce79ba79dc84aa6a5f31ce8fb0239b3ea302f35f Author: John Bowman Date: Sun Aug 4 12:02:55 2019 -0600 Fix OpenImageIO configuration. commit 4c4de50a1dd5fa6e07d0a7893b4bc93719bedf3c Author: John Bowman Date: Sun Aug 4 02:26:07 2019 -0600 Increment version to 2.51. commit a1c421bbf65f1443829a422a8fe2dc329fba7072 Author: John Bowman Date: Sun Aug 4 01:26:38 2019 -0600 Add support for OpenGL under 32-bit MSWindows. commit 85db520f0e8b0bc1ed6d2cad21e8b94c33b001ff Author: John Bowman Date: Sun Aug 4 00:09:18 2019 -0600 Remove unused code. commit 9a473b89f9131170c3c403f16a351083ad8f7e1f Author: John Bowman Date: Sat Aug 3 23:58:56 2019 -0600 Remove ambientpen from example. commit 1720b45b628b0b8ae49370ac27a260317dddf009 Author: Ivan Kokan Date: Sun Aug 4 07:41:34 2019 +0200 Configurable filltype for dot (#43) Add global dotfilltype; update documentation. commit ae3f32685507a92dc1cd26f6d154500a30cd38e7 Author: Ivan Kokan Date: Sun Aug 4 07:39:09 2019 +0200 Dot rendering details (#55) Handle zero-sized dot radii. commit a98cceebf82a2cee9a3526a909fc1435888e81bc Merge: 69218e14 4bfc7889 Author: John Bowman Date: Sat Aug 3 21:10:42 2019 -0600 Merge pull request #86 from fahasch/master Palettes from matplotlib commit 69218e14b92b8070f87ec9460f982673c8974c65 Author: John Bowman Date: Sat Aug 3 13:57:23 2019 -0600 Fix typo. commit 781e34f265e0b47ca4a3a3444cf01d2e669db833 Author: John Bowman Date: Sat Aug 3 13:49:44 2019 -0600 Port to CYGWIN. commit b4ae8b40c452cad712f1ffbf9f00751a48fa77db Author: John Bowman Date: Sat Aug 3 13:12:12 2019 -0600 Add glm-devel dependency. commit fe965b2a2e81c778a5d0c11b9dfdd0c180796922 Author: John Bowman Date: Sat Aug 3 13:10:08 2019 -0600 Check for pow but don't provide a subsittute. commit 1748a5633a987093f2d410199eebfd2cd999cdf3 Author: John Bowman Date: Sat Aug 3 13:08:27 2019 -0600 Remove spurious diagnostic. commit 2be1ec77c239257f8ccf3a7fa7013dabec4d5b63 Author: John Bowman Date: Sat Aug 3 13:05:44 2019 -0600 Remove incomplete pow substitute. commit 78a4b62302fa4386560c3b3968cabb15c7585a0f Author: John Bowman Date: Sat Aug 3 12:15:54 2019 -0600 Make GC_ATTR_EXPLICIT work around conditional on clang not FreeBSD. commit 743334a0dedbd5b6c8e743cb0c54545fb30c4bfb Author: John Bowman Date: Sat Aug 3 10:07:14 2019 -0600 Work around Boehm gc issue 273 under FreeBSD. commit 359b90a299cc19fcb3c503c3d593e0f2dc5aa4e4 Author: John Bowman Date: Sat Aug 3 02:43:00 2019 -0600 Remove unused code. commit 9d8e1801af9cb433ac179de5462609f1a34922fe Author: John Bowman Date: Sat Aug 3 02:42:13 2019 -0600 Workaround gc and signal issues on FreeBSD. commit ca40beada902c965d53badfb33bd99b1f5459f9d Author: John Bowman Date: Sat Aug 3 02:18:33 2019 -0600 Fix interactive mode. commit a10490793d6c0baffd8dd1fcd8718f45b4158d64 Author: John Bowman Date: Fri Aug 2 21:36:34 2019 -0600 Missing glm header now triggers lack of OpenGL configuration notification. commit 3261c4bd2ea33923376d14611394921d799e2368 Author: John Bowman Date: Fri Aug 2 20:18:29 2019 -0600 Fix pow workaround. commit 059db65f5b5c756fcad8ddf1ad8332358ae41c1d Author: John Bowman Date: Sat Aug 3 10:26:27 2019 +1000 Configuring with --enable-static first tests to see if static library is available. commit cebae1a87628c7ee4f619c9e0e2df85895d98fd7 Author: John Bowman Date: Fri Aug 2 17:02:29 2019 +1000 Remove dependency on glew-devel. commit 06c1776ad3d58440af99aac0e2cc7aaf515aaa13 Author: John Bowman Date: Fri Aug 2 17:00:13 2019 +1000 Add missing GL/glxew.h header. commit f65ed736157ecf58bf395fb622fefd5ca0a0924b Author: John Bowman Date: Fri Aug 2 16:47:51 2019 +1000 Update glew.h references. commit 05a21753fe720d24dc55396e93a3d64a650ae59e Author: John Bowman Date: Fri Aug 2 00:43:57 2019 -0600 Fix glew header location. commit fa1e8192e86b2f364d3d320e144fb1fcde2631cb Author: John Bowman Date: Fri Aug 2 00:23:13 2019 -0600 Add missing glew dependency. commit 5158adb4045d55e72fc0fb3fc99953a688d2f07d Author: John Bowman Date: Fri Aug 2 00:14:24 2019 -0600 Fix detection of glut library. commit fc3d2d13dad21602bddb1bd172113589f50d9f3d Author: John Bowman Date: Fri Aug 2 00:12:22 2019 -0600 Ship version 2.1.0 of glew with asy. commit 2e9bda8a8c6a9b625d73262d1adbc60c6df33054 Author: John Bowman Date: Thu Aug 1 00:28:02 2019 -0600 Fix typo. commit ea5fe75642a3c1a929b70fc1507f628b7c62ab41 Author: John Bowman Date: Thu Aug 1 00:21:40 2019 -0600 Fix missing config.h symbols. commit 273442954154c540bd73d7c906e9a4fed05629b3 Author: John Bowman Date: Wed Jul 31 12:31:31 2019 -0600 Enable static linking of libGLEW. commit 8300225a30975fe61b6ef43c29e8b56b400cfe09 Author: John Bowman Date: Wed Jul 31 12:12:27 2019 -0600 Add option for linking against certain static libraries. commit 3a87ccaf58bc2d3c3875f687fa0725d51d0ee89b Author: John Bowman Date: Tue Jul 30 09:37:25 2019 -0600 Fix confusing signature. commit 714371587643f770febae01cd9a81f87818e28e7 Author: John Bowman Date: Mon Jul 29 23:32:29 2019 -0600 Remove obsolete ambient parameter. commit 2aad7c815d6712bc1c617600c48bfb57f7ae2b8d Author: John Bowman Date: Mon Jul 29 22:39:33 2019 -0600 Fix portability issues. commit 22a23a6c4acb1105653f2b140be20eb5e57a16c6 Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Jul 29 19:44:51 2019 -0600 Fix fragment shader. commit 486071f481eb83fc1f93cff9d2c3d0b97bc4df8e Merge: ffd8ced7 37ca4019 Author: John Bowman Date: Mon Jul 29 19:30:14 2019 -0600 Merge in glpbr. commit 37ca40193bf67f729e0d95a0cdf8b7d5747a98e1 Author: John Bowman Date: Tue Jul 30 11:08:43 2019 +1000 Simplify code. commit 48ef58767aa980cf9fe609c7e2fe14b4b6e8ee6f Author: John Bowman Date: Tue Jul 30 11:04:34 2019 +1000 Implement pixel shader. commit c0584280340c6c7ec1809827246ede7e04b12cd5 Author: John Bowman Date: Tue Jul 30 10:23:48 2019 +1000 Add NORMAL option to shaders. commit 9ceffe0a758b07ace814256a3ee8eeafb7b0de1d Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Jul 26 19:31:36 2019 -0600 Clean up shaders (from b18d965e22d159346c6454f18e80f00ea72418fc). commit 2363fce1f65c43d3c28674ad157a027b8d65a51e Author: John Bowman Date: Tue Jul 30 09:20:21 2019 +1000 Simplify shaders. commit 21016830d75d4313c62cafd972cbe6c6317ceed0 Author: John Bowman Date: Sat Jul 27 17:53:03 2019 -0600 Batch multiple pixels. commit a6494727f7a7f7f8cc371b16d94f7179871325c5 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Jul 26 20:19:21 2019 -0600 Remesh when reshape. commit ec62821d7b599cc405400893ca245815a111343c Author: John Bowman Date: Sat Jul 27 09:15:10 2019 +1000 Remesh only when needed. commit bc17bfd12f778ec540ea1374506394b226878b2d Author: John Bowman Date: Sat Jul 27 09:13:55 2019 +1000 Update URL. commit 077e196557106919b5926e8753abda2541b83d3a Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Jul 22 14:55:42 2019 -0600 Set explicit ambient and emissive to zero. commit ecd523060fa7c09ea40226ccb322d1cd0c804ca2 Author: John Bowman Date: Fri Jul 19 15:39:32 2019 -0600 Make FPS diagnostic display running mean and standard deviation. commit 76c05aae9ae5f551578d9fd9dea909f025b55527 Author: John Bowman Date: Fri Jun 28 09:38:52 2019 -0600 Remove unused code. commit 42d66ed8c0873583f555cb9c34c3eb741fa9ec48 Author: John Bowman Date: Thu Jun 27 00:27:48 2019 -0600 Fix vertex shading. commit 26e629266fbd885ea86566c2a346e8adc9ce6cd0 Author: John Bowman Date: Thu Jun 27 00:23:24 2019 -0600 Move normMat back to vertex.glsl. commit ffd8ced79178129cf9f463ff96c046d15f0162f3 Author: John Bowman Date: Thu Jun 27 00:18:52 2019 -0600 Move normMat back to vertex.glsl. commit bcbb081d26b4d865cf694edf36147947f21f3f9b Author: John Bowman Date: Wed Jun 26 18:08:01 2019 -0600 Improve numerical precision of normal calculation. commit d75eece8df0b13903d5f544a95ee35638773ac41 Author: John Bowman Date: Wed Jun 26 17:36:22 2019 -0600 Improve numerical precision of normal calculation. commit 7fa7340544d8611647e482b8dbf1209cf9027838 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat Jun 22 14:36:51 2019 -0600 Add outline shaders. commit a31a2e97e9377e87d4a310877f66388a02b235ad Author: Supakorn "Jamie" Rassameemasmuang Date: Sat Jun 22 13:37:02 2019 -0600 Use twosided checking on fragment shader. commit a98ee44c0e9ab87f2a3cb8cc420ca98f856b3d9a Author: Supakorn "Jamie" Rassameemasmuang Date: Sat Jun 22 13:15:21 2019 -0600 Add basic geometry shader. commit bdbadd2a72ca8816932c235f49f4c574cba2dd05 Author: John Bowman Date: Fri Jun 14 08:24:53 2019 -0600 Avoid duplicate definition of RANDOM_MAX. commit b8f24cec48954a3d6ecddf67cfbd3579a4700102 Author: John Bowman Date: Mon Jun 10 08:48:16 2019 -0600 Fix typo in configure.ac. commit df9b9879723ddf19b5c60cb8c7f33cacb80429da Author: John Bowman Date: Fri Jun 7 14:39:18 2019 -0600 Increase default shininess. commit 9548fca8a3209525e7e2aa3f9b2f5569df0a4137 Author: John Bowman Date: Tue Jun 4 18:19:24 2019 -0600 Re-enable transparency. commit 5ccced67c49c7bee57bf794fd1c643b8b7ce3604 Author: John Bowman Date: Tue Jun 4 18:10:08 2019 -0600 Update fragment shader material. commit 76ec999c4bf3606cbccfa1721ebc20a2ab4f8a04 Author: John Bowman Date: Tue Jun 4 17:57:55 2019 -0600 Simplify code. commit a20bfae054ca67b1567531de952a80608955d777 Author: John Bowman Date: Tue Jun 4 17:47:49 2019 -0600 Pack material floats in a vec4. commit 8fd7f10e9590568224daffcff34abee98d8cc0f2 Merge: 81bba72d 549c3665 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Jun 4 17:46:18 2019 -0600 Merge branch 'glupdate' of github.com:vectorgraphics/asymptote into glupdate commit 81bba72df18e0c389b97da1543956295f67692be Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Jun 4 17:45:52 2019 -0600 Fix material color argument order. commit 549c3665c073877d5a619d4d82b57a3695e6ab1b Author: John Bowman Date: Tue Jun 4 17:07:58 2019 -0600 Fix padding. commit 356e8d01b8066ef014e777c9ec0e41a0997995e8 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat Jun 1 14:58:22 2019 -0600 Minor updates; tried Beckmann NDF. commit 24ccec91a0632d1b8799572339f8805065472f55 Merge: ea6f3787 71f10dc1 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue May 28 14:43:14 2019 -0600 Merge pull request #97 from vectorgraphics/master. Update glupdate branch from master. commit ea6f3787c17b1fa600093edc27b5823e682d6924 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue May 28 13:34:17 2019 -0600 Update todo. commit 63213532057c29df34b022cdbf2951e8364b9345 Author: Supakorn "Jamie" Rassameemasmuang Date: Mon May 27 20:03:58 2019 -0600 Add in metallic/F0 option. commit 71f10dc1f8ebd3e696f87c220c3e9918ff3b80c1 Author: John Bowman Date: Sun May 26 22:56:21 2019 +1000 Detect gamma instead of sqrt function in libm. commit cc9be83022f3506b4adfc2c8face25532f40880f Merge: f4784eac b4884e1a Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 25 15:43:46 2019 -0600 Fix merge. commit f4784eac5f2a6da00a0d7d9b573eedbf836a8fa1 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 25 15:35:07 2019 -0600 Minor fix on ndef. commit b4884e1a06b14803332d771fda79d1724ede5882 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 25 15:40:13 2019 -0600 Fix matching braces. commit 848beeeaaf30a4323f250113c88bfbdcdc45875b Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 25 15:35:07 2019 -0600 Make environment map explicit. commit b66b16a184fe1177b2f66b8fbcd9626e2f8858c6 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 25 15:22:56 2019 -0600 Minor fixes in OIIO. commit fbc06f15929c395b3714323a67e0e5311e10682b Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 25 15:17:16 2019 -0600 Enable checking texture flag and experimental IBL. commit 5fcefde8e8d991c74f7d5962776d4a8fc1b9bee9 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 18 16:30:22 2019 -0600 Add usegl4 option. commit 06e51e8299f101628d1662fa363cd128a5fb7482 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 18 15:22:03 2019 -0600 Add in some notes on image files. commit a2092901986f6453aed451d2849107ad912f9e86 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 18 14:56:22 2019 -0600 Add the correct angle formula. commit b61333827cc39a20de3f1abbb032dd3b832c76c2 Author: Supakorn "Jamie" Rassameemasmuang Date: Sun May 12 15:31:12 2019 -0600 Add loading texture. commit 1a35d3c9b5bd8ad9c5f3e74e9da91e9eab4593e3 Author: Supakorn "Jamie" Rassameemasmuang Date: Sun May 12 14:51:25 2019 -0600 Add OpenImageIO library. commit b642331477ce96d38a0cb7b212acbcf2c7291c1a Author: Supakorn "Jamie" Rassameemasmuang Date: Sun May 12 14:35:20 2019 -0600 Add C++ property settings. commit 271020803bbea7704e4325cc618723d4381ef472 Author: Supakorn "Jamie" Rassameemasmuang Date: Sun May 12 14:34:25 2019 -0600 Modify settings. commit d8d814cb6e54dc45532c8c1a896bfe797ca097e6 Author: John Bowman Date: Thu May 9 22:10:26 2019 -0600 Remove unused code. commit 5e9613851a98037de0317b2d5dd30680a594eb55 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue May 7 19:36:56 2019 -0600 Change metallic back to 0. commit ef4d2df309af70ac30e9c4a5659a2bdf9594cd84 Author: Supakorn "Jamie" Rassameemasmuang Date: Tue May 7 19:35:53 2019 -0600 Fix normal flip in double-sided rendering. commit 7767056d25e35bf70f437d1134d5a52e64a81d3e Author: Supakorn "Jamie" Rassameemasmuang Date: Mon May 6 20:59:02 2019 -0600 Add some notes on material changes. commit 29369d96d32424b1bd16f1f0a60e4d883e82c45f Author: Supakorn "Jamie" Rassameemasmuang Date: Mon May 6 20:49:30 2019 -0600 Remove some variables. commit ab452eb2b668f22509c2ff57674c0bc286cbb8aa Author: Supakorn "Jamie" Rassameemasmuang Date: Mon May 6 20:44:14 2019 -0600 Add first version of PBR. commit e02cdd23128913a992e996cc2a7b7070568bc618 Author: Supakorn "Jamie" Rassameemasmuang Date: Sat May 4 23:35:07 2019 -0600 Add debug configuration. commit e37826c1f792a6ba04254eeff56fe63258e293c2 Author: John Bowman Date: Thu May 2 16:38:07 2019 -0600 Fix warning messages. commit 6c6b5c8b02278de815b4351a18d99393b78bd16a Author: John Bowman Date: Thu May 2 16:35:25 2019 -0600 Fix warning messages. commit 7382b5a8016981d5503a3d3442903ac9ddf17e6f Author: John Bowman Date: Thu May 2 16:28:45 2019 -0600 Update fftw++; fix warning message. commit 8f641c83362c04460251f884493b1c3536274192 Merge: abd3f761 43b43ae8 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Apr 26 12:35:50 2019 -0600 Merge pull request #94 from vectorgraphics/master Merge master branch into glupdate. commit 43b43ae8fe3b4558a9086bd8343b490502acde4e Author: John Bowman Date: Thu Apr 11 08:28:47 2019 -0600 Improve missing garbage collector instructions. commit 9eed805451ffaff7833ca86bd4a5dbea92cdf9d6 Author: John Bowman Date: Fri Apr 5 06:58:06 2019 -0600 Simplify code. commit 649e87c9a6ad587bf92c6aaf6bd16f2a2153a182 Author: John Bowman Date: Thu Apr 4 18:07:56 2019 -0600 Update GLEW and OSMesa paths for MacOSX. commit 1c8809563ba9f92f560f8da3284994a26c9c6c51 Author: John Bowman Date: Tue Apr 2 11:39:43 2019 -0600 Update build script. commit ead3d5e9ae1e325738606d9f2420b39dfe48e4e0 Author: John Bowman Date: Tue Apr 2 11:11:56 2019 -0600 Increment version to 2.50. commit c53b4ef0bb51b4c022c580f912bbdfe3f2cb7c0b Author: John Bowman Date: Tue Apr 2 10:01:46 2019 -0600 Update build script. commit 74dc51a9d28eefcc1d628aa580da443ceed015c9 Author: John Bowman Date: Tue Apr 2 09:54:01 2019 -0600 Fix fuzz and soccerball example. commit 1f92dbaf87bf93635fdb67f83e57268893707cec Merge: 211c791b 6fad4a32 Author: John Bowman Date: Sun Mar 31 23:48:48 2019 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 211c791b7d64ff6c6c3060519b3a8d151835acc8 Author: John Bowman Date: Sun Mar 31 13:10:44 2019 -0600 Update to Boehm gc-8.0.4. commit 6fad4a32d4b786782504b3368d0aa1ce13fbd4d5 Merge: 819de76a d1d56093 Author: John Bowman Date: Sun Mar 31 10:23:57 2019 -0600 Merge pull request #92 from mojca/whitespace Convert tabs to spaces in configure.ac. commit 819de76a7e70a382320efa7d0e3f32ee9255c3f4 Author: John Bowman Date: Sun Mar 31 10:08:27 2019 -0600 Remove unused code. commit 2df557185b5b5b335cc7a87cce3dd379cbfcf79a Author: John Bowman Date: Sat Mar 30 10:46:15 2019 -0600 Fix portablity issues; remove unused code. commit d1d560934374c253363567c8f36f2694cd3126c7 Author: Mojca Miklavec Date: Fri Mar 29 21:21:40 2019 +0100 Convert tabs to spaces in configure.ac. commit 404eda801e7f182649a37879c3aa2b7e60b2f143 Author: John Bowman Date: Thu Mar 28 13:26:04 2019 -0600 Address portability issue. commit 6d26cbff78572fe2cb4236eb57f65d59b6c44f31 Author: John Bowman Date: Thu Mar 28 12:53:54 2019 -0600 Fix portabiliity issues. commit ecc393f7e8929beced0d903ca07c12262d27fbaf Author: John Bowman Date: Wed Mar 27 01:33:28 2019 -0600 Increment version to 2.49. commit 54570f91bb95d024cd1ba37e46593f909edf0c62 Author: John Bowman Date: Wed Mar 27 00:35:12 2019 -0600 Update examples. commit 7250a9576345bf7c1abac146871a18e1eaf9b06d Author: John Bowman Date: Wed Mar 27 00:28:18 2019 -0600 Fix fuzz usage. commit cc5346e91bbfa7f81178e04d22d9771157ed189b Author: John Bowman Date: Tue Mar 26 22:11:24 2019 -0600 Apply further workaround for broken MSWindows drivers for Intel GPU. commit f66446d81dd2aa529ed8eb8a8c164e7f7ad4a478 Author: John Bowman Date: Tue Mar 26 20:34:57 2019 -0600 Fix portability issues. commit 8f8011e03b60829a75a5aff6fe0348a07cb318ed Author: John Bowman Date: Mon Mar 25 02:27:16 2019 -0600 Fix Makefile. commit 78eb88e287cb9e7897146c259920ac3832553612 Author: John Bowman Date: Sun Mar 24 15:43:55 2019 -0600 Support --disable-gc again. commit fd5b45ad85d63886f3b72540997acb8bf05f99a5 Author: John Bowman Date: Sun Mar 24 15:30:48 2019 -0600 Document material buffer sizes. commit 26a677733ff91348219775e89542c65130cdf200 Author: John Bowman Date: Sun Mar 24 15:16:17 2019 -0600 Reduce number of shader recompilations. commit 6539c75e327241401bcd532be89250d96179a47b Author: John Bowman Date: Sun Mar 24 15:09:55 2019 -0600 Rename shader files. commit 1833dcf8a1e8c80c27c64a975a23f9b06278105d Author: John Bowman Date: Sun Mar 24 12:22:50 2019 -0600 Fix lighting and material limits. commit 92ab2cf7bbf55e16c4e64cf0c67bb5bd12bff3f9 Author: John Bowman Date: Sat Mar 23 10:38:42 2019 -0600 Fix segmentation fault. commit 5ccc69edaae8b06db323a7db5d4812d89310ed1f Author: John Bowman Date: Fri Mar 22 16:43:38 2019 -0600 Improve example. commit 6e2f7c547a6a0c634e55f7508b4ea4d5325aab72 Author: John Bowman Date: Thu Mar 21 16:52:13 2019 -0600 Fix bug in f82e7672184f0b0ff91efd57a74a60269cd43ca2: update fuzz-dependent quantities. commit 4997b77e6d00dda91adef3741574b7bb41e09d87 Author: John Bowman Date: Sun Feb 24 11:37:54 2019 -0700 Simplify code. commit 1cf5fcb7316084d1d71d12719d75364a0474bc9b Author: John Bowman Date: Fri Feb 8 23:15:37 2019 -0700 Fix deletion of artifical variables; always use Bland's rule. commit a30061c913e099879a1c5250bc65cd7e718bcbce Author: John Bowman Date: Tue Feb 5 06:36:35 2019 +1100 Workaround broken MSWindows drivers for Intel GPU. commit 126a405dccfa51e6c1f1158c2f0084d54013ddc2 Author: John Bowman Date: Tue Feb 5 06:33:02 2019 +1100 Fix drawpath3. commit 649ae913c25ee87dc0ce6226146e063703ddfc9f Author: John Bowman Date: Tue Feb 5 02:02:40 2019 +1100 Place temporary cap on Nmaterials. commit d306a51bb1732cc420b9f1bdea0bc5a75ce820e5 Author: John Bowman Date: Sun Feb 3 19:25:24 2019 -0700 Fix MSDOS configuration. commit f8f4c113dd5ea56c1a3b47b3ad8926fda1792dd6 Author: John Bowman Date: Sun Feb 3 00:26:23 2019 -0700 Implement maxvertices for working around OpenGL queueing limitations. commit b644f8df7bf867991fba1b4bfea3460db564affb Author: John Bowman Date: Sat Feb 2 12:01:17 2019 -0700 Simplify code. commit fe761482993f4c6e0dc22e68a8bb5e8cea553f23 Author: John Bowman Date: Sat Feb 2 11:39:15 2019 -0700 Simplify code. commit 4bfc78893a05e83d6698b349b24c3390872e903d Author: fahasch Date: Sat Feb 2 12:02:42 2019 +0100 Palettes from matplotlib For high quality density plots it is very important to have many well designed colormaps at hand. This module offer over 50 new colormaps. It has sequential colormaps, diverging colormaps, and cyclic colormaps. commit f82e7672184f0b0ff91efd57a74a60269cd43ca2 Author: John Bowman Date: Sun Jan 27 22:08:40 2019 -0700 Speed up min, max, minratio, maxratio, and intersection calculations by increasing fuzz as depth decreases. commit e4283310b3fc84b838f233ee06b0c2b301264cc4 Author: John Bowman Date: Sun Jan 27 20:45:15 2019 -0700 Fix Nmaterials. commit f8cd7d09dd1d3b6a0215338a71909deac4deecc2 Author: John Bowman Date: Sun Jan 27 14:52:01 2019 -0700 Clear material buffer before it reaches GL_MAX_UNIFORM_BLOCK_SIZE. commit 0d057d35cb30d52f33db9f155c880ed8f8a1d7d2 Author: John Bowman Date: Sun Jan 27 14:49:57 2019 -0700 Suppress spurious SIGTERM. commit 8a2f965e64db8d2368abdb9ccd0a176b657b0c76 Author: John Bowman Date: Sat Jan 26 21:21:36 2019 -0700 Restore examples. commit 2a69ec434b6924ef42b2338563b391e763b13ff0 Author: John Bowman Date: Sat Jan 26 21:17:54 2019 -0700 Fix tiling. commit e7519239b74773e1757acf277df9a4f00c50880a Author: John Bowman Date: Sat Jan 26 20:48:41 2019 -0700 Integrate tesselation into batch drawing routine. commit 6673503f8b31a7d0ae9d840176d9a5dbe6dc7248 Author: John Bowman Date: Sat Jan 26 17:22:40 2019 -0700 Sort and draw transparent triangles in one batch. commit 20dd8537d4a48b966c3b81367beaf098e2ce277e Author: John Bowman Date: Sat Jan 26 14:13:57 2019 -0700 Pack explicit shader colors. commit ce1afeef0b1b6ce824ab81a50c1d3a6679fd5285 Author: John Bowman Date: Sat Jan 26 08:51:28 2019 -0700 Implement material index. commit 4fd60c4218faca42ae38fab86b50d56a0ff021a0 Author: John Bowman Date: Wed Jan 23 23:48:50 2019 -0700 Simplify code. commit d27ff2af8eabf82418005a24d5f07fffb502355b Author: John Bowman Date: Wed Jan 23 23:38:25 2019 -0700 Remove hard-coded number of lights. commit a0f18816ee21a814ef8b16e0b0f717c72a37f327 Author: John Bowman Date: Wed Jan 23 22:15:21 2019 -0700 Remove GL_ARB_gpu_shader5 requirement. commit 786f615ea087e0f542f9697c20ad460d5a0fac5b Author: John Bowman Date: Wed Jan 23 20:46:19 2019 -0700 Downgrade to GLSL 1.30. commit 8506a29977e9437851759a59087b433a39f1c44a Merge: 1eb6fd84 f106987c Author: John Bowman Date: Wed Jan 23 19:30:40 2019 -0700 Merge branch 'master' into gl330. commit f106987c917bcb2f8b34cfc912fee88112b09bfd Author: John Bowman Date: Wed Jan 23 19:25:23 2019 -0700 Port to MSDOS. commit da5f9d09aa48aabc16ac3aa9c3b5c5632805339d Author: John Bowman Date: Tue Jan 22 20:19:13 2019 -0700 Require OpenGL 4.30. commit 1eb6fd84f009dc32af52802d0445a4442a54a709 Author: John Bowman Date: Tue Jan 22 13:02:50 2019 -0700 Backport to OpenGL 3.3. commit a56ab24fb1fd8092bd67aaf03b29763045bfc19e Author: John Bowman Date: Mon Jan 21 22:35:22 2019 -0700 Update build-asymptote.dos. commit 26e6e567dd6a6d56538e76a1bc426f33ed29d20c Author: John Bowman Date: Mon Jan 21 22:11:51 2019 -0700 Add CYGWIN freeglut-3.0.0 patch. commit f66a3427010389d31135ef0e12a2c11f90952c7e Author: John Bowman Date: Mon Jan 21 21:34:47 2019 -0700 Install and check for shaders. commit fdaeeb5d054b9c9faca7718fd5f695c1baeec722 Author: John Bowman Date: Mon Jan 21 06:40:16 2019 -0700 Port shader to MSDOS. commit 8393599bed33a1063411b9eeffb63b91898a468a Author: John Bowman Date: Mon Jan 21 00:03:42 2019 -0700 Port to MSDOS. commit 8b7207a65f759e98d9b6001aab3660e6670099ec Author: John Bowman Date: Sun Jan 20 23:01:52 2019 -0500 Port to MSDOS. commit 59d7b37b61e628a9daa33dc9d79a74cceee40193 Author: John Bowman Date: Sat Jan 19 10:33:58 2019 -0700 Check for GLEW library during configuration. commit 37943204fdbbcefc995d7d6340e0bd17a3681c84 Author: John Bowman Date: Tue Jan 15 22:45:01 2019 -0700 More portability fixes. commit 652fb33c5c603caf77c9003d7badab95398e30dc Author: John Bowman Date: Tue Jan 15 21:47:06 2019 -0700 Require only c++-11. commit 45edbf3b4a7fcece700576a00f5c46d275154c34 Author: John Bowman Date: Tue Jan 15 17:51:58 2019 -0700 Remove unused code. commit b2b77e004ab3784e6ecc6dbefdeffa50eccb55e3 Author: John Bowman Date: Tue Jan 15 17:40:51 2019 -0700 Remove unused code. commit c9a6a08e1821480670fd8748b91f827c87af2e75 Author: John Bowman Date: Tue Jan 15 17:36:24 2019 -0700 Remove unused include. commit 6ee6e8a6640158b7c85da16ea82e852e0fccebc5 Author: John Bowman Date: Tue Jan 15 15:26:45 2019 -0700 Update asymptote.spec. commit 9b1407e65518be9e8493dfe1a802b18d3052bfdb Author: John Bowman Date: Tue Jan 15 13:17:24 2019 -0700 Update build scripts to Boehm gc 8.0.2. commit 12b3a085dc52b79da46fa9cd6fb7b843980a4a32 Author: John Bowman Date: Tue Jan 15 13:14:02 2019 -0700 Update to Boehm gc 8.0.2. commit abd3f7616ff00e5cc19fb9ebee0ed7f11d4c4367 Author: John Bowman Date: Sun Jan 13 22:00:48 2019 -0700 Use static attributes. commit b7c3a5ec50cf30be6edfc87bfafd1815fd7f16f4 Author: John Bowman Date: Sun Jan 13 21:40:47 2019 -0700 Fix lighting model. Specify all lights in viewport frame. Remove unused code. commit a2fb848f5944c8acca7a3425a5c14d1eaf3526fe Author: John Bowman Date: Sun Jan 13 14:50:08 2019 -0700 Remove dependence on deprecated GLU library. commit ca9a12aac5107ffb21901569289a4e45fa8ff6c7 Author: John Bowman Date: Sun Jan 13 11:13:31 2019 -0700 Implement tesellation (many triangles) in new shader. commit cf60d572922a9708443683b8ffa610063bbca800 Author: John Bowman Date: Sat Jan 12 20:43:02 2019 -0700 Move lighting code out of setUniforms. commit 5126dd3e6eb1432ba0b60214b4a26de7f379e69e Author: John Bowman Date: Sat Jan 12 19:55:08 2019 -0700 Simplify code. commit 16213b13921e57381a87fd2f047c7e1c59458387 Author: John Bowman Date: Sat Jan 12 19:41:29 2019 -0700 Simplify code. commit c95d3ea1deed86a9b0af8db7b9ff81facab00d4c Author: John Bowman Date: Sat Jan 12 19:09:35 2019 -0700 Remove arbitrary limit on number of lights. commit 2caa67789a014fd206bc55fab2587be538f739e0 Author: John Bowman Date: Thu Jan 10 21:06:14 2019 -0700 Fix pixel object. commit 52267dc8b614bbb8138ae6195efb4ceeba1e2e66 Author: John Bowman Date: Wed Jan 9 23:38:04 2019 -0700 Port pixel to new shader. commit 8eacd6dc8b15fe1db7d1fb914f80d6887d9a74df Author: John Bowman Date: Wed Jan 9 21:26:13 2019 -0700 Fix segmentation fault. commit 626521dbed9479d9db083a0b6671acf8c8418282 Author: John Bowman Date: Wed Jan 9 21:16:58 2019 -0700 Move pixel code to drawpath3. commit db3a151d0b71d26c7134b604d972b095ff28adfb Author: John Bowman Date: Wed Jan 9 20:20:23 2019 -0700 Delete buffers on clear. commit 079c558a1f93f6cbff44fe80dfe57b1f4b7e4750 Author: John Bowman Date: Wed Jan 9 15:56:48 2019 -0700 Fix transparency. commit 9d9a790b03f5f276c5241503f2644942e6bc24b9 Author: John Bowman Date: Mon Jan 7 21:22:31 2019 -0700 Remove unused code. commit 0f58cdd6947cffce536a1aa2a96160baf3ea3aca Author: John Bowman Date: Mon Jan 7 21:17:07 2019 -0700 Simplify code. commit e26920c6ac62d6f335daae081428ff334a720c4f Author: John Bowman Date: Mon Jan 7 21:11:49 2019 -0700 Remove unused code. commit 1048f4d87638aaca0793bb8a5c20be1cd630de54 Author: John Bowman Date: Mon Jan 7 20:41:23 2019 -0700 Simplify code. commit ddeca77682ea6ef4da0fddbe7295c11e26b5286b Author: John Bowman Date: Sat Jan 5 22:53:28 2019 -0700 Use Phong-Blinn lighting model in shader. commit 0f43602199fca48d353477504f881acfdb1f426e Author: John Bowman Date: Sat Jan 5 22:52:07 2019 -0700 Update documentation. commit 29f0d3ccfbbbf8d7b0bc1bf81aa95859593288cf Author: John Bowman Date: Sat Jan 5 16:34:20 2019 -0700 Remove unused code. commit 9671ef6f9c6d2ad6f78dc2c0e276fe5012c9509d Author: John Bowman Date: Fri Jan 4 20:11:00 2019 -0700 Remove menu due to incompatibility with new shader. commit d4048f9224de194a6587908b2fb3f01912e0d8ad Author: John Bowman Date: Fri Jan 4 18:49:55 2019 -0700 Port Bezier curves to new shader. commit e13aa6c6c840e6cd45b2e39dace8bba8528a7714 Author: John Bowman Date: Fri Jan 4 12:37:38 2019 -0700 Reinstate sorting of transparent triangles. commit b050a1b46b5c01706465c6fe942aad133499c01d Author: ivankokan Date: Fri Jan 4 16:55:08 2019 +0100 Routines are shifted, hence ordinary numbers are changed + missing keyword explicit commit eb8fe25a71efa3ec8cba807bfd1d30078bdc85c1 Author: John Bowman Date: Fri Jan 4 08:44:26 2019 -0700 Update documentation. commit 68f88a9036b87296918f138a5294d32632f31609 Author: ivankokan Date: Fri Jan 4 16:27:57 2019 +0100 Updated docs with missing void dot(...) commit 28bfc3a3b786de71c0e93069f0d2f3c18d2e7324 Author: John Bowman Date: Fri Jan 4 07:26:00 2019 -0700 Fix tiling. commit 7b1fe1f3f4c173029f1759a5b1c337540e85437f Author: John Bowman Date: Fri Jan 4 07:00:07 2019 -0700 Remove remaining GL_MODELVIEW_MATRIX usages. commit 67873c000568b82a1caa4df5c748dc57bafa878b Author: John Bowman Date: Thu Jan 3 21:04:43 2019 -0700 Remove unused code. commit 6836efe332e30b94c8c41e63899fac3a319a2f16 Author: John Bowman Date: Thu Jan 3 20:57:21 2019 -0700 Do camera calculations in double precision. commit 60d2c0e07174e2050af00236e286bdfac9c191ca Merge: 6d6a6535 aa08fb34 Author: John Bowman Date: Tue Jan 1 21:32:41 2019 -0700 Merge branch 'master' into glupdate. commit aa08fb34573824b7fa939cfaeddce802d8990e03 Author: John Bowman Date: Tue Jan 1 21:27:40 2019 -0700 Disable experimental offscreen rendering by default due to NVIDIA conflicts. commit 44f31905cdaafd6cd64d94be4a487eb4d24b401c Author: John Bowman Date: Fri Dec 28 02:20:16 2018 -0700 Fix ghostscript arguments. commit 60acb54ca61ba808d64aa0e28c1c64c853380083 Merge: d98f3793 5fb1fecb Author: John Bowman Date: Fri Dec 28 01:40:44 2018 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote. commit d98f3793c4df96dcae238312aac889502912872d Author: John Bowman Date: Fri Dec 28 01:40:11 2018 -0700 Implement workaround for Ghostscript transparency extension -dSAFER bug. commit 5fb1fecb5fa11508c216d2fa39cf4eac247f5254 Author: Supakorn "Jamie" Rassameemasmuang Date: Mon Dec 24 16:44:56 2018 -0700 Add EOL marker. commit 6d6a65354125d6beef1e7115b4f9127f09ee559c Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Dec 21 15:45:15 2018 -0700 Fix last commit on struct data. commit 5655f851d3762a80c559078bba9c9899c37f9c90 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Dec 21 15:44:52 2018 -0700 Centralize render data exchange. commit 25ccee4d0fb257c223f786bfd151583a32c1aa2b Merge: 25668b72 924bd6b1 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Dec 21 15:15:25 2018 -0700 Merge branch 'glupdate' of github.com:vectorgraphics/asymptote into glupdate commit 25668b728a8b77c54fa428fb23ceec106e6c2562 Author: Supakorn "Jamie" Rassameemasmuang Date: Fri Dec 21 15:15:21 2018 -0700 Update modelViewMatrix linkage. commit 924bd6b1d9586ff8c2ce15a070826c20a1660be4 Author: John Bowman Date: Fri Dec 21 13:12:43 2018 -0700 Use standard asy search path to locate shaders. commit 0a42fbde8f86592dc888ecc58abf37c4c4d3bc3b Author: Supakorn "Jamie" Rassameemasmuang Date: Thu Dec 20 17:03:58 2018 -0700 Fix ModelView Matrix. commit d1fbe2c9df2b00d7556309a8fd53866fa75a9e8d Author: John Bowman Date: Thu Dec 20 16:15:00 2018 -0700 Fix dual simplex exit conditions. commit 32b00922c75c6c4221b58ed91ff50a2f7ae1cbd0 Author: John Bowman Date: Sat Dec 15 19:10:04 2018 -0700 Add missing dual argument. commit 4da31b4727444458a041c36e9e36ad772614b87c Author: John Bowman Date: Sat Dec 15 19:09:09 2018 -0700 Fix phase1=false and dual modes. commit 634f7476ea373a8dac95c537436fbcf73c7cfdbd Author: John Bowman Date: Sat Dec 15 10:32:46 2018 -0700 Fix phase1=false optimization. Add support for dual simplex method. commit 64f568fe2ef00b8873ff06405d708502a6273d19 Author: John Bowman Date: Thu Dec 13 20:31:27 2018 -0700 Improve diagnostics. commit 3c6736096056c8c26d092c5d71d0987a17b66b41 Author: John Bowman Date: Thu Dec 13 15:38:20 2018 -0700 Fix position of diagnostic. commit 280d717c9c870cf66f01f324472d2de1424aeeab Author: John Bowman Date: Fri Dec 14 07:52:02 2018 +1100 Drive artificial variables out of basis. commit 2113adb6f8ba236eb7ce08d76a464f52e3b3bb3b Merge: 494cf1d0 f3da29c7 Author: John Bowman Date: Tue Dec 4 15:58:18 2018 -0700 Merge branch 'glupdate' of github.com:vectorgraphics/asymptote into glupdate commit f3da29c7a4ab507d998fdb2977956ecdb764c22f Author: Supakorn "Jamie" Rassameemasmuang Date: Tue Dec 4 15:49:49 2018 -0700 Remove glext.h and add GLEW library. commit ffabb72fdf2df5753e9d60535a9eb13fe23534f8 Merge: 0dbed3fc 632607db Author: Supakorn "Jamie" Rassameemasmuang Date: Sun Dec 2 14:17:53 2018 -0700 Merge branch 'master' into glupdate. commit 494cf1d0dc9f567d758377a1dab6f93617d63d10 Merge: 0dbed3fc c69fb7d6 Author: John Bowman Date: Tue Nov 27 14:12:14 2018 -0700 Merge branch 'master' into glupdate. commit 0dbed3fc839e868febbecc278ef0d4672aa92314 Author: John Bowman Date: Thu Nov 22 17:18:40 2018 -0700 Reinstate Rotate matrix. commit c69fb7d6f4f9d058c18996b5fb4c6d9f3212b94c Author: John Bowman Date: Wed Nov 14 13:30:52 2018 -0700 Add pivot diagnostics support in rationalSimplex.asy. commit 632607db0ce948d3502d75274e8a12014f0e8aa1 Author: John Bowman Date: Tue Nov 6 10:46:11 2018 -0700 Add diagnostics to rationalSimplex; use Bland's rule. commit 85000d2ee926bae8dbfd79d6b2daa11231fd112f Author: John Bowman Date: Sun Nov 4 09:17:42 2018 -0700 Fix phase1=false for standard-form interface. commit 4867651a75934de3a664acf4ffe14b34d4ee19e4 Author: John Bowman Date: Sun Nov 4 00:48:37 2018 -0600 Update documentation. commit 8e109fe1136926bc48f81a6ea3f44b96e9602967 Author: John Bowman Date: Sun Nov 4 00:46:18 2018 -0600 Fix and re-enable phase1 optimization; add missing rational operators. commit 38a59370dc5ac720c29e1424614a10f7384b943f Author: John Bowman Date: Wed Oct 3 07:24:39 2018 -0600 Port to gc-7.6.8. commit 743dcbd36624b682958c6e6fa5de808b0c871bd7 Author: John Bowman Date: Thu Sep 27 17:16:32 2018 -0600 Fix stroke=true bug. commit 5379d0cec0d774b532bd389c6268711adf2067a5 Author: John Bowman Date: Thu Sep 27 16:25:36 2018 -0600 Minor documentation edits. commit d9ee7b4bfe23f5355f9d62701599af00b242bc79 Merge: c172ffeb 1b22b181 Author: John Bowman Date: Wed Sep 26 08:12:35 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit c172ffeb32e1dad161688bac45fd96fe927dafa5 Author: John Bowman Date: Wed Sep 26 08:12:24 2018 -0600 Handle zero counts. commit 1b22b1813f11bb9f9a2a9de7b70ad61eaffd136b Author: Supakorn Rassameemasmuang Date: Wed Sep 12 22:09:19 2018 -0600 Fix latexmkrc for Windows and add author's name. commit e86ee4696b6fb87c3e2cb8da76138867da789409 Author: Supakorn Rassameemasmuang Date: Sat Sep 8 17:39:14 2018 -0600 Fix latexmkrc URL. commit c2e37f99ab05001964c0271c9e693ac86fe88f54 Author: Supakorn Rassameemasmuang Date: Mon Sep 3 19:42:14 2018 -0600 Remove transformations from light direction. commit cf3f4d1e199cd8a9a460f9614446d2675b7fcbbe Author: Supakorn Rassameemasmuang Date: Mon Sep 3 19:20:22 2018 -0600 Add basic blinn/phong model. commit c0640d76ee67f3266a2347e5b2f2bf142a4705e3 Author: Supakorn Rassameemasmuang Date: Mon Sep 3 16:53:03 2018 -0600 Pass in material to GLSL. commit 427ff0d076dbc3f2edd6755d7b667c266a48d35b Author: Supakorn Rassameemasmuang Date: Sun Sep 2 19:35:08 2018 -0600 Add material struct. commit f52101d84f23e7111fc104f77f4e39213ce3a27c Author: Supakorn Rassameemasmuang Date: Sun Sep 2 18:47:27 2018 -0600 Fix trace ignore. commit b335d897196d24aaccdde3e99723e8d212c0d356 Author: Supakorn Rassameemasmuang Date: Sat Sep 1 22:26:17 2018 -0600 Finally add VAO as a requirement. commit d2996cbcac12ed9f5299e25f317d968c0c6e2e3e Author: Supakorn Rassameemasmuang Date: Sat Sep 1 21:27:38 2018 -0600 Fix VBO/EBO binding. commit 1fd9c7d384475bec22098a8e9fac39cb77e43f56 Author: Supakorn Rassameemasmuang Date: Sat Sep 1 17:16:25 2018 -0600 Allow for proper buffer data transfer. commit 83c2b62df0132a310ce3d234fcc7be463b7795d6 Author: John Bowman Date: Fri Aug 31 22:11:50 2018 -0600 Begin development of webgl output. commit adbb32fdd380304839cb401c76ea2ab662edfe65 Merge: 23c4bd2d df015058 Author: John Bowman Date: Fri Aug 31 17:57:46 2018 -0600 Merge branch 'webgl'. commit df015058a329bc2c50898673fb77ab63cb684239 Author: John Bowman Date: Fri Aug 31 17:56:58 2018 -0600 Rename webgl files. commit 23c4bd2d53cdc577eeed0cac28d73439eb4f3e84 Merge: c41bc347 48fc03cf Author: John Bowman Date: Fri Aug 31 17:33:40 2018 -0600 Merge branch 'webgl'. commit c41bc347ba6303190d0f5293507640eff7cc7a62 Author: John Bowman Date: Fri Aug 31 17:28:21 2018 -0600 Create index.html commit 48fc03cf2cd9bb8d12de45fdc414daf9dc1e0ca0 Author: John Bowman Date: Fri Aug 31 17:20:41 2018 -0600 Add WebGL files. commit a08121dc7deeda1a1cd3cbacbe52f95deba69ce0 Author: John Bowman Date: Fri Aug 31 12:23:44 2018 -0600 Work around dvisvgm bound box lower threshold. commit fd66ec5e916f1c750ef7cfa7c40fda372fd1ab53 Author: Supakorn Rassameemasmuang Date: Thu Aug 30 17:50:24 2018 -0600 Make rotation use glm::matx. commit 28ea1444cbe53b6e8be16597cb424f76b8a7d131 Author: Supakorn Rassameemasmuang Date: Thu Aug 30 00:35:00 2018 -0600 Get basic shader working. commit 1753e2fcf110add939514c4a743b7612045827bc Author: John Bowman Date: Tue Jul 31 00:47:07 2018 +0200 Increment version to 2.48. commit 67f0c4b2d24adc346d7b616b13298903433c5910 Author: John Bowman Date: Mon Jul 30 23:23:47 2018 +0200 Minor optimization. commit 541b4014c2ad7fd63d845c3ffb6a33a6459c12eb Author: John Bowman Date: Mon Jul 30 23:07:55 2018 +0200 Fix scaling (allow second variable in Simplex method to be negative). commit 28bc9c75a1393cceb0cb719881804615ec09f05f Author: John Bowman Date: Mon Jul 30 11:23:04 2018 +0200 Generate EPS only for single-page documents. commit 89d2c88c2945096e5d765e3d9fe76163f8f553e2 Author: John Bowman Date: Mon Jul 30 10:02:53 2018 +0200 Remove .vscode from releases. commit 39454327d81d169aa48fc25f6397afa0bba83be4 Author: John Bowman Date: Mon Jul 30 09:57:43 2018 +0200 Remove unused files. commit 2157692a4b640473b188cdee545a431fea67e15b Author: John Bowman Date: Mon Jul 30 05:42:26 2018 +0200 Fix uptodate flag; remove spurious directory. commit aba57e58c0292a3298bc132298671814aeb67fc4 Author: John Bowman Date: Mon Jul 30 04:42:23 2018 +0200 Fix URL in README. commit fa2aa36e9cea341aad6ab0e3bf49db93001069c5 Author: John Bowman Date: Mon Jul 30 04:33:10 2018 +0200 Fix bsp module. commit 22d2b8d37da35bf1d0d6a1ddf75e1db32885ede0 Author: John Bowman Date: Sun Jul 29 13:22:04 2018 -0600 Increment version to 2.47. commit 4eee33bc01e444c03242eefbce091bed40d3f835 Author: John Bowman Date: Sun Jul 29 11:29:27 2018 -0600 Fix relative alignment under picture rotation. commit 9edc023b2c37d0ea50972c1ab784ee9e1e100d55 Author: John Bowman Date: Sun Jul 29 01:42:29 2018 -0600 Fix commit 451a260ae50d02867c1e54726a68d8af2c55761d. commit 451a260ae50d02867c1e54726a68d8af2c55761d Author: John Bowman Date: Sat Jul 28 09:35:16 2018 -0600 Fix shipout issues. commit ae6d9d312ab21212216960f56122ffe8e0c7fa2a Author: John Bowman Date: Sat Jul 28 06:24:46 2018 -0600 Account for pen width in bbox. commit 3ea27282e2a79139cd5600ee31b8e1b451eb2d03 Author: John Bowman Date: Fri Jul 27 02:02:17 2018 -0600 Don't use defaultGhostscriptLibrary location in MSWindows registry since TeXLive dvisvgm requires 32-bit version, even on 64-bit platforms. commit 3b49296799c14832747db90150d23067f946683a Author: John Bowman Date: Sat Jul 21 18:00:11 2018 -0600 Increment version to 2.46. commit 19dd6cc8027597d5e2ca25b07db2851d9771f03c Author: John Bowman Date: Sat Jul 21 15:37:27 2018 -0600 Revert "Update path." This reverts commit f63df996a86c935c51e09c47fe9c0aa2a8d7dc2d. commit f63df996a86c935c51e09c47fe9c0aa2a8d7dc2d Author: John Bowman Date: Fri Jul 20 23:09:03 2018 -0600 Update path. commit 1734e7af6a018f27240fddd4e7bf14f569a09522 Author: John Bowman Date: Fri Jul 20 21:33:54 2018 -0600 Improve error message when rsvg-convert is missing. commit abd6347aea2faaa2862e3ebe34c7f85dd820c77d Author: John Bowman Date: Thu Jul 19 15:10:59 2018 -0600 Remove obsolete uuid code. commit b46eed584fea0e625f2cde3dab23c2522d3d2486 Author: John Bowman Date: Thu Jul 19 15:09:10 2018 -0600 Fix saveLocation. commit 87c39ea72263c68d5548da4941eda639f37fce22 Author: Supakorn Rassameemasmuang Date: Thu Jul 19 14:59:32 2018 -0600 Use class instead of instance on item not existing. commit 721cc5cc84abe2351211262670f5091e66f33b7c Merge: ec53a266 5f95aa82 Author: Supakorn Rassameemasmuang Date: Thu Jul 19 14:56:15 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit ec53a266a170edcd94c8a070f4d5b4a028eba964 Author: Supakorn Rassameemasmuang Date: Thu Jul 19 14:56:11 2018 -0600 Revert venn. commit b88d3d9df356db299150e59d4ee0ef0f5adf82bb Author: Supakorn Rassameemasmuang Date: Thu Jul 19 14:55:10 2018 -0600 Fix script not updating. commit 5f95aa8246f7976dfc17a522b66da4a4179833c1 Author: John Bowman Date: Thu Jul 19 14:52:25 2018 -0600 Simplify build script. commit 779b1b60d7b7fcfa35d48a946fa421db1be54a82 Author: Supakorn Rassameemasmuang Date: Thu Jul 19 14:37:25 2018 -0600 Only write transformation if the rest of transf is not Id. commit 63f054012ad1716c8c0de04521ac0e66b81afadb Author: John Bowman Date: Thu Jul 19 14:28:51 2018 -0600 Remove 'x' key prefix. commit 0e351c95efca60034ec5d9397ab7924bf415f6ca Author: John Bowman Date: Thu Jul 19 14:13:42 2018 -0600 Don't apply xmap without an explicit corresponding key. commit a7026b70bb0793696075d53f1a0dd683073acf82 Author: John Bowman Date: Thu Jul 19 14:01:43 2018 -0600 Update xasy documentation. commit 7e9954d1ab1043f03b5082266b1cef7a44091c89 Author: Supakorn Rassameemasmuang Date: Thu Jul 19 13:58:41 2018 -0600 Fix zooming sign inversion. commit bd333b65cf24379797188e00c961cda229727e0e Author: Supakorn Rassameemasmuang Date: Thu Jul 19 13:39:10 2018 -0600 Add zooming on arrow keys. commit 183b47c0f305f829cacaff28222bd1cf40523130 Author: Supakorn Rassameemasmuang Date: Thu Jul 19 13:10:15 2018 -0600 Hook up/down to selection. commit 7a49eda58677c8d26fa8efbd8f946d80ac560c1a Author: John Bowman Date: Wed Jul 18 14:58:59 2018 -0600 Transform directly from asy to image coordinates. commit 65f66b98a91f4dff78c1f6e769005c20b53e926c Author: Supakorn Rassameemasmuang Date: Mon Jul 16 15:01:00 2018 -0600 Disable fill on open curve. commit 98d364235fdf5073c1dcf2f51c478f21e492de56 Author: Supakorn Rassameemasmuang Date: Mon Jul 16 14:26:53 2018 -0600 Fix repeated asyfying. commit 0ad7327a11094d336057f6d21d99e1385e685c6c Author: Supakorn Rassameemasmuang Date: Sun Jul 15 22:30:36 2018 -0600 Fix line shift by xmap. commit 360e165e00f0c304600a2371af6b5ffefeff89f8 Author: Supakorn Rassameemasmuang Date: Sun Jul 15 21:00:02 2018 -0600 Revert venn. commit 42b192057a798825b8e1f5cf0939072cb4f2c116 Author: Supakorn Rassameemasmuang Date: Sun Jul 15 20:58:31 2018 -0600 Only do change of basis if transform is not Id. commit ef89f277409805f8a7e65ba7b735b9ddb9bee93d Author: Supakorn Rassameemasmuang Date: Sun Jul 15 20:49:13 2018 -0600 Fix transf on different basis. commit 76d1e66db7ecc1a550c73326b4ea34e65a2e4630 Author: Supakorn Rassameemasmuang Date: Sun Jul 15 20:40:36 2018 -0600 Fix key load bug. commit 574c0d96364ccbea81810fcda44cff5b68a35dc6 Author: Supakorn Rassameemasmuang Date: Sun Jul 15 20:23:50 2018 -0600 Fix add label not working. commit 7d6cff54d91e978bd700188d09af2e3da1d66ead Author: Supakorn Rassameemasmuang Date: Sun Jul 15 17:20:15 2018 -0600 Force cleanup asy. commit 815e72d73eaa2af714ce157dc8cbc3363ad92cd5 Author: Supakorn Rassameemasmuang Date: Sun Jul 15 17:14:41 2018 -0600 Fix duplicate key problem. commit b85a7d3b9e8ab18806ceb0ef39cc4f983a55f348 Author: John Bowman Date: Sun Jul 15 14:28:34 2018 -0600 Fix array bounds. commit 2c15d93e8ca19ea73ed1fb4186b3b3fc93520050 Author: John Bowman Date: Sun Jul 15 14:28:16 2018 -0600 Remove duplicate option. commit a070e8a6f9e3a3bef91a09fb0b9e192541a2a6bb Author: John Bowman Date: Sun Jul 15 12:33:42 2018 -0600 Force dvisvgm to be silent. commit a8a7fea89b9ad8f7dbd02dac898301cfb0592257 Author: John Bowman Date: Sat Jul 14 11:31:58 2018 -0600 Don't resize 3D pictures. commit c928c92f88c8b3b0942dc9c12bc8244233045e11 Author: John Bowman Date: Sat Jul 14 10:38:34 2018 -0600 Finish xasy port to MSDOS. commit cd700b4bb9db2b80f77aae8a316a99dd3476c7b4 Author: John Bowman Date: Sat Jul 14 10:38:06 2018 -0600 Redirect cerr to cout again when outpipe=2. commit f0bc292dd796329fdd39679b1852a6bff1159335 Author: John Bowman Date: Sat Jul 14 10:34:17 2018 -0600 Fix segmentation fault. commit e1f68286465d275a5677860950e266288ade44a1 Author: John Bowman Date: Thu Jul 12 15:13:59 2018 -0600 Port xasy to MSDOS. commit 7133ef53816e97ddb3b8e0870ffbfba9b95423b7 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 17:05:36 2018 -0600 Enable cycle control points. commit 1c444f8695301ae16bd8beb20778bd7fc14cc9cf Merge: 92d1e727 93a679de Author: John Bowman Date: Wed Jul 11 16:13:33 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 93a679de2f2902618546bf86884217c4e8da9041 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 16:13:20 2018 -0600 Set line width inversely proportional to mag. commit 92d1e7272842f751bd3952f13efb365e2d100121 Author: John Bowman Date: Wed Jul 11 16:12:30 2018 -0600 Rename config files and commandPalette default keymap. commit cc93cbe1e79774062ab9fd741469c41e39600959 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 16:04:13 2018 -0600 Correctly fixes scaling with zoom. commit afad348e03eaf2e73cd606e4f008d7316bc52627 Merge: 7f2a28a6 ad6faf30 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 16:02:35 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 7f2a28a6042a401e314b2d865a16d03f02e91687 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 16:02:32 2018 -0600 Make selection scale with magnification. commit ad6faf30e81d3ea2f58c92536b967f8d7491c4e8 Author: John Bowman Date: Wed Jul 11 15:55:52 2018 -0600 Fix spelling. commit 1f383b4b5301c358b4867b692a26a2c3076e6268 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 15:51:31 2018 -0600 Fix typo again. commit 893f7fc2ee2e044395ead6215e1e53f195c8d82a Author: Supakorn Rassameemasmuang Date: Wed Jul 11 15:51:20 2018 -0600 Fix spelling error. commit 38f428fa9fe837bca5a00df56b94dbf2f842c235 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 15:49:34 2018 -0600 Make filename a little more clear. commit a3f98621376f1c45988dff32191e6da5ad1b53b7 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 15:37:32 2018 -0600 Fix segfault again (?). commit ecb5b2db65438e7ba9c626014925ac291f5c1941 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 15:33:59 2018 -0600 Fix segfault (?). commit ab12f523ac4e6e52e312cd66e9f869c762779e46 Merge: 2d24c9aa feefafd6 Author: Supakorn Rassameemasmuang Date: Wed Jul 11 15:29:04 2018 -0600 Merge in changes. commit feefafd64fdd5abdff99fdbdad523a1687ca34f1 Author: John Bowman Date: Wed Jul 11 13:55:32 2018 -0600 Fix asymptote.spec. commit 935f81064cf10fa83ad49303b0d74ad50cf9856b Author: John Bowman Date: Wed Jul 11 13:49:33 2018 -0600 Fix asymptote.spec. commit e65e004ca8c75e168c6c1ac3a44c609a34754f73 Author: John Bowman Date: Wed Jul 11 13:45:59 2018 -0600 Use install-notexhash for building RPMs. commit bb1cf672f4d99dc1ecdad8826adefd916f1cc9f7 Author: John Bowman Date: Wed Jul 11 12:09:12 2018 -0600 Clean up icons; fix installation problems; port asymptote.py to Python 3. commit 2d24c9aadb12e6a35e7a840b07f20ced68c8e4a6 Author: Supakorn Rassameemasmuang Date: Tue Jul 10 14:34:39 2018 -0600 Remove even more unnessecary code. commit 3cd990f8d5f9bea582c34cb36eaf8da538046ab0 Author: Supakorn Rassameemasmuang Date: Tue Jul 10 14:19:08 2018 -0600 Generate -- instead of.. when using polygon. commit 7edcc2f34fcb7551d23a272d7f1bd0b03d940ee7 Author: John Bowman Date: Tue Jul 10 00:56:06 2018 -0600 Fix duplicate QPainter warning. commit d1dfb2a8af1c4c5a186a5e622cdc2e2fd9c0b90e Author: John Bowman Date: Mon Jul 9 17:29:42 2018 -0600 Reset fileChanged on erase. commit bff496158e93e677e7839e056f5da52129e11e55 Author: Supakorn Rassameemasmuang Date: Mon Jul 9 17:19:43 2018 -0600 Add check before reopening file. commit 2ecb76750fe0ebc120684a076ac3a5b4ab9ce810 Author: John Bowman Date: Sun Jul 8 21:32:22 2018 -0600 Fix asymptote.spec. commit d67ec7242352fd97059022795846394ae36f5cbf Author: John Bowman Date: Sun Jul 8 21:09:06 2018 -0600 Specify python3 explicitly. commit a2f95654b4deb7cbf779e8068090f201aa3468b5 Author: John Bowman Date: Sun Jul 8 20:46:48 2018 -0600 Read in xasy version. commit 94d4cd52647d433b1d13e5a96641c89f07203ebe Merge: de430749 770eea72 Author: John Bowman Date: Sun Jul 8 17:06:00 2018 -0600 Merge branch 'qthup'. commit 770eea7237d039ee13b9f4b5adaa4a61e8e9297f Author: John Bowman Date: Sun Jul 8 15:27:45 2018 -0600 Erase canvas before opening new file. commit 6dba36575965266b3783f5a2bde8f5a65ab32451 Author: Supakorn Rassameemasmuang Date: Sun Jul 8 13:06:47 2018 -0600 Automatically determine recomputation mode. commit 869d617084192cf799f0ec033b9ea31f74d6e07a Author: Supakorn Rassameemasmuang Date: Sun Jul 8 12:59:14 2018 -0600 Preserve Edit Bezier Mode. commit e8bc45d003f489ccc50fc4461aa19d56da314421 Author: Supakorn Rassameemasmuang Date: Sun Jul 8 12:55:02 2018 -0600 Update .gitignore commit eed85abcd5e3c2347d4ad1ab86a3d8e550cd3f72 Author: John Bowman Date: Sun Jul 8 12:40:09 2018 -0600 Improve informational messages. commit d5de0e972bf7242d2572c2a5a7ff0ded40f85a1e Author: John Bowman Date: Sun Jul 8 11:08:24 2018 -0600 Remove unused code. commit 63be5fe78ea461d3350277799528a78d01069189 Author: John Bowman Date: Sun Jul 8 11:01:25 2018 -0600 Standardize labels. commit 618439764c892c9b9b3b0ecbfc52358d3e0a2646 Author: John Bowman Date: Sun Jul 8 02:39:58 2018 -0600 Add missing actions; remove obsolete code; adjust layout. commit c2a3daa2e8a95ce104f7a8d828a4237274bd0188 Author: John Bowman Date: Sun Jul 8 00:11:27 2018 -0600 Add remaining icons. commit 2f894a654d48bf5479331dfb7b176605b8df0eb5 Author: John Bowman Date: Sat Jul 7 17:30:04 2018 -0600 Add fill bucket icons. commit ae34291ff7f91f19a5b29e8d145600096c1d186f Author: John Bowman Date: Sat Jul 7 10:49:30 2018 -0600 Rerender only when dpi exceeds previous maximum dpi. commit 326766200c3deffe4392d737a92dadbf9591b0d3 Author: John Bowman Date: Fri Jul 6 16:38:38 2018 -0600 Fix clip flag. commit 1797d5f89eaa554d94d34d908e86858ae0d0fdb9 Author: John Bowman Date: Fri Jul 6 16:29:02 2018 -0600 Make rsvg-convert read directly from file. commit 4fdad9b276f93f32164d1ff4da30164720e97b11 Author: John Bowman Date: Fri Jul 6 15:54:11 2018 -0600 Remove unused code. commit cde402ba0d3a491f235b75390fa6232d019eaada Author: Supakorn Rassameemasmuang Date: Fri Jul 6 15:47:13 2018 -0600 Switch from cairo to rsvg. commit 365189781fe14a3b74662a24d7c37424648893f2 Author: Supakorn Rassameemasmuang Date: Fri Jul 6 15:16:39 2018 -0600 Reset current position when click. commit 8d89b3ad95c45507ab958eee08e50cb7a71d6de1 Author: Supakorn Rassameemasmuang Date: Fri Jul 6 14:25:35 2018 -0600 Add more icons. commit e52e4040874c315a50baeaee22858527197e758e Author: Supakorn Rassameemasmuang Date: Thu Jul 5 21:02:59 2018 -0600 Fix recenter not recognizing magnification. commit 54ad8477ed4821a59a8cd08eac741554152f124e Author: Supakorn Rassameemasmuang Date: Thu Jul 5 20:53:48 2018 -0600 Fix zooming transform. commit 9f52c34396577ced844734728ac67278ea2dd21e Author: John Bowman Date: Thu Jul 5 17:18:41 2018 -0600 Fix tooltips. commit c961cabc5ec05e7b0475d54557f298feae6b8dca Author: Supakorn Rassameemasmuang Date: Thu Jul 5 17:00:26 2018 -0600 Remove add widget upon addmode deletion. commit 8543e26542f78f2d334b0eb6580d80cca3bca45e Author: Supakorn Rassameemasmuang Date: Thu Jul 5 16:55:29 2018 -0600 Add remaining icons. commit 2ac5c23f2e1b32103ab49eae7b6797aaa5017512 Author: Supakorn Rassameemasmuang Date: Thu Jul 5 15:32:49 2018 -0600 Enable pan-sensitive zooming. commit bf3cc0b9f763f4bf40cdc569db4d61d3f96a4f35 Author: Supakorn Rassameemasmuang Date: Thu Jul 5 14:51:07 2018 -0600 Enables math mode detection in label. commit b8c2663e0fa1f0b0dc4c6cf41aec6af7aa9cc89e Author: Supakorn Rassameemasmuang Date: Thu Jul 5 14:34:54 2018 -0600 Add centering pan. commit 388907330408dae455768900739219e4a9b3b42f Author: Supakorn Rassameemasmuang Date: Thu Jul 5 13:48:16 2018 -0600 Add svg files. commit 7e9efcd61dcbe7cd0f45f437610e376fa9b4e2f3 Author: John Bowman Date: Wed Jul 4 19:36:24 2018 -0600 Add index entries integral and integration. commit 405ee9a7bc6eb61e0268fc23177eacbcf6563154 Author: Supakorn Date: Tue Jul 3 23:40:02 2018 -0600 Enable centering pan option. commit 046b50a837798f4fa406adb434e2794f5c260a5f Author: Supakorn Date: Tue Jul 3 23:33:57 2018 -0600 Add fuzz to small bounding boxes. commit 15e7d80a69049825de0a8e0c5f88e0aac2076462 Author: Supakorn Date: Tue Jul 3 23:24:57 2018 -0600 Copy text to advanced editor. commit ddc3fd7c15507fa42a9aea8ef0ea4a5d95776b6c Author: John Bowman Date: Tue Jul 3 16:40:36 2018 -0600 Improve and enable Cairo clip-path bug workaround. commit af49fa9dd676f2453ed65aefe6fa6106eab2de9e Author: Supakorn Date: Tue Jul 3 15:08:38 2018 -0600 Round points to 10e6 precision. commit a1086f1f2141a0ed5ca1ee23c0c982cca50d0a50 Author: Supakorn Date: Tue Jul 3 14:58:15 2018 -0600 Add fontsize for label. commit ccc3b79d26559b18d86a95e5bcf02478c1051f33 Author: Supakorn Date: Tue Jul 3 14:24:51 2018 -0600 Enable removal of unneeded clips. commit b6a25e25e9f586a39d9af6b287b0373a4b703dd1 Author: Supakorn Date: Tue Jul 3 14:01:18 2018 -0600 Remove unnessecary braces from label editor. commit b0b8525c6e71cb2643e0c3a96aaea35f2df6ed1d Author: Supakorn Date: Tue Jul 3 13:57:46 2018 -0600 Improve scaling on small labels. commit d21d7c005dee4968a3af58a1de68bb26e0e4ead6 Author: Supakorn Date: Mon Jul 2 15:21:02 2018 -0600 Only insert non-identity keys. commit bd259097ea0c45835110d7d627a0eea174c0d38a Author: Supakorn Date: Mon Jul 2 14:59:31 2018 -0600 Fix label location and more QoL improvments. commit a8c22de51d598fff1b008b8b89ae702d8e0dfd15 Author: John Bowman Date: Mon Jul 2 11:35:44 2018 -0600 Switch xmap to asy coordinates. commit 9ec81262cff36972c91e523dfdc0fdc5a529e3c5 Author: John Bowman Date: Mon Jul 2 08:52:24 2018 -0600 Fix comment. commit 5a0588a23082a406cd718a71c6267d78cb9b4a0b Author: John Bowman Date: Sun Jul 1 21:33:03 2018 -0600 Fix missing KEYs. commit 89ecbf116ccee69453179cdab48b0b633a5ff8bb Merge: 4463b94c 67c86cd4 Author: John Bowman Date: Sun Jul 1 19:08:33 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 4463b94c5c887de3f8c1f269c33d2bc60dfa1979 Author: John Bowman Date: Sun Jul 1 17:12:32 2018 -0600 Resize to initial xasy transform. commit 67c86cd4113f13b275c87d890f5ab48f457808a7 Author: Supakorn Rassameemasmuang Date: Sun Jul 1 14:11:25 2018 -0600 Should fix key not writing. commit 716f8065bfb6d5ce0f0b52f3956df0f92787bb99 Author: John Bowman Date: Sun Jul 1 10:38:24 2018 -0600 Make SaveAs default to current directory. Add Save action. commit 9763a3e172d35b1cb7c093695fcaededd29ca391 Author: John Bowman Date: Sun Jul 1 10:38:24 2018 -0600 Make SaveAs default to current directory. Add Save action. commit 7a2ff7f7017abf753579216bfa1ecd4b429e6576 Author: John Bowman Date: Sun Jul 1 02:52:17 2018 -0600 Handle empty objects. commit 1f35ec3deb126f3e3d4e4b7bbea823336ecd958e Author: John Bowman Date: Sun Jul 1 02:43:25 2018 -0600 Remove obsolete redirection. commit 81d9ab652ce2eb7fb052d0a96f9ea63acc55d21a Author: John Bowman Date: Sun Jul 1 02:39:26 2018 -0600 Update bsp. commit 44ba3d7a149ff97144335ef13a53741a51107272 Author: John Bowman Date: Sun Jul 1 02:30:33 2018 -0600 Handle null simplex problems. commit 943110ab88bb0af227c85cc906777908876888c0 Author: Supakorn Rassameemasmuang Date: Sat Jun 30 21:10:45 2018 -0600 More QoL fixes. commit 6701d59cda39aba6ac5e228401e31b8e2879ab91 Author: Supakorn Rassameemasmuang Date: Sat Jun 30 21:07:07 2018 -0600 Delete Icon commit 5077b81969160b377b0af26f711350531ef19edf Author: Supakorn Rassameemasmuang Date: Sat Jun 30 21:06:59 2018 -0600 Delete Icon commit 97f26873569db365d0f9e5127d362580bbcdabb3 Author: Supakorn Rassameemasmuang Date: Sat Jun 30 21:06:50 2018 -0600 Delete Icon commit be93a35d25f89a4ca801527912a6b21bb24759bb Author: John Bowman Date: Sat Jun 30 20:16:41 2018 -0600 Suppress dvisvgm warnings; use dvisvgm --pdf when available. commit 3bbab66ea27fe2aeecca64b53abd150ab787dee1 Author: John Bowman Date: Sat Jun 30 18:22:54 2018 -0600 Use direct conversion to svg for proper bounding box. commit 92d74369e228512b2270616f79562741856e0b85 Merge: ea4fed15 25fab655 Author: John Bowman Date: Sat Jun 30 15:42:20 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 25fab655437d0128451bae9506d15052fb9a2394 Author: Supakorn Date: Sat Jun 30 14:39:58 2018 -0600 Enable right clicking for ending curve. commit c911d8acd1eb4bb21c452838f3ee7249c80b0e63 Author: Supakorn Date: Sat Jun 30 13:53:16 2018 -0600 Fix Undo/Redo buttons not consistent. commit 11ba4c2c0bcd2938aea757afc10ea5056745f2e4 Author: Supakorn Date: Sat Jun 30 13:48:32 2018 -0600 Update mouse coordinate label unconditionally. commit f92a2da0266970f12e785e07f27a4add2f067850 Author: Supakorn Date: Sat Jun 30 13:45:06 2018 -0600 Hide anchor when not using custom anchor. commit ea4fed159acd44095bce42fc306e64550a42eac6 Author: John Bowman Date: Sat Jun 30 12:30:59 2018 -0600 Remove obsolete code. commit bdb83475c13af0e41909f97af0389148757558b0 Author: John Bowman Date: Sat Jun 30 09:46:40 2018 -0600 Rename _fout to _outpipe and move declaration to plain_shipout.asy. commit 2d49cb19dbbbd5cac38260a32c2df75cd4d2fd10 Author: Supakorn Date: Fri Jun 29 22:21:51 2018 -0600 Fix bezier edit not resetting. commit ede9f4906ed0c82e39833f9d57562c3c9c8b6d25 Author: Supakorn Date: Fri Jun 29 22:08:11 2018 -0600 Save file with asy coords. commit 79c2ce6d847f470760faa70fd5a2e211dcfd5033 Merge: f0d35d4f 731251c7 Author: Supakorn Date: Fri Jun 29 21:57:28 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 731251c7301c1f65f4daa50e75e69aec75a150a1 Author: John Bowman Date: Fri Jun 29 18:32:13 2018 -0600 Use ctrl-D to terminate xasy-to-asy communication. commit f0d35d4fbbf46572baf776b2667e7856c87c8d25 Author: Supakorn Date: Fri Jun 29 17:39:53 2018 -0600 Fix key count missing. commit 14a9a432836617d7282cd6f4aff7b7bb883d35dd Author: Supakorn Date: Fri Jun 29 17:35:49 2018 -0600 Other QoL improvements. commit a8c22c228fdd82347c55a260b38a56ca97d26159 Author: Supakorn Date: Fri Jun 29 17:12:35 2018 -0600 Save file as asy coords instead of postscript. commit 21981780fa0e5237b1b92b7ec39ac8da8f8711ea Author: Supakorn Date: Thu Jun 28 15:45:55 2018 -0600 Add option for editing settings. commit 00347340d591d11e386bf42eadc3496b5d5b2b53 Author: Supakorn Date: Thu Jun 28 15:06:10 2018 -0600 Add experimental antialiasing (may not work at all). commit 36df0f26c942fa3aa994541b6e6c0fdc2748eef0 Author: Supakorn Date: Thu Jun 28 14:33:37 2018 -0600 Add legacy xasy bezier mode. commit 905f58f2c64703371a72641d78465179671c919a Author: Supakorn Date: Thu Jun 28 14:07:24 2018 -0600 Fix cairo dpi bug. commit f2601b75e126b6ee659b75cdd78f12d369d51b7a Author: Supakorn Date: Thu Jun 28 13:53:02 2018 -0600 Make the default linewidth 0.5. commit de430749dfa385b81ad457ed8a3390dad28cf952 Author: John Bowman Date: Thu Jun 28 12:46:35 2018 -0600 Avoid modifying input arrays in rationalSimplex.asy. commit 06aee1b86106f39835889a72a2248ab7c02d3cd7 Author: John Bowman Date: Thu Jun 28 12:45:39 2018 -0600 Overload operator !=. commit 1e39a91779ea25645acb1f6fc20f2b1480e5c8e7 Author: John Bowman Date: Thu Jun 28 11:22:33 2018 -0600 Avoid modifying input arrays. commit ee333cb2e837962b26305dc9e65e306e232c9d3f Author: Supakorn Date: Wed Jun 27 17:30:26 2018 -0600 Add workaround for bounding box flip. commit 6e91ddbe19f4b01649b33dfb4a05c36e029f57a6 Author: Supakorn Date: Wed Jun 27 17:20:51 2018 -0600 Change clip detection to asy. commit 1dedb3885815058ee3067f6402529b6b93a4e0a7 Author: John Bowman Date: Wed Jun 27 16:57:25 2018 -0600 Detect clip; invert images. commit 1b55335147fc4eebe9676c864c9e5e2937c57d67 Author: Supakorn Date: Wed Jun 27 16:28:25 2018 -0600 Enable DPI checking for magnification. commit bfbfafbc406d8e93166468f1058e57a8a7891086 Author: Supakorn Date: Wed Jun 27 13:14:17 2018 -0600 Add custom dpi support. commit b1d540c919da0ec7cb53616e22f84f3de723f997 Author: Supakorn Date: Wed Jun 27 12:43:26 2018 -0600 Add temporary workaround for svg noclip. commit 6c12f7777edb0a2064ae206ea37661461e96a0ec Author: Supakorn Date: Wed Jun 27 02:08:51 2018 -0600 Remove debug messages. commit 999210c14c41ba6737ea31fa03a7c7e003940997 Author: Supakorn Date: Wed Jun 27 02:07:47 2018 -0600 Add svg support dependent on QtSvg. commit 19efab230370f14552d1d17930dd33373f59220d Merge: 96031ea2 50fb809f Author: John Bowman Date: Wed Jun 27 00:19:54 2018 -0600 Merge branch 'master' into qthup. commit 50fb809fdaf2383385f09884174262964a046156 Author: John Bowman Date: Wed Jun 27 00:17:35 2018 -0600 Use system ghostscript library by default for dvisvgm. commit 96031ea2614dee2a470525ba87d921fbe0291056 Author: John Bowman Date: Tue Jun 26 17:56:19 2018 -0600 Deconstruct to svg format. commit f07fc294bfcf278d72c4cbe14ee95b9c13e22768 Author: Supakorn Date: Tue Jun 26 15:23:09 2018 -0600 Add scrolling functionality. commit c27d0994645a395185aad3cdeb85579e830f45c0 Author: Supakorn Date: Tue Jun 26 13:50:31 2018 -0600 Terminate asy on exit. commit e1f540d4a86fc432b091cff538703a4e2d1eb180 Author: Supakorn Date: Mon Jun 25 17:37:55 2018 -0600 No longer uses asy for zoom. commit a13447f744ec9677e62e5ec09626ec84865068c8 Author: Supakorn Date: Mon Jun 25 16:49:42 2018 -0600 Fix Custom Anchor inconsistency. commit 91c0c648ea8e2384be530380836edd6a0fc563ae Author: Supakorn Date: Mon Jun 25 14:37:10 2018 -0600 Add undo for object creation. commit 4fe6ebb5f7b263aa97358a11d9f24d5f0c6432ac Author: Supakorn Date: Mon Jun 25 12:52:11 2018 -0600 Add Scale mode to bezier editing. commit 0c1a59da64db42d1d961210f9e464cab24ebd6b9 Merge: 4b55a597 cf2e8c9d Author: Supakorn Date: Mon Jun 25 12:12:57 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 4b55a597110461af90b9082a8e1a1caa1dd40b7b Author: Supakorn Date: Mon Jun 25 12:12:54 2018 -0600 More QoL improvements for bezier editor. commit db447ef6ae109bd7c6f3f6b8c74d0513fec7969d Author: Supakorn Date: Mon Jun 25 12:12:43 2018 -0600 Simplify string management. commit cf2e8c9df1b1665b48b85815028b8990d2cc97f3 Merge: 5e612b5d b757219e Author: John Bowman Date: Mon Jun 25 11:19:56 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 5e612b5dc66928fa4c9f5152e3a47d3544ed1196 Author: John Bowman Date: Mon Jun 25 11:19:51 2018 -0600 Remove unused prompt. commit b757219e235127134448516c47ad3104e86dc100 Merge: f01a9f11 aa4ee7b7 Author: Supakorn Date: Mon Jun 25 11:03:26 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup. commit f01a9f11564532c05d21ac131d4ada7bfff723e1 Author: Supakorn Date: Mon Jun 25 11:00:26 2018 -0600 Change spacing to one for each object. commit aa4ee7b78186e49b35a3a1ed0417f2695be88c1a Author: Supakorn Rassameemasmuang Date: Sat Jun 23 16:11:02 2018 -0600 Delete unneeded files. commit bf52e9ef5c6b2d2bfc34b7f4a3d86d9e4895a6b5 Author: Supakorn Rassameemasmuang Date: Sat Jun 23 16:10:54 2018 -0600 Add early bezier editing mode button. commit 92c3d17e2a059014ddb13ce8ef50a626f396bfe7 Author: Supakorn Rassameemasmuang Date: Sat Jun 23 16:10:25 2018 -0600 Add setup.py file. commit 068d75ce11365caf064cc5e2c8a76e7a3c7a15bf Author: Supakorn Rassameemasmuang Date: Sat Jun 23 15:24:24 2018 -0600 Edit some build files. commit 8f7217ac8df4d721127b6f7487874396f5843c6f Author: Supakorn Rassameemasmuang Date: Sat Jun 23 15:24:15 2018 -0600 Add icon files for easier editing. commit e70d99640450c984344c605a35dae157a58ed264 Author: John Bowman Date: Sat Jun 23 01:33:36 2018 -0600 Remove bounding box in example until xasy support is implemented. commit 3abe5e672a6f9255f382a09b16ed1ee29769ccdd Author: John Bowman Date: Sat Jun 23 01:21:36 2018 -0600 Detect xasy with settings.xasy; reinstate bounding box in example. commit 401cf60f89dcddfb6993f7bd25a86b144ec5f3ad Author: John Bowman Date: Sat Jun 23 00:33:18 2018 -0600 Replace restricted simplex method with general simplex solver. commit 77c3c2bbc8496a1b53bf3b0e5af27501be05b50c Author: John Bowman Date: Fri Jun 22 16:48:33 2018 -0600 Fix xasy mode and keys. commit 0e31fa8c29737941d559bf4e42162212f5f85bb5 Merge: 10d30131 60a35767 Author: John Bowman Date: Fri Jun 22 15:04:58 2018 -0600 Merge branch 'master' into qthup. commit 5ff20563472ab9361826bea32cd4a2635a346550 Author: John Bowman Date: Fri Jun 22 14:53:17 2018 -0600 Force make clean to remove GSL symbols. commit 10d30131851c3e8936f4c0fe62097d6dccaa3b64 Author: Supakorn Date: Fri Jun 22 13:59:59 2018 -0600 Allow for new key replacement. commit febc76cb94e3de54b8f3d01da29f6eb71bf76e25 Merge: 8aeec7ce 69aaf4fc Author: John Bowman Date: Fri Jun 22 11:36:36 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 8aeec7ce7debb2469d2e21efd237123e9943c3b6 Author: John Bowman Date: Fri Jun 22 11:09:14 2018 -0600 Implement interactive xasy mode. commit 728f50856129f4cdcc8f2d30b253aeee243ed6ac Author: John Bowman Date: Fri Jun 22 08:31:54 2018 -0600 Test new xasy mode. commit 69aaf4fca1d01254a43d78b9bed4755990c052a7 Author: Supakorn Date: Thu Jun 21 22:47:48 2018 -0600 Add more bezier editing features. commit a890ec75dd31b8aacc4adcea8f138fafe0b9d504 Author: Supakorn Date: Thu Jun 21 16:51:19 2018 -0600 Add control point editing. commit 7ce567731e2eab843ef2ea5789435d82dc65c69c Author: Supakorn Date: Thu Jun 21 16:26:57 2018 -0600 Allow saving of edited beziers. commit 60a35767c5becaf6f8a5fcd72584a9d3d316b028 Author: John Bowman Date: Thu Jun 21 00:42:08 2018 -0600 Force dvips to respect EPS requirements. commit d36d513b7e060ad476208f2ab9552b4323c45a05 Author: Supakorn Rassameemasmuang Date: Wed Jun 20 15:49:30 2018 -0600 Add early bezier editing. commit b2c25d8ae46ce3ccf9c5e9689dc682ec647780ab Author: John Bowman Date: Tue Jun 19 13:13:49 2018 -0600 Update keydata. commit c6b4d4b1ef81305d4973e3848673f2a77e476c4c Author: John Bowman Date: Tue Jun 19 11:20:11 2018 -0600 Add a flag to identify a user-specified key. commit 88de674b7daeb9efc3e59a1300e4cd3928f22ceb Merge: 3040e29d 74393725 Author: John Bowman Date: Mon Jun 18 23:41:42 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 743937250a7c67dc414ddbd60ee8e2f59c62147d Author: John Bowman Date: Mon Jun 18 23:41:30 2018 -0600 Revert to using interactive mode for xasy. commit 0f044019bdc7c7947c6f58db9ba7d34703c49048 Author: Supakorn Rassameemasmuang Date: Mon Jun 18 23:24:59 2018 -0600 Remove unnessecary icon residues. commit 3040e29d15c97e526faeba5bbbad00f1ec436c17 Author: John Bowman Date: Mon Jun 18 17:05:05 2018 -0600 Revert "Remove obsolete code." This reverts commit 28e91cfec416a135e1a9ba5a32486507e59bf5ec. commit 97ab025569e6cc765d7c4f88a96e49f2628d2930 Author: Supakorn Rassameemasmuang Date: Mon Jun 18 15:21:37 2018 -0600 Unify asymptote process. commit 5e2123d1358e2e34a3149d3d281365c2e43c8dec Author: Supakorn Rassameemasmuang Date: Mon Jun 18 13:37:01 2018 -0600 Add initial bezier curve detailed view. commit c049ce0c2f21c4c9eb86ffaa7bb5b6b163cbc0a8 Merge: e4a169a5 9d0f460a Author: Supakorn Rassameemasmuang Date: Mon Jun 18 12:50:47 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit e4a169a5a79b7e6499b61ecc852551246a38869e Author: Supakorn Rassameemasmuang Date: Mon Jun 18 12:45:44 2018 -0600 Fix moveMove. commit 9d0f460a251cbad4a2a5ebebf33ebc68633ffcac Author: John Bowman Date: Fri Jun 15 18:25:34 2018 -0600 Fix mouse interaction. commit 3f6584a1fe2f71c754f2e5b8f34f1f2db9b81f24 Author: Supakorn Rassameemasmuang Date: Fri Jun 15 16:44:55 2018 -0600 Minor type hinting. commit 91410b0bb179411ca1245f3f82056f1b4e3eae0f Author: Supakorn Rassameemasmuang Date: Fri Jun 15 16:18:28 2018 -0600 Move export option to menu. commit 8be30f41855c222604a20e771b16d737e907c279 Author: Supakorn Rassameemasmuang Date: Fri Jun 15 15:02:19 2018 -0600 Set fill to disable open buttons. commit 8369f1d2552ca0739444b071804c55d4930d497b Author: Supakorn Rassameemasmuang Date: Fri Jun 15 14:55:46 2018 -0600 Add More modes. commit 2feb57922220320c2167f42cb6194b6fb4daaea6 Author: Supakorn Rassameemasmuang Date: Fri Jun 15 14:21:27 2018 -0600 Fix labels adding. commit fa522058317c2a685b4983dc243319c6a87b33a5 Author: Supakorn Rassameemasmuang Date: Fri Jun 15 13:33:47 2018 -0600 Fix anchor not updating. commit 1fc16f12cabf5a3cec16a6899676b5fd1ead61f0 Author: Supakorn Rassameemasmuang Date: Thu Jun 14 17:52:09 2018 -0600 Add custom anchor. commit bbfb89044d5e4b2e8d5d86e1bddac594e35e72ad Author: Supakorn Rassameemasmuang Date: Thu Jun 14 17:04:12 2018 -0600 Check for mouse down first. commit 6fb39b6dac1ea61f053d98273cf1dd11e984f74a Author: Supakorn Rassameemasmuang Date: Thu Jun 14 16:53:04 2018 -0600 Add hover delete. commit c106bffce3b1c034a251b6a53745b16ddb7bc431 Author: Supakorn Rassameemasmuang Date: Thu Jun 14 16:46:27 2018 -0600 Add hover deletion. commit 2cffe89eaff1b30b797dac3e267b65c60cca94c8 Author: Supakorn Rassameemasmuang Date: Thu Jun 14 16:34:51 2018 -0600 Even more xasy changes. commit ad33e4b69f848af0e4cbaaacfe81b9006a3fd5cb Author: Supakorn Rassameemasmuang Date: Thu Jun 14 15:44:47 2018 -0600 Recompute control points for all nodes. commit 01ac796f6a9ff2ae89622e3faa050c8bcb386549 Author: Supakorn Rassameemasmuang Date: Thu Jun 14 14:04:53 2018 -0600 Other minor bug changes. commit eeba4902c2fc1425351d6a53bd129c67c616fb6c Author: Supakorn Rassameemasmuang Date: Thu Jun 14 13:39:15 2018 -0600 Add more anchor mode. commit 6df104d6060fe5400e9d7618462026f11767bbd8 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 18:13:56 2018 -0600 Add support for hard deletion undo. commit 100ac43d7b9d762e7c5f2b732f7fb47529e666b2 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 16:57:17 2018 -0600 Remove closed path option. commit 0c2b40391218e0923f145d50aacc834fd575fde5 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 16:45:00 2018 -0600 Add some bezier keymaps. commit d6c70960f272c439d6f8e2220e12756194878875 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 15:55:39 2018 -0600 Make code objects a little more informative. commit 86b8a207600a33d509002f6cae016e5551316e53 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 15:42:35 2018 -0600 Update Editor argument system. commit ddb1a2c604eacd69509685e228d4e487ffe48a4e Author: Supakorn Rassameemasmuang Date: Wed Jun 13 15:05:20 2018 -0600 Restore venn. commit c74ca307377f24073973137830bfbb064125ee67 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 15:05:00 2018 -0600 Put back shipout. commit 19e31f55e7f12bcee0b584d21d47e3e4b3e52243 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 15:04:22 2018 -0600 Change arguments to old xasy. commit c8d73f5f33c4c94ccee4397a876906c8eb1558cf Author: Supakorn Rassameemasmuang Date: Wed Jun 13 14:52:33 2018 -0600 Bind delete to delete object. commit b9f5e41419d978c5084870beed3efa21a2a9e09d Author: Supakorn Rassameemasmuang Date: Wed Jun 13 14:43:10 2018 -0600 Update .gitignore commit 9d59dca9b470251e336d63f6df7fa7a2d64603f9 Author: Supakorn Rassameemasmuang Date: Wed Jun 13 14:42:26 2018 -0600 Revamp options system. commit c2827f039043d9077aed43d15604d451a0f79b81 Author: Supakorn Rassameemasmuang Date: Tue Jun 12 22:51:09 2018 -0600 Change deletion mode. commit bd6d4cf68a80d4e335274b2caa32f7045f7591c0 Author: John Bowman Date: Tue Jun 12 16:59:37 2018 -0600 Omit deleted objects on deconstruction. commit 8fcb2b769bf595380360ad7a3aebe1680da53ef1 Author: John Bowman Date: Tue Jun 12 15:37:58 2018 -0600 Ignore EINTR on read from pipe. commit 97f7d0ca87d4d2db1c522a59532cc2b0f7758630 Author: Supakorn Rassameemasmuang Date: Mon Jun 11 18:16:23 2018 -0600 Optimize deletion and options. commit 5a7a08e173fff7a77727aa3236b323a5069c2af3 Author: Supakorn Rassameemasmuang Date: Mon Jun 11 16:39:36 2018 -0600 Add CSON support and basic deletion. commit c639a6b9b0142e5bea61d087a9c22a7eb38bb335 Author: John Bowman Date: Sat Jun 9 13:33:22 2018 -0600 Update three and slide modules. commit ae8f7b0bc3a001fb6dc8a72598f4342979117eb8 Merge: 6cb432ef de2c27e0 Author: John Bowman Date: Fri Jun 8 22:23:39 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit 6cb432ef307bb52184196bc95a386f960a392aa5 Author: John Bowman Date: Fri Jun 8 22:23:32 2018 -0600 Rename map to xmap. commit de2c27e042780e860e4848995241484b2c255602 Author: Supakorn Rassameemasmuang Date: Fri Jun 8 22:15:53 2018 -0600 Allow for top-layer draw for selected objects. commit 55b9c779cf36d7757eb145f2028bb8c328a4ce1e Author: Supakorn Rassameemasmuang Date: Fri Jun 8 17:25:34 2018 -0600 Add map/xmap switching and key counter. commit f54e57e5b8a05da8ddfa1b5a8eb4aa1f939768f9 Author: Supakorn Rassameemasmuang Date: Fri Jun 8 16:42:57 2018 -0600 Add mouse wheel selection modifying. commit 01db5e39b2969fb10142a3b9b9e90c1a9f8826d5 Author: John Bowman Date: Fri Jun 8 15:15:10 2018 -0600 Add identity and zero transform constants. commit 9b065e65c5b42b9fb0aba00ff2874e92d2ae368f Author: John Bowman Date: Fri Jun 8 14:38:16 2018 -0600 Implement RGB(int,int,int) function. commit e3dc24a6810bf35c7a5ae1fb176961b873ed92fd Author: John Bowman Date: Thu Jun 7 21:42:37 2018 -0600 Renenable object deletion. commit 018e17a2e1caeec6552eefd94737b1e24715ee5f Merge: 7b06be2c 594473ef Author: John Bowman Date: Thu Jun 7 21:20:50 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup. commit 7b06be2c7e0334081b5540e80e29248afa81cfd3 Author: John Bowman Date: Thu Jun 7 21:20:44 2018 -0600 Support bbox in xasy mode again. commit 594473ef65e616be969e0e212f7c24b201c9aec2 Author: Supakorn Rassameemasmuang Date: Thu Jun 7 14:28:38 2018 -0600 Remove writing of identity transformations. commit dab676e5a6d8182e8958e8d705ce01f90d542d6f Author: John Bowman Date: Wed Jun 6 21:03:56 2018 -0600 Fix KEY order. commit b2197a0e1c094e16b7d06c5cd1492b5898af57ac Author: John Bowman Date: Wed Jun 6 19:16:34 2018 -0600 Remove unwanted spaces. commit 7cef83b715c5dca65178b6f64c717a066c45f981 Author: Supakorn Rassameemasmuang Date: Wed Jun 6 16:25:50 2018 -0600 Cleanup code and add terminal option. commit 027cfb6ebdeeb4af66567a06d2490ce3ae506d27 Author: Supakorn Rassameemasmuang Date: Wed Jun 6 15:42:35 2018 -0600 Change mapping behavior when save. commit 356ec304168863f178e37314cbcca272d8eb3f0e Author: John Bowman Date: Wed Jun 6 14:21:32 2018 -0600 Add default transform to map. commit 9f4c4c60239faa7da04fa177f5dd5e3ec97974a5 Author: John Bowman Date: Wed Jun 6 14:04:12 2018 -0600 Draw xasy objects onto currentpicture in PostScript coordinates. commit 0645b41d5f88085b16f0ba1814e85dd60dce445c Author: John Bowman Date: Wed Jun 6 11:04:22 2018 -0600 Draw xasy objects on a separate frame. commit 8b006fb0b29c6a9da2ac0bc53c03fdd51223f634 Author: Supakorn Rassameemasmuang Date: Tue Jun 5 17:14:43 2018 -0600 Add support for exporting files and other changes. commit 30bd410fad4be3b71ab26e4eddbc64f39b49773f Author: Supakorn Rassameemasmuang Date: Mon Jun 4 17:26:19 2018 -0600 Add early magnification support. commit 41613fa98512a44487c6b5ac687b88f3852e9102 Author: Supakorn Rassameemasmuang Date: Mon Jun 4 13:44:57 2018 -0600 Fix selection issue. commit 3d1ca05ccaaf934a42df038e5b8c5ab098a299b8 Merge: cf276195 93f367bb Author: Supakorn Rassameemasmuang Date: Mon Jun 4 13:32:05 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit cf27619534b2f5eec07fda1ec58110ea2d8c11a9 Author: Supakorn Rassameemasmuang Date: Mon Jun 4 13:31:04 2018 -0600 Move transforms to dict[list] model. commit 93f367bba491d01706e656821ccb748067ad2773 Author: John Bowman Date: Sun Jun 3 20:32:07 2018 -0600 Finish passing KEY to transformed elements. commit 34ce667325ce323de441d0bea58b47c0f05751d2 Author: Supakorn Rassameemasmuang Date: Thu May 31 19:31:45 2018 -0600 Show key in status bar message (for debug). commit 75397a5488c0ec3de9d9d24f75e8479b91cc3a14 Author: Supakorn Rassameemasmuang Date: Thu May 31 19:28:01 2018 -0600 Groups objects with the same key. commit 761e3f3275da938a83c7c2ff4c6cd164dd47b134 Author: John Bowman Date: Thu May 31 17:50:19 2018 -0600 Begin passing KEY to transformed elements. commit 221fda26e204542d88a2df73f4392adbaec29f54 Author: Supakorn Rassameemasmuang Date: Thu May 31 16:49:38 2018 -0600 Fix tuple loading of xasy2asy. commit 771bd937375c8a6888873c0acb68b337bea744f9 Author: Supakorn Rassameemasmuang Date: Thu May 31 14:44:31 2018 -0600 Add more functionality for toggle visibility, code adding. commit 308fceb60033262814b6fa843a46f3580f2a4d02 Author: Supakorn Rassameemasmuang Date: Wed May 30 17:27:51 2018 -0600 Add functionality for delete, change order. commit 0a05fccf9e9035568247d3e628d373d9b245ccc0 Author: Supakorn Rassameemasmuang Date: Wed May 30 16:45:42 2018 -0600 Update add bezier mode and file loading. commit 0b08348102fd6be4c4a2b62945b17c46aeb5f978 Author: John Bowman Date: Tue May 29 13:13:07 2018 -0600 Add key support on asy side. commit aed03a1f8db344aa133b3abd7a7d6a386e6f31f3 Author: Supakorn Rassameemasmuang Date: Tue May 29 11:17:10 2018 -0600 Add more bezier options. commit d10a4f89efc4c3a7cf2552425a19cb62a1861491 Author: Supakorn Rassameemasmuang Date: Mon May 28 16:00:55 2018 -0600 Add in-place bezier curve interface. commit 90f82d4a91d7eabf3e13bd034a95df14cfd85fa9 Author: Supakorn Rassameemasmuang Date: Mon May 28 15:32:19 2018 -0600 Update .gitignore. commit 99155d3edc967ce06cfbd7c6c8d892502b2eee82 Author: Supakorn Rassameemasmuang Date: Mon May 28 12:52:57 2018 -0600 Add filling to circles and polygons. commit d04cac4bf67abb52bde752204d76cecec1f3a422 Merge: c489474d 560f683d Author: Supakorn Rassameemasmuang Date: Fri May 25 18:52:52 2018 -0600 Merge branch 'qthup' of github.com:vectorgraphics/asymptote into qthup commit c489474da753207bad06b414df2a36d41efa62c3 Author: Supakorn Rassameemasmuang Date: Fri May 25 18:52:39 2018 -0600 Modify xasyFillShape for qt. commit 560f683d7d089a25ea21bb9b240f7cb34650d878 Author: John Bowman Date: Fri May 25 17:12:47 2018 -0600 Remove obsolete code. commit 17c40ba170f7c359fd6ae3943b6d2a17b4baffd6 Author: Supakorn Rassameemasmuang Date: Fri May 25 14:44:52 2018 -0600 Fix add shape transform bug. commit ac69fc4d0deab73dbfeef21fb88a6e0007b2fec1 Merge: baf37589 f01b1baf Author: John Bowman Date: Fri May 25 14:24:58 2018 -0600 Merge branch 'master' into qthup. commit f01b1baf546ed20bf49e5fd56aac4b43b4a1a5e7 Author: John Bowman Date: Fri May 25 14:24:19 2018 -0600 Fix quiet flag. commit baf37589eed095c896099e7cd51e4dfdc1c916a2 Author: John Bowman Date: Fri May 25 04:27:17 2018 -0600 Fix outpipe communication by turning off quiet mode. commit 4deafa3b4a9368d2a8463917eb009bd29b5d5658 Author: John Bowman Date: Thu May 24 18:09:46 2018 -0600 Handshake via pipe. commit 5016356832b2b5939bd45711ae48b95113f27489 Author: John Bowman Date: Thu May 24 16:58:31 2018 -0600 Clean up initial hand shake. commit f78ac62b79949992271c7f893f559ce4b7b77f39 Author: Supakorn Rassameemasmuang Date: Thu May 24 15:38:44 2018 -0600 Change drawing backend to use ordered lists. commit 4f947b99fe88f5e0fc2fed4b42d73a5f914c2a7e Author: Supakorn Rassameemasmuang Date: Wed May 23 15:06:54 2018 -0600 Manually add back labelEditor changes. commit 0bd402f7ffc30fc1f3dd4979965ced0b36c29499 Author: Supakorn Rassameemasmuang Date: Wed May 23 14:22:59 2018 -0600 Manually merge back xasy2asy.py. commit 5caafee6c63ee66473663038ed2bea655dc304b3 Author: Supakorn Rassameemasmuang Date: Wed May 23 14:02:22 2018 -0600 Add back xasyUtils.py. commit fe3482ec33738e7f6d89fda409082d05f6b585cc Author: Supakorn Rassameemasmuang Date: Wed May 23 12:58:33 2018 -0600 Get xasy to wait for asy to start. commit 82cb3f48c6ed3c81af5d62e870adbc6cda27e9d5 Merge: fb2bd13e 4425e5c5 Author: John Bowman Date: Wed May 23 11:22:07 2018 -0600 Merge branch 'master' into qthup. commit fb2bd13e326e9a040bc578b533a36f23b64ed33c Author: John Bowman Date: Mon May 21 15:09:11 2018 -0600 Remove obsolete code. commit 2d72f98a9316dc49cd55737e8a9b23fc91d5736d Author: John Bowman Date: Sun May 20 22:27:42 2018 -0600 Implement xasyKEY for 3D objects. commit b137bfb6c542ecc1d0341475511e02b8a67849ff Author: John Bowman Date: Sun May 20 22:17:09 2018 -0600 Fix key generation. commit b3e1dc3c0d5fe2bd19936fe1f25e815c0203d2ba Author: John Bowman Date: Sun May 20 10:57:05 2018 -0600 Simplify code. commit 4425e5c5aca12f87fc3f90151913733f8b771834 Author: John Bowman Date: Sat May 19 23:44:45 2018 -0600 Transition from rpc to tirpc library. commit 1c46c6547e63006cfaa49ad9b70846a12b44ea8e Author: John Bowman Date: Sat May 19 11:36:12 2018 -0600 Inhibit exit on pipe EOF only when inpipe is specified (for xasy). commit 28e91cfec416a135e1a9ba5a32486507e59bf5ec Author: John Bowman Date: Sat May 19 11:26:34 2018 -0600 Remove obsolete code. commit a0b453d97991205a8b9a78b0f44b2aa9c10c63b8 Author: John Bowman Date: Sat May 19 06:00:26 2018 -0600 Simplify code. commit 697537dee813ce9523382e4b44a6941b7d55f091 Author: John Bowman Date: Sat May 19 05:57:49 2018 -0600 Use SIGHUP to signal EOF. commit 8c982663371957021be663d6796bbf0db52317c0 Author: John Bowman Date: Fri May 18 23:48:49 2018 -0600 Use a direct pipe read for xasy instead of interactive mode. commit 6082601320a25abd0a9976550707b9eaf67cf9c6 Author: Supakorn Rassameemasmuang Date: Fri May 18 13:48:29 2018 -0600 Preserve pan translation in resize. commit df4c903e109a9ef2a812605526bb93d118921f03 Author: Supakorn Rassameemasmuang Date: Fri May 18 12:30:34 2018 -0600 Allow for flexible resizing. commit a05bdea1a260b0fe86c46e55731ed561d7f6eaae Author: Supakorn Rassameemasmuang Date: Thu May 17 19:27:54 2018 -0600 Fix a critical output dir bug. commit ff19d78558783ec53ac2ba2aaacd0d3916866dbc Author: Supakorn Rassameemasmuang Date: Thu May 17 17:19:33 2018 -0600 Add early label editor preview. commit 442a81ca4147a98535507b097e38bc587bb34ce4 Author: Supakorn Rassameemasmuang Date: Thu May 17 12:46:59 2018 -0600 Migrate asymptote process engine to a contained class. commit 6a6bb0e1126dd02ac45603a75db1f642570d7c48 Author: Supakorn Rassameemasmuang Date: Thu May 17 12:18:01 2018 -0600 Add early translation foundation. commit 0971e4dd2d12705bf92adff52e326246fa65a4cf Author: Supakorn Rassameemasmuang Date: Wed May 16 15:27:07 2018 -0600 Fix align mode in label widget. commit f698e26621b500d06d46731dc8c9865b06a247c2 Author: Supakorn Rassameemasmuang Date: Wed May 16 14:50:17 2018 -0600 Add advanced label editor. commit d03660d2fbcff4dc1ed48b99ea1353db2c3e1db3 Author: Supakorn Rassameemasmuang Date: Tue May 15 17:34:23 2018 -0600 Optimize string concatenation to use mutable string. commit 46b7b040f0a0d00f99da26718f7d3cc797826e05 Author: Supakorn Rassameemasmuang Date: Tue May 15 16:09:59 2018 -0600 Add early label adding. commit d0860eb41adf13170079ae0f60da21f9f0ea58e4 Author: Supakorn Rassameemasmuang Date: Tue May 15 14:34:03 2018 -0600 Add test label support. commit 14e8314dd7425874f36780e4109626cec2589b72 Author: Supakorn Rassameemasmuang Date: Mon May 14 18:56:13 2018 -0600 Early migration to key-based transform (incomplete). commit cb034388031e39a6e7aeb07f31fb8744a5406b74 Author: Supakorn Rassameemasmuang Date: Fri May 11 16:15:10 2018 -0600 Add argument support. commit 37f670816e7fc8ba23ea041d7ce18ebf16d35d8f Author: John Bowman Date: Fri May 11 14:43:37 2018 -0600 Disable startScript and endScript. commit 436b50fe3b73a5191f0679a9666d899da35697d2 Author: John Bowman Date: Fri May 11 14:41:26 2018 -0600 Revert test code. commit 4acdd9ab9a524ec148c7fa8d75edf3652f354de4 Author: Supakorn Rassameemasmuang Date: Fri May 11 13:51:41 2018 -0600 Update .gitignore. commit 05287cec1a12e77fd35a58a7dc534798add32735 Author: Supakorn Rassameemasmuang Date: Fri May 11 13:51:06 2018 -0600 Remove asydev. commit 872ceac1642c01f3fe9370170bdaee654c1113cc Author: Supakorn Rassameemasmuang Date: Fri May 11 13:50:15 2018 -0600 Update .gitignore. commit de30993530af475d8fde3484d5bbe4f7c1dce339 Author: John Bowman Date: Fri May 11 13:42:44 2018 -0600 Remove unwanted file. commit 198d8589a70618071340969ae76d0c2c9534ea12 Author: John Bowman Date: Fri May 11 00:38:26 2018 -0600 Simplify code; move global variables to processDataStruct. commit f718e5eaaeca1a0938068b0dcfc97af2bc5cc912 Author: Supakorn Rassameemasmuang Date: Thu May 10 16:52:51 2018 -0600 Adding some testing flags. commit fae1d6192b61f3c5a2e5dca553d5b45dd240e030 Author: Supakorn Rassameemasmuang Date: Thu May 10 16:03:15 2018 -0600 Add preliminary trasnform migration to key. commit f0d593d9953ee3fa69f3fee6a2336a56a5cd02e9 Author: Supakorn Rassameemasmuang Date: Thu May 10 15:21:01 2018 -0600 Add basic key recognition. commit 9ebbcfaa7cc3f57d18432ef11c6746569f057754 Author: John Bowman Date: Wed May 9 19:19:01 2018 -0600 Write KEY to outpipe. commit db66c57b242c83541abea7eb0201f87d13a648dc Author: Supakorn Rassameemasmuang Date: Wed May 9 17:34:09 2018 -0600 Add preliminary key support (Still a hot mess...) commit c46f5b3886e0285a5eb535ffa2d3ebf44644dd89 Author: John Bowman Date: Wed May 9 14:44:05 2018 -0600 Add virtual KEY argument to all functions for xasy. commit 0103b665ebdca12c348886c18eafd751fe6901b4 Author: Supakorn Rassameemasmuang Date: Mon May 7 16:35:13 2018 -0600 More Quality of life improvements for color dialog. commit 345ba41986af818577cf60dc61e8aeb26a35bc1b Author: Supakorn Rassameemasmuang Date: Mon May 7 15:30:11 2018 -0600 Update gitignore. commit 67cbfd41508f79b79a91f2fca693e1ec5cdd95e0 Author: Supakorn Rassameemasmuang Date: Mon May 7 15:19:20 2018 -0600 Add pen support. commit ab412a711d8836fb47399fd4380665288502de8f Author: Supakorn Rassameemasmuang Date: Mon May 7 14:52:21 2018 -0600 Add color support. commit b52cf9dc210c9d48fd1d20182d667a11dc013c47 Author: Supakorn Rassameemasmuang Date: Mon May 7 13:26:33 2018 -0600 Fix inscribed polygon mode. commit d86e0ad3ec666f2d0516b97d72c0b5e7710dd3ca Author: Supakorn Rassameemasmuang Date: Fri May 4 18:24:35 2018 -0600 Add preliminary options for Polygon adding. commit 234483ccc8a13b8d318b7d09c3e38dfe353f696f Author: Supakorn Rassameemasmuang Date: Fri May 4 15:27:08 2018 -0600 Update UI for more options. commit 82cdb14e492e428b3e83c3aa489a448f31a8a746 Author: Supakorn Rassameemasmuang Date: Fri May 4 14:56:44 2018 -0600 Add in-place preliminary polygon adding. commit 51bd11364219e7503622704ae297e3f7f0643cac Author: Supakorn Rassameemasmuang Date: Thu May 3 16:39:23 2018 -0600 Add interface for polygon adding. commit 3b1f8f08d7404b2143015468b0b0bcdd51bae93b Author: Supakorn Rassameemasmuang Date: Thu May 3 15:38:11 2018 -0600 Add preliminary in-screen object creation. commit 003d2fa4b41bb1c12c9de1503083267395d4ff5e Author: Supakorn Rassameemasmuang Date: Wed May 2 16:25:43 2018 -0600 Add exscribed (right word?) polygon handling commit 27470ffb04cc5b446e906e327dab976713c94309 Author: Supakorn Rassameemasmuang Date: Wed May 2 15:43:09 2018 -0600 Add support for primtive polygons. commit 34a182db3e5f611f794319ef6c2485594f3487a6 Author: Supakorn Rassameemasmuang Date: Wed May 2 15:10:29 2018 -0600 Add adding circles. commit 8258bb93752a2d888e583f307d13bb4ef727aee6 Merge: 7c18f2ea d09e7fce Author: John Bowman Date: Wed May 2 08:28:05 2018 -0600 Merge pull request #70 from rgxgr/patch-1 Correct words order to avoid confusing commit d09e7fce20722e2e7d65692b915c4cef9a33bb2c Author: rgxgr <33611071+rgxgr@users.noreply.github.com> Date: Wed May 2 20:08:14 2018 +0800 Correct words order to avoid confusing commit 7f758672b3c9d39707379d030f9d8c7bc33a48cc Author: Supakorn Rassameemasmuang Date: Tue May 1 17:09:33 2018 -0600 Merge settings management into original Shardt code. commit b9754484ce5ef55fb9415731512362615a431778 Merge: 75b22704 7c18f2ea Author: John Bowman Date: Tue May 1 12:03:43 2018 -0600 Merge branch 'master' into qt. commit 7c18f2ea15c289fbdd6e4f91c69110f5a0c159b8 Author: John Bowman Date: Sat Apr 28 12:08:11 2018 -0600 Rename i386 to i386_32 to give preference to 64-bit binary. commit 9079934b3424157942736bbe1a15afd1dbf5836c Author: John Bowman Date: Sat Apr 28 11:39:48 2018 -0600 Do not modify system path. commit 799bf2dfc67869606056633c3a8ce4313b45d058 Author: John Bowman Date: Sat Apr 28 11:10:47 2018 -0600 Revert "Workaround NSIS EnvVarUpdate bug that truncates long paths." This reverts commit 8e932eb10a822d4e927b3b9dbecb313e135ee267. commit 8e932eb10a822d4e927b3b9dbecb313e135ee267 Author: John Bowman Date: Fri Apr 27 16:22:08 2018 -0600 Workaround NSIS EnvVarUpdate bug that truncates long paths. commit 21e497260a55dbe4e4b111198aa26115564669ce Author: John Bowman Date: Sat Apr 14 08:31:47 2018 -0600 Fix sort. commit 2bfec3147f4308fa6e206ec624574e3156f43fd2 Author: John Bowman Date: Fri Apr 13 10:11:31 2018 -0600 Add option to use unstable sort in favour of less(T i, T j) ordering. commit 20ff31c0444c901c2b0486127f3c4df2b9832df8 Merge: 1a50ee63 2fd03c66 Author: John Bowman Date: Wed Apr 11 17:51:11 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 1a50ee634cb58dbb4d9395ba90d7a795e63512d1 Author: John Bowman Date: Wed Apr 11 17:49:52 2018 -0600 Update README commit 2fd03c6695627387db19f993ac93e926b9b63eb7 Author: John Bowman Date: Sun Apr 8 12:26:42 2018 -0600 Fix uninitialized counter. commit 4d0771442074af020b7fc929e929629e0bcbbdee Author: John Bowman Date: Sat Apr 7 23:51:06 2018 -0600 Increment version to 2.45. commit 878f944b9ee540c77c83f2cc61d6a97c22298553 Author: John Bowman Date: Sat Apr 7 20:56:45 2018 -0600 Fix portability issues. commit 1879deff46664834bad1a6bce926ce9d58baabbb Author: John Bowman Date: Sat Apr 7 20:49:47 2018 -0600 Fix CLZ bug on CYGWIN. commit 2c70c1d965fb0b9fa92f97db2484d3ba4c184f40 Author: John Bowman Date: Sat Apr 7 20:23:08 2018 -0600 Disable trapping of floating point exceptions under CYGWIN due to strtod bug with real x=121645100408832000.0." commit 994052a59795255dc87882a3d71f4104dd041f70 Author: John Bowman Date: Fri Apr 6 17:19:45 2018 -0600 Improve usleep declaration. commit 6b974b3df56cd81b2960774441dd2e647bdf52da Author: John Bowman Date: Fri Apr 6 17:18:50 2018 -0600 Make POSIX definition conditional to CYGWIN. commit e81df002635e1391bb540fd751cd019041e8e314 Author: John Bowman Date: Fri Apr 6 16:53:21 2018 -0600 Disable unused code. Redirect "make test". commit 633813249c393938f2a8ca6d3715638f83710d74 Author: John Bowman Date: Thu Apr 5 22:32:04 2018 -0600 Remove unused code. commit 052fd69055b077537a0701711387d4005ef6cd3b Author: John Bowman Date: Thu Apr 5 22:27:48 2018 -0600 Increment version to 2.44. commit f91ccd81f6f33f927f88724e23afb75988c56692 Author: John Bowman Date: Thu Apr 5 21:21:39 2018 -0600 Replace symbolic link; update copyright. commit 69c6d33934672d86f94469325327e7e0862e4c72 Author: John Bowman Date: Thu Apr 5 20:29:03 2018 -0600 Fix MSWindows build script. commit 1ad3fcca0a38fdf6020ba9a00d9a09a12a0dea31 Author: John Bowman Date: Thu Apr 5 18:49:09 2018 -0600 Update build scripts. commit 66327ad373064731bcbda74a2873353a77f6eaf7 Author: John Bowman Date: Thu Apr 5 16:48:54 2018 -0600 Fix configure.ac. commit a4331d136126548b86d84ac59617f2a1374d9cc7 Author: John Bowman Date: Thu Apr 5 16:31:15 2018 -0600 Update build scripts. commit e1507613166785005f6f0c59ccc23df1340b9c2b Author: John Bowman Date: Thu Apr 5 08:55:50 2018 -0600 Update config.sub and config.guess. commit 92056e30dd6222eee72088de94c16cce22080104 Author: John Bowman Date: Thu Apr 5 08:55:48 2018 -0600 Update config.sub and config.guess. commit 42faee86b22ba0e051aba4d3df08da670dbe02d8 Author: John Bowman Date: Thu Apr 5 08:53:51 2018 -0600 Rename 64-bit linux binary. commit fcbfb4633bb13103fcf9cf1b399dc917c7a70763 Author: John Bowman Date: Wed Apr 4 16:37:24 2018 -0600 Revert to Boehm GC 7.6.0 due to map compilation issues under MacOS X. commit 125fadda71d2ff4be2c5533a22a18e1f72c336a9 Author: John Bowman Date: Wed Apr 4 09:44:07 2018 -0600 Update to latest Boehm garbage collector. commit d412f0e76cee49975f77849997707399a5719fb1 Author: John Bowman Date: Wed Apr 4 00:59:24 2018 -0600 Support vector svg output for PDF tex engines. commit 986b329d6e3628c768646f2217fa444f4be08ed8 Author: John Bowman Date: Tue Apr 3 21:50:48 2018 -0600 Implement temporary workaround for github Issue #29. commit ce6d0daa38fb334ff23f190b74ba10d0aa241acd Author: John Bowman Date: Tue Apr 3 19:47:40 2018 -0600 Fix real modulo operator. commit 3cdb10262d48640b9ce217896c3da595dd9ab805 Author: John Bowman Date: Tue Apr 3 02:16:30 2018 -0600 Increment version to 2.43. commit 4d0f6ba1b9c6ea2609b145f42ec9a39023e60706 Author: John Bowman Date: Tue Apr 3 00:12:12 2018 -0600 Revert to centroid depth sorting of transparent triangles until splitting code is complete. commit 355b585791bba490a8c0847dc104ef3504180353 Author: John Bowman Date: Mon Apr 2 23:44:04 2018 -0600 Revert to nativeformat EPS for MSWindows. commit ab9623e7777ff1e85f72f326b6ad9771f84290af Author: John Bowman Date: Mon Apr 2 23:37:05 2018 -0600 Fix ode integrator output. commit 440a4e23f492556b6671ad713c92507c4da91d94 Author: John Bowman Date: Mon Apr 2 23:31:44 2018 -0600 Add implementation of rational arithmetic. commit fb83e1d71bad988d081d308dc9a9d1f385871bdc Author: John Bowman Date: Mon Apr 2 23:20:23 2018 -0600 Improve missing texi2vi workaround. commit f10affaa88f9680576f541ff351a3996e502a135 Author: John Bowman Date: Mon Apr 2 22:49:03 2018 -0600 Specify current directory. commit d8d976aee0234524ab5794a75d61f9ea9c9e6d72 Merge: dc276c11 67b844ae Author: John Bowman Date: Mon Apr 2 21:42:51 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit dc276c116e40ef1e485fa456d75d26411d6ac1f4 Author: John Bowman Date: Mon Apr 2 21:36:48 2018 -0600 Check for feenableexcept. commit 67b844aecc03a4b08ff8e9a8152d7cf324b4db22 Author: John Bowman Date: Mon Apr 2 21:36:48 2018 -0600 Check for feenableexcept. commit 13d9a1ec1cf6f6f1478cc4f590f728b0f0561725 Merge: edf06016 bed300cc Author: John Bowman Date: Mon Apr 2 21:14:51 2018 -0600 Merge pull request #54 from ivankokan/perpendicularmark Properly implemented "square + pen" semantics within perpendicularmark commit edf060165f9014d9aeb23673bf214b5e7b983049 Author: John Bowman Date: Mon Apr 2 20:54:44 2018 -0600 Fix transparent depth test. commit d75d007c08b19787bc59b3efad1337f18b8a1bde Merge: e0dba9d6 6ce2d6f6 Author: John Bowman Date: Mon Apr 2 13:31:16 2018 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit e0dba9d6b5b00154d08c4eec793ab7cffba96cce Author: John Bowman Date: Mon Apr 2 13:30:59 2018 -0600 Fix missing 3D underline. commit 6ce2d6f6c07e0492a222ec22a78bf7c60f75fd96 Author: John Bowman Date: Wed Mar 28 17:46:50 2018 -0600 Fix issue #62 (invalid string acces). commit afd2d56d1a74a9fbd27c93f79a48947fe33bfd94 Author: John Bowman Date: Sat Mar 24 17:05:23 2018 -0600 Force make clean to clear symbols. commit fc0cc036f6b3733fba8b43bf5068b009fddb6bdc Author: John Bowman Date: Fri Feb 16 12:33:25 2018 -0700 Improve diagnostic. commit 63b2310edefaef37192f596a2b6cfd97d5ce60d1 Author: John Bowman Date: Fri Jan 19 20:18:17 2018 -0700 Inline call to intbits(). commit 5f5a678fcb4d40fe312c511eb32189c410269a73 Merge: c2ca99da e9906f89 Author: John Bowman Date: Fri Jan 19 01:06:50 2018 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit c2ca99da1f5587e077cd0e7c367b49d5eae7a172 Author: John Bowman Date: Fri Jan 19 01:05:11 2018 -0700 Fix asymmetry in angle(transform t), so that angle(yscale(-1))=0. commit 9bdc5755535489b81c6fea146aa60463de9cbcc3 Author: John Bowman Date: Fri Jan 12 15:56:37 2018 -0700 Fix path. commit e9906f89fe021471c9f7d7bd375c823ee0ea45d9 Author: John Bowman Date: Fri Jan 12 15:56:37 2018 -0700 Fix path. commit f9cd516793b5d98aba083f2ef79891ccb2319adf Author: John Bowman Date: Fri Jan 12 15:43:28 2018 -0700 Rename directory. commit b0ba7e598eae625ec5d57a214682fe41907c2500 Author: John Bowman Date: Fri Jan 12 15:40:58 2018 -0700 Fix typo. commit a8b346777b7404c480c7f9aa144239ef11288164 Author: John Bowman Date: Fri Jan 12 15:39:04 2018 -0700 Fix HOWTO-MSWindows maintainer documentation. commit bb3eb235fd4da44f56f1eb563ff6c65f48a22606 Author: John Bowman Date: Fri Jan 12 15:38:15 2018 -0700 Update HOWTO-MSWindows maintainer documentation. commit d069591eb886db59bf1bf764b3916e6b907cafd4 Author: John Bowman Date: Fri Jan 12 15:22:10 2018 -0700 Add maintainer build scripts. commit 1e1e6cbbcfe65b58ead8e04d5e2b302ed011acd8 Author: John Bowman Date: Thu Jan 11 14:00:22 2018 -0700 Fix integer division bug (due to overflow). commit 0d172a96ebb5d0c11679dd98af0fa542ff2211b3 Author: John Bowman Date: Tue Jan 9 09:51:04 2018 -0700 Make nativeformat PDF under MSWindows. commit 127affbfc8938f5a7ac835d8f7fb59797b852cb0 Author: John Bowman Date: Tue Jan 9 09:28:25 2018 -0700 Build 64-bit MSWindows binaries. commit eff28605bf5844b3570f43ad4264446c75b1e78c Author: John Bowman Date: Fri Jan 5 15:27:07 2018 -0700 Workaround broken CYGWIN xdr headers. commit bed300ccb079c06c66eee8ff4dd38d4e522bf027 Author: ivankokan Date: Fri Jan 5 18:55:49 2018 +0100 perpendicularmark: properly implemented "square + pen" semantics commit 952dec232e3ea77e820297f38f338fab360186fd Author: John Bowman Date: Fri Jan 5 09:02:49 2018 -0700 Update Boehm garbage collector. commit 715c523b3019a59259c48a0b7f9852ce17b6128a Author: John Bowman Date: Thu Jan 4 22:30:21 2018 -0700 Update CYGWIN port for 64-bit build. commit 75b227048bf39a8f2bd9288d1a4e076119d0e612 Author: Supakorn Rassameemasmuang Date: Thu Jan 4 15:07:17 2018 -0700 Add Polar Grid Form. commit 77ba04a37dd8affd267a267df256326fb42f6f1b Author: Supakorn Rassameemasmuang Date: Tue Jan 2 15:03:01 2018 -0700 Add basic guide drawing system. commit 109a43611f3e2f9da5f5dae5502d8a5b8b299a6a Author: Supakorn Rassameemasmuang Date: Fri Dec 29 21:10:25 2017 -0700 Add basic grid snapping. commit aefccb8c568f772feb2bc59f009da9da3e8a3ff3 Author: Supakorn Rassameemasmuang Date: Fri Dec 29 16:13:31 2017 -0700 Add basic grid toggling commit 0fa0e5ca0c3709c3d3e0722c35ae45a412ea10d4 Author: Supakorn Rassameemasmuang Date: Wed Dec 27 16:53:51 2017 -0700 Add basic grid rendering. commit 6f6b6b1f7ef8393096a57c8c0b370275c11b2270 Author: Supakorn Rassameemasmuang Date: Wed Dec 27 15:22:28 2017 -0700 Update deletion of Bezier points. commit 187e6113e92669d0cb724971694eaa8d7768178e Author: Supakorn Rassameemasmuang Date: Fri Dec 22 21:44:13 2017 -0700 Fix rotationBug - xasy2 now checks if custom anchor is defined or not. commit 005aef0a8c45c8625910363e1159fedcd9fa31b6 Author: John Bowman Date: Mon Dec 18 14:51:43 2017 -0700 Fix segmentation fault. commit f791e93a9d258f03d4cf218f19772c91df4b8b35 Author: John Bowman Date: Fri Dec 8 00:07:19 2017 -0700 Make Bitreverse array static. commit 2f76e4922df68ca7f5c625637cde3d8b6de00801 Author: John Bowman Date: Tue Dec 5 00:30:03 2017 -0700 Update documentation. commit 4d8d83abb664f21e941ded491fe9c99ed605d4a8 Author: John Bowman Date: Mon Dec 4 21:47:35 2017 -0700 Make CLZ(0) return width of int type. commit 732551d1071b8e660fd44974002b5c0fb4dde574 Author: John Bowman Date: Sun Dec 3 11:21:39 2017 -0700 Extend bitreverse and CLZ to long long integers. commit 6dfcb97eb80d384371cbba095ce5e0289ff649f5 Merge: 5709f8fc 1e314cf9 Author: John Bowman Date: Thu Nov 23 15:33:58 2017 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 5709f8fc6f1800de36d50e636332355a71d924ba Author: John Bowman Date: Thu Nov 23 15:21:55 2017 -0700 Add forcemath option to format for typesetting within an existing math mode. commit 1e314cf9b58e60b3a4b0fa930d5fe69e3e78653d Author: John Bowman Date: Sat Nov 18 11:13:21 2017 -0700 Remove extraneous declaration. commit 07604b6d32201acbb236b254240f66da167e1a49 Author: John Bowman Date: Thu Nov 16 20:32:08 2017 -0700 Port to latest CYGWIN. commit bdb0c70c984316552298396d0ec75f7b1c40a971 Merge: 9db9467d 51ababda Author: John Bowman Date: Fri Nov 3 13:33:10 2017 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 9db9467d4cc2c7cc2b1b09b2f9bda4ae85a7b188 Author: John Bowman Date: Fri Nov 3 13:25:07 2017 -0600 Implement 32-bit bit reverse. commit 51ababdae0bb1b3b94e87bd4a005af6f4d417b59 Author: John Bowman Date: Thu Oct 26 09:09:57 2017 -0600 Fix offscreen rendering initialization. commit 4e391ced23627e0ba9a318485f20c58d99545f27 Author: prramazi Date: Fri Oct 13 17:08:45 2017 -0600 Fix int type. commit febfdec12079aa673d8f0c66580529c208f3cedb Author: John Bowman Date: Wed Oct 11 11:20:53 2017 -0600 Fix gitignore. commit 41e6e15d4313c7ba02d947ff33d74238304c7033 Author: John Bowman Date: Fri Sep 29 14:00:58 2017 -0600 Correct comment. commit fa3de734be166afe63d0d47cdf546932f7531a5a Author: John Bowman Date: Fri Sep 29 11:39:07 2017 -0600 Implement string[] array(string s) and string operator +(...string[] a). commit 41d41c503c4119638baf7480c189149f6c244628 Author: John Bowman Date: Wed Sep 27 16:47:24 2017 -0600 Add operator <>. commit 21f5e431ff233c8af387e305301f12cfd235c636 Author: John Bowman Date: Mon Sep 25 17:14:37 2017 -0600 Implement int popcount(int) and use it to build a 64-bit int CTZ(int). commit bfc45f91a1f31ad9b9ec35cbdd38614021fe3cf4 Author: ivankokan Date: Mon Sep 25 00:20:40 2017 +0200 dot: global setting dotfilltype introduced (preserving current behavior), docs updated commit 66fc685efa9a161b70e67c9f319d9030b2d2eea9 Author: John Bowman Date: Fri Sep 22 15:20:17 2017 -0600 Implement findall. commit 1d87c4b421c6e1950280eb26681ad229fe98313c Author: Supakorn Rassameemasmuang Date: Mon Sep 4 16:23:21 2017 -0600 Add preliminary keymap & settings support. commit 8e8a2349800a1d245779e023ecc5ede7da38b239 Merge: c4aa7ded e9584ed2 Author: Supakorn Rassameemasmuang Date: Fri Sep 1 15:28:23 2017 -0600 Merge branch 'qt' of github.com:vectorgraphics/asymptote into qt commit c4aa7dedffc4a7782a75416c787dc7f607a308ea Author: Supakorn Rassameemasmuang Date: Fri Sep 1 15:28:18 2017 -0600 Fix Beizer -> Bezier spelling commit e9584ed2fbaa6ba2bbf98fe78166c4e91a139da4 Author: John Bowman Date: Fri Sep 1 15:27:42 2017 -0600 Update Makefile. commit e76d689c599a22a4441ae7111164bae7ac8f4f60 Author: John Bowman Date: Fri Sep 1 15:27:11 2017 -0600 Update GUI. commit c5e57f4d961d136c4b547ea63026795790bd125e Merge: 355f99d4 15fe0eb7 Author: Supakorn Rassameemasmuang Date: Fri Sep 1 15:26:49 2017 -0600 Merge branch 'qt' of github.com:vectorgraphics/asymptote into qt commit 355f99d469f725e0086313bb27ab66b66d4d48cd Author: Supakorn Rassameemasmuang Date: Fri Sep 1 15:26:43 2017 -0600 Fix merge conflict. commit 15fe0eb716b5f0d92ab8fe7063ca55124a623260 Author: John Bowman Date: Fri Sep 1 15:16:29 2017 -0600 Update. commit 65e540f590ae0a9b552d31fec8eef5980e0f59c9 Merge: 7be28a23 093568e2 Author: Supakorn Rassameemasmuang Date: Fri Sep 1 15:09:10 2017 -0600 Fix merge conflict. commit 7be28a23c991a0356792adf6304a5e58e0d8f492 Author: Supakorn Rassameemasmuang Date: Fri Sep 1 15:06:29 2017 -0600 Add Point Editor. commit 093568e25e61c860b896497264b19ea4f078c0ac Author: John Bowman Date: Fri Sep 1 15:04:39 2017 -0600 Fix spelling. commit fa2c10cf89b3b2564ee53bc48d46dd6919ba6105 Author: John Bowman Date: Fri Sep 1 14:33:27 2017 -0600 Remove obsolete file. commit 7404f0bca98908521bccdfe9fe5fc84582869deb Author: John Bowman Date: Fri Sep 1 14:31:47 2017 -0600 Add ui entry. commit 0ea7b7aca30f5f0b2e0c17bac97093c797ff3397 Author: Supakorn Rassameemasmuang Date: Tue Aug 29 13:00:50 2017 -0600 Add Beizer Curve Editor. commit 8fde617cc64cdfe44f61e6cc5ef6197ef2cc633c Merge: d664d887 f1092a70 Author: Supakorn Rassameemasmuang Date: Tue Aug 29 13:00:01 2017 -0600 Merge remote-tracking branch 'origin/qt' into qt commit d664d887042bdbf4fd0a38d34834c6d4282acfd3 Author: Supakorn Rassameemasmuang Date: Tue Aug 29 12:59:42 2017 -0600 Add undo/redo stack. commit f1092a70a211994ddf6bafe488427628e71341a0 Merge: 1ed21e9e 1eafa765 Author: John Bowman Date: Sat Aug 26 23:39:00 2017 -0600 Merge branch 'qt' of github.com:vectorgraphics/asymptote into qt commit 1ed21e9e55effe8fb917d4a3c9903f07cdd6e228 Author: John Bowman Date: Sat Aug 26 23:38:43 2017 -0600 Add pyUIClass support to Makefile. commit 1eafa765e69ddb869237532ec7e9e828b30993c6 Author: Supakorn Rassameemasmuang Date: Sat Aug 26 23:14:43 2017 -0600 Add Custom Anchor dialog. commit d4e29b99c50c481bd67a46de08da95598730c72f Author: Supakorn Rassameemasmuang Date: Sat Aug 26 23:13:24 2017 -0600 Add panning, added screen transformation layer, custom commands input dialog. commit ade0b6c36cbca1bce9bfc51edefc7657e46d31c6 Author: Supakorn Rassameemasmuang Date: Fri Aug 25 12:58:54 2017 -0600 De-Asyfy transformation, fix local coordinates (temporary), updated matrix dialog. commit 477fdd587d86bb57d8a8080a5a89401f80e6e128 Author: Supakorn Rassameemasmuang Date: Wed Aug 23 14:16:58 2017 -0600 Add icon resource files, Matrix Transform Dialog. commit c460dce5689f9c992e0a80b150b2c67238a39c2e Author: Supakorn Rassameemasmuang Date: Tue Aug 22 17:10:59 2017 -0600 Add quick rendering, toggling of grids, more tooltips. commit 64d74954ef499b36329c5fb958dab4a38c932b52 Author: Supakorn Rassameemasmuang Date: Tue Aug 22 15:54:52 2017 -0600 Add custom Transformation. commit 2f9674524c1d2231b58252b4daafd14aee478b27 Author: Supakorn Rassameemasmuang Date: Mon Aug 21 16:45:27 2017 -0600 Fix translation & Update README. commit fd330a08614549c1497bd969f230837abcec8d7e Author: Supakorn Rassameemasmuang Date: Mon Aug 21 16:40:56 2017 -0600 Transition to final UI, add basic translation, scaling, rotation. commit ab2c346a05cd13fcc6e5c36ec2e9b0a100779e23 Author: Supakorn Rassameemasmuang Date: Sat Aug 19 16:40:07 2017 -0600 Move to new, Final User interface. commit efc9a0013f20fcc39872bbf42b8b1cbdbec91d35 Author: Supakorn Rassameemasmuang Date: Sat Aug 19 15:32:34 2017 -0600 Temporarily remove preCanvasPixmap (as mainCanvas transparency is not wokring for some reason), add grid outline. commit 8988458f8d4f14bfb7b5e85074e7dd18d90fdc31 Author: Supakorn Rassameemasmuang Date: Fri Aug 18 21:32:58 2017 -0600 Add mouse detection, drag translation & deferred buffers. commit f7231be3e560fa40f43e298e4b69b5c03ca0a141 Author: John Bowman Date: Fri Aug 18 14:31:44 2017 -0600 Remove redundant vbox. commit 7c5ba009606fe64da1757bdfebed51f0776a9941 Author: Supakorn Rassameemasmuang Date: Wed Aug 16 15:42:29 2017 -0600 Change PIL to QImage. commit b69b6093485c4b42f03c26134099f54f02b497f8 Author: Supakorn Rassameemasmuang Date: Tue Aug 15 14:42:19 2017 -0600 Rename xasyQt to xasy and original xasy to xasyTk. commit 52b8a33a6129219acb608abcc36248f27596965e Merge: fd134d02 67fe29eb Author: Supakorn Rassameemasmuang Date: Tue Aug 15 14:40:50 2017 -0600 Merge branch 'qt' of github.com:vectorgraphics/asymptote into qt commit fd134d02224c30893fc99a993643b641a6025999 Author: Supakorn Rassameemasmuang Date: Tue Aug 15 14:40:44 2017 -0600 added final ui draft commit 27beaff43db806d9169f27ad0e10dd41f2a61299 Author: Supakorn Rassameemasmuang Date: Mon Aug 14 01:00:36 2017 -0600 Add generalized Affine Transform. commit 67fe29eb902d87a6f34b6fbdd01c2a302a6b028c Author: John Bowman Date: Sun Aug 13 21:51:17 2017 -0600 Fix xasyQt. commit c66360fc91837ac6b226ccef33c5bb95bff31bc3 Author: Supakorn Rassameemasmuang Date: Sun Aug 13 16:31:59 2017 -0600 Refractor to have the raw image flipped (for native asy coordinates). commit ad49f711ce684ef85b260cb02c0f51b0558e55ec Author: Supakorn Rassameemasmuang Date: Sun Aug 13 15:56:30 2017 -0600 Add rotation and translation. commit 81434d3f20caec72ebad1ac758958c3ca2d13481 Author: Supakorn Rassameemasmuang Date: Wed Aug 9 00:11:55 2017 -0600 Update .gitignore and move generated files to a separate folder commit 03617244274132af1cad89cf8c3b1617cd2d1f91 Author: Supakorn Rassameemasmuang Date: Tue Aug 8 16:06:18 2017 -0600 Add initial qt xasy. commit 84f4ea3ff0a564698282af8eeb1afae14907e2fe Author: John Bowman Date: Fri Aug 4 15:33:03 2017 -0600 Improve equation support in module slide. commit da7e0f8adee99fadb59623bc3065acae4c523e9b Author: John Bowman Date: Fri Aug 4 16:25:15 2017 -0600 Test of Qt5. commit 1b9692fae4a4f7bd58ea09f37178f7ed598f277d Author: John Bowman Date: Tue Jun 13 15:40:12 2017 -0600 Simplify example. commit 467e7c47c96da5c28aca1713b02bcecf75e7e166 Author: John Bowman Date: Tue Jun 13 15:38:54 2017 -0600 Remove broken empty flag. commit 5ec14a9d6f1f507b616db450896a7f275dd7ff3c Author: John Bowman Date: Thu Apr 6 11:01:23 2017 -0600 Work around quote mangling bug when viewing asymptote.pdf in certain PDF readers. commit 45f532f7b10565f05ff82c6f7b6833ef33a20712 Author: John Bowman Date: Wed Mar 22 02:29:15 2017 -0600 Increment version to 2.42. commit 40f27e1424f6c63aa362f16f3c65b9f3d1d6e723 Author: John Bowman Date: Wed Mar 22 01:56:17 2017 -0600 Always use epsdriver. commit ee57aa9c533e4a71fc20151928e5cf418d4effc5 Author: John Bowman Date: Wed Mar 22 00:29:27 2017 -0600 Update bug reporting URL in README. commit 207695a78f697be391991f5c943543ebeccf4e87 Author: John Bowman Date: Tue Mar 21 23:34:36 2017 -0600 Remove temporary ConTeXt log file. commit a981ce85db27372750fd19aec9d4456d3bc0b21a Author: John Bowman Date: Tue Mar 21 23:19:22 2017 -0600 Support eps output with all TeX engines. Work around Imagemagick black background bug in jpg output. commit 3e42b17ffde9941bf0ad6e24a05f73c788d755b5 Author: John Bowman Date: Mon Mar 20 23:05:31 2017 -0600 Remove temporary pbsdat file. commit dacbf47554b36d0571394b3c4d747405e53f2708 Merge: f34a52df c2e4bd59 Author: John Bowman Date: Fri Mar 17 01:48:29 2017 -0600 Merge pull request #38 from ivankokan/master Add improvements for perpendicular marks. commit f34a52dfbebee7100a0d853edda78c99f1e5f2c0 Author: John Bowman Date: Fri Mar 17 01:20:43 2017 -0600 Use different rendering constants for Bezier patches and triangles. Improve flatness test for Bezier triangles. commit 0b59b3b2b2432b3c715eb80f0305c454bd7a9e00 Author: John Bowman Date: Sun Mar 5 14:17:40 2017 -0700 Fix previous commit. commit 9a2b4810156bf34c4257f08dc12595aed9867147 Author: John Bowman Date: Sat Mar 4 18:32:36 2017 -0700 Make perl look in FAQ directory. commit b3322131bebd3a506add235d25ae7ca53ab2efcd Author: John Bowman Date: Thu Mar 2 15:41:45 2017 -0700 Reduce rendering constant back to 0.5. commit 00716297f257c464e97bb0bd6b747c4034bcb97e Author: John Bowman Date: Thu Mar 2 15:10:37 2017 -0700 Remove unused variable. commit 05b6d931d5546359b061e3959817ff8d4936672a Author: John Bowman Date: Thu Mar 2 09:57:58 2017 -0700 Remove out-of-date opengl32.dll and glu32.dll libraries on install. commit 585c158ee53e4d202f1ceda5c12782a06aec57e9 Author: John Bowman Date: Thu Mar 2 00:18:05 2017 -0700 Increment version to 2.41. commit 5a6d3626f3589f7fdc7193dea97ae335ad70b242 Author: John Bowman Date: Wed Mar 1 23:43:49 2017 -0700 Increase adaptive rendering constant to 1.0. commit 35a65e91254f9326e70fcca3c334cc40cb5cb867 Author: John Bowman Date: Wed Mar 1 22:18:51 2017 -0700 Update to more recent system versions of glu32.dll and opengl32.dll libraries, so that UNIX subdivision crack fix also works under MSDOS. commit f846f1d090b8ef8910a891a62b7ddfb945ec8280 Author: John Bowman Date: Wed Mar 1 22:09:50 2017 -0700 Fix multisample detection; remove MSDOS workarounds (tested with freeglut-2.8.1). commit c2e4bd5990b9f3e6963ea80da2eb20d3a48c7a82 Author: ivankokan Date: Wed Mar 1 17:37:51 2017 +0100 markrightangle: margin manipulation removed (it resulted with blank area between the perpendicular mark and a line thinner than currentpen), perpendicular mark now always starts from the "middle" of lines commit 7636977c5c744ba28df9ae21c3dd7530d1beaa5f Author: ivankokan Date: Wed Mar 1 17:37:51 2017 +0100 perpendicularmark: miterjoin added (aesthetic improvement and alignment with existing squarecap) commit 8de2b9cae38a5bdfc29bbe6ee8bec9def0515c5c Author: John Bowman Date: Sat Feb 25 01:45:58 2017 -0700 Use Straightness also for Bezier triangles. commit d4330f044f54bce7122052a8b2e860a39944f58d Author: John Bowman Date: Sat Feb 25 01:31:01 2017 -0700 Optimize Straightness function. commit 8e6fb2dc64f2a7cf43a13f97752f2c5d902f381a Author: John Bowman Date: Fri Feb 24 10:54:48 2017 -0700 Fix straightness test. commit f72338e8be394ab6716a7b488f016bbf7d3123d3 Author: John Bowman Date: Mon Feb 20 11:50:43 2017 -0700 Fix CFLAGS. commit 12af4538ad099cd597c9f6b3c816823fdc0ca7d4 Author: John Bowman Date: Sun Feb 19 11:44:53 2017 -0700 Localize declarations. commit 23a14592eb04fd15a7d062ccc693b225e927a0fe Author: John Bowman Date: Sun Feb 19 11:37:30 2017 -0700 Force draw on color change. commit 6d5ef929f22eb9d7b4f82fe2d828eb6a6b39395f Author: John Bowman Date: Sat Feb 18 20:03:01 2017 -0700 Move compare function to bezierpatch.cc. commit 5da211a76c91fc77111e4ffff2849c14846f95fc Author: John Bowman Date: Wed Feb 15 18:25:34 2017 -0700 Update credits and example. commit 322fba942949338ce0b2a15e6f8a38c5c7f95ff1 Author: John Bowman Date: Wed Feb 15 15:19:55 2017 -0700 Simplify code. commit 9a0372b48f142f6429015f80a18071ee77b796da Author: John Bowman Date: Wed Feb 15 07:52:52 2017 -0700 Revert "Detect material change also for specified vertex colors." This reverts commit c7878da529adde75a929a755dae7a42b2e9a3486. commit c7878da529adde75a929a755dae7a42b2e9a3486 Author: John Bowman Date: Wed Feb 15 07:45:14 2017 -0700 Detect material change also for specified vertex colors. commit af2b9b1592e3849c5e5c986fd92c745076eedb22 Author: John Bowman Date: Tue Feb 14 23:30:51 2017 -0700 Derive drawBezierPatch and drawBezierTriangle from drawSurface. commit 6036e20c654c10dc4514cc95162378578f5f15d5 Author: John Bowman Date: Tue Feb 14 23:29:17 2017 -0700 Don't override command-line CFLAGS. commit 53cd8fef6985ff057380289b58ba721c0bcbe4b0 Author: John Bowman Date: Tue Feb 14 16:52:42 2017 -0700 Work around broken CYGWIN headers. commit 5d2776ee98f73db470c4c02eb8dbb2cf02e01618 Author: John Bowman Date: Tue Feb 14 16:48:15 2017 -0700 Improve subdivision crack filling for Bezier triangles. commit f181de0b91d7fe3d0f009b096e12741fa10ebde2 Author: John Bowman Date: Tue Feb 14 09:27:51 2017 -0700 Update comments. commit 97881b9e66a053fcbec8298f3cd4c47549f1fbc1 Author: John Bowman Date: Mon Feb 13 14:12:20 2017 -0700 Fix warning message. commit 846025fa2fb7293558825b23eff3c87ad9f22e84 Author: John Bowman Date: Mon Feb 13 13:49:42 2017 -0700 Implement transparency workaround also for Bezier triangles. commit 064ad7478a319f0c98aaae524c72b5d068c1b359 Author: John Bowman Date: Mon Feb 13 11:33:35 2017 -0700 Implement transparency workaround also for Bezier triangles. commit 1c8b95b6e6f9bd0773861d233f880ff553f72ed1 Author: John Bowman Date: Mon Feb 13 03:56:02 2017 -0700 Remove unused code. commit f2de95a07077aaf2e4c812f0cd2706be14e4f3b1 Author: John Bowman Date: Mon Feb 13 03:54:10 2017 -0700 Test empty flag in BezierPatch::draw(). commit 64134306851cc52f0fc134a7c6933f79f60149da Author: John Bowman Date: Mon Feb 13 03:45:36 2017 -0700 Simplify code; update example. commit 42ef8903cabfc20ceef8971025d71e5a91458700 Author: John Bowman Date: Mon Feb 13 03:39:20 2017 -0700 Remove unused variable. commit f2964231df4f5220c07db04faccd99d05ac73580 Author: John Bowman Date: Mon Feb 13 03:36:51 2017 -0700 Simplify code. commit e209592e78c8fd8da53ee343768931a6ed23c89b Author: John Bowman Date: Sun Feb 12 23:01:31 2017 -0700 Fix example. commit 0e09443aec3a961b46dc86b1c0a388d203a1f6bb Author: John Bowman Date: Sun Feb 12 22:59:39 2017 -0700 Fix example. commit e9face7d68b591bcd39a0c2a8eddc458bb6910b3 Author: John Bowman Date: Sun Feb 12 22:46:06 2017 -0700 Update examples. commit 31c6630d550fab51331756a4d78bc6f199b226ea Author: John Bowman Date: Sun Feb 12 14:59:39 2017 -0700 Partially work around OpenGL transparency bug by sorting transparent triangles by their centroid depth. commit ca09f95435e91eefcffd15050657e53debc1f829 Author: John Bowman Date: Sun Feb 12 14:52:21 2017 -0700 Fix segmentation fault. commit 8388a6050b59764a1669bd7f56aa8864c4261dfc Author: John Bowman Date: Sat Feb 11 19:49:58 2017 -0700 Update to gc-7.6.0. commit 0eb3950fd75f3ce45617a83ad1f8e30778e14d3b Author: John Bowman Date: Wed Feb 8 12:21:48 2017 -0700 Fix stride. commit 7161eef9c86df2124549a42c0723610ca9e1acee Author: John Bowman Date: Mon Feb 6 16:35:21 2017 -0700 Support compilation without OpenGL. commit 723495103fb4d189f6d1ec1349ecdd01275b89b0 Author: John Bowman Date: Fri Jan 27 14:23:35 2017 -0700 Fix post-release version number. commit 0c0164bdaba74be22c294aebdb880c6798ab6bbc Author: John Bowman Date: Wed Jan 25 00:17:22 2017 -0700 Increment version to 2.40. commit 6895ed3fb866609fae46b01bd6e44b2f2bcf281f Author: John Bowman Date: Tue Jan 24 22:43:43 2017 -0700 Update asymptote.py. commit 51cb6d02c8ce6599ce9975e315308ec99af60d7e Author: John Bowman Date: Tue Jan 24 20:20:11 2017 -0700 Remove unwanted extension from shipout prefix. commit 80b4d2b25e304a4b11c60a28082130d1a17d44dd Author: John Bowman Date: Tue Jan 24 14:24:59 2017 -0700 Use pdf 3D label processor also for luatex and lualatex tex engines. commit e793d86adc45d3738b9b69ad20212f5c9c18c364 Author: John Bowman Date: Tue Jan 24 13:50:47 2017 -0700 Reduce tubegranularity. commit 9366137351acf3cf45cf7c7de563f13d5a39bb95 Author: John Bowman Date: Tue Jan 24 13:37:02 2017 -0700 Make invalid string casts return an uninitialized variable. Add bool initialized(T) function for basic types T. commit 4c744193cc8fdd51d277e9566a114a589772ae4d Author: John Bowman Date: Tue Jan 24 09:28:10 2017 -0700 Move lualatex test into TeX code. commit 9a8586b5f6c9581eb7cb93fe9775e1756de3c5c8 Author: John Bowman Date: Tue Jan 24 09:01:40 2017 -0700 Revert "Remove requirement to call nosetpagesize() when changing to lualatex engine." This reverts commit 70fccdee30727275b3b1cab79da18287837601e2. commit 70fccdee30727275b3b1cab79da18287837601e2 Author: John Bowman Date: Tue Jan 24 08:44:36 2017 -0700 Remove requirement to call nosetpagesize() when changing to lualatex engine. commit 7d9b49adf9e555e13dcea584e74bcd12f9636a49 Author: John Bowman Date: Sat Jan 21 16:59:00 2017 -0700 Reinstate patch outline mode. commit a96ffbbfba55fc69b27b1c6052545bbf99ee23f8 Merge: 0be6f556 16ae9ee4 Author: John Bowman Date: Sat Jan 21 15:45:27 2017 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 0be6f55679c4b6cb0f7fe14c22b1f4b676e54d5f Author: John Bowman Date: Sat Jan 21 15:45:17 2017 -0700 Add missing file. commit 1d32440f4abd08287e4b9672c98e41139540607c Author: John Bowman Date: Sat Jan 21 15:43:00 2017 -0700 Split BezierCurver render and draw operations. commit 16ae9ee4892076ca4f1ba20581cfd8001459f4fd Author: John Bowman Date: Sat Jan 21 15:43:00 2017 -0700 Split BezierCurver render and draw operations. commit ee78ea2311ce61048b7e559b6a3f510eb98387c3 Author: John Bowman Date: Sat Jan 21 11:24:49 2017 -0700 Implement Bezier curver renderer. commit fee686ab993af55e63a877c438d2fa233059f079 Author: John Bowman Date: Fri Jan 20 23:25:26 2017 -0700 Fix offscreen array sizes. commit 56326208e7a3f341556bd3d964fffeb8e9cba0a8 Author: John Bowman Date: Fri Jan 20 19:28:07 2017 -0700 Optimize billboard mode. commit eb0da243e2cd1d6738efbad9e549dad8c2bfafc2 Author: John Bowman Date: Wed Jan 18 00:41:22 2017 -0700 Cull offscreen Bezier triangles. commit b57705207c7b62a68ef90dacdfd5919248197135 Author: John Bowman Date: Wed Jan 18 00:20:12 2017 -0700 Cull offscreen subpatches. commit 189c89074852706cc3d8f6648dd30517465e9445 Author: John Bowman Date: Sun Jan 8 14:27:49 2017 -0700 Fix flatness test. commit a524000c1352b11fe4e3aa7d1335cc393841d29e Author: John Bowman Date: Sat Jan 7 21:04:34 2017 -0700 Fix flatness test. commit 168b1f284139482deb8044c4328a10e57fbfec47 Author: John Bowman Date: Sat Jan 7 21:03:13 2017 -0700 Simplify code. commit 12363c3ba5048faca607ab2656e19d26b402b5cd Author: John Bowman Date: Sat Jan 7 19:28:32 2017 -0700 Improve flatness test; simply code. commit 01f66ecfb744df300c04c760d81475b4d1e5450c Author: John Bowman Date: Sat Jan 7 19:18:01 2017 -0700 Fix typo. commit adc9c3a165b8e74ed2728ec0203ce68234629ff3 Author: John Bowman Date: Sat Jan 7 19:16:44 2017 -0700 Add deepyellow synonym for olive color. commit 1cc7f83d73cbe2ece3e7e4f0e7640b2ec5cbe684 Author: John Bowman Date: Sat Nov 26 10:56:46 2016 -0700 Remove requirement to call nosetpagesize() after changing TeX engine. commit 33ed6c683a960b0a29951d3c7f8efbb15f64aaaf Author: John Bowman Date: Fri Nov 25 16:50:06 2016 -0700 Implement robust workaround for graphicx.sty bug. commit 967f09a6fd79b84b8803fca8d9871c7f11f4942a Author: John Bowman Date: Mon Nov 14 11:53:44 2016 -0700 Update asymptote.sty to force nosetpagesize also with xelatex TeX engine. commit 988530d0daf78c580ed305d07d0d23e140b2b52d Author: John Bowman Date: Tue Nov 8 10:00:05 2016 -0700 Workaround setpagesize graphicx side effect when using asymptote.sty. commit 866ef9c47bedec14d1584b443bbcf02ba5be5b60 Author: John Bowman Date: Tue Nov 8 01:15:57 2016 -0700 Portably fix graphicx setpagesize bug. commit 27948832401841f1fd4c1ec6fa3f71e5a246dcc0 Author: John Bowman Date: Mon Nov 7 21:49:54 2016 -0700 Fix principalBranch. commit 529bc76b4f31e59332383c3068ef4b5e41c49865 Author: John Bowman Date: Tue Nov 1 00:19:20 2016 -0600 Minor optimization. commit 4aa1ffb19dfac6705a728f6b3ddeda353dee1868 Author: John Bowman Date: Sun Oct 30 02:46:17 2016 -0600 Minor optimization. commit 4e1d019889f5609205ecc2856afacb867ed8b66d Author: John Bowman Date: Wed Oct 26 22:57:10 2016 -0600 Add paletteticks NoTicks option. commit 0a0f231cd247d3341f188fad28f00d29813cdee6 Author: John Bowman Date: Mon Oct 24 23:33:49 2016 -0600 Avoid empty axis labels. commit bd70d164fb84e06f0ff8aa5cb03b08d8adbf688b Author: John Bowman Date: Sun Sep 4 22:06:31 2016 -0600 Implement improved workaround to recent graphicx incompatibilities, which also works with inline TeX mode. commit 2f209f9ed847db0068c0ac85fa6c98571eeb9462 Author: John Bowman Date: Sun Aug 28 23:36:02 2016 -0600 Implement general workarounds for recently introduced graphicx and lualatex backwards incompatibilities. commit afb95149c62f8c27605fc01ae75b9ce1bf678431 Author: John Bowman Date: Fri Aug 26 00:31:58 2016 -0600 Add patched version of plain.asy for TL2016 only. commit 758d08612b2895663947a31f68341caaceaf8a20 Author: John Bowman Date: Tue Aug 23 03:26:28 2016 -0600 Revert "Revert "Revert "Workaround pdflatex pdfpagewidth and pageheight bug in TeXLive 2016.""" This reverts commit 896202ca85c76a5e09c1c68193b3459600586127. commit fe2510c2d5696fa8f259e535b022cae86938c735 Author: John Bowman Date: Mon Aug 15 14:12:30 2016 -0600 Revert "Add gl-matrix javascript library." This reverts commit 9878b4dc4358da80777666dc9cf80e351a80f937. commit 9878b4dc4358da80777666dc9cf80e351a80f937 Author: John Bowman Date: Mon Aug 15 10:20:27 2016 -0600 Add gl-matrix javascript library. commit 896202ca85c76a5e09c1c68193b3459600586127 Author: John Bowman Date: Thu Aug 4 00:07:00 2016 -0400 Revert "Revert "Workaround pdflatex pdfpagewidth and pageheight bug in TeXLive 2016."" This reverts commit b8ef9a8ae04ac345188cb31eab591945cd2a2abf. commit 421b733a96996452bd474b80988741fdb2ece342 Author: John Bowman Date: Thu Aug 4 00:06:29 2016 -0400 Revert "Implement alternative workaround for graphicx pagesize bug." This reverts commit 545f2b55cca742e6df16df2362fba18702171d50. commit 545f2b55cca742e6df16df2362fba18702171d50 Author: John Bowman Date: Wed Aug 3 23:10:17 2016 -0400 Implement alternative workaround for graphicx pagesize bug. commit b8ef9a8ae04ac345188cb31eab591945cd2a2abf Author: John Bowman Date: Wed Aug 3 23:09:25 2016 -0400 Revert "Workaround pdflatex pdfpagewidth and pageheight bug in TeXLive 2016." This reverts commit 61cfa1e299de53c12a6ce08305383aac18ad9216. commit 61cfa1e299de53c12a6ce08305383aac18ad9216 Author: John Bowman Date: Tue Aug 2 23:23:01 2016 -0400 Workaround pdflatex pdfpagewidth and pageheight bug in TeXLive 2016. commit d76f6754b1552eb02dca5ab53ea4836c287c3e53 Author: John Bowman Date: Wed Jul 27 05:35:57 2016 -0600 Generalize palette(real[][], pen[]) to handle nonsquare arrays. commit ff41f2060c00278a13512dd66ca7424d697342c5 Author: John Bowman Date: Sat Jun 4 20:45:28 2016 -0600 Increase overlapedges scaling. commit 689fb9ebecdc859d438808178beb7151a0229698 Author: John Bowman Date: Sat Jun 4 20:03:11 2016 -0600 Revert "Remove obsolete overlapedges flag." This reverts commit 154c47b6962a23404857ada45d3d7b0752f4817e. commit d0c97bff49e5bc2c89ad0b48552b971d163414a5 Author: John Bowman Date: Sat Jun 4 20:00:48 2016 -0600 Fix typo. commit 7ecaf8f43931d728eaf4154092cefaa4d0d0c201 Merge: 692051a2 154c47b6 Author: John Bowman Date: Thu Jun 2 23:11:58 2016 -0600 Merge branch 'patch'. commit 154c47b6962a23404857ada45d3d7b0752f4817e Author: John Bowman Date: Thu Jun 2 22:59:14 2016 -0600 Remove obsolete overlapedges flag. commit 928af116df130df1e75d308c8722682e36b391b5 Author: John Bowman Date: Thu Jun 2 22:57:44 2016 -0600 Standardize flatness tests. commit 3f409fa5c904b82266ca576aa6372493b654dedf Author: John Bowman Date: Thu Jun 2 15:13:17 2016 -0600 Relax flatness test. commit 5dece5cdcd7bad955f1e0836664fe3f572fd75f7 Author: John Bowman Date: Thu Jun 2 13:57:03 2016 -0600 Fix flatness test. commit 12238c7d03bd61aaffcfa5ab47b51d56acadb286 Author: John Bowman Date: Thu Jun 2 12:42:44 2016 -0600 Fix remaining normals. commit 826469f06a43a86fdc56999a88b7fe657797ee1d Author: John Bowman Date: Thu Jun 2 03:16:42 2016 -0600 Fix color order. commit def2d72ac3e8472c5997fada88004765bb581a41 Author: John Bowman Date: Thu Jun 2 03:04:18 2016 -0600 Fix straight case. commit 2323c592d5a2e8fd800ce1e0b9288027dd89c88a Author: John Bowman Date: Thu Jun 2 02:29:19 2016 -0600 Remove unused code. commit 0bdfab4a98dd496fb0f3187edb92bc47e551a423 Author: John Bowman Date: Thu Jun 2 02:02:47 2016 -0600 Simplify code. commit f03dc5c7e6e3007cf9cc8c628daf93f6ff2fe33f Author: John Bowman Date: Wed Jun 1 13:47:31 2016 -0600 Fix subdivion cracks and zero normals. commit fdb20f62a69b5e8244f71025f349baf411e49332 Author: John Bowman Date: Wed May 18 15:08:42 2016 -0600 Add vertex shading. commit 31ba48ca76e1a118fde5812137366ecabca1d3e7 Author: Andrew Bernakevitch Date: Wed May 18 14:35:47 2016 -0600 Add ASCII diagrams of the Bezier patch, including a diagram of the patch and one of the key points on the patch. commit 692051a2849fa4ae074ab565319b2af22a5fc828 Author: John Bowman Date: Tue May 17 10:16:53 2016 -0600 Fix formatting. commit f67594a5df27ec9862c7953c13522f16e8a59387 Author: John Bowman Date: Thu May 12 03:23:35 2016 -0600 Increment version to 2.39. commit 3f044f05ca7f3d30d3f61edcf1d991bd6ccc69dd Author: John Bowman Date: Thu May 12 02:16:25 2016 -0600 Move bug tracking to github. commit b9ca1650f3086a265eb9d39649261680fe032ba5 Author: John Bowman Date: Thu May 12 02:05:12 2016 -0600 Require ncurses library only with --enable-readline. Implement --disable-sigsegv configuration option. commit 4c1ac9da70652934fadfef75181aab7191845327 Author: John Bowman Date: Thu May 12 01:14:03 2016 -0600 Begin implementation of bezier patch renderer. commit da2c3f8c7af68645c6cff8c04f555676413e47ba Author: John Bowman Date: Thu May 12 01:08:40 2016 -0600 Minor optimization. commit 8a956632265c5b540b21249d8411216788812e30 Author: John Bowman Date: Wed May 11 08:55:31 2016 -0600 Use # operator for integer division. commit 11f06b200a9ca5382e2c15d251140e44902f0f04 Author: John Bowman Date: Mon May 9 13:55:55 2016 -0600 Update CXXFLAGS and LDFLAGS documentation. commit 563d53bf8eba994e903e460361f30d93f6a5da14 Author: John Bowman Date: Sun May 8 22:19:25 2016 -0600 Port Makefile.in to Bourne shell. commit 04b86da8e09ed0772d46520e43e4875878aff4f8 Author: John Bowman Date: Sat May 7 20:34:12 2016 -0600 Fix longitudinal splitting in revolution. commit 0d7435b299f721fbe4d788edc3f5334f8bddabb9 Author: John Bowman Date: Fri May 6 20:49:46 2016 -0600 Pass CC and CXX to gc configure. commit a40b6c087091bdc15ffe44d00c51ca15cb1d4877 Merge: 656cf976 0f1f6d1c Author: John Bowman Date: Fri May 6 09:45:34 2016 -0600 Merge pull request #21 from mojca/posix-test Makefile.in: replace 'test ! -e' => 'test ! -s' commit 0f1f6d1c73ebc6b494fc23d76a1f00966de9f5fb Author: Mojca Miklavec Date: Fri May 6 16:49:41 2016 +0200 Makefile.in: replace 'test ! -e' => 'test ! -s' for compatibility with older shell (on systems like Solaris) commit 656cf9764dc937aa12bd50fe8dc2e0354c7c5e64 Author: John Bowman Date: Fri Mar 18 16:42:22 2016 -0600 Minor optimization. commit ee9839887c7006a4e5138afe8b039669082c904a Author: Orest Shardt Date: Tue Mar 15 15:14:38 2016 -0400 correct parsing of control points commit 1032cd60aedd0dec0f376410e5fdf525eda65f39 Author: John Bowman Date: Mon Mar 14 17:11:21 2016 -0600 Update copyright and FSF address. commit 24628251a11faf6d4e4ed0034c716cc6b4289cb6 Author: John Bowman Date: Mon Mar 14 01:09:15 2016 -0600 Increment version to 2.38. commit 0240be5ed61de2394cc5cc614a9c4b480f2f51d1 Author: John Bowman Date: Sun Mar 13 23:31:54 2016 -0600 Add missing variable. commit a33a69444b667675706f42653c3620da583e0130 Author: John Bowman Date: Sun Mar 13 21:05:19 2016 -0600 Update diagnostic. commit 3a8360af8637891ad54a6d756026780286c44ea8 Author: John Bowman Date: Sun Mar 13 20:57:00 2016 -0600 Merge port of xasy to Python3, courtesy of Mojca and Orest. commit 48e84c5bc8d62b7f06528682e8fd7275828345e6 Author: John Bowman Date: Sun Mar 13 20:45:07 2016 -0600 Add -P arguments to pngalpha ghostscript driver calls. commit d789c4df72983f70934f702a9ee3ee80fd82b81f Author: John Bowman Date: Sat Mar 12 21:59:02 2016 -0700 Make quiet suppress output unless verbosity > 1. commit 740c8c1df8127012ff983fe9979a096d0f71e81e Author: John Bowman Date: Sat Mar 12 21:26:01 2016 -0700 Make settings.quiet suppress noninteractive standard output when verbose=0. Add progress function. commit bcbf941fdd0fa9db5c3b77d7a3477fa358a291ac Merge: 97f3b6c3 ae0af708 Author: John Bowman Date: Sun Mar 6 22:33:57 2016 -0700 Merge branch 'trianglewithnormals' commit 97f3b6c3958028f16e130af9a76d404b91289a0c Author: John Bowman Date: Sun Mar 6 21:16:03 2016 -0700 Don't require kpsewhich in make check for TeXLive version. commit 121bef8befae717eb00bc550a4e94e05b73a9202 Author: John Bowman Date: Sun Mar 6 21:12:26 2016 -0700 Look for kpsewhich first in the same directory as the asy executable. commit ae0af708d12981318936697c7c289fe71723dabe Merge: 815b7381 6fc23e01 Author: Charles Staats III Date: Sun Mar 6 20:07:38 2016 -0800 Merge branch 'master' into trianglewithnormals commit 815b7381ec98e7bd8fff428145c4ff37f4c6ef42 Author: Charles Staats III Date: Sun Mar 6 20:04:10 2016 -0800 Revise comments on smoothcontour3 for bezier triangles. commit 6fc23e01ac254e6e016fa2ce37f190a9b3c027c7 Author: John Bowman Date: Sun Mar 6 20:07:15 2016 -0700 Improve script portability. commit ab000e7a922e6f21dc6aabad21e6dfed864acf2b Author: John Bowman Date: Sun Mar 6 18:34:57 2016 -0700 Move compile-time check for epsdriver into environment variable ASYMPTOTE_EPSDRIVER. commit 3cf0adc19ab1ca13ca70dc6e700c6386ccf73e37 Author: John Bowman Date: Sun Mar 6 14:20:31 2016 -0700 Add EPSWRITE compiler flag to support ghostscript versions older than 9.14. commit cbb7e37c1a8ed7168bdfb61b5c48ef775b9dd668 Merge: 90041839 6c1ad05b Author: John Bowman Date: Sun Mar 6 10:04:21 2016 -0700 Merge branch 'trianglewithnormals' commit 900418390224e6f56ed33a5df55c0b47e418e1f0 Merge: ce19f613 9a36fe85 Author: John Bowman Date: Sun Mar 6 09:45:19 2016 -0700 Merge branch 'improverootfinder' commit ce19f613e620c3fd953417301a7d9fd1e4db3a70 Author: John Bowman Date: Sun Mar 6 09:40:49 2016 -0700 Port xasy integer division to Python 3. commit dc788693ea22f5a6bd990a21b357af605f179e27 Author: John Bowman Date: Sun Mar 6 09:36:23 2016 -0700 Port xasy color handling to Python 3. commit c16b1d2a6e320e197d41a8df8698e49810737473 Author: John Bowman Date: Fri Mar 4 23:15:13 2016 -0700 Change CFLAGS to CXXFLAGS in documentation. commit 9a36fe85944c15cbb67c5f1cf777b0bf7e5bd581 Author: John Bowman Date: Sun Feb 28 23:53:11 2016 -0700 Remove default values of fa and fb from _findroot; force margin to (b-a)*1e-3. commit 6c1ad05b445578368eec7d54842f5ae46cac1213 Author: Charles Staats III Date: Sun Feb 28 22:17:37 2016 -0800 Correct spacing in smoothcontour3.asy. Replace tabs by spaces for consistent spacing across editors. commit 4502339c241f74eaf2f02c9315c378f90b44e6a3 Author: Charles Staats III Date: Sun Feb 28 22:03:59 2016 -0800 Document usetriangles option for smoothcontour3. commit 29832acfab74cadeb749926b2db3d3ac5f965515 Author: Charles Staats III Date: Sun Feb 28 21:55:51 2016 -0800 Add smoothcontour3 option to use bezier triangles (default) or not. commit 50b1420e4d9e46982ab124f7319b30bc7e57b358 Author: Charles Staats III Date: Sun Feb 28 20:09:07 2016 -0800 Simplify reversing cyclic array. commit becf736defe152799976999c6ede67e40e5975fd Author: Charles Staats III Date: Sun Feb 28 19:27:19 2016 -0800 Change adaptive rendering constant for bezier triangles. commit fc81a2ed70019cca10eed52b2caa3bff713d0d7f Merge: cd9f8755 e78de7f9 Author: Charles Staats III Date: Sun Feb 28 19:23:17 2016 -0800 Merge remote-tracking branch 'origin' into trianglewithnormals commit 184bea914c95dd92c32380bce6001916607d2482 Author: John Bowman Date: Wed Feb 24 20:56:21 2016 -0700 Move rootfinder interface to math.asy. commit e92e7571479c2024522a882b3ee95a99120c09a5 Author: John Bowman Date: Wed Feb 24 20:40:10 2016 -0700 Reorder tolerance parameter as in original asy code and allow user control of default value. commit e435513b1a4faa461e3ce4387461653374eecf7a Author: John Bowman Date: Tue Feb 23 23:20:56 2016 -0700 Port findroot to C++ code, but reorder tolerance parameter to end of signature, to agree with argument order in calls from smoothcontour3. commit e78de7f99a7b94876805b6eea9b15c7a0c164c96 Author: John Bowman Date: Tue Feb 23 20:40:48 2016 -0700 Implement minor rendering optimization. commit 87c6ee109e9a615a51ebc76d4ea92b959ea4c20d Author: John Bowman Date: Tue Feb 23 19:00:20 2016 -0700 Fix bug #219 Asymptote forks in an uncontrolled way. commit cd9f8755715b8ce7e5b239ecd77fdff4d336411a Merge: e6454cb2 344698e2 Author: John Bowman Date: Tue Feb 16 17:41:59 2016 -0700 Merge branch 'master' into trianglewithnormals commit 344698e2cf2f16379139e8473c4a0970433689e5 Author: John Bowman Date: Tue Feb 16 17:41:21 2016 -0700 Fix epsilon. commit e6454cb2370e412699d467f451519ab89efd3f40 Merge: e5394afc 75ce9969 Author: John Bowman Date: Tue Feb 16 17:29:10 2016 -0700 Merge branch 'master' into trianglewithnormals commit c3099c59cc61721fa9d08e1cd7ab22ddb0026bb5 Author: John Bowman Date: Tue Feb 16 09:32:10 2016 -0700 Fix epsilon. commit e5394afc350161459e7b78c28fd025f390a2f60e Author: Charles Staats III Date: Sun Feb 14 22:16:08 2016 -0800 Fix overlapedges for triangular patches. commit aa8a94e605e42c9742b880c50a62cf6432309d32 Author: Charles Staats III Date: Sun Feb 14 22:10:49 2016 -0800 Subdivide triangles with bad normals. commit f4f03e779e9e0d7143c98ca7a4f82e41ec3c2d6e Author: Charles Staats III Date: Sun Feb 14 21:57:12 2016 -0800 Make array reversal consistent with path reversal commit 58852de50bba1ee05eef4c7cd1042131006e711d Author: Charles Staats III Date: Sun Feb 14 21:09:17 2016 -0800 Make the orientation of the patches consistent. commit 652f8bbc027dd78d1d2be0f5cb8af24496fea2e5 Author: Charles Staats III Date: Sun Feb 14 17:09:01 2016 -0800 Use quadratic interpolation for rootfinder commit 75ce99693e881bc87a25ee1a57a90e2c8a88c95c Author: John Bowman Date: Fri Feb 12 16:13:26 2016 -0700 Fix bug #217 Reversion of one point guides. commit 213d56942fe5b9ef605e0ccf545527833319348d Author: John Bowman Date: Fri Feb 12 14:43:37 2016 -0700 Fix bug #218 Core dump in subpath routine. commit b7bcfe1c90e491e8fc284ea8e746af85495fb087 Author: John Bowman Date: Wed Feb 10 01:29:02 2016 -0700 Fix str().c_str() bugs. commit 2aed7cc04bb0ab928aa6a7086b977dc90c078a5e Author: John Bowman Date: Tue Feb 9 22:27:30 2016 -0700 Move \ASYdimen to asymptote.sty (version 1.30 now required). Remove support for obsolete media 9 package from 2013. commit 8d0eef70c60ce380f8919f8aa8d45467f2d9c3bd Author: John Bowman Date: Tue Feb 9 18:12:40 2016 -0700 Increase maxrefinements in bezulate. commit 25617a38c05e1cf7e5c0322c3cdb0b53c5f3a909 Author: John Bowman Date: Tue Feb 9 16:50:13 2016 -0700 Fix bug #215 Line adjustment won't work with scaled pens. commit 9ee82946a46323ca939a6ae10d666231486127df Author: John Bowman Date: Sun Feb 7 23:19:06 2016 -0700 Document in the manual that example file names link to the PDF output whereas their .asy extensions link to the corresponding Asymptote code. commit 760fddca0f402acc49894b8cc81056b4b97759be Author: Charles Staats III Date: Sun Feb 7 17:06:50 2016 -0800 Non compiling: start maketriangle function. commit 57d9d51c1bc79c2efe55087e291c35f51790b842 Author: John Bowman Date: Sun Feb 7 17:00:05 2016 -0700 Update copyright date. commit 691e8ef9241001b18dd3e3ad6f667f73da76c41e Author: John Bowman Date: Sun Feb 7 16:57:54 2016 -0700 Fix links in documentation. commit 2ad4f66eda6e71aaf24b15e67c5a1eb5c15332ae Author: John Bowman Date: Sun Feb 7 16:46:58 2016 -0700 Fix links in documentation. commit 7c33a39dbf1b41e29f251a81778019f722a38497 Author: John Bowman Date: Sun Feb 7 16:21:01 2016 -0700 Add links to documentation examples. commit d422d99bd9d22bfa57013fdf8de5d33aa637a71e Author: John Bowman Date: Sun Feb 7 11:12:47 2016 -0700 Fix bug #214 Minor bug in 'format'. commit 4c3480c2e5ae04e644382ceb9fa871206bcfee51 Author: John Bowman Date: Sat Feb 6 23:19:05 2016 -0700 Support --disable-gl again. commit afbd271363fde72afe17f54d5c5a408d24931437 Author: John Bowman Date: Sat Feb 6 17:06:42 2016 -0700 Improve comments in beziertriangle.cc. commit 5569c8d4fd3d84f121362aa18966eb8114cbe88d Author: John Bowman Date: Fri Feb 5 17:47:36 2016 -0700 Simplify code. commit b2d975013dfec4c2163b66286eacb8e6b9a71b56 Merge: a2dc3010 ce719ebe Author: Charles Staats III Date: Fri Feb 5 08:34:14 2016 -0800 Merge branch 'trianglewithnormals' of github.com:vectorgraphics/asymptote into trianglewithnormals commit ce719ebe712ae40a4fd31dc5e59b6c1f382cdfca Merge: 30d63a35 9b9e8f57 Author: John Bowman Date: Thu Feb 4 23:18:11 2016 -0700 Merge branch 'master' into trianglewithnormals commit 9b9e8f579e58ce016754626275d9c03b1dc1cf11 Author: John Bowman Date: Thu Feb 4 23:05:28 2016 -0700 Simplify code. commit ab2042f994b6dd71c204ddaa59124b7f3644ee58 Merge: 5d97e7d7 a873617b Author: John Bowman Date: Thu Feb 4 23:03:06 2016 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 5d97e7d70965fefa3814f09911be2e1a74cf1979 Author: John Bowman Date: Thu Feb 4 22:31:31 2016 -0700 Handle degeneracy in Bezier triangle normal calculation for render=0. commit a2dc30108b3979adb818333771fed8e278bd697c Author: Charles Staats III Date: Thu Feb 4 21:31:58 2016 -0800 Amend one comment. commit 8ec9865cc3fd4bc2cbded6e754ad4670e1920730 Merge: 6ca10836 a873617b Author: Charles Staats III Date: Thu Feb 4 21:20:20 2016 -0800 Merge branch 'master' into trianglewithnormals to incorporate bug fix for meshpen with bezier triangles. commit 6ca10836bade3c2540ebfbe4dc0c27ff782ad2f8 Author: Charles Staats III Date: Thu Feb 4 21:15:39 2016 -0800 Add comments documenting the trianglewithnormals function. commit b2efab65fb612318202964ae6fb80b50c925d315 Author: Charles Staats III Date: Thu Feb 4 21:11:31 2016 -0800 Simpler names for normals in trianglewithnormals parameters. commit a873617b4e481ea90c2ebce361932212b4c70df1 Author: Orest Shardt Date: Thu Feb 4 16:35:35 2016 -0500 Fix hex representation of colours commit 26629e8a350204d9fbd9095e5c59ca4bda35f6d9 Author: John Bowman Date: Thu Feb 4 13:24:27 2016 -0700 Fix planar Bezier triangles under render=0. commit 64e1d1ad3777e898febba132ac0aae152882c52d Merge: 03a2310b 29806bc7 Author: John Bowman Date: Thu Feb 4 01:37:46 2016 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 03a2310b72610252698115ba3d1ec44b0aba16a5 Author: John Bowman Date: Thu Feb 4 01:34:24 2016 -0700 Use git suffix for development tags and no suffix for release tags. commit 29806bc76d22752c59df49fb776f0a2f935d4331 Author: John Bowman Date: Thu Feb 4 01:34:24 2016 -0700 Use git suffix for development tags and no suffix for release tags. commit 30d63a35b8903e0a7fe45828c62bb4c1a0e0524a Author: Charles Staats III Date: Thu Feb 4 00:04:31 2016 -0800 Modify smoothcontour3 to use bezier triangles when convenient. commit 48b96a7f01add22951ac01806d22de912f9524bc Author: John Bowman Date: Wed Feb 3 16:53:47 2016 -0700 Add "git" suffix to version number for out-of-git builds to avoid confusion with official releases. Simplify Makefile. commit 12d4161bd25c0eda0d95a37437ba774b04a1eacb Author: John Bowman Date: Wed Feb 3 02:44:53 2016 -0700 Increment version to 2.37. commit e469422d232659d27a70527ddffc7f106be89698 Author: John Bowman Date: Wed Feb 3 01:12:14 2016 -0700 Tune subdivision crack correction under MSDOS. commit aa11277764072052888151cd3b0f61e4bf8cfbe1 Author: John Bowman Date: Wed Feb 3 00:36:18 2016 -0700 Fix segmentation faults in tab completion. Disable interrupts during input. commit d4f43f97de2f5f27d6de73c031f89404ecc0c4cd Author: John Bowman Date: Tue Feb 2 23:31:57 2016 -0700 Fix typo. commit 68a30fa19dbb2bd921cb33acc7e8c596372101af Author: John Bowman Date: Tue Feb 2 22:42:03 2016 -0700 Fix typo. commit 69d2e8de9cfb1757de8e731dfb7d9cce00047982 Author: John Bowman Date: Tue Feb 2 22:38:24 2016 -0700 Fix syntax. commit 076c074783d62f9a3215d7fec197c93f1c9b0ba2 Author: John Bowman Date: Tue Feb 2 22:31:31 2016 -0700 Force linking with static termcap library under MSDOS. commit 4584a9d97228811e6799752ff5a2a7b17246f4af Author: John Bowman Date: Tue Feb 2 10:14:02 2016 -0700 Simplify Makefile. commit 51ad22b3d66a3a75cc3034f49faf367320ec2a16 Author: John Bowman Date: Tue Feb 2 10:06:28 2016 -0700 Fix bug #213 glmovie.asy won't autoplay. commit 93d5b9af857e0ad80e606c7d63dbce32447cc892 Author: John Bowman Date: Tue Feb 2 01:59:10 2016 -0700 Simplify exit handler. commit d5e86339507734fd79f4748e9b3545bda20331b4 Author: John Bowman Date: Tue Feb 2 00:19:13 2016 -0700 Support out-of-git builds. commit cd2e963a3df5edbc4637c93cc4af4d643a490ce3 Author: John Bowman Date: Mon Feb 1 17:04:37 2016 -0700 Avoid glutLeaveMainLoop for portability. commit af5a253b6fdebd3c5994ccfee2c9ed9381c40a43 Author: John Bowman Date: Mon Feb 1 01:41:57 2016 -0700 Fix asy version generation. commit 927b4826c4d3590fe0c98eb9e704a834923a41aa Author: John Bowman Date: Sun Jan 31 23:42:31 2016 -0700 Move the genustwo image out of the documentation in case rendering isn't available. commit a637f3da094105154df8d36edb8aa46183d5fb5f Author: John Bowman Date: Sun Jan 31 23:39:22 2016 -0700 Use glutLeaveMainLoop to cleanly exit the renderer. commit 92985cc19f11946fc71648695fdc14efa7af8321 Author: John Bowman Date: Sun Jan 31 22:21:51 2016 -0700 Add OpenGL exit handler. Reinitialize autoplay on re-entry. commit f2b9fb741b4da18224d7ae276348902da6b71595 Author: John Bowman Date: Sun Jan 31 19:17:01 2016 -0700 Allow out-of-git builds. commit c0c7399cbdba43b8a77c2309e62b625371f8efcf Author: John Bowman Date: Sun Jan 31 19:01:34 2016 -0700 Fix revision generation. commit 100a73c67789448b909f4fcb36030d9a945849fa Author: John Bowman Date: Sun Jan 31 18:10:34 2016 -0700 Fix revision generation. commit 0a653376ee359d6854c1a470d40387859cf1eff9 Author: John Bowman Date: Sun Jan 31 17:37:18 2016 -0700 Fix segmentation fault due to zero normals. commit d9038241476195cb30aea8d3d6929c9d9b0e1b15 Author: John Bowman Date: Sun Jan 31 15:50:38 2016 -0700 Move PRC api functions into a new namespace prc. commit 6692b64b6eb470c948dade9e6a58e51b13096021 Author: John Bowman Date: Sun Jan 31 13:19:48 2016 -0700 Add convenience function graphicscale for using graphic with the conTeXt tex engine. commit b1d7e6d6d931b25e226df93cf5a123cd501a06f8 Author: John Bowman Date: Sun Jan 31 12:56:32 2016 -0700 Fix typo in 89fee36fec8a6d04d9c650e35f0170fba3f9ba4d. commit c3805bc4e3efaadec13911839200526734bcb809 Author: John Bowman Date: Sun Jan 31 11:10:04 2016 -0700 Do not override -render command-line option. commit 5909c90c67d3c5ba60de0397aac979ed8bbd6c83 Author: John Bowman Date: Sun Jan 31 11:05:33 2016 -0700 Display GLUT display after batch export. commit 699cf57921476f59b5ba2318c55f639da74717ce Author: John Bowman Date: Sun Jan 31 10:58:00 2016 -0700 Don't use threads in batch mode, except under MacOS X. commit e1eb284ff09fefc23d0eea83d79792bd6d2842e2 Author: John Bowman Date: Sun Jan 31 02:07:16 2016 -0700 Fix build issues. commit 2369d49a178d124d4d46ff0f8194b12ececac9e3 Author: John Bowman Date: Sun Jan 31 01:12:41 2016 -0700 Retain revision.cc. commit 89fee36fec8a6d04d9c650e35f0170fba3f9ba4d Author: John Bowman Date: Sun Jan 31 00:17:34 2016 -0700 Fix bounds calculation for straight nonplanar Bezier patches. Implement a degenerate patch representation, tensor(patch), to support render=0 for Bezier triangles. Optimize straight Bezier triangle bounds computation. Implement remaining Bezier triangle support functions for normals and colors. Keep local work arrays on stack. commit 7c172e08b045497718dd883120c160790c313435 Author: John Bowman Date: Sun Jan 31 00:14:47 2016 -0700 Update dependency documentation. commit c7771bb49a8037ac23d8cc6f6b6cc7fb4fb0fdda Author: John Bowman Date: Sat Jan 30 23:18:35 2016 -0700 Suppress getline compiler warning. commit 504d3e865985f30bbbb3b82cc3da7d1c50a758c8 Author: John Bowman Date: Sat Jan 30 17:32:07 2016 -0700 Fix missing double backslash in asy-mode.el. commit f87cbf83b1ac2c815d9d88e7c79b7e3a33992fb3 Author: John Bowman Date: Sat Jan 30 16:51:13 2016 -0700 Partially revert unintentional global changes in fc3ef0ec22b36083ace789436004ef88452a1feb regarding structure initialization. commit 9259e447295ead5927e4970a0b894e8eb70702c5 Author: John Bowman Date: Sat Jan 30 16:30:09 2016 -0700 Fix bug #208 Quotations are broken. commit 04d236c8d4ff9669ab98f829d278bcba4784584b Author: John Bowman Date: Sat Jan 30 15:44:45 2016 -0700 Fix #207 Infinite loop while reading files with trailing comments. commit 352441c0e661a3d1c9a4f7ff1f17f4c817481530 Author: John Bowman Date: Sat Jan 30 15:32:08 2016 -0700 Respect relevant explicit file dimensions only. commit 37ad3354d905a5fdde964e43a6306642d764b6c7 Author: John Bowman Date: Sat Jan 30 15:25:32 2016 -0700 Respect explicit file dimensions. commit 76a143bf9386df4f26095872f729fe8f23043edc Author: John Bowman Date: Sat Jan 30 11:50:40 2016 -0700 Optimize straight planar Bezier triangles. commit 21ec47af64f6fc0d895f6468a8148e59d3239a06 Author: John Bowman Date: Sat Jan 30 11:09:29 2016 -0700 Fix glrender quit function. commit 92615dd93332698574e6ab583907a3e495ddc554 Author: John Bowman Date: Sat Jan 30 10:27:41 2016 -0700 Fix #206 Bug while reading twodimensional data from file. commit d5a1cdf144ce152ccc520515ace87ca7c22c216e Author: John Bowman Date: Fri Jan 29 22:32:13 2016 -0700 Fix intermittent segmentation fault after export under threads. commit 4650f6153e2722630d177f9a6293e9f49c8ec0aa Author: John Bowman Date: Fri Jan 29 19:26:04 2016 -0700 Fix floating point exception in glrender. Don't iconify window in interactive mode. commit 1625eaca2240a7d04f12f07a456c1c1adea9c641 Author: John Bowman Date: Fri Jan 29 01:24:36 2016 -0700 Fix bug in rest argument signature equivalence. commit e59d44b1f641743f7eea53b18286f8ae71f7ad42 Merge: 3fcb8827 d70ce121 Author: John Bowman Date: Fri Jan 29 00:58:56 2016 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit 3fcb88277e987140fda7d01b8dc886c2ba55ea2d Author: John Bowman Date: Fri Jan 29 00:57:41 2016 -0700 Implement Bezier triangle vertex shading; simplify notation. commit d70ce12140bcee8f60cf4b14d86345ea1a597d24 Merge: 9a859296 4cca8cba Author: John Bowman Date: Thu Jan 28 19:45:53 2016 -0700 Merge pull request #9 from syohex/fix-package Fix package format commit 9a85929623975d23856c6462efaf66c1b645337e Merge: fec79bd9 daa7b97d Author: John Bowman Date: Thu Jan 28 19:45:10 2016 -0700 Merge pull request #10 from purcell/patch-1 [asy-mode.el] Use "Major mode" rather than "Emacs mode" commit daa7b97df59ff24aaef230389c630dfdfa6a34dd Author: Steve Purcell Date: Fri Jan 29 14:21:18 2016 +1300 [asy-mode.el] Use "Major mode" rather than "Emacs mode" Using the work "Emacs" is redundant here. Better to describe this as what it is: a major mode. commit fec79bd94f87e1532ab8f90c46ebeffa8ef68a34 Merge: af459e8a 799d62d7 Author: John Bowman Date: Thu Jan 28 18:06:22 2016 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit af459e8a8919f67e38894c6430d35bc325c7ba10 Author: John Bowman Date: Thu Jan 28 18:04:36 2016 -0700 Implement billboard interaction for Bezier triangles. Update documentation. commit 799d62d722ba943216dafb4db1f5a89ee9d1ffdc Author: John Bowman Date: Thu Jan 28 18:04:36 2016 -0700 Implement billboard interaction for Bezier triangles. Update documentation. commit 4cca8cbac3aae1b6fc70e3826b1cfafd55353270 Author: Syohei YOSHIDA Date: Thu Jan 28 08:01:22 2016 +0900 Fix package format - Fix footer format - Add missing colon at 'Version' header commit 3bae7f04bc68992f96f1c56f291940946f71d3f5 Author: John Bowman Date: Wed Jan 27 08:22:51 2016 -0700 Rename NaN to more standard nan, consistent with inf. commit 40222e2f183510bbc3e7642ab58abaae107837d7 Merge: 6d148e9d e6a9c8c3 Author: John Bowman Date: Wed Jan 27 01:44:30 2016 -0700 Merge pull request #8 from PythonNut/master Fix asy-mode.el headers for use with package.el commit 6d148e9d4cb76e7a62b38cd7917f13f7e6b14241 Merge: 120804c1 b4f5fd7f Author: John Bowman Date: Wed Jan 27 01:32:44 2016 -0700 Merge branch 'tpatch' commit 120804c135338ad70ed74c37f6391cf2bd31143b Merge: eeb634e5 dda2736d Author: John Bowman Date: Wed Jan 27 01:32:37 2016 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit b4f5fd7f3d7dc8c296e01e21b229f1e80e5e4a9e Author: John Bowman Date: Wed Jan 27 01:32:11 2016 -0700 Remove obsolete comment. commit dda2736d7adc54b42fb063ad04d9818c4dac1cad Merge: e86faf9a 37a30365 Author: John Bowman Date: Wed Jan 27 01:28:31 2016 -0700 Merge branch 'master' of github.com:vectorgraphics/asymptote commit e86faf9a90abe8546db543ba1decb3db4709a7af Merge: 4243c5af bb9a29b0 Author: John Bowman Date: Wed Jan 27 01:28:01 2016 -0700 Merge branch 'NaNconstant' commit 4abd683e6bcf1c03254a05d0f80dac2da49b796e Merge: 62f540f3 eeb634e5 Author: John Bowman Date: Wed Jan 27 00:53:10 2016 -0700 Merge branch 'master' into tpatch. commit eeb634e5a0b9eabcc17e04166be66ba536e8f165 Author: John Bowman Date: Wed Jan 27 00:41:18 2016 -0700 Remove unused normal code. commit 37a30365560aa79a4aac37850774fee8c55a526a Author: John Bowman Date: Wed Jan 27 00:20:15 2016 -0700 Move AtA routine to C++ code and matrix leastsquares routine to math.asy. Remove unused code. commit ca322df57721accecf9ae154b68a52700549b15d Author: John Bowman Date: Wed Jan 27 00:18:08 2016 -0700 Fix clang warning regarding std::abs. commit 81a216c7d9d5b7e42782baa7d663f0296ee1aa3b Author: John Bowman Date: Wed Jan 27 00:17:23 2016 -0700 Fix undefined variable. commit 1d3691a096c830a8d9729797bded0432346a80d6 Author: John Bowman Date: Wed Jan 27 00:12:31 2016 -0700 Fix memory deallocation in copyTriples. commit 4243c5afadb408d3f4b2c3dc39ae3648724de812 Author: John Bowman Date: Tue Jan 26 23:58:04 2016 -0700 Use fabs instead of abs in page alignment code. Optimize copyTransform3. commit 46e8944d7118204a3fdfd93df6ab13574ed4817b Author: John Bowman Date: Tue Jan 26 23:28:51 2016 -0700 Work around floating point division bug in clang 3.7.0. commit bb418555390c49b393e5377f695468651f93d6df Author: John Bowman Date: Tue Jan 26 19:48:19 2016 -0700 Fix segmentation fault due to accessing "this" at top level. commit bbd447f3c277a1ebc55163c187bfd223eee93bad Author: John Bowman Date: Mon Jan 25 22:27:01 2016 -0700 Remove fixed outformat and render settings from example. commit 62f540f32b879fac92863909de8eec7fcd911b27 Author: John Bowman Date: Sun Jan 24 23:21:13 2016 -0700 Don't subdivide straight segments. commit bb9a29b0449ec8b7a3a993e45981ea2930a8e07d Author: Charles Staats III Date: Sun Jan 24 19:06:22 2016 -0800 Add constant NaN for quiet real satisfying isnan(NaN) commit 76ee4365d32fd976117768a6b3db5f33d3284225 Author: John Bowman Date: Sun Jan 24 12:26:06 2016 -0700 Fix index entry in documentation. commit cd447e1479be3a9f30f6c476ce5fcb13a03b9cfa Author: John Bowman Date: Sun Jan 24 04:40:39 2016 -0700 Fix segmentation fault on glrender quit after export. commit b585ccab275b35b363382670d2d6a837fc699707 Author: John Bowman Date: Sat Jan 23 21:10:09 2016 -0700 Revert "Allow a user-specified normal function for rendering a bezier triangle." This reverts commit 83d8788e40b091142617e08e9840f2cb95e2147f. commit 8b25b245c67870f5414fe0f2c07295c5b95c8704 Author: John Bowman Date: Sat Jan 23 20:54:44 2016 -0700 Express Bezier triangle as a degenerate Bezier patch. commit e6a9c8c33caf317806ad73d057d9806aef505c48 Author: PythonNut Date: Sat Jan 2 17:20:29 2016 +0000 Fix asy-mode.el headers for use with package.el commit 2d94de48d0567f29f07646b523e1be30cf5e248b Author: John Bowman Date: Mon Dec 7 00:42:20 2015 -0700 Define PERL. commit 2292b4e20cec169b8e49ffd90c266fe0c481280c Merge: 83d8788e 2f0e11d1 Author: John Bowman Date: Sat Dec 5 11:59:38 2015 -0700 Merge branch 'master' into tpatch commit 2f0e11d1dba5117c9b912713c0ea728e546ca2db Author: John Bowman Date: Sat Dec 5 11:56:51 2015 -0700 Replace perl by $(PERL). commit 098bb7af2fa3b8856942e61d911f29607597ffd8 Author: John Bowman Date: Sat Dec 5 11:49:06 2015 -0700 Fix animations by running LaTeX twice. commit 83d8788e40b091142617e08e9840f2cb95e2147f Author: John Bowman Date: Wed Nov 18 04:02:03 2015 -0700 Allow a user-specified normal function for rendering a bezier triangle. commit 0819e0f712c330016b99b5e41ef44c315da82ea6 Author: John Bowman Date: Tue Nov 17 13:27:01 2015 -0700 Remove remaining instances of Triple type (except one instance in glrender). commit bf3be19f7f1daf5730dabbf5c89e8a4f0f451a7d Author: John Bowman Date: Tue Nov 17 10:56:50 2015 -0700 Remove Triple type from Bezier patches. commit 454d3ff4526b775f4a70de6056d94134c535e070 Author: John Bowman Date: Tue Nov 17 00:50:01 2015 -0700 Begin removal of Triples type. commit 88cb6ae530ae29bd527ccb74d57734ad0f0b45e3 Author: John Bowman Date: Mon Nov 16 00:00:44 2015 -0700 Fix Bezier triangle bounds calculation. commit 78c5a4dc967871262371bc09a752c4f7c3a0982e Merge: 3bdb0da5 71ff9e76 Author: John Bowman Date: Sun Nov 15 11:47:01 2015 -0700 Merge branch 'master' into tpatch commit 71ff9e769ba5d9995b367201f0d41b7a8dedab9d Author: John Bowman Date: Sat Nov 14 01:25:56 2015 -0700 Support GSL 2.0. commit 3bdb0da5d7762bdc3509cbbd3aadfea392065729 Merge: 342bd39a d7d0920c Author: John Bowman Date: Fri Nov 13 15:22:31 2015 -0700 Merge branch 'master' into tpatch commit d7d0920cfd14460443e9b7324a2f4565803eb882 Author: John Bowman Date: Sun Nov 8 14:01:03 2015 -0700 Update FFTW++ files. commit d98ea127a2e5406695f565b32f0ca108f5d7d652 Author: John Bowman Date: Tue Oct 20 16:49:54 2015 -0600 Sort patches by projected distance. commit 27ff6755e9aa215897582437ffdec4fab802439e Author: John Bowman Date: Sun Oct 18 09:21:25 2015 -0600 Only create initdir if localhistory=false. commit e46e8fde24b98a5ef21e4987c9658eda173c7bcf Author: John Bowman Date: Mon Oct 12 10:32:37 2015 -0600 Fix numerical precision bug in smoothcontour3. commit 342bd39a699140df5a3f14778e8650a674968980 Author: John Bowman Date: Thu Sep 3 02:02:23 2015 -0600 Implement bezier triangles in surfaces. commit ca9e11656fbf984095574d831b7e04a01881c3be Author: John Bowman Date: Wed Sep 2 13:42:10 2015 -0600 Implement patch member functions for Bezier triangles. commit 45fff990d00b3dee968203b10e2cb8515f7a3662 Author: John Bowman Date: Fri Aug 28 18:18:42 2015 -0600 Implement preliminary Bezier triangle constructor. commit 583fa290fc5eedb0a2913d132ad3dc6ea1284672 Author: John Bowman Date: Fri Aug 28 17:51:09 2015 -0600 Use unnormalized normal in degeneracy test. commit 16375adac6c947afa34d6626e40a7872a636bea6 Author: John Bowman Date: Fri Aug 28 17:00:01 2015 -0600 Optimize degenerate normal computations. commit c27701a82588751d407f6558664caa89f520cf44 Author: Jesse Frohlich Date: Fri Aug 28 15:22:57 2015 -0600 Optimizations for degenerate normal computations of Bézier triangles. commit e8232ba4732836b3b12b552d6e2517730d479079 Author: Jesse Frohlich Date: Thu Aug 27 14:49:08 2015 -0600 Add higher-order normal computations for degenerate Bézier triangles. - Depending on the magnitude of the computed normal, higher order derivatives are used as needed. - Normals are now computed relative to the central sub-triangle, which aligns better with the symmetry and (seems to) avoid degeneracies. commit 9607b89ce3b1dd6f41905b3ca7225304a78a4236 Merge: b186e65a e660681e Author: Jesse Frohlich Date: Tue Aug 18 10:56:13 2015 -0600 Merge branch 'master' into tpatch commit e660681ebbbd374ce253ac4acfeeb35c915e9681 Author: Jesse Frohlich Date: Tue Aug 18 10:13:02 2015 -0600 Update ignore file to include .dSYM files. commit df296910c6f09b5c32ed6ed21f6a95f6abf31a82 Author: Charles Staats III Date: Sun Aug 16 18:58:58 2015 -0700 Give read-only git command in documentation. commit 6a4cc1c35b18138e29bc1f4adb877479840bea1a Author: Charles Staats III Date: Sun Aug 16 18:21:46 2015 -0700 Remove extraneous import in doc/genustwo.asy. commit acfd5cf8d54dec2bd76eedce85aa1c95c397b25e Author: Charles Staats III Date: Sun Aug 16 18:16:23 2015 -0700 Rename example lemniscate.asy to genusthree.asy and add explanatory comments. commit b186e65abfe84163c2f25a785186998d539b3980 Author: Jesse Frohlich Date: Thu Aug 13 17:34:20 2015 -0600 Simplify test for flatness of a Bezier triangle. Also minor formatting changes and performance optimizations. commit 619e46ba9a321182b6766661b7c17c72036eb55a Author: John Bowman Date: Thu Aug 13 13:45:48 2015 -0600 Fix size3 computation. Use alternative shift for removing subdivision cracks. commit 0f412644c1e3a0a802a3b69b1e23ebbe352dcd55 Author: Jesse Frohlich Date: Wed Aug 12 16:44:28 2015 -0600 Subdivision cracks are only filled when necessary; clean up comments. Only when an edge of a sub-patch transitions from non-flat to flat is the middle vertex shifted to cover the potential crack. commit 6f39592e491ba315065a66d329fa5c9936763e16 Author: John Bowman Date: Tue Aug 11 13:37:18 2015 -0600 Simplify and optimize straightness and flatness tests. commit a5148efe0fcc8ccedc46537c697c2131bb9de356 Author: Jesse Frohlich Date: Tue Aug 11 11:06:29 2015 -0600 Added non-adaptive renderer for Bezier triangles (testing). commit f2dad19906c350e45ea746b363f5b38cacdba51f Author: Charles Staats III Date: Sat Aug 8 10:38:56 2015 -0700 Add documentation for the smoothcontour3 module. commit 75d296d045d374f74a5a55daba15fe0caeed5966 Author: John Bowman Date: Fri Aug 7 14:49:02 2015 -0600 Use vector container for bezier triangle vertices and normals. commit bf4fd0d0e0719295e97ea8befaa4def2cd197dfe Author: John Bowman Date: Thu Aug 6 18:03:19 2015 -0600 Condense code. commit afc9bb50d32bc30a60e8ec14130f459ee3d07324 Merge: 83115611 6d640996 Author: John Bowman Date: Thu Aug 6 16:59:34 2015 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote. commit 8791d101a628f7e3d16398f2302f21853d522d2a Author: Jesse Frohlich Date: Thu Aug 6 16:01:54 2015 -0600 Remove old, unused comments. - The function renderBisec() is now gone, as it is severely outdated (and its output mesh does not look as good as render()'s). - Other old commented out tests are removed. commit 83115611436bd41a611ee316e03eeaaae31e0f0a Author: John Bowman Date: Thu Aug 6 00:26:15 2015 -0600 Fix readline and gc configuration. commit 611ecadfcfad2df353278388b99a96521227f8d8 Author: John Bowman Date: Thu Aug 6 15:40:24 2015 -0600 Simplify code. commit 9a719d5a367ea6bb04ccc7d43d1b9d9ef8461ccf Merge: 10b58e6f 6d640996 Author: John Bowman Date: Thu Aug 6 15:03:39 2015 -0600 Merge branch 'master' into tpatch. Conflicts: configure.ac commit 10b58e6fb9c66b725c78afa5b18c356deeaa5d70 Author: Jesse Frohlich Date: Thu Aug 6 13:23:20 2015 -0600 Move the computation of normals to reduce redundant computation. Before, normals were computed as triangles were pushed to the indices array. However, this caused the same normals to be needlessly recomputed (up to six times, half of which we cannot avoid without a major overhaul). By moving the normal calculation to occur at the same time as the vertices are added to the buffer, most of the redundant normal computations have been removed. commit 6d6409960d4e1c558fe29e008849354cced4dee4 Author: John Bowman Date: Thu Aug 6 00:26:15 2015 -0600 Fix readline and gc configuration. commit f98f52f1a9f5e235d7d7803d167cdfe02618a8e4 Author: John Bowman Date: Wed Aug 5 23:43:41 2015 -0600 Fix configure. commit b742f1cea57be805f7480bcba9702d33d85c29d5 Author: John Bowman Date: Wed Aug 5 14:08:40 2015 -0600 Fix configure --enable-gc. commit e13974901f1b3fca83f1424056c42a150e03aaf3 Author: John Bowman Date: Wed Aug 5 14:08:40 2015 -0600 Fix configure --enable-gc. commit 36e902acfbee47560473e4a66c4ae921f969bc6e Author: John Bowman Date: Wed Aug 5 12:39:15 2015 -0600 Update to latest beziertriangle.cc. commit f27143b2c09b588397d2a357b6663f9872ab1526 Merge: ce5d022f 8f3274d4 Author: Jesse Frohlich Date: Wed Aug 5 12:35:30 2015 -0600 Merge branch tpatch of github.com:vectorgraphics/asymptote into tpatch. commit ce5d022f62ed7f836a20832bd502726b6c38f816 Author: Jesse Frohlich Date: Wed Aug 5 12:27:33 2015 -0600 Add missing file beziertriangle.cc; improve bounds checking. The implementation for Bezier triangles now compiles. commit 8f3274d4b9fea2c5afbce309019779c71874f387 Merge: 6510a213 b1041ff1 Author: John Bowman Date: Wed Aug 5 12:20:34 2015 -0600 Merge branch 'master' into tpatch. commit b1041ff1ac39490a5729e3851f760d3a8afc8e54 Author: John Bowman Date: Wed Aug 5 12:19:11 2015 -0600 Update ignored files. commit 18942d691550eeb37826c1fc06e46b7ad361a3c1 Author: John Bowman Date: Wed Aug 5 12:18:11 2015 -0600 Add example. commit 0c9443bed41f84d8c38deac9df0be0c62474ebf4 Merge: 6510a213 421cd19d Author: Jesse Frohlich Date: Wed Aug 5 10:28:02 2015 -0600 Merge changes in master branch to tpatch. commit 421cd19d01577dab0f3b92d89eaf1e1edf6487c2 Merge: ecae5ee6 94fb5fb6 Author: John Bowman Date: Tue Aug 4 18:01:02 2015 -0600 Merge branch 'master' of github.com:vectorgraphics/asymptote commit ecae5ee663aab1a18f4e7ba22c3943df68729f54 Author: John Bowman Date: Tue Aug 4 17:54:37 2015 -0600 Update INSTALL. commit 6510a213c1796ca03fce1c190300be98f2ddc208 Author: John Bowman Date: Tue Aug 4 17:54:37 2015 -0600 Update INSTALL. commit 94fb5fb6792662366f0d0d9587bb2504a71c77bd Merge: 2cb41a4e 86920ebf Author: johncbowman Date: Tue Aug 4 17:14:19 2015 -0600 Merge pull request #1 from phro/ignore Update list of ignore files to include the FAQ. commit 86920ebf9df177045cceaaf77245eefb6d037790 Author: Jesse Frohlich Date: Tue Aug 4 11:52:45 2015 -0600 Update list of ignore files to include the FAQ. commit 5f133444335014674347e56e5bc55f817c3b3cab Author: John Bowman Date: Tue Aug 4 14:19:49 2015 -0600 Implement preliminary Bezier triangle rendering. commit 2cb41a4e63d839fe2588ec08a8f46038cdc7253a Author: John Bowman Date: Mon Aug 3 10:16:26 2015 -0600 Remove unused code; update list of ignored files. commit 535e8daeb3e6c555dca9fc85281dc42f4ac5f74a Author: John Bowman Date: Sat Aug 1 20:46:22 2015 -0600 Convert remaining subversion references to git. commit 651884410a8a408f5d6e3e09c191b51f318d182e Author: John Bowman Date: Sat Aug 1 20:35:58 2015 -0600 Update documentation for git. # doc/png/LaTeX-usage.html commit ce373e1267e1980aca6aefd86822c7daf92cc6d8 Author: Jesse Frohlich Date: Mon Jul 27 14:49:26 2015 -0600 Modified version checking for the conversion of repository to git. - Added a .gitignore for untracked files - Version checking now uses `git describe` instead of `svn info` - Removed references to SVN (except in the documentation). commit 19935165f3617e48f129c5d4f29bca8b4891a885 Author: John Bowman Date: Thu May 21 20:12:50 2015 -0600 Fix bug #192. commit 9dc3510333a92b71d735ed8ed47f33ac7becb368 Author: John Bowman Date: Wed May 20 17:18:25 2015 -0600 Revert 2.35-2. commit ee5e0e6b05d98db0896c5507870d8d5b74fdc294 Author: John Bowman Date: Wed May 20 17:17:48 2015 -0600 Close input file before deleting it. commit 4b00bd5297ad91a56af7c74e59a1854865749e8a Author: John Bowman Date: Tue May 19 18:25:19 2015 -0600 Increment version to 2.36svn. commit 4d0f494686133e553744bf7224e8de9e71a9fe66 Author: John Bowman Date: Tue May 19 16:19:23 2015 -0600 Update documentation. commit 84499463e395a2953059b659afe614a9f207c083 Author: John Bowman Date: Tue May 19 15:43:15 2015 -0600 Work around eps2write bug that forces all postscript to first page, breaking multiple 3D xelatex and context labels. commit 9c773c0f665eaeee061ce44e2bf76b43419b9c24 Author: John Bowman Date: Tue May 19 14:31:06 2015 -0600 Replace duplicate files with symbolic links. commit eb674d6156054584fcc2a462ff4291fb45b65813 Author: John Bowman Date: Mon May 18 13:51:02 2015 -0600 Support rendered 3D context images. commit f77d4b0755136d8cbe09cd4ef6eb4bc34bf1ab79 Author: John Bowman Date: Sun May 17 11:04:51 2015 -0600 Increment version to 2.35svn. commit 58a66182ae47112741ec73b2d6e0f61c9e4f51a3 Author: John Bowman Date: Sat May 16 12:41:33 2015 -0600 Update ghostscript URL. commit ffc1bc4ddbd6b9480e050db5f617f57dfe46f806 Author: John Bowman Date: Thu May 14 00:45:17 2015 -0600 Improve readability of named pen colors documentation. commit a4fd4d552fde1ee9ecdd973d2936439ff4c3585d Author: John Bowman Date: Thu May 14 00:39:39 2015 -0600 Add surface cone(path3 base, triple vertex) to construct an approximate cone over an arbitrary base, courtesy of Charles Staats. commit c09d358301e167f872bcf75c12745a40706c21bd Author: John Bowman Date: Thu May 14 00:07:11 2015 -0600 Update documentation; remove obsolete cygwin patch. commit 4c769e62cd6d96c3f9f67e1c66796325a3513614 Author: John Bowman Date: Wed May 13 09:00:23 2015 -0600 Add test for Ghostscript 9.14 or later. commit ceca1ed11db34ac423d58dbc41a2dddc55872700 Author: John Bowman Date: Sun May 10 23:45:09 2015 -0600 Increment version to 2.34svn. commit a8811fb8386f782a5774a3b102892efc13347a88 Author: John Bowman Date: Sun May 10 22:35:32 2015 -0600 Enable progress reporting if verbose > 1. commit 22bd2d4f493b5afc4d8dc3667995d71194cec4db Author: John Bowman Date: Sun May 10 22:09:46 2015 -0600 Update to gc-7.4.2. commit 48de4019eb5d5539d8bccd9626b93b4e84414656 Author: John Bowman Date: Sun May 10 21:30:56 2015 -0600 Implement aligndir option for aligning picture to arbitrary point of page boundary. commit 6c0219cdba0907038cd935b764cc28159071f685 Author: John Bowman Date: Sun May 10 17:50:49 2015 -0600 Fix default. commit 1ab06dabc6aa79b4a9c7dd0068dbe73076965598 Author: John Bowman Date: Sun May 10 17:47:40 2015 -0600 Add \def\asylatexdir{DIR} option to support pdflatex -output-directory=DIR. commit fd33ea8828db5e2f5bc4b374fed9810b3d5f16f7 Author: John Bowman Date: Fri May 8 12:43:31 2015 -0600 Added Charles Staats' smoothcontour3 module, with example. commit b5c417139db78281c926a91713c418b681b915f0 Author: John Bowman Date: Fri May 8 11:42:00 2015 -0600 Fix definition of SimpleHead. commit 2a34461017a2d05d95e2d1a8768fb248a97487f6 Author: John Bowman Date: Fri May 8 09:01:42 2015 -0600 Remove outdated comments. commit d6b39082b10ff1ca98ff3a32e75734a00f26a467 Author: John Bowman Date: Fri May 8 08:52:49 2015 -0600 Fix image dimensions. commit 87d6aa316273693cc4550c59bc6f31118f6b67d4 Author: John Bowman Date: Fri May 8 08:42:04 2015 -0600 Change default meshlight to nolight so that mesh lines with positive width appear consistent with default single pixel width mesh lines. commit 387f777b59014fbe2dbddcb53767f3413fb30121 Author: John Bowman Date: Thu May 7 19:00:00 2015 -0600 Fix cond handling in parametric surfaces. commit e5a05d458b74767054aa510eeb721ff652243d33 Author: John Bowman Date: Thu May 7 12:25:16 2015 -0600 Fix sign. commit e310c0f312936d878cea4633726a649bbbba5f7f Author: John Bowman Date: Thu May 7 12:22:07 2015 -0600 Fix path arc(pair B, pair A, pair C, real r). commit faa0033acfb6724a7cc1aaa56a0658fbc86a01be Author: John Bowman Date: Sun Apr 26 20:03:36 2015 -0600 Work around backwards incompatible dvisvgm pt to bp unit change on 2014-04-09. commit 9040319f6f982a400450d10f4aff01016a745940 Author: John Bowman Date: Wed Apr 8 16:55:28 2015 -0600 Force deconstruct to use the C locale. commit bc6e637938ef8f55f8e6f4947cc0d3d8c09f6400 Author: John Bowman Date: Mon Apr 6 23:07:04 2015 -0600 Fix mismatched array delete operator. commit 8815ffb186bf0b4237449b4b7a1277abf5751d6d Author: John Bowman Date: Mon Apr 6 18:18:26 2015 -0600 Work around missing epswrite driver in ghostscript-9.15. commit c54a574d1651409338755f5b8053bc5df65f487d Author: John Bowman Date: Thu Mar 26 15:01:22 2015 -0600 Remove obsolete workaround for an Adobe Reader transparency artifact. commit 71be140eb57bd5fdc78184f70085cfc59fd224d4 Author: John Bowman Date: Wed Dec 10 10:29:51 2014 -0600 Fix inline option when importing asymptote.sty with xelatex. commit f96c6012571c7730d8e2f27c25bebe76200a8108 Author: John Bowman Date: Wed Dec 10 10:09:16 2014 -0600 Fix documentation and example. commit d1b3c93701690dadbb6860d4a4ae6aa9cec4bef4 Author: John Bowman Date: Wed Dec 10 10:08:50 2014 -0600 Rename function argument of integrate in ode.asy to correspond to documentation. commit 837732414bad047f36c6bb5f90865f2e369cdb02 Author: John Bowman Date: Wed Dec 10 10:01:12 2014 -0600 Simplify code. commit 5951acaf37553526e3791312b88dfd30d9444bf1 Author: John Bowman Date: Wed Sep 24 15:20:00 2014 -0600 Remove ambiguity from min(guide) and max(guide). commit 3008a5d5e97a17d17f62d14bf415312e9b9bece1 Author: John Bowman Date: Wed Sep 24 14:43:54 2014 -0600 Indexed figures should always be stepped. commit dcaac67c5c1321b8f4d5d60b6333b74908ffe2d2 Author: John Bowman Date: Fri Aug 29 16:44:23 2014 -0600 Fix overlap fuzz parameter. commit 26bd9c01a123125af867a0a9f05d395cd82ed383 Author: John Bowman Date: Fri Jun 20 14:51:28 2014 -0600 Implement and document intersect(path, surface). commit 5264dc6549a4b970494268a9b9e1fc7aad9599db Author: John Bowman Date: Fri Jun 6 16:59:31 2014 -0600 Fix zoom/menu button. Fix play option. commit 5acad030c52fed21506a03dba862e3e703ae2db7 Author: John Bowman Date: Mon May 26 10:57:02 2014 -0600 Implement 2D scalar cross product. Improve documentation of orient and insphere functions. commit 3bb879f344ba646c59666804f665ca2ad1c37f76 Author: John Bowman Date: Fri May 23 00:39:03 2014 -0600 Increment version to 2.33svn. commit aab6ce9a7b4cbb5acd388341e7ed18c93eec447b Author: John Bowman Date: Thu May 22 09:40:58 2014 -0600 Allow overriding CXXFLAGS with CFLAGS so that make CFLAGS="-g" disables optimization (for debugging). commit 673f282372345e1b16afa56621f05c80c90f60cd Author: John Bowman Date: Thu May 22 01:12:56 2014 -0600 Rename side(pair,pair,pair) to orient(pair,pair,pair). Also provide interfaces to orient(triple,triple,triple,triple) and insphere(triple,triple,triple,triple,triple). Fix and update documentation of orient, incircle, and insphere. commit e5cfca855b2103b44863ad14680eba3ffa8e4c50 Author: John Bowman Date: Mon May 19 13:16:29 2014 -0600 Use gs instead of convert to generate latexusage.png. commit 43d4956ed3e03a9eb692f218cddcf590597c0194 Author: John Bowman Date: Mon May 19 08:27:39 2014 -0600 Guard agains random() returning a 16-bit result. commit 887886fda5397d80f841bdc18055a3eba3c9147f Author: John Bowman Date: Mon May 19 00:53:09 2014 -0600 Use random() instead of rand() everywhere. commit e5884384ba49856467921fccee133505007e3024 Author: John Bowman Date: Mon May 19 00:44:20 2014 -0600 Use RANDOM_MAX rather than nonportable RAND_MAX. commit 43e146ccb44494e6ff41a273264d457982a2d4b1 Author: John Bowman Date: Mon May 19 00:43:14 2014 -0600 Fix version mismatches when releases are imported via svn. commit 815c23058dedee81fff90b9703d5470da568999f Author: John Bowman Date: Sun May 18 15:19:31 2014 -0600 Test that unitrand is in [0,1]. commit 35bc98ccc26a9631bfe0c0e803421dac32aff46a Author: John Bowman Date: Sun May 18 12:14:26 2014 -0600 Remove obsolete test for texi2dvi4a2ps. commit 6ce8f7be7c4188702832936aad1963fa43f86bd8 Author: John Bowman Date: Sun May 18 11:16:55 2014 -0600 Suppress compiler warnings. commit c74a6fa979efc2faa65d3a825d8d8dbbdb8e2bce Author: John Bowman Date: Sat May 17 13:24:35 2014 -0600 Document context tex engine. commit cf658a84fa4f9559881f25dbeb52615c63dbaf48 Author: John Bowman Date: Sat May 17 09:54:46 2014 -0600 Enable libc++ workaround also for FreeBSD. commit 1fda160c4ec958643b1db59e5a5ac267fe1fd8cc Author: John Bowman Date: Sat May 17 02:43:23 2014 -0600 Fix segment(bool[] b). commit 906ed8354d900fce7a773918f63cfcc2716eb791 Author: John Bowman Date: Sat May 17 02:02:09 2014 -0600 Increment version to 2.32svn. commit a35298302fafdd633be3684e2206823f584214ad Author: John Bowman Date: Fri May 16 23:32:06 2014 -0600 Fix hangs in 3D font generation and the "none" tex engine. Disable the MacOS 10.9 libc++ workaround on other platforms. commit 8bb07a22fecfb7a45c7263cb3ddc59e696378b1b Author: John Bowman Date: Fri May 16 18:59:29 2014 -0600 Increment version to 2.31svn. commit f3b4f36a04b7811d2da33915a911d8b2d91d4101 Author: John Bowman Date: Fri May 16 16:45:44 2014 -0600 Fix zoom/menu button. commit 1ff6bfaffecd392400c967ced8b099c41e1786e8 Author: John Bowman Date: Fri May 16 15:15:33 2014 -0600 Workaround broken stringstream in MacOS 10.9 libc++. commit 116aed3e51ebc40e616ab8be671b6b546ad6c9ed Author: John Bowman Date: Fri May 16 10:00:52 2014 -0600 Remove optional space. commit d7cf1c526194a0ad4e6302dcd0502bb6f97b1f21 Author: John Bowman Date: Fri May 16 09:45:21 2014 -0600 Add CXXFLAGS. commit 40191b8489e7d0a7353ae095a42def96783a0a6c Author: John Bowman Date: Fri May 16 00:11:20 2014 -0600 Use blocking reads by default. commit ef53cfa578c42f47dba80865b0e55ad490b78f34 Author: John Bowman Date: Thu May 15 22:15:21 2014 -0600 Simplify code. commit 153786ecdf9663ffb8bd81d7740c5b6c54f270ef Author: John Bowman Date: Thu May 15 22:13:58 2014 -0600 Revert temporary division by 0 in transform of a triple workaround. commit 4506f002e141a10036b643bd8fc5148d0a165c09 Author: John Bowman Date: Thu May 15 14:16:42 2014 -0600 Support 3D for all texengines (but prc only for latex texengines). commit f91f293cf477235d1de48237263ebb2e0f4a9354 Author: John Bowman Date: Thu May 15 10:56:24 2014 -0600 Improve TeX pipe interaction. commit 72d872d6e72a8511595179a59b0f01804c5e29ec Author: John Bowman Date: Thu May 15 09:28:22 2014 -0600 Suppress warning messages. commit 2215a2cfd706dbd24fb2094aa3380cb035724fd6 Author: John Bowman Date: Thu May 15 09:09:25 2014 -0600 Fix typo. commit ff2712d3618f318bf6db02e4c648bcc3cb184eb7 Author: John Bowman Date: Thu May 15 08:34:10 2014 -0600 Use standard STL include. commit 8fd6bbe57cf7e66f2c83fc10e074fea292336683 Author: John Bowman Date: Thu May 15 03:22:27 2014 -0600 Increment version to 2.30svn. commit 2e960e254b94517748900132fbc2000eef0bb5f5 Author: John Bowman Date: Thu May 15 01:52:40 2014 -0600 Enable page breaks and 3D OpenGL with ConTeXt TeX engine. commit 5d075b9a5b11339805274fce6f8e2c19281ea4df Author: John Bowman Date: Wed May 14 23:28:38 2014 -0600 Fix inlineimage. commit e5eaf4cff2216fbff79fd8fd0ce3851baaf50e86 Author: John Bowman Date: Wed May 14 22:54:25 2014 -0600 Fix inlinetex. commit 3be75974318793c71bf8ded449200db2c4da40ae Author: John Bowman Date: Wed May 14 19:02:41 2014 -0600 Try to recover from division by 0 in transform of a triple. commit 05dda17c86f49194e00e4a69d1feb43928cda860 Author: John Bowman Date: Wed May 14 18:16:01 2014 -0600 Use list unconditionally. commit d9c4961a64b6dd3de6afe133077121a46aefc7f3 Author: John Bowman Date: Wed May 14 18:03:50 2014 -0600 Fix typos. commit 4158adf56fe355f719357a6bdd96911092265180 Author: John Bowman Date: Wed May 14 17:34:17 2014 -0600 More portability tweaks. commit e4276c4bf1b6c901e92b3c9178639c7446225128 Author: John Bowman Date: Wed May 14 16:44:10 2014 -0600 More portability tweaks. commit f39be071dfe433f17f2320dc696a54de76f1a08c Author: John Bowman Date: Wed May 14 15:49:17 2014 -0600 Simplify code. commit 39595952a0fa67fd389321f31abedf77d09f59a3 Author: John Bowman Date: Wed May 14 15:43:56 2014 -0600 Update reference card. commit 1a0b7b7f7f6ce640645d7425c5a852d2628b76c9 Author: John Bowman Date: Wed May 14 00:06:11 2014 -0600 Remove duplicate variable. commit 6f907f069ad9afe6e196ff3409ad4b77629ddb3d Author: John Bowman Date: Tue May 13 22:51:12 2014 -0600 Reinstate tailequals to support MSDOS in bidirectional tex pipe. commit aa55151ab18c1ae55a6db2cf02438fd3f72fe695 Author: John Bowman Date: Tue May 13 21:04:05 2014 -0600 Improve bidirectional pipe; re-enable context tex engine. commit 1b358479976b72db51759ea295d7195c5fdc641a Author: John Bowman Date: Tue May 13 00:23:51 2014 -0600 Remove support for the ConTeXT tex engine since piping is broken in the latest (mkiv) version. Add support for luatex and lualatex. commit a25e92d4aad28aa4c2e0c9cf3379e8c93b061077 Author: John Bowman Date: Mon May 12 19:38:09 2014 -0600 Update ConTeX support. commit c67f96b85e7ffd05caeb3c2cbc593d553fbfca25 Author: John Bowman Date: Mon May 12 18:59:22 2014 -0600 Portability tweak. commit 539e4b1a6ab1c7adfee52e5d08630ee57df7428a Author: John Bowman Date: Mon May 12 14:12:43 2014 -0600 Remove dependency on \put (contributed by Mojca Miklavec). commit 1b8c235a646a33c38915424adefe7d671e2a07aa Author: John Bowman Date: Sun May 11 17:27:29 2014 -0600 Increment version to 2.29svn. commit a21ae576230fe42f202576d4702337b1e6cb4813 Author: John Bowman Date: Sun May 11 14:56:56 2014 -0600 Reduce number of allowed bezulate refinements to maxrefinements (default 7). commit 4d62b40e408a110bc6aee8b0c536c8244681c2b6 Author: John Bowman Date: Sun May 11 14:55:52 2014 -0600 Avoid numerical overflow in quadraticroots and cubicroots. commit 359e481bae444a08d7b5e3a2899c427b15e477ec Author: John Bowman Date: Sun May 11 10:22:34 2014 -0600 Update splitpatch example. commit 14c8b1ff484d05b023e933de08d0c21db97e4dd0 Author: John Bowman Date: Sat May 10 20:09:33 2014 -0600 Install refs.bib with slidedemo.asy. commit 245f3baeac8ffc6f0988936787f96deab71da748 Author: John Bowman Date: Sat May 10 17:32:43 2014 -0600 Fix locale bug. commit 7acc6ad91a663cfdf7aa8b94541495e7a60ab60e Author: John Bowman Date: Fri May 9 08:52:54 2014 -0600 Remove minimum window constraints (use viewportsize instead). commit 904beb18cea5434833b4e2793102eb83291c726a Author: John Bowman Date: Thu May 8 11:25:35 2014 -0600 Fix discussion of new T. commit a03fd01057e07e258733190f89045e6bacabac70 Author: John Bowman Date: Thu May 8 00:24:42 2014 -0600 Update links. commit aee5114c91da4eda46ecf6ff679b604ffb834ae8 Author: John Bowman Date: Thu May 8 00:15:03 2014 -0600 Work around PRC viewport issue. Simplify OpenGL minsize code. commit 636f9b9ae471dda6dfb2d24192948f0702adc1d8 Author: John Bowman Date: Thu May 8 00:14:01 2014 -0600 Update link. commit 641f0087ca7e984264b1604e77826cc5013ab5f1 Author: John Bowman Date: Wed May 7 11:02:33 2014 -0600 Fix calculation of minimum width and height for OpenGL window. commit 884dbe2975df61c02b1702a8eb1d136f5eb76230 Author: John Bowman Date: Tue May 6 19:26:10 2014 -0600 Fix transform(u,v,O). commit f843adbcf329e75a71f0c3b9feb05ec6bddd0c70 Author: John Bowman Date: Mon May 5 09:58:15 2014 -0600 Add optional parameters to hsplit and vsplit. commit 3e3cf1484ea8838ab1577d9541346e9ca8cb00d0 Author: John Bowman Date: Mon Apr 28 12:10:05 2014 -0600 Increment version to 2.28svn. commit 47b4f65c1723103f158a7d6c93b996007e05975c Author: John Bowman Date: Mon Apr 28 09:46:10 2014 -0600 Move Adobe transparency workaround to C++ code to allow use of texpreamble again with the pdflatex tex engine. commit f6e34a476966f6ef173078f97e9de6b22ec38339 Author: John Bowman Date: Sat Apr 26 13:40:55 2014 -0600 Increment version to 2.27svn. commit ebd0f3956cce6452f03be38f3d8895493b638fef Author: John Bowman Date: Sat Apr 26 10:59:00 2014 -0600 Update flex patch. commit dcdd417934a8cb30186e75cdc4a0bc28c6c0e7e5 Author: John Bowman Date: Sat Apr 26 10:24:56 2014 -0600 Don't test for an svn release if special file svnrevision is missing, so that release code imported via svn still uses the official release version. commit 1b3a42c12d3f0f1b3e5c2338a84e78ccccb27230 Author: John Bowman Date: Fri Apr 25 20:58:03 2014 -0600 Test for POSIX 2008. commit 07156b7672da2a75cca1f2ffe51a794d0651e15b Author: John Bowman Date: Fri Apr 25 20:57:06 2014 -0600 Address portability issue. commit edb7d9e4dead125cfafc12eb9aedfbf4112dd99a Author: John Bowman Date: Fri Apr 25 20:52:07 2014 -0600 Support c++11. commit a0795aee061ca38f664e44ee0812792ee8e7e20e Author: John Bowman Date: Fri Apr 25 09:58:48 2014 -0600 Use unordered_map if __GNUC_PREREQ is not set. commit eae6b2f4e3a0a1924d0f5a9ce4e4812fe14da6e1 Author: John Bowman Date: Tue Apr 22 10:36:57 2014 -0600 Update documentation. commit 68d1882e82485dc25e9ed4d70ee18a1a5393d6e9 Author: John Bowman Date: Tue Apr 22 08:57:14 2014 -0600 Fix degenerate HookHead and SimpleHead arrows. commit 9d3365092484d3b47b770361a33d1e333675f7ee Author: John Bowman Date: Mon Apr 21 22:56:24 2014 -0600 Remove unused files; update references. commit 841020fba6f2052b53e2c7b0781ef23ba4a1f19b Author: John Bowman Date: Mon Apr 21 14:24:14 2014 -0600 Make xasy terminate asy process upon exit. Use winpad as the default code editor under MSWindows. commit b31b715597cf052fec0cdd0fd13eaa2a33a517b6 Author: John Bowman Date: Mon Apr 21 11:08:02 2014 -0600 Fix xasy code editor under MSWindows. commit a498cbda30967e2858db55a499aa7351b9d688f5 Author: John Bowman Date: Sun Apr 20 13:06:53 2014 -0600 Miscellaneous CTAN updates. commit b26e75cd2c6f8e167d182c5ff2ced81988cb594b Author: John Bowman Date: Sun Apr 20 02:57:11 2014 -0600 Increment version to 2.26svn. commit 78a0104496fa647a67847923ee8a05d3fb6d7dd5 Author: John Bowman Date: Sun Apr 20 00:12:08 2014 -0600 Update SVG documentation. commit c1a7c777bea03d4aa17a6759c0a70aa48bc98a56 Author: John Bowman Date: Sat Apr 19 14:21:13 2014 -0600 Fix Boehm gc compatibility issue with compact option. commit 7251dffa726b6747616f18fd1a8f25f4be3ded6d Author: John Bowman Date: Sat Apr 19 14:19:12 2014 -0600 Add brace routine contributed by Charles Staats. commit 9dce9523d3b9f21c95a94c21ec3c55fa74661cfe Author: John Bowman Date: Sat Apr 19 14:12:19 2014 -0600 Allow code editor command line options. commit d183f721ec1db229bd5ee8bc0d77f73b1c5fdef8 Author: John Bowman Date: Sat Apr 19 11:13:02 2014 -0600 Apply noplaybutton workaround only to new versions of media9. Add link to the excellent tutorial written by Charles Staats. commit 61814f95a498757e6fcbb212a1a39a865c5d2ad8 Author: John Bowman Date: Sat Apr 19 09:50:38 2014 -0600 Fix numerical precision issue in makepen. commit 5b6990c4a62afd01161b5cc79489dd8c5f55b93e Author: John Bowman Date: Sat Apr 19 09:26:31 2014 -0600 Re-enable mesh lines. commit b5b752b55ffe4954262faf1efe3e11508efb8217 Author: John Bowman Date: Sat Apr 19 01:32:45 2014 -0600 Update cygwin GLU patch. commit 8eb656d49d49e6a83227e22245864727c023df34 Author: John Bowman Date: Sat Apr 19 00:14:11 2014 -0600 Acknowledge Michail Vidiassov's extensive contributions to the PRC code. commit 925f182004ae3373cfc1165c1f3312beea4dc522 Author: John Bowman Date: Fri Apr 18 13:25:55 2014 -0600 Sort vector patches to work around opacity artifacts in many rendering engines. commit 12b305cc49fc1d5f5ff61649040df4e819d2078e Author: John Bowman Date: Fri Apr 18 11:43:49 2014 -0600 Support raw PRC output with outformat="prc". commit e42598ff80e479e2be07b77091ca7e3639772880 Author: John Bowman Date: Fri Apr 18 10:46:40 2014 -0600 Improve diagnostic when texi2dvi is missing. commit 6e2a9d80b6b3e920a5c2cec24fc1f6d619828b2f Author: John Bowman Date: Fri Apr 18 10:45:43 2014 -0600 Fix inlineimage under pdflatex. commit 3bb80f0dd96f888188435508ca7efba9c25a401c Author: John Bowman Date: Fri Apr 18 09:15:18 2014 -0600 Implement workarounds for Adobe Reader transparency artifact. commit 8554c29a6bd705bd6a974d14ff3bae2051b16394 Author: John Bowman Date: Fri Apr 18 02:04:26 2014 -0600 Update FFT support file. commit fc3ef0ec22b36083ace789436004ef88452a1feb Author: John Bowman Date: Fri Apr 18 01:00:19 2014 -0600 Update documentation. commit 9723f73b960f8be41e47650770cc9efa37275aa9 Author: John Bowman Date: Fri Apr 18 00:30:23 2014 -0600 Update FAQ about changing default arrow size. commit 44d4866109ca922d2a702c634c9e5c5cf6719422 Author: John Bowman Date: Fri Apr 18 00:01:09 2014 -0600 Avoid unwanted play button starting with media9 version 0.35. commit c732e82d4205bb9e14218fc9e309aa0e539a4166 Author: John Bowman Date: Thu Apr 17 23:29:00 2014 -0600 Update fftw++ header file. commit e8d013cfd3e98da6c7f1d5ce14b37b45488f1a8d Author: John Bowman Date: Thu Apr 17 13:32:16 2014 -0600 Revert to version 1.91-39 of contour.asy until paraboloid version is fixed. commit d5ef55a3925c20f18b130599906597270af13d86 Author: John Bowman Date: Wed Apr 16 16:34:54 2014 -0600 Update to Boehm garbage collector gc 7.4.0. commit ae24b1e9aa87ede80a8292730a6a128344b01ca3 Author: John Bowman Date: Wed Apr 16 14:42:22 2014 -0600 Under MSWindows, look for ghostscript library in both 32 bit and 64 bit registries. commit d07dd349ea7dbb3d358ff322e782134fd4ea3ba1 Author: John Bowman Date: Wed Apr 16 14:40:45 2014 -0600 Update examples and documentation. commit b95d4e0d2e968245cf549eb669efe2f2e85c7111 Author: John Bowman Date: Wed Apr 16 14:31:36 2014 -0600 Test that printout is nonnull. commit f9e2147930ae52b83459afeedd55ce3e9d811272 Author: Andy Hammerlindl Date: Sun Dec 29 17:25:58 2013 -0600 Fix an exact match bug. commit 97c2ede0976dd5a81882555097822b2b0e6176cf Author: Andy Hammerlindl Date: Sat Dec 28 17:13:18 2013 -0600 Change multiguide to avoid deep trees in normal use. commit 1f6fcb0caf77259d58c5f513337bb5add23da425 Author: John Bowman Date: Fri Jul 12 12:55:49 2013 -0600 Increment version to 2.25svn. commit 5cc1c36be3f86c9bce5fdf416656561d5b6e7a42 Author: John Bowman Date: Fri Jul 12 10:07:05 2013 -0600 Fix typos in documentation. commit b32749046a796117e1de5eff7756f908aec9225c Author: John Bowman Date: Fri Jul 12 10:06:47 2013 -0600 Fix segmentation fault in drawSphere. commit a9d404fa81617e78363b8c2c44f912be277d061b Author: John Bowman Date: Fri May 31 02:07:49 2013 -0600 Add examples. commit 8100327bca4cb899ef203b47c195232678f91680 Author: John Bowman Date: Thu May 30 15:53:24 2013 -0600 Update link to forum. commit 6f23cbbab14c2463efbb52e6dbc63120798be12d Author: John Bowman Date: Thu May 30 14:32:04 2013 -0600 Add latexmkrc example file that stores figures in a subdirectory. commit 96dbe43981d399c7ad5a72d191ae536308e17884 Author: John Bowman Date: Thu May 30 14:30:38 2013 -0600 Document new SVN repository URL. commit cae60d3655e4b1861793a427528cbf2eded0f498 Author: John Bowman Date: Thu May 30 13:51:33 2013 -0600 Remove explicit libglapi dependency. commit 773ee63dd79b67fac004d6840a7448a52adcd869 Author: John Bowman Date: Mon May 27 19:57:17 2013 -0600 Simplify readpipeline (requires POSIX 2008) again. commit 623fa5662c4faa9bdb78d6e8f8deca4ad464c692 Author: John Bowman Date: Mon May 27 19:52:26 2013 -0600 Restore function pointer to allow recursive calls to simpson. commit 2bedd4ed018f1a144baa299752537a4f05a2238f Author: John Bowman Date: Mon May 27 19:51:11 2013 -0600 Support make -n. commit a5d7e94f6cf4ec32c27b2715f2ef303bf21c317b Author: John Bowman Date: Mon May 20 10:20:59 2013 -0600 Increment version to 2.24svn. commit 8888e9c4e49c59b1aecf89c602ef3294ccd60682 Author: John Bowman Date: Sat May 18 22:38:07 2013 -0600 Allow compilation without fftw again. Revert to previous wisdom file name (.wisdom). Update copyright. commit f01acbf6c75a0ae093790e3303ece0c9c9eaae36 Author: John Bowman Date: Wed May 15 03:10:39 2013 -0600 Increment version to 2.23svn. commit 3e655c3534f42b0782f875636715a6f35eecc1b9 Author: John Bowman Date: Wed May 15 02:33:47 2013 -0600 Fix dependencies. commit d5a39be02b8c2b3008f8fec9c00eef770988dcc7 Author: John Bowman Date: Tue May 14 21:38:27 2013 -0600 Update FFTW header. commit 54876ada4deb700608de1f129ec6d75ba7d99436 Author: John Bowman Date: Tue May 14 21:37:25 2013 -0600 Update documentation. commit c5f20303c569847859b0c4815b2aa46ab199694a Author: John Bowman Date: Tue May 14 21:06:24 2013 -0600 Expose Postscript extend qualifiers for axial and radial shading (setting extend=false can work around certain PDF reader bugs). commit 44d071b5cba3afea9a6285eb3852bca2a18fdcd6 Author: John Bowman Date: Tue May 14 14:39:28 2013 -0600 Fix transformation of normal vectors. Revert back to usual row-major matrix format. commit 0da7a9d5db0f71d4281d5992170afe68797b9501 Author: John Bowman Date: Mon May 13 11:04:57 2013 -0600 Make use of --pipe to enter context interactive mode. commit e21b39b5cb5bc003536d91a8e46eeea92be30a66 Author: John Bowman Date: Mon May 13 09:07:53 2013 -0600 Support Fedora migration from python-imaging to python-pillow. commit 670a1e5a5c918a5bbb2ad92f511728de16a4287b Author: John Bowman Date: Mon May 13 08:16:32 2013 -0600 Fix documentation of irregular contour routine. commit 2e012ef1cb24337a9a80721bcb75ede09ab0da8c Author: John Bowman Date: Mon Apr 8 13:57:50 2013 -0600 Support vertex-colored triangles in Adobe XI. Remove reference to out-of-date trembling examples. commit ebdd5e9f0795cc53a4f44e0f852cdc7a35c4e368 Author: John Bowman Date: Mon Apr 8 13:46:04 2013 -0600 Use TEXMFMAN to find TeXLive sysdir. commit 9a7ea3d064131b8a0bbc7f5eab82a3af52c13181 Author: John Bowman Date: Thu Apr 4 16:16:19 2013 -0600 Temporarily revert 5440 for TeXLive 2013 build systems without Posix 2008. commit 6352888896501bbbe696e737e31f78baaa6a869b Author: Andy Hammerlindl Date: Thu Apr 4 03:10:22 2013 -0600 Add clarification on 2.. versus 2 .. commit fbfa6bd92b6c4901236970f91aa34a42db0c9a1f Author: John Bowman Date: Wed Apr 3 11:29:11 2013 -0600 Make portability tweak. commit 6109a10f5bdf3a19b7683fe9f293e587e4dcba83 Author: John Bowman Date: Mon Apr 1 11:12:12 2013 -0600 Qualify isnan (for solaris). commit 0870b3458fc99f919315a3e4efc77a10a4e9e18b Author: John Bowman Date: Sat Feb 23 06:29:51 2013 -0600 Avoid unnecessary buffering. commit 164de7fbfa01109df9bc4124d739acbb2c734976 Author: John Bowman Date: Sat Feb 23 06:26:04 2013 -0600 Update FFTW++ file. commit ae248b7f0740554792bc9b847352042affdbffe1 Author: John Bowman Date: Sat Feb 23 06:19:12 2013 -0600 Express segment(bool[]) in terms of more efficient segmentlimits(bool[]) function. commit de3d95ba8225bd1b954cb215524e7944de6b83d2 Author: John Bowman Date: Sat Feb 23 06:17:20 2013 -0600 Update FFTW++ headers. commit 41623ead53639d5007bd14ab89d585e29e351169 Author: John Bowman Date: Tue Jan 8 15:18:10 2013 -0600 Recommend freeglut 2.6.0 due to broken menu feature in the 2.8.0 release (and modifier bugs in various patches for this problem). commit 571f18674c41d73b019f03a0acbaa37bd07d069d Author: John Bowman Date: Sun Jan 6 10:42:17 2013 -0600 Remove unused code. Update documentation. commit 3e215b79190c59f73456472454c30677300c891c Author: John Bowman Date: Sat Jan 5 09:09:16 2013 -0600 Allow self-defined unary operators. commit caa6b862447d6fcc71c2714e8c462e33bdba2600 Author: John Bowman Date: Mon Dec 31 09:27:13 2012 -0600 Compare formatted strings instead of real values in OmitFormat. commit c7c4367b58304fc8504c72e5bedb88247917bd05 Author: John Bowman Date: Wed Oct 24 12:33:07 2012 -0600 Update example. commit 54fe52b1e641ef72dac702f8af80182490bcdb8a Author: John Bowman Date: Sat Oct 20 16:32:57 2012 -0600 Use C locale for svn info. commit b52dfbf684b9ee80f4cfa8a505080d49e40d3d83 Author: John Bowman Date: Wed Oct 17 20:11:03 2012 -0600 Temporarily revert to using tan(radians(a)) in numerically unstable arclength calculation in geometry module (note 2.17-29). commit a87a1304c86c659e806749d0e41fba808dc49b43 Author: John Bowman Date: Wed Oct 10 12:20:47 2012 -0600 Increment version to 2.22svn. commit c2d660762e8124689df3cccd179770a3bb785491 Author: John Bowman Date: Sun Oct 7 06:33:22 2012 -0600 Fix typo. commit 6e9e7aef19a11c397a6158b64aaa522ea70620c5 Author: John Bowman Date: Sat Oct 6 00:38:24 2012 -0600 Fix history recall bug. commit 169b5123d6930b64641b898d88feec61e5664bee Author: John Bowman Date: Thu Oct 4 11:53:09 2012 -0600 Add extend parameter to axes (default true) and axes3 (default false) routines. commit 98f645d4563ae9bdd787edc8b27270cdfcf8ce72 Author: John Bowman Date: Sun Sep 30 21:14:47 2012 -0600 Fix alignment point of OpenGL billboard labels. commit 78b66a7f2759a9df1302c25518e34c4424c390b3 Author: John Bowman Date: Thu Sep 27 23:37:22 2012 -0600 Reinstate billboard rotation for explicitly transformed labels. Don't request bbox only in label(frame,Label,triple). commit bd02c41760684d21d1f5664acc7f5fc317fad89e Author: John Bowman Date: Thu Sep 27 17:03:39 2012 -0600 Increment version to 2.21svn. commit c5aa009966d6e1e9d8c30c548260197ae5b3d678 Author: John Bowman Date: Thu Sep 27 15:45:43 2012 -0600 Work around dvipdfmx bug. commit cf498cba13b9c46cefb4394d7651c24a5fcaf6a2 Author: John Bowman Date: Thu Sep 27 12:19:08 2012 -0600 Disable billboard rotation for explicitly transformed labels. commit 3d9cbef946b70536d13c51cf20915ae72deb3f43 Author: John Bowman Date: Tue Sep 25 09:18:30 2012 -0600 Increment version to 2.20svn. commit 194c5091a3e22c107a8c001c34385da562c99e2d Author: John Bowman Date: Tue Sep 25 08:31:54 2012 -0600 Update example. commit e72c486b7f9247b2678905c2b47080e3113d97b9 Author: John Bowman Date: Tue Sep 25 04:49:46 2012 -0600 Fix warning messages. commit a1c622b6b4cc50c4b08d6002fd9e7aac65bd7a77 Author: John Bowman Date: Tue Sep 25 04:30:00 2012 -0600 Pass inverse of modelview matrix directly to media9 to work around numerical resolution issues. Fix PRC viewportshift. commit a9aa1323336d287c24680e5e65895cfb328542dd Author: John Bowman Date: Thu Sep 20 01:58:07 2012 -0600 Fix lighting of NURBS surfaces. commit 61503c988fae7ead6743e2c15ad3ae8c059b5b31 Author: John Bowman Date: Thu Sep 20 00:13:48 2012 -0600 Increment version to 2.19svn. commit 82e909f710a60909610f9b5071e7761ff987c035 Author: John Bowman Date: Wed Sep 19 19:18:37 2012 -0600 Set secondary picture size (so that, for example, markthin works properly). commit 462b7ecee606e5b73cf46ebc6372ea28952866a6 Author: John Bowman Date: Wed Sep 19 19:13:46 2012 -0600 Move include. commit 7cf9c7a91df2d57128d38c23c3eb0248e43c27e0 Author: John Bowman Date: Wed Sep 19 01:47:10 2012 -0600 Update example to mp4. commit 5f7a2a4f564b0b5dd1d644ca7a6b97584dce36d7 Author: John Bowman Date: Tue Sep 18 20:31:13 2012 -0600 Increment version to 2.18svn. commit 07fbb54d9eba448911e475baa05c05fb32dca5c4 Author: John Bowman Date: Tue Sep 18 19:10:38 2012 -0600 Handle 3D degenerate arrows. commit 72b318bc2eec2dab05bd790434924d630b83128b Author: John Bowman Date: Tue Sep 18 13:37:36 2012 -0600 Fix warning message. commit 4a97fee29abc0138e152a87c462d713963de656a Author: John Bowman Date: Tue Sep 18 13:27:25 2012 -0600 Fix warning message. commit afc04ee36aaf1993cdf4c4e1963983aa7768f24e Author: John Bowman Date: Tue Sep 18 13:25:39 2012 -0600 Remove obsolete file reference. commit a6a1ec9e28e58089665ef014c58011e9f3914790 Author: John Bowman Date: Tue Sep 18 13:07:43 2012 -0600 Make tessellation normals optional. Add example and documentation for tessellations. commit 485f28de3f4031d0bed70b122df335c4f6e95676 Author: John Bowman Date: Tue Sep 18 12:56:16 2012 -0600 Add missing -P options to dvipdf (required for media9 support). commit 02a83be7738afbaec3b88291b07c3508917f5d87 Author: John Bowman Date: Tue Sep 18 08:38:11 2012 -0600 Implement improved workaround for media9 preview bug, as suggested by Alexander Grahn. commit 46e0c431344e0aebd48d4714ea83222758b2235d Author: John Bowman Date: Tue Sep 18 02:44:29 2012 -0600 Implement efficient 3D routine for drawing many triangles, with specified vertices and normals and optional vertex colors. commit fb63ec153a6ce50bdf7d13961c44cec1bfec11dd Author: John Bowman Date: Tue Sep 18 02:39:06 2012 -0600 Workaround media9 blank poster image bug under latex+dvips. commit 8e607d1c6b06eb6157d3e44183880474c2809141 Author: John Bowman Date: Mon Sep 17 07:39:11 2012 -0600 Fix warning message. commit 3ca8304aec7b78b01c57d185fa838cd899113acf Author: Andy Hammerlindl Date: Mon Sep 17 00:49:14 2012 -0600 Include stddef for ptrdiff_t. commit 74ff857dd8e876c27f4c704f5f8fcf351a6866ed Author: Andy Hammerlindl Date: Mon Sep 17 00:30:52 2012 -0600 Fix asymptote.so dependencies. commit 3b284903224957834326f7b1323ad62a57ddded5 Author: John Bowman Date: Thu Sep 13 23:49:20 2012 -0600 Add simple vim ftdetect file that set asy filetype for *.asy files. commit f3f87d6a628cde8f2f1164591d929ed9ecb5adea Author: John Bowman Date: Thu Sep 13 23:42:03 2012 -0600 Add condensed binarytree mode (contributed by Gerasimos Dimitriadis). commit 2bfd526b3e68bcf0855f9cd96a8387f38074c205 Author: John Bowman Date: Thu Sep 13 23:23:27 2012 -0600 Add global macros to find the number of a PDF OCG object. commit 4c0a89dc61a79aedbf568acf3f2cd0dd3fdb6a28 Author: John Bowman Date: Thu Sep 13 12:21:09 2012 -0600 Omit redundant billboard group name. commit 35113393aeea57bb6b3640f04771552b24da7184 Author: John Bowman Date: Thu Sep 13 11:04:58 2012 -0600 Fix degenerate arrows (partially revert 1.38-27). commit 961efd0bbfa636ace7093b34367cf94aec58ff94 Author: John Bowman Date: Thu Sep 13 07:40:24 2012 -0600 Mention that media9 v0.13 is required (to support the default 3Dmenu option and billboard labels). commit 6db4bd675805fe732d07027a066d94d6bbde7571 Author: John Bowman Date: Tue Sep 11 13:11:46 2012 -0600 Fix PRC linecap for draw(unitsquare3). commit 759c324ed9426ff3b422d27bcd93144e506a8c13 Author: John Bowman Date: Tue Sep 11 11:09:24 2012 -0600 Fix lighting; consolidate duplicate code. commit 81117f85753d1e69bc32b9a8886d4564f7e9337d Author: John Bowman Date: Tue Sep 11 10:32:35 2012 -0600 Make PRC and OpenGL lighting consistent. Remove asylabels.js (now included in media9 verion 0.12). commit 5d66bf4894766881c08f06b6e05d1aee94d60b93 Author: John Bowman Date: Mon Sep 10 08:58:07 2012 -0600 Simplify media9 inclusion (now that version 0.12 is required). commit f8fa10e6e09c5c441b49cc4d4a27338016e673f5 Author: John Bowman Date: Mon Sep 10 08:49:18 2012 -0600 Make use of 3Dortho and asylabels.js facilities included in version 0.12 of media9. commit 2e877821d1858577c6e780b935d2679eb740c968 Author: John Bowman Date: Mon Sep 10 07:26:03 2012 -0600 Upgrade to media9 version 0.12. commit cee7440cfc1abedad4c91287e4683fe16f2256d3 Author: John Bowman Date: Sun Sep 9 09:17:35 2012 -0600 Add missing file. commit 38eb29960cfd20c550d3e08f44be1bc26a16806e Author: John Bowman Date: Sun Sep 9 04:12:41 2012 -0600 Restore lighting effects for vertex shading. commit f25cd165ecaefdc96b963420a5886c58b6186e46 Author: John Bowman Date: Sun Sep 9 03:43:27 2012 -0600 Fix vertex shading lighting. commit 950367a4dd7aba862951cc87f098b2c53c354e7c Author: John Bowman Date: Sat Sep 8 14:46:13 2012 -0600 Add updated asylabels.js file and future hook. commit c1f70301a20c33fb142c537d6e12b3a1a52184d9 Author: John Bowman Date: Sat Sep 8 14:32:33 2012 -0600 Simplify code. commit f765ea5970eff9960eedbaeb7ae0a65c391bac98 Author: John Bowman Date: Sat Sep 8 10:58:09 2012 -0600 Update FFTW++. commit 5edc7a9350fe1ef6375e5096a911c609a03b5bc7 Author: John Bowman Date: Sat Sep 8 10:15:52 2012 -0600 Consolidate and standardize min(path[]) and max(path[]) functions. commit 3b392b22d785ea9cb4b8d57e074af39cb5619afa Author: John Bowman Date: Fri Sep 7 12:47:56 2012 -0600 Improved media9 patch, thanks to Alexander Grahn. commit 1903b6b5d7496baaaf40fa1fe695bd228c5d56cf Author: John Bowman Date: Wed Aug 29 10:47:45 2012 -0600 Fix Makefile dependencies. commit a070dd5293b14b74f05f0ed6a9f900db017fff62 Author: John Bowman Date: Wed Aug 29 10:46:54 2012 -0600 Add settings.axes3 to control visibility of PRC axis. commit 3a4ff80115e364bc26662e53018bd49e9f4900ab Author: John Bowman Date: Tue Aug 28 09:09:17 2012 -0600 Provide interim media9 bigfile patch. Don't require media9 bigfile support for pdf tex engines. commit 893bda7dd8b5b1a9f4eaeac46020d20ccf939d7d Author: John Bowman Date: Sun Aug 26 13:28:14 2012 -0600 Support prune=false again. commit 6cca962e4b2d6c4e21596f3075754c26ec5f97cf Author: John Bowman Date: Sun Aug 26 13:16:21 2012 -0600 Fix split(" "). commit e295ef3899bd3ff3d05c9ca8854cd965082cc5dc Author: John Bowman Date: Sun Aug 26 03:16:16 2012 -0600 Initialize ASYprefix with output directory. commit 2841f55449b6127d64dd69deea8b046ccc0741a9 Author: John Bowman Date: Sun Aug 26 03:15:15 2012 -0600 Tolerate missing inline option on 3D content embedded within latex files. Cleanup intermediate media9 files. commit 640aead8666318650a79a81549692ba50972377d Author: John Bowman Date: Sun Aug 26 03:10:13 2012 -0600 Cleanly handle missing files. commit 4f23d0888f40ec6d3b0497a95671716cc8d8f5f9 Author: John Bowman Date: Sun Aug 26 03:09:14 2012 -0600 Remove newlines from texpath labels for xasy. commit 1e3776595b93cddd393f635003f1497fa43eb43b Author: John Bowman Date: Fri Aug 24 00:31:17 2012 -0600 Improve formatting. commit 2b16074a5c7352a8557fa039230d60d69b24a0e4 Author: John Bowman Date: Fri Aug 24 00:30:52 2012 -0600 Use prefix for media9 label to avoid duplicate label warnings. Run ghostscript for texpath in the output directory. commit a553e970a3252eff5af1b5f8dd41c14ea1297eeb Author: John Bowman Date: Fri Aug 24 00:27:29 2012 -0600 Add -DSAFER -P default options to improved dvipdf script. commit 25493e086f2277fac51de26ac0c8fbf539ee1761 Author: John Bowman Date: Mon Aug 20 08:45:07 2012 -0600 Fix orthoshift. commit 81189f4950eca8130ed6ce943a9f56f26a38483c Author: John Bowman Date: Sun Aug 19 14:53:13 2012 -0600 Further lighting fixes. commit d7f2a26a8182c3eef3dac187a9a7aa265f156d1a Author: John Bowman Date: Sun Aug 19 14:40:51 2012 -0600 Fix lighting. commit 9d0c4bab62c2c63c80c610199fb088cc3839795c Author: John Bowman Date: Sat Aug 18 07:40:50 2012 -0600 Look for history_list (which seems to be missing from editline) when checking for GNU readline. commit 96d2dce72cb9dae5c357a1ee01f2778e6d317158 Author: John Bowman Date: Fri Aug 17 12:41:23 2012 -0600 Choose a wider connection when searching near the connecting line (patch contributed by Orest). commit fa17cf1e5e0bd2645d937d10abd8a1e0a32d29d0 Author: John Bowman Date: Fri Aug 17 08:07:21 2012 -0600 Update to gc-7.2d. commit ed07190869efe328fa890fef5a9e3dfe06a7ef68 Author: John Bowman Date: Fri Aug 17 08:06:43 2012 -0600 Rename displacement routines. commit 85667a7b7d5459f5202da2975442cc5b60d4be7a Author: John Bowman Date: Wed Aug 15 09:04:24 2012 -0600 Change defaultrender.defaultnames to true. commit dd9d644810f4d40e21762e4b4121a5edd66619d6 Author: John Bowman Date: Wed Aug 15 07:53:45 2012 -0600 Tweak special trigonometric cases to improve PRC compression. commit b58a0817fb572cbd1a373eca07b68e705f9ffa03 Author: John Bowman Date: Wed Aug 15 07:52:54 2012 -0600 Don't autogenerate RPC part names by default. commit d325d11882ce6ba4e511c9b5e52b7025e8b61ea9 Author: John Bowman Date: Wed Aug 15 05:14:26 2012 -0600 Use limits rather than separate xlimits and ylimits commands in examples. commit cd2bc23e0f03be679698d1eec0f6741abe1a8d52 Author: John Bowman Date: Tue Aug 14 19:55:56 2012 -0600 Add missing render argument. commit 07e58c133ace0af75dda15b5a12b1f42b42ece88 Author: John Bowman Date: Tue Aug 14 19:00:45 2012 -0600 Add missing factor to arrowheads. commit aa508f2198ed94dece058fcbc93237334f4cceff Author: John Bowman Date: Tue Aug 14 17:51:38 2012 -0600 Support large PRC files (requires media9 version dated 10 August 2012). commit 5cab138712fe69f06af75a9bb69df29cc440585d Author: John Bowman Date: Fri Aug 10 05:56:58 2012 -0600 Address clang compiler warning. commit 764f6c88d6d75bf927cb79cd5ac49a7fa49c3ee7 Author: John Bowman Date: Fri Aug 10 05:40:09 2012 -0600 Restore label grouping. commit b2faafa9d236db8d96fc669d675e310b6a5422fd Author: John Bowman Date: Thu Aug 9 19:38:52 2012 -0600 Update copyright of reference card. commit 6abad841b8e40df73b0e5c083d26b0146974f8f0 Author: John Bowman Date: Thu Aug 9 10:05:37 2012 -0600 Fix garbage collection issues. commit 0dd753b567c72d1e1c19fb08b29b38b49a8f0684 Author: John Bowman Date: Thu Aug 9 03:41:55 2012 -0600 Work around LaTeX limitation. commit f976570a2b4af01853995f1deb14db7eb4c873d2 Author: John Bowman Date: Thu Aug 9 02:36:28 2012 -0600 Update U3D example. commit f041106d7df65604625260ee98be6142bbcc016e Author: John Bowman Date: Wed Aug 8 22:34:01 2012 -0600 Add simplified version of Michail's local coordinate patch. commit c54405e2889a4f19c6595963eaff5a0c3e3fd1cd Author: John Bowman Date: Wed Aug 8 10:55:30 2012 -0600 Improve support for none TeX engines. commit bbc092255015ac822f298b22ae2c676b4b39e384 Author: John Bowman Date: Tue Jul 31 09:55:09 2012 -0600 Remove unnecessary xelatex detection. commit 2cf8ac929cf7dcecd2fc918d7fda40297c1d977d Author: John Bowman Date: Mon Jul 30 09:58:52 2012 -0600 Remove spurious code. commit f164efc2e27284c87ec8a16c698f24d7fa94ff3e Author: John Bowman Date: Sun Jul 29 23:46:15 2012 -0600 Remove obsolete movie15 patches. commit 92725277aa6c2a7a798bf318dfbee947d37efa4b Author: John Bowman Date: Sun Jul 29 23:44:19 2012 -0600 Remove duplicate code. commit 0fc6f5179d5d60dbb9cae839faed27b169f2443d Author: John Bowman Date: Sun Jul 29 14:46:18 2012 -0600 Upgrade from movie15 to media9 LaTeX style file. commit e3f867dddcd728104d2327d7750a8a3fab392c75 Author: John Bowman Date: Sat Jul 28 00:53:19 2012 -0600 Compile with offscreen rendering if and only if both libOSMesa and libglapi are available. Make settings.offscreen default to false. commit 2d8d5251b15c75efc2d7cca14aafaa7776122900 Author: John Bowman Date: Fri Jul 27 23:45:26 2012 -0600 Support OSMesa version 8 (which allows offscreen and non-offscreen rendering in a single binary). commit d23dfa4f311e79d4f993bfdcd386cb904a20c3fc Author: John Bowman Date: Fri Jul 27 22:59:28 2012 -0600 Fix string length type. commit 8a16ecec4049f1c4fb289a6230173daaf2315e67 Author: John Bowman Date: Fri Jul 27 16:26:37 2012 -0600 Fix typo. commit 1dfbe359691c2d3115702ae22f3cf8a82778debf Author: John Bowman Date: Tue Jun 19 23:47:52 2012 -0600 Fix autoscale3. commit 0cbad923919b8d51a8ec25ac8236315f10eaca66 Author: John Bowman Date: Tue Jun 19 22:42:00 2012 -0600 Partially revert 2.10-2 (which broke autoscaled logarithmic axes). commit 925da6af8b86c303366c47562eb553c3af69f271 Author: John Bowman Date: Mon Jun 4 05:44:19 2012 -0600 Propogate -m64 flag to the linker to fix solaris 64 bit builds (will cause a clang warning message, though). commit 529536b10bcd237cfbc314c8c10b36e3ccf55033 Author: John Bowman Date: Fri Jun 1 10:33:18 2012 -0600 Simplify code. commit 675129797d1260953312d62fb6435172c1414cb8 Author: John Bowman Date: Thu May 31 21:34:02 2012 -0600 Declare strlen. commit 4665de488b0f7dfa0f3fc0f6084564429f633c45 Author: John Bowman Date: Thu May 31 11:24:27 2012 -0600 Fix bug with non-square pen function images. commit c6275331534575aebaa2e5012585548c44e9dfe0 Author: John Bowman Date: Thu May 31 09:46:34 2012 -0600 Increment version to 2.17svn. commit 6cd9addeacb0a9e4ecaf0b780547b059896c8e58 Author: John Bowman Date: Thu May 31 09:41:14 2012 -0600 Revert last commit. commit 54f73bf431250f99e32352dddc905cf18ae8d7e3 Author: John Bowman Date: Thu May 31 07:38:33 2012 -0600 Fix bug with non-square pen function images. commit 0ce955f05eb5e62a79c375534dcc452e260d97a6 Author: John Bowman Date: Wed May 30 13:45:48 2012 -0600 Work around Windows Python bug. commit 7b4a7e8558c528ce20a65c34c193d001bdd57384 Author: John Bowman Date: Wed May 30 11:53:45 2012 -0600 Replace xinput by input(mode="xdr") and xoutput by input(mode="xdr"). Replace binput by input(mode="binary") and xoutput by input(mode="binary"). commit 4b2b3eadba1e359d65d50947a712015cac6096ca Author: John Bowman Date: Wed May 30 10:35:57 2012 -0600 Update setting. commit e59ad4dfb8a5d513ddf2d3b059d208ea5d8afb74 Author: John Bowman Date: Wed May 30 10:24:17 2012 -0600 Workaround limited pipe support in cygwin. commit 895885884808ec83658588d690920bbd8f1c07f7 Author: John Bowman Date: Tue May 29 23:06:58 2012 -0600 Fix type in conditional. commit ec1650e5a37e69af75d8b85dc553d5e9d6893225 Author: John Bowman Date: Tue May 29 10:02:48 2012 -0600 Update diagnostics and documentation. commit c6db7d004b42d3ebb37ab49bb6195dd1960bd371 Author: John Bowman Date: Tue May 29 07:20:20 2012 -0600 Support compilation of native CYGWIN binaries. commit ac67889ea1721b08044cc3c902225cbbb540b0c1 Author: John Bowman Date: Tue May 29 06:12:56 2012 -0600 Fix pair and triple pipe output. commit 5d562c7e4c3db6476f72c191ef55363d06283667 Author: John Bowman Date: Tue May 29 06:09:25 2012 -0600 Simplify opipe formatting. commit 58740141a125132dc1e7927686866f897189fc1a Author: John Bowman Date: Tue May 29 04:30:35 2012 -0600 Work around compiler bug. commit 82e58e812176532fbda581426f0fcf7d443e2e11 Author: John Bowman Date: Tue May 29 03:34:25 2012 -0600 Fix makefile. commit c8f2f7c3b8716787f7cf27854e160fa9d7b0ac01 Author: John Bowman Date: Tue May 29 02:24:29 2012 -0600 Improve msdos build. commit c11f6ae188aeb29182894e0b33484c87ffef4993 Author: John Bowman Date: Tue May 29 02:19:52 2012 -0600 Fix MSDOS makefile dependencies. commit 632ea52a6b16063f1147d1e40a5ef941138db575 Author: John Bowman Date: Tue May 29 00:03:06 2012 -0600 Fix CYGWIN build. commit a4440a1f3a313bd1fdd67df46c57150d3c12a482 Author: John Bowman Date: Mon May 28 23:58:08 2012 -0600 Reinstate -fno-var-tracking option for older compilers. commit f17b8b5b943feda8851978374c1261d07dda9a49 Author: John Bowman Date: Mon May 28 22:42:37 2012 -0600 Support arbitrarily long input lines in xasy. commit 197f07d29b0340ddce9683758876a356de01a1a3 Author: John Bowman Date: Mon May 28 17:29:40 2012 -0600 Remove broken asy path validation code. commit f72e142f5bb7a5c24f166e46d779f9f32b4ccce1 Author: John Bowman Date: Mon May 28 16:30:26 2012 -0600 Fix warning messages. commit 7e073061e95aafa31ada2661524f61fb0a708df7 Author: John Bowman Date: Mon May 28 14:52:16 2012 -0600 Fix portability issues. commit 9a2ee2bc11d2b6d229de97cc2b1b0f3cebbdc330 Author: John Bowman Date: Mon May 28 09:47:51 2012 -0600 Use pipes for xasy communication. commit f7572e5fc91332f6254877b4ba191e7b12a5c3e7 Author: John Bowman Date: Fri May 25 09:04:06 2012 -0600 Improve example. commit 5280aaf5b9f41ab5010cef240e852fe4a7e5d2f8 Author: John Bowman Date: Fri May 25 09:02:15 2012 -0600 Fix division by zero. commit 4760b91ab9e467f1dac0ce4248ecd5d7babc92ff Author: John Bowman Date: Fri May 25 09:00:56 2012 -0600 Don't autoscale ticks when N is specified and autoscale is false. commit a2c299f175bd766d48c0963aab7d6c311ab281b9 Author: John Bowman Date: Fri May 25 08:57:08 2012 -0600 Add new new routine for computing camera positions. commit 65cabae5d0fe4cd36b112879a4dbb0b9ae59d708 Author: John Bowman Date: Thu May 24 22:38:45 2012 -0600 Update to gc-7.2b. commit d281011095af600eaffd39b7b6bec994bc36917d Author: John Bowman Date: Thu May 24 15:49:39 2012 -0600 Respect straight flag in external(). Add partialu and partialv derivatives for patches. Add a general split function. Move split structure into splitpatch example. commit d0269b9d990cbf5677e67d43e9b85a969ef03bb8 Author: John Bowman Date: Sat May 19 22:51:47 2012 -0600 Fix palette range (bug 3487991). commit aebbf37c073de90619b6abf77a129228d18fa3a2 Author: John Bowman Date: Sat May 19 14:38:43 2012 -0600 Remove obsolete --no-var-tracking compilation option. commit 5278d4408c07fdce76a163745279d2e4167fe267 Author: John Bowman Date: Sat May 19 13:44:58 2012 -0600 Remove unused value. commit 7f56277a8a94e0840d4e1f8d4dadd47278c1a4f7 Author: John Bowman Date: Sat May 19 13:21:30 2012 -0600 Block SIGCHLD. commit 6db9f3d39623474f0b21c0bec9945493fb241aff Author: John Bowman Date: Sat May 19 13:20:12 2012 -0600 Force assert to be active. commit 098f9995970cedcb056cbd438c3ad3d100c44107 Author: John Bowman Date: Sat May 19 10:55:16 2012 -0600 Fix manual tick scaling. commit 146ea188fd77609436b3fd8bf56f7c13c6a893a7 Author: John Bowman Date: Sat May 19 09:40:33 2012 -0600 Use currentpen rather than nullpen so that current value of currentpen is respected. commit 6aa2ab11ba05e81c7d9718d0714275ff2ad91bf1 Author: John Bowman Date: Tue May 15 05:54:54 2012 -0600 Add missing file. commit 3ac2531850eb5ab0cc4a7f1fb83a98f9466add34 Author: John Bowman Date: Tue May 15 05:50:40 2012 -0600 Add missing file. commit 0b08ac0f02b38e8e460709b772155841d6b68d1e Author: John Bowman Date: Tue May 15 05:36:47 2012 -0600 Add missing file. commit 898a29e16b50bb77a485cc2dad980ba29172f6c5 Author: John Bowman Date: Tue May 15 05:28:40 2012 -0600 Update POSIX thread support. commit bbe3a92496ff77625e376ef97d748c8fc373ef2f Author: John Bowman Date: Tue May 15 03:49:45 2012 -0600 Fix warning message. commit 92a3e49b5d51348876ec8dbadd0455de4f31187c Author: John Bowman Date: Tue May 15 03:08:30 2012 -0600 Update to gc-7.2. Simplify makefile; fix shared library version. commit 95c12bcf39c54fcf1467d5e3291c07046091e0fa Author: John Bowman Date: Thu May 10 18:06:16 2012 -0600 Fix the erase command so it behaves as documented (no reset). commit 63edda802e6b7102fb239b10bb75a5d84a5ab0d2 Author: John Bowman Date: Thu May 10 15:54:47 2012 -0600 Don't force a default viewportwidth. commit 336fca44455b9a23f0300de0360f05ff872e98a1 Author: John Bowman Date: Thu May 10 15:47:54 2012 -0600 Improve wheel.asy example to allow pdf animations. commit af090550e3e9fdd53e0645631b44e459c6535690 Author: John Bowman Date: Thu May 10 15:27:32 2012 -0600 Fix split structure. commit 55e19362d20a7e6d34abc034579421f477833dc6 Author: John Bowman Date: Wed May 9 13:24:12 2012 -0600 Add NSIS support files. commit f79b31b1cdcc96bbf99863c2f3930eae80ed3650 Author: John Bowman Date: Wed May 9 12:51:37 2012 -0600 Fix icon directory on 64-bit MSWindows systems. commit ac138f0766bf2580e63e147ef682057e548e0b26 Author: John Bowman Date: Wed May 9 12:42:42 2012 -0600 Remove obsolete constructor; update examples. commit d2ff5a4b54ecbb598c6701640dc69e475b2c25d3 Author: John Bowman Date: Wed May 9 12:40:29 2012 -0600 Update documentation. commit 36b874c9bf949602c86d2373399559bf204d86a3 Author: John Bowman Date: Thu May 3 19:39:30 2012 -0600 Make split compute subpatches for each input patch. commit afa172f0b94dfa159afb88049cd70639ebf927ca Author: Andy Hammerlindl Date: Wed Mar 28 20:36:39 2012 -0600 Add picture bounds test. commit 59226ae03dc03ecb85ffe412169946b675ecc2b6 Author: Andy Hammerlindl Date: Wed Mar 28 20:35:51 2012 -0600 Changed name of class to avoid confusion. commit d7b28f36a0ab6c506f62480d125991a802afc32a Author: Andy Hammerlindl Date: Wed Mar 28 18:48:45 2012 -0600 Fix translated bound error. commit bc5c461aee6e3e9e7d8e2cb44ff824b67af70eeb Author: John Bowman Date: Thu Jan 26 10:09:57 2012 -0600 Fix numerical underflow. commit 96720fd56603cc08aba9a2d32614413e3c2d6226 Author: Andy Hammerlindl Date: Wed Dec 28 15:08:25 2011 -0600 Allow named arguments after rest arguments. commit f064b2c18eb998eabb7f6734e3d622f076f2d054 Author: Andy Hammerlindl Date: Wed Dec 28 15:08:00 2011 -0600 Nicer debug output with COMPACT flag. commit 1ba8c8e27540d30d2c07bf94d6ad05255f79e9ea Author: Andy Hammerlindl Date: Wed Dec 28 15:07:37 2011 -0600 Refactor vm::frame allocation. commit 36cfb1471d9dfc76038d7cb8e600178cacd72d1e Author: Will Robertson Date: Sun Dec 18 01:07:26 2011 -0600 fix \CatchFileDef fallback command commit 5584bf2e9c7667776c17261506c4c95ebdc525ed Author: John Bowman Date: Fri Dec 16 02:05:37 2011 -0600 Fix trailing zero removal. commit 36df17bffa1ce7df583b5498e49c25b8e660ed84 Author: John Bowman Date: Sun Dec 11 22:46:58 2011 -0600 Make format more consistent with fprintf; add a defaultseparator argument for typesetting scientific notation. commit 607d1c6a8aa64349ee8222e0d4fb7e51ea1108e3 Author: John Bowman Date: Sat Nov 19 17:08:57 2011 -0600 Work around quote translation problem. commit bd420f563ee8f73ec0d83dc625b7eedf31c4e10f Author: John Bowman Date: Wed Nov 16 19:37:09 2011 -0600 Increment version to 2.16svn. commit 0373fcedf737e0eb031c3b7c0d6249a0365fb8e2 Author: John Bowman Date: Wed Nov 16 15:35:43 2011 -0600 Add missing isnan declaration for MacOS X. commit f45773ebfae0421654c44ff749b4abb5473bb9b9 Author: John Bowman Date: Wed Nov 16 02:55:41 2011 -0600 Increment version to 2.15svn. commit d5f96fa6c1887a0b5ef172b020c33008ab89bc5c Author: John Bowman Date: Wed Nov 16 01:58:35 2011 -0600 Add missing CYGWIN declarations. commit f3a7eab7acf2330bd0db9954965cee63157fe608 Author: John Bowman Date: Wed Nov 16 00:20:57 2011 -0600 Update examples. commit d1910745143903e81841776b1839aae3d3679d8d Author: John Bowman Date: Tue Nov 15 15:23:53 2011 -0600 Fix typo. commit 1bcac6740b1440cc8bf32efd9a8e7e4e2386b721 Author: John Bowman Date: Tue Nov 15 15:18:41 2011 -0600 Move obsolete rotate(explicit pair dir) routine to geometry module. Add quick reference card. commit 519ed6392af531d644338021ad1da7dcca1458fc Author: John Bowman Date: Tue Nov 15 15:17:39 2011 -0600 Fix render=0 bugs. commit 7b3e45ff00039a5d64629a52f69d8c9826062b4c Author: John Bowman Date: Tue Nov 15 14:04:28 2011 -0600 Implement Jacobi elliptic function sndncn(real u, real m), which returns real[] {sn,dn,cn}. commit e65f6c73db51d22c4af1a3ebd647102c7afe811f Author: John Bowman Date: Tue Nov 15 13:36:33 2011 -0600 Implement int ascii(string s). commit f980e86fa2ddb6bc958cc6e6dede75800ba77c2e Author: John Bowman Date: Tue Nov 15 13:27:56 2011 -0600 Added manpage target to build man page only. commit ca0950021320f587a98111af6770910e2fd6392c Author: John Bowman Date: Tue Nov 15 12:45:15 2011 -0600 Add bool isnan(real). commit 61d15d09a399b12373ff3dd8ad472dbd96e0a9bb Author: John Bowman Date: Tue Nov 15 02:45:48 2011 -0600 Fix preview surfaces with render=0. commit fd39ba1b61df82917abef4fd1a5c882895e9f6a9 Author: John Bowman Date: Tue Nov 15 00:55:06 2011 -0600 Fix string reads from binary files. commit e384bc1d78d8d7bb055d47eac5357094e653982b Author: John Bowman Date: Tue Nov 15 00:53:24 2011 -0600 Blank lines are not allowed after \begin{asy}. commit 815254b51b059a8e5cd648731970c6f6b76431ce Author: John Bowman Date: Tue Nov 15 00:00:27 2011 -0600 Generate missing preview images for fitted pictures. commit 2a699d60716d5359aff5c682402778325a8dafa5 Author: John Bowman Date: Mon Nov 14 17:52:20 2011 -0600 Fix draw(revolution). commit 23cba8ca5597ff5ae97e131d6e182edab7b0674d Author: John Bowman Date: Thu Nov 10 18:07:05 2011 -0600 Fix axis bug introduced in 2.14-32. commit b181ebf5775ba5d599b226c89b4445123801b000 Author: John Bowman Date: Fri Sep 30 08:23:17 2011 -0600 Portability fixes. commit b60fabf38153ed38f982c6e0fb7b31ae63444c72 Author: John Bowman Date: Thu Sep 29 22:14:23 2011 -0600 Move lastpen to the end of pen.cc so that it is initialized last. commit 3f33984706db09eccb1911d29f17a09a86b4fa4c Author: Andy Hammerlindl Date: Thu Sep 29 13:32:22 2011 -0600 Change Int to int_typ in policy.h commit 9c18bdd86d9097815f8c25fb48f7dc7cead40cc9 Author: John Bowman Date: Thu Sep 29 08:38:53 2011 -0600 Avoid compiler warnings about virtual function overloading. commit adb2f5a6093f309f71476b390502786fc92f6b24 Author: John Bowman Date: Thu Sep 29 07:54:09 2011 -0600 Avoid further static initialization issues (courtesy of Michail Vidiassov). commit 93e9862311b092b464ab596ea12f37ed1f604e87 Author: John Bowman Date: Thu Sep 29 07:50:13 2011 -0600 Remove extraneous comparison. commit 905b605e3a2ca6ca3d15af85e0b41c058548ab16 Author: John Bowman Date: Thu Sep 29 07:42:10 2011 -0600 Avoid unused function warning message. commit abc896516d0fab7e2cd3324bd5c21633c97852a5 Author: John Bowman Date: Thu Sep 29 07:04:03 2011 -0600 Fix warning messages. commit 454f9b2a5e94451fa2954263a1e0e672d985c195 Author: John Bowman Date: Thu Sep 29 06:25:04 2011 -0600 Fix extended axes. commit c405b32f3f48f7cb881c4438f46aac04c562bf45 Author: John Bowman Date: Wed Sep 28 11:51:42 2011 -0600 Work around static initialization fiasco. commit 835df463a4ff6e50a1bb963a749c6e99a949b437 Author: John Bowman Date: Wed Sep 28 11:17:50 2011 -0600 Fix typo. commit e93d341f5eaf37535e1d1a98cb49ab981a6360ee Author: John Bowman Date: Wed Sep 28 10:49:33 2011 -0600 Update documentation. commit 5200611daa0aa3ee5184200fefa65c68977a0618 Author: John Bowman Date: Wed Sep 28 10:44:41 2011 -0600 Remove unused member. commit 4b7b3d2ab698953f8d8b78d06d12dd43b2606d65 Author: John Bowman Date: Wed Sep 28 10:24:10 2011 -0600 Fix comparison. commit 933d551e410216bb3c8b380a029f6ffea120fb56 Author: John Bowman Date: Wed Sep 28 10:16:20 2011 -0600 Remove extraneous comparisons. commit 863887edfc40854ff581b2cd8788a963516d0fc9 Author: John Bowman Date: Wed Sep 28 10:12:33 2011 -0600 Fix comparison. commit 5e1847bd221ec8b6df63ee9cc20a6f06eaf7f080 Author: Andy Hammerlindl Date: Mon Sep 19 21:18:30 2011 -0600 TRANSJUMP no longer an option. commit 6955d093e68636e943db4e866a26fa037f2e8f8a Author: Andy Hammerlindl Date: Thu Sep 15 16:15:35 2011 -0600 Add 'operator tuple' via EXTRASYMBOL command. commit e2599a170b41495ca9239a3430e0bc9884944a70 Author: John Bowman Date: Thu Sep 15 09:23:55 2011 -0600 Fix build. commit 4e072133999da0c7c4d2323c67a503d6c7a2e227 Author: Andy Hammerlindl Date: Wed Sep 7 20:39:57 2011 -0600 Add operator overloading to aspy. commit 88be1715a04f52c0c98d8836f926e6ea2cd97c92 Author: Andy Hammerlindl Date: Wed Sep 7 18:29:08 2011 -0600 Add 'operator tuple'. commit 2f65f96732ab7045006bea36f95dd030fbf2e6bf Author: Andy Hammerlindl Date: Mon Sep 5 18:01:39 2011 -0600 Can compile Asymptote as a shared library. commit 314c32df054e8e94fdb7e4a3ab36d63b3dfcf630 Author: John Bowman Date: Tue Aug 30 16:10:39 2011 -0600 Generalize copy, map, and sequence functions to arbitrary depths. Add locale string to format(string,int). commit f60d7128a92318a68ea52d72e98f2f020a50851b Author: John Bowman Date: Mon Aug 22 10:46:31 2011 -0600 Improve nullpath handling. commit 7f4aa4dc2cd0bfb309318136062a4368257275a2 Author: John Bowman Date: Mon Aug 22 09:22:55 2011 -0600 Allow draw(nullpath) again. commit 035e97166c51d992fb7821bba57500ebf96c9b5b Author: John Bowman Date: Sun Aug 21 18:31:43 2011 -0600 Update version number. commit 1d46e62d7302e1944634462f1293cb5da3e297d9 Author: John Bowman Date: Sun Aug 21 16:09:54 2011 -0600 Remove portability tweak for MIPS. commit 19376a278ff54761ec08cf7fce188a7412a1a9b2 Author: John Bowman Date: Sun Aug 21 15:09:03 2011 -0600 Specify arbitrary size if MAXPATHLEN is undefined. commit 169a01aa7008f1904ba90620e9dbf3a30b814cef Author: Will Robertson Date: Wed Aug 17 02:51:20 2011 -0600 some missing comment chars in \asyinclude also bumped the version number of the .sty by a minor increment (hope this is okay) commit 99cccab66045a397288043008c16e2661760b321 Author: John Bowman Date: Sat Aug 13 02:50:17 2011 -0600 Build Mark and MarkFill from MarkPath. commit 66e4b3128fef46f9947ba9a377becd0dff2e94ca Author: John Bowman Date: Fri Aug 12 23:50:06 2011 -0600 Implement markthin(path) marker with opacity thinning. commit dc796a6644aa43520df731e9dc5a0c7d8efad14d Author: John Bowman Date: Thu Aug 4 21:48:05 2011 -0600 Update link to cygwin1.dll source code. commit b49f13fdc4e89c6d68a9b2661bb003beb62ef87b Author: John Bowman Date: Tue Jul 12 08:35:36 2011 -0600 Disable billboard interaction for offscreen rendering. commit e91377a416df875948307c281eabe3253e6c8540 Author: Philippe Ivaldi Date: Wed Jun 29 10:09:51 2011 -0600 Fix double drawing of path when showing triangle in geometry.asy commit 0810f9341fefd6a9640d885548e43f4eff317ff8 Author: Philippe Ivaldi Date: Mon Jun 27 16:35:42 2011 -0600 remove trailing char commit c81825912d945d231483dd5514253d78c8c2f797 Author: Philippe Ivaldi Date: Mon Jun 27 11:04:13 2011 -0600 Fix arc orientation in arcfromcenter Enable again arcfromcenter for line (with explicit constraint) Cleaning and improving code commit 56823e66001d1737e46789a0a092f4021c50d603 Author: Philippe Ivaldi Date: Thu Jun 23 08:58:15 2011 -0600 Remove previous modification in geometry.asy commit 96bb297e1528c0587cbdf784d42746820104b4c4 Author: John Bowman Date: Wed Jun 22 20:55:18 2011 -0600 Prebuilt target should not rebuild asy-keywords.el. commit 9793f56e065ba4d9746351f24be21be20ebd75a0 Author: Philippe Ivaldi Date: Mon Jun 20 14:56:04 2011 -0600 Fix inverse(real, point, point) in geometry.asy commit a24beb6a7ff925034b170c9678ce83cc5653af20 Author: John Bowman Date: Sun Jun 19 17:29:55 2011 -0600 Print version number with -vv. commit dc8bf8804a4abee244e0c60cc05025d85092d797 Author: John Bowman Date: Sun Jun 19 13:34:43 2011 -0600 Increment version to 2.14svn. commit f8e0a8e91ce17902d1a63e1648867a42ab40c422 Author: John Bowman Date: Sun Jun 19 07:40:51 2011 -0600 Autodetect memrchr. commit f901f8836f3066777f1724cfe7c9286f4238c06b Author: John Bowman Date: Sun Jun 19 07:31:50 2011 -0600 Make install-prebuilt also install asy-keywords.el. commit d69d4b0f9e9983964a1530aeb8f90e568d283138 Author: John Bowman Date: Sat Jun 18 20:03:42 2011 -0600 Increment version to 2.13svn. commit f9789265ae0f8ed6d09f7c2403121233bbaa8184 Author: John Bowman Date: Sat Jun 18 17:29:56 2011 -0600 Support --disable-gl again. commit bd8211eabbbbbfa98721af242184314d41fa15d9 Author: John Bowman Date: Sat Jun 18 10:55:00 2011 -0600 Include cstring instead of string.h. commit be2e4fdd53804a8efe5a1bb6882da0c855fc1348 Author: John Bowman Date: Sat Jun 18 10:50:11 2011 -0600 Add missing include. commit cd4215443c2e68eebe65e41dd38f06c1d3be33bc Author: John Bowman Date: Sat Jun 18 01:55:15 2011 -0600 Increment version to 2.12svn. commit ecae684548f36119f4216029716ebef377378a3d Author: John Bowman Date: Sat Jun 18 00:40:24 2011 -0600 Update README. commit 1274ea3bdefa8a0feeb5cb9e715b1af4e7958e8a Author: John Bowman Date: Sat Jun 18 00:39:21 2011 -0600 Update copyright. commit 5683c1169105e8d2d4fc6bfa3f9ef8f8c61c9dc3 Author: John Bowman Date: Sat Jun 18 00:35:24 2011 -0600 Add missing install-prebuilt dependency. commit 4c1e1c3ef2654ae238dfa1560b1cfc724d6d5f43 Author: John Bowman Date: Fri Jun 17 17:27:04 2011 -0600 Remove unwanted preprocessor conditionals. commit 0e5e96dd67755957dbb878a7ac16b7c96695d6f7 Author: John Bowman Date: Fri Jun 17 11:50:18 2011 -0600 Fix diagnostic. commit ea082454a2dba0cee29b9a3a442be584b1bdecb9 Author: John Bowman Date: Fri Jun 17 01:56:37 2011 -0600 Fix preprocessor conditional. commit d6d2c9539b55493e5af6f6bb5dd0d9db74c14bc4 Author: John Bowman Date: Fri Jun 17 01:44:31 2011 -0600 Support compilation without GLUT library. commit 48c7204e3b32767ca26e247efb362cc0079d3dde Author: John Bowman Date: Fri Jun 17 01:04:36 2011 -0600 Disable offscreen rendering support by default. commit 5b49d89be10da47f31081cb11c3126f429f4ef9f Author: John Bowman Date: Thu Jun 16 14:25:20 2011 -0600 Don't require LIBGLUT for thread support. commit a1692fce8acc26d53113cd10b987232802856188 Author: John Bowman Date: Thu Jun 16 14:19:21 2011 -0600 Remove unused include. commit 27baaf4d761a1e6ee9c19328a63acc25e5fda05e Author: John Bowman Date: Thu Jun 16 13:13:15 2011 -0600 Add preprocessor conditional for CYGWIN. commit 31be7f0e4cd4bb52846d67e1f1dd8ecf20a54eeb Author: John Bowman Date: Thu Jun 16 00:13:01 2011 -0600 Allow offscreen rendering to be toggled at runtime. commit 372affdfe0543bc92e87ea3413e059b80a058d40 Author: John Bowman Date: Wed Jun 15 15:39:19 2011 -0600 Fix pen shift bounds. commit 99d807b7007f4a902cedd9e1a015f32394247e67 Author: John Bowman Date: Tue Jun 14 16:45:08 2011 -0600 Update README. commit 1fa461a73b642cea346f32ffb9beee5a3677a336 Author: John Bowman Date: Tue Jun 14 16:44:35 2011 -0600 Enable offscreen rendering; address autoconf warning messages. commit 1f34e235228e80d1c7ee1356c902bcfcbfdb50f4 Author: John Bowman Date: Tue Jun 14 13:01:48 2011 -0600 Use tirpc library under CYGWIN. commit 695dbafa436bc1e825ea38afe6d67b9017dd8582 Author: John Bowman Date: Mon Jun 13 15:42:24 2011 -0600 Fix handling of whitespace in word mode. commit 0c3dbafa9226f58f7cd1730ec8ea37dabde36495 Author: John Bowman Date: Mon Jun 13 11:01:30 2011 -0600 Fix implementation of data transpose. commit f6dae43413a31c8dca3136db9092463ec88e12b6 Author: John Bowman Date: Fri Jun 10 04:19:55 2011 -0600 Implement transpose option more efficiently. commit 4ea4c394a4db464247e5118c9c5380b46cac8893 Author: John Bowman Date: Fri Jun 10 03:51:30 2011 -0600 Implement transpose argument for pen function images. commit a1ad1a73b65cdafab966b5f3c05f0400b7e7bebd Author: Philippe Ivaldi Date: Thu Jun 9 16:10:37 2011 -0600 Fix coding style commit aa0c48c1d950aa8752af0734208fe562890a6f32 Author: Philippe Ivaldi Date: Thu Jun 9 11:36:27 2011 -0600 Fix limit calculation of parabola and hyperbola commit 5d76dfbe4f3d772306c18d4ed8d36002461f66e5 Author: John Bowman Date: Mon May 30 09:51:41 2011 -0600 Remove extraneous declaration. commit 892558151c915760ed98d071685c8d7bb35fb025 Author: John Bowman Date: Fri May 27 17:14:44 2011 -0600 Add Orest Shardt's offscreen rendering patch (currently implemented and tested only for UNIX). commit 09f908316f03378cf5ef395359b45d5acebacf64 Author: John Bowman Date: Fri May 27 01:56:19 2011 -0600 Increment version to 2.11svn. commit d9e3abb8c9d6ff909d11180945111a531b9964b7 Author: John Bowman Date: Thu May 26 23:29:46 2011 -0600 Speed up example. commit 0631cca53d0723120b1c88b477ab18f5aa3c27e0 Author: John Bowman Date: Thu May 26 23:25:08 2011 -0600 Use complete userMax/userMin functions. commit 753eb653bfe539e392f1c36f07f1df789a438138 Author: John Bowman Date: Thu May 26 19:43:31 2011 -0600 Fix rendered preview images. commit f1c974625225af462e334d1bd43484508021a6e3 Author: John Bowman Date: Thu May 26 18:21:42 2011 -0600 Increment version to 2.10svn. commit fbb587cbf5578a2695664467a38362dfb524e71b Author: John Bowman Date: Thu May 26 14:06:11 2011 -0600 Add missing index entries. commit dbfd411c9ba5003351c93c86d9fc2f17b78f9391 Author: John Bowman Date: Thu May 26 12:37:41 2011 -0600 Implement void pixel(picture pic=currentpicture, triple v, pen p=currentpen, real width=1); commit 1541a42227d14700cdbdf19a8dfa4946a9aaaf9b Author: John Bowman Date: Thu May 26 02:58:37 2011 -0600 Map [0,1] uniformly to [0,255]. commit 4a2ccb7b31b79862d77cf80b62ea22373b4ab4bd Author: John Bowman Date: Thu May 26 02:50:51 2011 -0600 Don't apply picture transform when computing limits of hyperbola. commit 6ee64567251b6fd3f9cce2eccfc9cf2440a5f1cf Author: John Bowman Date: Thu May 26 01:28:15 2011 -0600 Check that arrays passed to the image routines are rectangular. Implement general pen image routine, along with an example: void image(picture pic=currentpicture, pen f(int,int), int width, int height, pair initial, pair final, bool antialias=false); commit c2c919b3866afd8495640f47989527452d16ad8f Author: John Bowman Date: Thu May 26 01:22:42 2011 -0600 Fix validity test in simplex.asy. commit 8311285017e676b718db670ece10dd55f292aa99 Author: John Bowman Date: Wed May 25 14:46:20 2011 -0600 Simplify code. commit 4595377da618c41abfd1225b2e7c36b0b5441615 Author: John Bowman Date: Wed May 25 14:19:16 2011 -0600 Fix bug in optimized sizing routines. commit 6dce8552f95e7e5bef49becbe3b581ca0e5252cd Author: John Bowman Date: Wed May 25 08:07:29 2011 -0600 Add Michail's recent PRC enhancements. Implement PRC vertex-shading for straight patches. commit 34379b9e3c1913b57db5c87734830f630a833d1f Author: John Bowman Date: Mon May 16 00:06:31 2011 -0600 Eliminate gcc warning about unused yyunput routine. commit e5d3ab2639f3f3b5832ca34893c562dc539befac Author: John Bowman Date: Sun May 15 10:29:31 2011 -0600 Implement keepAspect keyval option in asymptote.sty. commit e5865544385122605c2b031f1a7ca5ef28924fdb Author: John Bowman Date: Sun May 15 08:54:13 2011 -0600 Test for null Label in arrow(). commit c653749f805ad1e5f2fa5f639d45f184941a544c Author: John Bowman Date: Sat May 14 00:52:04 2011 -0600 Check translation table size. commit 48ab45c2229b0eefc131ab54d566c4e9d4cf282f Author: John Bowman Date: Fri May 13 02:51:05 2011 -0600 Don't strip directory for .js and .prc file names. commit 3846842566cd886a8462bd1453d544b6a4865a41 Author: John Bowman Date: Fri May 13 01:45:05 2011 -0600 Support PDF TeX engines in xasy. commit cf93f465fcf39048334c40ca96051c8d97402abd Author: Andy Hammerlindl Date: Wed Apr 13 21:49:11 2011 -0600 Removed old rules. commit 26af240cbcaac8ee9b8225e1496205ec6907d21b Author: John Bowman Date: Wed Apr 6 20:49:10 2011 -0600 Remove unused code. commit cbc4996ce1aef5f513ffeedf838c14608b2fe07a Author: John Bowman Date: Wed Mar 30 09:24:10 2011 -0600 Increment asymptote.sty version. commit 86a45fa5d0aa5196a257b988902ac9bfa2a30033 Author: John Bowman Date: Wed Mar 30 09:21:48 2011 -0600 Allow leading spaces before \end{asy}. commit 619a38cae78e5fb60291972baa5d175f7888f4cd Author: John Bowman Date: Wed Mar 30 09:07:07 2011 -0600 Add step option to indexedfigure. commit 09fbbf7c7b754cad11c5b2b35c7e196d13bded12 Author: John Bowman Date: Wed Mar 30 09:00:57 2011 -0600 Simplify item casts. commit 2b3821e83fab71b9719a636c62cdb10e61970397 Author: John Bowman Date: Fri Mar 11 01:19:33 2011 -0600 Update TeXShopAndAsymptote instructions. commit 55dcb2872bd2b364bc0fde9122e428a1b8705116 Author: Andy Hammerlindl Date: Sun Mar 6 09:18:26 2011 -0600 Add documentation for keyword-only arguments. commit de48fd80cef132745608b6081e19e6b9812b770c Author: Andy Hammerlindl Date: Sun Mar 6 08:58:46 2011 -0600 Add keyword only formals. commit e28db8033261fd944648944918a57497aa080de8 Author: John Bowman Date: Fri Feb 25 00:04:21 2011 -0600 Update example. commit 2a5c7a0b3d54cb3643ab77ca718a1ab9202489b6 Author: Andy Hammerlindl Date: Thu Feb 24 17:17:48 2011 -0600 Fixed assert on array assignment. commit fe1724e28088f72b4f6845240259b8a511d461f6 Author: John Bowman Date: Tue Feb 22 17:45:01 2011 -0600 Avoid overloading built-in circle and ellipse functions. Remove unused code. Fix transform bug in drawline. commit 5a035149cc6b82bc53e867fa7dbb5670113c3bc1 Author: John Bowman Date: Tue Feb 22 17:34:59 2011 -0600 Fix transform bug in drawline. commit 0f6d6d16a04877e8133f8692e766270f2d45bb00 Author: John Bowman Date: Tue Feb 22 17:34:03 2011 -0600 Improve interface to trembling routine. commit 46ff6379757c102758e7c527eb038466d34549ae Author: John Bowman Date: Sat Feb 12 09:28:39 2011 -0600 Remove unused member of drawBegin3. commit 6042454ca398acea0efbfc47d09c300ddb895bc7 Author: John Bowman Date: Sun Feb 6 17:42:39 2011 -0600 Move unit constant into constructor. commit 7c2613352fe970f3ed1e780114db08c5ee389a6e Author: John Bowman Date: Thu Jan 27 13:38:09 2011 -0600 Speed up long long integer multiplication. commit 345eb851c2e49b2017620f34c6e1306abba09df9 Author: John Bowman Date: Tue Jan 25 09:19:29 2011 -0600 Change Int to int. commit d486f3fee70be67c7660d68eb93a730bf78404bc Author: John Bowman Date: Thu Jan 20 08:54:32 2011 -0600 Always output preamble definitions. commit a0d8db72b45ccb2514d0eeb4cd4a10bb57caee49 Author: John Bowman Date: Sat Jan 8 18:08:39 2011 -0600 Update examples. commit 9d8586ba41a6fb37b2515bf4009788aea0a7e8a9 Author: John Bowman Date: Sat Jan 8 16:36:57 2011 -0600 Enable Andy's new sizing routines. commit a07d4ee6172b69d69bbe5348dfa8530212ccd233 Author: John Bowman Date: Thu Dec 30 23:58:29 2010 -0600 Update refactored files. commit 448c94a01985e6152dc7f62c3417efc733cad0d2 Author: John Bowman Date: Mon Dec 27 19:50:38 2010 -0600 Use a temporary expression for self operators to avoid side effects, as suggested by Orest. commit 306f0d9603d3eb97bb0c373597b7b427103a2060 Author: John Bowman Date: Wed Dec 22 06:40:48 2010 -0600 It is no longer necessary to append to an existing preamble. commit d43df1261b0fe3f53dcdee5f0c401fff837ce20c Author: Andy Hammerlindl Date: Tue Nov 30 07:34:19 2010 -0600 Add commented out code in bsp for new sizing routines. commit 5c45929cbd618acca4f76d1f048df99e72c9504b Author: Andy Hammerlindl Date: Tue Nov 30 06:55:53 2010 -0600 No error on userMin of empty data. commit f47e22e7ad395eef6030bed302b035baa21849fe Author: Andy Hammerlindl Date: Mon Nov 29 16:02:26 2010 -0600 Fix merge typo. commit c571692aeb21dfbc7ccdae540645705659604b86 Author: John Bowman Date: Sun Nov 28 11:41:26 2010 -0600 Move limits commands to after draw commands to work with recoded picture sizing routines. commit 2d72b2c0b3c059df0d26ee371c5f185eefd5cd5b Author: John Bowman Date: Sun Nov 28 11:37:44 2010 -0600 Begin to port graph, graph3, and three to use recoded picture sizing routines. commit d9965fbc15ae03569d9639a2731d12cebf1b34a3 Author: John Bowman Date: Sun Nov 28 11:07:58 2010 -0600 Fix unused value warnings. commit c75147a6a0f4bdd9bdca113dd3a91d2e9cca9e4d Author: Andy Hammerlindl Date: Mon Nov 22 19:33:07 2010 -0600 Fix userMin calculation. commit 81579ddd9d1c29b379be8fbd12198f5b8f0e206b Author: Andy Hammerlindl Date: Mon Nov 22 06:41:12 2010 -0600 Add fill paths to userMin calculation. commit 6265d4a32aa110f6eb2d82d3a88bfade0f26e442 Author: John Bowman Date: Sun Nov 21 10:29:59 2010 -0600 Fix definition of heavygrey. commit 8fd4d7688b9c8315d4275996108c051f4550443a Author: Andy Hammerlindl Date: Mon Nov 15 21:17:37 2010 -0600 Emulate old userMin/Max behaviour after transform. commit 815fe39946921fdc7ab677bf02155dd8f6193429 Author: Andy Hammerlindl Date: Mon Nov 15 20:38:23 2010 -0600 Changes to userMin/userMax interface for graph. commit d55f36264e0ed8c14c024dee791fbf91020354dc Author: Andy Hammerlindl Date: Mon Nov 15 20:36:57 2010 -0600 Re-implement userMin/userMax in repicture. commit d4be1ba2e67c506a3bf6af0f94a9a558e648d1b3 Author: John Bowman Date: Mon Nov 15 19:10:19 2010 -0600 Fix horizontal and vertical lines in Drawline. commit 91d758fe53e4b896028553eade4e20c4471bf4b9 Author: John Bowman Date: Sun Nov 14 11:43:27 2010 -0600 Update FAQ. Add integer version of partialsum routines. commit 87ea96ebf5e48282434745bfc9e615ebbcd4de8f Author: Andy Hammerlindl Date: Sat Nov 6 07:19:07 2010 -0600 Fix SIMPLE_FRAME flags. commit d6b0775041f54e4afbe9c060e7cffb553c005977 Author: John Bowman Date: Wed Nov 3 21:22:25 2010 -0600 Increment version to 2.09svn. commit b3951daf804b0e7285f91cdfab2f802d27ef5aa9 Author: John Bowman Date: Tue Nov 2 22:50:12 2010 -0600 Fix incorrect marker optimization in 2.05-45. commit 2de1d3071edf164d188ca6abf1962bde777149ea Author: John Bowman Date: Sat Oct 30 21:40:15 2010 -0600 Increment version to 2.08svn. commit a2c1fe84f6ca6c7184ed790df9093433a2bb63e2 Author: John Bowman Date: Sat Oct 30 19:20:47 2010 -0600 Work around missing CYGWIN prototype. commit 1e4dcd556029147596dd58892fb289353cb13dc3 Author: Andy Hammerlindl Date: Sat Oct 30 12:53:00 2010 -0600 Test while and do loops. commit 9d91b1617ac13f994865701b85d18f8ac401d535 Author: Andy Hammerlindl Date: Sat Oct 30 12:43:15 2010 -0600 Fix loop ordering. commit 396cbf6e8b3e6e83d2731f8af8cc949540ed58dc Author: John Bowman Date: Sat Oct 30 08:56:41 2010 -0600 Implement string mktemp(string). commit 2ea6d9965a38c28021e221832473283c5c19bee0 Author: John Bowman Date: Sat Oct 30 08:53:08 2010 -0600 Improve asyinclude so that asy source file is not required by publisher; make .asy extension optional. commit bdd8423abe94b67360faafce2c51b2c442071f00 Author: Andy Hammerlindl Date: Sat Oct 30 08:00:30 2010 -0600 Experimental closure implementation. commit bf515db31600ef29579f5b4ddff865a86a5ddd11 Author: Andy Hammerlindl Date: Sat Oct 30 06:01:39 2010 -0600 Refactoring of variable access. commit aaf081410074fdddb3ff3e94c62dba6a37f75a9d Author: Andy Hammerlindl Date: Wed Oct 27 18:44:51 2010 -0600 Removes inst::alloc. commit e72cce136c1791711d91098995f3a07dbd3dab7d Author: John Bowman Date: Wed Oct 27 16:51:40 2010 -0600 Add -P option required by gs 9.00. commit 2ba1eecfc8f34a3e784c34d68832fa290a1f6466 Author: Andy Hammerlindl Date: Wed Oct 27 16:30:35 2010 -0600 Allocates closures only when needed. commit 1ece08094f88644a790bd049a46dff9d6304dbf2 Author: Andy Hammerlindl Date: Tue Oct 26 17:35:37 2010 -0600 Don't push a frame on every loop iteration. commit 12e387dd2efd2c88870aad3a4960d0adc6b9e0d2 Author: John Bowman Date: Tue Oct 26 10:36:51 2010 -0600 Make limits work with reversed axes. commit 3ced6d47c7b36dbf6da4a5f5a957d9dce564e648 Author: Andy Hammerlindl Date: Tue Oct 26 08:23:51 2010 -0600 Defines opcodes in a header. commit ba35f6b8ecfabdeefbc5608951c971a6dcff300a Author: Andy Hammerlindl Date: Tue Oct 26 07:40:00 2010 -0600 Additional for loop testing. commit b7f599201df55456545371f0973b1b36aef1fd1c Author: Andy Hammerlindl Date: Mon Oct 25 20:31:29 2010 -0600 Refactoring of texpipe queries. commit 4f8f61d5d5eb32945700a6dad40fffc71a7370f9 Author: Andy Hammerlindl Date: Mon Oct 25 19:53:13 2010 -0600 Removes dead code. commit 4dba0c6d5143633c1071941b6ae6d62a7576ab27 Author: John Bowman Date: Sat Oct 23 19:11:32 2010 -0600 Increment version to 2.07svn. commit a9ff63643fc70a1c0af2c02b582e846241474cf2 Author: John Bowman Date: Sat Oct 23 16:14:41 2010 -0600 Force generation of asymptote.sty when building documentation. commit 6a0189334e67f49427f0bc7e074ef30fe74e5994 Author: John Bowman Date: Tue Oct 19 08:07:30 2010 -0600 Add missing CONST qualifier. commit 0242f30701e0b32525f63a838dbf851ab4076c4e Author: John Bowman Date: Mon Oct 18 19:08:41 2010 -0600 Add missing sty targets. commit 79c6efb8ddb219deeb3c7596cd101f23b98831ac Author: John Bowman Date: Mon Oct 18 02:17:25 2010 -0600 Increment version to 2.06svn. commit 7cabf7209638d0462b3d13f6753cf8d50054c932 Author: John Bowman Date: Sun Oct 17 23:58:30 2010 -0600 Replace asymptote.sty with auto-generated version 1.21 contributed by Will Robertson, with a new latexmk-compatible asyinclude feature. commit 9f0071ef25bc9ee8650f0a9cb947e8b32930f366 Author: John Bowman Date: Sun Oct 17 21:44:20 2010 -0600 In inlinetex mode, avoid interference from pre-existing aux file. commit 4bccec139811be55a82e004cebf40094143f0c1b Author: Andy Hammerlindl Date: Sun Oct 10 08:31:10 2010 -0600 Faster texprocess string matching. commit 78df14ffdfcf926e9e97f658a5fbb27652947489 Author: John Bowman Date: Mon Sep 27 20:59:34 2010 -0600 Remove quotes from textattachfile. commit fd7d89a12f2bc4a79940b60404c5111a4366045d Author: John Bowman Date: Mon Sep 27 01:50:25 2010 -0600 Allow spaces in file names. Support attaching of eps files when using dvips driver. commit 9b2a87833be4c40e39e936e904305686b677d8b3 Author: Andy Hammerlindl Date: Sat Sep 25 22:43:34 2010 -0600 Re-implement label system in coder. commit a6ebf8d91f6f3a4b7088a1c93019d16b6ef2b770 Author: Andy Hammerlindl Date: Fri Sep 24 16:43:08 2010 -0600 Faster fields test. commit 455357f859ad27e19dc8d2726fc490ca9bfda599 Author: Andy Hammerlindl Date: Fri Sep 24 16:42:13 2010 -0600 Optimizations in plain_repicture. commit c75cd8e741ccb1c477ca9116e53dcae4c2b89977 Author: Andy Hammerlindl Date: Fri Sep 24 10:12:24 2010 -0600 Handles default draw calls more efficiently. commit ae1b0856e1390fe5a9e55439b1e0e45ec812b8dc Author: Andy Hammerlindl Date: Fri Sep 24 09:06:05 2010 -0600 Avoid calling xasy commands during shipout. commit 4a3fc4de1f43b6e57852da5400099d6b244ef487 Author: Andy Hammerlindl Date: Fri Sep 24 08:59:21 2010 -0600 Crazy optimizations for plain_bounds. commit ac181cb08d1177dcbb4ba2de39493cc9f76f4800 Author: Andy Hammerlindl Date: Fri Sep 24 08:49:59 2010 -0600 Adds printBytecode function. commit 2f36994507b83ab59c7af94cc4b8fc8cc60dcc5a Author: Andy Hammerlindl Date: Fri Sep 24 08:33:57 2010 -0600 Opcodes for default arguments. commit 6627bacb1282178d1db6844de3fa95d968b4a866 Author: Andy Hammerlindl Date: Fri Sep 24 08:32:42 2010 -0600 Terse position info output by profiler. commit 9f12219807c2f415463e70b0487e42bf6acf7cf3 Author: Andy Hammerlindl Date: Fri Sep 24 08:29:48 2010 -0600 Profiler improvements. Adds timing of builtin function. Now gives output directly readable by kcachegrind. commit ef13d4a9ac4dfcb7ddd020c67f4464d5e0e6e13b Author: Andy Hammerlindl Date: Mon Sep 20 09:26:06 2010 -0600 Use old, deprecated timer for profiling for compatibility. commit ceff1a2df9ddfca7c9ae36028bd190964497d451 Author: Andy Hammerlindl Date: Mon Sep 20 08:36:00 2010 -0600 Change NullLabel to just null. commit 74e42795dbc169747ae792f951d9db5d679e1028 Author: Andy Hammerlindl Date: Mon Sep 20 08:12:23 2010 -0600 Test for clock_gettime support. commit d941ae286429e3e39337cce5ee21ea1f07cb71b5 Author: John Bowman Date: Sun Sep 19 20:20:43 2010 -0600 Handle above argument. commit 26c4c6b2535edd0f2498e8807a78248480cad281 Author: Andy Hammerlindl Date: Sun Sep 19 18:45:23 2010 -0600 Re-implement userMin/userMax. commit d35bbef720993d5dd209415dc16080b4f9e781d0 Author: Andy Hammerlindl Date: Sun Sep 19 17:56:37 2010 -0600 Renamed smartBounds to just bounds. commit 362d4475c79a97d1af12dbe5ba209519045c1855 Author: Andy Hammerlindl Date: Sun Sep 19 17:47:48 2010 -0600 Sizing of transformed path arrays handled in C++. commit 2cdae67be942ea7aa38bcee182fc730c2479476b Author: Andy Hammerlindl Date: Sun Sep 19 17:34:34 2010 -0600 Use NullLabel to avoid Label instantiation. commit 9d8c1c4818957a3460175a80ec95bb4807863d56 Author: Andy Hammerlindl Date: Sun Sep 19 17:04:56 2010 -0600 Add nanosecond counter to profiler. commit 8ea5d15b5f191c0359eb25aa93ac11531fc31ee4 Author: Andy Hammerlindl Date: Sun Sep 19 16:12:17 2010 -0600 Calculate bounds of path arrays in C++. commit a1468cc0d6f8fd946111f13931bfe4076e3a1ab2 Author: Andy Hammerlindl Date: Sat Sep 18 17:51:11 2010 -0600 More efficient calculation of extremes. commit 22c2481b1d549c1730083db70ba4ff6eeaffceca Author: Andy Hammerlindl Date: Sat Sep 18 17:08:14 2010 -0600 Avoid creating arrays of celltype error. commit 7140cd8a66595e42dc68f7b884b3149c37791f95 Author: Andy Hammerlindl Date: Sat Sep 18 16:29:25 2010 -0600 Adds calculation of extremal bounds. commit 6f3e85c39e7785cb0f65d30b531a33e00d3532ce Author: Andy Hammerlindl Date: Fri Sep 17 19:03:15 2010 -0600 Stores paths for sizing data. commit 146a0d496cba471523aea8abdfc30897e78cbb96 Author: Andy Hammerlindl Date: Fri Sep 17 18:21:16 2010 -0600 Reimplementation of transforms of pictures. commit 57a349e72797cbe8b317356040667046f078e44e Author: Andy Hammerlindl Date: Fri Sep 17 18:20:27 2010 -0600 Dump profile to a file. commit cd2c1384e779b5b244ead0b82979a5462d71ee4a Author: Andy Hammerlindl Date: Wed Sep 15 17:41:34 2010 -0600 Adds transformedBounds. commit 5a783605c08bac2a2d1766362c757ca15caf419a Author: Andy Hammerlindl Date: Wed Sep 15 15:52:30 2010 -0600 Adds freezableBounds. commit e95b926afc34136e4a19dcbbac259002b17aa730 Author: Andy Hammerlindl Date: Tue Sep 14 08:34:57 2010 -0600 More sizing refactoring. commit c9d6db1074e8c8b14d31c109ebc79329e0a26d41 Author: Andy Hammerlindl Date: Tue Sep 14 07:43:00 2010 -0600 Minor refactoring. commit d3d14e5aff62f15ae524a93077020a0dea9c40c1 Author: Andy Hammerlindl Date: Tue Sep 14 07:21:37 2010 -0600 Start of refactoring of plain_picture. commit 1495983b9fdb95982df14c7b058d225279d4a46e Author: Andy Hammerlindl Date: Sat Sep 11 16:21:45 2010 -0600 PRESYM is no longer an option. commit 74e0946ad0bcc12e7794d9d4e21958e0b8d9ef28 Author: Andy Hammerlindl Date: Sat Sep 11 16:07:45 2010 -0600 NO_FUNC_OPS is no longer an option. commit e9bedf1ce945afa3ef54a748ffeea0b508d03e84 Author: Andy Hammerlindl Date: Sat Sep 11 16:01:33 2010 -0600 TEST_ADDED_OPS no longer an option. commit 9e31c2c70428c5b9cb466754c5fb537f3408950f Author: Andy Hammerlindl Date: Sat Sep 11 15:54:55 2010 -0600 EXACT_MATCH is no longer an option. commit f062fd5dc49099c581a3cb377e212c603d4f941b Author: Andy Hammerlindl Date: Sat Sep 11 15:49:22 2010 -0600 CALLEE_SEARCH is no longer an option. commit ae118ffa5e19de397071dd191f974feedce172c4 Author: Andy Hammerlindl Date: Sat Sep 11 15:31:32 2010 -0600 FASTCAST no longer an option. commit a4968efea19ceb48b2c1575f30b6f6b94bd5f24a Author: Andy Hammerlindl Date: Sat Sep 11 14:50:43 2010 -0600 Avoid false positives in output testing. commit 632c5f8348d9da9934c49b57d107e2afc6c05035 Author: Andy Hammerlindl Date: Sat Sep 11 14:48:52 2010 -0600 Remove inappropriate comment. commit 9406ca4b9bfebbdab8a230f16c37cd7eef041611 Author: John Bowman Date: Sat Aug 28 09:42:09 2010 -0600 Update documentation. commit 6d62b2bdb1727d7b56b1cdb3401e0454be88c2a4 Author: Andy Hammerlindl Date: Fri Aug 27 21:39:49 2010 -0600 A nascant profiler. commit 6662e7316a3db521d3e0f6e20f4f6c762d19b3c8 Author: Andy Hammerlindl Date: Fri Aug 27 21:36:43 2010 -0600 Also needed for arbitrary depth array constructors. commit 2ba49e0e5a7da7287b7b46c34a29271987cc08fb Author: Andy Hammerlindl Date: Fri Aug 27 21:35:28 2010 -0600 Re-implement arbitrary depth array constructors. commit 4a72a1c8a4584804ed46edc7239d31131f1d288a Author: Andy Hammerlindl Date: Fri Aug 27 21:34:39 2010 -0600 Implement callableAccess. commit a8138ee42767e9b1649a13c47fe6fe1d757352a5 Author: Andy Hammerlindl Date: Fri Aug 27 21:34:08 2010 -0600 Re-implement item printing. commit 9bb04c479be057af191a5686f92c20a881521f44 Author: Andy Hammerlindl Date: Fri Aug 27 16:28:35 2010 -0600 Remove TODO items we have no plans to implement. commit e3962c6fc1f73b44ba66eb846779b4401f3aff98 Author: Andy Hammerlindl Date: Fri Aug 27 16:11:52 2010 -0600 Add TODO item. commit cbf8d06f86ec17a7718d50c226757cdfeea08db2 Author: Andy Hammerlindl Date: Fri Aug 27 11:46:45 2010 -0600 Add TODO item. commit 1cac46da6a8b2f3df3e547a7540bb9c64d777843 Author: John Bowman Date: Fri Aug 20 16:48:08 2010 -0600 Increment version to 2.05svn. commit 0f659e41a2e644c23bed47aa30a88520313275b6 Author: John Bowman Date: Fri Aug 20 00:26:35 2010 -0600 Fix jobname extraction. commit 2c5d9a2a024712f726cf77e390052076ac465289 Author: John Bowman Date: Fri Aug 20 00:25:24 2010 -0600 Avoid hyperref/fp conflicts. commit fd15dba79900ba4d2f5f427575447ebb87c64ad5 Author: John Bowman Date: Thu Aug 19 14:17:55 2010 -0600 Work around MikTeX jobname bug. commit 202e76f8e57b572cf6d7af199af8a1a721a67ac2 Author: John Bowman Date: Thu Aug 19 09:42:38 2010 -0600 Use \jobname in generated TeX files in inlinetex mode (to allow renaming of files). commit bd3ab978ce8f7d88c8005cb3be2fe434286756d7 Author: John Bowman Date: Tue Aug 17 07:14:43 2010 -0600 Make asyprefix work with obsolete versions of graphicx package. commit 41f82fa65bc9929fc3d0c5624e23814199912027 Author: John Bowman Date: Tue Aug 17 06:12:53 2010 -0600 Suppress messages from FP package. commit 461253a561ba8c6dc43c680488c77767632f1f3a Author: John Bowman Date: Fri Aug 13 06:05:44 2010 -0600 Fix documentation of render.merge=default. commit 69335bb2a494fd3ab0d40e8091712681521a6134 Author: John Bowman Date: Fri Aug 13 06:04:46 2010 -0600 Do not fill subdivision cracks in transparent labels. commit d4dba39de0514e82f86b456316fabe6756e1b848 Author: John Bowman Date: Tue Aug 10 13:37:07 2010 -0600 Revert last commit. commit 49a0247274e67d43fc3b6d940154dd1d84d25882 Author: John Bowman Date: Tue Aug 10 13:27:42 2010 -0600 Work around quoting problems with obsolete versions of graphicx.sty. commit f32271c511a95dbfd4ca451fde08d7ca44d642a6 Author: John Bowman Date: Thu Aug 5 13:57:53 2010 -0600 Fix man page. commit 652bdd01d7bf512bd3a3ab96071d54f550327297 Author: John Bowman Date: Thu Aug 5 03:23:38 2010 -0600 Add DOSendl and DOSnewl line xterminators. commit 36c0268bece291c00797a65221e55cb51a5369b2 Author: John Bowman Date: Wed Aug 4 14:56:21 2010 -0600 Handle MSDOS line terminators. commit 86aff539c9d093d0c51b7460e9ca889e4a2b7f68 Author: John Bowman Date: Tue Aug 3 13:10:10 2010 -0600 Increment version to 2.04svn. commit 7c7f66fb477566418d9f45f55c9863068b4e5385 Author: John Bowman Date: Tue Aug 3 06:14:46 2010 -0600 Fix blank 3D labels. commit eb7e475b6b5686bd3d85bcbac24e4bfa56e11a36 Author: John Bowman Date: Tue Aug 3 06:07:51 2010 -0600 Add world map example, courtesy of Jens Schwaiger. commit e5b8f62d73bcd6259fb2dc3efefb00f3a8fb1bda Author: John Bowman Date: Tue Aug 3 02:54:52 2010 -0600 Add latexusage \asydir support for putting asy files in a subdirectory (within which one then runs asy latexusage-*.asy). commit c8ef9049c17281ae495f3de25a65c3f0a2ef5cf1 Author: John Bowman Date: Mon Aug 2 21:28:08 2010 -0600 Fix inlineimage option. commit 102c273d071842d51a2b3036a07aa0af7a9377cc Author: John Bowman Date: Sun Aug 1 01:42:17 2010 -0600 Use $(MAKE) everywhere. commit f304126618eea4c501ec9c014ed9a4e3a82e00c3 Author: John Bowman Date: Sun Aug 1 01:08:42 2010 -0600 Clean up auto-generated files. commit 320f0c323efc4514a746aff1878d708e1e66cdae Author: John Bowman Date: Thu Jul 29 06:26:17 2010 -0600 Add missing pen and margin parameters to blockconnector function calls. commit fd56cadd4fc9075bf2ea95b13b679e321443f1a9 Author: John Bowman Date: Mon Jul 26 11:45:32 2010 -0600 Improve definition of Dotted. commit cf4732530cf046b7a4f0e63109eed5e7f64cb659 Author: Philippe Ivaldi Date: Sun Jul 25 06:48:26 2010 -0600 Implement fix of Olivier commit fb45aa2a5664199f278a62911e1205aa21370dce Author: Philippe Ivaldi Date: Sun Jul 25 06:33:27 2010 -0600 Remove trailing code commit 40d3075aeec88fc1402a0b2948200b01cc810c05 Author: Philippe Ivaldi Date: Sun Jul 25 05:41:48 2010 -0600 Fix casting degenerated ellipse to path commit 365f1a297d9b7275ab282742ee9c25a847d19dba Author: John Bowman Date: Sat Jul 24 00:09:39 2010 -0600 Add missing arguments. commit d0117f4f6844837362ea62b7bb40e7e7e37db16a Author: John Bowman Date: Thu Jul 22 23:30:17 2010 -0600 Fix typo in asymptote.sty. commit d068ce357b537c9322d5072cdab771a8b2b4e5ce Author: John Bowman Date: Thu Jul 22 11:32:23 2010 -0600 Remove unwanted blank lines from asymptote.sty; support XeLaTeX again. commit 5fac5e86473523db335119bffc3a5a4e0ce96783 Author: John Bowman Date: Sat Jul 17 21:24:51 2010 -0600 Support nonrendered preview images via render=0. commit c3f3b373cc80f9886d2ba4fa415b81da22bd0cb9 Author: Andy Hammerlindl Date: Sat Jul 17 13:36:06 2010 -0600 Optimize virtual methods. commit c73e9affc027e1c864c280bb3542ed7de9ccd3ce Author: John Bowman Date: Thu Jul 15 14:36:44 2010 -0600 Fix man page. commit 35039790021f0abe456342d830e55914075ba93f Author: John Bowman Date: Thu Jul 15 14:27:57 2010 -0600 Improve documentation. commit b293b2a70405ead60e25e812419b85f429235c75 Author: John Bowman Date: Tue Jul 13 13:40:55 2010 -0600 Update documentation. commit 49b6a721d1b8a57b74534ba4c51c4fc6cada4142 Author: John Bowman Date: Tue Jul 13 11:29:26 2010 -0600 Update MSWindows documentation on setting environment variables. commit 18e31bb1e82ff8046a79106d3324f5af7d6c846c Author: John Bowman Date: Tue Jul 13 11:24:33 2010 -0600 Automatically add Asymptote installation directory to MSWindows path. commit ab5d13c370add6eb69fab571919836c1a49348cf Author: Philippe Ivaldi Date: Mon Jul 12 16:23:41 2010 -0600 Fix directions with arcs in geometry.asy module commit 9287c8c7bd6bc4265a0b5567acac28788d1e1ae8 Author: John Bowman Date: Mon Jul 12 01:52:22 2010 -0600 Add output test to make check-all. commit 6a71afc7f41faa3cad79a0600c6e66cea3e4abe8 Author: John Bowman Date: Mon Jul 12 01:11:22 2010 -0600 Fix latexusage Makefile dependencies. commit feeb4ded2faedf174c97be5d540f4395803784c3 Author: John Bowman Date: Sun Jul 11 23:33:06 2010 -0600 Fix makefile dependency. commit 35c37874431d99b5b11f8bedad70fbe19469d37c Author: John Bowman Date: Sun Jul 11 22:54:35 2010 -0600 Remove perl dependence from source tarball. commit 4a06ca3d336219fca95c010061b0730b4c09c756 Author: John Bowman Date: Sun Jul 11 09:52:09 2010 -0600 Increment version to 2.03svn. commit 3dd9ad77a525aa8608eeeb44cc18aa3f118d3271 Author: John Bowman Date: Sun Jul 11 01:42:54 2010 -0600 Quote file argument. commit a047e05141ace0ac49176a466a13b6f292ed6bb2 Author: John Bowman Date: Sun Jul 11 00:38:31 2010 -0600 Fix typo. commit ad2403665c0e9decb1a5370c1738e86d9f08a216 Author: Andy Hammerlindl Date: Sat Jul 10 16:33:22 2010 -0600 Changed extended for statement errors. commit e9018da9ba4fa25596fb42396a525a94172a39f5 Author: Andy Hammerlindl Date: Sat Jul 10 15:06:05 2010 -0600 Better error reporting for extended for statement. commit 0f7ef36f919ccad768f447c58dce846860817e93 Author: John Bowman Date: Sat Jul 10 12:03:58 2010 -0600 Add latexmk custom dependency for EPS files. commit 5e4adcf20d3fdae99de2c2565667ed1ea455b9c9 Author: John Bowman Date: Sat Jul 10 10:52:15 2010 -0600 Fix makefile dependency; clean up files. commit b2486208672d373faf72463bda65bd9aa84fc165 Author: John Bowman Date: Sat Jul 10 02:19:57 2010 -0600 Fix asy() command. Delete duplicate example. commit d1f1afa0eb8f348d2ff9e85d8bf2fd3eb8ed8deb Author: John Bowman Date: Sat Jul 10 01:17:53 2010 -0600 Rename *_.pre preamble files to *.pre. In inlinetex mode, rename *_.tex files to *.tex. Allow the inline option to be specified for every figure. Implement a global attach default option. Do not generate a global latexusage.asy file along with the individual latexusage-*.asy files (this is a backwards incompatible change). Add latexmk support for compiling individually only those figures that have changed. commit 06191baaae190da09f18894b01fe70c574534d98 Author: John Bowman Date: Fri Jul 9 08:41:10 2010 -0600 Fix example. commit e0bc424b13aba48adbfaafaa91f3e2b684bdf05e Author: John Bowman Date: Thu Jul 8 12:01:55 2010 -0600 Minor simplification. commit 82bf92094ef0dc187075253682eb76c6468b0859 Author: John Bowman Date: Thu Jul 8 11:56:43 2010 -0600 Simplify texpath. commit d6b02f1be32ff3de9eafbe52e41c8b0e7db87fcf Author: John Bowman Date: Thu Jul 8 10:54:27 2010 -0600 Fix multiple fraction bar bug. commit 5ae9a888f9e3e2955c87684412d3deb1edabc8bc Author: John Bowman Date: Thu Jul 8 10:46:59 2010 -0600 Fix texpath("\relax"). commit 451ed2fa9b8443d3021984c0a698d854c0a3a9b5 Author: John Bowman Date: Wed Jul 7 09:54:38 2010 -0600 More portability fixes. commit 5a8986dd5c9a27cf45c80315ad0e2dec0315a321 Author: John Bowman Date: Wed Jul 7 09:05:00 2010 -0600 Define __GNUC_PREREQ if undefined. commit 6c9ec4ee269de9e2a8299a22580090154e51bd08 Author: John Bowman Date: Wed Jul 7 08:58:43 2010 -0600 More portability fixes. commit 6c47fd14b11a9f429be5196b7b1ac7319541d27e Author: Andy Hammerlindl Date: Wed Jul 7 07:22:38 2010 -0600 Re-implemented sanity checks in venv. commit 55557c59c13a6c289e17e3ebe6a9e809ae89fb58 Author: John Bowman Date: Tue Jul 6 23:45:57 2010 -0600 Fix warning messages/portability issues. commit 8cc169b9e14b775e235eee5c95f0a3bf5dec3fd9 Author: John Bowman Date: Tue Jul 6 15:22:58 2010 -0600 Remove obsolete infinite coordinates. commit 5b9962cd664a61a753b92ce7d771d3495c3be6f4 Author: John Bowman Date: Tue Jul 6 14:57:47 2010 -0600 Revert 1.97-23 for frames. commit d5ae51b2ef75de6ce0d408bf94ce5cf85832602a Author: John Bowman Date: Tue Jul 6 11:57:08 2010 -0600 Fix conflict between asymptote.sty and changebar package. commit a0361fb3ebe1f78e44d8d07f7c24f161f2c6b829 Author: Andy Hammerlindl Date: Mon Jul 5 14:30:12 2010 -0600 Minimized the impact of the NOHASH directive. commit bc7a7f8e7c803f6ea6a42d71892014b5cd42bec8 Author: Andy Hammerlindl Date: Mon Jul 5 13:56:17 2010 -0600 Common sub-expression elimination. commit c979f0b1d691e9035c978cc7a188a91dfda1bc22 Author: Andy Hammerlindl Date: Mon Jul 5 13:53:15 2010 -0600 Removed 'key' class from venv. commit 0f509e143738a758eb31cba0f6c3e1b4979da49d Author: Andy Hammerlindl Date: Mon Jul 5 13:35:19 2010 -0600 Removed dead code. commit 27400cbb97c9454f150a8f05237adcb15daf265e Author: Andy Hammerlindl Date: Mon Jul 5 11:46:23 2010 -0600 Custom hash table in venv. commit 33148865baed677644ec9206e24b751364ab9be1 Author: John Bowman Date: Mon Jul 5 02:44:07 2010 -0600 Support xelatex animations. commit 7205ed148d4663e1a0de4e2f994afd338d3b6a7c Author: John Bowman Date: Mon Jul 5 02:27:26 2010 -0600 Increment version to 2.02svn. commit de30983cb5f4be395ef392096cec503de7433d54 Author: John Bowman Date: Mon Jul 5 01:23:04 2010 -0600 Remove invalid option. commit 26ae5e989036159e6bbb5569be53b30318aed567 Author: John Bowman Date: Mon Jul 5 01:12:29 2010 -0600 Support individual processing of each figure within a LaTeX document. commit c4c98d4a896e3207fd43a815252dbce55bcb7799 Author: John Bowman Date: Mon Jul 5 01:03:52 2010 -0600 Update talk. commit 66c05e3a5bbf6563b3a0c51119853311227987dd Author: John Bowman Date: Mon Jul 5 00:22:55 2010 -0600 Revert to type1cm.sty since fix-cm.sty does not work as advertised. commit a79a7f5d52cbff70be05bf432cb50af1dbda4c64 Author: Andy Hammerlindl Date: Sat Jul 3 16:56:38 2010 -0600 For loop and var documentation. commit 63c28745e65efa3e49a1e91df04baca5d4d7d562 Author: Andy Hammerlindl Date: Sat Jul 3 16:52:23 2010 -0600 Allow var in extended for statement. commit 4b097c00549c6e67fc3e52fa88c58885b454825a Author: John Bowman Date: Sat Jul 3 01:37:08 2010 -0600 Delete old aux file. commit 8282862ccef850c116aced9748f299effd73f573 Author: John Bowman Date: Sat Jul 3 01:32:58 2010 -0600 Use settings.outname(). commit 0ebd3ceefce3fedee8e6405af46ab2ff284d2ce8 Author: Andy Hammerlindl Date: Thu Jul 1 17:05:34 2010 -0600 Enabled transConditionalJump. commit 282c8a98337af10de3ce40133dbe0a1b334638f2 Author: Andy Hammerlindl Date: Thu Jul 1 17:04:30 2010 -0600 Slightly more optimized bytecode. commit c9202c71ecdc432901d86f7608f8e2be7faa607e Author: John Bowman Date: Wed Jun 30 09:24:59 2010 -0600 Update example. commit ad2e01d9abc82576b4b6690c2ae84489400dadea Author: John Bowman Date: Wed Jun 30 03:51:04 2010 -0600 Update lecture. commit 594c0929596014b567855bfcb27120fedd3c64dc Author: John Bowman Date: Wed Jun 30 02:50:12 2010 -0600 Fix normal vector for perspective projections. commit 2fcb49b537e443ec0a1e9cd0ca70d05687e2aa3f Author: John Bowman Date: Wed Jun 30 02:43:26 2010 -0600 Revert 2.01-7. commit e3a210c6c8f490d66fe951998d583dabe1108cba Author: John Bowman Date: Wed Jun 30 02:20:14 2010 -0600 Add new examples. commit 0482f1e30ad4f3cf5a95f1341f974632c84b0f7a Author: John Bowman Date: Tue Jun 29 23:55:45 2010 -0600 Revert docdir changes since they break rpmbuild. commit b8828810887628ff47be1c8b82113458dc315f2a Author: John Bowman Date: Tue Jun 29 23:39:30 2010 -0600 Fix docdir. commit 4f9236b06747902a8ed07cf8d862905294570f18 Author: John Bowman Date: Tue Jun 29 22:53:02 2010 -0600 Use PenMargin in drawing a binarytree. commit 154b2cc14f0d405afd1c88645a6de8e890819072 Author: John Bowman Date: Tue Jun 29 22:49:17 2010 -0600 Check for \r as well as \n terminator. commit ac465c8dbcd10bc76db0b9bd107dd50d98c4b2d1 Author: John Bowman Date: Mon Jun 28 18:45:05 2010 -0600 Support docdir. commit 31785de3fb7ecc03427a8d1280d9348facb32d7c Author: John Bowman Date: Mon Jun 28 08:44:34 2010 -0600 Improve example. commit ce3da01f8c4ae0368a381a38eb1fecbbc02ca4b0 Author: John Bowman Date: Mon Jun 28 08:29:15 2010 -0600 Improve example. commit 9e2af753ee8bb420bd1e8590f72001804c049822 Author: John Bowman Date: Sun Jun 27 17:57:33 2010 -0600 Use values for BoolTruthValue and BoolFalseValue less likely confused with another type. commit faf789e220b79d61046567ecdfa54cadee29d400 Author: John Bowman Date: Sun Jun 27 16:46:03 2010 -0600 Add quasi-type checking for bools. Clear uninitialized item bits. commit ccb5ec5ec57e599454e1c12a5a0be113f185f2f0 Author: John Bowman Date: Fri Jun 25 21:44:33 2010 -0600 Update example. commit 1f8c956bee25307951b95384b40f0f2e00ee645f Author: John Bowman Date: Fri Jun 25 16:29:44 2010 -0600 Increment version to 2.01svn. commit 8c7aad3f741b646e0d779f2df57853123a07c1c2 Author: John Bowman Date: Fri Jun 25 13:27:05 2010 -0600 Fix warning message. commit 5696f65ccdf5c48c09806b172b7d9fde4aa47826 Author: John Bowman Date: Fri Jun 25 12:57:35 2010 -0600 Port to CYGWIN. commit 04da58c5cc915a34d75b5efb73df340345b73348 Author: John Bowman Date: Fri Jun 25 12:09:33 2010 -0600 Add 3D bar graph example. commit 54cca96e42935334c966a78f35994291f2fe546c Author: John Bowman Date: Fri Jun 25 11:49:46 2010 -0600 Update examples. commit f887acf5613925b857b2bc232cdf41c0b9ccecdb Author: John Bowman Date: Fri Jun 25 11:44:08 2010 -0600 Fix viewportmargin. commit d590f18c1ee65fa58abb24490611c9cb0de4d6b1 Author: John Bowman Date: Fri Jun 25 11:14:09 2010 -0600 Fix orthographic sizing. commit 121b68177e60e59716f78d28b8a808f7aad77433 Author: John Bowman Date: Fri Jun 25 02:32:04 2010 -0600 Rename GSL test. commit 10bc45c70c46fb13558e3996e0c5f60972fd1f95 Author: John Bowman Date: Fri Jun 25 02:25:11 2010 -0600 Fix displayed PRC units. commit 92e69381d148da6e6c1daae18d9d278994065264 Author: John Bowman Date: Fri Jun 25 01:08:24 2010 -0600 Remove unused array. commit 6e10720e4a06c53822a01240ea5108df19dbfbfb Author: John Bowman Date: Thu Jun 24 17:01:12 2010 -0600 Fix drawing of 3D thick lines of length 0. commit 13f4f6d20babb1c373b1c479dea510d1886f2f5b Author: John Bowman Date: Thu Jun 24 00:57:58 2010 -0600 Make lexorder in math.asy a strict partial order. Implement int search(T[] a, T key, bool less(T i, T j)). Batch 3D TeX labels. commit b8a4afd8ebfe8af6cb10025fb6d8a6d070dc62da Author: John Bowman Date: Wed Jun 23 00:09:35 2010 -0600 Remove unused code. commit 0ae9d0b1bc726142f2e5be4524756327371f91f2 Author: John Bowman Date: Mon Jun 21 08:54:34 2010 -0600 Suppress plain TeX page numbers. commit a50979917974199334c1173a4e02650ae38e2882 Author: John Bowman Date: Sun Jun 20 12:32:46 2010 -0600 Disable nonportable GSL tests. commit 511739b7fd0f39b51a959bd2da94d85683829bc5 Author: John Bowman Date: Sun Jun 20 12:20:46 2010 -0600 Make gsl optional by moving it to make check-all. commit ccdcbcdbf1bda211a1b2266c77ea2b0e13db9473 Author: John Bowman Date: Sun Jun 20 11:54:27 2010 -0600 More GSL portability fixes. commit 54763841fd01c553679f2894ad57f44c3a629e7c Author: John Bowman Date: Sun Jun 20 09:15:43 2010 -0600 Fix GSL typos; add tests. Restrict make check to a single processor. commit d92c2b5d6f7f2241ea7c296f85e54087d3f40018 Author: John Bowman Date: Sat Jun 19 22:25:10 2010 -0600 Fix preprocessor conditional. commit a1c4f8af41d44d2062e90742d49e21bfc606e603 Author: John Bowman Date: Sat Jun 19 22:16:51 2010 -0600 Fix typo. commit d4feaa7568704870cd449c402de0099c4f544418 Author: John Bowman Date: Sat Jun 19 22:16:08 2010 -0600 Move GSL functions to gsl.cc; implement Elmar's contributed GSL functions. Invoke the C preprocessor in pretranslating symbols. commit 690cfcf0aa780f5981e46360319bd2cfb27219da Author: John Bowman Date: Sat Jun 19 21:51:07 2010 -0600 Add unsigned int constructors. commit 088f6dfe2609b4311b5b04fba4fc600779029f7b Author: John Bowman Date: Sat Jun 19 09:08:34 2010 -0600 Update example. commit a29f0ae6edc9bef2348c6b8a2ef29a0cc7283f15 Author: John Bowman Date: Fri Jun 18 02:44:57 2010 -0600 Increment version to 2.00svn. commit 38c4c0eabbd3036a4e521f9499a51b5d01eef3f0 Author: John Bowman Date: Fri Jun 18 02:07:40 2010 -0600 Fix warning message. commit 06886a79e81b86dabe7154810d4b777e41909222 Author: John Bowman Date: Fri Jun 18 01:01:53 2010 -0600 Update test. commit 4f9950396d0db4476343d9ebe52618a54317fbda Author: John Bowman Date: Fri Jun 18 00:56:06 2010 -0600 Reduce example output. commit 2f4c7ccdd761c3cf94f72e33d0eb43d9300a423d Author: John Bowman Date: Fri Jun 18 00:43:38 2010 -0600 Fix bug in bezulate containmentTree. commit b1e65fac4ecc7602f23553bf41393c2cf036b803 Author: John Bowman Date: Thu Jun 17 14:04:11 2010 -0600 Optimize parametric surface generation. commit 9c0d3c750499848367823e9959e8f5e83d2fad51 Author: John Bowman Date: Thu Jun 17 13:39:00 2010 -0600 Remove --no-var-tracking for major g++ versions < 4. commit 5db587a903d7c2b08079fda22c7d514b07e0e04e Author: John Bowman Date: Wed Jun 16 18:11:49 2010 -0600 Fix perspective animations; update example. commit 9521ce051a606c89cf7333bd476a70cea055e8df Author: Andy Hammerlindl Date: Wed Jun 16 17:08:10 2010 -0600 Removed TODOs in venv that don't need doing. commit 5400903a52273381c371f443d4f24071d95104fd Author: Andy Hammerlindl Date: Wed Jun 16 17:03:56 2010 -0600 Removed value allocation in venv. commit d59254fdc8a40d9483ee81fbf2378ba9e9367230 Author: Andy Hammerlindl Date: Wed Jun 16 16:39:03 2010 -0600 Removed stack of hash tables from venv. commit 7ed665aac3d52908d22eadae8e81a7854282e93f Author: Andy Hammerlindl Date: Wed Jun 16 16:25:59 2010 -0600 Added test based on previous bug. commit 375d5cbeb14fdc63180a2aff83730d5510cf58d6 Author: Andy Hammerlindl Date: Wed Jun 16 16:23:05 2010 -0600 Eliminated string copying in knot.cc. commit 5a994f89782b6b9b1d07b8949c773ddb5f35b362 Author: Andy Hammerlindl Date: Wed Jun 16 16:21:11 2010 -0600 Fixed bug in equalityExp. commit d34affd98f7c402b3a6700390ac6df7eb37d7aa3 Author: John Bowman Date: Wed Jun 16 01:48:07 2010 -0600 Add settings.framedelay for working around OpenGL rendering buffer overflows. commit cae878ae959de8dadcf88e591ceeadb91be24a4e Author: Andy Hammerlindl Date: Tue Jun 15 11:37:52 2010 -0600 Added a (crucial) semi-colon. commit 2a0a9b985da818f5fc4703d42210e623371a2295 Author: John Bowman Date: Tue Jun 15 08:59:21 2010 -0600 Simplify code. commit 2a0b163cc572b5e51f86c8b5772d2e5f331e718c Author: John Bowman Date: Tue Jun 15 08:56:55 2010 -0600 Add example. commit a785cd197d6659dfb8b753d740c75655d25b98f8 Author: John Bowman Date: Mon Jun 14 18:16:05 2010 -0600 Fix segmentation fault. commit 20c67a102647d98789e225d701009d22457d2795 Author: Andy Hammerlindl Date: Mon Jun 14 17:10:17 2010 -0600 Avoid allocating in venv::key. commit 40c16a659eeae1ea6ce8e5dd43275813b6f43396 Author: Andy Hammerlindl Date: Mon Jun 14 17:00:42 2010 -0600 More optimizations. commit 63fd9dd9abe669707d6f3b4df33bd30631d60ed9 Author: John Bowman Date: Mon Jun 14 03:43:38 2010 -0600 Increment version to 1.99svn. commit 4a92fc6fb380f5d1d45d2f00d588dd716dafc8b0 Author: John Bowman Date: Mon Jun 14 02:39:57 2010 -0600 On C99-compliant machines with 64 bit integers, use compact items for the virtual machine, relying on Asymptote's internal type checking (compile with -DCOMPACT=0 to re-enable the type_info data field). This change required restricting T[] array(int n, T value, int depth=intMax) to 0, 1, or 2 dimensional arrays. commit 2d0f355e605d2fb39b0d335c6839a8bc44b1d3e1 Author: John Bowman Date: Mon Jun 14 00:43:24 2010 -0600 Fix definition of undefined. commit dfabcf0c75c88425b46aa49f9288aab2e56dc964 Author: John Bowman Date: Sun Jun 13 16:47:27 2010 -0600 Rename tube to pipe. commit fe9e1ce6dcc9d8b8b867ff4f26dfcccdc8f011e5 Author: John Bowman Date: Sun Jun 13 16:11:19 2010 -0600 Work around bug in gs 8.71: discard noncyclic stokepaths. commit f4ab39b112ff2a8556cb4902b7ec850ed6e09c1c Author: Andy Hammerlindl Date: Sun Jun 13 10:56:15 2010 -0600 Half-exact function matching. commit 1903265f72dbc64945a3521546294a3f8a39d2f6 Author: Andy Hammerlindl Date: Sun Jun 13 10:55:44 2010 -0600 Handle function equality specially. commit a5687d5012cebcbd136e380b4925b5073e69e763 Author: John Bowman Date: Sun Jun 13 10:03:39 2010 -0600 Improve example. commit 6dc39e598c7d266e2d71299f9dd178c35a5e6649 Author: John Bowman Date: Sun Jun 13 09:24:04 2010 -0600 Make heap_chunk_in_mb a multiple of 256MB. commit b0cc9e91e09476eb9cf4674afbabfe1ab6884122 Author: John Bowman Date: Sat Jun 12 12:14:19 2010 -0600 Revert 1.97-6 to 1.97-8. commit d7a18fb86278bd7e41893d4e674d97fdc4a497ba Author: Andy Hammerlindl Date: Sat Jun 12 12:06:29 2010 -0600 Overloading resolution optimizations. commit 5495d822f34c74f1cee29d2c602ba2b66a293203 Author: John Bowman Date: Sat Jun 12 01:24:50 2010 -0600 Improve example. commit 0c380fabf2ab302d854901b1e35a1008c79af990 Author: John Bowman Date: Sat Jun 12 01:15:54 2010 -0600 Align labels with rotational instead of shiftless part of transform. commit 270a7d8f272447c2b129f5d6300acaeac321abb4 Author: John Bowman Date: Sat Jun 12 01:14:29 2010 -0600 Update example. commit d15029ac56688e735505745e832b5383f587aed7 Author: John Bowman Date: Fri Jun 11 23:47:28 2010 -0600 Fix example. commit 42e8e417479615febe47aab2ad38085448fee146 Author: John Bowman Date: Fri Jun 11 23:46:51 2010 -0600 Increment version to 1.98svn. commit 8c440807b7dd480e211a9da99f24a36ed46a8707 Author: John Bowman Date: Fri Jun 11 22:19:24 2010 -0600 Replace M_PI by pi for portability. commit e5a8bbd84e1e16565db23cfedaffe4ed17fe71db Author: John Bowman Date: Fri Jun 11 21:47:41 2010 -0600 Fix warning message. commit 86a090c9e17b835a62e2b420360e4eb5dd9cbe0b Author: John Bowman Date: Fri Jun 11 21:27:14 2010 -0600 Fix typo. commit 4ef4f7fa338d00c22670cfb64ac19c652f432061 Author: John Bowman Date: Fri Jun 11 17:26:38 2010 -0600 Remove tr1 includes. Improve local gc detection. commit 24edeea48989b6754e960c1d5603cee5036135d4 Author: John Bowman Date: Fri Jun 11 14:59:59 2010 -0600 Rename log2 to Log2. commit 47239d2d7bf2ff0a06b40eebbde17bd5e875cb96 Author: John Bowman Date: Fri Jun 11 14:54:47 2010 -0600 Update examples to use merge=true for surfaces. commit 2a13ae2d20c397ebabee66007bd6078dda726116 Author: John Bowman Date: Fri Jun 11 14:53:22 2010 -0600 Remove unused preprocessor conditionals. commit e7d1f1b41b6836782737ddac6243ff85da692135 Author: John Bowman Date: Fri Jun 11 11:51:54 2010 -0600 Fix more memory leaks. commit 1688b329403a4b0feafb6d2668eefabe51437527 Author: John Bowman Date: Fri Jun 11 02:15:51 2010 -0600 Fix more memory leaks. commit b2c5a64ec4a70e12f164b4506f352ac1d561dfa2 Author: John Bowman Date: Fri Jun 11 01:48:05 2010 -0600 Fix PRC memory leak. commit 92959476779f23223923e1f40bee2b094049a288 Author: John Bowman Date: Thu Jun 10 17:09:05 2010 -0600 Remove tr1 (gcc-4.3) dependence, courtesy of Michail. commit 4d9baf01e9f28dcd183bc5b65e4c8faf318d69e3 Author: John Bowman Date: Thu Jun 10 10:24:59 2010 -0600 Add option (default true) to fill subdivision cracks in unlighted labels. Update examples. commit 5841cbfcbd7a8322b6f3fe7f135341613911d562 Author: John Bowman Date: Thu Jun 10 09:28:59 2010 -0600 Add patch to fix MSWindows memory limit. commit 28a24879a57cdb9dc45c05e8cb71a7eb26412d5c Author: John Bowman Date: Thu Jun 10 09:24:16 2010 -0600 Add missing include. commit f63c3894ad06e7ac3b2b3a9f43683c43258980ef Author: John Bowman Date: Wed Jun 9 23:08:24 2010 -0600 Fix typename of symbol. commit 5e4b712e6f785868bc262e723dabd7c2cfdbc300 Author: John Bowman Date: Wed Jun 9 22:00:22 2010 -0600 Add billboard support for Bezier curves. Fix OpenGL zoom flicker. commit c7c24cfe02221ff9794c510128cfab6e314bef9c Author: John Bowman Date: Wed Jun 9 21:01:46 2010 -0600 Update location of heap_chunk_in_mb in Windows registry. commit 833dbe2779e4f348e04bb3b7f0af00216fcdb618 Author: John Bowman Date: Wed Jun 9 16:25:20 2010 -0600 Use a portable integer log2 function. commit b024be7f16ebe43bf7d167c3b89180534801b6be Author: John Bowman Date: Wed Jun 9 16:22:08 2010 -0600 Work around missing readline include. commit 9342ef26ffac0aa70ee49a9f894a36fd95b01c81 Author: Andy Hammerlindl Date: Wed Jun 9 11:39:07 2010 -0600 Don't print non-printable characters. commit 79408482ecc8ca3186596ff40901b10c77699518 Author: John Bowman Date: Wed Jun 9 11:02:20 2010 -0600 Fix offscreen detection (broken in 1.86-1). commit 231eefe4d099f831716ca28c0c44246279fc8310 Author: John Bowman Date: Wed Jun 9 08:57:03 2010 -0600 Fix __GNU_PREREQ. commit 44a0ca929e6b4a198a9e56df226245bc94eb9e64 Author: John Bowman Date: Tue Jun 8 21:38:12 2010 -0600 Require tr1/unordered_map on systems without __GNUC_PREREQ. commit 80b5cc128a5b6396d494eec5e80750040f537c8a Author: John Bowman Date: Tue Jun 8 21:26:55 2010 -0600 Support older g++ compilers. commit 417b376f2a42fa04fd92e26e488f0925f1b17539 Author: John Bowman Date: Tue Jun 8 14:50:38 2010 -0600 Avoid g++ informational message and speed up compilation. commit d5521a7fe9f3c0493a3e5466fc43debe89dbe878 Author: Andy Hammerlindl Date: Tue Jun 8 11:39:49 2010 -0600 Replaced symbol table with custom hash table. commit 6ecbd76f3655d8bf238a97ada0f8d33806e51ffe Author: John Bowman Date: Mon Jun 7 11:29:30 2010 -0600 Emphasize that version 9.0 of Adobe Reader is now required. commit ed089dab2f0fc162aa2dc260d5146e435e5d746f Author: John Bowman Date: Mon Jun 7 10:05:16 2010 -0600 Update grouping. commit 64689d70232b0de6b06b3b454b4bc0e27782864d Author: John Bowman Date: Mon Jun 7 07:55:14 2010 -0600 Acknowledge contributions of Michail Vidiassov (coauthor with Orest Shardt of current PRC driver). commit b1d3c5ddb34cafadf4ed591c67708659262cb640 Author: John Bowman Date: Sun Jun 6 09:58:38 2010 -0600 Increment version to 1.97svn. commit 6f7690585672ce25a358d0e6fc73b254a0a5adf4 Author: John Bowman Date: Sun Jun 6 08:19:42 2010 -0600 Remove M_PI. commit 5f8a121a42bc7e96b339766432f606d6d57c4e74 Author: John Bowman Date: Sun Jun 6 07:40:50 2010 -0600 Update viewpoint, views, and examples. commit c04d65fe48b193db87d533f070b0a886a82e751b Author: John Bowman Date: Sat Jun 5 19:23:09 2010 -0600 Increment version to 1.96svn. commit 1cf0d1c166c74d02dc7b8245903e61cfd6ecb602 Author: John Bowman Date: Sat Jun 5 17:20:23 2010 -0600 Define M_PI. commit ca5899b50fa2590deb9310b29a57f7d76e0ac826 Author: John Bowman Date: Sat Jun 5 11:20:07 2010 -0600 Reformat. commit b5bc276002512428f88dc9e4c553fa74d1400086 Author: John Bowman Date: Sat Jun 5 10:25:26 2010 -0600 Improve interace to render options. commit e339b59145fec3386fa438d069de8a182d409268 Author: John Bowman Date: Sat Jun 5 02:12:43 2010 -0600 Remove tubesectors; simplify tube construction. commit 3e7be8212399aa9ec34f477b581a41aa41317d51 Author: John Bowman Date: Sat Jun 5 01:46:06 2010 -0600 Implement render structure containing PRC rendering parameters. Use begingroup3/endgroup3 consistently for both 3D pictures and frames, respective default rendering parameters. Add render(merge=true) to pipeintersection.asy to improve rendering speed. Improve PRC line capping. Use spheres for curved joints and roundcap. Use a higher resolution disk for squarecap/extendcap. commit fe3832771be157f636227aa7cca3dd9698e2c731 Author: John Bowman Date: Fri Jun 4 21:41:47 2010 -0600 Fix zoom. commit af08815dc768f9f6113ce74a2f9244ab39653dad Author: John Bowman Date: Fri Jun 4 16:46:49 2010 -0600 Expose granularity. commit 9b780a4258761a42ac41f30ca9c0a8f845451fac Author: John Bowman Date: Fri Jun 4 14:53:45 2010 -0600 Remove linesectors. commit 174c0c580925b67bd45d96de7ee1ec7281e342b7 Author: John Bowman Date: Fri Jun 4 14:52:15 2010 -0600 Implement Circular spline type corresponding to Bezier unitcircle approximation. Rename linesectors to tubesectors and change default value to 4. commit fa351463be16edea7e3916acd150f46fc51a59fc Author: John Bowman Date: Fri Jun 4 12:58:16 2010 -0600 Optimize tube spline routines. commit 3b874749207089960c0cc0652cf8278179512b89 Author: John Bowman Date: Fri Jun 4 01:35:59 2010 -0600 Improve group naming. commit f89f165458ba21b2dbc2e1f8b4f4c0ad144527b8 Author: Andy Hammerlindl Date: Wed Jun 2 19:51:22 2010 -0600 Added pre-translation of runtime symbols. commit f5f9bf24b41d0697f8eb8ab12129c3d7413d3069 Author: Andy Hammerlindl Date: Wed Jun 2 15:53:23 2010 -0600 Use pre-translated operator symbols in runtime files. commit aed4b49a60475e53c500e3821e4914c2fdc32d34 Author: Andy Hammerlindl Date: Wed Jun 2 15:38:52 2010 -0600 Use pre-translated operator symbols in builtin.cc. commit e0d130c1b655d159d93d20a4091916138e9eff38 Author: Andy Hammerlindl Date: Wed Jun 2 15:35:23 2010 -0600 Added var documentation. commit f9807d1b253f4070e5324a59d6d4346cf3dcc163 Author: Andy Hammerlindl Date: Wed Jun 2 15:25:28 2010 -0600 Pre-translate operator symbols. commit ba1d886ba1e9d6f1b1a238206daa8c9002d46670 Author: Andy Hammerlindl Date: Wed Jun 2 15:23:49 2010 -0600 Update errors for ambiguous cast to error. commit bd19d89d0d5cee238c40fc015c131d1c20132d6b Author: Andy Hammerlindl Date: Wed Jun 2 15:09:17 2010 -0600 Added a (disabled) experimental function resolution optimization. commit 83ed08e46e7e8332118817cea888160800048d27 Author: John Bowman Date: Wed Jun 2 13:48:16 2010 -0600 Improve 3D line capping. Improve tube center calculation. Remove PRCtube setting. commit 3a9f74da824e24b89d520ef3aa47862042918e50 Author: John Bowman Date: Wed Jun 2 09:59:36 2010 -0600 Use half sphere for PRC tube connectors. Revert to NURBSsphere again now that the rendering problems have been fixed (by using a nonzero granularity). commit ea0c762eb51e9578a61a080acb70e1d31051f35e Author: John Bowman Date: Wed Jun 2 02:51:24 2010 -0600 Complete last revision. commit c60bda8157d04f934526cdd1a37e1bda190f8f4c Author: John Bowman Date: Wed Jun 2 02:45:37 2010 -0600 Expose PRCoptions via begingroup. commit 56d84a0d913c6fffeb4b612cae31329f366556d5 Author: John Bowman Date: Wed Jun 2 01:39:39 2010 -0600 Reduce PDF loading time without sacrificing quality by setting granularity=1.0. commit acf90f95b1e682b25590267be59e45930e088c9c Author: John Bowman Date: Wed Jun 2 01:38:18 2010 -0600 Make PRCsphere the default until numerical transform issues with NURBSsphere are resolved. Add half=false option to PRCsphere. Implement PRCcylinder, PRCdisk, and PRCtube primitives. Use PRC primitives for drawing thick lines. PRC tubes (which may contain cracks) are drawn for curved lines only if PRCtube=true (the default). commit beed6b05dde975d183d865246304c0174086d800 Author: John Bowman Date: Tue Jun 1 14:12:34 2010 -0600 Update errors. commit 6ce405bc4fe399588749de0a04dd5a0058edf8b8 Author: John Bowman Date: Tue Jun 1 14:04:40 2010 -0600 Simplify code. commit a0807779f50bf6494a571bf3a70247dd9dfdff11 Author: Andy Hammerlindl Date: Tue Jun 1 11:39:32 2010 -0600 Added more overloading resolution tests. commit 5398bf7d0f767160dbea5b4143407b87779d1930 Author: Andy Hammerlindl Date: Tue Jun 1 11:30:59 2010 -0600 Added experimental inferred variable types. commit da50aa0fac52e0ece080daf0eb02375c98c6f9aa Author: John Bowman Date: Tue Jun 1 01:59:35 2010 -0600 Fix grouping. Make part names and compression group properties. commit 010aa8a113585cd5ae15d09c6c1c1e4e04fa957a Author: John Bowman Date: Mon May 31 14:28:30 2010 -0600 Remove context list. commit 4b98073813a448c0d45fbdd109e2ee1bf40232e1 Author: John Bowman Date: Sun May 30 21:07:52 2010 -0600 Disable 384MB Cygwin memory limit. commit fc372ba261454e2d54764c1b1d2ff043e1f25c78 Author: John Bowman Date: Sun May 30 02:17:21 2010 -0600 Implement optimized PRCsphere and NURBsphere. commit e11d0d6f70a0240c9a5e547f977a4a76097ae4dc Author: John Bowman Date: Sat May 29 21:39:38 2010 -0600 Replace SIGQUIT by SIGTERM. commit 0af63e2ebc43d50e1ce6cef40639760ecc0b6dc0 Author: John Bowman Date: Sat May 22 22:24:32 2010 -0600 Fix invalid memory access. commit 6ed0fc18676adf59d62d4563abd46889780a4efc Author: John Bowman Date: Wed May 19 23:48:25 2010 -0600 Fix example. commit 395fdda98745710d3e1c89ebeefd1a61af3fe7b5 Author: John Bowman Date: Wed May 19 22:00:44 2010 -0600 Remove granularity setting. commit b7cfa372079fef97b2ed446a67ea2f763d403f5a Author: John Bowman Date: Wed May 19 13:23:56 2010 -0600 Prune duplicate 3D dots. Implement new functions unique and lexorder in math.asy. commit 261b190f196623d8387fe1e660c66c6164bd7ed4 Author: John Bowman Date: Tue May 18 12:35:45 2010 -0600 Add embedder for PRC test. commit cd66b4f1998cc32d3712d984573d50733f31b4a5 Author: John Bowman Date: Tue May 18 12:30:07 2010 -0600 Fix prc dependency. commit 5eb109a6f8b2dd8b7c0c4c2a71e8f13c1f8471f1 Author: John Bowman Date: Tue May 18 10:48:08 2010 -0600 Remove debugging comments. commit c2a82f5e315ac93deb7365978f99207f24efd9fb Author: John Bowman Date: Mon May 17 22:53:48 2010 -0600 Fix compression limit. commit 151e2af3eef2d3843d9b4f4899594651649859bd Author: John Bowman Date: Mon May 17 10:47:00 2010 -0600 Update URLs. commit defd88d9592315ec2e74e914eb6ab8607229e391 Author: John Bowman Date: Mon May 17 08:55:40 2010 -0600 Use Adobe compression factor. commit bf629a87ab69dbec909a922da3b3dd5f6b3f4031 Author: John Bowman Date: Mon May 17 00:46:27 2010 -0600 Distinguish again between the 3D begingroup3/endgroup3 and the 2D begingroup/endgroup pairs. commit ac17585ecdf1084b4e5b2c7035974ee4f10220a3 Author: John Bowman Date: Sun May 16 23:52:15 2010 -0600 Update hyperref comment. commit 99db989fb8c21a62fdbbb3b24554e52917c48171 Author: John Bowman Date: Sun May 16 21:33:37 2010 -0600 Add example of using rendermargin to avoid rendering residue in included 3D images. commit 20cf63692fc6346c3e8d19e0edf111de5313d0d9 Author: John Bowman Date: Sun May 16 19:11:42 2010 -0600 Adjust default tubegranularity; remove spurious line. commit a00cefae26ec2a759bc6cb5d0ff962af596f0f19 Author: John Bowman Date: Sun May 16 17:52:09 2010 -0600 Use a reduced tubegranularity for constructing tubes. commit 749d3510510b36436c90a80e2f82ccf059d87e11 Author: John Bowman Date: Sun May 16 17:24:07 2010 -0600 Fix floating point exception in PRC compression routines. commit 543074437b2d40a122daf6164203058d2d9edfe7 Author: John Bowman Date: Sun May 16 02:50:12 2010 -0600 Add some of Michail's PRC enhancements, including lossy compression of surfaces. commit 2bcd6522db306dd86fafb52b1181c1d33cf742fe Author: John Bowman Date: Thu May 13 21:03:06 2010 -0600 Fix portability issue. commit f0e1ebfba330a539c89ea21cb7931186a7a2dc7f Author: John Bowman Date: Thu May 13 12:46:21 2010 -0600 Remove space. commit 223f3af025bd3bc45521f2b3d47eb795a08e5e43 Author: John Bowman Date: Wed May 12 23:17:46 2010 -0600 Only quote filenames where necessary (e.g. to support obsolete versions of asymptote.sty). commit d25b6c80eb6ac903729b1c5ffd3dbb0966a7b6c2 Author: John Bowman Date: Wed May 12 11:31:23 2010 -0600 Always use 256 bytes for random state array. commit 3bf7af6acb0a932b2efc94265955d1703a9966d3 Author: John Bowman Date: Sat May 8 23:17:36 2010 -0600 Remove unused file. commit 4e69ea886625688e8f31496ea50feed6e4520d92 Author: John Bowman Date: Fri May 7 14:32:28 2010 -0600 Use fftwpp namespace. commit 027f83fd2f98c77ba2a7a3e4aff1625b179a20cc Author: John Bowman Date: Fri May 7 00:43:32 2010 -0600 Update fftw++.h to v1.06. commit 5824e9ad1be409898af11ae9d79668863a89ee33 Author: John Bowman Date: Tue May 4 16:53:28 2010 -0600 Increment version to 1.95svn. commit 86c3c8b10e750576f6faf8bd1e395a73c9656242 Author: John Bowman Date: Tue May 4 14:47:23 2010 -0600 Predefine a default docdir for MSWindows. commit 67f05e202eed106e489f487b2e13dc6f3ce920d9 Author: John Bowman Date: Tue May 4 12:54:30 2010 -0600 Update CYGWIN xdr patch. commit 1b61f7e2d4c5a9938a805eaa9c0de028b284d885 Author: John Bowman Date: Tue May 4 11:18:57 2010 -0600 Document fit3() and remove restriction on projection.center. commit 4b8ddfdb2a838c2f86dbbc1602e29bd100c1af5a Author: John Bowman Date: Tue May 4 01:33:17 2010 -0600 Add missing CYGWIN declarations. commit af4e3100d2fe307cfea6eb656c0245b1f2bd17dd Author: John Bowman Date: Mon May 3 22:52:36 2010 -0600 Document pair dir(path, path). commit 0821c51418077505a97e764e0785a08f10465ba6 Author: John Bowman Date: Mon May 3 22:43:55 2010 -0600 Update documentation of math module. commit 0557500331a5d6077290eb8f6f431a6fdd15aa2b Author: John Bowman Date: Mon May 3 22:08:46 2010 -0600 Use outprefix(). commit 3509d303e536735d2ff415f821786dc7f2ca1960 Author: John Bowman Date: Mon May 3 21:40:17 2010 -0600 Implement matrix negation for arithmetic types. commit acf80ae7b563a67c1de8215b024a62439c32114f Author: John Bowman Date: Mon May 3 14:45:00 2010 -0600 Move pair[][] operator * (pair[][] a, pair[][] b) to C++. commit caaf88c123017e63a52fe4be8c4ddcb0df9d3639 Author: John Bowman Date: Mon May 3 01:56:45 2010 -0600 Add make cleaner target that runs make clean in the doc directory and make distclean everywhere else. Change make clean in doc directory so that it no longer removes asymptote.pdf and CAD.pdf. commit 71d827d19419e8cee54d084dec6da95e54671503 Author: John Bowman Date: Mon May 3 01:52:36 2010 -0600 Add picture.fit3(projection P=currentprojection) and add(picture dest=currentpicture, frame src, triple position) routines. commit a96c644ba6a820bc19018883848db5ce6f97fe90 Author: John Bowman Date: Sun May 2 23:05:10 2010 -0600 Avoid redundant mismatched version warnings. commit cc6fd22c81285fc7af9570658e384f2e204b0a2a Author: John Bowman Date: Sun May 2 22:52:40 2010 -0600 Fix guide bug intoduced in 1.55-2. commit de1591fe4ee05499e0d6b09b74ed5469525cf282 Author: John Bowman Date: Sun May 2 17:22:14 2010 -0600 Use a larger table for generating random numbers. commit 0e1811c2d95aac1bad23bd77d54ced726dff6c48 Author: John Bowman Date: Sun May 2 01:03:23 2010 -0600 Use accurate roots of unity in FFT shift. commit 6896be2016d9367d0321b9fdf3ef4eb7ef3ada6d Author: John Bowman Date: Sat May 1 10:14:10 2010 -0600 Fix fftNormalize. commit d7931ac1f3385ee4cd6fc713b6745cafb8d47a5c Author: John Bowman Date: Sat May 1 08:21:08 2010 -0600 Update documentation of addViews. commit 58dd0e82177b811876ab6266c55407fc54d7d883 Author: John Bowman Date: Thu Apr 29 02:30:10 2010 -0600 Improve fftw interface. commit d846b15bc5d8467814fb258ae93b139759baceb0 Author: John Bowman Date: Tue Apr 27 22:19:50 2010 -0600 Make local variables private. commit 7a1d259bd798091d09ff96e0f9aa1097482c3ad4 Author: John Bowman Date: Mon Apr 26 11:31:24 2010 -0600 Make pair dir(path,path) return a unit vector. commit dbff2e25683dcfdf2edf0c69d5f48870a147c6de Author: John Bowman Date: Mon Apr 26 11:28:15 2010 -0600 Fix return type of dot(pair,pair). commit 9556b5b0c17683511d021f766f82ac5e2f848608 Author: John Bowman Date: Sun Apr 25 22:05:00 2010 -0600 Implement pair dot(pair[] a, pair[] b). commit 1482e3940a184157b05308a4f6f8b160e1544c5c Author: John Bowman Date: Tue Apr 20 10:02:39 2010 -0600 Work around MSWindows registry problems. commit fcf1b66c5d7a33de4fd8f7648f4572b21208acd0 Author: John Bowman Date: Tue Apr 20 09:21:34 2010 -0600 Work around empty docdir. commit 5b874eeb8be118f5264bff3e36bdd040212ddba6 Author: John Bowman Date: Sun Apr 18 10:21:14 2010 -0600 Move shift variable to Execute. commit 6013f494ee9bd39606dc91e2a573e7548787b160 Author: John Bowman Date: Sun Apr 18 08:43:11 2010 -0600 Fix SimpleHead. commit 0d0240ee0398f3e1b267ce2610cc1820c5078bf0 Author: John Bowman Date: Sat Apr 17 23:20:54 2010 -0600 Move basic matrix operators from math.asy to C++ code and implement int and pair versions. Add vector and matrix conjugate operations. commit 6f5c4f6eb7f95524478c4698f77f7d293d357f3d Author: John Bowman Date: Sat Apr 17 17:39:05 2010 -0600 Add casts from int[][] to real[][], int[][] to pair[][], and real[][] to pair[][]. Implement int[][] diagonal(int[]) and pair[][] diagonal(pair[]). commit dec5637db7b47695cc7861a6fa4e44c0facfe3d7 Author: John Bowman Date: Sat Apr 17 16:37:44 2010 -0600 Implement a RadialShadeDraw filltype. commit eb9a39511d09cb90459a73edc3e9eec4538b5d39 Author: John Bowman Date: Sat Apr 17 09:33:56 2010 -0600 Increment version to 1.94svn. commit 1bab031382a4efe3d4ca689b66ac99fb81ce5ff0 Author: John Bowman Date: Fri Apr 16 20:13:15 2010 -0600 Expose outname() to asy. Revert revision 1.93-16 for strings containing spaces. Fix tex(picture). Add deactivatequote and activatequote functions for Babel users. commit 1a5d2311e66293c4050005c31c398bc739d561b0 Author: John Bowman Date: Fri Apr 16 20:00:30 2010 -0600 Redraw screen after export (for MSWindows). commit e63686d696ac00453dc79e14bf8979466d631b3b Author: John Bowman Date: Fri Apr 16 14:00:51 2010 -0600 Move backslash conversion into asy. commit f03e3a5a7150ba3fcdff5a6b4c18e5c49ff7d24a Author: John Bowman Date: Fri Apr 16 13:54:22 2010 -0600 Fix GUI export under MSWindows. commit 9ba6ab15f1b7722d6ab19c533b98a97485605601 Author: John Bowman Date: Fri Apr 16 11:58:48 2010 -0600 Improve camera position. commit 1018a5d12afdc254a364c052fb772d0fce772fa1 Author: John Bowman Date: Fri Apr 16 11:47:15 2010 -0600 Set size. commit 1694cc39454b2f92a3fa72ac24384cec6f9787d1 Author: John Bowman Date: Fri Apr 16 11:06:15 2010 -0600 Fix poster size. commit c178c191b01142455027304b0c3590a1b233acf3 Author: John Bowman Date: Fri Apr 16 10:46:48 2010 -0600 Revert unintended removal of inline option. commit b6952633aefb155e0fc3b1853b3d0c16c627f9c2 Author: John Bowman Date: Fri Apr 16 09:42:26 2010 -0600 Require user to double quote graphics file names containing spaces. commit bc3ae56dab8e42c56641860d38be78a44217ad91 Author: John Bowman Date: Fri Apr 16 09:31:29 2010 -0600 Ensure double quote character is inactive. commit 916180f64f9767fff8ebb6face6d45352952cfe1 Author: John Bowman Date: Fri Apr 16 08:49:27 2010 -0600 Clean up files even after errors. commit 979c9a3c2ce462c9ad2f3cf069b711fca556b99a Author: John Bowman Date: Fri Apr 16 01:00:40 2010 -0600 Fix latticeshading with -svgemulation. commit e7187eccf529ff914af7ead76e4fb6d8b3d85b23 Author: John Bowman Date: Fri Apr 16 00:37:58 2010 -0600 Fix SVG emulation. commit 0f5a9dd4bf43c704d585359260d11668507e0e99 Author: John Bowman Date: Fri Apr 16 00:17:49 2010 -0600 Fix initial SVG pen. commit a58312d7d39b9ff692f76a6273ae56dcaae7426c Author: John Bowman Date: Thu Apr 15 23:44:32 2010 -0600 Fix GUI export; add SVG export. commit d5749daff98e436018e252807041934aceded359 Author: John Bowman Date: Thu Apr 15 23:32:29 2010 -0600 Revert outname construction. commit 0c068d371412591c5beefc6db8ff830cd491a509 Author: John Bowman Date: Thu Apr 15 15:42:29 2010 -0600 Allow spaces in output directory name. All output files are written to the directory part of settings.outname; if this is empty, the current directory is used. Allow cd to other directories, preserving the output directory. commit 2af5f453b921965d21f4574bfd6594f910fafa53 Author: John Bowman Date: Thu Apr 15 00:58:42 2010 -0600 Remove obsolete bug workaround. commit c9f8e9b47015b9ab998125e0c51a57789b82d18a Author: John Bowman Date: Wed Apr 14 16:45:50 2010 -0600 Remove misleading deep qualifier. commit 4a9779a086e1611995265cf8de911ae15b32db95 Author: John Bowman Date: Wed Apr 14 14:28:06 2010 -0600 Add parallelogram block to flowchart module. commit 5737d8b20f5c45b06171b9da96ef443340416ca5 Author: John Bowman Date: Wed Apr 14 12:12:07 2010 -0600 Check for LIBGL on MacOSX. commit c8f5322cc6aecef2401add3effa45d97a22fdff4 Author: John Bowman Date: Tue Apr 13 10:20:24 2010 -0600 Fix preprocessor conditional. commit 418f6ac0683264c1a09d12998973c1f30fcb2a5d Author: John Bowman Date: Tue Apr 13 01:16:51 2010 -0600 Fix latticeshade stroke bounds. commit 42c40bca696b23287533ba39bc68ad7d43335188 Author: John Bowman Date: Mon Apr 12 22:22:29 2010 -0600 Support old versions of gcc again. commit d27450e2e7863586c7735ec233cc226804e457b0 Author: John Bowman Date: Mon Apr 12 01:55:34 2010 -0600 Increment version to 1.93svn. commit f8f609b8bdfcbde84de936d800cad37c063b8fb3 Author: John Bowman Date: Sun Apr 11 09:41:33 2010 -0600 Call init_readline only once. Remove obsolete CYGWIN readline initialization code. commit d035c7bb2e1060d11544e0d2e13143f5eed7793e Author: John Bowman Date: Sun Apr 11 09:34:01 2010 -0600 Fix typo. commit df7fb6ee773ecdd7a8b4a6b42d36944175638225 Author: John Bowman Date: Sun Apr 11 02:26:26 2010 -0600 Fix -lGL detection. commit bd5ac5a5358ddb735d147900bde91359a70db63a Author: John Bowman Date: Sun Apr 11 00:51:59 2010 -0600 More CYGWIN portability changes. commit 89f0c054f4b48540e7871e8be71ff26002ed3169 Author: John Bowman Date: Sat Apr 10 12:43:11 2010 -0600 Fix CYGWIN portability issues. commit 232d920b517418d211825e4b44ace7ed1be7e8da Author: John Bowman Date: Sat Apr 10 11:12:46 2010 -0600 Improve tr1 test. commit c5c85163ff1780a04acfca69983c939b2568656a Author: John Bowman Date: Wed Apr 7 21:19:31 2010 -0600 Add autorotate argument to yaxis. Document assert(bool, string). commit 9810c0fe06212adb96e6596f36bb3acc95432fc3 Author: John Bowman Date: Wed Apr 7 21:15:42 2010 -0600 Fix aspect ratio. commit bd9b2b7bcd7d9ad3664ced34e4914af2bbe7a828 Author: John Bowman Date: Wed Apr 7 16:18:14 2010 -0600 Add projection.normal to represent the normal to the projection plane, which differs from projection.vector() for oblique projections. commit 386bea2ad1f1297bf779f57021a69ca555a80588 Author: John Bowman Date: Wed Apr 7 13:32:07 2010 -0600 Make oblique projections work with billboard labels. commit 73dbd37642d26d5df9d7aaa6bc3a9367f3a0116e Author: John Bowman Date: Wed Apr 7 11:22:14 2010 -0600 Fix latticeshading. commit 503487818fecab50384aae143ac8a5170ddb9465 Author: John Bowman Date: Mon Apr 5 17:56:20 2010 -0600 Fix normal and true Circle calculations. commit 62d120909d49c8fd2f2fdd5eecfeaf9b0f372235 Author: John Bowman Date: Sat Apr 3 17:31:30 2010 -0600 Remove unwanted template. commit cf589ff765402ba5c2b320ffd159b01755e5716d Author: John Bowman Date: Tue Mar 23 21:05:38 2010 -0600 Fix typo. commit 4e6bbf0db6b0bacb3da05bf50a8d4e6a698fdc45 Author: John Bowman Date: Tue Mar 23 20:44:50 2010 -0600 Ignore null 3D paths. commit 25bd144b7fd648fba7275de6679fbfbb19931d24 Author: John Bowman Date: Mon Mar 22 23:03:58 2010 -0600 Fix revision 1.92-28. commit d853172f1a23d32abc709789d253854cf1356e65 Author: John Bowman Date: Sun Mar 21 22:35:06 2010 -0600 Add more predefined tick modifiers. commit 2c3c2a79a16220ac18d64cc3241b6538ccd6cd5d Author: John Bowman Date: Sun Mar 21 19:46:07 2010 -0600 Fix last change. commit fe4953f2f5c077f5b2b8e49e41d5ed94d8541b36 Author: John Bowman Date: Sun Mar 21 19:43:27 2010 -0600 Fix incorrect pt scaling. commit 01721697c8da4d855c560101bdc31e58be40e9b9 Author: John Bowman Date: Sat Mar 20 23:19:37 2010 -0600 Make integrate routines return structure including sampled time values. Enable dynamic timestepping for solveBVP. commit 7227e4f9134b4c3343da4f3a8635abc0671c6e19 Author: John Bowman Date: Fri Mar 19 09:36:21 2010 -0600 Configure Boehm gc with --enable-large-config by default. commit e55618a3367b32ae278c43818caa7f9c83814503 Author: John Bowman Date: Tue Mar 16 17:40:26 2010 -0600 Fix url. commit 282c78e96f3583800368c4b9b793407794084b81 Author: John Bowman Date: Sun Mar 7 10:48:36 2010 -0600 Rename FFTWdelete to deleteAlign. commit 02c9a6b01ef6f2c66f12c70a3740e09a37fc4d46 Author: John Bowman Date: Sun Mar 7 10:45:27 2010 -0600 Rename FFTWComplex to ComplexAlign. commit f498746961e4b72dd85b3296b71d626689f74449 Author: John Bowman Date: Thu Mar 4 13:59:27 2010 -0600 Fix array index. commit 3f4262148bfb4be6514dcc80ff1f4c8e3127439e Author: John Bowman Date: Mon Mar 1 10:07:51 2010 -0600 Make CLZ and CTZ portable. commit 1fad80aed5c6c19cf3ee3aa073992de8bae92729 Author: John Bowman Date: Sun Feb 28 22:54:54 2010 -0600 Implement CLZ and CTZ bit functions. commit a1ee8663ea8a51dad88d7d5dc4710bd34718226c Author: John Bowman Date: Thu Feb 25 16:52:27 2010 -0600 Ignore negative dxmax. commit 155b66150ff2b70f0ab8a54a33f1bfe4c3d0a8dc Author: John Bowman Date: Thu Feb 25 16:50:04 2010 -0600 Fix simpson for a > b and f decreasing. commit 455a749a478ea4ab86832a08de2e7465027a2e1e Author: John Bowman Date: Tue Feb 23 23:14:27 2010 -0600 Fix compilation on systems without OpenGL. commit 22c00b08408f19342212cf17e8bc1dd57468010d Author: John Bowman Date: Tue Feb 23 19:21:35 2010 -0600 Use portable definition of M_PI. commit c8144319f0d38661f859f0da5d5409863fd8f526 Author: John Bowman Date: Sat Feb 20 17:20:15 2010 -0600 Add missing arguments. commit 045941d441e7f37478a1756b836573a0f1116904 Author: John Bowman Date: Fri Feb 19 15:57:19 2010 -0600 Avoid implicit linking of libGL. commit 1bba3a3b88b0c73f4c80e92847e9f804e3520075 Author: John Bowman Date: Thu Feb 18 15:01:16 2010 -0600 Fix odd sized shifts in fftw++.h. commit ef008d597001d57eb0b0c1dc75084123754d9cab Author: John Bowman Date: Mon Feb 15 01:02:06 2010 -0600 Expose Shift functions. commit dad1fab51e6585e6e805c1784dc0bacdd7451db8 Author: John Bowman Date: Sat Feb 13 17:09:35 2010 -0600 Remove ambiguous constructor. commit df3d6aa4983f560ff92408be0f9fd139af831276 Author: Andy Hammerlindl Date: Wed Feb 10 08:14:26 2010 -0600 Minor change to comment. commit 417c566fd0ff23522987844de06c7013173c46b1 Author: Andy Hammerlindl Date: Wed Feb 10 08:13:54 2010 -0600 Changed alignment of slashes in macro. commit ff66cb16cd0fec709507fe54110e34444c8ffede Author: John Bowman Date: Sun Feb 7 16:21:17 2010 -0600 Fix compilation errors. commit baf491e809673492c975a2ad56c06e9501b4eb8d Author: John Bowman Date: Sun Feb 7 16:13:15 2010 -0600 Fix part names. commit 19bfed1a417bc86969786f91a814b4a941625935 Author: John Bowman Date: Sun Feb 7 12:34:19 2010 -0600 Update test code. commit 21911866dd8da04d3bf8b0b79763c38b9a1dec7c Author: John Bowman Date: Fri Feb 5 09:39:23 2010 -0600 Open oPRCFile in binary mode. commit 4bfb8ab6df3a871600411d79aebabd0c7f7b1f89 Author: John Bowman Date: Wed Feb 3 22:03:27 2010 -0600 Fix formatting. commit 03bc073aaff1d1c58247156dc5212617cd535aa6 Author: John Bowman Date: Sat Jan 30 22:04:48 2010 -0600 Fix typo in documentation of singlereal. commit ea2f9a3fe502d818d6d6efb17fa6d8923b3429bc Author: John Bowman Date: Mon Jan 25 21:33:52 2010 -0600 Make FFTW wisdom file name and effort flag public. commit c514c3c99dad4eb2e6c07f6888c8dd7de10344cb Author: John Bowman Date: Mon Jan 25 10:58:39 2010 -0600 Update documentation of fftw++ header file. commit 5a0a7c84a20086416aa66766faf394efd32c7b0b Author: John Bowman Date: Sat Jan 23 12:09:50 2010 -0600 Fix non-pdf output from PDF tex engines. commit fc548df7dbe7df930ca1520d57c3e8dd586cb682 Author: John Bowman Date: Tue Jan 19 22:12:07 2010 -0600 Improve diagnostic. commit 7254feea0ccde20412db7b4d640c941bc866ef46 Author: John Bowman Date: Tue Jan 19 03:50:50 2010 -0600 Remove implicit cast in favour of block constructor. commit 1c0664c196454994b1afa811f84efe1ab1320e9f Author: John Bowman Date: Tue Jan 12 15:31:13 2010 -0600 Improve example. commit 882c2548c71795338e7e14257c6a3e4c7ebd1d32 Author: John Bowman Date: Mon Jan 11 11:41:52 2010 -0600 Fix transformed Label alignment. commit a6deb333bb7da7ab635c1b9bd3b4795d364adf33 Author: John Bowman Date: Sat Jan 9 23:08:23 2010 -0600 Fix typo. commit f6615df2d1e4bfb913f36ab1501495700af940c2 Author: John Bowman Date: Sat Jan 9 23:06:11 2010 -0600 Fix conflicts. commit 784b52a16b58d1c154578229b41772206a5634a0 Author: John Bowman Date: Sat Jan 9 15:40:13 2010 -0600 Avoid uninitialized variable warning. commit 65adeb47bfb8b1779e73028a01d483a35a6aa8e6 Author: John Bowman Date: Sat Jan 9 15:38:02 2010 -0600 Upgrade to latest version of fftw++.h. commit efa08460ee77d46eb51c6f00f61a5820109292e7 Author: John Bowman Date: Sat Jan 9 15:34:31 2010 -0600 Simplify code. commit 295b27aa2a890594af18831f1fa4eb0b5aa27181 Author: John Bowman Date: Thu Dec 31 07:28:23 2009 -0600 Increment version to 1.92svn. commit 6bc9a2023414f230f92959f48c9d4baae6012050 Author: John Bowman Date: Wed Dec 30 23:05:07 2009 -0600 Remove obsolete freeglut patch. commit 19a0ff86a453d6676f1e945394a8ed2b0387dce4 Author: John Bowman Date: Wed Dec 30 14:27:38 2009 -0600 Set default font after \begin{document}. commit 6209c0b018c4ae8d1c3553c8bce67df8cbb1c3cd Author: John Bowman Date: Wed Dec 30 13:46:09 2009 -0600 Support transformations in lattice shading. commit d2e2ea24fc879cb10f4f9f6e5f9b950391086e77 Author: John Bowman Date: Wed Dec 30 13:31:21 2009 -0600 Update links. commit ad664e609896c95d5cd28f1831ce5e301e356247 Author: John Bowman Date: Sat Dec 19 09:18:46 2009 -0600 Untabify. commit be464a2252117e5c40bc95c395c2aec1557703f5 Author: John Bowman Date: Sat Dec 19 09:18:03 2009 -0600 Increase epsilon. commit 7e1e1a3dc2642c96f9ed814e36a961e6e4411ba3 Author: John Bowman Date: Sat Dec 12 12:33:40 2009 -0600 Replace "nonselfintersecting" by more standard term "simple". commit 44fbd7151a135685d2c894e01107397cd27e92b0 Author: John Bowman Date: Fri Dec 11 18:34:20 2009 -0600 Use a more robust contour algorithm based on approximating the function as a paraboloid, courtesy of Chris Savage. commit 6f69480a190ae9f049b94f644ec6a4825082aef0 Author: John Bowman Date: Fri Dec 11 17:21:04 2009 -0600 Avoid casting to path[] in write(guide[]). commit 733f624a1287b8c74c506b3bd59c77368e8219c1 Author: John Bowman Date: Sun Dec 6 00:13:51 2009 -0600 More example updates. commit 3bab1b8e5f417e4c10f363415997f520b0281bdf Author: John Bowman Date: Sat Dec 5 23:55:34 2009 -0600 Minor example updates. commit e74e417ed8f85648dc9ae54edb4b3c1399f49809 Author: John Bowman Date: Sat Dec 5 23:35:57 2009 -0600 Implement operator --(block, block) to simplify flowchart syntax. commit 2b0109e94a472b70f698b91ffa812ecb9766d285 Author: John Bowman Date: Sat Dec 5 13:40:40 2009 -0600 Add change missed in previous revision. commit 583bd0f3d3df48a3ae8cb15cb7a9976508548011 Author: John Bowman Date: Sat Dec 5 13:39:48 2009 -0600 Improve precision of minratio and maxratio routines. commit ce7b617314c9166c582adaf4efed415774e42b73 Author: John Bowman Date: Wed Dec 2 22:50:16 2009 -0600 Fix transformed 3D labels under -render=0. commit f6eb7355fb4a362ab97dcd0e5a370f93440408db Author: John Bowman Date: Wed Dec 2 12:14:49 2009 -0600 Revert last revision. commit b38ca30bf706db72a78d0fe00c4295885cb115d0 Author: John Bowman Date: Wed Dec 2 12:10:16 2009 -0600 Retune HookHead2. commit de56960ac36ea7e5ce2b39e38a569ae007d4b91a Author: John Bowman Date: Wed Dec 2 12:00:26 2009 -0600 Fix 3D planar arrowhead gap. commit d266b2c68c4b14631bb54ac1b9f24195fb9d32a1 Author: Philippe Ivaldi Date: Tue Dec 1 11:13:58 2009 -0600 Fix ellispe arc defined by abscesses when angle of ellispe is not zero. commit e17f928c56c2a92f4da55cbc961b245fc96ebe47 Author: John Bowman Date: Tue Dec 1 01:50:44 2009 -0600 Remove duplicate arrow angle scale factor. commit 21ab8e75dae93f012bec82b02b382aced39ad538 Author: John Bowman Date: Tue Dec 1 01:49:20 2009 -0600 Fix offset in transformed 3D labels with render=0. commit f26e5a96e68d1b598c6b06753f6733c30f22b19a Author: John Bowman Date: Sun Nov 29 22:21:35 2009 -0600 Revert 1.91-23. commit f1b58b43b3c051303d426f4e66f52361df3bcb3b Author: John Bowman Date: Sun Nov 29 13:17:32 2009 -0600 Fix pen size contributions to box and ellipse. commit ad867668187d1da48dee070b4445a057e7fdbedc Author: John Bowman Date: Sun Nov 29 12:59:29 2009 -0600 Update inlinetex support for xelatex. Load hyperref before patches/movie15_dvipdfmx.sty (renamed to movie.sty) under xelatex. commit bba661d24028af3e17488c3bc003dd3e854cd06e Author: John Bowman Date: Sat Nov 28 13:10:12 2009 -0600 commit 08a2b148c05d41f903ac401f83f6689b38c9525e Author: John Bowman Date: Fri Nov 27 17:50:55 2009 -0600 Move convert options before geometry. commit b771b0d77e280d8a16cdb0e2c590cc30cae718c3 Author: John Bowman Date: Fri Nov 27 12:10:41 2009 -0600 Remove -alpha Off default convert option in favour of convertOptions="-alpha Off". commit a751e0f8ba88956ca209ec9ca2f7bf540c17b020 Author: John Bowman Date: Fri Nov 27 11:45:11 2009 -0600 Use pngalpha driver only if antialias=2. Fix size of pngalpha images. commit e6a98e36c1a747f04ae2e442c53c70f14c7c31be Author: John Bowman Date: Thu Nov 26 18:32:36 2009 -0600 Add 3D examples. commit cb81e0a6d5ca377fa5e0f176a6efbcf12a7a1180 Author: John Bowman Date: Thu Nov 26 10:09:58 2009 -0600 Use hypersetup to avoid hyperref option clashes. commit 4958bc1628d5ab089b38a6fa804e396795bc37c0 Author: John Bowman Date: Thu Nov 26 09:31:15 2009 -0600 Reduce memory usage of example. commit a6105bc960e8ff69fb312cfc8ec2dd042c0faf0b Author: John Bowman Date: Thu Nov 26 09:27:20 2009 -0600 Fix braces. commit 3d67fe1cf5ca34f521cbc2b7a65992455fe35522 Author: John Bowman Date: Thu Nov 26 01:55:46 2009 -0600 Improve 3D logo. commit 2eaa852c0148cc9d1234930855a1e76b4a383b71 Author: John Bowman Date: Wed Nov 25 14:21:37 2009 -0600 Change colorslinks to pdfborder={0 0 0} in hyperrefOptions. commit ce77532c7d40b9e354bee36d115d407a19de900b Author: John Bowman Date: Wed Nov 25 10:17:37 2009 -0600 Reduce conflicts by renaming the Bessel functions J and Y to Jn and Yn. commit adbbdbdf423482b977aabe318b471464fdb149ac Author: John Bowman Date: Wed Nov 25 09:56:22 2009 -0600 Add colorlinks to settings.hyperrefOptions. commit 261348d1ccc2094841cca8e1873f9d09173c9f66 Author: Andy Hammerlindl Date: Wed Nov 18 22:38:56 2009 -0600 Added % for the last answer on the interactive prompt. commit 2484f7016690e242356dfa81b1178873825981dc Author: Philippe Ivaldi Date: Wed Nov 18 05:31:57 2009 -0600 Fix horizontal & vertical lines commit 9f3a29d8323c8cc50ed8bed536d610154b8ef5a5 Author: John Bowman Date: Tue Nov 17 12:46:36 2009 -0600 Rename example. commit 9f2225f1aa08a3a153077907d7eddad0d4b31a0e Author: John Bowman Date: Tue Nov 17 12:45:18 2009 -0600 Add example of a polar graph produced from discrete data. commit 5c2fe7c11396ec23328a9bb43f9ad5d360db97f3 Author: John Bowman Date: Tue Nov 17 12:38:24 2009 -0600 Implement operator ..(tensionSpecifier t) and join3(tensionSpecifier t). commit 9b5fa939349b94a7cde0e7eb84f1a274fdcf4360 Author: John Bowman Date: Tue Nov 17 12:12:18 2009 -0600 Implement polargraph(picture pic=currentpicture, real[] r, real[] theta, interpolate join=operator--). commit c8a62c7395f1a48f5c5b6b68c53c47b60beeeaa8 Author: John Bowman Date: Tue Nov 17 11:08:04 2009 -0600 Add Sierpinksi examples, courtesy of the cvgmt group. commit d4c786480b4d9f93b5fec598d164ca2aabc51e34 Author: John Bowman Date: Sat Nov 14 00:59:23 2009 -0600 Improve example. commit dd619b1378bfbb217d50007794a6591c811f6ebf Author: John Bowman Date: Sat Nov 14 00:53:02 2009 -0600 Add example. commit f39aa1796dd3acd99d7ffb873d80d4b310c2d8ad Author: John Bowman Date: Sat Nov 14 00:19:52 2009 -0600 Add check that parametric array for spline interpolation is increasing. commit c7ee92332c676d56eb5b1a5197c218fd5bbc42b6 Author: Andy Hammerlindl Date: Thu Nov 12 22:54:00 2009 -0600 Removed unused lookInTopScope methods. commit 3d58516911511dfab639a321afd7e5e26bb85dd9 Author: John Bowman Date: Mon Nov 9 14:12:20 2009 -0600 Increment version to 1.91svn. commit 77e42713c6bbe652511319b8b373bacafacfa6d2 Author: John Bowman Date: Mon Nov 9 11:02:46 2009 -0600 Document SVG output. commit a00bc7781bee6c2f39e4d9096a571ea3bc8f0b44 Author: John Bowman Date: Mon Nov 9 09:16:15 2009 -0600 Remove preprocessor symbol in preparation for upcoming dvisvgm-0.8.7 release. commit fdfd0d00a8e791f7b4d9cd765cb58cb8769f54fc Author: John Bowman Date: Mon Nov 9 08:57:29 2009 -0600 Fix SVG axial, radial, and emulated tensor-patch shading. commit 8e628ad269ae1d0f921e1ebd11cefde0d61aef8d Author: John Bowman Date: Mon Nov 9 02:36:31 2009 -0600 Increment version to 1.90svn. commit 87d2f40f639d69a126e5ea9385ae582ef143f02e Author: John Bowman Date: Mon Nov 9 01:26:17 2009 -0600 Fix timer argument. commit bd1af45298cbacb90ecc22a4d9c2358212164ed6 Author: John Bowman Date: Mon Nov 9 01:13:46 2009 -0600 Check for uninitialized shading pens. commit 0134dfdf3b3f8c0338f3120c1559b07388cbd188 Author: John Bowman Date: Sun Nov 8 23:14:03 2009 -0600 Implement emulation of Gouraud shading in SVG. commit 396f32a9acea190fe1ac4edbf8a98d894adf2ae2 Author: John Bowman Date: Sun Nov 8 23:12:33 2009 -0600 Add routine that returns the intersection time of the point on the line through p and q that is closest to z. commit 9bc23dcee01574f5e18548de44f795834f049eb9 Author: John Bowman Date: Fri Nov 6 12:55:09 2009 -0600 Improve missing fft diagnostic. commit f3d623e7dea46f3e93ea6f0a8007c21e0b80c64d Author: John Bowman Date: Thu Nov 5 18:08:27 2009 -0600 Reduce PRC NURBS memory usage. commit 61e0a584d00a4b8cf0310e819309d9d669f9cce1 Author: John Bowman Date: Thu Nov 5 17:50:29 2009 -0600 Fix rational NURBS curves; add example. commit 7835fffdbd04dadb20132b830fce0fe60c6072ca Author: John Bowman Date: Wed Nov 4 05:54:57 2009 -0600 Reduce maxangleiterations. commit 6d6b217bc8c6a942def28f2172df23bf978cb5cb Author: John Bowman Date: Wed Nov 4 05:49:55 2009 -0600 Revert to previous value of fuzz in ratio. commit f46da67ff8116f94f667cc746d161b2f17ad75db Author: John Bowman Date: Tue Nov 3 14:29:46 2009 -0600 Port recent changes to CYGWIN commit c5e55a514d847442cf3964f9d5b054ad26b277ee Author: John Bowman Date: Mon Nov 2 22:39:31 2009 -0600 Always generate at least NColors. commit c0a54c9bde7af034c1d9fad7ceb08a048dfc2e8a Author: John Bowman Date: Thu Oct 29 20:17:04 2009 -0600 Implement path3 unstraighten(path3). Increase fuzz in ratio. commit 99338b8ddf43f3d1378c1c550d6f4390d78fd0d9 Author: John Bowman Date: Thu Oct 29 10:16:17 2009 -0600 Add support for NURBS curves. commit 67157c7e7a9daa746fba5f2918e7ce844497554e Author: John Bowman Date: Wed Oct 28 23:44:27 2009 -0600 For SVG output, explicitly draw a circle instead of a length 0 path. commit 0848be7129602a33b549b7580cd4b2f4f31db984 Author: John Bowman Date: Wed Oct 28 02:36:35 2009 -0600 Avoid unnecessary copying of linetype structure. commit 34c8a0e8c0513b2337bec7974b26499b4028ec79 Author: John Bowman Date: Tue Oct 27 10:04:54 2009 -0600 Avoid negative dash patterns. commit beaddd303da81161cfb48fc171e6ef563981bcfc Author: John Bowman Date: Tue Oct 27 02:32:34 2009 -0600 Change linetype pattern from a string to an array of reals: a string is still accepted (for backwards compatibility), but the return type of linetype(pen) is now real[] instead of string (backwards incompatible). Implement native SVG path output (still requires dvisvgm-0.8.6). Implement SVG emulation of tensor patch shading (for a single patch). Change split so that an empty delimiter splits on spaces, discarding duplicate spaces. Add fillrule argument to draw(pic, path[], pen[]). Implement missing add routines. Implement 2D FFT. commit 00e952a57e9f9bbda96353de3373f0d6e5526dde Author: John Bowman Date: Tue Oct 27 01:46:53 2009 -0600 Minor optimization. commit 96fd0fe7e05563cc256fba6c895e064826efd558 Author: John Bowman Date: Mon Oct 26 10:54:05 2009 -0600 Generalize example. commit 05a17fddf40670c0435bea7cce5d82db2b8f1923 Author: John Bowman Date: Mon Oct 26 10:46:27 2009 -0600 Improve example. commit 0dfac9e96a027b8677f8aa708155aa2faea6af25 Author: John Bowman Date: Mon Oct 26 10:44:23 2009 -0600 Simplify example. commit 0380e389da6be2a056ece5e8586985aadf481286 Author: John Bowman Date: Mon Oct 26 10:32:44 2009 -0600 Improve inset graph. commit 37da15cebb919bc42c1ad7c3bc6f14b0470c43d3 Author: John Bowman Date: Fri Oct 23 00:10:48 2009 -0600 Fix rational NURBS sizing; add example. commit 57ebc8ffefa5ac6c3735ec8115fd98ded085dd75 Author: John Bowman Date: Thu Oct 22 23:41:37 2009 -0600 Fix control point normalization of rational NURBS surfaces. commit 0211934ae5bf87c192a68ecac2339d511529812b Author: John Bowman Date: Thu Oct 22 00:29:30 2009 -0600 Enable workaround for dvisvgm bounding box bug (requires dvisvgm-0.8.6). commit 6c63d91654cbe7b929a0750f92749ae71b4c6331 Author: John Bowman Date: Mon Oct 19 14:14:52 2009 -0600 Fix typo. commit 1852ebbdf6968606424c611eba5609abd5dc9107 Author: John Bowman Date: Mon Oct 19 14:13:51 2009 -0600 Fix inlinemovie3. commit 54551fedfb8047a3ca3ca50f0bbfda07a119b85a Author: John Bowman Date: Mon Oct 12 14:44:03 2009 -0600 Resolve ambiguity in arc. commit 1b2b1d9d1de46d07d2cb16ab92ba0dad431985fd Author: John Bowman Date: Mon Oct 12 10:12:13 2009 -0600 Don't garbage collect PRC entities. commit aca4826183e96d9f193883a1373447e59318ab28 Author: John Bowman Date: Sun Oct 11 08:39:19 2009 -0600 Improve colours. commit 2f57f3013c38bce184d9f822fff740155a059292 Author: Orest Shardt Date: Sat Oct 10 15:04:06 2009 -0600 Do not compute vector at (0,0); use a instead. commit 11d22f73ce385277021a7f5aa1dd0acc1d9af68b Author: John Bowman Date: Fri Oct 9 02:13:23 2009 -0600 Convert labelpath to png for svg output. commit 36f156597d65d8381c26fe5c975f0503d88eba68 Author: John Bowman Date: Thu Oct 8 16:28:27 2009 -0600 Add support for passing bbox to dvisvgm (currently disabled; this requires dvisvgm-0.8.6 from http://dvisvgm.hg.sourceforge.net/hgweb/dvisvgm). Fix erase when outputting SVG graphics. commit f480bb7082de70848628ff6bcb6b113a2a24a958 Author: John Bowman Date: Thu Oct 8 14:17:12 2009 -0600 Fix formatting of error messages. commit 4a7cbd42478c92051c16f084f33a949480614f11 Author: John Bowman Date: Wed Oct 7 21:12:37 2009 -0600 Use ghostscript pngalpha driver to produce transparent png files. Produce transparent png files for unsupported SVG elements. commit 9fe5af671b62c0be5dee2c3fc5c65c803b0282be Author: John Bowman Date: Tue Oct 6 21:59:53 2009 -0600 Fix surface and path3 garbage collection. commit 6e1823d47ca88b8f2f7dbc0047134a2f6d108f73 Author: John Bowman Date: Tue Oct 6 21:06:44 2009 -0600 Improve garbage collection. commit 8eb8dd4dd23a2f01cfb83dc13c104ed1f4d63482 Author: John Bowman Date: Mon Oct 5 23:21:23 2009 -0600 Force pdfformat when using a pdflatex texengine with an alternative output format. Force settings.align="B" for non-EPS output formats. commit 039d69203c0c6fa63d33482853450003f5d41dfd Author: John Bowman Date: Sat Oct 3 15:45:21 2009 -0600 Workaround broken curses.h header file on i386-solaris. commit aaf46eaa973bb4574fecfab4b6920435a4cdc556 Author: John Bowman Date: Fri Oct 2 15:54:31 2009 -0600 Fix center table compression under optimization. commit de78b4ca31253167f2f7bf427566342126880513 Author: John Bowman Date: Fri Oct 2 09:03:23 2009 -0600 Document Billboard and Embedded labels (see the example billboard.asy). commit e59a608e691ab1b829843808ba4355428428e334 Author: John Bowman Date: Fri Oct 2 02:51:30 2009 -0600 Add code for removed file. commit c0fc62ca6d83523cdf0e82e41925c1fe54d1b5d2 Author: John Bowman Date: Fri Oct 2 02:50:40 2009 -0600 Increment version to 1.89svn. commit 3d506c981417015fad8b50c58f1c7ae8c5515166 Author: John Bowman Date: Fri Oct 2 01:25:43 2009 -0600 Remove obsolete part name code. commit f771a8671cdfa4caf9effb46f86e44f76465b422 Author: John Bowman Date: Thu Oct 1 21:52:36 2009 -0600 Add Arrow to tutorial example. commit 1a7944b9c943c2488edd366c322b8866a1ee7248 Author: John Bowman Date: Thu Oct 1 21:45:34 2009 -0600 Store center values in a lookup table. commit f016bed702c2b32a3e1351eec8f322c30e7923b2 Author: John Bowman Date: Thu Oct 1 17:37:30 2009 -0600 Implement PRC billboard labels. Rename settings.billboard to settings.autobillboard. Make settings.autobillboard=true by default. commit 3cd6f39dcd3340cdc936c6a2cbe70c642dd402d3 Author: John Bowman Date: Tue Sep 29 17:09:51 2009 -0600 Improve tutorial. commit 83d1250ec4df70d30b3b113e0fb656bb2f7b6682 Author: John Bowman Date: Tue Sep 29 14:59:26 2009 -0600 Improve tutorial. commit 28ec8495d0062c18dea0b6902cffdaa3661f794c Author: John Bowman Date: Tue Sep 29 10:07:11 2009 -0600 Add examples. commit 476b4de0787becd2e1f4ce567b8ea01e637abd61 Author: John Bowman Date: Mon Sep 28 19:42:07 2009 -0600 Fix compilation under -disable-gl. Fix billboard size computation. commit 40e003e12fba455444cf863bafc4f916036e20a9 Author: John Bowman Date: Mon Sep 28 14:27:52 2009 -0600 Add example of arbitrary 3D background plane. commit 956766e1ab552e8ad330f41703728a2539693b29 Author: John Bowman Date: Mon Sep 28 14:21:07 2009 -0600 Cache meshpen, knot, weight, and color arrays. Change bottom=false argument to bottom=true. commit c72533006097421745e15983fd5bd3ad090d2363 Author: John Bowman Date: Mon Sep 28 13:39:58 2009 -0600 Clean up auxiliary dvi file when producing SVG. commit a2aa7a0b9be009c587b5fd6bae57962f53184b03 Author: John Bowman Date: Mon Sep 28 10:16:08 2009 -0600 Add operator * (transform3, obj). commit b3d646dfef5d4326a3aa5bff4745ae713ca5223a Author: John Bowman Date: Mon Sep 28 03:39:58 2009 -0600 Increment version to 1.88svn. commit f13df983c7f9a4db3b2498dcbe56f2a61e1df596 Author: John Bowman Date: Mon Sep 28 01:57:28 2009 -0600 Simplify code. commit 5700ba631f979a809a7b685cbc495f9035725ca8 Author: John Bowman Date: Mon Sep 28 01:30:36 2009 -0600 Implement settings.hyperrefOptions. commit a251ed7aee647f84007449515bf186d241d2ed4e Author: John Bowman Date: Mon Sep 28 01:13:24 2009 -0600 Implement billboard labels in OpenGL renderer (not yet implemented for PRC). commit bff9ef341c1595388e2049760f58a0ab5385b197 Author: John Bowman Date: Sun Sep 27 14:54:59 2009 -0600 Implement framerate option for OpenGL movies. commit f5b6d19deaed77f141de84d40912cd68ec752550 Author: John Bowman Date: Sun Sep 27 14:31:34 2009 -0600 Fix OpenGL animations. commit d571f0bb2a62f666fb46d3c6d82df51c98ab02e3 Author: John Bowman Date: Sat Sep 26 22:50:38 2009 -0600 Implement a projection() function that returns the interactive camera parameters as a projection. commit 0ed8cb015056d1ce22944ca82abf4655420440ca Author: John Bowman Date: Sat Sep 26 22:21:39 2009 -0600 Fix premature memory deallocation bug. commit 28c90d0ce6ece4ef15c31b9b8cb077c3b4d2c7fd Author: John Bowman Date: Sat Sep 26 10:05:26 2009 -0600 Simplify transform3. Add additional functions for inverting paths to 3D. commit 68a46d3ff504f6235e5a2b04f7bb8b4117a13de5 Author: John Bowman Date: Fri Sep 25 14:47:37 2009 -0600 Improve tutorial. commit 005b5d7da149db0da8cb3de5a000e87596a31919 Author: John Bowman Date: Fri Sep 25 11:17:02 2009 -0600 Fix erase. commit 47fdd56f0895eca33d282b2db950df4040051635 Author: John Bowman Date: Fri Sep 25 00:51:29 2009 -0600 Minor documentation improvements. commit 158761286236e4c3ed3493930d0fed5679c8a87a Author: John Bowman Date: Fri Sep 25 00:29:33 2009 -0600 Resize 3D example. commit 93b4686d2ff546fc2dcf705b9c4af5c40a54e8ff Author: John Bowman Date: Fri Sep 25 00:27:33 2009 -0600 Don't modify settings. commit 6b54c2fde17460fd58d1cd08194a92fa174cec18 Author: John Bowman Date: Fri Sep 25 00:08:10 2009 -0600 Fix viewportsize bug. commit 0831668a76a53c0a62e8b49fa69977e4c10b7387 Author: John Bowman Date: Thu Sep 24 23:04:19 2009 -0600 Improve tutorial. commit 413d037c5d3de6e905e0ce13eb711c2eaaaa8f2f Author: John Bowman Date: Thu Sep 24 22:59:37 2009 -0600 Make erase() clear the PostScript canvas again. Implement an interactive erase commmand that does not require parenthesis. commit e99368945ae28cc10e0065912bbf0345e9d060da Author: Philippe Ivaldi Date: Thu Sep 24 17:29:07 2009 -0600 Add support for master tex file to asy-mode.el commit ec61cada1c64452fe97ac0ffd6d0785fabe115c4 Author: John Bowman Date: Thu Sep 24 16:33:47 2009 -0600 Set ucyclic and vcyclic only for surfaces described by a full matrix. commit 6345c5afffd670d231aee5e05ced5662bcea905d Author: John Bowman Date: Wed Sep 23 10:55:31 2009 -0600 Move miniltx path parsing patch into C++ code. commit 970f70cf4fab1dee495bbf9f95c0bfcd077b85d4 Author: John Bowman Date: Tue Sep 22 15:29:30 2009 -0600 Simplify interaction of -outname and prefix argument of shipout. commit 83689ba1321c3019c0af56e8b15304b602ba6ee5 Author: John Bowman Date: Mon Sep 21 21:17:44 2009 -0600 Add patched graphicx.tex file. commit 95dde9cbab250b9e20adb69f1d92f32a2370d5ac Author: John Bowman Date: Mon Sep 21 13:19:12 2009 -0600 Improve indexedfigure API. commit 7fe28533c9d2775911ee9da568fb69d29e9e9d9e Author: John Bowman Date: Sun Sep 20 08:59:36 2009 -0600 Generalize OmitTick to omit both major and minor ticks. commit 4e2c341347215e7aed1d002b169ec176ca1da8b7 Author: John Bowman Date: Sat Sep 19 23:28:23 2009 -0600 Simplify ENDIAN test: avoid redundant flags and support ACTION-IF-UNIVERSAL. commit c7bc6f7711db47756997888d70846b65724787d0 Author: John Bowman Date: Sat Sep 19 23:18:31 2009 -0600 Remove spurious spaces from example. commit 15471a4ff31ff7ae8b8e17c36f92fd44d41b4500 Author: Philippe Ivaldi Date: Sat Sep 19 04:18:26 2009 -0600 Add links to licence commit 99a99b9a5750d3a72ee8ec4641f13c6d0d3df863 Author: John Bowman Date: Fri Sep 18 23:07:43 2009 -0600 Update example. commit 28d308a229977054f066af360635027f500a0f1a Author: John Bowman Date: Fri Sep 18 23:01:27 2009 -0600 Generalize addViews to handle any layout; change the default from ThreeViewsFR to SixViewsUS. commit d20c0989d6f7914f839d67760fa7fa7157dfb012 Author: John Bowman Date: Fri Sep 18 15:48:06 2009 -0600 Increase dvisvgm verbosity level. commit 57254a17d7bfd6f7daa4a948215435ebe7116eef Author: John Bowman Date: Thu Sep 17 23:29:55 2009 -0600 Allow PRC node names for labels and dots. commit 84e20dc1912c59b45231828be24d9b5ef2fdd373 Author: John Bowman Date: Thu Sep 17 22:13:04 2009 -0600 Add stereoscopic example. commit 0e6d64647683c0e8ec650c6ede27f2bfe2fc4a9a Author: John Bowman Date: Thu Sep 17 11:48:06 2009 -0600 Implement addStereoViews. commit 06988fdcfc225a82fa57b85e5763c433e14cad32 Author: John Bowman Date: Thu Sep 17 09:51:24 2009 -0600 Remove obsolete patch. commit 79e893678011406031dcdadc7f903710e17aba16 Author: John Bowman Date: Wed Sep 16 21:38:30 2009 -0600 Add reverse and step actions for OpenGL movies. commit 620b86903c7e0416295ddd4cb0c4210187360d87 Author: John Bowman Date: Wed Sep 16 20:43:51 2009 -0600 Make stop pause animation. commit ccdc35f8f4e3504943d62f3fca7dba701ae0c910 Author: John Bowman Date: Wed Sep 16 13:52:14 2009 -0600 Add support for svg output; this requires a DVI-based TeX engine and (preferably patched version of) dvisvgm-0.8.3 from http://dvisvgm.sourceforge.net/ commit b0ba757a3acd232a4b7d604e4d3a6a7976e4bf97 Author: John Bowman Date: Tue Sep 15 21:12:04 2009 -0600 Update links. commit d52ed585466957d4a26c67d06690861b99f9f0da Author: John Bowman Date: Tue Sep 15 13:42:16 2009 -0600 Handle a degenerate axis range. commit c66d26028097560e9e56c88ec96c2c7704df1a6a Author: John Bowman Date: Tue Sep 15 13:18:06 2009 -0600 Handle degenerate palette ranges. commit f9242094efa6d9f49c3b36fd8f4106202d47613f Author: John Bowman Date: Tue Sep 15 04:04:45 2009 -0600 Remove obsolete pstoedit patch, now that pstoedit-3.50 has been released. commit bf8510a58161029ac28abfc8ef02964ae06511d6 Author: John Bowman Date: Sun Sep 6 13:08:25 2009 -0600 Increment version to 1.87svn. commit 1294be62b09d75a8af7c5583d7d31ff7ec1a1d3c Author: John Bowman Date: Sat Sep 5 13:34:57 2009 -0600 Fix uninitialized variable. Add missing name arguments. commit 44dea257993a1d0b8b85dbf8ebee7b92594a2208 Author: John Bowman Date: Sat Sep 5 01:17:23 2009 -0600 Fix string ambiguity. commit e76df5392dfc3f00dc25a901d6251b91d9220161 Author: John Bowman Date: Fri Sep 4 15:36:17 2009 -0600 Remove spurious argument. commit 436701369ae2f53c4573fdaad99d55ec1527ab3b Author: John Bowman Date: Fri Sep 4 15:35:24 2009 -0600 Move begingroup and endgroup to oPRCFile class. commit 2539dc4db71731e27766310f0fdc9dad7e9a52c9 Author: John Bowman Date: Fri Sep 4 15:28:31 2009 -0600 Remove spurious brace. commit 132a6294bc632deb35417c7b5cc6246316d1b886 Author: John Bowman Date: Fri Sep 4 15:27:09 2009 -0600 Add PRC model name support to begingroup3 and endgroup3. commit 4ef5eb3cdce70a1eb8c383444b9efd3c01b5d45d Author: John Bowman Date: Fri Sep 4 10:28:47 2009 -0600 Support naming of PRC parts. commit 8fabefee19a41ea9735b4ec98de1e9385553e9f8 Author: John Bowman Date: Fri Sep 4 05:28:59 2009 -0600 Check for correct version of readline library. commit fbb620ff0ee3a9c5d0a33b4983dd0d51ee732c30 Author: John Bowman Date: Fri Sep 4 05:13:50 2009 -0600 Add -lreadline to $LIBS. commit b89417fbb590c3a3d1645f8fc0d09cb99b0c7623 Author: John Bowman Date: Fri Sep 4 05:06:33 2009 -0600 Fix readline test. commit 9a6132abdb8d529587ee7edb28b5d185c8beead3 Author: John Bowman Date: Fri Sep 4 04:39:43 2009 -0600 Improve GNU readline test. commit 7c7246361d8378fbe01997a1d978a3ea2de20e3d Author: John Bowman Date: Thu Sep 3 12:35:35 2009 -0600 Fix typo. commit 2e2f756209acc727ea0bb95e70c2935da3b74cdf Author: John Bowman Date: Thu Sep 3 12:34:12 2009 -0600 Fix radius of curvature at nodes. commit 262d7c7f6f95b1986fe6a97366fcd3a30611ae84 Author: John Bowman Date: Wed Sep 2 16:39:30 2009 -0600 Reduce NURBS memory usage in polynomial case. commit 240415803877c72d83513e5d70a83559153809a7 Author: John Bowman Date: Wed Sep 2 16:36:06 2009 -0600 Fix NURBS sizing. commit 4f525cec551be4f68f1c2b50cb734ec86d9795de Author: John Bowman Date: Mon Aug 31 02:00:43 2009 -0600 Optimize PRC polygons. Reduce surface memory usage. commit c90bfe48427c48edf00eb6f5d7baddfd7340ae5d Author: John Bowman Date: Fri Aug 21 17:45:52 2009 -0600 Increment version to 1.86svn. commit 6a73c6c84f03bf801c2a3e3e21fd14d96d6086ef Author: John Bowman Date: Fri Aug 21 15:22:51 2009 -0600 Fix typo. commit 6d98b59a38857d7f9e0f5c52cd2514f03eb3ead0 Author: John Bowman Date: Fri Aug 21 15:22:10 2009 -0600 Move remaining picture operations. commit f47a7155eaa39e2218d25563a989246a96e23f92 Author: John Bowman Date: Fri Aug 21 15:21:36 2009 -0600 Rename labelsurface to surface; extend also to surfaces containing a single patch. commit be47838d06af021d2074aa8d09580e2bf19fb965 Author: John Bowman Date: Thu Aug 20 23:08:28 2009 -0600 Add missing pen dimensions to sizing routine. commit e86466c814c27abddcdde8ba534c6b8dd0144fe0 Author: John Bowman Date: Thu Aug 20 22:15:10 2009 -0600 Fix compilation on platforms that lack OpenGL. commit 9bc8505e57fbbb496b4231ad75218e369c91f249 Author: John Bowman Date: Thu Aug 20 08:39:20 2009 -0600 Increment version to 1.85svn. commit 0f99c085bd848e8ea759e8027938d7234b83c62d Author: John Bowman Date: Thu Aug 20 00:47:14 2009 -0600 Fix readline conditionals. commit 78dfab9cb0667c2c7e0907d1393c8223acacfded Author: John Bowman Date: Thu Aug 20 00:26:46 2009 -0600 Split runtime further. commit d2af5f1ac81c368f813006f8dda2f7cff88ff046 Author: John Bowman Date: Wed Aug 19 22:18:19 2009 -0600 Split runtime further. commit fb91344ff828361d467468ab012ad8ce5be3c779 Author: John Bowman Date: Wed Aug 19 22:06:02 2009 -0600 Split runtime.in further. commit 6543e81a99fa39d9b2737f805eb918c36a37681a Author: John Bowman Date: Wed Aug 19 17:23:45 2009 -0600 Start splitting runtime.in. commit 224a0cabc2a2571be7c4e9e82a22c0e14b8cce63 Author: John Bowman Date: Wed Aug 19 07:52:08 2009 -0600 Rename example. commit 79e9aea7b99386a7f939bb820a2d7cdba4ff4ed6 Author: John Bowman Date: Wed Aug 19 01:12:04 2009 -0600 Move new example to examples directory. commit 0ec04f08aa90a6b60d51108d4048299a62b7ebb3 Author: John Bowman Date: Wed Aug 19 01:08:56 2009 -0600 Extend NURBS interface. commit 17363b9b3fbcbaaf91137cc3aa2a3308f8159d35 Author: Andrei Catuneanu Date: Tue Aug 18 22:08:55 2009 -0600 Added structure pertaining to recursive subdivision of patches. Added example of use in surfacesplit.asy. commit d358b2232f83cc0708aa5670098d938e1d21ea57 Author: John Bowman Date: Tue Aug 18 10:30:30 2009 -0600 Remove obsolete function. commit 1b39ef88f10a730c9233ec8d9abeaf53b90d3d12 Author: John Bowman Date: Mon Aug 17 00:16:29 2009 -0600 Move approximate NURBS bounds to C++ code. commit 7f5652be5d1c3df6ab5deabebc66ab60daf4519b Author: John Bowman Date: Sun Aug 16 15:50:08 2009 -0600 Remove inline qualifier. commit c23f68334ca0a21c236498c806a958bb1731b851 Author: John Bowman Date: Sun Aug 16 15:44:05 2009 -0600 Fix perspective PRC viewportmargin. commit 785cbe47263c17d355184a247e64c8de0224aa9b Author: John Bowman Date: Sun Aug 16 14:57:48 2009 -0600 Enable rational NURBS. commit a7bf3625b440fad36f9fb89eee5ce651bdee580d Author: John Bowman Date: Sun Aug 16 14:46:04 2009 -0600 For clarity, use single quotes instead of double quotes. commit 690c54d98e06da6ee8931fb47ad20ad06028a017 Author: John Bowman Date: Sun Aug 16 11:08:20 2009 -0600 Compare to control point bounding box rather than patch bounding box. commit ff6c5bcc60187796e21ef5dc89f7bfde0b7c2e52 Author: John Bowman Date: Sun Aug 16 10:06:11 2009 -0600 Fix comment. commit 9ef12ec3ca7f52064ef0471748ba24c80329e595 Author: John Bowman Date: Sun Aug 16 01:19:43 2009 -0600 Add preliminary NURBS support (so far only implemented for PRC). commit 099ec542b77e480fdbb604222051b7396242ac57 Author: John Bowman Date: Sat Aug 15 20:53:15 2009 -0600 Clarify asymptote.sty license. commit de6005b749685dc44b8ceda243cb22f7be27068f Author: John Bowman Date: Sat Aug 15 09:38:41 2009 -0600 Remove unwanted spaces in asymptote.sty. commit 972dda4fa1cb6f8c816797f06da6c3c5911c8dd9 Author: John Bowman Date: Sat Aug 15 03:01:42 2009 -0600 Increment version to 1.84svn. commit 6634bb81d4d89ee1f824064af635a69215f226d1 Author: John Bowman Date: Sat Aug 15 01:16:08 2009 -0600 Fix dependency. commit 9c1a615f4b4ac132f0bb5c2e68bff26269c46d6e Author: John Bowman Date: Sat Aug 15 00:28:59 2009 -0600 Embed parametric equations on Klein bottle. Add new example. commit 19f934368489b7223888adb889015611188a4f9c Author: John Bowman Date: Sat Aug 15 00:17:32 2009 -0600 Improve diagnostics for missing libz library or texi2dvi program. commit e4b876f284c2df9de310df65112847402748d73b Author: John Bowman Date: Fri Aug 14 23:25:57 2009 -0600 Add light argument to fit() and shipout(). commit 01c20bad45364434a4b532c03f255f5dfde46e33 Author: John Bowman Date: Fri Aug 14 22:36:55 2009 -0600 Remove redundant angle arguments. commit 801972e733d768a3f7bccd0f8a3835b28a7b485b Author: John Bowman Date: Fri Aug 14 21:57:06 2009 -0600 Remove unwanted quotes from LaTeX jobname. commit 76e4f53bb7104026a12e8e2aef525a3ed2d2b27f Author: John Bowman Date: Fri Aug 14 17:05:07 2009 -0600 Fix display of generated file names with spaces. commit 204d3a3d6ad00203b843161aeda0d8f871145ce1 Author: John Bowman Date: Fri Aug 14 09:05:32 2009 -0600 Check only primitive types for virtual file mode members. commit 63535fdc7dc4245437aaef5b88a07ea74ad1dd79 Author: Philippe Ivaldi Date: Fri Aug 14 08:50:49 2009 -0600 Removing duplicated text of license commit f945cbfd799439d8af6b5cd26a4246e15598b108 Author: John Bowman Date: Fri Aug 14 04:19:54 2009 -0600 Restrict file modes to ty_file. commit d8203d9c0b8a4084b36a0b7c9cdc304a731f622a Author: John Bowman Date: Fri Aug 14 04:02:48 2009 -0600 Update tests. commit 31794c39134751f2697bf84eaa42c2019dc13e05 Author: John Bowman Date: Fri Aug 14 03:41:41 2009 -0600 Make file mode functions virtual members; this backwards incompatibility requires that line(file f) be changed to f.line(), etc. commit 4e479144f8f21f35b97ab322c32dd31a82e98d62 Author: John Bowman Date: Thu Aug 13 22:36:05 2009 -0600 Remove obsolete cyclicflag and void cyclic(bool) functions now that the cyclic member of an array is writeable. commit 3b4595b6f31ca06107f589f58b558727135bce96 Author: John Bowman Date: Thu Aug 13 22:06:27 2009 -0600 Don't overwrite viewportmargin. commit 7b97ed0aebb30591dddb10057d198a429e6712bb Author: John Bowman Date: Wed Aug 12 17:33:31 2009 -0600 Check ASYMPTOTE_HOME instead of ~/.asy in search path. commit 761284a25d0f2b2de505d9bfb9decedfe4a278ed Author: John Bowman Date: Wed Aug 12 16:12:31 2009 -0600 Fix texpath initialization. commit 4e5ed7ce97044102c22c48bfd0cce001ae976dca Author: John Bowman Date: Tue Aug 11 01:32:50 2009 -0600 Increase linegranularity. commit 6ddc1c963bea6ab9ffd5a367f61b3c3d183c3983 Author: John Bowman Date: Mon Aug 10 23:38:34 2009 -0600 Fix splitting indices. commit 1606e9a7dc40147924b4378ca982d79e1ec2defe Author: John Bowman Date: Mon Aug 10 22:28:47 2009 -0600 Fix definition of normal in regularize. commit 6d9797048c32dfdfed6f73c225f014f1eee4989f Author: John Bowman Date: Mon Aug 10 21:27:22 2009 -0600 Improve example. commit feb14e5db7ef6a3a4188c4581e06de0e091b9778 Author: John Bowman Date: Mon Aug 10 21:21:17 2009 -0600 Use splined parametric surfaces to implement smooth thick lines. commit 076761589b35f8dc9e9117b97cbd746d36704a4a Author: John Bowman Date: Mon Aug 10 11:28:37 2009 -0600 Don't nest picture environments used for TeX clipping (not used for ConTeXt since the \beginpicture...\endpicture environment is still broken; this only affects the clipping of labels outside the bounding box.). commit 47a5dfc993cdc6f2905315787ad520d091f3b73d Author: John Bowman Date: Sun Aug 9 15:47:06 2009 -0600 Remove private qualifier from rmf. commit 145f90a3130752c459dbc9f66773e3bed3221a02 Author: John Bowman Date: Sun Aug 9 01:34:45 2009 -0600 Copy transformation T in projection.copy(). commit 0b2ab9915bfa3f189a049cd1572859769a49f6fc Author: John Bowman Date: Sun Aug 9 00:49:51 2009 -0600 Construct patches with the usual orientation for a counterclockwise external path; update tensor product shading to be consistent with this more sensible convention (rather than the reversed format described in the Postscript Language Reference Manual). Make the default currentlight=Headlamp for consistency with Adobe Reader; the previous currentlight is now called Viewport. Fix uequals, vequals, and surface indices; implement ucyclic() and vcyclic(). Add rendermargin parameter. Add triple dir(explicit triple) function for consistency. commit a969e6d7692d5007580b988c396d3fcdc7dced5e Author: John Bowman Date: Sat Aug 8 13:00:47 2009 -0600 Tune Headlamp. commit 6c8eb4afb4c8061d820e7a5be87ae7713d24768c Author: John Bowman Date: Thu Aug 6 20:38:26 2009 -0600 Add labelsurface function. Add min(frame, projection) and max(frame, projection). commit cf6cba7dc2ab278123e56c7277f6539340618da5 Author: Andy Hammerlindl Date: Tue Aug 4 11:17:53 2009 -0600 Added more error-checking to runtime.pl. commit 0b5837ac2166cf8175fc3e36da0b2fc81dc8cbf0 Author: John Bowman Date: Tue Aug 4 00:35:17 2009 -0600 Fix projected bounding box calculation and angle calculation. Remove viewportfactor and anglefactor; increase angleprecision. Cache modelview matrix. commit b75fcd0159de28b45e51f0bd96a27ec5388bb110 Author: Andy Hammerlindl Date: Mon Aug 3 13:48:16 2009 -0600 Refactored pushing and popping processData. commit 7ad2c2ef9501444d77fa59c83edbe1d61ef0dfd0 Author: John Bowman Date: Sat Aug 1 14:03:12 2009 -0600 Simplify example. commit 864166dbc8de454da1707813df8b1e61851a1b42 Author: Andy Hammerlindl Date: Fri Jul 31 10:39:57 2009 -0600 Removed TODO items I no longer feel like doing. commit 71d08ceee7cb423100f202635aacaa934b27aa8a Author: Andy Hammerlindl Date: Thu Jul 30 14:22:52 2009 -0600 Removed menv. commit e1c2a656deb5ad0eb2641f3e7cc0b26e47bc880f Author: Andy Hammerlindl Date: Thu Jul 30 13:19:42 2009 -0600 Added support for splitting runtime.in into several files. commit 20d37a73fddd374ac4c7da3387023b3650ba46a8 Author: John Bowman Date: Thu Jul 30 08:44:44 2009 -0600 Rename splinetype.asy to graph_splinetype.asy. commit 4bd1bb0a4e0146ce62e4e295da5178b3a8db29d7 Author: John Bowman Date: Wed Jul 29 00:36:18 2009 -0600 Add uequals and vequals functions for indexed surfaces. commit 694920eee2c4bf681573f2d6fd8636b9650eaa90 Author: John Bowman Date: Wed Jul 29 00:35:28 2009 -0600 Enable getstring with --interactive even if not a tty. commit b077254e708b9c5e15fa7bcdabaa06d2b69ae280 Author: John Bowman Date: Tue Jul 28 01:17:37 2009 -0600 Add surface indices. Add nonuniform parametric surface routine. commit 206cc9c77018c8b1375415b9d9267aecd3bee926 Author: John Bowman Date: Mon Jul 27 14:53:25 2009 -0600 Fix formatting. commit 3408c1abb864c973e888ef8dc0e05a6e0c283fad Author: John Bowman Date: Mon Jul 27 14:25:07 2009 -0600 Separate code to split a path into nondegenerate Coons patches out of surface constructor. commit 8b3cb0c0f8611dda5d4f30496ea5bbbc59a59b3f Author: John Bowman Date: Mon Jul 27 10:17:48 2009 -0600 Generalize extrude. commit fa43efac07167bb002a08313f04e88c7eb287941 Author: Andy Hammerlindl Date: Mon Jul 27 00:24:19 2009 -0600 Removed finished TODO item. commit ca891da0ff3b8208b18a49faedd373fd01087fa8 Author: Andy Hammerlindl Date: Mon Jul 27 00:23:45 2009 -0600 Made more compact bytecode for pushing defualt arguments onto the stack. commit 3767fd75669d72611ea43fff12052c67a9b94470 Author: Andy Hammerlindl Date: Sun Jul 26 23:55:06 2009 -0600 Added detailed output for debugging bytecode. commit 9c2f666980851fa0ef43ded88eaee9b69a5783b2 Author: Andy Hammerlindl Date: Sun Jul 26 14:26:02 2009 -0600 Changed debugging output for DEBUG_STACK. commit 7a6043078e6d0e3a694d396c06a40f4c76bd0a10 Author: John Bowman Date: Sat Jul 25 23:35:36 2009 -0600 Fix typo. commit c76e1b0bb19ce13de0ef2ec895fd7cc1838cd461 Author: John Bowman Date: Sat Jul 25 16:39:31 2009 -0600 Implement empirical translation between OpenGL and PRC shininess. commit 569235a9a37a12341c1753f620ee5bf3d5181672 Author: Andy Hammerlindl Date: Sat Jul 25 10:31:06 2009 -0600 Added preprocessor option to print names of bltin functions. commit db669441b7bbaa6c00365b0731eaba597eeb53a2 Author: Andy Hammerlindl Date: Sat Jul 25 10:12:38 2009 -0600 Changed formatting of interactive write for overloaded variables. commit e89331ee4b555dffa54b40b7afbcb536439ce00a Author: Andy Hammerlindl Date: Sat Jul 25 10:11:39 2009 -0600 Automated definition of IntArray, etc. commit 16d362253bf942ea57a2e03afb19cc8414163df6 Author: John Bowman Date: Sat Jul 25 09:58:38 2009 -0600 Fix viewportshift flicker. commit bce50c71cb98440f42fc015253ea917cde3de926 Author: John Bowman Date: Sat Jul 25 02:05:50 2009 -0600 Embed 2D frame. Improve OpenGL movie generation. commit 884e85d4e6e1a7bb3beca73e40631f8c0fb345bf Author: John Bowman Date: Sat Jul 25 00:41:07 2009 -0600 Remove diagnostic. commit ce79a2da755a5a841ea55d69506fa888f46fdb4f Author: John Bowman Date: Sat Jul 25 00:01:06 2009 -0600 Update documentation on suppressing warnings. commit 0adc924c1215e27b947a5a46d7e047fb77ec490d Author: John Bowman Date: Fri Jul 24 23:57:15 2009 -0600 Allow asy warnings to be disabled. commit a9719315fbce2bf647e957a8f411fc1280d44478 Author: John Bowman Date: Fri Jul 24 23:54:43 2009 -0600 Delete intermediate files. commit 365a52b459701fd79b56ef8be55bb15d5c3795ba Author: John Bowman Date: Fri Jul 24 19:55:40 2009 -0600 Add missing typedef. commit 376acc56e739bc1a0515cbdf582566e71548333b Author: Andy Hammerlindl Date: Fri Jul 24 02:07:57 2009 -0600 Write type info for variables on the interactive prompt. commit c6e1933634f8c31fe56ae22304c5b9df1dd078e4 Author: Andy Hammerlindl Date: Fri Jul 24 01:45:10 2009 -0600 Made overloaded warning for interactive write less scary. commit db2f127e4687928cb72eee8466e5820382a8099f Author: Andy Hammerlindl Date: Fri Jul 24 01:42:07 2009 -0600 Minor changes to virtual fields. commit 603782425a4038c412769400e5a57bcf84c32e4c Author: Andy Hammerlindl Date: Thu Jul 23 19:24:46 2009 -0600 Add automated testing of array virtual fields. commit 6f0cc2df4ffe672177464e483b84bb28fd168a45 Author: Andy Hammerlindl Date: Thu Jul 23 19:20:22 2009 -0600 Implemented writing to virtual fields. commit a5720dbc46b31e1c5449cd9c4b5174609e238ee9 Author: John Bowman Date: Thu Jul 23 11:04:54 2009 -0600 Resolve ambiguity. commit 8bce737332a755c3a5faf42a3c9c5a3472c5dbcb Author: John Bowman Date: Thu Jul 23 01:20:35 2009 -0600 Add support for OpenGL animations (illustrated in glmovie.asy), including new autoplay and loop settings. Implement a portable Signal function based on sigaction. Add example of inset graph to xsin1x.asy. Improve animation fitting to guarantee a single transformation for all pictures. commit 493cef04561098dd7e4c2b59af5ba706cd2e84f3 Author: John Bowman Date: Tue Jul 21 10:59:05 2009 -0600 Extend embed(frame). commit 7e9a0f1ed063d4960784f2680a3ae52e356f7063 Author: John Bowman Date: Tue Jul 21 01:10:31 2009 -0600 Factor 3D fitting routine. commit 818cfaa9fdd0c2ab99ee13f68ac081a7e5d8c049 Author: John Bowman Date: Tue Jul 21 00:14:50 2009 -0600 Remove extra comma. commit 715a347291775ebb0798740c045ee3fd6f57a09d Author: John Bowman Date: Mon Jul 20 21:44:59 2009 -0600 Add missing picture sizing. commit ee449186aadfed17713f23da356f2e08fc87ae6a Author: Andy Hammerlindl Date: Mon Jul 20 15:12:11 2009 -0600 Added routines for stepping through external animations in slides. commit 454f559a21b8f13cab72bbb3a08db18fd0e5fffc Author: John Bowman Date: Mon Jul 20 00:35:29 2009 -0600 Increment version to 1.83svn. commit 4b0abd49ecae0d4b588b0f833c96b0fb18fbe05c Author: John Bowman Date: Sun Jul 19 22:57:37 2009 -0600 Use a consistent approximation for drawing tube centers. commit 01e4df92d03651d9d1ddca4a0418e097a7d2245d Author: John Bowman Date: Sun Jul 19 21:35:45 2009 -0600 Fix threaded exports. commit d65cc05bce215c8f2c526c1258a61964f7de06e2 Author: John Bowman Date: Sat Jul 18 15:26:12 2009 -0600 Respect -gray and -bw in PRC output. commit cdc39ade33395032d0450092fc54b9e6dfd46edc Author: John Bowman Date: Fri Jul 17 23:35:20 2009 -0600 Add default argument to transform3(projection). commit 26b7e01c3c7b1a2cdccc87d21c3feee46c164dcf Author: John Bowman Date: Fri Jul 17 22:19:35 2009 -0600 Fix texpath fontsize with PDF tex engines. commit e02c92524691931d63e66ce02d06e0f65cdb5dd6 Author: John Bowman Date: Fri Jul 17 19:55:57 2009 -0600 Add missing pt units. commit c5e192a6c46139a14e32209bd5167f486f82300f Author: John Bowman Date: Tue Jul 14 00:22:41 2009 -0600 Increment version to 1.82svn. commit d12953b58156403fdaf97b7e0051fb572f937ed9 Author: John Bowman Date: Mon Jul 13 22:36:37 2009 -0600 Fix initial angle calculation. commit 51ced8f17f84f0b445cdf828ea5b8d108239d5ca Author: John Bowman Date: Mon Jul 13 21:18:26 2009 -0600 Improve motion detection. commit e5f571b23a3439d0c7384004ca08bb7d16c6ee92 Author: John Bowman Date: Mon Jul 13 21:02:58 2009 -0600 Reinstate doubleclick motion detection. commit 5b086e6f82a2fa3b410131fe0ce297ee0c88b43d Author: John Bowman Date: Mon Jul 13 20:05:06 2009 -0600 Approximate off-axis projections (viewportshift) in PRC. commit 617b958952c3bab45d4b9d4ea36f3718b03c86ff Author: John Bowman Date: Mon Jul 13 18:55:52 2009 -0600 Remove unused include. commit eec81e59e37eee6ddc766df5d130d4b4ea4a84d0 Author: John Bowman Date: Mon Jul 13 18:51:32 2009 -0600 Fix lineskip units. commit 6f9cd42f8184241f0bbfe7d63f9e64efb25f7a28 Author: John Bowman Date: Mon Jul 13 18:41:39 2009 -0600 Rename minbound(triple[][], triple) to minbezier, etc. commit 10640da89ad9f2909257973207bae3e9643d0adf Author: John Bowman Date: Mon Jul 13 18:02:14 2009 -0600 Remove unused format argument from xasy. commit 75d7edb107496906a76167f8a8139050faef72e3 Author: John Bowman Date: Mon Jul 13 17:50:26 2009 -0600 Remove obsolete GIF deconstruction format and xformat setting. commit ee8e73b0935e740d6eda00b1652bf1730b5475c6 Author: John Bowman Date: Mon Jul 13 17:37:20 2009 -0600 Allow single quotation marks in filenames. commit 97e09e03f3b642361649a8a1a5a6149ff190e321 Author: John Bowman Date: Sun Jul 12 22:47:17 2009 -0600 Simplify code. commit d98d421602cd75c211e8a29a877806fb57ce89eb Author: John Bowman Date: Sun Jul 12 22:31:56 2009 -0600 Simplify code; remove cstdarg dependency. commit ac0c23a7f68737023039908e62a3ebe0c4bf122b Author: John Bowman Date: Sun Jul 12 16:31:02 2009 -0600 Add other missing path3 functions. commit 9c5c9495118edbc521c5c2c2297ea5c729dbf0cc Author: John Bowman Date: Sun Jul 12 14:48:40 2009 -0600 Set executable flag on PostScript files under MSDOS, to allow psviewer="cmd". commit dcf7e30049b9dc61ec6e8d50e01284814d585f88 Author: Andy Hammerlindl Date: Sun Jul 12 12:30:14 2009 -0600 Added beginpoint and endpoint for path3. commit 469e960021b292c2dbd647efc9b4a26c6b13db3d Author: John Bowman Date: Sat Jul 11 00:00:43 2009 -0600 Use "cmd" to request the default MSDOS file association. Change default file association for pdfviewer, display, and animate to cmd. commit d63e6e7da81ab3586cf6b31547f0e2bdd7b7458a Author: John Bowman Date: Fri Jul 10 15:24:29 2009 -0600 Improve illustration of ConTeXT font bug workaround. commit 4974258e557e4c720a4e8d8cabb622cd5b03da63 Author: John Bowman Date: Fri Jul 10 15:22:23 2009 -0600 Fix font units. Add example of ConTeXT bug workaround for fonts smaller than 12pt. commit ed90d4412e83ffee109d532ae2a641a57f57e9a4 Author: John Bowman Date: Thu Jul 9 12:28:50 2009 -0600 Fix doubleclick type. commit dd9dbab9779fc495d312a0cd5b382c2ad023ee73 Author: John Bowman Date: Thu Jul 9 12:25:46 2009 -0600 Change doubleclick setting to an int. commit a613f67ff82583b7363631353ed8559f11ccd478 Author: John Bowman Date: Thu Jul 9 12:20:40 2009 -0600 Use a portable doubleclick timeout. commit df1d4756de58eca4bc639664001f8b17413474aa Author: John Bowman Date: Wed Jul 8 09:33:37 2009 -0600 Add example of lmfit. commit 3b41314ac270ea39a7eac4aaade91407e2bad2e3 Author: John Bowman Date: Tue Jul 7 17:43:32 2009 -0600 Adjust camera again as part of 2D resizing. Respect keepAspect flag. Respect projection.autoadjust. commit 5988fd3e14da597c14892b37f6a2b0acba9c2f86 Author: John Bowman Date: Tue Jul 7 09:26:05 2009 -0600 Fix targetsize. commit 454dceb00c1e0257e8176f52b32a36a0c1f7bf9b Author: John Bowman Date: Tue Jul 7 09:24:59 2009 -0600 Fix 3D labels. commit a8134f0235c78bcfd5e0ee33c29ea83435f03ff7 Author: John Bowman Date: Tue Jul 7 08:17:31 2009 -0600 Add bool targetsize=true to 3D label routines; this forces labels to be drawn with the size they would have on the target plane. commit 300c6a5cae091d3d2a19bff1281e427d7a63ea1e Author: John Bowman Date: Mon Jul 6 21:35:38 2009 -0600 Increment version to 1.81svn. commit 298d4a4c0f6977f75156b1fa1cc193f98acfcd8b Author: John Bowman Date: Mon Jul 6 18:06:06 2009 -0600 Reinstate missing prototypes under CYGWIN commit a6c3aa3f6efc2a7763af915820c4d685d86a9f0c Author: John Bowman Date: Mon Jul 6 17:56:40 2009 -0600 Work around missing RPC definition under CYGWIN. commit 7a144376d3b59c86200bde80aece8ef030628c5b Author: John Bowman Date: Mon Jul 6 17:23:08 2009 -0600 Simplify code. commit f1e5195414fa122338f7f5b6a0a46802e381e9d3 Author: John Bowman Date: Mon Jul 6 15:29:09 2009 -0600 Update asymptote.info in install-prebuilt because of version.texi dependency. commit 209f0b28ac03cac92aeafe3cc364ed1f4c2a7d4a Author: John Bowman Date: Mon Jul 6 14:49:09 2009 -0600 Optionally inform user how to ignore a warning. commit 364b416c18b21fd577e120049b7fab653789614d Author: John Bowman Date: Mon Jul 6 13:43:30 2009 -0600 Make array.default(j=n) delete only entry j. Add warn(string) and nowarn(string) functions, along with settings.warnings Change "PATH" to "LOCATION" in error message. commit bf38d58f02109603cde2ec398855503336524ec7 Author: John Bowman Date: Sun Jul 5 23:02:24 2009 -0600 Mention psview as a better (and free) alternative to gsview for MSDOS users. Update documentation. commit 61ee4dd906defef1def9c318c63029f73b0949c2 Author: John Bowman Date: Sun Jul 5 22:05:56 2009 -0600 Remove obsolete CYGWIN code. commit 166d080355b2116e9166f35082e38afc0ad2bb2e Author: John Bowman Date: Sun Jul 5 19:49:35 2009 -0600 Work around u_quad_t conversion conflict. commit 97282a7e1a0124bba438ebfd1c4a1b81000bde50 Author: John Bowman Date: Sun Jul 5 10:29:05 2009 -0600 Add virtual fields name, mode, line, csv, word, singlereal, singleint, signed to files. Simplify single precision and signed interface routines. commit 9344391260559032440ba5fa38921766990b4365 Author: John Bowman Date: Sun Jul 5 10:10:35 2009 -0600 Add comments. commit 0446ed011f40775e2e9010cff77dfa3935faf765 Author: John Bowman Date: Sat Jul 4 20:39:50 2009 -0600 Fix animations with global=false. commit 1673555daff75b238c2c976afa2666eb08dceb2e Author: John Bowman Date: Sat Jul 4 15:39:12 2009 -0600 Use pthread_join instead of pthread_kill. commit 4d6b4a43ac76fb1c65c073aa3243ad7c15cda627 Author: John Bowman Date: Sat Jul 4 14:29:24 2009 -0600 Minor simplifications. commit 24120285fa1793f743b133edd415adb838a21634 Author: John Bowman Date: Sat Jul 4 13:05:54 2009 -0600 Update to version 1.04. commit 5263c5d789b346f0ba21b70635fd36858f107cd9 Author: John Bowman Date: Sat Jul 4 12:20:09 2009 -0600 Initialize lighting only in home(). commit 577619db29e83abffb14066047d4e1c07666d75d Author: John Bowman Date: Sat Jul 4 12:08:30 2009 -0600 Don't use POSIX timers by default due to portability issues. Call home() before quit to return to idle state and reset parameters. commit 04ca8cf39cd39719e2e2c2763de50d31547e486c Author: John Bowman Date: Sat Jul 4 12:05:07 2009 -0600 Exit GUI gracefully. commit 900998e8de5169fe4b34171d0c35e25e24188d40 Author: John Bowman Date: Sat Jul 4 01:53:43 2009 -0600 Force zoom/menu to be unmodified. Update documentation. commit 5cbbe2af3a21be9c53bfba6e53d9965635571fd6 Author: John Bowman Date: Sat Jul 4 01:32:54 2009 -0600 Fix left-button zoom/menu binding bug. Add new settings zoomfactor, zoomstep, spinstep, arcballradius, resizestep, and doubleclick. Improve doubleclick emulation by adding a timeout (default 200ms). Re-instate default zoom/menu right-button assignment. commit b4a6fb7ee8a9762a4943bf36b271945ce9f4ea93 Author: John Bowman Date: Fri Jul 3 16:43:19 2009 -0600 Enable all warnings when debugging. commit b27871b40d04c6f0432d463605f068322797cd07 Author: John Bowman Date: Fri Jul 3 16:28:54 2009 -0600 Add setting warn that allows one to enable or disable warnings like writeoverloaded. commit d86192bf3218ef996b1332c5f677d9b33d9f7561 Author: John Bowman Date: Fri Jul 3 01:39:13 2009 -0600 Improve interace to routines for setting single precision mode: remove the unused x argument, distinguishing the integer case with a new bool signedint argument before the file. commit 54ec4309d401e90f8e745fc4507c965e46a438e9 Author: John Bowman Date: Thu Jul 2 11:39:13 2009 -0600 Fix TeXLive docdir. commit 7ff6aeba07712c52a90a1f0a1d43f52226cc3b34 Author: John Bowman Date: Thu Jul 2 01:54:52 2009 -0600 Increment version to 1.80svn. commit 42a9cf3fef6c93a45d7d29d9ec9a47afeee9b05c Author: John Bowman Date: Thu Jul 2 00:26:57 2009 -0600 Change default right mouse button assignment from zoom/menu to zoom. commit d8f72fba757ac4c79e0477456758eff09255f5cf Author: John Bowman Date: Wed Jul 1 22:00:57 2009 -0600 Fix docdir under TeXLive. commit 294dfcc007f8c2ac7aabd6291fe7f470e59dae27 Author: John Bowman Date: Wed Jul 1 18:23:47 2009 -0600 Remove unused code. commit 02a790536fcc5096f092e727b3b06588e8520bc1 Author: John Bowman Date: Wed Jul 1 16:32:52 2009 -0600 Add viewportshift support for orthographic projections. commit 819d97e9d7c772bdb813738091a62e80e4c96786 Author: John Bowman Date: Wed Jul 1 02:49:09 2009 -0600 Improve lighting. commit 2209e0017ac6de0a2c360cf1aa4968b15c9be702 Author: John Bowman Date: Wed Jul 1 02:31:58 2009 -0600 Revert orthographic projection and lastzoom changes. commit 8f194513a8e34ebd05a69e46bc3e51e1a16b1560 Author: John Bowman Date: Wed Jul 1 01:06:52 2009 -0600 Don't exit on keystroke-initiated export. Invert internal zoom variable. Add pan (in addition to viewportshift) action to native OpenGL renderer. Output all camera settings as a projection, including mouse actions (pan, rotate, zoom, viewportshift). For convenience, add a zoom argument to perspective and orthographic projections. Add < (shrink) and > (expand) keystrokes. Remove unused code. Remove viewportpadding in favour of viewportmargin. commit 3f698d4ed49b08345dcbacece53fd49c01d97c97 Author: John Bowman Date: Wed Jul 1 00:41:37 2009 -0600 Add operator != for 2D arithmetic arrays. commit 92538e0221579d5c0de78c6042821228116231ab Author: John Bowman Date: Wed Jul 1 00:32:48 2009 -0600 Change integrate routines to output all computed values. commit 6ec413ee850ab4265101513015c1e273df83cff1 Author: John Bowman Date: Sat Jun 27 01:01:04 2009 -0600 Fix perp vector calculation. commit e0cb104ae79f0a46cf76d9d5ec7809d306639629 Author: John Bowman Date: Fri Jun 26 19:21:52 2009 -0600 Reset mouse motion function. commit 82c867354368193d5c3608ae445a8b5c5789d2d5 Author: John Bowman Date: Fri Jun 26 15:52:42 2009 -0600 Fix segmentation fault in operator == (real[][], real[][]). Add operator == (T[][], T[][]) for all builtin arithmetic types. commit d6342c43770749cf0bce45d9d3b5cb281eb99f84 Author: John Bowman Date: Fri Jun 26 00:19:00 2009 -0600 Use $TEXMFCONFIG/asymptote for configuration directory under TeXLive. commit 1745a978c038676dbc229c8c77d3e4b62be7ce5d Author: John Bowman Date: Thu Jun 25 23:42:49 2009 -0600 Remove unused code. commit b6aeddce1a4a386d0409c82b740676ac69deff69 Author: John Bowman Date: Thu Jun 25 02:51:31 2009 -0600 Remove etc/fstab kludge for cygwin 1.7 since it is no longer needed. commit baa70f8bb1dc3c4eab341e7146ade449107fc261 Author: John Bowman Date: Thu Jun 25 01:27:33 2009 -0600 Add E_RK2, E_PC, E_RK3BS exponential integrators. Fix dynamic timestepping; simplify logic. commit 0ebf258b96ffcbbafbdff7523e76fc87831fb3eb Author: John Bowman Date: Wed Jun 24 16:03:23 2009 -0600 Increment version to 1.79svn. commit 5f8b5d48f01b08a8a9d4b5023fdf3aa42f41a1b9 Author: John Bowman Date: Wed Jun 24 13:16:28 2009 -0600 Fix title message (assuming zoom/menu button is unmodified). commit e603921a16b1811549054a010a13f69290411539 Author: John Bowman Date: Wed Jun 24 12:26:15 2009 -0600 Fix align. commit 654514e6bdaf56f21c36339256a6d07dcd504b54 Author: John Bowman Date: Wed Jun 24 12:11:02 2009 -0600 Update documentation. commit 22de6a78ac81daa6ef71fb3f2ed9a4642d7f291c Author: John Bowman Date: Wed Jun 24 11:24:54 2009 -0600 Add support for generating syntax highlighting for the KDE editor Kate. commit 6a083b4d39be153629958a5ff55a3c767f5733af Author: John Bowman Date: Wed Jun 24 11:17:55 2009 -0600 Remove redundant redundancy. commit 36067c1c8840510dc685b4e2582b20e6b645a9e2 Author: John Bowman Date: Wed Jun 24 11:04:49 2009 -0600 Change exit to exit /b (end currently executing batch file). commit ed4b675bce60a1342259cc7c76c67c2c4863f5c7 Author: John Bowman Date: Wed Jun 24 01:54:43 2009 -0600 Implement customizable mouse bindings. commit 1bf2cc08b2c6fca676d231f19e12047c330af170 Author: John Bowman Date: Tue Jun 23 10:15:33 2009 -0600 Use --no-warn option for portability. commit 5441bf90562e8bd0893187540b7d9c838d9485d9 Author: John Bowman Date: Tue Jun 23 03:12:03 2009 -0600 Fix interactive exports. commit b2096edd14a4c809c5092c3256a9c21a53ad158c Author: John Bowman Date: Mon Jun 22 21:23:59 2009 -0600 Increase textwidth and textheight. commit 0151aeea0ad3e944cb2a85a98f10410136f6b7e9 Author: John Bowman Date: Mon Jun 22 13:31:48 2009 -0600 Fix configure --disable-gc. commit 94d5833448064e77a56eadaa5e9a7d70db93682d Author: John Bowman Date: Mon Jun 22 11:48:21 2009 -0600 Fix thread locking. commit 32b9f044fe320f369fab6298993d58f7a01b123a Author: John Bowman Date: Mon Jun 22 07:59:23 2009 -0600 Make the install-prebuilt target omit texhash. commit 018a27c40169212efd9a5edaaa0f2ab571dc355e Author: John Bowman Date: Mon Jun 22 01:27:24 2009 -0600 Clean up patch. commit d4080b995a74b931500406776d4f4d4432973156 Author: John Bowman Date: Mon Jun 22 01:21:28 2009 -0600 Add patch to allow version 2.6.0-rc1 of freeglut.dll to be built under CYGWIN. commit 50b871d00e47490ecbf785c4db1ab712f063bbce Author: John Bowman Date: Mon Jun 22 00:08:19 2009 -0600 Update xasy for Python 2.6.2 and Imaging-1.1.7b1 (which requires no alpha support patches). Remove obsolete patches. Delete obsolete _imagingtk.pyd file. commit 047ceae3c82d49179c08c1ee323d055952c33af5 Author: John Bowman Date: Sun Jun 21 21:24:26 2009 -0600 Prebuilt png files are not included in the CTAN distribution. commit 922d180aa5b5a3ed56cb850007918f2efc1fe3a3 Author: John Bowman Date: Sun Jun 21 12:26:28 2009 -0600 Add missing miterlimit defaults. commit 4aa9693a0386de7f1580d454d460704a98fd9238 Author: John Bowman Date: Fri Jun 19 17:00:10 2009 -0600 Fix mesh mode. commit e34f3e923ba80aa782451d911fbf7ae4f84c307e Author: John Bowman Date: Fri Jun 19 14:39:49 2009 -0600 Add constructors to derived class example. commit 41766c990e17098a8cddfef307378b78614b66e8 Author: John Bowman Date: Fri Jun 19 14:38:37 2009 -0600 Turn off fsal when dynamic=false. Implement E_Euler. commit 990cd520d39bc752ddcac2113d73896385d888a0 Author: John Bowman Date: Fri Jun 19 09:42:23 2009 -0600 Respect linegranularity. commit 14b88602c73f89f0e6a1a2a812836e52e1e0c04c Author: John Bowman Date: Fri Jun 19 09:41:23 2009 -0600 Swap patch and wireframe modes. commit d7c0e9cf1059d90b2c299b27a3d5e3dd2bacc9d5 Author: John Bowman Date: Fri Jun 19 02:37:44 2009 -0600 Increment version to 1.78svn. commit 0c7c91aff000df37072d06044eae2a4fbfdeb56a Author: John Bowman Date: Fri Jun 19 00:53:54 2009 -0600 Document the ode module. commit d1487e6a488f103fd1ff8c86374e58ef1fd4a253 Author: John Bowman Date: Fri Jun 19 00:47:08 2009 -0600 Set viewportmargin=(1,1) in asymptote.sty. Reinstate ceil. commit ba9b67360690d9740adec086c7403ebbf553c095 Author: John Bowman Date: Fri Jun 19 00:45:07 2009 -0600 Update examples. commit d09775d77bf8817ff575d5a26846fbe2110dd50e Author: John Bowman Date: Thu Jun 18 23:30:24 2009 -0600 Implement splined parametric surfaces, based on contribution of Olivier Guibe. commit ce0ad38b305467f0be86836f251d05b0e725a813 Author: John Bowman Date: Thu Jun 18 22:14:48 2009 -0600 Move SIGQUIT earlier. commit ba2a10e95110ee21b2ec273f6e818cc3c0d3a9a7 Author: John Bowman Date: Thu Jun 18 13:48:59 2009 -0600 Remove periodicity check. commit 21b8d67ce07068b361b5abde7107e68304c8e90d Author: John Bowman Date: Thu Jun 18 13:47:22 2009 -0600 Allow different splinetypes in x and y directions. commit 3d3cda1c67371d74998e7df82eb20c4a531be575 Author: John Bowman Date: Thu Jun 18 13:41:12 2009 -0600 Implement FSAL. commit b04da8ad640e088b45cda90625ddf627d644dfdd Author: John Bowman Date: Thu Jun 18 11:28:41 2009 -0600 Implement dynamic time stepping in ode solver. commit 37a0bd8edd843af4e5f8a0fd21ee7ccd37aa6393 Author: John Bowman Date: Wed Jun 17 21:01:13 2009 -0600 Rename --enable-tetex-build to --enable-texlive-build. commit 33fc6ac3ac7e4ad765857c90a3249317a5a26727 Author: John Bowman Date: Wed Jun 17 11:48:42 2009 -0600 Fix autoformat. commit 9612543cc986922931b5a9c8e7bce1c9f048e85f Author: John Bowman Date: Mon Jun 15 05:06:13 2009 -0600 Simplify sysdir code. commit 60a13352e45a5fc394fecea4ba3084b6046e98b5 Author: John Bowman Date: Sat Jun 13 20:54:06 2009 -0600 Strip both LF and CR from kpsewhich commit 6bb98b13f6c2ae4fbadcae8fd2e33754e5351d15 Author: John Bowman Date: Thu Jun 11 20:04:26 2009 -0600 Reinstate viewportfactor. commit 5673458038d38cca8a78acd20b7d7925a44a33b0 Author: John Bowman Date: Thu Jun 11 19:57:21 2009 -0600 Autogenerate default steps. commit 311820988be14d9768e51e62481b06a21d1a605f Author: John Bowman Date: Wed Jun 10 23:41:31 2009 -0600 Set default viewportmargin back to (0,0). commit 2ed3a262adfb64aa2e0a8ef76b78df1e8ffeb186 Author: John Bowman Date: Wed Jun 10 22:45:06 2009 -0600 Rename textoutputtype to textoutformat for consistency. commit bfef6452bad58edfcb2ec41d2bf6d115d5f338e7 Author: John Bowman Date: Wed Jun 10 22:43:53 2009 -0600 Fix reference sizing. commit d05eaaa0ada2d34baeb6a95971206d8dff7fbae6 Author: John Bowman Date: Wed Jun 10 09:42:13 2009 -0600 Fix path3 label alignment. commit 4ee8e0a4d442b6a3ff44fb26776700c5896ec9e8 Author: John Bowman Date: Wed Jun 10 08:04:35 2009 -0600 Fix path3 label alignment. commit ad3568f30b3c97a178095abbf1bff15d1733ce21 Author: John Bowman Date: Tue Jun 9 22:16:39 2009 -0600 Package asy-faq.info.gz. commit 505e12fc8c3bc083f7b52e4c1fc63da6738a5c61 Author: John Bowman Date: Tue Jun 9 21:59:58 2009 -0600 Fix typo. commit e525233fe9a8ee7f0b85b67b50a431cd7a0e7d50 Author: John Bowman Date: Tue Jun 9 21:37:17 2009 -0600 Fix Jacobian. commit 2774d683cc021bad58908387673e54e74ac5570c Author: John Bowman Date: Tue Jun 9 21:18:19 2009 -0600 Move real[]*real[][] to C++ code. Simplify ode module. commit 8a7825f0c4aaae85c01afde00b44a45bd027dde7 Author: John Bowman Date: Tue Jun 9 15:12:29 2009 -0600 Update ode module; extract example. commit 915c133a834355d84847c12360d23bfd01a260bd Author: John Bowman Date: Tue Jun 9 15:10:59 2009 -0600 Fix bug found by Olivier in surface(real[][] f, real[] x, real[] y). commit 22661b59d1018e9b0e6e3d0e730300028377448d Author: John Bowman Date: Sun Jun 7 21:53:40 2009 -0600 Uninstall asy-keywords.el. Update slidedemo. commit 25e8d964eb1cf998cc4c98ff83dcb4ece29707ff Author: John Bowman Date: Sun Jun 7 21:32:37 2009 -0600 Fix build error. commit 159bd8ffceef0180106cef6990bca3276933571e Author: John Bowman Date: Sun Jun 7 20:53:31 2009 -0600 Fix spec file. commit d094315883306c562b7f750dc25010156cad487e Author: John Bowman Date: Sun Jun 7 20:36:06 2009 -0600 Update info location. commit ecb90813a16f7b4a58a7bed4d601848832595e2f Author: John Bowman Date: Sun Jun 7 20:11:06 2009 -0600 Clean up info installation: make install installs info files without png images, make install-all installs info files with png files. commit 06062a8fc1853f82e73e013ac1e18f57f6a48bd5 Author: John Bowman Date: Sun Jun 7 16:51:01 2009 -0600 Install png files with asymptote.info in directory info/asymptote. commit ad20ea83e4eab6b5b25bb80bb8e47031522d90be Author: John Bowman Date: Sun Jun 7 14:36:36 2009 -0600 Install asymptote.info before asy-faq.info so that info asy accesses asymptote.info. commit 40087a5149d47d3e8c2be6e1c47bfc6c88cf8ef4 Author: John Bowman Date: Sun Jun 7 07:52:49 2009 -0600 Resolve ambiguity. commit cd1b5851efd15b8dd7d3cd356bf1d718e0dfa430 Author: John Bowman Date: Sun Jun 7 07:31:41 2009 -0600 Fix mintimes and maxtimes for arbitrary length paths. commit 03075fc3e8a82616ec1bb37798886f38e5cba18e Author: John Bowman Date: Sun Jun 7 07:11:07 2009 -0600 Make format return TeX compatible output only in math mode. commit 57ec1bdc6a61f1f22cafe24b083e410d8eaa3a32 Author: John Bowman Date: Sun Jun 7 06:18:43 2009 -0600 Add Levenberg-Marquardt nonlinear fitting routine, contributed by Philipp Stephani. commit 54db4707a1384f7c0213ca8cce72c0ecca8c19b3 Author: John Bowman Date: Sun Jun 7 06:10:56 2009 -0600 Fix maxtimes for paths where maximum occurs at the endpoint. commit 529869410ebcf3f2f739905d29fc8609055350b4 Author: John Bowman Date: Sat Jun 6 19:09:43 2009 -0600 Improve viewport padding. commit ce41184dee54dc485233ca5c1d4419312bdc5b6d Author: John Bowman Date: Sat Jun 6 09:26:30 2009 -0600 Add links to manual in error message. commit 2e9b064755c3100618bc250ec3b9c370d4a5f917 Author: John Bowman Date: Sat Jun 6 07:52:40 2009 -0600 Add preliminary ode module (untested). commit 1efc68359d7b866f90fba010d2d0fa128de447f6 Author: John Bowman Date: Fri Jun 5 23:47:42 2009 -0600 Increment version to 1.77svn. commit 30fbcf86352e77111c8945011c6bd4bac6ea5a9a Author: John Bowman Date: Fri Jun 5 21:23:37 2009 -0600 Remove texunits (not required). commit af97e49cf8ba73773b2b046529a087179d0d1651 Author: John Bowman Date: Fri Jun 5 21:06:43 2009 -0600 Don't split info files. commit c1a37b437ed1d69d54a1a220be9ea6abb8ac77fc Author: John Bowman Date: Fri Jun 5 20:45:25 2009 -0600 Fix bezulate bug: determine the number of intersections of a path with a line segment directly from the intersections routine. commit c55988dc43897d11d1dc946d23f2c1feb28406b9 Author: John Bowman Date: Fri Jun 5 07:36:55 2009 -0600 Fix typo. commit de2e5ed576d69cfc05ce24b0b8409d2deb21fa8f Author: John Bowman Date: Fri Jun 5 07:06:37 2009 -0600 Restore example. commit dca1b761f0da78fa587725c9f7b9fd2b1782714d Author: John Bowman Date: Thu Jun 4 10:42:35 2009 -0600 Rename inside(int,pen) to interior(int,pen). commit 951e4508787b46b77a53977092ac68203d43eb04 Author: John Bowman Date: Thu Jun 4 10:41:19 2009 -0600 Suppress "cannot find an interior point" warning for degenerate paths. commit bb3f9003a5dd35c528661cb9af8d0aabea64ae47 Author: John Bowman Date: Wed Jun 3 23:19:05 2009 -0600 Implement addAllViews function to exhibit all six standard 3D views. commit 67330fd087eeff0f55154ff4a76e7dc42b19f3c1 Author: John Bowman Date: Wed Jun 3 21:36:49 2009 -0600 Rename adobe light to White; update parameters to agree with PDF32000-1:2008. Add ambient light to Headlamp (other parameters in PDF32000-1:2008 appear to be incorrect). commit a0f189d40ebb7ca2b5e6d8a6e234f3cacf2583ba Author: John Bowman Date: Wed Jun 3 12:55:50 2009 -0600 Turn off light in certain examples to avoid confusion. commit 1b2cfce2ef63671c968f410cf09595e765fd4f49 Author: John Bowman Date: Wed Jun 3 12:48:50 2009 -0600 Fix filename for attach=true mode. Add hiresbb option to includegraphics. commit 688c7c03a9b2a3fa1a4df1091c876cbb6abf3b7b Author: John Bowman Date: Wed Jun 3 12:21:11 2009 -0600 Improve texpath resolution by preshifting. commit d63b55ee4d35163c186d82a686c129c6bac564c5 Author: John Bowman Date: Wed Jun 3 12:02:54 2009 -0600 Make fontsize package conditional on latex(). commit 590f94b98bd139a090dc44116f7aaa783ede1fbf Author: John Bowman Date: Wed Jun 3 12:02:29 2009 -0600 Improve texpath caching. commit 151f07527b00cf79ebb87088d2322dccf1940a69 Author: John Bowman Date: Wed Jun 3 12:01:42 2009 -0600 Fix degenerate transform3. commit 30479826115232ebca80f5fb15fed4186889e443 Author: John Bowman Date: Wed Jun 3 01:50:28 2009 -0600 Add real[] texsize(string, pen=currentpen) command returning raw TeX dimensions {width,height,depth}. commit f75bbab5748fa346edc8c667d02a150ed1b6e0eb Author: John Bowman Date: Wed Jun 3 01:46:42 2009 -0600 Add missing ps2tex scaling. commit 69ab0d6f5d9f0ec4dada3b38ca109e498ee97b0c Author: John Bowman Date: Wed Jun 3 01:45:14 2009 -0600 Make texpath aware of baseline for PDF tex engines. commit 2de4ef194157962c1deedd5617f95dd25b926e69 Author: John Bowman Date: Wed Jun 3 01:42:23 2009 -0600 Simplify alignment. commit e546aac7b42fcac76b3ab656a227642c57517831 Author: John Bowman Date: Tue Jun 2 12:02:03 2009 -0600 Remove unwanted assignments. commit fd784f824ab52137ccc868762c3c23d6f271d4ec Author: John Bowman Date: Tue Jun 2 11:33:59 2009 -0600 Tune headlamp parameters. commit 01e9e6105d2e0c05890a0d3580ce7169657e781e Author: John Bowman Date: Tue Jun 2 11:33:38 2009 -0600 Tune alignment between rendered and PRC images for perspective projections. Fix angle for absolute projection rendering. commit f88101c29df7754a09d0ecc8ee38306032f9fc90 Author: John Bowman Date: Tue Jun 2 10:26:20 2009 -0600 Add headlamp light that approximates 3Dlights=Headlamp. commit 5dd7890aea6db356e0dec4ef687a34dde0d19087 Author: John Bowman Date: Tue Jun 2 01:28:17 2009 -0600 Add hiresbb option to graphic. Remove 2 pixel offset. commit 4dcddca90a911b349f0b8fa3c543cd1adc2282fc Author: John Bowman Date: Tue Jun 2 00:37:23 2009 -0600 Improve rendered and PRC alignment. commit 50388eca0e09c1824b0c134e074a669a9a3d9fa0 Author: John Bowman Date: Mon Jun 1 21:57:28 2009 -0600 Handle holes in surface constructor for superpaths when planar=true. commit 8181e3eebc72966d7e53aa0eb954d53800c25329 Author: John Bowman Date: Mon Jun 1 17:18:19 2009 -0600 Add support for OCG layers. commit eedc3f6fd635d411e871a006356e23e6f90b3866 Author: John Bowman Date: Mon Jun 1 02:43:51 2009 -0600 Increment version to 1.76svn. commit 3566c16a88c716b8f890720759369535a285568c Author: John Bowman Date: Mon Jun 1 00:04:03 2009 -0600 Fix target. commit 32bc3480d0dafe6d475bc5fcb903e07f2e7929ee Author: John Bowman Date: Sun May 31 23:35:47 2009 -0600 Update example. commit c1779f47cb6199df3ea6ba88ef12f3d5c8f4ed53 Author: John Bowman Date: Sun May 31 23:06:06 2009 -0600 Add install-prebuilt target for CTAN distribution. commit f824133509041975553fbe67bf2576b850eb6e5f Author: John Bowman Date: Sun May 31 13:15:28 2009 -0600 Increase fuzz. commit 7122c68b5919d0df45897d20ef6c438a9dc5352e Author: John Bowman Date: Sun May 31 12:01:15 2009 -0600 Revert inadvertent commit. commit d8db8f2edc64c08980988ff6b6edfb783a0a3011 Author: John Bowman Date: Sun May 31 11:59:17 2009 -0600 Fix missing documentclass when texpath is used in inlinetex mode. commit e6cdcb7915197c4cbf1b58855fe76b2d7bcf4f02 Author: John Bowman Date: Sun May 31 11:11:40 2009 -0600 Workaround missing -output-directory option in ConTeXt (current directory must be writeable). commit 6de2ae1ddd58a49734914c967c1d5977ea717cfd Author: John Bowman Date: Sun May 31 10:20:19 2009 -0600 Implement alternative workaround, suggested by Hans Hagen, for ConTeXt switchtobodyfont alignment bug in TeXLive 2008. commit 93e3d78fe71baf37b0fe4d0ae2c716151420af19 Author: John Bowman Date: Sun May 31 10:09:14 2009 -0600 Add --disable-readline and --disable-fftw. commit 285d415e65b9c7c7d79c157d663bb694e286fb75 Author: John Bowman Date: Sun May 31 09:59:40 2009 -0600 Remove font encodings by default. commit 75d01e891bd976179c94a5185d1d8662c1ed5215 Author: John Bowman Date: Sun May 31 01:25:55 2009 -0600 Remove troublesome --purgeall context option (ignored in TeXLive 2008; leads to bad argument #1 to 'match' error with ConTeXT Minimals). commit 9f679ed5eaf47ddb46a546ee4714cbf1634472db Author: John Bowman Date: Sun May 31 01:14:21 2009 -0600 Clean up epilogue. commit bd97f792724d80ed2c53bef9258ce8b31c2c2208 Author: John Bowman Date: Sun May 31 01:13:23 2009 -0600 Fix aspect ratio calculation; tighten anglefactor. Improve viewportmargin handling. commit 0fa9327d407c403447e55b032116c65d25671ce3 Author: John Bowman Date: Sun May 31 00:46:12 2009 -0600 Remove GCLIB_CHECK. commit f06c75435421cee3d1faa1e188fbcb7dc2fc5ad0 Author: John Bowman Date: Sun May 31 00:33:09 2009 -0600 Handle cusps. commit 298d8aa536f119456adb7d9aacab28c81383048d Author: John Bowman Date: Sat May 30 21:54:39 2009 -0600 Remove unused file. commit 8237ff1025cbcd4ac4c60248d8419dfdf01c97a2 Author: John Bowman Date: Sat May 30 10:47:00 2009 -0600 Return a sorted array from intersections(path3, surface). Add intersectionpoints(path3, patch) routine. commit 17c2e0d5cd9f62e569f86292d54c19c932df9014 Author: John Bowman Date: Sat May 30 10:37:10 2009 -0600 Fix intrapatch duplicate point removal in intersections(path,surface). commit 0e14bb76c839af345f01f53d03b69815cab68dd1 Author: John Bowman Date: Fri May 29 09:20:50 2009 -0600 Remove unused interface. commit 957ccc0b6b052f2f86e1957565b7b58cbcf6b96a Author: John Bowman Date: Fri May 29 09:14:39 2009 -0600 Add usetypescript[modern] to texpath. Adjust anglefactor. commit d5509c68aa53526375b640b9a24f271e0f966111 Author: John Bowman Date: Thu May 28 22:36:28 2009 -0600 Add missing brace for context miniprologue used by texpath. commit ad7435c09d8c7e2df18578e5f9f90d33b8827d7c Author: John Bowman Date: Thu May 28 03:26:53 2009 -0600 Increment version to 1.75svn. commit b9d350961270dc36ce7ab75592d4bfe490c071cd Author: John Bowman Date: Thu May 28 01:57:37 2009 -0600 Fix help command under MSWindows commit 43c90a558d3a412fae71a0415d301561907409c2 Author: John Bowman Date: Thu May 28 00:56:30 2009 -0600 Improve appearance of cube example. commit 64adc5adecdcbae9502cb8d38001b2c2ae2db935 Author: John Bowman Date: Thu May 28 00:33:43 2009 -0600 Increase anglefactor. commit be0e2eba11df9da38e068ed6e204677b201b148c Author: John Bowman Date: Thu May 28 00:14:35 2009 -0600 Fix assert; increase fuzz. commit e7fffb6e11f4b61fd3f773cc50db58aa200a8ed3 Author: John Bowman Date: Thu May 28 00:00:27 2009 -0600 Disable PRC output when using ConTeXt engine (due to lack of movie15 equivalent). commit 60223b2f21e367183929a06cea8d11070e302420 Author: John Bowman Date: Wed May 27 23:37:13 2009 -0600 Fix incorrect auxiliary control point in surface bounding box routines. Add path/surface intersections and intersectionpoints routines. commit b8a100ec8889686eaaf69f40ea233d3553903754 Author: John Bowman Date: Wed May 27 10:16:32 2009 -0600 Fix packaging. commit ea25f68f0f294a2568a906ca87832e258c9c1e82 Author: John Bowman Date: Wed May 27 09:47:32 2009 -0600 Package conTeXt files. commit d359199885c11fcea6782cba8fa0d36fb42e47b1 Author: John Bowman Date: Wed May 27 09:30:15 2009 -0600 Revert 1.74-15; ensure consistency of circle and arc. commit 8c8046a93712185098c044acddac237195dcc4d4 Author: John Bowman Date: Wed May 27 08:44:56 2009 -0600 Fix RPM build. commit b4e1016d05067f31015761b7adb00906ef3adeef Author: John Bowman Date: Tue May 26 23:21:51 2009 -0600 Fix diagnostics. commit fa41eae215f40b4938920a1e95b779a2297c6894 Author: John Bowman Date: Tue May 26 22:56:39 2009 -0600 Remove ambiguity in font commands. commit 5b38029712b4a67a372b523f3d9a67fc18fc806d Author: John Bowman Date: Tue May 26 22:55:34 2009 -0600 Increase duplicate fuzz to work around font errors. commit 812e5a12484ed78bb6044716e6aea84c033b3f97 Author: John Bowman Date: Tue May 26 17:57:11 2009 -0600 Add portability fix. commit 51d2a997b312453016f6884b19b2d7bea980c2cd Author: John Bowman Date: Tue May 26 17:46:56 2009 -0600 Remove unused enums. commit dc714bd68848faec6f421b88b7da89bd5020f447 Author: John Bowman Date: Tue May 26 08:23:49 2009 -0600 Fix enum. commit c22bce6986019495a36f2e49be622fd38a1e5161 Author: John Bowman Date: Tue May 26 08:21:02 2009 -0600 Fix preprocessor command. commit 2cf616475d6267d764e0d7debc9fd836139b9f10 Author: John Bowman Date: Tue May 26 02:52:25 2009 -0600 Enable non-PRC 3D context support. commit 71ba0d87410db1ecf377b60f231783759e8cee40 Author: John Bowman Date: Tue May 26 02:25:39 2009 -0600 Support context engine in _texpath; clean up files. commit 1d10efc8ee0c9818eb00d4a46bb46fb023329483 Author: John Bowman Date: Tue May 26 01:30:46 2009 -0600 Cleanup temporary context files. commit c5f46b343da8ea10be2bee947c89a30e962cf793 Author: John Bowman Date: Tue May 26 01:12:05 2009 -0600 Normalize direction. commit 353cf76c084a812c558ef67460009cc5e818e1a7 Author: John Bowman Date: Tue May 26 00:16:53 2009 -0600 Workaround possibly broken header file on i386-solaris with g++ 3.4.3. commit f9494ca94993529747ced00a109516b16dfd159d Author: John Bowman Date: Mon May 25 23:58:24 2009 -0600 Force child to exit when pipe is closed. commit cdadd335d339ff8f9e0140ff5bb20a6aa9a918c9 Author: John Bowman Date: Mon May 25 11:01:50 2009 -0600 Prevent double waiting in pipeclose(). Support PDF tex engines in texpath. commit de43da1d463274e3d8cac3e32b25ed159fabf72b Author: John Bowman Date: Mon May 25 07:18:45 2009 -0600 Don't issue \usemodule[pictex] in inlinetex mode. commit 090c0c4ae9cb651aac3897930554703d610d6504 Author: John Bowman Date: Sun May 24 22:25:12 2009 -0600 Handle zombies in pipestream without using a wrapper, so that one can detect whether the child process has terminated. Simplify, _texpath, textpath, and _strokepath. commit 6015d4b9944ca08604ec775dbbf92f2b4e0fd0b5 Author: John Bowman Date: Sat May 23 22:47:30 2009 -0600 Fix initial context pen. Add usetypescript convenience function. Protect context switchtobodyfont with gsave/grestore to prevent misalignment if font is not found. Improve description of -v option. commit 95a573ec7fe5269f21b844bcd06d710f05172e09 Author: John Bowman Date: Sat May 23 22:44:43 2009 -0600 Fix ylabel rotation. commit cf29666c9accb9fc112877b066d251e7b4e20d0b Author: John Bowman Date: Sat May 23 21:07:40 2009 -0600 Implement a better workaround for lack of a context interactive mode that does not rely on the existence of a null.tex file. Use context-style command-line options. commit 8e1ea31d005c1ab1075befa5f631a7f7dda171c4 Author: John Bowman Date: Sat May 23 11:18:01 2009 -0600 Fix man page generator. commit 0c4c6ee7d904d48e7d22d421c37e2ca920793c1d Author: John Bowman Date: Sat May 23 08:11:52 2009 -0600 Add colo-asy.tex file (contributed by Mojca Miklavec). Remove base/asy-keywords.el in favour of asy-keywords.el. commit f45daa6be9a492d5eed7429d007eff5cde05d4fa Author: John Bowman Date: Fri May 22 18:24:14 2009 -0600 Add unitoctant example. commit b2d3c2f5205169dbbb4200bcb343f0cef4ca3472 Author: John Bowman Date: Fri May 22 14:20:05 2009 -0600 Allow draw(nullpath3,linewidth(0)). commit f45dc9b07cb323314e7ceed18fff87b2a2b185b0 Author: John Bowman Date: Fri May 22 14:09:15 2009 -0600 Use only 2 nodes for arcs of no more than 90 degress. commit 33b2d5403b74c7574e68eaf04ad5b23c1ff2cd3c Author: John Bowman Date: Fri May 22 09:05:16 2009 -0600 Remove unneeded \bye in context support. commit 16ca066028ac8beb816f71d79ce36224f697c285 Author: John Bowman Date: Thu May 21 13:40:02 2009 -0600 Add LeftView, RightView, FrontView, BackView, BottomView, TopView, along with addViews function. commit f3bfaf748a3c0c78faef4cc4728a2b58fa8cd084 Author: John Bowman Date: Thu May 21 01:01:24 2009 -0600 Add example of baseline alignment. commit 90447658740c8e3e3f2dee522cc8b40f6ea0eb64 Author: John Bowman Date: Thu May 21 00:32:14 2009 -0600 Add support for ConTeXt tex engine. commit 558d0dc299421448f3c766ef6bba6b232fad900e Author: John Bowman Date: Wed May 20 19:24:38 2009 -0600 Updates to facilitate TeXLive builds. commit d31c84a64a6fe3dfbb382146a3bc3da22a40e57f Author: John Bowman Date: Wed May 20 00:48:02 2009 -0600 Update example. commit 24544283d531ef68ec5e60f00f106a787f6f7c06 Author: John Bowman Date: Wed May 20 00:03:34 2009 -0600 Add example showing how to render multiple views of the same picture. commit 86b24f2d4bfc4fbda1ce380030333643257bf2f9 Author: John Bowman Date: Tue May 19 23:53:39 2009 -0600 Simplify code. commit 59e65e542e7ec1f41cb53901e70e775f497327c3 Author: John Bowman Date: Tue May 19 23:49:09 2009 -0600 Remove dependence on currentprojection in label(Label, path3). commit 0b05f066e9754a6f541eaa504d09ef74f0d8d29a Author: John Bowman Date: Tue May 19 23:36:08 2009 -0600 Fix another BUILD problem. commit 2602e4b69e66d6f6965c0b9bd9b615bb5ba7713c Author: John Bowman Date: Tue May 19 22:50:14 2009 -0600 Fix build problem. commit 116046ccd5021691f08ae7ccddb76fc8532d8a3a Author: John Bowman Date: Tue May 19 21:29:58 2009 -0600 Remove symbolic links from source distribution. commit 9dd0993b5ad92887deb26496feaef22a6f67d590 Author: John Bowman Date: Mon May 18 23:08:58 2009 -0600 Add enable-gsl[=yes] and enable-gl[=yes] options. Use AS_HELP_STRING. commit afa93385a431d6e72638f2f57f04d2b6c2ee3506 Author: John Bowman Date: Mon May 18 22:47:55 2009 -0600 Fix distclean. commit 8adcdf72dec255e5e274695e507ba8b31a84336c Author: John Bowman Date: Mon May 18 11:08:59 2009 -0600 Increment version to 1.74svn. commit 4da7a1c804c037540abd25ef486a64dee62a1f25 Author: John Bowman Date: Mon May 18 11:08:23 2009 -0600 Revert last change. commit b9d6c02e6b78638ff4fe7fedb7a2fa065188bfe8 Author: John Bowman Date: Mon May 18 11:06:44 2009 -0600 Fix version number. commit bbe2c51e864af5644239ad84154105f578bca363 Author: John Bowman Date: Mon May 18 02:02:35 2009 -0600 Allow sysdir to be overridden on the command line. commit 4ace450116e7a640bb3af9a63cde979a336c380b Author: John Bowman Date: Mon May 18 00:52:28 2009 -0600 Fix texlive build under MSWindows commit 9b6a907ccafb7302f1359292216d397b1d070118 Author: John Bowman Date: Sun May 17 23:10:36 2009 -0600 Support user-specified background color in OpenGL renderer via light constructor. commit 8dab38cc5bfe6e3e9432dc703cd029fc1f362710 Author: John Bowman Date: Sun May 17 21:18:17 2009 -0600 Add textinitialfont environment variable. commit fe2963bd48d61b8e25678fff009ee1e6e345e963 Author: John Bowman Date: Sun May 17 11:41:49 2009 -0600 Call reportFatal in psfile.close(). commit 36a3a976a948d7bd0fa1b80892c43c27ed3370d9 Author: John Bowman Date: Sun May 17 11:22:56 2009 -0600 Don't return after reportError. commit 3a3c79a4ff96d642d776958a562722e3770e73be Author: John Bowman Date: Sun May 17 11:08:10 2009 -0600 Add warn=true arguments to polar, azimuth, colatitude, and latitude. commit dd275da9bd3518b49dd7ac6ecfadb711c5cdf333 Author: John Bowman Date: Sun May 17 01:18:07 2009 -0600 Set default font to groff 12pt Times Roman when settings.tex="none". commit 7a468b6214aa524c6d6039b04f020c750b29ee11 Author: John Bowman Date: Sun May 17 00:52:19 2009 -0600 Add pen support to textpath and example. commit 89c81090b6adbfd7042b48c9890a305a4f4fcc29 Author: John Bowman Date: Sun May 17 00:49:39 2009 -0600 Fix segmentation fault after mode error. commit 5d7c2961040fb175ac01a159a6d86a9f0ef005de Author: John Bowman Date: Sat May 16 23:10:29 2009 -0600 Add textpath command, contributed by Michail Vidiassov. commit f7cbb093bdcd366d04f80896c158971b75a4ecd7 Author: John Bowman Date: Sat May 16 15:21:49 2009 -0600 Update links. commit de1e093f4893ba663f0b309c8684cfdea1cf86c6 Author: John Bowman Date: Sat May 16 10:16:47 2009 -0600 Restore example. commit 3ffc18a55c28366bbbe0e955a24d0858eb1da9d8 Author: Philippe Ivaldi Date: Sat May 16 08:04:32 2009 -0600 trembling.asy: change licence GPL to LGPL. commit 50267997b1e79f1e73026d6e22d735702518e589 Author: Philippe Ivaldi Date: Sat May 16 05:07:49 2009 -0600 geometry.asy: put the compatibility routines commit 37f8df82bea245b18f31a1d742183658313d93ec Author: Philippe Ivaldi Date: Sat May 16 04:52:59 2009 -0600 Fix minor bugs in geometry.asy. Change licence GPL to LGPL. commit 9250b2cb1117934330629dde9bd798898ead99de Author: John Bowman Date: Sat May 16 01:23:23 2009 -0600 Use center=false by default again for orthographic projections. Improve vectorfield routines. Update documentation and FAQ. commit bfa1eaa3e77972c199c5edfd75d410e94d35545d Author: John Bowman Date: Fri May 15 14:32:28 2009 -0600 Respect autoadjust=false. Remove autoadjust parameter from orthographic projections. Center target by default, unless autoadjust=false. commit 3f85494877f2c44aa49fe86f97de42f90bd4b31e Author: John Bowman Date: Fri May 15 08:55:36 2009 -0600 Update documentation of shipout. commit 9ac317ffb071d94af2c82b37225dd18497cdda86 Author: John Bowman Date: Fri May 15 08:31:21 2009 -0600 Increment version to 1.73svn. commit 1f773a2f0aaf702a423adf7eccf893d62a04eac9 Author: John Bowman Date: Thu May 14 17:26:51 2009 -0600 Increment version to 1.73svn. commit 9ce9d03912c53e9f69d99585f95d268924070724 Author: John Bowman Date: Thu May 14 16:03:48 2009 -0600 Increment version to 1.72svn. commit 2fee527c6fff0b94db64e4bbea30c97cd229b355 Author: John Bowman Date: Thu May 14 15:59:18 2009 -0600 Re-introduce portable zombie-free fork. commit af459ca9ae85b53b88b2ba5c902fe265ae64d95e Author: John Bowman Date: Thu May 14 15:05:21 2009 -0600 Detect degenerate paths. commit e09844d2c619aa73bcb76897ae878063bb80448a Author: John Bowman Date: Thu May 14 15:04:56 2009 -0600 Fix ambiguity in extrude. commit 909baef375e0e6c773ec1743f4348833af304a98 Author: John Bowman Date: Thu May 14 12:52:03 2009 -0600 Force HAVE_LIBGLUT on darwin. commit 70d0c0ffd3a03c1bf8d7ac38ebe0248f2d5dac89 Author: John Bowman Date: Thu May 14 11:57:53 2009 -0600 Add patch to workaround problem that shows up in the 2009/03/23 version of movie15.sty. commit e626f36eda7f3693920cc67eeae01d54da45fed7 Author: John Bowman Date: Thu May 14 10:17:15 2009 -0600 Fix spurious zooms due to menu interaction. commit 6fde3ae29fc3a667e2de795b6b4f3dade51a36dd Author: John Bowman Date: Thu May 14 09:33:06 2009 -0600 Detect libGLU. commit d891aabf4a749b753caee840258e57d5451048cc Author: John Bowman Date: Thu May 14 01:47:25 2009 -0600 Change label3 to a routine extrude that returns a surface. commit 142dff3335feed312d6544a9be844c84ad66f2ae Author: John Bowman Date: Thu May 14 01:19:29 2009 -0600 Work around old LGPLv2 license covering tr.h and tr.cc. commit 1b958edc2bebdac4a991d08e6fc7cf4793f586b1 Author: John Bowman Date: Thu May 14 01:00:37 2009 -0600 Report up and target camera parameters. commit 789466cd680580ec92a3bf6fe9fcacc909cb20fe Author: John Bowman Date: Wed May 13 23:21:33 2009 -0600 Generalize extrude. Implement label3 for drawing 3D solid labels (illustrated in label3solid.asy). Remove extra call to bezulate. commit d5f7fe9131eea9cbf0191f77397b711e7855c1f0 Author: John Bowman Date: Wed May 13 23:18:57 2009 -0600 Define mantissaBits. commit 24708486fecbb134a0d42005ad59af4374c01089 Author: John Bowman Date: Wed May 13 23:17:50 2009 -0600 Limit recursion. commit a4f0012e806f96086581871d1d8aa2759d7191e1 Author: John Bowman Date: Wed May 13 11:40:56 2009 -0600 Add menu item (c) Camera to output camera position. commit 6133b9b3dfedab877b8d06458dd316711b514b13 Author: John Bowman Date: Tue May 12 14:24:34 2009 -0600 Make asy.bat respect all command-line arguments. commit 34c82634698f14f0aed162575c652163518fcc06 Author: John Bowman Date: Tue May 12 14:07:54 2009 -0600 Fix axis label alignment. commit 0a71bbd7ac01725fe76ecf1384fe010228d4e4e8 Author: John Bowman Date: Tue May 12 11:21:38 2009 -0600 Update call to ticks. commit 8ea2631aa1767ebfbaab0e4c19859a6a792268d2 Author: John Bowman Date: Tue May 12 11:15:49 2009 -0600 Support optional margins for axes arrows. commit 6cf99cebcdbbad787b7682eb40ca51f1be3b811f Author: John Bowman Date: Tue May 12 10:49:58 2009 -0600 Add trembling module, courtesy of Philippe Ivaldi. commit 99332ce8cad09a9f1862421df940339ddf9a9782 Author: John Bowman Date: Tue May 12 10:44:28 2009 -0600 Fix rotated path label alignments. commit 357799e128c9f3c9c5d7c9607632206cf8681239 Author: John Bowman Date: Tue May 12 02:17:46 2009 -0600 Update comments. commit 7b2ac914dcdf7132ab44b6e45d09a5a9411979ef Author: John Bowman Date: Tue May 12 02:01:22 2009 -0600 Merge in Philippe Ivaldi's geometry module. commit 726157a28e859aa65bdd3e83ca13bf171058eb1e Author: John Bowman Date: Mon May 11 22:28:04 2009 -0600 Update license. commit 1ac2d7244c04ac002cfeb9bccf3173ec923444d6 Author: John Bowman Date: Mon May 11 15:37:12 2009 -0600 Respect store argument of saveline. commit e767385e299dcd779839eccbbb2cef377bee0f57 Author: John Bowman Date: Mon May 11 12:59:15 2009 -0600 Update Ticks3. commit fbcf28b59f70f4125edfd81195fbfb7e22bfa05f Author: John Bowman Date: Mon May 11 12:55:54 2009 -0600 Implement signedtrailingzero. Fix left-justified trailingzero alignment. commit 9430fd06095e2feffb090f4fe7436be1e1259d80 Author: John Bowman Date: Mon May 11 11:39:52 2009 -0600 Resolve ambiguity. commit dbccc13c1b525540ab6c85f6cb91eff11140f1cf Author: John Bowman Date: Mon May 11 10:39:04 2009 -0600 Implement PostScript calculcator function shading and example. Add default fillrule arguments to frame shading routines. commit 182d0b51797762c5a56358f210ad48fe28584439 Author: John Bowman Date: Fri May 8 03:12:28 2009 -0600 Continue splitting when radius of curvature is zero. commit 1f8185d17208adcc64f531f0721c4b8b4848ebc5 Author: John Bowman Date: Fri May 8 02:59:30 2009 -0600 Add Philipp Stephani's GSL updates. commit c705bfc40bdce539c7eddbcf85b2b648ad9b3b1e Author: John Bowman Date: Fri May 8 02:11:46 2009 -0600 Fix link; add missing index entries. commit 3f47835f5813a1270a4de872216d54c1fff68903 Author: John Bowman Date: Fri May 8 01:22:22 2009 -0600 Fix endpoint detection. commit a80b2a2822feb137a416ed65e96a63fd8070302e Author: John Bowman Date: Tue May 5 15:44:20 2009 -0600 Fix write(pen). commit 07d8045cc034bd193a25e1ad0f16729cc2428379 Author: John Bowman Date: Fri May 1 14:42:31 2009 -0600 Improve documentation of shipout. commit 313d85edc3a132e9453fa221f9e55e353a0af08b Author: John Bowman Date: Thu Apr 30 11:52:51 2009 -0600 Fix bounds. commit 2f5229f927702f7486ddaa1081d484540ef47aba Author: John Bowman Date: Thu Apr 30 11:46:33 2009 -0600 Fix comment. commit 61b65cfc1056f40028333c8d358eefcb2fd9889e Author: John Bowman Date: Thu Apr 30 11:45:51 2009 -0600 Improve example. commit ad4bef7f9cc5a2b81bf51f43481251b82581d4dc Author: John Bowman Date: Thu Apr 30 11:44:10 2009 -0600 Add strokepath example. commit c8d5ef4c808d829628757f12f9183badba8eee82 Author: John Bowman Date: Thu Apr 30 09:32:36 2009 -0600 Add twisted tubes example. commit 6e5c3b36b25df3a8d34b4b4ab9cd353cb9deb333 Author: John Bowman Date: Wed Apr 29 16:44:55 2009 -0600 Implement functionshade primitive. commit 647887338fa1d03c1c1a66651f7e0d5b589dc232 Author: John Bowman Date: Mon Apr 27 22:14:04 2009 -0600 Fix numerical resolution problem in label alignment. commit c632ee4a0d60debeb8dcbf6e2d8501b93278d5eb Author: John Bowman Date: Mon Apr 27 19:13:42 2009 -0600 Add sysdir setting. Support automatic determination of sysdir from kpsewhich, if sysdir="". Add configure option --enable-tetex-build to force sysdir="". commit cca905863568c79558f4ba515c4ff330347ea79e Author: John Bowman Date: Mon Apr 27 11:42:19 2009 -0600 Fix effective camera positions for oblique projections. commit 1c4272247ecacabe1c0a75e99c5962ad466b0e41 Author: John Bowman Date: Fri Apr 24 11:41:49 2009 -0600 Abort on write to pipe failed error. commit 3ce25f46d059ba3d4a8cf459da93ce83a901dc3c Author: John Bowman Date: Fri Apr 24 10:55:49 2009 -0600 Generate wheel.mpg earlier. commit 90945287b2d6e9927e916791f93687b97db3ff98 Author: John Bowman Date: Fri Apr 24 10:25:53 2009 -0600 Explicitly check for libGLU. commit 706a6325d723c4c1be10617066fcef573579d1ab Author: John Bowman Date: Fri Apr 24 01:59:54 2009 -0600 Minor optimizations. commit 823b5039b87fa7e6f2e81d482be64d3d97033a45 Author: John Bowman Date: Fri Apr 24 01:52:12 2009 -0600 Simplify dealiasing code. commit 97650dfc4f7abc5ad59211c950af12814ac5b5bc Author: John Bowman Date: Fri Apr 24 00:35:32 2009 -0600 Optimize dealiasing of 3D rendered non-RGB images. commit f165ec0afefae7ecea4e37c9af29fa0a37c9c1be Author: John Bowman Date: Wed Apr 22 11:42:32 2009 -0600 Rename test member function. commit 6a4117c34454fcea9ae36deb1deb8e414671cc6b Author: John Bowman Date: Wed Apr 22 11:33:48 2009 -0600 Add example of defining a builtin asy struct. commit 2619bcb22197f775969cf74592fa7cb8e4ff6be6 Author: John Bowman Date: Wed Apr 22 10:52:30 2009 -0600 Implement value-based addVariable routine. commit 9c8f589aa2d86b1aff40c6728c83e9aaf43f5958 Author: John Bowman Date: Sun Apr 19 13:56:00 2009 -0600 Check recursion depth. commit eb431fe8e6ed67671cc1e3eacfae2de03c2486a6 Author: John Bowman Date: Sun Apr 19 10:34:12 2009 -0600 Continue subdivision tests if zero radius of curvature is encountered. commit 9d592def12e244517181d829faca2adc5cd0b44b Author: John Bowman Date: Sat Apr 18 23:52:51 2009 -0600 Change basealign so that "ace" and "acg" are always typeset at the same location. commit 3744427dbe7812dee4a61d0d0252f699934b12c9 Author: John Bowman Date: Sat Apr 18 16:57:05 2009 -0600 Handle more degenerate cases. commit 8306a21151548caaa0b1ba61af3a989005d2b941 Author: John Bowman Date: Sat Apr 18 15:42:21 2009 -0600 Handle degenerate paths. commit b4bc71fa46ceacf2e234512a90e0bb7eecada7b4 Author: John Bowman Date: Sat Apr 18 15:28:41 2009 -0600 Improve adaptive algorithm used for rendering thick lines and tubes. commit c379f3146746b44906b954321758b806ec6d30af Author: John Bowman Date: Sat Apr 18 06:56:28 2009 -0600 Fix circle ambiguity. commit 8b80557caaa9dd6b97db1374d6a064d0b0b1aa70 Author: John Bowman Date: Fri Apr 17 22:15:06 2009 -0600 Change perspective. commit b413e18e35ca518d0a017110ba285ef55923755b Author: John Bowman Date: Fri Apr 17 22:07:43 2009 -0600 Fix URL. commit b72747f967b0d802b64c8a0c2c51589c7bb59c51 Author: John Bowman Date: Fri Apr 17 22:05:46 2009 -0600 Use parametric mesh. commit 7a10ae1569c2546669841317edcac32ec81ff215 Author: John Bowman Date: Fri Apr 17 21:28:45 2009 -0600 Rename example; use smooth coloring. commit 5254c9cebe241339b2a58944a66974c8680348b8 Author: John Bowman Date: Wed Apr 15 23:35:07 2009 -0600 Add example. commit 6d1a060fb1d619965b0ccc6897232bb24eb282a5 Author: John Bowman Date: Wed Apr 15 23:28:57 2009 -0600 Make boolean condition suppress function evaluation for linearly interpolated surfaces. commit 527ec35a4f884dc8f4f3db61a24a87c24c0e4f85 Author: John Bowman Date: Mon Apr 13 08:48:38 2009 -0600 Add operator +(pen, pen[]) and operator +(pen[], pen) and example. commit 056aa9ccdb8a865d2b90b33eaba2007d0fe65dfe Author: John Bowman Date: Sun Apr 12 23:04:57 2009 -0600 Generate mpg file. commit 757885c24fcc69bb74ae3e1b4f0e2192675b05d2 Author: John Bowman Date: Sun Apr 12 21:32:34 2009 -0600 Produce an animated gif rather than an inline PDF movie (about 1/4 as big). commit 4fe5f1b0e6ec434224996a426351e52049e34cb6 Author: John Bowman Date: Sun Apr 12 17:11:56 2009 -0600 Avoid nullpath3 has no points error when label is given nullpath3. commit 0f936bf8f955acd4aebdd2a952c86a18320d44a4 Author: John Bowman Date: Sat Apr 11 01:32:31 2009 -0600 Set dotgranularity=0 in cube example to force dots to be rendered as spheres. commit 9cf2b91fa3c126cb9fb884e3d57a6ce726c45993 Author: John Bowman Date: Fri Apr 10 22:03:19 2009 -0600 Improve example to use a better (smooth) approximation to a torus. commit 522ed7412ad11b90fcff13eafc39d02c8a351125 Author: John Bowman Date: Fri Apr 10 15:10:27 2009 -0600 Increment version to 1.71svn. commit 3b34b09b00bc857702b2daf751f81905ca6d4858 Author: John Bowman Date: Fri Apr 10 12:57:02 2009 -0600 Add node. commit c7dc01717e31922693fda55e61791cf673068458 Author: John Bowman Date: Fri Apr 10 11:35:11 2009 -0600 Optimize and improve valid range of choose(int n, int k). commit 8309c1f5916ec1e97a77f0a4c4f95e62857e79f6 Author: John Bowman Date: Fri Apr 10 10:48:31 2009 -0600 Update example. commit 58b97e553f6289842ec696ad9651939b50fd5e05 Author: John Bowman Date: Fri Apr 10 09:52:28 2009 -0600 Handle spaces in incoming prefix. Add prefix arguments to fit function. commit bf4d3adb2d37c7ba52677f65cfcc8fd60c398e88 Author: John Bowman Date: Fri Apr 10 09:40:07 2009 -0600 Handle spaces in filenames when using pdflatex. commit a2f84e9d58da5b279e8040134757b447cc280726 Author: John Bowman Date: Fri Apr 10 00:27:03 2009 -0600 Work around animation problems with spaces in filenames. commit 785dea67b0655ccc4f8742e9cbb68efc5119d4c2 Author: John Bowman Date: Thu Apr 9 23:57:44 2009 -0600 Add PenMargin2, etc., for planar arrowhead types like DefaultHead2. commit ddd85786d17a6b9a2cae12774a682982a38db7a2 Author: John Bowman Date: Thu Apr 9 17:57:52 2009 -0600 Add labelpath3 module for typesetting curved labels in 3D and example, courtesy of Jens Schwaiger. commit 11e92513bfe3522596bb6679b6cf2239e40f82f1 Author: John Bowman Date: Thu Apr 9 16:32:17 2009 -0600 Center target of teapot. commit e42cfe2edbcfcd564419d8d86af10f9122746667 Author: John Bowman Date: Thu Apr 9 16:30:01 2009 -0600 Add bool center=false parameter to projections to allow one to automatically center the target within the bounding volume. commit 4606c09664ef8f7144529d3c78831c92160de3eb Author: John Bowman Date: Tue Apr 7 21:05:53 2009 -0600 Fix clipping example. commit 2ccddae8a2610c9e84dc098708a9cc7794190355 Author: John Bowman Date: Tue Apr 7 16:02:10 2009 -0600 Minor update. commit f1fa0d1eeef5508d9e4fa54b281e3d7d4dfe4368 Author: John Bowman Date: Tue Apr 7 16:00:46 2009 -0600 Use locale. commit fd783acf33724de96f7aa6ee71d719341d1779ef Author: John Bowman Date: Tue Apr 7 15:46:44 2009 -0600 More updates. commit 5f329206530828a782bd4b0d078232b9387dc250 Author: John Bowman Date: Tue Apr 7 15:41:08 2009 -0600 Fix typos. commit 4fd4bd5bfa094a0ea7e2caa78d0b58c9f59a2cbc Author: John Bowman Date: Mon Apr 6 15:55:08 2009 -0600 Reserve surface(triple[][] P) for graphing a surface described by a matrix; use surface(patch(P)) instead. commit 58b990d3824d09a231c8a747ac651713146ca122 Author: John Bowman Date: Mon Apr 6 03:39:14 2009 -0600 Work around old compiler bug. commit 5b2a0b5fea94b7852d546799ab2b119e2abe0379 Author: John Bowman Date: Mon Apr 6 03:37:42 2009 -0600 Increment version to 1.70svn. commit 3df96eddb725d40fa18157197e6645109209db8b Author: John Bowman Date: Mon Apr 6 02:02:44 2009 -0600 Add torus animation. commit 751007ecbd03b344dca139eaf9d89767a1e090ee Author: John Bowman Date: Mon Apr 6 01:53:38 2009 -0600 Reduce memory usage. commit d20badd0879006dca0107bd44d1eefc8def4caa5 Author: John Bowman Date: Mon Apr 6 01:07:52 2009 -0600 Force outformat="pdf" when producing PDF animations. commit 91fba1067f0cb496ac6ab02c66247f1bb88bc5b6 Author: John Bowman Date: Mon Apr 6 00:30:10 2009 -0600 Change - delimiter to + for animation frames and preview images. commit 9f143ecebab158f28117bbd9e2496541cda147f1 Author: John Bowman Date: Sun Apr 5 23:36:07 2009 -0600 Move extension routine and infinity constant to C++ code. commit dce7d4684b60fbd49411678e41acd91fe2aae518 Author: John Bowman Date: Sun Apr 5 22:50:15 2009 -0600 Work around hyperref option clash. commit b5c792a1ef897cb3541fbbbfb89a5c72d1f6ae1a Author: John Bowman Date: Sun Apr 5 21:26:41 2009 -0600 Catch handled_errors (e.g. from ~psfile()) during throw handled_error(). commit 4e9be4d6c89ad820c73fc42a231eb10fa4ef2910 Author: John Bowman Date: Sun Apr 5 17:08:33 2009 -0600 Fix more animation prefix issues. commit 9e4c35e7de336022485ae806b38740cd926068ed Author: John Bowman Date: Sun Apr 5 14:19:38 2009 -0600 Keep keep flag. commit 22ae02a38ed6e3ffe30dc921ba51b21612cadeda Author: John Bowman Date: Sun Apr 5 13:21:13 2009 -0600 Move 3D code out of animation.asy. commit a52a6633d81fc3d7d04d14b485d593cd20cf0a35 Author: John Bowman Date: Sun Apr 5 12:02:17 2009 -0600 Fix inline pdf animations with multipage=false. Fix global scaling of 3D animations. Add heatequation and earthmoon examples. commit 443cc79149c736d66ce4d47db1a4a84ab594b101 Author: John Bowman Date: Sat Apr 4 14:26:55 2009 -0600 Minor optimization. commit 152f712891e81f1fecbaa91cc499364d0487cd85 Author: John Bowman Date: Sat Apr 4 14:24:31 2009 -0600 Use a lookup table to compute factorial(int n). commit 2f93f82b0b032cd2c8996c1d28737173a2ab175d Author: John Bowman Date: Sat Apr 4 12:50:14 2009 -0600 Implement miterlimit. commit a41cc4546b6313f99be1b65573182e44318f1093 Author: John Bowman Date: Sat Apr 4 11:26:43 2009 -0600 Fix use of baseline. commit 4eaf887ab95fe68fa9ccf39b94bc1d10c0db0478 Author: John Bowman Date: Sat Apr 4 10:44:00 2009 -0600 Disable old lights for multiple exports. commit fd244ea8555fc0fdb92c87f3388e5c3946f781a9 Author: John Bowman Date: Sat Apr 4 08:44:15 2009 -0600 Fix warning message. commit 7046900634a2fc8d5f5f609175f16b8edc195a1c Author: John Bowman Date: Sat Apr 4 08:41:58 2009 -0600 Add missing conditional. commit 612728718a6fa71065a7dbc3757d772847410e44 Author: John Bowman Date: Sat Apr 4 00:31:39 2009 -0600 Improve example. commit f930ee18a50667ee5b3655a8eda1be651d5006df Author: John Bowman Date: Sat Apr 4 00:24:39 2009 -0600 Remove unnecessary parameter. commit d248a41b7792d2d70167d4b6d3d0495c0989b861 Author: John Bowman Date: Sat Apr 4 00:22:37 2009 -0600 Fix type conflict by replacing settings.divisor with purge(divisor=0); divisor=0 means to use the previously set divisor (which defaults to 2, or the value specified on the command line with the -divisor option). commit 5e50b840f02bf29da1730c72df3d65954afa90e3 Author: John Bowman Date: Fri Apr 3 22:06:22 2009 -0600 Increase orthographic viewportfactor. commit e0963eaad05890f3fda42a3bbbaaa1f65b53db08 Author: John Bowman Date: Thu Apr 2 00:05:50 2009 -0600 Add missing 3D add function. Increase nsamples to 32. Remove nonselfintersecting restriction. commit fccd5702d3caef79ceda7e05806e1a68139a6920 Author: John Bowman Date: Wed Apr 1 02:38:09 2009 -0600 Fix splitting. commit 8cee60600708d3947f899b578400c8a626e0c2e4 Author: John Bowman Date: Tue Mar 31 20:31:48 2009 -0600 Increase fuzz; use static dxmin. commit bb8cbc4f3a32442b4453f8b32a5dafa585a0fde6 Author: John Bowman Date: Tue Mar 31 17:32:16 2009 -0600 Reorder tests. commit 9970a0a8a174f9172cba01cbcb1cc81a94e287e0 Author: John Bowman Date: Tue Mar 31 17:27:53 2009 -0600 Check for triangles first. commit be4fc623d49613c243c098cc38bf8854e83794d1 Author: John Bowman Date: Tue Mar 31 16:54:09 2009 -0600 Split randomly to avoid returning a degenerate patch. commit f53b1dd96ad99531902c70c0a8753b07953c6057 Author: John Bowman Date: Tue Mar 31 16:21:13 2009 -0600 Fix interactive rendering. commit 72ce918958da2a16be791ee2e1d70fd9d83c15f1 Author: John Bowman Date: Tue Mar 31 02:32:14 2009 -0600 Once an internal degeneracy is found, don't check any more boundary cases. commit 069759abc268c4fa3f0c871b141582afd76788ec Author: John Bowman Date: Tue Mar 31 01:45:23 2009 -0600 Increase nsamples. commit 1afb44a8645d304ce33144e2271fc75ba02633c9 Author: John Bowman Date: Tue Mar 31 00:39:32 2009 -0600 Split at the worst boundary degeneracy. commit 82e73caf64ea5ccd2a9b718a67a4323fe5168966 Author: John Bowman Date: Mon Mar 30 12:29:10 2009 -0600 Add unicode option to make new versions of hyperref happy. commit e683a4d1cfd75925b27ff38361e7c7806e84f072 Author: John Bowman Date: Mon Mar 30 08:44:30 2009 -0600 Pass animate the correct file name. commit 1ba731b25bbbe2b5a161e75be0dda0395e795166 Author: John Bowman Date: Sun Mar 29 23:39:56 2009 -0600 Fix floating point exception caused by attempt to split paths of length 0. commit 1a124b08ec44272e3d8591081bfd196bab64c338 Author: John Bowman Date: Sun Mar 29 23:07:13 2009 -0600 Move inside(path, pen fillrule=currentpen) to plain_paths.asy. commit e13cec520205c06c787dfa1a390c07a85e7245de Author: John Bowman Date: Sun Mar 29 20:57:00 2009 -0600 Fix defaultpen(evenodd). commit 180fb560a67a14747113ad4ab033fb348d544390 Author: John Bowman Date: Sun Mar 29 17:00:07 2009 -0600 Fix spurious "undefined" (on curve) return values from windingnumber; optimize handling of straight segments. commit a575a6fc1b88edb18a01616bcf473695c429999c Author: John Bowman Date: Sun Mar 29 14:45:08 2009 -0600 Always define glthread. commit d8f464fc32c76929510f34d41de82117564a8723 Author: John Bowman Date: Sun Mar 29 10:06:33 2009 -0600 Release version 1.06 of asymptote.sty to fix undefined \ASYbox bug. commit 5b996b037bcf7d0f23a1e7e0fe8e161849f85f06 Author: John Bowman Date: Sun Mar 29 00:30:53 2009 -0600 Automatically apply bezulate to path arrays. Surfaces should now be constructed directly from paths (and paths arrays), without first calling bezulate. An array of independent surfaces can still be constructed from a path array using a loop. commit b80b2d3074dcaf68f82fd51571c4475e73548f43 Author: John Bowman Date: Sun Mar 29 00:05:54 2009 -0600 Fix inside(path,pen). commit 6f4f738fb32e1a44cf43c80905308b77aa040c50 Author: John Bowman Date: Sat Mar 28 23:35:26 2009 -0600 Add Orest's connect patch to fix nesting. commit a646731fad5a118d1464a6b62e366b8dffdd956a Author: John Bowman Date: Sat Mar 28 23:11:34 2009 -0600 Specify zerowindingnumber rule. commit 622937c19c1bd66f9c97771f105be7b73e6b33b8 Author: John Bowman Date: Sat Mar 28 23:09:13 2009 -0600 Improve inside(pair); add fillrule argument. commit 9fa25db9be336cf6019063dfea7e959d21a772e4 Author: John Bowman Date: Sat Mar 28 14:21:05 2009 -0600 Remove internal patch degeneracies by splitting. Compute subpatches directly from control points. commit 195cbd6b9daab589520bf8f4319c04f42982a01c Author: John Bowman Date: Sat Mar 28 12:24:17 2009 -0600 Implement factorial and choose functions. commit 6447f273d215e1d4f488650b468de3c250bc7732 Author: John Bowman Date: Sat Mar 28 12:18:16 2009 -0600 Rename example; use orthographic projection. commit 78b068ae1390a2c89329281dfd668595ae9b03f5 Author: John Bowman Date: Sat Mar 28 12:15:09 2009 -0600 Make path(path3, pair(triple)) preserve straight flag. commit 2cb79dbf9585a541058e23047f79c09dd8af150d Author: John Bowman Date: Sat Mar 28 12:08:55 2009 -0600 Fix quit deadlock. commit d8125e4fa7af606cf6fcd7398b3a07b9aa41bad9 Author: John Bowman Date: Sat Mar 28 00:11:09 2009 -0600 Increase fuzz to accomodate italic "k". commit 3a1f5a20fec2b085364dd4da3295f84ab3d52475 Author: Orest Shardt Date: Fri Mar 27 21:56:17 2009 -0600 Fix connect() to ensure that removed regions do not contain an inner curve. Add fuzz to intersections(). commit d4f6dddb855703ed9c11070c985c7bd735bd04be Author: John Bowman Date: Tue Mar 24 21:47:57 2009 -0600 Add surface constructor for multiple surfaces. commit 850b0ed10f2eed93e617b918269739136fc6281f Author: John Bowman Date: Tue Mar 24 21:32:54 2009 -0600 Add intersecting pipes example. Update FAQ. commit ef5e8e4054b63c12b29352c930445d1bbfa59dbf Author: John Bowman Date: Mon Mar 23 03:23:19 2009 -0600 Increment version to 1.69svn. commit e9bd6706f9bedf66c3d997b07707dd54a9eefde7 Author: John Bowman Date: Mon Mar 23 02:07:01 2009 -0600 Update example. commit d73f25a4baa11d6d85364a2fd419f423f09cd032 Author: John Bowman Date: Mon Mar 23 01:45:58 2009 -0600 Illustrate automated camera and target computation. commit d777a813382fac58535de2c8223c80c84dd98bb0 Author: John Bowman Date: Mon Mar 23 01:37:23 2009 -0600 Remove unnecessary index. commit f84b490d11d0cb509d778299a8f180a1ab579264 Author: John Bowman Date: Mon Mar 23 01:34:42 2009 -0600 Add support for and example of generating a 3D inline pdf movie. Remove hyphen from animation file prefix for compatibility with animategraphics. Force multipage=true in inlinetex mode. Update definition of ASYanimategraphics. commit e10b91934bf65fa81f5e8edc34aaf0c720b3152b Author: John Bowman Date: Mon Mar 23 00:31:06 2009 -0600 Fix export deadlock. commit 587aa4f5bb4fb8f2afe4246e7e4d7bce78aa9904 Author: John Bowman Date: Sun Mar 22 21:42:52 2009 -0600 Don't automatically move camera with target. commit ace730baa7577af882835379f5bd4fbe937f9c17 Author: John Bowman Date: Sun Mar 22 12:12:52 2009 -0600 Update example. commit d6667c3934ef2cd795037dd81c2301340520abef Author: John Bowman Date: Sun Mar 22 12:11:41 2009 -0600 Fix camera adjustment. commit d9d5da76552aac77955fbc5066296f8a998eaa72 Author: John Bowman Date: Sat Mar 21 23:54:54 2009 -0600 Allow \par in a label. commit 1e4f2fe939058c6b832bc22903bca649638c665b Author: John Bowman Date: Sat Mar 21 23:49:23 2009 -0600 Update documentation. commit 9cd5a0fe84a5e068af1488f50c39d2b2720fc06d Author: John Bowman Date: Sat Mar 21 23:07:42 2009 -0600 Improve and generalize baseline. commit 74f9e6f899b075ad53f1ebcb6edd01bc57f2f107 Author: John Bowman Date: Fri Mar 20 23:26:20 2009 -0600 Look for exact intersections also when fuzz=0. commit 0638cdbfeabb2a803b09b82dd1471c1ea0876d49 Author: John Bowman Date: Fri Mar 20 22:42:10 2009 -0600 Suppress spurious space. commit 04ae9df43413d6956ed3fbc97cc1e6c8751f48cc Author: John Bowman Date: Fri Mar 20 22:28:18 2009 -0600 Standardize sqrtEpsilon. commit f16441c237fbfa983d69a569fad449d782a8770e Author: John Bowman Date: Fri Mar 20 22:15:40 2009 -0600 Remove unused line. commit 7c3732148f30c6d9f9fa888e6b7f780aa490dc08 Author: John Bowman Date: Fri Mar 20 22:14:19 2009 -0600 Improve handling of intersection fuzz. commit 789ab1c54c66973fcd061dbccdb6b4c397b5bb69 Author: John Bowman Date: Fri Mar 20 14:57:34 2009 -0600 Handle invisible material. commit 5e3b8fdec620ed0e7ed38e01e193269dd97d6fe2 Author: John Bowman Date: Fri Mar 20 14:28:23 2009 -0600 Respect user-specified step value. commit 05b16339d6790f96f0657b38dc194efe1d01f662 Author: John Bowman Date: Thu Mar 19 02:59:14 2009 -0600 Increment version to 1.68svn. commit b8c188a2ff0c6d8acd87da23c27bad9ebb0b42bd Author: John Bowman Date: Thu Mar 19 01:33:53 2009 -0600 Fix 3D animations with render > 0. commit 823eb84ed3fe32c0188596227f1c56c573b46f72 Author: John Bowman Date: Thu Mar 19 00:40:40 2009 -0600 Don't force C:\Documents and Settings\bowman in asy.bat commit 87a2b41240328f478ca8bf3b256e6789930a3abe Author: John Bowman Date: Wed Mar 18 14:18:11 2009 -0600 Remove normal fuzz. commit ce6df332a9c0f9010ccf9d1c9f6e7083b7f539b6 Author: John Bowman Date: Wed Mar 18 02:51:53 2009 -0600 Fix overlap detection internal control points for short paths. commit a8cc7c427cac46ace2db0070645385718a09028f Author: John Bowman Date: Wed Mar 18 01:23:56 2009 -0600 Add file missed from last revision. commit e6766a83c38ada605086a98cf3f06b71eb2b29cc Author: John Bowman Date: Wed Mar 18 01:01:08 2009 -0600 Make intersection routines respect fuzz. commit 9b3a5104ccc45a972fbd776a589f13d8e42f5bde Author: John Bowman Date: Sun Mar 15 17:20:04 2009 -0600 Simplify normal calculation slightly. commit 460b9eed16912fcaa5753bf84679620335c8ca5b Author: John Bowman Date: Sun Mar 15 15:32:07 2009 -0600 Reduce Fuzz. commit 30566f000cf574ac193f65f1a9846d4ebc5f5f39 Author: John Bowman Date: Sun Mar 15 15:01:04 2009 -0600 Allow prc output if render > 0. commit 4cb2f03752fb95986e981e558be71f8d0db7d5a5 Author: John Bowman Date: Sun Mar 15 00:09:54 2009 -0600 Implement settings.auto3D (default true) so that one can disable the poster option of movie15.sty. commit c026e07e6a9067e1b1047f4027849305ae6dbc02 Author: John Bowman Date: Sun Mar 15 00:05:14 2009 -0600 Increase fuzz. commit 594a12ce972e648dc8b66c295fad2d330f6c1444 Author: John Bowman Date: Sat Mar 14 23:23:00 2009 -0600 Detect and fix remaining cases of patch overlap due to normal reversal, using Rolle's theorem and a quartic root solve. commit 3b2700c4a800e6de2eb6ab08e0a7de93e1d38069 Author: John Bowman Date: Sat Mar 14 23:09:29 2009 -0600 Detect numerical roots at infinity; increase Fuzz. commit 8279587db2c825391fc51c85b22db684b3ef1fb7 Author: John Bowman Date: Sat Mar 14 23:00:31 2009 -0600 Make subpath preserve straight flag; optimize splitCubic for straight segments. Fix handling of straight flag in operator &(path,cycleToken); do nothing if path is already cyclic. Implement pair versions of Bezier functions. commit 8361c768a73d9dc693e71b9372db2de0b5c20f7a Author: John Bowman Date: Sat Mar 14 15:25:45 2009 -0600 Fix segmentation faults with operations on guide g=cycle. commit db843913d4afd6861ee0649456ff8008928f506f Author: Orest Shardt Date: Sat Mar 14 11:49:45 2009 -0600 Speed up curve sorting. commit 26c1aa3481dd6878716e8d46f3924b5137f61fce Author: John Bowman Date: Fri Mar 13 15:02:45 2009 -0600 Fix buildcycle endpoints. commit cfe2ab7253439844c47bb0f45a2bfff4b4831df6 Author: Orest Shardt Date: Wed Mar 11 21:44:52 2009 -0600 Use bounding box size to determine whether points are duplicates. commit 110ab7d63f8346830c11276b1c0d4133f5bc825b Author: John Bowman Date: Wed Mar 11 01:47:57 2009 -0600 Force planar flag for arrow construction. commit 2511368422abcb3be6500d2fcc8bea79e031ed12 Author: John Bowman Date: Wed Mar 11 01:33:51 2009 -0600 Remove another degenerate segment. commit e1cf02273301e2a7342006b9aeb6cbf41544d842 Author: John Bowman Date: Wed Mar 11 01:25:36 2009 -0600 Work around bezulate bug by removing degeneracy. commit 42fa995edf293de9162db70a15c3bd3368a79ea9 Author: John Bowman Date: Wed Mar 11 00:18:34 2009 -0600 Fix planar surfaces. commit ad59550839cb6c72c56a6716a94943119db54928 Author: John Bowman Date: Tue Mar 10 23:45:25 2009 -0600 Simplify surface constructors; update documentation. commit f75e88bde5cf608232940a708263d3272b4b3d37 Author: John Bowman Date: Tue Mar 10 22:23:19 2009 -0600 Update examples. commit 374fe5ba6ec9c625e879adcbd4ac575c62001860 Author: John Bowman Date: Tue Mar 10 22:06:09 2009 -0600 Enable poster mode only when there is no rendered preview image. commit e54a57e797193f26b69165636a686337259c7f9b Author: John Bowman Date: Tue Mar 10 21:34:37 2009 -0600 Add termination tests. commit 619a3195f7b333f91189349f8b19a7fabe08a7d6 Author: John Bowman Date: Tue Mar 10 21:34:12 2009 -0600 Increase bezulate fuzz; add termination tests. commit db838100431fe50516bf3ba17b7ccf9d7b7409c8 Author: John Bowman Date: Tue Mar 10 14:04:32 2009 -0600 Add Align constant. commit e12fcc1ca69c59d1d49446c6fa2b91d458634512 Author: John Bowman Date: Tue Mar 10 02:54:16 2009 -0600 Fix most instances of selfoverlapping patches. commit 9cb3e7a170ea796feda2023fc9a9aaa69daf27d0 Author: John Bowman Date: Mon Mar 9 21:38:52 2009 -0600 Make axial and radial shading respect -gray, etc. commit 9e40719812e31103ec3f4a5e39b06148270cc2df Author: John Bowman Date: Mon Mar 9 00:07:48 2009 -0600 Fix texpath control points for cyclic segments; respect straight flag. commit db6f45dc098f8b24df43b0586e4438f241afedeb Author: John Bowman Date: Sun Mar 8 16:11:51 2009 -0600 Slightly simplify normal calculation. commit 71e1c95735a2ba23c19e092415baff80edf4d514 Author: John Bowman Date: Sun Mar 8 12:03:26 2009 -0600 Make default viewportwidth \the\linewidth in inline mode and 0 in attached mode. Document asy environment options in asymptote.sty version 1.04. commit a06740433ebde75644e27f3e9466468c5e1d90a1 Author: John Bowman Date: Sun Mar 8 09:23:09 2009 -0600 Simplify tick calculation. commit 83d2fa180a2bdca1ef8c7ac05a345caa71753215 Author: John Bowman Date: Sun Mar 8 02:18:52 2009 -0600 Improve tick selection. commit f1e40619a13f3ab6a19a0acb8e2f8b1cc75a1577 Author: John Bowman Date: Sun Mar 8 01:02:42 2009 -0600 Colorize example. commit c2c2eb092db44f4e3cbbc5b59c62298d639d0d1d Author: John Bowman Date: Sat Mar 7 21:17:56 2009 -0600 Reinstate original views. commit 81fce38d02dc3158eb728636c8007cd7d8ff9dca Author: John Bowman Date: Sat Mar 7 21:10:03 2009 -0600 Fix camera adjustment. commit 02eb5bcfcca0d0378e385f4137226e8946b2b8ad Author: John Bowman Date: Sat Mar 7 16:23:58 2009 -0600 Support keyval options width, height, viewportwidth, viewportheight, and attach in asy environment asymptote.sty. Remove obsolete asyattach environment. Move viewportsize to plain_picture.asy to support asymptote.sty. commit 24e9b23a742650c682357ecdd303bd10fd57d390 Author: John Bowman Date: Sat Mar 7 12:14:05 2009 -0600 Better fix for unextended axes limits. commit 78581b7e40528f7eb1a42a0517690368931d999f Author: John Bowman Date: Sat Mar 7 10:10:37 2009 -0600 Update documentation of crop. commit c01d0084a1d3156957c997c89100d4d5b57ec8f8 Author: John Bowman Date: Sat Mar 7 02:46:18 2009 -0600 Add example of a surface drawn using irregular data read from a file. commit 9c01ec16add18b92fd50bb4674cbadde10329bb6 Author: John Bowman Date: Sat Mar 7 02:23:39 2009 -0600 Revert last change. commit 47aa02a0fd237e6267d018ddab025fcdb408d3b4 Author: John Bowman Date: Sat Mar 7 01:07:03 2009 -0600 Fix unextended axes limits and tick generation. commit ea3cf29d5dc68f65db8f3c0835c7a7275b035969 Author: John Bowman Date: Sat Mar 7 00:45:35 2009 -0600 Avoid redundant camera adjustment messages. Increase camerafactor to 2 again. commit 38dc72be7a5d0b19888e15e5b64a54efae1d957a Author: John Bowman Date: Sat Mar 7 00:19:49 2009 -0600 Check crop argument. commit 82a5510bd196c1bd13e176ceac37f5a3d52e7d0f Author: John Bowman Date: Fri Mar 6 23:52:12 2009 -0600 Improve automatic camera adjustment: relocate target to the center of the bounding box, if it lies outside, and reposition camera when aspect ratio is not preserved. commit 2311c16d538c5e25467da6aa029a05dbfffe4854 Author: John Bowman Date: Fri Mar 6 01:14:45 2009 -0600 Allow the user to specify a minimum viewportsize. commit 688371c4a8696f5dcc83215f9de890adf14de341 Author: John Bowman Date: Fri Mar 6 01:06:16 2009 -0600 Use a single call to clip in limits. commit 0026ea88a43ca42d078daaf271a611a6fca599be Author: John Bowman Date: Fri Mar 6 00:56:25 2009 -0600 Fix behaviour of xlimits(Crop) and ylimits(Crop) under picture transformation. commit 70429fc62beac0c19e61982cd9bf676db905753d Author: John Bowman Date: Wed Mar 4 03:44:31 2009 -0600 Increase camerafactor. commit ce2861d0882f816900ec6893aedea46a5541899c Author: John Bowman Date: Wed Mar 4 03:18:49 2009 -0600 Improve automatic camera adjustment. commit 729c7308c0db8806392b48506da22d6e9989a459 Author: John Bowman Date: Wed Mar 4 02:09:19 2009 -0600 Work around intermittent hang on exit. commit 0902c55dc095a0147b7a9feb32b20cdfb74f347d Author: John Bowman Date: Tue Mar 3 02:19:52 2009 -0600 Make attached images printable. commit 8c4f30913cf60f1b963fa6b4c34b045d23783a39 Author: John Bowman Date: Mon Mar 2 19:03:03 2009 -0600 Turn poster off when we have our own preview image. Fix viewportmargin. Remove unwanted camera rescaling. commit 990b6ee4eba7a1b9033d87489f15e284de5b823d Author: John Bowman Date: Mon Mar 2 18:49:36 2009 -0600 Fix spurious annotation question marks and print preview problems by removing workaround for BBox bug in obsolete 2008/01/16 version of movie15.sty. The now widely available 2008/10/08 version of movie15.sty is now compulsory. commit 5ad2d615fa2da167e76a7bd784fcd57e8af41bef Author: John Bowman Date: Mon Mar 2 15:45:00 2009 -0600 Fix slanted ticks. commit 9316b6e0aba874d635db72cf538d1cf718741b5e Author: John Bowman Date: Sun Mar 1 23:58:58 2009 -0600 Fix animation prefix. commit ae5315ac620c3aa15e47e16db87cc7b234aec103 Author: John Bowman Date: Sun Mar 1 17:32:54 2009 -0600 Fix planar arrows for 2D projections. commit 30f6e7f858cf09de210fe6d56dae2752c3698c5f Author: John Bowman Date: Sun Mar 1 17:01:58 2009 -0600 Allow one to disable poster option. commit 09782ec523dd2e89001cfc9b2a3ff24b8db314bb Author: John Bowman Date: Fri Feb 27 17:32:54 2009 -0600 Resize example. commit 6556c592c360ab5ab045004a37cc4cf40ebe6bca Author: John Bowman Date: Fri Feb 27 15:43:51 2009 -0600 Don't hide convert errors. commit 2ca31a4e8eaeadcfa8c513fb2b03bc8271a97892 Author: John Bowman Date: Thu Feb 26 23:09:51 2009 -0600 Add example (contributed by Orest Shardt). commit 88ca0f83d5a114a730aa65578e3e19d067771d74 Author: John Bowman Date: Thu Feb 26 17:23:44 2009 -0600 Increment version to 1.67svn. commit dae4c85870f84c1ed6dd1c139d3408d2cac88b34 Author: John Bowman Date: Thu Feb 26 16:00:38 2009 -0600 Fix outprefix. commit 6a5de0c624a8638930b1216b5695886bce86a18f Author: John Bowman Date: Thu Feb 26 10:01:58 2009 -0600 Remove animation optimization by default. Under MSWindows, suppress call to animate since it requires XWindows. commit 99ea30e4d2f14fcbdef3246301c2010e6e1872cd Author: John Bowman Date: Thu Feb 26 08:50:25 2009 -0600 Add optional direction argument to three-dimensional bars. commit a9d59eb9158368824e68c96f5988f279f7dda53e Author: John Bowman Date: Thu Feb 26 08:45:58 2009 -0600 Avoid division by zero when NColors=1. commit 69192fae67050b8588203e1c60b3ab06f86fe26e Author: John Bowman Date: Thu Feb 26 06:45:26 2009 -0600 Fix alignment bug under pdflatex due to missing %. commit 6bb6ecb0218cdf77f474df10bf763c3a89ec111e Author: John Bowman Date: Wed Feb 25 23:04:31 2009 -0600 Change guides into paths; update to LGPL. commit c48ca48643148db89071d9446c8d0a1bc0ef0ef2 Author: John Bowman Date: Wed Feb 25 17:21:27 2009 -0600 Use integer division. commit ee3c6b650e1a91aff74ecba6996da5987af09db7 Author: John Bowman Date: Wed Feb 25 17:07:20 2009 -0600 Remove "named argument may be mistaken for assignment" debugging warning as it discourages the use of named arguments and detracts from the usefulness of the -d option. commit 389c5fb20a8aa07ef5eead1a95832fb657070105 Author: John Bowman Date: Wed Feb 25 16:06:21 2009 -0600 Revert to interpolating function at midpoints. commit 6cc5fc9f62876be9fc734340932fa4fa229808b1 Author: John Bowman Date: Tue Feb 24 10:51:11 2009 -0600 Add optional normal argument to DefaultHead2, HookHead2, and TeXHead2. commit bdbd01b5c6fe36d7e03aa516da5e9880a85ce4b9 Author: John Bowman Date: Tue Feb 24 01:47:00 2009 -0600 Fix Arrow3(TeXHead2). commit 1321c2fd18a8868b4c968ba89dff10858a8879ab Author: John Bowman Date: Tue Feb 24 01:35:08 2009 -0600 Fix alignment of DefaultHead2, HookHead2, and TeXHead2 arrowheads. commit d42d0e22364585fb5f034b151adf3a7b17085c14 Author: John Bowman Date: Mon Feb 23 01:36:02 2009 -0600 Improve thin 3D arrow handling. commit ac890dbbd19be365d45a4b46038ee04fb50dc54c Author: John Bowman Date: Mon Feb 23 00:01:42 2009 -0600 Make filltype a structure to allow extraction of type and pen parameters. Improve the appearance of DefaultHead2, HookHead2, and TeXHead2 (particularly with curved paths); standardize their usage with their 2D counterparts. Fix MidArcArrow(TeXHead) sizing. commit 04c4806b61f68cf9f3df17ce8a6232a33909bca6 Author: John Bowman Date: Sun Feb 22 21:32:38 2009 -0600 Untabify. commit 43e22d83c2f82739550b7b943770a3f30934b1d6 Author: John Bowman Date: Sat Feb 21 21:30:41 2009 -0600 Upgrade license to LPGL, as per email from Philippe. commit 31e799c42b85817afd1eb468269fc7b86dc0fb22 Author: John Bowman Date: Sat Feb 21 17:39:27 2009 -0600 Retune 3D arrow parameters. commit b0667031a8755d08adea8132ddb143d538c7b2bb Author: John Bowman Date: Sat Feb 21 17:03:22 2009 -0600 Upgrade global license from GPL to LPGL (except as noted within individual files). commit 5523eb20c73989293429387cae06319c96e5c5b0 Author: John Bowman Date: Sat Feb 21 16:37:09 2009 -0600 Remove obsolete featpost3D.asy module. commit 64757f0b6dd69ed1e837c0d08ece5877f87af700 Author: John Bowman Date: Sat Feb 21 15:56:33 2009 -0600 Add bool autoadjust=true argument to perspective projection constructors. commit e6f290616e09b9aa44a0b55b9b74299f99eefe4f Author: John Bowman Date: Sat Feb 21 13:26:15 2009 -0600 Fix TeXHead alignment for curved arrows along with endpoint appearance. commit b57f0e9ad0898cfdec851911fbac70ed1c4f5324 Author: John Bowman Date: Sat Feb 21 11:46:29 2009 -0600 Add autoadjust flag to projections to disable automatic camera adjustment (for experts only). commit 431e0a5ec4fddc168199226dd41564e3fdf41a62 Author: John Bowman Date: Sat Feb 21 11:28:25 2009 -0600 Fix transverse vs. longitudinal typo. Add slight hysteresis to camera adjustment. Always notify user if camera is moved, as transverse and longitudinal slices will have to be (manually) recomputed using the new camera position. commit a4e964c92b8dd447c1146e7382b5b3ec72557dd5 Author: John Bowman Date: Sat Feb 21 04:05:32 2009 -0600 Add 3D arrows example. commit fd67a7961ae8a339ca75d8cdbea2ceebef5552ec Author: John Bowman Date: Sat Feb 21 03:21:58 2009 -0600 Fix appearance of TeXHead3 on curved paths. Fix alignment of DefaultHead2, HookHead2, and TeXHead2 arrows. Pass arrowheadpen to 2D arrow routines when settings.render=0. commit 00bc1d73f58646e2f23f5f4cf0149d157c52defd Author: John Bowman Date: Fri Feb 20 18:30:32 2009 -0600 Use abs(camera-target) rather than just the z component for camera adjustment. Add showtarget parameter to projections. commit 014a1d03c801fa803bb5e297279483b097925ca3 Author: Orest Shardt Date: Thu Feb 19 21:14:42 2009 -0600 Improve selecton of perpendicular vector. commit 5b846e76f5ac0313a81dea335d7600710743f482 Author: John Bowman Date: Thu Feb 19 17:46:20 2009 -0600 Fix typo. commit 902f2734304e84a1597f5215a929c20733ba2888 Author: John Bowman Date: Thu Feb 19 12:00:11 2009 -0600 Increment version to 1.66svn. commit 709ad6bb870e69511fa3b402a3477b1f2178e73b Author: John Bowman Date: Thu Feb 19 10:33:22 2009 -0600 Fix pdflatex output. Implement xelatex engine. Fix xelatex alignment. commit 9e19c35fde997a1a4d1a5705469fcbdc415b6fed Author: John Bowman Date: Thu Feb 19 02:19:28 2009 -0600 Increment version to 1.65svn commit 5e85772d82e096c8bc6df52d6f7fff900e60d665 Author: John Bowman Date: Thu Feb 19 01:24:03 2009 -0600 Force shipped=true also for pictures. Install *.view files. commit 844b91404ec12d951246fdf05c3a8998669dbf44 Author: John Bowman Date: Thu Feb 19 00:13:31 2009 -0600 Change default value of ysize parameter of asyinclude. commit 9625ea38a5e8c89861a31cae6ef63ef0b4dc2cdf Author: John Bowman Date: Thu Feb 19 00:08:44 2009 -0600 Add Protein Data Bank example that illustrates how to set predefined views. commit 5cc82637149d0952582edf6849451575fba35f3f Author: John Bowman Date: Wed Feb 18 23:13:48 2009 -0600 Change dots to underscores in movie15.sty file names. commit 9dbbac7fdab37f6967232dda8e299b96b0adc3fd Author: John Bowman Date: Wed Feb 18 22:03:22 2009 -0600 Add text of LGPL license for PRC code; LICENSE is in parent directory. commit a09d1c1a35352d51ab4906aa904a153bce91a10c Author: John Bowman Date: Wed Feb 18 22:01:08 2009 -0600 Upgrade license of PRC code from GPL to LGPL (agreed to by Orest). commit 6f376fee744b97dd4e75672304ed265f145edd79 Author: John Bowman Date: Wed Feb 18 21:27:47 2009 -0600 Update FAQ. commit 1d9c28b6f19f5d762b6aad2e81e4792ce5c311a4 Author: John Bowman Date: Wed Feb 18 20:38:33 2009 -0600 Fix file path. commit 8944f939542c801fd26b986de5593c4c846491d1 Author: John Bowman Date: Wed Feb 18 20:32:41 2009 -0600 Add interactive 3D examples to intro.asy. Make GaussianSurface smooth. commit 9bd9020de556be40f447c0dccc592be0e8965f3a Author: John Bowman Date: Wed Feb 18 16:06:16 2009 -0600 Strip directory from animation prefix. Don't delete generated animation.pdf file. commit e3151ea29894774140164fd929258085db87e513 Author: John Bowman Date: Wed Feb 18 08:58:32 2009 -0600 Add support for xelatex pdf specials, using the "literal" keyword. commit 17dc9dbf0c34cadde1425947ce0417a5ff03b4f7 Author: John Bowman Date: Wed Feb 18 08:38:48 2009 -0600 Generate PythagoreanTree if needed. commit f4fd594c8f0ef695d457ba6cf262d55edcea8b91 Author: John Bowman Date: Tue Feb 17 22:34:10 2009 -0600 Don't force target to be part of control volume for absolute projections. commit 66fd72aecc79a00cf89a6e1f7b990e3b3f667a60 Author: John Bowman Date: Tue Feb 17 22:25:41 2009 -0600 Increment version to 1.64svn. commit 4300efa1d0b99432dfcdc47cc5345bd491478706 Author: John Bowman Date: Tue Feb 17 20:51:20 2009 -0600 Force the target position to be inside the bounding volume. Remove duplicate definition of rectify(triple). commit e3cc6bf9d4d8fa34e2755d0ddaf2636cafc6192a Author: John Bowman Date: Tue Feb 17 17:37:06 2009 -0600 Fix handling of invisible surfaces. commit 26e310e850ea3c9bd5ece5faf3df72217e89b75c Author: John Bowman Date: Tue Feb 17 10:07:42 2009 -0600 Fix synchronization of interactive rendering. commit b797cbbe7c0f43e7bf054acd484110259737abc0 Author: John Bowman Date: Tue Feb 17 02:05:33 2009 -0600 Avoid spurious xelatex warning messages due to null (placeholder) graphics files. Add patched version of movie15.sty for xelatex users' convenience. Simplify embed.asy. commit 6dfbfac2d7e8f1c5234e4bc3d5fda906fb8efe2b Author: John Bowman Date: Tue Feb 17 01:30:54 2009 -0600 Improve guide collection for non-midpoint case. commit 333afac78848c4bddfe2aa42cb2656fa521eec9b Author: John Bowman Date: Sun Feb 15 13:20:10 2009 -0600 Generalize definition of middle to arbitrary quadrilaterals. Avoid need for interpolating function at cell midpoint; use 2 triangles instead. Use nmesh instead of (poorly named) ncell parameter for 3D contours. commit 743db1d76b55182cb33edc23fece8466b85212f5 Author: John Bowman Date: Sun Feb 15 13:13:24 2009 -0600 Handle degenerate and nondegenerate rendering consistently. commit c5fd7b5465551828e93a812e8d07fcba1e5b3396 Author: John Bowman Date: Sat Feb 14 12:22:48 2009 -0600 Implement complex gamma function in C++ code. Add interactive 3D surface of revolution example to slidedemo. commit 85ed3b5790ddf7d44af6bde3000df7d142c7256b Author: John Bowman Date: Sat Feb 14 10:58:01 2009 -0600 Disable graphic generation when view=true. commit 52149357e57a56ecbaee9e594d574bda4749a60e Author: John Bowman Date: Fri Feb 13 01:10:23 2009 -0600 Add 3D (and other multimedia) support for xelatex. commit 1f7c14ac96ae1faa0ea06106b5af567c1593fed0 Author: John Bowman Date: Fri Feb 13 00:54:37 2009 -0600 Improve pdf format detection. commit f394d80486877735f35a21cf17aad38fbbfe1f6d Author: John Bowman Date: Fri Feb 13 00:49:37 2009 -0600 Fix preview generation. commit 2b1016f627b45298cb776e1480eb9adfe60fb7b9 Author: John Bowman Date: Thu Feb 12 23:42:05 2009 -0600 Automatically include rendered images when fitting nonprc pictures. commit 41b476d67efadc14a2ab16e17e0d1ce8b773b326 Author: John Bowman Date: Thu Feb 12 00:24:54 2009 -0600 Patch compilation errors in pstoedit-3.45. commit 78ec096135b4c6a2680c01ac70b890b53654642a Author: John Bowman Date: Thu Feb 12 00:16:52 2009 -0600 Replace old-style constructors with operator init. commit 6136dc64cf325d025f1c26559b1dd327b4d12b83 Author: John Bowman Date: Wed Feb 11 23:01:19 2009 -0600 Add electromagnetic spectrum. Make minor ticks work properly with custom logarithmic axes. commit 137677e8aa6e9763002d2bbdb0bca9d883b99339 Author: John Bowman Date: Wed Feb 11 17:17:38 2009 -0600 Don't report error on eof after reading 0 values from file. commit a6e6b4ed261bfc1146fc9245d3cc77085e26b2c3 Author: John Bowman Date: Wed Feb 11 16:55:26 2009 -0600 Handle one-column legends correctly (patch contributed by Martin Wiebusch). commit bc9f784dff27f6bffd20941b64594f4f5cfc58e8 Author: John Bowman Date: Wed Feb 11 16:33:45 2009 -0600 Fix pstoedit support: remove duplicate beginclip/endclip functions. commit 6b5a85386c4bb8987f7ce9ead2aa542e84383e76 Author: John Bowman Date: Wed Feb 11 01:29:52 2009 -0600 Update unicode documentation. commit e48449c3a41cdbc148fa817dd408f90f9dbb8b68 Author: John Bowman Date: Wed Feb 11 00:22:23 2009 -0600 Support xelatex again. Note that this experimental tex engine does not yet support pdf specials (required for label clipping and label transforms) or the movie15 package (required for 3D PDF files). commit 57fb0bf9cb05e70bafe2b8f1a61f226fa66813b2 Author: John Bowman Date: Mon Feb 9 01:16:59 2009 -0600 Increment version to 1.63svn. commit 05b8f1cdfce4ddd6f7fb064e353720388a8ad314 Author: John Bowman Date: Mon Feb 9 00:00:12 2009 -0600 Implement a pen rgb(string s) routine that returns a pen corresponding to a given 6-character RGB hexidecimal string. commit a68637e6c82f5ce5171931a5c1a5359bb329e86d Author: John Bowman Date: Sun Feb 8 23:14:02 2009 -0600 Reformat C++ files. commit 46c4f8d767fda269a6965fd4594ae938254b9d76 Author: John Bowman Date: Sun Feb 8 22:22:15 2009 -0600 Reformat and untabify base files. commit 5f3974b82a5e114737827bc4fdd9f0cbe405b968 Author: John Bowman Date: Sun Feb 8 11:19:04 2009 -0600 Add Label arguments to more of the dot routines. commit 301c79a5b6c68ca6bc7de0e7ae88177ddbce9f71 Author: John Bowman Date: Sat Feb 7 14:08:26 2009 -0600 Add parametric version of markuniform. commit b08d2bd76c59e4f21bf7f0e9c80ee5b1cd8b8c2f Author: John Bowman Date: Sat Feb 7 00:41:46 2009 -0600 Implement int hex(string s) function that casts a hexidecimal string to an integer. commit 77595bbb56fc7489ccfa2123c3d33b19a43de9a3 Author: John Bowman Date: Fri Feb 6 20:04:56 2009 -0600 Add default picture argument. commit a5f6409777ceb4b76df34caa9d35aedef99ac5f0 Author: John Bowman Date: Thu Feb 5 03:38:31 2009 -0600 Fix asy -f pdf -o temp/venn. commit 1b3d770eb47e9a4fcce6b51aeb9d2ecc08bf8664 Author: John Bowman Date: Thu Feb 5 03:36:16 2009 -0600 Increment version to 1.62svn. commit bdfa3acd0bacbbbb11066c92504369f92e1f5c33 Author: John Bowman Date: Thu Feb 5 02:35:32 2009 -0600 Prevent multiple shipouts in venn example. commit 8a08bc6ad839d86769c40d52fad154afd7f2db9a Author: John Bowman Date: Wed Feb 4 23:43:29 2009 -0600 Change nopapersize.ps to use letterSize/a4size to work with the current MiKTeX version of dvips, which does not support the DVIPSRC environment variable. commit 8e7aebbb838904760d4d728b11818c3c5fa0e761 Author: John Bowman Date: Wed Feb 4 23:14:53 2009 -0600 Indent. commit 530aa12cdb6f173f18653d7ffd99b27bff870efd Author: John Bowman Date: Wed Feb 4 23:13:24 2009 -0600 Fix aspect ratio on re-entry. commit dfd1d4874c066e411710829a0eee9eaa6ffa3c74 Author: John Bowman Date: Wed Feb 4 20:04:07 2009 -0600 Add Pentype function to return a pen of increasing colour and linetype. commit 9bae8efdc88b2842d4dbf27bbc516ed42a306f27 Author: John Bowman Date: Wed Feb 4 18:50:25 2009 -0600 Fix typo in URL. commit b5118109e681c6a3fc30f53a1445ec938bc86dbe Author: John Bowman Date: Wed Feb 4 09:57:55 2009 -0600 Re-enable freeglut extensions to support user-specified multisampling again. commit cf2107e5fc31f77c688d0f3e2b54786ddc2c3559 Author: John Bowman Date: Wed Feb 4 09:47:24 2009 -0600 Destroy any existing export window before entering View mode. commit 871271ee9d21c2f90442a2d6bacb632079832488 Author: John Bowman Date: Wed Feb 4 00:46:20 2009 -0600 Remove spurious \phantom{+}. commit ae4540d47733b206d1de70982125423cc4dde4eb Author: John Bowman Date: Wed Feb 4 00:33:34 2009 -0600 Fix asydir(); under CYGWIN. Add missing CYGWIN prototype. commit 3a9e92a066756fb8ad252fd1935d955054943d37 Author: John Bowman Date: Tue Feb 3 23:53:23 2009 -0600 Remove -P pdf as this breaks file attachments. commit 810f6f845a864d4cddc2dc0d9e7502f6012e678a Author: John Bowman Date: Tue Feb 3 23:32:40 2009 -0600 Fix segmentation fault due to spurious window creation in export loop. commit ee48135b6016801872fd526b8ce26bb843807aa8 Author: John Bowman Date: Tue Feb 3 23:27:54 2009 -0600 Add string[] to int[] ecast. commit 0e66e1673cac08a8bd71ebf49392a7f739a3f010 Author: John Bowman Date: Sat Jan 31 12:49:19 2009 -0600 Fix dvipsOptions. Don't allow dvipsOptions to override -tnopapersize. commit 0cb84fd14cddaf20e930acc24cae3a2f7ee56b28 Author: John Bowman Date: Sat Jan 31 11:18:22 2009 -0600 Update dvipdf to correspond to the latest ghostscript svn source. commit 6e67b82c4e07bfcd7c2ba9ceb26b3a797a2d5e4f Author: John Bowman Date: Sat Jan 31 09:29:42 2009 -0600 Warn that silhouette routine is intended only for 2d projections. commit 764f7f92b8711a5c7da62797d5f3b3c75413a7c8 Author: John Bowman Date: Sat Jan 31 00:22:51 2009 -0600 Enforce the same zerowinding fillrule used by dvips. commit 54342b62220f756c79ec1716bf31c275a4cbeef2 Author: John Bowman Date: Sat Jan 31 00:07:10 2009 -0600 Rename nosize to nopapersize for clarity. commit d0d1e6094c87254a93efd85363a38d95200f4f6a Author: John Bowman Date: Fri Jan 30 23:58:28 2009 -0600 Workaround dvips misconfiguration in TeXlive 2008 (and possibly other new TeX distributions) that introduces unwanted %%BeginPaperSize commands into the EPS output. commit 0200020ab140143bedc07cf27baf8d2c47e3dba7 Author: John Bowman Date: Fri Jan 30 17:26:56 2009 -0600 Reinstate -q (-quiet) option. Update asymptote.py to use -interactive option. commit 93bcf2e4d0bec3afc58066273aeb9f5c2f90fda0 Author: John Bowman Date: Tue Jan 27 15:38:53 2009 -0600 Work around dvips configuration errors on some systems by enforcing no paper type comments. commit 80e59335e7ed42f326c06612f456a904d4acf327 Author: John Bowman Date: Tue Jan 27 09:40:48 2009 -0600 Rename file. commit aae56cc06b6d59a4c1b5dada20b29b739ac93b05 Author: John Bowman Date: Mon Jan 26 23:17:28 2009 -0600 Increment version to 1.61svn. commit f13663d2bf1b956068f6d290284b3c38372a291a Author: John Bowman Date: Mon Jan 26 22:01:00 2009 -0600 Fix surface condition type. commit ac29281656284dd3687db1f6a93b82bae89ec239 Author: John Bowman Date: Mon Jan 26 18:58:00 2009 -0600 Simplify notation. commit 3b01508d946b86c3692173d844b7a9941f47880a Author: John Bowman Date: Mon Jan 26 18:12:17 2009 -0600 Remove diagnostics. commit 4520d29d9414c0dcaf479193c28f48e31184c943 Author: John Bowman Date: Mon Jan 26 18:11:23 2009 -0600 Improved marker alignment. commit faaefc8bccd2ecd01b0e9f0b3e8d4a63f5f512a0 Author: John Bowman Date: Mon Jan 26 17:48:24 2009 -0600 Force a new guide after omitting points in conditional graphs; avoid spurious empty guides. commit caa1af28ceab79157c53a0c758accdd595ee30f4 Author: John Bowman Date: Mon Jan 26 17:00:49 2009 -0600 Improve axis label. commit 101ee3595eeefb53f2ecd6a117019d03ae9db5a9 Author: John Bowman Date: Mon Jan 26 16:59:40 2009 -0600 Simplify example. commit 4c8f0feb77e877116952cba3e86c2afb3a654584 Author: John Bowman Date: Mon Jan 26 16:56:55 2009 -0600 Add floor example. commit 758a700ec3a46e5382e4d95560ec6fdccedd1280 Author: John Bowman Date: Mon Jan 26 13:54:20 2009 -0600 Fix read from pipe failed error under MSDOS. commit 7a24e4671880b20b56e03feb491fb3ce779cd1ad Author: John Bowman Date: Mon Jan 26 00:18:19 2009 -0600 Allow xasy to be run from a write-protected directory under UNIX again by implementing broken (8.3) format tempdir workaround only for MSWindows. commit 5ff176eebba9c7cf103a0aa37f70bf45d8af81ad Author: John Bowman Date: Sun Jan 25 09:58:27 2009 -0600 Catch out of memory errors. commit ecbd15211297bf751e7b42745d6f5b6de475c661 Author: John Bowman Date: Sat Jan 24 22:05:45 2009 -0600 Remove LocalWords from FAQ. commit 2eae4b4154364c1ae70a80a43fedd36f5efa40e5 Author: John Bowman Date: Sat Jan 24 18:46:47 2009 -0600 Recommend svn version of freeglut only for UNIX systems with graphics cards that support multisampling. commit 8b2834aa4ba6d98806f5a723e801d17b0fcc4865 Author: John Bowman Date: Sat Jan 24 18:29:36 2009 -0600 Catch unhandled exception when exporting to write-protected directory. commit 9e307c6e5c7b27a8e2c7545e9034ab377cc7f990 Author: John Bowman Date: Sat Jan 24 16:21:27 2009 -0600 Modify yum instructions for obtaining most recent version of Asymptote. commit 52669b851dcf713cc2f117f1ecdfd674b0c062f0 Author: John Bowman Date: Sat Jan 24 15:57:49 2009 -0600 Use default for bool3 initializer. Change condition array for graphs to bool3[]. Add more bool3 support functions. Reformat base files. commit 50b00f2ce388f9a963744b8110b20fd71debd1e0 Author: John Bowman Date: Sat Jan 24 13:34:04 2009 -0600 Work around inability of movie15.sty package to handle spaces in filenames. commit 23298930e7cdbeee504ef3adb2f06dabd0a52e53 Author: John Bowman Date: Sat Jan 24 12:07:14 2009 -0600 Add gettriple routine. commit 1ee716c8a7303a7e2d2c06ce171948121511b96c Author: John Bowman Date: Sat Jan 24 12:04:57 2009 -0600 Don't regenerate asy-keywords.el with make install-asy. commit 8e884245f07062d284c0248b436fa362567d640a Author: John Bowman Date: Sat Jan 24 11:30:30 2009 -0600 Emphasize that settings.outformat="pdf" must be set before three.asy (or graph3.asy) is imported. commit d8fdc5bc766f7f73cd5c8353be662caaea1504c6 Author: John Bowman Date: Sat Jan 24 11:05:21 2009 -0600 Document and standardize usage of bool3 type. commit df0dc74326a7f04826e91d13a2faa75e76a1e7d7 Author: John Bowman Date: Fri Jan 23 23:38:32 2009 -0600 Simplify and document graph interface routines. Make cond argument of graph a bool3(real) function, to allow one to distinguish between points that should not be plotted and points belonging to a new branch of the graph. commit 2c817b9ca4fe5f5d83cd881bc176e148b2617e5f Author: John Bowman Date: Thu Jan 22 11:13:15 2009 -0600 Simplify example. commit 18db9ab6ace1d69723eae0b738f3da438bb6dc7c Author: John Bowman Date: Thu Jan 22 11:06:32 2009 -0600 Improve branch test. commit 468ba41e50b90e332cd0ee5ac9d854e582996456 Author: John Bowman Date: Thu Jan 22 00:00:55 2009 -0600 Make graph routines return a guide[]. Add casts from guide and path arrays of length 1 to guides and paths, respectively. Add 1/x disconnected graph example. commit 1614388547aaeaba32fb73f2a48ba37314f47a31 Author: John Bowman Date: Wed Jan 21 22:31:18 2009 -0600 Avoid warning message. commit 0c249ad98ae12767a82245b312ae20d80cdc0f51 Author: John Bowman Date: Wed Jan 21 22:24:26 2009 -0600 Use cmyk function. commit 67c42e5be801b4b9c41f39a6aae1942afe2887ac Author: John Bowman Date: Wed Jan 21 22:22:08 2009 -0600 Fix default condition arguments. commit 8ed9d79ad3fc64010518c71afcf44c099e7479fe Author: John Bowman Date: Wed Jan 21 20:26:12 2009 -0600 Remove obsolete +cmyk construct. commit 1456301b60008d69b16d81d27e3bbb12cd1fcd76 Author: John Bowman Date: Wed Jan 21 18:33:26 2009 -0600 Improve stack overflow diagnostics. commit 3aea38afad9ce32a7c69fcc7b7071f3717abdd0e Author: John Bowman Date: Wed Jan 21 13:42:46 2009 -0600 In interp, first promote pens to the same colorspace. commit 5f7181d05ce0428db888ab025b1428e7e6b625a0 Author: John Bowman Date: Tue Jan 20 01:06:34 2009 -0600 Add optional bool cond(real)=null to 2D and 3D graph routines for functions. commit 92218def6d5a2441e8dea3616ac38c8ec1d57ef4 Author: John Bowman Date: Mon Jan 19 01:08:52 2009 -0600 Increment version to 1.60svn. commit f236aa4d54edf39380f4728a05a48da895a22a76 Author: John Bowman Date: Sun Jan 18 23:40:04 2009 -0600 Clean up aux files. Fix aux conflicts in slide.asy. commit 9c29f49996676b34d6e03f172d507d87fb5db1de Author: John Bowman Date: Sun Jan 18 23:05:29 2009 -0600 Unlink texput files from proper directory. Remove any old texput.aux file before creating TeX pipe. commit bb5215873b3c7bd55202b36a00734ee916ee311c Author: John Bowman Date: Sun Jan 18 22:20:57 2009 -0600 Fix defaultfilename in asy(string). commit 1c0a03c7affcd5c71ec3b8f972852af0366ecfc8 Author: John Bowman Date: Sun Jan 18 16:59:34 2009 -0600 Handle nonintersecting paths. commit 001a95cb112128ee6dc26fc6d26a18318a03f85f Author: John Bowman Date: Sun Jan 18 15:54:15 2009 -0600 Add missing final long_opt entry. commit ca6b80ba33c0921714cdc7c8f78b9660f0dfbaea Author: John Bowman Date: Sun Jan 18 13:59:10 2009 -0600 Fix mixed export/View rendering. Wait for pid to finish with -nothreads. commit f03e2bda783aec28a216674f59c5fb08924105c9 Author: John Bowman Date: Sat Jan 17 13:33:51 2009 -0600 Simplify example. commit aaf6df33fa78329e2a12156923c7f59e89a3cde1 Author: John Bowman Date: Sat Jan 17 12:39:15 2009 -0600 Fix plain tex font scaling. commit 86fe7241b7e8f15fa23cc3e0fc0a3027569fa246 Author: John Bowman Date: Tue Jan 13 09:25:51 2009 -0600 Fix typo in manual. commit b71578ce10460a1795aafbc2de6f22f8c9811dd8 Author: John Bowman Date: Tue Jan 13 09:23:56 2009 -0600 Transform margin paths. commit 0b4d1a83478d15f4e7c4c63573d67c3e4751b181 Author: John Bowman Date: Tue Jan 13 09:14:11 2009 -0600 Add missing filltype option for projected 2D arrowheads. commit 059133273986ee197b1a0e05200931e238e7ae6b Author: John Bowman Date: Mon Jan 12 01:49:48 2009 -0600 Clean up html files. commit c56d94c948042b03849953a5ca5b6105e018c87a Author: John Bowman Date: Mon Jan 12 01:48:36 2009 -0600 Generate html files into doc/png. commit 99ce03a0fe5ee871ce058451fe4ec6382bde51d3 Author: John Bowman Date: Mon Jan 12 01:09:38 2009 -0600 Set "Start in" directory for xasy to %USERPROFILE%. commit d32ba1c815176d6686059f51080721fce2bc2671 Author: John Bowman Date: Mon Jan 12 01:02:03 2009 -0600 Increment version to 1.59svn. commit cc304c7d54383cfe52410c0bbdd998086b90eab2 Author: John Bowman Date: Sun Jan 11 23:38:42 2009 -0600 Draw 2D arrowheads when projecting to 2D. commit 516aae17ec5c5ee067e2131bc092431c5042cba9 Author: John Bowman Date: Sun Jan 11 19:06:17 2009 -0600 Cache asy.list. commit c383fdf7bae0d30006a8e825fc1ef7430360e16f Author: John Bowman Date: Sun Jan 11 18:55:54 2009 -0600 Fix include order. commit 5ce54e657c3ff5da1fc6b49cf1722eb009c7f041 Author: John Bowman Date: Sun Jan 11 18:30:14 2009 -0600 Work around incompatibility of latex with DOS directory names. commit 048dccd54fc396f3714ad0f64909dde004d3e56e Author: John Bowman Date: Sun Jan 11 14:00:17 2009 -0600 Port to latest version of CYGWIN glut.h header file. commit 1802826d41afa5ef171a198d120dc36f34119a17 Author: John Bowman Date: Sun Jan 11 11:14:54 2009 -0600 Disable PRC for silhouette examples. commit 747bf389a75a1b072c2a586205da071974137f51 Author: John Bowman Date: Sun Jan 11 11:03:18 2009 -0600 Remove temporary asyinclude file. commit ffff57d132fa5ad68244c301c6a254a01eab29cf Author: John Bowman Date: Sun Jan 11 09:42:47 2009 -0600 Draw a central transverse slice when m=1. Simplify spheresilhouette example. commit 5c7374c594922feab7918007c64934683c727288 Author: John Bowman Date: Sun Jan 11 00:11:57 2009 -0600 Increase example size. commit 6861fffd47dfec4a14b861584a4f5cef5cde1cf3 Author: John Bowman Date: Sun Jan 11 00:09:42 2009 -0600 Add silhouette examples. commit 0047253a56043d6719589ce072cf3096974fdb36 Author: John Bowman Date: Sat Jan 10 19:06:20 2009 -0600 Fix silhouette routine. commit 002ae3d953e36891bec8823e9808ebf120b061aa Author: John Bowman Date: Sat Jan 10 17:08:00 2009 -0600 Fix magnitude of pair axes label alignments. commit 563e3aac0e32cc00f8dc174d74f89078df2d3587 Author: John Bowman Date: Sat Jan 10 12:32:02 2009 -0600 Remove broken axis label alignment adjustment code. commit f0ea749693a65015ada26d0ea5e0b63a29dd65d1 Author: John Bowman Date: Fri Jan 9 23:43:57 2009 -0600 Address nullpath issues. commit 8748b682068b7f19ef11fbcb4fd59777a7e0e4bd Author: John Bowman Date: Thu Jan 8 23:31:58 2009 -0600 Indicate real values with red. commit 17082621236c24715f37e1388468a1c79226bb16 Author: John Bowman Date: Thu Jan 8 23:00:07 2009 -0600 Add Wheel palette and example of complex Gamma function. commit ac4ecce121491bde69d145c85905e7b027f1ec63 Author: John Bowman Date: Thu Jan 8 01:14:48 2009 -0600 Fix conflict with breqn package. commit 6f3303e24634254458f68f64e19b5defe29c5537 Author: John Bowman Date: Tue Jan 6 23:02:00 2009 -0600 Implement ArcArrow3, etc. commit 1ee69c6f1852ff257e5355fdf99bf5d1f12ae4ca Author: John Bowman Date: Mon Jan 5 23:09:35 2009 -0600 Fix interp(pen,pen,real) by reverting to standard pen addition. Fix cmyk(rgb(black)). commit ed6391bbf8700ec50b151f140f52b6c8a0176a59 Author: Andy Hammerlindl Date: Sun Jan 4 14:47:12 2009 -0600 Report errors of arguments in illegal function call. commit c8b92ebe85b4982c8651fe90ba103e08041ab3b0 Author: John Bowman Date: Thu Jan 1 12:34:19 2009 -0600 Add missing file. commit 033502b10640b65185b78cc1e66d54a8562f230e Author: Andy Hammerlindl Date: Wed Dec 31 22:44:59 2008 -0600 Added support for open function signatures. commit 5e34a64ae2238eea776cafb0ec404ea91cb2f67c Author: John Bowman Date: Wed Dec 31 17:29:27 2008 -0600 Exit interactive mode on EOF, unless exitonEOF=false. commit a010f63aeeec0dc8fccf7ae6e885304ba4ae25bf Author: John Bowman Date: Wed Dec 31 16:10:39 2008 -0600 Add copy constructor TODO entry. commit e24c735878e98185646dd22b5404dd142befa5db Author: John Bowman Date: Wed Dec 31 11:01:44 2008 -0600 Add example of factoring out an axis scaling. commit 9e4ba2ebf3374ddaa133355da4ab660a5ca52ee1 Author: John Bowman Date: Wed Dec 31 10:32:10 2008 -0600 Change VERSION from a function to a constant. commit d31f008822443a6438ed7db1913a271629c54b3f Author: John Bowman Date: Wed Dec 31 09:19:16 2008 -0600 Allow compilation without HAVE_LIBGLUT. commit 8d8b497afe39a27026af173f1147fa6704def4d1 Author: John Bowman Date: Tue Dec 30 23:19:29 2008 -0600 Clean up texput files. commit 112eb1d8a921e53d67839aa574eb7d0c27282f98 Author: John Bowman Date: Tue Dec 30 23:10:19 2008 -0600 Revert previous pen changes; make operator + on grayscale pens a maximum operator. commit 93bd6e0aaa83534744a3e5a60f3997afcf67278d Author: John Bowman Date: Tue Dec 30 17:46:26 2008 -0600 Add missing file. commit df1440968b940455e6e8266ae0a6fc963f0e5089 Author: John Bowman Date: Tue Dec 30 17:43:13 2008 -0600 Add dependency. commit 25f258f4c94edebbf063c871a78494b5dea5bf83 Author: John Bowman Date: Tue Dec 30 17:31:36 2008 -0600 Fix pen addition involving colorless pens. commit e811594daaf4cd72706fb3b4989ccbcc9f06bac0 Author: John Bowman Date: Tue Dec 30 17:13:45 2008 -0600 Build png images for manual in a separate directory so that they don't take precedence over pdf files. Center images in manual. Update modified dvipdf. commit c33928376291116ee0b3d27971432a27ffae8a2e Author: John Bowman Date: Tue Dec 30 09:37:34 2008 -0600 Make pen arithmetic consistent across colorspaces. commit 2b16cde3092731214c2734c132375b3400c69b4c Author: John Bowman Date: Fri Dec 26 15:29:53 2008 -0600 Fix error message. commit a7e96860e96b83d42b7f0abe9f1a61c59761a640 Author: John Bowman Date: Sun Dec 14 22:07:10 2008 -0600 Improve tick adjustment. commit f48785900c46a4f7f73f0e5bd38bf18b3c9e4294 Author: John Bowman Date: Sun Dec 14 01:17:54 2008 -0600 Increment version to 1.58svn. commit 69b9c3a90fc92df531cd5b0f0efc821d95e2b376 Author: John Bowman Date: Sun Dec 14 00:53:35 2008 -0600 Use asy.bat instead of asy.exe in MSWindows start menu link. commit a15d3d019d82e1e734ee6961a6adb4a8079f0524 Author: John Bowman Date: Sun Dec 14 00:01:18 2008 -0600 Resolve ambiguity. commit 414f39ea34aa3d2b59bbc69118085f7720c0b03e Author: John Bowman Date: Sat Dec 13 23:50:31 2008 -0600 Fix picture sizing with beginclip/endclip. commit 7acff952eac90aae634e9e341c88e17b53140d78 Author: John Bowman Date: Sat Dec 13 23:12:21 2008 -0600 Add beginclip(picture) and endclip(picture) functions. commit 51c65ed4fc2dfc8890e5e3230975c5da31581f9c Author: John Bowman Date: Sat Dec 13 22:55:58 2008 -0600 Allow clipping across page boundaries. commit 51fa23a6c1f5a1ce9a14ab0fe7021c95a0af45c7 Author: John Bowman Date: Sat Dec 13 13:04:41 2008 -0600 Simplify example. commit 5d68758dec150b173b861bed935b9b007cfda2d3 Author: John Bowman Date: Sat Dec 13 13:02:09 2008 -0600 Add example of aligned objects and envelopes. commit 181fb85c90758a5ba14b73fefbf4fd349e317213 Author: John Bowman Date: Sat Dec 13 13:00:20 2008 -0600 Add object(Label, envelope, ...) constructor. Support object transformation and alignment. commit 89516fc6a26ca4b4ae205810e780d10a66336180 Author: John Bowman Date: Fri Dec 12 22:31:00 2008 -0600 Fix plain tex font size. commit f42c1047ba0cc6b48252e071f52acc33eb6774d7 Author: John Bowman Date: Thu Dec 11 23:19:17 2008 -0600 Improve axis coverage calculation. commit 2a95e16eedfe2f3efff147d5619df51607573b4c Author: John Bowman Date: Wed Dec 10 11:02:14 2008 -0600 Simplify font(string name, real size). commit 354e080d458273533b809bc143d22783f6d9ec3c Author: Andy Hammerlindl Date: Wed Dec 10 10:43:09 2008 -0600 Handle empty history in get/setLastHistoryLine. commit 40d2017d22e98ceee80e5cfbbaa81974fcd8e565 Author: John Bowman Date: Tue Dec 9 03:06:46 2008 -0600 Use defaultfilename in asy(string). commit 45f64bb4bac96f96bae81a74362ab81604911d27 Author: John Bowman Date: Tue Dec 9 02:19:06 2008 -0600 All temporary files are now generated in the directory specified by the -outname command-line option. Make outname a read-only setting. Check if the output directory is writeable. commit f99d9edfe6982095376094b01117fe0a6761bb2a Author: John Bowman Date: Mon Dec 8 21:44:52 2008 -0600 Add diagnostic. commit ecf8129b3978ab5589eb1568bbc471df0c4d6554 Author: John Bowman Date: Mon Dec 8 21:44:17 2008 -0600 Make default MSDOS "start-in" directory %USERPROFILE%. commit 0dffc47a3e72fb3d33d1e4da8ae69135f0143bce Author: John Bowman Date: Mon Dec 8 21:43:28 2008 -0600 Fix diagnostic. commit 8b84cbd701e587bcb0cfda2323cb323b04df5140 Author: John Bowman Date: Mon Dec 8 20:47:47 2008 -0600 Add optional basesize parameter to font. commit bac13dc46d28516dd12bfa067566322a6ae4e65e Author: John Bowman Date: Mon Dec 8 18:15:06 2008 -0600 Fix pdflatex texengine; abandon xelatex support since xelatex does not support pdf specials anyway. commit 9d79a394539ff8bf6044e14878851a2792cda419 Author: Orest Shardt Date: Mon Dec 8 16:44:46 2008 -0600 Handle failure to lauch external editor cleanly. commit c3d171565ecb5af926d0db6922394821928d78ea Author: John Bowman Date: Sun Dec 7 14:57:02 2008 -0600 Update link. commit 28ceef2c78e55bb3a89b3b19dd6c5224583468d0 Author: John Bowman Date: Sat Dec 6 23:28:51 2008 -0600 Update documentation of xasy installation. commit 34260991dd4b8712ccb7393c17762440d15ed9a1 Author: John Bowman Date: Fri Dec 5 22:46:08 2008 -0600 Increment version to 1.57svn. commit 9f29de60f80817e9471bdf3c80889b324d5e339b Author: John Bowman Date: Fri Dec 5 19:33:56 2008 -0600 Fix documentation of grid3. commit af5bb7c379246be9b734d152addfaeca6623b729 Author: John Bowman Date: Fri Dec 5 19:24:27 2008 -0600 Add examples of using grid3 with scale(true). commit 805c95c531aeabdd1749e53c00b943b448bffc8e Author: John Bowman Date: Fri Dec 5 19:24:04 2008 -0600 Fix bounding box bug by clearing \ASYbox dimensions for latex as well as for pdflatex. commit aae84baab6437781971ab08cf395156f2d749f9b Author: John Bowman Date: Fri Dec 5 19:21:06 2008 -0600 Round font scaling to the nearest integer. commit 60a22d13ecea048aa51b9abcba6d80a859db3d4f Author: John Bowman Date: Fri Dec 5 11:27:49 2008 -0600 Add asyinclude function for including 3D PRC graphs in slides. Update grid3 documentation. commit 5b0bc1727b53df6b08e724866a8e9a24f5bbc3fb Author: Philippe Ivaldi Date: Fri Dec 5 03:45:16 2008 -0600 Fix version commit 369a2bc503053e27eafa9d368a80c7f2b17d00e1 Author: Philippe Ivaldi Date: Fri Dec 5 03:36:20 2008 -0600 Fix handling the environment asydef within lasy-mode. commit 3a808696c835bfa983096a26d35fd927b146a3ad Author: John Bowman Date: Thu Dec 4 10:26:58 2008 -0600 Fix shipout(wait=true). commit 89505a37e705405424566f8d6015ee77db0ae55e Author: John Bowman Date: Tue Dec 2 04:24:02 2008 -0600 Increment version to 1.56svn. commit 9354191a7fa1fa719121f331264c931afae0a544 Author: John Bowman Date: Tue Dec 2 01:15:16 2008 -0600 Remove obsolete field of view factor. commit ba00ab847d6f56929a55ca0d87b7c770e8511973 Author: John Bowman Date: Tue Dec 2 01:03:58 2008 -0600 Add user=true argument to 3D point(picture) and size3(picture) routines; add truepoint routine. Add triple invert(pair z, projection P=currentprojection) routine that inverts a pair z onto the projection plane. commit d40482868635407bc38cd7ef6c1c5d49ed2ce38a Author: John Bowman Date: Tue Dec 2 00:41:41 2008 -0600 Fix more guide to path problems. Update guide tests. commit 4aab933ee9204bd7b3436f8db5c402f4e5ba42fa Author: John Bowman Date: Mon Dec 1 12:47:38 2008 -0600 Fix drawing of paths of length 0. commit 97cfcb1a33c55b34161cc2a4896c63fa7edd757d Author: John Bowman Date: Sun Nov 30 21:00:12 2008 -0600 Increment version to 1.55svn. commit f6246129093e76b83e1d69827d44e89aa5f0e56b Author: John Bowman Date: Sun Nov 30 18:19:15 2008 -0600 Document need to remove latexusage_.pre along with latexusage-* and latexusage.aux when switching between latex and pdflatex usage. commit f3be75761c0c5c38bd057278606e433d9292abaa Author: John Bowman Date: Sun Nov 30 17:42:36 2008 -0600 Fix final specifiers in guide examination routines and reverse(guide). Fix reverse(guide3). Control points should trump direction specifiers. commit e1b7c0f1647b7a0036e3d7ea7f58c67ef627599f Author: John Bowman Date: Sun Nov 30 15:07:10 2008 -0600 Add threads setting (default is true except under MSDOS). commit 37c74f79c4c1459f670c509126c10d66b076f8af Author: John Bowman Date: Sun Nov 30 01:17:47 2008 -0600 Fix curved cyclic paths of size 1. commit 7aae1e50d141c77004a71d09b2f8789951c7b558 Author: John Bowman Date: Sun Nov 30 00:46:09 2008 -0600 Add time argument to curlSpecifier to allow access to all curl specifiers. Fix reverse(guide). Add reverse(guide3). commit fd2cd01f27ec1fc5d395524afc805556681de6d5 Author: John Bowman Date: Sat Nov 29 12:51:20 2008 -0600 Fix multiple file batch mode under MSWindows: only query the MSWindows registry once. commit fa4ce6f5ed2cda23b745505ba8da83cbf19a3b03 Author: John Bowman Date: Sat Nov 29 12:50:09 2008 -0600 Fix compilation without HAVE_LIBPTHREAD. Call HideWindow under MSWindows when View=false. commit 0683943b11b4c0aa9b64c9db5f84b16b730c1f5e Author: John Bowman Date: Fri Nov 28 00:51:31 2008 -0600 Respect 3D Label filltype when render=0. commit 61780ff0823f211a56f75df624376eea1aad1b49 Author: John Bowman Date: Thu Nov 27 16:08:09 2008 -0600 Clarify that the native glut library is used instead of freeglut under MacOSX. commit 4b0b143f3f74af43c1dc119e565932382a8e7ba7 Author: John Bowman Date: Thu Nov 27 13:49:29 2008 -0600 Increment version to 1.54svn. commit a19f7125b6a2f9545b2c8d7684efb7c15abd8f9a Author: John Bowman Date: Thu Nov 27 12:39:54 2008 -0600 Set environment variable CYGWIN=nodosfilewarning if it is undefined or empty. Note: this doesn't get uninstalled since it is the "right" default anyway. Rename asy-console.bat to asy.bat. commit b592f16ae13af694ce16a8cbebfde4a8a23e79eb Author: John Bowman Date: Thu Nov 27 01:14:49 2008 -0600 Force CFLAGS="-g -O3" default again. commit fd2a0d22e825647c7405941bd9263473eef2b692 Author: John Bowman Date: Thu Nov 27 01:01:41 2008 -0600 Output diagnostics only if verbose > 1. commit eee37b6bcc222486d7be5e51f23035d48594588f Author: John Bowman Date: Thu Nov 27 00:58:03 2008 -0600 Add minblockwidth, minblockheight, and mincirclediameter parameters. Change Horizontal and Vertical to a nonboolean type flowdir. commit 3e9a71cdaa387f5d0ecdf0f36c41772b6865bc3a Author: John Bowman Date: Wed Nov 26 23:31:46 2008 -0600 Fix PRC projection sizing when up != Z. commit 950302f8a2a4d01d5043a0e9bed644e006b0ca0d Author: John Bowman Date: Wed Nov 26 22:15:36 2008 -0600 Add missing wait. Fix aspect ratio in interactive mode. commit 6b36a704765f6c88d80e3c6232330a8755e9f1d0 Author: John Bowman Date: Wed Nov 26 20:33:53 2008 -0600 Fix rendering logic. commit 3c8a346ab315a8aa57af642ad36788832a441ce5 Author: John Bowman Date: Wed Nov 26 15:46:04 2008 -0600 Minor optimizations. commit 86cea1a75de520b35f6eaf1bc8c8ce0f7c1eb668 Author: John Bowman Date: Wed Nov 26 00:26:30 2008 -0600 Change cyclic flag in the routine where the array is actually constructed. Make minor edits to tube documentation. commit b6f0403bc6809f96add2af2fdfda140a13ebe8a9 Author: John Bowman Date: Tue Nov 25 23:27:21 2008 -0600 Enable the toolbar by default within the asyattach environment. commit 70c5bdd9e6711620c1fb16d4c8553db42c1ffc55 Author: John Bowman Date: Tue Nov 25 22:13:39 2008 -0600 Set CYGWIN=nodosfilewarning in asy rather than in a batch file. commit 4210144b34da47dbe8faa22136d14aef5e5d574d Author: John Bowman Date: Tue Nov 25 22:12:13 2008 -0600 Don't hang on exit from "Cannot execute latex" error. commit 01972838df01c726b045fcc30d4419c102cf928e Author: Philippe Ivaldi Date: Tue Nov 25 17:02:34 2008 -0600 Replace step to relstep in tube.asy, add example of tube, document the package tube.asy commit cda1746f22599bfc912392c9bda0ed9a7f6a5b54 Author: John Bowman Date: Tue Nov 25 15:20:36 2008 -0600 Distinguish between defaulttransform and defaulttransform3, so that label(scale(10)*"text",O) is projected onto the initial viewing plane. commit d19c0bec2c319d5c6f435419788f8ea94980c1da Author: John Bowman Date: Tue Nov 25 14:44:44 2008 -0600 Simplify freeglut svn-761 installation instructions. commit 07819114b9060175fde5b0414222d525a340577b Author: John Bowman Date: Tue Nov 25 13:16:48 2008 -0600 Catch out-of-memory errors in OpenGL renderer. commit e3c10fc46b23f259921c3d4a169e953e3521f6be Author: John Bowman Date: Tue Nov 25 10:09:56 2008 -0600 Disable DOS path syntax warning in version 20080327 of cygwin.dll (which supports pthreads). commit 6f7d32223b5ec3dcbcb75ae20fc358f9e265af5f Author: John Bowman Date: Tue Nov 25 05:06:31 2008 -0600 Increment version to 1.53svn commit 2826efca8dc76e59d4ba70192dce69c84668ed9a Author: John Bowman Date: Tue Nov 25 01:02:46 2008 -0600 Use _exit instead of exit after fork as recommended by man page. Remove remaining piece of old fork wrapper code. commit 35877ed7f1df1410f78ae2fc19dc79fc76449905 Author: John Bowman Date: Tue Nov 25 00:09:26 2008 -0600 Make antialias an integer parameter (default 2). Values bigger than 2 are currently respected only when converting from EPS or PDF formats. commit b6cda52e4df8063b5c0bb12ff3bab9c0850a2626 Author: John Bowman Date: Mon Nov 24 23:30:57 2008 -0600 Don't call fitscreen() during interactive updates. Simplify forking in pipestream.h. commit 4019ae275efaea77130d93ae82568def5a5111c3 Author: John Bowman Date: Mon Nov 24 03:16:55 2008 -0600 Fix multiple file aspect ratio issues. commit 3ccc70e985a7b42a992e89a27e0ef2f71f6e53a2 Author: John Bowman Date: Mon Nov 24 02:57:28 2008 -0600 Fix exporting with -noV. Support machines without working POSIX threads. commit fcad51ead250de2f47b067407fb8829d2932475f Author: John Bowman Date: Sun Nov 23 18:19:34 2008 -0600 Define standard symbol WORDS_BIG_ENDIAN or WORDS_LITTLE_ENDIAN, as appropriate. Add Orest's patch to support PRC output on bigendian machines. commit 2aec609cefdfe288e01d02a76f2fc1ff77fa9151 Author: John Bowman Date: Sun Nov 23 16:47:28 2008 -0600 Use gl::wait routine for thread synchronization. commit 61dbf2a011d73ef468358542909fe2fbde7aa3a1 Author: John Bowman Date: Sun Nov 23 03:00:14 2008 -0600 Support compilation again on systems without glut. commit 4a8226975e5845b0c75b1339f935ec7bec604971 Author: John Bowman Date: Sun Nov 23 01:53:41 2008 -0600 Conditionally include config.h. commit 1665f78ca7e201cc4172435aa6ca2e2c9da9cd05 Author: John Bowman Date: Sun Nov 23 01:53:05 2008 -0600 Rename BIG_ENDIAN to IS_BIG_ENDIAN. commit 4f1141861f7f15050d94baf847f43915c0c7ac0c Author: John Bowman Date: Sun Nov 23 01:43:57 2008 -0600 Add preliminary support for bigendian machines (PRC output is not yet working though). commit 1a589effdc9db55543060fe489c4ef38f1f20fcd Author: John Bowman Date: Sun Nov 23 01:12:57 2008 -0600 Use the main thread for OpenGL rendering to make MacOS happy; run asy in a secondary thread. commit 95f09626b1c294ff4c0d0f480c66e49cc6192965 Author: John Bowman Date: Sat Nov 22 13:29:20 2008 -0600 Add assert. commit 62607706159b5e583cdb034e58229ae7719bce0b Author: John Bowman Date: Sat Nov 22 12:03:14 2008 -0600 Update SVN instructions to not require SSL support. commit d0dc7b89f83820cb783d6aa454904af338da5dc0 Author: John Bowman Date: Sat Nov 22 12:00:27 2008 -0600 Fix bus error. commit 0ae0ab31d39f9c989f9b1cf160f3b5cef1790c44 Author: Philippe Ivaldi Date: Fri Nov 21 17:13:24 2008 -0600 Fix calculation of angle. commit aed1181edf6d26e924fc394baa139ed0f6766244 Author: Philippe Ivaldi Date: Fri Nov 21 08:29:02 2008 -0600 asy-mode.el: define asy keywords properly. commit eaf21ba2f2de354718ea9e460cf79fb0f80bbe0a Author: John Bowman Date: Fri Nov 21 01:55:51 2008 -0600 Add Philippe's tube module. commit f8dda08ef26195f1c9fda68460c0610313b5eaa6 Author: John Bowman Date: Fri Nov 21 01:20:14 2008 -0600 Improve thread synchronization and diagonistics. Remove freeglut-2.4.0-svn759.patch in favour of fixed svn 761. commit a1619e9d4754fd750dc18d26c3d7c05cb6cdc2f3 Author: John Bowman Date: Thu Nov 20 02:40:24 2008 -0600 Implement robust thread locking. Update installation instructions to use the system GC by default, now that we require a multithreaded version. commit cb8a4dfda6950bd6580bf7d8d679dcbf4af767d3 Author: John Bowman Date: Wed Nov 19 19:59:56 2008 -0600 Revert most of 1.52-22 due to a reported segmentation fault and since glutGetModeValues isn't implemented for MSWindows anyway. commit 3903344a1ccb4e74db0f0e30d2b434738dbbe105 Author: John Bowman Date: Wed Nov 19 17:35:07 2008 -0600 Revert 1.52-21. commit 9770f5a89b126bbe256245d3282d186547e35433 Author: John Bowman Date: Wed Nov 19 10:12:32 2008 -0600 Add television test pattern example. commit 41e39c1c8bb087a7bafc400a8175e1eca5a2de8c Author: John Bowman Date: Wed Nov 19 01:19:29 2008 -0600 Simplify multisample negotiation by using glutGetModeValues. Backport code to freeglut-2.4.0. commit 4cbda4d70a31d92544b0a294c881e39a77753f4b Author: John Bowman Date: Wed Nov 19 00:20:29 2008 -0600 Hide window again when View=false, even if iconify=false; commit a97fee3070084e12ca4c38b4c196a7d378cc5485 Author: John Bowman Date: Wed Nov 19 00:08:27 2008 -0600 Add bool3 type that takes on one of the values true, false, or default. Add planar argument to surface. commit b691580fe5c1039f503c64abf410e07958b9ef5e Author: John Bowman Date: Tue Nov 18 23:15:37 2008 -0600 Fix vertex shading order in planar case. commit 94e67f10f05c4c03f0bf8749e57b14993f1938dc Author: John Bowman Date: Tue Nov 18 22:43:51 2008 -0600 Avoid POSIX thread deadlock. Fix rpm latex install directory. commit eb5a9628772285778a7ec869455378c0b65db0a2 Author: John Bowman Date: Tue Nov 18 14:46:51 2008 -0600 Work around nonstandardized signature of gluNurbsCallback on various MacOS platforms. commit 62302ae390ff875904680efef03ea8c264933b66 Author: John Bowman Date: Tue Nov 18 11:46:00 2008 -0600 Use POSIX threads instead of fork in OpenGL renderer. Make multisample an integer; if freeglut is used this parameter controls the multisampling width for screen images. commit a1a69888cbf8616b5d50b8c17286c929b08b59a4 Author: John Bowman Date: Tue Nov 18 08:58:27 2008 -0600 Remove obsolete patch. commit 1bbf033f0430294fcbef2c4f9072251a810c2a8e Author: John Bowman Date: Mon Nov 17 13:12:46 2008 -0600 Install asymptote.sty and asycolors.sty in $TEXMFLOCAL/tex/latex. commit b68290520bd99f33046fe48de39bd63797a2e339 Author: John Bowman Date: Sun Nov 16 18:08:46 2008 -0600 Fix indentation after struct. commit f4598c25e85557a11adda85150e3165fe10b6464 Author: John Bowman Date: Sun Nov 16 17:36:38 2008 -0600 Remove dependency on cc-mode.el source. Allow asy-mode.el to load even without asy-keywords.el. commit debfed2b43a8846d5cfa45c6807cc24585485e24 Author: Philippe Ivaldi Date: Sat Nov 15 13:01:48 2008 -0600 fix markangle orientation. commit 178f9004c67cd5c5e0ff09bb95e36bb8396ea10c Author: John Bowman Date: Sat Nov 15 10:28:48 2008 -0600 Add missing sentence. commit 95882c60c7e43c4f50912eb2e7a90e6431d1e97e Author: John Bowman Date: Sat Nov 15 10:14:20 2008 -0600 Add optional user=false argument to min(picture), max(picture), and size(picture). commit 5c776e96d56817d3d9804af5592f17daac509d60 Author: John Bowman Date: Thu Nov 13 02:28:01 2008 -0600 Fix degenerate thick line caps. commit bffba97a1bcc64dc2100fa0ab36c9359a44e7b5d Author: John Bowman Date: Wed Nov 12 17:51:01 2008 -0600 Don't discard 2D size constraints in draw. commit b34d0cad11f9710f33905394b9e74a0dca4c7edd Author: John Bowman Date: Wed Nov 12 14:59:16 2008 -0600 Reinstate freeglut-2.4.0-svn759.patch which to fix multisampling bugs. commit c22422f84f5b69980179324fb09e209f81a10afd Author: John Bowman Date: Tue Nov 11 20:24:50 2008 -0600 Hide window only if iconify is true. commit 21c68e1ee445763474ceb9e79e2d0ced9ece5475 Author: John Bowman Date: Tue Nov 11 17:09:29 2008 -0600 Fix logic in 1.52-3. commit 9141009fd026462c8fd2a8e3dc863efc6877687e Author: John Bowman Date: Tue Nov 11 17:05:01 2008 -0600 Combine both _GLUfuncptr MacOSX workarounds. commit 4654e4193e6662ca07ad7b9e30eba7a75fe9266a Author: John Bowman Date: Tue Nov 11 13:45:14 2008 -0600 Fix _GLUfuncptr detection. commit 1dcf8cd27103dcf0196718b59d5614b6a0de21b9 Author: John Bowman Date: Tue Nov 11 11:42:51 2008 -0600 Support compilation under MacOSX 10.5. commit 991a86171d82c1a6fc61f9eb30dd5bcfd6591dd1 Author: John Bowman Date: Tue Nov 11 04:31:25 2008 -0600 Increment version to 1.52svn. commit e91483639c4758e9710eac68b397da75e907fefb Author: John Bowman Date: Tue Nov 11 03:34:18 2008 -0600 Wait for completion of rendering. commit 11e8fb881b48ae97f6fa5148dbf6f54c7f44b96e Author: John Bowman Date: Tue Nov 11 02:26:45 2008 -0600 Remove obsolete patches. commit a8b3e58351a07e3303ebc11ee3293e2839ab36d8 Author: John Bowman Date: Tue Nov 11 02:25:59 2008 -0600 Use a more robust patch to enable multisampling in freeglut-2.4.0. commit 144be10c4af5e9927aadce7dc83b6223546595ab Author: John Bowman Date: Tue Nov 11 02:03:48 2008 -0600 Fix warning message. commit 05729b9d81a782ecfbc89603b12e56b725cde318 Author: John Bowman Date: Tue Nov 11 02:00:49 2008 -0600 Change references to freeglut to glut. commit eacbd60287f66505a86f1c1fe949c8c47c055606 Author: John Bowman Date: Tue Nov 11 01:57:27 2008 -0600 Improve memory performance and reduce rendering conflicts by always forking; remove last dependence on freeglut. Don't solicit bug reports for segmentation faults caused by graphics driver bugs (e.g. on memory exhaustion). commit 7892f714e5eac1a29733c0788482dff4b1798b1a Author: John Bowman Date: Tue Nov 11 00:53:34 2008 -0600 Prevent multiple glInit calls. Use a separate multisample setting to control screen antialiasing. commit 7429c3c359094d7af8bf556e8b45427870b6d656 Author: John Bowman Date: Mon Nov 10 21:31:57 2008 -0600 Turn multisampling on only when View is true. commit 2152eadef3a913a0ca76545887f7b9c0425526c5 Author: John Bowman Date: Mon Nov 10 21:15:07 2008 -0600 Increment version to 1.51svn. commit d06765ccc2605e7c49b262790d7118ddd3ef586f Author: John Bowman Date: Mon Nov 10 20:06:43 2008 -0600 Add multisampling patch for freeglut-2.4.0 under CYGWIN. commit 0568dc2f66e5318978d08368708267f6d027f324 Author: John Bowman Date: Mon Nov 10 18:39:40 2008 -0600 Update CYGWIN port. commit c002f91cb9345bafae361ec1f317addff487d894 Author: John Bowman Date: Mon Nov 10 00:46:21 2008 -0600 Control multisampling with antialias flag. Add patch to bring freeglut-2.4.0 up to date, with multisampling support. commit ebfd53b97f08f5033991e3f3ef3638f6e31a1c0f Author: John Bowman Date: Sun Nov 9 16:22:45 2008 -0600 Support multisampling; this requires the latest svn version of freeglut. Support -iconic and mouse wheel with the latest svn version of freeglut. commit e884aecf09f6b77ff59327736d59b43901aa3f30 Author: John Bowman Date: Sun Nov 9 11:05:55 2008 -0600 Don't allow tile size to exceed current window size. commit 6996717e07631160568564c746bb4ef5e9cfe14c Author: John Bowman Date: Sun Nov 9 02:02:17 2008 -0600 Set default value of settings.render in asymptote.sty to 4. commit aa7257237a93f790a8609e053590fb0dda01e595 Author: John Bowman Date: Sun Nov 9 02:00:15 2008 -0600 Illustrate the use of viewportmargin in latexusage.tex. Set the default value of settings.render in asymptote.sty to 4. Update documentation. commit 0d091afa43a93ee525d4af643aa4186e27affd1e Author: John Bowman Date: Sun Nov 9 01:21:06 2008 -0600 Add viewportmargin parameter. commit 429feedf2ba8a6580cb749ca0dc0c2abb8117799 Author: John Bowman Date: Sat Nov 8 18:41:51 2008 -0600 Change Makefile.in to remove latexusage-* instead of latexusage_*. Change put=Above to above=true and put=Below to above=false. Remove constants Above and Below. commit 2e1a65d0a6273ce47712b55b68e8d18c75a71350 Author: John Bowman Date: Sat Nov 8 17:37:34 2008 -0600 Add embed option (default true) to allow one to suppress the embedding of a rendered preview image. Support file attachments in asymptote.sty; this is provides a better method for embedding 3D PRC files in a LaTeX document. Add iconify option. commit 7eff5652e202e7c937a000aa5beb0c1b8c2ad580 Author: John Bowman Date: Fri Nov 7 17:49:58 2008 -0600 Set default maxtile to (0,0). commit 1a18bbcbe2b0b7adff2698498ed3871e5e4eff74 Author: John Bowman Date: Fri Nov 7 16:42:12 2008 -0600 Fix camera roll. Fix divide by zero error. commit 9df48c1fd385adcf6cbe3c4d287be3e7c3404282 Author: John Bowman Date: Fri Nov 7 15:06:46 2008 -0600 Fix rendering with -nofitscreen. commit 7ea8229d843fc2026ad6fb259e15479fab09bfa8 Author: John Bowman Date: Fri Nov 7 10:10:11 2008 -0600 Fix PRC up vector. commit 95a5d718046b7a72949cbc64b4759614331910b3 Author: John Bowman Date: Fri Nov 7 07:26:34 2008 -0600 Fix glut.h path under MacOS. commit af473745f283e163f72c9251767f8f06cd731b8c Author: John Bowman Date: Fri Nov 7 07:17:41 2008 -0600 Fix detection of MacOS. commit 1ee53f746794377380a867022367a08568422a21 Author: John Bowman Date: Fri Nov 7 06:59:21 2008 -0600 Improve documentation of add(picture). commit 2849d018b4c33f66f2fd28541c55d1b3f08c12b9 Author: John Bowman Date: Fri Nov 7 00:51:09 2008 -0600 Add glut compilation support for MacOSX. commit 38c16362fd77cdaa325f9ac9f316e1ad46600fd6 Author: John Bowman Date: Thu Nov 6 16:18:18 2008 -0600 Initialize window to the maximum tile dimensions again. commit ffab9fcaa21a0758ce42242e63ad6d6d5ce26bc6 Author: John Bowman Date: Thu Nov 6 16:07:51 2008 -0600 Change default value of maxtile to (800,800). commit 48c91000d1284b74366c1c02db3ab2ccea70961e Author: John Bowman Date: Thu Nov 6 11:59:16 2008 -0600 Recommend glOptions += " -iconic" for UNIX systems that support this. commit a1d87f3d2af798cc89359c24e9f18260b396e4fe Author: John Bowman Date: Thu Nov 6 11:36:15 2008 -0600 Add interface to runtime view() function. Document use of glOptions=-iconic for UNIX systems. commit 1bea8e8b1790afb55c7899bd3a505dd3dcfca22c Author: John Bowman Date: Thu Nov 6 11:05:59 2008 -0600 Support -glOptions=-iconic for drivers that allow this. commit e766302cdd096972819105b96407d73d06b20e5d Author: John Bowman Date: Thu Nov 6 10:27:46 2008 -0600 Avoid rendering problems caused by iconic option. commit 44f693bf85e7a8c25557d2b1e1510617a2c2c72c Author: John Bowman Date: Thu Nov 6 09:17:16 2008 -0600 Change default value of maxtile to (0,0), which now means to use the screen dimensions. commit 02585cec9a5da7f348c2d9f764396d12edb3b4c4 Author: John Bowman Date: Thu Nov 6 08:52:25 2008 -0600 Use opaque value in glClearColor. commit 2016f42fba27487193258ca2f10392d61220f4cf Author: John Bowman Date: Wed Nov 5 23:00:49 2008 -0600 Add PenMargin3 to example. commit 5c1d8867bffeea5d1600ca80c8f4d0d1755e80fe Author: John Bowman Date: Wed Nov 5 18:21:12 2008 -0600 With -noV, initialize the window to maxtile. commit efeee19d9ffd6e65d3dd86d96d49770c76c3adc1 Author: John Bowman Date: Wed Nov 5 01:43:18 2008 -0600 Avoid glDisable(GL_LIGHTING) due to race condition. Improve Margin3. commit ff627450e4c48ea211403be0bcfb3f80f71c3d77 Author: John Bowman Date: Wed Nov 5 00:07:04 2008 -0600 Add support for three-dimensional dimension bars. commit 9516507db876721489f9f91736db9a4e2f38f79d Author: John Bowman Date: Tue Nov 4 23:58:18 2008 -0600 Simplify window initialization code. commit 8f650920cb66b2f5e56b3bb7801a72f2fe5a436d Author: John Bowman Date: Tue Nov 4 16:43:44 2008 -0600 Fix PenMargin3 and DotMargin3. Make dotsize consistent for pictures and frames. Reinstate wedge example. commit 7eb648da6642d894776564de2c9a8bfd9da2c304 Author: John Bowman Date: Tue Nov 4 14:34:48 2008 -0600 Update hyperref documentation. commit e830469751fcfd89cb4395cb891dfb5258f2956b Author: John Bowman Date: Tue Nov 4 12:40:54 2008 -0600 Standardize triple perp(triple); fix numerical precision issue. commit ca8a5b45a2db729d65c2532a2691b490e166a59d Author: John Bowman Date: Tue Nov 4 00:50:49 2008 -0600 Fix more normal problems. commit a8b7919a2d2f9cae4be11aeb4702d4d3893b5709 Author: John Bowman Date: Tue Nov 4 00:17:51 2008 -0600 Use right-handed transformation. commit c3283a0676baa2893490028da3697d674097bf58 Author: John Bowman Date: Mon Nov 3 03:25:16 2008 -0600 Decrement version to 1.50svn. commit 43f9a40080aa0f92d7c0a3f2edf6774e00550a4e Author: John Bowman Date: Mon Nov 3 03:15:44 2008 -0600 Increment version to 1.51svn. commit 7c35f506cafce37ef53d3c9d74873bee14bc0fd5 Author: John Bowman Date: Mon Nov 3 02:12:27 2008 -0600 Make example look better with render=0. commit 71f88287c1f0c9593d7a9cdacd67d0c79ef16915 Author: John Bowman Date: Mon Nov 3 02:10:44 2008 -0600 Fix example; texpath currently only handles standard font sizes. Fix handling of keep flag in texpath and strokepath. commit 98d0bac42932a98ef39ba65e9347e6a7399b9bd6 Author: John Bowman Date: Mon Nov 3 01:43:59 2008 -0600 Improve example. commit a2d5e32a404f9614564f8382edb6e8ea30176aa5 Author: John Bowman Date: Mon Nov 3 01:38:07 2008 -0600 Fix surface normal calculation. Add patch reverse(patch) function. Improve normal(path3); add normal(triple[]) for polygons. commit cd6f6f555e6ebfef4b5c525c47449670db984eaf Author: John Bowman Date: Sun Nov 2 19:52:42 2008 -0600 Add missing transform of normal vector. commit 6da5b5ed0730a5f4f0a06b093672068d0438686c Author: John Bowman Date: Sun Nov 2 14:50:09 2008 -0600 Document glOptions=-indirect. commit a0ec9291b25648bcf541cca112664054ae9bbadf Author: John Bowman Date: Sun Nov 2 11:17:56 2008 -0600 Change mean(pen[]) to take a more useful opacity function. Add opacity argument to mean(pen[][]). commit 4ac8b16285c8d8c0206d12d6113605ed5c2884cb Author: John Bowman Date: Sun Nov 2 10:33:08 2008 -0600 Reinstate cornermean. Make mean(pen[]) return by default an interpolated pen with the minimum opacity of all given pens. commit 1f468a931dac3a0cc2b2e1a377e54ca7db61993c Author: John Bowman Date: Sun Nov 2 01:45:39 2008 -0600 Use vertex shading. commit 0c429c99b1073a8ce6b694c14024318095a52cbb Author: John Bowman Date: Sun Nov 2 01:33:49 2008 -0600 Update examples. commit 6e170c72fad9f673b8bfb63d420768e4ad7f37c2 Author: John Bowman Date: Sun Nov 2 01:20:19 2008 -0600 Fix example. commit 4a56fe6a909bce1e60ee46dc445e9a7791c17b71 Author: John Bowman Date: Sun Nov 2 01:15:59 2008 -0600 Increment version to 1.49svn. commit a219ddb14baff290277499dd68ad88e11a2ab124 Author: John Bowman Date: Sat Nov 1 23:49:11 2008 -0600 Document how to draw surfaces with patch-dependent or vertex-dependent colors. commit a59df140afed1a63cb1218c7ff492b8d38f20821 Author: John Bowman Date: Sat Nov 1 22:44:33 2008 -0600 Remove old fitscreen code. commit 98d281fb1bf0928779ba66773a671d7a45630f24 Author: John Bowman Date: Sat Nov 1 22:24:42 2008 -0600 Document surface tube(path3 g, real width). commit 0bc94259935834b3f758ae12ced619451664a9c9 Author: John Bowman Date: Sat Nov 1 22:15:11 2008 -0600 Fix incorrect precontrol output in write(path) introduced in 1.91-23. commit 01d8cbea25650200b3372a05fed040cc20de158f Author: John Bowman Date: Sat Nov 1 21:54:00 2008 -0600 Account for perspective scaling in planar test. commit 9f18a4df21d708ecc1b853d815f8a0b8b6419c16 Author: Orest Shardt Date: Sat Nov 1 14:52:41 2008 -0600 Use unstraighten() to obtain control points of straight segments. commit a963ce1eebd5c8a7480fe21ae5e62e8a7cdfa376 Author: John Bowman Date: Sat Nov 1 14:13:16 2008 -0600 Implement path unstraighten(path), which returns a copy of the path with the straight flag turned off. commit 39211adfeab65d1efa31067ac2f4b9c7b9baac11 Author: John Bowman Date: Sat Nov 1 13:36:29 2008 -0600 Specify an angle precision for centering perspective drawings. commit df226e66b5169a42195ada8750aa2a565d6c1839 Author: John Bowman Date: Sat Nov 1 11:52:48 2008 -0600 Increase angleiterations to 4. commit d7e1465437bcd26f21aa19eeb26f224c952806fe Author: John Bowman Date: Sat Nov 1 11:35:33 2008 -0600 Allow odd sized tiles again. commit 48f6d409b7ff5ff23f3667b8e28db1639cabb107 Author: John Bowman Date: Sat Nov 1 10:47:26 2008 -0600 Set surface normals whenever light is on. commit 55ec3b5227b1a32d807217dca0787988352af385 Author: John Bowman Date: Sat Nov 1 10:02:28 2008 -0600 Transpose surface.corners() and surface.map(). Use mean corner pen for patch shading. commit 2378aa429188a396191e49b411907f98e366b06c Author: John Bowman Date: Sat Nov 1 08:58:09 2008 -0600 Increase angleiterations. commit d5865412c18a4cb1835ef7235f583d50dce439c0 Author: Philippe Ivaldi Date: Sat Nov 1 03:43:57 2008 -0600 update examples/projectelevation.asy commit c7ff9b62861a294d57b200b05184414acdab857f Author: John Bowman Date: Sat Nov 1 02:29:24 2008 -0600 Rename cornermap to map and cornermean to mapmean. Add triple[][] corner() and triple[] cornermean(). commit 40905d1a35e5d96c4fd48aad8f04ba161da740d2 Author: John Bowman Date: Sat Nov 1 01:39:32 2008 -0600 Support lighting with vertex shading. Fix surface lighting with render=0. Fix normal(path3). Move rgba pen packing and unpacking functions to plain_pens.asy. Implement pen mean(pen[]). commit b2f7f73429c6bb9bcd70124e3c949e737225eb6f Author: John Bowman Date: Fri Oct 31 21:48:25 2008 -0600 Force tile size to be even. commit 096a399768b73f223951d18a554bc99a589e4872 Author: John Bowman Date: Fri Oct 31 17:48:33 2008 -0600 Make maxviewport and maxtile pairs. commit 4c870db4d37abb95ee7501107dcddea637cc21b7 Author: Philippe Ivaldi Date: Fri Oct 31 17:29:36 2008 -0600 asy-mode: warn cc-mode.el dependency. commit 401638c5ae34cc9f46ea916a2601cedf390c2c8d Author: John Bowman Date: Fri Oct 31 17:18:14 2008 -0600 Support compilation under standard glut for systems without freeglut. commit 00366cc59b2e2ed5a0fa03fc3a80581233e41283 Author: John Bowman Date: Fri Oct 31 15:39:00 2008 -0600 Fix fitscreen toggling. commit 424de2df6076c686c8a8d0ee06c18d5572f151f3 Author: John Bowman Date: Fri Oct 31 15:34:07 2008 -0600 Add tilesize parameter to limit the maximum rendering tile size. commit 4deb82228a5bdfc655cb4b79be27298ffd22a6be Author: John Bowman Date: Fri Oct 31 08:48:04 2008 -0600 Revert last change, which breaks tabbing after struct{}. commit cf324b77f8d2a431235e46c1799c2e27fbe1ba2b Author: Philippe Ivaldi Date: Fri Oct 31 07:36:39 2008 -0600 asy-mode: fix cc-mode code source dependency. commit cb1eeb3561d1cfd47c6724bc2d9962319a12ba80 Author: John Bowman Date: Fri Oct 31 01:12:53 2008 -0600 Simplify construction of elevation-colored surfaces. Add facility for vertex-shaded elevation surfaces. commit 913151d6867b93bb76ea24bcdb717a18a1e39483 Author: John Bowman Date: Thu Oct 30 23:42:55 2008 -0600 Fix initialization and translation issues. Remove unneeded CYGWIN restrictions. commit 277cad8a6b3ee0dc3cefc21c5e72b9a3b407e0c3 Author: John Bowman Date: Thu Oct 30 22:04:53 2008 -0600 Fix orthographic exports. commit 06c7940dbfaa3ca0dcbb8220e5bb4db3a38f19ba Author: John Bowman Date: Thu Oct 30 21:48:52 2008 -0600 Use Brian Paul's tr-1.3 package to support high-resolution OpenGL tiled rendering. Add antialias setting (default true). Change convert to use default antialias setting. commit f75488ec21d55232acfcbc86f165b56078a0600b Author: John Bowman Date: Thu Oct 30 21:16:31 2008 -0600 Add roundbox envelope routine. commit 3b430cd073da9000dff6e358dfa15483cac61ab9 Author: John Bowman Date: Wed Oct 29 22:22:06 2008 -0600 Turn on straight flag only for piecewise straight planar paths. Force straight flag for all obj faces to avoid subdivision cracks. Make normal(path3) return immediately for nonplanar paths. commit ea2035f4d10d6ad2d4958f3264060bb6c19f1101 Author: John Bowman Date: Wed Oct 29 19:39:28 2008 -0600 Change signature of point to pair point(picture, pair, bool user=true) to allow a return value in PostScript coordinates. Remove framepoint in favour of truepoint(picture, pair, user=false). commit a9d36f14667ee3f01ded31a1682b056e99b45080 Author: John Bowman Date: Wed Oct 29 17:10:25 2008 -0600 Add maxheight, hstretch, and vstretch parameters to legend. commit 08d8d9d54b14b50cc18e40c6fe0b39175f14c742 Author: John Bowman Date: Wed Oct 29 11:48:12 2008 -0600 Add defaultbackpen. commit 5e73c1c8753fbaa886e8d14740d1fb54c67d0cb3 Author: Philippe Ivaldi Date: Wed Oct 29 03:42:28 2008 -0600 Add TeX versioning commit b295681be3eadad9b41da9cad9f335c555884dac Author: John Bowman Date: Wed Oct 29 01:28:12 2008 -0600 Support transparency in vertex shading. commit addf84f034546239f5a536ea13aa30f473888ece Author: John Bowman Date: Wed Oct 29 00:50:50 2008 -0600 Support vertex shading in OpenGL renderer. commit 30614123cb946a0fe0bd3eb2906dffcd725d11ad Author: John Bowman Date: Tue Oct 28 17:40:42 2008 -0600 Use centroid rather than the first vertex for splitting surfaces. Rename unpack to real[] rgba(pen) and add inverse function pen rgb(real[]). commit 7701a82ac9563b95bfbbdd5b6752cb3e855c7913 Author: John Bowman Date: Tue Oct 28 01:42:51 2008 -0600 Add a more versatile and more efficient surface constructor for convex and "piecewise-convex" three-dimensional paths; the planar(path3) constructor should now only be used for nonconvex paths. Update examples. commit 90aa53c7cc7b38519cdc75657347e4829f39f565 Author: John Bowman Date: Tue Oct 28 00:53:18 2008 -0600 Implement DefaultHead2(filltype filltype=Fill). Add optional filltype argument to HookHead2. Reduce adaptive thick line constant. commit 5aece89072f9c13499c4e5c209d001a91b56a50b Author: Philippe Ivaldi Date: Mon Oct 27 07:32:59 2008 -0600 add size to parametricelevation.asy commit 36da4de5e2b52e0846ed10d3535f46fa1f1f169b Author: Philippe Ivaldi Date: Sun Oct 26 17:53:47 2008 -0600 revert wrong commit of glrender.cc commit 5888260287059b73d61c68c9d2d19c6a1e028321 Author: Philippe Ivaldi Date: Sun Oct 26 17:46:53 2008 -0600 add size to sphericalharmonic.asy. commit 0598c725bca4e3613bd5d96bfe9f92b99636e6a7 Author: John Bowman Date: Sun Oct 26 17:37:14 2008 -0600 Further adaptive thick line improvements. commit b9c7577bf0d9f2b1f464046f91e9bb30f0ca303c Author: John Bowman Date: Sun Oct 26 15:52:26 2008 -0600 Improve thick line adaptive step routine. commit 0d4fa1edfcaf22f6d0682712488343624e19bf72 Author: John Bowman Date: Sun Oct 26 14:35:58 2008 -0600 Increase 3D margins. commit 9461bf3f0b905d2d2580e2993ec3f6ffaacf4f04 Author: John Bowman Date: Sat Oct 25 22:46:42 2008 -0600 Work around Adobe Reader rendering bugs. commit d26a98ae53cfc26724584790f75d48fc5d54ce9b Author: John Bowman Date: Sat Oct 25 21:57:23 2008 -0600 Support 2D alignment of 3D axis labels. Use more efficient size(pic) routine in legend(). commit 99ded514151ae96c2f969eabc726e91cd5d358e2 Author: John Bowman Date: Sat Oct 25 13:01:28 2008 -0600 Resolve ambiguity in draw(surface). Add Gradient palette that varies linearly over a specified range of pens. Add spherical harmonic example. commit aa912c8197993f03628145caa23915a618718145 Author: John Bowman Date: Sat Oct 25 11:16:48 2008 -0600 Standardize argument names of dir and expi. Add parametric surface with elevation-dependent colouring and no light effects. commit 3ef96452b28a2e2ced13a7e3ad7be52754279268 Author: John Bowman Date: Fri Oct 24 08:31:50 2008 -0600 Fix a numerical precision issue. commit aa83d5256ee460261387c3560d00816d86778675 Author: John Bowman Date: Thu Oct 23 02:18:43 2008 -0600 Increment version to 1.48svn. commit 75578118cf5bc705113c1ae240ff3c19e75bcf04 Author: John Bowman Date: Thu Oct 23 00:48:28 2008 -0600 Add another draw routine for surfaces. commit fdc1eed6b5c60f0dafe7722dc5b1846d85a858db Author: John Bowman Date: Thu Oct 23 00:39:14 2008 -0600 Implement a more robust version of normal(path), returning O if the path is nonplanar. Handle nonplanar obj faces. Add triceratops example. commit 65903677e85e923709ecf9a1b57df596d062f73e Author: John Bowman Date: Wed Oct 22 17:40:56 2008 -0600 Re-enable high-resolution rendering. commit 73ab9efcba8340a762e97c1e1c82e9e847931eaf Author: John Bowman Date: Wed Oct 22 16:59:21 2008 -0600 Remove diagnostic. commit aa8cc010d4a318c68e892c49567ce069abc18a30 Author: John Bowman Date: Wed Oct 22 14:52:20 2008 -0600 Fix strokepath(nullpath). commit f40ae1db9ac65ad4b358ca15ddf829a8277a629c Author: John Bowman Date: Wed Oct 22 14:49:43 2008 -0600 Fix strokepath. commit 17a1189c97f29a63fc1dfba82e2fe6305948e04e Author: John Bowman Date: Wed Oct 22 01:55:06 2008 -0600 Bypass bezulate for paths of length 4. commit c0caed7e85641f07acd04c36ef8aeb2989432045 Author: John Bowman Date: Tue Oct 21 21:05:17 2008 -0600 Use unit normal in planar. commit 4b1f6636bef4a86b158e6d6571761b25c7b672e2 Author: John Bowman Date: Tue Oct 21 20:50:31 2008 -0600 Fix cyclic path bugs in write(path) and write(path3) introduced in 1.45-34. commit caa4444ddc2e242d903c6eef2c33b811d0e1438f Author: John Bowman Date: Tue Oct 21 17:49:30 2008 -0600 Implement HookHead2 and TeXHead2 arrowheads. These are 2D arrowheads lifted to 3D space and aligned according to the initial viewpoint. Add missing angle parameter in HooHead3. Simplify planar. Move arrowheadlight parameter out of Arrow3 and into arrow commands, so that the correct value of currentlight is used. Use tighter values for the margin parameters viewportfactor and anglefactor. Reduce angleiterations to 2. commit c03df01eb051081f035ecc4fdbfa9d88e76dae39 Author: John Bowman Date: Tue Oct 21 13:36:45 2008 -0600 Fit to screen by default. commit 72ee07959783cd6238303cbf614c02287b53fc1d Author: John Bowman Date: Tue Oct 21 11:52:54 2008 -0600 Don't generate spurious "camera too close" errors for projections from infinity. Always use currentlight by default for drawing arrowheads. commit 628f27c4054948ae3b0e83f43334860380a72378 Author: John Bowman Date: Tue Oct 21 09:02:46 2008 -0600 Change text on sample CD label to something more Asymptote related. commit 43251826a66e5d59b537245f03402ee220ef643d Author: John Bowman Date: Tue Oct 21 01:52:33 2008 -0600 Add missing file. commit db6b14e4304b767e2d9f701946e75421a5e5dcbf Author: John Bowman Date: Tue Oct 21 01:22:40 2008 -0600 Add module for reading obj files and example. commit c5c589ecc6513d890c48fb9810d9900b0b543681 Author: John Bowman Date: Mon Oct 20 23:05:56 2008 -0600 Allow an array of meshpens when drawing surfaces. Update documentation. commit ad2f7da5d4b350d624c4de6f79eaf48d4f363443 Author: John Bowman Date: Mon Oct 20 21:48:12 2008 -0600 Move path length tests to surface constructor. Add bool warn=true to planar and normal(path3). Check incoming width and height parameters. commit f0cd7a28153ae2a5c1af3b4000c5e76fc4a2b023 Author: John Bowman Date: Mon Oct 20 16:31:26 2008 -0600 Fix prefix again. commit 7d37902efc2d7bdf386eba8bdc5829ff090fdc65 Author: John Bowman Date: Mon Oct 20 16:19:41 2008 -0600 Implement 3D margins. commit 0bd329a544d339e46112e6a8604f2c9fbc4c21db Author: Andy Hammerlindl Date: Mon Oct 20 12:25:25 2008 -0600 Fixed watch() and unwatch() to use atupdate(). commit 56311b858724cb98c83957efd304795106431fdd Author: John Bowman Date: Mon Oct 20 01:36:47 2008 -0600 Add surface constructors for triangles. commit d0de328928b73dc533bf58c905bfd9996275f05c Author: John Bowman Date: Sun Oct 19 20:54:46 2008 -0600 Add missing transform for projected 3D mesh lines. commit baf1e366451674409dbbf282217dc8c18008878d Author: John Bowman Date: Sun Oct 19 19:47:40 2008 -0600 Use cornermean instead of center. commit 111691e9df8d41241f77121f0ce3ebf8ad1cb692 Author: John Bowman Date: Sun Oct 19 19:26:02 2008 -0600 Add missing put argument. commit f5779a58acced80e808dff0cf15ac79c8b0c7c7a Author: John Bowman Date: Sun Oct 19 17:43:03 2008 -0600 Fix range check in both places; consolidate PostScript code. commit e137c77e2a32a206713a3f7443d688b1e4cd82f7 Author: John Bowman Date: Sun Oct 19 17:27:37 2008 -0600 Fix range check in strokepath (and potentially texpath). commit 7fbd94c2ecd14edd2a913d6688cf89eb1cb2e29a Author: John Bowman Date: Sun Oct 19 16:32:44 2008 -0600 Implement functions that construct a pen array from a given function and palette. Add elevation example. commit a5184d084df93f6298baccf0ce70f69bae24afc1 Author: John Bowman Date: Sun Oct 19 15:22:09 2008 -0600 Add support for using a different surfacepen for each patch. commit 6009d4388f7454fb311d7decc947436c9566f733 Author: John Bowman Date: Sun Oct 19 13:17:34 2008 -0600 Document default pen argument of strokepath. commit 1360af6abbce73279628714c4c3ff048976d79a8 Author: John Bowman Date: Sun Oct 19 10:31:51 2008 -0600 Implement path[] strokepath(path g, pen p), which returns the path array that PostScript would fill in drawing path g with pen p. commit 2740298fede8465a7642bc2a18dea281021d9df6 Author: John Bowman Date: Sat Oct 18 13:53:43 2008 -0600 Increment version to 1.47svn. commit 9bb668cc88ca35249be96f355cbc7b75c45b6d68 Author: John Bowman Date: Sat Oct 18 12:36:00 2008 -0600 Allow one to disable embedding of inline PRC files within LaTeX. commit 84cf6bbf3325e893e010a53c21274357985ead03 Author: John Bowman Date: Sat Oct 18 11:48:45 2008 -0600 Try to produce a preview image of latexusage for the manual. commit 568f4e34ba370328955aee1bc4e8eafb48c861f8 Author: John Bowman Date: Sat Oct 18 11:01:22 2008 -0600 Signal an error if the user tries to render an image without freeglut. Support embedding of 3D PRC files when -render=0. commit 5118c4d0066843a6ba900ae7f956bd822fdbb2bd Author: John Bowman Date: Sat Oct 18 02:48:43 2008 -0600 Update examples. commit 4c7b3ff91a370dac01708dfe0a8c0922d1d6d457 Author: John Bowman Date: Sat Oct 18 02:35:15 2008 -0600 Update example. commit e722dc5cd0da79515c7463cfeb0773a49419939a Author: John Bowman Date: Sat Oct 18 02:30:53 2008 -0600 Increment version to 1.46svn. commit a08904f2e1b719095530bb6586ce57b9bb51f4d6 Author: John Bowman Date: Sat Oct 18 00:46:29 2008 -0600 Add planeproject routines, courtesy of Philippe Ivaldi. commit d01ca3e35f5b66b5adff25cd45aaf760bf4b993e Author: John Bowman Date: Fri Oct 17 23:44:47 2008 -0600 Documentation updates. commit eb9fb24438bc8553b4a5b0adb3c1cc014e4bb0f5 Author: John Bowman Date: Fri Oct 17 21:12:11 2008 -0600 Fix fitting issues. commit 5ae120c2b28d950c09df3b4b4fe3540168bb1d78 Author: John Bowman Date: Fri Oct 17 16:55:36 2008 -0600 Fix handling of minimumsize. commit 450be86ce3a140bbc7e013518e48e29d68ad8631 Author: John Bowman Date: Fri Oct 17 16:07:48 2008 -0600 Increase tolerance of normal(path3). commit 3bb03bf62429777e16aabbb40357ffada91a2aec Author: John Bowman Date: Fri Oct 17 14:11:32 2008 -0600 Standardize embed options; fix labels. commit 918322f8395ac985874b5d0417766e31feed1ba9 Author: John Bowman Date: Fri Oct 17 13:25:17 2008 -0600 Add link to PRC specification. commit 2a794557026dd10ea67fd140a79d8ef9155612c6 Author: John Bowman Date: Fri Oct 17 11:52:14 2008 -0600 Fix dir normalizations. Ignore spurious warnings from degrees. commit 434b5d12403d6b61afba453fe17dbe1366853821 Author: John Bowman Date: Fri Oct 17 11:20:47 2008 -0600 Illustrate use of global TeX macro. commit 7f25fea2532f514f4e2cd0eabc7a7e4cac68f0e9 Author: John Bowman Date: Fri Oct 17 01:26:45 2008 -0600 Document direction invert routine. commit 7d845ac8dfd8a4ce5d23c1363509f5e194abee03 Author: John Bowman Date: Fri Oct 17 01:19:46 2008 -0600 Fix DefaultHead3 size. Update documentation. commit b787b05159710e06c3487a7ce6047dc8a1272006 Author: John Bowman Date: Thu Oct 16 22:32:10 2008 -0600 Add 2D versions of accel and radius of curvature functions. commit bacaedc1bd39ca476fb99b10ab078778851a1bae Author: John Bowman Date: Thu Oct 16 21:48:08 2008 -0600 Fix radius and non-normalized dir functions. commit 23731a6187fa578d96593694e7e8e2b15044533f Author: John Bowman Date: Thu Oct 16 11:37:26 2008 -0600 Fix numerical resolution issue. commit ae5229645dc61337e71c72a53204d0c8c5251147 Author: John Bowman Date: Thu Oct 16 01:08:49 2008 -0600 Add a routine to compute the radius of curvature of a path3 at a point. Improve adaptive thick line algorithm. Add option to suppress normalization of dir functions. Remove secondary camera adjustment call. commit 53437664816df95947bd6b22e7047ca433046498 Author: John Bowman Date: Wed Oct 15 18:12:14 2008 -0600 Minor optimization. commit 1e5ad6e703157c922b9b020c30d2e58c288c9a03 Author: John Bowman Date: Wed Oct 15 18:03:05 2008 -0600 Fix arrow3 sizing. commit 932d58b7843a368a112847c2e166c244c92d3373 Author: John Bowman Date: Wed Oct 15 00:14:19 2008 -0600 Implement triple invert(pair dir, triple v, projection P=currentprojection). Add a 3D arrow routine that accepts a pair direction. commit d39eaeeda70a4bc3973d328897e1b0796d295efb Author: John Bowman Date: Tue Oct 14 23:42:35 2008 -0600 Add HookHead3 and TeXHead3 arrowhead styles. commit 14aaabac9f0337624ee86c74f36b5b2ad7e5442b Author: John Bowman Date: Tue Oct 14 17:16:17 2008 -0600 Optimize 2D arclength calculation for straight segments. commit fe419cd7baea414ffd6f92a17d24afccfb426fdf Author: John Bowman Date: Tue Oct 14 17:15:31 2008 -0600 Fix degenerate perp vector workaround. commit 72c86d263469f4451fc0d3abe803c0d9f15a141c Author: John Bowman Date: Tue Oct 14 17:14:27 2008 -0600 Optimize arclength calculation for straight segments. commit 738a2255ebe0c5a8a2014fdb4fff9e6ec1ab9c43 Author: John Bowman Date: Tue Oct 14 15:24:08 2008 -0600 Fix degenerate perp vectors. commit 3388c706edcf4159ae87503bee618befe94090f3 Author: John Bowman Date: Tue Oct 14 14:21:57 2008 -0600 Fix nullpath and nullpath3 issues. Use user coordinates in camera diagnostics. commit e2d10ddde7df0b81d5ad81c67f9f351865ceafc3 Author: John Bowman Date: Tue Oct 14 11:01:52 2008 -0600 Move surface constructor for surfaces of rotation from solids to three_surfaces. Add surface constructor planar(path3). Add path(path3, pair P(triple)=xypart) constructor. commit fec16d215047435adfa9111632f46c893fcb7d1d Author: John Bowman Date: Mon Oct 13 22:40:10 2008 -0600 Fix degenerate perp vectors. commit b469972c200c0c7c56e89450be844725ee140af0 Author: John Bowman Date: Mon Oct 13 21:49:53 2008 -0600 Improve automatic camera adjustment. commit 47ef47556935f1b4d3aa9165cd8e86103cd7c689 Author: John Bowman Date: Mon Oct 13 20:36:06 2008 -0600 Fix transition between rendering algorithms. Fix handling of currentlight=nolight. Change default light for mesh lines to surface light. commit b7033d26e5e86717787c3d7759d58a696d30246e Author: John Bowman Date: Mon Oct 13 13:28:07 2008 -0600 Fix window sizing problems. Tweak constant. commit 3a01cf4c74883209b8f9b9831715c3491a813bb4 Author: John Bowman Date: Mon Oct 13 10:00:22 2008 -0600 Install externalprc.tex. commit baae1e504001f309073a01c13aeab4856af2fbe3 Author: John Bowman Date: Mon Oct 13 01:26:29 2008 -0600 Avoid cracks in thick lines. Add connector sphere for cyclic paths. commit f94d0b4e62f3360e2a00a9a56384d9972ef9270d Author: John Bowman Date: Mon Oct 13 00:44:45 2008 -0600 Enable linetype offset. commit e7a0ad4062b13b04c2436c45c797ca18dc779a89 Author: John Bowman Date: Sun Oct 12 23:39:48 2008 -0600 Transform computed surface normals. Reduce planar normal constant for accurate rendering. commit c6379e473d1ef3581558b211757da30fd24c71dd Author: John Bowman Date: Sun Oct 12 21:13:04 2008 -0600 Add Orest's patch to make short connections before longer ones. commit 1ebe7b45b06798b414e70cb105f2cf87a502dfb1 Author: John Bowman Date: Sun Oct 12 13:35:26 2008 -0600 Fix rendering of planar surfaces. commit c90bf5333a69acb9349fdd1536c9942189e98151 Author: John Bowman Date: Sun Oct 12 11:33:24 2008 -0600 Fix settings.render=0. commit ff63393e73591bf3b466f8b9bc40da50423d376c Author: John Bowman Date: Sun Oct 12 00:29:13 2008 -0600 Fix freeglut dependency. commit d345f631455b8af7748a32595f61f209b4343c72 Author: John Bowman Date: Sat Oct 11 23:59:50 2008 -0600 Remove texhash dependency from RPM spec file. commit b88d4ff8e42f94497f711834bd636cd051ed7591 Author: John Bowman Date: Sat Oct 11 23:10:17 2008 -0600 Speed up rendering of straight surfaces. commit 81db85450d667bcbfa0cee08f8b7b7a0f4c4da87 Author: John Bowman Date: Sat Oct 11 22:02:50 2008 -0600 Treat duplicate nodes as straight segments. Make write(path) indicate straight segments, consistent with write(path3). commit 2503ca4d1ad2ce82ab46b741f4f5826f577aa56f Author: John Bowman Date: Sat Oct 11 14:48:32 2008 -0600 Size 2D and 3D objects consistently when render=0. commit 62ad2e45a245997657b1a48797fe7aa5dd559191 Author: John Bowman Date: Sat Oct 11 11:09:55 2008 -0600 Respect prefix and format arguments. commit 5caa2cc71777b1bb4da0fddc03e0571a6eb5c360 Author: John Bowman Date: Sat Oct 11 00:14:43 2008 -0600 Fix normal for degenerate paths. commit e0197dd54d4529cfa67ccd52e344f913bdec06b4 Author: John Bowman Date: Fri Oct 10 23:38:12 2008 -0600 Resolve ambiguity. Optimize normal. commit b852780739cd4bb22af63989e38acc517730843d Author: John Bowman Date: Fri Oct 10 23:09:04 2008 -0600 Fix straightness test. Draw a sphere if path3 has length 0 with roundcap but not squarecap or extendcap, consistent with the behaviour of PostScript in 2D. commit e62b0e605a8180dc79da3924b7689cc917eba92a Author: John Bowman Date: Fri Oct 10 21:40:24 2008 -0600 Remove -unsafe option in favour of -nosafe setting. Remove unused code. commit 0497d1c36a9804d5d4cd7ef9dcfb5dd14599d2a8 Author: Andy Hammerlindl Date: Fri Oct 10 19:47:52 2008 -0600 Added testing of permissions. commit 78f09201a89f87fa42e569870f1a204046eb92de Author: Andy Hammerlindl Date: Fri Oct 10 18:47:43 2008 -0600 Added secure options as read-only settings. commit 7b8f87e5a582f369b7ced78f5f1385982e06e8c3 Author: Andy Hammerlindl Date: Fri Oct 10 17:42:54 2008 -0600 Added optional tests to audit the type and application caching. commit 8ccab01d6fe468e730d2a79d32f75df4a1b94f18 Author: John Bowman Date: Fri Oct 10 17:35:57 2008 -0600 Document texpath. Standardize write(path3) formatting. commit 34290dca518ad649093ec17e0bc2cf699b2e9279 Author: John Bowman Date: Fri Oct 10 09:27:34 2008 -0600 Fix example. commit 05daf2ea53e09caaceaf8234cc0258a9fa1fa16e Author: John Bowman Date: Fri Oct 10 09:24:00 2008 -0600 Fix compilation error. commit a0e55c7d1ceb54cde843700161902b663b943abb Author: John Bowman Date: Fri Oct 10 09:22:09 2008 -0600 Add missing return value. commit 60d1a1051c405c20214b8eeb74d37b5ea5cc68a6 Author: John Bowman Date: Fri Oct 10 09:10:00 2008 -0600 Document convert, animate, and system; add args option to animate. Fix segmentation fault in system. commit 575edaeefd1daa8877ff91d3b3c38ffb7823e8dc Author: John Bowman Date: Fri Oct 10 08:18:48 2008 -0600 Add files missing from last revision. commit 4b34812c6222d7639176cb150c4ce0cb61a62197 Author: John Bowman Date: Fri Oct 10 02:45:32 2008 -0600 Make default surface color black now that lighting is on by default (otherwise planar surfaces might not be visible). Add unithemisphere. Draw hemispheres rather than spheres at joints. Simplify linecap code. Use linecap(0) by default for meshlines. Don't draw thin line if opacity of pen is less than 1. commit 63785292a8872eea4482057643ca8d4e313484f5 Author: John Bowman Date: Fri Oct 10 00:58:16 2008 -0600 Add min and max arguments to axes and axes3. commit 19aa769f07f3552b8fcaa172abe2fc3315945bb0 Author: John Bowman Date: Fri Oct 10 00:52:48 2008 -0600 Simplify paths. commit 86afa75132b7408133e32953a1182b2877381534 Author: John Bowman Date: Thu Oct 9 22:12:26 2008 -0600 Allow the specification of fuzz=0 in intersection routines (the new default, fuzz=-1, specifies a fixed multiple of the machine precision). commit 770063a8564a3caeeda2b5daa9d1c5c53c70f08d Author: John Bowman Date: Thu Oct 9 21:34:15 2008 -0600 Fix division by zero error. commit 19c3e714f4aa541026e7f8ce54cf49511d2a3336 Author: Orest Shardt Date: Thu Oct 9 19:23:43 2008 -0600 Improve splitting of triangular patches. commit bb431ae8b39aa8c66bae401438839f4e9e1d259b Author: John Bowman Date: Thu Oct 9 01:23:49 2008 -0600 Fix longitudinal lines in solids.asy. Split longitudinal curves into front and back pieces; add longintudinalpen=frontpen and longintudinalbackpen=backpen. Use longitudinalpen=nullpen instead of longitudinal=false. Make dash lengths in solids.asy consistent between different rendering modes. Fix OpenGL opacity calculation (only for settings.render=0). Set P.ninterpolate to 1 for projections from infinity. Fix 3D dashed lines for degenerate cyclic paths. Increase fuzz in 3D arc and Arc routines. Update cone radix in solids.asy. commit a879e30890cc04c2e386415857144c1260ace1dd Author: John Bowman Date: Wed Oct 8 21:57:16 2008 -0600 Fix arctime for cyclic paths of zero arclength. commit 246b189492f41e694ce067bcc139af0cc2d77332 Author: John Bowman Date: Tue Oct 7 15:50:10 2008 -0600 Reduce number of patches in unitcone. Rename solidcone to unitsolidcone. Improve appearance of straight arrows. Increase fuzz in arrow end tests. commit 7d47f3d7e53f6999ec8ba5e463cd5533c999adf0 Author: John Bowman Date: Tue Oct 7 14:27:36 2008 -0600 Add arrow to NoTicks. commit 2350e092e97f564193df1afa0241b13ab1b8fad1 Author: John Bowman Date: Tue Oct 7 13:57:30 2008 -0600 Fix transverse slices. commit 236f3d2e2acbc367c991d4614deefa37a2063bbc Author: John Bowman Date: Tue Oct 7 12:00:47 2008 -0600 Give user control over slice Arc accuracy. commit 6d460c3889480d4fd88a6e3f3567b0fc27a13566 Author: John Bowman Date: Tue Oct 7 11:32:08 2008 -0600 Increase longitudinal epsilon. commit 0626509ce02f1c0473fcfd481f089c2e6824fd2b Author: John Bowman Date: Mon Oct 6 16:49:30 2008 -0600 Document need for version 2008/01/16 or later of the movie15 package. commit adfd8d95fb575a4e7511cde1170150fc5cccea0e Author: John Bowman Date: Mon Oct 6 16:19:50 2008 -0600 Fix incorrect cast. Resolve ambiguities. commit 691fdeba886be97a0b7fc5c44ebfa0cd73dd48d3 Author: John Bowman Date: Mon Oct 6 12:26:16 2008 -0600 Update documentation. commit bbd1c8040d2e7d645227a729cc923133d9cdf96f Author: John Bowman Date: Mon Oct 6 12:05:43 2008 -0600 Add utility for forcing Adobe Reader to update all currently loaded documents. commit e47173ba27d35777b1edd1d30e95f839901f42e1 Author: John Bowman Date: Mon Oct 6 11:24:49 2008 -0600 Use NUL instead of /dev/null under MSWindows. commit b6e12abbc219dfaf582b24788bd6d11f65183dcd Author: John Bowman Date: Mon Oct 6 05:36:07 2008 -0600 Increment version to 1.45svn. commit 9c86cdd6a32142cca7fe4a443bc36192cba2e098 Author: John Bowman Date: Mon Oct 6 03:48:54 2008 -0600 Update documentation. commit 01ed46270df994548349be0f2e6b112b2f5b9644 Author: John Bowman Date: Mon Oct 6 01:09:53 2008 -0600 Remove settings.tex="pdflatex" from embed.asy and move contents of embedding.asy into this file. Generalize movie15 patch to pdflatex; restore @ catcode to its previous value. Reduce size of manual. commit 987faf990fb1adec72aaf3f72b9176e9ca034cff Author: John Bowman Date: Sun Oct 5 21:20:57 2008 -0600 Fix missing BBox bug in movie15 version 2008/01/16. commit a245d161df6b5603452b42d10a198ffa31666167 Author: John Bowman Date: Sun Oct 5 03:33:08 2008 -0600 Handle degenerate scaling. Fix manual build problems. Update examples and documentation. commit 9c9c3fadd3a230f6d2ecefdd85a6f935ca9e9934 Author: John Bowman Date: Sat Oct 4 23:13:48 2008 -0600 Fix absolute viewpoints. commit d38da2db56425068f34003393540912efc22ab16 Author: John Bowman Date: Sat Oct 4 19:18:49 2008 -0600 Fix example. commit 5662f10ca793475007c144f8e15edb4d7cb9cd8f Author: John Bowman Date: Sat Oct 4 18:18:00 2008 -0600 Fix examples. commit 1e3bbb896eca8318e3c450502f46ca0035713496 Author: John Bowman Date: Sat Oct 4 17:12:05 2008 -0600 Add file missing from last revision. commit 75d1a9ebd17d7a737756dceafdc7def97cb17ed0 Author: John Bowman Date: Sat Oct 4 17:11:37 2008 -0600 Improve definition of unitcone. Make xasy work again with 3D pictures. commit f600479daf9a0ebddfaf68714df208444d76cf4a Author: John Bowman Date: Sat Oct 4 14:53:47 2008 -0600 Remove interp(int,int,real). commit 4aa519732f652230ecaedc8e54cd52fb609a6eda Author: John Bowman Date: Sat Oct 4 11:45:14 2008 -0600 Handle degenerate point in cone. Tweak parameter in thick lines. commit 355a989ef64871ef160394f74f36abb71d79508a Author: John Bowman Date: Sat Oct 4 01:15:46 2008 -0600 Fix cracks in thick lines. Fix projection and clipping. Fix 3D animations. commit 2e9ccd5d05b774d3e21a4b799536510c2b440a95 Author: John Bowman Date: Fri Oct 3 17:21:00 2008 -0600 Force -noprc during documentation builds. commit 8365dfbfa96fd6d787cc7a9a4f2a710a2b3dbc5c Author: Andy Hammerlindl Date: Fri Oct 3 17:07:00 2008 -0600 Fixed matching of defaults for functions with rest arguments. commit dfed4bfb80e49c5fe703a93dded72ccfaa0df450 Author: John Bowman Date: Fri Oct 3 16:32:10 2008 -0600 Make latexusage produce a rendered image by default. commit d53e950205d309c69c2f4558351cf133addf8b12 Author: John Bowman Date: Fri Oct 3 15:49:34 2008 -0600 Respect -noprc. commit f6022f259b33bfe692f0291b7cd4a32f17e609a6 Author: John Bowman Date: Fri Oct 3 04:09:58 2008 -0600 Remove references to obsolete modules. commit 2ce92f4ebdf01e44843b7ad281430135c319a4e1 Author: John Bowman Date: Fri Oct 3 03:43:53 2008 -0600 Restore symmetric clipping planes. Fix embed ambiguity. Update examples. Make preliminary documentation updates. commit bd1cd3509b9156cc0addfe043a5a3e9a33185384 Author: John Bowman Date: Fri Oct 3 01:01:09 2008 -0600 Use a better default for tick and axis label selection. commit 8ce64fdbab5ce351116d5526b5c8e2836a41510c Author: John Bowman Date: Fri Oct 3 00:02:26 2008 -0600 Return a zero scaling when unbounded (revert 1.44-252); see generalaxis3. Rename LeftTicks3 to InTicks, RightTicks3 to OutTicks, and Ticks3 to InOutTicks. commit 2506b0faf7f20bf480fdf5796d5aa37de880d3b0 Author: John Bowman Date: Thu Oct 2 16:47:12 2008 -0600 Remove unused code. commit fbf60a9cd7a93e4ec4f71634f81a009b2eba1e67 Author: John Bowman Date: Thu Oct 2 16:43:22 2008 -0600 Support PRC images even when inlinetex=false. commit 9812fa6d9e85f2c117c9e764e237fc08b9a931a8 Author: John Bowman Date: Thu Oct 2 02:40:10 2008 -0600 Support PRC, with optional rendered preview, in inlinetex mode. commit 3780d2fdfd74873a0a41e92c763992d72b911df3 Author: John Bowman Date: Wed Oct 1 23:50:15 2008 -0600 Work around degenerate up vectors. commit 59235a64322e4d9af3aacf87d82605821486979e Author: John Bowman Date: Wed Oct 1 22:45:06 2008 -0600 Fix perspective projections and clipping. commit 6c4d4326ea56ef3164a4757b533ad7a49eca5724 Author: John Bowman Date: Wed Oct 1 21:34:38 2008 -0600 Fix reference vector indices. commit e18c8f9739b31ce0d8716dd4d34a4affdadc71a8 Author: John Bowman Date: Wed Oct 1 20:56:14 2008 -0600 Support prc with pdflatex. Fix light transforms. Use sequence for array loops. commit d90fb9cab118ea3761dd2c2eca5fc5a9df7864db Author: John Bowman Date: Wed Oct 1 14:07:53 2008 -0600 Support texpath in inlinetex mode. commit 4840f25bc8cc76d5b008baff72b31301c35d97cd Author: John Bowman Date: Wed Oct 1 03:45:46 2008 -0600 Fix sizing of perspective projections by usingd an accurate subdivison algorithm to calculate the optimal field of view angle. Use an accurate projected path3 bound for picture sizing. Optimize projection routines. commit 9b9bf22e4c751ecc7b2405c4028fcafb1b52a7d4 Author: John Bowman Date: Tue Sep 30 11:58:22 2008 -0600 Don't cache projected bounds. commit 889b91cee23aee5799618c789bc8b4daf5fd83bf Author: John Bowman Date: Tue Sep 30 10:59:03 2008 -0600 Fix rendering from an absolute viewpoint. commit 7b811cdad3343f270edbb96afc40c57291aca5f2 Author: John Bowman Date: Tue Sep 30 03:53:15 2008 -0600 Fix picture sizing and clipping plane. commit d0a1de8b34ba2ed05cd1fc0b8a1c0538d17665ea Author: John Bowman Date: Tue Sep 30 02:14:12 2008 -0600 Use a separate frame for preview rendering. commit 4977cb85f158f2e643f2958a7ca1a0e907e31b0b Author: John Bowman Date: Mon Sep 29 19:01:39 2008 -0600 Minor optimizations. commit 12c7b6a47985ae0aa110ca39c575ec87a9a5a6df Author: John Bowman Date: Mon Sep 29 03:39:09 2008 -0600 Limit window to physical screen size under MSWindows due to OS limitations. commit ae0ab2d344985ca2027a223fb009fd67085f66b9 Author: John Bowman Date: Mon Sep 29 02:08:52 2008 -0600 Fix window size checks. commit 51819e119ff82a0e29daaceb67f75a1bba0c5a58 Author: John Bowman Date: Mon Sep 29 01:41:25 2008 -0600 Use gluEndCurve not gluEndSurface. commit 9075f472590c9760a94c247cf5d7d12b162b7e81 Author: John Bowman Date: Mon Sep 29 01:09:16 2008 -0600 Allocate image rather than putting it on the stack. commit 10b0cbf91b825294005d095f37084cf93c30e896 Author: John Bowman Date: Mon Sep 29 00:47:41 2008 -0600 Optimize solids.asy. commit 04e54c5eaaf34b67f3f7054689503c8e4e2e1131 Author: John Bowman Date: Sun Sep 28 23:01:01 2008 -0600 Fix shrink (- or _) and expand (+ or =) keys. commit d168f5736ad199d1b0b7decee1e5a88314639289 Author: John Bowman Date: Sun Sep 28 22:25:20 2008 -0600 Remove unneeded bzero. commit 85d1559a9d219a17ab1ea1676f3771fff60b8675 Author: John Bowman Date: Sun Sep 28 22:22:19 2008 -0600 Port to cygwin. commit c39a492a8574f1d5ab3ab7518466820e110976c8 Author: John Bowman Date: Sun Sep 28 21:46:48 2008 -0600 Fix cygwin configuration. commit 27ef19ce3571c07f47ae25a8547faf10f40f590c Author: John Bowman Date: Sun Sep 28 12:58:51 2008 -0600 Support CYGWIN freeglut configuration. commit 966268d31497e4778bdb659aa180399390fceb88 Author: John Bowman Date: Sun Sep 28 11:56:33 2008 -0600 Avoid redundant transformation for infinite projections. commit 953ad71d6dfd10a0ddafa7ee8540ea6dc7df3fb4 Author: John Bowman Date: Sun Sep 28 11:47:50 2008 -0600 Preserve aspect ratio on export. Work around viewport size driver bugs. commit 5fbdf27645360c0a1effc27dd325d384301e3009 Author: John Bowman Date: Sun Sep 28 03:27:07 2008 -0600 Port to cygwin. Wait until menu disappears before exporting. Right button without motion, in addition to middle button, now brings up menu. Fix export segmentation fault. Fix mesh mode. commit 7edb1c93d655cddc5562dc38ebff6cbdb8736e62 Author: John Bowman Date: Sat Sep 27 10:37:38 2008 -0600 Add missing 2D Arc routiones. Remove unusual handling of negative radii. Update arc and Arc documentation. commit 6abd91a066dbe564210c7c1c4185cc26e782aba9 Author: John Bowman Date: Sat Sep 27 03:17:06 2008 -0600 Render at requested size in interactive mode. Fix transverse slices of solids of revolution. Simplify arc and Arc routines. Check for invalid normal vectors in 3D arc and Arc. commit 36999977922c983da159e435d3f302efd001401b Author: John Bowman Date: Sat Sep 27 00:29:16 2008 -0600 Preliminary changes to support CYGWIN. commit 9314d7e7887d1eb9be676e6a0582e671323bee31 Author: John Bowman Date: Sat Sep 27 00:18:48 2008 -0600 Remove psimage code. commit b449661b1b3f3043852f3a6ce690105425c3aabc Author: John Bowman Date: Fri Sep 26 23:38:00 2008 -0600 Remove obsolete psimage feature (use -render=n instead). commit 8e814f5d9ff6876292ad53206bf47e2e05cb35c4 Author: John Bowman Date: Fri Sep 26 23:33:09 2008 -0600 Fix path3 rendering. Add meshlight option to surface routines. Improve glrender mesh mode. Simplify light constructors. Clean up code. Remove OpenGL license from glrender.cc as the original code has been completely replaced by our own code. Update examples. Remove unused lights.js file. commit b5f168b67aa737a7f11c0a7da3e9546672450255 Author: John Bowman Date: Fri Sep 26 12:53:55 2008 -0600 Make object argument optional in flowchart routines. commit a1cb3ff0719f028623e9a28fe3b21e0ef35ef512 Author: John Bowman Date: Thu Sep 25 00:31:50 2008 -0600 Standardize lightmodel with openGL; support multiple lights. Add viewport option to light to force lights to be fixed in the viewport frame. Communicate non-viewport lights to embedded PRC files. Add +/- expand/shrink keyboard shortcuts. commit 3183cd3346d88442a0f34e86b7092d614faed252 Author: John Bowman Date: Wed Sep 24 03:34:35 2008 -0600 Replace the light model with the one used by openGL. Use nurb routine whenever the surface is not straight and the light is on. Add -nothin option to force pen thin to be set to the initial defaultpen. Support custom embedded javascript files via a script option to shipout; add lights.js example. commit d310ac530844a01f943e63a42fe488fdf3e81d1a Author: John Bowman Date: Wed Sep 24 03:25:34 2008 -0600 Set the opacity of the sum of two pens to be the larger of the two opacities, adopting the blending mode of the second pen. commit 900a2509e7e48eeeecfb9244742664462c32d40c Author: John Bowman Date: Tue Sep 23 02:18:57 2008 -0600 Fix more material vs. pen problems. Improve degenerate normal test. commit 19f717837954a62b9b6f5bc133dabddd929c2da8 Author: John Bowman Date: Mon Sep 22 23:16:10 2008 -0600 If the render value is negative, use 4 times its absolute value for rendering eps and pdf formats and 2 times its absolute value for rendering other formats. Turn light off for drawing meshes. Specify light coordinates in viewport frame. Fix line colors. Provide an optimized patch constructor for quadrilaterals. commit 46b54b99f4060c19d23fc9cb5814dc1391324628 Author: John Bowman Date: Mon Sep 22 17:24:11 2008 -0600 Remove preview option in favour of render=n > 0. Fix line material defaults. Viewer is no longer updated by erase() since we don't know whether the original picture was 2D or 3D and reloading acroread is slow. Spurious shipouts arising from cameralink are now suppressed. commit c9f40fcc55c2c9354330749bf8208ceb3640b595 Author: John Bowman Date: Mon Sep 22 14:51:56 2008 -0600 Add option -preview to render 3D preview image. commit fac8c870a1e483c08963f7d794936f4f99ed6b3d Author: John Bowman Date: Mon Sep 22 11:52:56 2008 -0600 Remove obsolete outward flag. commit 790ac4aecde366b2f22c77aab5f9540c2ce6a236 Author: John Bowman Date: Mon Sep 22 09:05:17 2008 -0600 Revert last change. commit d9f599e28adbf465adb9fd685e467da4a53e8be0 Author: John Bowman Date: Mon Sep 22 09:03:50 2008 -0600 Suppress another unnecessary warning. commit 8106ef18917d33c053c69d885417e76c1b30c7ff Author: John Bowman Date: Mon Sep 22 08:45:44 2008 -0600 Suppress unnecessary warnings from automatic picture sizing. commit f03f00939aba56d9e4fe4f58d61ac3d74f6a3bbd Author: John Bowman Date: Mon Sep 22 03:05:03 2008 -0600 Support orthographic projections in PRC. Fix definition of emissive. Transform currentlight correctly in shipout3. commit 6b10a32eacf8291eca8e3bbfb60a7abfac24a847 Author: John Bowman Date: Sun Sep 21 14:43:48 2008 -0600 Fix orthographic and oblique clipping. commit cd2ead2066972765f47086fd2d169954230f0ae9 Author: Orest Shardt Date: Sun Sep 21 14:10:34 2008 -0600 Fix z rotation. commit b8662acce03a7f8f6f663705b6ee264e31ec490d Author: John Bowman Date: Sun Sep 21 13:34:37 2008 -0600 Support compilation without freeglut. commit 34ee9b3a14f79efb2524e63929d3585450bb6854 Author: John Bowman Date: Sun Sep 21 11:33:45 2008 -0600 Fix normal0. commit f79f8e84dec627eb3f1adcad2b0cb520d87d8924 Author: John Bowman Date: Sun Sep 21 11:32:55 2008 -0600 Add optimized vertex normal routines. Add fuzz to arrow position test. commit 6c368a1e776dd57fcc89b986d4dccf9d219ade4b Author: John Bowman Date: Sun Sep 21 00:57:00 2008 -0600 Fix includes. commit 356eaf53fb4cb3f795185b8b5bb431f0a5af903d Author: John Bowman Date: Sun Sep 21 00:52:01 2008 -0600 Fix glOrtho parameters. commit 1a022b26985d53b7be158756fdfe1dc610fe4a7e Author: John Bowman Date: Sat Sep 20 23:59:37 2008 -0600 Improve surface culling. Use GLUnurb for rendering a path3 (unless it is piecewise straight). commit af0b8965ea4d0a46eaf0efdb032e8090607de630 Author: Orest Shardt Date: Sat Sep 20 14:20:06 2008 -0600 Undo renaming of slidemovies.asy. commit f4acd62482a50ef7ec3a614a3e4262d11b0034a0 Author: John Bowman Date: Fri Sep 19 22:55:58 2008 -0600 Adjust rendering constants. commit e51d2f144c16a99b6e65eb08aa52654877b98109 Author: John Bowman Date: Fri Sep 19 22:36:16 2008 -0600 Update convert options; add convertOptions setting. commit de8c612435501b4bfd160adc6213b83602eb9703 Author: John Bowman Date: Fri Sep 19 14:58:20 2008 -0600 Allow compilation without freeglut library. Fix width and height sizing. commit 512c14d4c3aad03906ef62376ed7bea0106c92fa Author: John Bowman Date: Fri Sep 19 13:36:35 2008 -0600 Use render setting for convert. commit c2c5ad1d9043daae40db4df06295ae4405eca4c2 Author: John Bowman Date: Fri Sep 19 13:08:14 2008 -0600 Add antialias=false option to image routines. commit 5c675ac18ab4fbddc1233f8395ed3da286d12bba Author: John Bowman Date: Fri Sep 19 12:44:53 2008 -0600 Improve configuration diagnostics. commit e5a0f320946b4efdaa1e5f19ab961e3892fec445 Author: John Bowman Date: Fri Sep 19 01:59:23 2008 -0600 Don't dealias last column of pixels. commit e072aff3638f8f23a30feb3ef7b2dd9b5430bb2a Author: John Bowman Date: Fri Sep 19 01:55:18 2008 -0600 Fix segmentation fault: don't dealias the top row of pixels. commit 8c29b6213d34ac0113a7804b84dafe9923eb6c99 Author: John Bowman Date: Fri Sep 19 01:20:05 2008 -0600 Support antialiasing of all images. commit 9186b72c973070bc2479f036a4a29e1e359975ec Author: John Bowman Date: Fri Sep 19 01:10:51 2008 -0600 Support inline antialiasing. commit 18d37540940bee3fb91146a53fdce9be60893840 Author: John Bowman Date: Thu Sep 18 23:18:41 2008 -0600 Improve rendering options. commit b438f03c022db3d669be8f6b4a04f45e04183808 Author: John Bowman Date: Thu Sep 18 12:25:57 2008 -0600 Antialias export images. commit 429d37d34f8e8b6cb1356afabeb85df36316fe6a Author: John Bowman Date: Thu Sep 18 12:11:57 2008 -0600 Fix export. commit 6e62cb14a4c1001e0412ac439d8a5e0be46d2828 Author: John Bowman Date: Thu Sep 18 03:47:05 2008 -0600 Simplify and optimize surface rendering. commit d86c200e1a646282a44582c6a392918aecf53b21 Author: John Bowman Date: Thu Sep 18 02:23:07 2008 -0600 Always use nurb rendering algorithm (with callback) for degenerate patches when the light is on. commit b0edb45297df294e72a11e8a9a046d072a069520 Author: John Bowman Date: Thu Sep 18 00:17:53 2008 -0600 Fix rendering artifacts at degenerate control points. Improve unitcone. commit 474f0747c777b9f1ebc921df4261adbe1a26d57e Author: John Bowman Date: Wed Sep 17 08:55:44 2008 -0600 Add a maxviewport setting for working around direct rendering driver bugs. commit d848274e3bbfab5cb07c6f81eac43c4076c5b27c Author: John Bowman Date: Tue Sep 16 23:47:20 2008 -0600 Retune rendering parameters. commit a4b88696b58eb0bbc59bd8e84626368e94a92b5c Author: John Bowman Date: Tue Sep 16 22:28:11 2008 -0600 Add mesh mode menu. commit c46b8b39cbb403c4134c8ce3174f479eb7803bbc Author: John Bowman Date: Tue Sep 16 19:34:29 2008 -0600 Force a minimum rendering window size. commit d939ff4ee61b9d3d3ac69c355a52626ef3b87e16 Author: John Bowman Date: Tue Sep 16 19:06:42 2008 -0600 Allow explicit surface normals to be specified (currently only respected when render=0). commit a4c7d2fcd4cb0886b00743677bf390077490cea2 Author: John Bowman Date: Tue Sep 16 17:42:33 2008 -0600 Work around direct rendering segmentation faults. Improve full screen mode. commit d8252c49470d6ad0ada0562d47aac8838ac8781e Author: John Bowman Date: Tue Sep 16 13:29:55 2008 -0600 Use fullscreen rendering by default. commit 8af536b3f4f210ced538d0ffdc0cb10afb811f17 Author: John Bowman Date: Tue Sep 16 09:21:24 2008 -0600 Remove broken bounding box test optimization. commit 579686b62eba7c13f3b9f9cea06f99dd70507b93 Author: John Bowman Date: Tue Sep 16 02:08:38 2008 -0600 Use hybrid EvalMesh2/NurbSurface rendering algorithm for better speed & accuracy. Remove localsub option. Rename int path3quality back to bool thick. commit 7db8eefb7fef904c05bc958868e25daf62933840 Author: John Bowman Date: Mon Sep 15 23:13:09 2008 -0600 Add toggle fullscreen menu option. Add further keycodes. commit 3cb3b04554dbed6087519ed330b0aca4e422f853 Author: John Bowman Date: Mon Sep 15 17:31:58 2008 -0600 Initialize timer before spinning. commit 6ca3a4020e8d5ca9c8bc45e0e2e6f36a28b49542 Author: John Bowman Date: Mon Sep 15 17:21:28 2008 -0600 Improve spin/arcball interaction. Make the Home menu item reset the zoom. commit 10939a78da05590a21afa5fbcf6a5e9378098f01 Author: John Bowman Date: Mon Sep 15 08:49:52 2008 -0600 Use -render=0 instead of -norender. commit 082dd13f4d48af08c451532f1c128dc75599ecb2 Author: John Bowman Date: Sun Sep 14 22:03:32 2008 -0600 Use a better reference value in path and path3 dir functions. Fix zoom/rotate synchronization. commit 64b7a1dca9805837643a1d50557bd170ffcdb487 Author: John Bowman Date: Sun Sep 14 20:53:45 2008 -0600 Simplify dir(path, real) and dir(path3, real) computations. Fix accel(path3, real). commit 7a28d7c623e781bc4c094b1578d60fd3dd0d0114 Author: John Bowman Date: Sun Sep 14 09:56:50 2008 -0600 Add position parameter to specify initial rendering screen position (negative components indicate relative to screen width or height). commit 54059bba3420f566dbde12d28ba47fd45828d8e3 Author: John Bowman Date: Sun Sep 14 09:23:08 2008 -0600 Add Export and Quit menu items. commit 08c2c32d2ccf4529ce90034d5d87d902c1ea7519 Author: John Bowman Date: Sun Sep 14 03:05:29 2008 -0600 Remove remaining scale3D factor; retune adaptive constants. commit 27254d610032645a3876f7ea35e04540f59378d0 Author: John Bowman Date: Sun Sep 14 02:44:01 2008 -0600 Move PRC cm scaling to a more sensible place. commit 83febd4929fd9d8a49b1d7fa5e254989537b4742 Author: John Bowman Date: Sun Sep 14 01:10:13 2008 -0600 Fix oblique transformations. Rename linequality to path3quality. commit 194182305179b22ee098a99f94cbb0b1ba7f6f7e Author: John Bowman Date: Sat Sep 13 22:18:15 2008 -0600 Add menu (middle mouse button) with Home and Spin options. commit 7bf3f93c0c2e1c297a9738724ca8e8229ddcc22b Author: John Bowman Date: Sat Sep 13 17:57:35 2008 -0600 Support interactive rendering. Remove obsolete Wait and NoWait keywords. commit ec3bccb1adea541766b4ee11ac3839ba53035120 Author: John Bowman Date: Sat Sep 13 13:14:55 2008 -0600 Add linequality and twosided settings. commit 58df06a1991ea331a0fb6eb42f5144ec52eebd0b Author: John Bowman Date: Sat Sep 13 09:43:03 2008 -0600 Compute surface bounds for transformed frames correctly. Speed up rendering by drawing only the surfaces and paths within the field of view. commit a87f2cd1a8d4366040d840542c7834de386ed3ff Author: John Bowman Date: Fri Sep 12 21:48:33 2008 -0600 Fix mouse button zoom. Improve mouse bindings. commit f34bc01af1562c829bef378a1ea983a470777e58 Author: John Bowman Date: Fri Sep 12 17:04:16 2008 -0600 More zoom improvements. commit 1d70efd24bc6b655b7dde06ebe7e8149b413a7c4 Author: John Bowman Date: Fri Sep 12 16:23:47 2008 -0600 Zoom on center of window; improve resizing. commit e0d7d872299e724140c941cc6209b8c30ed0d63d Author: John Bowman Date: Fri Sep 12 00:42:43 2008 -0600 Account for field of view factor of 0.6 (from javascript). commit 1306945bedc1d5c7af28498b69be3f1e069ff1d1 Author: John Bowman Date: Wed Sep 10 01:45:00 2008 -0600 Compress all images and encode them with ASCII85. commit bd2d8423cdef245203d3b22a6c135f026f4aef8d Author: John Bowman Date: Tue Sep 9 10:56:31 2008 -0600 Force use of new c-lang-defconst for proper indentation after struct. commit 134e9e374555b88b0f9f70318d87dcab43d12d43 Author: John Bowman Date: Tue Sep 9 02:57:38 2008 -0600 Fix add. commit 53105d5aa0782312daee014be542fd9f6c8d0f43 Author: John Bowman Date: Tue Sep 9 02:38:47 2008 -0600 Compress rendered images with zlib. commit 027634cd45f7170a67372e488bb386e89cfdd352 Author: John Bowman Date: Tue Sep 9 00:42:32 2008 -0600 Support rendering into other colorspaces. commit e9c85db11e45ee1bf7d14426790031c82c370013 Author: John Bowman Date: Mon Sep 8 23:51:16 2008 -0600 Fix zoom-dependence of arcball radius. Fix rendering problems with mixed 2D+3D drawings (ignore 2D drawing). commit a5412018d8c485ead475553bdcb10730fa7df778 Author: John Bowman Date: Mon Sep 8 23:19:00 2008 -0600 Fix segmentation fault if renderer ends abnormally. Use color instead of material for path3 rendering, just as for prc. Add thicklocalsub parameter. Use two-sided lighting model. Fix handling of transparency. commit d6014b1524b34260afcca32d05ad03998b33484e Author: John Bowman Date: Mon Sep 8 02:54:29 2008 -0600 Disable rendering during builds. commit 7c59158cdfb005b0f6a41b3d63cd5893b8cdfa4e Author: John Bowman Date: Mon Sep 8 02:14:24 2008 -0600 Implement openGL-based adaptive-mesh renderer. commit f155070f4befcf23d0ac69ee23a8aa92c497a17c Author: John Bowman Date: Thu Sep 4 22:57:07 2008 -0600 Fix surface orientations. Optimizations array references. commit febc21e3943d082cf131ae39237b6da734a47de5 Author: John Bowman Date: Fri Aug 29 21:53:57 2008 -0600 Allow 2D drawings under 3D drawings. commit a2670bc60d6510d22c015d0726e44be46232d29a Author: John Bowman Date: Fri Aug 29 20:17:36 2008 -0600 Use consistent notation for control points. commit a5ce25ee5cf3e515e1128ec256ad6eb92151d385 Author: John Bowman Date: Fri Aug 29 20:16:18 2008 -0600 Turn off default graph autoscaling. Set extend=false by default for 3D axes. commit f75a43432db7d9737aa380335e4673435c894dcf Author: John Bowman Date: Fri Aug 29 20:14:29 2008 -0600 Rename Bezier/BezierP to bezier/bezierP. commit 3191bd7cfe5f54c04e30b85d086d18cf788abcbb Author: John Bowman Date: Fri Aug 29 12:36:21 2008 -0600 Don't allow curve to reach surface of tube. commit 5f981eaa8ff78e640e37b7e366e56e21faa2053c Author: John Bowman Date: Fri Aug 29 12:35:00 2008 -0600 Fix overflow problem. commit 1e2357150b3fd6ef4242d4b2cd1d7c35014f2880 Author: John Bowman Date: Fri Aug 29 10:12:37 2008 -0600 Re-enable adjustdash for paths. commit f3088a65374528b445033c75f22b6e54782dbf8e Author: John Bowman Date: Fri Aug 29 01:50:34 2008 -0600 Implement add(picture,picture,triple) for adding fixed sized 3D pictures about a point. Simplify arrow definition. Move supplementary 3D routines from plain_picture.asy to three.asy. commit 30d00119bdab6aae028a93248dad91fff9bd7e3c Author: John Bowman Date: Fri Aug 29 01:02:27 2008 -0600 Add pen bounds to arrow routine. commit 4af79abbf8ef1653a58445cdc47d6cbec5c992b3 Author: John Bowman Date: Fri Aug 29 00:54:30 2008 -0600 Uninstall pixel.pdf. commit 0a43bfd1418565080f517542b84989a12ae5e2d4 Author: John Bowman Date: Thu Aug 28 09:00:49 2008 -0600 Fix typo commit edce2abbabdfe99dadb63f1fa681d2e0eae8c4e4 Author: John Bowman Date: Thu Aug 28 09:00:30 2008 -0600 Fix file location. commit f57ae914e78fde268ebe3b1d38720704139dd82d Author: John Bowman Date: Thu Aug 28 01:13:22 2008 -0600 Add missing 3D arrow and dot functions. Workaround singular matrices in align routines. Fix conditional drawing of surfaces. Update examples. Delete gc-7.1FreeBSD.patch as it isn't required any more under 7.0-RELEASE-p2. commit ea94efef01cf69c849c44ed1d9b5c5ebf9a6124e Author: John Bowman Date: Wed Aug 27 23:11:31 2008 -0600 Fix segmentation fault. commit d2cdbdda93b4b675eb31e4fc08d0f516dd05798b Author: John Bowman Date: Wed Aug 27 21:58:08 2008 -0600 Rename dir parameter of axes to align. Check that the sum of all dash lengths is positive. Install pixel.pdf in examples directory. Install silentPrint.js and reload.js in base directory. commit 0f790770ffaeaa8508c85f322745e8c2405abb87 Author: John Bowman Date: Wed Aug 27 21:28:11 2008 -0600 Add surface bicubic spline code (based on code contributed by Oliver Guibe and the method use in Scilab). commit a3aa4c22df9c0bfbd1626379f4a603d70849ea17 Author: John Bowman Date: Wed Aug 27 16:35:04 2008 -0600 Improve the appearance of arrows on cyclic paths. commit 601472905ec1e702f89871b49cf25d3f401c3808 Author: John Bowman Date: Wed Aug 27 16:28:11 2008 -0600 Implement more accurate and efficient version of accel(path3, double). Add missing begingroup3/endgroup3. Fix texengine vs. texcommand confusion. commit 53c8910437384382e8de02f0bd5ba9200a82627f Author: John Bowman Date: Wed Aug 27 15:39:43 2008 -0600 Check for division by 0. commit 4a23a12d76899c342d29e1d0452c7be1b76a90cb Author: John Bowman Date: Wed Aug 27 15:11:48 2008 -0600 Return a unit scaling again when unbounded. commit e37fb5caca7c78b9e88f530caec04e9a41ece07c Author: Orest Shardt Date: Wed Aug 27 14:38:39 2008 -0600 Add header for uint32_t. commit 0444796dae93a99cb289672a23dd2a743ab549a7 Author: John Bowman Date: Wed Aug 27 02:44:35 2008 -0600 Optimize projection routines. Update cube animation. commit efab54ed6c6673db8df6c9af565f70d733f3dbdc Author: John Bowman Date: Wed Aug 27 01:43:40 2008 -0600 Rename keyword. commit 71b99a925bf23a452730458dacd533807ae3591c Author: John Bowman Date: Wed Aug 27 01:32:48 2008 -0600 Update examples. commit b74b79798a55dc0cf45c4cc78c1af1de46f2d763 Author: John Bowman Date: Wed Aug 27 00:59:16 2008 -0600 Try to draw labelled axes on the front boundary. Fix tick directions. Set axis types explicitly since axis members are volatile. commit 63d1e620824e48be38c1cddb7327ea0693be211d Author: John Bowman Date: Tue Aug 26 19:36:34 2008 -0600 Fix path labels. Remove filltype argument from 3D functions. commit 8f8205af5b56fd18077cbbb1bb8e4a5bd659508b Author: John Bowman Date: Tue Aug 26 18:48:43 2008 -0600 Implement 3D dash length adjustment. commit a2d8888a8c56da0288ded34098ee0df6783bf10f Author: John Bowman Date: Tue Aug 26 17:20:16 2008 -0600 Fix granularity; add arrowheadlight(). commit d97cb5a320b7306428c51d410eecd81016df68c9 Author: John Bowman Date: Tue Aug 26 17:18:35 2008 -0600 Make arrowheadlight=nolight by default for non-PRC drawings. commit 761a85828165acffaab4470a86b9b865fc11c283 Author: John Bowman Date: Tue Aug 26 13:41:28 2008 -0600 Move operator * (transform3, triple) to C++ code. Remove align in favour of transpose(transform3); rename transform3 to align. Make arrowhead pen a material. Add arrowheadlight. Add light to PRC draw functions. Check all array pointers. Add operators == and != for pen arrays. commit e4729be39b09068788bb91ce4f02f4dd08cc03f1 Author: John Bowman Date: Tue Aug 26 09:08:01 2008 -0600 Turn off prc flag for documentation builds. commit dac52652851c2e82fc783d4f4a7c0c809976991e Author: John Bowman Date: Tue Aug 26 08:52:08 2008 -0600 Set settings.prc=true by default. Update examples. Check for nullsurface in three_arrows. commit 1a20041faad2f518344cbce7f1a83a43118cdf69 Author: John Bowman Date: Tue Aug 26 08:15:38 2008 -0600 Update example. commit 92d4174af52853cafe91dd47ac44e6b02c1afec1 Author: John Bowman Date: Tue Aug 26 08:00:19 2008 -0600 Add missing file. commit 74c9bb56087292ba86bfd06289c7df288b1f2a26 Author: John Bowman Date: Tue Aug 26 02:07:26 2008 -0600 Speed up 3D graphics by moving path3 to C++ code. Fix 3D bounding box bugs. Remove remaining references to obsolete bbox3 structure. commit 311eecdc5c30b6eb727c8a36c39067d7d1ad1291 Author: John Bowman Date: Tue Aug 26 01:38:13 2008 -0600 Check all three coordinates in path3.bounds(). commit 24e1ad77890db772dbcb88f6beaef7ac24d57a7c Author: Orest Shardt Date: Mon Aug 25 20:45:07 2008 -0600 Add cyclohexane example. commit 86c756d14b4153ab9f706e0b808ba5238a8f2723 Author: John Bowman Date: Mon Aug 25 13:52:20 2008 -0600 Initialize cycle flag. commit e883b0a5b5b3b53a4dc2e63441a05bef682f4a48 Author: John Bowman Date: Mon Aug 25 10:58:46 2008 -0600 Remove duplicate file. commit ade7318c47381953d61941422dc8c3a65a8b01e3 Author: John Bowman Date: Mon Aug 25 10:04:46 2008 -0600 Add settings.thick option for rendering thick PRC lines (default is true). Don't force a mesh to be drawn when nolight is specified. Add Orest's 3D implementation of the Asymptote logo. commit 1eddbf05c1b440abe403a922df18e0302a573854 Author: John Bowman Date: Mon Aug 25 10:01:38 2008 -0600 Use truepoint to attach legend in lineargraph.asy. commit 1b0cfa7dd067ac5a64c8bbd969b60bf38adc2b4e Author: John Bowman Date: Mon Aug 25 03:01:16 2008 -0600 Set both axis types; use symbolic values. commit b1859212d229e190dbca01f94a3427bb53e80f6c Author: John Bowman Date: Mon Aug 25 01:59:44 2008 -0600 Update grid3 to handle Arrow3. Use limits in grid3xyz. commit 738cc4b59239d0f8ab8bc773c777bc127a59f8b0 Author: John Bowman Date: Mon Aug 25 01:11:07 2008 -0600 Use all control points to compute normal vector of surfaces. commit 055eb28cec633c0cdd2f3076a109af7b0fbceb54 Author: John Bowman Date: Sun Aug 24 20:28:36 2008 -0600 Remove unused code. commit 4456085abb8e068d31266ae50ac0cae4485f816e Author: John Bowman Date: Sun Aug 24 14:44:13 2008 -0600 Improve arrow bounding box calculation. Fix 3D arrow positioning. Retune anglefactor for RPC angle calculation. Pass the correct size information to scale and scale3 when resizing. commit 98d4cfccd4abc5a1516e4c0d5f11e0c3f1760831 Author: John Bowman Date: Sat Aug 23 13:58:27 2008 -0600 Implement unitdisk and linecap(0) and linecap(2). commit f8cbc466a67238c45d1917efb200156b896adf35 Author: John Bowman Date: Sat Aug 23 12:21:52 2008 -0600 Support linecap(1) in 3D. Fix PRC mode. commit ef8a94774f4620dde9cfa7605768cbc4491d2c27 Author: John Bowman Date: Sat Aug 23 03:46:16 2008 -0600 Add support for 3D arrows. Set uptodate=false in picture.add. Implement better workaround for missing movie15.sty. commit 01229d149a8e23e88a4ef0ca47f49943f6c06afd Author: John Bowman Date: Sat Aug 23 00:51:45 2008 -0600 Update example. commit f675c8d5343a34eae81c87f68c0c6a35d5fbd145 Author: John Bowman Date: Sat Aug 23 00:46:57 2008 -0600 Implement better workaround to allow nonPRC 3D output in the absence of the movie15.sty package. Rename unitcube to unitbox. Define surfaces unitplane and unitcube. commit a11ac7d619bf15c9ade7661519814172df3119c1 Author: John Bowman Date: Fri Aug 22 23:59:35 2008 -0600 Define pen thin=linewidth(0). Use thin pen by default for mesh lines and skeletons. Generalize revolution constructor based on a graph. Use operator .. in hyperboloid example. commit 207f2d6bf5be358f2949bbdc5fca55db4f535266 Author: Orest Shardt Date: Fri Aug 22 17:47:12 2008 -0600 Fix logo3. commit f7573e67c6c3d1b65551f3b291216481afb8bcfa Author: Orest Shardt Date: Fri Aug 22 17:44:20 2008 -0600 Fix logo3. commit c870f00968b792a0c61a688d2972d8a48d74d9b7 Author: Orest Shardt Date: Fri Aug 22 15:44:28 2008 -0600 Add 3D logo. commit 92df46fa4db0237c2511f627ee2cfa69ce1eba53 Author: Orest Shardt Date: Fri Aug 22 14:21:48 2008 -0600 Improve debugging output. commit 6ebe46c87e42ef22c1e88aa2d04ccbdf9910e18c Author: John Bowman Date: Fri Aug 22 12:35:50 2008 -0600 Use curved slices in solids; reduce the default value of nslice to 12. Standardize solids interface. Fix determinant of align and transform3. Use larger sphere fuzz in tube. commit 83f125398f6f857054569db99512ba0d3f9d7fd2 Author: Philippe Ivaldi Date: Fri Aug 22 08:28:54 2008 -0600 grid3.asy: set default value axis in routine (x/y/z)axis3. commit 7fca21059f9d2d9a2d89778f6eacea74b1de88f3 Author: Philippe Ivaldi Date: Fri Aug 22 08:18:27 2008 -0600 grid3.asy: Renames (Left/Right)Ticks (Left/Right)Ticks3 for consistency. Remove an unnecessary parameter. commit c8146e82c886e7e5691b6842466f436a5b1a8e83 Author: John Bowman Date: Fri Aug 22 01:40:52 2008 -0600 Fix yaxis3 placement. Fix 3D Arc and Circle. commit 7db52703cde3155efa2ce2eed0f8a524f2b4ad90 Author: John Bowman Date: Thu Aug 21 21:09:26 2008 -0600 Add PRCVersion. Work around compiler bug in gcc-3.3.5. commit d62fb8642129bb4d34844728cd1dbc8f21bc9b77 Author: Orest Shardt Date: Thu Aug 21 18:54:51 2008 -0600 Add test for straightness. commit 21ba9cf29583e4baa406cb01e94a2f7ad5603d7b Author: John Bowman Date: Thu Aug 21 09:54:29 2008 -0600 Use unit normals in circle and Circle. commit 661565780cc9b816aa5785e1f7da8408e0c5cc25 Author: John Bowman Date: Thu Aug 21 09:44:34 2008 -0600 Suppress page numbers for TeX engine; also suppress hoffset and voffset in inlinetex mode. commit c86a28332ca26f76ac47abc85a1f2a041952803f Author: John Bowman Date: Thu Aug 21 09:43:15 2008 -0600 Set straight only if no internal patch points are given. commit 902ec3ab6901d6b365edf4b4d2659aa6a1523194 Author: John Bowman Date: Thu Aug 21 03:48:06 2008 -0600 Increase Fuzz to sqrtFuzz in min(surface) and max(surface) C++ routine. Expose granularity parameter to PRC surface drawing routines. Put PRC surface pens and parameters in a material structure. Add straight flag to surface. Speed up thick line drawing by optimizing straight case. Optimize align(triple) and implement its inverse, called transform3(triple). commit bf1a4f5d240e06f134f746d324e47e6cf548c4e7 Author: Orest Shardt Date: Wed Aug 20 22:12:16 2008 -0600 Add check for -X direction. commit e3d6c0b0a8e7862826b6fc85185eb266ee71cf9f Author: John Bowman Date: Wed Aug 20 20:31:24 2008 -0600 Add hook for thick line PRC support. commit c41b0dd60bc8ff3baf506028769117f33f7b47f0 Author: John Bowman Date: Wed Aug 20 17:30:04 2008 -0600 Make linewidth(0) draw the thinnest line supported by the output device. Redefine nullpen to linewidth(0)+invisible. Remove duplicate code. commit 883cb57bca8fbc8f1b7b42543c495c5494cf2f67 Author: John Bowman Date: Wed Aug 20 15:45:25 2008 -0600 Remove extra node from Circle. Add additional surface constructors. Fix transverse skeleton when angle2-angle1 < 360. Make contour3 return a surface. commit 2d191394180b19a0065f7bb3e9dc5f5575bf2bbe Author: John Bowman Date: Wed Aug 20 10:06:35 2008 -0600 Fix Circle and Arc so that they are consistent with circle and arc. commit f558c14315daf2e7fe4181f1751ea8a0362dc4f1 Author: Orest Shardt Date: Wed Aug 20 09:50:53 2008 -0600 Add 3d support for thick lines and arrows. commit 1205eab243d14b10b0ec06e934d836e499e24066 Author: John Bowman Date: Wed Aug 20 03:52:42 2008 -0600 Remove implicit casts from 3D to 2D objects (call project explicitly instead). Overhaul graph3 and grid3 to draw directly in 3D, keeping track of the picture bounds with an interface analogous to the graph2 routines (backwards incompatible). Update contour3 and solids to use new PRC-compatible surface drawing routines. Fix and optimize 3D fitting routines. Fix label bounds. Add functions XY(), etc., to force labels to be upright. Fix invert routine by adding missing shift terms. Make uptodate apply only to currentpicture. Add warn=true argument to solve routines. Simplify flowchartdemo deferred drawing. Move binary space partition code out of three.asy and into bsp.asy. Add operators == and != for real[][] and path3. commit 3ee40d06b68b7082d3f0bd190339eacbc0d398d0 Author: John Bowman Date: Mon Aug 18 01:39:15 2008 -0600 Fix align.is3D flag. commit e0dc3ef17525bfaf071a43826d8d8d52b80c4bee Author: John Bowman Date: Mon Aug 18 01:03:08 2008 -0600 Fix Label diagnostic. commit 4afeb46e9c984b712cbefb568c5b1020bbff0c02 Author: John Bowman Date: Sat Aug 16 12:43:32 2008 -0600 Use settings::outname instead of "out". commit 69507f82fb36dc8a4590e203297b344c53266a47 Author: John Bowman Date: Fri Aug 15 15:08:27 2008 -0600 Fix 3D label sizing. commit 0b5fc01e8e8f65f6a39f42301fc0e0e28045e81d Author: John Bowman Date: Fri Aug 15 14:57:09 2008 -0600 Add operators == and != for path3. commit a76c0951b5de7b43451814fc4f5b9faad55a5dec Author: John Bowman Date: Fri Aug 15 01:13:17 2008 -0600 Use currentprojection by default in min3(picture) and max3(picture). commit ee9b80648f19ae5a9f6b5b206a17b7876857ddfa Author: John Bowman Date: Fri Aug 15 01:02:58 2008 -0600 Remove width and height parameters from embed(picture). In embed(picture), avoid unused 2D bounding box calculation in final call to pic.fit3(). Add embed options to shipout. commit ea9694079a050e7d830d741945d5ab77e6cb2359 Author: John Bowman Date: Thu Aug 14 12:12:57 2008 -0600 Add drawer3 routine that works with pictures instead of frames. Make randompath(n) return a path of length n. Fix and optimize camera transforms. commit 655af38609bfaf91e61e71874138e5037e5b905d Author: John Bowman Date: Thu Aug 14 01:42:05 2008 -0600 Remove remaining "camera too close" messages (no longer needed). commit 2deae6857ebd44ab0b9a43c9849b1d41b49e6b71 Author: John Bowman Date: Thu Aug 14 01:28:15 2008 -0600 Reinstate add(drawer d) function. commit 5a6a1a5c9115b8b8b6785290d9084af15d78996a Author: John Bowman Date: Thu Aug 14 01:12:24 2008 -0600 Add path3 copy constructor. Automatically adjust camera so that entire picture is in front of camera. Add projection argument to shipout. Add min3(pic) and max3(pic) functions. commit 8f2da013574b71990d98eb06778fcfdda372f532 Author: John Bowman Date: Wed Aug 13 08:32:00 2008 -0600 Move projection and picture argument (for double deferred drawing) to drawer3. Fix duplicate calls to tensorshade. Re-enable surface transparency. commit 6cdca45ed0dd7312015b6e60eaa0fe8b15975458 Author: Orest Shardt Date: Tue Aug 12 12:47:25 2008 -0600 Optimize 3d reflection routine. commit be63e490786a206c62cdb4af30e09bf41da300e1 Author: John Bowman Date: Tue Aug 12 09:50:14 2008 -0600 Add realmult(triple,triple). Remove "camera too close" checks. Fix randompath; add randompath3. Add draw(frame,surface) routine. Allow align parameter of Label to be a triple. Make size(picture) return max(pic)-min(pic), as with frames. commit 222a3cab12ff9114fa52a227ed3faaa0409424d7 Author: John Bowman Date: Sun Aug 10 10:48:32 2008 -0600 Add general T[] sort(T[] a, bool compare(T i, T j)) function. commit 573e37cb623310e272858a2f65128b325e71de11 Author: John Bowman Date: Sat Aug 9 08:40:53 2008 -0600 Don't call surface mesh if meshpen == invisible. commit 0f23f79e9d07cbcde959199a6aeff9c88c2d1142 Author: John Bowman Date: Sat Aug 9 00:04:52 2008 -0600 Increase fuzz in min(surface,projection) routine. commit 767e21e544b3fe7352d398e39fb7f387a1ea2416 Author: John Bowman Date: Fri Aug 8 20:01:30 2008 -0600 Fix picture min/max functions. commit 3f8c1151ef1273b72d6ea8d27fd54c151fffcd62 Author: John Bowman Date: Fri Aug 8 19:53:22 2008 -0600 Fix PRC angle computation. Rename reload to pdfreload (now disabled by default); add pdfreloadOptions. Fix empty picture check in max/min. Move default 3d embedding settings to defaultembed3options variable. commit b0ec65b473aa24a1ffabbb82902bcefb99ea7292 Author: John Bowman Date: Fri Aug 8 02:24:25 2008 -0600 Fix empty tests in picture min and max routines. Fix projection in draw(surface). commit 93bcfd14f694222d414d8a4d26b8321284067479 Author: John Bowman Date: Fri Aug 8 01:57:04 2008 -0600 Compute PRC lens angle based on projected picture size. Support lens angle in viewpoint. Simplify embedprc options. commit 3759de7b679583a31118894d55075a46981581ec Author: John Bowman Date: Fri Aug 8 01:40:15 2008 -0600 Fix handling of null deliminted entries in split. commit 84a6f609c8e0e67fb037cace6fe194132e0cd9d6 Author: John Bowman Date: Thu Aug 7 23:28:33 2008 -0600 Fix scale and scale3. commit f42c1b7739e338f8ccb21d5df852ca180b23e7e5 Author: Orest Shardt Date: Thu Aug 7 11:54:41 2008 -0600 Optimize routine for rotation of axes. commit 2c9ed33e906d3cf5e0aa57445790e466e387b5b9 Author: John Bowman Date: Wed Aug 6 14:55:45 2008 -0600 Support meshpen in PRC mode. Avoid duplicate drawing due to inexact bounds. commit 01c5a0080e83e611a0cb5debf81c0907d6d42ab4 Author: John Bowman Date: Wed Aug 6 12:46:50 2008 -0600 Fix supplementary scaling routines. commit 4e64395903561ef7486ec179682b75f29ffb0914 Author: John Bowman Date: Wed Aug 6 12:45:43 2008 -0600 Fix projection transformations. commit 0b72327d31993adc1efe88955facfc1463f5805f Author: Orest Shardt Date: Wed Aug 6 09:53:23 2008 -0600 Fix uint32_t cast. commit daedf0162e1c4ea3829a1b8e616fd718e67b00cc Author: John Bowman Date: Wed Aug 6 08:51:30 2008 -0600 Cache return values of texpath. commit 0f4ea94250d087680f10a7a4d0b86e2aaf8a5341 Author: John Bowman Date: Wed Aug 6 08:16:37 2008 -0600 Apply submitted drawtree patches (Bug IDs 2031338,2031368, and 2031511). commit 714ae4d089cb954f0bc6bd0980a9c48a8f0a8ea0 Author: John Bowman Date: Wed Aug 6 00:57:49 2008 -0600 Remove obsolete call to aspect. commit 5b47296cd82f9f65497b67217ec2e57ec201286a Author: John Bowman Date: Wed Aug 6 00:47:52 2008 -0600 Temporarily revert change to allow svn builds. commit ecb402bacf5601c42ebd518501164228b6f7027b Author: John Bowman Date: Wed Aug 6 00:36:59 2008 -0600 Remove obsolete aspect ratio support from projection routines (use size3 instead). Move diagonal(... real[] a) to runtime code. Add support for alternative PRC materials in surface routines. By default draw 3D labels without lighting effects. Add extra options string to PRC embed functions. Add min3(pen) and max3(pen) functions (only a spherical pen nib is currenty allowed). Remove unused cap functions from plain_picture. Fully implement drawerBound3 routines. Fix transform3 initialization in Label. commit 9de76b20a8db18d9ea9f60ee74891c64bf3d0feb Author: Orest Shardt Date: Tue Aug 5 19:09:40 2008 -0600 Add support for materials in prc. commit 488767e5f7b07a89e6be170a0b5b8ad64c689c0f Author: John Bowman Date: Tue Aug 5 11:12:08 2008 -0600 Make reload load the document if not already active. Improve documentation. commit 901d4f700ef6f5e185cf331b09ad88ee5379f01e Author: John Bowman Date: Tue Aug 5 10:48:27 2008 -0600 Avoid arbitrary default values; set line width to zero since that appears to be the only value implemented by Adobe Reader 8.1.2 and 9.0. commit 309998ffdd956d628adc06785202738d63fd60b3 Author: John Bowman Date: Sun Aug 3 19:50:06 2008 -0600 Support ASYbase in texpath. commit 0ffc48041c612ce5d2e56557ecb69b66f38308c3 Author: John Bowman Date: Sun Aug 3 01:26:56 2008 -0600 Remove quotes from viewerOptions. Optimize piecewisestraight. commit e007b5a8754e64932088592e9f64d576c792d329 Author: John Bowman Date: Sat Aug 2 22:49:09 2008 -0600 Fix straight flag in drawprc. commit e07d8cc9d55e09a26e121fbb918eccd2d3348274 Author: John Bowman Date: Sat Aug 2 22:37:56 2008 -0600 Set straight flag on transformation. commit 1187a1667ce9cf1608e622b8883160d08cce0389 Author: John Bowman Date: Sat Aug 2 20:34:36 2008 -0600 Automatically embed option defaults into descriptions. commit 6e8b02403e60c611139434cfa5b149bb15757f73 Author: John Bowman Date: Sat Aug 2 18:01:40 2008 -0600 Only attempt reload if acroread process is already running; add reloaddelay parameter. commit 8d276fe6595dc91f0d0a0e62c2df506f9df7d25b Author: John Bowman Date: Sat Aug 2 16:18:12 2008 -0600 Add unitcylinder. commit 414782b6cd41885dd4cc39c2dacc4ff581b92f21 Author: John Bowman Date: Sat Aug 2 14:19:23 2008 -0600 Add code to automatically reload pdf files in viewer if settings.reload=true (requires manual installation of reload.js in ~/.adobe/Acrobat/x.x/JavaScripts/). Add psviewerOptions and pdfviewerOptions. commit 160a605a243191fca83ee05c870f7b8a643f0fd0 Author: John Bowman Date: Sat Aug 2 14:11:23 2008 -0600 Simplify solid line pattern. commit 4ed6ac0aac1d82ecb84678a769694ec38367c0cc Author: John Bowman Date: Fri Aug 1 16:59:59 2008 -0600 Fix -psimage -tex pdflatex. commit 21a5a0672220c4743065507eb33e95cb165b7d77 Author: John Bowman Date: Fri Aug 1 15:10:30 2008 -0600 Remove interfering comments; change psimage timeout to 60 seconds. commit c5141442715a3aadfd754fc5448d531d7867ed35 Author: John Bowman Date: Fri Aug 1 10:36:55 2008 -0600 Rename print.js to silentPrint.js; move all other Javascript commands to asy code. Check whether silentPrint is defined. Fix texengine(true). commit 046a88b4bd37306e0d0ecebbe429dd213a3ca51c Author: John Bowman Date: Fri Aug 1 01:58:03 2008 -0600 Add print.js; this should be put in ~/.adobe/Acrobat/8.0/JavaScripts/. Make -psimage give up on waiting for Adobe Reader to finish after 30 seconds. commit b78d73947601327af0a11e92bdd382f8396a6b18 Author: John Bowman Date: Fri Aug 1 01:43:50 2008 -0600 Add -psimage option to dump rasterized postscript image of PRC scene. Force texpath to use latex/tex engine even with -tex pdflatex and -tex pdftex; add texdvicommand to specify an alternative latex/tex to dvi program. Use correct output prefix for intermediate PRC files. commit 7fc7a09c48a5144cc52481165eaf5ebe73f6de30 Author: John Bowman Date: Thu Jul 31 22:23:29 2008 -0600 Remove bulge from unitcube. Implement nolight with boolean variable. Fix sizing of transformed 3D pictures. commit 8fd6b0873e9fbcc1576b9a6bf1241c5cdcd9f5af Author: John Bowman Date: Wed Jul 30 13:14:02 2008 -0600 Use portable constructor for BooleanVar. commit 25ef61001ed9899ec67d813f2d9fb3ceb478e3db Author: John Bowman Date: Wed Jul 30 12:59:23 2008 -0600 Move xasy.conf into ~/.asy directory. commit 22e5cc8c9eaffdd4d7d75e87c9d75fc101597353 Author: John Bowman Date: Wed Jul 30 11:02:46 2008 -0600 Allow separate 2D and 3D picture sizes. Use double deferred drawing for 3D projection to allow control of the 3D aspect ratio and also the width and height of the final projected picture. Remove obsolete cycle3 variable. commit 3bb43749d5c5ca8a475b98f51cff2fbe93d89410 Author: John Bowman Date: Tue Jul 29 16:56:42 2008 -0600 Typeset 3D labels onto projection plane by default. Fix roll computation. Add transform3(triple u, triple v) that maps (X,Y) to (u,v). Add solidcone. commit 323f2d45bd37156a4b4abdf240f001026925947f Author: Orest Shardt Date: Tue Jul 29 14:47:55 2008 -0600 Use cleaner icons. commit 41dc906cbf1b9cdaabcae254a1c44c03539849e1 Author: Orest Shardt Date: Tue Jul 29 12:40:49 2008 -0600 Fix typo. commit 5973e480d9fa04eaff3c8d0b6427672a04f60ea3 Author: Orest Shardt Date: Tue Jul 29 12:38:40 2008 -0600 Describe scene display parameters. commit e6cf737d99947537e211a0ded7ff33ee85feec10 Author: Orest Shardt Date: Tue Jul 29 10:30:42 2008 -0600 Do not freeze while waiting for external editor to close. commit 58725ca2426ded56c568739c3c19df9e6c44655f Author: John Bowman Date: Mon Jul 28 23:53:30 2008 -0600 Fix hang in surface bbox routines. commit e33a8771b9b2d14c1297c68d58f749bea56e8dca Author: John Bowman Date: Mon Jul 28 23:04:58 2008 -0600 Add unit cone. commit 1d18572e5681a912ccad4d8a26b05c0595b4f4a6 Author: John Bowman Date: Mon Jul 28 07:47:31 2008 -0600 Add support for path3 Labels. commit 8ea1129b09d97c7dc2256bc73a91cb1f0822f3ff Author: John Bowman Date: Sun Jul 27 23:09:39 2008 -0600 Fix generation of asy-keywords.el. commit 33386b3f64bb669c90a01e6e617c070c60b97e4e Author: John Bowman Date: Sun Jul 27 22:57:25 2008 -0600 Defer projection of 3D (non-prc) pictures until drawing time. Express currentprojection in terms of user (picture) coordinates. Add missing tensorshade functions. Add casts from object to label and object to frame. commit 02caeaea31659c23bd37b7ad7d43b3d949eba863 Author: John Bowman Date: Sun Jul 27 21:30:54 2008 -0600 Add locale() function to query/set current locale. Add locale string to format(string s, real x). Add string(int) function. Fix locale issues. commit d5d14abe253106269ddfc14c47364ca593572533 Author: John Bowman Date: Sun Jul 27 16:02:26 2008 -0600 Make string(real, int digits=realDigits) use fixed notation. commit ee69ce258d507924f18dd0e7563b7ebfd3f6122c Author: John Bowman Date: Sun Jul 27 00:12:38 2008 -0600 Add three-dimensional Label support. Support adding a three-dimensional frame to a picture (positioned at the origin). Remove three-dimensional add functions in favour of embed. commit d283edb251ce48f1ae6e725315125b72f0976794 Author: John Bowman Date: Sat Jul 26 18:22:39 2008 -0600 Rename surface.asy to three_surface.asy and light.asy to three_light.asy. commit 6876aae1ec52058ff36530fc225880132314cdba Author: John Bowman Date: Sat Jul 26 18:15:03 2008 -0600 Move surface max and min functions to C++ code. Fix three-dimensional label functions. Implement unitsphere as an 8-patch Bezier approximation. Add three-dimensional dot functions. Include surface.asy and light.asy in three.asy. Remove casts from triple to pair and triple[][] to patch. Fix surface normals. commit f76993c733c494f63052fee8650f2a0325a8388d Author: Orest Shardt Date: Sat Jul 26 08:14:27 2008 -0600 Preserve original path's direction for each new region created. commit 2df9113fb0760d067135027d79d0da53aefa30db Author: John Bowman Date: Fri Jul 25 16:53:29 2008 -0600 Fix removeDuplicates. Simplify uncycle. commit 7fc100ae6a07e36590bdc40fc58b896a3899c5cb Author: John Bowman Date: Fri Jul 25 15:38:43 2008 -0600 Use DBL_MANT_DIG for recursion depth limit. commit e7394489eec585a15358f2a1942233ec42a3d6af Author: John Bowman Date: Wed Jul 23 02:16:40 2008 -0600 Generalize picture to handle 3D objects. Rename surface to patch; implement a surface structure to hold an array of patches. Implement simpler, faster surface bounding box routines. Add -prc setting (temporarily set to false) to enable prc output. commit ad0b2823a741e2bdc1ff2ad0cecb92ba16c8f979 Author: John Bowman Date: Wed Jul 23 02:09:52 2008 -0600 Add randompath function. commit 80f81d13ed3bb8984183e431020ada1c7c2229eb Author: John Bowman Date: Wed Jul 23 02:02:59 2008 -0600 Fix height and width units. commit 20076a17a54128ea455d608a52a83cda9acb823c Author: John Bowman Date: Mon Jul 7 00:43:29 2008 -0600 Use bounding box rather than less efficient convex hull test in inside. commit cb11a56fdc8982ab5e88dfa24bdd13e3e74b4fb5 Author: John Bowman Date: Sun Jul 6 22:52:29 2008 -0600 Remove obsolete file. commit 8df94eb01841188da1e38f77073168c8dbe42683 Author: John Bowman Date: Sun Jul 6 17:23:42 2008 -0600 Support compilation of gc-7.1 with gcc-4.3.1 on FreeBSD 4.10-RELEASE-p2. commit 78ad79d4c0038a286eab64e138fd38ba65207ee7 Author: Philippe Ivaldi Date: Sun Jul 6 14:40:28 2008 -0600 Fix the documentation of quarticroots. commit 35a635d26382f0ccb9b552fc7bb824cb343c5233 Author: John Bowman Date: Sat Jul 5 22:21:50 2008 -0600 Minor optimization. commit 367e8ebd63efd180493a68a44eb56ec53c8c071c Author: John Bowman Date: Sat Jul 5 22:11:36 2008 -0600 Remove HAVE_TRIANGLE configuration. commit d5547e4ec09ec39499bcdc8300c226ed9307d524 Author: John Bowman Date: Sat Jul 5 22:05:42 2008 -0600 Port prc code to cygwin. commit 404a75f09df81099bdb9e973dd306111a636f0c7 Author: John Bowman Date: Sat Jul 5 14:11:53 2008 -0600 Port version changes to msdos. commit 31e3f4fafe9fae62ed71b74f3994eb8be7643bac Author: John Bowman Date: Sat Jul 5 13:47:51 2008 -0600 More version fixes. commit 14369b9cfc2fbc21951d3bcc41e14411cccc6e18 Author: John Bowman Date: Sat Jul 5 13:32:18 2008 -0600 Fix version.texi; cleanup temporary files. commit e04d51ef715883a69e1eae296e899f2da8c0a1d5 Author: John Bowman Date: Sat Jul 5 12:54:47 2008 -0600 Add prc dependency. commit bfdc8376f8e2b22b6cb58fa43b3cc71af5f1b084 Author: John Bowman Date: Sat Jul 5 12:52:54 2008 -0600 Create empty svnrevision.cc by default to force update. commit 2f80208862aa04acc1b869ba6be16466d3e4c0cc Author: John Bowman Date: Sat Jul 5 12:42:22 2008 -0600 Remove support for external triangle.shar.gz package now that Delaunay.cc is fixed. commit 1578efdf744d9881bc40a676bac6b848885e156d Author: John Bowman Date: Sat Jul 5 12:26:50 2008 -0600 Include svn revision in version strings. commit cd52c344b783552066e47d77855f1ba0e225cd8f Author: John Bowman Date: Sat Jul 5 11:08:28 2008 -0600 Fix supertriangle computation. commit 3a600d47091011a1a396cbbe73865685a03674ab Author: John Bowman Date: Sat Jul 5 01:32:21 2008 -0600 Add bezier triangulation routines (developed by Orest Shardt). Add support for filled fonts. commit 8422b776c2a1bb3b6e99ffd09eed39a57fad68b3 Author: John Bowman Date: Sat Jul 5 00:37:42 2008 -0600 Fix surface constructor to handle all four intersection cases. commit c2839ecad3c5bb6dea5450bc6765a99fc19eda04 Author: John Bowman Date: Fri Jul 4 15:35:03 2008 -0600 Generalize planar surface constructor to handle a single interior intersection. commit c5e611c89317048f58c01c6fca08420f5cd9c189 Author: John Bowman Date: Fri Jul 4 11:29:01 2008 -0600 Fix check in windingnumber for points on path. commit a4a9a9696f4460a31a0fc817873e72e6098cbc2d Author: Orest Shardt Date: Fri Jul 4 09:56:19 2008 -0600 Fix parameterization interval of PRCline. commit 3866af07751efe3def9fd837c80439b45e0778a0 Author: John Bowman Date: Fri Jul 4 01:09:09 2008 -0600 Add constructor for a (possibly) nonconvex cyclic path that returns an array of surfaces. commit ccb28f918c69c71aa3ea116690974a917add785f Author: John Bowman Date: Thu Jul 3 23:55:01 2008 -0600 Suppress output by size when picture is empty. commit 2a5ea45ee0b656e87e4d71b8ca5185a4fb2fbaf0 Author: John Bowman Date: Thu Jul 3 23:25:31 2008 -0600 Check for coincident subpaths in path.cc to avoid infinite loops. Define restricted int undefined to the the largest odd integer (returned by windingnumber for points on the path). Update documentation. commit 982ba5c059237d9cea33e4b10a699c85384498ce Author: John Bowman Date: Thu Jul 3 15:46:32 2008 -0600 Make windingnumber(g,z) return the largest odd integer when z lies on path g. Make inside return true for points on the boundary. commit 5b165379ca3eaba5cbcbc1be79de33d162d88440 Author: John Bowman Date: Wed Jul 2 15:03:55 2008 -0600 Revert to original version of cubicroots to handle the case where one of the first two roots is near zero. commit 9db5f20ac51580e1246da314b548940486db8c32 Author: John Bowman Date: Wed Jul 2 12:57:21 2008 -0600 Update example. commit ef2aed565e623ce114dc3b95b0e27f5012eabbfa Author: John Bowman Date: Tue Jul 1 22:29:10 2008 -0600 Minor simplification. commit 7f6e70feef498ff8850c3170ca092ce67948ff76 Author: John Bowman Date: Tue Jul 1 20:27:06 2008 -0600 Fix AsyPDF flag. commit a7ae860cfccad51f5ea1b68f41797c37b43ebc4c Author: John Bowman Date: Tue Jul 1 20:11:33 2008 -0600 Support clipping with tex and pdftex TeX engines again (broken since 1.34-26). commit fc997e3d2e29aff462512e06fe045ed3372e1c66 Author: John Bowman Date: Tue Jul 1 20:08:52 2008 -0600 Support xelatex. commit 019c0793143aa77f80ebaa7238b521bf7a614909 Author: John Bowman Date: Tue Jul 1 00:19:54 2008 -0600 Leave cubic root refinement to the user, to avoid potential root interchange problems. commit 9183d9faeb41cb12332b0e63c8d47a83060f60e8 Author: John Bowman Date: Mon Jun 30 22:27:13 2008 -0600 Implement robust inside algorithm based on conditional subdivision and robust orient2d predicate. commit 0ee41c80a2f20c06ac36ceec99df87f8c1b59439 Author: John Bowman Date: Mon Jun 30 17:51:39 2008 -0600 Add option to force PDF output. commit 24dbc91d612d00bea406763efba85f802ea3ee33 Author: John Bowman Date: Mon Jun 30 08:51:03 2008 -0600 Add side and incircle functions. commit ad7a5ca602f3ff77da61d8ecc6dd9b7af30b16b7 Author: John Bowman Date: Sun Jun 29 17:57:25 2008 -0600 Minor optimizations. commit d57cce192cc1c5a390d58c68bf7e3a07901844b2 Author: John Bowman Date: Sun Jun 29 16:33:57 2008 -0600 Correct typo. commit 8aeb44ff5525fdf55e4143b9b77205112b036e59 Author: John Bowman Date: Sun Jun 29 16:30:53 2008 -0600 Fix segmentation fault in default Delaunay triangulation routine. Use Shewcuk's exact predicates in Delaunay triangulation. commit b8d7d2e8f2ea5e5dfefade3caab02bb53d78b7fe Author: John Bowman Date: Sat Jun 28 23:16:00 2008 -0600 Fix incorrect array size documentation of Delaunay.cc that can lead to a segmentation fault. commit c9952eb8c85cc44da35821610563601c6289f6c0 Author: John Bowman Date: Thu Jun 26 00:01:50 2008 -0600 Minor optimization. commit 0ee04f17646c1de38a0ff508303f2c4d1b2a87e5 Author: John Bowman Date: Wed Jun 25 23:19:25 2008 -0600 Try to refine calculated cubic roots with Newton-Raphson iteration. commit 2ad1cec486027bc80ae21d1ba0b5b3f13b8f70dc Author: John Bowman Date: Wed Jun 25 22:40:12 2008 -0600 Simplify cubicroots. commit 4a7b065aa93db97935627739c00326760e7d4a58 Author: John Bowman Date: Wed Jun 25 17:00:22 2008 -0600 Replace ytimes by real[] mintimes(path) and real[] maxtimes(path). commit 9642646492c918276ac2f318c44e07e4c359288a Author: John Bowman Date: Wed Jun 25 16:24:22 2008 -0600 Generalize last fix to an arbitrary axis. commit e2610105e22d30b816c9bb381e411ca323405f93 Author: John Bowman Date: Wed Jun 25 15:04:03 2008 -0600 Handle degenerate cases. commit f06bc755f427058119162f162f1043e6363b67d1 Author: John Bowman Date: Wed Jun 25 00:38:12 2008 -0600 Increase fuzz. commit 473e70480321251eac19268682b7125cf06556b2 Author: John Bowman Date: Wed Jun 25 00:27:11 2008 -0600 Fix numerical resolution problem in windingnumber. commit dfe3717ab63b45d9417603fa1ed12c41ba57e745 Author: John Bowman Date: Tue Jun 24 23:45:50 2008 -0600 Fix relative vs. absolute fuzz. commit cc289caf34ad10914fed9c4d8e6fa4fed9e1fc41 Author: John Bowman Date: Tue Jun 24 23:03:37 2008 -0600 Adjust fuzz to fix remaining resolutions problems in windingnumber. commit bb8f1d22492b52bc0d67781556563402bbcc1053 Author: John Bowman Date: Tue Jun 24 22:36:22 2008 -0600 Reinstate deleted function. commit c13dd963a9146bfb4c185c3aea5ebe3f5314daec Author: John Bowman Date: Tue Jun 24 22:31:12 2008 -0600 Remove dir(path,real,int) since it is only needed internally. commit fdcf601224198de809d246db57de6c07d144ec76 Author: John Bowman Date: Tue Jun 24 22:20:09 2008 -0600 Reinstate old inside function. commit a207300ee6c5fe5ba269c3b32cca7b97df7d25e3 Author: John Bowman Date: Tue Jun 24 17:53:38 2008 -0600 Use lineintersections routine to implement inside. commit bf30f081e382e7c8be0a21aa7740efb40255ef41 Author: John Bowman Date: Tue Jun 24 10:35:12 2008 -0600 Fix windingnumber by using robust predir and postdir functions. Expose dir(path,real,int). commit d063ba0e8ec6ee997f97f6d7fd3d16e726437cd4 Author: John Bowman Date: Mon Jun 23 23:42:18 2008 -0600 Add real[] ytimes(path g) function to return times at which path g reaches its minimum and maximum y extents. commit 68dba699cbba078b15ac7eb7a019da3adb65715f Author: John Bowman Date: Mon Jun 23 22:40:14 2008 -0600 Consolidate bounding box code. commit ecf2d58e5f9978e892ce839ef76ba9b16cd4e696 Author: Orest Shardt Date: Mon Jun 23 18:04:57 2008 -0600 Correct handling of uncompressed files. Add enums to PRC.h commit 42788226294536aeacb5ad384b3dbf0c6eed2eab Author: John Bowman Date: Mon Jun 23 17:48:23 2008 -0600 Increase minimal fuzz in intersections. commit cca5841adf415573f09131f10bfca3cd59e5dd54 Author: John Bowman Date: Mon Jun 23 15:03:49 2008 -0600 Increase fuzz to improve detection of roots at numerical infinity. commit d372e260f74e03df30e5d06f5f5f33330598471c Author: John Bowman Date: Mon Jun 23 11:18:40 2008 -0600 User -dSAFER also for deconstruction into png format. commit 407a627a5d18b773739a9535b486b8a177dd7c49 Author: John Bowman Date: Mon Jun 23 11:00:40 2008 -0600 By default run gs with -dSAFER. commit 450e6baca04165268c9a3d6201fb9b7b67e162ed Author: John Bowman Date: Mon Jun 23 00:41:43 2008 -0600 Fix typo. commit c6b4740c7cae67a452bc2587106948668d648525 Author: John Bowman Date: Mon Jun 23 00:31:13 2008 -0600 Update link. commit 176d2bf970fcdb8b84c74c730b68176a8d433ff6 Author: John Bowman Date: Sun Jun 22 23:26:30 2008 -0600 Merge C++ intersect and intersection routines. Optimize intersection routines for paths containing straight segments. Add function real[] intersections(path p, pair a, pair b, real fuzz=0) to return all intersection times of path p with the (infinite) line through points a and b. commit 3cebe7e04213749fd8aff24514b71a98e2c38ce1 Author: John Bowman Date: Sat Jun 21 19:24:45 2008 -0600 Fix -listvariables. commit 54f25c1c47cf57223211c9a6cde1067ef3275275 Author: John Bowman Date: Sat Jun 21 14:46:23 2008 -0600 Use new intersection routines; handle degenerate cases. commit ba91a4a0fbca4fe8b013ff96b2796737a1133bdb Author: John Bowman Date: Sat Jun 21 14:36:53 2008 -0600 Use a process-specific currentpen. commit fb9a1be407eb4530c7a0522cf8e376bec91b858d Author: John Bowman Date: Sat Jun 21 12:24:39 2008 -0600 Update example. commit 7e3bc9afe99559d02e62060cc32b2eff8e520c90 Author: John Bowman Date: Fri Jun 20 22:49:58 2008 -0600 Fix roll parameter. commit a3a9791aaa03745c4d330db56aa68b8f618da00a Author: John Bowman Date: Fri Jun 20 19:34:56 2008 -0600 Rename intersectionsline to lineintersections. commit 7405937a0cbcb22ab0126eafa9fdd01851e96334 Author: John Bowman Date: Fri Jun 20 16:56:05 2008 -0600 Fix and standardize new intersection routines. commit 39b5991682267b647a5be9167f0da08b64f1269b Author: John Bowman Date: Fri Jun 20 16:12:09 2008 -0600 Improve intersection routines. commit 8e67614b18abf8d494d9c0059a03462d264e3744 Author: John Bowman Date: Fri Jun 20 12:04:45 2008 -0600 Fix front/back detection when rotating about a point. commit 0ce01dce66c71ef19576aa32a300d2564e764b6e Author: John Bowman Date: Fri Jun 20 10:41:31 2008 -0600 Move unitrand to C++ code to avoid dependency on stats.asy. commit 756229ed2e7a006a86858fa05bf4d14b9d507a22 Author: John Bowman Date: Fri Jun 20 10:23:21 2008 -0600 Implement improved version of intersections(point, pair p, pair q) that returns all intersection times with the (infinite) line through p and q. commit d0e1e48d8e3e4af0851d12df372b1a93cdede51c Author: John Bowman Date: Fri Jun 20 01:44:26 2008 -0600 Add routine to compute the intersection times of a path and a line segment. commit 2232265c4efb975d48af1abf1d4e49fb4326c863 Author: John Bowman Date: Fri Jun 20 00:38:55 2008 -0600 Distinguish between updatefunction (used for interactive mode) and exitfunction (used to clean up intermediate files). Don't force settings.outformat="pdf" in three.asy. commit 9abfe35d19f00a082d74c4203f4df401ecdbca32 Author: John Bowman Date: Fri Jun 20 00:07:38 2008 -0600 Simplify nodes(int). commit e08fa80e0385404c4aa369bb64721f86974e217c Author: John Bowman Date: Thu Jun 19 23:42:32 2008 -0600 Change path3 lift(path) to a constructor. Add constructors to surface.asy. Add example of 3D extruded label contributed by Philippe Ivaldi. commit ee1b7f936d02a0b940d7b8a3c9264f416a0efb3e Author: John Bowman Date: Thu Jun 19 22:38:42 2008 -0600 Remove granularity for improved rendering. commit e40f114bb061d80671e602500523e4f6063a08e3 Author: John Bowman Date: Thu Jun 19 15:43:45 2008 -0600 Replace axis call by explicit draw commands. commit 9bf478014f7a15d042c7c6c7e1132bd52047cce8 Author: Orest Shardt Date: Thu Jun 19 15:04:04 2008 -0600 Fix PRCbitStream::getSize(). commit 92647e99c1ded29b5b6e18d559bd344776ad4096 Author: Orest Shardt Date: Thu Jun 19 14:33:11 2008 -0600 Fix decompress(). commit a32f6380b98eb6fedc9e3025b5b6e9a4a75709c2 Author: John Bowman Date: Thu Jun 19 00:24:51 2008 -0600 Fix prc file count issue. Add preliminary support for 3d fonts. commit dee96c003870d0042deb3a35260fed64575971fc Author: John Bowman Date: Wed Jun 18 22:31:55 2008 -0600 Fix projection units. commit 33decaa2420313cb96d2138c11eab92cd6b3f0e6 Author: John Bowman Date: Wed Jun 18 22:12:40 2008 -0600 Add texpath support for alignment and transforms. commit c60cc1ee9480c8c4ddd38fcfb05a705796a09450 Author: John Bowman Date: Wed Jun 18 22:10:43 2008 -0600 Simplify reset. commit 8988b282978699b49e88a25d75b5eb6b81c096f2 Author: Orest Shardt Date: Wed Jun 18 21:00:40 2008 -0600 Fix teapot example commit b9f123de9a79311321d49a08e5a97101e97104ea Author: John Bowman Date: Wed Jun 18 15:17:02 2008 -0600 Avoid opening up an X11 window in texpath; use epswrite device instead. commit 3e4f4446091d06df048b77fc6928a8f4bb029efb Author: John Bowman Date: Wed Jun 18 14:56:22 2008 -0600 Add erase(frame) function. commit ce7f60c6873d3284b1b506d69f06ee604328db47 Author: John Bowman Date: Wed Jun 18 13:02:13 2008 -0600 Make texpath work also with sqrt, fractions, and arrows. Add pen argument to texpath. commit bdae929ff7456f6f140dde137b230a5fcd1520f8 Author: Orest Shardt Date: Wed Jun 18 12:51:32 2008 -0600 Use cm as units of camera properties. commit 32f251b38f548db605b824523050b902c880f367 Author: Orest Shardt Date: Wed Jun 18 11:05:14 2008 -0600 In PRC, always write at least 1 bit of user data. commit cae80ffcdeaec5cbe768a9621e2832c8573d795a Author: John Bowman Date: Wed Jun 18 10:20:19 2008 -0600 Fix formatting. commit c29cb9fd2b4053f46c77cfffe2385a798cd9fc91 Author: John Bowman Date: Wed Jun 18 10:18:11 2008 -0600 Add example of custom mark routine. commit 019788a364d8b80a1c84e284d7f9c37095319d82 Author: John Bowman Date: Wed Jun 18 09:45:35 2008 -0600 Move default currentpen argument to C++ code. commit 37fe2e5767e953bf39d434c7c09d271ee28e5c05 Author: John Bowman Date: Tue Jun 17 22:45:59 2008 -0600 Add boolean stroke parameter to shading (and clipping) routines to shading of (and clipping to) stroked paths. commit a73b07b29768d8e8922cb9d54d52d75efc311c55 Author: John Bowman Date: Tue Jun 17 22:08:40 2008 -0600 Add routine projection perspective(string s) routine to extract current camera parameters from cameralink (Viewpoint). commit a0e14768dac1463db30549ef4faaf39ebbe33985 Author: Orest Shardt Date: Tue Jun 17 13:02:33 2008 -0600 Resize and give the teapot a bottom. commit d0a4e60f6c1e15371d8880b367d377ae178a4fd7 Author: Orest Shardt Date: Tue Jun 17 12:09:30 2008 -0600 Use external editor to edit code. commit f2bf37a0f66d216009c542b2b308b289342ce69e Author: Orest Shardt Date: Mon Jun 16 17:21:07 2008 -0600 Remove unnecessary casts. commit 74e73921e42bfc6a2e71d49e5195be8855cdedf8 Author: Orest Shardt Date: Mon Jun 16 17:19:44 2008 -0600 Remove unnecessary casts. commit 3aebb8fdcb5fbd809b96168d45d6df20cb4fa077 Author: John Bowman Date: Mon Jun 16 13:29:25 2008 -0600 Fix and simplify texpath. commit 7e81e79113a8a0519b96b43ade388f9f8fc7015e Author: John Bowman Date: Mon Jun 16 11:11:55 2008 -0600 Use C locale for formatting embed arguments. commit 1fe8dbbf9792d601a4c10ef53032dc99a6f1ea59 Author: John Bowman Date: Mon Jun 16 11:08:31 2008 -0600 Add path[][] texpath(string s) routine to convert string into the paths that TeX would fill. commit c111c6a7272ce192e277b82a588912d8ab576ef3 Author: John Bowman Date: Mon Jun 16 11:06:41 2008 -0600 Add camera view link. commit 1972a971927ebe07efcebc12fe7b599c78bf3dab Author: John Bowman Date: Mon Jun 16 01:12:34 2008 -0600 Implement better fix for basealign bounding box bug. commit 0a1ef51442178feb8601dd5883c5de6632b4e53f Author: John Bowman Date: Sun Jun 15 17:08:11 2008 -0600 Fix bounding box with basealign pen. commit 4614dd3a78731786032ce032edfa6a70ddc56834 Author: John Bowman Date: Sun Jun 15 10:32:44 2008 -0600 Use static constant. commit 41c8952597ce8e1bd4a03710548564d7937990be Author: John Bowman Date: Sun Jun 15 10:30:17 2008 -0600 For orthographic/oblique projections, move camera further from origin. commit 8ba6d29ded55164d280c533d56f8554e21aff6ce Author: John Bowman Date: Sat Jun 14 10:12:59 2008 -0600 Minor diagnostic improvements. commit 917a8159772c3655f9a30b78d0abe35f8d386233 Author: John Bowman Date: Sat Jun 14 10:04:27 2008 -0600 Avoid dereferencing null function. commit 0d589b66ab74255064c2944dd8a679724acfb719 Author: John Bowman Date: Sat Jun 14 09:34:00 2008 -0600 Fix bug in face routines for orthographic and oblique projections. commit f3de3580086911764db9398e9b515573bc1b3bb8 Author: Orest Shardt Date: Fri Jun 13 17:54:42 2008 -0600 Fix IDs in PRC files. commit 0d1c41d959478fba4160627e30e1082d413c7f8b Author: John Bowman Date: Fri Jun 13 16:12:17 2008 -0600 Get PRC initial camera settings from projection. commit 9776ccfc40c6182d02447c1b934614593bf6e0e3 Author: John Bowman Date: Fri Jun 13 08:15:38 2008 -0600 Clean up temporary files. commit 8eff0d15bca50fe0c914c4cf7b1af4341ae5ccd0 Author: Andy Hammerlindl Date: Fri Jun 13 00:16:39 2008 -0600 Added semicolons. commit a9bb0091a5be8d6da421e80c0316c6dfaced0a0d Author: Andy Hammerlindl Date: Thu Jun 12 22:56:47 2008 -0600 Test access of shadowed variables by higher-order functions. commit 768a9ce6987778508cc84e4e9205b01ff2c6b05f Author: John Bowman Date: Thu Jun 12 22:53:27 2008 -0600 Add support for basic PRC operations (drawpath3 and drawsurface). commit 7a563a4026f3977cbba6d1b829a7211751afa952 Author: John Bowman Date: Thu Jun 12 22:50:22 2008 -0600 Wait for pdfviewer to exit before restarting it. commit 1878b4a8c01e7f846a0218c2bbd10a0596f8e5ec Author: Orest Shardt Date: Thu Jun 12 21:01:36 2008 -0600 Import code that implements support for saving 3D content to PRC files. commit c65204f2e7fe258b244b769f6911065fe1986e0b Author: John Bowman Date: Thu Jun 12 18:10:31 2008 -0600 Since Adobe Acrobat doesn't yet have a file-watching capability, kill a running pdfviewer so that a file can be redrawn in interactive mode. commit f7b8cd27b9cb8765d71b8fcf1d6057875269b0f8 Author: John Bowman Date: Thu Jun 12 10:00:47 2008 -0600 Make asymptote.sty work with the hebrew babel package. commit 2d7fea22b1f0985fe436087b9086e6c9c86cd5fb Author: John Bowman Date: Thu Jun 12 09:16:07 2008 -0600 Add example of downward-pointing logarithmic axis. commit 5f7145480ea60fd683c6c8bf3799042572d5a16e Author: John Bowman Date: Thu Jun 12 03:23:19 2008 -0600 Increment version to 1.44svn. commit fb06937f6dba11a658a56771153fd8986d62ab1a Author: John Bowman Date: Thu Jun 12 01:26:49 2008 -0600 Use international inch also in C++ code. commit a2159fe25921e7dec91b57c630d313698954bdb9 Author: John Bowman Date: Thu Jun 12 00:54:14 2008 -0600 Fix potential segmentation fault in store_history. Move uptodate=true back to the beginning of shipout to avoid a race condition. commit d719abe5c028f2aff2d2b4735bb470228cc1e171 Author: John Bowman Date: Thu Jun 12 00:14:14 2008 -0600 Add modules to redefine LaTeX named fontsizes to correspond to \documentclass[10pt]{article} and \documentclass[11pt]{article}, respectively. commit bf00af247e9d89e4425d66594eb4685231472348 Author: John Bowman Date: Wed Jun 11 15:45:16 2008 -0600 Use international inch conversion factor. commit ea890c4d3874b09bc617088a00ee228a6a9b5c60 Author: John Bowman Date: Tue Jun 10 08:14:59 2008 -0600 Add missing path3[] operator * (transform3 t, path3[] p). commit dc67938febe8c4317574b568fd02f6ac3c7419ac Author: John Bowman Date: Mon Jun 9 00:59:31 2008 -0600 Add optional support for Jonathan Shewchuk's more robust triangulation routines. commit 9474ea5ae10eb7a13cbce94be37de60c6ca07316 Author: John Bowman Date: Sun Jun 8 22:56:41 2008 -0600 Add interface for drawing contours on arbitrary nonoverlapping meshes. commit be71e97dd3937cbff0f077fffe1c0f287bf3ace2 Author: John Bowman Date: Sat Jun 7 22:36:27 2008 -0600 Remove transform return value from add functions in favour of user-supplied add routine. commit 957acf66cd561bcd3bb36f53583a8358b2153ec5 Author: John Bowman Date: Sat Jun 7 10:49:54 2008 -0600 Move draw(path[], pen[]) to plain_picture.asy. commit 29e7f51ffab71cb8cd31f3df70c35ec415b3cb27 Author: Philippe Ivaldi Date: Sat Jun 7 10:02:20 2008 -0600 asy-mode.el: add asy to regexp matching environments with indentation at col 0 for begin/end. commit d195ed234f5abd683c8801f819d48b6827012c41 Author: John Bowman Date: Fri Jun 6 12:18:07 2008 -0600 Remove "paths in concatenation do not meet" also from three.asy. commit c440bcb17349caf9383c7e3240ddb90eb7928b19 Author: John Bowman Date: Fri Jun 6 10:59:22 2008 -0600 Return the transform that maps source coordinates to destination coordinates in add and attach. commit 23ec1d32da754c400c706e8ea6d2c7770ee27992 Author: John Bowman Date: Fri Jun 6 10:56:10 2008 -0600 Move uptodate=true to runtime. Improve diagnostics about incompatible array lengths. commit 6f84918ef12c6f710d71c6bdf7af794b3692b780 Author: John Bowman Date: Fri Jun 6 09:52:43 2008 -0600 Make interrupts set uptodate=true to avoid spurious shipouts. commit 339e753c2f3d351c1ef372c5661a9c7411351641 Author: John Bowman Date: Fri Jun 6 09:51:37 2008 -0600 Fix secondary axis tick selection when automin=false. commit 1027a630c04d8242f270fbffe681dc8bb0c7d43e Author: Andy Hammerlindl Date: Thu Jun 5 15:45:47 2008 -0600 A preliminary proposal for how to defined Asymptote modules in C++. commit 0d4a0eeb383510e60b3b9ac9232113e2eee45702 Author: John Bowman Date: Thu Jun 5 08:58:18 2008 -0600 Allow precision setting to be queried. Write paths to the specified precision setting for a file. commit 3b5a173a2f18ffd46d224702d7041cfa9fb41fad Author: John Bowman Date: Thu Jun 5 08:35:35 2008 -0600 Add expm1 function. commit d7b09d6ccc177c046eb40729cea64852d93d0aa0 Author: John Bowman Date: Thu Jun 5 08:34:21 2008 -0600 Add labels to example. commit 9f514e148d9ad4e771e95fc8474689f7296902e3 Author: John Bowman Date: Wed Jun 4 22:28:22 2008 -0600 Always draw 2D axes below picture by default. commit 23687784eb8136c680bc575e5faaa031c43b2e7e Author: John Bowman Date: Wed Jun 4 21:00:36 2008 -0600 Simplify font variable definitions. commit b1ecdea289fe45a884bf9d62174e33169dd04a69 Author: John Bowman Date: Wed Jun 4 20:34:59 2008 -0600 Restore to correct initial font. commit d154fe783f4b8a0e68246d1c981983108fea48eb Author: John Bowman Date: Wed Jun 4 14:50:26 2008 -0600 Add missing # sign. commit 352b95fbcbde83c2100873428333c42833b96400 Author: Andy Hammerlindl Date: Tue Jun 3 21:54:04 2008 -0600 Removed matchCache entirely. commit 7049c58edd05e29d05a420e5863c0f813930afc1 Author: John Bowman Date: Tue Jun 3 20:14:07 2008 -0600 Handle undefined __GNU_C_PREREQ macros. commit d05f4d6b8db474012a020cadef63c05048c115b5 Author: Andy Hammerlindl Date: Sat May 31 05:55:05 2008 -0600 Disabled matchCaching dur to improperly handled cases. commit 9fa7f2b46ab2a4d2182b284fa2478392be786099 Author: Andy Hammerlindl Date: Sat May 31 05:54:24 2008 -0600 Ideas about unicode. commit 8e5a96428b9aad50a2a5f26bb7c7aad7fc128751 Author: John Bowman Date: Tue May 27 00:36:08 2008 -0600 Work around broken gcc-4.1.2 tr1 headers. commit f11c1186fa36c01c5bbe8f17ac7d53fa47022cca Author: John Bowman Date: Mon May 26 23:41:28 2008 -0600 Port to gcc-4.3.0. commit 1134015c605aeaa9c716e300bdaaa00781297872 Author: John Bowman Date: Mon May 26 15:09:53 2008 -0600 Add beginnings of an ode package. commit 54612197435b4c944be06179afd96f855d650705 Author: John Bowman Date: Thu May 22 01:02:23 2008 -0600 Make partialsum return an array of the same length as its argument (this is a backwards incompatible change). commit 4151c0858ef89f677f105a5cd62024ecc241aeb2 Author: John Bowman Date: Wed May 7 22:52:35 2008 -0600 Update to gc-7.1. commit 3d0927284d1feba4d7ebf1a1c6ec4d6b7d21cdbc Author: John Bowman Date: Wed May 7 22:50:36 2008 -0600 Return immediately for negative sleep arguments. commit 28729a6593b608c87ff01bc4abebe997716fdaa1 Author: John Bowman Date: Wed May 7 22:49:52 2008 -0600 Fix spelling of cardioid. commit 47ba791ced24f6f4b0a53d261f7565577f33082c Author: John Bowman Date: Wed May 7 22:49:21 2008 -0600 Update URL. commit 33a78d50b57103d1799c2b95ab2b8ff5d24b7dac Author: Orest Shardt Date: Mon Apr 28 17:39:58 2008 -0600 Update links to TeX resources. commit cdca5636da68747c65fdbf4a1ad5b13497ebb9b6 Author: John Bowman Date: Sat Mar 29 17:18:30 2008 -0600 Temporary fix for tick directions. commit aeb5c5a9c889d60ddd2dc3ac0fef63b534d5bc46 Author: John Bowman Date: Sat Mar 29 17:17:47 2008 -0600 Add missing index entry for array. commit 253ddb3249b9f7e85bc7035cca787874e513be0a Author: John Bowman Date: Sat Mar 29 17:10:46 2008 -0600 Simplfify examples. commit 1dbb7d413f5c5059d01ddc874b158753ce8cdcb2 Author: John Bowman Date: Sat Mar 29 17:08:57 2008 -0600 Improve bad string cast diagnostics. commit 973ea83a562502f902836cc07293aea9e902141a Author: John Bowman Date: Sat Mar 29 17:08:34 2008 -0600 Add drawing routines for guide[] g. commit f5b8a5fde57dbb1916a68b104de7c4f586ff0d6b Author: John Bowman Date: Sat Mar 29 17:06:54 2008 -0600 Add path[] operator cast(guide[] g) cast. commit a23bee0a918c2e49facf005c2c94f1c482d6e10c Author: John Bowman Date: Sat Mar 29 17:06:20 2008 -0600 Add draw(frame f, guide[] g, pen p=currentpen) routine. commit bcef90c405e0bd4eadef1cae4e41b3fe0cceac7b Author: John Bowman Date: Sat Mar 29 17:04:45 2008 -0600 Simplify definition of endl. commit 5e1ced1a1a427f102db12b1af9ef66cca091281f Author: John Bowman Date: Sat Mar 29 17:03:50 2008 -0600 Move title down slightly. commit 57f08e7a99c24f095155c4a0bf74e97ffd9cc40c Author: John Bowman Date: Sat Mar 29 17:02:59 2008 -0600 Add void beep() function; document flush output suffix. commit 210a2779be4611f9854b6b48f07c0d32bf47b96e Author: John Bowman Date: Sat Mar 29 16:59:31 2008 -0600 Add real[] operator ecast(string[] a). commit bdf817fc6daa43cab0399f03438983b95d77367b Author: John Bowman Date: Wed Mar 26 21:35:28 2008 -0600 Make tickmin a multiple of Step when automin=false. Don't override put=Above default for extended axes. commit 3df525c36624064a784a2dae7b32e4a3a533a115 Author: Andy Hammerlindl Date: Fri Mar 21 21:45:32 2008 -0600 Added array(n, value) function for making arrays of duplicates. commit efdeedfa21d989c7ec6e249105739af76b1407d4 Author: John Bowman Date: Fri Mar 21 09:56:10 2008 -0600 Force the default -D 600 dvips setting for proper label alignment (should have no other effect since we are not using bitmapped fonts). commit 3ba23cae223de6eda4bc3be6975e52c64bb5d578 Author: Orest Shardt Date: Tue Mar 11 21:58:22 2008 -0600 Fix handling of undo/redo while in bezier editing mode. commit e5c96b0445050e3894d40bc13102a8b91075357a Author: John Bowman Date: Tue Mar 11 08:45:01 2008 -0600 Force setdash when offset changes. commit d39b6bf8ffeaed671183ed633253c9292b6ebc37 Author: John Bowman Date: Sun Mar 2 17:19:55 2008 -0600 Make C-c C-c automatically kill a previous running Asymptote process without second-guessing user's intentions. Remove erroneous "Compilation errors,..." message generated by killed processes. commit 96134a7138bb45deb16ebeea24130a93c044375d Author: Philippe Ivaldi Date: Sun Mar 2 05:29:55 2008 -0600 Remove useless code in penimage.asy commit 4e3af91ce1ddcc1853c022f3e7cbfaaaab564b7b Author: John Bowman Date: Sun Mar 2 00:55:37 2008 -0600 Fix gradient. commit 1487f75fbb79143a2ae24c0db4a51fe63d971982 Author: John Bowman Date: Sun Mar 2 00:53:08 2008 -0600 Remove unused import. commit 1301e8134a26abe9727308e39ecc415d2be20171 Author: John Bowman Date: Sun Mar 2 00:49:23 2008 -0600 Improve one-dimensional vector field interface (this change is backwards incompatible). Support two-dimensional and three-dimensional vector fields. commit b4ba032503c86cb8292b34f41c81b0bc8ae7f30e Author: John Bowman Date: Sat Mar 1 18:14:38 2008 -0600 Add example of conditional surface and transparent splitting plane. commit f3d9bf2e97ac2271cca37f21a2bdda47842d964f Author: John Bowman Date: Sat Mar 1 16:38:14 2008 -0600 Implement conditional drawing of surfaces meshes over box(a,b). commit 66eebddd231e21da865cf0e9df34ed5169fa5f82 Author: Philippe Ivaldi Date: Thu Feb 28 05:42:32 2008 -0600 Update asy-mode-version value. commit 342b84ef3a0807ab5ce3fe18df0faf3483f55231 Author: Philippe Ivaldi Date: Thu Feb 28 05:40:49 2008 -0600 Fix critical bug in asy-mode.el: a new Asymptote compilation when a process was running erased the contents of some buffers. commit 027b52858861556cc5e12037c1ff2c9443cc5b85 Author: John Bowman Date: Wed Feb 27 01:25:25 2008 -0600 Increment version to 1.43svn. commit 1447cc01adb0a414ebf6c2182ffc67261e41844b Author: John Bowman Date: Tue Feb 26 23:57:08 2008 -0600 Project labels onto cube faces. commit 8d56775de2013b8977c6e91d157d9ea7e080d179 Author: John Bowman Date: Sun Feb 24 10:32:50 2008 -0600 Don't set sticky bit when creating ~/.asy directory. commit 9fbabd22a74377a0368373ff1830eea8430df812 Author: John Bowman Date: Sun Feb 24 02:18:00 2008 -0600 Add optional arrows to slopefield routines. commit 71660d1deb2a0b127d19057d6e171a2a601de2aa Author: John Bowman Date: Fri Feb 22 15:47:40 2008 -0600 Add routines pairs(real[] x, real[] y) and triples(real[] x, real[] y, real[] z) as a replacement for the obsolete routine dot(picture pic=currentpicture, pair[] x, pair[] y, pen p=currentpen, filltype filltype=Fill); commit fae5c47b53c181310f48923c84a7432a93dda1e1 Author: John Bowman Date: Fri Feb 22 15:11:07 2008 -0600 Remove ambiguity in scale. commit 7eaba4a7e73881f4ad8c6fb6b2efa8758b6f4441 Author: John Bowman Date: Fri Feb 22 13:12:12 2008 -0600 Use the exact derivative of the projection map to project a Label onto a given plane. Remove routine dot(picture pic=currentpicture, pair[] x, pair[] y, pen p=currentpen, filltype filltype=Fill); Add dot(real[] a, real[] b) routine returning the dot product of two vectors. Update documentation. commit 8b4b5f556068b8dc1c358e2380023cdf36fe71ec Author: John Bowman Date: Wed Feb 20 14:35:14 2008 -0600 More guide to path changes. commit 1b0837cc9fd6c26c2c073ea7942f7e9c0ad2290a Author: John Bowman Date: Wed Feb 20 14:30:54 2008 -0600 Minor optimization. commit 66f028e3ddb30f53da918a34665e97f652132e6f Author: John Bowman Date: Wed Feb 20 11:05:24 2008 -0600 Minor optimization. commit 2c30348bc4c5c690bb8100aeb6d35181d9023e4a Author: John Bowman Date: Wed Feb 20 10:53:48 2008 -0600 Simplify code. commit 0596ae2e0e671c999ba530f78ee3b0b27a8cd18c Author: John Bowman Date: Mon Feb 18 14:19:42 2008 -0600 Add fit argument also for nonglobal animations. commit 43c452a4cf07327afc3fd0e9f8c26ea334deedcb Author: John Bowman Date: Mon Feb 18 12:07:11 2008 -0600 Add fit argument to animation routines for adding an optionally filled bounding box to each movie frame. Add newpage(frame) function. commit b93fe4a70c9017ff184f1a53ebc205d436e1a468 Author: John Bowman Date: Mon Feb 18 10:54:28 2008 -0600 Remove unused shipout predeclaration. commit 7d96e60c78920b01057ed98fec08de69e1244f7a Author: John Bowman Date: Sun Feb 17 23:29:37 2008 -0600 Add missing explicit qualifier. commit 69f2ced5ccf41357f53c02e60b71e81ff9a27bde Author: John Bowman Date: Sun Feb 17 23:22:15 2008 -0600 Move definition of currentpen to C++ code. Add int inside(path p, path q, pen fillrule=currentpen) routine. commit cb2994e001b117a4a4e59592041ddb68ec7d7341 Author: John Bowman Date: Sat Feb 16 23:17:40 2008 -0600 Add routine for projecting a Label onto a given plane. commit 1a9da2027d2a553c9da08e29c369791400269024 Author: John Bowman Date: Fri Feb 15 10:43:04 2008 -0600 Fix missing ASYbase declaration. commit 8fd647e96c77710d904dbcd5ea6132c42a05114c Author: Orest Shardt Date: Wed Feb 13 20:21:00 2008 -0600 Fix bug in cancellation of text addition. commit 853850265626e15fd01330a794bc82ec8d58073d Author: John Bowman Date: Wed Feb 13 16:24:27 2008 -0600 Output TeX headers only when needed. commit 84d386a4ce6844c74fdc632b0ad0b21da419106e Author: John Bowman Date: Wed Feb 13 16:21:32 2008 -0600 Mention that transforms can also be applied to Labels. commit d6d464b64985bdb24a0efe48c4bc508ed3eff762 Author: John Bowman Date: Mon Feb 11 15:19:08 2008 -0600 Update two arrow example. commit 9b3ac4667a40ddb9278ff1c1e288327cec8481cf Author: John Bowman Date: Mon Feb 11 14:49:15 2008 -0600 Update documentation of arrowhead styles. Change guides to paths. commit a1df8af391ff6d0e4026fa6c3a3add30726f397a Author: John Bowman Date: Mon Feb 11 14:15:19 2008 -0600 Move documentation of colorless(pen) to a better place. commit f36f2b8361c7223233adf56f4cee046d1f3bb472 Author: John Bowman Date: Mon Feb 11 04:14:56 2008 -0600 Simply and generalize contour value selection code. commit f391e1cb59dc5038024a0c9f5e1eeae96e488458 Author: John Bowman Date: Fri Feb 8 22:58:31 2008 -0600 Make OmitTick do nothing when there are no major ticks. commit accc7ed704192adf8d5a529c40f4a85d9cf410fb Author: Andy Hammerlindl Date: Tue Feb 5 19:25:23 2008 -0600 Fixed typo in slice documentation. commit 89dba98f9ec82d098a5879730fadea5d74a80e3b Author: John Bowman Date: Tue Feb 5 10:01:26 2008 -0600 Avoid division by zero in uniform. commit 3321d9455ef90ee97f768938562ff22c15a875bf Author: John Bowman Date: Sun Feb 3 17:19:39 2008 -0600 Update documentation regarding ImageMagick convert. commit 849d9b02838570b95aa701399bd2f2ce636c93e3 Author: John Bowman Date: Sun Feb 3 17:13:17 2008 -0600 Make movie generate multipage pdf animations when format="pdf" and global=true. Insist on pdflatex in animation.pdf(). commit ad06a8362db44fa8157339841e327bc4b4177b55 Author: John Bowman Date: Sun Feb 3 17:08:56 2008 -0600 Catch bad casts. commit 1009155106bfb79fbf920c5a9a1b1913d6ec0c48 Author: John Bowman Date: Sat Feb 2 11:23:44 2008 -0600 Add casts between hsv structure and pens; reduce angle to [0,360). commit f5ecdd38a3a4cf7f6cde0082b9a68d99645ebab2 Author: John Bowman Date: Sat Feb 2 03:07:55 2008 -0600 Increment version to 1.42svn. commit 270d45cc07ed6be202740548e3460cf16a5a905d Author: John Bowman Date: Sat Feb 2 02:12:22 2008 -0600 Fix type conflict. commit b0d85d8859acb4dd6f7514f96269b1d33c3d5d23 Author: John Bowman Date: Sat Feb 2 01:05:46 2008 -0600 Add support for HSV colorspace. commit 621f260edc533f9ced6fc4984cd908a385fcfd28 Author: John Bowman Date: Thu Jan 31 21:21:25 2008 -0600 Minor edits. commit 075c48e7483fbaab787b4bff3be8d8ab1c45b959 Author: Andy Hammerlindl Date: Wed Jan 30 19:42:11 2008 -0600 Documented slices. commit f003b14f41ee970266a527ddf8255eee6b79c2ae Author: Andy Hammerlindl Date: Wed Jan 30 14:28:01 2008 -0600 Disallow A[5:2] and, for non-cyclic A, A[-1:] to play it safe. commit 609d55caaefb95be16383fdca5bc7e4a46f1530d Author: John Bowman Date: Wed Jan 30 13:24:17 2008 -0600 Change write to output nothing for uninitialized values instead of producing an error. commit 1fd3159d68d7afb253c6b44cc4c8ee50cd9c5f75 Author: John Bowman Date: Wed Jan 30 12:19:58 2008 -0600 Add uniform(real a, real b, int n), which returns a uniform partition of [a,b] into n subintervals. Fix comment. commit 75fbbe945ba00a7207c3816e8d7fd73dac11f73a Author: John Bowman Date: Tue Jan 29 18:53:40 2008 -0600 Store history line immediately after input (as well at exit, after stifling). commit 7fb3c67120d0191ff5b6071fa045491317f24133 Author: John Bowman Date: Tue Jan 29 09:23:30 2008 -0600 Add interface to simpson. commit 0665d10b2d3fe34f7243f2a3db1c087b30609c2f Author: John Bowman Date: Mon Jan 28 13:12:37 2008 -0600 Format. commit 0901dca35916a1a85d935b0f888eaa70396d32f8 Author: John Bowman Date: Mon Jan 28 13:11:43 2008 -0600 Move numerical routines to Mathematical functions section. commit 424dd7052001b15f6f57b0da35ee1268bf22435d Author: John Bowman Date: Mon Jan 28 12:38:09 2008 -0600 Make buildcycle return nullpath if less than two paths are specified. commit dcf34ff2cc982064b00dc5e673a9a2126f99660d Author: John Bowman Date: Mon Jan 28 11:56:44 2008 -0600 Fix typo in documentation of complement. commit f7d9ddabc9ef80d009e5f880d8a4de2f33dcc0af Author: John Bowman Date: Mon Jan 28 11:35:52 2008 -0600 Fix formatting. commit 18586c705f74c214f4d60b44d9f564212c80632d Author: Andy Hammerlindl Date: Sun Jan 27 12:05:40 2008 -0600 Implemented assignment to slices. commit 392074ca90dc8bc379b86e39840620c5ca31e7fe Author: John Bowman Date: Sat Jan 26 17:11:28 2008 -0600 Shred TeX transcripts after each call to drawLabel::wait. commit 3c04ace2e3285c356ee91fc03faecc4379532de0 Author: John Bowman Date: Sat Jan 26 16:57:21 2008 -0600 Output complete TeX diagnostics. commit 3434e16d2ea4b2fc32ede6c4710cfca7b5efea83 Author: John Bowman Date: Sat Jan 26 16:30:24 2008 -0600 Add blank lines between tests. commit 5f1be847debfa4a549ec961bb00996c00ee5264f Author: Andy Hammerlindl Date: Sat Jan 26 16:02:48 2008 -0600 Added null check for array slices. commit 5bcb67c87c7960dda4e3bc8ae3e446719b052d11 Author: John Bowman Date: Sat Jan 26 15:57:19 2008 -0600 Add array. commit cd1f0d3f6fa288b44391233d4b43932ca7967764 Author: John Bowman Date: Sat Jan 26 15:52:05 2008 -0600 Define complex exp, log, sin, and cos functions. commit 2d2c077d551cca549d04295eea745a5b0f7f657c Author: Andy Hammerlindl Date: Sat Jan 26 15:13:57 2008 -0600 Added array slices. commit 45d39c3a8d9332915ece4513d6a03b98872c8f08 Author: John Bowman Date: Sat Jan 26 11:19:22 2008 -0600 Fix file paths. commit fa4d57f8b5f26cb8fb7cfbd9df00efc2e155bbff Author: John Bowman Date: Sat Jan 26 11:14:03 2008 -0600 Remove dependence of non-PDF animations on animate.sty package by renaming animate.sty to animation.sty (PDF animations still need to import animate.sty). commit 2917d9cd47a4caa2ec96ab77a90287709310729c Author: Andy Hammerlindl Date: Sat Jan 26 10:18:56 2008 -0600 Report on error for rest args with default arguments. commit 3b3d6627a6cfba38e11e39830153d1f96978b14d Author: Andy Hammerlindl Date: Sat Jan 26 10:07:52 2008 -0600 Added virtual field A.keys for arrays. concat now take a rest arg. commit 5f88126092e73363d852ff8573d03cac61761d51 Author: John Bowman Date: Fri Jan 25 23:47:18 2008 -0600 Make xasy respect transparency with png xformat. commit 11cfe8261e6a9cd45e922a2a694b28f70ae3eb52 Author: John Bowman Date: Fri Jan 25 20:51:26 2008 -0600 Add drawpen argument to FillDraw. Handle nullpen when drawing arrows. commit f419e0fc124a1487b98e4c36c79831ada12ce073 Author: John Bowman Date: Sun Jan 20 12:58:45 2008 -0600 Store and make use of the bounding path in the object structure to allow connections to noncardinal boundary points. Add constructors to the object structure. Remove obsolete function for drawing boxes on pictures in favour of draw(Label,box). Add dir(explicit pair z) function so that dir(E) is a synonym for E. Update documentation. commit fb19c361b7e1185d22c63079502b9f1863ca452e Author: John Bowman Date: Sat Jan 19 22:28:43 2008 -0600 Add gamma function example. commit 864e65e94d727444a0c3123478b099a132b9a42a Author: John Bowman Date: Sat Jan 19 19:03:13 2008 -0600 Fix typo. commit 91199463ea13f80fa065d66f2194fbda6f28a8e5 Author: John Bowman Date: Sat Jan 19 19:02:16 2008 -0600 Improve buildcycle algorithm. Avoid numerical resolution issues by removing the "paths in concatenation do not meet" error. commit 04e020e6605b64d606d91b26446b8319325a7a27 Author: John Bowman Date: Thu Jan 17 17:29:08 2008 -0600 Add intersection count to node and value routines. commit a19be6b36b0293565e5be8316fdf516ab0470e43 Author: John Bowman Date: Thu Jan 17 17:24:27 2008 -0600 Update example to show how to specify all pen colours. commit ae1481f9b930d27f05564a2dedf4ffdf6012014a Author: Philippe Ivaldi Date: Sat Jan 12 11:53:17 2008 -0600 Fix typo commit 98e2c3eb93ca70fd24329774cfb664dd521f9092 Author: John Bowman Date: Fri Jan 11 22:59:03 2008 -0600 Determine whether unsplit slices are should be drawn as front or back slices. commit b770b4ff836330c71d1dac7038caed808fd588e9 Author: John Bowman Date: Sat Jan 5 12:59:42 2008 -0600 Increment version to 1.41svn. commit fca863691dd2a7cba64c4aaf2cd4e456b70b07d5 Author: John Bowman Date: Sat Jan 5 12:02:27 2008 -0600 Fix nurb-related bug in solid shading. commit 842a3f1261d30bdad98e0bcf8c4a3198beaf2042 Author: John Bowman Date: Sat Jan 5 11:40:31 2008 -0600 Fix PDF hatch width by disabling dynamics line width adjustment when producing pdf format. commit 969bea071468a36ef3a707c81c2d14bdeb0009bd Author: John Bowman Date: Sat Jan 5 10:50:59 2008 -0600 Omit control panel for second movie. commit 204640fad71c60e20420c0c7868e3f15960dc1fc Author: John Bowman Date: Fri Jan 4 22:08:35 2008 -0600 Increment version to 1.40svn. commit 325350659a2678ed008d5a4ebb72b37f5b75e47b Author: John Bowman Date: Fri Jan 4 20:48:57 2008 -0600 Fix inline embedded PDF animations. commit 356ab0f2172a5ae8130443f1c2647295cabb220e Author: John Bowman Date: Fri Jan 4 20:28:04 2008 -0600 Delete intermediate animation file unless keep=true. commit f48f0cc7f09236e5775871c39030bee58560940c Author: John Bowman Date: Fri Jan 4 18:53:32 2008 -0600 Use constructor to initialize animation. commit d02f55428e29bb44d1b06d79c6ad8afb02916165 Author: John Bowman Date: Fri Jan 4 18:23:54 2008 -0600 Increment version to 1.39svn. commit 96b57a131d19deebc84f85a1a6dcd2049823450a Author: John Bowman Date: Fri Jan 4 14:09:26 2008 -0600 Patch to support gcc-4.3. commit 7475cb84d621c8a61982db333e125823fb0bbb33 Author: John Bowman Date: Fri Jan 4 13:53:56 2008 -0600 Move inlinemove.tex to animations directory. commit 1a9d7aff510255ddf0f26c5f310912cd71fe8647 Author: John Bowman Date: Fri Jan 4 13:52:04 2008 -0600 Add argument global to animate constructor. Fix and illustrate inline animations. commit 26cf61ebcfbd55c922c2dde34e694f72846e7f25 Author: John Bowman Date: Thu Jan 3 22:13:31 2008 -0600 Fix ambiguous call to dot(triple[]). commit d43650f6d16d9fb3e4d0ddc50744869fa78ce1ba Author: John Bowman Date: Thu Jan 3 21:15:16 2008 -0600 Support and illustrate embedding of inline pdf files even in absence of [inline] asymptote.sty option. Use multipage mode by default in animate.pdf(). commit c7893eeb3a59a57448864986646b44bfa30437bc Author: John Bowman Date: Thu Jan 3 18:06:40 2008 -0600 Add constructor for animate. Update inline pdf movie documentation. commit 766fd6bf08b41aa47f0573ab64dbd25b103ebfbf Author: John Bowman Date: Thu Jan 3 17:44:30 2008 -0600 Support multipage and inline pdf movies. commit 1454b4566b4aea12277185e3bf95d373bd563b1e Author: Philippe Ivaldi Date: Thu Jan 3 07:59:26 2008 -0600 Fix TeXHead path. commit 1bf4a24c69724b7c2036187e9bf10c67cd2b746f Author: John Bowman Date: Thu Jan 3 00:17:36 2008 -0600 Document arrowhead styles. Rename arrowheadT to arrowhead. Add defaultfilltype to arrowhead. Fix direction bug in TeXhead. commit 1067c1e94097c7b80391998a0428994cfa78f731 Author: Philippe Ivaldi Date: Wed Jan 2 20:12:25 2008 -0600 Provide Computer Modern arrow head. commit 7662c29a905b31ff907910fb114f0d200c4715ea Author: John Bowman Date: Tue Jan 1 16:17:29 2008 -0600 Fix degenerate arrows. commit 6ef4751c7a67f389651557bbd4e2b59397676527 Author: John Bowman Date: Mon Dec 31 00:57:24 2007 -0600 Add arrowhookfactor. commit 3995f096e44ed51ef5fc3a398167bdf6aafcd232 Author: John Bowman Date: Mon Dec 31 00:50:21 2007 -0600 Support alternative arrowhead styles. Add SimpleHead and HookHead arrow styles (courtesy of Philippe Ivaldi). commit 94e73b59ec29229fdfcbab31f6fbf28ac65c4ed3 Author: John Bowman Date: Mon Dec 31 00:46:56 2007 -0600 Automatically reduce FillDraw to Draw for noncyclic paths. commit e48152f9ab707d255a31e094f6cae8d132eba8ec Author: John Bowman Date: Sat Dec 29 11:37:13 2007 -0600 Approximate nonuniform rational B-splines (nurbs) by adding additonal control points to Bezier curves (not yet optimal). Add operator &(path p, cycleToken tok). Update constructors in three.asy. commit e6cf05117c5c832bf234ac9f4acfe5c0155552ea Author: John Bowman Date: Fri Dec 28 12:20:30 2007 -0600 In autoformat, try to add an extra digit of precision. commit ad790766a21e1f85d924c7cd27ddb6256d1f1c17 Author: John Bowman Date: Mon Dec 24 10:42:05 2007 -0600 Handle output from xasy scripts. commit 85d94404c8867f790204a64445a115fbdd4fb07b Author: John Bowman Date: Mon Dec 24 10:06:39 2007 -0600 Have Makefile create symbolic link xasy. commit c0d837d3b193e411db8195007e481dd49433fadb Author: Orest Shardt Date: Sat Dec 22 21:34:02 2007 -0600 Remove need for access to GUI widgets from threads other than main thread. commit 319c53aa393f6f187d5994fd4f47eaa300ab69e8 Author: John Bowman Date: Tue Dec 11 20:01:47 2007 -0600 Add missing figures; remove duplicate line. commit 5db58c2ab9b5db1059eff00dd6e39b8bb6c3552a Author: Andy Hammerlindl Date: Mon Dec 10 12:29:34 2007 -0600 Clear the matchCatch after translating a module, for a modest speed-up. commit 8504b2b12ce9028d8146491f6375e87185b524fc Author: John Bowman Date: Sun Dec 9 23:37:42 2007 -0600 Add optional xlabel and ylabel arguments to axes. Make default xlabel, ylabel, and zlabel arguments of 3D axes routines empty strings. Document axes. Untabify graph3.asy and graph.asy. commit 021b820e636812a8f10cc986a689b4ee196dcb2f Author: John Bowman Date: Sun Dec 9 21:25:55 2007 -0600 Remove unused import. commit 7d109fd4de56e9eb9e5be7e0fe84e07e76e56203 Author: John Bowman Date: Sun Dec 9 17:47:07 2007 -0600 Improve graph and interpolation array length diagnostics. commit 51aeda2f2b10a981416760373819ea77723276f5 Author: Andy Hammerlindl Date: Sun Dec 9 15:10:02 2007 -0600 Resolve ambiguous expressions during interactiveWrite (with a warning). commit 8706cd7cb1cbc7bf5d5214a8004312924a296d04 Author: John Bowman Date: Sun Dec 9 13:15:32 2007 -0600 Implement -c (command) option and exit() command. commit f9d4dd9fd35dba1bc3a8af6fbc38ee92580e61b8 Author: John Bowman Date: Sun Dec 9 11:49:08 2007 -0600 Make read1, read2, and read3 effective only for the current array read. commit fc7724984928fcb5438c804c93f4d1f4547e26e5 Author: John Bowman Date: Sat Dec 8 20:22:01 2007 -0600 Output deconstruction errors to Asymptote Console window. commit 3743326dfa4517531e6830c780c3ad1218b652f5 Author: John Bowman Date: Sat Dec 8 19:16:19 2007 -0600 Handle unclosed begingroups in deconstruct. commit e7ec47ddc06f49296bfd7cdb3ce0266eb05baf43 Author: John Bowman Date: Sat Dec 8 17:37:22 2007 -0600 Add patch to fix several problems with Asymptote backend for pstoedit-3.45. commit 9a8a21225594ea559e60a5ffcdc189dce0f72fe3 Author: John Bowman Date: Sat Dec 8 15:17:13 2007 -0600 Ignore unclosed begingroups (to work around pstoedit problems). commit 3fa9cfc8cfc9398c532a66696177e99f804a66aa Author: John Bowman Date: Sat Dec 8 15:13:07 2007 -0600 Fix empty clipping bbox. commit 01c074e794942e9e7f6d99939cb9be8fedf273a7 Author: John Bowman Date: Sat Dec 8 11:43:45 2007 -0600 Show how to put a header on every page. commit a945de6cdff5da619b67a0da1361f84e520ea201 Author: John Bowman Date: Sun Dec 2 17:29:34 2007 -0600 Improve system gc detection. commit 7982bb03903011ef9d815663b9be57b0a4c7c43d Author: John Bowman Date: Sun Dec 2 11:58:15 2007 -0600 Document \\ -> \\ mapping of double-quoted strings. commit f3c872398182865ab86f8d539407116e6bf97f85 Author: John Bowman Date: Sat Dec 1 16:30:13 2007 -0600 Add default value of (0,0) to center. commit 751ef26e6441331a20c733c2ede1e93ca9e48129 Author: John Bowman Date: Sat Dec 1 16:24:03 2007 -0600 Add pen arguments to flowchart block routines. commit 53353a7061cb3a14bbe29748e2f0b0a84bff52cd Author: John Bowman Date: Wed Nov 28 02:28:22 2007 -0600 Increment version to 1.38svn. commit dbfb3b087153beead06ba3bb7aaaa96202279698 Author: John Bowman Date: Wed Nov 28 01:37:17 2007 -0600 Final Windows tweaks. commit f887aa3b30820f117a5eedb2c03ab6af54a86d39 Author: John Bowman Date: Wed Nov 28 00:05:09 2007 -0600 Remove min since intersections returns a sorted array. commit d22fe9b61925276c50f1d02e795d9eaa387a5063 Author: John Bowman Date: Tue Nov 27 23:41:59 2007 -0600 Document the -x option of xasy. commit 9447249d3b473e643fdd4c1940bc8dba0cb1fa70 Author: John Bowman Date: Tue Nov 27 23:30:09 2007 -0600 Remove debugging test modification. commit 10ed8b40ffe426fa310f8b95dc5116feafe0f2b0 Author: John Bowman Date: Tue Nov 27 23:28:13 2007 -0600 Update GUI installation documentation. commit 3694a2d73a5acd069a1cc2d760e4903600db4ac5 Author: John Bowman Date: Tue Nov 27 23:17:19 2007 -0600 Require Python 2.5 for MSWindows. commit 8a304ea770d0353e64e55807df90977cb459f285 Author: John Bowman Date: Tue Nov 27 23:10:43 2007 -0600 Add version of PIL-1.1.6 patch used for MSDOS. commit bf8152019b302c20f8004f2737f31dad216b66c8 Author: John Bowman Date: Tue Nov 27 22:51:27 2007 -0600 Output diagnostics from Asymptote in separate Tk window. commit d93ac8e965bb7043f8b0ded28dba9e170068d382 Author: John Bowman Date: Tue Nov 27 22:50:28 2007 -0600 Fix active Color button foreground. commit e550c42efb019bb8dc01a3a1469ffce47355541f Author: Orest Shardt Date: Tue Nov 27 18:16:40 2007 -0600 Correct acquisition of lock for colour change. commit 0a49d1c30af474856658ea7b10e94eb75f66354b Author: John Bowman Date: Tue Nov 27 17:23:59 2007 -0600 Add 's' scrolling option. commit aa640e61e64e607504d8059a3e6d7b5bbce8a4de Author: John Bowman Date: Tue Nov 27 02:01:27 2007 -0600 Configure xasy version. commit facbc7d3edab62e709daff555032af4e915aaad5 Author: John Bowman Date: Tue Nov 27 02:00:47 2007 -0600 Turn off scrolling when not a tty. commit 561fe4db56c52dd4777ddf72818d02eef7380f6a Author: John Bowman Date: Mon Nov 26 23:22:08 2007 -0600 Add function to calculate "optimal" number of histogram bins. commit e14fabf18e6241a76fd6b4545abc5093a063f8bc Author: John Bowman Date: Mon Nov 26 18:54:59 2007 -0600 Force outformat="pdf". commit 24e7460045ec96dbff4b3fe4c464ecde0d663009 Author: John Bowman Date: Mon Nov 26 18:54:03 2007 -0600 When determining base points of arrows, always choose the closest intersection points (in terms of arclength) to the apex. commit a3029de1fd8eddec158958869cfdb8281f4a08ce Author: John Bowman Date: Sun Nov 25 22:47:55 2007 -0600 Use a separate flag in indexedTransform to indicate GUI deletion, instead of zeroing out the transform. This produces clearer .asy output and allows deletion of objects to be undone, preserving the image transform, even after a deconstruct() (or by manual editing of the output code). Show asy diagnostics in console window. commit ae4301c408fa50d866a5c58a13254f63fa001e93 Author: John Bowman Date: Sun Nov 25 00:23:19 2007 -0600 Fix scrolling. commit d5a1e13305ec2ef5476f22ad68642ba95f779771 Author: John Bowman Date: Sun Nov 25 00:03:07 2007 -0600 Improve 3d tick default directions. commit 9e5878b08af4d44af61190cb5aa1b510721f3283 Author: John Bowman Date: Sat Nov 24 07:42:14 2007 -0600 Return empty secondary axis picture without warning. commit 8b6d1977cf10a5fb8f895d32ef1673aaffcb4ebb Author: John Bowman Date: Thu Nov 22 09:57:42 2007 -0600 Use unsigned long constant. commit 18fe2570cdb6e6d6faa7398e2d06665dfe5804c0 Author: John Bowman Date: Wed Nov 21 23:03:02 2007 -0600 Move existing releaseLock code, catching exceptions. commit c48aaeec7d7ef98ce4d9cffd750cb817bf9a59db Author: John Bowman Date: Wed Nov 21 18:56:01 2007 -0600 Add transform scale(real x, real y). Add marker dot(pen p=currentpen, filltype filltype=Fill). Add comma terminator. Fix dot(frame f, pair z, pen p=currentpen, filltype filltype=Fill). Update documentation. commit 80b0016f88662ea88a22e152c51a174ed7c68923 Author: John Bowman Date: Wed Nov 21 00:09:32 2007 -0600 Work around ghostscript limitations. commit c9114aaa6633625cd23259716b9c36258b338a9a Author: John Bowman Date: Tue Nov 20 23:42:11 2007 -0600 Ensure originalImage is always defined. commit b5ba12a2bb8b78cb5e0f70caea30d1487fada0f9 Author: John Bowman Date: Tue Nov 20 23:41:00 2007 -0600 Release lock before quitting to allow saving. commit f0f301ee37674d8df4d508139765b63387feec42 Author: Orest Shardt Date: Tue Nov 20 18:52:46 2007 -0600 Switch to selection mode after adding script item. commit a396ba6638109d04ab42594429185eff1705c9a9 Author: John Bowman Date: Tue Nov 20 11:26:25 2007 -0600 Re-enable local directory output check. commit 45066fe4d8bd4f398483a7e401fbade2fb88db92 Author: John Bowman Date: Tue Nov 20 00:00:56 2007 -0600 Fix output(s,update=true) and boutput(s,update=true). Fix segmentation faults for attempted operations on closed files. commit b31f66caad49ff668f0c22d523496e269d8e54c8 Author: Orest Shardt Date: Mon Nov 19 22:00:18 2007 -0600 Change zoom selection method to an OptionMenu commit c01836f9ec61bd0217d9d42649f6c916d9224242 Author: John Bowman Date: Mon Nov 19 21:34:47 2007 -0600 Escape ^. commit fbafcbe0c9cd0622107a25d10329fd3e354307c3 Author: Orest Shardt Date: Mon Nov 19 21:19:13 2007 -0600 Account for magnification during undo/redo of translations commit 192ab586ab9caa2a2d24f99ad98995213e0ef06e Author: John Bowman Date: Mon Nov 19 11:59:03 2007 -0600 Fix typo. commit 33aed5e78b70ef12e3d6a2d0a5c25fc41ab59c9f Author: John Bowman Date: Mon Nov 19 01:22:35 2007 -0600 Move xasy temporary directory deletion code into GUI. Avoid creating a second asy process if one already exists. Ignore ctrl-c interrupts from console. Move image file removal up one function level to avoid busy error under MSWindows. commit 2d1e6478e973e9e0bf2868cbcf8f25def7c16ed7 Author: John Bowman Date: Mon Nov 19 00:25:22 2007 -0600 Add Orest's latest fixes. commit 41fc3423e0284e049f3da096b7e71e87246114b1 Author: John Bowman Date: Sun Nov 18 20:29:19 2007 -0600 Add informational message about use of system gc version. commit 6ea171f7207998d6d24cfb82324cb40bad0aa0ce Author: John Bowman Date: Sun Nov 18 18:41:19 2007 -0600 Make configure use a system version of Boehm GC if recommended local version of gc isn't present. commit 5d98ffd60c7b8a57f7749cc51f7484a25f1d14f5 Author: John Bowman Date: Sun Nov 18 18:28:22 2007 -0600 Append generic configure instructions to INSTALL. commit 666d5a2a12a4c5f8097536a1f958d6e068e4bd40 Author: John Bowman Date: Sun Nov 18 11:02:49 2007 -0600 Put deconstructed files in a temporary directory (removed on exit). commit 47aaf8cba0f64678b56f08a408310dc66234b9eb Author: John Bowman Date: Sun Nov 18 09:54:43 2007 -0600 Move workaround for broken curses.h file to proper place. commit 748c5401c34ff4485c8f3f2133b03e79a9ae4808 Author: John Bowman Date: Sat Nov 17 23:59:59 2007 -0600 Fix secondary axis bugs. commit 0424ec5a5dceb6fc66d7b4ed0e110d32cfc4b51b Author: John Bowman Date: Sat Nov 17 18:03:34 2007 -0600 Fix ctrl-c. commit d19e7442ef512674980b4aa336ca07dfdf24624f Author: Orest Shardt Date: Sat Nov 17 12:47:31 2007 -0600 Provide a way to quickly close xasy from the command line. commit 66f3fc046aa9cdb7b7fd3e25bdbaed726ee30f8e Author: Orest Shardt Date: Sat Nov 17 12:24:42 2007 -0600 Fix bezier editor. Optimize undeletion of items from a script. commit e5a11867c05c469519bd1413ae7a95099ecaf2a0 Author: John Bowman Date: Sat Nov 17 00:12:28 2007 -0600 xasy scripts should put temporary files in current directory, just like asy. commit 994971d0a1ce209668104f8641bc3d88427c51b1 Author: John Bowman Date: Sat Nov 17 00:11:56 2007 -0600 Remove temporary image files. commit fd7bde8d9175b34d41eb26361b2148d5c6c00dc9 Author: John Bowman Date: Fri Nov 16 23:20:39 2007 -0600 Limit maximum number of command-line arguments to ghostscript; render in blocks. commit 24d7c2712f50789d7d76517eeaf056dee159d5ed Author: Orest Shardt Date: Wed Nov 14 22:10:57 2007 -0600 Improve handling of zoom slider. commit af154d06aa4d103cc2219480afcf9123c41e7468 Author: John Bowman Date: Wed Nov 14 21:25:31 2007 -0600 Move declarations. commit 4dd797153e256e8f9557fbfed0385d841f24d1cf Author: John Bowman Date: Wed Nov 14 18:52:35 2007 -0600 Remove unnecessary Tk_PhotoBlank call. commit 8b4fa52a9b8ba5b7ef079eaf12f866bb740d4440 Author: John Bowman Date: Wed Nov 14 00:53:42 2007 -0600 Add PIL_BACKGROUND and PIL_MAX_ALPHA_AREA environment variables for efficient alpha channel rendering. commit 49283a682e943ac7ede746d9afe8f51d58f6b4fa Author: John Bowman Date: Tue Nov 13 21:03:45 2007 -0600 Enable full alpha channel support only for objects of area < 10000 pixels, due to slow Tk alpha channel rendering. commit 07f0b56ae3b969af39abf5fee1c43d5abded1e58 Author: Orest Shardt Date: Tue Nov 13 12:48:04 2007 -0600 Prevent redraw of canvas when zoom handler is invoked but magnification is not changed. commit 23e83f68d846bc4548cd253a9e994c19196c8539 Author: John Bowman Date: Tue Nov 13 02:20:36 2007 -0600 A much better fix for PIL antialiasing and transparency that renders quickly. commit ca627126bd89f96989de930a3049cf89fed87fc0 Author: Orest Shardt Date: Mon Nov 12 18:57:08 2007 -0600 Fix rotation to take into consideration the current magnification commit c36784996337c369338e441633c4205345fa9b7e Author: Orest Shardt Date: Mon Nov 12 16:22:05 2007 -0600 Fix error in handling of magnification in scripts commit fb07c1c3e38daaff5997700abbbee199c160b2f1 Author: John Bowman Date: Mon Nov 12 15:50:58 2007 -0600 Use full precision constants. commit c444b66488de9511b74edbc4649173c984237e39 Author: Orest Shardt Date: Mon Nov 12 15:35:20 2007 -0600 Implement magnification option and zoom feature commit e7cf5e4432837cb3e16daf991a9f4a121f2f43de Author: John Bowman Date: Mon Nov 12 01:28:55 2007 -0600 Replace locale-dependent call to atof() with locale-independent lexical::cast(). commit edb09b23d5688abb9653ca1cf47fa866fd8d34f1 Author: John Bowman Date: Sun Nov 11 23:37:20 2007 -0600 Speed up GUI deconstruction. Make "png" the default value of xformat. commit f691c77aad9bd09ef9835c8f6871b600d29c6864 Author: Orest Shardt Date: Sun Nov 11 21:54:28 2007 -0600 Removed debugging information commit b8ee25d1d087cc339f194f3c685a3c524e770421 Author: John Bowman Date: Wed Nov 7 23:01:26 2007 -0600 Update intersectionspoints. commit 7ba2d08022f92e24275b4a19425bc44f923269d9 Author: John Bowman Date: Wed Nov 7 23:00:15 2007 -0600 Update documentation. commit 9583ff94f4abdbe20a9e57964875baad58b9fe41 Author: John Bowman Date: Wed Nov 7 22:35:19 2007 -0600 Fix bug in intersections. Add optional fuzz parameter to intersections and intersectionpoints. commit dc0ab50b96d1e8853fd81bcd150cf712c59d2352 Author: John Bowman Date: Wed Nov 7 22:03:14 2007 -0600 Add string[] split(string s, string delimiter). commit 4cfbb87b4627726d2c9cb82f0343e266015f7704 Author: John Bowman Date: Sun Nov 4 22:25:35 2007 -0600 Disable readline history when reading from a pipe. commit aabfeb99010b1b561e7c73cfa846b60d0b92d25d Author: John Bowman Date: Sun Nov 4 21:23:02 2007 -0600 Update discussion of MSWindows configuration variables. commit 1c56cdb459bdb211056748e4e3473b0a650ac4a9 Author: John Bowman Date: Sun Nov 4 21:13:34 2007 -0600 More windows installation fixes. commit 905cad8c932a8788a7611181d31ae042a0679a10 Author: John Bowman Date: Sun Nov 4 16:52:41 2007 -0600 Make interactive mode exit with a zero return code. commit c88c34591ffa6bc397987914885b8e5e20e7490f Author: John Bowman Date: Sun Nov 4 16:27:28 2007 -0600 Fix Windows uninstall. Remove hard-wired path. commit 97abc8fe2152ef82a5d807722d702e91891522cd Author: John Bowman Date: Sun Nov 4 10:48:27 2007 -0600 Add missing function. commit e92745417a027f1cdb46d165fb70fd2bad94788d Author: John Bowman Date: Sat Nov 3 16:50:29 2007 -0600 Add real[] abs(pair[]) and real[] abs(triple[]) functions. commit c4d2af3505ee392b9d0ad6871904dd93921a0102 Author: Orest Shardt Date: Sat Nov 3 12:24:00 2007 -0600 Revert change to example. commit 94876755d955c4dd32f37559c678f17e366c75bc Author: Orest Shardt Date: Sat Nov 3 12:05:23 2007 -0600 Prompt user before opening a file if current document was modified. commit 0e6b2b3e7f6f014a1f78bd176f815b87f4bd5c59 Author: John Bowman Date: Fri Nov 2 23:09:45 2007 -0600 Add windows installation fixes. commit 0d2e36675751c0a8db71e65f9e369cf55c8e3fd4 Author: John Bowman Date: Fri Nov 2 16:13:23 2007 -0600 Windows installation tweaks. commit 74e0d0cd5df704c7fd8ab03f349e562014246108 Author: John Bowman Date: Fri Nov 2 10:48:05 2007 -0600 Handle degenerate reference vectors. commit 0075ad14c3ab42375654663c4d657a233d39cf94 Author: John Bowman Date: Sun Oct 28 13:31:35 2007 -0600 Project all reference contributions in direction of maximum contribution, for numerical robustness. commit 72017f7c16e38929719fe4dcfaf87660b3925947 Author: John Bowman Date: Sun Oct 28 12:16:24 2007 -0600 Improve reference vector calculation. commit fb19b1223ae572d421e694d4241c6c65c985943a Author: John Bowman Date: Fri Oct 26 11:29:19 2007 -0600 Respect comments and double quotation marks in whitespace mode (just like cvs mode). commit e8cc7a2e8360cf3a51a579911760b836ea92fe6a Author: Andy Hammerlindl Date: Thu Oct 25 22:19:32 2007 -0600 Test for invalid defvals in rest parameters. commit e4162e78e3184911849a9d8187c430eedaa9670e Author: Andy Hammerlindl Date: Thu Oct 25 22:01:21 2007 -0600 Removed unused code. commit 9157206842acd8ede6c6290a098ed64561fcb0f1 Author: John Bowman Date: Mon Oct 22 10:38:21 2007 -0600 Re-enable automatic logarithmic axis coverage routine. commit 3a92d0fac132773d86f66f1213925b4aedef6d7e Author: John Bowman Date: Fri Oct 19 22:55:13 2007 -0600 Exit more gracefully under MSDOS when execvp fails. commit b5e41991c0a31687e8b750d0fdfff149e48044c2 Author: John Bowman Date: Fri Oct 19 21:34:04 2007 -0600 Implement firstcut and lastcut reliably in terms of a general cut(path p, path knife, int n) routine based on intersections. Increase the duplicate point detection fuzz. Automatically sort the array returned by intersections. commit f831060dd4cfef9b767dee05c3d5689937a2c116 Author: John Bowman Date: Thu Oct 18 15:03:38 2007 -0600 Add patch to avoid segmentation fault with gc-7.0 on out-of-memory error. commit f14d0b6e7448e8567e1c066f0eff7ef37835045e Author: John Bowman Date: Thu Oct 18 14:15:53 2007 -0600 Make history() return the entire stored interactive history. commit 6faa52d45246ff681560085b9d3f0bb42a1e2495 Author: Andy Hammerlindl Date: Wed Oct 17 20:04:02 2007 -0600 Fix adding of automatic semicolons to the history. commit 3ce0333e8749d984db50549f1cd2f54ee4a72d9a Author: Andy Hammerlindl Date: Wed Oct 17 19:59:11 2007 -0600 Fix default args for rest args. commit 8d273ded65db953c1f0830061e5fdea6f798959a Author: John Bowman Date: Tue Oct 16 22:05:12 2007 -0600 Add a routine history(int n=1) that returns the interactive history. Store auto-terminated lines in the interactive history. commit 3e82c2c50fa292781a2befc3c46afa35987409b9 Author: John Bowman Date: Mon Oct 15 09:42:00 2007 -0600 Try to use a smaller Step adjustment. commit a3451647eec45a5d2b4823663f8283cf1dbbaae2 Author: John Bowman Date: Mon Oct 15 00:12:30 2007 -0600 Fix Asymptote path for MSWindows. Make uninstall remove Xasy start menu shortcut. commit a186cc7f9dd113c2fabe9edd3c98cb16b3328a2b Author: John Bowman Date: Sun Oct 14 22:43:33 2007 -0600 Add Nullsoft installation script for MSWindows. commit 32db9170f83b5cf74589febea822cbc3310910e2 Author: John Bowman Date: Sun Oct 14 22:35:13 2007 -0600 Under MSWindows, look for asy files in installation path instead of in uninstall path. commit 6da69898626799d3bfad1e472665db3766418cb8 Author: John Bowman Date: Sun Oct 14 22:24:27 2007 -0600 Try to use at least two major ticks. commit c94d19a62f184771312678070421a6a0a13a9190 Author: John Bowman Date: Sun Oct 14 21:15:41 2007 -0600 Fix title(""). commit f1e3b46122846bb495c02d26c3d391b8c5c13681 Author: John Bowman Date: Thu Oct 11 12:22:12 2007 -0600 Increment version to 1.37svn. commit b87392a79cac3176f047387893845cb5c02179c7 Author: John Bowman Date: Thu Oct 11 11:31:34 2007 -0600 Fix bugs in tex(), postscript(), gsave(), and grestore() commands. commit 4a1e9077f30dd1017819d1d5e2ecd3488a3f7c7a Author: John Bowman Date: Thu Oct 11 03:15:48 2007 -0600 Increment version to 1.36svn. commit 2cc3a721455f91fdca5ae6042490c1e6aa0d941f Author: John Bowman Date: Thu Oct 11 02:21:31 2007 -0600 Fix numeric formatting of setdash arguments. commit 48cfbe4d7f99da1836d6fea1911ad3c8bf65d507 Author: John Bowman Date: Thu Oct 11 01:21:58 2007 -0600 Work around hang in intersect for nearly identical paths by adding some fuzz. commit 788117602481a0a89e5c159704bfef4e16e4a0ee Author: John Bowman Date: Thu Oct 11 00:44:58 2007 -0600 Increment version to 1.35svn. commit 03ef1f2dd0e9b79fc36772d4c2e860972f25e12d Author: John Bowman Date: Wed Oct 10 22:44:16 2007 -0600 Add Cygwin fixes. commit 31eefd4d3857b0fc9eeb34ee36dd362d6b0e5a6b Author: John Bowman Date: Wed Oct 10 15:17:31 2007 -0600 Update GUI documentation. commit 6275cee1287a0dfd35311d6276a519bc582a4495 Author: John Bowman Date: Wed Oct 10 10:59:03 2007 -0600 Make xasy a relative symbolic link. commit 7cd198607408c819e09bfa652ea2909f671dfe83 Author: John Bowman Date: Wed Oct 10 09:00:51 2007 -0600 Update xasy file name. commit f763966f44b977c17f78cc6a8b16a5187bd33d87 Author: John Bowman Date: Wed Oct 10 08:42:59 2007 -0600 Fix typo. commit fc3662f7c79eab71825c995fb96e15bdedb3b7de Author: John Bowman Date: Wed Oct 10 08:36:32 2007 -0600 Install xasy and associated files. commit ababea1854fe43a1d165a003b0a4251ea187357e Author: John Bowman Date: Tue Oct 9 22:12:51 2007 -0600 Update xasy location. commit 4f4ded526e6099b8b2408190591d4fd287d003cd Author: John Bowman Date: Tue Oct 9 22:00:32 2007 -0600 Remove obsolete reference to settings.deconstruct. commit 955c47c6d859c7a857147ce76d482fa53653281e Author: John Bowman Date: Tue Oct 9 21:43:53 2007 -0600 Replace opendot with filltype argument of UnFill to dot routines. commit 4884a568746d707dd424b3dfcf0b9c1e1344df25 Author: John Bowman Date: Tue Oct 9 15:51:51 2007 -0600 Remove intermediate eps files in inline pdf mode. commit 376a4be0b81b3fcea6a7a0d9c8ee07ec41c17eeb Author: John Bowman Date: Tue Oct 9 15:05:23 2007 -0600 Implement an improved, robust version of intersect. Implement intersectionpoints in terms of a new more efficient and robust intersections routine. commit 345de32960a08aef94f76e11bfc0239a172f421f Author: John Bowman Date: Tue Oct 9 15:01:41 2007 -0600 Add trailingzero tick format. commit 80d8ba197e620411729aec8e6ae6e2988508799d Author: John Bowman Date: Sun Oct 7 11:00:47 2007 -0600 Make 1.34-26 changes work with deconstruct. commit 5a47d0a9714054d19b8e774f0407e0f2eb220cc4 Author: John Bowman Date: Fri Oct 5 21:03:57 2007 -0600 Adjust defaultformat for axes to make tick labels unique. Add general trailingzero format string; update examples. commit 5db97dd5e0806f0550a03f36c6dca5403b92365c Author: John Bowman Date: Wed Oct 3 14:22:52 2007 -0600 Improve autoscaling of graphs for close minimum and maximum values. commit 0149f463202c63f414bd5f0144d0f1a7daebeb2c Author: John Bowman Date: Fri Sep 28 12:31:44 2007 -0600 Add example of opendot. commit 30bd682dde07cd1b3eb5b871c530e90ef53e214e Author: John Bowman Date: Fri Sep 28 12:19:18 2007 -0600 Add opendot routines. commit c899e161bc16fe731e9515aa4ba1929acaf14177 Author: Andy Hammerlindl Date: Mon Sep 24 21:11:00 2007 -0600 Changed global.back()-> to processData(). commit 4eaa1727e9a7e4e72fbffb36bf3618555da00c06 Author: Philippe Ivaldi Date: Mon Sep 24 11:20:27 2007 -0600 Defer hard coded commands and options to variables. commit b306d9c7ae185bf62931d835282e814c7c1204ef Author: John Bowman Date: Sun Sep 23 10:45:41 2007 -0600 Fix shipout bug. commit 9c0ad5c96e8c5cf06233b0e7d2432e214d10c2c8 Author: John Bowman Date: Fri Sep 21 10:17:43 2007 -0600 Remove obsolete -q option. commit ea214d26275c2038153b723368c82de1c5ca277a Author: John Bowman Date: Thu Sep 20 22:27:59 2007 -0600 Change default LaTeX font to package-dependent setting. commit 49a976c00b8eba6912cd07d08bbfa85f9932802e Author: John Bowman Date: Wed Sep 19 21:46:56 2007 -0600 Add modification of ncurses patch from mvid. commit 9a633a15cd6a196735c2dd70c42326e49158b145 Author: John Bowman Date: Tue Sep 18 00:10:58 2007 -0600 Avoid nesting capacity overflows in arctime. commit 98fbe3b5a82db6ac64b90b4c9011fe1628ebb1e2 Author: John Bowman Date: Sun Sep 16 20:57:35 2007 -0600 Add new magnification argument to shipout. commit c8254ef8e6546640a8bf2dbd8696572168bcc9d4 Author: John Bowman Date: Sun Sep 16 20:48:23 2007 -0600 Make reportWarning generate a warning message only. commit 4bf55cacf7cea227d314cc0addacb3b59a8ace9c Author: John Bowman Date: Sun Sep 16 20:42:53 2007 -0600 Ignore spurious final blank line when reading strings. commit 2b6f1ed2e728e3019b7d7fe51a2cc46f70a7a958 Author: John Bowman Date: Sun Sep 16 11:44:00 2007 -0600 Fix string csv reads. commit 1babff1085b49a6d234498d80024f13376a95f0b Author: John Bowman Date: Sat Sep 15 22:12:21 2007 -0600 Another comment fix for reading strings. commit 8c4b46cbe8576444eb9239b89322531169970281 Author: John Bowman Date: Sat Sep 15 02:42:12 2007 -0600 Fix example. commit 5f24bb57d0d77aa469d3dc322ec68a0f358df338 Author: John Bowman Date: Sat Sep 15 02:40:06 2007 -0600 Fix typo. commit 192b449209ca8a72ec1890ef029a448085354450 Author: John Bowman Date: Sat Sep 15 02:38:23 2007 -0600 Fix errors in documentation and FAQ. commit e51365a16cc03474c179cfe191008087cccd2b83 Author: John Bowman Date: Fri Sep 14 16:09:19 2007 -0600 Support comments when reading strings in cvs mode. Remove unused file. commit ab9eb1daf63ee6670390a3c937222870dfa32382 Author: John Bowman Date: Wed Sep 12 19:42:40 2007 -0600 Improve description of interativeWrite. commit 94a55d20dfde26954484b9da157f838c38ded005 Author: Andy Hammerlindl Date: Sat Sep 8 11:48:06 2007 -0600 Fixed syntax to allow expressions such as (x); Based on a patch by Orest Shardt. commit 2d320faddc0f743c7bc8bf26f309de70869a686f Author: Andy Hammerlindl Date: Wed Sep 5 16:53:51 2007 -0600 Added interactiveWrite option. commit 3b37adefe45a0fe16882cc5e21bc35f3997803e8 Author: John Bowman Date: Tue Sep 4 21:15:41 2007 -0600 Remove --enable-cplusplus option. Remove unused quiet option. commit 74cd6de443c34c6a37cce5d25f599890f04982e8 Author: Orest Shardt Date: Mon Sep 3 12:01:42 2007 -0600 Implement pen validation commit 3baf769670c61f611e2f6bdfd56755eaaf58bc5d Author: John Bowman Date: Sun Sep 2 23:36:10 2007 -0600 Make deconstruct close bboxout file. commit 3a91e4b10a34161daff8aa042e79c4d682f8d416 Author: John Bowman Date: Sun Sep 2 23:21:29 2007 -0600 Use indexedTransform constructor. commit 5fe7064890f65e40a5b19c25e43329d501fb994b Author: Orest Shardt Date: Sun Sep 2 21:01:09 2007 -0600 Make various bug fixes and improvements. commit 377a44d7fca914f6116cb0c6655f223876ce547b Author: Orest Shardt Date: Sun Sep 2 18:07:55 2007 -0600 Fix documentation request. commit 5911d1ee65db0187c4aa5ddb369175429e8a789d Author: Orest Shardt Date: Sun Sep 2 17:59:21 2007 -0600 Temporarily remove zoom control until feature is implemented. commit 75064e5ff4b5d22382b6ca82d71f48ba037ca8ab Author: Orest Shardt Date: Sun Sep 2 17:46:34 2007 -0600 Improved text in dialogs. Made the loading and saving of files specified on the command line consistent. commit 7e6381b9a659a56db2d9dabe1e2bc516ce0005bf Author: John Bowman Date: Sat Sep 1 22:34:02 2007 -0600 Standardize fillrule argument name. Add support for magnification. Remove unused code. commit f5a10edefe53c276e7fa1546f9e05c6f32c48d11 Author: Andy Hammerlindl Date: Fri Aug 31 20:16:17 2007 -0600 Fixed bug regarding permission lists of types. commit 9e8c5d63e7aba58dc7439fd272b3656d8b08e0e1 Author: Andy Hammerlindl Date: Fri Aug 31 20:15:41 2007 -0600 Corrected documentation. commit 343d697bc89fc2df9d5cce3bfe316918e52e0376 Author: Andy Hammerlindl Date: Fri Aug 31 20:15:16 2007 -0600 Made parameter name more descriptive. commit 0abbb7453f977e5e689a4363fca2d6bf2fb508d9 Author: John Bowman Date: Fri Aug 31 08:35:08 2007 -0600 Use unique keys. commit 08e24d5b904996f5a4d44906129423d024dab66e Author: John Bowman Date: Thu Aug 30 20:15:48 2007 -0600 Check for libcurses only if libncurses is not found. commit c2e2738b9148bbeb5ed91b041a149d06e33b75a2 Author: John Bowman Date: Wed Aug 29 13:56:57 2007 -0600 Use constructor for indexedTransform. commit 8a5bf5734476d80f7092185a5c49c06785fb1343 Author: John Bowman Date: Wed Aug 29 11:22:33 2007 -0600 Fix shipout when inXasyMode is true. commit 351668ee2daa92336da7ed7715a190a612576c2f Author: Orest Shardt Date: Wed Aug 29 09:15:31 2007 -0600 Fix logic for recognizing modified files. Correct the logic for querying user about exporting modified files. commit a264e87e1a9787f4d5b87a8b57bed3878852fd1a Author: John Bowman Date: Wed Aug 29 08:54:00 2007 -0600 Revert to gsave/grestore instead of clipsave/cliprestore due to pen caching assumptions. commit a626ac307bbfcb755732809dcec0cd38a5cf9c90 Author: John Bowman Date: Tue Aug 28 09:30:26 2007 -0600 Enclose tex clip within picture environment to avoid unwanted page breaks. commit 0aa8af84e3f16d0ee7c2cd0769c9a8f015083a75 Author: Orest Shardt Date: Mon Aug 27 15:48:38 2007 -0600 Prevent switching editing mode during incomplete drawing operation. Search for file with .asy extension if no .asy extension provided. commit 3a4df7dabf437b5d076402180c0f7db8ad78a2d8 Author: Philippe Ivaldi Date: Mon Aug 27 15:33:06 2007 -0600 markers.asy: compute golden mean in a static variable. commit 0387fb5da5f095d833108ddd14d0685ab18b9451 Author: Orest Shardt Date: Mon Aug 27 15:23:17 2007 -0600 Remove unneeded whitespace. commit 489f494bcea9bcfa324c9f2e32c852f1a307e5e9 Author: John Bowman Date: Mon Aug 27 11:56:33 2007 -0600 Rename patterns to currentpatterns. Remove preamble option from shipout for consistency with xasy. Make explicit shipouts with options work with xasy. commit cf6c8f2248e6ae21ea6a8ae826f9d0474d495387 Author: John Bowman Date: Mon Aug 27 10:33:40 2007 -0600 Rename xasy.py to xasy. commit b21e623118dd4113638aafe1e3f746a1f7436bbc Author: John Bowman Date: Mon Aug 27 10:24:23 2007 -0600 Update example. commit 5508f52a286ec4d49da60fd84d5c15490c3c26a3 Author: Philippe Ivaldi Date: Sun Aug 26 19:13:14 2007 -0600 marker.asy: uniformize marker sizes and notation. commit 516ff363207c9dd8d2cd5c478c27880b388379f3 Author: John Bowman Date: Sun Aug 26 15:40:25 2007 -0600 Explain how map is a special case of sequence. commit b08fb71bde104e3c1274a4b008f6fbda1713a6a5 Author: John Bowman Date: Sun Aug 26 13:28:09 2007 -0600 Fix documentation of map. commit 3e7ea0f51ddd4619c4cad9d6b5efb34dd68acac3 Author: John Bowman Date: Fri Aug 24 11:00:05 2007 -0600 Simplify logic. commit e704d1a6d00a5486093d2cca45c47d983246557f Author: John Bowman Date: Fri Aug 24 10:59:42 2007 -0600 Make asy -o /dir/ file.asy output to /dir/file.eps. commit f25c6597ee533083af25b199ad54f6c1b1493f86 Author: John Bowman Date: Thu Aug 16 08:23:05 2007 -0600 Add discussion of 3D generalization of Hobby's algorithm. commit 19b53099bb5583c7192e61a8d88e4913ea68b640 Author: John Bowman Date: Tue Aug 14 04:39:42 2007 -0600 Avoid evaluating function outside of [a,b] (due to finite numerical precision). commit c0abe1380e8aa2e9fa17037a88c00f39eb3c1a9a Author: John Bowman Date: Tue Aug 14 02:15:00 2007 -0600 Fix accent. commit dff77b74cee87bf917f14232b130accdc0a3d62c Author: John Bowman Date: Sat Aug 11 04:01:15 2007 -0600 Use \PackageWarning instead of \message. Update list of contributors. commit dc32ed7b66b6f1c588df49457e7e714164e1779f Author: Orest Shardt Date: Thu Aug 9 12:13:42 2007 -0600 Use askopenfilename() instead of askopenfile() Use asksaveasfilename() instead of asksaveasfile() commit ff037a273b0a8da0e30a31d6e3f6c0c5ef21b4f0 Author: Orest Shardt Date: Thu Aug 9 11:00:42 2007 -0600 Disabled tear-offs for improved crossplatform look and feel User is now asked about saving changes when closing a modified file commit c429589301537c5e49c95cf9c811cfff831bf766 Author: John Bowman Date: Thu Aug 9 02:59:28 2007 -0600 Remove old GUI transform support. commit 865d848b082faac6d4f00cdc0913d92615441c9c Author: John Bowman Date: Thu Aug 9 02:34:50 2007 -0600 Add -level option to specify PostScript level (default 3). Use more efficient clipsave/cliprestore commands with -level 3. Optimize printer stack use by pruning unneeded clipsave/cliprestore commands. Avoid nesting of clipsave/cliprestore commands when using UnFill. commit 8d07a22aa46ddf814cdaa633c448d2433d56436d Author: Orest Shardt Date: Tue Aug 7 11:26:04 2007 -0600 Changing the current pen's properties affects selected items commit 40048c0fe0b6bd391463ab84f3570638c9f4c107 Author: John Bowman Date: Tue Aug 7 03:24:10 2007 -0600 Compute pair^int by repeated multiplication, just like real^int. commit 06b5949d2cc85d70e3cfd0811cf705d8afcf8eba Author: Orest Shardt Date: Wed Aug 1 09:39:08 2007 -0600 Removed signals for xasy Switched from GUIop to xformStack in shipout() commit 5c7478245556a81d678b66e2ee49a180353112bf Author: Orest Shardt Date: Tue Jul 31 15:05:37 2007 -0600 Fixed bugs in undo/redo Allowed nested begin/end actionGroups in UndoRedoStack Added forceAddition option to drawOnCanvas Added exitXasyMode() to end of files Implemented undo/redo for single item in a script Implemented undo/redo for clearing of an item's transforms Implemented undo/redo for drawing and deletion of a drawn item Implemented undo/redo for modification of a drawn item commit 8f0fdd8dbb4443da7c31ae8e8c06af8b83774da3 Author: Orest Shardt Date: Mon Jul 30 15:09:11 2007 -0600 Added undo/redo for creation and editing of script items Added undo/redo for raising and lowering of items commit e663da444b6bc1a3f94c7db8277671921a7c8ccd Author: Orest Shardt Date: Mon Jul 30 12:12:29 2007 -0600 Updated headers Modified method for storing undo/redo information for translations Implemented undo/redo for addition and modification of labels commit 93322a02dd16526537f5eaecef606225f0de45df Author: John Bowman Date: Sun Jul 29 17:22:45 2007 -0600 Increment version to 1.34svn. commit 4d5a18c811ee847867902d4553290c4925c3ce5d Author: John Bowman Date: Sun Jul 29 10:25:12 2007 -0600 Fix interactive viewing. commit 2c5bf17ed0f4a2d805b84a946dcae789f78899af Author: John Bowman Date: Sun Jul 29 03:29:03 2007 -0600 Remove extraneous preprocessor definitions. commit a671404751ce001ef2ca619d7ae01d18dac048a1 Author: John Bowman Date: Sun Jul 29 02:36:43 2007 -0600 Add large file support. commit 9099bc38057450a5e1183e942d24ada30431d970 Author: John Bowman Date: Sat Jul 28 13:41:50 2007 -0600 Update list of contributors. commit f39eb8d3113030a3777abab069b17971651db7a8 Author: John Bowman Date: Sat Jul 28 09:53:06 2007 -0600 Open input files in input-only mode. commit e6c2ef521c795f58273d873dfad405ed7f78133e Author: John Bowman Date: Sat Jul 28 09:19:07 2007 -0600 Allow multiple invocations of labelpath. commit ca808b0649e3cff006e73fdae534097766f5848b Author: Orest Shardt Date: Fri Jul 27 14:57:14 2007 -0600 Handle case of script that produces no images. Remove keyboard bindings for main window when using script editor. commit 7c5db3faa9b555a50cd81755816bfe58ff96519d Author: Orest Shardt Date: Fri Jul 27 14:38:23 2007 -0600 Raising and lowering of script items preserves drawing order of all items in script commit ff64471302290d06a56d9e579e93d94a5c69be2e Author: Orest Shardt Date: Fri Jul 27 14:23:57 2007 -0600 Fixed handling of deleted items. commit 342434d25d682a7a8cad1bf139d2088e35ef3f76 Author: John Bowman Date: Fri Jul 27 14:05:08 2007 -0600 Work around old broken compilers. commit 44596544b2f62896a2d60a046e4eef1b96877ba5 Author: John Bowman Date: Fri Jul 27 13:13:41 2007 -0600 Fix conditional. commit 8a48b748d74dc52d5860f403414a0313251b1c9e Author: Orest Shardt Date: Fri Jul 27 11:45:34 2007 -0600 Improved handling of missing asymptote executable on windows commit fa8771204c3378f71da1fa2513cad7e15debfcdd Author: Orest Shardt Date: Fri Jul 27 10:37:56 2007 -0600 Error fixed commit 3f084166c5dea652fb4dccb97315d9134a7d2161 Author: Orest Shardt Date: Fri Jul 27 10:23:52 2007 -0600 Check registry to find asy installation on windows. Add browse button for asy path selection commit ccfe23837d0759e2e726103fffd05b26f147df68 Author: John Bowman Date: Fri Jul 27 10:02:28 2007 -0600 Restrict projection bounding box recursion to a depth of 16. Add teapot example. commit 2ae916421017adc0b6654c1a6b98e9ae42596b6d Author: Orest Shardt Date: Fri Jul 27 09:46:58 2007 -0600 Syntax fix commit 585d78bfbd3b3db5ce1bd630bc9e2e75ff3f4748 Author: John Bowman Date: Fri Jul 27 05:24:13 2007 -0600 Upgrade licence to GPL-3.0. commit 1086bf459bc045c664f277d7c8d52432f1c724af Author: John Bowman Date: Fri Jul 27 03:50:46 2007 -0600 Add complex version of quadraticroots. Add quartic solver. Improve accuracy of cubicroots in degenerate cases. commit f22f92962a269614ea7e166caba5fefb082aab8b Author: John Bowman Date: Fri Jul 27 01:26:24 2007 -0600 Make min and max return (0,0) for an empty picture. commit 049160b1567c4a50a7dfec4535a793bed456d349 Author: John Bowman Date: Fri Jul 27 01:07:31 2007 -0600 Add cast; standardize formatting. commit 1a2c4145835825f5133f9b08e1e1224b9ee57122 Author: John Bowman Date: Fri Jul 27 01:06:24 2007 -0600 Add pair sqrt(pair) function (principal branch). commit ed0d195c14e24f155b1bcf8bcfc8cf072ec7b91e Author: John Bowman Date: Fri Jul 27 01:05:35 2007 -0600 Fix picture scaling. commit 4b00fbe6270ba161ee1481b38e7ff1b63f19dcb8 Author: Andy Hammerlindl Date: Thu Jul 26 09:17:38 2007 -0600 Edited comments. commit ef2ce85c3258b5ef011574f6afa9044c30489fe7 Author: Orest Shardt Date: Wed Jul 25 14:41:31 2007 -0600 Removed unneeded message commit ef44082e820bea38a8f346342a07ad8fdd082d2b Author: Orest Shardt Date: Wed Jul 25 12:50:30 2007 -0600 Fixed rotation of multiple objects commit 8bdee6a20399fef2cb5adf638a096143faf9364f Author: Orest Shardt Date: Wed Jul 25 12:43:59 2007 -0600 Corrected divide-by-zero handling commit c56d3c762babdee25f974634f9d3a2a2094a6636 Author: Orest Shardt Date: Wed Jul 25 12:27:37 2007 -0600 Fixed button width commit 59352469e407a869f3b3525d41370d505704a8d1 Author: Orest Shardt Date: Wed Jul 25 11:11:13 2007 -0600 Fixes for Windows support commit a5de675808ae3b699fe0c1d2d5825942cabd0e8b Author: John Bowman Date: Wed Jul 25 03:28:31 2007 -0600 Remove deconstruct() and gui() in favour of settings.deconstruct. Rename deconstructpic to deconstruct; standardize arguments. commit b268da28048455fa93a62489ce17d496c5ec7161 Author: John Bowman Date: Wed Jul 25 03:07:20 2007 -0600 Revert 1.33-91; update documentation. commit 73af8f210b428dfab4763067ef5f5964894e9965 Author: Orest Shardt Date: Tue Jul 24 15:24:08 2007 -0600 catch unnecessary exception commit 93fde433d8f8716cdd5e3043ea0df51a4eb26309 Author: Orest Shardt Date: Tue Jul 24 14:53:55 2007 -0600 Implemented undo and redo for shifts and rotations commit cd3e162381ba234aad44fd60c093ec68314d303e Author: Orest Shardt Date: Tue Jul 24 11:59:29 2007 -0600 Added skeleton for undo/redo operations commit b22ac1ebe39f1eb4c171e389ed68efaf765186ac Author: Orest Shardt Date: Tue Jul 24 11:58:58 2007 -0600 Added accelerators for menu items commit fa6cd244ae11b082dadb513698dc97b981d350f8 Author: Orest Shardt Date: Tue Jul 24 09:37:47 2007 -0600 Removed unneeded code; fixed export command commit 6dc7ffd7b5f6e59fc67ac892663e743a37a16a4e Author: John Bowman Date: Tue Jul 24 08:40:27 2007 -0600 Turn off readline editing when reading from a pipe. commit bb3f9064985651c2244413744ef56cb2fc4615ee Author: John Bowman Date: Tue Jul 24 03:51:06 2007 -0600 List multiple cubic roots individually in all cases. commit 8e30d4bd07cccbab8615291d904bb43b390c1180 Author: Orest Shardt Date: Mon Jul 23 14:08:12 2007 -0600 Additional parts for implementation of new deconstruction method commit be4bd6e4e13e79793a7c0f1576855b919d013bcc Author: Orest Shardt Date: Mon Jul 23 14:07:03 2007 -0600 Implemented rotation of drawn and scripted items commit 394a24db69248fdd56bc1db737b8dd45b5bfaf23 Author: Orest Shardt Date: Mon Jul 23 14:06:28 2007 -0600 Better parsing for script items commit eed3dc18f4761f37e8a967db84ab0385f81865b5 Author: Orest Shardt Date: Mon Jul 23 14:05:38 2007 -0600 Implemented new, cross-platform image deconstruction method commit acfeb6d23f030cc4b9e6ec416bfaf9528a4d1eec Author: Orest Shardt Date: Mon Jul 23 14:03:34 2007 -0600 Added deconstructpic() for image deconstruction by GUI commit 23d4ce1589592d9b19d1638d471b83c835085b4e Author: Orest Shardt Date: Mon Jul 23 10:31:28 2007 -0600 Various improvements commit 196e50571ea05191713c52a9318ece8bb51b9c45 Author: Andy Hammerlindl Date: Mon Jul 23 10:23:31 2007 -0600 Removed commented out code. commit 4a96f66c911483b536677803ac7a1d24dd2b7a4a Author: John Bowman Date: Mon Jul 23 04:06:01 2007 -0600 Change order of tests. commit bc8702d081b5d08b5533edc18a6e411358ddc603 Author: John Bowman Date: Mon Jul 23 04:04:25 2007 -0600 Detect roots near zero in cubicroots. commit b28193efbfc40b05c5f07a9c82dc75144ae5ce24 Author: John Bowman Date: Sat Jul 21 06:19:10 2007 -0600 Add Radoslav's bbox and bbox3 code for surfaces. commit 99700051cef605c1a6620e6c397cc0492aed1eec Author: John Bowman Date: Thu Jul 19 16:30:26 2007 -0600 Avoid potential uninitialized warnings with -finline-limit=400. commit 9edb7ce84ff4ca2ec7552f617db32ada59fbe30e Author: Andy Hammerlindl Date: Thu Jul 19 15:13:18 2007 -0600 Removed erroneous GC_DECLARE_PTRFREE specifiers. commit d0d35f2c8d4d2f22a2086d988022a63175b2e6c6 Author: John Bowman Date: Thu Jul 19 03:09:39 2007 -0600 Fix cxx errors. commit 9aa0935babeafd92da4e63764be00aa365a9a99d Author: John Bowman Date: Thu Jul 19 02:51:23 2007 -0600 Workaround broken texi2dvi installations. commit 484ba07ac520d8b1add27cf6c96305ac7cca0e1c Author: John Bowman Date: Thu Jul 19 02:17:03 2007 -0600 Trap quotient(intMin,-1). commit 40d6c962a759685d21f8cd70f1001bd90c84cb9c Author: Andy Hammerlindl Date: Wed Jul 18 22:28:58 2007 -0600 Made the NOHASH venv interface compatible with the optimized hashtable venv. commit 37425660c088766be9625f55b69e4c67f8b1cffb Author: Andy Hammerlindl Date: Wed Jul 18 21:37:52 2007 -0600 Added match caching and hashtable presizing optimizations. commit 04b9e380275f804d9dfa8bc65e3c7d06ac4adf41 Author: Andy Hammerlindl Date: Wed Jul 18 21:35:20 2007 -0600 Removed old code. commit 7495bd931d9d30fe73d8dfaffda6b1f64cd3092b Author: John Bowman Date: Wed Jul 18 17:13:02 2007 -0600 Fix page numbering of slide presentations with -u stepping=true. commit c2a76d97a4cca4325b00ff7a2ebf62260d688828 Author: John Bowman Date: Wed Jul 18 17:01:58 2007 -0600 Minor optimization. commit 4035590d60193fc98b0bfec1db8ebfc9d22dd8e9 Author: John Bowman Date: Wed Jul 18 16:39:08 2007 -0600 Remove further duplicate config.h imports. commit b6d3558daf474eb865fb7240bc87fb1267c0cb41 Author: John Bowman Date: Wed Jul 18 16:21:52 2007 -0600 Eliminate multiple config.h includes. commit 67462e2c08283dea13ff469a440f97c5db90e0a4 Author: John Bowman Date: Wed Jul 18 15:52:01 2007 -0600 More cxx fixes. commit df5f4bfbfa7b2d55ba1b0028b8668cd1d198aa5f Author: John Bowman Date: Wed Jul 18 15:42:41 2007 -0600 Fix cxx warnings. commit 6bfe300676c319119e106e3db0b703eb42b2836b Author: John Bowman Date: Wed Jul 18 15:18:25 2007 -0600 Work around missing definitions of LONG_LONG_MAX, etc. commit 53f618d8d624d926fa81cfa99052940ec32e860e Author: John Bowman Date: Wed Jul 18 14:41:30 2007 -0600 Move climits to proper place. commit c6aa8fba639f14657b79508906eee0f5bc346f20 Author: Andy Hammerlindl Date: Wed Jul 18 14:04:29 2007 -0600 Removed unused OP token. commit f09110dbb915f38232bfa0ba49f4d1d7167c4fed Author: Andy Hammerlindl Date: Wed Jul 18 13:29:57 2007 -0600 Changed arrowsize typos in documentation. commit 02536038d7f6513ac143b7d5a78be273a22190e5 Author: John Bowman Date: Wed Jul 18 07:37:15 2007 -0600 Avoid conflict with definitions in types.h. commit 684c472b6dd0913327d0b3ca39841c83415d8d21 Author: John Bowman Date: Wed Jul 18 07:25:15 2007 -0600 Work around quad_t vs. long long conflict on 64 bit machines. commit 3221c225a505b699ec36c3c168007bb1b98d5150 Author: John Bowman Date: Wed Jul 18 06:50:47 2007 -0600 Use LONG_LONG_MAX instead of LLONG_MAX. Add instructions for working around problems with old broken compilers. commit c01737efeb4ef95ca23c2adf54f50198ecfc6350 Author: John Bowman Date: Wed Jul 18 06:21:48 2007 -0600 Further portability fixes. commit c9b909e1e3be56888d7dec5a89538c3f360b78fc Author: John Bowman Date: Wed Jul 18 06:14:24 2007 -0600 Portability fixes. commit b2ca155dcc5e6e279c666f47832e67db2c0b063b Author: John Bowman Date: Wed Jul 18 05:50:11 2007 -0600 Change integer type to Int, which is set default in common.h to long long (typically a 64 bit integer). Add support for reading and writing 64 bit integers in binary and XDR modes. commit fe42bb6368110b595cf3de0f3ff3dc8005d21061 Author: John Bowman Date: Wed Jul 18 05:09:44 2007 -0600 Don't call locateFile with an empty file name. commit cc9594c8d01aded6aed8bb2fa408ce51ed1d9595 Author: John Bowman Date: Wed Jul 18 04:47:45 2007 -0600 Fix code for Bezier example. commit 4ab42cfa3da32e91ea28c6565445eabc9528618c Author: Philippe Ivaldi Date: Tue Jul 17 15:18:50 2007 -0600 grid3.asy: bug fix with perspective projection. commit f52e82d497ee1fde912586a887d48f9a810e03b2 Author: Orest Shardt Date: Mon Jul 16 09:35:44 2007 -0600 Fixed itemEdit index computation commit cd9388368834c6fccb78fb518df21932b4385410 Author: John Bowman Date: Fri Jul 13 17:50:11 2007 -0600 Change search path order: directories specified by the dir configuration variable are now examined before the directory .asy in the user's home directory. Ignore user configuration files during installation. commit 9f5593d688f356e2d7b53b1b4558b340ef39ff3d Author: Philippe Ivaldi Date: Fri Jul 13 09:03:59 2007 -0600 Bug fix in lasy-tags routine. commit ab212166f4effcd1a052b9e3f1efd1742a229b40 Author: Philippe Ivaldi Date: Wed Jul 11 12:30:03 2007 -0600 Defer the copy of LaTeX-mode-map to lasy-mode-map after all personal configurations was loaded. commit d81fee990b21f1f1ebe96bfb532ea00f66afe67e Author: Orest Shardt Date: Wed Jul 11 12:07:48 2007 -0600 Fixed verification of asy pipe creationy commit 20fa659d51a9290e117c7887a0d7a99125f4a59f Author: Philippe Ivaldi Date: Wed Jul 11 08:25:31 2007 -0600 Provide real syntax highlighting support with two-mode-mode for lasy-mode commit e12aeddf054965eaa9e2756cdbcc5c1a773dd2d8 Author: Orest Shardt Date: Mon Jul 9 15:42:28 2007 -0600 Implemented pen parsing for label commands commit 315431b2180215d1910c6a88d53f1a62bcc2efcb Author: Orest Shardt Date: Mon Jul 9 11:55:18 2007 -0600 Implemented raising and lowering of items commit d119a013aeb71c19731a508c5e236d946023956e Author: Orest Shardt Date: Mon Jul 9 09:54:01 2007 -0600 Remove unneeded module commit a215f07bc66eb0456b7d25b9cb9297ea1cfacb61 Author: Orest Shardt Date: Mon Jul 9 09:31:46 2007 -0600 Fix interrupted system call error commit be592ced5c326c5c99f7189c7ffc0d53a23b5b3d Author: John Bowman Date: Mon Jul 9 01:29:17 2007 -0600 Fix texstream destructor so that texput files are removed. commit 49d64b85ad9aded9a7f28ca48a2c57759884ac8b Author: John Bowman Date: Mon Jul 9 00:51:17 2007 -0600 Fix memory allocation incompatibility in workaround for old, broken readline libraries. commit e58ad2c2fd23da91fac3b74f5164808a198e11ab Author: Orest Shardt Date: Sun Jul 8 16:31:16 2007 -0600 Fixed horizontal and vertical motion. commit 08b2d63738cafda319c8a84811c3adf28cba9e5c Author: John Bowman Date: Sun Jul 8 16:02:53 2007 -0600 Add rainbow example. commit b97aad94f3a1ed3e8999c1446d0d2b857eef6ae9 Author: John Bowman Date: Sun Jul 8 13:30:11 2007 -0600 Standardize argument names. commit 6388bfe15c7fe4f40a7a4db3c5aa3ab26a6bad0a Author: John Bowman Date: Sun Jul 8 13:28:58 2007 -0600 Make framepoint (and truepoint) work even when an exact picture size estimate is unavailable. Add boolean argument to deferred drawing routines to allow optimization in cases where an exact picture size estimate is available. commit 1b843fa5045e0b9f58587e4a909444d8635e8875 Author: John Bowman Date: Sun Jul 8 10:22:17 2007 -0600 Allow writing to file specified with -o /dir/file.eps again. commit 98718bd22185b3e9775d9ddca9e63e41dbc6039d Author: John Bowman Date: Sat Jul 7 11:09:58 2007 -0600 Don't reset options after reading configuration file. commit a363cb5945ab03c6ec1abbb5612adf3d32e84939 Author: Orest Shardt Date: Fri Jul 6 21:38:51 2007 -0600 Improved selection mechanism commit b22eabeb71ea04c83cf2fae16015fc1e64d4dbd8 Author: Orest Shardt Date: Fri Jul 6 20:40:09 2007 -0600 Shipouts inside a script no longer interfere with the rest of the document commit 24b4733a6668551fce6c5fc5ea1876bee99b4a2b Author: Orest Shardt Date: Fri Jul 6 18:23:04 2007 -0600 Rename menu entries. commit 2ba6de8350fe44a3440d743c7cf9d752701fd42a Author: Orest Shardt Date: Fri Jul 6 11:10:24 2007 -0600 All labels now deconstructed. Dialogs improved. Fixed duplicate image reception. commit 4e356218f9024fa295da285f3284cf6618f840c3 Author: Orest Shardt Date: Thu Jul 5 15:59:40 2007 -0600 Various improvements commit 4c16dfe7042d9213c66d5fd76bb5a39567c38b68 Author: Orest Shardt Date: Thu Jul 5 15:58:43 2007 -0600 Implemented validation for asy path commit d252319b12998c08f414dc87290ff7b86243db93 Author: Philippe Ivaldi Date: Thu Jul 5 08:36:39 2007 -0600 Minor edit. commit 31f2ac1f97ad807bb7b7bcdea8104bc51feaf757 Author: Philippe Ivaldi Date: Thu Jul 5 07:51:32 2007 -0600 asydef environment content routine uses region instead regexp matcher. Cleaning code. commit cc49a3d40add05bfeca684a75594218fb319f205 Author: John Bowman Date: Wed Jul 4 21:47:39 2007 -0600 Add configuration file loading diagostic. commit 4c9f54802278b6c6e346f69ad384973ed527c979 Author: Orest Shardt Date: Wed Jul 4 18:59:22 2007 -0600 Improved handling of default pen commit ddc78730447e8f34399fc33b0d69282656bd396f Author: Orest Shardt Date: Wed Jul 4 15:49:27 2007 -0600 Fixed docstring commit b8509259097fd3d187a74b0ad41afa5ccd291d1f Author: Orest Shardt Date: Wed Jul 4 15:48:42 2007 -0600 Implemented storage and retrieval of user preferences commit b625d6c5eb5553c9d422c0cc65a280e447249afd Author: Philippe Ivaldi Date: Wed Jul 4 15:36:24 2007 -0600 Write temporary file with region instead of regexp matcher to avoid Stack overflow when compiling a long file within lasy-mode. commit 88ee7632e70b6417a6da160f12266bc6344fa62b Author: John Bowman Date: Wed Jul 4 06:44:17 2007 -0600 Remove completed item. commit db4efd57c4a00f3d4a75cd34ccec83fe44e50115 Author: Orest Shardt Date: Tue Jul 3 16:02:32 2007 -0600 Selecting an item clears the highlight box commit b69d4d409b31f9a84f769c976799764d88bae816 Author: Orest Shardt Date: Tue Jul 3 16:00:01 2007 -0600 Improved handling of already-transformed shapes commit e0da8a2bfdbcaa619973c77df9e3cde2b40f592e Author: Orest Shardt Date: Tue Jul 3 15:25:22 2007 -0600 Fixed incorrect entry in xasyColorPicker commit 30e27ea65ca173679f1e05684bde707134e53f2a Author: Orest Shardt Date: Tue Jul 3 15:21:36 2007 -0600 Improved bezier editing and integration with xasyMainWin commit da060b79e4da279c7daa9d9e8847c344677ccc4e Author: Orest Shardt Date: Tue Jul 3 14:39:42 2007 -0600 Added ability to graphically edit the nodes and control points of a bezier curve commit d6b2e473af81f366e95aa6009f782468c61e18be Author: Orest Shardt Date: Tue Jul 3 14:38:15 2007 -0600 Faster computation of an upper bound for the bezier width commit 2cc213ba2b5e92343acf2a221c029ecae8c53032 Author: John Bowman Date: Tue Jul 3 10:25:49 2007 -0600 Fix --enable-gc-full-debug. commit 795688843fc5d97c3437703614729730823b072f Author: John Bowman Date: Tue Jul 3 10:13:53 2007 -0600 Update to gc-7.0. commit 4efb99a8788ce81891fbba42c073fd4a4099ab82 Author: John Bowman Date: Tue Jul 3 10:06:04 2007 -0600 Add reference to Java-style array iteration. commit d47bfa5fa7c4d1fa08fc196c2be964a5598c6359 Author: John Bowman Date: Tue Jul 3 09:56:07 2007 -0600 Minor edits. commit 85ba69f4073c0cefdee314140060c00737c2c1e2 Author: John Bowman Date: Tue Jul 3 02:24:02 2007 -0600 Minor simplification. commit 65efdbd70eea2c161314e1aa02c3defd83b52b44 Author: Andy Hammerlindl Date: Mon Jul 2 18:32:57 2007 -0600 Added brief comment on extended for loops. commit b0c6f948c5fd6e86731ff30ed93d44bbc1544964 Author: John Bowman Date: Mon Jul 2 17:27:53 2007 -0600 Minor solve optimizations. commit 969a375d079222a94c255fb671d06b73da5cd4f7 Author: John Bowman Date: Mon Jul 2 12:14:51 2007 -0600 Fix memory leak in matrix multiply. commit b985420945a305dd23b762001212a2d8b6510dec Author: Andy Hammerlindl Date: Mon Jul 2 07:11:48 2007 -0600 Simplify extended for loop syntax. commit 47b56663f6d6c385be48df9315af508ba2ef7061 Author: John Bowman Date: Sun Jul 1 23:57:51 2007 -0600 Update to gv-3.6.3. commit 74c83940069561695b0d37f57e963fc689af5297 Author: John Bowman Date: Sat Jun 30 01:11:04 2007 -0600 More garbage collection improvements. commit 77c7be3d5cf9946f4980895261264a8581c55201 Author: Orest Shardt Date: Fri Jun 29 15:37:09 2007 -0600 Fixed syntax commit 32447a8674d2ee71f2bbb8425abbf71f2a31a59a Author: Orest Shardt Date: Fri Jun 29 15:30:29 2007 -0600 Checkin the code for the new GUI that is under development. commit 949ac77506fd75762ff8140f13a84be0e4cbec2c Author: Orest Shardt Date: Fri Jun 29 15:29:21 2007 -0600 Improved the xformStack implementation commit 5a0555f8b830f8cb1ca6286f00e333fc958beccb Author: John Bowman Date: Fri Jun 29 12:45:00 2007 -0600 Fix segmentation fault in complement. commit 6e680f0fbdb18f0982f69a37d8bd8c4329268801 Author: John Bowman Date: Fri Jun 29 02:00:20 2007 -0600 Increment version to 1.33svn. commit a6c037374d3727f1edc772235c47edafe892d3ac Author: John Bowman Date: Fri Jun 29 00:42:03 2007 -0600 More garbage collection tweaks. commit 637178c4f88c3bb2c7768043978af52bb5e5bad3 Author: John Bowman Date: Fri Jun 29 00:23:03 2007 -0600 Fix dependency. commit 6e795c1214befc7d2dfe4135ad9455a81e77c392 Author: John Bowman Date: Fri Jun 29 00:04:58 2007 -0600 Fix make install-all. commit df0fbfe97c5f78c301958e0c1bf6baf3731bafc5 Author: John Bowman Date: Thu Jun 28 23:15:34 2007 -0600 Declare drawverbatim to be atomic. commit 793d631c85af140f16fe907ae87c141d8cf0e351 Author: John Bowman Date: Thu Jun 28 17:20:22 2007 -0600 Fix bug in subpath. commit 0a3a730ae4c6bc87066fa453442c4a1c22eec1e0 Author: John Bowman Date: Thu Jun 28 12:13:02 2007 -0600 Allow cd() and cd("") even if globalwrite is false. Don't write cd path twice in interactive mode. Update diagnostics and documentation. commit 7184ae69bfa3e5848ef1c038105647ce538445cc Author: John Bowman Date: Wed Jun 27 12:09:17 2007 -0600 Fix GC debugging. commit 2c73d879f45bab5cdb1b9fdea0a86b04c5820461 Author: John Bowman Date: Wed Jun 27 11:22:17 2007 -0600 More garbage collection tweaks/leak fixes. commit c5ef7778a8995e21ea5465b4c21bae3d9fffd44e Author: John Bowman Date: Wed Jun 27 02:19:14 2007 -0600 Increment version to 1.32svn. commit 45724947378bcc555730acd7feea73739ef10174 Author: John Bowman Date: Wed Jun 27 00:47:19 2007 -0600 Fix segmentation fault in options processing. commit 5ab07e3d6e08376814a8d8379bca4f4629185c47 Author: John Bowman Date: Wed Jun 27 00:31:52 2007 -0600 Reinstate gc check. commit a9e498e514d7e5e215066a46856e27e8ea7340fd Author: John Bowman Date: Wed Jun 27 00:28:06 2007 -0600 Avoid makefile loops. commit 919890ae6a354669dcb69cc10d38db4965af6ec3 Author: John Bowman Date: Tue Jun 26 23:57:15 2007 -0600 Fix g++ warning. commit efd1d7983cfe16c00edac28321c2187406382f21 Author: John Bowman Date: Tue Jun 26 15:35:03 2007 -0600 Fix cxx warnings. commit 7f2ba53927bfce875c1ed0978eb53ef11de3037f Author: John Bowman Date: Tue Jun 26 15:20:11 2007 -0600 Fix nullpath3 min/max bugs. commit f4bac25045a05b4e8550aa65c8e772128fc1ddfa Author: John Bowman Date: Tue Jun 26 15:17:14 2007 -0600 Fix nullpath max/min bugs. commit b65d874d3d71b488af98e919cd5e5b5e3e79b6c7 Author: John Bowman Date: Tue Jun 26 14:49:05 2007 -0600 Minor path optimizations. commit 9c7a14e42f9187cdd8dc6a221503bf4fdf8e0002 Author: John Bowman Date: Tue Jun 26 14:18:05 2007 -0600 Further garbage collection improvements: move pointers out of pen class. Add bool ==(path,path) operator. Move defaultpen into global; changes to defaultpen in config.asy will no longer be remembered (use the autoimport mechanism instead). Make the identity transform a constant. commit 587d7b6d67c5df5f9a5e2571d36fd55e97bde981 Author: John Bowman Date: Mon Jun 25 17:20:00 2007 -0600 Avoid using a pointer in path class so that it can be allocated atomically by the garbage collector; this dramatically reduces memory usage. commit 70618a0a6877c1408315d47e22d0ee78295c047a Author: John Bowman Date: Mon Jun 25 16:57:22 2007 -0600 Fixed typo. commit 604854663ab4e8277281b836a8935712d7edc95d Author: John Bowman Date: Mon Jun 25 16:41:37 2007 -0600 Fix runaway asy process that occurs when tex pipe cannnot start tex engine. commit 42aeb1f1f09ed1caf2e10e581c84e7bd3d399c94 Author: John Bowman Date: Mon Jun 25 13:41:06 2007 -0600 Fix time without HAVE_STRFTIME. commit f802e0ec54590b9857d87a4d50fb9b34cfe1c446 Author: John Bowman Date: Mon Jun 25 13:39:30 2007 -0600 Fix default time and opacity arguments. commit b10fad39a2e46ff83dc8a3373d71dd907f208a9a Author: John Bowman Date: Mon Jun 25 11:21:36 2007 -0600 Fix minor typos. commit f9330564f1f442e87fe94ee4910847a4a40aceab Author: Andy Hammerlindl Date: Mon Jun 25 09:49:15 2007 -0600 Added Java-style abbreviation for iterating over arrays. Arrays of functions still not fully supported. commit 6f0502df0e18f330fb9945ba3df1aa0261b4b2e3 Author: John Bowman Date: Mon Jun 25 01:46:20 2007 -0600 Further garbage collection tweaks. commit 6fa70cec93fbbf3a86cef64120cbad8646e8f491 Author: John Bowman Date: Mon Jun 25 01:37:20 2007 -0600 Remove virtual destructor introduced in 1.31-44 due to performance penalty. commit 141515a3a661b9abc373344dc90e6f49745440a5 Author: John Bowman Date: Mon Jun 25 01:28:48 2007 -0600 Simplify arrayDeleteHelper, removing unused variable. commit a4a8a7d09534ce8a1cf0fc829047efb74dd5776c Author: John Bowman Date: Mon Jun 25 01:16:49 2007 -0600 Fix --disable-gc. commit 0794504fcf6bfbf5fe96465b9f199b1ad3c82960 Author: John Bowman Date: Mon Jun 25 01:05:39 2007 -0600 Fix warning messages. commit 9ccfc2613c2a1ede2102c83456d13a0214c3e2fe Author: John Bowman Date: Mon Jun 25 00:18:53 2007 -0600 Add header for isatty. commit 7d1c381346c387f9bf9adffecb2411cf9746a653 Author: John Bowman Date: Sun Jun 24 22:19:44 2007 -0600 Revert last commit. commit 22cee29708a566d13fb2baac91f3e3926aa14483 Author: John Bowman Date: Sun Jun 24 22:16:40 2007 -0600 Improve tex diagnostics. commit 816b1fbfe98cbd4210802f063209681a462e10b8 Author: John Bowman Date: Sun Jun 24 21:24:46 2007 -0600 Leave deletion of string last to the garbage collector. Omit spurious call to background(); commit 4f56d5aa58c769e422f48bdcdb651d5a36c99281 Author: John Bowman Date: Sun Jun 24 13:43:20 2007 -0600 Avoid warning messages with -d. commit fcf281b7e249166b8401d8a90ab87be4eea5826a Author: John Bowman Date: Sun Jun 24 13:36:33 2007 -0600 Fix GC preprocessor directives. commit 843c7bba85a7c2a6ad77607547a7e49a3295faaf Author: John Bowman Date: Sun Jun 24 01:55:10 2007 -0600 Further garbage collection tweaks; reinstate no_GCwarn. commit e4de07e434fd3b02c37b464e9851d00bdeda5098 Author: John Bowman Date: Sun Jun 24 01:03:20 2007 -0600 Fix dependencies. commit 29cddf4623d842eb65639d81b06d778cf78444c4 Author: John Bowman Date: Sun Jun 24 00:43:45 2007 -0600 Don't link with libgccpp.a to increase speed, now that garbage collection has been carefully addressed. commit d207452495d83bd9bb36df2c43d28a2b745b6c51 Author: John Bowman Date: Sun Jun 24 00:26:18 2007 -0600 Support ./configure --disable-gc again. commit 24332ff82a2e628a3bfee9d440e5ec3b926393da Author: John Bowman Date: Sun Jun 24 00:08:47 2007 -0600 Re-enable GC_gcollect under MacOS. Update to gc-7.0alpha9 since this yields faster execution times. Change configure --enable-gc=VERSION so that VERSION now must include the "gc" prefix. Remove genv from gc. commit 185554bd03f47f93586410d0a7904f9b12a6358e Author: John Bowman Date: Sat Jun 23 23:03:28 2007 -0600 Move ShipoutNumber into globalData. commit 473ba88ae7fea8b0736e29b506db442937a0cc5e Author: John Bowman Date: Sat Jun 23 16:45:58 2007 -0600 Use separate global variables for each process. commit 513822dceef7052ca9efe81e587821896925914e Author: John Bowman Date: Sat Jun 23 12:42:05 2007 -0600 Deconstruct files on termination. Improve support for garbage collection debugging. commit d8b0ff7f98543fbb573a44a1442931e2964fe782 Author: John Bowman Date: Sat Jun 23 00:58:28 2007 -0600 Close any open files automatically at the end of each asy process (without relying on a finalizer). commit e0c2e7f923b320a04a036527ce675bd885aceb78 Author: John Bowman Date: Fri Jun 22 16:58:19 2007 -0600 Fix segmentation fault introduced in 1.31-23. commit e28133f38f295fc0fde922bb331b2392b7731e83 Author: John Bowman Date: Fri Jun 22 01:23:46 2007 -0600 Improve garbage collection by using GC_DECLARE_PTRFREE statements; use vectors instead of deques everywhere. Change nullPos() to nullPos. commit 9dd6708f1844ca303278016ff1936a1875ac97e7 Author: John Bowman Date: Thu Jun 21 23:41:19 2007 -0600 Document how arbitrary files can be imported in the configuration file. commit 52b24d47a94c2a1e7ad751ae95d7961c9a891fc7 Author: John Bowman Date: Thu Jun 21 23:08:18 2007 -0600 Improve LaTeX diagnostics. commit dcbed2c557ecc629d6e9f84a61358f4c36ee0f35 Author: John Bowman Date: Wed Jun 20 23:14:46 2007 -0600 Remove unused variable. commit 0e26979cc46959684fe2f39527a5ef9883a217a0 Author: John Bowman Date: Wed Jun 20 17:52:58 2007 -0600 Use GC_malloc_ignore_off_page to fix major memory leak in garbage collection of STL containers. Fix minor memory leaks. Make em an errorstream rather than a pointer to one. commit 417f2582667c1d8851e8bcb86aa19ea6b51c62c7 Author: Orest Shardt Date: Wed Jun 20 17:25:31 2007 -0600 Added a new option to enable interactive mode on non-tty input streams. Made the signal option only affect the sending of signals without the side-effect of controlling interactive mode. commit 18b1cd9a00b7080ecea53589b3336ae9d4201b8a Author: Orest Shardt Date: Tue Jun 19 09:55:10 2007 -0600 Modified signal mechanism to send signals for each shipout and at end of each operation. Modified handling of items deleted by GUI: bbox scaled by 0, file deleted, and signal sent. commit c7163f9d5ed3bcf1eeb017f7e5112c38450bcb78 Author: John Bowman Date: Tue Jun 19 09:43:25 2007 -0600 Resolve purge ambiguity. commit dc2b4a56ad79e263e097e5cdeed3e7e07f53b490 Author: Philippe Ivaldi Date: Tue Jun 19 03:44:43 2007 -0600 Fix the filling path according to the margin in the routine markangle. commit a0408c585ec05a353ca2e15066781663033d7ec5 Author: John Bowman Date: Mon Jun 18 22:27:00 2007 -0600 Make the delete virtual member of arrays with no arguments delete all elements of the array (not called clear to avoid the need for adding yet another type-dependent virtual function). commit 4f0e48f95d301a5630af28c16ec925e0c3cc1c06 Author: Philippe Ivaldi Date: Mon Jun 18 16:44:27 2007 -0600 fix typo. commit 5cb4b64e129d881818262c767afff7d45e01947d Author: Philippe Ivaldi Date: Mon Jun 18 16:41:03 2007 -0600 Add option filltype to markangle. commit 89f331e05e66b120fd670442900884efd354073f Author: John Bowman Date: Mon Jun 18 16:01:22 2007 -0600 Handle exceptions in doUnrestirctedList. commit 7f37372c405f4fd80361bad001ef02f37e3b842c Author: John Bowman Date: Mon Jun 18 15:45:57 2007 -0600 Declare shipout before importing plain_xasy. commit 5690b60c62de62d98f6e3c1e0482334e1d12bcfd Author: John Bowman Date: Mon Jun 18 12:18:22 2007 -0600 Change the return type of the array virtual member delete to void. Allow A.delete(0,A.length-1) on empty arrays. commit 65c979a50262609e5fca031dc4cdd6c14b3cf285 Author: John Bowman Date: Mon Jun 18 11:59:33 2007 -0600 Make A.initialized(int n) return false when n is out of bounds, without any warning message. Use A.delete(0,A.length-1) to clear arrays in base files, to help the garbage collector. Add options -compact and -divisor to give the user more control over garbage collection. Implement a purge() function that forces a garbage collection. commit 25c637e4cb5d99d7dcbd8ab3288a51ad98c9aaf4 Author: Orest Shardt Date: Mon Jun 18 11:10:53 2007 -0600 Updated to use Python's subprocess module. commit 146fc1cd81244154daecda352cc895a2011ae3ac Author: John Bowman Date: Sun Jun 17 22:37:33 2007 -0600 Implement better workaround for uninitialized 'this.130' gcc-4.1.2 warning message (cf. 1.22-56). commit 79b2f5a07fd457182ad22f21b40e25e2224f8aa8 Author: John Bowman Date: Thu Jun 14 17:47:22 2007 -0600 Fix typo. commit 3512f0d737398b3ce742ec72d71208f986a54448 Author: John Bowman Date: Thu Jun 14 17:39:46 2007 -0600 Add pen[][] interpolate(real[][] f, pen[] palette) routine for use with latticeshade. Rename palette argument range to bounds to avoid confusion. Use an implicit bounds constructor. commit 2f7b23fa999ea2fb39cc1ca60f0aca67fdc77a7d Author: Orest Shardt Date: Thu Jun 14 15:05:19 2007 -0600 Changed transform push(transform); to void push(transform); to remove output when called in interactive mode. commit 8dcaa58177fff6dd258a74c25408e739388f7aa0 Author: John Bowman Date: Thu Jun 14 14:19:13 2007 -0600 Resolve ambiguity. commit ef75012b02a751b346e56d8a28e46a6160e77b2e Author: John Bowman Date: Thu Jun 14 13:16:25 2007 -0600 Don't call GC_collect under MacOS X, as this can cause bus errors and it doesn't seem to be necessary anyway on this platform. commit 27f248929ad55ecb5d2889d2ab67164605c1bd0b Author: John Bowman Date: Thu Jun 14 11:32:20 2007 -0600 Remove unused line. Add reference. commit c9fca9768ad6b8e2b59870cb0a58e3c49c9af15c Author: Andy Hammerlindl Date: Wed Jun 13 19:47:16 2007 -0600 Minor changes to comments. commit 4e70e1300642aa779d3fe45da0d55e14f13231aa Author: Andy Hammerlindl Date: Wed Jun 13 15:57:37 2007 -0600 Fixed addOps to add fields when possible. commit f54e2aebafa9d46e05e02051c1a3e1885caf7b10 Author: Philippe Ivaldi Date: Wed Jun 13 03:10:21 2007 -0600 Suppress useless code. commit 66c61efa8f470b0663ccba532266ecddaf5c7d84 Author: John Bowman Date: Wed Jun 13 01:42:21 2007 -0600 Increment version to 1.31svn. commit afa57fd86437f39163b3f6e4013ee1e342faafaf Author: John Bowman Date: Tue Jun 12 23:30:11 2007 -0600 Add copy argument to allow one to disable data buffering. commit 6857471c33699c8bac355f7dac013adbdb161692 Author: John Bowman Date: Tue Jun 12 22:42:44 2007 -0600 Add segment routine. Optimize conditional graphs. Add modified sphere animation, courtesy of Olivier Guibe and Philippe Ivaldi. commit bef55d64cd1ac2cd8e853db70915438d6ce7ad93 Author: John Bowman Date: Tue Jun 12 16:56:48 2007 -0600 Remove unused filename. commit 6f932d116ca4c4b8d03866e24e5accf6bfeda7e3 Author: John Bowman Date: Tue Jun 12 16:50:45 2007 -0600 Fix dependency. commit 69b77ebd49abaef1873eee4a7e37db180e0fdb07 Author: John Bowman Date: Tue Jun 12 16:25:57 2007 -0600 Make the implicit initializer for file variables null. commit 9d0fc6bf18efe32d2c6831b964e8af52e61a6127 Author: John Bowman Date: Tue Jun 12 15:57:18 2007 -0600 Use a single box file. commit a946e3cc8a9aa8158670bdb83e2b340e7a130e62 Author: John Bowman Date: Tue Jun 12 15:51:18 2007 -0600 Remove unused box file entry. commit 335e4ee9be80d0a97939d486341131931184f9de Author: John Bowman Date: Tue Jun 12 15:07:24 2007 -0600 Communicate to xasy via a single signal (SIGINT) and status file. commit f7c65d49a1f59f752311ac0e3b3640e19837886d Author: Andy Hammerlindl Date: Tue Jun 12 13:52:42 2007 -0600 Fixed bug introduced by previous bug fix. commit 32c2800ea35bfe896c7f48a7718e59792ca78e2a Author: Philippe Ivaldi Date: Tue Jun 12 13:42:19 2007 -0600 Update documentation. commit e241156d089b9d735b13f9bf6cb3bb6c279d9379 Author: John Bowman Date: Tue Jun 12 11:14:03 2007 -0600 Move definition of interpolate to graph_settings. commit 1bdbf421d7c6bfe13099526295781e6341280878 Author: John Bowman Date: Tue Jun 12 02:23:08 2007 -0600 Add cast of triple[] to guide3[]. commit 33a23676f0ca1d1afba511962752dcf08b9235de Author: John Bowman Date: Tue Jun 12 01:42:32 2007 -0600 Fix shipout format. Remove old PDFanim_temp_Guide references. Fix cxx errors. Document reverse(guide). commit 79c54067909f345fe01096e620384023c518c1cd Author: John Bowman Date: Tue Jun 12 00:08:25 2007 -0600 Simplify shipout signature (to support xasy development). Support internal cycles in guide examination routines. Add reverse(guide). Fix guide tests. commit 6b1c2ed1c24d9cb03a27b0ceba6b40b3e658f1ef Author: John Bowman Date: Mon Jun 11 23:49:48 2007 -0600 Fix typos. commit fd356f45ac4615c71510ec6a150943339de3a435 Author: John Bowman Date: Mon Jun 11 13:18:47 2007 -0600 Exit interactive mode on eof when stdin is not a tty. If -signal is not set and stdin is not a tty, don't use interactive mode. commit 1458d017b58902acfd78b701295ad859b19da36a Author: Philippe Ivaldi Date: Mon Jun 11 08:01:51 2007 -0600 Expand lasy-mode errors management (with Emacs 22 only). Defer all shell redirection to Emacs for supporting most shell. Compatibility running Windows. commit 7aa37aa0845c03e4b37e7a6c811c159491a352d5 Author: John Bowman Date: Sun Jun 10 18:09:37 2007 -0600 Update triangle example to use new simplified constructors. commit f5cbf4d90e602cfb7d3f1cfd9313a5b6e14316e8 Author: John Bowman Date: Sun Jun 10 17:26:31 2007 -0600 Minor edits. commit 89bfca7eabfea4f560ff28a7d7888ed81ff24cab Author: Andy Hammerlindl Date: Sun Jun 10 12:56:11 2007 -0600 Added implicit constructors. Fixed bug with permissions in static methods. commit 0df0e0bf25d565bf41c5a1199a9520c6808b5c3f Author: John Bowman Date: Sun Jun 10 08:01:22 2007 -0600 Add test for newton root solver; fix diagnostics. commit 5a36b41ea5052e2bbc342672ab80206e5e810864 Author: John Bowman Date: Sun Jun 10 07:20:12 2007 -0600 Optimize join. commit 256c7154f067526bf3f934bf44adbbe35b073902 Author: John Bowman Date: Sun Jun 10 00:12:13 2007 -0600 Give preference to GPL over AFPL Ghostscript. commit 99e825675e3b909070d74569af6cafbfce511eff Author: John Bowman Date: Sat Jun 9 23:25:19 2007 -0600 Add Philippe's lasy-mode fixes, including support for tcsh. commit 5b36cb1f2db85f87a749ee601cd9e1edc3c00202 Author: John Bowman Date: Sat Jun 9 12:29:29 2007 -0600 Add bool copy=true argument to picture routines that buffer data. commit 5b2b0bc4b7dfad18d539d1f3a193c23d507e23c7 Author: John Bowman Date: Sat Jun 9 04:10:23 2007 -0600 Improve garbage handling of multiple-file runs. commit 05baac943e890facf204004e80431ef0654bc30b Author: John Bowman Date: Sat Jun 9 02:57:12 2007 -0600 Remove default initializer for files. commit 0c996d014c98728580e98f7725067e55fca3d070 Author: Orest Shardt Date: Fri Jun 8 15:05:15 2007 -0600 switched xformStack from LIFO to FIFO commit e114be63575847d34e2a7d3faf8b4bc4b5389fb4 Author: John Bowman Date: Wed Jun 6 13:09:28 2007 -0600 Revert spurious asy-mode.el commit. commit 37f51484712b4abb246e557115525f4b7137295f Author: John Bowman Date: Wed Jun 6 13:01:46 2007 -0600 Split readline functionality into readline and saveline. commit 881ffa21f9b210d495d78b8d4038d4f4507243ba Author: John Bowman Date: Wed Jun 6 00:38:24 2007 -0600 Allow xformat to be any format supported by convert. commit d2efef6547f3ef83b632940a3c8b076b786ff26e Author: John Bowman Date: Mon Jun 4 22:42:05 2007 -0600 Fix parallel bison and lex processing. commit 763168a3f63580424432841fe379fba929d8b1f8 Author: John Bowman Date: Mon Jun 4 14:53:35 2007 -0600 Rename xasy.asy to plain_xasy.asy and revert other 1.30-48 changes. commit aa19a01eb70f11a9722e43238df6c9372909c61b Author: John Bowman Date: Sun Jun 3 22:15:09 2007 -0600 Improve documentation. commit ba6b456058e0c054b2cf7684b794dc196b1232a8 Author: John Bowman Date: Sun Jun 3 22:10:34 2007 -0600 Add Newton-Raphson iteration and Newton-Raphosn bisection routines. commit d7eec6237db5226eb68b4aae1d81dab759ac98cf Author: John Bowman Date: Sun Jun 3 17:07:52 2007 -0600 Add support for new GUI xformStack (under development). commit bbc47a2c3b1046f405984710b5cc53a837080eaa Author: John Bowman Date: Sun Jun 3 10:33:17 2007 -0600 Require version 2007/05/24 or later of animate.sty package; remove file name padding workaround. commit 3a780fa6f67832a65a0f082a345c2f585fd65217 Author: John Bowman Date: Sat Jun 2 23:20:55 2007 -0600 Generalize history to return an array of the n most recent history values. commit a7bee1f37cbd70a0c8b0c950681ed04d45187fc9 Author: John Bowman Date: Sat Jun 2 22:39:49 2007 -0600 Add gsOptions configuration variable. Force embedding of all fonts in eps files. commit 0c9baa4c098bea8f3d6ad8fddaa7fe972ef2d1db Author: John Bowman Date: Sat Jun 2 17:11:22 2007 -0600 Force all fonts to be embedded in pdf files. commit e91898e61889ad55a7798653056983cefe186d7e Author: John Bowman Date: Sat Jun 2 12:00:40 2007 -0600 Force fixed format for compatibility with pdflatex. commit a183626cf3e2f804378ee2990e4d891c871e037a Author: John Bowman Date: Sat Jun 2 01:30:15 2007 -0600 Fix indentation when byte-compiled cc-mode.elc is used. commit 2baf201ecce79107e5f587f47f3b100b75d4c364 Author: John Bowman Date: Fri Jun 1 18:08:13 2007 -0600 Allow array insert to insert an array of the same type at a given index; insert now returns void. Allow delete to accept an index range and return the last item deleted. Add initialized(int n) array virtual member to detect whether element n is initialized. commit dd65fda0826f2f552d15e8e4ee907090844f046a Author: John Bowman Date: Fri Jun 1 11:04:43 2007 -0600 Split readline functionality into two routines: readline (with argument order now consistent with getstring) and history(string). commit ab4774286f87ec5ca78a2f056566b772afd40e64 Author: Orest Shardt Date: Fri Jun 1 11:01:58 2007 -0600 Fixed typo commit 8096bb5fdf640778ed9715a64a16d89f40788ba5 Author: John Bowman Date: Fri Jun 1 10:01:28 2007 -0600 Implement NoZero and NoZeroFormat with more general OmitTick and OmitFormat routines. commit bf65e98df0c439c14d92cd68260981d935bd0380 Author: John Bowman Date: Thu May 31 14:17:57 2007 -0600 Avoid need to defer linewidth by moving setpen to the proper place. commit 3eaa60ba9b30082526d2d54d755ecf023e599c35 Author: John Bowman Date: Thu May 31 13:53:57 2007 -0600 Omit identity concat commands. Put dynamic linewidth code in /Setlinewidth. commit 7fe4be91e8b7cb1de9424dea14ef4221421aa903 Author: John Bowman Date: Thu May 31 02:21:50 2007 -0600 Fix linewidth. Fix division by zero. commit 74a45e155bfd00a4515f527c27856f9c0b14e527 Author: John Bowman Date: Thu May 31 01:51:14 2007 -0600 Simplify linewidth deferral. commit 193bf8325dbcad9b36fb4cee380d51f66f0aa556 Author: John Bowman Date: Wed May 30 23:25:59 2007 -0600 Defer dynamic linewidth until stroke time in case currentmatrix changes. Improve accuracy of dynamic linewidth calculation. commit f66e8527ba4dc2fcab6b99e2f9bc6f22eb69bc62 Author: John Bowman Date: Wed May 30 23:18:10 2007 -0600 Rename zerotick to zerotickfuzz for clarity. commit a6791aefc4759ebadf7f17503dda4d5138692586 Author: John Bowman Date: Wed May 30 17:53:52 2007 -0600 Make zero detection robust. commit c28626c2078f8c17fed4c5053b0c03fc5caf95e4 Author: Philippe Ivaldi Date: Wed May 30 13:48:10 2007 -0600 Fix numerical precision in the routine NoZero commit e00a7b8073d6dc8bcd86eb764ebee05218bd5a26 Author: John Bowman Date: Wed May 30 13:04:08 2007 -0600 Fix orientation code. commit 88e1d52a06ad38bbf37511a14f2e48a63957b60c Author: John Bowman Date: Wed May 30 12:37:44 2007 -0600 Simplify and optimize normal calculation. commit 9f8598a130268cf74d7ce1ce2ad25be62a0104aa Author: Radoslav Marinov Date: Wed May 30 11:37:58 2007 -0600 Changed the shading approach in base/contour3.asy . commit fe95f910e8de681b23e83f95165302efb4751e72 Author: John Bowman Date: Wed May 30 01:32:47 2007 -0600 Implement simplified (and slightly more efficient) gouraudshade interface. Reduce memory and CPU usage by avoiding duplicate buffering of picture data. commit f76232575f29b9a8d2ca0f010868581751a6d7b8 Author: John Bowman Date: Tue May 29 22:04:36 2007 -0600 Add tickmodifier NoZero and ticklabel format NoZeroFormat. commit 46f6ea1bc3b46c75b82edf3d32a3765ce8e86e40 Author: John Bowman Date: Tue May 29 16:27:53 2007 -0600 New test routines. commit 77d1dd8f3ee01f0e22a61ae5089b7cd4a3edee4c Author: John Bowman Date: Tue May 29 16:08:06 2007 -0600 Move real[][] identity(int n) from math.asy to C++ code; add documentation. Avoid use of loops with join operator. commit b592bc60b2bcbc3c402d58a20090888786ffe65f Author: John Bowman Date: Tue May 29 16:04:44 2007 -0600 Minor optimization. commit 1adc55ad64b08356aa4b98895649d95d7e6c8e90 Author: John Bowman Date: Tue May 29 15:54:23 2007 -0600 Cleaner optimization. commit befaf187a250eaf67d6b435244bd0a7462e265bb Author: John Bowman Date: Mon May 28 18:14:29 2007 -0600 Remove extra loop variable. commit 63980fd23d2cba1835e8bdd76b3f41331ae30bcd Author: John Bowman Date: Mon May 28 18:11:05 2007 -0600 Further optimizations. commit 2e40007fb1e89ac0c5ba843043ae9d54dc810556 Author: John Bowman Date: Mon May 28 16:44:44 2007 -0600 Optimize number of calls to project; change return type of contour. commit 485f5ec8238cb2ad76ff5dc709e5a60f6aebe4fa Author: John Bowman Date: Mon May 28 14:41:27 2007 -0600 Catch unhandled quit exception. Reset scroll lines to zero. Don't exit on interrupt during module load in interactive mode. commit 81dc9114a4f185d3188069048426c11f1d186df5 Author: John Bowman Date: Mon May 28 14:14:22 2007 -0600 Renamed particle to object. Minor optimization. commit 3c46482e8cdd28a52d9c27d620b8c1f605b40b93 Author: John Bowman Date: Mon May 28 11:14:18 2007 -0600 Implement optimized real multdiagonal(real[][] a, real[]b). Speed up project slightly by changing aspect from real[][] to real[]. Make cputime().change return parent+child times. Add write(cputime). commit bfaf0370fc33d5dc9c23305a4fdfa26652aafb9c Author: John Bowman Date: Sun May 27 22:29:01 2007 -0600 Added change.user and change.system fields to cputime(). commit 948490a418a6dfda24c8ffb1e5ca7147e644bdfe Author: John Bowman Date: Sun May 27 22:25:31 2007 -0600 Optimize real[][] * real[]. commit d4803b09765b84dbc7e5cb75d6eb5bd0e30005b5 Author: John Bowman Date: Sun May 27 09:53:28 2007 -0600 Speed up 3D projection by moving matrix-matrix multipy to C++ code. commit cffe5e23420dbd5c84666fbe9f476c814c5f090a Author: John Bowman Date: Sun May 27 01:08:58 2007 -0600 Minor clarification. commit 26d3b69c93b217e6a6381bfef4b9e7a61c01e117 Author: John Bowman Date: Sun May 27 01:03:03 2007 -0600 Simplify, document, and port guide examination routines to three.asy. commit ab9070048364e614a86625a51838ee0d5a44a306 Author: John Bowman Date: Sat May 26 10:13:48 2007 -0600 Fix potential uninitialized variable. commit 270b67554e47b3894a8ae94f4c16e3825dc40a30 Author: John Bowman Date: Thu May 24 02:07:53 2007 -0600 Add bool cyclic(guide) routine. commit a1fd6cd823ff17ed834191d21d98c27bdeddbe2a Author: John Bowman Date: Thu May 24 01:53:03 2007 -0600 Add routines to allow access to guide components. Add upcase and downcase routines. commit 01e48f273dbbd9058a803a8ac6267eb0e4477291 Author: John Bowman Date: Wed May 23 22:48:23 2007 -0600 Document bibtex usage. commit e6a7d6a3938e63411e98be86dec5d048e11ddb49 Author: John Bowman Date: Wed May 23 22:47:47 2007 -0600 Install intro.asy. commit ab8b21e65692d7a75ee9cc8919edd84525ee44e7 Author: John Bowman Date: Wed May 23 22:47:32 2007 -0600 Remove pdf() restriction. commit 10a79c6c34636a7be292c25359cba859e274041d Author: Orest Shardt Date: Wed May 23 15:43:59 2007 -0600 Fixed docs about base64 commit 0958687accac67e691a83e0954d482cf7e8d04d1 Author: John Bowman Date: Mon May 21 21:16:42 2007 -0600 Use projection P; reduce number of calls to project. commit e9c0b6c842d44ada09d14f4307264a3148c60d03 Author: John Bowman Date: Sat May 19 14:16:43 2007 -0600 Reduce resolution. commit 8b490c2e53c7ac1a6e7526c41567151857b4a0f5 Author: John Bowman Date: Sat May 19 14:05:36 2007 -0600 Increment version to 1.30svn. commit ceea165b52e0a38618fbbf9041e04dc1b2f1af69 Author: John Bowman Date: Sat May 19 11:25:04 2007 -0600 Update LocalWords. commit 9b797abba10a36e61a019b6ace4525dbdf4d88cb Author: John Bowman Date: Sat May 19 11:16:54 2007 -0600 Improve description of contour3. commit 9651f6c97ac631429cee38fd736756c73ff25b00 Author: John Bowman Date: Sat May 19 11:08:13 2007 -0600 Speed up tick handler. commit 4f3842489f2a4f21c08385b3e708374633c63752 Author: John Bowman Date: Sat May 19 10:44:24 2007 -0600 Reinstate abbreviation q for quit, unless there exists a top-level variable of this name. commit 8fc806cbe73f7c4b609085e010916b93bc4d0e98 Author: John Bowman Date: Sat May 19 02:02:28 2007 -0600 Use easier-to-use animate.sty package instead of interim pdfanim_temp.sty package for generating pdf animations. commit 2aab5e1bf0488aeefa98a35dbb041dbb7c343665 Author: John Bowman Date: Sat May 19 00:48:09 2007 -0600 Add support for drawing zero-level sets of functions from R^3 to R. commit cb1882390a636614705b1e2d36f6da944d3b429f Author: John Bowman Date: Sat May 19 00:37:10 2007 -0600 Fill in potential gaps between histogram bars when bars=false. commit 99e519ccc5459da7fecff7de3acb1b131d951e78 Author: John Bowman Date: Sat May 19 00:11:06 2007 -0600 Simplify histogram interface. commit 5954c902a8b87765ae93d615bf79bbe011bbdc03 Author: John Bowman Date: Sat May 19 00:09:42 2007 -0600 Fix FillDraw pens. commit d04ada5f9ce0252c0805ff6fe7dd7c462be417ea Author: Andy Hammerlindl Date: Fri May 18 13:35:20 2007 -0600 Minor refactoring. commit b15d658f724fc64c216437821dd086e1b75b99d0 Author: Andy Hammerlindl Date: Fri May 18 13:34:40 2007 -0600 Got rid of annoying "no default init for " message. Fix a boolean flag mixup. commit b5d5b2480a1df2751c8abe7ba4cb8106afd8aadf Author: Orest Shardt Date: Fri May 18 11:08:24 2007 -0600 Acknowledged source of Imaging-1.1.6 patch commit 586bd648c5669f31bf60adb2664d720f7ca0c10d Author: Orest Shardt Date: Fri May 18 11:07:33 2007 -0600 Documented the enabling of PNG format in xasy commit 26b715066b394320c125c417b0d14026e0f47c54 Author: John Bowman Date: Thu May 17 21:51:53 2007 -0600 Remove unused directory. commit 62f5876939694c9ada532324caecacc47a10ad91 Author: John Bowman Date: Thu May 17 21:48:50 2007 -0600 Add default argument. commit 4c752c5186524d5c7bbe4b837f672d193f204d82 Author: Orest Shardt Date: Thu May 17 14:47:36 2007 -0600 Documented use of base64 commit 4eca9e53e681b998fc5a725ccf5e4ba33fdcab04 Author: Orest Shardt Date: Thu May 17 13:45:12 2007 -0600 Provided ability to draw a selection box to select all items in the box. Added item scroll up/down feature. Embedded the toolbar icon images into the source code. commit 05b3142d75defeef2015d7ff241ddfeb7e66ff00 Author: Orest Shardt Date: Thu May 17 13:42:01 2007 -0600 Arrows in icons are now the same style as Asymptote arrows. Transparency of text.gif fixed. commit ef70123f8dec5984ab5e27abaa461663d5c4cbbd Author: John Bowman Date: Thu May 17 09:19:11 2007 -0600 Added support for fillpen, drawpen, and legend entries to histogram. commit 5543f622b8f8087a6ad25ef71ef482ac50c045a7 Author: John Bowman Date: Thu May 17 09:12:11 2007 -0600 Adjust legendline length to account for marker size. commit 594ecf17fc8c156d9135c94463d4e4407d9591f7 Author: John Bowman Date: Thu May 17 09:10:53 2007 -0600 Minor optimization. commit 7e5078686cf17cdfb27f8182a7cf3db6dcb57ebb Author: Orest Shardt Date: Wed May 16 17:28:12 2007 -0600 Improved handling of highlighting when mouse enters and leaves an item. commit ecaabcbbe2937b3f4b4777a1706973ae1820d063 Author: Orest Shardt Date: Wed May 16 15:09:06 2007 -0600 Various improvements to xasy3 made including ability to select and move multiple objects, and fixed the ability to open additional files. commit d1c63b6cd9c1399de497b9cda1d2be0587baade9 Author: Orest Shardt Date: Wed May 16 15:04:29 2007 -0600 Added new icon for xasy3 toolbar. commit 8dcf6de5f2db342913bdeea12f3483495c03d54a Author: Orest Shardt Date: Wed May 16 15:02:55 2007 -0600 Updated Imaging-1.1.6 patch to adhere to conventions of other patches. commit 960b9890f5ce8e944fffa328e950dfc4db529cac Author: John Bowman Date: Wed May 16 07:29:59 2007 -0600 Speed up tickHandler; use default asy xformat. commit 2ca9d106ae96f6a79f7b9f75f204174aeed2146b Author: John Bowman Date: Tue May 15 23:14:35 2007 -0600 Optionally support transparent png deconstruction. Work around half-pixel bounding box bug in Ghostscript pngalpha driver. commit a72b2a6966040de1948eafac30c0b2bed4701ddf Author: Orest Shardt Date: Tue May 15 15:04:55 2007 -0600 Provided a patch to allow better alpha support in the PIL's ImageTk for the new GUI commit 5ce11724695458712b0a013b43d24c3119296b54 Author: John Bowman Date: Tue May 15 15:00:09 2007 -0600 Fix typo. commit fe83e56c0dc3062414a50681305da9bf2fbdcec9 Author: John Bowman Date: Tue May 15 10:37:32 2007 -0600 Fix typo. commit 0ed2fee6c78497a81fa73c24c4414d688db39950 Author: John Bowman Date: Tue May 15 10:36:47 2007 -0600 Fixed comment. commit 763d005d05d17ed653f6a0f61fc29a3b1fb92c0c Author: John Bowman Date: Tue May 15 09:13:34 2007 -0600 Fix increasing(real[],true). commit d38d613d9fddd77ae1787d63518ab0326dd6dc77 Author: John Bowman Date: Tue May 15 08:53:40 2007 -0600 Check that array x is strictly increasing. commit 90a313b01c7db33b5b9d0ea942df6b562d9b34d8 Author: John Bowman Date: Mon May 14 13:20:48 2007 -0600 Implement bidirectional signal handling to new GUI (under development). commit ee9a0615abb8b2da27829ee677a78a0370c2d5da Author: John Bowman Date: Sun May 13 10:07:35 2007 -0600 Generate begin and end figure comments. Documentation updates. commit f252fe5dcd7a4a20aded818080dcd9fdffb72f24 Author: John Bowman Date: Sat May 12 23:02:04 2007 -0600 Explicitly close EPS output file to avoid race condition with gv. commit ce8740b700536e06400f99cd381572621dfe57f1 Author: John Bowman Date: Sat May 12 17:12:57 2007 -0600 Increase arctime precision. commit e9f6461ad86397b18b593f3c815fa4d7680252c2 Author: John Bowman Date: Sat May 12 11:59:20 2007 -0600 Fix remaining numerical resolution problems with dir. Avoid arctime error when goal == L. commit 1bb0f379df706ae156c7023e2f66a6fd16bf60a8 Author: Orest Shardt Date: Sat May 12 09:34:16 2007 -0600 Fixed images for xasy3 commit e1a7b970ce10b948aff74c333edf4bc90caacb50 Author: Orest Shardt Date: Sat May 12 09:31:20 2007 -0600 Images for xasy3 commit 8edbb37bd7e49d1cb2b976f314535d89a4bcd772 Author: Orest Shardt Date: Sat May 12 09:25:40 2007 -0600 Added xasy3 - a new GUI commit 551c851330c0456cf299939923164241f57df5a6 Author: John Bowman Date: Fri May 11 17:23:02 2007 -0600 Documentation updates. commit 4b3131bef0f47d97fcee17473e02ea11a3f97cd1 Author: John Bowman Date: Fri May 11 07:05:05 2007 -0600 Suppress extra newline on standard EOF reads in absence of readline library. commit 60af1069ee62875c165dad1e53e1c6b00d0ff9f4 Author: John Bowman Date: Thu May 10 22:37:15 2007 -0600 Fix standard input of strings. commit e1c445ed7b053f5c9693bf60cff47610ab44b799 Author: John Bowman Date: Thu May 10 14:45:56 2007 -0600 Change SIGUSR to SIGINT and output a final box file to indicate end-of-sequence. commit 79197fc7fae5145c4e9662a47072143279af9789 Author: John Bowman Date: Thu May 10 14:44:57 2007 -0600 Remove "q" as abbreviation for interactive "quit" command now that "write(q)" at the prompt can be written simply as "q". commit 4ce98eea4007a0fe7cf5802622ef719f5afbf528 Author: John Bowman Date: Thu May 10 07:18:45 2007 -0600 Document dot(picture,real[],real[],pen); commit e0993a89087f39b647d2328cc6f18127565fc7f1 Author: John Bowman Date: Thu May 10 07:10:00 2007 -0600 Add piecewise monotonic spline type and example. commit a46a851de05f1b753534b143b19934d2f42c1932 Author: John Bowman Date: Wed May 9 23:05:15 2007 -0600 Use subpath to implement robust dir(path, real) function. commit 3a2e0d8ad1ae707b7d6dfb1d0de8dc4a1db143d8 Author: John Bowman Date: Wed May 9 20:02:21 2007 -0600 Fix endpoint dir(path, real) calculation. commit ef66c2b368d5067eac92ed0da0dddb3b5176df53 Author: John Bowman Date: Wed May 9 18:16:54 2007 -0600 Use datarootdir. commit 1cb07a0c9253787ad9dcf381411767d8bf40bed1 Author: John Bowman Date: Wed May 9 18:15:43 2007 -0600 Support --enable-gc=PREFIX. commit 2a7208768685774e29e9bb0ab8e3b103a49bae28 Author: John Bowman Date: Wed May 9 12:41:48 2007 -0600 When settings.signal=true, write a separate .box file for each object. commit d44ed6462ca2754968dc0fdadb2869f80a95162e Author: John Bowman Date: Wed May 9 11:58:15 2007 -0600 Port 2D dir changes to 3D. Standardize argument names for point, precontrol, postcontrol, dir, and subpath. Avoid numerical overflows in three.asy solver. commit dfacf1bfc1124c5776c12d2ba683ab1222204bdb Author: John Bowman Date: Tue May 8 22:06:12 2007 -0600 Fix definition of dir. Add optional final argument to dir specify incoming and outgoing directions. commit c1244c0331a8731e0c9397c38f9800a488c57854 Author: John Bowman Date: Tue May 8 13:10:09 2007 -0600 Swap xasy signals. commit a0f8582e216ff3816b07b0c077b0be2e3b3d69b8 Author: John Bowman Date: Tue May 8 13:06:40 2007 -0600 Fix URL formatting. commit 7227dc2d4c4956d9d10de01d0f4cbc26d2b97667 Author: John Bowman Date: Tue May 8 04:08:38 2007 -0600 Increment version to 1.29svn commit 8089f96bfc42626f1e7619ff0d7d5e6e4100b173 Author: John Bowman Date: Tue May 8 03:16:55 2007 -0600 Force uptodate to be true just before call to C++ shipout routine. commit c62958d6773ef46f2694ab5efbed4ce8509cb8cb Author: John Bowman Date: Tue May 8 03:09:49 2007 -0600 Swap gc library load order. commit 01c9abc9c59f02bc295960881b71ee91e396181e Author: John Bowman Date: Mon May 7 23:38:33 2007 -0600 Purge standard input after reading in interactive mode. commit 198580292c624fd5cbbecc672a8ca1646cf011bd Author: John Bowman Date: Mon May 7 18:03:27 2007 -0600 Fix segmentation fault in readline() and runaway process on reading EOF from standard input in absence of readline library. commit 044ccbd7b71d7337e043e41b53a8de9c1db3a3f3 Author: John Bowman Date: Mon May 7 17:32:17 2007 -0600 Add GCPPLIB target. commit 928c90747003c115ebef7553151b1e512bc842fb Author: John Bowman Date: Mon May 7 15:21:27 2007 -0600 Support parallel builds. commit 25ca9066d7e2ff60f849f823799967e8105ab5d4 Author: John Bowman Date: Mon May 7 14:36:53 2007 -0600 Use SIGUSR1 and SIGUSR2 to communicate with new version of xasy. commit 62aff1b7496cf0f280670af7e032800bc85ae256 Author: John Bowman Date: Mon May 7 11:51:01 2007 -0600 Simplify and optimize xstream header. commit 9eeb41f829539b54e43b9eaaf23c1d2d22482058 Author: John Bowman Date: Mon May 7 02:04:59 2007 -0600 Add dvipsOptions configuration variable. commit a030a61bb2abf39ec2ef3a6f9aa2d175ebdac7b2 Author: John Bowman Date: Mon May 7 01:32:37 2007 -0600 Fix bug in xinput. commit 3f66b4b2165b32bca62e86a965895812c19294ff Author: John Bowman Date: Sun May 6 22:49:39 2007 -0600 Further parallel documentation build improvements. commit 824ad21409ec9d7015a57d921d9cab8ca1a69ac8 Author: John Bowman Date: Sun May 6 22:39:54 2007 -0600 Improve support for parallel documentation builds. commit e9704d91c1c8f7046fc6d76115edd0e48284078b Author: John Bowman Date: Sun May 6 22:03:35 2007 -0600 Support nonglobal animations, where each frame is scaled and written to a file separately. commit 9aa7a3056a6d64fa7736bdd9e4b05fa9b879a10d Author: John Bowman Date: Sun May 6 21:38:48 2007 -0600 Support gcc version 4.3. commit 449ec2841903aa398eb87f801fbac43c174a1cb9 Author: John Bowman Date: Sun May 6 14:10:08 2007 -0600 Documentation updates. commit adb06d900490737193efc05e339b0291be3aa2b2 Author: John Bowman Date: Sun May 6 13:53:36 2007 -0600 Support parallel documentation builds. commit 6c6fae56f8facec0a0ca8a2e2ee238588b6c56a9 Author: John Bowman Date: Sun May 6 12:03:58 2007 -0600 Remove intro target to avoid problems under Fedora Core 5. commit 0fb4d6f9254d8932a266af94c48a63a041098558 Author: John Bowman Date: Sun May 6 11:31:08 2007 -0600 Improve TeX error handling. commit af3cdf75576976aa5c39d97d329448b0b7937628 Author: John Bowman Date: Sat May 5 21:53:16 2007 -0600 Minor makefile edits. commit bdf7fe2fa5bbfbc4d77cde52d3db7ab7517accfd Author: John Bowman Date: Sat May 5 10:54:13 2007 -0600 Update URL. commit bfed005bb05306b76abd3f61951e467eaf12ebff Author: John Bowman Date: Sat May 5 03:01:44 2007 -0600 Clean up generated files. commit 5e281cf59111b1b3aa7f165bc606164bae4de682 Author: John Bowman Date: Sat May 5 03:00:52 2007 -0600 Increment version to 1.28svn. commit 4445d7145c63c04e73f1cd8d19bc17954ec7548e Author: John Bowman Date: Sat May 5 01:49:44 2007 -0600 Fix warning messages. commit b7d4b1dab520178724f8addb903be4eb910a6e5f Author: John Bowman Date: Sat May 5 01:35:45 2007 -0600 Fix warning messages. commit 198b794abc6a48114e126a23bbac209e5a0b14f8 Author: John Bowman Date: Sat May 5 00:47:58 2007 -0600 Add example showing Hermite spline interpolation and filled cyclic crosses. Fix formatting. commit 2917092e1a17e71124a9abb37b9fefbc2a1934ce Author: John Bowman Date: Sat May 5 00:07:03 2007 -0600 Optimize palette loops. commit febdf53e4e8f7e338d1aca53d9bced32b4ca0eec Author: John Bowman Date: Fri May 4 23:43:14 2007 -0600 Fix data cropping/scaling. commit b1c9f2af191f12847edca78f8247ad6520309e94 Author: John Bowman Date: Fri May 4 23:37:08 2007 -0600 Add modified version of Stefan Knorr's unit n-point cyclic cross, with optional end rounding. commit 91b02a7743013213ec5708a102fbc8a675cbbc59 Author: John Bowman Date: Fri May 4 19:36:04 2007 -0600 Add remaining fix for MSWindows version of TeXLive 2007. commit d7c903686fa3b56ed717f3d22a9a80566365c68f Author: John Bowman Date: Fri May 4 17:35:06 2007 -0600 Work around jobname bug in MiKTeX 2.5 and 2.6: turn stars in file names (resulting from spaces, etc.) into underscores. commit f96e2c68e92fea5054048daa55197975d1d07cc5 Author: John Bowman Date: Fri May 4 10:39:03 2007 -0600 Simplify tex pipe handshaking and improve error detection. Support TeXLive 2007 under MSWindows. commit f69a3cd29fd1a62bd5896075f68d3758fe555307 Author: John Bowman Date: Thu May 3 23:01:43 2007 -0600 Don't allow rotation about the zero vector. Ensure align always returns a right-handed transform (a rotation). Fix longitudinal skeleton detection when axis=-Z. commit 0adaa7180dfd822a832085978313ccdff8f0f8d8 Author: John Bowman Date: Thu May 3 21:47:55 2007 -0600 Add routine to return a diagonal matrix. commit a6e4c818bc820067f4ac3d23f94f03ba31dda98e Author: Andy Hammerlindl Date: Thu May 3 10:22:29 2007 -0600 Removed finished item. commit 3a920b81235d9e48db94758a173640f0e57788ba Author: Andy Hammerlindl Date: Thu May 3 10:15:03 2007 -0600 Fixed typo. commit 97c6d8898719ed96b4297197eb0886a7dfd3dca7 Author: Andy Hammerlindl Date: Thu May 3 10:11:22 2007 -0600 Assign expression are no longer written at the prompt. commit 4166ef82a9eabfbc16d27c9023d55a5dca9d768b Author: John Bowman Date: Wed May 2 18:02:32 2007 -0600 Add -signal option for signalling completion of shipout to xasy. commit 8dbd3e086f6a23de3b50b0b80442e0e405bb661a Author: John Bowman Date: Wed May 2 09:57:30 2007 -0600 Simplify use of join operator. commit feb0b3261b735876333a812f7a69acb39557270a Author: John Bowman Date: Wed May 2 09:56:36 2007 -0600 Change return type of contour routines back to guide[][] both for backwards compatibility and in case user wants to connect smoothly to external noncyclic contours. commit 9069d1c14e2ce94f3819f6c93d7ee075b3850ad1 Author: John Bowman Date: Wed May 2 01:45:46 2007 -0600 Add Hermite spline graph interpolate type for smoothly joining sampled functions. Change return type of contour routines to path[][]. Move splinetype routines to new file splinetype.asy. Add bool increasing(real[] x) routine to math.asy. Optimize image scaling. commit 2afa9d4becfb09f442b9d483c2962bdbb17c5126 Author: John Bowman Date: Wed May 2 01:38:41 2007 -0600 Make guide precision consistent with path precision in diagnostics. commit 96e6c7831a825f65d68e4c451e50976a8213195e Author: Andy Hammerlindl Date: Tue May 1 18:52:48 2007 -0600 Added curlSpecifier. Removed curl3. commit 2767fe88faa931e1a874d7c5c345a63b49c5b126 Author: Andy Hammerlindl Date: Tue May 1 11:37:51 2007 -0600 Added the tensionSpecifier type. Removed tension3. commit 150a86b8b7e7c0517decd116ef158c4dcf409597 Author: John Bowman Date: Mon Apr 30 21:18:41 2007 -0600 Updated documentation regarding change from cycle3 to cycle. commit 5d3c433407d975022fb01b00c61e5e15ed62a934 Author: Andy Hammerlindl Date: Mon Apr 30 00:22:30 2007 -0600 Test for the cycle keyword. commit 13f9a9bb60b14e3b85253e98eb3bcbf86a6720c8 Author: Andy Hammerlindl Date: Sun Apr 29 22:47:46 2007 -0600 Added the cycleToken type. Changed cycle3 to cycle. commit 1999876bb4ec9930ee59ef6d0c1817edbd55e468 Author: Andy Hammerlindl Date: Sun Apr 29 15:05:21 2007 -0600 Use an C Preprocessor X-Macro to create new primitive types. commit 3077361d259b777bcd6292481e2f00bf97868363 Author: Andy Hammerlindl Date: Sat Apr 28 15:56:59 2007 -0600 Remove old, unused source file. commit 9c10a8626a0f6a318bbcc6004d733799f1adcefb Author: John Bowman Date: Sat Apr 28 11:39:37 2007 -0600 Make Bezier curve solid and control lines dashed. commit 2443ceab7a8b6b9c6c6af2cc554f260bddb06ccd Author: John Bowman Date: Sat Apr 28 01:15:13 2007 -0600 Minor optimizations. commit c5f7661b9ce35af5bc2474c6debac680c4b25936 Author: John Bowman Date: Sat Apr 28 00:37:32 2007 -0600 Remove unused array. commit 81e44094a62541c243b2cc9901ce35af6179e692 Author: John Bowman Date: Sat Apr 28 00:34:47 2007 -0600 Use a simpler argument list for clamped splines. commit 5e2e7caad209a5c38576331d8015b3ae98c6ae44 Author: John Bowman Date: Fri Apr 27 20:59:35 2007 -0600 Don't try to build intro.pdf with default install (due to eforms dependency). commit bc2debbdad6e48b58275f98c1142c46ccb9f9348 Author: Andy Hammerlindl Date: Fri Apr 27 08:26:54 2007 -0600 This file hasn't been used in ages commit 53b44dad2fc449bf2326b7c1bb5dd15b260adc10 Author: Andy Hammerlindl Date: Thu Apr 26 07:03:57 2007 -0600 Removed primArray. arrays are not primitive, and the type could only be only erroneously. commit b84e53ba1d2caefd8ce83719ef073eff207d8f1e Author: John Bowman Date: Mon Apr 23 11:09:51 2007 -0600 Rename "append=false" argument of output, boutput, and xoutput to "update=false" and make it allow both reads and writes to the data file. Negative arguments to seek are relative to end of file. Add seekeof(file) to position file pointer to end-of-file. commit 6a31b86036ec819885ad7157669867d0cf4a2ca2 Author: John Bowman Date: Sat Apr 21 21:38:16 2007 -0600 Fix dependencies. commit cc68406e9143ff04ab91d9b48ccdaf3824120e3d Author: John Bowman Date: Sat Apr 21 19:41:32 2007 -0600 Distribute pixel.pdf rather than pixel.ps. commit 857de182af365683ec14ac86b23bbda5c4d8a323 Author: John Bowman Date: Sat Apr 21 18:00:10 2007 -0600 Add ability to load pdf animations from an external file (one frame/page). commit 0f052e45fb2b3da45a7b07472a244b4686183d6f Author: John Bowman Date: Sat Apr 21 14:20:48 2007 -0600 Make filloutside work with paths that extend beyond the current boundary. commit 1d86d57b95501aaee0bb025623ca0dace214dc1d Author: John Bowman Date: Sat Apr 21 10:55:14 2007 -0600 Fix formatting. commit 1a55cbee13565c5b01899832c780dd008afd0fa1 Author: John Bowman Date: Sat Apr 21 10:44:18 2007 -0600 Fix top level indentation of braces. commit ea8ca0f021d2c2986b8be72a4a884b3684714d79 Author: John Bowman Date: Fri Apr 20 23:01:52 2007 -0600 Simplify control panel. commit 05f4d02e471c2f44eb88442085c091eb941e3e36 Author: John Bowman Date: Fri Apr 20 22:51:17 2007 -0600 Added PDF rolling wheel animation. commit debce269ae9cd43e8cc214d1539466982320ddc1 Author: John Bowman Date: Fri Apr 20 22:50:13 2007 -0600 Delete temporary .aux file. commit 858cf4e2c0f46142a8b9a6c7ba6015db3d1b7d58 Author: John Bowman Date: Thu Apr 19 22:53:07 2007 -0600 Increment version to 1.27svn. commit e9bc191d312bde63e038828dbaa89173d1fa063b Author: John Bowman Date: Thu Apr 19 21:36:54 2007 -0600 Rename source and UNIX binary files for compatibility with releaseforge. commit 9a5852c7644742505ed12c8d94a0fcd8d54ca57c Author: John Bowman Date: Thu Apr 19 18:22:10 2007 -0600 Use a better camera-independent reference value for resolving path3 orientation. Check for negative curl values. commit 0d3e6b78a14b0d1f02ca7fe35ce55de72047305d Author: John Bowman Date: Wed Apr 18 18:58:56 2007 -0600 Added patch to gv-3.6.2 to make redisplay work properly (and fix gv security hole). Removed --nowatch option from call to gv. commit d9292e4fbd36a22e00dd09095316c6ce197d6fef Author: John Bowman Date: Sun Apr 15 18:25:39 2007 -0600 Remove unused (and unmatched) %%EndProlog line. commit 7f8db6a7f07ac51a007315a71380e2c53d6480f7 Author: John Bowman Date: Sat Apr 14 10:56:19 2007 -0600 Remove unneeded access settings. commit 8e3086531898dc2fe69f1cbe25163b6d9ad91b7e Author: John Bowman Date: Fri Apr 13 16:48:52 2007 -0600 Support pdflatex texengine. commit 6fb84927ebdc6c0e042ca0b812612abec957f3b6 Author: John Bowman Date: Fri Apr 13 07:46:54 2007 -0600 Improve example. commit 7223247bf194f2d1b077bad907cb773034aa6071 Author: John Bowman Date: Fri Apr 13 07:46:38 2007 -0600 Fix front/back transverse skeleton detection. commit 15be2bfe0c909747b52e12d015227f50b8a53418 Author: John Bowman Date: Thu Apr 12 06:16:58 2007 -0600 New item. commit 9446698168d19e677cd5a2b80c20c36dc7bd8c5a Author: John Bowman Date: Wed Apr 11 21:21:57 2007 -0600 New item. commit 31496173b22bded7a5dfa2443d23046581d891cf Author: John Bowman Date: Tue Apr 10 17:30:34 2007 -0600 Speed up detection code for old versions of gv. commit 84bfb07a6af8defec0ed240c66b3ed0e144b2d69 Author: John Bowman Date: Tue Apr 10 13:44:56 2007 -0600 Add link to online example. commit afe2f1fb251940fbbb3c645c7fb033aaff55007a Author: John Bowman Date: Tue Apr 10 13:29:11 2007 -0600 Add acsc, asec, and acot functions. commit f9a981f384e777b70f9f687a337f98526d20731d Author: John Bowman Date: Tue Apr 10 13:27:09 2007 -0600 Fixed typo. commit a1aaecbeadf18bedc200705f1d5333fa5bf8e9b6 Author: John Bowman Date: Tue Apr 10 13:14:17 2007 -0600 Implement Break tickmodifier to allow broken axes to work with automatic tick generation. Support broken logarithmic axes. commit 0ae96277f78f70fb940c43ab7d4e9bcf5e301843 Author: John Bowman Date: Tue Apr 10 09:29:12 2007 -0600 Autogenerate tick values. commit 34119036d472900f516599c0057b0f5d40836eff Author: John Bowman Date: Mon Apr 9 23:11:29 2007 -0600 Update FAQ. commit 5f65ee1cd809620c5c2b6f28b7c3aca7cd490052 Author: John Bowman Date: Mon Apr 9 23:02:39 2007 -0600 Add aligned axes example. commit ac3cca963cfe3d4b8da8c4482703741471066763 Author: John Bowman Date: Mon Apr 9 19:26:46 2007 -0600 Increment version to 1.26svn. commit 800b9ecf2f7db512f1403b7ee5ba9b3f135a2836 Author: John Bowman Date: Mon Apr 9 16:43:17 2007 -0600 Untabified and standardized indentation of base files. commit 6f5c1bc025be78de3a8b7697720d4f65117dd4f9 Author: John Bowman Date: Mon Apr 9 14:34:45 2007 -0600 Update documentation. commit 978a35b1855f746833c92c6f42cb68cbfd4678c4 Author: John Bowman Date: Mon Apr 9 14:27:36 2007 -0600 Added spline interpolation routines. commit f45ad4098c648fef4889d649ebe701d47a8a0c56 Author: John Bowman Date: Mon Apr 9 11:41:35 2007 -0600 Add Olivier Guibe's interpolation module and example. Remove long examples from the documentation. commit 986a448e0cb005a22c5eadc5570abb757a217432 Author: John Bowman Date: Mon Apr 9 09:45:10 2007 -0600 Document syzygy module. commit e80ec64fb44ba22c33a46961e8334ddb07dc4c21 Author: John Bowman Date: Mon Apr 9 09:35:49 2007 -0600 Remove default initializers. commit 1eeeb6a07e44f8331e54665ad7b92b6df3b2581d Author: John Bowman Date: Mon Apr 9 09:30:08 2007 -0600 Fix surface lighting. commit e613138e71f008bea5167a34aa5e9e014de676ee Author: John Bowman Date: Mon Apr 9 00:27:58 2007 -0600 Update documentation. commit 10a32373996329021cbf79ceef6e0b8b53805822 Author: John Bowman Date: Mon Apr 9 00:26:01 2007 -0600 For parameterized surfaces, rename bool oriented=true to bool outward=false. commit 0544dc63934c2a48bf7647e3ae033f8e881c471a Author: John Bowman Date: Sun Apr 8 23:54:01 2007 -0600 Improve discussion of surface orientation. commit b4ddf284949a3b45c9284de6a70b8a9f350658f9 Author: John Bowman Date: Sun Apr 8 23:27:13 2007 -0600 Document oriented option for drawing surfaces. commit e38a112f2f848020fb656fe0ba122b624e3bf943 Author: John Bowman Date: Sun Apr 8 22:52:43 2007 -0600 Choose locally outward surface normal only for nonorientable surfaces. commit 1eb940f8367a1dfaa27f8b0ce6a54ef9be61622d Author: John Bowman Date: Sun Apr 8 21:41:35 2007 -0600 Make ^^ return a path3[] instead of a guide3[] for consistency with the 2D routines. Remove spurious specifier when writing a guide3. commit 2102439b301dad154e7a0bfb3b1acf67e76e03b3 Author: John Bowman Date: Sun Apr 8 17:43:53 2007 -0600 Document string array reads under line mode. commit eb31e3b3bfd1289bdbb23b307abfb82cf0e40dbf Author: John Bowman Date: Sun Apr 8 17:31:00 2007 -0600 Add white-space string delimiter mode word(file, bool b=true). commit 134e8461c07f07602882ba0a8f0345ddd9f50997 Author: John Bowman Date: Sun Apr 8 12:25:39 2007 -0600 Explicitly write EPSF in output header rather than relying on dvips -E option (which doesn't work for even the first page of multipage documents). commit a146939bda5fbfacffbc62ea05e2fe538e318c8f Author: John Bowman Date: Sat Apr 7 23:21:51 2007 -0600 More guide3 to path3 changes. commit 3fef11043aa5c73e2005076490e32aab76f8a9f2 Author: John Bowman Date: Sat Apr 7 19:40:01 2007 -0600 Revert csv comment changes. commit d190952a8ee8b4009ce39fd1317452d1e196262e Author: John Bowman Date: Sat Apr 7 19:37:09 2007 -0600 Remove spurious diagnostic. commit ddcfae950a3b57e7e732adffe9073f9a08104d13 Author: John Bowman Date: Sat Apr 7 18:43:10 2007 -0600 Standardize path vs. guide. commit 0a2ff0aecd3a54ddc3d83670684860d8962bea4b Author: John Bowman Date: Sat Apr 7 18:42:27 2007 -0600 Update fixed graph size documentation. commit c002cc241415f7f20c12eae447ae7b6108465c65 Author: John Bowman Date: Sat Apr 7 18:41:29 2007 -0600 Added header comment line. commit 034f0ba8b413d7e75cd5929c9116a67cf2f9782b Author: John Bowman Date: Sat Apr 7 18:40:09 2007 -0600 Standardized indentation. commit 3d286f1ad28dfeb14995285e612f6dc1b0b2d330 Author: John Bowman Date: Sat Apr 7 18:38:28 2007 -0600 Allow escaping of comment character in strings. Disable comment character when reading raw characters with getc(file). commit 8bb86ef5431af89f942bfb99596cc39f225e02ea Author: John Bowman Date: Sat Apr 7 02:10:49 2007 -0600 Added -E option to dvips to force it to denote the file as EPSF (we nevertheless discard the computed dvips bounding box information). commit c24dd3e68d82f70181d174d5fa7577c5698731e9 Author: John Bowman Date: Fri Apr 6 16:25:57 2007 -0600 Document reltime, relpoint, and midpoint routines. Add 3D midpoint routine. Standardize path arguments names. commit 389a7ed6ce7db8b3aadd86617076a9d107cefb03 Author: John Bowman Date: Fri Apr 6 00:31:29 2007 -0600 Clean up _slide*_.aux files. commit d8963113b0f5387409812cc06c85ad6d911cc73c Author: John Bowman Date: Fri Apr 6 00:19:31 2007 -0600 Updated intro.asy to Andy's talk at the University of Alberta. Addded syzygy module and knots.asy example. commit a68182f723175d7d1d6e11f64b449358934db02a Author: John Bowman Date: Wed Apr 4 09:16:45 2007 -0600 Choose correct surface normal when calculating lighting. Added Klein bottle example. commit 44c51f23f44b0a2f9853b917cad53d1ae54e06c0 Author: John Bowman Date: Tue Apr 3 23:14:18 2007 -0600 Removed unused sign. commit fcfc8dff3345a7c64404f699c5faf1e99babedaa Author: John Bowman Date: Tue Apr 3 09:22:21 2007 -0600 Remove unused dependency on LaTeX "rotating" package. commit 1144f27dbba5d4734ad8746ebd2e6b227b752973 Author: John Bowman Date: Mon Apr 2 11:29:48 2007 -0600 Clarify nonroot install instructions. commit 112c4a2ae2e4da7d2e88a0cf59b7d14831cfb025 Author: John Bowman Date: Sun Apr 1 13:48:00 2007 -0600 Allow one to control the minimum width and height of flowchart blocks separately. commit 6976bf5a630648ce63974c1d4bcae61e81580d33 Author: John Bowman Date: Sun Apr 1 03:16:23 2007 -0600 Incremented version to 1.25svn. commit eb0466e26e50f623a19e92d6d684e7c2771f533f Author: John Bowman Date: Sun Apr 1 02:37:10 2007 -0600 Fix formatting. commit d90199bc8d3066e009bc306a9983fd1ce6c2791d Author: John Bowman Date: Sun Apr 1 02:33:59 2007 -0600 Simplify makefile. commit 0794098153d3c097dd9be059912e8658b4e28aa6 Author: John Bowman Date: Sun Apr 1 02:24:24 2007 -0600 Fix backslash. commit 3a142a13eb12dee1253557ff936b960e018b9fe8 Author: John Bowman Date: Sun Apr 1 01:57:57 2007 -0600 Fixed typo. commit 38ef4f4978789996ca500ba495f2b4c1be857f76 Author: John Bowman Date: Sun Apr 1 01:51:53 2007 -0600 Fix __CYGWIN__ preprocessor test. commit 77d574f2d4fdc16254540a407a5d1629ec98a6dc Author: John Bowman Date: Sun Apr 1 01:36:06 2007 -0600 Fix binary space partition camera positioning. commit a34cfc8fb00166570506ded46b3d024c95ca7223 Author: John Bowman Date: Sat Mar 31 22:19:34 2007 -0600 Added 3D version of intersectionpoints routine. commit b0c9a79c7c500a149f7c780827aa75fc072c9083 Author: John Bowman Date: Sat Mar 31 20:00:15 2007 -0600 Add optional fixed block size specifiers. commit 40802aaae2756ff7e6668921e6698fa61be9c13c Author: John Bowman Date: Sat Mar 31 13:49:01 2007 -0600 Remove workarounds for real[1][] bug fixed in 1.24-37. commit 57e77ec4271d174065bb0bfdf82b2c6bcc821421 Author: John Bowman Date: Sat Mar 31 13:43:59 2007 -0600 Reimplement display. commit 9799ea22f5867510164c10a54ca80cc63715e9c5 Author: John Bowman Date: Sat Mar 31 10:40:17 2007 -0600 Change && to &. commit 94fd36e90228618768848c0162bab480d14e9c2b Author: John Bowman Date: Sat Mar 31 10:39:02 2007 -0600 Change && to &. commit 33de1657b03bc42320c5eb86c98b1e9e11c45881 Author: John Bowman Date: Sat Mar 31 10:35:47 2007 -0600 Change && to &. commit b71d943ae2d9dcd130b67933eafa2428c078bbac Author: John Bowman Date: Sat Mar 31 10:33:03 2007 -0600 Update fontsize to use fix-cm.sty instead of type1cm.sty. commit 6d18e0cef3231caebc862301faf802311ecb1c40 Author: John Bowman Date: Thu Mar 29 11:37:29 2007 -0600 Clear errors encountered via debugging _eval. commit b882d4513c2afe98f2e0ca3f2b93af3d38969cdc Author: John Bowman Date: Wed Mar 28 12:57:14 2007 -0600 Fix default y tick values. commit 2454bf7bca0d52ee0c11ab9476d50227e176eb70 Author: John Bowman Date: Wed Mar 28 08:52:23 2007 -0600 Update MacOS X binary URL. commit 2b12ce9878dbd75656f6fc8553d82f0b7769b8d7 Author: John Bowman Date: Wed Mar 28 08:07:49 2007 -0600 Make angle(rotate(x)) always return x (mod 360). commit 8ee58e155eec492326e076bff8d8f027eb59c96f Author: John Bowman Date: Tue Mar 27 12:17:00 2007 -0600 Remove spurious line break after syntax errors. commit 6d1584acca30bccab6be9e94670bae9a0daf5d50 Author: John Bowman Date: Tue Mar 27 09:41:53 2007 -0600 Update URL. commit 8506d3604012b3ad4f3e6dea7ae975885427fea6 Author: John Bowman Date: Tue Mar 27 09:34:58 2007 -0600 Fix segmentation fault in Dumoulin's C++ port of Burke's Triangulation routine. commit f14aae102619fb51eadfb85a752f0d397e5dd257 Author: John Bowman Date: Tue Mar 27 08:05:53 2007 -0600 Fixed new real[1][] bug. commit e5c50a3081ca75bfb3a53abbe035c088d35cb565 Author: John Bowman Date: Tue Mar 27 07:36:38 2007 -0600 Added bitwise NOT function. commit c87a4702b5a22089740bca982354de10372f7ea9 Author: John Bowman Date: Tue Mar 27 06:54:12 2007 -0600 Rename intersect arguments to correspond to documentation. commit 24999ddf3c831ed9826e84de4b03d52caea257d6 Author: John Bowman Date: Tue Mar 27 06:53:31 2007 -0600 Fix segmentation fault given real[n][0] data array. commit aaacb7bb0e0b6bc0cdd1f7f07fc1790b58799b2e Author: John Bowman Date: Mon Mar 26 13:28:28 2007 -0600 Added missing tensorshade picture arguments. Fixed ambiguity with "asy plain_picture.asy" test. commit 35554fb9280a9c780d69737f512aabfedcb10a44 Author: John Bowman Date: Mon Mar 26 13:21:56 2007 -0600 Change array op && to &. commit 94c5fb19f5f155d33b121d136a8d7474e4c94420 Author: John Bowman Date: Mon Mar 26 07:41:10 2007 -0600 Use hard-wired postscript-to-tex scaling for clipping, rather than calculating it from defaultmatrix, to support explicit post-scaling of eps figures (e.g. with \includegraphics). commit c08a992e5e0347f07b5683e6bd4984704abaf8c0 Author: John Bowman Date: Mon Mar 26 05:52:05 2007 -0600 Document multidimensional array initialization. commit 075bdcdcee1b2265977c57a9cde43760e1b3b273 Author: Andy Hammerlindl Date: Sun Mar 25 22:56:55 2007 -0600 commit 8ec594d671d9ee9ab1413338acdde4267f09fc30 Author: Andy Hammerlindl Date: Sun Mar 25 22:10:05 2007 -0600 Removed array checking from && and ||. commit 075f7a044afe33940236a9c4c214cfeaad3f17c8 Author: John Bowman Date: Sun Mar 25 01:24:51 2007 -0600 Revert 1.24-20. commit ee2164a96b22a92cf9ed7d619f91715269150189 Author: John Bowman Date: Sun Mar 25 01:05:02 2007 -0600 Document null instances of structures. commit 3b60ad1a87c5abc1ef0787af4aa5451e5a0fd169 Author: John Bowman Date: Sun Mar 25 00:53:13 2007 -0600 Use null initializer for binarytreeNode. commit 34f6924ccfa298c0d26b33db8dba9da749c3a8d6 Author: John Bowman Date: Sun Mar 25 00:23:46 2007 -0600 Added & and | boolean operators which work like && and || except that they always evaluate both arguments. Renamed array boolean operators && and || to & and |. Added AND, OR, and XOR bitwise functions of two integers. commit 9e706d5ee15c8dbf9819b5312822fc7520a01937 Author: John Bowman Date: Sat Mar 24 12:19:48 2007 -0600 Fix intro.pdf target. commit c873f8f32bd379219745c525ece0ca1958d51563 Author: John Bowman Date: Sat Mar 24 11:28:46 2007 -0600 Simplify and improve implementation of figure(). commit 72bbad4b5a7824d4289c68048e7bcd989509c6e1 Author: John Bowman Date: Sat Mar 24 11:28:08 2007 -0600 Use invisible figuremattpen for Asymptote logo. commit 9612c0baa049b7cee97da93edcc6ea2ecbeb3400 Author: John Bowman Date: Sat Mar 24 11:27:25 2007 -0600 Enclose PostScript clipping code with gsave and grestore. commit 343e5997cffbdbfca15be8f76860383c8215f6b4 Author: John Bowman Date: Sat Mar 24 11:25:52 2007 -0600 Move camera for infinite projections. commit 0e54a478c8a5493836cb768177361c27c81b13e0 Author: John Bowman Date: Thu Mar 22 21:41:41 2007 -0600 Allow | as binary operator. Remove || and && from list as they always expand to a ? true : b and a ? b : false. commit 9747370ce3fd2fa51fdf797a8d77e3d63d8a0d44 Author: John Bowman Date: Thu Mar 22 01:34:13 2007 -0600 For infinite projections, move camera to outside of bounding box. commit 93dec9da6affa79af424914424ebcec1653398fa Author: John Bowman Date: Wed Mar 21 06:42:18 2007 -0600 Fix binary space partitioning for projections from infinity (oblique and orthographic). Generalize perspective projection to allow any target point. commit d7a1ebcc32a4f23eb799c49edea0cd80c58948c2 Author: John Bowman Date: Mon Mar 19 01:23:53 2007 -0600 Use local projection consistently in binary space partition splitting. commit edd4e9b3041869b5dc0009e5cb362d6e33a066af Author: John Bowman Date: Sun Mar 18 06:33:03 2007 -0600 Check for tension < 0.75. commit dfd1fe22894aaa0f0b187355e5b2ae3522abc585 Author: John Bowman Date: Wed Mar 14 22:18:10 2007 -0600 Update documentation of the implicit initializer for structures. Remove operator init() initializers that are no longer needed. Initialize Tension in three.asy with sensible defaults. commit 0ecb68b4f3b77fd1209fd7216de26a8ea18a43b6 Author: John Bowman Date: Wed Mar 14 00:47:33 2007 -0600 Support multiple pdf animations in inlinetex mode. commit 3a448743613ea1c0d3b76d3b198277862933777e Author: John Bowman Date: Wed Mar 14 00:46:44 2007 -0600 Minor reorganization. commit a79dad027e794ce6c1ce6bf45e48d667c6292694 Author: John Bowman Date: Wed Mar 14 00:44:28 2007 -0600 Format. commit f37633940d041d83ba87555b72b14448d93c8594 Author: Andy Hammerlindl Date: Tue Mar 13 21:48:12 2007 -0600 Add automatic record initializers after the records are defined. commit 945347dfb0a151559683d2de6d9bb43f32d6a1f0 Author: Andy Hammerlindl Date: Tue Mar 13 21:37:27 2007 -0600 Added note about loop translation. commit 65d305d1d6c8bf8f4c3901abb9a62301d406a55c Author: John Bowman Date: Tue Mar 13 01:23:43 2007 -0600 Input LaTeX preamble only in inline mode. commit bc2eb60aef3d9eb856754d0fb5f78ea39a698c3c Author: John Bowman Date: Tue Mar 13 01:14:55 2007 -0600 Work around pdflatex bug. commit a00caf67c40dc0a3aac245cb48e0570ebb7ef23e Author: John Bowman Date: Tue Mar 13 00:34:06 2007 -0600 In inlinetex mode, communicate the asy texpreamble to TeX via \jobname_.pre. Remove asypreamble environment; corresponding Asymptote commands should now be put in the asydef environment. commit b81e30903180f8e7484a71d3a5bd1b4747f2e4ca Author: John Bowman Date: Sun Mar 11 17:49:13 2007 -0600 Minor updates. commit 5bad764fa7566f1ffd55e21b8d3b21375789a6ac Author: John Bowman Date: Sun Mar 11 12:23:17 2007 -0600 Make Ghostscript dependency explict for MSWindows. Check for GPL Ghostscript as well as AFPL Ghostscript. commit 7f0756bea504dd1757cd36786b24cbf9c77f39c9 Author: John Bowman Date: Sun Mar 11 11:15:00 2007 -0600 Minor clarifications. commit 50f44e45dad41a856c3761a46b32c806bc6a9d56 Author: John Bowman Date: Sun Mar 11 10:30:10 2007 -0600 Simplify MSWindows registry lookup. commit 0f83019e080aa3e30ef15265510874c35566a9ed Author: John Bowman Date: Sat Mar 10 01:52:49 2007 -0600 Incremented version to 1.24svn. commit 41136ee276c09cbebf2adbe85f17b5a2a59c958d Author: John Bowman Date: Sat Mar 10 01:13:56 2007 -0600 Fix cxx warning. commit 48deb18c78765d5d568fe118af97dd32d94296aa Author: John Bowman Date: Sat Mar 10 00:56:52 2007 -0600 Autoconfigure under MSWindows by querying the registry, so that Asymptote and the applications it depends on may now be installed in any location. commit e72fbc666cfe970f1e6f9071282cffd9c0e21839 Author: John Bowman Date: Sat Mar 10 00:52:43 2007 -0600 Check if hint is set before accessing it. commit ef4585636df941aebbcc644da75bf0efe864c0b2 Author: John Bowman Date: Sat Mar 10 00:18:41 2007 -0600 Fix import gsl under MSWindows. commit 96516a2f3962a449794e32c55df6ab829cc39607 Author: John Bowman Date: Thu Mar 8 23:35:13 2007 -0600 Simplify implementation of texpreamble environment. commit 8409e9082abae2880c6b34d6aadc3dbc94b066e6 Author: John Bowman Date: Thu Mar 8 23:03:33 2007 -0600 Fix typo. commit 45214f111b7624a440ce0c06c433473c6d8aadd3 Author: John Bowman Date: Thu Mar 8 22:59:11 2007 -0600 Add empty postenvironment definitions. commit 1ae539fa6b5086c888ffe7ec867f9ae8dc747239 Author: John Bowman Date: Thu Mar 8 22:35:25 2007 -0600 Add texpreamble environment to contain the LaTeX preamble for both LaTeX and Asymptote. commit 7c35840227fb6ed47caaca66151a7c7580aa0558 Author: John Bowman Date: Thu Mar 8 12:44:25 2007 -0600 Remove unused line. commit 3fb97fb770706084c7f861439c4022ed33edc879 Author: John Bowman Date: Thu Mar 8 00:43:48 2007 -0600 Add autoimport option. commit 9067d6a86f046363dcf0866c6c8cf4995da6296f Author: John Bowman Date: Tue Mar 6 12:17:22 2007 -0600 Allow shipout to write to other directories if and only if -global is true. commit d51027228f2c19d7ed6105965ba9ceef86e47feb Author: John Bowman Date: Tue Mar 6 01:25:30 2007 -0600 Ensure colon is catcode other (12) so that TeX includes like \usepackage[frenchb]{babel} don't break inlinetex mode. commit 719b2629105273aee7e305c14c525f490916a69c Author: John Bowman Date: Mon Mar 5 16:05:53 2007 -0600 Fix background picture sizing. commit 5e7740180fd2443186313e1d3ca75f24756fe9a4 Author: John Bowman Date: Mon Mar 5 15:58:47 2007 -0600 Set background size. commit 4e53202a7842f7b70c98b7e9d261b6876b0795a3 Author: John Bowman Date: Mon Mar 5 03:51:51 2007 -0600 Incremented version to 1.23svn. commit e51ba11fadb17a7143209a488946b0afd8022734 Author: John Bowman Date: Mon Mar 5 03:01:16 2007 -0600 Added missing header. commit 43f28e4087ee950538d510d9a0ed3202afaad9d2 Author: John Bowman Date: Mon Mar 5 02:33:43 2007 -0600 Support legends in both forms of 3D contour drawing routines. commit 569ae970d8db7d95d58fdfce5712cf4c23316f41 Author: John Bowman Date: Mon Mar 5 02:31:49 2007 -0600 Support legends in 3D contour drawing routines. commit 2afb1187ff55ec41489dbbb1ea5ae2bbf52b2b0f Author: John Bowman Date: Mon Mar 5 01:58:37 2007 -0600 Add discussion of icomma package. commit e7dff4a2871bac88f3eca8092d03fd0d824e4ee4 Author: John Bowman Date: Mon Mar 5 01:44:32 2007 -0600 Fix format(-0.5) under locales with nonperiod decimal separator. commit 1f32d4f244925636cdc8e3a4ee7bc81e33247757 Author: John Bowman Date: Mon Mar 5 01:17:12 2007 -0600 Mention link page, including user-written Asymptote tutorial. commit 1efe402b1f06f8324bb28baef1afdb5f7ae5fe87 Author: John Bowman Date: Sun Mar 4 13:17:33 2007 -0600 Add predefined markers. commit 8cf34dbca37b1a0591cfd1ab8b25e86d3f6da30f Author: John Bowman Date: Sun Mar 4 12:18:45 2007 -0600 Minor edits. commit 00c3be6095cb906455e9add45fd09a62c2db8bc2 Author: John Bowman Date: Sun Mar 4 12:10:23 2007 -0600 Renamed markuniform(int n, frame center, bool rotated=false) to markinterval(int n=1, frame f, bool rotated=false), which now centers n copies of frame f within uniformly space intervals in arclength along the path, optionally rotated by the angle of the local tangent. commit 6d64c0e317ac554dc59ab485f397a0c35c5f3dc5 Author: John Bowman Date: Sun Mar 4 11:16:14 2007 -0600 Explicitly list intro.asy dependencies. commit 295ef5c7c5d9446ef413ab8c8fdc7c7ccc2670f8 Author: John Bowman Date: Sun Mar 4 01:59:30 2007 -0600 Updated marker documentation. commit 110dcddb82504ce175127fa710e8374fb2812c04 Author: John Bowman Date: Sun Mar 4 01:53:21 2007 -0600 Simplified/standardized markers interface. commit 80159d48f46ea3901eec293db16cae9bc4420fcc Author: John Bowman Date: Sun Mar 4 01:47:51 2007 -0600 Formatting. commit 962832601f3e9e90b6eb8c095387eb870a4a727a Author: John Bowman Date: Sun Mar 4 01:47:38 2007 -0600 Remove bibliography page numbers. Add Asymptote logo to intro.asy. Change clearpage to eject to avoid extra page. commit f8bc8a7b1fb503c436af8186535600ff17be0ec0 Author: John Bowman Date: Sun Mar 4 01:45:34 2007 -0600 Draw minor ticks below palette box. commit a6a66a28cf1e8c392535cfbd6ff6c04da4b72f03 Author: John Bowman Date: Sat Mar 3 22:08:48 2007 -0600 Add short description of slide presentation package. commit 5c84f25b91ffe0e4314f1b964874ad5c05d59d09 Author: John Bowman Date: Sat Mar 3 20:33:03 2007 -0600 Remove directory qualifier. commit 53f814b6cb83a889bdd308363c2d1f9f40872c95 Author: John Bowman Date: Sat Mar 3 20:32:42 2007 -0600 Import pdfanim. commit 737c32260dac29c8bde3515febbed216a644afb3 Author: John Bowman Date: Sat Mar 3 20:31:52 2007 -0600 Check incoming array bounds. commit 6de5f36de58ea78b64c0b8a0d37ea43eb330055a Author: John Bowman Date: Sat Mar 3 18:48:39 2007 -0600 Show page numbers on subsequent bibliography pages. commit ed62ed3343292791f5477d367afdd82e57a0b6f5 Author: John Bowman Date: Sat Mar 3 15:46:09 2007 -0600 Number last page before bibliography. commit e716a018114ce9598ff41ccbd9c0f822d8f8d802 Author: John Bowman Date: Sat Mar 3 15:45:49 2007 -0600 Revert temporary patch. commit 24b6ad1e65d8f31c070120c9d4fd58bdc6b4ca8e Author: John Bowman Date: Sat Mar 3 14:37:29 2007 -0600 Add implicit pen initializer defaultpen. commit 79440c76a089e66c9414a69e53ffa4114c6ac846 Author: John Bowman Date: Sat Mar 3 14:02:54 2007 -0600 Fix concatentation of nullpaths. commit b36b0ff2a8500b758c7eb6e74b0420fb6619d71a Author: John Bowman Date: Sat Mar 3 13:32:32 2007 -0600 Make seconds return -1 instead of 0 on failure, for consistency with UNIX mktime routine. Document workarounds for unimplemented "%Z" time zone specifier to seconds. Improve diagnostic. commit 9d009d9cd6f24e8718bb070443cfb5a5548c99aa Author: Philippe Ivaldi Date: Fri Mar 2 16:06:35 2007 -0600 Minor changes/updates. commit cef22845c934ef9ce1d3b3283a716da51cc1d105 Author: Philippe Ivaldi Date: Fri Mar 2 13:43:16 2007 -0600 Replacing the parameter 'frame markerframe=newframe' by 'marker marker=nomarker' in the routine 'markangle' of 'markers.asy'. commit 14770fb363a0e22d8567bbf2cd12e07317459579 Author: John Bowman Date: Fri Mar 2 01:16:21 2007 -0600 Don't output texpreamble in inline mode. commit 6bf22cd5c542932bcc16a4bd2eb13dc0c4924164 Author: Philippe Ivaldi Date: Thu Mar 1 16:28:33 2007 -0600 Correct typo. commit bbb56abd6df169c548416d28fbacabb496b122a8 Author: Philippe Ivaldi Date: Thu Mar 1 16:15:58 2007 -0600 Documentation of the package markers.asy. commit c51dfc0ef6f4f9a6bb4b0763a8468dbaeee081a8 Author: John Bowman Date: Thu Mar 1 10:01:41 2007 -0600 Added routines to facilitate drawing 3d contours. commit aeb93083ebf797ae7ea89fd8603fe1bc86ce8e04 Author: Philippe Ivaldi Date: Thu Mar 1 09:37:30 2007 -0600 Examples about the modules markers.asy commit 7e9811263c6e476a8319b267e2628d00c4e55aaf Author: Philippe Ivaldi Date: Thu Mar 1 09:12:30 2007 -0600 Others mark routines and markers. commit 5f357b465b01ad8453669cdd0e68cda959a2fe50 Author: John Bowman Date: Wed Feb 28 23:55:57 2007 -0600 Implemented binput and boutput functions for reading and writing in the native (nonportable) machine binary format. commit 619e0eb074bd696e477f554ad39e05a1e2abba59 Author: John Bowman Date: Wed Feb 28 18:54:28 2007 -0600 Document local installation. commit 5abac133b9a2e39f7de51b3e78d7ec2264844c79 Author: John Bowman Date: Wed Feb 28 18:29:42 2007 -0600 Fix uninitialized 'this.130' warning message from gcc 4.1.1 and 4.1.2. commit 589714ecf3020dbd8343d30e2f2b563b4cfcb2a1 Author: John Bowman Date: Wed Feb 28 14:56:44 2007 -0600 Fix bool latex() and pdf(). Remove lscape dependency and need for autorotation in slide.asy. commit a2b08e65ba2025acfd9a783b11228a7e9b9ad033 Author: John Bowman Date: Wed Feb 28 13:40:49 2007 -0600 Reactive begingroup. commit 8346e1f95f11c3bc8eddca970b98d97fc82314d5 Author: John Bowman Date: Wed Feb 28 01:35:32 2007 -0600 Fix cxx errors. commit 5a91b91d46484cabb85106964da62a8474e56124 Author: John Bowman Date: Wed Feb 28 01:28:39 2007 -0600 Remove unused configuration variable AC_HEADER_STDBOOL. commit d90520bc7ce05c294cb459fc7de59aeb7f6ff72e Author: John Bowman Date: Wed Feb 28 01:17:09 2007 -0600 Fix cxx errors. commit 00286c95eb86c6ca13b928d6e896284f4b40e090 Author: John Bowman Date: Wed Feb 28 00:58:30 2007 -0600 Move mem::list out of common.h due to ambiguities under old cxx compiler. commit 4605357c6055cf45d3dcef9ffc22abdaa3ad227f Author: John Bowman Date: Wed Feb 28 00:09:49 2007 -0600 Impose -finline-limit=400 on old (< 4.0.0) compilers to greatly speed up compilation. commit 94461d882cc2220b0a3f1cf90be4266e776efa6d Author: John Bowman Date: Tue Feb 27 21:00:26 2007 -0600 Put global name space qualifications in new common.h file. commit 09c9b3fa75c27d24b1b5c878ac4b168cefbda878 Author: John Bowman Date: Tue Feb 27 11:08:33 2007 -0600 Make tex pipe aware of a previously generated aux file. commit cb136567a0559ceb1e03cbbda415fc09730b92b8 Author: John Bowman Date: Tue Feb 27 09:58:53 2007 -0600 Fix makefile dependencies. commit cd0a6ca21f10584d53ce99755d1b1d613b8e6750 Author: Andy Hammerlindl Date: Tue Feb 27 08:42:56 2007 -0600 Fixed inTranslation to handle frames for loops. commit 3be97ec517574378d66b17fdd56fffa648f4c4b0 Author: John Bowman Date: Tue Feb 27 01:10:31 2007 -0600 Temporarily fix svn builds. commit 1b0ecce40c2506006f6cc50a02c4e627eae7f375 Author: John Bowman Date: Tue Feb 27 00:50:54 2007 -0600 Temporarily disable aux file input. commit 19cbe577536297a610ab82d0594cf319790f8f10 Author: John Bowman Date: Tue Feb 27 00:40:30 2007 -0600 Fix further memory leaks. commit e9d3303233bca786e89f4e93e350ae47bf7d745c Author: John Bowman Date: Mon Feb 26 23:10:23 2007 -0600 Fixed segmentation fault. commit 958c6cef19c04de0233b8c74f225b92622a96832 Author: John Bowman Date: Mon Feb 26 22:53:35 2007 -0600 Possible workaround for Makefile problem on Debian. commit 8d5616d89c2ee990f99f41cd77f09ae0c3033340 Author: John Bowman Date: Mon Feb 26 22:37:06 2007 -0600 Fix memory leaks by using mem::string, mem::istringstream, mem::ostringstream, and mem::stringbuf everywhere. commit c1c5d708a113372efded3d150becdaaf448939e6 Author: Andy Hammerlindl Date: Mon Feb 26 20:03:46 2007 -0600 Explained lifetime of loop variables. commit 0f5fdcb427cb50132a5fd75fcc3ea66afd6c339e Author: John Bowman Date: Mon Feb 26 18:22:21 2007 -0600 Update discussion of local variable allocation in loops. commit 8fa2bbc07e668d81994fe7c5a175785e2c846625 Author: Andy Hammerlindl Date: Mon Feb 26 10:07:53 2007 -0600 Added documentation on static qualifiers in loops. commit 24ebb6ed94fc72834fc65c5810bfb32fc86cb70d Author: Andy Hammerlindl Date: Mon Feb 26 09:41:28 2007 -0600 Removed completed TODO item. commit 1e853994a00f8f03ff38224f72c45938fc5341a6 Author: Andy Hammerlindl Date: Mon Feb 26 09:40:41 2007 -0600 Allocate variables in a loop iteration in their own frame. commit b02f3e9e89a9a238776865964130c6f59acc81b0 Author: John Bowman Date: Mon Feb 26 01:36:35 2007 -0600 Force outputformat to "pdf". commit 9774670154436e67834ffa5aa1bbc318e08e19be Author: John Bowman Date: Mon Feb 26 01:35:40 2007 -0600 Set outformat to pdf. commit aa62a61b2cfd4bbd17921f16efd87361bed9f7d4 Author: John Bowman Date: Mon Feb 26 01:34:34 2007 -0600 Remove unwanted texput.pdf file. commit 1f79220f7fabf8fa77bc793ff6496fd13f3b8ad0 Author: John Bowman Date: Sun Feb 25 12:22:00 2007 -0600 Load color package even for TeX pipe. commit 4704954e697f43814036a265aa24167a44094110 Author: John Bowman Date: Sun Feb 25 12:12:13 2007 -0600 Formatted. commit a22b8a5f2ed5c58ecb71011b002aea4bb18f6cf4 Author: John Bowman Date: Sun Feb 25 12:01:12 2007 -0600 Avoid duplicate .aux file inclusion (and duplicate labels). commit 8457c22a764d521431306d6e5f2ee35f696bfeb1 Author: John Bowman Date: Sun Feb 25 10:54:30 2007 -0600 Removed extra blank lines in tex pipe diagnostics. commit bcd456adaa56865795a56fd79e30c06035eb3906 Author: Philippe Ivaldi Date: Sun Feb 25 09:08:43 2007 -0600 Improve the function 'perpendicular' of geometry.asy. Add operator +(margin,margin) in plain_magin.asy. commit 7e615740d62fb8a03a860096dbe171a24629ad26 Author: John Bowman Date: Sun Feb 25 09:02:11 2007 -0600 Simplified bullet command. commit 39ebe210dbaf2d88b8718f2c133e67b30a3b2976 Author: John Bowman Date: Sat Feb 24 20:47:11 2007 -0600 Load correct base files. commit dd1c4f3889bcf345d3ecc51c073a943cf2e18fb3 Author: John Bowman Date: Sat Feb 24 18:23:36 2007 -0600 Simplify skeleton routine interface. commit a3bef6031cc2d11cacaa9591384e5944e34a5f22 Author: John Bowman Date: Sat Feb 24 18:15:39 2007 -0600 Split skeleton routines to provide finer control. commit 6c5626ec4b4ddfd42d290201f7380d6fced6697a Author: John Bowman Date: Sat Feb 24 10:52:09 2007 -0600 Turn off setlocale warnings when not debugging. commit eb64a46e3c5258f2ab2961806137d68432cff2f8 Author: John Bowman Date: Sat Feb 24 10:51:43 2007 -0600 Use namespace setitings. commit 0e186293fc0ef7e9f1f225a3eeb9352befef0a47 Author: Philippe Ivaldi Date: Sat Feb 24 04:52:50 2007 -0600 Correction of ps/pdf-view-command documentation. commit f04de4b85808c9ea00408d5980193a6c4131e399 Author: John Bowman Date: Thu Feb 22 14:21:01 2007 -0600 Fix hyphens and formatting in man page. commit 87be657999a27707a9f350d12af9c5bc397ffbdd Author: John Bowman Date: Thu Feb 22 14:06:48 2007 -0600 Change autorotation to true. commit 7b0e270e5d124a8461eef2e0bf16358ce23e5704 Author: John Bowman Date: Thu Feb 22 13:49:10 2007 -0600 Updated Debian binary site. commit 7250ad829c9c7ff62af5f6b7becf6e9b87f0831f Author: John Bowman Date: Thu Feb 22 01:36:59 2007 -0600 Generate more missing files. commit 2838d55fb10875f0b1e3a5507a5d56ed5a3fda01 Author: John Bowman Date: Thu Feb 22 01:34:49 2007 -0600 Autogenerate missing files. commit 89d1e10b78ece25ee7d849842c3d1b67d0d21a24 Author: John Bowman Date: Thu Feb 22 01:17:06 2007 -0600 Make eof set fail bit. commit dd617e23ff042a645799765c026d957a26174abb Author: John Bowman Date: Thu Feb 22 01:14:51 2007 -0600 Make eof set fail(). commit c8ef33f8c97613f20661d59e66e8adb203dd3298 Author: John Bowman Date: Thu Feb 22 00:45:12 2007 -0600 Removed duplicate sentence. commit 2d3e33840a04de9dfe992aa7e6918bc2123c0233 Author: John Bowman Date: Thu Feb 22 00:43:07 2007 -0600 Added introductory Asymptote slide presentation (intro.pdf). Added keepaux option to keep intermediate LaTeX aux files. Added example filegraph.asy of graphing columns of data from a file. commit 6d3d08232d56387bf8bf380dd2276e00f5dbca82 Author: John Bowman Date: Wed Feb 21 22:40:34 2007 -0600 Fix logarithmic tick labels near the machine epsilon. commit 7cb527aa0f797fac93c55361a73b681520d79b1a Author: Philippe Ivaldi Date: Wed Feb 21 11:29:15 2007 -0600 typo correction. commit a99f04bf33f835cd01e18992f017c054ecd23a65 Author: John Bowman Date: Wed Feb 21 10:56:54 2007 -0600 Remove alien to deb conversion documentation. commit 38901d8c23decbfa17f315764c8df364bed9b0d6 Author: John Bowman Date: Wed Feb 21 10:47:55 2007 -0600 Support slide bibliography under pdflatex. Add string file(string) which reads file as a string, and verbatim typesetting command. commit d55d529c634b42bbdfb154599846e194077931e4 Author: John Bowman Date: Tue Feb 20 22:52:11 2007 -0600 Added missing space. commit 0db3c87ea569656db60ae7b6c9c14c34d26a9278 Author: John Bowman Date: Tue Feb 20 00:01:03 2007 -0600 Fix typo. commit 67315f9b3532b56be11642bb4658c40bcc8d0660 Author: John Bowman Date: Mon Feb 19 23:52:40 2007 -0600 Added backgroundcolor and foregroundcolor. commit aab77966ac5949fe473ff6ba8283c013f405adbf Author: John Bowman Date: Mon Feb 19 23:51:23 2007 -0600 Implement colorspace command for extracting colorspace of pens. commit e3d25c1625df9a46f7931ca4ee11785cbfa40fef Author: John Bowman Date: Mon Feb 19 23:50:50 2007 -0600 Implement verbatim command. commit 29f7efe9c211530c3644174e85a615802390af83 Author: John Bowman Date: Mon Feb 19 10:58:21 2007 -0600 Incremented version to 1.22svn. commit 530cee38deab33c6bb6f258343780dd50f115064 Author: John Bowman Date: Mon Feb 19 10:08:21 2007 -0600 Fixed cxx warning. commit 71299d099650766e53d29a402955fe21dd802e91 Author: John Bowman Date: Mon Feb 19 09:56:20 2007 -0600 Fixed typo. commit 3d95261cbf08da1f78eeae90649f139955bf0d1f Author: John Bowman Date: Mon Feb 19 09:18:14 2007 -0600 Allow DEFCOLOR when promoting colorspaces. commit 1648096a4682a22040b6b5d25ffcfcc3ae8e9b8c Author: John Bowman Date: Mon Feb 19 01:54:23 2007 -0600 Automatically promote colors to highest colorspace in shading and image routines. Fix grayscale and cmyk latticeshading. Significantly increase speed of image processing by caching bw, gray, rgb, and cmyk settings in a global variable. commit 060ec7b110baba9ce843160f0496e3374d74bbfb Author: John Bowman Date: Mon Feb 19 01:51:41 2007 -0600 Update documentation of Linear scaling type. commit 739e7799707acc2b40df1bdde077f161e3c36212 Author: John Bowman Date: Mon Feb 19 01:50:14 2007 -0600 Check array bounds. commit 68a728cd54aa6f5a2938385a7cadaa978eb55e63 Author: John Bowman Date: Mon Feb 19 01:49:34 2007 -0600 Collect double-vertex contours. Increase epsilon. Fix contour fill routine. Separate contour fill routine from palette computation. commit 8e88b7bece6699bf201b38c3b9014c17b64a9d6a Author: John Bowman Date: Mon Feb 19 01:42:43 2007 -0600 Added Philippe's improved show-function-at-point fix. commit 3296b1030ef1efdcdf4aef9f98a9c8a146356b25 Author: John Bowman Date: Sun Feb 18 13:58:55 2007 -0600 Delete any existing *asy-help* buffer in asy-show-function-at-point. commit b077b3cc360fdd8db29b7000f313cfb06ce657be Author: John Bowman Date: Sat Feb 17 10:37:26 2007 -0600 Improve tick calculation when Step > 0. commit bc65ba3bfa7df77f6595c01157b7c17f8cba7b0c Author: John Bowman Date: Sat Feb 17 09:47:45 2007 -0600 Fix tick calculation. Improve zero detection. commit 7ad2d1586877b6f20100d015ef5eb635774a5c44 Author: John Bowman Date: Sat Feb 17 04:48:15 2007 -0600 Fix tick label scaling. commit c4c4905a39c572319effb6827fcbf9aefba011d6 Author: John Bowman Date: Fri Feb 16 22:19:34 2007 -0600 Remove vv from settings module. commit 8329e569bc7165fa1e527de6b6f7ad1373a27aa7 Author: John Bowman Date: Fri Feb 16 10:23:29 2007 -0600 Resolve -vv ambiguity. commit 09b37eb90a3ac72ce0bcb9961a15f7896d5684d8 Author: Philippe Ivaldi Date: Thu Feb 15 05:00:02 2007 -0600 Fix typo. commit 998c2fa3deac0139446767d0f9f65d274935419a Author: John Bowman Date: Thu Feb 15 00:37:14 2007 -0600 Fix spurious vertical shifting of bullets. Reimplemented figuremattpen. Make bibliography visible in reverse video. commit 9e6233395b63bbc959ffaacd6f319164db6703cf Author: John Bowman Date: Wed Feb 14 15:02:00 2007 -0600 Added --version option. commit c030c15fbca03914b0210fab3470799af5af718c Author: Philippe Ivaldi Date: Wed Feb 14 05:51:45 2007 -0600 bug fix in asy-show-function-at-point commit 9aa9f39611d0e229b6ac79942e73896168ea51e6 Author: John Bowman Date: Wed Feb 14 00:56:41 2007 -0600 Resolve ambiguity in intersectionpoints. commit bec36677558ed0cafb33667d4f0f1a6bafdd4f21 Author: John Bowman Date: Tue Feb 13 23:41:42 2007 -0600 Add rotated option to mark_uniform to rotate marker frames by angle of local tangent. commit 0c4f5d2faeaedf7d632b90520a7bb18df8434632 Author: John Bowman Date: Tue Feb 13 23:40:33 2007 -0600 Ignore empty picture bounds when adding pictures; simplify userBox and userClip. commit d0f942ed145abf11fde2fa9d8477bee8e23d06f9 Author: John Bowman Date: Tue Feb 13 16:08:01 2007 -0600 Update to latest autoconf install-sh and patch it to ignore -p option. commit 98607cc485eaeee9eb2d4c0302472ed7a1c9644e Author: John Bowman Date: Mon Feb 12 22:44:06 2007 -0600 Add an ASYMPTOTE_SITEDIR environment variable listing additional directories to use for generating asy-mode.el keywords. commit aa2f07afb124f788a8907694b27eca8d4e6b3d8d Author: John Bowman Date: Mon Feb 12 22:19:14 2007 -0600 Document new interactive calculator feature: expressions entered at the interactive prompt are automatically evaluated and written to stdout (provided a corresponding write method is defined). commit 4567f5d9838154710e983302f326abe95b76a8d7 Author: John Bowman Date: Mon Feb 12 21:47:36 2007 -0600 Add patch to fix an incorrect Boehm garbage collector prototype in the file gc6.8/include/gc.h (version 6.8). commit 22d41dda2545b641c1a2832345a92b0d391ace23 Author: John Bowman Date: Mon Feb 12 15:53:52 2007 -0600 Added texcommand to allow one to override the tex engine command name. commit 1c62d3d8c1bb514fb97eacf3b07333b80d304ce1 Author: John Bowman Date: Mon Feb 12 13:54:38 2007 -0600 Apply gc6.8 GC_INIT patch for AIX systems. Document gcc3.3.2curses.patch. commit c90f96075d63fbc599687077100c6418a7395710 Author: Philippe Ivaldi Date: Mon Feb 12 09:11:48 2007 -0600 Minor edit. commit c388257e763a4f2ae366b5d744f7779f5fa70429 Author: Philippe Ivaldi Date: Mon Feb 12 08:51:18 2007 -0600 Add brief documentation of lasy-mode, typing correction. commit 37491da9333a05505bbc8e0bbb0f78ba7fa08ddc Author: John Bowman Date: Mon Feb 12 00:04:47 2007 -0600 Fixed cxx warning message. commit fe1ac1c604b6a40966bf995547555fd2e9ec6245 Author: John Bowman Date: Sun Feb 11 23:51:14 2007 -0600 Fix compilation under -DNOHASH. commit e8fe41e5a84de4de2cc1bf3c5246afacf3cddb48 Author: John Bowman Date: Sun Feb 11 23:36:38 2007 -0600 Portability tweaks. commit 1a97f4303dd1bd63c322cb10d755d7dba573cc36 Author: John Bowman Date: Sun Feb 11 22:58:27 2007 -0600 Use more portable context patch. commit 6d0b90232ea1539b61a780bdb8e3235ea63719fe Author: John Bowman Date: Sun Feb 11 22:47:20 2007 -0600 Make patch more portable. commit 0bbc03244b2fa3a5c4793db2f3f7601617fe41e3 Author: Philippe Ivaldi Date: Sun Feb 11 20:07:13 2007 -0600 add (require 'wid-edit) commit 9c7416d268c126574b1e00969e3c49decb5a5f00 Author: Philippe Ivaldi Date: Sun Feb 11 19:55:37 2007 -0600 Links pointing to the files are added when one shows for the command at the cursor by the key binding C-c ? within asy-mode. commit 6da0c5ac38364b2038385d0dc288ea99c24caf38 Author: John Bowman Date: Sun Feb 11 15:32:47 2007 -0600 Add Andy's patch to store positions of definitions in entry class. Add a --where option to make --listvariables show where global functions and variables are declared. commit f7b7688158acd70cdfc1c3f3c32563716fa9c63c Author: Andy Hammerlindl Date: Sun Feb 11 11:32:21 2007 -0600 Fixed typo. commit 4c19d68b2e0e5fff7cf4b5b0f010aa058de60fd8 Author: Philippe Ivaldi Date: Sun Feb 11 08:42:07 2007 -0600 Allow to type when viewing compilation result within lasy-mode. commit 6d12264abfcc6c1dfa3326b9aec75c74bf113e8f Author: John Bowman Date: Sat Feb 10 22:57:26 2007 -0600 Fixed typo. commit b1e2adb3b5dc60d570cf8297cd7add44362efb7a Author: Philippe Ivaldi Date: Sat Feb 10 10:28:02 2007 -0600 Support of the options of the environment asy and better management of the errors within lasy-mode. commit bdb5876f7d51333e90292bab9acb70970a5927ea Author: John Bowman Date: Sat Feb 10 00:36:57 2007 -0600 Revert to gc6.8.tar.gz due to rpmbuild segmentation fault. commit fd4329a37e509b7f47342d4eba7e1f91c1d9d032 Author: John Bowman Date: Fri Feb 9 23:42:54 2007 -0600 Added surface operator * (transform3 t, surface s). commit abd9551f6272a590b9109fddb6c662fa7ec8cb32 Author: John Bowman Date: Fri Feb 9 23:24:08 2007 -0600 Check for out of bounds mesh size and array indices. Use size(frame) function for max(frame)-min(frame). commit 3312cca7b3d00b4902f45347fdd55dd2b0285d7b Author: John Bowman Date: Fri Feb 9 23:18:43 2007 -0600 Check for attempts to create negative-length arrays. commit 769c4d4bd69f1ff1d0d9cf18dc53161e1f40347f Author: John Bowman Date: Fri Feb 9 22:08:29 2007 -0600 Removed unused line. commit c9afe9d8c76477e6bbbb197167584b759e63ab36 Author: John Bowman Date: Fri Feb 9 20:53:22 2007 -0600 Implement an interface for drawing an arbitrary binary tree. commit fba9e659a0cf5f0d916c038ab496888da351f84e Author: John Bowman Date: Fri Feb 9 16:55:23 2007 -0600 Document GNU make requirement. commit 5f58b7ce5a7f53a42a1ae3f32f5728f8debb7a95 Author: John Bowman Date: Fri Feb 9 16:54:18 2007 -0600 Changed capitalization. commit 1ecec67510e605f657c87377ad9cfdd7dee79b2f Author: John Bowman Date: Fri Feb 9 16:46:39 2007 -0600 Ensure curses routines are declared with "C" linkage. commit dc38dd518284ac9e386a2f88cba8e179945c8dab Author: John Bowman Date: Fri Feb 9 15:57:52 2007 -0600 Work around broken curses.h files. commit b1606ac1b54a3bfeae1a50f2e857e9bf0678b236 Author: John Bowman Date: Fri Feb 9 13:37:34 2007 -0600 Renamed patch since this apparently affects both AIX and SGI systems. commit 8c0137405e6e96d01f315f3ac5b15c6764e42cb6 Author: John Bowman Date: Fri Feb 9 01:27:54 2007 -0600 Fixed bounding box computations of paths drawn with transformed pen nibs. Implemented optional labelpath interface to PSTricks pstextpath macro for drawing curved labels along paths. Updated to gc-7.0alpha7. commit bcf82b8e9feaebcb73dbc0d7068fe6ec276d8368 Author: John Bowman Date: Thu Feb 8 18:26:46 2007 -0600 Revert premature changes. commit 35040851ca57497a1dadd0536e6e7cb4e4426e30 Author: John Bowman Date: Thu Feb 8 10:48:07 2007 -0600 Added wait option that waits for all child processes to terminate (to work around emacs child-killing bug). commit 6743274ad35977ff9363d146c5558f8aa707b19a Author: John Bowman Date: Tue Feb 6 14:57:37 2007 -0600 Minor edits. commit 320742785a08abb9fb6b78db95835a2b1abbd9c6 Author: Philippe Ivaldi Date: Tue Feb 6 11:16:33 2007 -0600 Cleaning code, resolution conflict math-mode/lasy-mode, add options for compilation and management of errors. commit 2290dec816dc2a6232f21f30c9317121c7e1ef0b Author: John Bowman Date: Mon Feb 5 08:08:03 2007 -0600 Added patch for old broken gcc3.3.2 curses.h file under AIX. commit 4042666bd1a4988a825ec1849c5677cc230e363b Author: John Bowman Date: Sun Feb 4 19:26:12 2007 -0600 Optimize intersectionpoints. commit 5502059281016c7de55403e44f99d89fe231b2d4 Author: John Bowman Date: Sun Feb 4 19:08:11 2007 -0600 Added routine intersectionpoints(path p, path q) that returns an array of all intersection points of paths p and q. commit 460e2d1f6182b2d97242490eb2adda04a425eb9d Author: John Bowman Date: Sun Feb 4 18:50:53 2007 -0600 Fill squares. commit bb2c743ee8d20e0e30b52670c48b7d18f1dffe10 Author: John Bowman Date: Sun Feb 4 11:21:53 2007 -0600 New items. commit a8f23e8c889e9f1893512712626af44609567d61 Author: John Bowman Date: Sat Feb 3 22:48:07 2007 -0600 Make the user-specified tick functions work consistently with the auto-generated tick routines; the actual tick value is now passed to the ticklabel formatting routine, even in the case of logarithmic axes. Separate the tick generation and drawing routines and add a tickmodifier routine to give users complete control over which of the auto-generated ticks actually get drawn. commit 5622457a7f048fad5382ff935ee48c1226537a5d Author: John Bowman Date: Sat Feb 3 16:38:42 2007 -0600 Add bibliography example to slidedemo. commit 0b89cd153c13bde0ce630345f1e701104bf7570f Author: John Bowman Date: Sat Feb 3 12:48:57 2007 -0600 Add fuzz to textwidth and textheight to avoid overfull vbox. commit ddc5436324f83a005af69b9cd3da9168d293accc Author: John Bowman Date: Sat Feb 3 03:33:38 2007 -0600 Implement slide presentation BibTeX citations and reference list. commit ed82d85f4cc623545ffa56b84960140f180b9eca Author: John Bowman Date: Thu Feb 1 00:41:43 2007 -0600 Set autorotate in PDF landscape mode, rather than forcing pdflatex. commit e0a2cfc3e4f1f843e0b091251262dacc535a80db Author: John Bowman Date: Tue Jan 30 11:35:17 2007 -0600 Leave the pair to angle conversion to dirSpec. commit d0bf991ec29c0f64e674144ad712c71035f377c2 Author: John Bowman Date: Tue Jan 30 03:12:58 2007 -0600 Document skeleton structure. commit a5dbc91b7d38d4a00fd3ac8058d3791295a2f68f Author: John Bowman Date: Tue Jan 30 02:59:34 2007 -0600 Mention Imagemagick dependency in Windows installation notes. commit 9cfcdfd2373f4cecdfc0e14c3094ec2676eca8ac Author: John Bowman Date: Sun Jan 28 20:00:41 2007 -0600 Added Tobias' binary tree module. commit af67f65d329659d8f09f72ddc6e4a0c86bfabbc5 Author: John Bowman Date: Sun Jan 28 15:51:04 2007 -0600 Added Philippe's grid3 contribution for drawing 3D grids. commit 2183fd2b95de35f28ae290475098b348c7393f8c Author: John Bowman Date: Sun Jan 28 12:59:14 2007 -0600 CYGWIN updates. commit bff9813318d27712c88d95b3644c6cbbb3422e91 Author: John Bowman Date: Sun Jan 28 11:29:02 2007 -0600 Make definition of pair I=(0,1) explicit. commit 0676c7ca4c969ea1e5c2a00715bc927e404be527 Author: John Bowman Date: Sat Jan 20 15:15:16 2007 -0600 In inline latex usage, do not scale picture by default. Use \begin{asy}[\the\linewidth] to recover previous default of scaling to line width. commit e1c6822967164b7f84ef8138731f643beea685af Author: John Bowman Date: Thu Jan 18 23:28:21 2007 -0600 Implement transparency for shading and image objects. Allow one to disable Gouraud shading when nsub=1. Allow draw(nullpath3..cycle3). commit 8e6c49af4cc0152189c19102b6af9450b2e38f8f Author: John Bowman Date: Thu Jan 18 04:44:16 2007 -0600 Minor improvements. commit 21d936a6f39423cd9dad1306b64ae505f81b691d Author: Andy Hammerlindl Date: Tue Jan 16 22:00:37 2007 -0600 Automatically write expression statements at the prompt. commit a3ed3d9f8f860be6b58e55aed37301b20834e28f Author: John Bowman Date: Wed Jan 10 18:39:03 2007 -0600 Added missing tickmin and tickmax bounds. commit fe6f7fa300b309fc6a9efac47edb7b58fc227b3a Author: John Bowman Date: Fri Jan 5 15:27:17 2007 -0600 Removed unused code. commit 942c58e014617c5aa10f371666aff13cd62ea820 Author: John Bowman Date: Thu Dec 28 23:56:30 2006 -0600 Incremented version to 1.21svn. commit e93e77fbf5760e54dac1e34a272eaf8e68995cfc Author: John Bowman Date: Thu Dec 28 23:16:22 2006 -0600 Fixed cxx warnings. commit b149b00628a00c8997c83ba17028123f6706ea9f Author: John Bowman Date: Thu Dec 28 22:42:55 2006 -0600 Cleaned up cd diagnostics. commit 0484808a98b46807b50a356938d768156571144f Author: John Bowman Date: Thu Dec 28 22:22:32 2006 -0600 Simplified example. commit f948d9fd2a2e58af5ea2777d795a846efe28e5fc Author: John Bowman Date: Thu Dec 28 22:19:01 2006 -0600 Fixed incorrect offset in palette. Added routine to fill cyclic contours and example. commit fd3d40f61129392f0a95b2ef983b2ec0d30bb6fc Author: John Bowman Date: Thu Dec 28 11:01:47 2006 -0600 Added command-line option to set current directory. commit 57e3dc524f51a3e99872048372017ec97d5c2c15 Author: John Bowman Date: Thu Dec 28 09:55:13 2006 -0600 Generalized example. commit d93a8963d04f5dee344fab4a80d77cb53fbdf75e Author: John Bowman Date: Mon Dec 25 07:15:20 2006 -0600 Updated FAQ. commit e9d78222d9e0718942fb4a68728c73302063e395 Author: John Bowman Date: Mon Dec 25 06:31:43 2006 -0600 Clean up Getenv code. commit fc08f980d32c8ac4ce0ade1571a0542b81a5f417 Author: John Bowman Date: Sat Dec 23 16:51:41 2006 -0600 Fixed texpath and diagnostics under MSWINDOWS. commit 3c0eecc0ed831ffe777369bb4bb091cb94220fe1 Author: John Bowman Date: Sun Dec 17 10:45:04 2006 -0600 Remove texmathp stuff since this duplicates features in >= AUCTeX 11.82. commit feb9da7b8257ef209e3278b2f87b41c59ec2cd52 Author: John Bowman Date: Sat Dec 16 15:44:50 2006 -0600 Make asy-mode respect TeX-electric-sub-and-superscript. commit 0082575ea324c018b1ab5f74db63c9e02b38c9cb Author: John Bowman Date: Thu Dec 14 11:42:16 2006 -0600 Improve loading/including diagnostics. commit 50ac54c6ef5594ab8f8773f6d12a153c7dadc0cd Author: John Bowman Date: Thu Dec 14 10:54:15 2006 -0600 Fixed defaulttransform (e.g. to allow forcing of yaxis label angle). commit a56b9a2c982ddee6627d3b8d547acd4583504096 Author: John Bowman Date: Thu Dec 14 02:32:35 2006 -0600 Optimize real argument point, postcontrol, and precontrol functions. commit d975c6f1f6fd2bcd4c5ae71a892eddb4725763c2 Author: John Bowman Date: Wed Dec 13 16:16:24 2006 -0600 Simplify example. commit 5fe5f889e7f3b60d28f743938f0078a60e51ea2e Author: John Bowman Date: Wed Dec 13 13:06:37 2006 -0600 Improve discussion of Bezier curve subdivision. commit 77e618b22206cc463b4b992cf06214c04b53553b Author: John Bowman Date: Wed Dec 13 02:36:09 2006 -0600 Slow down wheel animation. commit aac2e48a515a1eaacdb8002f8c7653dfd3eb1f24 Author: John Bowman Date: Wed Dec 13 01:18:33 2006 -0600 Incremented version to 1.20svn. commit d7890f4c911721a8888a48dfd2defa9ca322f726 Author: John Bowman Date: Tue Dec 12 19:11:44 2006 -0600 Emphasize that multiline mode is a setting that can be turned on and off within interactive mode. commit 2ae5f0146df9bdb5253ccb392bf56bf20e8e72f5 Author: John Bowman Date: Tue Dec 12 17:17:30 2006 -0600 Minor documentation updates. commit ba0d38fb3bc7f70abafe5f7567177d8d0dc71c20 Author: John Bowman Date: Tue Dec 12 13:01:14 2006 -0600 Make cd() reset path to program startup value. commit 799f9abedc6066e2ffa5d2ef160309808e6ed55e Author: John Bowman Date: Tue Dec 12 12:47:29 2006 -0600 Updated documentation; fixed cd argument renaming. commit 592297a5493a9988cdf9333e37694e731d1e119f Author: John Bowman Date: Tue Dec 12 12:17:43 2006 -0600 Interactive reset should not reset current path. commit 6a918d048a7eb6fb6cc5dc0951c4541de2f04ad0 Author: John Bowman Date: Tue Dec 12 04:05:00 2006 -0600 Shift cylinder so that axis is c--c+h*unit(axis) for consistency with cone and generalized cylinder routine. This change is backwards incompatible. commit 4d3f02e34615f1b18b2e14d065ea5fd392e4cb51 Author: John Bowman Date: Tue Dec 12 03:29:45 2006 -0600 Updated svn instructions. commit 4b2793891d4bde829ede86a2cb802f6fab97b823 Author: John Bowman Date: Tue Dec 12 03:25:22 2006 -0600 Implemented preliminary Bezier surface package. commit 3cbdc8e412cfecab2c25378692dd8bb743c7a461 Author: John Bowman Date: Tue Dec 12 03:09:10 2006 -0600 Require Common Lisp extensions. commit 0be9332591649e2d31655440295b9a4f9d2b3d53 Author: Andy Hammerlindl Date: Fri Dec 8 19:59:58 2006 -0600 Added support for meaningless slashes at ends of lines. commit 75f727b5e8009f1735d22e30d67e25de44e2abd1 Author: John Bowman Date: Fri Dec 8 12:06:02 2006 -0600 Fixed cxx errors. commit 3a3c973590cdc283b9999a06b1a861371ef75550 Author: John Bowman Date: Fri Dec 8 11:12:41 2006 -0600 Andy's port to nonbash shells. commit d04d9e3e929fd00402740e1c2ce40b746da9581b Author: John Bowman Date: Fri Dec 8 03:02:12 2006 -0600 Fix epstopdf conversion of empty or tiny files. commit 087e28c569c90006b21984f3beb45766c1a9778a Author: John Bowman Date: Fri Dec 8 02:46:52 2006 -0600 Improve tex error handling. commit 77bb38ecd311f9df362cde2a070d64bdbb914399 Author: John Bowman Date: Fri Dec 8 02:05:47 2006 -0600 Fix clipping in inline tex mode. commit 082f53960ca57b5dd2624d0362db130cb4742f0f Author: John Bowman Date: Fri Dec 8 01:49:43 2006 -0600 Fixed clipping. commit 1147cc2d94edfd43f5c3a74989558c4bf7be4b24 Author: John Bowman Date: Thu Dec 7 22:41:18 2006 -0600 Fixed inlinetex mode. commit 2482b4e78091adfe4bb41c0346e37dbbd41f2067 Author: John Bowman Date: Wed Dec 6 23:45:16 2006 -0600 Repair tex pipe on missing math mode error. commit 359e08078ca660615441f4bbda493f07ed54aa71 Author: John Bowman Date: Tue Dec 5 15:13:45 2006 -0600 Use path instead of a guide. commit 3f35adc02e203e38bcaf0c1eb809e7da2467c8d8 Author: John Bowman Date: Tue Dec 5 15:13:19 2006 -0600 Remove explicit internal control points. commit 62992e7115c828486cacdd129b501c5280c4edfd Author: John Bowman Date: Tue Dec 5 15:12:37 2006 -0600 Remove bashism. commit 31d267c642b285b910c10ac7c7d36270642bbc6b Author: John Bowman Date: Mon Dec 4 12:38:44 2006 -0600 Standardize flowchart argument names. commit edf855ad0f9cc5b443dd2a2537ade28fad528a88 Author: John Bowman Date: Mon Dec 4 01:37:40 2006 -0600 Simplify flowchart block size calculation. commit eca530722546fb201f7e2c36087668e55ff06f45 Author: John Bowman Date: Mon Dec 4 01:18:33 2006 -0600 Make flowchart routines work with pictures as well as frames. commit e280d4eb846978b79faf2c13072bd8fa42d997e0 Author: Andy Hammerlindl Date: Sun Dec 3 22:57:16 2006 -0600 Added note on backslashes. commit 358cf9043de1378c8c18230b8e4da0d09a1670e7 Author: John Bowman Date: Sun Dec 3 11:46:53 2006 -0600 Renamed object constructor to draw. commit 3521ace7c8d3588a26cc4180731e53a6e14d116e Author: John Bowman Date: Sun Dec 3 11:33:49 2006 -0600 Implement add(picture pic=currentpicture, drawer d); commit 335405299efca708634efa1a8914e849e84f3ade Author: John Bowman Date: Sun Dec 3 10:56:26 2006 -0600 Replace labelframe by existing object structure. commit be667c03682ade8d1a1f4ac5a29d6694c89c1870 Author: John Bowman Date: Sun Dec 3 00:00:26 2006 -0600 Renamed envelope to labelframe and container to envelope. commit 971e339c2404266220d1aa2b3a47937c044b3787 Author: John Bowman Date: Sat Dec 2 23:19:41 2006 -0600 Introduce an envelope structure for supporting picture scaling when drawing boxes around labels. commit 9c6ec1a60ea1fc573b5350b58f2dc771db941c88 Author: John Bowman Date: Sat Dec 2 23:17:56 2006 -0600 Updated to use new intersect routine. commit 1e1903f2ace7734b5f68aab18749129b45caf318 Author: John Bowman Date: Sat Dec 2 23:13:45 2006 -0600 Added fractral tree example. commit d4f5146c773422f65b7a7a652f1723eeb6301f69 Author: John Bowman Date: Sat Dec 2 17:25:09 2006 -0600 Make intersect return an array of reals rather than a pair. In addition to being more logical, this helps avoid confusion between intersect and pair intersectionpoint(). Autogenerate usage info in manual and man page. commit 8f2688c4e68120ff8ed18a41bd28858d1ae9f1b8 Author: Andy Hammerlindl Date: Fri Dec 1 23:10:09 2006 -0600 Backslash now continues a line on the interactive prompt. commit 0a4d35d81ba0ee6578c3d585c823762edc107297 Author: John Bowman Date: Fri Dec 1 21:52:09 2006 -0600 Minor diagnostic improvements. commit 80e67f1986502df4ff6f2bab7374dc220e7d4ccf Author: John Bowman Date: Fri Dec 1 18:33:22 2006 -0600 Fixed compilation failure without GC_DEBUG. commit fc53ce97a16a28720671a41425923a5473a6ff30 Author: Andy Hammerlindl Date: Fri Dec 1 10:08:14 2006 -0600 Added gc debug option. commit f3afd793ab03d434687d893ae74f234cfb177a3a Author: John Bowman Date: Fri Dec 1 09:44:32 2006 -0600 Remove shift from transform in Rotate(pair). commit c6c6cfee767553835b1806317af54d3f63e9be22 Author: Andy Hammerlindl Date: Thu Nov 30 22:52:19 2006 -0600 Added multiline option for prompt. commit a9e4ee9ae1e6867146b34bc45e632947cf85d892 Author: John Bowman Date: Thu Nov 30 09:54:39 2006 -0600 Renamed pdfanim.sty to pdfanim_temp.sty pending 0.53 release of official pdfanim version. Delete temporary image and multipage PDF files used for animations. commit 12f49ce5083e96e35689cc79586b760be46003b2 Author: John Bowman Date: Wed Nov 29 14:36:09 2006 -0600 Added Rotate(pair), fixed alignment positioning transformation. commit 97ce9f2b9fa5bc72ec0ba3e68adb036f88d355de Author: John Bowman Date: Wed Nov 29 14:04:47 2006 -0600 Changed pdfanim version to 0.52A. commit 3c187c1c591152b6416a8646513c1251e61cf454 Author: John Bowman Date: Wed Nov 29 13:00:23 2006 -0600 Split slidedemo.asy into slidedemo.asy and slidemovie.asy. Minor diagnostic and documentation tweaks. commit bb418bf9a852bbf921008ecc37e365a430d97206 Author: John Bowman Date: Wed Nov 29 12:22:35 2006 -0600 Move settings.tex="pdflatex" earlier. commit 298720bfde77c8498325f0f26063be936e039838 Author: John Bowman Date: Wed Nov 29 00:15:49 2006 -0600 Added embedded U3D example. commit d86d918fda1ce14fdbddcca9af50940b3ba2525e Author: John Bowman Date: Tue Nov 28 19:08:46 2006 -0600 Support portable high-quality embedded PDF movies via pdfanim module and portable external movies of other formats via external module. Included enhanced version 0.53 of pdfanim.sty package, with updated documentation. Abort pfdlatex runs with fatal errors and display error. Add optional bounds arguments to verbatim postscript and tex commands. Document how to produce Debian binaries from RPM binaries. Fixed rescaling bug. Allow writing to local directory only; added -global option to override. commit 9c4660b474c5449f69b76cd33ddfec1987469986 Author: Andy Hammerlindl Date: Sun Nov 26 22:50:21 2006 -0600 Free some of the cached data in the abstract syntax tree. commit 0f42d93dbc82bf23f6dec8adc37f7c9e8cad9184 Author: Andy Hammerlindl Date: Sat Nov 25 16:32:18 2006 -0600 Added collapseScope, so empty scopes won't pile up in runnable-at-a-time mode. commit 58ce427f069a2da3eda7d104e7197c02c632b14c Author: John Bowman Date: Fri Nov 17 17:12:36 2006 -0600 Turn off scrolling during debugging. Fixed typo in debugging help. commit 03c6c6068fb90f61624a088a642e484dc0b627b5 Author: John Bowman Date: Fri Nov 17 01:22:16 2006 -0600 Added routine to return an arbitrary point inside a cyclic path g. commit 43c9f351fe406736b2dc2a275ba0283515dc1879 Author: John Bowman Date: Fri Nov 17 01:20:18 2006 -0600 Guard against duplicate nodes in inside(). Speed up inside() by testing for points outside of bounding box. commit 9a327866d951c4b3f6248280a8119c1d222a8034 Author: John Bowman Date: Thu Nov 16 23:24:45 2006 -0600 Fix numerical precision problem in windingnumber routine. commit 577f48d25e9fea4dfb08ba83090d27c753e9af5b Author: Andy Hammerlindl Date: Thu Nov 16 22:14:42 2006 -0600 Reformatted long lines in the code. commit 9a861bce4f1182b5edb00f6b02ae8423cb691b77 Author: Andy Hammerlindl Date: Thu Nov 16 22:03:17 2006 -0600 More string constant formatting. commit fcd109e8c508fb3712e9aa1c3db1e367751466de Author: Andy Hammerlindl Date: Thu Nov 16 21:56:40 2006 -0600 Split string constant to fit on line. (minor) commit 05beb5f4b1648263f022cbdeed9ccf0d5ea690c7 Author: John Bowman Date: Wed Nov 15 18:57:34 2006 -0600 Added string(real x) function. Removed unneeded public qualifiers from documentation. commit 25b8efc835806e797cf729f6717660d0eceef63c Author: John Bowman Date: Wed Nov 15 18:49:19 2006 -0600 Changed == to standard bash = syntax. commit 99174e500e9367159d46911880e6da68aea1f4ca Author: John Bowman Date: Tue Nov 14 23:27:47 2006 -0600 Make winding number of a cyclic path relative to a point visible to users. commit 191093341f48d051baa6b887efa08857594c2049 Author: John Bowman Date: Tue Nov 14 15:40:00 2006 -0600 Added example of cropping to axis limits. commit e778954d5ea29b8874d5b9ac044fd45cf960bfc6 Author: John Bowman Date: Tue Nov 14 15:37:16 2006 -0600 Minor updates. commit 0a71ee69bef119a3aadfe109cc6c8a1d2eb926cc Author: John Bowman Date: Mon Nov 13 23:13:33 2006 -0600 Fixed recently introduced bugs with -o option. commit c87a8031cce6434635653de174e7f959935dec30 Author: John Bowman Date: Mon Nov 13 20:52:15 2006 -0600 Updated examples. commit ee574752f72c6fb17f744fbb2ac2edc47c8af7cd Author: John Bowman Date: Mon Nov 13 20:43:46 2006 -0600 Replace unitsize, xunitsize, and yunitsize arguments of shipout with a independent call to void unitsize(picture pic=currentpicture, real x, real y=x); commit 340f011002f0a7f4e0e047cfecb490702b64db4a Author: John Bowman Date: Mon Nov 13 09:55:17 2006 -0600 Remove unused line. commit bfd594bbf7d80571c8424ad7c2e1267bc339b460 Author: John Bowman Date: Mon Nov 13 09:50:58 2006 -0600 Minor adjustment. commit 728ecea8357736c47a6be76c1c650a9c8dd71c81 Author: John Bowman Date: Mon Nov 13 09:46:54 2006 -0600 Make clipping set truesize coordinate to 0; updated CDlabel to illustrate this fix. commit d851b730623e8c9609470b9e1b93cc4a21ba315c Author: John Bowman Date: Mon Nov 13 09:26:24 2006 -0600 Added umlauts again. commit 151849131a0265f5bcfcb3b1020815fda5ef5589 Author: John Bowman Date: Sun Nov 12 10:45:34 2006 -0600 Minor updates. commit b23fd6682b0e0cf7552d28f9a5ac963b82d988c9 Author: John Bowman Date: Sat Nov 11 23:03:27 2006 -0600 Automatically set the movie bounding box to the largest bounding box of all pictures. Support unitsize, xunitsize, and yunitsize in animations. commit 86e70cd693dca95e361478a3af2e24f77f19a1d3 Author: John Bowman Date: Thu Nov 9 16:00:00 2006 -0600 Update documentation. commit 8c31c2fe98deb2a907d4e00578325db7ea99ca95 Author: John Bowman Date: Thu Nov 9 15:59:31 2006 -0600 Fixed segmentation fault. Add default argument to tensorshade signature. commit 637ed2e58e15704b3d18c5061836405b7c0f2b7a Author: John Bowman Date: Wed Nov 8 23:10:20 2006 -0600 Make seconds() portable (e.g. under CYGWIN). commit 40de37c31ba1bcdce09a59c24a699277cbf1eb1b Author: John Bowman Date: Tue Nov 7 16:51:09 2006 -0600 Minor updates. commit 63259c12dda630e7f03f52e7a4799686245e5765 Author: John Bowman Date: Tue Nov 7 16:27:16 2006 -0600 Overload postRun in iprompt. commit d2e5f03234fae526e4f972b968b200ab536eefac Author: Andy Hammerlindl Date: Tue Nov 7 11:48:58 2006 -0600 Changed a code example to use a variable inside the loop. commit fd27e593c4e00143e9ce10b986e9c339ff727998 Author: John Bowman Date: Tue Nov 7 00:13:11 2006 -0600 Implemented tensor and Coons shading. commit 9b5229cfe22e5deada90a0f3529a4e260e456229 Author: John Bowman Date: Sun Nov 5 03:26:36 2006 -0600 Incremented version to 1.19svn. commit d2680ea19de263f890f1ae59c742f80b48183197 Author: John Bowman Date: Sun Nov 5 01:24:17 2006 -0600 Added example showing interaction of fixed-sized and scaled coordinates. commit 78b54400036a821a936a6554585c98785f9d06f8 Author: John Bowman Date: Sun Nov 5 00:39:41 2006 -0600 Updated FAQ to include discussion of static variable allocation. commit 3838b48d09666a9cd61f3d51c517d3231d65fa2d Author: John Bowman Date: Sat Nov 4 23:38:10 2006 -0600 Make labelx, labely, xtick, and ytick respect graph (e.g. logarithmic) scaling. commit 520a1993a10d6d737022a452ec7f4c566b92fe10 Author: John Bowman Date: Sat Nov 4 18:46:14 2006 -0600 Updated FAQ and documentation. commit 5565a9fca26af7fc9b6c1106e43181a64bcdb454 Author: John Bowman Date: Sat Nov 4 12:49:12 2006 -0600 Treat single reads just like array reads: in line mode, move position past any final eol. commit 26bfa9df7c61d8d2d9540322ed01d6fd65fd30a1 Author: John Bowman Date: Sat Nov 4 02:09:14 2006 -0600 Make bool pdf() and bool latex() visible at asy level. Add string nativeformat(). Update asycolors to remove pstricks dependency. Make slide package work with both latex and pdflatex; remove colordvi dependency. Check for latex mode in usepackage and minilatex. commit d5017510aea05674eb765398f28fb8383bacf077 Author: John Bowman Date: Fri Nov 3 23:25:12 2006 -0600 Fixed clipping (UnFill) problem by avoiding LaTeX \put. commit fef3da8755ee1763e41fb4fe766bcfbbacfb0a6e Author: John Bowman Date: Fri Nov 3 22:55:27 2006 -0600 Fixed pen caching problem. commit 4c522975795e85f99af44f46dc33f651ce3b426c Author: Chris Savage Date: Fri Nov 3 17:14:45 2006 -0600 Updated palette documentation. commit 1dc32fd58eb9f250e9dc463f74e680425685fbb8 Author: John Bowman Date: Fri Nov 3 09:51:19 2006 -0600 Cache a separate copy of pen for tex mode. commit 93b89ea4b2ac84828116cc56a4b2326a82bff2be Author: John Bowman Date: Fri Nov 3 01:59:03 2006 -0600 Fix max(empty array) error message. Implement minbound and maxbound also for arrays of pairs and triples. commit 7210c8cbc06185017b72936fa3ad5bddf0674114 Author: John Bowman Date: Fri Nov 3 01:54:56 2006 -0600 Check for an existing viewer associated with the given outname. commit ae0d6a38b6235e3d12fe8bd22e2a34676851badf Author: John Bowman Date: Fri Nov 3 01:14:25 2006 -0600 Call cleanup, not exitFunction in interactive postRun. Don't tamper with interactive flag: if exitFunction fails, interactive will not get reset and cleanup will not get called at all. commit b40b33ad1de071e35559f1581383bb09878566fa Author: John Bowman Date: Thu Nov 2 20:32:30 2006 -0600 Use bin centers for point array. commit 0f4f5380e1990b0af1dce9b43d63786e80a4177d Author: John Bowman Date: Thu Nov 2 11:43:32 2006 -0600 Added image histogram and contour example. commit da264a977c66ffa098e8dd654cf52724ac8b49ea Author: John Bowman Date: Thu Nov 2 11:08:39 2006 -0600 Fixed drawing of mesh only. commit 7e68cc36102092161c1466d988c3991025d4c7d9 Author: John Bowman Date: Thu Nov 2 11:03:21 2006 -0600 Check for division by zero in scale. commit 8732a8a108ecab5246bbefc18164ba9d77e39dd2 Author: John Bowman Date: Tue Oct 31 02:31:16 2006 -0600 Incremented version to 1.18svn. commit 546eb10956ca560a2342071cf9e02e86e65cb32a Author: John Bowman Date: Tue Oct 31 01:18:54 2006 -0600 Work around garbage collection bus error on MacOS X. Call GC_Init during static initialization. commit 0e39bad178b3d4241d00d5ea2d71ca76f53b3d72 Author: John Bowman Date: Mon Oct 30 13:22:37 2006 -0600 Added a uniform histogram routine. commit c8ec46631eb319c5f3968c94672f85ff39ab42c2 Author: John Bowman Date: Mon Oct 30 12:41:38 2006 -0600 Reverse order of arguments of nonuniform frequency routines for consistency with other uniform frequency routines and image and graph routines. This change is backwards incompatible. commit 1f9e001b45b26919731bba7e3669b7360dbf5de6 Author: John Bowman Date: Sat Oct 28 19:37:26 2006 -0600 Reduce number of mem::string/std::string conversions. commit 4dedf096d6c403fd4b8e64bef059a4fa8c6907ae Author: Chris Savage Date: Fri Oct 27 14:38:42 2006 -0600 Added 1d/2d frequency routines optimized for regular bin sizes. commit 4d258b71d8cc27a5a144a1d7cd587757f157a9c4 Author: John Bowman Date: Fri Oct 27 14:13:39 2006 -0600 Updated FAQ. commit d261c7748eb5a5d30fca3427f71ba6868ad8d82b Author: John Bowman Date: Thu Oct 26 22:27:54 2006 -0600 Improve optimization of 2d frequency routine. commit a315decc03c56ab1d40d2cbb7673980a91c3a918 Author: John Bowman Date: Thu Oct 26 22:13:46 2006 -0600 Declare fixed-sized arrays. commit c5ee060643af0e74301b06ba71f13554f8c68696 Author: John Bowman Date: Thu Oct 26 22:07:18 2006 -0600 Optimized 2d frequency routine. commit 01b0e16a50c45d973102d0a11dfc50ac024ec2d0 Author: John Bowman Date: Wed Oct 25 01:41:55 2006 -0600 Incremented version to 1.17svn. commit f956a35f74398fa0cd234bae657ac7adc92e75f5 Author: John Bowman Date: Wed Oct 25 00:26:11 2006 -0600 Removed page break. commit 358ec2ccaa552bfc4b81bfaefbd015fcad889139 Author: John Bowman Date: Tue Oct 24 23:50:16 2006 -0600 Use pic.scaling in graph.asy. commit 8cd5d1299e29c188a71c373056ddd1d458c7f837 Author: John Bowman Date: Tue Oct 24 23:43:12 2006 -0600 Move using std::string out of header file; pass references to strings. commit 382463c6c5de19741ac199085d96663020cc92b1 Author: John Bowman Date: Tue Oct 24 23:34:58 2006 -0600 Fixed memory leak. commit 3cd61be2f81b5c71ae39ef9e4f2df6fe8975ce29 Author: John Bowman Date: Tue Oct 24 21:50:49 2006 -0600 Updated credits. commit 202b9564ec5af67e301c2ac847e0cd656d511b3c Author: John Bowman Date: Tue Oct 24 21:50:33 2006 -0600 Added 2d version of frequency binning routine. commit d18d193d55d3141e606378bce7a1e6308f9efb58 Author: John Bowman Date: Tue Oct 24 11:28:01 2006 -0600 Added modified version of Mark Henning's multi-line legend routine. Added legend example. Renamed truepoint to framepoint; added truepoint function which works like point but accounts for fixed-sized objects. picture.calculateTransform now returns the actual transform used for fitting in the case where only an approximate picture size was available. commit dd29994627aaa793bc99f5af386829077a581d07 Author: John Bowman Date: Mon Oct 23 12:31:55 2006 -0600 Changed ARCH to i386 since that is the only case that currently applies. commit 267e1456b08c492a1a3b95281e43a93461fe5a90 Author: John Bowman Date: Mon Oct 23 12:30:33 2006 -0600 Fixed \usepackage[inline]{asymptote}. commit ba458755cab79370ecee05ae4b88c57ec0d13f66 Author: John Bowman Date: Sun Oct 22 00:58:10 2006 -0600 Run latex 3 times on CAD. commit 23a246d3f41f6f8d90b4ad09c7c5ec1edc1de08a Author: John Bowman Date: Sun Oct 22 00:50:57 2006 -0600 Remove temporary CAD files. commit 0195e474c857a61ffbe9e31c247bacf085f77abd Author: John Bowman Date: Sun Oct 22 00:41:51 2006 -0600 Incremented version to 1.16svn. commit eb2267f0bde79c1643a9a497dcbc56399255c3c3 Author: John Bowman Date: Sat Oct 21 22:46:25 2006 -0600 Added Mark Henning's 2D CAD package (DIN 15). commit 86a9f3375abfc36e8c22d5a04afd1423254f2529 Author: John Bowman Date: Sat Oct 21 22:23:26 2006 -0600 Document restriction of annotations to tex and latex tex engines. commit e98c80f3bf13c68bc6961276ee095d36eed13c1f Author: John Bowman Date: Sat Oct 21 22:20:13 2006 -0600 Make graphics labels work with tex and pdftex engines. commit e65635f731928541bf1644d4b14ca73abc9e1767 Author: John Bowman Date: Sat Oct 21 21:00:37 2006 -0600 Added CDlabel example to illustrate clipping of graphics. Changed overfull slide error to warning. commit 0f1af03ee09bb4456504740171ef4c5a87af8cf7 Author: John Bowman Date: Sat Oct 21 18:00:29 2006 -0600 Remove temporary pdf files. commit 385df746ac2083154dfcb7fd12690b7d7a0831b3 Author: John Bowman Date: Sat Oct 21 14:24:39 2006 -0600 Fixed cube animation. commit 41a628f6da76a87c739f60ddb86414d0c1bbb62e Author: John Bowman Date: Sat Oct 21 00:17:26 2006 -0600 Force unitlength=1pt in inline tex mode. commit a68585163e3c8e53b0b2134b5029180a094a5eb4 Author: John Bowman Date: Sat Oct 21 00:00:53 2006 -0600 Added further determinant of singular matrix tests. commit 3c8ee5ecb928474319193fa3b55fdbb1a9d3a034 Author: John Bowman Date: Fri Oct 20 23:54:40 2006 -0600 Determinant of a singular matrix should return 0, not an error. commit 041322e8e38d3505b9b103b5659577b8a4256ca1 Author: John Bowman Date: Thu Oct 19 23:56:09 2006 -0600 Use LaTeX color package for latex and pdflatex to keep latex informed of current color. commit e78af7bae702d25262fc2b9156bed250e750d88e Author: John Bowman Date: Thu Oct 19 23:54:14 2006 -0600 Fixed label fuzz. commit d840b87cb8545bf129228c7281157cc84a14ca38 Author: John Bowman Date: Mon Oct 16 17:01:07 2006 -0600 Fixed incorrect path bounds in lattice shade. commit 2c376089985ff5965311e5e5faa7e826d94ba081 Author: John Bowman Date: Mon Oct 16 13:07:45 2006 -0600 Fixed typo. commit 2ffe53fe675079562255b7a0c36b9383c49771c4 Author: John Bowman Date: Mon Oct 16 07:52:33 2006 -0600 Another attempt at fixing compilation problem under MacOS X 10.3.9 (cf. 1.00-1). commit bd66d25af0ec692695d71970e6f59e01b05ee9f2 Author: John Bowman Date: Sun Oct 15 19:40:33 2006 -0600 Fixed compilation problem under MacOS X 10.3.9. Rename configuation variable latex to texpath in documentation. commit 84f6f43b5f6e106c5c8feed712828f2acd74ab50 Author: John Bowman Date: Sun Oct 15 17:00:58 2006 -0600 In cases like 2D graphs where only an approximate picture size estimate is available, adjust the transform so that the fitted frame meets the size specification. The pic.scale() routine (which scales the resulting frame, including fonts and true size objects) can enforce even better compliance in such cases, but should not normally be required. commit 3b07181bd01679b319489beb9f0881ab62ab4e5d Author: John Bowman Date: Sat Oct 14 23:16:14 2006 -0600 Minor clarification. commit 6aafdea6991f4210b613af985ea3e71ceb239dca Author: John Bowman Date: Sat Oct 14 22:42:12 2006 -0600 Remove gv patches since these are all in the long-awaited gv-3.6.2 release. commit 78885a7129643cfa720be9c0e54fe84767164cbc Author: John Bowman Date: Sat Oct 14 22:21:17 2006 -0600 Incremented version to 1.15svn. commit 23589c9ace9c2563f12d5f17d2e5dd57a22649ef Author: John Bowman Date: Sat Oct 14 19:50:30 2006 -0600 Adjusted example. commit d7c69078664b14734ea03564f5b7246918525754 Author: John Bowman Date: Sat Oct 14 19:23:21 2006 -0600 Updated FAQ. commit a5cc66d15032057a4201c26f2bebc957ff77ddce Author: John Bowman Date: Sat Oct 14 19:11:41 2006 -0600 Documented filloutside. commit d3465aa847b9e5fd750c39159ecd272e71130815 Author: John Bowman Date: Sat Oct 14 18:50:37 2006 -0600 Fixed cxx warnings. commit 638a43729ff7bb383be7806103ae1d92b94ca6d2 Author: John Bowman Date: Sat Oct 14 16:45:23 2006 -0600 Added missing space. commit e2d6e51171031947eea40fab2bdbdacecaa01abb Author: John Bowman Date: Sat Oct 14 16:40:18 2006 -0600 Support color fonts for pdftex and pdflatex. commit f544e103151c1d5ed9d06f46768b51fb1930a60b Author: John Bowman Date: Sat Oct 14 16:21:59 2006 -0600 Implement ability to draw images directly from a two-dimensional pen array. commit 9be13bc0a5f9e252a5359c4c3533f0f505a6c353 Author: John Bowman Date: Sat Oct 14 15:26:59 2006 -0600 Fixed label alignment transformation; implemented general scaleless routine. commit 216de7b26d13b939c878a66ddb5d0aabb788fd62 Author: John Bowman Date: Sat Oct 14 02:03:40 2006 -0600 Fix readline test. commit fec76d69c87f40e1661c33824fbc0a67def44ea7 Author: John Bowman Date: Fri Oct 13 23:03:41 2006 -0600 Fix test for readline 4.2. commit 7ac24a54e969bdf31643f6fa4a6776e0afa5cb8a Author: John Bowman Date: Fri Oct 13 22:32:56 2006 -0600 Disable support for readline versions < 4.2. commit 80af472754be7d427e51b62973788afd8de69bf5 Author: John Bowman Date: Fri Oct 13 16:50:51 2006 -0600 Scale label fuzz to height+depth not width. commit 1db6b1f47b1bbcc07b40eb08a51b51774753ecff Author: John Bowman Date: Thu Oct 12 18:01:22 2006 -0600 Define pdfoutput if necessary for older versions of latex. commit b037d295c1f679af879ce10f6be9d67cfa46e8e5 Author: John Bowman Date: Thu Oct 12 17:30:14 2006 -0600 Implement tex and pdftex TeX engines. commit 6fa776eb64ca27b159017315844647f3ad9da44c Author: John Bowman Date: Thu Oct 12 00:05:50 2006 -0600 Implemented more robust label fuzz calculation. commit 4f25e3051841654925b6a34ff1be0b848388bded Author: John Bowman Date: Wed Oct 11 21:48:25 2006 -0600 Crop generated pdf files. Fixed pdf label transforms. commit e2206d1c9d63a5645d7fa6f0326f7f4c8b890c21 Author: John Bowman Date: Wed Oct 11 16:41:37 2006 -0600 Handle files with and without labels consistently under -tex=pdflatex. commit f7c4e4469d334240cd096492f0656ae4a6818972 Author: John Bowman Date: Wed Oct 11 08:43:27 2006 -0600 Added support for Emacs 21 (quickly tested with 21.4.1 only). commit 3201b9e05aa425408230fb4dad2ca670e5523b29 Author: John Bowman Date: Wed Oct 11 01:25:14 2006 -0600 Added support for alternate texengines (currently "latex", "pdflatex", "none"). Support \usepackage[inline]{asymptote} under both latex and pdflatex. Clean up singleton path eps writes. commit 667c624a70cd45de64b3f9aad94f2278464e783f Author: John Bowman Date: Sun Oct 8 15:16:08 2006 -0600 Revert revisions 1.14-54 to 1.14-56 commit 99d7cc9fd7754fd52b81796555b7e23ce5bf5d7f Author: John Bowman Date: Sat Oct 7 14:00:36 2006 -0600 Implemented general label clipping; removed evenoddoverlap and zerowindingoverlap fill rules as this functionality can be achieved at a higher level, using inside(path, pair, pen). Changed bool scale argument of Label structure to Shift, Rotate, Slant, or Scale, which indicates how the Label transforms with the embedding picture. commit 83fd3c1466b160e77dc917f9c4279293714ac2aa Author: John Bowman Date: Fri Oct 6 04:39:26 2006 -0600 Reset x and y boundRoutines after processing. commit 2ea881bdd70f223918b196a2eea0229109914818 Author: John Bowman Date: Wed Oct 4 09:45:16 2006 -0600 Remove obsolete item. commit 591a6809b451364ae03a993f027037e038b2c77a Author: John Bowman Date: Tue Oct 3 22:15:25 2006 -0600 Remove further unneeded instantiations (as of last revision). commit 0c4e6e5cedb64d50e77fe622291688a72f2ce367 Author: Andy Hammerlindl Date: Tue Oct 3 18:53:50 2006 -0600 addOps now add operators as fields (so they can be imported). commit 555d40cc7189645f7c813285feef0a499ae100ab Author: John Bowman Date: Tue Oct 3 17:47:39 2006 -0600 Allow use of UnFill in tick labels. commit 2fe33bde49a3094109de6b371c094445c1be49a5 Author: John Bowman Date: Tue Oct 3 17:30:14 2006 -0600 Simplify general axis routine. commit 510a57c843886458e69b79ab92fe2b23a1976ff4 Author: John Bowman Date: Tue Oct 3 17:22:31 2006 -0600 Simplify call to ticks. commit c9ff5103304cffbd38307aad0e3f2aa9916e3e6b Author: John Bowman Date: Mon Oct 2 22:03:40 2006 -0600 Move Label shift member into transform member. commit 603fae58ba2d8f2a497c32e246d609492c41a077 Author: John Bowman Date: Sun Oct 1 18:12:11 2006 -0600 Implement general label transforms, including slant. Added option to Label to allow labels to scale and slant with pictures and frames. commit 91640a6cc5e16990bcef8b86ad2f3c06f050ef09 Author: John Bowman Date: Sat Sep 30 14:26:05 2006 -0600 Fixed "Cannot write to venn_.tex" error under Windows XP. commit fe6f54c378560c8d56721722195c3664e7ede25c Author: John Bowman Date: Sat Sep 30 10:56:10 2006 -0600 Fixed cxx errors and warnings. commit 025f86561c9729aae69bc805aef03e5c58dbabd9 Author: John Bowman Date: Wed Sep 27 15:58:38 2006 -0600 Fixed transformation of label alignments. commit 67c45c5d79fa438a231d5f48d7c5cfa50a169d2e Author: John Bowman Date: Wed Sep 27 00:22:53 2006 -0600 Make scale set automin and automax settings in autoscaleT. commit a03c2af28e987a3ebbcb07ca7ab7ec92d671c0a8 Author: John Bowman Date: Tue Sep 26 23:41:09 2006 -0600 Added boundRoutine[] bound to autoscaleT. commit 870716863c07e9fc93a7ea4ae38d1050c7103710 Author: John Bowman Date: Tue Sep 26 23:39:37 2006 -0600 Improved graph routines: added xaxis and yaxis bounds communication, allow axes with ticks and unextended axes to be called on an empty picture. commit 55486b03449dc43e3f2e2f671372d7bcbe5b4c47 Author: John Bowman Date: Tue Sep 26 22:18:06 2006 -0600 Simplified example. commit 3f84eb0e5329df55eedcd7816d246269b1acf9e4 Author: John Bowman Date: Mon Sep 25 06:03:16 2006 -0600 Allow for separate xunitsize and yunitsize scalings. commit d25faa5325ac7dd2edd8698a23cb0ac612882a0b Author: John Bowman Date: Sun Sep 24 11:26:11 2006 -0600 Improved documentation of tick extend option. commit 0d8745187ea6224e507d01132176fc30c9e71adc Author: John Bowman Date: Sun Sep 24 09:40:22 2006 -0600 Removed axislabelmargin. commit 351e794c6bc6824c199bc368aff48edf7ac23205 Author: John Bowman Date: Sun Sep 24 00:59:08 2006 -0600 The axislabelmargin setting should only affect alignment perpendicular to the axis. commit 8672a218c4874b5aaba6381dcc7e123b23ee67ec Author: John Bowman Date: Sun Sep 24 00:38:54 2006 -0600 Adjust axis labels only in direction perpendicular to axis. commit 6858464ed091391a79112e8385177d0d24a6834d Author: John Bowman Date: Sat Sep 23 22:32:04 2006 -0600 Draw path label after drawing path. commit d48c0122032cc8591b9c3128f6e6cb117cd6920a Author: John Bowman Date: Thu Sep 21 12:28:57 2006 -0600 Allow Label(Label,pair). commit 55e07408be0540b1fd41119ed03fb92d2b840646 Author: John Bowman Date: Thu Sep 21 12:27:30 2006 -0600 Add partial support for xemacs. commit 833db88dba8d3477533ee8d1a510da2fd58a417a Author: John Bowman Date: Thu Sep 21 01:21:34 2006 -0600 Leave vertical mode before put. commit f1de4247df589333842495b8c675841a1e05c252 Author: John Bowman Date: Thu Sep 21 00:12:10 2006 -0600 Fixed grammatical error. commit 5c39ba9bcd34ab46ba9e62d113e9c7efbb1a11c7 Author: John Bowman Date: Thu Sep 21 00:08:42 2006 -0600 Added Mexican Hat (wavelet) example that nicely illustrates the distinction between guides and paths. commit 627742e5a1accd9977fbef43253dd5f4aef3a0f1 Author: John Bowman Date: Wed Sep 20 08:50:13 2006 -0600 Removed dependency on rotate.tex. commit 59862d5927db13955c04ff0202acbc5174eaddb6 Author: John Bowman Date: Tue Sep 19 23:08:34 2006 -0600 Removed dependence on pstricks. commit 4eca0a5c56aaac730963e3e49adb8dbe09c14434 Author: John Bowman Date: Tue Sep 19 22:12:31 2006 -0600 Added filloutside routines. commit f3d3e51caf55dcc5cd95699b486351eaf660793a Author: John Bowman Date: Mon Sep 18 16:00:15 2006 -0600 Ignore setlocale errors; improved discussion of setlocale in FAQ. commit 19f4c2d00b8b172fe6821cd9764eb7dea5e9c2d2 Author: John Bowman Date: Sun Sep 17 22:32:31 2006 -0600 Fix -aZ -f pdf. commit 76c3b469886016170897af7b9ca21f3e7bcc1918 Author: John Bowman Date: Sun Sep 17 22:18:06 2006 -0600 Standardized filltype definitions and added a Draw filltype (e.g. for drawing a bounding box around a label). commit 3756452ae55dd4c74dec0832efb762b04501bebc Author: John Bowman Date: Sat Sep 16 22:18:03 2006 -0600 Fixed typos in comments. commit 979e5245c77168ad68b2105c07203099c1985fdf Author: John Bowman Date: Sat Sep 16 21:50:16 2006 -0600 Make -p option only effective in noninteractive mode. commit 6353224e8bc253e83b284cc9bdfc776997217d68 Author: John Bowman Date: Sat Sep 16 15:39:41 2006 -0600 Accept ? as alternative to h (help). commit 2d3be54182cabece33b4fd21f18f6d67b688e19d Author: John Bowman Date: Sat Sep 16 15:38:37 2006 -0600 Quit (q) should turn off off debugging mode. commit e67a8fad923d927a19b8a5f725bc7234f04227ee Author: John Bowman Date: Sat Sep 16 15:11:09 2006 -0600 Minor simplifications. commit c819d159f46d10b3446299d1bbdcc328bab67e83 Author: John Bowman Date: Sat Sep 16 15:05:59 2006 -0600 Added irregular mesh image contour routines. Fixed documentation regarding explicits image bounds. commit 2dc1f5f285691a0fb77438f3d0acefa96528fe27 Author: John Bowman Date: Sat Sep 16 15:02:46 2006 -0600 Fixed numerical precision issues; minor optimizations. commit a717ad3169a34b96fed0e04b9ed103ff236ac0a0 Author: John Bowman Date: Sat Sep 16 12:18:45 2006 -0600 Minor optimization. commit a291fe8cbab32f8fb81f5af0a9ec833245b4d734 Author: John Bowman Date: Sat Sep 16 01:32:59 2006 -0600 Fixed docref. commit 31d0253ac49f2a57def70ff23c6a6b6037acc22e Author: John Bowman Date: Sat Sep 16 00:44:13 2006 -0600 Updated FAQ. Improved Makefile. commit 940671ec82f0375f5d77828da85298699b756138 Author: John Bowman Date: Fri Sep 15 21:55:17 2006 -0600 Added contour wrapper for explicit x and y arrays. Standardized contour argument names. commit 255e2305868febb31a1a9123008e451a88749db1 Author: John Bowman Date: Wed Sep 13 20:56:26 2006 -0600 Fixed unhandled exception on startup. commit 348aff80582497d1629b73e8be47d7f2b6a7bcbc Author: Andy Hammerlindl Date: Wed Sep 13 19:40:19 2006 -0600 Ignore keyboard interrupts during readline. commit 609e7ce533c3c383d43870a451a470e5222ee8e5 Author: John Bowman Date: Wed Sep 13 00:25:47 2006 -0600 Modified example. commit 95d6e55978fc10e863c93cce89292fb43ee84803 Author: John Bowman Date: Wed Sep 13 00:24:37 2006 -0600 Generalized axis alignment example. commit c076e75873eeeb081a32c068c4044db9dc9f3185 Author: John Bowman Date: Tue Sep 12 23:45:10 2006 -0600 Fixed axisMin. commit 711cbebdf9ffde7a3ab55fcc4631f0a684d21566 Author: John Bowman Date: Tue Sep 12 23:36:12 2006 -0600 Calculate, don't cache, axis userMin and userMax values. commit 48ac703bc5891cbea3f7645646cf6532a6441b62 Author: John Bowman Date: Tue Sep 12 01:02:42 2006 -0600 Add PDF autorotate option; landscape slides now automatically turn this on. commit 4ba23a29c1915434076022e312479f5b2edf0f22 Author: John Bowman Date: Mon Sep 11 22:24:22 2006 -0600 Added example of buildcycle. commit 27e2b021dc0609a58a6bfe4f15498977d665e258 Author: John Bowman Date: Mon Sep 11 22:20:23 2006 -0600 Port and document MetaPost buildcycle. Document new behaviour of asy -l file... commit f6627a1a9f7d66f92eebdd8990ce2ed03d98b6d6 Author: John Bowman Date: Mon Sep 11 21:45:35 2006 -0600 Allow draw(nullpath) again. commit 19fbdfb19a5222e947593a5af55727b14bd8d1cc Author: John Bowman Date: Sun Sep 10 13:33:24 2006 -0600 Fixed asy path and base directory. commit b8b3928f0b73660c2d7adcf7afcc4ddae3b7fa85 Author: John Bowman Date: Sat Sep 9 21:55:55 2006 -0600 Added type highlighting list to asy-keywords.el and asy-mode.el. Simplified building of asy-keywords.el. commit 034bcce15f75b967c32f10ff5227607818d5c039 Author: Andy Hammerlindl Date: Sat Sep 9 12:26:29 2006 -0600 Refactored interactive prompt. Moved asy code processing from main.cc to process.cc. commit 7f69344edb1918434afc53d5906348bc5f15ae2d Author: John Bowman Date: Fri Sep 8 12:40:18 2006 -0600 Fixed infinite loop on stdin EOF during scrolling. commit af30d135fb36c4f5c4a59808b63d76abd1a44f30 Author: John Bowman Date: Thu Sep 7 21:59:28 2006 -0600 Make last workaround CYGWIN specific. commit 455b64c796b9972676e3e13fc03d2fcb2964e3f8 Author: John Bowman Date: Thu Sep 7 07:56:04 2006 -0600 Work around missing ncurses/term.h symbolic link under CYGWIN. commit 900e00356b7814d4deddfa05ce2c9ab828cfb1c6 Author: John Bowman Date: Wed Sep 6 02:52:45 2006 -0600 Incremented version to 1.14svn. commit 22aa04ae69177659ab25e16dd859775909ebc643 Author: John Bowman Date: Tue Sep 5 22:47:22 2006 -0600 Added path qualifier. commit eff0b45d96d765f9bc81196953aa106b2f7445f0 Author: John Bowman Date: Tue Sep 5 21:17:34 2006 -0600 Standardized indentation of and untabify base files. commit 87a45971cbed4ae9debe673c81d282bb4e606a5c Author: John Bowman Date: Tue Sep 5 10:24:50 2006 -0600 Updated documentation and FAQ. commit de7e13243c0599e4d2bf68faf2896e1f30ed6128 Author: John Bowman Date: Tue Sep 5 10:24:30 2006 -0600 Added html target for building html documentation from main directory. commit 65d163362a2fac264575e6b5159fef0419ae2482 Author: John Bowman Date: Tue Sep 5 00:24:39 2006 -0600 FAQ updates commit 17505d564a43e316c7db22b98d8de5466d25e2d9 Author: John Bowman Date: Mon Sep 4 23:13:53 2006 -0600 Explicitly load asy-mode.el in case an old compiled version exists. commit 9b4cc01e29cbaf9a4d83ceb9a2f8ccaceea31c02 Author: John Bowman Date: Mon Sep 4 23:04:52 2006 -0600 Color name updates. commit 52c3d60b3d4e1f03d90ca5596c2f953134de28ec Author: John Bowman Date: Mon Sep 4 22:29:45 2006 -0600 Project triple to align in call to label and Label. Cast triple to position. commit a264f9641e882d8ee2ccfad8b671cd3fd30168b6 Author: John Bowman Date: Mon Sep 4 22:18:35 2006 -0600 Remove cast from triple to align. commit 7449971fee8995d1d79ce4d27af234385dffd53f Author: John Bowman Date: Mon Sep 4 22:12:03 2006 -0600 Make grep case-sensitive. commit 6f5bf62ecaba03d7fe486758c2362b5f45bbe38a Author: John Bowman Date: Mon Sep 4 01:40:35 2006 -0600 More FAQ updates. commit c9d4473fed4c535c26a7180eb2e62c17a4cbe1eb Author: John Bowman Date: Mon Sep 4 01:36:16 2006 -0600 Updated FAQ. commit f68a35d2db180e3075316488aa782d88def7738c Author: John Bowman Date: Mon Sep 4 01:30:35 2006 -0600 Allow arrowhead to be called with a position type. commit c98c79d93af423d11026df9f646cf2162286b635 Author: John Bowman Date: Mon Sep 4 01:29:06 2006 -0600 Use pTick as default for ptick. commit ad45fdc38f515e56a61419cf508240e8926fdec9 Author: John Bowman Date: Sun Sep 3 12:05:53 2006 -0600 Revert last change. commit adfe519f86f0c3663a65d066b93e54868ef97c19 Author: John Bowman Date: Sun Sep 3 11:49:35 2006 -0600 Close fout immediately to avoid race condition with gv in interactive mode. commit fbb3d9ce12d3860ce18a50ac41c0a7a20c4daf16 Author: John Bowman Date: Sun Sep 3 09:05:31 2006 -0600 Install asy-faq.info with make install-all. commit 297fb1620c281160d3c85a59dfbf3599ae822a46 Author: John Bowman Date: Sun Sep 3 00:01:55 2006 -0600 Fixed cxx warning message. commit 0bfa85f15495c3fe8dedd656e168863f22180f3b Author: John Bowman Date: Sat Sep 2 23:45:44 2006 -0600 Removed ASYMPTOTE_DIR. commit 3f78d4518f580e535f06fd22d57b61494087fc5f Author: John Bowman Date: Sat Sep 2 23:42:37 2006 -0600 Simplified Makefile. commit baeb51d7b703d1f754b75c2257f7039425fad588 Author: John Bowman Date: Sat Sep 2 23:35:46 2006 -0600 Distribute keywords.cc. commit 67fbb198d48c333c138909ff53211389d2ac3a42 Author: John Bowman Date: Sat Sep 2 23:29:35 2006 -0600 Make keywords.pl executable. commit 794538cc5900417ed36eddb1cd6a98a8552b8f5c Author: John Bowman Date: Sat Sep 2 23:20:58 2006 -0600 Added Frequently Asked Questions (FAQ). commit 26f56cf05c6cea469da431248728ba726f347892 Author: John Bowman Date: Sat Sep 2 11:28:41 2006 -0600 Respect scroll setting only in interactive mode. commit c2b071c9fd91e2e54db1960fced5e9d7ae2029c2 Author: John Bowman Date: Sat Sep 2 11:21:14 2006 -0600 Add Philippe's changes to asy-mode.el, including menu and asy-insinuate-latex. Handle shells other than bash in asy-mode.el. Autogenerate asy-keywords.el. commit 1f96b552a2af9bc8f17700d1fca4e7fb7a7223a1 Author: John Bowman Date: Wed Aug 30 21:53:25 2006 -0600 Make annotations with frame transformation; cleaned up @defspecial code. Check for successful PostScript writes. Standardize "Can't" vs. "Cannot". commit e3ff8da6ad620ed763f68efd31c6cb550100649e Author: John Bowman Date: Wed Aug 30 21:48:31 2006 -0600 Simplified calculateTransform logic. commit ab8f9f3e55b9ac3218ae8bdbd0cdae87eae9283c Author: John Bowman Date: Wed Aug 30 21:46:56 2006 -0600 Improved example. commit a8a5186f6b75b1c9ba2baac9a1440744573463d8 Author: John Bowman Date: Wed Aug 30 21:44:46 2006 -0600 Disable magic () parenthesis. commit b82912094da7642a9ba64a51ee59d4d1b74eb150 Author: John Bowman Date: Wed Aug 30 16:35:02 2006 -0600 Prevent exponential notation in %%BoudingBox. commit 8873a0444096d60eec93aed956ff0eae1b94a7a0 Author: Andy Hammerlindl Date: Wed Aug 30 13:11:11 2006 -0600 Test using a local version of asy. commit 587b1fe3d99f40525c5759823c2cc1dd5ed85121 Author: Andy Hammerlindl Date: Wed Aug 30 13:10:08 2006 -0600 Don't run "../asy output/*.asy" as this doesn't test the files properly. commit 0f9e63abbd46730ae29aafeb4ded2b205d222a24 Author: John Bowman Date: Tue Aug 29 21:04:38 2006 -0600 Updated to use gc6.8. commit 993d2ec493e607efed0de08be6ed3823f362d80a Author: John Bowman Date: Tue Aug 29 15:47:24 2006 -0600 Reduce size of generated files. commit 2fb33cd414d9db9b472303954547aefe7c23bc8d Author: John Bowman Date: Tue Aug 29 11:30:15 2006 -0600 More three-dimensional examples. commit 2e296a0cd8bee8936fdd995078fef50b2e5489d5 Author: John Bowman Date: Tue Aug 29 11:29:33 2006 -0600 Fixed definition and documentation of cone. Added longitudinal pen to draw. commit c1b1f17f483abf63e58c9efaf3202062185d22cd Author: John Bowman Date: Tue Aug 29 11:28:51 2006 -0600 Added cast from triple to align. commit 32a32c6b551379c64d93d1362f76c03519600e43 Author: John Bowman Date: Mon Aug 28 22:35:39 2006 -0600 Added up argument to projection routines to specify camera orientation. commit 40b2e7eecec7ffb6cdd384f25dceaf15a7887350 Author: John Bowman Date: Sun Aug 27 20:58:32 2006 -0600 Minor optimization and documentation updates. commit 5caeb44bbe159e5b0474691923a4c1680cedeb37 Author: John Bowman Date: Sun Aug 27 18:53:20 2006 -0600 Cleaned up surface functions. commit c85824f701ac8682dbdee0fe0d24285625882a17 Author: John Bowman Date: Sun Aug 27 18:42:43 2006 -0600 Avoid warning message under -d. commit 312f05fb764fa64334f90a1160aae5fdfbe4a8ae Author: John Bowman Date: Sun Aug 27 14:08:51 2006 -0600 Moved documentation to beginning of file again. commit 5768a90fbe38fa2d72c0343ee49474d2ce712bc3 Author: John Bowman Date: Sun Aug 27 13:44:12 2006 -0600 Disabled magic [] since this makes typing real[] awkward. commit 794ca7d4658dfc8d479b64abe73625edd9fcec7a Author: John Bowman Date: Sat Aug 26 18:29:31 2006 -0600 Removed obsolete comment. commit aebc30038fe13e7e19186f8719dbff5af2eccb1f Author: John Bowman Date: Sat Aug 26 15:44:33 2006 -0600 Don't indent after struct definition without optional ; commit 8f044468d9ddb1a07c41dc8f1742fa6b4c756260 Author: John Bowman Date: Sat Aug 26 12:06:44 2006 -0600 Disable magic {} as this makes grouping existing blocks of code (without going to the trouble of selecting a region) inconvenient. commit 670b6dbe300a6899cb1d71abe669805b627156f9 Author: John Bowman Date: Sat Aug 26 12:01:32 2006 -0600 Fixed indentation of public/private permission modifiers. commit 0b90018f10f19db2a61c316146b05f187618b29f Author: John Bowman Date: Sat Aug 26 11:59:21 2006 -0600 Fixed indentation. commit 71b5a6d5c8f70a04c49bcfbec1ecaea740cd906a Author: John Bowman Date: Sat Aug 26 01:07:35 2006 -0600 Mention two-mode-mode recommended package also in online documentation. commit 00738d2135db51a0e4b2066473620d633d5db0b4 Author: John Bowman Date: Fri Aug 25 22:41:48 2006 -0600 Remove the strict requirement of the two-mode-mode package for minimal functionality of asy-mode.el. commit af2ba24ede5a963d7cec28a301f71ee2560810c9 Author: John Bowman Date: Fri Aug 25 22:14:11 2006 -0600 Replaced asy-mode.el with slight improvement of Philippe Ivaldi's version. commit f662e32020195506b96d1a84ce2248323ff91dd9 Author: John Bowman Date: Thu Aug 24 21:18:05 2006 -0600 Check path[] index. commit e0be7331a932a345d0330c0e331eb75f06fa7116 Author: John Bowman Date: Thu Aug 24 21:13:14 2006 -0600 Allow legends and markers when drawing superpaths. commit 6b81deefb1e8e0e1a888da8549a817ea9aa1fc50 Author: John Bowman Date: Thu Aug 24 11:28:50 2006 -0600 Moved graph settings to separate module graph_settings. Renamed nmesh to ngraph. commit e0c665a6c80a638cf987d01613b355eb7357df0e Author: John Bowman Date: Wed Aug 23 22:47:44 2006 -0600 Removed resolution arguments (nx and ny) from matrix contour routines; instead calculate these from the matrix itself. commit 25db195ca85cdf10b81b0e658f11e28fe087329b Author: John Bowman Date: Tue Aug 22 09:00:55 2006 -0600 Simplify calculation of cyclic path bounding boxes. commit 2a727b5da017e16f669041fe33bce1cfa9b05995 Author: John Bowman Date: Mon Aug 21 22:30:45 2006 -0600 Check that root is in range in bounds(). Implemented general solution for pen padding/capping of paths. commit 1e3e71ddba40dd38a67f0d5a063f593928e29322 Author: John Bowman Date: Sun Aug 20 22:22:33 2006 -0600 Added link to externally contributed examples: http://home.tele2.fr/phivaldi/asymptote commit 1975cd1e4db32ab15af2e7cced813c9425d73aad Author: John Bowman Date: Sun Aug 20 21:56:22 2006 -0600 Account for pen cap contribution to bounding box. commit 0a78726e84976df4d77fd2669e3ed8c477503d28 Author: Andy Hammerlindl Date: Sun Aug 20 00:20:41 2006 -0600 Exclude module accesses (and imports) from listing. commit 2d33137292407d66f099001aeb6fe0a9c7bb7c0c Author: John Bowman Date: Sat Aug 19 22:25:26 2006 -0600 Fixed image transposition. commit 620b0750d6a20baa7aa231ba7e3896cbaec37f5e Author: John Bowman Date: Sat Aug 19 18:13:36 2006 -0600 Discard extra characters after scroll commands (q). If scroll is negative, use one less than number of display lines. commit 331d19e858a08034c8b1f7182c8d8c0edb86dca7 Author: John Bowman Date: Sat Aug 19 09:44:40 2006 -0600 Changed header. commit deeafec561e27c8f9c1cecf9651229670931bbad Author: John Bowman Date: Fri Aug 18 16:07:59 2006 -0600 Standardized image and contour conventions for matrices. commit 3ec15bc65ee01c347de9764251f7ed148c2d5c80 Author: John Bowman Date: Fri Aug 18 15:56:31 2006 -0600 Improved documentation of command-line arguments. commit 98ce04117d410dacd86caa0c155def36cbe0138d Author: John Bowman Date: Fri Aug 18 15:55:57 2006 -0600 Removed unneeded settings qualifiers. commit d637ff179718b8e833ecdfc56394e5c9ed8d1989 Author: John Bowman Date: Fri Aug 18 15:54:35 2006 -0600 Minor optimization. commit b7a92a3b4478fb944e11d1f59bc91585657df406 Author: John Bowman Date: Fri Aug 18 15:52:27 2006 -0600 Changed write without data arguments to work consistently with the forms with data arguments: write(suffix suffix=endl); write(file fout, suffix suffix=none); commit 7bbab69b0cfed3ea636366a3ff30d406480dd6b7 Author: John Bowman Date: Fri Aug 18 14:46:47 2006 -0600 Remove spurious grestore; if no labels move grestore before showpage. commit 5f7cb91504b33716ac5e1c0cb64f3aecde55c2dc Author: John Bowman Date: Thu Aug 17 14:29:46 2006 -0600 Move GCLIBS dependency before others. commit 946e289a36611ab5833be45f544ef9cf097c535a Author: John Bowman Date: Thu Aug 17 12:24:16 2006 -0600 Added missing brace. commit 385b0fcf92fef84a5b216b523885d9b66b81ba47 Author: John Bowman Date: Thu Aug 17 11:41:33 2006 -0600 Added whereDefined() to entry class. Implemented void list(string *s, bool imports=false); to list all global functions and variables in a module named by string s. Removed unneeded init_readline in readline() routine. commit ddcc3110a61f7878e884895b66710f1bd0bb226b Author: John Bowman Date: Wed Aug 16 16:16:45 2006 -0600 Fixed xtick default argument issue. Added 3d tick routines. commit df02809984fd6f70cccb0de55f3139bdfabfb546 Author: John Bowman Date: Wed Aug 16 10:05:37 2006 -0600 Minor edits. commit 880c0f19ddd67a25df6519f5e2d3fd02a1cba7cd Author: John Bowman Date: Wed Aug 16 09:54:54 2006 -0600 Truncate out-of-bounds position parameters in labelaxis. commit 6629405d8a24e54b0214194fefb3d41e191eb186 Author: Andy Hammerlindl Date: Thu Aug 10 00:39:19 2006 -0600 Partially undid last change. commit 5c19f2abc3c0b0965ee16af5cd4e9db0ac440a66 Author: Andy Hammerlindl Date: Thu Aug 10 00:32:54 2006 -0600 Added tabcompletion to documentation. commit ec6f7c14bbb6ee7a675d34e8728930436c28fda5 Author: John Bowman Date: Wed Aug 9 08:21:11 2006 -0600 Simplified texprocess and postprocess signatures. Removed diagnostic. commit c3fab02a80fcfd8e2ff78882050a411f176d6356 Author: John Bowman Date: Wed Aug 9 08:12:20 2006 -0600 Removed bounding box fuzz. commit d191737368a18127796b33fef94399e79ba9e8b0 Author: Andy Hammerlindl Date: Tue Aug 8 15:41:53 2006 -0600 Added intelligent readline auto-completion based on the environment. commit af3d2395c4b72d7342ed0e68872846499fa7159c Author: John Bowman Date: Tue Aug 8 10:27:34 2006 -0600 Documented interp. commit 1be5c206bbf11397d38fb3f8a5dfb6bd396e7f7a Author: John Bowman Date: Tue Aug 8 04:02:56 2006 -0600 Fixed page alignment. commit c70cf49e3504ee60eff3cdccdc4f9314975a55ed Author: John Bowman Date: Mon Aug 7 20:20:15 2006 -0600 Added newl after gsave. commit e0bbdb825112966ffc84648379a4326e09122658 Author: John Bowman Date: Mon Aug 7 14:07:53 2006 -0600 Removed unused code. commit 7553c45742a1653bedcac99f67c8ad29f67aca0f Author: John Bowman Date: Mon Aug 7 09:46:36 2006 -0600 Turn off tab completion after readline. commit 4e5b8682d2ed3405ac13e5a269516abcf0916aaa Author: John Bowman Date: Mon Aug 7 09:36:42 2006 -0600 Simplified interactive mode. commit 337bc7366624b9ece92a35b75e404286c6c52216 Author: John Bowman Date: Mon Aug 7 08:20:46 2006 -0600 Simplified page alignment: -a Z nolonger implies -notex, annotation now works even with negative bounding box coordinates. commit 33092b49f26e37dba2d4f4e29ff3244a9f8eceb4 Author: Andy Hammerlindl Date: Sat Aug 5 00:03:41 2006 -0600 Removed accidentally added debugging output. commit 3c5d840478b8e7df5a7da4164df7921119ecb5c7 Author: Andy Hammerlindl Date: Fri Aug 4 23:56:57 2006 -0600 Fixed horizontal drawline bug. commit 8ff1804d6af0ab6c487d75d144c8be2363fd839a Author: John Bowman Date: Thu Aug 3 06:47:03 2006 -0600 Updated implicit scaling documentation. commit 1c00e823b1efef1b1a213697c8f804f8686e2c96 Author: John Bowman Date: Wed Aug 2 13:02:50 2006 -0600 Check for interrupts on for(;;). commit 15550ffe796c57d5d29ea5ec94590b424dd52954 Author: John Bowman Date: Wed Aug 2 12:46:17 2006 -0600 Removed unneeded %s. commit 6d32da25931610ecbd2a037dabc06daf590b9eb2 Author: John Bowman Date: Wed Aug 2 12:38:03 2006 -0600 Added support for Adobe Reader annotations. commit d29fe7bd1b866038c712a4a361b0bdec3d66f113 Author: Andy Hammerlindl Date: Tue Aug 1 13:17:50 2006 -0600 Improved highlighting of strings and scaling expressions. commit 0acd2b77382036350910ff18bae3df35e509d9db Author: Andy Hammerlindl Date: Tue Aug 1 13:16:51 2006 -0600 Allow empty test expression in for loop. commit 8eeecfa50431a4ead2b53af641e55b841bc0f15c Author: Andy Hammerlindl Date: Tue Aug 1 13:16:21 2006 -0600 Clarified comments. commit 355c37958b6b948bd3590b032373f59872a939f2 Author: John Bowman Date: Tue Aug 1 08:40:11 2006 -0600 Incremented version to 1.13svn. commit 011ccae6de7ae9699aa841dd6bd985526766ca25 Author: John Bowman Date: Tue Aug 1 06:46:11 2006 -0600 Fix cxx warning messages. commit 4c397bc7f375c2b585c69abb7cb51a9ece995994 Author: John Bowman Date: Tue Aug 1 06:32:23 2006 -0600 Use command-line version of ghostscript (gswin32c.exe) under MSDOS to avoid spurious ghostscript window when producing pdf files. commit 83c37ae5865e042bb52b50f7ee8ab366891894e9 Author: John Bowman Date: Mon Jul 31 14:42:09 2006 -0600 Updated. commit 3155feb37eb0b7b66680faa49af3f3030c9d26a2 Author: John Bowman Date: Mon Jul 31 14:23:50 2006 -0600 Simplify pen constructors. commit e292493e7798b572a31cfdc7f9f60be9a5c03d55 Author: John Bowman Date: Mon Jul 31 14:12:33 2006 -0600 Implement transparency. Handle DEFLINE correctly. Change string to mem::string throughout pen class. commit e6704b4d1c7bb2ad26618f2587b1a46183d3a19a Author: John Bowman Date: Mon Jul 31 14:09:15 2006 -0600 Use heavygreen instead of green. commit b58d65ce754bddf6d826d99af97c9a8e7ae67c4e Author: John Bowman Date: Mon Jul 31 14:07:33 2006 -0600 Added equations item. commit 09880dbab3c09f0ff6b6d06469049e1e03834f1f Author: Andy Hammerlindl Date: Sun Jul 30 00:22:40 2006 -0600 Delay call of getName, so that it is only called when the name is used. commit daf07650a774d77f1bc1b319ff2129f93343abab Author: John Bowman Date: Sat Jul 22 13:43:23 2006 -0600 Fixed label fuzz. commit c75cd4332190a6c80206864871c7f098260c815d Author: John Bowman Date: Sat Jul 22 01:10:50 2006 -0600 Minor additions to Help section. commit f95b2c761e1bb5ce5cc1d4194d0c08b0758db1b9 Author: John Bowman Date: Sat Jul 22 01:08:18 2006 -0600 Account for scale in label bounding box calculation. commit 662666896ceec7a86a8acc05bbf714ff017acdf1 Author: John Bowman Date: Sat Jul 22 01:07:15 2006 -0600 Renamed interact() to interactive(). commit 0a7ee04366c0250477d87cd72007e0fcc1cbeb6a Author: John Bowman Date: Sat Jul 22 01:06:34 2006 -0600 Fix Step calculation (special case). commit eae2726d0ce3648e4c77d5d8286c8959e2fef919 Author: John Bowman Date: Sat Jul 22 00:59:44 2006 -0600 Interactive reset should call cleanup, not exitFunction, and set uptodate=true. commit 6083f7f734c0846261a701d3dd2d9aaac3541ece Author: John Bowman Date: Tue Jul 11 15:52:29 2006 -0600 Updated. commit fb46edec56c5921e5ca6cfcb0ef107eb7d135df9 Author: John Bowman Date: Tue Jul 11 15:41:51 2006 -0600 Added default pen argument to Dotted(). commit c4bd8d894fa312bb63b8e4367156266977092b15 Author: John Bowman Date: Sun Jul 9 21:16:08 2006 -0600 Add q option to scroll facility to allow one to terminate scrolled output without causing an execution interrupt. Make scroll a setting instead of a function call. commit 7c5bedb12ad977701955cbf1726782e88ae2f379 Author: John Bowman Date: Sat Jul 8 22:10:25 2006 -0600 Added prefix plain_ to internal plain includes. commit 7da6733491c9eca3c94cd043f288bf09dbe16ed9 Author: John Bowman Date: Fri Jul 7 23:05:42 2006 -0600 Add missing clear() function to remove all breakpoints. commit 9dd7f96ec2a61fdb419445bcffa2a0884006b870 Author: John Bowman Date: Fri Jul 7 23:03:10 2006 -0600 Simplified partialsum. commit 36759e0b95e1af56c6c0d76d1bc11597db2fc5b6 Author: John Bowman Date: Fri Jul 7 11:10:28 2006 -0600 Removed page break. commit d6047df8c3e18d8e1e34788eddbecb97597dced3 Author: John Bowman Date: Fri Jul 7 11:06:25 2006 -0600 Documented ellipse. commit 42c87dac055830e8c87eba709885e75d4d893edd Author: John Bowman Date: Fri Jul 7 10:41:38 2006 -0600 Moved "Drawing Commands" section to immediately follow tutorial. commit ac38dcb2af96edeb8acb95b81c3021499d574b5b Author: John Bowman Date: Thu Jul 6 16:30:18 2006 -0600 Minor documentation improvements. commit c3f6db0826aec5be9bebbe809665c549e1fbe779 Author: John Bowman Date: Thu Jul 6 16:17:13 2006 -0600 Fixed documentation of periodic tridiagonal solver. Minor edits to Bezier curve documentation. commit f64d12cbbd2d0d824653688be0930ecdcf181119 Author: Radoslav Marinov Date: Thu Jul 6 14:05:53 2006 -0600 Added a bezier curves example - /doc/bezier2.asy . commit 7b0e702e928cb8f2f04332fed7e9f10df50eb2df Author: John Bowman Date: Thu Jul 6 10:55:47 2006 -0600 Replace double quotes with single quotes for compatibility with \usepackage{german}. commit 133164c761c28dc86ccdc63b7a12e546a939c7e1 Author: Radoslav Marinov Date: Thu Jul 6 10:55:47 2006 -0600 Added some more information on Bezier curves. commit 4bc34df3158d155b2fe5beefa9ef9e0970755bf0 Author: John Bowman Date: Thu Jul 6 01:05:00 2006 -0600 Incremented version to 1.12svn. commit f8478772f370fba4d278a7b2c3a165c7641819ae Author: John Bowman Date: Thu Jul 6 00:10:14 2006 -0600 Support g++ 3.3.4. commit e9b952ce4ae5900c33584f1ef822d66d775b87c7 Author: John Bowman Date: Wed Jul 5 23:53:55 2006 -0600 Fixed cxx warning messages. commit e12b26bc7e3ff3ae0f7383f9ea69f3df080aef8a Author: John Bowman Date: Wed Jul 5 22:39:14 2006 -0600 Added reference to graph3. commit 60cb8a05d80a51765b53f4d2219e177c4165ee98 Author: John Bowman Date: Wed Jul 5 12:28:58 2006 -0600 Renamed locate to locatefile. commit b289c382769951d33a7d1e86b25a9c0aa1aab70a Author: John Bowman Date: Wed Jul 5 01:15:18 2006 -0600 Debugger enhancements and minor fixes, including conditional breakpoints; renamed remove(string, int) to clear(string, int). Define min(... int[] a) and max(... int[] a). Moved realmult to runtime. commit eb3848d18bc8b2666b7756d0beb6bf53636a9418 Author: John Bowman Date: Sat Jul 1 03:05:34 2006 -0600 Removed spurious write. commit 406eb56dbd70bc4a193fa6418ab86e0ded006bc5 Author: John Bowman Date: Sat Jul 1 03:03:41 2006 -0600 Simplified debugger: removed step, renamed line to step, and make trace toggle. Prune duplicate trace messages. commit 27f83cfb49ff4d0bff6ddaf0ee33875c501a0fd5 Author: John Bowman Date: Sat Jul 1 01:20:21 2006 -0600 Make access settings global. Added twice setting to resolve LaTeX references. Improve embedded movie example. commit 5491a9ba3950418ec02f30c385b92374e8674eee Author: John Bowman Date: Fri Jun 30 11:09:49 2006 -0600 Generate wheel.mpg. Suppress vbv_delay overflow messages during mpeg merge. commit 176ad41299376337a145e9b084fd1d12ed2303c5 Author: John Bowman Date: Fri Jun 30 10:34:52 2006 -0600 Use defaultformat again instead of empty format string. commit 846dfbf82f1d4a1757c0c20048b67710620605cd Author: John Bowman Date: Fri Jun 30 10:27:19 2006 -0600 Improve discussion of stack overflow detection. commit 4fcdfd5f23e825c917fb3a7b5c958ec6d94d5ae9 Author: John Bowman Date: Fri Jun 30 08:35:14 2006 -0600 Added missing file. commit 685c1ede9c52233c3cb2135ee12e986391e6d374 Author: John Bowman Date: Thu Jun 29 22:54:03 2006 -0600 Added 3D array transpose and copy. commit 2c20940ae36d496d660f04d4d360c4bdbe0ff558 Author: John Bowman Date: Thu Jun 29 22:37:03 2006 -0600 Prevent runtime errors and interrupts from resetting interactive environment. commit 6f8a184d15535e00803cb8ac6ffff182459a40ed Author: John Bowman Date: Thu Jun 29 22:35:10 2006 -0600 Removed extra blank line at end of 3D array write. commit 1923d5f328df74f65f9c7cf7850a0d672c18ccb3 Author: John Bowman Date: Thu Jun 29 17:10:05 2006 -0600 Moved introductory material into Tutorial section. commit 860b5da27d21101dc89322659afb376f7d28f1e2 Author: John Bowman Date: Thu Jun 29 11:37:38 2006 -0600 Added prompt and quiet settings. commit 5698e9e1a1cbf3073cc280dfd71eaac62be58313 Author: John Bowman Date: Thu Jun 29 06:20:33 2006 -0600 Don't exit if stack overflow or segmentation fault handlers fail (to workaround broken libsigsegv-2.3; upgrading to libsigsegv-2.4 is recommended). commit 83b1ede25ffc9552e993a5d95613b76760b1130a Author: John Bowman Date: Wed Jun 28 21:59:26 2006 -0600 Renamed Examples section to Tutorial. commit 849359439f21d7b98bcb33eb0cb341a53180fcf5 Author: John Bowman Date: Wed Jun 28 12:40:09 2006 -0600 Removed unused line. commit 194753aa5ef632bbdeda4bc54091b0327559e630 Author: John Bowman Date: Wed Jun 28 12:38:09 2006 -0600 Moved debugger into separate base file debugger.asy. Added void stop(string file, string text); to stop at the first line in file containing the string text. Renamed q (quit) debugger command to x (exit); added q (quit) command that quits debugger and ends execution. Better fix for memory leak. commit 7f95d2aa8d456d4f4ac55fdf66bc1d380359df1c Author: John Bowman Date: Wed Jun 28 10:59:27 2006 -0600 Minor documentation updates. commit 6744bcf2123427cc4c488b9faa08a74c5c28286f Author: Andy Hammerlindl Date: Wed Jun 28 01:24:15 2006 -0600 Ensured that the basis in lookAt() is orthonormal. commit 1e1d21359af6ac9ed84e8a655f85caa8dd15339b Author: John Bowman Date: Wed Jun 28 00:35:12 2006 -0600 Incremented version to 1.11svn. commit 9dedce2a8e0e8aad57168c928a43c4e21c848aaf Author: John Bowman Date: Wed Jun 28 00:03:25 2006 -0600 Add support for spaces in Asymptote and output filenames. commit f4c9eb6456a12db6b0e0ced5d6c7d2baaa574274 Author: John Bowman Date: Tue Jun 27 22:51:10 2006 -0600 Added more quotes. commit 21cc31375595807ed07c4c16f0756c0c0914380a Author: John Bowman Date: Tue Jun 27 22:44:55 2006 -0600 Add more quotes for MSDOS users who like to use spaces in filenames. Remove quotes in diagnostic messages. commit 9481a3783c06307af05591e38a5fdfde0808c5eb Author: John Bowman Date: Tue Jun 27 13:30:09 2006 -0600 Cache source code in debugger. Move debugger help message to immediately before prompt. commit 56a9d58ba74a24b05cea462018490512c164dfab Author: John Bowman Date: Tue Jun 27 12:42:03 2006 -0600 Extended and documented debugger. Fixed string reads of lines containing only whitespace. commit b0c68db03af88951576f316333056c5d9b565acc Author: John Bowman Date: Tue Jun 27 01:47:31 2006 -0600 Fix drawpen. commit b4fa5baaf24bc1217c729461060e9aa5cde234f6 Author: John Bowman Date: Tue Jun 27 01:45:40 2006 -0600 Make default drawpen currentpen again. commit b042abc34e332e4b96fca5595320beb43392ab6a Author: John Bowman Date: Tue Jun 27 01:31:48 2006 -0600 Work around atbreakpoint memory leak. commit ddafc5a4ed46a3f11e6944cf3d9c6d10d3c7708d Author: John Bowman Date: Mon Jun 26 23:25:54 2006 -0600 Make Fill and FillDraw work with markers and superpaths. Minor formatting updates. commit 5e5eb1543ef6f855dd4fe7021ad2629af65efd09 Author: John Bowman Date: Mon Jun 26 22:23:17 2006 -0600 Suppress all errors when quiet=2. Catch handled_error in configuration files. commit 7960b9d402a8e258d465c777ec0183b1d5457062 Author: John Bowman Date: Mon Jun 26 21:14:44 2006 -0600 Added parametric surface example. Distinguish between distances in front of and behind camera. commit 6517027ce7911dfb196eac47ff129ed6e96e8e60 Author: Chris Savage Date: Mon Jun 26 18:02:59 2006 -0600 Implemented parametric surfaces. Surface fill/mesh is no longer drawn for nullpen arguments. commit 5ffd26cdb1c4cccd7de84fe4b6297d5a599dc058 Author: John Bowman Date: Mon Jun 26 16:04:47 2006 -0600 Fixed segmentation fault if atbreakpoint isn't defined. Moved debugger.asy into plain.asy. commit 5c7f6e9573b220bd314fdabd7125837cb1472236 Author: John Bowman Date: Mon Jun 26 02:02:39 2006 -0600 Support compilation under g++-3.3.4. commit e8bd9c1cefa26e967527ea67557848c45c9e0e46 Author: John Bowman Date: Mon Jun 26 01:18:44 2006 -0600 Debugger support. commit 9a1d8ebaeced74c8a153a8cfc4676852623544f0 Author: John Bowman Date: Sun Jun 25 22:13:21 2006 -0600 Implement rudimentary debugger. Fix interrupts. commit e43db21f79abdef7e08101de0878690dbff29288 Author: John Bowman Date: Sun Jun 25 22:10:58 2006 -0600 Suppress stderr for gv workaround. commit 8ce72f2e5b1b30cb24fd00f98b9fb864a87a7dfe Author: John Bowman Date: Sun Jun 25 22:10:14 2006 -0600 Suppress stderr only for gv workaround. commit e63b5160040dbd16a42d1ed523e3e0577530c911 Author: John Bowman Date: Sun Jun 25 19:20:24 2006 -0600 Work around file descriptor problem with MikTeX 2.5. commit dbd425d4bd359edf6c23148c7616ce0631090b4b Author: John Bowman Date: Fri Jun 23 21:03:52 2006 -0600 Added Crop argument. commit fe386dfc9115d32344b5740960089de1fd6a58e3 Author: John Bowman Date: Fri Jun 23 21:02:52 2006 -0600 Added autoconf > 2.59 patch submitted by Chris. commit 146deafd826c99a659888fe7442932a769ed16c9 Author: Chris Savage Date: Fri Jun 23 18:06:33 2006 -0600 Added crop argument to limits to match xlimits. commit 4ba4b2c506db233267faab753776de776d4a43ab Author: Chris Savage Date: Fri Jun 23 18:04:34 2006 -0600 Corrected default crop argument of xlimits. commit 547c1670099a308a0cc8a7775663a4538cd2514f Author: Chris Savage Date: Fri Jun 23 17:08:52 2006 -0600 Added picture argument and use of picture scaling to graph(...) functions that did not previously do this. commit 8584e109743d459f49cb464afda3d3fe96e1636c Author: John Bowman Date: Fri Jun 23 06:12:58 2006 -0600 Changed Docdir to docdir; hopefully this won't conflict with next release of autoconf. Replaced GPL LICENSE with newer version (FSF forgot to bump the version number!). commit 8d111c60d5c8fee35160dfc0a8e53fd62b2e40e4 Author: John Bowman Date: Thu Jun 22 16:35:05 2006 -0600 Incremented version to 1.10svn. commit eb0de75fc9217b6a6b982157fad091a0e3f60bb8 Author: John Bowman Date: Thu Jun 22 13:52:31 2006 -0600 Make gv-3.6.1 bug workaround work with older versions like gv-3.5.8. commit 8ff9ab7deabaa2f6b7b117056fca0a0b8c50a8d2 Author: John Bowman Date: Thu Jun 22 00:19:45 2006 -0600 Updated to MSDOS gs8.54. commit a4d69da3b751629da5f08828082c7c466c079914 Author: John Bowman Date: Thu Jun 22 00:18:51 2006 -0600 Incremented version to 1.09svn. commit 0f24e94fcb206bece1df0307eb9c353c8e900a9a Author: John Bowman Date: Wed Jun 21 22:36:17 2006 -0600 Documented int[][] triangulate(pair[] z); for creating a triangular mesh. commit 349ef2c3f789eb2c5da5cc8e8e34a2ecfeb83fe7 Author: John Bowman Date: Wed Jun 21 21:46:43 2006 -0600 Fixed make distclean. commit 053152254fd41c1c83d83bfc1dd77623abf10d59 Author: John Bowman Date: Wed Jun 21 21:15:32 2006 -0600 Clean up unneeded files. commit f6a46cd80c1f5d8a8c438368f67bdb1a7ff45d0c Author: John Bowman Date: Wed Jun 21 18:13:50 2006 -0600 Fixed warning messages. commit 4eba8344080fd285665a7673788a5fba3559fa4c Author: John Bowman Date: Wed Jun 21 16:41:19 2006 -0600 Removed unneeded public modifiers. commit b8a19d515820713230513415a8eba377a9f3fce2 Author: John Bowman Date: Wed Jun 21 16:35:07 2006 -0600 Added pen colorless(pen) function that strips pen color attributes (useful for avoiding color mixing). Fixed stepping bugs in slide on overfull slide; added institution field to titlepage. commit c026098e41f0ae6c8568bb41f6146592a730c298 Author: John Bowman Date: Tue Jun 20 21:40:06 2006 -0600 Removed AC_FUNC_MALLOC and AC_FUNC_REALLOC as they seem to cause more problems than they solve. Fix help command by reverting broken Docdir change. commit d940254ae30f0b9a5492adb74cf04417784d1eac Author: John Bowman Date: Tue Jun 20 13:12:52 2006 -0600 Increased epsilon to fix corner cases. Suppress null labels. commit 5eb1c97104c77b32837f6e96d1ea96a9859bca3f Author: John Bowman Date: Sun Jun 18 22:32:31 2006 -0600 Incremented version to 1.08svn. commit 1e60c4d32988a7983d208fa0289e71df8bb56bfb Author: John Bowman Date: Sun Jun 18 21:34:40 2006 -0600 Fixed gv workaround. commit b3983451193bb29fa2fe492d385f408d4e159182 Author: John Bowman Date: Sun Jun 18 20:51:25 2006 -0600 Fix cygwin build problems. commit d56acb49f9f969cb5a940a1c7c48a5de241110f6 Author: John Bowman Date: Sun Jun 18 10:39:54 2006 -0600 Add and document contour labels. commit 640ad149422053ee618a7be7bf5aa9636076b88a Author: John Bowman Date: Sun Jun 18 01:37:48 2006 -0600 Updated documentation regarding type-dependent array functions. Fixed example. commit 84088bd182aa527acc3e8d0f0bfa6a56a97c2510 Author: John Bowman Date: Sun Jun 18 01:24:06 2006 -0600 Add imagecontour example. commit ff6887f2c5ab91209aba3956c4d25805f0ad6901 Author: John Bowman Date: Sun Jun 18 01:03:23 2006 -0600 Add improved and simplified version of Chris' palette modifications. commit fcbd8a3c0dcd0d6baa8e5ceaec1c65f823b8f65f Author: John Bowman Date: Sat Jun 17 16:53:00 2006 -0600 Fixed arcarrowsize. commit 7ef1b87ae9df597ccff3c44fd5d65ada8d2d86a0 Author: John Bowman Date: Sat Jun 17 16:49:51 2006 -0600 Fixed and simplified LU decomposition, solve, and determinant. commit 8f9a1b963c39eff23baa5f87d53d1317a780d145 Author: John Bowman Date: Sat Jun 17 04:56:37 2006 -0600 Simplified test. commit ceeda628c34eae8b29464876115aebc0aba7fc58 Author: John Bowman Date: Fri Jun 16 20:09:40 2006 -0600 Optimized solve and inverse. commit f1129650fdf1e1b9a3b9a0d43b3d6979b7fbf501 Author: Radoslav Marinov Date: Fri Jun 16 14:01:41 2006 -0600 Added LU decomposition instead of Gauss-Seidel method in solve. Gauss-Seidel method is still used for finding inverses. Added a test for both. commit 973bab339bb76e8373ad05c952946b826453f035 Author: John Bowman Date: Thu Jun 15 16:33:32 2006 -0600 Renamed Fill filltype to FillDraw and added Fill filltype that only does a fill. Fixed arrowsize capping code and added arrowsizelimit. commit 3b257884e63a16d5f3c488d5ed774acb7f31d5a1 Author: John Bowman Date: Thu Jun 15 14:41:13 2006 -0600 Renamed readable to restricted. commit 651ae218ff630152e4d03bf44b6d5be20e6f47a7 Author: John Bowman Date: Wed Jun 14 15:55:06 2006 -0600 Fine-tune logo. commit 7f1cf6db7f42d205226c05742a347c09701ff4bc Author: John Bowman Date: Wed Jun 14 00:15:22 2006 -0600 Change defaultformat argument of PaletteTicks to "". Fix formatting issues. commit 3e2f27f3847471318a6568e6cda79c5e1b3e4188 Author: Andy Hammerlindl Date: Tue Jun 13 17:23:58 2006 -0600 Added readable keyword, made public the default permission. commit 5dd1e7f9b4440e235a3d77d591c683b8a4c99b55 Author: Radoslav Marinov Date: Tue Jun 13 14:49:16 2006 -0600 Updated documentation for contours. commit 5ef02318e225d6f75bbddb01866f7efe278b92cf Author: John Bowman Date: Tue Jun 13 13:14:18 2006 -0600 Optimized postsorting of triangulate routine. Simplified contour interface. Added nonuniform contour mesh example. commit 9643e0dc524184c8285d73c2351976e5a98f5a11 Author: John Bowman Date: Tue Jun 13 12:34:14 2006 -0600 Make arrowhead and arrowheadbbox public to allow them to be overloaded. commit 9ad6ed85d523118ea068a22769f72d587dda8d2a Author: Radoslav Marinov Date: Tue Jun 13 11:10:27 2006 -0600 Added non-regularly spaced contouring. commit f227e558df95e61472134119242ad9feadb93875 Author: John Bowman Date: Tue Jun 13 01:00:48 2006 -0600 Use random pair for overwrite moves when align=(0,0). commit b257abdab1f08e55f01aa5570a05e785dde0e40b Author: John Bowman Date: Tue Jun 13 00:59:12 2006 -0600 Formatting. commit 8684d471b3697c1630abc8b06bfb74506b49c9ff Author: John Bowman Date: Tue Jun 13 00:54:17 2006 -0600 Fixed secondary logarithmic axes. commit 0346bdb77d0dc2da9d7cf7b8f660f5e487472951 Author: John Bowman Date: Tue Jun 13 00:34:56 2006 -0600 Fixed count computation (for endlabel=false). commit fc50cfec9594716a63f4d6708e3e6dadb75dabfa Author: John Bowman Date: Tue Jun 13 00:25:17 2006 -0600 Fixed alignment of rotated tick labels. commit 2823b5e4594cc35dbf382941754006bea86aa9c4 Author: John Bowman Date: Mon Jun 12 22:37:10 2006 -0600 Implemented more efficient guide collection algorithm. commit d3e000399ca900690fbe10cc7f99820c835f7bb2 Author: John Bowman Date: Mon Jun 12 20:33:17 2006 -0600 Added string option to assert. commit 1fd671831ef34a2e1114bf08a061ff9985c373e0 Author: John Bowman Date: Mon Jun 12 20:30:55 2006 -0600 Standardize "could not load module" error message. commit 51889939c120a4ca97af149784c217ceb7b06115 Author: John Bowman Date: Mon Jun 12 20:29:02 2006 -0600 Use most up-to-date verbose setting for traceback. commit f7f07a661d8b1f8401949d437dac738a7de61050 Author: Radoslav Marinov Date: Mon Jun 12 10:23:59 2006 -0600 Removed copying of unused variable in triangulation routine. commit c80e76f924a4611e1ce9c9b6e11e3bcd7f92d58f Author: John Bowman Date: Sun Jun 11 14:05:28 2006 -0600 Removed executable flag. commit 59f5f5a6ae7a00dea7b006404c1e2881df118c93 Author: John Bowman Date: Sat Jun 10 15:45:17 2006 -0600 Make currentprojection public. commit 29d5586ceb7a1aef6e782a4d124bf3bd672b5575 Author: John Bowman Date: Sat Jun 10 15:42:22 2006 -0600 Import three as public so that currentprojection can be overridden. commit 6ed73746146901f100fd6ecb07a3fe0c8ee549ee Author: Andy Hammerlindl Date: Sat Jun 10 13:55:29 2006 -0600 Added addSaveFunction to extend save and restore. Moved projection code to three.asy. Handle degenerate cases in lookAt(). commit 82ecef1191a366ad0f0b0508663cc5ca013fe4b9 Author: Andy Hammerlindl Date: Sat Jun 10 13:51:57 2006 -0600 Noted built-in modules. commit 25751222b9f06612b95690c9607aff0be31b8ce2 Author: John Bowman Date: Fri Jun 9 22:16:41 2006 -0600 Removed unused subtraction. commit 9981e0a4273b280d7edf66ad2d121c3b7ec7d620 Author: John Bowman Date: Fri Jun 9 22:05:53 2006 -0600 Fix overhead/underhead views. commit d627684544274d7cf3670616a96cd687a80b05d0 Author: John Bowman Date: Fri Jun 9 16:49:33 2006 -0600 Added up argument to lookAt; remove lookAtOrigin in favour of lookAt(O,...). commit 4c9fc4ebfac5c393e8cbfa0c22a2ae32fab47d6b Author: John Bowman Date: Fri Jun 9 12:21:26 2006 -0600 Simply support for custom projections. Reverse arguments of lookAt for clarity. commit f0648e6bf0a78e245f949a6aae289aef6b99b0bd Author: Radoslav Marinov Date: Thu Jun 8 13:49:56 2006 -0600 Fixed a problem with triangulation. commit fb2650817ca533532783708b22602a8b5b85c8d0 Author: John Bowman Date: Wed Jun 7 21:41:09 2006 -0600 Fixed typo in configuration instructions. commit 869f515dc87594e6b50fa2609847ffe4e4facff4 Author: John Bowman Date: Wed Jun 7 17:00:16 2006 -0600 Add Delaunay. commit f200d75273e0bfb0f7ae0bdab84714c45a462ee2 Author: John Bowman Date: Wed Jun 7 16:58:54 2006 -0600 Added Paul Bourke's Delaunay triangulation routine. Removed unneeded copyArray from inside. commit 772fbb1edbde73c41403365263a2adf06b08a443 Author: John Bowman Date: Wed Jun 7 14:22:18 2006 -0600 Fixed typo regarding cone vertex. commit 88e0cf1bdfadaea42f1f660ea8a79fe43ce0695a Author: John Bowman Date: Wed Jun 7 14:02:03 2006 -0600 Fix configuration problems. commit 27e61ce6967c6650650287430cf37e5f6efbb5fc Author: John Bowman Date: Wed Jun 7 03:25:06 2006 -0600 Remove docdir. commit b655d72e4a0551596632fbd31b5128322450b454 Author: John Bowman Date: Wed Jun 7 03:10:45 2006 -0600 Remove unused docdir operations. commit 9610dd75d92ba49c9e448425ea9aa66eef84f0a2 Author: John Bowman Date: Wed Jun 7 03:05:30 2006 -0600 Implement work around for backwards-incompatible command-line options of gv-3.6.1. commit 1c99f965ca672e7a581ad72cb440454e2328b0fc Author: John Bowman Date: Wed Jun 7 02:47:32 2006 -0600 Make docdir if it doesn't exist. commit ea5049ca5be8b6fe15ad71804eaa69363b374320 Author: John Bowman Date: Wed Jun 7 02:27:37 2006 -0600 Fix default configure documentation directory setting. Document inclusion of Asymptote in Fedora Core Extras project. commit db803d3c1d07e1494e24a197a02a6968e3bc5df1 Author: John Bowman Date: Wed Jun 7 01:40:43 2006 -0600 Added --with-docdir=PATH configure option. commit 8cf4582ac520c17579da3f75c57b2e4001759b7b Author: John Bowman Date: Tue Jun 6 23:12:16 2006 -0600 Add object structure for handling frames and Labels on an equal footing. Add a pack routine for building compound frames from a list of objects. Simplify flowchart interface and example; fix frame/Label packing. commit cea422aaa3c107040e20983f2918ead70fb61293 Author: Radoslav Marinov Date: Tue Jun 6 14:46:11 2006 -0600 Added slopefields module. commit 5e6f5135cc6c798defa0ef962b90bc44f120259a Author: John Bowman Date: Tue Jun 6 04:10:20 2006 -0600 Fixed alignment problems, standardized usage. commit 9b09a4901061fe9d5092a8ccb369d1f8b25450e7 Author: Steve Melenchuk Date: Mon Jun 5 12:13:22 2006 -0600 Repair inconsistency in box height being used for vertically centering the header text in flowrectangle. commit 009f43ccc83a73ac803878ac83351593a2acc157 Author: Steve Melenchuk Date: Mon Jun 5 11:52:27 2006 -0600 Tweak vertical margins on flowrectangle with header. commit eac4e8394435700da38568335cb6c3a9dfb7d8c9 Author: Steve Melenchuk Date: Mon Jun 5 09:31:06 2006 -0600 Adjust margins on flowrectangle (both with header and without). commit 63a2536150751be2feafc4457d8e6402fbe29b58 Author: John Bowman Date: Sun Jun 4 21:49:17 2006 -0600 Make makepen fill nodes; fix infinite loops. commit 844fd281ea372e25b043a6e899e8ee32ffa869ba Author: John Bowman Date: Sun Jun 4 14:49:17 2006 -0600 Added missing pen arguments in calls to hatch. commit bd06d2617aa5c40b9a7b7e13eaa3cd6f2c35d24c Author: John Bowman Date: Sat Jun 3 08:04:31 2006 -0600 Fixed documentation of PaletteTicks. Renamed ngraph argument to n for consistency. Renamed straight(path) to piecewisestraight(path) and moved to runtime.in. commit 3aba60d261891a8a6aea2f45d1ba81411fea0470 Author: John Bowman Date: Fri Jun 2 16:20:34 2006 -0600 Draw on frame f. commit 45ce2b17d76b55a1612548fbaec345dc1b21b161 Author: Andy Hammerlindl Date: Wed May 31 13:51:33 2006 -0600 Clarified the non-behaviour of top level static modifiers. commit a74dcf0f7b3e963af33e33071fc38c6afb2b30b3 Author: Andy Hammerlindl Date: Wed May 31 13:42:21 2006 -0600 Added warning for top-level static modifiers. commit 54baf1109570f092424b389f6059c87a1bb74310 Author: John Bowman Date: Wed May 31 12:45:50 2006 -0600 Added flowblock initializer; removed unneeded new picture initializers. Added authors, improved indentation. commit d9198ced6bdf4ff2fab4bc8a58905656a93aa3f2 Author: John Bowman Date: Wed May 31 11:54:36 2006 -0600 Make cputime return a structure. commit 78e73f71620d81fc555f4c27158b75290cb409c2 Author: John Bowman Date: Wed May 31 11:53:38 2006 -0600 Removed unneeded CFLAGS. commit 07b2003ee31ecc0df02a550d0f9705524cc5466a Author: John Bowman Date: Wed May 31 10:34:10 2006 -0600 Fix texinfo dependency. commit d5597dbdbc87dd6f48a7e628eecde5cfb95c6463 Author: John Bowman Date: Wed May 31 10:21:34 2006 -0600 More info updates. commit 649b4aec2d15a36e686e98b30ef91fb7f774363a Author: John Bowman Date: Wed May 31 07:03:42 2006 -0600 Add cputime() function. commit f545c026d79b3cf8059a96200521bd73be1d1dd4 Author: John Bowman Date: Wed May 31 06:24:26 2006 -0600 Use -O3 when building rpms. commit dbd641c869d86b02b6ba3153c41cbd625a13221a Author: John Bowman Date: Wed May 31 06:13:43 2006 -0600 Fix picture scaling computation in dimension example. commit a083bff3445bf9134c9cc5e4020c38f213a6b715 Author: John Bowman Date: Wed May 31 05:18:53 2006 -0600 Improve diagnostics. commit 7b20750384ac20389e1849e32a22c6c4c929f08d Author: John Bowman Date: Tue May 30 01:18:50 2006 -0600 Removed info dir entry in %files section; makedepend should respect cflags. commit 010f667be0917e8ea63c38bc0b894fc8ee8d82b8 Author: John Bowman Date: Tue May 30 00:53:41 2006 -0600 Use make install-all in rpm spec file to install info pages as well. commit 000cb4d5d8afababec8806b7b439143a0389a5ad Author: John Bowman Date: Tue May 30 00:53:15 2006 -0600 Fix make uninstall. commit 60cacc6f428142cb91f9c3e54ae1c4cc5b73d2d7 Author: John Bowman Date: Tue May 30 00:28:36 2006 -0600 Fix installation changes. commit 98f69f91a7c55ce3a90cdbe800365124e6137292 Author: John Bowman Date: Mon May 29 23:58:30 2006 -0600 Update example to use new mesh resolution names. commit aac6c630f447abcd6880c0ae38add2bb8c32e63f Author: John Bowman Date: Mon May 29 23:57:15 2006 -0600 Fix another relative path installation problem. commit 24e32f701448ae0abd7e332aab053bf60d5c062e Author: John Bowman Date: Mon May 29 23:47:36 2006 -0600 Fix installation of system asy files. commit 08b522ff4cabbdaaf70de0c14eddc61e12755b98 Author: John Bowman Date: Mon May 29 23:40:00 2006 -0600 Fix cxx warning message. commit f620740a5af8135c70fbd4e81bd6361cfb64bdc0 Author: John Bowman Date: Mon May 29 23:38:33 2006 -0600 Renamed contour examples. commit fcbd51eb488444cc34e8a967ee73d22b0f3554a4 Author: John Bowman Date: Mon May 29 23:33:18 2006 -0600 Simplified contour interfaces by implicitly casting pen to pen(real). commit 32a0c4c021e8faa02e52de3403d52b0fc4857ad6 Author: John Bowman Date: Mon May 29 22:06:37 2006 -0600 Change package group; request texi2dvi; install asy-init.el. commit 12fbe90c8826f0a4bdd37d53051d1fcd7377e524 Author: John Bowman Date: Mon May 29 22:02:14 2006 -0600 Add emacs/xemacs init file for rpm installation. commit ca219dfe286fe14588199316b44a516aed97ebf2 Author: John Bowman Date: Mon May 29 22:01:05 2006 -0600 Move include shipout earlier. commit 1f2e802856fabc690a106486a3ba4139963e7b57 Author: Radoslav Marinov Date: Mon May 29 15:46:10 2006 -0600 Added new interfaces to contour.asy commit 04c13ec23cf6ab805a13097218c21860a571be28 Author: Radoslav Marinov Date: Mon May 29 15:31:48 2006 -0600 Added basic documentation for contours. commit a03b794e15756e3e0459f4601851d2eef218bc0d Author: John Bowman Date: Sun May 28 22:40:13 2006 -0600 Minor optimizations; standardized mesh arguments (n -> nx, m -> ny). commit af0349baa883f68bdc064f5c20b921880ce4431f Author: John Bowman Date: Sun May 28 18:07:12 2006 -0600 Further optimizations obtained by sorting contour array. commit d5e04e1cee076e6fa542899344643ab02e63ae36 Author: John Bowman Date: Sun May 28 13:12:14 2006 -0600 Optimize. commit 5956312549528c37d03ed6a6aa638f41d64cd72c Author: John Bowman Date: Fri May 26 22:19:37 2006 -0600 Add Jose's patch: list directories in %files section. commit 5bf4a571d99182f39cbf8c7089e13497c8a6e31d Author: Radoslav Marinov Date: Fri May 26 15:32:06 2006 -0600 Fixed a minor bug and added an additional interface option. commit 2dc5e703eafd44944c9056defebcb7f0d62cc4a7 Author: John Bowman Date: Fri May 26 15:12:37 2006 -0600 Make pen argument a function. commit 4aafdb65a959e771b184dc6ffd9ffdf58af6ac1d Author: John Bowman Date: Fri May 26 15:02:09 2006 -0600 Standardized signatures; support contours of matrix data as well as functions. commit a05043c0414b96b2e277655e781c4468a7c012fd Author: John Bowman Date: Fri May 26 11:36:37 2006 -0600 Make images and shading respect -gray, -rgb, -cmyk, and -bw. Make palette.asy use grayscale with -gray. Replace bool mono by settings.gray || settings.bw. commit 492d0924cd96e9fb43f5b7c42f7b42e6f7db8164 Author: John Bowman Date: Fri May 26 08:24:01 2006 -0600 Add date arithmetic routines: time(int seconds, string format=""); seconds(string t="", string format=""); Make time() return the current time in the default UNIX format. commit 0d6b7c6cf6f5f120e7a06024eaf8186aa821c3ac Author: Radoslav Marinov Date: Thu May 25 15:35:50 2006 -0600 Inserted a space between operator and .. . commit 5f1fdbef839ebb2692ca7e7aa3b6cacfa1a2bc7e Author: John Bowman Date: Thu May 25 14:50:32 2006 -0600 Changed 1.07cvs to 1.07svn. commit fb08ae2efca0b373fae51e0d835f9b45e8a8d2ca Author: Radoslav Marinov Date: Thu May 25 13:17:55 2006 -0600 Fixed a formatting issue and a minor bug. commit 18489c1c24083cb89668b9d64893301fb2dc6a2d Author: Radoslav Marinov Date: Thu May 25 11:29:03 2006 -0600 Contour.asy now can choose interpolation operator; default is --. commit eacb2efc49b51b090ce2164ff13c4801e75de347 Author: John Bowman Date: Thu May 25 10:43:46 2006 -0600 Added example of log2 graph. commit c7cccaf9c785a2d500880d5fc98a5f048602697d Author: John Bowman Date: Thu May 25 10:32:56 2006 -0600 Fixed bug in YZero. Handle log graphs bases other than 10. commit 6d948eaee01351978780cd68c59885096bc01a02 Author: John Bowman Date: Thu May 25 05:00:23 2006 -0600 Rename array virtual pull function to delete; handle case with negative argument. Add virtual insert function for arrays. commit e8c13b250ffb7d76bad5771584f374c077d66aca Author: John Bowman Date: Thu May 25 04:20:44 2006 -0600 Added virtual pull function for arrays. commit 329a88e82d4993a278c8672b516fe9b035b7ffba Author: John Bowman Date: Thu May 25 03:44:18 2006 -0600 Fix currentpicture.empty() test. commit 0d0dac1cd60be60a0076b0be059bf10096ee2423 Author: John Bowman Date: Thu May 25 03:07:52 2006 -0600 Standardized argument names. commit 5a8131d6c2bc8bea7859c6cf58d6ba52966aa882 Author: John Bowman Date: Thu May 25 02:55:26 2006 -0600 Formatted. commit e4997b1c1f87258e77414236b182b99b3637f8d5 Author: John Bowman Date: Thu May 25 02:30:13 2006 -0600 Fixed longitudinal skeleton when c != O. commit fcd1d170401623022db843402ad7cb29a4bbd590 Author: John Bowman Date: Thu May 25 02:28:57 2006 -0600 Minor optimizations. commit d214a8ab29f6f395ae29b142f04f0bfaadbec9f1 Author: John Bowman Date: Thu May 25 02:27:52 2006 -0600 Check colorspace argument for all forms of shading. commit cf6077824d89ed8864496d545b6ce584ed8c0abe Author: John Bowman Date: Thu May 25 02:26:56 2006 -0600 Added 3d axes routine. commit 289d41c8ae0a0bcc24fd160a0f1663d2dc7ec5e1 Author: Radoslav Marinov Date: Wed May 24 15:45:34 2006 -0600 Now uses arrays. commit 6c7e8af3ae2984f1cb20bece75a584bbffda3d5a Author: John Bowman Date: Wed May 24 15:08:08 2006 -0600 Handle subpath arguments beyond boundaries. commit 3d113075dbb9f217a024bf099a538b168b78accc Author: John Bowman Date: Wed May 24 11:25:27 2006 -0600 Added outline(). commit 500936a35c334a1d9e7f196819a57462e2a7ae5d Author: John Bowman Date: Wed May 24 01:16:30 2006 -0600 Added reverse(triple[]). commit 072a649884bca1338c9cc74b147e7bee261f937e Author: John Bowman Date: Wed May 24 00:28:55 2006 -0600 Minor optimizations. commit 9ff513320c61a5d555c6844a206f7b7f095a5d11 Author: John Bowman Date: Wed May 24 00:27:59 2006 -0600 Simplified code. commit f1429ac3504544b7d4786f6e6edd80ea656b7f74 Author: John Bowman Date: Tue May 23 22:32:50 2006 -0600 Updated to mention Subversion instead of CVS. commit e4ee3b0940c364a5c241bc96dbfe4c6b7aaa51cc Author: John Bowman Date: Tue May 23 22:27:31 2006 -0600 Updated documentation for Subversion. Fixed list of autogenerated files in slidedemo.asy. Added missing file. commit f1b30214cf29bcd231024f5f574991ddb7e0d5d6 Author: John Bowman Date: Tue May 23 16:36:20 2006 -0600 Clarified comment about duplicate guides. commit b79cd62cf321feb649d66c333e1a4b534b795625 Author: Radoslav Marinov Date: Tue May 23 14:44:18 2006 -0600 basic .. routine commit e7706f3e6130165c7e777a4d52af33154143aff9 Author: John Bowman Date: Tue May 23 11:33:30 2006 -0600 Improved formatting. commit eed452cd06ba19e12fd9a39b933578e654ac49ff Author: Radoslav Marinov Date: Tue May 23 11:26:18 2006 -0600 minor updates to contour.asy commit 5a36430d4a78004a93b423ae9aa40621226d926d Author: John Bowman Date: Tue May 23 10:46:50 2006 -0600 Fixed typo. commit 854961693a69d0cb1b415d03ea2606be4daa890b Author: John Bowman Date: Mon May 22 16:23:43 2006 -0600 Incremented version to 1.07cvs. commit 996168032abd9a766ce2d783be17354747617e5c Author: John Bowman Date: Mon May 22 08:36:57 2006 -0600 Added figuremattpen optional argument. commit eea7a0e9ded8118d99fff985a24dc35445ed9e6d Author: John Bowman Date: Mon May 22 08:36:14 2006 -0600 Fixed syntax. commit a8b82e25d7902945f2081705fb4b3081b1cb7f79 Author: John Bowman Date: Mon May 22 00:17:35 2006 -0600 Renamed old flowchart.asy example to advection.asy. Formatted flowchart.asy base file and example; standardized spellings, etc. commit 8dd6575b7756cc5f90a55f1b1dfadbd58d51cc0f Author: John Bowman Date: Sun May 21 23:38:42 2006 -0600 Updated. commit 631c41e5ff3247612218189a5ccd2972e85ba48f Author: John Bowman Date: Sun May 21 23:38:05 2006 -0600 Restore TeXpipepreamble and TeXpreamble after eval(embedded=false). Restore settings between multiple file runs. commit 7be85d3918e2a665b3723486f43b59e7274c4e1d Author: John Bowman Date: Sun May 21 23:35:52 2006 -0600 More endl to newl changes. commit 4bc38d1758d0601ea5747592ec6b465ab388d492 Author: John Bowman Date: Sun May 21 23:34:29 2006 -0600 Allow alignment checking to be disabled with -DNO_CHECK_ALIGN. commit bea2825f47aa9136c29aa1cdf88ef0f75ccd4455 Author: Steve Melenchuk Date: Sun May 21 14:00:13 2006 -0600 First version of the heavily-cleaned-up (originally externally contributed) flowchart module. A (very simple) demo has been added into examples and the documentation has a section on the module (could the docs be improved for it?). commit f84251f8cf64885ef16c1d3c10ec2ae74d5823cd Author: John Bowman Date: Sun May 21 02:39:14 2006 -0600 Changed quiet=false option to view=true in shipout (backwards incompatible, but rarely used). Removed unused execute(string s, bool embedded=false) function. Added void asy(bool overwrite=false ... string[] s) to conditionally process each file name in array s in a new environment. Moved margin argument of figure in slide.asy to just after options. Make slidedemo.asy generate required files in case they don't exist. commit 5a2f592641f2a82b86b6b73a103ff2113bc39374 Author: John Bowman Date: Sun May 21 02:02:42 2006 -0600 Fixed segmentation fault with a future eval after an eval throws an exception. commit 9a8e1d66275b73f67d167b8f60105b2550df4461 Author: John Bowman Date: Sun May 21 00:38:22 2006 -0600 Make titlepage and title by default call newslide, unless the currentpicture is empty. Added reverse video option to slidedemo.asy. Add an argument to newslide to allow stepping to be turned off for that slide. Updated slidedemo example. commit a47eb26bec02902d3efcd94997b96e5a01fe701b Author: John Bowman Date: Sun May 21 00:34:16 2006 -0600 Add optional x and y margin arguments to Fill. commit 181ab2a6b5811ce4f76eb642be9337cd3fdd66fc Author: John Bowman Date: Sun May 21 00:29:44 2006 -0600 Allow -u to be specified multiple times on command line. Make "open" the default pdf viewer for MacOS. commit 38c9138c931e1f2c6808c54a078e1308be30da8c Author: John Bowman Date: Sun May 21 00:28:15 2006 -0600 Added asycolors.sty package to make LaTeX aware of CMYK versions of predefined Asymptote colours. commit f0ddb7b579a89d99e8dd649548e4de4c064247ed Author: John Bowman Date: Sun May 21 00:24:42 2006 -0600 Fixed -outformat pdf for papersizes like a4 with nonintegral bp dimensions. Improve performance by avoiding unnecessary flushing of output stream. commit c8dd84f63624e80aa56b358c21706ada90cc48a8 Author: John Bowman Date: Fri May 19 17:24:21 2006 -0600 Make fft(real[]) a nop when not configured with fftw. Handle fft(new real[]) gracefully (returns an empty array). commit f9b882aa5d5545bed95c271067ed6422339a4543 Author: Radoslav Marinov Date: Fri May 19 10:31:11 2006 -0600 contour.asy now with guides, supports dashed lines commit e9f6e6bbed1e61cc3a30f8b9164b8880e3a4a541 Author: John Bowman Date: Fri May 19 01:09:38 2006 -0600 Incremented version to 1.06cvs. commit c6deca9111977391e90151813a05cc2fef788649 Author: John Bowman Date: Thu May 18 22:42:16 2006 -0600 Reduced default authorpen fontsize. commit daf49b72e56d986b53fcc3ee11ffec4c6114b43c Author: John Bowman Date: Thu May 18 22:21:02 2006 -0600 Added normal argument to Arc. Standardized arguments to revolution. Updated documentation and examples. commit 79d6d9730dedab0fca16651ce2c0b1f61bc97405 Author: John Bowman Date: Thu May 18 13:43:12 2006 -0600 Added determinant test. commit 4aa6fc20712ea101dc4d5a34d359d2a0be19b83f Author: John Bowman Date: Thu May 18 13:04:15 2006 -0600 Removed unnormalized epsilon from determinant. commit 5eda890c8fc4f08d4fade2e20b773bf47cc9aa31 Author: John Bowman Date: Thu May 18 12:48:10 2006 -0600 Updated documentation: real a[] now constructs internal functions of real[]. commit 56f80f8eaa6efa7e5b313771197a6b8dd43a1da6 Author: Andy Hammerlindl Date: Thu May 18 12:17:29 2006 -0600 addOps for int x[] now implemented. commit 81e637b56a0bf064ade66eb783946ac464233fcd Author: Andy Hammerlindl Date: Thu May 18 11:55:07 2006 -0600 Now add operations for all variable declarations of new arrays and functions. Removed old code. commit 1170b2cd6b0f1e2b5f4bbf6ab352a764a3aa32c8 Author: John Bowman Date: Thu May 18 04:14:06 2006 -0600 Explicitly document -u stepping=true. commit 2fda9b050cd48bed37c4e253c8ad4a1a6a7cb6d0 Author: John Bowman Date: Thu May 18 03:53:10 2006 -0600 Fixed cxx warning. commit 8dd3e7faa0ffc2beb933f5eb8bc2b9aa0b34ab0b Author: John Bowman Date: Thu May 18 03:29:48 2006 -0600 Implemented revolution struct in solid.asy for constructing, drawing, and filling surfaces of revolution. Added surfaces of revolution examples. Ported precontrol and postcontrol resolution fixes to three.asy. Added 3D version of relpoint functions. Fixed normal(path3). Updated documentation. commit 08ebff5c9945585178e6a5a23648a297f9f8bb20 Author: John Bowman Date: Thu May 18 01:03:04 2006 -0600 Added example showing how to scale only selective dimensions. commit d9a8fc9d1ce7884a95320fe1fbcd8bf4f83dcddd Author: John Bowman Date: Wed May 17 23:44:26 2006 -0600 Documented how to call Asymptote from Python. commit 17e102d2ca2835dd8bfb691d4e483a4630288271 Author: John Bowman Date: Wed May 17 23:07:49 2006 -0600 Make location of slidedemo explicit. commit fbe3ea488a0e1f27effe2111057103dccd0d6052 Author: John Bowman Date: Wed May 17 22:46:32 2006 -0600 Reduce infinity to avoid floating point exceptions with --- operator. commit 93dcd881e5b4476ffe07fbf4e7a0ee9199dcf625 Author: John Bowman Date: Wed May 17 22:44:19 2006 -0600 Allow stepping to be enabled from the command line: -u stepping=true. commit 5967b8c34f40538a7aa760c7549eef2e2ae74aa1 Author: John Bowman Date: Wed May 17 22:39:49 2006 -0600 Added y and z autoscale arguments to scale(). commit 383ad013af16211ec6fabeb8c8538d0dd2516f9d Author: John Bowman Date: Wed May 17 22:15:27 2006 -0600 Added example showing how to label an axis with an arbitrary string. commit 14eb8a4d6ecf031dd09ae712eab638dca6aa75fa Author: John Bowman Date: Tue May 16 01:40:57 2006 -0600 Improved test diagnostics by using internal assert(bool) function. commit 1a68bcd0d76c42dc0e9aae4b9b94be57f1612e53 Author: John Bowman Date: Tue May 16 01:37:55 2006 -0600 Added assert(bool) function. commit 6db26721184b3d768d88c67d81cda0483f69ea35 Author: John Bowman Date: Tue May 16 01:36:19 2006 -0600 Fixed cubicroots when R=0. commit 1e633ec2b48093ddebc77de17300b12fcce7d01d Author: John Bowman Date: Tue May 16 01:34:48 2006 -0600 Flush output stream on errors. commit a0feb5badead646e4e5ced4b9ac5397fa1986f8d Author: John Bowman Date: Mon May 15 00:45:38 2006 -0600 Added offset argument to linetype. commit 417c387ca3207020f2e6118773b2492f8ce62d62 Author: John Bowman Date: Sun May 14 14:54:35 2006 -0600 Remove unused argument. commit 6eae114c9ac74bd8e154dc097c73e11ba5571b76 Author: John Bowman Date: Sun May 14 14:48:42 2006 -0600 Move GSL functions into a separate module named gsl. commit f3c570f260ea6bdd68366d262203160d58d15394 Author: John Bowman Date: Sun May 14 14:37:04 2006 -0600 Formatting. commit 3d57dc5a3d4e2aacce91088294f13115b2e54d1f Author: John Bowman Date: Sun May 14 11:29:08 2006 -0600 Removed aclocal and autoconf since Asymptote is distributed with configure. commit c4a7ec511adaed6a1bc966de48503a10c943ba7e Author: Andy Hammerlindl Date: Sat May 13 12:33:45 2006 -0600 Moved addOps for types to builtin.cc. Added support for builtin structures. commit 953b39d4f44cf9a23f623c0f01c26451b557aa95 Author: Andy Hammerlindl Date: Sat May 13 09:52:19 2006 -0600 Fixed typo. commit b232db20cc3cc1a9aafcb1030f14ee86f1750de4 Author: John Bowman Date: Sat May 13 00:53:22 2006 -0600 Removed quiet(bool) in favour of explicit setting. commit 44aa19ad3651fde5c45309d96f216d1a35020e13 Author: John Bowman Date: Sat May 13 00:20:07 2006 -0600 Updated man page. commit 839c7735f217563d6e0a5e2d0c7a7ed493c30f64 Author: John Bowman Date: Fri May 12 23:59:05 2006 -0600 Added RPM spec file, courtesy of Jose Pedro Oliveira. commit 45f04ae52790e8b3adc9a9e6f07a6d55c239f8e7 Author: John Bowman Date: Fri May 12 23:25:56 2006 -0600 Moved asy.vim and asy-mode.el back to /usr/local/share/asymptote, where they really belong. Also put asymptote.py here. Revert default asymptote documentation directory to /usr/local/share/doc/asymptote (removed recently introduced version dependency, which made no sense since the system directory doesn't depend on a version number either: version checking is done in plain.asy). Updated documentation (including new sourceforge cvs instructions). commit dfed1750cf52db95f0d38ed3e031565c37213bbb Author: John Bowman Date: Fri May 12 22:55:57 2006 -0600 Make Arc use degrees rather than radians. commit 411fe8ba53952d16e4d27d6de5d4325fd7d53872 Author: John Bowman Date: Fri May 12 22:54:38 2006 -0600 Fixed obliqueX and obliqueY camera positions. Make obliqueZ a synonym for oblique. Ignore spurious errors from longitude. Added missing (optional) normal argument to arc call. commit e01588feebf9585c9da7fbfe791f0d395b8da16c Author: John Bowman Date: Fri May 12 22:47:41 2006 -0600 Added clipping margin to unfill. commit c273826c1a2281a543103d2f463b1fd72065552b Author: John Bowman Date: Fri May 12 22:46:54 2006 -0600 Added Andy's getApplication bug fix. commit a4d1dd6e26a7384fe0fb8b1d987cd6bf930f164b Author: Radoslav Marinov Date: Fri May 12 15:50:17 2006 -0600 lines of length <80. handles multiple contour lines at once for efficiency. commit 186767d6435ce06ef92b6fc0c119615d2ab6842e Author: John Bowman Date: Fri May 12 15:03:59 2006 -0600 Renamed pen argument. commit baa95c93a27afef3f53b527e2e5a62d5af3fa4cb Author: Radoslav Marinov Date: Fri May 12 13:05:34 2006 -0600 added basic contouring routine commit cd72b2da3607d98aed4546caa20d6d21d717cd31 Author: Radoslav Marinov Date: Fri May 12 12:58:51 2006 -0600 added general determinant commit b1a94105507b3e256c7d9b0aef4bc41dc53bd6dc Author: Steve Melenchuk Date: Fri May 12 10:40:23 2006 -0600 More tests; these ones relate to transforms. commit 6d23e63e5dd82740f7865253f6262023ca7181a7 Author: Steve Melenchuk Date: Fri May 12 10:19:44 2006 -0600 Beginning to expand the arithmetic test. Now classifying as related to what type of data the tests are working with; each file contains several tests related to that type of data. commit c5273d2efcbd68b4a733fc70856cf62bd2b55e92 Author: John Bowman Date: Mon May 8 02:33:45 2006 -0600 Fixed quiet(bool); improve settings diagnostic. commit 0a26a23c326f69e2edcec6c0afbb1b0e09187baf Author: John Bowman Date: Mon May 8 01:50:15 2006 -0600 Removed Degrees and Longitude in favour of degrees(warn=false) and Longitude(warn=false). Moved Sin, Cos, Tan, aSin, aCos, and aTan to runtime.in. Renamed double to real in runtime.in for compatibility with asy code. Moved examples to subdirectory of documentation directory. Don't automatically strip binary when installing. Generalized DESTDIR support. Documented optional packages in INSTALL. commit b0dbd1691f873f66d2219275b176928bebf5ec13 Author: John Bowman Date: Mon May 8 01:36:48 2006 -0600 In dash adjustment, always respect scaling to penwidth (when requested) and draw terminator if close to arclength. commit 759d070b0ebf96f1464095f835c531c946527e9d Author: John Bowman Date: Sat May 6 21:39:22 2006 -0600 Improve ambiguous function signature diagnostics. commit 1241c3dc9554391c43910996334988d9e73816a0 Author: John Bowman Date: Sat May 6 21:35:50 2006 -0600 Turn of listvariables while reading config files. commit 41c68567f03d276a2dbacdc1c6cd389e9d3dc44b Author: John Bowman Date: Sat May 6 04:30:43 2006 -0600 Added Sierpinski gasket example. commit 8a12ce233a5ec25e336b04538ac1b60488e667b7 Author: John Bowman Date: Fri May 5 03:06:16 2006 -0600 Added obligueY projection. commit 5d68d40841e9d2f12fc0e1ea1287e5349b92a94c Author: John Bowman Date: Tue May 2 09:59:46 2006 -0600 Removed oneFileView setting in favour of a new setting multipleView, under control of batchView. Renamed pagewidth/pageheight to paperwidth/paperheight to agree with documentation. Handle cases where paperwidth or paperheight are smaller than corresponding picture dimensions. Handle nonstandard paper sizes when producing pdf files. commit 04789d6abd0fc17be052e915edb297d2341ec45b Author: John Bowman Date: Tue May 2 06:27:12 2006 -0600 Added realDigits (DBL_DIG). commit 86c2dd9a05adf698ab7a7095ac332511b5a8b3c9 Author: John Bowman Date: Mon May 1 21:50:09 2006 -0600 Added string string(real x, int digits) routine to cast a real to a string using precision digits in the C locale. Use string(real x, int digits) instead of the locale-dependent format function for postscript patterns. commit c2508a8c0413f0ddaae21617f48867ae70c4f54c Author: John Bowman Date: Sat Apr 29 07:37:10 2006 -0600 Fixed rotate(real angle, triple u, triple v) when u != 0. commit 3b962333a9e1eb767ffdb611926a5078d381cd67 Author: John Bowman Date: Fri Apr 28 08:08:24 2006 -0600 Added obliqueX projection. commit 44d07a1770b97dffacbb7a7cf854e1e71c631500 Author: John Bowman Date: Fri Apr 28 07:51:59 2006 -0600 Moved fftw header check back to original location. commit 8e8d7c47f290721fde640401472f93ee17022a0f Author: John Bowman Date: Fri Apr 28 06:51:52 2006 -0600 Added missing space after -lgc; moved fftw header checks to header section. commit b567c83e58107d42686526be3f9c7365535f1b52 Author: John Bowman Date: Tue Apr 25 19:29:36 2006 -0600 Apply dvips bounding box fuzz even when producing pdf format. commit 975d6a331bdb381b683cc2ce50a6130d69b2fc63 Author: John Bowman Date: Tue Apr 25 19:24:53 2006 -0600 Fixed argument reversal in signature of one of the add routines. commit 8c636e3bb19e6e72178e35c44aa0e4f1f58f10ff Author: John Bowman Date: Mon Apr 24 02:01:16 2006 -0600 Incremented version to 1.05cvs. commit f395220719b1e90ba1005e92f11c97ae43aa3bab Author: John Bowman Date: Mon Apr 24 00:42:48 2006 -0600 Fixed cxx warnings. commit 26f537049d2cc02c8e0db39d532c19806741b189 Author: John Bowman Date: Mon Apr 24 00:37:11 2006 -0600 Removed unused variable. commit d1b4f19de875de4a717f35670cf1c6ad95b61c06 Author: John Bowman Date: Mon Apr 24 00:03:05 2006 -0600 Move missing file flowchart.asy to correct directory. commit b511ab40d7775365e2771c8222d568378dcda35d Author: John Bowman Date: Sun Apr 23 23:53:36 2006 -0600 Make wce work even if configured with GSL library. Abort make if check fails. commit 7e1867eda3a4326131df1c34cb57ede404a4296a Author: John Bowman Date: Sun Apr 23 23:39:25 2006 -0600 Untabified. commit e22225fe83c49469134b3e57082d798d47060cce Author: John Bowman Date: Sun Apr 23 23:33:26 2006 -0600 Check also if first and second points are uncontrolled duplicates. commit 472aad1e896f59ec2e75b710412d2c08593b04e8 Author: John Bowman Date: Sun Apr 23 23:26:20 2006 -0600 Added parametric functions that accept an arbitrary sampling function. commit 959163958f72b505a48fc7c2a9b1f187384d4b01 Author: John Bowman Date: Sun Apr 23 11:56:09 2006 -0600 Updated poster example to use slide.asy. commit 95f24100042c4828f5dcb882d1f751f603cd91fc Author: John Bowman Date: Sun Apr 23 10:27:25 2006 -0600 Change user variable to a string. Document how arbitrary Asymptote code can be specified on the command line. commit 9dbf4485550c201dd3e81c96c74e90d329ca06ca Author: John Bowman Date: Sun Apr 23 01:24:45 2006 -0600 Added optional background and multiple figures to slide package. Updated documentation. commit 31b409d56aae03e957281fa004fbec0820f20796 Author: John Bowman Date: Sat Apr 22 23:35:38 2006 -0600 Replace infinities in userMax and userMin with boolean flags. commit 6314d3256681fd9e23db836413a4faa80d21b09c Author: John Bowman Date: Sat Apr 22 21:33:29 2006 -0600 Increased bounding box fuzz. commit 31b43d80995b29816e58a277e461b266e2c5d9fe Author: John Bowman Date: Sat Apr 22 21:26:28 2006 -0600 Updated call to add in slide.asy. Implemented fixedscaling(picture, pair min, pair max, pen) routine for using a fixed scaling to map user coordinates in box(min,max) to the desired picture size. Added UpsideDown orientation. Moved min and max of a real argument list to constants.asy. Always pass explicit pageWidth and pageHeight arguments to dvips rather than using the papertype. commit 6d070db2dbe5e1dd3b510d1542b391b68e205278 Author: John Bowman Date: Sat Apr 22 05:03:27 2006 -0600 Fixed dvips bounding box. Added texreset function to reset tex environment. commit a8d0b5c21e918a3fecbc3ab3957685f64640cd88 Author: John Bowman Date: Fri Apr 21 10:47:35 2006 -0600 Added general purpose real user command-line option. Legend skip is now based on the actual legend entry height, rather than on the fontsize. commit 7861589644a7a8180700b47f4e5f8630c99f6c99 Author: John Bowman Date: Fri Apr 21 09:52:06 2006 -0600 Added and documented texcolors and x11colors. commit 6963a617979e355beb5096ac7aacb709fa77da15 Author: John Bowman Date: Thu Apr 20 23:59:59 2006 -0600 Improved linetype adjustment to arclength for short segments. Added optional boolean adjust argument to linetype to allow one to disable linetype adjustment. commit 2821a5e49788fb4bf125b21f7994fdb066149144 Author: John Bowman Date: Thu Apr 20 20:48:40 2006 -0600 Documented pair Scale(picture pic=currentpicture, pair z) function for plotting in unscaled (graph) coordinates. Improved documentation of add for pictures and frames. commit a1a64c99b841d520289ff3ba05602ef4c9346c3a Author: John Bowman Date: Wed Apr 19 23:19:03 2006 -0600 Changed add and attach to take arguments in the same order as label, renaming "origin" to "position" and "dir" to "align". Removed the align argument of legend, which really belongs in the add/attach command. commit 6b07436f331c27ccf302e70b40d0cc6b3ae1644d Author: John Bowman Date: Wed Apr 19 22:54:16 2006 -0600 Fixed arrow alignment. commit ae71d0ff534aaa598eeecc4b2328f998e1bb3d12 Author: John Bowman Date: Wed Apr 19 18:42:40 2006 -0600 Fixed alignment of postscript and tex layers by working around failure of includegraphics command (from LaTeX graphicx package) to respect HiResBoundingBox. commit 7e4cec0e907ae3018a629f29f68dacf583b92e75 Author: John Bowman Date: Wed Apr 19 02:17:56 2006 -0600 Added Python module to allow access to Asymptote commands. commit d4133c9184e4d76ddb0a6ea683c00c83f61178a2 Author: John Bowman Date: Mon Apr 17 02:00:50 2006 -0600 Fixed clipping of remote labels near frame boundary by unfill. commit 67902a31a40b1959277d5087d6f67844d105d745 Author: John Bowman Date: Mon Apr 17 01:38:57 2006 -0600 Improved alignment of tex and postscript layers. commit 77a8a3526ebcaf4a06cace29826155cdaf383531 Author: Andy Hammerlindl Date: Sun Apr 16 16:10:47 2006 -0600 Added permission checking for types. commit a9d41b7349380bc7028e77a684f4d8515e45d782 Author: John Bowman Date: Fri Apr 14 15:19:52 2006 -0600 Make format="%" suppress tick labels for logarithmic axis. commit 9de768b204c984e75d21a5470f37fdcfef0e791d Author: John Bowman Date: Fri Apr 14 02:20:31 2006 -0600 Change standard name for salmon colour to lightred. commit 9ed799f848b51cb572112768198ce8282ed65ef6 Author: John Bowman Date: Fri Apr 14 02:13:08 2006 -0600 Fixed tension atleast (broken in autogenerated code since 0.96). commit e414d6dd897dd359b2517e7868424f0c9a89cf17 Author: John Bowman Date: Thu Apr 13 08:15:24 2006 -0600 Renamed "strong" colors to "heavy". commit 9537c34858bb44219b90550cf78e9b8a7c2a8c4b Author: John Bowman Date: Thu Apr 13 01:12:55 2006 -0600 Display named colours. commit 3a46a1a959f6dca2eb3d3ba701a0f080655741d7 Author: John Bowman Date: Thu Apr 13 00:53:19 2006 -0600 Documented and systematized named colours. commit a61d435ad972ab673ce8338765a3a4d7ac434d13 Author: John Bowman Date: Wed Apr 12 21:08:55 2006 -0600 Respect orientation. commit fe6173ecc4dc6b212b32e7443e1e59a67ed8ef7c Author: John Bowman Date: Wed Apr 12 01:36:26 2006 -0600 Improved implementation of slide.asy. Accept label(frame, Label). commit 2101d2a6059ac6c6333689662bbf2ebcdebd645f Author: John Bowman Date: Mon Apr 10 21:01:47 2006 -0600 Added subitem and automatic slide advance on overflow. commit c6ff6449ce3c1907f130d106a86fee9ec88ba74a Author: John Bowman Date: Mon Apr 10 16:15:55 2006 -0600 Slide presentation package. commit 1a2be9b262fa689fe39ed2fafbde8d8dd1f34c11 Author: John Bowman Date: Mon Apr 10 15:42:51 2006 -0600 Added default orientation variable (initially set to Portrait). Added custom pagewidth and pageheight settings. Moved transforms to runtime.in and Label.asy. Added tex usepackage(string) convenience routine. commit d7c889c669eb4bded0cec30ee293b336f500ef94 Author: John Bowman Date: Mon Apr 10 15:38:02 2006 -0600 Indicated default option values in man page summary. commit 1a6d1d682d620f1d29bc53a0ee69f8ba6ef81b80 Author: John Bowman Date: Sun Apr 9 15:00:12 2006 -0600 Added DESTDIR support: make DESTDIR=DIR will prepend DIR to the installation directories (intended as a temporary location to facilitate the build process only). Added -p option to install (and -m 755 to install asy and install xasy). commit 376cc0d3b0dc34f90d810be20a749dbb345ad88c Author: John Bowman Date: Sun Apr 9 14:51:32 2006 -0600 Fixed name of gsl header in message. commit 56c59eeb1698fdb88c28416048f0b6b47a924e0a Author: John Bowman Date: Sun Apr 9 10:13:40 2006 -0600 In tick bounds estimate, don't warn about unbounded picture scaling. commit 019fffe374c0564d5a640c7d0bd84f097486a2ae Author: John Bowman Date: Sun Apr 9 01:10:31 2006 -0600 Added selected special functions from GNU scientific library, when available (additional special functions can easily be added, on request). commit fed4cd36ff02754c21e628c4911ec5e0dc56cb6d Author: John Bowman Date: Sun Apr 9 00:42:37 2006 -0600 Added Ticks specifier that draws ticks on both sides of path. Fixed miscellaneous errors in the documentation. commit 763c0584aed043adc4439cbb479b37fe110b928c Author: John Bowman Date: Sun Apr 9 00:39:32 2006 -0600 Renamed zeta to unityroot for clarity (and to avoid confusion with Riemann zeta function). commit fe98b1be9e75b114007f196618347a12159df32a Author: John Bowman Date: Sun Apr 9 00:37:42 2006 -0600 Moved newpage() routine to shipout(). commit bc27d517da082381cd412dfffd7a0d0f2876bf1b Author: John Bowman Date: Sun Apr 9 00:36:59 2006 -0600 Added real lineskip() routine (returns lineskip of currentpen). commit e8233efdc79fcc794af3ef00caf0d452b60f79a1 Author: John Bowman Date: Sun Apr 9 00:35:33 2006 -0600 Fix name of fontsize lineskip argument. commit 477a3f338e05e13d53302eeb2dcf7204e49dc85c Author: John Bowman Date: Sun Apr 9 00:34:30 2006 -0600 Remove reliance of replacement readline routine on strdup. commit ce6dcb4d7b09e071875afd1fc1862ad616debc26 Author: John Bowman Date: Thu Apr 6 08:05:17 2006 -0600 Use turn-on-font-lock for Xemacs. commit a4256b4b6849a2656787c5ae4a37717347f0405b Author: John Bowman Date: Wed Apr 5 21:29:56 2006 -0600 Make asy-mode.el ignore global-font-lock-mode for Xemacs. commit 1f6a7d9232e47d07585eef364e48588638f60511 Author: John Bowman Date: Wed Apr 5 21:24:09 2006 -0600 Added locale support and ', I, and F format specifiers. Moved miscellaneous settings code from main.cc to settings.cc. Added default settings to option summary; identity command-line only options. Updated documentation. commit effc2ac2e06f4bce1a32771a206cea8a25b0fe60 Author: John Bowman Date: Wed Apr 5 21:20:58 2006 -0600 Improved picture sizing diagnostics. Added max(picture pic=currentpicture) and min(picture pic=currentpicture) functions. Added pair truepoint(picture pic=currentpicture, pair dir) function that works like point but uses the actual picture size instead of userMin and userMax members. commit 1ca3b76cc03eeb6f6ce650efdcc05304b7acf096 Author: John Bowman Date: Wed Apr 5 21:18:34 2006 -0600 Replace identity() with better approximation pic.calculateTransform() in axis picture bounds calculation. commit 2828a2fc752611197c8da2a888f7f9e163e423a2 Author: John Bowman Date: Wed Apr 5 21:17:03 2006 -0600 Make colorPen[] and monoPen[] public. commit 3d952fa6b146e227f8d603d75409ef5d86df95d4 Author: John Bowman Date: Wed Apr 5 21:16:10 2006 -0600 Fixed typos in comments. commit 0f448702572cd3980c3f235c1cca17a3e2124a68 Author: John Bowman Date: Wed Apr 5 20:22:16 2006 -0600 Incremented version to 1.04cvs. commit 9c25ca1878971b9309e70501e5c6821f1cee9573 Author: John Bowman Date: Thu Mar 30 00:08:56 2006 -0600 Added Degrees function; like degrees(pair) but returns 0 for (0,0) argument. Added minbound and maxbound functions for triples. Moved minbound, maxbound, and Longitude functions to runtime code. Added min(guide3[]) and max(guide3[]) functions. For convenience added xaxis(triple,real) functions, etc. Added solid geometry package with cylinder routines. Updated documentation. commit e2d01d7b8bcaaea02991c16da1ef73008d31c862 Author: John Bowman Date: Wed Mar 29 23:27:11 2006 -0600 Added limit maxIntersectCount=100000 on maximum number of calls to intersectcubics per cubic segment. commit ed639fd2d9e3514f3b9bec4640ddad84a74ef9e0 Author: John Bowman Date: Tue Mar 28 13:33:39 2006 -0600 Removed TODO item regarding extending runnable-at-a-time mode to inner code levels as this is no longer needed. commit 0a94ea6be653be7815838c8027fb1be41aa8a818 Author: John Bowman Date: Mon Mar 27 02:13:26 2006 -0600 Fixed memory leak in interactive mode by using an implementation of reset that is closer to the environment reset used between multiple file runs. commit 8d01320484ef94f77b7b93d8741742d6732558a9 Author: John Bowman Date: Sat Mar 25 23:15:50 2006 -0600 Fixed indentation. commit 141078fde83363b07a92b23f652f044aa2854779 Author: John Bowman Date: Sat Mar 25 23:14:21 2006 -0600 Fixed typos. commit 9e7ebe0d9210cae262a1f2baeb845f8b7e7e6d5c Author: John Bowman Date: Sat Mar 25 11:25:37 2006 -0600 Updated CJK documentation. commit 74c06d44469b037505371944dd4c3059b16859b4 Author: John Bowman Date: Fri Mar 24 22:38:01 2006 -0600 Added real fontsize() routine. Documented real fontsize(pen p=currentpen). Documented use of CJK fonts. commit 5eac404efdabd96157073d429bdf888a0a73ccd9 Author: John Bowman Date: Mon Mar 20 22:48:46 2006 -0600 Implemented interactive mode (without command-line editing and history) even in absence of readline library. Made minor change to System diagnostic messages. Changed invert: triple invert(pair z, triple normal, triple point) projects onto the plane perpendicular to normal and passing through point. Updated Debian URL. commit 80baab724a0b03a9582d20dfc4e081c1fea701b6 Author: John Bowman Date: Sun Mar 19 09:17:07 2006 -0600 Added function triple invert(pair v, real z, projection P=currentprojection) to map v onto (x,y,z) by inverting the projection P onto a constant z plane. Minor documentation updates. commit adf5582b62c1ce0dbda58ded884ff8e8ddc6bd03 Author: John Bowman Date: Fri Mar 17 00:10:58 2006 -0600 Support compilation under gcc-4.1.0. commit ecc6ca00d162c18c264ce94307d6263fc0424d99 Author: John Bowman Date: Tue Mar 14 22:36:32 2006 -0600 Fixed return type of three-dimensional intersectionpoint routines. commit 5ad4c367c698ffd46b95cfdd279472d27a50d32e Author: John Bowman Date: Sun Mar 12 14:21:27 2006 -0600 Incremented version to 1.03cvs. commit d2aa165bc9ed6ca59b0d3251ce36ab769abb59cd Author: John Bowman Date: Sun Mar 12 12:27:03 2006 -0600 Fixed surface lighting colours; respect projection argument. Removed test diagnostic. commit dce74caad4372be9f26b9c8460f1d38d705651e6 Author: Andy Hammerlindl Date: Sun Mar 12 12:17:32 2006 -0600 Added a .ls file to check the presence of large output files before they are deleted. commit e3067cdb667a0c26476544c2454c3a602eb5f336 Author: John Bowman Date: Sun Mar 12 10:05:51 2006 -0600 Avoid need for single quotes around path settings in MSWINDOWS. Fix configuration diagnostics. commit 9e4c90c4a873082d063e7d8ec4e9c762c36c8be9 Author: John Bowman Date: Sat Mar 11 23:03:49 2006 -0600 Documented how to install in alternate locations under MSDOS. Fixed typo in configuration instructions. commit 4b900d75f545a276a637568172024c292120e494 Author: John Bowman Date: Sat Mar 11 17:33:51 2006 -0600 Simplified example. commit 5479aac708d4e8b7ba7839da2bad6e2162b39de8 Author: John Bowman Date: Sat Mar 11 17:16:25 2006 -0600 Implemented surface lighting and example of sinc function. Changed signature of subsampled surface routine (argument nsub now preceeds pairs a and b). Changed light.init constructor into light(triple source, shadefcn shade=defaultshade). Added cast from triple to light. Made currentlight public; added nolight variable. Renamed projectXY to xypart. Added XY() and XYZ() members to bbox3. commit 347ba3f77a171c46a4a47f86e9e355e6a51d86f1 Author: John Bowman Date: Sat Mar 11 16:39:34 2006 -0600 Fixed axis label alignment when sign=-1. commit 430f5c79d6160b8129e3dbc8110107b5d7abd5be Author: John Bowman Date: Fri Mar 10 22:18:54 2006 -0600 Removed pstoedit patches (included in pstoedit-3.44); updated documentation. commit 68bbdf1c1e0a8c77f16277ea5b1641fbaead5d4d Author: John Bowman Date: Fri Mar 10 13:19:57 2006 -0600 Allow make to inherit LDFLAGS from configure. Allow and document installation without root privileges. Document configuring to search for includes and libraries in nonstandard locations. commit 7eeecf79bea1d6c776ec748a77f5b18175cd005f Author: John Bowman Date: Fri Mar 10 00:19:06 2006 -0600 Updated configuration file documentation. commit 4dd2aa63b26b60506a2be4e2979ede3b4d840361 Author: John Bowman Date: Thu Mar 9 21:54:33 2006 -0600 Catch errors thrown by parser while reading configuration file. Recompute search path after reading configuration files and command-line options in case dir was changed. Move MSWindows .asy initialization directory to %USERPROFILE%. commit 3ae7effa9e304cb6fdc44d53e77d9b9b0929c507 Author: John Bowman Date: Tue Mar 7 13:37:44 2006 -0600 Fixed type of randMax. commit c0c45887b143899563cac08bf41ccd125e097b50 Author: John Bowman Date: Tue Mar 7 04:01:26 2006 -0600 Updated pstoedit patch. commit 24f8371b56dace63c14bb05de5f845041e70d657 Author: John Bowman Date: Mon Mar 6 20:29:18 2006 -0600 Incremented version to 1.02cvs. commit fff59e55f51bf1b131c0158612f0c14a9ccad237 Author: John Bowman Date: Mon Mar 6 18:23:18 2006 -0600 Fixed bug in surface plot of a matrix. commit 26a3c93d4252ffed2f35d77596236078638ef05c Author: John Bowman Date: Mon Mar 6 14:58:35 2006 -0600 Incremented version to 1.01cvs. commit 547ee643099012bca1840706696a6aafb34de4da Author: John Bowman Date: Mon Mar 6 10:33:54 2006 -0600 Workaround broken GNU readline/history library on MacOS. commit 11f8e47b6ca52d30122d5314030876436d493627 Author: John Bowman Date: Mon Mar 6 01:10:54 2006 -0600 Fixed cxx warning messages. commit 5405aad4557d43e550de77b5715c5fbd6b9a1d65 Author: John Bowman Date: Mon Mar 6 00:19:09 2006 -0600 Moved detailed discussion of growing list of base modules closer to the end of the documentation. commit 0958bf9aa26afda543a765aaea2ff7c519ea2b54 Author: John Bowman Date: Sun Mar 5 23:52:10 2006 -0600 Updated to use gc6.7 by default. Added RadialShade filltype. commit 5b4e1a2b86ad323af68a5419cebb6bf3a6f3b6b6 Author: John Bowman Date: Sun Mar 5 23:03:49 2006 -0600 Remove blank legend entries. commit 413031e4512016eba1ee554df33381d0d7a9ffa2 Author: John Bowman Date: Sun Mar 5 22:46:24 2006 -0600 Fixed pen bounds (too large by a factor of 2). commit 77f0938b38433a0283f80604ec9aaa99efa076c2 Author: John Bowman Date: Sun Mar 5 21:37:48 2006 -0600 Fixed transformation of palette bar. commit f294a74a102e058defddf05bd3206fdb8de086fc Author: John Bowman Date: Sun Mar 5 19:45:09 2006 -0600 Removed empty picture check in xlimits and ylimits. commit fc66e7bb009b8995b0d64a7393cbe0373e6466c5 Author: John Bowman Date: Sun Mar 5 19:02:27 2006 -0600 Moved linear solve and matrix inversion to C++ code; simplified memory allocation in tridiagonal. Added seek and tell functions for positioning input files. Make images transform properly. Make legend argument to draw a Label type (currently only the string and pen members are used). Added length and skip arguments to frame legend(...). Removed side effects from eol(file). commit b130fda35b1a52f235a195dd3de0dd7c4732aad9 Author: John Bowman Date: Sat Mar 4 22:25:50 2006 -0600 Generate correct #line comments. commit 557106356ca05abe85095d699ee581925a5ed58e Author: Andy Hammerlindl Date: Sat Mar 4 17:17:55 2006 -0600 Log the stdout and stderr of the asy process. Changed the -inlinetex option to -keep so that the calls to external programs (eg. latex and convert) can be diffed. commit 4d1efb04f2b068faf4bcad86e224ff3d762b547c Author: Andy Hammerlindl Date: Sat Mar 4 16:47:12 2006 -0600 Now delete texput.log when the pipe to the tex process is closed (to ensure its deletion with the --inlinetex option). Also delete texput.aux. commit c16e8f35093571eadb9fc2ad97c8e122dcdf6051 Author: John Bowman Date: Fri Mar 3 09:56:54 2006 -0600 Fixed bug in pivot vectorization in solve. commit 2696a99ffefcb7e02e7f074ed271433d66053d8d Author: Andy Hammerlindl Date: Thu Mar 2 13:46:57 2006 -0600 Initial check-in of output testing. commit 1737069935134cd721162e02bd7ddf0026ca9677 Author: John Bowman Date: Wed Mar 1 13:02:39 2006 -0600 Added INCL for enable-gc=system. commit 4ef432c6b3a4a87c62d1830216944a29cffb107b Author: John Bowman Date: Mon Feb 27 01:54:06 2006 -0600 Renamed includegraphics to graphic. Added embed module to interface with LaTeX movie15 package for embedding movies, sounds and 3D objects into a PDF file. Don't attempt to resize unbounded pictures. Output LaTeX pipe diagnostics even when verbose <= 1. Added \begin{document} to LaTeX pipe. commit fe1a3c9b71a9977eb5036bb6caa1e022d412bf0c Author: John Bowman Date: Sun Feb 26 22:59:42 2006 -0600 Added poster example. commit f1031a708321e2a4ee4cb9a977bd7eafd44ce656 Author: John Bowman Date: Sun Feb 19 20:59:50 2006 -0600 Add configuration dir to search path; search for configuration file in standard search paths (in usual order). Remember defaultpen set in configuration file. commit c65d1910f982db63917865e620b63ffedb60f817 Author: John Bowman Date: Sun Feb 19 11:03:00 2006 -0600 Always draw arrows with solid linetype. commit 22e1d9e8edfaf13b75397d582984e57d28673154 Author: John Bowman Date: Sat Feb 18 13:31:50 2006 -0600 Updated MSDOS default of gs8.51 to gs8.53. Changed default for xlimits and ylimits to NoCrop. Work around unused variable warning messages when XDR support is disabled. Cleaned up error calls. Updated documentation. commit 9121a897689e7a165f4d07d74791cf9065bae82f Author: John Bowman Date: Fri Feb 17 22:17:15 2006 -0600 Added missing $(GCLIBS) dependency. commit d1dd9491dfd9e1de33175474104cd258c855a4b2 Author: John Bowman Date: Fri Feb 17 20:57:33 2006 -0600 Added camp.tab.h entry again. commit 44592176ab6ea490b6263f0db7df1537739467ee Author: John Bowman Date: Wed Feb 8 12:45:48 2006 -0600 Removed +solid from Fill and NoFill. commit 46e59ad7cc4837635c0139884318425958e7f31b Author: John Bowman Date: Wed Feb 8 10:06:36 2006 -0600 Added missing xpart, ypart, zpart functions for triples. commit 5160bfc61c05011c6faf32e68dc0c3d43c8abb01 Author: John Bowman Date: Tue Feb 7 23:13:08 2006 -0600 Fixed reversed image dimensions for colour density plots. commit e2d69c4df983d930fba6dedcef4cfcda33902415 Author: John Bowman Date: Tue Feb 7 23:06:39 2006 -0600 Added missing xpart and ypart functions. commit b267a7282f95034c91aafe770836c5bf5c1250b9 Author: John Bowman Date: Mon Feb 6 01:58:25 2006 -0600 Signal an error if write to final output file fails. Removed "camp: " from camp error messages for brevity. commit cee2eadadeb9b24b390f6891d44b9b80b57b0654 Author: John Bowman Date: Sat Jan 28 22:32:32 2006 -0600 Added link to Dario Teixeira's Asymptote and LaTeX Integration Guide. commit d8f583f04cab7bf9f726240b4883765437c9aa64 Author: John Bowman Date: Sat Jan 28 20:43:37 2006 -0600 Added file prefix option to animate and merge. commit 7d50f266a6f64308baf51883375b8a7d3f9e64eb Author: John Bowman Date: Sat Jan 28 04:25:25 2006 -0600 Added index entries. commit 4a735cd696ce941e666a11ae057a32906a0a89d0 Author: John Bowman Date: Sat Jan 28 00:28:16 2006 -0600 Allow format("%",1). commit c24db86c95be49eb723e48bb6c941448a12452f3 Author: John Bowman Date: Sat Jan 28 00:04:49 2006 -0600 Set tickMin to a and tickMax to b if Step is 0. commit 04de94e2035c9de5222e4d4069922d2abc36da91 Author: John Bowman Date: Tue Jan 17 14:17:27 2006 -0600 Added check for empty picture in xlimits and ylimits. commit 712b5eb0a930b2e8adc56a57319b324ee0d14199 Author: John Bowman Date: Tue Jan 17 14:12:17 2006 -0600 Better dependency tracking. Removed MSDOS compiler flag in favour of __CYGWIN__. This will make cygwin defaults identical with those under MSDOS (outside of cygwin). commit f3922a443674409b7f13bf7e29e0754750893b30 Author: John Bowman Date: Tue Jan 17 01:36:01 2006 -0600 Fixed cxx warning. commit 4fc12570232e81d3ec0b574836a8b1f5dc664ebf Author: John Bowman Date: Tue Jan 17 00:45:28 2006 -0600 Added Tom's alternative way of making runtime.pl not update runtime.h. commit 70cb9010affefb9de6368c62e8c0d3c1a83237a9 Author: John Bowman Date: Sat Jan 14 17:20:05 2006 -0600 Documented inlinetex mode. commit 04614dd4dfd09e73f5a43bdbb226de03793b96d1 Author: John Bowman Date: Sat Jan 14 17:10:11 2006 -0600 Updates to feyman.asy: improved photon line, use align structures. commit a4578b4562e08e4dbdeaf7cf1972170f3c3756c8 Author: John Bowman Date: Wed Jan 11 00:40:36 2006 -0600 Added #line directives in runtime.cc. commit c7e91dd947133af7dba43b3d9a5b71fe9c75c39f Author: John Bowman Date: Tue Jan 10 15:18:01 2006 -0600 Fixed segmentation fault when bad format string is given to format. Fixed cast: (pair) "1". commit e231da91a761157ec0b86125bca4cbf99e5d5606 Author: Andy Hammerlindl Date: Fri Jan 6 22:57:38 2006 -0600 Added transform3 multiplication (aliased from math). commit b5f5b26af6060cadd9d7a5f32eed69193300508c Author: John Bowman Date: Tue Jan 3 23:45:46 2006 -0600 Don't exit interactive mode on EOF (ctrl-d). Added tab completion option and default prompt="" to readline. commit ae727f28ea4b40e5610c4dffa2b7d74b3e80c1be Author: John Bowman Date: Tue Jan 3 02:58:20 2006 -0600 Fixed cxx error. commit 2967f17cbcffb744634e099c161849a048d5de45 Author: John Bowman Date: Tue Jan 3 00:16:01 2006 -0600 Changed complement to int[] complement(int[] a, int n); this returns the complement of the integer array a in {1,2,...,n}, so that b[complement(a,b.length)] yields the complement of b[a]. commit 169148ba22e45e28894dfb1b645b3b1f323cdc90 Author: John Bowman Date: Tue Jan 3 00:13:52 2006 -0600 Removed unused line. commit 62e1a9441630b5330418480c365585328c08b243 Author: John Bowman Date: Mon Jan 2 19:52:58 2006 -0600 Added interface to GNU readline library to allow editing with history when reading data from stdin. Updated getstring, getreal, etc. in strings.asy to use this new readline function. Added complement(int[] a, T[] b) function to return the complement of the integer array a in {1,2,...,b.length}, so that b[complement(a,b)] yields the complement of b[a]. Generated dataSettings from a templated struct; added intSetting. Added historylines option (default is still 1000). Added array check to arrayConditional. Updated documentation. commit 11474f0b9840788544f626125735c948364e2341 Author: John Bowman Date: Mon Jan 2 19:25:08 2006 -0600 Formatted. commit 066db4c7a6e4a16d9b0f3158e56542d1fe479f43 Author: John Bowman Date: Sun Jan 1 04:41:06 2006 -0600 Move more initialization code before setOptions. Check em in signal handlers. commit c389e767206e0ab763316088c0703686c896b441 Author: John Bowman Date: Sat Dec 31 12:22:58 2005 -0600 Address compilation problem under MacOS X 10.3.9. commit 705a8a26aa03b2e8399ed01d357650dbd5b61e8d Author: John Bowman Date: Sat Dec 31 00:19:29 2005 -0600 Incremented version to 1.00cvs. commit 84c319d06b4622c6e5a48b413e9b88ec944ce0c7 Author: John Bowman Date: Fri Dec 30 23:35:36 2005 -0600 Minor documentation updates. commit af29f78f7e05d7c62cbf8200a7e9870a0d76e028 Author: John Bowman Date: Fri Dec 30 23:05:36 2005 -0600 Added missing (mem::string). commit ac1ce219f9312b47c56838aff22f05c09776737c Author: John Bowman Date: Fri Dec 30 18:54:53 2005 -0600 Defer initialization of settingsModule to solve race condition. commit 12735254c64c16298956a5738284ea5577763068 Author: John Bowman Date: Fri Dec 30 13:21:12 2005 -0600 Fixed MacOS bus error by initializing GC before calling setOptions. commit 2c2226a75a8dcf2bd47d0ba0c88b91f8f59af4d8 Author: John Bowman Date: Fri Dec 30 13:11:10 2005 -0600 Don't stop running after first error in a runnable if -debug is set. Updated wce. Documented contributed MacOS X binary. commit ef8e3257d908ee6e362c52a8daf8345420b194d6 Author: John Bowman Date: Fri Dec 30 02:56:51 2005 -0600 Incremented version to 0.99cvs. commit 5c0a33a6bf4a3a7fc02e993593fb4711c01529cb Author: John Bowman Date: Fri Dec 30 02:06:29 2005 -0600 Minor documentation updates. commit d2f60e6987dd3f8903161c2a4b5ffacf80ad0110 Author: John Bowman Date: Fri Dec 30 01:54:53 2005 -0600 Fixed compilation problem under g++-3.3.4. Change addConstant to use item. Search in usual paths for config.asy if ~/.asy/config.asy is not found. Convert configuration variable names to lower case. Update diagnostics and documentation: emphasize use of configuration variables instead of system environment variables. commit 936918070c759c2acf207461088e58a98f2d8299 Author: John Bowman Date: Thu Dec 29 21:38:05 2005 -0600 Removed mention of obsolete -t option from documentation, which is no longer required for inline tex mode. commit 5d8128865deb937def2ac52929df17694269380c Author: John Bowman Date: Thu Dec 29 19:52:38 2005 -0600 Fixed cxx errors. commit f90cbe0e5f312817be89fea6abb1a243e5e62e9d Author: John Bowman Date: Thu Dec 29 17:40:42 2005 -0600 Suppress warning messages when shipping out an empty picture. commit a23f08d9f83d6c2119c1b0433678ab1a0b2586a7 Author: John Bowman Date: Thu Dec 29 13:01:06 2005 -0600 Implemented machine constants as variables rather than functions. Added ASYMPTOTE_CONFIG environment variable. Moved ASYMPTOTE_DIR environment variable to settings. Do an initial read of command line in case CONFIG or DIR were specified. commit fd6fe905598d7c3edb14292f2dd69f8d7c0e9f25 Author: John Bowman Date: Thu Dec 29 02:32:35 2005 -0600 Moved ASYMPTOTE_PAPERTYPE to settings. commit 4a498dd004bc95f45bc018a8c2350b357f48fb34 Author: Andy Hammerlindl Date: Thu Dec 29 01:49:29 2005 -0600 Moved argument parsing to avoid writing to memory between a fork and an exec. commit f864cde03b868ef11de14bc9231f0c926d82f737 Author: John Bowman Date: Thu Dec 29 01:24:38 2005 -0600 Moved environment variables into settings. Call doConfig before reading command line options. commit bb0ef295a64fb0c2b0aa6f2ce7ba2ca7a0682f80 Author: John Bowman Date: Wed Dec 28 23:43:14 2005 -0600 Implemented addConstant and pi example. commit 36becc21b83833cebd9aa9a9d32635eee0847610 Author: John Bowman Date: Wed Dec 28 11:16:22 2005 -0600 Removed ~/.asy/options in favour of ~/.asy/config.asy. Add "Including filename" diagostic. Fixed localhistory. Speed up initialization by turning off autoplain when reading configure file. Rename position to align. Updated documentation. commit 5834e1b2207381871eda5557aec935540da9aaf1 Author: John Bowman Date: Wed Dec 28 01:15:07 2005 -0600 Fixed verbose flag. commit c421a124706aee98701afd47f71befae44f1720f Author: John Bowman Date: Wed Dec 28 01:10:28 2005 -0600 Removed -t option, which is no longer needed to produce inline tex code. Removed unused settings code. Added -nov option. Improved formatting of option messages. Hide oneFileView and inlinetex (formerly texmode) from help menu. commit bea64164b4c955599c2ec9c84568e7c73bc1d73c Author: John Bowman Date: Mon Dec 26 15:38:04 2005 -0600 Fixed tick computation in xaxis and yaxis when explicit limits are given. commit d5bd4bb1e99c842d5902fbce82e08df997ce8b43 Author: Andy Hammerlindl Date: Sat Dec 24 19:15:55 2005 -0600 Removed the -n, -no option in favour of -blah/-noblah style negations. commit fd6c9fcdfe15cd2ff5b0d41f9e62fe07918a009c Author: Andy Hammerlindl Date: Sat Dec 24 01:42:42 2005 -0600 Improved error reporting when parsing command line options Autogenerate -help output. commit 89e1d51d872b6d47a8e004872d5f2ff47c5f95d8 Author: Andy Hammerlindl Date: Fri Dec 23 23:39:56 2005 -0600 Added a settings module. Re-implemented command line options to modify variables of the settings module. Added refaccess to access C++ variables as Asymptote variables. commit 999686551a309da198af397405ba458aa344991e Author: John Bowman Date: Wed Dec 21 23:22:04 2005 -0600 Fixed string reads. commit a04661d02bcbc382904e7bf15548fe898ca45aee Author: John Bowman Date: Sat Dec 17 19:12:21 2005 -0600 Check for cvsmode in ignoreComment. commit 2bf654dc2f80c34112b47eab1ff3d44b7e793c7e Author: John Bowman Date: Sat Dec 17 17:29:17 2005 -0600 Allow comments within 3d data blocks. commit aa7c73b6b20b5b37993021ea440ff1ac3a597707 Author: John Bowman Date: Sat Dec 17 15:26:22 2005 -0600 Removed writeP in favour of write. Stop running after first error in a runnable. Standardized write argument names. commit 8025f7ffdd8c5ef01a9db0112190026060c4bc66 Author: John Bowman Date: Sat Dec 17 02:17:37 2005 -0600 Added fonts. commit 2b74c299f57b3960563c99ad06bd40ba1b15f45d Author: John Bowman Date: Sat Dec 17 02:11:45 2005 -0600 Fixed cxx errors and warning messages. commit f548d38f981609aacb0a6d48328e2c7c7a40bce1 Author: John Bowman Date: Sat Dec 17 01:54:31 2005 -0600 Added type-dependent function and record operators to parent record. Cleaned up builtin.cc. Moved two- and three-dimensional array min and max functions to C++ code. Split plain.asy into many subfiles (using include rather than import for speed). commit 301f9346339ea8900fa2a3f2cf25fdc00a786c54 Author: John Bowman Date: Thu Dec 15 14:29:49 2005 -0600 Allow explicit keywords in autogenerated code. Moved default arguments from plain.asy to runtime.in. Respect currentpen nib. commit 96de56b84b0cd1d4d738a23765d299545dadd2ae Author: John Bowman Date: Thu Dec 15 03:58:25 2005 -0600 Incremented version to 0.98cvs. commit 6f306d923970994666cc1a70396929acf74a17d6 Author: John Bowman Date: Thu Dec 15 03:07:14 2005 -0600 Fixed pen transform bug. commit 71c43cf70416c59c7912d75006044a5b82d2629b Author: John Bowman Date: Thu Dec 15 01:36:26 2005 -0600 Make recent readline startup changes compatible with readline-4.0 under UNIX. commit 72217f76828b49b4e0b98b1fbb142535fc1775d4 Author: John Bowman Date: Thu Dec 15 01:13:45 2005 -0600 Added missing names and fixed incorrect names for builtin function arguments. Removed duplicate functions. commit f35731c6d4adab7814eaaed2b450362abbc01c37 Author: John Bowman Date: Wed Dec 14 23:29:34 2005 -0600 Workaround readline incompatibility under MacOS X 10.4.3. commit 499a84432fa5890f57c80b3bc2d564d3aa2b283e Author: John Bowman Date: Wed Dec 14 18:47:01 2005 -0600 Incremented version to 0.97cvs. commit d3aa6c3e78e7d22d0c94383670bcb040f2ecfe21 Author: John Bowman Date: Wed Dec 14 18:08:33 2005 -0600 Make MSDOS binary work under both MSWINDOWS and CYGWIN. commit b87facc189c97cc1439b6c12cdf54a7691fd4d0b Author: John Bowman Date: Wed Dec 14 02:22:10 2005 -0600 Fixed spelling. commit f4542712ae2f33fb6516d07366cc8542e0c08b34 Author: John Bowman Date: Wed Dec 14 02:20:27 2005 -0600 Document that the -V option under MSDOS is the default only when a single file is given. commit 3aaf0cf9cca1f7188b2d5d66d1255a19685e5bf6 Author: John Bowman Date: Wed Dec 14 01:58:29 2005 -0600 Fixed cxx warning messages. commit 5a0d6af86d2fa6b35907d93c3e91b1d50090f01d Author: John Bowman Date: Wed Dec 14 01:52:52 2005 -0600 Allow explicit keyword in builtin function definitions. Added write(file fout=stdout, string s="", explicit T[] x ... T[][]); function for writing a list of vectors as columns. Updated documentation of write routines. commit 1fffa6aaa334b966e563cf409015fbbbc9f65a93 Author: John Bowman Date: Tue Dec 13 23:39:31 2005 -0600 Fix segmentation fault by checking for null arrays in dotsGuide, dashesGuide, and 3d intersect. commit cfd2248d0406efd23f295eeb7b601cb904ca8343 Author: John Bowman Date: Tue Dec 13 16:50:41 2005 -0600 Fixed order of autogenerated newAppendedArray arguments. commit b32c4d54bfda1e3333f010b7ec668691d0765a32 Author: John Bowman Date: Tue Dec 13 16:07:35 2005 -0600 Fixed cxx error and warning messages. Make time(string) simply return format string on systems without strftime. Removed generated files. commit f24b953708c91b82442fb2ed5c9e6c1549909de6 Author: John Bowman Date: Tue Dec 13 14:21:58 2005 -0600 Autogenerate remaining runtime functions, producing runtime.cc and runtime.h. commit e277d1b83a43712c8d408e0b13e222d86514900d Author: John Bowman Date: Mon Dec 12 03:36:28 2005 -0600 Make default transform constructor the identity. Allow operator keyword in autogenerated functions (optional, except for operator *). Autogenerate more runtime functions. commit 2465bb6cd34773be15915a88e5262ef4630dcf98 Author: John Bowman Date: Mon Dec 12 00:06:44 2005 -0600 Fixed comment handling of runtime.pl; added prototype comments. Autogenerate remaining array functions. commit 48634f3dc5ae77e2fde057a969bc32d5722ff28a Author: John Bowman Date: Sun Dec 11 11:58:39 2005 -0600 Autogenerate runtime array operations. commit f65461ccca71521c637487e45edd5e508c0f6184 Author: John Bowman Date: Fri Dec 9 00:12:37 2005 -0600 Autogenerate more runtime functions. commit bacaf2c7b57f5157e763c2f74eea541d29c503fa Author: John Bowman Date: Wed Dec 7 00:48:40 2005 -0600 Updated runtime.pl to generate named arguments and optional default values. Auto-generate many more runtime routines. Use transform and pen instead of transform* and pen* for consistency with other types. commit 61d409c56dc3b07a2bc8de506a9e1126b5f87f9a Author: John Bowman Date: Wed Dec 7 00:37:08 2005 -0600 Fixed recently-introduced memory leak. commit 6c28518f804853391b708d645a6c1d89b5107a25 Author: Andy Hammerlindl Date: Tue Dec 6 15:50:41 2005 -0600 Made brackets part of the syntax for 'quote'. commit e03aeac59aa29d06488bcc37a9dcd6a4dd61d307 Author: John Bowman Date: Tue Dec 6 10:09:49 2005 -0600 Formatting. commit 796aedc5c991f3c50763d596f91c230576e10580 Author: John Bowman Date: Tue Dec 6 01:38:54 2005 -0600 Implement named arguments for builtin functions. commit 94626fe6a780fc144aaddd52cb7a77f99f1377c3 Author: John Bowman Date: Tue Dec 6 01:00:26 2005 -0600 Make translate (-s option) work with eval (requires running codelets). commit 100ffff9ee654c8b180a3cb79cc2891d346427bd Author: Andy Hammerlindl Date: Mon Dec 5 20:05:04 2005 -0600 Fixed sequenced evaluation of packed arguments. commit e28f4672575300ed653846be8ad54d5138fe7f53 Author: John Bowman Date: Mon Dec 5 01:21:12 2005 -0600 Optimized isDefault test. Implemented default function arguments for builtin functions. Made write routines builtin functions. commit 9fef72899d1bfc8509d44f686a5890186da8f0f0 Author: John Bowman Date: Sat Dec 3 23:49:58 2005 -0600 Remove obsolete remark about default function arguments. commit ae200ee9cea5e8ec1d269f70ce7d46584d3db302 Author: John Bowman Date: Sat Dec 3 00:10:00 2005 -0600 Documented makepen, nib, Sin, Cos, Tan, aSin, aCos, aTan, and fontcommand. commit 9ca4e3f824349c79527e89ea95d55b631753a492 Author: John Bowman Date: Fri Dec 2 23:27:03 2005 -0600 Documented BeginPoint, MidPoint, EndPoint. commit 29ef02fceb6eb09421099a3cf49dced64dd66a10 Author: John Bowman Date: Fri Dec 2 10:44:21 2005 -0600 Removed unneeded assignment. commit 9619df2a7117dbb20b93ce4bced704a8080e7c33 Author: John Bowman Date: Fri Dec 2 10:14:28 2005 -0600 Replaced midarrow routine with generalized arrow routine. commit 461f6b1f8b70788fa80f687c62ebef51dfba00b3 Author: John Bowman Date: Fri Dec 2 05:00:36 2005 -0600 Do MidArrow and MidArcArrow size adjustment in PostScript rather than user coordinates. commit 99008e82192e94f15c8dd24b762ca577b6d6765a Author: John Bowman Date: Fri Dec 2 00:19:21 2005 -0600 Added contributed examples and a routine to round the sharp corners of a path. Reordered the list of available modules. commit 8e0a2acb4fb53f752333324c1ab2e1474b429bcb Author: John Bowman Date: Thu Dec 1 21:46:26 2005 -0600 Handle angle(0,0) condition robustly. commit da6dee972819f677202846dc0c7c44890ea00487 Author: John Bowman Date: Thu Dec 1 17:10:59 2005 -0600 Ignore angle(0,0) errors in dirtime. Preserve output precision when outputting paths of any length. Fixed makepen draw routine (makedraw). commit e9932b5bef6de9c5f33357892c2005716c54408b Author: John Bowman Date: Thu Dec 1 00:48:00 2005 -0600 Minor optimization of makepen draw. commit f213452650c95e23eb1d4c4e240eb9ed8d042971 Author: John Bowman Date: Wed Nov 30 23:12:08 2005 -0600 Revert broken optimization of makepen draw. commit eddf45b679520b3705812b7f9c50b6235590f684 Author: John Bowman Date: Wed Nov 30 10:21:12 2005 -0600 Simplified makepen draw; extend to cyclic paths. commit 184116a5754b4c447648cef2987b94db8555fb39 Author: John Bowman Date: Wed Nov 30 02:41:52 2005 -0600 Added MetaPost-like makepen that works for any polygonal (possibly nonconvex) cyclic path. commit 53453a6383207878891947e9e8fbd0193d6a8b08 Author: John Bowman Date: Tue Nov 29 23:03:47 2005 -0600 Call purge after each interactive line to close any files that have gone out of scope. Suppress interactive update on exit. commit 8adaed3f92453ab3328a014020b0d25b1bec5df8 Author: John Bowman Date: Mon Nov 28 19:37:48 2005 -0600 Make estack and sstack static local variables. commit cb82b57275ad49ed6714360f2ba332263536d752 Author: John Bowman Date: Mon Nov 28 19:03:56 2005 -0600 Added filltype to labeltick. commit 5278a780e8c778661eb978be0a27cddbcffadc36 Author: John Bowman Date: Sun Nov 27 23:45:17 2005 -0600 Fix -o - with labels. commit e1062daaaf34b82440f5d1c1eee76f2b5a249d1b Author: John Bowman Date: Sun Nov 27 23:21:02 2005 -0600 Added example of 3d lighting effects for a sphere, using Gouraud shading. When running MSDOS binary under CYGWIN, use UNIX line terminator. commit f41b5c3cbcab52de658277ea8df09ec05df50994 Author: John Bowman Date: Sat Nov 26 17:01:52 2005 -0600 Check for null binary space partition. Move normal==O test to face. commit 461ea503545d77d9279c8066ab6d76c7ca3bdb06 Author: John Bowman Date: Sat Nov 26 14:53:12 2005 -0600 Make -o - work without labels. Document how to pass options to convert. commit e5f090df96cb7378f7f21d0e933d04f29d98b60d Author: John Bowman Date: Fri Nov 25 17:50:23 2005 -0600 Minor improvements. commit 3801d8d59c5e0bf670e1bc2f81ccb817d48a2cb3 Author: John Bowman Date: Fri Nov 25 02:51:13 2005 -0600 Added unitsize argument to shipout command (makes user coordinates represent multiples of unitsize). Suppress final call to exitfunction when exiting interactive mode. commit 8eb2bcf4f65fc9897d5fed34ae591f88e358046a Author: John Bowman Date: Thu Nov 24 00:36:47 2005 -0600 Under MSDOS, turn off the default -V option if more than one file is specified on the command line. Under MSDOS, by default bind Delete and Insert keys to delete-char and overwrite-mode, respectively. commit 23954c9562a97570b63650f5e3ee398741aac9ce Author: John Bowman Date: Wed Nov 23 18:36:54 2005 -0600 Install *.dat and piicon.eps files. commit 61ca520831b2545ba2252dd920b56c8159d04eb1 Author: John Bowman Date: Wed Nov 23 17:37:39 2005 -0600 Always destroy tex pipe at cleanup (e.g., in case a label contains a \gdef command). commit 9e5c05fd948b94ed8ab9bd3d271b7c238b894c47 Author: John Bowman Date: Wed Nov 23 17:35:02 2005 -0600 Unwrap wrapper. commit 2f5737d0b240632ac0081a4e10093f6c51bf1f92 Author: John Bowman Date: Wed Nov 23 14:06:56 2005 -0600 Fixed segmentation fault with unravel and from access in parse diagnostic. commit f41cff6dc7aebfcd7e696115948df31ca41d3229 Author: John Bowman Date: Wed Nov 23 09:53:43 2005 -0600 Documented ImageMagick convert dependency of GUI xasy. commit 7c8c9e83089654262c088b5656b288bc32466bba Author: John Bowman Date: Tue Nov 22 23:04:34 2005 -0600 Renamed -n option to -nV. Used -n (or -no) to negate next option. commit 2d9f17871e1419f6eaa0b8e4934ffc17e51b6974 Author: John Bowman Date: Tue Nov 22 16:25:52 2005 -0600 Use kpsewhich to help find default latex path. commit ee0107095feb9106e2f0155b73467715640f1de4 Author: John Bowman Date: Tue Nov 22 15:29:47 2005 -0600 Improved diagnostics. commit 1880d2bc13025a7a64e8262d5bb8172ac763ed80 Author: John Bowman Date: Tue Nov 22 15:24:25 2005 -0600 Check for module recursion after call to parseFile. commit a46953c709f31a895cb2a3dcd970a2f48ffcccb9 Author: John Bowman Date: Tue Nov 22 14:31:44 2005 -0600 Removed incorrect (and unnecessary) addPoint call from xaxis and yaxis. Made axisT readable outside of graph module. Made standard axis types public. Document custom axis types. commit 777fbf6726d2027abaa18c9631a7b388d46b95d7 Author: John Bowman Date: Tue Nov 22 02:19:48 2005 -0600 Incremented version to 0.96cvs. commit 6fbf74f332f447fb6c31172ffa76ef0462472729 Author: John Bowman Date: Tue Nov 22 01:04:17 2005 -0600 Fixed indentation. commit 364126842df5a60686d9ea3b0b94f8d2c11e7f4f Author: John Bowman Date: Tue Nov 22 00:54:03 2005 -0600 Reimplemented reset keyword in interactive mode to restore the environment except for the setting of scroll(). Interactive input now does an automatic reset. Added link to the GNU readline library documentation for customizing interactive key bindings. Fixed hang in scroll mode on EOF. commit 91eb7c8e328f43b81bedbe0bf9d984789a492e8a Author: John Bowman Date: Tue Nov 22 00:33:20 2005 -0600 Move legend.append to appropriate place. commit dcc0fbe629e3f2372150a4ecdd0693911417b614 Author: John Bowman Date: Mon Nov 21 15:15:15 2005 -0600 Use scalebox only where necessary, to reduce LaTeX memory usage. commit 71c6655d3469e0ade3a93388c52999dc25cb1d2e Author: John Bowman Date: Sun Nov 20 15:50:51 2005 -0600 Plugged remaining memory leak. commit fd9adc8c3a9d73d90c569025161cad7bcdf1d3cf Author: John Bowman Date: Sun Nov 20 12:08:29 2005 -0600 Plug another memory leak. commit 2d466f2c5a379cb4efd0fa0100a6d5f58c0bf5b2 Author: John Bowman Date: Sun Nov 20 11:41:04 2005 -0600 Fixed memory leak. commit 0ae5de9fa205f811259ea403e14b91547358d703 Author: John Bowman Date: Sat Nov 19 12:00:13 2005 -0600 Put GC warnings under control of -d option. commit 26b1022143890e3c35a24e3a74f2af2ae19b4f36 Author: John Bowman Date: Fri Nov 18 23:52:49 2005 -0600 Suppress GC warning messages (in particular: "Repeated allocation of very large block"). commit c3f015919bba9f40bb5bf9f0eacabf2a8f8562c1 Author: John Bowman Date: Fri Nov 18 23:46:59 2005 -0600 Make interactive input command reset the environment. commit 6ca8e3cbdcf189f4539c63b84e9700e7359c15b2 Author: Andy Hammerlindl Date: Thu Nov 17 23:21:02 2005 -0600 Added testing for unravel. commit 3f4f57ca4f67f06bc3961b6c0bcde86eee3ffa77 Author: John Bowman Date: Thu Nov 17 10:31:08 2005 -0600 Removed old documentation. commit d0a40a1fed53391f30dff0134b05b8f852668727 Author: John Bowman Date: Thu Nov 17 01:23:28 2005 -0600 Incremented version to 0.95cvs. commit 2d8ea5ffd849e487f0cefb89f559d387795328dc Author: John Bowman Date: Thu Nov 17 00:14:51 2005 -0600 Changed import graph; to abbrevation for access graph; unravel graph. Also: import graph as graph2d; means access graph as graph2d; unravel graph2d. Updated documentation; removed descriptions of old import scheme. commit 22f1659bb206557ad37971f19040ea5b58b5ae62 Author: John Bowman Date: Wed Nov 16 18:25:21 2005 -0600 Force quiet mode with running embedded latex files. commit ea0b9c27146e6726caf57e10423f8a481db6bd13 Author: John Bowman Date: Wed Nov 16 17:51:06 2005 -0600 Reduce memory usage. commit ef4fae7cd964ab244cfb84fa5e514175e0d3b31d Author: John Bowman Date: Wed Nov 16 17:07:28 2005 -0600 Use a vector instead of a list for estack and sstack. commit 8381834a584566f533598bd2f6fa104fe2f688ab Author: John Bowman Date: Wed Nov 16 15:31:07 2005 -0600 Reverse order of pstricks and graphicx also in asymptote.sty. Fixed formatting. commit d30095a1a85ffa2765fad62d8d4fc9e6ef39df8c Author: Andy Hammerlindl Date: Wed Nov 16 15:05:25 2005 -0600 Slight refactoring. commit 9fc036102ca31b6a710e1d8d8eb2bc7fcb8c4149 Author: John Bowman Date: Wed Nov 16 14:32:30 2005 -0600 Workaround scalebox problem with old versions of pstricks. commit 900a230f59eb035da1e73243c7166e50672f829a Author: Andy Hammerlindl Date: Wed Nov 16 13:03:55 2005 -0600 Fixed frame loading issues with imported types. commit 491ba39a65ee7cedc1ae705130b79aaf930a28de Author: John Bowman Date: Wed Nov 16 03:31:20 2005 -0600 Incremented version to 0.94cvs. commit d2521d022132b4b565b1a23b2fba8ee33c640ab3 Author: John Bowman Date: Wed Nov 16 03:06:51 2005 -0600 Fixed cygwin problem. commit 73dfcc6c2b8d89eae215103dcc2c0eed219ae44e Author: John Bowman Date: Wed Nov 16 02:36:10 2005 -0600 Added mkdir. commit 0f7098206d138babb0ee9b1aad6a420ca8ff88b8 Author: John Bowman Date: Wed Nov 16 02:27:04 2005 -0600 Revert to pstricks colors instead of color.sty due to problems under FreeBSD. commit 1fc8a6ebb4512fc41f3092c118aafbf2747999f5 Author: John Bowman Date: Wed Nov 16 02:14:50 2005 -0600 Workaround missing C99 gamma function under FreeBSD. commit b0988cec31ea4f7c7e5f1948c695e6498cfa33a7 Author: John Bowman Date: Wed Nov 16 01:31:40 2005 -0600 Documentation updates. commit df488ea835383a7ae9bce7d8275d199da678b24b Author: John Bowman Date: Wed Nov 16 01:24:03 2005 -0600 Added new keyword. commit 2f111570bc73f175c124d70c774186b707f8d67d Author: John Bowman Date: Wed Nov 16 01:12:02 2005 -0600 Fixed more cxx warnings. commit a532094aeeecc237a20ccbf3a2c7c0a9271889b6 Author: John Bowman Date: Wed Nov 16 01:09:16 2005 -0600 Fixed cxx errors and warnings. commit 863e8e9a52a68acd3ceb8ef6aa46d29c51b9849a Author: John Bowman Date: Wed Nov 16 01:01:34 2005 -0600 Version template. commit 896307cb58b63bae3d93b6cb1b993528c08acaae Author: John Bowman Date: Wed Nov 16 00:49:51 2005 -0600 Added version check to plain.asy. commit e5d83a5366f243d60e5aecb5c54b13629f1bfc49 Author: John Bowman Date: Wed Nov 16 00:19:59 2005 -0600 Put history in ~/.asy/history by default unless -localhistory is specified. Renamed ~/.asyrc to ~/.asy/options Updated documentation. commit aca9bcc789be34e190316066e9b572030bb92ea3 Author: John Bowman Date: Tue Nov 15 22:03:28 2005 -0600 Read command line style-parameters from $HOME/.asyrc commit f02c09ffb1bc5950237dc3df611a67a809d2bbc5 Author: John Bowman Date: Tue Nov 15 18:50:15 2005 -0600 Removed superfluous static modifiers. commit 978f33ffba7708b7d91c42ed3b271a511d9cb5e1 Author: John Bowman Date: Tue Nov 15 16:07:01 2005 -0600 Added surface graph of matrices. commit cc9ab56c7966061cbc71c97eb5ef2cc9f1c2e385 Author: John Bowman Date: Tue Nov 15 14:51:50 2005 -0600 Importing graph3 should publically import graph and three. commit 1a89f394735cec123b056ae429f290e57f5a078f Author: John Bowman Date: Tue Nov 15 13:06:59 2005 -0600 Implemented horizontal and vertical label scaling. Cleaned up Label code in plain.asy. commit c260f4e541ad2b6ab880668c721565a8e3430ca4 Author: John Bowman Date: Mon Nov 14 14:09:17 2005 -0600 Optimized integer overflow checks. commit 6ae2b69162667e165f20233aa048e5f97e23e142 Author: John Bowman Date: Mon Nov 14 02:16:15 2005 -0600 Added checks for integer overflow. commit f1a0872ddf61bf7dc88c0988382324b92cbe3123 Author: John Bowman Date: Mon Nov 14 01:57:47 2005 -0600 Handle parse errors. commit 236e42291a45e1c178982191ebd88b4b2c03b050 Author: Andy Hammerlindl Date: Sun Nov 13 22:47:56 2005 -0600 Minor edits. commit 44dba419cb16d17fd46c22ad4581bfc8d798d1f0 Author: John Bowman Date: Sun Nov 13 19:47:17 2005 -0600 Documented "from m unravel c as C;" syntax. commit 14bf01cac77e4d4e6a689a732f482976f62e3b6c Author: John Bowman Date: Sun Nov 13 19:34:03 2005 -0600 Minor update. commit 365ac4a73290985835a8672031aafd69f55696fe Author: John Bowman Date: Sun Nov 13 19:30:54 2005 -0600 Documented unravel and include. Updated documentation of execute and eval. commit 0989b855c9c314798258d3bcb1695236c8f57a58 Author: Andy Hammerlindl Date: Sun Nov 13 16:29:51 2005 -0600 Describes new importing system. commit 956cf076a99ba742e11cd2157eb98f9c0739ed1c Author: John Bowman Date: Sun Nov 13 03:11:08 2005 -0600 Fixed memory leak. commit 2bc72e42522e99043b8051ad93d55c0c3da882dd Author: John Bowman Date: Sat Nov 12 23:39:26 2005 -0600 Removed constructor added in error. commit 28e0bae4df0e9568617341e38c7b923d5f357f60 Author: John Bowman Date: Sat Nov 12 23:36:26 2005 -0600 Fixed cxx errors and warnings. commit 5f1ba64a2d4098953380c0d70186f75d27b8f6b0 Author: Andy Hammerlindl Date: Sat Nov 12 16:47:06 2005 -0600 Added venv::add to NOHASH. commit d75a0bd6fd0b1cb4eff4b229875191fbd32b5152 Author: John Bowman Date: Sat Nov 12 16:18:24 2005 -0600 Another workaround for gcc 3.3.4 problems. commit e2e8ccb6f2f541217ec1f0a8d2a165e0471a9531 Author: John Bowman Date: Sat Nov 12 15:57:02 2005 -0600 Workaround problem with gcc-3.3.4. commit aeb6c990724852831ffff52b19b6e86b174093c0 Author: John Bowman Date: Sat Nov 12 15:22:28 2005 -0600 Added erf,erc, and gamma functions. commit 37df4f422e65e3913781aec833e38343605e4f63 Author: John Bowman Date: Sat Nov 12 13:43:42 2005 -0600 Make quotient(int,int) consistent with %. commit b8d59fe592f7024714ec5a77136ff7a9d0023406 Author: John Bowman Date: Sat Nov 12 01:56:01 2005 -0600 Fix **. commit 7d071596999b5d45c79dc76375506edf3d9fb6b3 Author: Andy Hammerlindl Date: Fri Nov 11 18:38:32 2005 -0600 Replaced std::string with mem::string for genv. Moved error reporting associated with 'as'. commit 1b01a81f25eb73d213de73c94373cb3ed3cbe499 Author: John Bowman Date: Fri Nov 11 18:22:40 2005 -0600 Added missing delete. commit 3e9f0d27ede272fb0b4fd9d6180e9edcf4ca5579 Author: John Bowman Date: Fri Nov 11 01:14:34 2005 -0600 Make bounding box computation work with -o -. commit b312e379dcdb1dc5ebe0c9310086d4cb2ec44b91 Author: John Bowman Date: Fri Nov 11 00:37:34 2005 -0600 Allow outputting to standard output with "-o -" command line option. commit 1c14fd2ec513bd332987dec787ad2e48fda7d048 Author: John Bowman Date: Thu Nov 10 23:59:13 2005 -0600 Set default pdf viewer to acroread under UNIX, just like under MSDOS. Removed pdf fuzz (a workaround for a pdf-viewing problem only of gv, not other pdf viewers). commit dc252e27f2dc18f99a09c598434b6ca0a28c6378 Author: Andy Hammerlindl Date: Thu Nov 10 10:02:55 2005 -0600 Refactored argument matching functions. commit acb62c269bc533b57f8db269b0bc843976d2f4b4 Author: John Bowman Date: Thu Nov 10 02:56:24 2005 -0600 Removed old interactive buffer flushing code. commit 49db56fcf5ae55a857fa9ebca24996f0492b513c Author: John Bowman Date: Thu Nov 10 01:58:13 2005 -0600 Choose more descriptive names latticeshade, axialshade, radialshade, and gouraudshade for shading routines. commit 6c2f1163134a5ade41a8db9e221536221f2875c7 Author: John Bowman Date: Thu Nov 10 01:17:56 2005 -0600 Respect final null entry when reading data in cvs mode (fixed). commit 3a89127a1f73df1eae54cdc0cd70df341ab5be51 Author: John Bowman Date: Wed Nov 9 23:53:32 2005 -0600 Flush input buffer every time we enter parser. commit 9e85d17616a91a523f65a239c16aaf229bbf105a Author: John Bowman Date: Wed Nov 9 20:49:29 2005 -0600 Added new keywords; fixed treetest. commit b78fd384f56f2a7e9e9fd0cfb26f1f06698ad8df Author: John Bowman Date: Wed Nov 9 20:35:22 2005 -0600 Documentation updates. commit cf629c85681f9975f907279087136664b9e540f2 Author: Andy Hammerlindl Date: Wed Nov 9 00:36:03 2005 -0600 Extended access and unravel syntax. commit 12a1791ded53de40f11fad39422b712c851e277e Author: John Bowman Date: Tue Nov 8 23:23:54 2005 -0600 Make embedded evals work within exitfunction. commit fb4c073d8a100376af5078d8e83a607545279936 Author: John Bowman Date: Tue Nov 8 23:05:11 2005 -0600 Reimplemented GUI support. commit a1b02245d9d163612c65ce76e25e41951fb9e54b Author: Andy Hammerlindl Date: Tue Nov 8 17:55:03 2005 -0600 Check for infinite recursion when loading modules. Add position info (markTrans) for codelets. commit 8f85cfa41726a8039358d7699edbc2f7f27c5dd7 Author: John Bowman Date: Tue Nov 8 14:30:10 2005 -0600 Renamed defaultpen() to resetdefaultpen and getdefaultpen() to defaultpen(). commit 9e9a8ceb1a95c2ec077c960dcad190c0c25f13bf Author: John Bowman Date: Tue Nov 8 14:11:06 2005 -0600 Updated diagostics. commit 0d092a3d344734b958f5d3b231388c520478a3d8 Author: John Bowman Date: Tue Nov 8 12:58:07 2005 -0600 Re-implemented -p (parse) and -s (translate) options. commit a1ca000656cf8892d798b4fc8132e3835dff02da Author: John Bowman Date: Tue Nov 8 10:39:14 2005 -0600 Corrections from import merge. commit fd5fb6c0df0bbbec952ee8efdff3db1cdb304011 Author: John Bowman Date: Tue Nov 8 03:36:32 2005 -0600 Reimplemented import "file" syntax. Interactive mode updates; reimplemented interactive "input" command. Documented true interactive mode. commit a679f9db485a048f7a093f22d977d455094ff0eb Author: John Bowman Date: Tue Nov 8 01:22:41 2005 -0600 Facilitate optional installation of documentation and examples to different directories. commit 00ecbbcfc69ec7a3c48c5def887fc98a05f389a3 Author: John Bowman Date: Tue Nov 8 01:19:24 2005 -0600 Added missing picture arguments to graph. commit 18696c78fa467a579e6d6c0d9acece649522669a Author: John Bowman Date: Mon Nov 7 23:26:21 2005 -0600 Remaining import updates. commit 14735e983987b664738f9bbab29953a6cdeafd7d Merge: 0b62f703 9710028a Author: Andy Hammerlindl Date: Mon Nov 7 10:57:39 2005 -0600 Merged in changes from the import branch. commit 9710028ac2a4550f2494a79fcdb6e441ea28c274 Author: John Bowman Date: Mon Nov 7 00:44:35 2005 -0600 Renamed autonomous argument of eval to embedded. Updated asymptote.sty. commit bd5b3c0031560966eaa9655e4d259b1c1f892544 Author: John Bowman Date: Sun Nov 6 23:01:22 2005 -0600 Optionally allow eval to run within current environment, rather than in an autonomous (distinct) environment. commit 09816a50c49d05c02c7d4d2e0643a1a65963f9a8 Author: John Bowman Date: Sun Nov 6 17:57:25 2005 -0600 Fixed eval so that environment is properly reset. Removed outnameStack. Added animate.asy module to make animations easier. Reimplemented -l (listvariables) option. commit 0b62f70388e8cbc7a7212fe76415f70ac1ffd723 Author: John Bowman Date: Sun Nov 6 17:36:58 2005 -0600 Fixed lexer error. commit fe3ac7ae1dd16b09b629339bda26cfea3be3c502 Author: Andy Hammerlindl Date: Sun Nov 6 10:57:54 2005 -0600 Checks permission of both the qualifier and the field for an unravelled field. Inaccessible (eg. private) fields are not unravelled. Added quote keyword and code type. Refactored doIBatch. commit 36c564c5e4880445b452f486d95c0ff485013781 Author: John Bowman Date: Sat Nov 5 21:45:10 2005 -0600 Removed # and ## as admissible operators. commit 2720837802489b099d25586a32ce0451c9c6f1d4 Author: John Bowman Date: Thu Nov 3 11:44:07 2005 -0600 Temporarily deactive last change. commit cc10f38f1ce5bbe06a3c0cf7314646ffa0d17eb2 Author: John Bowman Date: Thu Nov 3 11:32:41 2005 -0600 Respect final null entry when reading data in cvs mode. commit c9ddd25d7e1c1249f95070d0c1190e40d0707ba6 Author: John Bowman Date: Thu Nov 3 01:34:01 2005 -0600 Fixed memory handling and outname for line at a time mode. Switch over to using line-at-a-time mode. commit af35dac4500855ebb9efbdec808595b3701a8a07 Author: John Bowman Date: Wed Nov 2 23:46:58 2005 -0600 Added infix operators << >> @ @@ $ $$ # ##. New module fontsize.asy supports nonstandard fonts. commit 9fa2770e323fe9a2242a4733b8af3f46991069c7 Author: John Bowman Date: Wed Nov 2 13:00:16 2005 -0600 Reimplemented -laat mode. commit b4529048ec3618cec5a136f6672a8e5105ba0d01 Author: John Bowman Date: Wed Nov 2 01:39:54 2005 -0600 Merged eval with IBatch; removed laat mode. commit 58326a3eca7dfd5f809312c189338af8f2315a3d Author: John Bowman Date: Tue Nov 1 23:41:04 2005 -0600 Reimplemented eval() and execute(). Added shipped flag to save() and restore(). commit 45dd4837a78e3843b65e99b893b5f4f69ca9d173 Author: John Bowman Date: Tue Nov 1 13:28:51 2005 -0600 Fixed picture.empty(). commit d40cf552d16cdca9693b025c1fb1deff1da7d92c Author: John Bowman Date: Tue Nov 1 11:40:11 2005 -0600 Set A=unravel, Q=access, U=import to allow testing until "import into" is implemented. commit 7ea5da6eda5c4b2ae9d6e1d9a8e9444fb6cceaae Author: John Bowman Date: Tue Nov 1 02:06:27 2005 -0600 Gracefully handle errors in loading plain, etc. commit e2b4b9d50b69993f9cf9ccb340088f2b0a37d958 Author: John Bowman Date: Tue Nov 1 02:00:18 2005 -0600 Fixed interactive error handling. commit abeda671cf2e6ca69e45cc2d80df77a9bf1d759c Author: Andy Hammerlindl Date: Mon Oct 31 00:32:21 2005 -0600 Changed ignore permission modifiers to a warning for use with include. commit a43fe979f8a5ee720196d9cd2d7508ae78ebedf9 Author: John Bowman Date: Sun Oct 30 14:27:53 2005 -0600 Minor code cleanup. commit ee6c32d83cc851eba02e78e65c48cdac864817cf Author: John Bowman Date: Sun Oct 30 11:33:52 2005 -0600 In interactive mode, flush input on errors. commit edeb32b334dcbfe4b462f70fc4f93d0bd4ef297c Author: John Bowman Date: Sun Oct 30 04:41:06 2005 -0600 Allow expressions of the form (0,0,0){x,y,z}. commit 90fd95b0d77f94f426566cfe3dc7a1aa434fa74a Author: John Bowman Date: Sun Oct 30 04:34:35 2005 -0600 Removed operator symbols consisting of letters enclosed by colons. commit 7c9208f06dbbc91d397635c1b37f73c7a4a33dd5 Author: Andy Hammerlindl Date: Sat Oct 29 23:14:11 2005 -0600 Added semicolon to include. commit b380e5feb4b448bdd20e5da0f908934df33c9f1c Author: John Bowman Date: Sat Oct 29 21:49:03 2005 -0600 Allow include file as well as include "file". commit 9fa4217964d07baf22ab715898e8f99bc666d8e3 Author: Andy Hammerlindl Date: Sat Oct 29 19:16:58 2005 -0600 Added include, which translates the parse tree of the given file in place. commit c1e9731d8bf713b00e41fe776b3aeed845f4701d Author: Andy Hammerlindl Date: Sat Oct 29 14:03:21 2005 -0600 Added some form of autoloading. Bad importing does not affect the genv dictionary in interactive mode. commit 90060607dfc7092dc72546df88b773d3e1d5f0bb Author: John Bowman Date: Fri Oct 28 23:31:17 2005 -0600 Additional operator symbols can now be formed by enclosing any combination of letters (including the underscore character) in colons. commit a67283022104a1b5accc43d556674afad9f700e3 Author: John Bowman Date: Fri Oct 28 21:56:53 2005 -0600 Re-added tension3 and curl3 operators. commit 9a78050799658c969ab432695f35c3f473132b78 Author: Andy Hammerlindl Date: Fri Oct 28 17:50:38 2005 -0600 Autoplain for interactive mode. commit 56aec06506f45c100cf743c96935ec8f2b0af3cd Author: Andy Hammerlindl Date: Fri Oct 28 17:40:01 2005 -0600 Add environment rollback, for erroneous code in interactive mode. commit c8735012ac180cbdfba25d373bd370739c8a496e Author: John Bowman Date: Fri Oct 28 00:33:34 2005 -0600 Support interactive erase: outputting an empty picture produces an empty file. commit 3d8605ddb94514e5b53e0ac1b06116455d38ffb0 Author: John Bowman Date: Thu Oct 27 22:08:47 2005 -0600 Documentation now refers to Datadir variable rather than /usr/local/share. commit a7b07c58cbc9150960d106cb2b39b1c9b3ce3546 Author: John Bowman Date: Wed Oct 26 22:43:12 2005 -0600 Uptodate flag now does a shipout() as needed. commit b2d73e276904b14b731eafee152f30b44715a34a Author: John Bowman Date: Wed Oct 26 12:28:04 2005 -0600 Fixed typo. commit bb131c1588b70376eece7d7cde471a2c75644430 Author: John Bowman Date: Wed Oct 26 00:38:51 2005 -0600 Removed unused includes. commit b94a3ec4ad8d2dd068cfb88e6fb3ea73f32b780b Author: John Bowman Date: Wed Oct 26 00:34:04 2005 -0600 Remove unused code. commit 19ba7e49064b8f68186cf1895bb08cb54f4b2b54 Author: John Bowman Date: Wed Oct 26 00:09:59 2005 -0600 Fixed interactive mode error handling. Merged in return code fixes from the main branch. commit f334721ec9ac22dac7ac0d32e703eb4ccbce6ec4 Author: John Bowman Date: Tue Oct 25 23:23:02 2005 -0600 [Import] Replaced virtual interactive mode with true interactive mode. commit 2399cd7f0f57dac01ac5532fa6b85313aa517b25 Author: John Bowman Date: Tue Oct 25 11:27:30 2005 -0600 Fixed STL errors and virtual destructor warning. commit 2df11de94ed66efd5466dcba89823f431a6affe6 Author: John Bowman Date: Mon Oct 24 22:54:56 2005 -0600 Return a definite return code (rather than an error count that overflows after 256 errors). Also check for parse and translation errors. A return code of 0 means successful; 1 means a user error occurred; -1 signals a misconfiguration error (pipe, fork, or exec failed). commit d640705f9565091a774e248db1ab8b166418cdad Author: John Bowman Date: Mon Oct 24 22:02:19 2005 -0600 Set default put argument of box and ellipse functions to Above. Use convert instead of dvipng in doc/Makefile. Updated Debian URL. commit 16e5842f629b59e3917f21e6a3825a1206432a2d Author: Andy Hammerlindl Date: Sun Oct 23 21:25:28 2005 -0600 Added more changes in from the main trunk. commit cb193ddaa1db2bdfac90cc8a9522867cd8d5ac9f Author: John Bowman Date: Sun Oct 23 02:15:00 2005 -0600 Incremented version to 0.93cvs. commit f8949272355544fe98b28ef870d503b9f5579e8f Author: John Bowman Date: Sun Oct 23 01:48:50 2005 -0600 Fixed cd diagnostic. commit e91d10d96853361746e44bf87af763a90c99e94a Author: John Bowman Date: Sun Oct 23 00:50:35 2005 -0600 Fixed label bbox bug. commit ba22e55cc25e9fbbf1af7f0f70e64cd52e5e55b3 Author: John Bowman Date: Sat Oct 22 23:15:14 2005 -0600 Fixed intersect fuzz calculation. Implemented means of adjusting 3d aspect ratio. commit 0307afc0e763fae832d552a70a5990d93867640a Author: John Bowman Date: Sat Oct 22 10:49:28 2005 -0600 Updated xasy to generate GUI(int) frames instead of gui(int). commit a2892cbacb27a4b2b353efe0025fce0c65a1b2cb Author: John Bowman Date: Sat Oct 22 04:25:01 2005 -0600 Workaround missing round function under FreeBSD. commit fc2a9f4342f45a7a60f0fcdb1e4d8350e7b28565 Author: John Bowman Date: Sat Oct 22 03:41:04 2005 -0600 Fixed cxx errors. commit 288b512004959a3394b521c5acfd2fb07fe8f655 Author: Andy Hammerlindl Date: Sat Oct 22 02:54:15 2005 -0600 file brokenaxis.asy was added on branch import on 2005-10-24 03:25:28 +0000 commit 06839af15a6bafcd7bbbfeb098fc7961ffd8bcf0 Author: John Bowman Date: Sat Oct 22 02:54:14 2005 -0600 Fixed example. commit 8ddb128c9b7b2f448d4d377cc094b0859ff0b7f2 Author: no-author Date: Sat Oct 22 08:54:14 2005 +0000 This commit was manufactured by cvs2svn to create branch 'import'. commit ecbd779730fbdf6e262c93db163e27bb5ce3153a Author: John Bowman Date: Sat Oct 22 02:51:32 2005 -0600 Added missing example. commit e4be44933a2678abd007ebfd57bddf284492248b Author: John Bowman Date: Sat Oct 22 02:48:56 2005 -0600 Added scaleT Broken and example of broken x axis. commit f19cf665b8285f6e2df069d4cacffce341069dac Author: John Bowman Date: Sat Oct 22 01:45:58 2005 -0600 Moved dir argument of picture.fit() to add(frame,pair) and attach(frame,pair). Added frame align(frame f, pair dir) for aligning frames. commit 51d89c20b4806ab6a1cce8cb480e261da1e9abb2 Author: John Bowman Date: Sat Oct 22 00:03:18 2005 -0600 Implemented a new struct marker to hold marker data, including a general markroutine. Included both the default marknodes routine and a markuniform(int n) routine which draws n markers at evenly spaced intervals along the arclength of the path. commit 564aed3f7bc21cd4939b911f3371d058403e4f8c Author: John Bowman Date: Fri Oct 21 02:12:29 2005 -0600 Don't strip directory from explicit output filenames. commit 6629c2f55134e6b92dc62c4c4eb5d4fccb30538f Author: John Bowman Date: Fri Oct 21 01:23:16 2005 -0600 Documentation updates. commit f47b325d3f0dbc419a08452a2027ccb2047c01c7 Author: John Bowman Date: Thu Oct 20 01:36:43 2005 -0600 Added CPPFLAGS option to configure.ac (equivalent to CFLAGS). Fixed spurious overwrite messages. Added fuzz to label clipping to retain labels exactly on boundary. Moved intersectionpoint to plain.asy and added documentation. Renamed intersection in math.asy to intersect to intersect. Added UnFill filltype for clipping underneath frames, pictures, and labels, with examples. Make save/restore respect currentprojection. Added 3d intersectionpoint routines to three.asy. Added instructions for setting environment variables under MSWindows XP. Removed ymargin=infinity in favour of ymargin=xmargin. Documented use of Cyrillic fonts. Documented that \end{asy} environment must appear on a line by itself. commit 32ad169f5b3542da1ec48e903da457639d8e6f97 Author: Andy Hammerlindl Date: Wed Oct 19 13:37:59 2005 -0600 use is now use=import+explode. commit 0628aa7bb95026a88ff36b26060260f8ed47c439 Author: Andy Hammerlindl Date: Tue Oct 18 17:53:23 2005 -0600 Got line-at-a-time working. commit c78464d5ff2a4a37b335bd09c5a70b57c3a2c389 Author: Andy Hammerlindl Date: Mon Oct 17 19:31:59 2005 -0600 Import can infer the filename. Filenames given as positions are actual files. commit 4e991f81346b0711e3c3c18f65f090f19156fc88 Author: Andy Hammerlindl Date: Mon Oct 17 18:01:27 2005 -0600 Added use declaration. commit 6559104a9581c0e532e291c4166755c451f4a2bf Author: John Bowman Date: Sat Oct 15 03:14:38 2005 -0600 Fix precision errors at +/-1e-4; default format changes to scientific notation here. commit 716e22941007220a14c57ab41e1c6700e01e724d Author: John Bowman Date: Fri Oct 14 22:07:16 2005 -0600 Fixed inside(path,pair). commit db0c6be308eadd2ae2d4b3f81a652c3920574e68 Author: Andy Hammerlindl Date: Fri Oct 14 10:08:45 2005 -0600 Integrated changes from the main branch (tagged changes_for_import_oct_14). commit 7dbede8650a3b614f58004bae0f40332ba936980 Author: John Bowman Date: Fri Oct 14 01:16:49 2005 -0600 Implemented robust real cubic root solver. Removed inside, quadratic solver, and intersect routines from math.asy in place of internal C++ routines. Changed DOUBLE to TWO, etc., to avoid confusion with double roots. Implemented function bool inside(path g, pair z, pen p=currentpen); to test whether a point is inside a cyclic path. Implemented clipping of labels. Added two new fill rules to allow labels centered within the clipped region to overlap the clipping boundary. Clipping now clips all layers of a picture, not just the most recent one. Fixed bug in precontrol and postcontrol. Fixed floating point exception in complex powers when base is zero. Added Floor, Ceil, and Round functions that don't produce floating point exceptions. Made the default axis for logarithmic scaling YEquals(1) and XEquals(1). Made currentpicture the default picture in Scale(pair). Added begingroup/endgroup pairs to filldraw. Changed plane interface to return a representation of the plane through point O with normal cross(u,v). Draw over existing TeX layers when doing 3d hidden surface removal. Added face labels to cube animation. Updated installation instructions. commit 0db8a820cbd178de0f23e83b82f160eebb36ceca Author: Andy Hammerlindl Date: Thu Oct 13 15:39:16 2005 -0600 Grouped common code between record and env into protoenv. commit 166c1812dc1b3f810d98995b463e9bfcc6ac9196 Author: Andy Hammerlindl Date: Thu Oct 13 13:04:36 2005 -0600 Fixed prettyprinting of joinExp. commit adb637f8f99ac50c6fc046819813c33d77ca159b Author: Andy Hammerlindl Date: Thu Oct 13 12:43:16 2005 -0600 More specific error message for casting. commit 72379c9945ccde7a915a2d6d43b8c74de882d651 Author: Andy Hammerlindl Date: Thu Oct 13 12:42:41 2005 -0600 Fixed indenting for parse output. commit 02fa43b7a893bcd08b0459dc4969e3727dd17113 Author: John Bowman Date: Thu Oct 13 09:01:13 2005 -0600 Fixed control point bug introduced by recent straight flag fix. commit 0f9db37a420570090e30b1e2f50c1ec841d505f7 Author: John Bowman Date: Wed Oct 12 16:29:21 2005 -0600 Make default value of picture.keepAspect true. commit a246176ea243b9fb0bff994cdfcdcfd8524f68dd Author: John Bowman Date: Wed Oct 12 14:02:37 2005 -0600 Use picture defaults as default parameters in fit and size functions (locally resolved default function arguments now allow this). commit 822d263fb2742e1347e028dd93a20c0c55ad080d Author: Andy Hammerlindl Date: Wed Oct 12 11:44:23 2005 -0600 Replace ty with tyEntry for type declarations. Allows types to be imported. commit 5e141104cc6d0addcc0f1698d153becd009faf5a Author: Andy Hammerlindl Date: Tue Oct 11 21:24:14 2005 -0600 Edited comment. commit 88ef0077d414e3d97ff769ab5a701e2086e47c0b Author: Andy Hammerlindl Date: Tue Oct 11 19:29:11 2005 -0600 Straight flags are preserved when using a path as part of a guide. commit 35c9020bb49d1076276e30d2ab29db9d9cb379d7 Author: Andy Hammerlindl Date: Fri Oct 7 21:57:39 2005 -0600 Default arguments are evaluated "out-of-order" like variable initializers. commit 0cec99e8ac52736ba80006e83c4885f519e1317b Author: John Bowman Date: Fri Oct 7 14:58:33 2005 -0600 Moved animations to animations subdirectory of examples directory. plane(triple u, triple v, triple O=three.O) now returns the plane through point O with normal cross(u,v) commit 4c88f42245a5c2719976c11f50c7c4ca2828921e Author: John Bowman Date: Fri Oct 7 02:22:25 2005 -0600 Simplified plane(triple, triple, triple). Simplified Pen(int). merge no longer waits for animation to complete. Added rotating cube animation. commit bcba1612f92ef07994d8e5321ce01b138920b551 Author: John Bowman Date: Thu Oct 6 11:46:16 2005 -0600 Fixed formatting. commit 71e36c9d67813b9751474b9833c49c6059e19e9e Author: John Bowman Date: Thu Oct 6 11:17:13 2005 -0600 Added linewidth(). commit 00b525d39bdfc8843306213c8c1b66fafc12e3c0 Author: John Bowman Date: Thu Oct 6 11:11:05 2005 -0600 Removed implicit cast from real to pen; added pen operator +(pen p, real w) and defaultpen(real) instead. To avoid confusion, a dot product now requires explicit pair arguments. commit b5898745ca2f7ac639850dfe8809f3e8fadc8094 Author: John Bowman Date: Thu Oct 6 10:05:56 2005 -0600 Added new 3d surface example. commit 8fae5a35ebe087e3ce13a40eef09a1c1651dd85c Author: John Bowman Date: Wed Oct 5 23:55:15 2005 -0600 Added example of reading column data from a file and a least squares fit. Changed xsize and ysize arguments of size to simply x and y. commit 1b9472f0c0714569f7593412c17fcdd397837fa2 Author: John Bowman Date: Wed Oct 5 19:51:32 2005 -0600 Added keepAspect=Aspect option to size(pic,real). commit ec325dcd7d9c40e9d6b7fa010bfff61103e8701c Author: John Bowman Date: Wed Oct 5 19:44:19 2005 -0600 Added colinearity checks to leastsquares. commit 43e1aa502818297f37cf4b3d0c6ccdcabcda7356 Author: John Bowman Date: Wed Oct 5 01:49:20 2005 -0600 Use local copy of ticklabel and Label context variables. commit 2291108072ebe06f75430eac98a867358ce9ea11 Author: John Bowman Date: Wed Oct 5 00:12:20 2005 -0600 Reduce default axis coverage limit to 80%. commit 40026fc8e6c783b389cd59687f8e7ce7d9498689 Author: John Bowman Date: Tue Oct 4 21:48:00 2005 -0600 Minor documentation updates. commit ef0e9459d9b3b6ea84059cff63b508a71d0abcaf Author: John Bowman Date: Tue Oct 4 16:13:55 2005 -0600 Fixed default location of python under MSDOS. Improved ASYMPTOTE_PYTHON/ASYMPTOTE_XASY diagnostics. commit 14dff5e06fab759643bc6a3dcd3faf613ca687b6 Author: John Bowman Date: Tue Oct 4 15:43:14 2005 -0600 Added Windows support for xasy, including an environment variable for finding Python. Allow GUI mode in interactive mode. Added gui(real x=1) function to turn on GUI mode. commit 9754518eb38a59a3a254758587a18a2346c8be4a Author: John Bowman Date: Tue Oct 4 11:27:41 2005 -0600 Remove intermediate gif files before viewing animation. commit 6d9748b7a805505a51dea16e7238fb96a4a6c60d Author: John Bowman Date: Tue Oct 4 11:20:56 2005 -0600 Added quiet option to override -V command line option, say for producing animated gifs. If the -V option is given, gifmerge now calls animate. commit 6139176d9f0add3e1b59bfb0730a841abb92d851 Author: John Bowman Date: Tue Oct 4 00:30:27 2005 -0600 Incremented version to 0.92cvs. commit fc1dd1de6063a49253a225fdb4e59b793b80e369 Author: John Bowman Date: Mon Oct 3 23:39:06 2005 -0600 Fixed GUI transforms: grouping should not depend on deconstruct flag. commit 2173497579d327808a02fa2b6540324af8967755 Author: John Bowman Date: Mon Oct 3 23:06:24 2005 -0600 Incremented version to 0.91cvs. commit b594c603c24e875e358f0795ec6d2012b5af25fb Author: John Bowman Date: Mon Oct 3 21:24:51 2005 -0600 Flush stdout immediately before calls to fork() to avoid duplicate output. commit 844cd96140044c3f36b98f0095545edc9b2a206d Author: John Bowman Date: Mon Oct 3 02:36:26 2005 -0600 Added Andy's changes to evaluate default function arguments in the defining scope of the function, not in the scope of the caller. commit 459abeea181fd57e4a5f15e6b1951c9120197e53 Author: John Bowman Date: Mon Oct 3 02:20:02 2005 -0600 Generalized write to handle an arbitrary number of data values; improved documentation. Generate standard casts via templates. Added == and != for files. Allow casting of null to file. commit 925ea8080438e0a43970bb23d2fd07f2288d25f0 Author: John Bowman Date: Mon Oct 3 01:08:44 2005 -0600 Readded depth limit to intersect routines to prevent stack overflow. commit c024d3bfcc295da26dbeddc15893550d50817a69 Author: John Bowman Date: Sun Oct 2 15:42:30 2005 -0600 Enforce a minimum value of fuzz in intersect routines to prevent infinite loops. commit f4910c0dd9c43a6ad10fc21f8e12d73a2eafbc05 Author: John Bowman Date: Sun Oct 2 01:20:15 2005 -0600 Fixed depth handling of deferred TeX labels. Fixed error in man page (-t option). Fixed interaction of overwrite(Move) with "%" tick formats. Improved 3d axis label positioning. Added rotate(explicit pair dir) and rotate(explicit triple dir) for rotating text along a line in the direction dir. Updated helix example to illustrate rotated tick and axis labels. commit a4e788568370ce3dab091fc5040e263a7ad8965c Author: John Bowman Date: Fri Sep 30 23:40:32 2005 -0600 Incremented version to 0.90cvs. commit d066ac3daa6ffda6f0ed38c3440c47812f585155 Author: John Bowman Date: Fri Sep 30 22:42:16 2005 -0600 Documented min(frame) and max(frame). commit 3697afe04bc3125fe16db8a066e8c7e73df3f9f4 Author: John Bowman Date: Fri Sep 30 14:55:59 2005 -0600 Don't upscale logarithmic range when automax=false. commit 5f190e85df39833571eb810f5b849c626d3ab3ec Author: John Bowman Date: Fri Sep 30 12:42:28 2005 -0600 Renamed temporary included PostScript file suffix from "ps" to "eps". Removed all references to mailing list, as it is no longer in use. commit 31a4608e9b64f85824aa08b7c1e382c078848123 Author: John Bowman Date: Fri Sep 30 07:50:18 2005 -0600 Fixed .gui processing. Added new example. commit 00afce892ce6bc08cf1da0b16c8d64792a385a3e Author: John Bowman Date: Thu Sep 29 19:53:03 2005 -0600 Allow overriding of ticklabel routine for logarithmic axis; added example. commit e8192130beb7536093032069631ba8c09c5247ae Author: John Bowman Date: Thu Sep 29 18:04:46 2005 -0600 Standardized arguments to LeftTicks, etc. Fixed user-specified logarithmic ticks. commit e0f43b3c6567023fb59e5f7d9ff8848b47c7b972 Author: John Bowman Date: Thu Sep 29 01:50:22 2005 -0600 Incremented version to 0.89cvs. commit 76ffd72cb6b21bb0022f0cb55c88edc59786291a Author: John Bowman Date: Wed Sep 28 23:53:39 2005 -0600 Only build required images. commit da1daa09d06cbeaa628cbf37ddef0e8286cfb473 Author: John Bowman Date: Wed Sep 28 23:37:23 2005 -0600 Minor documentation updates. commit 917f2f1f7027027039643ceba79cedd4b8ac489f Author: John Bowman Date: Wed Sep 28 18:01:47 2005 -0600 Fixed missing label on thinned logarithmic graphs. Documented getstring and getreal. Documented vectorfield and flow example. Fixed cxx warning messages. commit 25e99790fe76f4e401885207dee8ac65637349da Author: John Bowman Date: Wed Sep 28 14:51:47 2005 -0600 Simplified, improved, and documented 3d axes routines. Renamed tickspec to ticklocate. Documented ticklocate. Removed unused symbols from camp.l. Removed spurious nullpaths from :: and ---. Documented deconstruction of guides. commit 0e7db2cd763308121b81cdd43ae3305b277df65d Author: John Bowman Date: Tue Sep 27 01:42:24 2005 -0600 Added a second optional string to Label to provide an estimate for the label size when an undefined label is encountered with the -t option. Fixed box(Label). commit f30bda16e795e11351bffc560b5898f268985bcb Author: John Bowman Date: Mon Sep 26 23:28:56 2005 -0600 Updated pstoedit patch to put brackets around rotated strings. commit 32ca492bf4247f2d27b132ecd11e0efc4067599d Author: John Bowman Date: Mon Sep 26 23:09:02 2005 -0600 Implemented data file comment character (# by default). commit abbfa2473bdc0f43d04ccf88c577b7d10f7cf59d Author: John Bowman Date: Mon Sep 26 09:05:45 2005 -0600 Used scaled epsilon to adjust right-hand axis limit. commit b8517154afba8da5c9722fe4a157459cc22f791b Author: John Bowman Date: Sun Sep 25 23:45:48 2005 -0600 Added fuzz parameter to intersect routines for finding intersections with circular approximations, etc. Also fixed these routines for paths consisting of a single point. Moved 3d intersect routine to C++ for speed. Cache 2d path bounding box. Added 3d version of expi. Increased accuracy of true Arc and Circle to approximately machine precision. Added 3d true Arc and Circle. Added 3d polargraph function. Renamed triple.cc to path3.cc. Added missing triple to path3 cast. Added patch to pstoedit-3.42 to support PNG to EPS conversion. Updated documentation. commit 43e16164cb7ec0d751c3fda881d5c9203edd4f80 Author: John Bowman Date: Sun Sep 25 21:56:47 2005 -0600 Fixed base alignment in new deferred TeX alignment scheme. commit fe5d5004425730bcc21219c5b11d67a2f535378b Author: John Bowman Date: Fri Sep 23 22:04:54 2005 -0600 Fixed shift(c) in 3d circle. commit 3265026ee25f6cd1305e8979e45e80e302ebac29 Author: John Bowman Date: Fri Sep 23 09:42:46 2005 -0600 Fixed "\\". commit 38a5b0c147988711a1c81c4add5c16014e63a0a0 Author: John Bowman Date: Fri Sep 23 01:15:56 2005 -0600 Added missing header. commit d1308e6a739f0adaf981ba90b2d318744afd6659 Author: John Bowman Date: Fri Sep 23 01:07:53 2005 -0600 Make merge use environment variable ASYMPTOTE_CONVERT. commit aedfd3263f31f033055e93799a651d7e11027069 Author: John Bowman Date: Fri Sep 23 01:02:48 2005 -0600 Added an environment variable for the location of every external command. commit 7e7027029f51071c7d3886ef32d34ff17f1445e2 Author: John Bowman Date: Thu Sep 22 23:54:43 2005 -0600 Added vectorfield routine and example. commit 3aa540f69ffce103a15046a8171dedaff62be26c Author: John Bowman Date: Thu Sep 22 23:23:39 2005 -0600 Added [inline] option to asymptote.sty to use inline LaTeX code instead of eps files, making LaTeX symbols visible to the \begin{asy}...\end{asy} environment. In this mode, Asymptote correctly aligns LaTeX symbols defined outside of the \begin{asy}...\end{asy} environment, but treats their size as zero. Added -t option to asy to request inline LaTeX code to be generated. Added modified dvipdf that accepts the dvips -z hyperdvi option. commit 5f8f76b720b722ddb20db9a99cf88c9ec7c18946 Author: John Bowman Date: Wed Sep 21 19:06:07 2005 -0600 Updated axis call. commit 10e4cb072c803e902938ed28f8e83a53cf85d411 Author: John Bowman Date: Wed Sep 21 17:58:34 2005 -0600 Replace system calls to rm/del by unlink(). commit cc1a8fec276e41d87ec44bea9fd1a62a3b40d751 Author: John Bowman Date: Wed Sep 21 02:32:44 2005 -0600 Fixed segmentation fault in straight. Fixed bug in setting straight flag in reverse. Fixed axis label placement for slanted (but straight) axes. Improved tick label positioning with slanted ticks. Simplified 3d axis routines; added autolimits function to implement 3d autoscaling. Don't cache Ticksize and ticksize. Standardized xaxis, yaxis, xequals, yequals calls (Label now appears immediately after picture argument). Check for empty pictures when drawing axes with ticks. Updated documentation and examples. commit 50fb9a5e9d19d59b826469d2092f3bcb86f5273a Author: John Bowman Date: Tue Sep 20 02:39:57 2005 -0600 Overhaul and major clean up of 2d graph module; to support 3d axes, partitioning is now done in tick value space rather than with respect to arclength. Added 3d graph axes (xaxis, yaxis, zaxis, and general axis) and generalaxis3 example. Format "" is now treated as defaultformat (use "%" to suppress labels). Updated gc to 6.6. Under MSDOS, change "rm" to "del" in merge utility. Don't print hints when there is no environment variable. commit da841cbe3ed981768a5b3a538c5034fe6b89b640 Author: Andy Hammerlindl Date: Mon Sep 19 22:53:49 2005 -0600 Added primitive import declaration. commit d1be7e398dbb104d9805583cfe4d3ab2a2e021f4 Author: Andy Hammerlindl Date: Sun Sep 18 13:11:25 2005 -0600 Removed menv from env. Simplified genv. Added load() to stack. commit c66d43934cafb628e4a901adba8feac35779b023 Author: Andy Hammerlindl Date: Fri Sep 16 09:36:50 2005 -0600 Fixed error reporting bug. commit af401fc11fe28f5eb6e9c1fbf8a8d97a94107c2a Author: John Bowman Date: Wed Sep 14 07:46:33 2005 -0600 Changed make to $(MAKE) for portability. commit 37527fbd0b818ae1e318a406256c9f53cc1cb4de Author: John Bowman Date: Wed Sep 14 01:25:28 2005 -0600 Changed nullpath to nullpath3 to avoid ambiguities. Set initial precontrol point and final postcontrol point of noncyclic paths to the corresponding node. Fixed the length of a cyclic path3. commit cc49900491763841bd0c518198e0994425bdc0cc Author: John Bowman Date: Wed Sep 14 01:17:44 2005 -0600 Added snprintf workaround for non-C99 compliant systems. commit c764e77e9f56e069c6025237580959db74c38bea Author: John Bowman Date: Tue Sep 13 09:49:18 2005 -0600 Added missing headers for Solaris/Sparc. commit cb492775d1aa6d57db89518d1b0195674d4c7577 Author: John Bowman Date: Mon Sep 12 19:47:44 2005 -0600 Fixed pair.z and triple.xx bugs. commit 765739db13af97ff1466278103aacaa6d753e1ee Author: John Bowman Date: Mon Sep 12 17:11:54 2005 -0600 Added some comments to graph.asy. commit 16d1381fc2b3e4d6447c6a59690a4c73b583dc9d Author: John Bowman Date: Mon Sep 12 13:40:40 2005 -0600 Optimized matrix times vector. commit 8398b1ea07e57578df9ddfd46c4bf9bd5627fa4c Author: John Bowman Date: Mon Sep 12 11:35:34 2005 -0600 Standardized perpendicular. commit 0b3affcd778551a39888d7258413c01d39fa5ec2 Author: John Bowman Date: Sun Sep 11 23:48:47 2005 -0600 Added 2d & 3d Metapost & operator (like --, but omits the duplicate point). commit 28f4d757bada480db359ee4d003ffe6cfe8b70fe Author: John Bowman Date: Sun Sep 11 00:34:52 2005 -0600 Fixed resolution problems of png figures in html manual. commit 52f67bd463a575127be62eb01e1784e9118c2fba Author: John Bowman Date: Sun Sep 11 00:04:12 2005 -0600 Reorganized installation instructions. commit d70a5b9c9f49e30555ad329e8440eda2ee212db0 Author: John Bowman Date: Sat Sep 10 23:33:39 2005 -0600 Handle errors due nonarray rest formals gracefully. Improved formatting. commit e48861de344a6305262c59e498a2536d91b87c6d Author: John Bowman Date: Sat Sep 10 16:10:36 2005 -0600 Updated list of errors. Changed make test to make check. "make all"/"make install" now build/install asy, asymptote.pdf, and man pages but not asymptote.dvi, asymptote.info, or asymptote.html (use make install-all if you want these too). Documented workaround for broken pdftex installations. commit c4ae0090e4795ba225b32ec40a6182eb3dd04ff6 Author: John Bowman Date: Sat Sep 10 00:38:55 2005 -0600 Removed scale(pair) in favour of scale(abs(z))*rotate(degrees(z)) to avoid confusion with xscale(z.x)*yscale(z.y). commit 5bf75dd48ece31999e8ccdf8f43cfa8f9923c822 Author: John Bowman Date: Fri Sep 9 23:58:11 2005 -0600 Don't cache MidArrow and Bar sizes. commit 63d12a1b39b9e0a85f5bf1582b8f140023ab0560 Author: John Bowman Date: Thu Sep 8 22:24:26 2005 -0600 More intuitive interface: perpendicular(pair z, pair align) now uses an alignment argument. Documented virtual structure functions. Updated documentation to emphasize that face is derived from picture. commit 07af5223c26d25a298cbc74b0f331e9fb0bfc00b Author: John Bowman Date: Thu Sep 8 10:38:27 2005 -0600 Updated Help section. commit 588d950082edb16d84e25be3cbe05e508a7b7752 Author: John Bowman Date: Wed Sep 7 12:13:36 2005 -0600 Updated documentation. commit 566985801e6c0016f03ade1e7db72b5dee3ae8e9 Author: John Bowman Date: Wed Sep 7 08:45:08 2005 -0600 Document structure inheritance. commit e4850df18d08b20a1a0031dc799a1da03d5791d4 Author: John Bowman Date: Wed Sep 7 02:22:17 2005 -0600 Fixed floating point exception problems in axes routines. Check for negative linetype arguments. Minor example updates. commit ee4a1841c89110ed62e8f397ac854e002a530da3 Author: Andy Hammerlindl Date: Tue Sep 6 21:40:47 2005 -0600 Changed indenting. commit 02117670c8e92b45396d72f7d75a66302fd5ff36 Author: John Bowman Date: Tue Sep 6 01:42:51 2005 -0600 Incremented version to 0.88cvs. commit 7381eb69cad5fee52307ccee7f9f5bb09e76d0d8 Author: John Bowman Date: Tue Sep 6 01:01:17 2005 -0600 Minor documentation updates. commit 8426dac2922f320c9369e3c3c879d3c546e7fa66 Author: John Bowman Date: Tue Sep 6 00:26:06 2005 -0600 Fixed cxx warning messages. commit bfa77f49f22c3c1a9905fc66f09218427754b879 Author: John Bowman Date: Mon Sep 5 23:59:01 2005 -0600 Added pen option to filltype to specify an interior pen distinct from the boundary pen. Removed Filltype in patterns in favour of a deferred filltype. Removed explicit size arguments from bbox (as done with shipout some time ago). Updated filltype and 3d documentation. commit 029d2e662b47c387ebebc13fc90260674c9043d0 Author: John Bowman Date: Mon Sep 5 22:01:25 2005 -0600 Implemented general hidden surface removal using a binary space partition. Fixed perspective and orthographic when camera is below the XY plane. Also added perspective(real,real,real) and orthographic(real,real,real) functions. Fixed draw((0,0,0)..(1,0,0)) and draw((0,0,0)). Added convenient 3d circle and arc functions. Added abs(triple) (equivalent to length(triple)). Added Longitude(triple), which ignores errors along +/- Z axis. Ported near_earth and conicurv examples from featpost3D.asy to three.asy. Added == and != for structures (equivalent to alias and !alias, respectively). For convenience, array push members now return the pushed element. Added missing shift in Label.out(frame). Updated documentation. commit 62289d14547a9a96b915e53bb87178dec28a8af5 Author: Andy Hammerlindl Date: Sat Sep 3 20:33:09 2005 -0600 Added permissions back in. commit 89b48c38495c92ae2108c6fa93735932b5177815 Author: Andy Hammerlindl Date: Sat Sep 3 14:05:22 2005 -0600 Added more testing. commit cc9711396b3d99f223d3ce58bb5bc2e3ea129dde Author: Andy Hammerlindl Date: Sat Sep 3 14:04:15 2005 -0600 Refactoring! - most #include "camp.tab.h" lines removed in favor of modifier.h - access now uses actions (READ, WRITE, CALL) to control encoding - fundef and newFunctionExp merged - name refactor, and it also uses actions - permission information moved to varEntry (but not in use yet) commit 8c465e2c865829415c1c60ddd084ec17e27dc73d Author: John Bowman Date: Thu Sep 1 15:26:50 2005 -0600 Moved surface to graph3. Added 3d analogues of 2d graph functions. commit c336fc6032e8eb6146f635de4dc5c5abf32f1150 Author: John Bowman Date: Thu Sep 1 12:52:52 2005 -0600 Added numerically robust quadratic equation solver. Added min(path3) and max(path3) functions. Simplified and documented 3d arc (analogous to 2d arc). Implemented path3 to guide3 cast. commit 72ab08a82b828d1868e45e295d12469115cf9529 Author: John Bowman Date: Thu Sep 1 02:12:51 2005 -0600 Added 3d intersect and dir functions. Added 3d arc function that is consistent with the usual circle approximation. commit 26441f264c21d9376c26c103b4a00d7d1b3d8ccc Author: John Bowman Date: Wed Aug 31 18:26:04 2005 -0600 Removed diagnostic. commit 5599da98c47e89d4ba0058ff96f2ebf53477d13d Author: John Bowman Date: Wed Aug 31 18:23:57 2005 -0600 Documented constructors; changed triangle.asy to use a constructor. commit 360bcfc43026cf5dddbc1692ef35b17b9d6cb28e Author: John Bowman Date: Wed Aug 31 16:58:55 2005 -0600 Fixed permissions for static functions in structs. commit 5279f696adb7332aabb12a394e0b5fcac02eb0c4 Author: John Bowman Date: Wed Aug 31 11:24:46 2005 -0600 Simplified path3 constructor. Added subpicture example. Fixed datagraph example. Minor documentation updates. commit 4f47e8440a219498412fce8e4721ea4f949c40a8 Author: John Bowman Date: Wed Aug 31 01:41:29 2005 -0600 Use same internal structure for path3 as for path, to facilitate port of various path.cc functions to 3d. Added subpath & associated functions. commit fcda858c92f5ca9c20a7ba421e94309fbf56691e Author: John Bowman Date: Tue Aug 30 00:07:16 2005 -0600 Expose Relative(pair) alignment function. Use arclength rather than length for determining default label position on paths. commit 43eb997c76185828eac94dfd1ad2498e2fc30fa9 Author: John Bowman Date: Mon Aug 29 23:24:20 2005 -0600 Added path3 type. Separated project into path3 conversion and projection. Added 3d arclength and arctime functions. commit cc0b4f16dd93c017221d7e082cf10bf012d1cb6c Author: John Bowman Date: Sun Aug 28 23:19:54 2005 -0600 For surface plots on a regular mesh, handle hidden surfaces from any camera location. commit b47a093a96a40b4d58c5fdf86b26b24dda3c2ac6 Author: John Bowman Date: Sun Aug 28 03:16:04 2005 -0600 Added Relative(real) and Relative(pair) functions for labelling paths relative to the total arclength and local path direction. Feynman updates (including new function texshipout); moved MidArrow and added MidArcArrow to plain.asy. Fixed optional position argument of BeginArrow, etc. Update documentation; simplified Makefile. commit 7e30a5847d91c0e08bfed33bd1d0f763f3929302 Author: John Bowman Date: Thu Aug 25 14:44:40 2005 -0600 Incremented version to 0.87cvs. commit b33c29486e4f7697ac6ff8444ac5641f7b8caaa7 Author: John Bowman Date: Thu Aug 25 11:43:04 2005 -0600 Fixed make clean. commit 5ce73d12c6f676e99e9dc392a00a9448c4a8ba77 Author: John Bowman Date: Thu Aug 25 11:35:32 2005 -0600 Fixed problems with make man. commit b8e26eb32eafc8a674fe7e6806ff9656da1839c3 Author: John Bowman Date: Thu Aug 25 11:14:51 2005 -0600 Incremented version to 0.86cvs. commit 0c5f16e4dbde2c1209a417db0a404596396b8705 Author: John Bowman Date: Thu Aug 25 04:10:49 2005 -0600 Makefile tweaks. commit 658c1b7f623d01f6ff7e454f621a819b51442af2 Author: John Bowman Date: Thu Aug 25 03:45:18 2005 -0600 Add hyperlinks to pdf manual; fixed margins. Use imdisplay for ImageMagick display under MSDOS. commit bac5cf8a82384218a78e1743b14c645c2698498a Author: John Bowman Date: Thu Aug 25 01:55:51 2005 -0600 ASYMPTOTE_DIR can now be a list of directories (separated by : under UNIX and ; under MSDOS). Fixed size_t errors. commit 2157ec961f63928fd95ef2b04fa11f851cc1ca66 Author: John Bowman Date: Thu Aug 25 00:38:31 2005 -0600 Added curl3 operator. Implemented 3d generalization of Hobby's Metafont angle calculation that is invariant to rotation and reduces to his 2d splines in the planar case. Removed 3d direction specifiers (no longer required) from circle example in surface.asy. Merged and simplified tridiagonal solvers. When writing paths, output direction angles in degrees. Handle null cyclic arrays. Added min() and max() members of picture to calculate the picture size to date. Updated documentation. commit e685b2a806c0c2bb1c8beda7ead479ae675807f9 Author: John Bowman Date: Tue Aug 23 10:40:35 2005 -0600 Diable automatic rotation of pdf files "based on the predominant orientation of the text on each page". commit 55914553c8440b7b4ac8e2423a5c080a22030948 Author: John Bowman Date: Thu Aug 18 20:24:56 2005 -0600 Include boundary conditions in solution of Dirichlet tridiagonal solver. commit 70a06b0b923c7911fa5fbf8427297b342b8ffa1e Author: John Bowman Date: Thu Aug 18 03:01:56 2005 -0600 Fixed special case of periodic tridiagonal solver. commit 040f50da4445fad17611025aa46b4f5f52bf782b Author: John Bowman Date: Thu Aug 18 02:27:01 2005 -0600 Allow cyclic indices only on arrays with virtual cyclic flag set to true. Added Dirichlet and periodic tridiagonal solvers. commit 94d5472306d9d06618fe428bb8f4c4af8d9566d1 Author: John Bowman Date: Wed Aug 17 01:33:03 2005 -0600 Reduce infinity for tension at least infinity on alpha platform. commit ed54c57b4095c29f9bce4658f313f8f1b23c08c7 Author: John Bowman Date: Wed Aug 17 01:10:37 2005 -0600 Make interactive help work in MSDOS. commit e7d2370d6993de8e00e153dc787cf0a3ab6f14be Author: John Bowman Date: Tue Aug 16 21:58:04 2005 -0600 Added online help option; exit is now a synonym for quit in interactive mode. commit e621bd70a3c91d65c111824db2f36ffe547a314b Author: John Bowman Date: Tue Aug 16 11:21:25 2005 -0600 Improved icon. commit e285c4e78b5b64f4f5a0f80de0eaa1fcd4ef95f7 Author: John Bowman Date: Tue Aug 16 01:37:41 2005 -0600 Fixed MSDOS build; improved icon. commit c3b7054be1c1f937277ac5dcc6c501e776013221 Author: John Bowman Date: Tue Aug 16 00:46:23 2005 -0600 Windows resource template. commit f251f15b694eff9573d0d2da2e3d8214feed9266 Author: John Bowman Date: Tue Aug 16 00:45:31 2005 -0600 Improved configuration; added icon for Microsoft Windows. Updated documentation. commit ef1855a10432ecd48f01762799ecb2044ced1085 Author: Andy Hammerlindl Date: Mon Aug 15 21:56:13 2005 -0600 Generalized bug fix in simplex. commit f2b4d285f723813d8a455af0ccd8145e1f56ece0 Author: John Bowman Date: Sat Aug 13 20:05:49 2005 -0600 Incremented version to 0.85cvs. commit 7b11142da66ef38ec197aa6902196c423fe2270d Author: John Bowman Date: Sat Aug 13 16:04:24 2005 -0600 Added compilation option msdos for producing Microsoft binaries. commit b222335e2e00d5d009e397b0293aa613880df4c1 Author: John Bowman Date: Sat Aug 13 15:23:33 2005 -0600 Removed obsolete file. commit 8a1308cfa9c96aa34e3b0549c9e9aa84f552ddfd Author: John Bowman Date: Sat Aug 13 14:29:43 2005 -0600 Workaround truesize=0 bug in simplex.asy. commit 8c3fb84711ff038d3cfdd98b660dc5fd0605261d Author: John Bowman Date: Sat Aug 13 02:14:40 2005 -0600 Added lattice gradient shading; check pen size in Gouraud shading to avoid segmentation fault. Copy data and palette arrays in palette.asy. commit 92d4165ebc6399b7e19ba73b0106714b55dc1a4f Author: John Bowman Date: Fri Aug 12 22:06:54 2005 -0600 Added 3d reflections. Swapped triple arguments of rotate(real,triple,triple) for consistency with the 2d reflect(pair,pair) syntax. commit 458ddeb5d1b31bd2b4521db28f3e73fd35a6d040 Author: John Bowman Date: Fri Aug 12 18:58:04 2005 -0600 Removed (size_t) array.size() casts as they are no longer needed. commit 8fd359bbc24b543bb02812ce022f16e9098f6bcb Author: John Bowman Date: Fri Aug 12 17:43:09 2005 -0600 Added support for Gouraud shading. Moved nullpath into plain.asy. commit d1124e20942c9936b8496aa81f556523578bd1ee Author: John Bowman Date: Fri Aug 12 14:01:12 2005 -0600 Cleaned up autosize code; more pair to align changes. commit 5b6bcc41a9a5592baceac64eeaa70a9b94432dce Author: John Bowman Date: Fri Aug 12 01:22:26 2005 -0600 Updated example; removed extra instance of defaultformat. commit 2278332d804f2eaf243134bd1ec2fd70667ca657 Author: John Bowman Date: Fri Aug 12 01:04:45 2005 -0600 Put label parameters in a structure called Label, to which a string can be cast, and which can be rotated and shifted (in Postscript coordinates). Updated examples and documentation. Fixed automatic sizing under picture transformation (particularly under rotation) and handling of an unspecified size in one direction (denoted by infinity). Added size(real Size) function that ensures each dimension is no more than Size. Added scale(bool) function for enabling or disabling autoscaling in both directions. Simplified 2d graph and palette code. Added begingroup/endgroup checks. Added array append method. Removed unused duplicate variable check code. Added virtual transform components and transform 6-tuple notation. Added pen and filltype to Legend. Removed labeldot(z) in favour of dot(Label,z). Removed labelbox and labelellipse in favour of box and ellipse. Removed labelxtick and labelytick in favour of xtick and ytick. Updated pstoedit support. commit 0712f98328d85a4b05e28ab7f8ec06fb826089c7 Author: John Bowman Date: Sat Aug 6 22:49:23 2005 -0600 Used cast from path to path[] (superpath) to simply fill and clip code. commit 6b60cb1c02e933391fe6fe71f250fbf4f06b4c76 Author: John Bowman Date: Sat Aug 6 09:18:40 2005 -0600 Remove .asy_input on exit. Disable display (which requires Xwindows) under MSDOS. Minor documentation updates. commit 471947f4346c6a081168c180d3860d0922f8ce35 Author: John Bowman Date: Sat Aug 6 02:26:52 2005 -0600 Added simpler helix example. Moved pticklabel to LeftTicks, etc., as the argument plabel. Added pTick and ptick pen types for drawing big and small ticks with different sizes, bool beginlabel and endlabel for suppressing first and last labels, and extend for drawing ticks across the graph (useful for superimposing a grid on the graph). Improved optional first and last tick/label suppression. commit 2979a61075d1158ef648fe7eddb18661dfaef4a5 Author: John Bowman Date: Fri Aug 5 00:11:15 2005 -0600 MSDOS environment variable tweaks. commit 20ffd949b7ba98ff8d14140b05d69bf9abecd6c2 Author: John Bowman Date: Wed Aug 3 21:19:47 2005 -0600 Fixed MSDOS interactive mode: the postscript viewer child process should exit, not return. Searching for an available postscript viewer is not possible in general (but the desired viewer can be specified with the appropriate environment variable). Added environment variable ASYMPTOTE_GS and drag and drop support. Make -V the default under MSDOS. Added -n (-noView) option. Updated documentation. commit fb19d535f3e2a4b7f6584e0b87433b251e9fee82 Author: Andy Hammerlindl Date: Wed Aug 3 00:40:41 2005 -0600 '' commit 37e9bb19a8f7caa9e0ef71df2d60ab936617256f Author: John Bowman Date: Tue Aug 2 16:56:01 2005 -0600 Port to MSDOS (via CYGWIN). commit 1818887efb3cdb3e028b0f916e85f17b5bbe6e52 Author: John Bowman Date: Sat Jul 30 18:06:58 2005 -0600 Removed unused file. commit 6bd7333155bf70bb3bbdb693c94232edb82c2268 Author: John Bowman Date: Sat Jul 30 18:05:56 2005 -0600 Changed operator :: and operator --- to loops. Simplified fill commands. commit b5520d7fa95220615fb9ef0b78d49ccbbf59b637 Author: John Bowman Date: Thu Jul 28 16:11:45 2005 -0600 Remove %%DocumentPaperSizes: comment inserted by dvips 5.95a. commit cea91fe4920c0a80d363ab8b9922f8a1bb6a8b08 Author: John Bowman Date: Sat Jul 23 20:44:32 2005 -0600 Simplified graph routines. Fixed nullguide3 problems. Began graph3d construction. Updated documentation and examples. commit 3b2bec7369e882e5503024872a5979ad911e63de Author: John Bowman Date: Tue Jul 19 01:21:19 2005 -0600 Updated menus. commit 914bb61f8d933fc7be05d8b3575332d8348abcde Author: John Bowman Date: Tue Jul 19 01:20:58 2005 -0600 Incremented version to 0.84cvs. commit e13ab6c7f082b61bb601f56fa8886aead6ec4e73 Author: John Bowman Date: Tue Jul 19 01:09:04 2005 -0600 Updated error test. commit 63130f923bc2c7e60dc603ab1b96213485b626c6 Author: John Bowman Date: Tue Jul 19 00:20:13 2005 -0600 Changed default angle for oblique projection to 45 degrees. Updated documentation. commit 2749b658316f1d55cabf53a1e04765f1a9f8cbc6 Author: John Bowman Date: Tue Jul 19 00:09:44 2005 -0600 Used existing internal function relativedistance for control point computations. Renamed path3 to flatguide3. Added tension3 specifier. Standardized 3d angles, rotations, and scalings. Added guide3 operator :: and ---. Added write(path[]) and write(guide3[]). Added helix example and updated documentation. commit 937788e4da1af9aea5db0b84b289d06b6513f2c6 Author: John Bowman Date: Mon Jul 18 12:17:33 2005 -0600 Determined correct signs in direction-to-control point calculation; propagate directions across nodes. commit 870b952575d525561fef879d8275535164f45e79 Author: John Bowman Date: Mon Jul 18 00:38:55 2005 -0600 Implement preliminary 3d direction to control point conversion. commit 1ded168026a740e8824a8bd26086cc5c9dbcb089 Author: John Bowman Date: Sun Jul 17 22:52:16 2005 -0600 Move math mode ($ delimiters) to within defaultformat string, to allow use of non-math mode fonts in tick labels (by providing a nondefault format string). commit 2c3bb514f504827b901d46d3a94ef5ebad7f4df7 Author: John Bowman Date: Sun Jul 17 19:20:33 2005 -0600 Fixed bug in string font(pen). Changed Angle(pair) to degrees(pair). Added Degrees(pair). commit 6f9dca898b83e9ff030ba468eddfcb1ac6965bae Author: John Bowman Date: Sun Jul 17 15:36:54 2005 -0600 Allow reading three-dimensional arrays in line mode by recognizing blank lines as block delimiters. commit 7127bd4200705f9633e0ed6347ebb1021abbe74f Author: John Bowman Date: Sun Jul 17 00:56:24 2005 -0600 Added pticklabel option for drawing tick labels with a different pen. commit cc966acccd13aa156df004d167a1d06d14f08fe4 Author: John Bowman Date: Sun Jul 17 00:02:10 2005 -0600 Added labelxtick and labelytick. Fixed tick size and shift in xtick. Updated documentation; added examples. commit 70508236ecc0b0c0ae77808bf78c4d3b855154bf Author: John Bowman Date: Sat Jul 16 19:25:01 2005 -0600 Fixed problems with autoscaling and unextended axes. commit 91bdd8bb360ed9e9e5a09865b3643cec1297582c Author: John Bowman Date: Sat Jul 16 16:11:52 2005 -0600 Renamed internal xequals and yequals routines to yaxisAt and xaxisAt. For clarity, renamed xline and yline routines to xequals and yequals. Added initializers. commit a6ee9fb43c363f80172e53212bc401986648ab90 Author: John Bowman Date: Sat Jul 16 15:27:57 2005 -0600 Disabled -laat while line-at-a-time mode is under construction (due to known segmentation fault). commit 5a6c23c6534033e74d0355aa973bdc6cca9383c3 Author: John Bowman Date: Sat Jul 16 15:25:11 2005 -0600 Added and documented remaining triple functions. Renamed Dot to dot and Cross to cross. commit 48bdb985c239e446172110af446483c9c7c54070 Author: John Bowman Date: Fri Jul 15 23:24:33 2005 -0600 Simplified three.asy; added oblique projection and ^^ operator. Added Metapost --- operator; allow :: to accept a direction specifier. Allow user-defined ++ binary operator (for consistency with -- binary operator). Minor knot velocity optimizations. Added surface example to documentation; updated cube example. Updated documentation; fixed cxx warning messages. commit f55c3d8ce0124a606e60f5a9afc7c80c85129228 Author: Andy Hammerlindl Date: Fri Jul 15 18:08:15 2005 -0600 Fixed crash caused by fixing previous crash. commit c9ee358dfb9c1d7d4649297684d3597b3a3cae38 Author: Andy Hammerlindl Date: Thu Jul 14 23:55:20 2005 -0600 Handle tensions in straight sections of paths as MetaPost does. commit f400a194bc43e83e554339a6fd37da12c6d34155 Author: Andy Hammerlindl Date: Thu Jul 14 23:36:10 2005 -0600 Fixed controls versus direction specifiers crash. commit c4dcf1344fd4a9456d9046f003bf523f1a604abd Author: John Bowman Date: Wed Jul 13 23:49:56 2005 -0600 Added array pop function. Give DIRTAG the same precedence as CONTROLS and TENSION. Added replacement :: for Metapost ... joiner (which selects an inflection-free path where possible). Added 3d direction specifiers, pending 3d conversion to control points... Added triple write and interp functions to plain.asy. commit 2199e1848a4967b147886dacc9ad31fa334092c4 Author: John Bowman Date: Wed Jul 13 12:43:04 2005 -0600 Formatting. commit 4c431fc643f1b1a7decc1cc4f4382f444bc37211 Author: John Bowman Date: Wed Jul 13 10:22:40 2005 -0600 Cleaned up controls. commit 3612779360607dc5917e9f4d02327d015c5e25ea Author: John Bowman Date: Wed Jul 13 02:25:08 2005 -0600 Renamed cycle3 to cycle. commit ac6d8ef05a0d6d73d6fec93449040fe18d80023d Author: John Bowman Date: Wed Jul 13 02:18:10 2005 -0600 Renamed controls3 to controls. commit 75d7070454393e590e98bd198bda1c9e210adb53 Author: John Bowman Date: Wed Jul 13 01:45:11 2005 -0600 Added controls3. commit 121f84f3c3e799a416d30c37275901945812d90d Author: John Bowman Date: Tue Jul 12 22:42:28 2005 -0600 Compute knot solving constants. commit 2b804bf9bd2b3d42cb81f2d97b5494fb99b55b83 Author: John Bowman Date: Tue Jul 12 22:41:55 2005 -0600 Fixed write(guide). commit 487442b4497cc979d325312e3968ee3b0dbb3dbf Author: John Bowman Date: Tue Jul 12 17:54:48 2005 -0600 Allow operator ::. commit becfe77e7d0810f52d278c8f359b6f81e43d8c2c Author: John Bowman Date: Tue Jul 12 14:51:53 2005 -0600 Added explicit check for readline remove_history. commit d65281af33667616aa7fa507e0fb586b2f02de24 Author: John Bowman Date: Tue Jul 12 14:29:30 2005 -0600 Readded installation hint about ancient readline versions. commit cea008852e9f7696fbf067f88ca61d4a212f98d2 Author: John Bowman Date: Tue Jul 12 01:33:20 2005 -0600 Fixed lookAtOrigin. commit 8873f0e6c0a6b6e000834b05aa2e40624fd4f34b Author: John Bowman Date: Mon Jul 11 23:40:32 2005 -0600 Updates to triple and three.asy. Removed unused code. commit c4bb1e07b019f9d20ca4b45f5c3b30a594bf6ead Author: John Bowman Date: Mon Jul 11 17:51:26 2005 -0600 Replaced vector by triple. commit ec576c536aa71d8f61ab36bbd4f70d9609dd71ab Author: John Bowman Date: Mon Jul 11 13:40:51 2005 -0600 Fixed casting error message. commit 2fcfc38e0b95f9389006e17a4db7c5669109b23a Author: John Bowman Date: Mon Jul 11 09:03:05 2005 -0600 Added triple type. commit 8d3006e7e73ca5749593afda62137897b1813df9 Author: Andy Hammerlindl Date: Fri Jul 8 18:07:10 2005 -0600 Graphing tests. commit df0b3e8906aea47212a01d8de43913cac4508eb4 Author: Andy Hammerlindl Date: Fri Jul 8 16:19:37 2005 -0600 Moved laat diagnostic. commit 8482bd7fc31e98344535b1b255cdc4bb7d54a28d Author: Andy Hammerlindl Date: Fri Jul 8 12:23:29 2005 -0600 Proof-of-concept code for true line-at-a-time mode. commit 5070a16600ca4489ebd6010252314d197bd52137 Author: John Bowman Date: Thu Jul 7 16:32:43 2005 -0600 Removed path to pair[] ecast. commit 85c5b9fbf6e1873dcbda8abee85821ef2bc7f1c1 Author: John Bowman Date: Thu Jul 7 14:51:54 2005 -0600 Updated example. commit 702b88ea4ed4a7c2774478ef6e2742de37d25891 Author: John Bowman Date: Thu Jul 7 14:51:10 2005 -0600 Removed explicit pair[] to guide casts in favour of operator --(...) and operator ..(...). commit f12122d7d697977227a55006a6ec0fe7c9c67aaa Author: John Bowman Date: Thu Jul 7 10:40:14 2005 -0600 Fixed default CFLAGS. commit ec04162a4cc57c28005b546366116fbd6b5fff66 Author: John Bowman Date: Thu Jul 7 09:42:18 2005 -0600 Fixed CFLAGS. commit 897655354414af0004023922f087b59e87359078 Author: John Bowman Date: Thu Jul 7 01:42:09 2005 -0600 Updated documentation. commit 96e8dcbefd26513ad7756819b82c620226afbe01 Author: John Bowman Date: Thu Jul 7 01:37:36 2005 -0600 Fixed error in CFLAGS. commit dc004fc8fc0e3827128b836efd9770149697f75e Author: John Bowman Date: Wed Jul 6 20:21:56 2005 -0600 Added implicit pair[] to guide and guide[] casts and explicit path to pair[] casts. Removed unnecessary guide=nullpath argument from graph calls. Renamed LinearInterp to Straight, to correspond to straight(path). Updated nullpath documentation to correspond to new solver. commit 435bc11e0ccd480cdd8e8d7777900a0188de1f2e Author: John Bowman Date: Wed Jul 6 14:50:50 2005 -0600 Removed -version command-line option to avoid ambiguity with -verbose (so that -vv, -vvv etc. will still work). commit 0e1511db2c1e2eb2c28ef6effc3843096c7c014c Author: Andy Hammerlindl Date: Wed Jul 6 09:11:39 2005 -0600 Change NOHASH to use #ifdef. commit d308e9c9ff7ff074165aea3052dbb7aedd353675 Author: Andy Hammerlindl Date: Tue Jul 5 21:26:42 2005 -0600 Three dimensional drawing routines (in development). commit 961c33b0a6cc451667a38b325a511817dc5f5524 Author: Andy Hammerlindl Date: Tue Jul 5 14:25:56 2005 -0600 Join operators now use rest arguments. Fixed a bug in solving empty guides. commit c8462c291d2bab76c1326b5eb6dbc3aaeb0f3d7f Author: Andy Hammerlindl Date: Tue Jul 5 14:24:33 2005 -0600 Combined duplicate code for function defitions. commit 5fbc0b1206bda3f047061e003363da1258804277 Author: John Bowman Date: Mon Jul 4 16:36:50 2005 -0600 Minor documentation updates. commit 9b3476a73d77e000535e974dcdd12012ac1aff8c Author: Andy Hammerlindl Date: Mon Jul 4 11:46:43 2005 -0600 Added back venv::list(). commit b5cde48655d6783eb11682d4a4c93a5021004fcc Author: John Bowman Date: Sun Jul 3 10:16:43 2005 -0600 Added -version command line option. commit d683279f3e5644e1b32f308afc423577e6cfc0e4 Author: John Bowman Date: Sun Jul 3 00:12:58 2005 -0600 Incremented version to 0.83cvs. commit 36064f240706d61dce609de902b06784eb5078ef Author: John Bowman Date: Sat Jul 2 23:02:03 2005 -0600 Updated man page. commit 747b96aed8fa04a140c571d59ef5af95aaca7cad Author: John Bowman Date: Sat Jul 2 22:51:28 2005 -0600 Fixed cxx warning messages. commit c67298c4406af9fa1911e77e25e125b86bb99125 Author: John Bowman Date: Sat Jul 2 22:16:17 2005 -0600 Added -d command-line option to produce extra debugging messages (currently only "named argument may be mistaken for assignment" warning). commit 3d07163a7e068e678aa0cdc012cc69688fb1e0a5 Author: John Bowman Date: Sat Jul 2 21:39:27 2005 -0600 Added arrow option to axes routines. Renamed xlabel and ylabel back to labelx and labely, respectively. commit 8615b39fd4b63a3f6e0e083feb68e2f061d2250c Author: John Bowman Date: Sat Jul 2 16:07:35 2005 -0600 Revert last changes. commit 5a0a45dbd3f057b31fd856b0022f3285ac0a004e Author: John Bowman Date: Sat Jul 2 15:46:09 2005 -0600 Fixed more cxx warning messages. commit 5a14e04b0be64ba665efaf985917eb0b889714f0 Author: John Bowman Date: Sat Jul 2 14:23:42 2005 -0600 Added configure option to detect ext/hash_map and set -DNOHASH accordingly. Fixed cxx warning messages. commit 68032946b747b4dfd1b5e3913a77e33acce913a7 Author: John Bowman Date: Sat Jul 2 12:11:44 2005 -0600 Standardized xtick and ytick routines. Renamed labelx to xlabel and labely to ylabel. commit f3eaf91cbf09737e1c02a6f63c442b03c6bbed0b Author: Andy Hammerlindl Date: Sat Jul 2 11:45:31 2005 -0600 Added NOHASH option to compile on non-gcc compilers. commit 712ee95f04440fc4cea116da8859d056a7e7b6e1 Author: Andy Hammerlindl Date: Sat Jul 2 09:55:32 2005 -0600 Excised from exp.h so that dec.h includes less. commit d41caf49827f36ba3bd2757b6b66a98102e5751b Author: Andy Hammerlindl Date: Sat Jul 2 09:49:23 2005 -0600 Allow dimensions for types in cast expression. commit 98392f1425dc4b258e1c6330d04ce408b0f44a72 Author: John Bowman Date: Sat Jul 2 03:24:05 2005 -0600 Added ability to specify custom tick locations. commit 99ec8fe50925985c7af8f279ed5cfc0ac5b60ae9 Author: John Bowman Date: Fri Jul 1 22:58:28 2005 -0600 Fix warning messages when XDR is disabled. commit 6cc9aff28f9f93fe8f0b7a186f0b0c151908be3f Author: John Bowman Date: Fri Jul 1 22:57:53 2005 -0600 Added more default initializers. commit 263a62cab3e21ffcadb3321b88e1e670ffdee4fb Author: John Bowman Date: Fri Jul 1 18:30:30 2005 -0600 Allow explicit casts to any name. Documented general implicit and explicit casts. commit 93c022eba77fe64edf81f3e1bf1ca6dff9a57edb Author: John Bowman Date: Thu Jun 30 22:57:13 2005 -0600 Documented named function arguments and rest parameters. commit 86ce95c91b1969c3dc687ca24c9c9ceeb17bc3a3 Author: John Bowman Date: Thu Jun 30 20:34:33 2005 -0600 Fixed warning messages; updated bison patch to bison-2.0a. commit d6c19397b1f035d6bc16efa94a8bf41065104b5f Author: John Bowman Date: Thu Jun 30 16:45:32 2005 -0600 Fixed more warning messages. commit 69027f1cd60cee0999ce6bdc9ca17657ff383a85 Author: John Bowman Date: Thu Jun 30 16:42:23 2005 -0600 Fixed cxx errors and warnings. commit a45db697f1d4628d213fc4a9966be95f1319b3e3 Author: John Bowman Date: Thu Jun 30 16:38:14 2005 -0600 Replaced strdup by strcpy. commit 324616f76ed6760212d89eb575aee654b58e4a99 Author: John Bowman Date: Thu Jun 30 12:41:57 2005 -0600 Renamed nullframe to newframe. commit 973f076227f1f9feb36b6cfc10e5d3a66c8d4d76 Author: John Bowman Date: Wed Jun 29 21:04:53 2005 -0600 Fixed memory leak and segmentation fault in fileio garbage collection. commit 65ba1202445428f21aa01072764d1331d581e231 Author: John Bowman Date: Wed Jun 29 20:58:11 2005 -0600 Renamed write function keywords. commit 7687aaf40c4c43f14f9b6a38fc347d9347759250 Author: John Bowman Date: Wed Jun 29 10:15:51 2005 -0600 Extend use of operator init(). commit 7bbc7ffd8f0926263ebe3dcdf3bb533c4211b661 Author: John Bowman Date: Wed Jun 29 09:59:15 2005 -0600 Added default initializer to picture; removed "=new picture" from examples. Documented operator init(). commit 40f98c94b8eebb8d980e1e5a1cb91826b8f074f3 Author: John Bowman Date: Wed Jun 29 09:11:58 2005 -0600 Removed ticksT tag. commit 7f8a16c28ede11e3d766c0076388a9e83f083a9a Author: John Bowman Date: Wed Jun 29 00:38:20 2005 -0600 Fixed memory leak in locateFile. commit 999724c552b1bc6decc328ef2bf7d5e6149e65ff Author: John Bowman Date: Tue Jun 28 16:16:00 2005 -0600 Removed unnecessary semicolons. commit 6a7bafe452621d0d92af547a3d180c5eaf840734 Author: John Bowman Date: Tue Jun 28 15:56:58 2005 -0600 Added virtual destructor. commit 42c406e577ba81982d7cc1e73c1543b55e8d192f Author: John Bowman Date: Tue Jun 28 15:53:29 2005 -0600 Added virtual destructors. commit 06a72c88aae59f5fca97df49c883053519a0eec9 Author: John Bowman Date: Tue Jun 28 14:49:30 2005 -0600 Remove xsize, ysize, and keepAspect from shipout, in favour of size(). commit 6221960d98b1eaacaa0b62a11fa58671218afa15 Author: John Bowman Date: Tue Jun 28 13:58:03 2005 -0600 Added -lgccpp also with --enable-gc=system. commit 0c8071fb5b46edc79cb7eac9b95137efe9c2b9cc Author: Andy Hammerlindl Date: Tue Jun 28 10:12:57 2005 -0600 Put reverse functions back in. commit ef73fd797e874069cb3bae12142687f5664b25bd Author: Andy Hammerlindl Date: Tue Jun 28 10:01:21 2005 -0600 Results of type overhaul: - venv now uses a hashtable to quickly look up variable of a specific type - initializers and casts are now functions in the environment - matching arguments to signatures handled by application class - (side-effects of) expressions are evaulated left-to-right - exp::trans(e, target) split into transToType (which implicitly casts) and transToType (which doesn't) - added keyword and rest arguments - added formal class to types commit 30360c059eb668792eede35aa7e70cc9795fc024 Author: John Bowman Date: Sun Jun 26 16:51:59 2005 -0600 Work around spurious uninitialized warning message under gcc 3.3.3. commit 1fab77145419b3a8c293886316cf0615aa479a31 Author: John Bowman Date: Sun Jun 26 10:51:17 2005 -0600 Code cleanup. commit 7c1f4b8c287ed51690f8f58a72c21475c73e66e7 Author: John Bowman Date: Sun Jun 26 08:43:12 2005 -0600 Allow use of single quotes to prevent system command word splitting on spaces. commit e7d84297b6fa78065f7aec133561e091d4fb0dc9 Author: John Bowman Date: Sat Jun 25 15:49:08 2005 -0600 Fixed bug in fill, due to a numerical precision issue, which shows up with g++-4.00 under optimization. Removed unused routine and declarations. commit b8c2076390a55d40feadb3582c36f6b58d0401b9 Author: John Bowman Date: Sat Jun 25 14:11:19 2005 -0600 Removed unused virtual destructor. commit e5e0222dc27968c1bc861bcf8eddb1824f058464 Author: John Bowman Date: Sat Jun 25 12:33:59 2005 -0600 Simplified tag handling. commit eb5c02ce2b1c8bedee35969a01ead70a9f1aad63 Author: John Bowman Date: Sat Jun 25 00:14:38 2005 -0600 Replace OverwriteT with integer variables. commit 53be12a2dc5107723d622b2dbb5d0adeba1a02fe Author: John Bowman Date: Fri Jun 24 18:58:34 2005 -0600 Simplified coding of endl and tab qualifiers. commit 786d08c54af70163a90e5b3c749ee9f66fafb2e0 Author: John Bowman Date: Thu Jun 23 16:34:34 2005 -0600 Incremented version to 0.82cvs. commit fc3936487524cb3f3b9c3db37dae58da1088be18 Author: John Bowman Date: Thu Jun 23 16:08:48 2005 -0600 Fixed indentation. commit bf638882197f630bc059f313818257b5e55e3ba0 Author: John Bowman Date: Thu Jun 23 15:55:47 2005 -0600 Fixed g++-4.0.0 warning messages. commit ce9963563164d53e3e56606107fc7ec2d8f8242b Author: John Bowman Date: Thu Jun 23 15:54:46 2005 -0600 Fixed cxx compilation error. commit 228fb9f82473fc672420fc8ad15818fc6002ca60 Author: Tom Prince Date: Thu Jun 23 00:45:25 2005 -0600 Cleanup headers. commit b0ce04a0381fd68e46b89e9640008521ed78d268 Author: Tom Prince Date: Wed Jun 22 23:53:11 2005 -0600 Maybe fix GC on darwin. commit 1aca5cb33094f702c4cbba83c8025b88a8db37c3 Author: John Bowman Date: Wed Jun 22 10:54:03 2005 -0600 Replaced writeP in favour of write; added writen entry points for pen, guide, and transform. commit 4aad24ec76db0bcdf85c20c8853dd32d7faf21b8 Author: Andy Hammerlindl Date: Wed Jun 22 10:16:11 2005 -0600 Fixed solving bug. commit 9047174da0fda3e36f2e661e17bf2fb30e821440 Author: John Bowman Date: Tue Jun 21 22:27:52 2005 -0600 Allow graphs with just one data point. commit a4a3810378e465f5512a6b89ac1d248391203947 Author: John Bowman Date: Mon Jun 20 17:03:14 2005 -0600 Feynman updates. commit 0ff48d1cb5a153e4809622ca1c5ddd5d5c834550 Author: Tom Prince Date: Sun Jun 19 23:18:55 2005 -0600 Split up inst.h. commit b3a216a59ca9b04ae5e0f6dbcf4071a9b52fe034 Author: Tom Prince Date: Sun Jun 19 17:53:14 2005 -0600 gcc4 is more const. commit a5ef2fede293c3b425acae8925c611a25c5db257 Author: John Bowman Date: Sun Jun 19 14:16:22 2005 -0600 Incremented version to 0.81cvs. commit 7640c06a07aa590c86937edda50221b828d92fde Author: John Bowman Date: Sun Jun 19 12:08:27 2005 -0600 Upgrade to use Boehm gc6.5 garbage collector. commit 8b0c625a0bf30a0a6d3420408728b3efd9e028b5 Author: John Bowman Date: Sun Jun 19 11:43:34 2005 -0600 Tom's patch to pool segmentation fault. commit 0b4f978f5be4ce481bc36324ce3f9d576c387a9b Author: Tom Prince Date: Sat Jun 18 10:44:58 2005 -0600 Remove obsolete maxStackSize. commit 5ef2d397015ca2b23082eb3b21e20f3862cc7ff1 Author: John Bowman Date: Sat Jun 18 10:27:49 2005 -0600 Deep copy all members of picture. commit 7ca2c12fb5c00511a1d6be5b068c7f74c94a5c06 Author: John Bowman Date: Sat Jun 18 09:59:39 2005 -0600 Quick installation instructions. commit c8bab82babbbe7ca95ca0ebbbfafb8359bdcd87d Author: Tom Prince Date: Sat Jun 18 00:28:36 2005 -0600 Tests. commit 5a3eb6b5360d49f43b8d3a9840117fb6a0457d3d Author: John Bowman Date: Fri Jun 17 23:35:20 2005 -0600 Incremented version to 0.80cvs. commit 659f7d3d6a4e5876c2d7d60a229aa2ec240a2c49 Author: John Bowman Date: Fri Jun 17 22:49:15 2005 -0600 Removed unused features. commit 3e206225f18b9cea342971f9d80cd49b87dad499 Author: John Bowman Date: Fri Jun 17 22:32:31 2005 -0600 Fixed cxx warning messages. commit ae029118e4eeb265e8e7ed33745b973a718c6a90 Author: John Bowman Date: Fri Jun 17 22:06:19 2005 -0600 Check for empty picture in secondary axes routines; added another example of a secondary axis. commit e991c4e70ea5cd8b054c959aab9d7f8fb80b5a40 Author: Tom Prince Date: Fri Jun 17 21:27:16 2005 -0600 Automate testing. commit 7170cdbcd547faac66e18d7338f5bc2ef3ecd5c6 Author: Tom Prince Date: Fri Jun 17 21:21:51 2005 -0600 Change vm::program to holds insts directly. commit 8d97404395b2f98c5e2c68c15b089d761b8b0d01 Author: Tom Prince Date: Fri Jun 17 21:20:48 2005 -0600 Compile genrun.cc seprately. commit 133bca6f546e881329dcedc281fbbe54e07657e5 Author: Tom Prince Date: Fri Jun 17 21:19:51 2005 -0600 Move vm interface to vm.h. commit 908662091c942dfdee84c686e122b3240fa4b13e Author: Tom Prince Date: Fri Jun 17 18:48:32 2005 -0600 Properly collect fileio. commit 7391769e36b96247ffa6ba708e7a4c76605032e0 Author: Tom Prince Date: Thu Jun 16 00:20:47 2005 -0600 item handles GC allocation. commit d03ea3fd7b84cb06f37cab421ea4c54c6e01ea94 Author: John Bowman Date: Thu Jun 16 00:12:16 2005 -0600 Readded 2005-05-26 fix for substr bug. commit a5dd9570b514d7c944f2c29264a9c4b430a24561 Author: Tom Prince Date: Wed Jun 15 23:47:13 2005 -0600 Make evrything use GC (except fileio). commit 879010025056803e415fb28e6bcbe2cfb9180e20 Author: John Bowman Date: Tue Jun 14 22:33:17 2005 -0600 Don't allow a picture to be added to itself. commit 814f0cd08ae74f5621277a9e6a1683693fc3dc51 Author: John Bowman Date: Tue Jun 14 20:30:06 2005 -0600 Backported recent castop.h change to g++ 3.3.4. commit 929a119630125233503a1aa11e335ea3013f8d9a Author: Andy Hammerlindl Date: Tue Jun 14 15:23:42 2005 -0600 Added getType caching. commit 5663c6136190c2ad9c1dd9037b6509fd1977d2dc Author: John Bowman Date: Mon Jun 13 10:28:09 2005 -0600 Reverted gc/gc.h change back to gc.h. commit df6c338131f8dbc1aabbb47f3ba3e34ca55a9201 Author: Tom Prince Date: Sat Jun 11 14:04:12 2005 -0600 Test collecting pens. commit 666663e0b88bbfaffef0e1f37bfb4274a6d89b18 Author: John Bowman Date: Sat Jun 4 13:51:44 2005 -0600 Document type1cm. commit b2a9d4f54135f117e09ddb79cbdc97180a0b6762 Author: John Bowman Date: Tue May 31 23:33:39 2005 -0600 Fixed autoscaling of scaled axes, e.g. Linear(x) with x != 1. commit c12f36fff471f47ccd94d6778f57c673426eeb42 Author: John Bowman Date: Sun May 29 10:06:31 2005 -0600 Added asymmetric Pythagorean tree example. commit 6c9ce87dee6a8700af83fda8b70dc1e78671f170 Author: John Bowman Date: Sun May 29 10:05:48 2005 -0600 Added aSin, aCos, aTan functions. commit 4fd7e3e1ab590d46384fb3e7e13d7bba5008165c Author: John Bowman Date: Fri May 27 16:33:21 2005 -0600 Changes for Debian port. commit 3688cbe0fcfe962cbdbb893b2161fcb293b04f88 Author: John Bowman Date: Fri May 27 15:41:56 2005 -0600 Fixed memory leaks. commit 4804e27a5a9ad3bca0830b384de9b59ed4337818 Author: John Bowman Date: Fri May 27 02:16:14 2005 -0600 Fixed memory leak. commit 4c22b96cea1ca707525c68d06399209dab20f701 Author: John Bowman Date: Fri May 27 00:44:19 2005 -0600 Added Tom's remaining garbage collection changes. commit 8b4e56cc1919f5bb9cc200880bf342710b7340c6 Author: John Bowman Date: Fri May 27 00:09:58 2005 -0600 Garbage collect files on explicit closure and at exit. commit 1043dd6738f0854a18eb06ae2f23049170dafeb2 Author: John Bowman Date: Thu May 26 09:55:30 2005 -0600 Fixed substr bug. commit 1d2aba32ccbe2ffe8d98e63f141aa9135fe3c84f Author: Andy Hammerlindl Date: Fri May 20 10:48:54 2005 -0600 Changed wording in comments. Indenting. commit f78764d8575f157d65c3fb29a57402fdb0f84b3a Author: Tom Prince Date: Thu May 19 23:45:26 2005 -0600 Use mem::string during runtime. Make encode(inst) private. item.h calls new(UseGC). commit 44d7d2eb8118d63d6677640b93df55a686e15876 Author: John Bowman Date: Thu May 19 10:16:48 2005 -0600 Incremented version to 0.79cvs. commit 06ba32ea3cc72df31457fd4cf7251b84afdbb1bd Author: John Bowman Date: Thu May 19 09:15:54 2005 -0600 Disable GC_STRING for now. commit 93e05817f8eacffccf61024f8184a1e174e61b70 Author: John Bowman Date: Wed May 18 23:27:15 2005 -0600 Port to cygwin. commit 05ef90f1dc3f03dcbf91ed112b637ff8ef3b2ff5 Author: John Bowman Date: Wed May 18 14:34:42 2005 -0600 Move file back under control of memory::managed to ensure deconstructor is called. commit 732b7af7652ff7aadd0ff33d677c7991966a4c43 Author: Tom Prince Date: Wed May 18 12:41:26 2005 -0600 Use item for everthing in inst. commit 2b9de84a90affbcca034cd53151e420ee22b68d2 Author: Tom Prince Date: Wed May 18 12:37:44 2005 -0600 Define mem::string. commit 47eb80b05a3c6f3f2d8279dcca3bd44268412840 Author: Tom Prince Date: Wed May 18 12:36:17 2005 -0600 Use coder::encode everywhere. commit 7ca4fa121bcc6842b5242c6fd021a9e26e1a5b0f Author: Tom Prince Date: Wed May 18 10:50:31 2005 -0600 Cleanup memory.h. commit 2fb95aa9a09de3f07dca638d5075e2c9a875f15b Author: John Bowman Date: Wed May 18 09:17:32 2005 -0600 Changed index to strchr for cygwin port. commit ee106d42346f159b5c4a04f9479182ff967f4fc0 Author: John Bowman Date: Wed May 18 09:17:09 2005 -0600 Fixed LIB. commit d0caf2dc14550c4cd0586c7ba95fea9a00cd5ff8 Author: John Bowman Date: Sat May 14 22:29:43 2005 -0600 Check headers earlier. commit baf991ce70cf496154b3806d230714407d80480d Author: John Bowman Date: Sat May 14 22:26:46 2005 -0600 Make --enable-gc=system also check for gc.h. commit 89e15737ee45fd6b2a82a3b6903eb5398a2d11e6 Author: John Bowman Date: Thu May 12 15:56:27 2005 -0600 Workaround "GC Warning: Repeated allocation of very large block" messages. commit dd8ec509559e108b1195377e0cfba98618aff5e3 Author: John Bowman Date: Thu May 12 15:54:42 2005 -0600 Fix NaN handling. commit a6b8695d6aa652eb4185556bee518f8b145f4077 Author: John Bowman Date: Thu May 12 08:56:42 2005 -0600 Better checkaxis test. commit 3e04076b94e311a46ae4b3a0d1e22c2bc66bb273 Author: John Bowman Date: Wed May 11 22:07:40 2005 -0600 Added --enable-gc=system configuration option to use system libgc and libgccp. commit 52a42f6f9e35ea0f38222059e4ccfdbf66b0fe85 Author: John Bowman Date: Wed May 11 03:52:11 2005 -0600 Define traceable_allocator when garbage collection is disabled. commit edd6882d84f7f5b11ddc95614016c7d2f4619ea4 Author: John Bowman Date: Tue May 10 21:52:35 2005 -0600 Added binary search routine. commit ab8884bd75e11e48bf10ce36008affb9202c5cce Author: John Bowman Date: Tue May 10 16:34:50 2005 -0600 Incremented version to 0.78cvs. commit 880ffa76cda64193d3999d076cfe05be83921d00 Author: John Bowman Date: Tue May 10 14:56:30 2005 -0600 Recommitted changes: 2005-05-10 rtprince commit 81b45f905368cd0f8cc87f42d14e132a4154a7de Author: John Bowman Date: Tue May 10 13:56:23 2005 -0600 Revert broken changes: 2005-05-10 rtprince. commit aa6798bedb31788d8a41e5aef90a45e0fd45283f Author: Tom Prince Date: Tue May 10 12:36:42 2005 -0600 Make CVS -lgccpp clean. commit 99948123780c9eddf2e553e818d116a3a5b20cd8 Author: Tom Prince Date: Tue May 10 12:31:32 2005 -0600 Make item use new(UseGC). commit f283b6b03b888608633d18b169ad15ef749507e4 Author: Tom Prince Date: Tue May 10 11:43:15 2005 -0600 Add some tests. commit f338d6ca188330b5a06160a0d393777fb63ae742 Author: John Bowman Date: Tue May 10 11:16:21 2005 -0600 Renamed example. commit 15e66f6f42b64b39deb1df4bffdeb8c4c1bd66ce Author: John Bowman Date: Tue May 10 04:37:53 2005 -0600 Distribute Boehm GC as a separate package. commit 5c9d00f9e02c175e3db240726725e35ae5facf06 Author: John Bowman Date: Mon May 9 23:08:51 2005 -0600 Fixed error in map & multimap. commit d84ef94ce525b66d05d864e5bbe76c014962f520 Author: John Bowman Date: Mon May 9 22:49:00 2005 -0600 Fixed parser leak again. commit e4f9e737d32b0e29b61e29ee7144a0c305be8766 Author: John Bowman Date: Mon May 9 21:57:44 2005 -0600 Fixed broken draw call. commit cde542ef8dc261e00c389e94c4fe0703b89686d9 Author: John Bowman Date: Mon May 9 16:41:16 2005 -0600 More gc string updates. commit 915f14d3423c86ceb4f974b2254f23eddba0129b Author: John Bowman Date: Mon May 9 16:22:25 2005 -0600 Unused file. commit 2b6d60c72af8208812baa28d45c3fed5d03bb057 Author: John Bowman Date: Mon May 9 14:01:57 2005 -0600 Handle out of memory errors gracefully. commit 6cd09e17608cc0276c7106d4fb84f83642b1ca03 Author: Tom Prince Date: Mon May 9 13:22:55 2005 -0600 list is from mem::. commit a2ead4f31103e6e2bdabd1217e5a650bee12ecbf Author: Tom Prince Date: Mon May 9 13:17:32 2005 -0600 Make theStack be mem::deque. commit 5131270c76da87b1f7691b10716c3fde47172d2c Author: John Bowman Date: Mon May 9 10:25:33 2005 -0600 Fixed segmentation fault. commit e66a390c9622e6e64fb1e2a8e1f759afffec290a Author: Tom Prince Date: Mon May 9 05:24:22 2005 -0600 Dont gc non-heap string. commit 0827cba25c7b3504b0cd28b750fc22872757f14c Author: Tom Prince Date: Mon May 9 04:58:00 2005 -0600 Fix makefile. :-( commit e7ad2436de51081564fc88f024b777d693d0c325 Author: Tom Prince Date: Mon May 9 04:56:30 2005 -0600 More gc fixes. commit 5638fbc8b10ad075f66c6bc4037167cf27a28253 Author: Tom Prince Date: Mon May 9 04:34:48 2005 -0600 GC fixes. We dont need mempool. commit a6f50a5ffba0293743b22f668e29c3d52ff3214a Author: John Bowman Date: Mon May 9 03:10:23 2005 -0600 Fixed cxx errors. commit 90060506b1d924116630f43c068f353c43da0c44 Author: John Bowman Date: Mon May 9 02:58:55 2005 -0600 Fixed memory leak in parser and translator. Cleaned up interface to the Boehm garbage collector. commit eff11626bd6dbdc7f4defa3c8597b0bca050592b Author: John Bowman Date: Sun May 8 23:06:28 2005 -0600 Revert 2005-05-09 and 2005-05-08 rtprince changes. commit df3f6816117919c0c9c6c80390956f79df6aad9b Author: Tom Prince Date: Sun May 8 22:16:41 2005 -0600 Fix picture. commit 5770ab65dbc40a56339d22a45cfa6e6174241d78 Author: Tom Prince Date: Sun May 8 21:24:28 2005 -0600 Fix item gc handling. commit 399af8081afc712686314e2ca99584d3fa158023 Author: Tom Prince Date: Sun May 8 21:12:42 2005 -0600 Collect path. commit 6fcf5fda6460ff8048649146d1e92ba4f6306c04 Author: Tom Prince Date: Sun May 8 20:35:08 2005 -0600 Collect transform. commit 8c2eff54bf17ac051dca66442c8b6cd61641e76b Author: Tom Prince Date: Sun May 8 19:56:00 2005 -0600 Create gc_atomic, and make picture use it. commit bc9d351f1e202c481fca3135307ca5895a22e2d7 Author: Tom Prince Date: Sun May 8 19:37:29 2005 -0600 Make pen garbage collected. commit a76ec0dcb389fc456cf186a06885898e1ec40002 Author: Tom Prince Date: Sun May 8 19:34:56 2005 -0600 Make picture and drawElement garabage collected. commit f5980293fd7720f87bfd6184fa0b14e5c4665887 Author: Tom Prince Date: Sun May 8 17:11:34 2005 -0600 Add gc for vm only. (untested) commit f222adf318f319d54cba8c227c5ae840411a021f Author: Tom Prince Date: Sun May 8 17:01:19 2005 -0600 We don't want libgccpp. commit 2fceb9286c372d9123e41fc088664e444a5ea25a Author: Tom Prince Date: Sun May 8 16:57:11 2005 -0600 Re-add pool.h. commit f4ac27b3d7b9622db9e79a468fe24f97ef4df510 Author: Tom Prince Date: Sun May 8 16:55:24 2005 -0600 Revert GC changes. (not tested) commit eb11d81ca9350019c9c895d9e69fe18c82523b5b Author: John Bowman Date: Sun May 8 08:57:01 2005 -0600 Figure for Geometry.asy. commit fc9cbf860d9a0ca997ddba7275cef0d50a963154 Author: John Bowman Date: Sun May 8 00:29:32 2005 -0600 Minor fixes. commit 78245d3817e355c52638694eddf8eef22cdfead3 Author: John Bowman Date: Sun May 8 00:17:30 2005 -0600 Workaround Makefile problem in gc6.3. commit 098e8a231fa9d33aaf9cf6f5483cf97e993b0b2c Author: John Bowman Date: Sun May 8 00:16:45 2005 -0600 Move trace/interrupt check to beginning of virtual machine loop. commit afc1adbc265bb2a53ad8f722f4b07d72fa248c47 Author: John Bowman Date: Sun May 8 00:05:59 2005 -0600 Revert to distributing Boehm GC as tar.gz file. commit 1f663f24a9c43942ce06938a1c573058f1a74454 Author: John Bowman Date: Sat May 7 23:52:27 2005 -0600 Distribute Boehm GC as a tar file rather than tar.gz file. commit 9d56f25d6bdebf45f6b5130ebbfe66b6aa405f91 Author: John Bowman Date: Sat May 7 23:40:14 2005 -0600 Added beginnings of a geometry module, including a triangle structure and functions to draw interior arcs of triangles and perpendicular symbols. commit b40d10e76adcebb53560471b218dc68f869e39f6 Author: John Bowman Date: Sat May 7 21:31:23 2005 -0600 Distribute generated source files. commit 360ce3d468d93ff0a5fa1bdcceecb29359487a77 Author: John Bowman Date: Sat May 7 21:30:48 2005 -0600 Fixed type of argument of dividebyzero. commit dc3a948a255cbabb1899e86bd4bc058f2a776bac Author: John Bowman Date: Sat May 7 21:05:28 2005 -0600 cxx updates. commit dc8d225183a1f02a9cebb3078bd770f645501a4c Author: John Bowman Date: Sat May 7 20:35:51 2005 -0600 DEBUG_STACK updates. commit d08008cdab9cb06362df1f2ebf13cacd1fbdbc4b Author: John Bowman Date: Sat May 7 20:07:39 2005 -0600 Minor garbage collection updates. commit 4d94ce88599400aa221991991f83c5ede8ce1709 Author: John Bowman Date: Sat May 7 11:56:54 2005 -0600 Autoconf backwards compatibility workaround. commit f56e28b3c3b9b297b80e10d42174b5244112dc25 Author: John Bowman Date: Sat May 7 11:50:19 2005 -0600 Renamed COLLECT to USEGC. commit f31faf416554c7e209f36059355b16f01eb47007 Author: John Bowman Date: Sat May 7 11:49:25 2005 -0600 Added configuration to optionally disable garbage collection. commit 45c88ca08a3da13844ddfe0fb5b4a93f19e6f2b1 Author: John Bowman Date: Sat May 7 09:48:46 2005 -0600 Fixed Makefile dependencies. commit 30a705d20fefeece1687429e0cb8470d62919bd2 Author: John Bowman Date: Sat May 7 01:38:08 2005 -0600 Implemented Boehm garbage collection. commit 9d7769ce6f88bc53a74d1372b9587e27f7f7fe84 Author: Andy Hammerlindl Date: Thu May 5 22:32:22 2005 -0600 Fixed solveSection bug. commit 06f40e2f91f484b534961af38a5185a5d9d6b466 Author: John Bowman Date: Thu May 5 13:34:40 2005 -0600 Added missing comma. commit 82fa8089d032fbacb29c7973ef6bbf2cd97d467d Author: John Bowman Date: Thu May 5 13:32:53 2005 -0600 Addressed pen plabel vs p issues. commit d40592205063e8adf7f147a81d091c800b1c24cf Author: John Bowman Date: Thu May 5 01:36:58 2005 -0600 Renamed eval(f(T), T[] A) to map(f(T), T[] A). Documented eval(string) and make eval autoload plain. Implemented T[] concat(T[] A, T[] B) to concatenate two arrays into a new one. commit 4db5971d0cd68808f77feec77f06ec1451a8a2ae Author: John Bowman Date: Thu May 5 00:46:04 2005 -0600 Added pair exp(pair) and pair log(pair). commit 28baf58075cb9ca944dd0ce8458196d7944b1db8 Author: John Bowman Date: Wed May 4 23:35:48 2005 -0600 Make int quotient(int,int) portable. Updated base files to use quotient for integer division. commit db1823ffb4c94ea156aade89dbaa912ff8303d4e Author: John Bowman Date: Wed May 4 23:19:03 2005 -0600 Make int/int return a real, as is normally desired; the new function int quotient(int,int) returns an integer quotient. commit 0a78859e787da1b7e76cb10aa793aec5d3d32d26 Author: John Bowman Date: Wed May 4 21:55:59 2005 -0600 Updated TODO items. commit bbe4c843c51d04977a1bc6b9be897acb31feb5ee Author: John Bowman Date: Wed May 4 21:55:18 2005 -0600 List iterator simplification. commit 3432a63496468bad1eadf3cdd6038e555b236f97 Author: John Bowman Date: Wed May 4 21:44:31 2005 -0600 Added reltime(path, real). commit 42610c12a7bcda076d4d18700f832eabaa629ae8 Author: John Bowman Date: Wed May 4 21:40:58 2005 -0600 Make -l option list available global variables as well as functions. commit 10d1ef281f1d9d5d6eca395da7bb7060ca1de36d Author: John Bowman Date: Tue May 3 22:24:17 2005 -0600 Minor updates. commit dce883a43c8f916ff404af6662355727471522e2 Author: John Bowman Date: Tue May 3 22:23:34 2005 -0600 For portability, explicitly check that input file isn't a directory on systems with stat. commit d5c499a61651cf1621431c65c1524b650024b759 Author: John Bowman Date: Mon May 2 21:14:15 2005 -0600 Added example of a transformable triangle structure. commit 5aaecb40c9d5d75b170995775f3939c6bfd092f9 Author: John Bowman Date: Mon May 2 16:20:02 2005 -0600 Incremented version to 0.77cvs. commit 01495eba409e943a272c0e5458e926bf97d91bad Author: John Bowman Date: Mon May 2 15:27:57 2005 -0600 Added PenMargin. commit 98466a96d92665282ce339397a4aa0cc9c0f1c93 Author: John Bowman Date: Mon May 2 15:20:05 2005 -0600 Added -l option to list available global functions. Documentation default structure constructors. commit 80a5b55488005bfb44bfadf5b1b543638bbe7d61 Author: John Bowman Date: Mon May 2 00:42:53 2005 -0600 Added missing plabel. commit 23072e44c1dab9402078ecabfc5ee1d88bbfb2f7 Author: John Bowman Date: Mon May 2 00:11:49 2005 -0600 Improved error handling in pipestream; wrap fork to avoid zombies. TeX errors should force TeX pipe to be closed. commit 1f2d5b4722b7ac5bb030f149eeb166a99cc0f56b Author: John Bowman Date: Mon May 2 00:09:25 2005 -0600 Updated examples. commit 8f133f4fd77a30c58eca35355e3025e390950841 Author: John Bowman Date: Mon May 2 00:09:10 2005 -0600 Updated documentation. commit 46b5a8b9a9c3f89d7617e6cea768fa1b0d310011 Author: John Bowman Date: Mon May 2 00:08:38 2005 -0600 Don't push a final null entry when reading an array in line mode. commit 5119ce4ff2ddb922ed9c913a18a500e54ba72837 Author: John Bowman Date: Mon May 2 00:07:12 2005 -0600 Fixed grouping in add(pair,frame,frame,group). Added put argument to pic.add, attach, etc. Added plabel argument to draw to allow labels and legends to use a different pen than the curve itself. Rearranged plabel and p arguments in axis routines for consistency. Added getstring and getreal functions. Added Mark, MarkFill frame arrays and Mark(int) function. commit 9ce6ebd16ea51561bf969560568a00f3b5b59d28 Author: John Bowman Date: Mon May 2 00:04:54 2005 -0600 Added node, value, and slope functions for paths. commit 2a5211c33c00af59ea8ec8b03a47b8ab056a6b9c Author: Tom Prince Date: Sat Apr 30 22:38:32 2005 -0600 Make camperror throw instead of queuing. commit 1077eff9ad28f73d8c6fd3717d1de6c0eff7b31b Author: Andy Hammerlindl Date: Sat Apr 30 20:31:09 2005 -0600 '' commit 445aabeee69dbdbb14d19231ff94845d5ed0c8da Author: Andy Hammerlindl Date: Sat Apr 30 16:29:58 2005 -0600 Allowed more implicit scaling. commit a02314294b9d45c57be7bfcd98d834491f54c5e8 Author: Andy Hammerlindl Date: Sat Apr 30 14:49:34 2005 -0600 Changed precedence for implicit scaling. commit ebadfa41910e30b009338d9254352d407b09c1ce Author: John Bowman Date: Mon Apr 25 23:43:36 2005 -0600 Flush exited child processes (zombies) in batch mode. commit f2ddac66cf7bd60c6f789bd100e3bbdd027aaf5a Author: John Bowman Date: Mon Apr 25 23:41:46 2005 -0600 Workaround interactive mode bug introduced by recent changes to main.cc. On multiple file runs, texpreamble should appear before any other commands. commit 9dd78b8a3bef3ead1114749f8e46d99b5269cf7a Author: John Bowman Date: Mon Apr 25 22:21:57 2005 -0600 Added example of 3d featpost3d arc. commit 8bf045189f7f7a0a75871455d90dfaebba9ec547 Author: Tom Prince Date: Sun Apr 24 21:04:01 2005 -0600 Make parseStdin() turn of lex debuging. commit b6c8be9df5782db786b484113d1daf803c5fae16 Author: John Bowman Date: Sun Apr 24 10:44:05 2005 -0600 Added Dotted(pen) function which returns a dotted pen at double the linewidth. commit 1a97fed8e248625d9b902b514afd1eb4d70c9275 Author: John Bowman Date: Sat Apr 23 17:16:57 2005 -0600 Clear existing errors on reading from standard input. commit fc009e52440aad59836f5bda105555a61bca4f7c Author: Tom Prince Date: Sat Apr 23 15:15:33 2005 -0600 Fix interrupt handling. commit 5cd7876fc7e960858f491fb2fa6b1d24803c2f1b Author: Tom Prince Date: Fri Apr 22 11:56:07 2005 -0600 Cleanup. commit 4bdb5c64660e95962e9419a81bacb33fb4a2be4a Author: John Bowman Date: Fri Apr 22 08:43:55 2005 -0600 Fixed compilation error. commit 528a9eb7c36d3a33431b775aa9328c0d3bdcdb09 Author: Tom Prince Date: Fri Apr 22 07:49:16 2005 -0600 Fix segfault. commit 95ad036c40755eea043b9421cf777b4ea7993fe2 Author: John Bowman Date: Fri Apr 22 03:21:09 2005 -0600 Replaced boost::lexical_cast with lexical.h to remove last remaining dependency on boost header files. commit a87c9886fd9fee971c0e9a8a68b599bcf047108a Author: Tom Prince Date: Thu Apr 21 22:51:44 2005 -0600 Cleanup. commit 582654800d5965700998478f02504c1ae6b5a5e6 Author: Tom Prince Date: Thu Apr 21 22:47:56 2005 -0600 Refactoring main.cc. commit 95d2376fcf7bec7c8448a72b5355fc0de65d49c8 Author: Tom Prince Date: Thu Apr 21 21:27:46 2005 -0600 More refactoring in main.cc commit fe8229b7f21ceb84165253cf9fac29a9f3086319 Author: Tom Prince Date: Thu Apr 21 21:03:35 2005 -0600 findextension is used only to strip suffix. So strip it. commit 3125ff977fe4f233f964fd0c24031b68e2180971 Author: Tom Prince Date: Thu Apr 21 13:38:38 2005 -0600 FIx interactive. commit 5a607d6d598487d1ce5b2b506e9c9ee5c6df5c5f Author: Tom Prince Date: Thu Apr 21 00:59:52 2005 -0600 More main.cc cleanup. commit c75d9f85e2ae2cac80eb10729a8e49bd0bb63b0a Author: Tom Prince Date: Thu Apr 21 00:55:02 2005 -0600 Simplify error handling. commit d8509dc2a49f364a4d645689dfb4c29450b3820e Author: Tom Prince Date: Thu Apr 21 00:33:24 2005 -0600 Start pulling appart main(), so it easier to change and understand. Doesn't do much, but gives a a place to start. commit 41c53e7bd2fb7e6b6038cc334aed8510fd12d880 Author: Tom Prince Date: Thu Apr 21 00:07:46 2005 -0600 Update ./wce. commit bc6a93c7d9a48b957f287b8d9772804a47b6a7b1 Author: Tom Prince Date: Wed Apr 20 23:40:57 2005 -0600 Remove warning about side-effects. commit cb5ae20890b4b381c3cf00ee755bb2aad0874eae Author: John Bowman Date: Wed Apr 20 23:17:54 2005 -0600 Incremented version to 0.76cvs. commit 307769f553ac965062a636ae87e7c2f61ea8f881 Author: John Bowman Date: Wed Apr 20 22:41:08 2005 -0600 Documented xline and yline. commit 1e2cdc58e3512a20d051d86f5db98b17165f4a4c Author: John Bowman Date: Wed Apr 20 18:59:59 2005 -0600 More updates. commit 31f55d67bba1b306e55f51fb061548c390465b82 Author: John Bowman Date: Wed Apr 20 18:58:48 2005 -0600 Updated axis call. commit a67f7b32d7c394487f795e397b1c90d80724ff74 Author: John Bowman Date: Wed Apr 20 16:03:54 2005 -0600 Updated binary installation instructions. commit 2807bb7d7d88aab29de67876839750836d4f76d2 Author: John Bowman Date: Wed Apr 20 14:03:36 2005 -0600 Update yaxis call. commit ee9e621e33a17428090bce4abda5eadcd372f461 Author: John Bowman Date: Wed Apr 20 11:53:41 2005 -0600 Consolidated autoload code. Suppressed "could not load" error message in interactive mode. Fixed gcc 3.2 warnings and error message. commit 26f006304e452f273eec22f9760ab372a61b90c1 Author: John Bowman Date: Wed Apr 20 11:51:58 2005 -0600 Added linear interpolation and binary search routines. commit 4fbb8d341cb219fbcbb06426fe4701cada86e41a Author: John Bowman Date: Wed Apr 20 11:49:16 2005 -0600 Moved put argument to axis routines to end of argument list, for consistency with draw. Added xline and yline interfaces to axis routines. commit 4b26843ed13d92b95faf3636add7ac8e61058ed1 Author: Tom Prince Date: Wed Apr 20 11:38:23 2005 -0600 Change stack::run(lambda*) to a free function vm::run. commit c0c1159e73655fbb275c88042d696f7bc5ed95ee Author: Tom Prince Date: Wed Apr 20 11:18:23 2005 -0600 Fix handling of bad parse. commit a2bdb64165581bf56b8a3f296d3fa4c5e1c156cb Author: John Bowman Date: Wed Apr 20 09:51:49 2005 -0600 '' commit f1a1b76217a093a1aef6256cca541fd64e507279 Author: Tom Prince Date: Wed Apr 20 08:31:22 2005 -0600 Refactor doParse(). commit ef94bc661d593da433e7ffefe62576e82ece224d Author: John Bowman Date: Tue Apr 19 22:56:48 2005 -0600 Fixed definition of correlation coefficient; added fit function to linefit struct. commit 38c1a8600dd92883783c42b0903fa4a0e0673ba8 Author: John Bowman Date: Tue Apr 19 19:59:25 2005 -0600 Implemented portable way of testing for directories (but not null files). commit c7bd80f606e4514e6e771255206becc9fb639a62 Author: John Bowman Date: Tue Apr 19 14:55:14 2005 -0600 Fixed stdin handling of parser.cc. commit 461b1d0cf62e21d560a99181cac401f24d3f958e Author: Tom Prince Date: Tue Apr 19 10:08:39 2005 -0600 *** empty log message *** commit 67231f89093d457e34144523f5df91ee9179d80a Author: John Bowman Date: Tue Apr 19 08:05:31 2005 -0600 Fixed more bugs associated with new parser. commit d89c1d9bd4147a4092c649c66385e7dffbc421df Author: John Bowman Date: Tue Apr 19 01:31:02 2005 -0600 filebuf should not be static; fixed error message. commit 1e1ab85794f8d88e80f177589caae6acac902cae Author: John Bowman Date: Tue Apr 19 01:25:18 2005 -0600 Interactive input command now checks for a directory or null file. Print an error if input file can't be loaded. commit cda4516bea221edaa2339a64026e1a6553a26110 Author: John Bowman Date: Mon Apr 18 23:35:01 2005 -0600 Make execute() autoload plain (and any gui file) again. commit e195f1e0c091671f0febfee7de49600f40cb3313 Author: John Bowman Date: Mon Apr 18 23:28:58 2005 -0600 Re-added new parser, with fixes for standard input bugs (including a segmentation fault with -p option). Attempting to read a directory or a null file now returns "error: could not load module" instead of generating an exception. commit 09533e92fde1b398234d49c3cf3ce417e2a0cc90 Author: John Bowman Date: Mon Apr 18 23:24:33 2005 -0600 Changed default value of axislabelmargin to 1. commit 0e2f1993a3e95a94ac377fe22a3a5b070bc3a656 Author: Tom Prince Date: Mon Apr 18 21:59:13 2005 -0600 Don't segfault on -p if we can't parse the file, but don't report an error. commit 3af70e113dcf07a2aa1c6d2fa7d9fa77b2104016 Author: John Bowman Date: Mon Apr 18 21:37:18 2005 -0600 Fixed cxx errors and and warnings; removed unused parser files. commit c8905be27a797dee9279c92d1c5caff98e362b62 Author: John Bowman Date: Mon Apr 18 21:10:28 2005 -0600 Revert to old parser until bugs in new parser are fixed. commit 4aa0fdc1d4eae3d12d6a6272b0d238f7e41fa447 Author: John Bowman Date: Mon Apr 18 00:50:08 2005 -0600 Fixed bug in csv mode when line mode is not set. commit fe1917dfb06755fdc2b20abc72ea1b50946636b0 Author: Tom Prince Date: Fri Apr 15 21:56:04 2005 -0600 runtime.pl updates. Actually use the generated code. commit 71b09f3e6517685436507d8aa2e383286dda1d7d Author: Tom Prince Date: Fri Apr 15 19:52:18 2005 -0600 Typos. commit b5dfef4fc8493cf776971b3a2b93c1739b576cfe Author: Tom Prince Date: Fri Apr 15 19:45:07 2005 -0600 inst.h cleanups. commit 4bad5844e10b0e5cb468b19f58fbdeaad3fb6c1e Author: Tom Prince Date: Fri Apr 15 18:42:28 2005 -0600 Implement type query for vm::item. commit 37eba3e42671869e76f88b9335f073cc9637aa1c Author: Tom Prince Date: Fri Apr 15 18:24:59 2005 -0600 We use item to store string* in inst. commit 82d1da4d0d5420e0252417c1384d7408c269b2a5 Author: Tom Prince Date: Fri Apr 15 17:21:55 2005 -0600 Fixes for runtime.pl script. commit 443ad0a35821d4d6ce45bca04df4272fe34c3499 Author: Tom Prince Date: Fri Apr 15 16:00:18 2005 -0600 Fixes for runtime.pl script. commit 87fe09e70703c07c66eb0b811c2f0245d63bfd3b Author: Tom Prince Date: Fri Apr 15 15:36:25 2005 -0600 Initial runtime.pl script. commit 38f76e10894a6d8450762115e066c09385dc317e Author: Tom Prince Date: Thu Apr 14 11:16:21 2005 -0600 Add eval. commit 18cb497cb2e9f488eaf8910d9c5dadf0d35f62ed Author: Tom Prince Date: Thu Apr 14 11:06:44 2005 -0600 Move interactive logic out of genv to main. commit 5bac10bbd4d407eb506985b7af796dcab599d462 Author: John Bowman Date: Thu Apr 14 07:40:55 2005 -0600 Interactive mode update. commit 60d2b0b790ac486e1952c53d6095e382c4a8194d Author: John Bowman Date: Wed Apr 13 21:43:07 2005 -0600 Incremented version to 0.75cvs. commit 316edfa9afeef1c80437dd321ab1d10cae708e5a Author: John Bowman Date: Wed Apr 13 21:10:38 2005 -0600 Removed figures with shading since from manual since many printers don't understand PostScript 3. commit f90afa0a8d7e062798a95fed2f7b5126c5559263 Author: John Bowman Date: Wed Apr 13 20:42:00 2005 -0600 Reduced default number of colors in images to work around postscript/pdf limitations (this prevented recent manuals from being printed). commit 5e4394905b9e0e82b2e6c605078a5b2e537c060e Author: John Bowman Date: Wed Apr 13 20:09:21 2005 -0600 Fixed segmentation fault in version 0.73. commit 7fe32aa7421f75d291fef1ad9c198648f3eedebe Author: Tom Prince Date: Wed Apr 13 18:48:48 2005 -0600 overloaded::simplify() handles allocation. commit 48c82ff272e05b3261f9400cedf5e1b6800107c2 Author: Tom Prince Date: Wed Apr 13 17:57:38 2005 -0600 Make vm::frames extendable, and make function excplicitly allocate their local variables. This might be a first step towards true interactive support or caching modules from one run to another. commit 104205234175695f554c13863db24a3c70194eb9 Author: John Bowman Date: Wed Apr 13 11:07:58 2005 -0600 Incremented version to 0.74cvs. commit 8b10e5c0d5048747ab3d671896ad4169463631ba Author: John Bowman Date: Wed Apr 13 11:00:39 2005 -0600 Make nullpath static. commit 000be41e1427bbcd86f1dcad074b91f2829bb91b Author: John Bowman Date: Wed Apr 13 09:58:55 2005 -0600 Minor updates. commit 3c6b9228e36e265a21d65a54ea86153b863a5848 Author: John Bowman Date: Wed Apr 13 09:44:54 2005 -0600 Push constructed objects as pointers. commit 3ac7a1842c014483bd0ce489a1176fa6b7106f7a Author: John Bowman Date: Wed Apr 13 09:04:07 2005 -0600 Fixed sign of virtual assembly code line numbers. commit ab5db84bedf07c340eefd9c0f72bf1782d836b5b Author: John Bowman Date: Wed Apr 13 06:21:17 2005 -0600 Fixed more warning messages. commit f41dbb672fbe2f05bab43eb36f4f408e234dcf04 Author: John Bowman Date: Wed Apr 13 05:36:59 2005 -0600 Accept cast of empty string to 0. Use string.empty() everywhere. Minor formatting changes. commit 0ae078e729359512169c0aa16b13a36aacfa1f3d Author: Tom Prince Date: Wed Apr 13 00:36:07 2005 -0600 Don't use boost iterator facade. commit 81641e23ec0ac8e8a022291f49b436e1f454e30e Author: Tom Prince Date: Wed Apr 13 00:16:15 2005 -0600 vm::item doesn't need to be memory::managed, since vm::frame is memory::managed_array. commit 3e39b59448d7c2b0d348ede3311879597100ce30 Author: Tom Prince Date: Wed Apr 13 00:04:31 2005 -0600 Fix absolute filename handling. commit e2d07ca8b0f71aeb4f904295096fea23b8394c27 Author: John Bowman Date: Tue Apr 12 23:41:53 2005 -0600 Fixed more cxx warnings. commit 5e9180ebefbfcf3d44264334874c4864c37db611 Author: John Bowman Date: Tue Apr 12 23:21:02 2005 -0600 Fixed cxx warning messages. commit c34996b55b48be33456a09b8e8bffef6eab6fbf5 Author: John Bowman Date: Tue Apr 12 22:42:21 2005 -0600 Further minor optimizations. commit 33fea10d535c3369052e3078bef76ae00b218280 Author: John Bowman Date: Tue Apr 12 15:36:18 2005 -0600 Removed unused friend declaration. commit 9816dcbe2015e60696c5fe09405fe8bcbbb328ea Author: John Bowman Date: Tue Apr 12 14:26:17 2005 -0600 Replaced boost::any with a much faster type-safe union. commit b4d16cc3936034e92f13d30a447d7502fcbeb36f Author: Tom Prince Date: Tue Apr 12 14:17:09 2005 -0600 mathop's don't need vm::stack. commit d7e8f162b4a84765be14b3e606ee8fff5495fbcc Author: Tom Prince Date: Tue Apr 12 14:08:33 2005 -0600 Move curPos out of vm::stack. commit e2ece8085ce8d724a3083d2f1b6b0653e98928ba Author: Tom Prince Date: Mon Apr 11 19:21:59 2005 -0600 Push empty item instead of (void*)0. commit 363e45400250312be8c1d279f3023d4ca92bbb45 Author: Tom Prince Date: Mon Apr 11 14:42:08 2005 -0600 Seperate parser code from camp.l and genv.cc into parser.{h,cc}. commit 2a34bbe4e752a24048c78ce70065f717097b0e7b Author: Tom Prince Date: Mon Apr 11 14:40:13 2005 -0600 Change ./ to . in searchPath to avoid .//file.asy in messages. commit bac1145753ebaec03fb6b3f5b2241c5654e94eb0 Author: Tom Prince Date: Mon Apr 11 14:28:03 2005 -0600 Reimplement locateFile using std::string. commit 96eb620a356c8ab272184a1c469ec2fd664479d4 Author: John Bowman Date: Sat Apr 9 21:20:51 2005 -0600 Fixed texpreamble for multiple files and latex asy environment. commit 38d3c03b695d85569badcfe9fb9aeb4610c56508 Author: John Bowman Date: Sat Apr 9 16:26:50 2005 -0600 Removed nonscalable fonts. commit a1eb8324978e3f0b33de9661a4f9dfb6a110fd94 Author: John Bowman Date: Fri Apr 8 23:52:01 2005 -0600 box(frame), ellipse(frame), labelbox(frame), labelellipse(frame) now return the boundary as a guide. box(frame) and ellipse(frame) prepend to frame for filling with a background colour, as illustrated in hierarchy.asy. commit 3d0f99fbb29df1712b89770aea609b48125722fa Author: John Bowman Date: Fri Apr 8 14:54:13 2005 -0600 Example of labelellipse. commit 38150cacf871ccce9229949a2d554aef1961d2dc Author: John Bowman Date: Fri Apr 8 14:52:47 2005 -0600 Added ellipse(frame) and labelellipse(frame,string,position). Renamed bbox(frame) to box(frame) for consistency. commit bfe1bee3fb0c1517a66b579cdbea6f1e733585fb Author: John Bowman Date: Fri Apr 8 14:34:04 2005 -0600 Workaround for bug in build 1671 of gcc (version 3.3 20030304) under Darwin (MacOS). commit 1b488993fb4b2441b516b1f2751fa0fac0440df4 Author: Tom Prince Date: Wed Apr 6 20:39:19 2005 -0600 Cache *ip as reference rather than pointer. commit e0db3be7f2b80020578b4635757f7c8f5d944dfd Author: John Bowman Date: Wed Apr 6 15:46:08 2005 -0600 Added check to interrupt handler. commit 4354256eafa91c99d25dba3c69eca65e512547a8 Author: John Bowman Date: Wed Apr 6 14:01:41 2005 -0600 Fixed cxx warning messages. commit 296d16b5e2ef1aa8ec4a4a49e7b318bc894b8707 Author: John Bowman Date: Wed Apr 6 13:47:25 2005 -0600 Optimized main loop. commit c39ce074bb8014113bb9ec840940e614e42413e2 Author: Tom Prince Date: Wed Apr 6 00:20:40 2005 -0600 Use error from stack.cc instead of calling em->runtime directly. commit b6f76a0cdf5a809f9b1ea8d924fe28ed9938c148 Author: John Bowman Date: Tue Apr 5 22:53:43 2005 -0600 minor optimizations commit da6b2f87a556f0284e5f9809660702ad308f2797 Author: John Bowman Date: Tue Apr 5 19:31:54 2005 -0600 Reformatted. commit 59fe028e67d4a3b84275fd9816158ba2516c31c1 Author: Tom Prince Date: Tue Apr 5 11:46:44 2005 -0600 Operator precedence fix. commit e1d84cb8c07ca8562701bd2d6ff61286fb14f95e Author: Tom Prince Date: Tue Apr 5 08:42:47 2005 -0600 We don't use stack:ip any more. commit 66fcbb23572787b34cc11179118b76d458ea0f70 Author: Tom Prince Date: Tue Apr 5 08:39:25 2005 -0600 Reapply curPos patch. commit 59bedfb4736163ad1120e4eb920a3e10cf3383c2 Author: Tom Prince Date: Tue Apr 5 08:38:12 2005 -0600 Fix interactive error reporting. commit 8bd8b52a44235a69ee721600aad0b333c862f364 Author: Tom Prince Date: Tue Apr 5 01:15:37 2005 -0600 Track line numbers in position instead of fileinfo. commit 83faf517c935524837f4a50a1ad67b64b5babfce Author: Tom Prince Date: Tue Apr 5 01:13:43 2005 -0600 Don't access program.encode directly. commit a9d21f618d29a440b461d9da1b97084990329c6d Author: John Bowman Date: Mon Apr 4 14:22:06 2005 -0600 prepend should insert after beginning of layer commit caa47b3c4d394f7354307b1500d6086a05542b89 Author: John Bowman Date: Mon Apr 4 14:07:22 2005 -0600 Make empty() use nodes.empty() rather than nodes.size(). STL list portability fixes. commit 37bd8bfcf6ace390213d77ca1c584710c581b5f1 Author: John Bowman Date: Mon Apr 4 10:29:54 2005 -0600 Ignore crop() on an empty picture. commit 2ba6652285a4da64838decebe8a391b145a17b14 Author: John Bowman Date: Mon Apr 4 00:21:02 2005 -0600 Incremented version to 0.73cvs. commit e148d97f5d334b8c9101cc5e712bfdf43378b791 Author: John Bowman Date: Sun Apr 3 23:32:55 2005 -0600 Removed spurious blank tracing lines. commit 36d887d4c3996d03601515d384a66b4a8e5851ab Author: John Bowman Date: Sun Apr 3 23:06:37 2005 -0600 Revert fileposition changes again, due to segmentation fault with -vvvvv. Moved line-number tracing code into main loop. Avoid the need for the lastpos variable by moving stack s out of main loop in main.cc. commit d6dc468977be2cb8d78ad3cc934ea6848297edde Author: John Bowman Date: Sun Apr 3 21:33:06 2005 -0600 Reinstated new file position code w/segmentation fault bug fixed. commit 5016c706f314fd3edae339e179a0aae3fa4e56ac Author: John Bowman Date: Sun Apr 3 20:18:15 2005 -0600 Backout 2005-03-17 runtime file position changes to avoid a segmentation fault. commit a662c972a14f054fb8020b901dda548395fb08b1 Author: John Bowman Date: Sat Apr 2 22:38:47 2005 -0600 Check for space format specifier as well as plus in format(string,real). commit fa2c52036aec09d39c41660d615bc8478ea7adee Author: John Bowman Date: Sat Apr 2 22:21:30 2005 -0600 Removed deconstruct flag from picture in favour of group option to picture and frame add routines. Updated documentation. commit e5e5b81d881e8330e0800c9ed4f7062ac4f06215 Author: John Bowman Date: Sat Apr 2 17:29:41 2005 -0600 Added missing file. commit 519fb5f6221bea0b6a25b307b53cfc61b87aedd0 Author: John Bowman Date: Sat Apr 2 17:17:16 2005 -0600 Reimplemented deconstruction at a lower level to allow both pictures and frames to be deconstructed (or grouped with begingroup/endgroup). Deconstruction now works properly with clipping and erasing. commit 2eba6f6c6a39ff2db84ae9ca2a8700250a90c47b Author: John Bowman Date: Fri Apr 1 22:22:03 2005 -0600 Check that drawLabel::bounds is called before drawLabel::write. Remove unused setup code. commit 7c08dfff446cecac5832f32f94676ec2c565a33e Author: John Bowman Date: Fri Apr 1 12:37:28 2005 -0600 Added attach(pair,picture,frame) to automatically increase the picture size to accomodate adding a frame about a user coordinate. Added warning about erasing deconstructed pictures. Updated lineargraph and documentation to use attach. commit ec22ed8430fe48a777e50d0eabdd6068d2b97923 Author: John Bowman Date: Thu Mar 31 23:14:38 2005 -0600 Reset bounding box when prepending. commit 70a385b41d057ae2b2d4654d4443cd792c88cdb1 Author: John Bowman Date: Thu Mar 31 22:47:16 2005 -0600 Fixed label alignment vs. positioning transformation problem. Removed frame labelBox() in favour of void labelbox(frame); updated example. Make logarithmic checks in autoscale conditional. xlimits and ylimits now adjust deferred drawing bounds. Simplified bboxstack handling. Updated "errors" list. commit 218a1aec30e912b2163aa99d01b72e06f2884c71 Author: John Bowman Date: Thu Mar 31 15:37:05 2005 -0600 Revert configuration to only require boost headers. commit 52ca63f613a70900b70ceceb7487a23ba2e1bf75 Author: John Bowman Date: Thu Mar 31 13:15:17 2005 -0600 Backout boost fixes. commit 8f6948bbed2dec4684a2cc9250f4082703bf8340 Author: Tom Prince Date: Thu Mar 31 13:08:04 2005 -0600 Revert boost::filesystem changes. commit eb6083d2e0151c7eb1744d2e331e37ecdf3b61d4 Author: John Bowman Date: Thu Mar 31 01:22:29 2005 -0600 Added explicit linear equation solver; used to handle general matrix inversion. Fixed return type of real[][] * real[]. Hard coded 2x2 and 3x3 determinants. Update documentation. commit aaed4d5294abe74371a37b7a553a2db7be5e55c1 Author: John Bowman Date: Wed Mar 30 19:06:36 2005 -0600 Fixed cxx warning message. commit bf7b8df5f764ae59371c2aa91b77c07fa323a001 Author: John Bowman Date: Wed Mar 30 18:54:42 2005 -0600 Minor updates. commit 102a82598df9eebad1f7e92a59e5d2f2c0973704 Author: John Bowman Date: Wed Mar 30 18:15:06 2005 -0600 Added portable version of boost::filesystem for systems without boost library, in particular for linux-alpha cxx compiler. commit 203e724f777b81f73cf16f49d4833c54573281bb Author: John Bowman Date: Mon Mar 28 21:22:47 2005 -0600 Updated documentation. commit 26bfdbd489bd80c70c00d24d2b3eab19b5ad4e64 Author: John Bowman Date: Mon Mar 28 21:06:24 2005 -0600 Allow compatibility with older versions of autoconf. commit e93fb2dd08b2ea3c6ef7510369f5837e7c0dc489 Author: John Bowman Date: Mon Mar 28 17:11:35 2005 -0600 Updated configuration and documentation regarding boost-1.32.0 library. Improved format(string,real). Generalized histogram and changed order of arguments of frequency and histogram (bin boundaries are now given before the data). Fixed problems with Log(false,false). commit ea08512c386ea0e3068a3fcbc69ebe610d05371a Author: John Bowman Date: Fri Mar 25 11:56:40 2005 -0600 Cache drawelement bbox contributions where possible. Make bboxstack local to picture frame. commit 38b3478ce4eb79d069db1f492b937898c3b5b5dc Author: Tom Prince Date: Thu Mar 24 23:46:41 2005 -0600 We generate .png's. commit 36945d15e89b3f8799ebbc7e75d22bdf947de965 Author: Tom Prince Date: Thu Mar 24 20:51:59 2005 -0600 Don't have symbolToFile anymore. commit 9142a4fb926e4fbf87925d46dd9d568487af9335 Author: Tom Prince Date: Thu Mar 24 19:00:39 2005 -0600 Use boost::filesystem for find files to parse. Move file locating logic to locate.{cc,h}. commit 93557aea87b06de332ab234a23b7aceeb32be86a Author: John Bowman Date: Thu Mar 24 18:34:14 2005 -0600 Simplified legend examples. commit 8bae1619df7f3e202d595eebce4b549bcc0691a5 Author: John Bowman Date: Thu Mar 24 08:35:06 2005 -0600 Workaround makeinfo indentation bug. commit a20cafa013be9b196bd9d0d16e3fb99ae455a1e0 Author: John Bowman Date: Thu Mar 24 08:02:51 2005 -0600 Fixed typos. commit c3ba5df64f4fe77a8bc60a4e151da7a597832404 Author: John Bowman Date: Wed Mar 23 20:49:30 2005 -0600 Simplified example. commit 3638add962f94d5a7ab9b67836651af7cd9a8362 Author: Tom Prince Date: Wed Mar 23 20:13:13 2005 -0600 Have main load plain.asy and ${outname}.gui explicitly, rather than doing it implicitly in genv::genv(). commit be8225df1cfcc4b92d44e9fce54cd6562538f921 Author: John Bowman Date: Wed Mar 23 14:25:54 2005 -0600 optimized crop() commit d2e19f53b74698fc8711cfc20ca1940602998322 Author: Tom Prince Date: Wed Mar 23 11:14:24 2005 -0600 *** empty log message *** commit 3d72ae80c6a6ea6c1a2c58b5e5c086b8c920dd24 Author: John Bowman Date: Tue Mar 22 23:27:53 2005 -0600 Incremented version to 0.72cvs. commit 9713361a9c50528eff627030657649e2e7693d7d Author: John Bowman Date: Tue Mar 22 23:03:18 2005 -0600 Document leastsquare routine. commit 82c080b20250de2b5065be142f890c7a7fa1409a Author: John Bowman Date: Tue Mar 22 22:50:22 2005 -0600 Removed obsolete files. commit dd5dbfceb01f48c9a1119b93469cad6c05b7e0ed Author: John Bowman Date: Tue Mar 22 22:32:58 2005 -0600 Documented save() and restore(). Renamed linetest.asy to lines.asy. commit decbe43f004ee675a248521b2ffb487498541e74 Author: John Bowman Date: Tue Mar 22 21:51:41 2005 -0600 Added and documented Andy's drawline routine. commit 50858377e0e544f796e4ca2a5a8e87f090a03aa3 Author: Andy Hammerlindl Date: Tue Mar 22 21:43:51 2005 -0600 Added saving and restoring of the graphics state. commit c4a6cf35979b776be9c87ea2a94316662d90e5ec Author: John Bowman Date: Tue Mar 22 21:14:57 2005 -0600 Cache picture bounds. commit 6c8f487edf8437f5b644b60ee966c6ccceb53fd7 Author: John Bowman Date: Tue Mar 22 17:30:09 2005 -0600 Reinstated crop; use current value of userMin/userMax in xlimits and ylimits. commit e287b942d25b5c25a33ddaca210d5d6cc1660a2c Author: John Bowman Date: Tue Mar 22 15:05:30 2005 -0600 Added further legend example. commit 2608c42e32a1e9d5231cec42cd0a1316ce6e17e3 Author: Tom Prince Date: Tue Mar 22 10:25:12 2005 -0600 cxx doesn't like const objects in containers. commit de8cfe019ed7d54db013879124b035faa48a975c Author: John Bowman Date: Tue Mar 22 09:21:43 2005 -0600 Document alternative for legend fitting. commit 17d2b4039eff53dc9a683c3b31ba3e62a1ac4153 Author: John Bowman Date: Tue Mar 22 00:10:38 2005 -0600 More cxx warnings fixed. commit 37dee37bf464d8f25ea1de2733a1bc78629b6b23 Author: John Bowman Date: Mon Mar 21 23:56:46 2005 -0600 Fixed g++ warning messages. commit 534a66210790997c8a37bca0f481dcdc62cbd651 Author: John Bowman Date: Mon Mar 21 23:54:01 2005 -0600 Fixed warnings/errors under cxx. commit 65e4f31b4647b63d4cdf6f4874c6aa9fb73b248e Author: Tom Prince Date: Mon Mar 21 23:37:08 2005 -0600 Move vm::item to its own file. commit d3363bdad6baecad5c1960e35f26b9fa7a72a57e Author: Tom Prince Date: Mon Mar 21 23:32:30 2005 -0600 Header file cleanup. commit 5efd8d91def53af4ac8c74fd53944d87ca2a9e77 Author: John Bowman Date: Mon Mar 21 23:17:08 2005 -0600 Make legend a separate picture that can be positioned and aligned like any other picture (see lineargraph.asy example). The legend must now be explicitly added to the picture, for example, with add(point(E),legend(20E)); Palette also now returns a new picture. commit abde5ee31a1ee9014bf78832a4ebb6ad68db1f9c Author: John Bowman Date: Mon Mar 21 22:02:56 2005 -0600 Updated move limits to be compatible with SW alignment. commit a89a01614b66946253fc2324154744bc5eb93a61 Author: Tom Prince Date: Mon Mar 21 17:28:54 2005 -0600 Use free function vm::pop instead of vm::stack::pop. commit 7337e906dec5de1d9dd59e13df99914e0492b690 Author: Tom Prince Date: Mon Mar 21 17:27:31 2005 -0600 std::equal is much faster than explicit iteration. commit 1100fa20b52c550cf8802943ec4e552c2e298fa7 Author: Andy Hammerlindl Date: Mon Mar 21 13:31:47 2005 -0600 Replaced the implementation of solving guides into paths. Refactored the abstract syntax of operators. commit f9ff6a61a29c8df50659f730f98be728830c3e22 Author: John Bowman Date: Mon Mar 21 12:04:22 2005 -0600 Changed marker filltype default to NoFill. Introduced Above/Below and Crop/NoCrop variables. commit 9e96f3aa2e744d9561c4d13d8cc3a9ef983a7200 Author: John Bowman Date: Mon Mar 21 12:03:57 2005 -0600 Code cleanup. commit 9e6f2a3f6c0099ec6642567d96932f63683cd836 Author: Tom Prince Date: Mon Mar 21 11:06:20 2005 -0600 memory::insert(poolitem) was eating most of the runtime. Use std::deque instead of std::set. commit 4ad3c0531e5651b82d52ba87a77e9bd24c469b58 Author: John Bowman Date: Mon Mar 21 03:23:10 2005 -0600 Prepend only nonextended axes in current layer. Fixed xlimits and ylimits; removed obsolete crop() routine. Updated documentation. commit 8d5dfdfef662e70079daca1ab2d7eacde8aa157a Author: John Bowman Date: Sun Mar 20 19:48:04 2005 -0600 Draw axis on top of cardiod. commit 9c65b619f46aafa4f1740a246d5822f2759fa478 Author: John Bowman Date: Sun Mar 20 18:33:14 2005 -0600 By default, draw axes before other objects in current layer. Fixed frame alignment scaling. commit 50427ac154c38238346d706ca405a9c27fa94c3c Author: Tom Prince Date: Sun Mar 20 18:32:39 2005 -0600 Add include guards. commit 2559e39aa5e57726af10cbce4aa18fe4b072f3f9 Author: John Bowman Date: Sun Mar 20 18:12:50 2005 -0600 Added least-squares fit. commit d5790371c28c11ad3fb59e9639fa793d8774f897 Author: Tom Prince Date: Sun Mar 20 18:03:45 2005 -0600 Use free function vm::pop instead of vm::stack::pop. commit 2f9c6d87b5cbcafbd133f2778c902b6946630047 Author: John Bowman Date: Sat Mar 19 02:26:51 2005 -0600 Added append boolean option to output and xoutput. Omit "runtime" from error(). Added frame marker(path g, pen p=currentpen). commit 2930373bc264af10e3d75bd2e235f13c1a110cf8 Author: Tom Prince Date: Fri Mar 18 16:41:29 2005 -0600 Rename namespace mempool to memory. commit 6cc71345e7d4f8cee34a4dc04a64cc34c31a5b50 Author: Tom Prince Date: Fri Mar 18 16:23:24 2005 -0600 Add file headers to castop.h, mathop.h. commit 80e51aa8fea171856bab468c3e2da0ede814bbb1 Author: Tom Prince Date: Fri Mar 18 16:17:06 2005 -0600 Move all template runtime code into dedicated files castop.h and mathop.h. Cleanup all refrences to stack.h, so it isn't needlessly included. commit b6bfe0819d57b214d867d97667cc136795c66c0f Author: Tom Prince Date: Fri Mar 18 15:33:24 2005 -0600 Header include cleanup. commit 80effa0d6bb808717f83af951713fefa158962cf Author: John Bowman Date: Fri Mar 18 00:08:01 2005 -0600 Allow one to turn on autoscaling again with xlimits(infinity,infinity), etc. Accept an overall scaling of frame alignment shifts. commit 51d64fc33109cb620b83f7ea178af6c087bff5c0 Author: John Bowman Date: Thu Mar 17 23:32:30 2005 -0600 Fixed interaction of new automin/automax scale flags with xlimits/ylimits. Use a small tick by default for unlabelled intermediate decade ticks. commit 52e53208a208b0e56ff90abbbf3b9be38a2c02a7 Author: Tom Prince Date: Thu Mar 17 17:41:41 2005 -0600 Remove UNALIAS, since it is no longer needed. commit 397d1bf1f4f50b93574cb180a183c960774997f9 Author: Tom Prince Date: Thu Mar 17 17:33:16 2005 -0600 Simplify runtime file position reporting. commit 2e6f6c8542028bc6a00e040fbc2b86eb566d6cc9 Author: Tom Prince Date: Thu Mar 17 16:26:35 2005 -0600 Start refactoring stack::run. commit e84e3416c48b1dcc8a721d9e2878232748196081 Author: Tom Prince Date: Thu Mar 17 16:24:34 2005 -0600 Replace inst::alloc with inst::makefunc + inst::popcall. commit d7eba25b48d76a51b2b1b782304f6ef524dacf16 Author: Tom Prince Date: Thu Mar 17 16:16:44 2005 -0600 stack::globals is obsolete. Get rid of it. commit 20a985d093f7b8df432a47b88ee3cf7ef9e0b970 Author: Tom Prince Date: Wed Mar 16 23:38:04 2005 -0600 Fix return breakage. commit 0b5a5e6156eb4c79c6db84d48e2cf8c058a06586 Author: John Bowman Date: Wed Mar 16 23:09:05 2005 -0600 Don't draw logarithmic subticks by default when number of big ticks > 2. commit d5c5be3576859a1bbe7ed82d52cb1d8763c8c571 Author: John Bowman Date: Wed Mar 16 23:01:16 2005 -0600 Show 10 subticks by default for thinned logarithmic graphs. commit e10e7227dfc2f8207a0d50e08e6a30d7c874de78 Author: John Bowman Date: Wed Mar 16 22:17:20 2005 -0600 Fixed interactive line number reporting for files that are input. commit be0831999916b554453bb60f96d94adb69156270 Author: John Bowman Date: Wed Mar 16 16:32:31 2005 -0600 Fixed more cxx warning messages. commit 0b1916bf9c61187d2d9d2c5cbed0c4a49712443b Author: John Bowman Date: Wed Mar 16 15:52:12 2005 -0600 Fixed cxx unused variable warning messages. commit d4c280afadf164fe1539250a0dcdb1ca4e49ae63 Author: John Bowman Date: Wed Mar 16 15:35:40 2005 -0600 Added frame alignment (analogous to label alignment) for positioning frames on picture. Generalized and simplified palette bar interface by using frame alignment. Renamed addabout to add, drawabout to draw, fillabout to fill, and filldrawabout to filldraw. Updated documentation; added examples of frame alignment and histograms. commit 1289a2376a96ec8ec157bb6a794dce806be47808 Author: Tom Prince Date: Wed Mar 16 13:12:31 2005 -0600 A record (and module) is just a function that allows you to access its variables after it is done. Implement them this way. commit 062f45417029bba8694775bd9ca8450ec5c3b640 Author: Tom Prince Date: Wed Mar 16 11:44:40 2005 -0600 We don't use opcodes for functions any more, so remove instAccess. commit 5fb48426cf966b45cbd368c7f7cc5a0b40d23ff1 Author: John Bowman Date: Tue Mar 15 23:39:30 2005 -0600 Documented bool empty(frame). commit bfe787b7e336948ca51c21277dfd5c472b772779 Author: John Bowman Date: Tue Mar 15 23:26:58 2005 -0600 Changed arithmetic opcodes to functions. commit ee5d5b58d89b0a31b66ffab6bb610beac948cdcf Author: Tom Prince Date: Tue Mar 15 22:05:15 2005 -0600 We don't treat files specially, so get rid of class. commit 9db8586587d8c24499e0650400e4b90263c2c774 Author: John Bowman Date: Tue Mar 15 14:54:29 2005 -0600 Moved interrupt check into main loop. commit 6330fd67d2b69f53825b092e60afaaff12453044 Author: Tom Prince Date: Tue Mar 15 12:26:47 2005 -0600 The only symbols should be coming from symbol::trans(). commit eadcc002fb7d0cd06ead3e3744077c461ce12912 Author: Tom Prince Date: Tue Mar 15 12:25:12 2005 -0600 Use get<>() instead of any_cast<>(). commit afe9283bc03ed01aa5ed7987d3a5396ce045c72f Author: Tom Prince Date: Tue Mar 15 12:10:03 2005 -0600 Use $(OPTS) instead of $(OPT), which doesn't exsist. commit 4b10272ee1cecf6d708877603c95c8f107ff688d Author: John Bowman Date: Mon Mar 14 22:49:40 2005 -0600 Incremented version to 0.71cvs. commit 4dcca5a6ee04e4f29421bd24499152aa96fe4a40 Author: John Bowman Date: Mon Mar 14 22:33:12 2005 -0600 Added missing #endif. commit 383b26609aa5102f7d342736bfef372d4c21c6ce Author: John Bowman Date: Mon Mar 14 22:32:02 2005 -0600 Fixed preprocessor conditionals. commit 0e07ff07bb3f2137aa47507892c4ab24c168b0e3 Author: John Bowman Date: Mon Mar 14 22:18:31 2005 -0600 Fixed dummy fpu exception support for machines lacking C99 fenv routines. commit 2e0ab93f26d039a7cba2e13cd6464c747e9b3ea7 Author: John Bowman Date: Mon Mar 14 21:48:27 2005 -0600 Removed reference to deleted xdr files. Added gv sigint.patch to prevent interactive interrupts from closing the gv window. commit 80ce8944a5b5832e3f1e1d4ffbf7fea40b54f33d Author: John Bowman Date: Mon Mar 14 21:46:14 2005 -0600 Added missing prototypes for cxx compiler. commit 63779cce323b91fa6281ba6bd068650097a3a762 Author: John Bowman Date: Mon Mar 14 21:31:12 2005 -0600 Improved error and interrupt (ctrl-c) handling in interactive mode. Mask floating point errors by default in interactive mode. By first issuing an explicit reset command, code can now be entered prior to executing an interactive input commands. Added scroll(int n) and string cd(string) commands. Added Jn and Yn Bessel functions. commit ec1b3228b405a1a100345c0efe421798b096da6e Author: John Bowman Date: Sun Mar 13 22:38:38 2005 -0600 Fixed bug in extension with a robust (and faster) parametric solver. commit a7c355ff72ea19fd57cc3e1989875beb792ca9c3 Author: John Bowman Date: Sat Mar 12 05:25:01 2005 -0600 Added -bw option to convert all colors to black and white. Removed double(file) in favour of single(file,false); also added csv(file,false) and linemode(file,false). commit d0f6dd2c556dd61fa48a2eb28a531d9016a40cf5 Author: John Bowman Date: Sat Mar 12 04:19:52 2005 -0600 Minor change to palette interface. Replaced image.asy with more compact example to reduce distributed file sizes. commit efb59b62abef788b02fb99676f9d3fb79ef69d03 Author: John Bowman Date: Sat Mar 12 02:22:59 2005 -0600 Removed textpen argument from image labels. commit c041cbd3576922d0756468e12bc919a6c346d724 Author: John Bowman Date: Sat Mar 12 01:57:32 2005 -0600 Fixed image support for pstoedit asy backend. commit 035fe65aa42f296fe516a61c46fbf25938bbb7ca Author: John Bowman Date: Thu Mar 10 19:01:45 2005 -0600 Thin crowded logarithmic axis. commit 4d60967bba5f19dc2b2538cb02a42f4cfa8ad394 Author: John Bowman Date: Thu Mar 10 17:20:02 2005 -0600 Updated examples to use XEquals rather than xequals. commit 4d127046c1aeaf8bebc840ed2ed09893e006b96f Author: John Bowman Date: Thu Mar 10 17:12:52 2005 -0600 Generalized secondary axes to handle any scaling (e.g. logarithmic) and removed the two bool options (no longer needed). Improved tick divisor calculation when automin=false and automax=false. Added and documented file double(file) to complement file single(file) for setting the precision of real XDR reads and writes. Cleaned up automin and automax in scaleT and autoscaleT. commit 6e65c7e185989b36577c5c93892e246c4795f246 Author: John Bowman Date: Thu Mar 10 08:21:59 2005 -0600 Removed unneeded -I- compilation flag. commit 595553923d62ae661cfb3d0aa2b40dccd6a1fe55 Author: John Bowman Date: Wed Mar 9 23:53:24 2005 -0600 Incremented version to 0.70cvs. commit 477df127590bb09da07214bcb04c7c1f84a9ca94 Author: John Bowman Date: Wed Mar 9 23:34:58 2005 -0600 Install xdr image in examples directory. commit a235c2ad03054ff8c75e5386ac8c5e9f0b6fd5ed Author: John Bowman Date: Wed Mar 9 23:21:56 2005 -0600 Fixed warning message. commit b049cd6f95bad9bb455aaae5e88778b2d83b39c5 Author: John Bowman Date: Wed Mar 9 22:53:55 2005 -0600 Fixed font. commit 004fbe06c5160327d3e0d57e285bceca1d4309db Author: John Bowman Date: Wed Mar 9 22:44:32 2005 -0600 Recommended use of XEquals and YEquals axes over internal xequals and yequals routines. commit aed4ec201a50e40d2eb0215defb879fccab7dfde Author: John Bowman Date: Wed Mar 9 22:20:38 2005 -0600 Suppressed misleading warning message. commit 57fa041fe8d124e9e1dad7125ae5220686fa8a45 Author: John Bowman Date: Wed Mar 9 21:47:55 2005 -0600 New example. commit 143a26dcb567685d0ce5929e89dcb4b8b23f413d Author: John Bowman Date: Wed Mar 9 21:42:55 2005 -0600 Fixed numerical precision bug in extension (in math.asy, reported by Gao). commit 3c3f932905cf0868c195752793d10c6df1a03daa Author: John Bowman Date: Wed Mar 9 21:07:45 2005 -0600 Fixed secondary axis tick selection; Improved tick selection for crowded axis when automin or automax=false. Added n-point unit cross routine. Added Grayscale and Rainbow palettes. Documented color density images, palettes, and mark option to draw routine, with examples. commit 8b0eaeda7aaca5029fa1f0924520cd06fe30d303 Author: John Bowman Date: Tue Mar 8 23:34:28 2005 -0600 Slightly reduce default number of colors to workaround gs pdf limitations. commit 6d2e05fe3e90fdb73704ea448f7dbfd339f5bcfe Author: John Bowman Date: Mon Mar 7 23:56:26 2005 -0600 Added missing file. commit 74f2191aa08dc4fdfb950d6d6f10e99cb1b1f72e Author: John Bowman Date: Mon Mar 7 23:31:44 2005 -0600 Added support for generating image density plots and palettes. Added support for data markers, including cross, plus, and polygon markers. Added min and max functions for 2d and 3d arrays. Fixed tick divisors in secondary axes. Deep copy path arrays to avoid suprises. Fixed limits() in graph.asy. Respect "#" in format strings (allows trailing zeros). commit e9c130603cd14c2f9261748346df2ee80a32b3a6 Author: John Bowman Date: Sat Mar 5 13:16:18 2005 -0600 More general example of secondary axis. commit eef695ff4e84a60a0fa0d58cc0a818b9d2c33f7e Author: John Bowman Date: Sat Mar 5 13:14:54 2005 -0600 Fixed secondary axes bug; xlimits, ylimits, and limits now use properly scaled user values. commit 1469b143e3743035b7ffe4304bfbba9c061de31e Author: John Bowman Date: Sun Feb 27 21:51:58 2005 -0600 Minor optimizations. commit 16be11de9bfed8e2983390a7d1707c7c8a5b2b8e Author: John Bowman Date: Sun Feb 27 12:40:32 2005 -0600 Adjusted margins so that arrows all have same length. commit 8940ceb61e0415275a2b7265b27a3fe34fcb7c6a Author: John Bowman Date: Sun Feb 27 12:23:50 2005 -0600 Updates to support Microsoft Windows. commit dc010b20c1564f1a064b8cff721693a095136ece Author: John Bowman Date: Sun Feb 27 10:49:10 2005 -0600 Fixed finite(pair). commit e2452b93245390c6864dd50a65a0fdbd2d24e361 Author: John Bowman Date: Sun Feb 27 06:29:47 2005 -0600 Incremented version to 0.69cvs. commit 284f5e02bf7f045ab6821cc1c26ba10ab7f0c0e8 Author: John Bowman Date: Sun Feb 27 05:59:56 2005 -0600 Added Andy's constraint removal code for even better simplex optimization. commit 9e276662765e27ac0b8f8bc53e9ea0885598edb7 Author: John Bowman Date: Sat Feb 26 23:14:35 2005 -0600 Updated to use Margin rather than subpath. commit 9f1d95c1a9fa14497433f86fa5e523cae1d28b3d Author: John Bowman Date: Sat Feb 26 23:00:33 2005 -0600 Incremented version to 0.68cvs. commit e1193e95f3a895b2436d75d50f8f73d69607de77 Author: John Bowman Date: Sat Feb 26 20:48:49 2005 -0600 Initialize font explicitly to ensure compatibility between tex pipe and final latex processing and to ensure tex pipe font is properly reinitialized. If picture cannot be fit to requested size, scale size by sqrt(2) and retry. Added gv-3.6.1 patches; updated documentation. Modified pstoedit patch to remove unneeded shipout(). commit f1526a9885d8746dfbccefc4a3f3d48816535145 Author: John Bowman Date: Sat Feb 26 15:55:50 2005 -0600 arrowsize updates commit ba482f250756a7ee89fc7df79392230497bab022 Author: John Bowman Date: Sat Feb 26 02:23:43 2005 -0600 Removed superflous constraints before solving linear programming problem. commit aacb768217a0a0ddf10d7b2a55e9d8da8462bf75 Author: John Bowman Date: Fri Feb 25 23:51:35 2005 -0600 Check that r.c >= 0 in selectVar (this guarantees that r.t[col] < 0). commit 68f312a4eaca8c4925e21ba8d3436c3126d3a79b Author: John Bowman Date: Fri Feb 25 21:31:21 2005 -0600 Optimized simplex pivoting. Made global constants static. Fixed recently introduced error in relative(picture, pair). commit 0abdc841e8ec1ad324258ab524cab6c7d80469e4 Author: John Bowman Date: Fri Feb 25 12:11:52 2005 -0600 Minor errorbar updates. commit 1913234e5ee42aa76300e99a70b0792902a8d2ee Author: John Bowman Date: Fri Feb 25 12:11:20 2005 -0600 arrowsize updates commit df425036e10f798c76c6365bb24829756bbebf5f Author: John Bowman Date: Tue Feb 22 00:41:54 2005 -0600 Incremented version to 0.67cvs. commit 28f501a320b2177f7f89546088c3099dba9414eb Author: John Bowman Date: Mon Feb 21 23:41:21 2005 -0600 Improved selection highlighting in GUI. commit 5c106d79c1aef1fd3bd9d9d91d93a1e0013d428d Author: John Bowman Date: Mon Feb 21 00:12:23 2005 -0600 Put quotes around outputted font command string. Set camp::TeXcontaminated to false upon decontaminating. commit a861c5bd3d1d6333fcde9290442726b3b06bc538 Author: John Bowman Date: Sun Feb 20 22:57:04 2005 -0600 Moved interactive rejectline code back into main.cc. commit 16e08c8092a9c7e639629cd36870c407dcde1f1e Author: John Bowman Date: Sun Feb 20 22:16:09 2005 -0600 Moved cleanup functions into exitFunction. commit 4c195053d81f69264b9421d77302fae11dbdb7bc Author: John Bowman Date: Sun Feb 20 21:41:20 2005 -0600 Added atexit function. A shipout() command is added implicitly at file exit if no previous shipout commands have been executed. The examples were updated to remove any unnecessary shipout() calls. Used atexit to clean up asymptote.sty and interactive mode. Files with no drawing commands now work with -f pdf. commit 503dbcab8b4dc6b733411ef0e9ac21074ecffa48 Author: John Bowman Date: Sun Feb 20 03:07:38 2005 -0600 Fixed (logarithmic and other) scalings of XEquals and YEquals axes and errorbars. commit 7547285f427c4996be8f1dadc0dd5af8c1d7536c Author: John Bowman Date: Sun Feb 20 02:28:25 2005 -0600 Fixed typo. commit 604d36b68a3f98a069991f0983d6b31807cdbb9b Author: John Bowman Date: Sun Feb 20 02:25:04 2005 -0600 Incremented version to 0.66cvs. commit ad29e30984369623437ef0fa56d92524a1288668 Author: John Bowman Date: Sun Feb 20 01:47:46 2005 -0600 Fixed location of latexusage.tex. commit 0558d6d8a9e537a64e6d9b7c831d7e0bd112faa5 Author: John Bowman Date: Sun Feb 20 01:39:25 2005 -0600 Incremented version to 0.65cvs. commit cfcc1092d054a6061a4f73f9fd5143210e7b1941 Author: John Bowman Date: Sun Feb 20 00:28:21 2005 -0600 Fixed typos in example. commit e516236e2a4ffc85d6d0c090a80fd81ad672dec1 Author: John Bowman Date: Sun Feb 20 00:19:39 2005 -0600 Updated examples. commit a59e528a1131c3a2907deed7ee227e0ef74d6f0b Author: John Bowman Date: Sun Feb 20 00:00:14 2005 -0600 Linewidth change. commit ff81aec247f38be5090c29d298cfefeae69e157c Author: John Bowman Date: Sat Feb 19 23:57:01 2005 -0600 Added DotMargin margin qualifier. Updated examples to use margins. commit 66f4587e49213cfd0cd2cbcbbef58655199716f2 Author: John Bowman Date: Sat Feb 19 22:40:42 2005 -0600 Added errorbar routines to graph.asy. Changed arrowhead and dimension bar default size specifiers: arrowsize to arrowsize(pen p=currentpen), arcarrowsize to arcarrowsize(pen p=currentpen), barsize to barsize(pen p=currentpen). commit 9fadc21370ae167e70248a450697484588319944 Author: John Bowman Date: Sat Feb 19 19:29:46 2005 -0600 Fixed bug in eval(f(T), T[] A). commit 8b4466afa40e9e7cc5e9db290adf4935989ca988 Author: John Bowman Date: Sat Feb 19 12:35:38 2005 -0600 Documented real[] A vs. real A[] issue. commit 67e6e3ceaabcbf04544194124c85ecd5c0a074e4 Author: John Bowman Date: Sat Feb 19 11:50:51 2005 -0600 Documented and improved margin routines. Included correct latexusage file in documentation. commit 9498e0af1d4f38f833b52f3620ab24d089dee94c Author: John Bowman Date: Sat Feb 19 00:32:16 2005 -0600 Added Margin, PenMargin, and TrueMargin drawing qualifiers. Fixed name conflicts between asymptote.sty and comment.sty. Install latexusage.tex with examples. commit 38bb78c422e9bd2d3675046a467f6252ebd14678 Author: John Bowman Date: Fri Feb 18 16:07:55 2005 -0600 Fix diagnostic. commit 29aff167ca03ef67f70ac1b62d1b98c9dac71606 Author: John Bowman Date: Fri Feb 18 15:13:16 2005 -0600 Fixed segmentation fault in anonymous function diagnostic. commit 9047b90269425c9cfc3b9b5cde15fa9d77caec73 Author: John Bowman Date: Fri Feb 18 03:32:37 2005 -0600 Incremented version to 0.64cvs. commit fcd9f40af610b0609d9c9f4cf6f41fa24e430a64 Author: John Bowman Date: Fri Feb 18 02:54:40 2005 -0600 Reset lastpen on every call to texinit. commit e03473a1d037f7527a28bda91860a854fd41bfe0 Author: John Bowman Date: Fri Feb 18 02:32:44 2005 -0600 Fixed harmless typo. commit debec9e2457a43185d6fd8eabd325bd73f609e21 Author: John Bowman Date: Fri Feb 18 02:28:13 2005 -0600 Incremented version to 0.63cvs. commit 8db8d6d2443535dc5767219c703b6df6ca66ec18 Author: John Bowman Date: Fri Feb 18 01:27:57 2005 -0600 Fixed shading colorspace & fillrule/baseline output strings; removed unwanted space from gsave/grestore. commit 9bf7f08f84a6cade9d9fd51998411615b4afd1b9 Author: John Bowman Date: Fri Feb 18 00:38:20 2005 -0600 Added basealign pen type to align labels using the TeX baseline, if applicable, rather than using the full bounding box. (The default continues to be nobasealign). Documentation improved in several areas. commit 28a03b437f7c1e00608b6c2f907c60fe2f2ee616 Author: John Bowman Date: Thu Feb 17 08:57:51 2005 -0600 Added missing include. commit 6eef3163b0df65b4befb9c1d7e4e86c81ebf62cb Author: John Bowman Date: Thu Feb 17 01:02:35 2005 -0600 Simple example of label positioning. commit 8ffd567418105a39206bf034ea3ec903c5735278 Author: John Bowman Date: Thu Feb 17 00:56:21 2005 -0600 Corrected index entry. commit 5d3675110563d25e16b6f9c8079661425c1edfaf Author: John Bowman Date: Thu Feb 17 00:54:19 2005 -0600 Workaround broken cxx linux-alpha headers. commit 7f051aef9efdc4169d33bf295471e63d492d94a3 Author: John Bowman Date: Thu Feb 17 00:38:29 2005 -0600 EPS files (and other formats supported by \includegraphics) can now be included and positioned just like any other LaTeX label (the include function has been changed to return a string containing an includegraphics command that can be used with label). Added image support to pstoedit backend. Fixed compilation problems under Solaris. Updated documentation. commit fa4a2ff2a63cae4e99ba06d3aad15ab8b8033640 Author: Tom Prince Date: Wed Feb 16 11:43:22 2005 -0600 CFLAGS is already subst'd by AC_PROG_CC. CXX defaults to g++ if it is available (AC_PROG_CXX). Define CC in Makefile if we get it from AC_PROG_CC. commit 733007c5d36fa7bf65d9aef914e28b1a82152b2a Author: John Bowman Date: Wed Feb 16 11:42:33 2005 -0600 Changed namespace absyn to absyntax to avoid conflicts with class of same name under some compilers. commit b05b2ab708733bd5da94b3868e36d174deb55394 Author: John Bowman Date: Wed Feb 16 11:24:02 2005 -0600 Namespace as -> absyn. commit fe7b0ca63585732565f21c040bc2a6b266276c94 Author: John Bowman Date: Wed Feb 16 11:18:44 2005 -0600 Namespace as -> absyn. commit 3778ce248900af52939f5baa8db7e9dd18593603 Author: John Bowman Date: Wed Feb 16 11:14:02 2005 -0600 Renamed namespace "as" to "absyn" to work around Solaris namespace pollution. Added CXX=g++ to configure.ac and removed -DNDEBUG flag. commit 797f13b0fc7dd233f0248a7aaf4f9a6218f38abb Author: John Bowman Date: Tue Feb 15 22:23:14 2005 -0600 Clip should insert beginclip at beginning of current layer. commit 462f2955efdba755a3df16924dd41d216bbf2e62 Author: John Bowman Date: Tue Feb 15 17:46:32 2005 -0600 Reinstated underlying frame clipping for picture clipping (with transform bug fix), allowing picture unfill to be properly implemented (using frame unfill). Moved beginclip, endclip, gsave, and grestore to pstoedit.asy. Fixed remaining gsave/grestore bugs in Asymptote backend to pstoedit. commit 303435f4e3c52d1b38f5d31a32685dff9ea71a6e Author: John Bowman Date: Tue Feb 15 02:01:03 2005 -0600 Code clean up; added pair min(path[]) and max(path[]) functions. commit 6260496285c2a9c87e6d7891e8021c4134ab55b8 Author: John Bowman Date: Mon Feb 14 23:25:28 2005 -0600 Incremented version to 0.62cvs. commit ed62a98eee707e36126ee3acc513bb11763c0b5e Author: John Bowman Date: Mon Feb 14 21:39:00 2005 -0600 New examples. commit b7b089209392247a58749f86a76e5e5c356589c9 Author: John Bowman Date: Mon Feb 14 20:57:01 2005 -0600 Added PostScript grestore/gsave objects. commit 3a83a424a915fdf048da7ab98b60bd081a65696b Author: John Bowman Date: Mon Feb 14 20:54:11 2005 -0600 Fixed spelling and grammar. commit 8ac3bec8f6df31f5f83f22eb07b5eb55842b343f Author: John Bowman Date: Mon Feb 14 19:01:27 2005 -0600 Added Asymptote backend and support for pstoedit, including native clipping and subpaths. Added Postscript font and scaled TeX font support. commit 7009ba7329eeca33c7dc4d176639ddc104e276f6 Author: John Bowman Date: Sun Feb 13 15:57:10 2005 -0600 Added warning message and documentation about clipping deconstructed objects. commit 6aa5b38b9a6e94362fc66fd753e6bf7a0a974138 Author: John Bowman Date: Sun Feb 13 15:36:46 2005 -0600 Added -gray option. commit df0db34958b4ec086fa2a317ecb7dd79306bf6fd Author: John Bowman Date: Sun Feb 13 12:21:41 2005 -0600 Install documentation examples and data files in examples directory. commit ccc354b08dc5706fe0383ee6ea2b072f827bf975 Author: John Bowman Date: Sun Feb 13 12:08:12 2005 -0600 Reimplemented picture clipping to fix transformation and layering of clipped pictures. Use correct font and fontsize for computing label bounding boxes. Use -O0 for producing dependency data. commit e9464de788fc1d24dd60aae8937f41b855c322f0 Author: John Bowman Date: Sat Feb 12 03:26:46 2005 -0600 Added background variable. commit 22252bdf84499d5ecdf09809d857700722257cb1 Author: John Bowman Date: Sat Feb 12 03:21:42 2005 -0600 Added drawing, filling, and clipping of compound paths built up with a pen lift (moveto) operator ^^ instead of --. Added functions to unfill a region to transparent background. Added zerowinding and evenodd pen types for filling and clipping. Introduced pen types squarecap, roundcap, extendcap, miterjoin, roundjoin, beveljoin to replace linecap(Square) calls, etc. Added checker pattern. Added LaTeX NFSS and TeX fonts and ability to override default baselineskip. Fixed bug in LaTeX rotation angle output format. Added contributed tree drawing script and example. Updated documentation. commit d367e8c404772a6dd98e54466742fe8b12fa8a12 Author: John Bowman Date: Wed Feb 9 09:08:27 2005 -0600 Editing mode updates. commit 51dd70f15ee70c193ca5d9c6e9869fb2fcb553fd Author: John Bowman Date: Wed Feb 9 08:40:20 2005 -0600 Renamed labelframe to labelBox; added labelbox(frame). commit 9716d767e81de011dd47e9ecfeb2273cd2777337 Author: John Bowman Date: Tue Feb 8 23:46:20 2005 -0600 added labelframe and point(frame,dir) routines. commit 83cd63b559666d92876804f3999e996a54ca0c2a Author: Andy Hammerlindl Date: Tue Feb 8 15:45:32 2005 -0600 Changed string highlighting to recognize double \ escapes. commit 9bfdac4ea0f8b8d539402178c609761977b5a374 Author: John Bowman Date: Sat Feb 5 15:43:28 2005 -0600 Updated documentation and pattern examples. commit 673598b4cbfb40510d58a38fe50bdb9a222b9459 Author: John Bowman Date: Fri Feb 4 22:49:13 2005 -0600 Added brick pattern. commit 19ff72f4ba6f49669117bf4bad71b7427c25c9d4 Author: John Bowman Date: Fri Feb 4 16:15:16 2005 -0600 Added bool option to linetype to disable automatic scaling of linetype parameters with pen size. Fixed segmentation fault and float point exception in adjust_dash in drawpath.cc. Added bbox(Background) option for producing a nontransparent background. Moved simplified pattern routines and builtin patterns hatch, crosshatch, and tile to patterns.asy. Updated examples and documentation. commit 0a798b5693fd153883bd81789e8f7152a312cd71 Author: John Bowman Date: Thu Feb 3 21:05:37 2005 -0600 Fixed recently broken interact mode. commit d0302683ce91faa71fe83e1b9ce0021042916f2e Author: John Bowman Date: Thu Feb 3 13:18:20 2005 -0600 Moved default CFLAGS into configure.ac commit 7d40090cb009bca42e096cf60ca2b0d974fab4d1 Author: John Bowman Date: Wed Feb 2 13:16:31 2005 -0600 Fixed optimization flags (revert last change). commit 13fb05dc4824fb5677f386db5ba37068ee6e41dc Author: Tom Prince Date: Wed Feb 2 08:40:53 2005 -0600 Stanardize CFLAGS handling. commit fe1ee205fbe6928e6c9116fb5a6e7df5f253c823 Author: John Bowman Date: Wed Feb 2 06:16:25 2005 -0600 Fixed header problems under FreeBSD. commit 21def4fc8e07c0d718e73e1bb6cbf593a9823c34 Author: John Bowman Date: Wed Feb 2 00:54:33 2005 -0600 Incremented version to 0.61cvs. commit 3b6044c76830ccc27e5599c7f4184d5a050bc12f Author: John Bowman Date: Wed Feb 2 00:10:58 2005 -0600 Interactive mode automatically restarts ASYMPTOTE_PSVIEWER in case it exited. commit 597bcc238bdf57c1c5ee7b0be185a34d49c08304 Author: John Bowman Date: Wed Feb 2 00:07:24 2005 -0600 Added picture grid(int Nx, int Ny, pen p=currentpen) function for generating square lattices. commit cc7582773ec89abf83d53951301b9a849f6c958e Author: John Bowman Date: Wed Feb 2 00:04:57 2005 -0600 Simplified binary installation instructions; updated hatch.asy listing. commit c51f05c9af30d87e7f49f9a6ce27416e150a9327 Author: Tom Prince Date: Tue Feb 1 10:03:21 2005 -0600 Fix path solving. Strange place for a bug. commit 4046420fa38047ab48a6f9114d79f1b133844993 Author: John Bowman Date: Tue Feb 1 02:52:50 2005 -0600 Removed extra newline from diagnostic. commit d6c7d56a81c74dca0467f15941229101ceafaa28 Author: John Bowman Date: Tue Feb 1 01:43:33 2005 -0600 Fixed namespace/function conflicts. commit c9e796e9e170a82bc486199ba7716c64db6b99f2 Author: John Bowman Date: Tue Feb 1 01:33:26 2005 -0600 Fixed interactive mode to suppress standard I/O also from static imports. commit 2566e42a9a29888574606c717e01b459515eb122 Author: John Bowman Date: Mon Jan 31 21:41:57 2005 -0600 Fix rfind(string s, string t) and update documentation of string functions. commit 81522814d5593ac2f99a96b1f6827684f56a740b Author: John Bowman Date: Mon Jan 31 18:42:04 2005 -0600 Add facility for checking to see if a file exists, using bool error(file). commit 2d7bc86ef31d922d01e19e7bd7323d8a0e36c48c Author: John Bowman Date: Mon Jan 31 16:15:48 2005 -0600 Fixed multiple interactive shipouts in graphs with legends. commit d5510487a847ffbe3270d74042c68de4c2c88dca Author: John Bowman Date: Mon Jan 31 00:21:33 2005 -0600 Interactive mode now supports inputting files with multiple shipouts. Interactive mode disables deconstruction (xasy). commit c56e2e4c3b36897baa56333df2e5d8f481b20744 Author: John Bowman Date: Sun Jan 30 23:17:47 2005 -0600 Fixed endl and tab in plain.asy to produce C strings. Fixed recently broken include command. Renamed internal symbol ASYalign to more meaningful ASYbase in baseline. commit 872c389229301cfc209e2c0349503cf8d240d9b4 Author: John Bowman Date: Sun Jan 30 22:46:28 2005 -0600 Put file back into mempool by making typein and typeout variables rather than pointers. commit 18b1fef96c161127ea53f9f4780b131d4e2b4942 Author: John Bowman Date: Sun Jan 30 18:44:14 2005 -0600 Updated examples to use math.arc routine. commit d41eb28ef472b8ba83c21468b0b48d808feaa39c Author: John Bowman Date: Sun Jan 30 16:55:47 2005 -0600 Allow optional Asymptote commands to be specified on the same line as interactive input command. commit 5f5586572db63c8bc186ca36f5edc9b9dea978e9 Author: John Bowman Date: Sun Jan 30 12:15:01 2005 -0600 Buffer stdin in interactive mode. Changed Import to input, which includes code directly into Asymptote, so that the user has access to the same environment that the code sees. Cleaned up fileio and removed it from mempool due to conflict with iostream routines. commit b1d64a589218c621786a1af426d581c009a9e207 Author: John Bowman Date: Fri Jan 28 21:04:41 2005 -0600 Add baseline TeX code back into texfile.h from plain.asy. commit c9a85dae7aa090f26d84e035128594d78c1385e5 Author: John Bowman Date: Fri Jan 28 03:54:10 2005 -0600 Incremented version to 0.60cvs. commit 82e18a2effb5642baa92e296f1be7fe4b9cf60ee Author: John Bowman Date: Fri Jan 28 02:21:34 2005 -0600 Makedepend updates. commit e134133f3b4d137d42c842e3871e928c17e104a2 Author: John Bowman Date: Fri Jan 28 02:09:05 2005 -0600 More makefile tweaks. commit 71b7187f832f9726abd1f4ce7f7fa2402352e333 Author: John Bowman Date: Fri Jan 28 01:40:32 2005 -0600 Final makefile updates. commit 5ee54ce48e3536f51119f7ed27986f988558e4dd Author: John Bowman Date: Fri Jan 28 01:15:07 2005 -0600 Automatically check for broken rpc/xdr headers. commit 5dd8676e496112918d515d521ac1e5d76e0a7e58 Author: John Bowman Date: Fri Jan 28 00:01:20 2005 -0600 Fixed bounds to be consistent with behaviour of new quadratic solver. commit a6fae99ab1ab2214c4c0fb328d4248dd0ccd333b Author: John Bowman Date: Thu Jan 27 23:41:06 2005 -0600 Implemented robust, accurate quadratic equation solver (used in dirtime). commit 7deacc022138293f1b7ea337c6f3dadf15bd23d3 Author: John Bowman Date: Thu Jan 27 17:20:26 2005 -0600 Added getopt for systems without full GNU getopt support (e.g. cygwin, FreeBSD). Use "make all/make install" to produce/install both asy and man pages. commit d907ef68414f53dccfaf4726944fa072c265ad61 Author: Tom Prince Date: Thu Jan 27 01:30:12 2005 -0600 Better? quadratic routine. commit 34e5884ceacd46acd76abcc6debf987fc12a9d83 Author: Tom Prince Date: Wed Jan 26 12:06:22 2005 -0600 Use solveQuadratic for path::bounds as well. commit 697e218e413621cb7b0a78378df21562a92020bd Author: Tom Prince Date: Wed Jan 26 11:44:00 2005 -0600 Fix fuzz case in cubic dir. commit f8b8d7dab36c025d9d81714098c5d4fc6e992812 Author: Tom Prince Date: Wed Jan 26 11:37:55 2005 -0600 Duplicate code. commit e15a948eb7498d2ffa9c1c25fb65cdb617652e10 Author: John Bowman Date: Wed Jan 26 10:47:50 2005 -0600 Added fuzz to fix dirtime(unitcircle,dir(-45)) bug under make OPT=-g. commit 12eae75206190bbeb7ea03e695888e13d1e29d9f Author: John Bowman Date: Wed Jan 26 02:14:32 2005 -0600 Implemented all ANSI C character string escape sequences for C strings. Removed all escape sequences from TeX strings except for \", which maps to ". Added support for LaTeX babel package. Improved arc so that it coincides exactly with circle approximation for all angles. Added triangle arc routine to math.asy. Renamed gray to lightgray in the example files. commit ef94f1c7970998ed0489cb0ef1f071a37cf40df2 Author: John Bowman Date: Tue Jan 25 10:02:15 2005 -0600 Fixed explicit keyword (broken in dec.cc 1.8 on 2005-01-19). commit f1463209178ca79e93fbb7cc03f98ad04da070b7 Author: John Bowman Date: Sat Jan 22 02:55:26 2005 -0600 Renamed gray to lightgray; gray now means gray(0.5). Added colorPens and monoPens lists and boolean variable mono. commit a38f9e67b9ed8397b7404aad29d8213482dc185c Author: John Bowman Date: Sat Jan 22 01:14:42 2005 -0600 TRANSPARENT pen now has higher precedence that DEFCOLOR; also output "invisible" for this pen color. commit c0e19513dd8c5bc30401fb4b46e32285fdba45fb Author: John Bowman Date: Sat Jan 22 00:48:56 2005 -0600 Added checks on string position arguments. commit 6eb71920bb2d13c58629cd0c3edb21a3f4d4bc4e Author: Tom Prince Date: Fri Jan 21 07:44:46 2005 -0600 Handle invalid numbers gracefully. commit 004abb085554db987aaa582ce22bd2576470aab6 Author: John Bowman Date: Thu Jan 20 22:35:54 2005 -0600 Fixed cstring so that '\\' produces a backslash. commit aaaa207f4efee701f9e6455ef5faa481ad54888b Author: Tom Prince Date: Thu Jan 20 16:35:38 2005 -0600 Add C-style strings delimited by '. (e.g. '\n' instead of "\\n"). commit 53d04784fd7da27cb52c6b8e415a45ab1d893e2a Author: John Bowman Date: Thu Jan 20 04:14:02 2005 -0600 More arc improvements. commit 25ecd5c73477c683e502ff7c975c22b18a61f943 Author: John Bowman Date: Thu Jan 20 02:19:33 2005 -0600 Pdf updates. Added new arc routine and point/path utility functions. Added new examples and updates to feynman.asy. commit 8d06235ab386b7d48d2fadae59784a0e0ec0be33 Author: Tom Prince Date: Tue Jan 18 23:48:12 2005 -0600 *** empty log message *** commit f005d31b9780cbc30358ddbffc36c40e58f97348 Author: Tom Prince Date: Tue Jan 18 23:44:26 2005 -0600 Get rid of as::defaultExp, and store varinit* in signature instead. commit ac31ba07570ebdd6ecad5b8afd3b2dabf590ec33 Author: John Bowman Date: Tue Jan 18 23:38:39 2005 -0600 Minor bbox fuzz and alignment adjustments; fixed xasy alignment. commit e039fece159045e5d1bda711994fb98e06ddb0ec Author: John Bowman Date: Tue Jan 18 21:49:33 2005 -0600 Implementation of explicit keyword. commit ddeaaa28a0f5c2e26a3c805be6c6b49b9e86ca6f Author: Tom Prince Date: Tue Jan 18 21:16:10 2005 -0600 Oops. commit 8330481475bd533d754e87dd1b8650edbb379322 Author: Tom Prince Date: Tue Jan 18 21:14:34 2005 -0600 Fix makefile breakage. commit 9d18f68c3678138173cba1f115ec632a8e33a1be Author: Tom Prince Date: Tue Jan 18 21:07:13 2005 -0600 Don't rebuild asy if we don't need to. commit 61bb4a0506a9d7fa46840068bfd5b048b81d167b Author: Tom Prince Date: Tue Jan 18 19:33:16 2005 -0600 version.texi is autogenerated. commit 0b3dabb95ab57f0e71bf09251eddd761366f4a61 Author: Tom Prince Date: Tue Jan 18 12:25:05 2005 -0600 Make explicit a keyword to detect breakage. commit d2bcab30bdcb21e576b010b96450d86a1988869f Author: John Bowman Date: Tue Jan 18 01:24:50 2005 -0600 Inhibit output of null labels. commit 807c48f5f8381756758ae06feeabb17a4f9a8464 Author: John Bowman Date: Mon Jan 17 18:30:20 2005 -0600 Fixed antialiasing and gv -watch problems. commit 843c617b2423d9135ecd84c9f3b2762b96529363 Author: John Bowman Date: Mon Jan 17 16:11:34 2005 -0600 Incremented version to 0.59cvs. commit 6324cafe2759553d86759a9a61e03c30eb4757da Author: John Bowman Date: Sun Jan 16 22:43:30 2005 -0600 Updated new examples. commit fc09c78aadca65c061ecdab83c86f9f1a9433f10 Author: John Bowman Date: Sun Jan 16 22:35:30 2005 -0600 Fixed formatting. commit 696c6a83b7b0bd82b62220923f4f9c8b468da1a3 Author: John Bowman Date: Sun Jan 16 22:16:23 2005 -0600 Fixed warning message about unused variable. commit f7f31e8da553d0c4812d8cf548a1fa940597e61f Author: John Bowman Date: Sun Jan 16 21:54:49 2005 -0600 Added new entry. commit 5f23c77fa668e791364343dbb46ca120927c0beb Author: John Bowman Date: Sun Jan 16 21:45:57 2005 -0600 The default linetype, linewidth, fontsize, color, linecap, linejoin, and overwrite mode can now all be changed with the routine defaultpen(pen). Removed unused pen defaultpen() in favour of void defaultpen(), which resets all pen default attributes to their startup values. commit e2ecafd9b096d7e4a75010fecd60c45d2a600806 Author: John Bowman Date: Sun Jan 16 01:26:46 2005 -0600 Added missing == and != operators for struct tree. commit 412e97c76d466ae84a4e56ec076ca29c00999ae0 Author: John Bowman Date: Sun Jan 16 01:15:54 2005 -0600 Replaced defaultlinewidth and defaultfontsize commands with defaultpen(pen). Moved reset() into plain.asy. commit 179dcd0adea6b670da41fe33f84bf11cd6e3e205 Author: John Bowman Date: Sun Jan 16 00:11:03 2005 -0600 Added configure option to detect xdr/rpc header files. commit f9a3b185bc891daa6fd7d66f6d3233b730f5a152 Author: John Bowman Date: Sat Jan 15 18:45:32 2005 -0600 Fixed 2d graph bugs 1102574 and 1102396 and related bugs. Added XEquals and YEquals axis types. Allow all axis types to optionally extend to dimensions of picture; updated documentation. Simplified routine for drawing perpendicular symbols in math.asy. commit 76ac05ba021c34a68832d247b270e01ce4220a24 Author: Tom Prince Date: Fri Jan 14 15:30:51 2005 -0600 Store operands with opcode, rather than in the following inst. commit aef57d9197897694e6911f627c80a61d19080087 Author: Tom Prince Date: Wed Jan 12 12:45:37 2005 -0600 markTrans and markTransAsField are utility functions that don't need to be redefined. commit e1087baecb7ef73eff4d934cd25f027d6c4aed70 Author: Tom Prince Date: Wed Jan 12 12:36:53 2005 -0600 Clean up header file dependencies. commit c724002d32be1004787b82212cacbe4582f19ef9 Author: John Bowman Date: Wed Jan 12 11:17:35 2005 -0600 Made currentpen static. commit 1352343c1a7709c47e4fce15e68c521b1c22265f Author: John Bowman Date: Tue Jan 11 22:42:27 2005 -0600 Use $(MAKE) rather than make everywhere within Makefile. commit 5e84364254a41a0fe7d0a6cd12309885ee580beb Author: John Bowman Date: Tue Jan 11 22:14:09 2005 -0600 Increment version to 0.58cvs. commit 54eaa3dc057e3196c84465af73df75931ab6eee7 Author: John Bowman Date: Tue Jan 11 21:52:01 2005 -0600 Removed direction(path, real) and direction(path, int) in favour of dir(path, real t=1) and dir(path, int t=1). Added examples. commit c1a18de5cc1f5e30109c2ebe9712947c6420abc3 Author: John Bowman Date: Tue Jan 11 17:29:22 2005 -0600 Made overwrite mode a pen attribute; updated documentation. commit a5ccb6bc1b3a58cb9b44ae349b42ac4888ebceb9 Author: Tom Prince Date: Tue Jan 11 13:31:37 2005 -0600 symbol::trans accepts a std::string not a char*. commit 4d2e3f5c77081c4d761bae7df317606808b372f1 Author: Tom Prince Date: Tue Jan 11 13:30:26 2005 -0600 Fix typo in comment. commit 08c6e5a90e6d18b3dd4a9566ef9d61069bfa6e42 Author: John Bowman Date: Tue Jan 11 02:55:28 2005 -0600 Fixed infinite loop bug in overwrite mode. Added synonym dir(path,int) for direction(path,int), etc. commit 0255eb36c53d59fb955edd23c57cd8003202de08 Author: John Bowman Date: Mon Jan 10 22:04:30 2005 -0600 Fixed rgb to cmyk routine and added cmyk to rgb routine. Added -cmyk and -rgb command options. Made labelx and labely routines position labels consistently with axis routines by default. Generalized baseline routine and moved from texfile.cc into plain.asy. Adjusted logo for new labeling system. commit 9db1f8cf0de5a928a03399df79b7e8316ba340f6 Author: John Bowman Date: Sun Jan 9 18:10:02 2005 -0600 Increment version to 0.57cvs. commit c8cda1546a2579b1dbfd24b6d15abd49506e3bb9 Author: John Bowman Date: Sun Jan 9 17:16:50 2005 -0600 Make PSViewer and PDFViewer search conform to documented behaviour. commit 94572dc2968e18d4572302af3f830a66c7af8620 Author: John Bowman Date: Sun Jan 9 15:43:21 2005 -0600 Implemented radial gradient shading; updated documentation. commit 0f7766c8f6779ad7c5468be9945f2887a8be5ab1 Author: John Bowman Date: Sun Jan 9 12:35:09 2005 -0600 Make patterns work with xasy. An explicit picture is now required in order to specify preamble to shipout. Added scientific diagram and graphs to documentation to illustrate the minipage function, secondary axes, and the drawabout function. The new real[[] colors(pen) function returns the color components of a pen. commit cd537b6768ade3f2cdb7ba912ade0af6279021cd Author: John Bowman Date: Sun Jan 9 03:02:17 2005 -0600 Added tiling patterns and gradient shading. Added linecap and linejoin pen specifiers. Updated documentation with examples of new features. commit aaf64a2145422d16d037ee04b07ce2554ea79cfa Author: John Bowman Date: Thu Jan 6 21:47:04 2005 -0600 Minor interp and secondary axis updates. commit a373e2dcb2a74ee31114e131de29bfcb014e2541 Author: John Bowman Date: Thu Jan 6 16:28:55 2005 -0600 New postscript-coordinate shift option for label routines; pictures added to pictures now transform properly; updated documentation. commit 82c0764670b6a7f37ace3f5dda4875ee7ad05cf6 Author: John Bowman Date: Thu Jan 6 04:20:46 2005 -0600 Added secondary axis facility; fixed scaling bug. commit cf18a044a97393249e58865a01dbe5ed28308d56 Author: John Bowman Date: Thu Jan 6 04:19:12 2005 -0600 minor formatting. commit 0496fd3486693a313fe88a9a359839cfe21659db Author: John Bowman Date: Thu Jan 6 04:17:36 2005 -0600 Removed unused currentframe variable; updated documentation. commit 0c452d1f963e32f6e926bca7ec00fc396db2cb19 Author: John Bowman Date: Wed Jan 5 17:19:22 2005 -0600 Further csv and linemode updates. commit f14fd7bedf633f95bf0239e826dfbe5e5e380a58 Author: John Bowman Date: Wed Jan 5 10:21:16 2005 -0600 Fixed cvs+line mode bugs. commit 5ab4963be063b0f7d2dd775568187bde9ac900af Author: John Bowman Date: Wed Jan 5 10:20:56 2005 -0600 label positioning update commit 19e601b4bea4a9f290fb14f843e643da29f8c863 Author: John Bowman Date: Wed Jan 5 10:20:26 2005 -0600 minor formatting. commit 62e16369244e6571bcd88a369506fc3f1d4ade76 Author: John Bowman Date: Wed Jan 5 01:01:23 2005 -0600 Updated documentation. commit f63d68663956b533252bc0a78249e42d3696f20d Author: John Bowman Date: Wed Jan 5 00:38:08 2005 -0600 Fixed "label with arrow" routine. Removed outarrow in favour of drawabout. Updated documentation regarding new optional position argument of path labels (draw and drawabout). commit 40922670c83aac9b39075818d3bb7526cfd9f5d2 Author: John Bowman Date: Tue Jan 4 22:00:13 2005 -0600 Align labels before adding label bounding box fuzz. commit 1caf33aa48700401e8dab5c1935e8371e9075974 Author: John Bowman Date: Tue Jan 4 21:58:24 2005 -0600 Use math italic axis labels. commit 6dde5903fd8d69da16ac521a882378962fb28355 Author: John Bowman Date: Tue Jan 4 13:07:41 2005 -0600 Updated. commit e6b8f714ddbcedc1ccec4f01ddc619d9c38ccc25 Author: John Bowman Date: Tue Jan 4 13:05:08 2005 -0600 Added function name to "cannot call...with" error messages. commit 4a3368cbfb9236718c1b1a7b230cf1edb71aa4f1 Author: John Bowman Date: Tue Jan 4 01:34:48 2005 -0600 Improved and tightened label bounding box calculation. commit c8261d01c8415dea7b1fea9889fbf944819d9481 Author: John Bowman Date: Tue Jan 4 01:32:19 2005 -0600 Made "cannot call type...with" diagnostic easier to read. commit b82e62c0d0854c00c26077d2385598fb04594b75 Author: John Bowman Date: Tue Dec 28 09:21:41 2004 -0600 label and arrow adjustments commit 00d5f86a020491c3073e6dda1d230dcb0dd475fd Author: John Bowman Date: Mon Dec 27 02:01:56 2004 -0600 Added minipage and outarrow routines. commit 9419fe6b15870e2957e644a3a9ee2d1f0299401b Author: John Bowman Date: Sun Dec 26 19:55:48 2004 -0600 Fixed TeX pipestream embedded newline & diagnostic problems. commit 561d061bf19dc2362472501129e1ebc015fabd26 Author: John Bowman Date: Sun Dec 26 14:20:02 2004 -0600 implement scaling of pic.userMin and pic.userMax. commit 64d80cf6a37510d81393daf0f942476fcd1dbadd Author: John Bowman Date: Wed Dec 22 23:01:33 2004 -0600 Added newpage() command. commit f9cdb946b50ac96b37efbc3b4dfaa68ae2fc590b Author: John Bowman Date: Wed Dec 22 19:16:14 2004 -0600 Improved and simplified label code. commit 892d597f69da58ba3ba5b67429e1235acb6d1afc Author: John Bowman Date: Wed Dec 22 15:06:19 2004 -0600 More label updates. commit 4659686d9b2805523740b67f193e5b3c37c7d0fa Author: John Bowman Date: Wed Dec 22 04:01:04 2004 -0600 Label updates. commit 2d7b642ffe65007488bfc592c1507b63e085aa6a Author: John Bowman Date: Tue Dec 21 02:07:25 2004 -0600 Improved label bounding boxes. commit 2ec3be9a1f88fb33e8eb9262ce8952023a3253a4 Author: John Bowman Date: Sun Dec 19 22:00:22 2004 -0600 Account for depth in label alignment code. commit 5bdeee5c93e43828cd8aa635cb3b3569bc56e39d Author: John Bowman Date: Fri Dec 17 12:35:21 2004 -0600 Fine tuning of label offset (dependent on pdf/-B). commit 68795714227237c2a8b801c94655b17fd68aa3a0 Author: John Bowman Date: Thu Dec 16 22:17:16 2004 -0600 Increment version to 0.56cvs. commit c1848c51139c559fa78b22188ffeeca159159393 Author: John Bowman Date: Thu Dec 16 17:52:04 2004 -0600 Force use of bison (not yacc). commit 733caf46643c96adcf045194ace7a8e07d796740 Author: John Bowman Date: Thu Dec 16 17:32:16 2004 -0600 Fixed warning messages. commit 46d94ddec5bf8cae60d4fbefe41d22599cc75b8d Author: John Bowman Date: Thu Dec 16 17:26:09 2004 -0600 ispell updates commit 16a8cb94f1d988c8c9c692d650969a41e4203f30 Author: John Bowman Date: Thu Dec 16 17:21:08 2004 -0600 Documentation updates. commit 8d0c569a4a72ae24dfe71dea21bcb1d5ee008aa3 Author: John Bowman Date: Thu Dec 16 17:05:14 2004 -0600 Improved latex diagnostics. commit 01c3773cac71bca3bb99dfb3f7d0b25d44d6bf7c Author: John Bowman Date: Thu Dec 16 13:14:58 2004 -0600 Updated documentation. commit 14362d4f7e3ca6d9d0e40fab297a8ee5716ea04e Author: John Bowman Date: Thu Dec 16 12:45:54 2004 -0600 Contributed examples. commit 43708329adf0949d989844f64cc450b7fa7ac3e3 Author: John Bowman Date: Thu Dec 16 10:11:08 2004 -0600 Added cuttings global variable. commit 609ddb221c006700de7c30e4889adb8e7c0ed65e Author: John Bowman Date: Wed Dec 15 23:42:14 2004 -0600 Moved metapost compatibility routines to separate file. commit 9a92f1894780cec1d9534486c95e6efeb0372e3a Author: John Bowman Date: Wed Dec 15 22:52:04 2004 -0600 Perhaps a more sensible alternative to Metapost cutbefore/cutafter/cuttings. commit b88706095832297bcd9e463186774609d0708e59 Author: John Bowman Date: Wed Dec 15 10:31:40 2004 -0600 updated coordinate commit ea0e02d149d6aece9779f489aad5786c6b259364 Author: John Bowman Date: Wed Dec 15 10:30:10 2004 -0600 Added translator name. commit 4bfe6a48fb575f02c0c98d856312f62620096158 Author: John Bowman Date: Wed Dec 15 10:26:31 2004 -0600 Added before(path,path) and after(path,path); documented cutbefore and cutafter and changed them to work always according to these specificiations. commit 247f2c248f437b9379881e211a964ecafc232749 Author: John Bowman Date: Tue Dec 14 18:39:21 2004 -0600 Fixed bug [ 1084667 ] asydef environment. commit d4ef44de4281cca95cdb72f4dcb9922d2c4acd7f Author: John Bowman Date: Tue Dec 14 18:24:27 2004 -0600 Fixed bug [ 1084641 ] problem with defaultfontsize. commit a4e65629f8a48ea09e5e0cbbc7d062385eb1e66c Author: John Bowman Date: Tue Dec 14 13:02:12 2004 -0600 In texPreamble: replaced newlines with spaces as they can break bidirectional TeX pipe. commit d6c73c7eaefcd11cb92cd75d52a30ee2d9e7651f Author: John Bowman Date: Mon Dec 13 13:01:12 2004 -0600 Simplified axis capping. commit fb95bf6850216bc1d903af28a9a8005853863128 Author: John Bowman Date: Mon Dec 13 11:30:01 2004 -0600 Fix override of axis label positioning. commit f1a5727ccfb4e9f723bf1acd11347d3fdaf79ad2 Author: John Bowman Date: Mon Dec 13 00:55:30 2004 -0600 Fixed bug 1084016: error in bounding box computation. commit 23b64ac7a6602335900098e1640768dc0ed941f5 Author: John Bowman Date: Sun Dec 12 18:05:09 2004 -0600 Partial port of featpost 3D package for MetaPost. commit 320e428228b01938b5e69ccd6b82d205ea6f52ca Author: John Bowman Date: Sun Dec 12 18:04:06 2004 -0600 Added operator == and != for vector class. Added interp routine for pairs, vectors, and pens. Added pen background=white, unfill, cutbefore, and cutafter. Documentation updates. commit 608a705714b209ca86cbf3621ac2194659ca4c99 Author: John Bowman Date: Sun Dec 12 17:59:33 2004 -0600 Changed default structure operator == to alias (as with arrays) to allow user-defined == operators on structures. Also removed != in favour of !alias. commit 79a7f7cc6d694897096ad895e0ddf8efa86cb61c Author: John Bowman Date: Sat Dec 11 14:59:39 2004 -0600 Handle invalid operators cleanly. commit fdd1a3d7fa0609fdbea0b4909b6538c95e43f207 Author: John Bowman Date: Fri Dec 10 18:32:52 2004 -0600 Updated bug report address. commit 7a57e3d9ab684bcda09d72c5991246bb8bccbeae Author: John Bowman Date: Fri Dec 10 17:10:39 2004 -0600 Fixed nullpath bugs. commit 6e27209f37882761c0f6a74ae1a209a8a462baad Author: John Bowman Date: Fri Dec 10 17:10:21 2004 -0600 Installation updates commit cbdb816fe0b86d3e4a7f071b15486be6429e402f Author: John Bowman Date: Fri Dec 10 12:17:20 2004 -0600 Make info and man directories if missing. commit f21a0af80d2556dda3c38ee9a0364330a42e2c15 Author: John Bowman Date: Fri Dec 10 11:57:18 2004 -0600 Added missing include. commit c0e2fe27a9127d79235dcb0032dbefe077c20215 Author: John Bowman Date: Fri Dec 10 11:55:11 2004 -0600 Simplified configuration. commit 9496f9fa0cb6577c20b2ea25098cb0bb4fabfd0d Author: John Bowman Date: Thu Dec 9 23:32:49 2004 -0600 Documentation updates. commit 844078449f34d728658e81a22ac49dfb22239aa8 Author: Andy Hammerlindl Date: Thu Dec 9 12:41:11 2004 -0600 Fixed tension atleast bug. commit 21a37d0bb0de1e76cebfed3b9fe787091cff8a9e Author: John Bowman Date: Sun Dec 5 12:32:56 2004 -0600 Improved axis label sizing. commit 57a8d747c34cd815620c43fb83f87c40c21cad04 Author: John Bowman Date: Sun Dec 5 12:31:11 2004 -0600 Remove signal(SIGCHLD, SIG_IGN): there are no remaining problems with zombies, and it causes other problems with gv. commit 0082483b02988e1ef08d8a75006c59504bbd54fd Author: John Bowman Date: Sun Dec 5 11:38:47 2004 -0600 Fixed typo. commit d1d3ee0f2fcedbb0e03d2ce4e29c54c02f2dc247 Author: John Bowman Date: Sun Dec 5 04:26:52 2004 -0600 Increment version to 0.55cvs. commit e6ed67fbf2e30e2e96ddb7a3b974203f52d8858b Author: John Bowman Date: Sun Dec 5 03:19:43 2004 -0600 Fixed graph sizing routines; added legendsize routine (useful for compensating for space taken up by external legend); the default width in asymptote.sty is now the full line width. commit 19ff04b4ed6b980c753b803ce43a70c7d8d2a529 Author: John Bowman Date: Sun Dec 5 03:10:08 2004 -0600 Added missing mkdir. commit 65acc41943ca624b0459c6e7863b7f4ac002e2ca Author: John Bowman Date: Sat Dec 4 17:07:57 2004 -0600 Center EPS figures on page by default. Added support for a4 paper as well as letter. Default postscript offset is now 0,0. Option -B (-T) aligns to bottom (top) of page. commit d3b7d14ad20d9b156f56738034eef6fb5687e2ea Author: John Bowman Date: Sat Dec 4 15:15:09 2004 -0600 Applied Hubert Chan's installation patch for Debian. Moved examples, asy.vim, and asy-mode.el to /usr/local/share/doc/asymptote/ asymptote/asymptote.sty is now installed in /usr/share/texmf/tex/latex/ (./configure --with-latex=PATH to override). Fixed typos; updated documentation and changed documentation license from GFDL to GPL in view of Debian position statement: http://people.debian.org/~srivasta/Position_Statement.xhtml Added man pages asy.1 and xasy.1x kindly provided by Hubert. commit 7d2f6d6fa49034e0598f05cac3e11ca86c509cfe Author: John Bowman Date: Sat Dec 4 14:42:17 2004 -0600 Fixed -with-latex=PATH. commit c943ad90d0ac2f8fed5350309228bc5cc83390fb Author: John Bowman Date: Sat Dec 4 14:03:09 2004 -0600 Added --with-latex=PATH configuration option. commit a30de76dc85ad5bf91bcb1a48798f4da3a2c81be Author: John Bowman Date: Sat Dec 4 00:15:57 2004 -0600 Implemented better estimate for graph axis space requirements for more accurate graph sizing. Added Portrait, Landscape, and Seascape shipout orientations. commit 2aec4bf868dc89eb7e06cc312fbf025c359ef275 Author: John Bowman Date: Fri Dec 3 12:15:14 2004 -0600 Bounding box & diagnostic tweaks. commit 285d1fe69feae78bb63d1f0381c808b51ac7db17 Author: John Bowman Date: Fri Dec 3 08:52:52 2004 -0600 Added missing header to make cxx compiler happy. commit cb5ef6cb8974e01b38d54df21cb67363faded74a Author: John Bowman Date: Fri Dec 3 08:31:00 2004 -0600 Reworked dvips and gs pdfwrite interface: do a post-bbox correction rather than using dvips -E (which ignores postscript label rotation). Align figures to top-left corner (unless the new -b option is given, in which case the bottom-left corner is used), to allow for direct printing of the generated EPS files. User can override default offset of 18bp. Updated documentation. commit 81af3cccfbc4df4288150cc2610649fcd7cde843 Author: John Bowman Date: Fri Dec 3 08:23:35 2004 -0600 Adjusted label alignment. commit 4aaa2cdefca7c4e99f635baef5e613792a560889 Author: John Bowman Date: Thu Dec 2 12:54:48 2004 -0600 Reinstate label bounding box determination; xequals and yequals routines will still work as expected if crop is called. commit 6edc66fadf3d00871d2ec0be1451af8c1fe35116 Author: John Bowman Date: Thu Dec 2 03:00:42 2004 -0600 Use dvips -E (encapsulation; this works now that bbox coordinates are non-negative) instead of -T (pagesize) to fix compatibility problems in the final postscript output. Made corresponding adjustments to printer offset code. Added support and documentation for using Postscript viewers other than gv. Fixed filename extension detection so that filenames containing ./ and ../ work correctly. commit 3a0267f4b9f5facd271d9106fe145fbfbe80bc4e Author: John Bowman Date: Thu Dec 2 02:54:00 2004 -0600 Fixed typo. commit c09cb8a65f3eeb409285cae3c722938cf8debff0 Author: John Bowman Date: Wed Dec 1 10:56:39 2004 -0600 Patches for bison, flex, and gv-3.5.8 now in patches directory. commit 92e5b28cd0bb6148653040bfc80d9acda90b8601 Author: John Bowman Date: Wed Dec 1 10:52:27 2004 -0600 Arrow and bars should always be drawn with solid linetype. commit db3c6e1299be872a321662d775e166ad9b751dd2 Author: John Bowman Date: Tue Nov 30 18:50:49 2004 -0600 Changed dots(pair[]) to dot(pair[]); added graph(pair(real),real,real). commit e31faae2c7a1315c9a5de99a8599173cce784bfa Author: John Bowman Date: Tue Nov 30 15:03:29 2004 -0600 Fixed typo. commit 4bab7c466503339267efdc8e069e4f8a56a14d9e Author: John Bowman Date: Tue Nov 30 14:53:16 2004 -0600 Simplified dot drawing function, distinguished it from Dot product, and updated documentation and examples. commit f9308bfd3717313c829d72d6656274cbcc2ddf00 Author: John Bowman Date: Tue Nov 30 09:00:14 2004 -0600 Added array diagnostics. commit 98217e95781cfbd4e93190af5679f7ea8c783f73 Author: John Bowman Date: Mon Nov 29 02:29:29 2004 -0600 Added qualifier. commit 08f4525440924eaf85789f1dd36c47ea938bbfde Author: John Bowman Date: Mon Nov 29 02:20:52 2004 -0600 Resolved infinite import recursion bug [24Nov04] by using libsigsegv to distinguish between stack overflows and real segmentation violations (due to C++ programming errors). commit 569040e16f23def486223a2f8a5f084ae76d8ea5 Author: John Bowman Date: Sun Nov 28 17:22:15 2004 -0600 Deferred drawing should respect clipping bounds. commit 72ef182760c1e9578353dd694a726b762475853a Author: John Bowman Date: Sun Nov 28 16:01:11 2004 -0600 Removed obsolete label bbox code from xequals and yequals to make them work correctly. commit c6b45485728c0e652cc1764479fa0c235c220fbb Author: John Bowman Date: Sat Nov 27 22:55:25 2004 -0600 Updated documentation. commit 02e65f5c0716c70809c8a95243a4cc2b2998a53b Author: John Bowman Date: Sat Nov 27 22:08:47 2004 -0600 Improved dot(): if dotsize not specified, use linewidth(pen)*dotfactor. commit d2cc042489e63ebb765ce7e6b3299e68a8ba1789 Author: John Bowman Date: Sat Nov 27 22:02:04 2004 -0600 Implement implicit cast from real to pen linewidth. commit fab6a02bf7945e31a431bc9d3a4d4cf51df44307 Author: John Bowman Date: Sat Nov 27 22:01:28 2004 -0600 Cleaned up pen code. commit 4205a65a204c8627acdd2b574c9930df98a409dd Author: John Bowman Date: Sat Nov 27 10:13:32 2004 -0600 tex() not layer() should force label processing. commit ea4fda59c7b4ff4c281379600f2b75c905fa1a30 Author: John Bowman Date: Fri Nov 26 19:23:49 2004 -0600 Increment version to 0.54. commit 21010d8460c5f1d5cc9e106592b087d92c9a7273 Author: John Bowman Date: Fri Nov 26 18:19:53 2004 -0600 Added preliminary 3d graphics routines & documentation. commit 497764f5fdbbf2012aaffc6606a0708c87309988 Author: John Bowman Date: Fri Nov 26 17:37:42 2004 -0600 Added Bug 24Nov04. commit 0b9c4a1496e99f3c592697c7d7b7b6ef6c6af41a Author: John Bowman Date: Fri Nov 26 17:01:19 2004 -0600 Fixed transform bug (yx->xy) reported by Jacques. commit c8b620eaa7f84e6ded045e55ae623dcc91db5b1e Author: John Bowman Date: Fri Nov 26 13:44:02 2004 -0600 Makefile for doc directory. commit 3b421e3fab2572473a6636e6ec4fedfb1ddf09aa Author: John Bowman Date: Fri Nov 26 12:58:25 2004 -0600 Math and documentation updates. commit af96406cc03aa4fe42509ded49e0c82a24861b12 Author: John Bowman Date: Thu Nov 25 22:22:39 2004 -0600 Fixed intersect(vector,vector,vector,vector); commit 8dab8f056f0a2ceaa6f21956a98e451559ee8a53 Author: John Bowman Date: Thu Nov 25 13:00:37 2004 -0600 Handle out of bounds indices properly in straight(path,int). commit b19ec7c936c3fd765992e1157e491f643bf08de4 Author: John Bowman Date: Thu Nov 25 10:31:25 2004 -0600 Fixed intersect(vector,vector,vector,vector). commit 131d60d368782480e5f767c0b8060b4373b0a70c Author: John Bowman Date: Wed Nov 24 23:21:41 2004 -0600 Avoid duplicate import messages when verbose > 1. commit 610c16529cea2a4ff77262c49e4404b0b4fef395 Author: John Bowman Date: Tue Nov 23 13:27:50 2004 -0600 Make layer() work also when there are no labels. commit 6fec2af78eeee9ccb6ceb6e2572ef371028bb5d6 Author: John Bowman Date: Tue Nov 23 12:41:35 2004 -0600 Fixed bbox function; added dot product for pairs and vectors. commit d058ed95ec698e5d29d7201f57018b166bad99f4 Author: John Bowman Date: Tue Nov 23 10:33:58 2004 -0600 Added missing xor boolean binary operator. commit 723d63cc3c14965550a0d4a1f8c24c0b57b9bb91 Author: John Bowman Date: Tue Nov 23 10:31:20 2004 -0600 add(picture, picture) now adjusts userMin and userMax. commit c5910e2d5349db115723dc52c67161d0a68d7621 Author: John Bowman Date: Sun Nov 21 17:31:02 2004 -0600 Ignore attempts to close stdin and stdout. commit 0a5e346e5552a7bc180051e67f3264c62ad9cc97 Author: John Bowman Date: Sun Nov 21 17:05:42 2004 -0600 Fixed nullFile. commit 8e66bee71948d945acb35aa2d573a9168a83adab Author: John Bowman Date: Sun Nov 21 12:19:31 2004 -0600 Simplified configuration; documented GNU_GETOPT_H. commit db7cd2366884368bf28a72e05047df64ea84fc0a Author: John Bowman Date: Sun Nov 21 11:41:27 2004 -0600 renamed camp::stdout to camp::Stdout to make FreeBSD happy. commit 6a4f52a0f03b9b9bf5e73358b0c39875046466d9 Author: John Bowman Date: Sun Nov 21 11:10:22 2004 -0600 Added reference to mailing list. commit 0f135b435e70580b46aa8992faa19072c312be03 Author: John Bowman Date: Sun Nov 21 11:05:10 2004 -0600 Removed email addresses. commit b9c2b04d177b4a8cf872be63603fc2505139f6c8 Author: John Bowman Date: Sun Nov 21 10:52:23 2004 -0600 Fixed formatting. commit 801eb67d0d9f69b0642f4a8955204aff00eb0b16 Author: John Bowman Date: Sun Nov 21 10:36:15 2004 -0600 updated distclean commit bc7d4f892bea91e37cd8771a74be6154324d6f68 Author: John Bowman Date: Sun Nov 21 02:39:36 2004 -0600 Fixed memory leaks. commit 84f8442033be2736dae165d29a711d783a13a41f Author: John Bowman Date: Sun Nov 21 02:03:42 2004 -0600 Fixed memory leak. commit 91ce66042763624421e9842d28ef71bc6af0e8e5 Author: John Bowman Date: Sun Nov 21 00:29:49 2004 -0600 Readline library should be reasonably up-to-date (Version 4.3 and 5.0 have both been tested; asy won't even compile with very old versions). commit a9cf50c561bb4025ea970151a5b25e45e45e3425 Author: John Bowman Date: Sun Nov 21 00:20:56 2004 -0600 Template used to extract texinfo version from configure.ac. commit f2f566f48fcf2c153a6563726677f9a50f65469c Author: John Bowman Date: Sun Nov 21 00:19:58 2004 -0600 More FreeBSD tweaks. commit 1b62f5150641e6b7aca7359610d948d875aacb86 Author: John Bowman Date: Sun Nov 21 00:19:17 2004 -0600 Revert stdout optimization. commit 7ce475cda9d27c16ff719db8a41f3cd1d23ef0b5 Author: John Bowman Date: Sat Nov 20 21:22:59 2004 -0600 Fixed typo. commit cd879a5a3bfed30699894b2060ffd82f642e0c47 Author: John Bowman Date: Sat Nov 20 21:21:09 2004 -0600 make install-all now depends on all commit 5dc6a42dc07ee535bbb095baa92e704f36209337 Author: John Bowman Date: Sat Nov 20 19:46:41 2004 -0600 Port to FreeBSD 4.10-RELEASE-p2 with gcc34. commit a4107efb6bd1b449e1b8fcc0c63112f1da1cdea0 Author: John Bowman Date: Sat Nov 20 15:51:57 2004 -0600 Patches for clean compilation under CXX and other compilers. commit 88d63e93cf27e0af8acd8f4c026ab709479660e8 Author: John Bowman Date: Sat Nov 20 12:51:31 2004 -0600 include tweaks commit fa8719f36c73bbca73ce75f857531e8d2db35348 Author: John Bowman Date: Sat Nov 20 12:00:20 2004 -0600 Menu updates. commit adc7d6279f193edad3d72a798a938214999a26c3 Author: John Bowman Date: Sat Nov 20 11:36:52 2004 -0600 Fixed up discussion of static vs. dynamic commit f33671066cc96d5d95a098a5abe0656d9d8c5813 Author: John Bowman Date: Fri Nov 19 22:53:36 2004 -0600 Check if file is closed before doing any reads or writes. commit f6b7f7bc42965730d51de5c9aadf66b8d94e8075 Author: John Bowman Date: Fri Nov 19 22:53:29 2004 -0600 Added sentence about linetype-adjustment based on arclength of path. commit 12c0a82afdafc91e5c5170ffc4a53edf8c62f88a Author: John Bowman Date: Fri Nov 19 16:29:52 2004 -0600 Default width of figures included with asymptote.sty is now 0.9\linewidth. commit 878455b6e5d0c597921832e49d7136535ac13f3f Author: Andy Hammerlindl Date: Fri Nov 19 16:24:25 2004 -0600 *** empty log message *** commit 6eea86bfcd0adea30d3f86f77a9ede20aa1df0dc Author: John Bowman Date: Fri Nov 19 16:13:03 2004 -0600 Bug 2004-17-11 fixed. commit 36838d7981d3987c4e746559e0cce70a9225f95f Author: Andy Hammerlindl Date: Fri Nov 19 14:50:59 2004 -0600 New classes from the env -> env and coder split. commit fcb3de9fddd82fcb22fcdc53d5ba2e7bff56f08f Author: Andy Hammerlindl Date: Fri Nov 19 14:49:45 2004 -0600 Split the env class into env and coder, and added coenv. Added "self-importing". commit 9d6ebe01c90e679a41471af70c9d7ed79c559655 Author: John Bowman Date: Fri Nov 19 13:29:35 2004 -0600 Figures included via asymptote.sty are now fully independent; updated documentation. commit 52cd2cc10e20913f21d2fa3584b96f5ba19a1f33 Author: John Bowman Date: Fri Nov 19 09:18:14 2004 -0600 Remove dependency of graph.asy on math.asy; added builtin real abs(pair) and int sgn(real) functions. commit 40eb013f88e09d3faee9450e4251e64815b98013 Author: John Bowman Date: Thu Nov 18 23:26:45 2004 -0600 Renamed includegraphics to include. commit f5364450443b6e5665eab99d3daa1702e2f74858 Author: John Bowman Date: Thu Nov 18 16:50:06 2004 -0600 Added BUGS file. commit 97160f4c77f2be1d111061ee47bd3e9800a245e8 Author: John Bowman Date: Thu Nov 18 14:09:11 2004 -0600 Added layer function. commit 576f5152045b83fe681e81e129b6bdcdc2405255 Author: John Bowman Date: Thu Nov 18 14:05:11 2004 -0600 Added layer and includegraphics functions. commit d0aac5aa876b29ac907e4979c830e9d9829f1405 Author: John Bowman Date: Thu Nov 18 14:04:01 2004 -0600 Added install-all target. commit 1362c4f2073bbd5f1dcc8dfadad51a44b30261ac Author: John Bowman Date: Wed Nov 17 22:16:20 2004 -0600 Fixed typo. commit 985b1d486350fc6e2be207b6c718163ef11c5528 Author: John Bowman Date: Wed Nov 17 11:54:37 2004 -0600 Minor optimizations. commit 608bd681d814f599738c3d132afca3ceb2123012 Author: John Bowman Date: Tue Nov 16 23:32:01 2004 -0600 Removed unused dynamic keyword. commit 51ba77aac1c609ed242c6d68c36d3fd096f0edfe Author: John Bowman Date: Tue Nov 16 16:25:06 2004 -0600 Fixed bug: (path) (nullpath--(0,0)--(100,0)--cycle) was missing final node. commit 418ee6a6c51185817ead6fcbc45fb02cf724ccae Author: John Bowman Date: Mon Nov 15 12:10:37 2004 -0600 Switched from jpg to png images. commit 5bac11e119d1fbffd620ee85e54819912543bded Author: John Bowman Date: Mon Nov 15 00:23:59 2004 -0600 Make variables in file-level modules dynamic by default, like everywhere else. commit b71ff38c28b119ba7f758db7b5b0c1a775258062 Author: John Bowman Date: Sun Nov 14 23:52:36 2004 -0600 Support old versions of install-info. commit 31df852a681c3a7512a1f400ff160cad83201fa0 Author: Andy Hammerlindl Date: Sun Nov 14 20:17:32 2004 -0600 Changed error message for static vs. dynamic errors. commit b812243f2e2ec390c6d91bdba80ae5bd29055174 Author: John Bowman Date: Sun Nov 14 18:48:09 2004 -0600 Moved Legend[] legend inside picture structure; shipout(frame) now adds gui() entries and legend; shipout always deconstructs its picture argument. commit 2f3ce72638f7345515478e7fd1239986cb7ef7bd Author: John Bowman Date: Sun Nov 14 18:45:13 2004 -0600 Fixed compiler warning message if HAVE_LIBFFTW3 is undefined. commit d6329e24d8d9ef6fb4bced54ad2c0e0fa25f1504 Author: John Bowman Date: Sun Nov 14 18:43:30 2004 -0600 removed unnecessary vm:: qualifier commit ec3cc188f1f87ee29ff8fb8a03074c0afffa3680 Author: Andy Hammerlindl Date: Sun Nov 14 18:23:21 2004 -0600 Refactored the equivalent type function. commit 95180b35c3df1f18ee05fd66e02d1ae43d99c343 Author: John Bowman Date: Sun Nov 14 18:12:55 2004 -0600 Added unistd.h include. commit 47d1a0c525b4c8799b0e4443aa61949e9af32254 Author: John Bowman Date: Fri Nov 12 19:55:36 2004 -0600 Increment version. commit b0ed6c9b5514a5e02abfd3be9bf7ab26091169ca Author: John Bowman Date: Fri Nov 12 16:19:44 2004 -0600 release: Version 0.52 commit 616c4d1abc667a430d0768709949bebc24956790 Author: John Bowman Date: Fri Nov 12 15:59:54 2004 -0600 Made import graph local to each figure in latexusage. commit ba5d7f3060b087454a02bd2f7f79487ee2c4edf1 Author: John Bowman Date: Fri Nov 12 15:03:05 2004 -0600 added call to crop commit 6a34a72588eb300f57f899f4ced21aa9b6f5d57b Author: John Bowman Date: Fri Nov 12 14:51:33 2004 -0600 Documentation updates commit 5470c04f907ab9f832734e96914662aed35b0c4b Author: John Bowman Date: Fri Nov 12 12:54:34 2004 -0600 Allow qualification of variables in imported modules with (quoted) nonalphanumeric names; added ISO 8859-1 support (latin1). commit 5d19c564436dd1f96d86293ec8fc9f439aa5fb94 Author: John Bowman Date: Fri Nov 12 01:19:36 2004 -0600 Improved xlimits, ylimits, limits routines. Added crop routine. commit 365495bb65ef64683118cede97ca47adcd56b3b2 Author: John Bowman Date: Fri Nov 12 00:18:59 2004 -0600 Fixed various graph scaling problems. commit 39820dcee67bcb5d1817c60bda996d00bc348152 Author: John Bowman Date: Wed Nov 10 11:49:27 2004 -0600 minor formatting changes commit 97ec1247f54a8a0b5357118b6734352eca9a34a0 Author: John Bowman Date: Wed Nov 10 11:32:05 2004 -0600 Encapsulated global graph scaling variables within picture; updated documentation. commit 83b65356fb2a5b1f9d8c92c0762a3bc2f744fedc Author: John Bowman Date: Tue Nov 9 12:45:09 2004 -0600 fixed missing word on first page commit cd6c145e4a962015b614c18d939140d40f2b5dce Author: John Bowman Date: Tue Nov 9 12:44:22 2004 -0600 Added dots(pair); fixed division by zero in arrowhead for degenerate paths. commit e699111cfa5bfbf41c9fb574bde171a093536809 Author: John Bowman Date: Tue Nov 9 01:55:45 2004 -0600 Increment version. commit 31c13bbe9d051c54aac6051cfda68612df499d33 Author: John Bowman Date: Tue Nov 9 00:08:08 2004 -0600 Missing description commit c62bec9c482884523ccadd379edd34f67c5e4d2b Author: John Bowman Date: Mon Nov 8 23:54:35 2004 -0600 fixed missing @code commit d8ea0103c797070c787f5f890c4b2401690a2945 Author: John Bowman Date: Mon Nov 8 23:34:47 2004 -0600 moved to doc/ commit 3ddefd4eff344e676e2a8a9f5e19cd32ed9aa0eb Author: John Bowman Date: Mon Nov 8 23:28:34 2004 -0600 Fixed problems with installation of base files from cvs. commit da8c687ac5ec2be2c818d84c9e97e723f485a26a Author: John Bowman Date: Mon Nov 8 23:10:40 2004 -0600 updated cvsignore entries commit dba6643b3b853fce3f2de5e41e47ed8b71cf099b Author: John Bowman Date: Mon Nov 8 22:50:37 2004 -0600 Added optimization flags. commit 0436f92dcb74953fc3bb748230e5a29d0730fd1d Author: John Bowman Date: Mon Nov 8 22:50:04 2004 -0600 Added optimization flags. commit db450befc0d01549b9c53af8fc5646c6d110d574 Author: John Bowman Date: Mon Nov 8 22:37:03 2004 -0600 Added instructions for asy-mode.el and asy.vim. commit a0e9333119818dc1592791a5078676cae36eca2c Author: John Bowman Date: Mon Nov 8 18:48:55 2004 -0600 unicode updates commit d0f20f5cfc0e9d958ab4a0793e1e0cccbec31d65 Author: John Bowman Date: Mon Nov 8 13:18:05 2004 -0600 Corrected local value of ASYMPTOTE_DIR commit b3857ef4fae8c20e1fbc4852c302fc44a1988cc2 Author: John Bowman Date: Mon Nov 8 12:22:32 2004 -0600 Fixed warning messages. commit 2adbb10378f06aecb049da9b6da02ed9b23bd0fb Author: John Bowman Date: Mon Nov 8 12:11:03 2004 -0600 Update cvs version commit a83b4974fc41dde098be1a222b4240ce0ea8feaa Author: John Bowman Date: Mon Nov 8 12:06:53 2004 -0600 Asymptote logo commit b345871de175eed69610a6ac96996f67b1c07a8f Author: John Bowman Date: Mon Nov 8 12:03:15 2004 -0600 Updated README and URL. commit 5c97b1a8b45f7ba5370f381ee53e948353a7daba Author: John Bowman Date: Mon Nov 8 11:52:02 2004 -0600 Example of latex usage. commit d71e3c7017fa75e11f4c0228caf1123553006cda Author: John Bowman Date: Mon Nov 8 11:39:13 2004 -0600 displayed equation example commit 7021ba702776cc5e337025f1625803e4067d376d Author: John Bowman Date: Mon Nov 8 11:35:58 2004 -0600 updates to localwords commit d4199ebd8601704b3e1e0b6f54d1fcdf3430b478 Author: John Bowman Date: Mon Nov 8 11:31:39 2004 -0600 typo fixed commit 377185edb2c7dca51b3b3f00504e72d065495b97 Author: John Bowman Date: Mon Nov 8 11:28:23 2004 -0600 Final documentation updates. commit 50806de05e5b6c19b0df9345e278c8259ebafeb0 Author: John Bowman Date: Mon Nov 8 11:23:09 2004 -0600 make install-man no longer does a make man commit c751286c5070b8f4e40909cbf54bdc7266a49982 Author: John Bowman Date: Mon Nov 8 11:21:30 2004 -0600 Final tweaks before release. commit d113158cdd9b36e3c45a4db4d39dbc2b91144aa1 Author: John Bowman Date: Mon Nov 8 00:24:38 2004 -0600 Updates to facilitate building info pages and figures. commit c3d8c3b7da2f6ceb84900a4e26618e8533092b08 Author: John Bowman Date: Mon Nov 8 00:23:30 2004 -0600 Updated documentation. commit eef5bb1c1657e77885799591cf982d1dbd6ab608 Author: John Bowman Date: Sun Nov 7 23:22:17 2004 -0600 Updated documentation commit d09249b9dfed161600e6c1aa332721b9e8b0c6c4 Author: John Bowman Date: Sun Nov 7 23:05:05 2004 -0600 Fixed interactive mode. commit 93a889f31435adc3851b081cd0709f55e2031688 Author: John Bowman Date: Sun Nov 7 17:02:25 2004 -0600 Example of multiple data graphs with secondary axis. commit 87cef6cf1df4f16b971dc52eb4f5c52d39d49e9b Author: John Bowman Date: Sun Nov 7 16:32:44 2004 -0600 Fixed menus. commit 5a97218e8c5371f76d23d0304e8336dc62f07f79 Author: John Bowman Date: Sun Nov 7 16:31:19 2004 -0600 Added a reset() function to restore settings to startup defaults. commit 2c124d11951789640019cdb62fb9062f22700db2 Author: John Bowman Date: Sun Nov 7 16:28:30 2004 -0600 Formatting of comments. commit 048da481e7e14b7d937a8db3e2349212c5864163 Author: John Bowman Date: Sun Nov 7 16:27:32 2004 -0600 Documentation updates. commit 0b26fa75ab89038ac2950312e78b95e68641205e Author: John Bowman Date: Sun Nov 7 01:08:29 2004 -0600 Added missing functions; removed pt from plain.asy; updated documentation commit 7803748c35eb80c46c1175517f31fb20cfc7ece7 Author: John Bowman Date: Fri Nov 5 11:16:40 2004 -0600 Added GNU public LICENSE. commit 2b333b9b4907b6c2a9200e8ddc89b9a09d7d0e66 Author: John Bowman Date: Fri Nov 5 11:13:47 2004 -0600 Documentation updates. commit 45357092d3ebf51f9b0c7d82e1a05610abf5f565 Author: John Bowman Date: Fri Nov 5 00:37:35 2004 -0600 Updated documentation. commit 82153ab432256c8e32d48ffc98e12b2bf41a7576 Author: John Bowman Date: Thu Nov 4 00:45:40 2004 -0600 Documentation updates. commit c9dd522eca27b074b3f04f5f2799e02c2adb7933 Author: John Bowman Date: Tue Nov 2 23:20:51 2004 -0600 Allow negative array indices in arrayIntArray as in arrayRead and arrayWrite. commit fec561b75b55c779d89eca9c9ea6dce758df8eb1 Author: John Bowman Date: Tue Nov 2 23:13:26 2004 -0600 Allow assignment to array indices [-len,-1]; handle negative array indices in sequence routines. commit 962962b19d4ce3af442a461f5051f3eb856bd299 Author: John Bowman Date: Tue Nov 2 13:10:24 2004 -0600 Added missing pen transformation code. commit d3e2ac4b4a0af6bdeaee28bb5742844928f24026 Author: John Bowman Date: Mon Nov 1 11:23:54 2004 -0600 minor updates commit a1457afb992cf18a85a8cce07ff9306cae5a282f Author: John Bowman Date: Sun Oct 31 23:27:35 2004 -0600 Check for boost header files; updated documentation. commit fab31bbeb056e157742e94531443b8b82218d465 Author: John Bowman Date: Thu Oct 28 23:04:37 2004 -0600 Updated documentation. commit 7b66b69511f9b742bcc674e47101a71e9b670326 Author: John Bowman Date: Thu Oct 28 23:04:20 2004 -0600 Make -O work when dvips isn't used. commit 873b67e55dfad98287e13941e79984c0e64d688a Author: John Bowman Date: Thu Oct 28 15:26:57 2004 -0600 Sean Healy's logo implemented in Asymptote. commit 83660c66186bfc76ccdc858aafda6ab89d05cd08 Author: John Bowman Date: Tue Oct 26 09:05:04 2004 -0600 Initial version. commit 23e61146aa827a5faa4b94fa47506277a365005b Author: John Bowman Date: Tue Oct 26 07:38:06 2004 -0600 Removed unwanted cvs files. commit 35fdf59891ddb8786fe964d9f945f995088680cd Author: John Bowman Date: Tue Oct 26 07:31:01 2004 -0600 Set version = 0.50. commit b0bf033492246c01f5262a7ec4a44255675127d7 Author: John Bowman Date: Tue Oct 26 07:29:34 2004 -0600 Fixed warning message if HAVE_STRTIME == 0 commit c4702ee14e622bba47870ced5e25270f550d7c0f Author: John Bowman Date: Tue Oct 26 07:27:12 2004 -0600 Initial revision. [[This repository was converted from Subversion to git on 2015-07-27 by Jesse Frohlich . Junk commits generated by cvs2svn have been removed and commit references have been mapped into a uniform VCS-independent syntax.]] asymptote-2.62/varinit.cc0000644000000000000000000000367213607467113014171 0ustar rootroot/***** * varinit.cc * Andy Hammerlindl 2005/07/01 * * Variable initializer are syntax that finish code such as * int var = ... * As such, they are translated to yield a certain type, the type of the * variable. Expressions are a special case that can be translated without an * associated variable or its type. *****/ #include "varinit.h" #include "coenv.h" #include "runtime.h" #include "runarray.h" namespace absyntax { using namespace types; using namespace trans; void definit::prettyprint(ostream &out, Int indent) { prettyname(out, "definit",indent); } void definit::transToType(coenv &e, types::ty *target) { if (target->kind != ty_error) { access *a=e.e.lookupInitializer(target); if (a) a->encode(CALL, getPos(), e.c); else { em.error(getPos()); em << "no default initializer for type '" << *target << "'"; } } } void arrayinit::prettyprint(ostream &out, Int indent) { prettyname(out, "arrayinit",indent); for (mem::list::iterator p = inits.begin(); p != inits.end(); ++p) (*p)->prettyprint(out, indent+2); if (rest) rest->prettyprint(out, indent+1); } void arrayinit::transMaker(coenv &e, Int size, bool rest) { // Push the number of cells and call the array maker. e.c.encode(inst::intpush, size); e.c.encode(inst::builtin, rest ? run::newAppendedArray : run::newInitializedArray); } void arrayinit::transToType(coenv &e, types::ty *target) { types::ty *celltype; if (target->kind != types::ty_array) { em.error(getPos()); em << "array initializer used for non-array"; celltype = types::primError(); } else { celltype = ((types::array *)target)->celltype; } // Push the values on the stack. for (mem::list::iterator p = inits.begin(); p != inits.end(); ++p) (*p)->transToType(e, celltype); if (rest) rest->transToType(e, target); transMaker(e, (Int)inits.size(), (bool)rest); } } // namespace absyntax asymptote-2.62/lex.yy.cc0000644000000000000000000024274713607467132013756 0ustar rootroot#line 1 "lex.yy.cc" #line 3 "lex.yy.cc" #define YY_INT_ALIGNED short int /* A lexical scanner generated by flex */ /* %not-for-header */ /* %if-c-only */ /* %if-not-reentrant */ /* %endif */ /* %endif */ /* %ok-for-header */ #define FLEX_SCANNER #define YY_FLEX_MAJOR_VERSION 2 #define YY_FLEX_MINOR_VERSION 6 #define YY_FLEX_SUBMINOR_VERSION 4 #if YY_FLEX_SUBMINOR_VERSION > 0 #define FLEX_BETA #endif /* %if-c++-only */ /* %endif */ /* %if-c-only */ /* %endif */ /* %if-c-only */ /* %endif */ /* First, we deal with platform-specific or compiler-specific issues. */ /* begin standard C headers. */ /* %if-c-only */ #include #include #include #include /* %endif */ /* %if-tables-serialization */ /* %endif */ /* end standard C headers. */ /* %if-c-or-c++ */ /* flex integer type definitions */ #ifndef FLEXINT_H #define FLEXINT_H /* C99 systems have . Non-C99 systems may or may not. */ #if defined (__STDC_VERSION__) && __STDC_VERSION__ >= 199901L /* C99 says to define __STDC_LIMIT_MACROS before including stdint.h, * if you want the limit (max/min) macros for int types. */ #ifndef __STDC_LIMIT_MACROS #define __STDC_LIMIT_MACROS 1 #endif #include typedef int8_t flex_int8_t; typedef uint8_t flex_uint8_t; typedef int16_t flex_int16_t; typedef uint16_t flex_uint16_t; typedef int32_t flex_int32_t; typedef uint32_t flex_uint32_t; #else typedef signed char flex_int8_t; typedef short int flex_int16_t; typedef int flex_int32_t; typedef unsigned char flex_uint8_t; typedef unsigned short int flex_uint16_t; typedef unsigned int flex_uint32_t; /* Limits of integral types. */ #ifndef INT8_MIN #define INT8_MIN (-128) #endif #ifndef INT16_MIN #define INT16_MIN (-32767-1) #endif #ifndef INT32_MIN #define INT32_MIN (-2147483647-1) #endif #ifndef INT8_MAX #define INT8_MAX (127) #endif #ifndef INT16_MAX #define INT16_MAX (32767) #endif #ifndef INT32_MAX #define INT32_MAX (2147483647) #endif #ifndef UINT8_MAX #define UINT8_MAX (255U) #endif #ifndef UINT16_MAX #define UINT16_MAX (65535U) #endif #ifndef UINT32_MAX #define UINT32_MAX (4294967295U) #endif #ifndef SIZE_MAX #define SIZE_MAX (~(size_t)0) #endif #endif /* ! C99 */ #endif /* ! FLEXINT_H */ /* %endif */ /* begin standard C++ headers. */ /* %if-c++-only */ /* %endif */ /* TODO: this is always defined, so inline it */ #define yyconst const #if defined(__GNUC__) && __GNUC__ >= 3 #define yynoreturn __attribute__((__noreturn__)) #else #define yynoreturn #endif /* %not-for-header */ /* Returned upon end-of-file. */ #define YY_NULL 0 /* %ok-for-header */ /* %not-for-header */ /* Promotes a possibly negative, possibly signed char to an * integer in range [0..255] for use as an array index. */ #define YY_SC_TO_UI(c) ((YY_CHAR) (c)) /* %ok-for-header */ /* %if-reentrant */ /* %endif */ /* %if-not-reentrant */ /* %endif */ /* Enter a start condition. This macro really ought to take a parameter, * but we do it the disgusting crufty way forced on us by the ()-less * definition of BEGIN. */ #define BEGIN (yy_start) = 1 + 2 * /* Translate the current start state into a value that can be later handed * to BEGIN to return to the state. The YYSTATE alias is for lex * compatibility. */ #define YY_START (((yy_start) - 1) / 2) #define YYSTATE YY_START /* Action number for EOF rule of a given start state. */ #define YY_STATE_EOF(state) (YY_END_OF_BUFFER + state + 1) /* Special action meaning "start processing a new file". */ #define YY_NEW_FILE yyrestart( yyin ) #define YY_END_OF_BUFFER_CHAR 0 /* Size of default input buffer. */ #ifndef YY_BUF_SIZE #ifdef __ia64__ /* On IA-64, the buffer size is 16k, not 8k. * Moreover, YY_BUF_SIZE is 2*YY_READ_BUF_SIZE in the general case. * Ditto for the __ia64__ case accordingly. */ #define YY_BUF_SIZE 32768 #else #define YY_BUF_SIZE 16384 #endif /* __ia64__ */ #endif /* The state buf must be large enough to hold one state per character in the main buffer. */ #define YY_STATE_BUF_SIZE ((YY_BUF_SIZE + 2) * sizeof(yy_state_type)) #ifndef YY_TYPEDEF_YY_BUFFER_STATE #define YY_TYPEDEF_YY_BUFFER_STATE typedef struct yy_buffer_state *YY_BUFFER_STATE; #endif #ifndef YY_TYPEDEF_YY_SIZE_T #define YY_TYPEDEF_YY_SIZE_T typedef size_t yy_size_t; #endif /* %if-not-reentrant */ extern int yyleng; /* %endif */ /* %if-c-only */ /* %if-not-reentrant */ extern FILE *yyin, *yyout; /* %endif */ /* %endif */ #define EOB_ACT_CONTINUE_SCAN 0 #define EOB_ACT_END_OF_FILE 1 #define EOB_ACT_LAST_MATCH 2 #define YY_LESS_LINENO(n) #define YY_LINENO_REWIND_TO(ptr) /* Return all but the first "n" matched characters back to the input stream. */ #define yyless(n) \ do \ { \ /* Undo effects of setting up yytext. */ \ int yyless_macro_arg = (n); \ YY_LESS_LINENO(yyless_macro_arg);\ *yy_cp = (yy_hold_char); \ YY_RESTORE_YY_MORE_OFFSET \ (yy_c_buf_p) = yy_cp = yy_bp + yyless_macro_arg - YY_MORE_ADJ; \ YY_DO_BEFORE_ACTION; /* set up yytext again */ \ } \ while ( 0 ) #define unput(c) yyunput( c, (yytext_ptr) ) #ifndef YY_STRUCT_YY_BUFFER_STATE #define YY_STRUCT_YY_BUFFER_STATE struct yy_buffer_state { /* %if-c-only */ FILE *yy_input_file; /* %endif */ /* %if-c++-only */ /* %endif */ char *yy_ch_buf; /* input buffer */ char *yy_buf_pos; /* current position in input buffer */ /* Size of input buffer in bytes, not including room for EOB * characters. */ int yy_buf_size; /* Number of characters read into yy_ch_buf, not including EOB * characters. */ int yy_n_chars; /* Whether we "own" the buffer - i.e., we know we created it, * and can realloc() it to grow it, and should free() it to * delete it. */ int yy_is_our_buffer; /* Whether this is an "interactive" input source; if so, and * if we're using stdio for input, then we want to use getc() * instead of fread(), to make sure we stop fetching input after * each newline. */ int yy_is_interactive; /* Whether we're considered to be at the beginning of a line. * If so, '^' rules will be active on the next match, otherwise * not. */ int yy_at_bol; int yy_bs_lineno; /**< The line count. */ int yy_bs_column; /**< The column count. */ /* Whether to try to fill the input buffer when we reach the * end of it. */ int yy_fill_buffer; int yy_buffer_status; #define YY_BUFFER_NEW 0 #define YY_BUFFER_NORMAL 1 /* When an EOF's been seen but there's still some text to process * then we mark the buffer as YY_EOF_PENDING, to indicate that we * shouldn't try reading from the input source any more. We might * still have a bunch of tokens to match, though, because of * possible backing-up. * * When we actually see the EOF, we change the status to "new" * (via yyrestart()), so that the user can continue scanning by * just pointing yyin at a new input file. */ #define YY_BUFFER_EOF_PENDING 2 }; #endif /* !YY_STRUCT_YY_BUFFER_STATE */ /* %if-c-only Standard (non-C++) definition */ /* %not-for-header */ /* %if-not-reentrant */ /* Stack of input buffers. */ static size_t yy_buffer_stack_top = 0; /**< index of top of stack. */ static size_t yy_buffer_stack_max = 0; /**< capacity of stack. */ static YY_BUFFER_STATE * yy_buffer_stack = NULL; /**< Stack as an array. */ /* %endif */ /* %ok-for-header */ /* %endif */ /* We provide macros for accessing buffer states in case in the * future we want to put the buffer states in a more general * "scanner state". * * Returns the top of the stack, or NULL. */ #define YY_CURRENT_BUFFER ( (yy_buffer_stack) \ ? (yy_buffer_stack)[(yy_buffer_stack_top)] \ : NULL) /* Same as previous macro, but useful when we know that the buffer stack is not * NULL or when we need an lvalue. For internal use only. */ #define YY_CURRENT_BUFFER_LVALUE (yy_buffer_stack)[(yy_buffer_stack_top)] /* %if-c-only Standard (non-C++) definition */ /* %if-not-reentrant */ /* %not-for-header */ /* yy_hold_char holds the character lost when yytext is formed. */ static char yy_hold_char; static int yy_n_chars; /* number of characters read into yy_ch_buf */ int yyleng; /* Points to current character in buffer. */ static char *yy_c_buf_p = NULL; static int yy_init = 0; /* whether we need to initialize */ static int yy_start = 0; /* start state number */ /* Flag which is used to allow yywrap()'s to do buffer switches * instead of setting up a fresh yyin. A bit of a hack ... */ static int yy_did_buffer_switch_on_eof; /* %ok-for-header */ /* %endif */ void yyrestart ( FILE *input_file ); void yy_switch_to_buffer ( YY_BUFFER_STATE new_buffer ); YY_BUFFER_STATE yy_create_buffer ( FILE *file, int size ); void yy_delete_buffer ( YY_BUFFER_STATE b ); void yy_flush_buffer ( YY_BUFFER_STATE b ); void yypush_buffer_state ( YY_BUFFER_STATE new_buffer ); void yypop_buffer_state ( void ); static void yyensure_buffer_stack ( void ); static void yy_load_buffer_state ( void ); static void yy_init_buffer ( YY_BUFFER_STATE b, FILE *file ); #define YY_FLUSH_BUFFER yy_flush_buffer( YY_CURRENT_BUFFER ) YY_BUFFER_STATE yy_scan_buffer ( char *base, yy_size_t size ); YY_BUFFER_STATE yy_scan_string ( const char *yy_str ); YY_BUFFER_STATE yy_scan_bytes ( const char *bytes, int len ); /* %endif */ void *yyalloc ( yy_size_t ); void *yyrealloc ( void *, yy_size_t ); void yyfree ( void * ); #define yy_new_buffer yy_create_buffer #define yy_set_interactive(is_interactive) \ { \ if ( ! YY_CURRENT_BUFFER ){ \ yyensure_buffer_stack (); \ YY_CURRENT_BUFFER_LVALUE = \ yy_create_buffer( yyin, YY_BUF_SIZE ); \ } \ YY_CURRENT_BUFFER_LVALUE->yy_is_interactive = is_interactive; \ } #define yy_set_bol(at_bol) \ { \ if ( ! YY_CURRENT_BUFFER ){\ yyensure_buffer_stack (); \ YY_CURRENT_BUFFER_LVALUE = \ yy_create_buffer( yyin, YY_BUF_SIZE ); \ } \ YY_CURRENT_BUFFER_LVALUE->yy_at_bol = at_bol; \ } #define YY_AT_BOL() (YY_CURRENT_BUFFER_LVALUE->yy_at_bol) /* %% [1.0] yytext/yyin/yyout/yy_state_type/yylineno etc. def's & init go here */ #define FLEX_DEBUG typedef flex_uint8_t YY_CHAR; FILE *yyin = NULL, *yyout = NULL; typedef int yy_state_type; extern int yylineno; int yylineno = 1; extern char *yytext; #ifdef yytext_ptr #undef yytext_ptr #endif #define yytext_ptr yytext /* %% [1.5] DFA */ /* %if-c-only Standard (non-C++) definition */ static yy_state_type yy_get_previous_state ( void ); static yy_state_type yy_try_NUL_trans ( yy_state_type current_state ); static int yy_get_next_buffer ( void ); static void yynoreturn yy_fatal_error ( const char* msg ); /* %endif */ /* Done after the current pattern has been matched and before the * corresponding action - sets up yytext. */ #define YY_DO_BEFORE_ACTION \ (yytext_ptr) = yy_bp; \ /* %% [2.0] code to fiddle yytext and yyleng for yymore() goes here \ */\ yyleng = (int) (yy_cp - yy_bp); \ (yy_hold_char) = *yy_cp; \ *yy_cp = '\0'; \ /* %% [3.0] code to copy yytext_ptr to yytext[] goes here, if %array \ */\ (yy_c_buf_p) = yy_cp; /* %% [4.0] data tables for the DFA and the user's section 1 definitions go here */ #define YY_NUM_RULES 124 #define YY_END_OF_BUFFER 125 /* This struct is not used in this scanner, but its presence is necessary. */ struct yy_trans_info { flex_int32_t yy_verify; flex_int32_t yy_nxt; }; static const flex_int16_t yy_accept[337] = { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 125, 123, 28, 29, 29, 60, 121, 46, 69, 47, 67, 122, 34, 35, 44, 42, 31, 43, 40, 45, 105, 32, 33, 54, 51, 56, 50, 69, 119, 36, 123, 37, 48, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 38, 68, 39, 69, 4, 3, 3, 4, 4, 10, 7, 7, 6, 10, 27, 13, 13, 12, 27, 124, 118, 113, 114, 113, 116, 116, 116, 116, 116, 116, 118, 118, 116, 118, 116, 116, 117, 118, 116, 116, 29, 53, 74, 69, 75, 58, 49, 72, 63, 70, 65, 71, 64, 106, 120, 30, 73, 106, 105, 0, 62, 55, 52, 57, 119, 29, 76, 61, 119, 119, 119, 119, 119, 119, 119, 86, 119, 119, 119, 119, 119, 82, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 59, 3, 2, 1, 7, 0, 0, 5, 0, 7, 9, 8, 13, 0, 0, 11, 0, 13, 14, 22, 22, 15, 16, 17, 18, 19, 20, 21, 0, 114, 116, 116, 115, 116, 117, 114, 66, 41, 0, 30, 0, 106, 0, 0, 106, 119, 77, 119, 119, 119, 119, 119, 119, 119, 119, 85, 119, 119, 119, 92, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 119, 0, 0, 23, 23, 25, 0, 0, 106, 119, 119, 119, 119, 81, 119, 83, 119, 119, 96, 119, 119, 119, 109, 119, 119, 119, 119, 119, 119, 119, 119, 119, 103, 107, 119, 119, 119, 24, 26, 0, 106, 119, 119, 88, 119, 119, 110, 119, 108, 119, 119, 119, 119, 119, 119, 98, 119, 119, 119, 119, 119, 119, 119, 84, 93, 119, 119, 119, 119, 94, 119, 119, 119, 119, 100, 119, 87, 99, 90, 119, 119, 119, 80, 119, 119, 119, 97, 119, 119, 101, 119, 79, 91, 95, 89, 78, 104, 111, 112, 119, 119, 102, 0 } ; static const YY_CHAR yy_ec[256] = { 0, 1, 1, 1, 1, 1, 1, 1, 1, 2, 3, 1, 1, 4, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 20, 20, 20, 21, 21, 21, 21, 22, 22, 23, 24, 25, 26, 27, 28, 29, 30, 30, 30, 30, 30, 30, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 31, 32, 33, 34, 35, 31, 1, 36, 37, 38, 39, 40, 41, 31, 42, 43, 31, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 31, 59, 60, 61, 62, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1 } ; static const YY_CHAR yy_meta[63] = { 0, 1, 1, 2, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 3, 3, 3, 1, 1, 1, 1, 1, 1, 1, 3, 3, 1, 1, 1, 1, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3, 1, 1, 1, 1 } ; static const flex_int16_t yy_base[344] = { 0, 0, 0, 60, 62, 64, 69, 74, 79, 0, 0, 112, 0, 541, 542, 542, 542, 537, 513, 542, 512, 529, 510, 525, 542, 542, 542, 66, 69, 542, 70, 83, 72, 157, 511, 542, 83, 507, 62, 542, 503, 0, 542, 90, 542, 150, 142, 480, 133, 482, 54, 148, 147, 146, 480, 147, 474, 487, 473, 162, 478, 482, 542, 463, 542, 542, 542, 542, 519, 502, 506, 542, 542, 516, 203, 212, 542, 542, 515, 219, 250, 542, 542, 542, 542, 514, 490, 542, 507, 500, 498, 495, 493, 487, 185, 483, 156, 479, 0, 223, 472, 542, 542, 542, 542, 542, 542, 542, 542, 542, 542, 542, 489, 542, 211, 217, 542, 0, 542, 222, 228, 243, 542, 542, 542, 542, 0, 502, 542, 542, 466, 464, 457, 461, 453, 448, 460, 0, 445, 447, 450, 443, 445, 0, 443, 453, 434, 444, 448, 444, 449, 437, 182, 215, 437, 440, 428, 432, 429, 436, 542, 542, 542, 542, 542, 271, 306, 542, 276, 475, 542, 542, 542, 312, 318, 542, 281, 474, 542, 268, 272, 542, 542, 542, 542, 542, 542, 542, 310, 542, 542, 542, 542, 459, 0, 472, 542, 278, 313, 0, 326, 316, 337, 345, 321, 434, 0, 433, 436, 418, 425, 424, 428, 422, 414, 0, 419, 416, 418, 421, 416, 409, 404, 413, 404, 403, 401, 401, 399, 400, 399, 410, 409, 412, 402, 366, 372, 274, 542, 364, 375, 386, 367, 394, 409, 400, 204, 0, 403, 0, 399, 401, 0, 389, 385, 387, 0, 401, 400, 392, 393, 362, 361, 367, 366, 359, 0, 0, 361, 343, 353, 542, 542, 394, 397, 339, 330, 0, 334, 331, 0, 335, 0, 318, 325, 327, 308, 302, 312, 0, 306, 281, 289, 272, 271, 273, 271, 0, 0, 253, 248, 245, 238, 0, 236, 226, 221, 227, 0, 221, 0, 0, 0, 194, 187, 179, 0, 179, 165, 155, 0, 163, 141, 0, 137, 0, 0, 0, 0, 0, 0, 0, 0, 66, 61, 0, 542, 419, 422, 425, 428, 68, 66, 431 } ; static const flex_int16_t yy_def[344] = { 0, 336, 1, 337, 337, 338, 338, 339, 339, 340, 340, 336, 11, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 341, 336, 336, 336, 336, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 342, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 343, 336, 336, 336, 336, 336, 336, 336, 336, 341, 336, 336, 336, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 342, 336, 336, 336, 336, 343, 336, 336, 336, 336, 336, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 336, 336, 336, 336, 336, 336, 336, 336, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 336, 336, 336, 336, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 341, 0, 336, 336, 336, 336, 336, 336, 336 } ; static const flex_int16_t yy_nxt[605] = { 0, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 33, 33, 34, 35, 36, 37, 38, 39, 40, 41, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 41, 52, 41, 41, 41, 53, 54, 55, 56, 57, 58, 59, 60, 41, 61, 41, 41, 62, 63, 64, 65, 67, 68, 67, 68, 72, 73, 194, 74, 126, 72, 73, 69, 74, 69, 77, 78, 70, 108, 70, 77, 78, 110, 79, 116, 112, 125, 105, 79, 117, 109, 102, 127, 111, 113, 75, 118, 138, 335, 114, 75, 115, 115, 115, 334, 80, 105, 123, 105, 139, 80, 82, 83, 84, 85, 86, 82, 87, 88, 87, 87, 82, 82, 82, 89, 90, 82, 91, 92, 87, 82, 82, 82, 93, 82, 94, 95, 96, 82, 97, 98, 98, 82, 99, 82, 100, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 98, 82, 87, 82, 101, 119, 128, 120, 120, 120, 130, 134, 190, 191, 140, 129, 146, 135, 143, 131, 333, 136, 332, 144, 145, 132, 141, 121, 149, 142, 147, 150, 154, 331, 155, 165, 165, 166, 330, 167, 191, 190, 191, 156, 167, 164, 169, 329, 170, 328, 157, 173, 173, 174, 327, 175, 189, 195, 326, 197, 175, 198, 198, 198, 225, 226, 168, 115, 115, 115, 200, 325, 201, 201, 201, 171, 119, 278, 120, 120, 120, 227, 176, 172, 177, 279, 178, 121, 203, 324, 203, 178, 202, 204, 204, 204, 228, 323, 121, 322, 179, 180, 321, 165, 165, 166, 320, 167, 178, 165, 166, 319, 167, 178, 173, 174, 181, 182, 237, 237, 318, 183, 238, 238, 271, 271, 200, 184, 198, 198, 198, 185, 317, 186, 168, 187, 316, 188, 165, 235, 166, 315, 167, 314, 173, 173, 174, 167, 175, 313, 173, 236, 174, 175, 175, 312, 239, 311, 310, 175, 239, 239, 239, 198, 198, 198, 201, 201, 201, 168, 239, 204, 204, 204, 200, 176, 198, 198, 198, 309, 308, 176, 241, 121, 241, 307, 240, 242, 242, 242, 203, 306, 203, 305, 304, 204, 204, 204, 165, 165, 166, 303, 167, 302, 173, 173, 174, 167, 175, 301, 272, 300, 299, 175, 272, 272, 272, 242, 242, 242, 273, 298, 273, 297, 272, 274, 274, 274, 296, 168, 295, 241, 294, 241, 293, 176, 242, 242, 242, 273, 292, 273, 291, 290, 274, 274, 274, 274, 274, 274, 66, 66, 66, 71, 71, 71, 76, 76, 76, 81, 81, 81, 199, 289, 199, 288, 287, 286, 285, 284, 283, 282, 281, 280, 277, 276, 275, 270, 269, 268, 267, 266, 265, 264, 263, 262, 261, 260, 259, 258, 257, 256, 255, 254, 253, 252, 251, 250, 249, 248, 247, 246, 245, 244, 243, 189, 190, 172, 164, 234, 233, 232, 231, 230, 229, 224, 223, 222, 221, 220, 219, 218, 217, 216, 215, 214, 213, 212, 211, 210, 209, 208, 207, 206, 205, 102, 196, 190, 191, 190, 190, 190, 193, 190, 192, 191, 190, 189, 172, 164, 163, 162, 161, 160, 159, 158, 153, 152, 151, 148, 137, 133, 105, 124, 122, 107, 106, 105, 104, 103, 102, 336, 13, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336 } ; static const flex_int16_t yy_chk[605] = { 0, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 3, 3, 4, 4, 5, 5, 342, 5, 341, 6, 6, 3, 6, 4, 7, 7, 3, 27, 4, 8, 8, 28, 7, 32, 30, 38, 38, 8, 32, 27, 43, 43, 28, 30, 5, 32, 50, 334, 31, 6, 31, 31, 31, 333, 7, 36, 36, 36, 50, 8, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 11, 33, 45, 33, 33, 33, 46, 48, 96, 96, 51, 45, 53, 48, 52, 46, 324, 48, 322, 52, 52, 46, 51, 33, 55, 51, 53, 55, 59, 321, 59, 74, 74, 74, 319, 74, 94, 94, 94, 59, 74, 75, 75, 318, 75, 317, 59, 79, 79, 79, 315, 79, 99, 99, 314, 114, 79, 114, 114, 114, 152, 152, 74, 115, 115, 115, 119, 313, 119, 119, 119, 75, 120, 246, 120, 120, 120, 153, 79, 80, 80, 246, 80, 115, 121, 309, 121, 80, 119, 121, 121, 121, 153, 307, 120, 306, 80, 80, 305, 165, 165, 165, 304, 165, 80, 168, 168, 302, 165, 80, 176, 176, 80, 80, 179, 179, 301, 80, 180, 180, 237, 237, 197, 80, 197, 197, 197, 80, 300, 80, 165, 80, 299, 80, 166, 166, 166, 296, 166, 295, 173, 173, 173, 166, 173, 294, 174, 174, 174, 173, 174, 293, 188, 292, 291, 174, 188, 188, 188, 198, 198, 198, 201, 201, 201, 166, 188, 204, 204, 204, 200, 173, 200, 200, 200, 290, 288, 174, 202, 198, 202, 287, 201, 202, 202, 202, 203, 286, 203, 285, 284, 203, 203, 203, 235, 235, 235, 283, 235, 281, 236, 236, 236, 235, 236, 279, 239, 278, 276, 236, 239, 239, 239, 242, 242, 242, 240, 275, 240, 270, 239, 240, 240, 240, 269, 235, 268, 241, 265, 241, 264, 236, 241, 241, 241, 273, 263, 273, 262, 261, 273, 273, 273, 274, 274, 274, 337, 337, 337, 338, 338, 338, 339, 339, 339, 340, 340, 340, 343, 260, 343, 259, 258, 257, 255, 254, 253, 251, 250, 248, 245, 244, 243, 234, 233, 232, 231, 230, 229, 228, 227, 226, 225, 224, 223, 222, 221, 220, 219, 218, 217, 216, 214, 213, 212, 211, 210, 209, 208, 207, 205, 195, 193, 177, 169, 159, 158, 157, 156, 155, 154, 151, 150, 149, 148, 147, 146, 145, 144, 142, 141, 140, 139, 138, 136, 135, 134, 133, 132, 131, 130, 127, 112, 100, 97, 95, 93, 92, 91, 90, 89, 88, 86, 85, 78, 73, 70, 69, 68, 63, 61, 60, 58, 57, 56, 54, 49, 47, 40, 37, 34, 23, 22, 21, 20, 18, 17, 13, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336, 336 } ; static yy_state_type yy_last_accepting_state; static char *yy_last_accepting_cpos; extern int yy_flex_debug; int yy_flex_debug = 1; static const flex_int16_t yy_rule_linenum[124] = { 0, 212, 213, 215, 221, 225, 226, 236, 237, 238, 239, 243, 244, 254, 255, 256, 257, 258, 259, 260, 261, 262, 263, 268, 273, 279, 285, 293, 296, 297, 298, 299, 300, 301, 302, 303, 304, 305, 306, 307, 308, 309, 311, 312, 313, 314, 315, 316, 317, 318, 319, 320, 321, 322, 323, 324, 325, 326, 327, 328, 329, 330, 331, 332, 333, 334, 335, 336, 337, 338, 340, 341, 342, 343, 344, 345, 346, 348, 349, 350, 351, 352, 354, 355, 356, 357, 358, 359, 360, 361, 362, 363, 364, 365, 366, 367, 368, 369, 370, 371, 373, 374, 375, 376, 377, 380, 387, 394, 396, 398, 400, 402, 405, 407, 408, 414, 418, 422, 426, 429, 433, 434, 435, 439 } ; /* The intent behind this definition is that it'll catch * any uses of REJECT which flex missed. */ #define REJECT reject_used_but_not_detected #define yymore() yymore_used_but_not_detected #define YY_MORE_ADJ 0 #define YY_RESTORE_YY_MORE_OFFSET char *yytext; #line 1 "camp.l" #line 2 "camp.l" /***** * camp.l * Andy Hammerlindl 2002/06/14 * * The lexical analyzer of the Asymptote language. *****/ #include #include #include #include #include "util.h" #include "modifier.h" #include "exp.h" #include "stm.h" #include "fundec.h" #include "errormsg.h" #include "interact.h" #include "lexical.h" using namespace absyntax; using mem::string; #include "camp.tab.h" #include "opsymbols.h" #define YY_NO_INPUT static void yyunput(int, char *); void (*unused)(int,char *) = yyunput; fileinfo* fi; Int tokPos; Int charPos; //int commentDepth = 0; bool eof; string eofMessage; extern errorstream em; extern "C" int yywrap(void) { charPos=1; return 1; } typedef size_t (*input_f) (char* bif, size_t max_size); input_f yy_input = NULL; void setlexer(input_f input, string filename) { YY_FLUSH_BUFFER; yywrap(); fi = new fileinfo(filename); yy_input = input; tokPos = charPos = 1; eof=false; eofMessage=""; } #define YY_INPUT(buf,result,max_size) {result=yy_input(buf,max_size);} position lexerPos() { position p; p.init(fi, tokPos); return p; } namespace { position here() { return lexerPos(); } void adjust() { tokPos = charPos; charPos += yyleng; yylval.pos = here(); } void savesymbol(symbol name) { adjust(); yylval.ps.pos=yylval.pos; // avoid invoking here() twice yylval.ps.sym=name; } /* For optimization reasons, the operator names are translated into symbols * just once, and can be accessed throughout the code as SYM_PLUS, SYM_DASHES, * etc. Following the Don't Repeat Yourself principle, the mapping from * strings to names is defined only here in camp.l (because we can't produce * lex rules from a C style macro). * The script opsymbols.pl reads this file scanning for rules using DEFSYMBOL * and creates opsymbols.h which defines the names for use in C++ code. */ #define DEFSYMBOL(name) \ savesymbol(name) /* Extra symbols can be added by EXTRASYMBOL */ #define EXTRASYMBOL(chars, codename) /* blank */ EXTRASYMBOL(tuple, SYM_TUPLE); void makesymbol() { assert(strlen(yytext) == (size_t)yyleng); savesymbol(symbol::rawTrans(yytext, yyleng+1)); } void makeopsymbol() { savesymbol(symbol::opTrans(yytext)); } void makemod(trans::modifier mod) { yylval.mod.pos=here(); yylval.mod.val=mod; } void makeperm(trans::permission perm) { yylval.perm.pos=here(); yylval.perm.val=perm; } void newline() { fi->newline(); charPos = tokPos = 1; } void error(void) { em.error(here()); } } // Used by the lexer rules to flag an unexpected end of input. The message is // the error message that should be reported, and may differ if, say the input // ends in the middle of a string or comment. void setEOF(string message) { eof=true; eofMessage=message; } // Called by code outside of the lexer to see if a parse error was caused by // running out of input. bool lexerEOF() { return eof; } // Called by code outside of the lexer when it wants to report the unexpected // eof as an error (instead of looking for more input). void reportEOF() { assert(eof); error(); em << eofMessage; em.sync(); } position stringpos; // The position of the start of the string. string stringbuild; // Stores the string literal as it is read. namespace { void startstring() { adjust(); stringpos = here(); } void append(char c) { stringbuild.push_back(c); yylval.pos = here(); } void getstring(void) { // NOTE: Replace here() with a position at the start of the string. yylval.stre = new stringExp(stringpos, stringbuild); string().swap(stringbuild); } } #line 980 "lex.yy.cc" #line 982 "lex.yy.cc" #define INITIAL 0 #define lexcomment 1 #define texstring 2 #define cstring 3 #define lexformat 4 #define opname 5 #ifndef YY_NO_UNISTD_H /* Special case for "unistd.h", since it is non-ANSI. We include it way * down here because we want the user's section 1 to have been scanned first. * The user has a chance to override it with an option. */ /* %if-c-only */ #include /* %endif */ /* %if-c++-only */ /* %endif */ #endif #ifndef YY_EXTRA_TYPE #define YY_EXTRA_TYPE void * #endif /* %if-c-only Reentrant structure and macros (non-C++). */ /* %if-reentrant */ /* %if-c-only */ static int yy_init_globals ( void ); /* %endif */ /* %if-reentrant */ /* %endif */ /* %endif End reentrant structures and macros. */ /* Accessor methods to globals. These are made visible to non-reentrant scanners for convenience. */ int yylex_destroy ( void ); int yyget_debug ( void ); void yyset_debug ( int debug_flag ); YY_EXTRA_TYPE yyget_extra ( void ); void yyset_extra ( YY_EXTRA_TYPE user_defined ); FILE *yyget_in ( void ); void yyset_in ( FILE * _in_str ); FILE *yyget_out ( void ); void yyset_out ( FILE * _out_str ); int yyget_leng ( void ); char *yyget_text ( void ); int yyget_lineno ( void ); void yyset_lineno ( int _line_number ); /* %if-bison-bridge */ /* %endif */ /* Macros after this point can all be overridden by user definitions in * section 1. */ #ifndef YY_SKIP_YYWRAP #ifdef __cplusplus extern "C" int yywrap ( void ); #else extern int yywrap ( void ); #endif #endif /* %not-for-header */ #ifndef YY_NO_UNPUT static void yyunput ( int c, char *buf_ptr ); #endif /* %ok-for-header */ /* %endif */ #ifndef yytext_ptr static void yy_flex_strncpy ( char *, const char *, int ); #endif #ifdef YY_NEED_STRLEN static int yy_flex_strlen ( const char * ); #endif #ifndef YY_NO_INPUT /* %if-c-only Standard (non-C++) definition */ /* %not-for-header */ #ifdef __cplusplus static int yyinput ( void ); #else static int input ( void ); #endif /* %ok-for-header */ /* %endif */ #endif /* %if-c-only */ /* %endif */ /* Amount of stuff to slurp up with each read. */ #ifndef YY_READ_BUF_SIZE #ifdef __ia64__ /* On IA-64, the buffer size is 16k, not 8k */ #define YY_READ_BUF_SIZE 16384 #else #define YY_READ_BUF_SIZE 8192 #endif /* __ia64__ */ #endif /* Copy whatever the last rule matched to the standard output. */ #ifndef ECHO /* %if-c-only Standard (non-C++) definition */ /* This used to be an fputs(), but since the string might contain NUL's, * we now use fwrite(). */ #define ECHO do { if (fwrite( yytext, (size_t) yyleng, 1, yyout )) {} } while (0) /* %endif */ /* %if-c++-only C++ definition */ /* %endif */ #endif /* Gets input and stuffs it into "buf". number of characters read, or YY_NULL, * is returned in "result". */ #ifndef YY_INPUT #define YY_INPUT(buf,result,max_size) \ /* %% [5.0] fread()/read() definition of YY_INPUT goes here unless we're doing C++ \ */\ if ( YY_CURRENT_BUFFER_LVALUE->yy_is_interactive ) \ { \ int c = '*'; \ int n; \ for ( n = 0; n < max_size && \ (c = getc( yyin )) != EOF && c != '\n'; ++n ) \ buf[n] = (char) c; \ if ( c == '\n' ) \ buf[n++] = (char) c; \ if ( c == EOF && ferror( yyin ) ) \ YY_FATAL_ERROR( "input in flex scanner failed" ); \ result = n; \ } \ else \ { \ errno=0; \ while ( (result = (int) fread(buf, 1, (yy_size_t) max_size, yyin)) == 0 && ferror(yyin)) \ { \ if( errno != EINTR) \ { \ YY_FATAL_ERROR( "input in flex scanner failed" ); \ break; \ } \ errno=0; \ clearerr(yyin); \ } \ }\ \ /* %if-c++-only C++ definition \ */\ /* %endif */ #endif /* No semi-colon after return; correct usage is to write "yyterminate();" - * we don't want an extra ';' after the "return" because that will cause * some compilers to complain about unreachable statements. */ #ifndef yyterminate #define yyterminate() return YY_NULL #endif /* Number of entries by which start-condition stack grows. */ #ifndef YY_START_STACK_INCR #define YY_START_STACK_INCR 25 #endif /* Report a fatal error. */ #ifndef YY_FATAL_ERROR /* %if-c-only */ #define YY_FATAL_ERROR(msg) yy_fatal_error( msg ) /* %endif */ /* %if-c++-only */ /* %endif */ #endif /* %if-tables-serialization structures and prototypes */ /* %not-for-header */ /* %ok-for-header */ /* %not-for-header */ /* %tables-yydmap generated elements */ /* %endif */ /* end tables serialization structures and prototypes */ /* %ok-for-header */ /* Default declaration of generated scanner - a define so the user can * easily add parameters. */ #ifndef YY_DECL #define YY_DECL_IS_OURS 1 /* %if-c-only Standard (non-C++) definition */ extern int yylex (void); #define YY_DECL int yylex (void) /* %endif */ /* %if-c++-only C++ definition */ /* %endif */ #endif /* !YY_DECL */ /* Code executed at the beginning of each rule, after yytext and yyleng * have been set up. */ #ifndef YY_USER_ACTION #define YY_USER_ACTION #endif /* Code executed at the end of each rule. */ #ifndef YY_BREAK #define YY_BREAK /*LINTED*/break; #endif /* %% [6.0] YY_RULE_SETUP definition goes here */ #define YY_RULE_SETUP \ YY_USER_ACTION /* %not-for-header */ /** The main scanner function which does all the work. */ YY_DECL { yy_state_type yy_current_state; char *yy_cp, *yy_bp; int yy_act; if ( !(yy_init) ) { (yy_init) = 1; #ifdef YY_USER_INIT YY_USER_INIT; #endif if ( ! (yy_start) ) (yy_start) = 1; /* first start state */ if ( ! yyin ) /* %if-c-only */ yyin = stdin; /* %endif */ /* %if-c++-only */ /* %endif */ if ( ! yyout ) /* %if-c-only */ yyout = stdout; /* %endif */ /* %if-c++-only */ /* %endif */ if ( ! YY_CURRENT_BUFFER ) { yyensure_buffer_stack (); YY_CURRENT_BUFFER_LVALUE = yy_create_buffer( yyin, YY_BUF_SIZE ); } yy_load_buffer_state( ); } { /* %% [7.0] user's declarations go here */ #line 209 "camp.l" #line 1270 "lex.yy.cc" while ( /*CONSTCOND*/1 ) /* loops until end-of-file is reached */ { /* %% [8.0] yymore()-related code goes here */ yy_cp = (yy_c_buf_p); /* Support of yytext. */ *yy_cp = (yy_hold_char); /* yy_bp points to the position in yy_ch_buf of the start of * the current run. */ yy_bp = yy_cp; /* %% [9.0] code to set up and find next match goes here */ yy_current_state = (yy_start); yy_match: do { YY_CHAR yy_c = yy_ec[YY_SC_TO_UI(*yy_cp)] ; if ( yy_accept[yy_current_state] ) { (yy_last_accepting_state) = yy_current_state; (yy_last_accepting_cpos) = yy_cp; } while ( yy_chk[yy_base[yy_current_state] + yy_c] != yy_current_state ) { yy_current_state = (int) yy_def[yy_current_state]; if ( yy_current_state >= 337 ) yy_c = yy_meta[yy_c]; } yy_current_state = yy_nxt[yy_base[yy_current_state] + yy_c]; ++yy_cp; } while ( yy_base[yy_current_state] != 542 ); yy_find_action: /* %% [10.0] code to find the action number goes here */ yy_act = yy_accept[yy_current_state]; if ( yy_act == 0 ) { /* have to back up */ yy_cp = (yy_last_accepting_cpos); yy_current_state = (yy_last_accepting_state); yy_act = yy_accept[yy_current_state]; } YY_DO_BEFORE_ACTION; /* %% [11.0] code for yylineno update goes here */ do_action: /* This label is used only to access EOF actions. */ /* %% [12.0] debug code goes here */ if ( yy_flex_debug ) { if ( yy_act == 0 ) fprintf( stderr, "--scanner backing up\n" ); else if ( yy_act < 124 ) fprintf( stderr, "--accepting rule at line %ld (\"%s\")\n", (long)yy_rule_linenum[yy_act], yytext ); else if ( yy_act == 124 ) fprintf( stderr, "--accepting default rule (\"%s\")\n", yytext ); else if ( yy_act == 125 ) fprintf( stderr, "--(end of buffer or a NUL)\n" ); else fprintf( stderr, "--EOF (start condition %d)\n", YY_START ); } switch ( yy_act ) { /* beginning of action switch */ /* %% [13.0] actions go here */ case 0: /* must back up */ /* undo the effects of YY_DO_BEFORE_ACTION */ *yy_cp = (yy_hold_char); yy_cp = (yy_last_accepting_cpos); yy_current_state = (yy_last_accepting_state); goto yy_find_action; case 1: YY_RULE_SETUP #line 212 "camp.l" {adjust(); /*commentDepth++;*/} YY_BREAK case 2: YY_RULE_SETUP #line 213 "camp.l" {adjust(); /*commentDepth--;*/ /*if (commentDepth == 0)*/ BEGIN INITIAL; } YY_BREAK case 3: /* rule 3 can match eol */ YY_RULE_SETUP #line 215 "camp.l" {adjust(); newline(); continue; } YY_BREAK case YY_STATE_EOF(lexcomment): #line 216 "camp.l" {adjust(); setEOF("comment not terminated"); BEGIN INITIAL; return GARBAGE; } YY_BREAK case 4: YY_RULE_SETUP #line 221 "camp.l" {adjust(); continue; } YY_BREAK case 5: /* rule 5 can match eol */ *yy_cp = (yy_hold_char); /* undo effects of setting up yytext */ YY_LINENO_REWIND_TO(yy_bp + 1); (yy_c_buf_p) = yy_cp = yy_bp + 1; YY_DO_BEFORE_ACTION; /* set up yytext again */ YY_RULE_SETUP #line 225 "camp.l" {adjust(); BEGIN INITIAL;} YY_BREAK case 6: YY_RULE_SETUP #line 226 "camp.l" {adjust(); BEGIN INITIAL; getstring(); return STRING; } YY_BREAK case YY_STATE_EOF(texstring): #line 230 "camp.l" {adjust(); setEOF("string not terminated"); BEGIN INITIAL; getstring(); return GARBAGE; } YY_BREAK case 7: /* rule 7 can match eol */ YY_RULE_SETUP #line 236 "camp.l" {adjust(); newline(); append('\n'); continue; } YY_BREAK case 8: YY_RULE_SETUP #line 237 "camp.l" {adjust(); append('\\'); append('\\'); continue; } YY_BREAK case 9: YY_RULE_SETUP #line 238 "camp.l" {adjust(); append('\"'); continue; } YY_BREAK case 10: YY_RULE_SETUP #line 239 "camp.l" {adjust(); append(*yytext); } YY_BREAK case 11: /* rule 11 can match eol */ *yy_cp = (yy_hold_char); /* undo effects of setting up yytext */ YY_LINENO_REWIND_TO(yy_bp + 1); (yy_c_buf_p) = yy_cp = yy_bp + 1; YY_DO_BEFORE_ACTION; /* set up yytext again */ YY_RULE_SETUP #line 243 "camp.l" {adjust(); BEGIN INITIAL;} YY_BREAK case 12: YY_RULE_SETUP #line 244 "camp.l" {adjust(); BEGIN INITIAL; getstring(); return STRING; } YY_BREAK case YY_STATE_EOF(cstring): #line 248 "camp.l" {adjust(); setEOF("string not terminated"); BEGIN INITIAL; getstring(); return GARBAGE; } YY_BREAK case 13: /* rule 13 can match eol */ YY_RULE_SETUP #line 254 "camp.l" {adjust(); newline(); append('\n'); continue; } YY_BREAK case 14: YY_RULE_SETUP #line 255 "camp.l" {adjust(); append(yytext[1]); continue; } YY_BREAK case 15: YY_RULE_SETUP #line 256 "camp.l" {adjust(); append('\a'); continue; } YY_BREAK case 16: YY_RULE_SETUP #line 257 "camp.l" {adjust(); append('\b'); continue; } YY_BREAK case 17: YY_RULE_SETUP #line 258 "camp.l" {adjust(); append('\f'); continue; } YY_BREAK case 18: YY_RULE_SETUP #line 259 "camp.l" {adjust(); append('\n'); continue; } YY_BREAK case 19: YY_RULE_SETUP #line 260 "camp.l" {adjust(); append('\r'); continue; } YY_BREAK case 20: YY_RULE_SETUP #line 261 "camp.l" {adjust(); append('\t'); continue; } YY_BREAK case 21: YY_RULE_SETUP #line 262 "camp.l" {adjust(); append('\v'); continue; } YY_BREAK case 22: YY_RULE_SETUP #line 263 "camp.l" {adjust(); char x=(char)(yytext[1]-'0'); append(x); continue; } YY_BREAK case 23: YY_RULE_SETUP #line 268 "camp.l" {adjust(); char x=(char)((yytext[1]-'0')*8+yytext[2]-'0'); append(x); continue; } YY_BREAK case 24: YY_RULE_SETUP #line 273 "camp.l" {adjust(); char x=(char)((yytext[1]-'0')*64+(yytext[2]-'0')*8 +yytext[3]-'0'); append(x); continue; } YY_BREAK case 25: YY_RULE_SETUP #line 279 "camp.l" {adjust(); char x=(char) (yytext[2] <= '9' ? yytext[2]-'0' : 10+yytext[2]-'A'); append(x); continue; } YY_BREAK case 26: YY_RULE_SETUP #line 285 "camp.l" {adjust(); char x=(char) ((yytext[2] <= '9' ? yytext[2]-'0' : 10+yytext[2]-'A')*16 +(yytext[3] <= '9' ? yytext[3]-'0' : 10+yytext[3]-'A')); append(x); continue; } YY_BREAK case 27: YY_RULE_SETUP #line 293 "camp.l" {adjust(); append(*yytext); } YY_BREAK case 28: YY_RULE_SETUP #line 296 "camp.l" {adjust(); continue;} YY_BREAK case 29: /* rule 29 can match eol */ YY_RULE_SETUP #line 297 "camp.l" {adjust(); newline(); continue;} YY_BREAK case 30: YY_RULE_SETUP #line 298 "camp.l" {adjust(); continue;} YY_BREAK case 31: YY_RULE_SETUP #line 299 "camp.l" {adjust(); return ','; } YY_BREAK case 32: YY_RULE_SETUP #line 300 "camp.l" {adjust(); return ':'; } YY_BREAK case 33: YY_RULE_SETUP #line 301 "camp.l" {adjust(); return ';'; } YY_BREAK case 34: YY_RULE_SETUP #line 302 "camp.l" {adjust(); return '('; } YY_BREAK case 35: YY_RULE_SETUP #line 303 "camp.l" {adjust(); return ')'; } YY_BREAK case 36: YY_RULE_SETUP #line 304 "camp.l" {adjust(); return '['; } YY_BREAK case 37: YY_RULE_SETUP #line 305 "camp.l" {adjust(); return ']'; } YY_BREAK case 38: YY_RULE_SETUP #line 306 "camp.l" {adjust(); return '{'; } YY_BREAK case 39: YY_RULE_SETUP #line 307 "camp.l" {adjust(); return '}'; } YY_BREAK case 40: YY_RULE_SETUP #line 308 "camp.l" {adjust(); return '.'; } YY_BREAK case 41: YY_RULE_SETUP #line 309 "camp.l" {adjust(); return ELLIPSIS; } YY_BREAK case 42: YY_RULE_SETUP #line 311 "camp.l" {DEFSYMBOL(SYM_PLUS); return '+'; } YY_BREAK case 43: YY_RULE_SETUP #line 312 "camp.l" {DEFSYMBOL(SYM_MINUS); return '-'; } YY_BREAK case 44: YY_RULE_SETUP #line 313 "camp.l" {DEFSYMBOL(SYM_TIMES); return '*'; } YY_BREAK case 45: YY_RULE_SETUP #line 314 "camp.l" {DEFSYMBOL(SYM_DIVIDE); return '/'; } YY_BREAK case 46: YY_RULE_SETUP #line 315 "camp.l" {DEFSYMBOL(SYM_QUOTIENT); return '#'; } YY_BREAK case 47: YY_RULE_SETUP #line 316 "camp.l" {DEFSYMBOL(SYM_MOD); return '%'; } YY_BREAK case 48: YY_RULE_SETUP #line 317 "camp.l" {DEFSYMBOL(SYM_CARET); return '^'; } YY_BREAK case 49: YY_RULE_SETUP #line 318 "camp.l" {savesymbol(SYM_CARET); return '^'; } YY_BREAK case 50: YY_RULE_SETUP #line 319 "camp.l" {adjust(); return '?'; } YY_BREAK case 51: YY_RULE_SETUP #line 320 "camp.l" {adjust(); return ASSIGN; } YY_BREAK case 52: YY_RULE_SETUP #line 321 "camp.l" {DEFSYMBOL(SYM_EQ); return EQ; } YY_BREAK case 53: YY_RULE_SETUP #line 322 "camp.l" {DEFSYMBOL(SYM_NEQ); return NEQ; } YY_BREAK case 54: YY_RULE_SETUP #line 323 "camp.l" {DEFSYMBOL(SYM_LT); return LT; } YY_BREAK case 55: YY_RULE_SETUP #line 324 "camp.l" {DEFSYMBOL(SYM_LE); return LE; } YY_BREAK case 56: YY_RULE_SETUP #line 325 "camp.l" {DEFSYMBOL(SYM_GT); return GT; } YY_BREAK case 57: YY_RULE_SETUP #line 326 "camp.l" {DEFSYMBOL(SYM_GE); return GE; } YY_BREAK case 58: YY_RULE_SETUP #line 327 "camp.l" {DEFSYMBOL(SYM_CAND); return CAND; } YY_BREAK case 59: YY_RULE_SETUP #line 328 "camp.l" {DEFSYMBOL(SYM_COR); return COR; } YY_BREAK case 60: YY_RULE_SETUP #line 329 "camp.l" {DEFSYMBOL(SYM_LOGNOT); return OPERATOR; } YY_BREAK case 61: YY_RULE_SETUP #line 330 "camp.l" {DEFSYMBOL(SYM_CARETS); return CARETS; } YY_BREAK case 62: YY_RULE_SETUP #line 331 "camp.l" {DEFSYMBOL(SYM_COLONS); return COLONS; } YY_BREAK case 63: YY_RULE_SETUP #line 332 "camp.l" {DEFSYMBOL(SYM_INCR); return INCR; } YY_BREAK case 64: YY_RULE_SETUP #line 333 "camp.l" {DEFSYMBOL(SYM_DOTS); return DOTS; } YY_BREAK case 65: YY_RULE_SETUP #line 334 "camp.l" {DEFSYMBOL(SYM_DASHES); return DASHES; } YY_BREAK case 66: YY_RULE_SETUP #line 335 "camp.l" {DEFSYMBOL(SYM_LONGDASH); return LONGDASH; } YY_BREAK case 67: YY_RULE_SETUP #line 336 "camp.l" {DEFSYMBOL(SYM_AMPERSAND); return AMPERSAND; } YY_BREAK case 68: YY_RULE_SETUP #line 337 "camp.l" {DEFSYMBOL(SYM_BAR); return BAR; } YY_BREAK case 69: YY_RULE_SETUP #line 338 "camp.l" {makeopsymbol(); return OPERATOR; } YY_BREAK case 70: YY_RULE_SETUP #line 340 "camp.l" {savesymbol(SYM_PLUS); return SELFOP; } YY_BREAK case 71: YY_RULE_SETUP #line 341 "camp.l" {savesymbol(SYM_MINUS); return SELFOP; } YY_BREAK case 72: YY_RULE_SETUP #line 342 "camp.l" {savesymbol(SYM_TIMES); return SELFOP; } YY_BREAK case 73: YY_RULE_SETUP #line 343 "camp.l" {savesymbol(SYM_DIVIDE); return SELFOP; } YY_BREAK case 74: YY_RULE_SETUP #line 344 "camp.l" {savesymbol(SYM_QUOTIENT); return SELFOP; } YY_BREAK case 75: YY_RULE_SETUP #line 345 "camp.l" {savesymbol(SYM_MOD); return SELFOP; } YY_BREAK case 76: YY_RULE_SETUP #line 346 "camp.l" {savesymbol(SYM_CARET); return SELFOP; } YY_BREAK case 77: YY_RULE_SETUP #line 348 "camp.l" {adjust(); return AND; } YY_BREAK case 78: YY_RULE_SETUP #line 349 "camp.l" {DEFSYMBOL(SYM_CONTROLS); return CONTROLS; } YY_BREAK case 79: YY_RULE_SETUP #line 350 "camp.l" {DEFSYMBOL(SYM_TENSION); return TENSION; } YY_BREAK case 80: YY_RULE_SETUP #line 351 "camp.l" {DEFSYMBOL(SYM_ATLEAST); return ATLEAST; } YY_BREAK case 81: YY_RULE_SETUP #line 352 "camp.l" {DEFSYMBOL(SYM_CURL); return CURL; } YY_BREAK case 82: YY_RULE_SETUP #line 354 "camp.l" {adjust(); return IF; } YY_BREAK case 83: YY_RULE_SETUP #line 355 "camp.l" {adjust(); return ELSE; } YY_BREAK case 84: YY_RULE_SETUP #line 356 "camp.l" {adjust(); return WHILE; } YY_BREAK case 85: YY_RULE_SETUP #line 357 "camp.l" {adjust(); return FOR; } YY_BREAK case 86: YY_RULE_SETUP #line 358 "camp.l" {adjust(); return DO; } YY_BREAK case 87: YY_RULE_SETUP #line 359 "camp.l" {adjust(); return RETURN_; } YY_BREAK case 88: YY_RULE_SETUP #line 360 "camp.l" {adjust(); return BREAK; } YY_BREAK case 89: YY_RULE_SETUP #line 361 "camp.l" {adjust(); return CONTINUE; } YY_BREAK case 90: YY_RULE_SETUP #line 362 "camp.l" {adjust(); return STRUCT; } YY_BREAK case 91: YY_RULE_SETUP #line 363 "camp.l" {adjust(); return TYPEDEF; } YY_BREAK case 92: YY_RULE_SETUP #line 364 "camp.l" {adjust(); return NEW; } YY_BREAK case 93: YY_RULE_SETUP #line 365 "camp.l" {adjust(); return ACCESS; } YY_BREAK case 94: YY_RULE_SETUP #line 366 "camp.l" {adjust(); return IMPORT; } YY_BREAK case 95: YY_RULE_SETUP #line 367 "camp.l" {adjust(); return UNRAVEL; } YY_BREAK case 96: YY_RULE_SETUP #line 368 "camp.l" {adjust(); return FROM; } YY_BREAK case 97: YY_RULE_SETUP #line 369 "camp.l" {adjust(); return INCLUDE; } YY_BREAK case 98: YY_RULE_SETUP #line 370 "camp.l" {adjust(); return QUOTE; } YY_BREAK case 99: YY_RULE_SETUP #line 371 "camp.l" {adjust(); makemod(trans::EXPLICIT_STATIC); return MODIFIER; } YY_BREAK case 100: YY_RULE_SETUP #line 373 "camp.l" {adjust(); makeperm(trans::PUBLIC); return PERM; } YY_BREAK case 101: YY_RULE_SETUP #line 374 "camp.l" {adjust(); makeperm(trans::PRIVATE); return PERM; } YY_BREAK case 102: YY_RULE_SETUP #line 375 "camp.l" {adjust(); makeperm(trans::RESTRICTED); return PERM; } YY_BREAK case 103: YY_RULE_SETUP #line 376 "camp.l" {adjust(); return THIS; } YY_BREAK case 104: YY_RULE_SETUP #line 377 "camp.l" {adjust(); return EXPLICIT; } YY_BREAK case 105: YY_RULE_SETUP #line 380 "camp.l" try { adjust(); yylval.e= new intExp(here(), lexical::cast(yytext)); } catch (lexical::bad_cast&) { error(); em << "invalid integer"; yylval.e= new intExp(here(), 0); } return LIT; YY_BREAK case 106: YY_RULE_SETUP #line 387 "camp.l" try { adjust(); yylval.e= new realExp(here(), lexical::cast(yytext)); } catch (lexical::bad_cast&) { error(); em << "invalid real"; yylval.e= new realExp(here(), 0); } return LIT; YY_BREAK case 107: YY_RULE_SETUP #line 394 "camp.l" { adjust(); yylval.e= new booleanExp(here(), true); return LIT; } YY_BREAK case 108: YY_RULE_SETUP #line 396 "camp.l" { adjust(); yylval.e= new booleanExp(here(), false); return LIT; } YY_BREAK case 109: YY_RULE_SETUP #line 398 "camp.l" { adjust(); yylval.e= new nullExp(here()); return LIT; } YY_BREAK case 110: YY_RULE_SETUP #line 400 "camp.l" { adjust(); yylval.e= new cycleExp(here()); return LIT; } YY_BREAK case 111: YY_RULE_SETUP #line 402 "camp.l" { adjust(); yylval.e= new newPictureExp(here()); return LIT; } YY_BREAK case 112: YY_RULE_SETUP #line 405 "camp.l" {adjust(); BEGIN opname; } YY_BREAK case 113: YY_RULE_SETUP #line 407 "camp.l" {adjust(); continue;} YY_BREAK case 114: /* rule 114 can match eol */ YY_RULE_SETUP #line 408 "camp.l" {adjust(); newline(); continue;} YY_BREAK case YY_STATE_EOF(opname): #line 409 "camp.l" {adjust(); setEOF("missing operator name"); BEGIN INITIAL; return GARBAGE; } YY_BREAK case 115: YY_RULE_SETUP #line 414 "camp.l" { savesymbol(SYM_CARET); BEGIN INITIAL; return ID; } YY_BREAK case 116: YY_RULE_SETUP #line 418 "camp.l" { makeopsymbol(); BEGIN INITIAL; return ID;} YY_BREAK case 117: YY_RULE_SETUP #line 422 "camp.l" { makeopsymbol(); BEGIN INITIAL; return ID; } YY_BREAK case 118: YY_RULE_SETUP #line 426 "camp.l" {} YY_BREAK case 119: YY_RULE_SETUP #line 429 "camp.l" { makesymbol(); return ID; } YY_BREAK case 120: YY_RULE_SETUP #line 433 "camp.l" {adjust(); /*commentDepth = 1;*/ BEGIN lexcomment; } YY_BREAK case 121: YY_RULE_SETUP #line 434 "camp.l" {startstring(); BEGIN texstring; } YY_BREAK case 122: YY_RULE_SETUP #line 435 "camp.l" {startstring(); BEGIN cstring; } YY_BREAK case YY_STATE_EOF(INITIAL): case YY_STATE_EOF(lexformat): #line 437 "camp.l" { setEOF("unexpected end of input"); yyterminate(); } YY_BREAK case 123: YY_RULE_SETUP #line 439 "camp.l" {adjust(); error(); em << "invalid token"; if (isgraph(yytext[0])) em << " '" << yytext[0] << "'"; } YY_BREAK case 124: YY_RULE_SETUP #line 445 "camp.l" ECHO; YY_BREAK #line 2097 "lex.yy.cc" case YY_END_OF_BUFFER: { /* Amount of text matched not including the EOB char. */ int yy_amount_of_matched_text = (int) (yy_cp - (yytext_ptr)) - 1; /* Undo the effects of YY_DO_BEFORE_ACTION. */ *yy_cp = (yy_hold_char); YY_RESTORE_YY_MORE_OFFSET if ( YY_CURRENT_BUFFER_LVALUE->yy_buffer_status == YY_BUFFER_NEW ) { /* We're scanning a new file or input source. It's * possible that this happened because the user * just pointed yyin at a new source and called * yylex(). If so, then we have to assure * consistency between YY_CURRENT_BUFFER and our * globals. Here is the right place to do so, because * this is the first action (other than possibly a * back-up) that will match for the new input source. */ (yy_n_chars) = YY_CURRENT_BUFFER_LVALUE->yy_n_chars; /* %if-c-only */ YY_CURRENT_BUFFER_LVALUE->yy_input_file = yyin; /* %endif */ /* %if-c++-only */ /* %endif */ YY_CURRENT_BUFFER_LVALUE->yy_buffer_status = YY_BUFFER_NORMAL; } /* Note that here we test for yy_c_buf_p "<=" to the position * of the first EOB in the buffer, since yy_c_buf_p will * already have been incremented past the NUL character * (since all states make transitions on EOB to the * end-of-buffer state). Contrast this with the test * in input(). */ if ( (yy_c_buf_p) <= &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[(yy_n_chars)] ) { /* This was really a NUL. */ yy_state_type yy_next_state; (yy_c_buf_p) = (yytext_ptr) + yy_amount_of_matched_text; yy_current_state = yy_get_previous_state( ); /* Okay, we're now positioned to make the NUL * transition. We couldn't have * yy_get_previous_state() go ahead and do it * for us because it doesn't know how to deal * with the possibility of jamming (and we don't * want to build jamming into it because then it * will run more slowly). */ yy_next_state = yy_try_NUL_trans( yy_current_state ); yy_bp = (yytext_ptr) + YY_MORE_ADJ; if ( yy_next_state ) { /* Consume the NUL. */ yy_cp = ++(yy_c_buf_p); yy_current_state = yy_next_state; goto yy_match; } else { /* %% [14.0] code to do back-up for compressed tables and set up yy_cp goes here */ yy_cp = (yy_c_buf_p); goto yy_find_action; } } else switch ( yy_get_next_buffer( ) ) { case EOB_ACT_END_OF_FILE: { (yy_did_buffer_switch_on_eof) = 0; if ( yywrap( ) ) { /* Note: because we've taken care in * yy_get_next_buffer() to have set up * yytext, we can now set up * yy_c_buf_p so that if some total * hoser (like flex itself) wants to * call the scanner after we return the * YY_NULL, it'll still work - another * YY_NULL will get returned. */ (yy_c_buf_p) = (yytext_ptr) + YY_MORE_ADJ; yy_act = YY_STATE_EOF(YY_START); goto do_action; } else { if ( ! (yy_did_buffer_switch_on_eof) ) YY_NEW_FILE; } break; } case EOB_ACT_CONTINUE_SCAN: (yy_c_buf_p) = (yytext_ptr) + yy_amount_of_matched_text; yy_current_state = yy_get_previous_state( ); yy_cp = (yy_c_buf_p); yy_bp = (yytext_ptr) + YY_MORE_ADJ; goto yy_match; case EOB_ACT_LAST_MATCH: (yy_c_buf_p) = &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[(yy_n_chars)]; yy_current_state = yy_get_previous_state( ); yy_cp = (yy_c_buf_p); yy_bp = (yytext_ptr) + YY_MORE_ADJ; goto yy_find_action; } break; } default: YY_FATAL_ERROR( "fatal flex scanner internal error--no action found" ); } /* end of action switch */ } /* end of scanning one token */ } /* end of user's declarations */ } /* end of yylex */ /* %ok-for-header */ /* %if-c++-only */ /* %not-for-header */ /* %ok-for-header */ /* %endif */ /* yy_get_next_buffer - try to read in a new buffer * * Returns a code representing an action: * EOB_ACT_LAST_MATCH - * EOB_ACT_CONTINUE_SCAN - continue scanning from current position * EOB_ACT_END_OF_FILE - end of file */ /* %if-c-only */ static int yy_get_next_buffer (void) /* %endif */ /* %if-c++-only */ /* %endif */ { char *dest = YY_CURRENT_BUFFER_LVALUE->yy_ch_buf; char *source = (yytext_ptr); int number_to_move, i; int ret_val; if ( (yy_c_buf_p) > &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[(yy_n_chars) + 1] ) YY_FATAL_ERROR( "fatal flex scanner internal error--end of buffer missed" ); if ( YY_CURRENT_BUFFER_LVALUE->yy_fill_buffer == 0 ) { /* Don't try to fill the buffer, so this is an EOF. */ if ( (yy_c_buf_p) - (yytext_ptr) - YY_MORE_ADJ == 1 ) { /* We matched a single character, the EOB, so * treat this as a final EOF. */ return EOB_ACT_END_OF_FILE; } else { /* We matched some text prior to the EOB, first * process it. */ return EOB_ACT_LAST_MATCH; } } /* Try to read more data. */ /* First move last chars to start of buffer. */ number_to_move = (int) ((yy_c_buf_p) - (yytext_ptr) - 1); for ( i = 0; i < number_to_move; ++i ) *(dest++) = *(source++); if ( YY_CURRENT_BUFFER_LVALUE->yy_buffer_status == YY_BUFFER_EOF_PENDING ) /* don't do the read, it's not guaranteed to return an EOF, * just force an EOF */ YY_CURRENT_BUFFER_LVALUE->yy_n_chars = (yy_n_chars) = 0; else { int num_to_read = YY_CURRENT_BUFFER_LVALUE->yy_buf_size - number_to_move - 1; while ( num_to_read <= 0 ) { /* Not enough room in the buffer - grow it. */ /* just a shorter name for the current buffer */ YY_BUFFER_STATE b = YY_CURRENT_BUFFER_LVALUE; int yy_c_buf_p_offset = (int) ((yy_c_buf_p) - b->yy_ch_buf); if ( b->yy_is_our_buffer ) { int new_size = b->yy_buf_size * 2; if ( new_size <= 0 ) b->yy_buf_size += b->yy_buf_size / 8; else b->yy_buf_size *= 2; b->yy_ch_buf = (char *) /* Include room in for 2 EOB chars. */ yyrealloc( (void *) b->yy_ch_buf, (yy_size_t) (b->yy_buf_size + 2) ); } else /* Can't grow it, we don't own it. */ b->yy_ch_buf = NULL; if ( ! b->yy_ch_buf ) YY_FATAL_ERROR( "fatal error - scanner input buffer overflow" ); (yy_c_buf_p) = &b->yy_ch_buf[yy_c_buf_p_offset]; num_to_read = YY_CURRENT_BUFFER_LVALUE->yy_buf_size - number_to_move - 1; } if ( num_to_read > YY_READ_BUF_SIZE ) num_to_read = YY_READ_BUF_SIZE; /* Read in more data. */ YY_INPUT( (&YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[number_to_move]), (yy_n_chars), num_to_read ); YY_CURRENT_BUFFER_LVALUE->yy_n_chars = (yy_n_chars); } if ( (yy_n_chars) == 0 ) { if ( number_to_move == YY_MORE_ADJ ) { ret_val = EOB_ACT_END_OF_FILE; yyrestart( yyin ); } else { ret_val = EOB_ACT_LAST_MATCH; YY_CURRENT_BUFFER_LVALUE->yy_buffer_status = YY_BUFFER_EOF_PENDING; } } else ret_val = EOB_ACT_CONTINUE_SCAN; if (((yy_n_chars) + number_to_move) > YY_CURRENT_BUFFER_LVALUE->yy_buf_size) { /* Extend the array by 50%, plus the number we really need. */ int new_size = (yy_n_chars) + number_to_move + ((yy_n_chars) >> 1); YY_CURRENT_BUFFER_LVALUE->yy_ch_buf = (char *) yyrealloc( (void *) YY_CURRENT_BUFFER_LVALUE->yy_ch_buf, (yy_size_t) new_size ); if ( ! YY_CURRENT_BUFFER_LVALUE->yy_ch_buf ) YY_FATAL_ERROR( "out of dynamic memory in yy_get_next_buffer()" ); /* "- 2" to take care of EOB's */ YY_CURRENT_BUFFER_LVALUE->yy_buf_size = (int) (new_size - 2); } (yy_n_chars) += number_to_move; YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[(yy_n_chars)] = YY_END_OF_BUFFER_CHAR; YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[(yy_n_chars) + 1] = YY_END_OF_BUFFER_CHAR; (yytext_ptr) = &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[0]; return ret_val; } /* yy_get_previous_state - get the state just before the EOB char was reached */ /* %if-c-only */ /* %not-for-header */ static yy_state_type yy_get_previous_state (void) /* %endif */ /* %if-c++-only */ /* %endif */ { yy_state_type yy_current_state; char *yy_cp; /* %% [15.0] code to get the start state into yy_current_state goes here */ yy_current_state = (yy_start); for ( yy_cp = (yytext_ptr) + YY_MORE_ADJ; yy_cp < (yy_c_buf_p); ++yy_cp ) { /* %% [16.0] code to find the next state goes here */ YY_CHAR yy_c = (*yy_cp ? yy_ec[YY_SC_TO_UI(*yy_cp)] : 1); if ( yy_accept[yy_current_state] ) { (yy_last_accepting_state) = yy_current_state; (yy_last_accepting_cpos) = yy_cp; } while ( yy_chk[yy_base[yy_current_state] + yy_c] != yy_current_state ) { yy_current_state = (int) yy_def[yy_current_state]; if ( yy_current_state >= 337 ) yy_c = yy_meta[yy_c]; } yy_current_state = yy_nxt[yy_base[yy_current_state] + yy_c]; } return yy_current_state; } /* yy_try_NUL_trans - try to make a transition on the NUL character * * synopsis * next_state = yy_try_NUL_trans( current_state ); */ /* %if-c-only */ static yy_state_type yy_try_NUL_trans (yy_state_type yy_current_state ) /* %endif */ /* %if-c++-only */ /* %endif */ { int yy_is_jam; /* %% [17.0] code to find the next state, and perhaps do backing up, goes here */ char *yy_cp = (yy_c_buf_p); YY_CHAR yy_c = 1; if ( yy_accept[yy_current_state] ) { (yy_last_accepting_state) = yy_current_state; (yy_last_accepting_cpos) = yy_cp; } while ( yy_chk[yy_base[yy_current_state] + yy_c] != yy_current_state ) { yy_current_state = (int) yy_def[yy_current_state]; if ( yy_current_state >= 337 ) yy_c = yy_meta[yy_c]; } yy_current_state = yy_nxt[yy_base[yy_current_state] + yy_c]; yy_is_jam = (yy_current_state == 336); return yy_is_jam ? 0 : yy_current_state; } #ifndef YY_NO_UNPUT /* %if-c-only */ static void yyunput (int c, char * yy_bp ) /* %endif */ /* %if-c++-only */ /* %endif */ { char *yy_cp; yy_cp = (yy_c_buf_p); /* undo effects of setting up yytext */ *yy_cp = (yy_hold_char); if ( yy_cp < YY_CURRENT_BUFFER_LVALUE->yy_ch_buf + 2 ) { /* need to shift things up to make room */ /* +2 for EOB chars. */ int number_to_move = (yy_n_chars) + 2; char *dest = &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[ YY_CURRENT_BUFFER_LVALUE->yy_buf_size + 2]; char *source = &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[number_to_move]; while ( source > YY_CURRENT_BUFFER_LVALUE->yy_ch_buf ) *--dest = *--source; yy_cp += (int) (dest - source); yy_bp += (int) (dest - source); YY_CURRENT_BUFFER_LVALUE->yy_n_chars = (yy_n_chars) = (int) YY_CURRENT_BUFFER_LVALUE->yy_buf_size; if ( yy_cp < YY_CURRENT_BUFFER_LVALUE->yy_ch_buf + 2 ) YY_FATAL_ERROR( "flex scanner push-back overflow" ); } *--yy_cp = (char) c; /* %% [18.0] update yylineno here */ (yytext_ptr) = yy_bp; (yy_hold_char) = *yy_cp; (yy_c_buf_p) = yy_cp; } /* %if-c-only */ /* %endif */ #endif /* %if-c-only */ #ifndef YY_NO_INPUT #ifdef __cplusplus static int yyinput (void) #else static int input (void) #endif /* %endif */ /* %if-c++-only */ /* %endif */ { int c; *(yy_c_buf_p) = (yy_hold_char); if ( *(yy_c_buf_p) == YY_END_OF_BUFFER_CHAR ) { /* yy_c_buf_p now points to the character we want to return. * If this occurs *before* the EOB characters, then it's a * valid NUL; if not, then we've hit the end of the buffer. */ if ( (yy_c_buf_p) < &YY_CURRENT_BUFFER_LVALUE->yy_ch_buf[(yy_n_chars)] ) /* This was really a NUL. */ *(yy_c_buf_p) = '\0'; else { /* need more input */ int offset = (int) ((yy_c_buf_p) - (yytext_ptr)); ++(yy_c_buf_p); switch ( yy_get_next_buffer( ) ) { case EOB_ACT_LAST_MATCH: /* This happens because yy_g_n_b() * sees that we've accumulated a * token and flags that we need to * try matching the token before * proceeding. But for input(), * there's no matching to consider. * So convert the EOB_ACT_LAST_MATCH * to EOB_ACT_END_OF_FILE. */ /* Reset buffer status. */ yyrestart( yyin ); /*FALLTHROUGH*/ case EOB_ACT_END_OF_FILE: { if ( yywrap( ) ) return 0; if ( ! (yy_did_buffer_switch_on_eof) ) YY_NEW_FILE; #ifdef __cplusplus return yyinput(); #else return input(); #endif } case EOB_ACT_CONTINUE_SCAN: (yy_c_buf_p) = (yytext_ptr) + offset; break; } } } c = *(unsigned char *) (yy_c_buf_p); /* cast for 8-bit char's */ *(yy_c_buf_p) = '\0'; /* preserve yytext */ (yy_hold_char) = *++(yy_c_buf_p); /* %% [19.0] update BOL and yylineno */ return c; } /* %if-c-only */ #endif /* ifndef YY_NO_INPUT */ /* %endif */ /** Immediately switch to a different input stream. * @param input_file A readable stream. * * @note This function does not reset the start condition to @c INITIAL . */ /* %if-c-only */ void yyrestart (FILE * input_file ) /* %endif */ /* %if-c++-only */ /* %endif */ { if ( ! YY_CURRENT_BUFFER ){ yyensure_buffer_stack (); YY_CURRENT_BUFFER_LVALUE = yy_create_buffer( yyin, YY_BUF_SIZE ); } yy_init_buffer( YY_CURRENT_BUFFER, input_file ); yy_load_buffer_state( ); } /* %if-c++-only */ /* %endif */ /** Switch to a different input buffer. * @param new_buffer The new input buffer. * */ /* %if-c-only */ void yy_switch_to_buffer (YY_BUFFER_STATE new_buffer ) /* %endif */ /* %if-c++-only */ /* %endif */ { /* TODO. We should be able to replace this entire function body * with * yypop_buffer_state(); * yypush_buffer_state(new_buffer); */ yyensure_buffer_stack (); if ( YY_CURRENT_BUFFER == new_buffer ) return; if ( YY_CURRENT_BUFFER ) { /* Flush out information for old buffer. */ *(yy_c_buf_p) = (yy_hold_char); YY_CURRENT_BUFFER_LVALUE->yy_buf_pos = (yy_c_buf_p); YY_CURRENT_BUFFER_LVALUE->yy_n_chars = (yy_n_chars); } YY_CURRENT_BUFFER_LVALUE = new_buffer; yy_load_buffer_state( ); /* We don't actually know whether we did this switch during * EOF (yywrap()) processing, but the only time this flag * is looked at is after yywrap() is called, so it's safe * to go ahead and always set it. */ (yy_did_buffer_switch_on_eof) = 1; } /* %if-c-only */ static void yy_load_buffer_state (void) /* %endif */ /* %if-c++-only */ /* %endif */ { (yy_n_chars) = YY_CURRENT_BUFFER_LVALUE->yy_n_chars; (yytext_ptr) = (yy_c_buf_p) = YY_CURRENT_BUFFER_LVALUE->yy_buf_pos; /* %if-c-only */ yyin = YY_CURRENT_BUFFER_LVALUE->yy_input_file; /* %endif */ /* %if-c++-only */ /* %endif */ (yy_hold_char) = *(yy_c_buf_p); } /** Allocate and initialize an input buffer state. * @param file A readable stream. * @param size The character buffer size in bytes. When in doubt, use @c YY_BUF_SIZE. * * @return the allocated buffer state. */ /* %if-c-only */ YY_BUFFER_STATE yy_create_buffer (FILE * file, int size ) /* %endif */ /* %if-c++-only */ /* %endif */ { YY_BUFFER_STATE b; b = (YY_BUFFER_STATE) yyalloc( sizeof( struct yy_buffer_state ) ); if ( ! b ) YY_FATAL_ERROR( "out of dynamic memory in yy_create_buffer()" ); b->yy_buf_size = size; /* yy_ch_buf has to be 2 characters longer than the size given because * we need to put in 2 end-of-buffer characters. */ b->yy_ch_buf = (char *) yyalloc( (yy_size_t) (b->yy_buf_size + 2) ); if ( ! b->yy_ch_buf ) YY_FATAL_ERROR( "out of dynamic memory in yy_create_buffer()" ); b->yy_is_our_buffer = 1; yy_init_buffer( b, file ); return b; } /* %if-c++-only */ /* %endif */ /** Destroy the buffer. * @param b a buffer created with yy_create_buffer() * */ /* %if-c-only */ void yy_delete_buffer (YY_BUFFER_STATE b ) /* %endif */ /* %if-c++-only */ /* %endif */ { if ( ! b ) return; if ( b == YY_CURRENT_BUFFER ) /* Not sure if we should pop here. */ YY_CURRENT_BUFFER_LVALUE = (YY_BUFFER_STATE) 0; if ( b->yy_is_our_buffer ) yyfree( (void *) b->yy_ch_buf ); yyfree( (void *) b ); } /* Initializes or reinitializes a buffer. * This function is sometimes called more than once on the same buffer, * such as during a yyrestart() or at EOF. */ /* %if-c-only */ static void yy_init_buffer (YY_BUFFER_STATE b, FILE * file ) /* %endif */ /* %if-c++-only */ /* %endif */ { int oerrno = errno; yy_flush_buffer( b ); /* %if-c-only */ b->yy_input_file = file; /* %endif */ /* %if-c++-only */ /* %endif */ b->yy_fill_buffer = 1; /* If b is the current buffer, then yy_init_buffer was _probably_ * called from yyrestart() or through yy_get_next_buffer. * In that case, we don't want to reset the lineno or column. */ if (b != YY_CURRENT_BUFFER){ b->yy_bs_lineno = 1; b->yy_bs_column = 0; } /* %if-c-only */ b->yy_is_interactive = file ? (isatty( fileno(file) ) > 0) : 0; /* %endif */ /* %if-c++-only */ /* %endif */ errno = oerrno; } /** Discard all buffered characters. On the next scan, YY_INPUT will be called. * @param b the buffer state to be flushed, usually @c YY_CURRENT_BUFFER. * */ /* %if-c-only */ void yy_flush_buffer (YY_BUFFER_STATE b ) /* %endif */ /* %if-c++-only */ /* %endif */ { if ( ! b ) return; b->yy_n_chars = 0; /* We always need two end-of-buffer characters. The first causes * a transition to the end-of-buffer state. The second causes * a jam in that state. */ b->yy_ch_buf[0] = YY_END_OF_BUFFER_CHAR; b->yy_ch_buf[1] = YY_END_OF_BUFFER_CHAR; b->yy_buf_pos = &b->yy_ch_buf[0]; b->yy_at_bol = 1; b->yy_buffer_status = YY_BUFFER_NEW; if ( b == YY_CURRENT_BUFFER ) yy_load_buffer_state( ); } /* %if-c-or-c++ */ /** Pushes the new state onto the stack. The new state becomes * the current state. This function will allocate the stack * if necessary. * @param new_buffer The new state. * */ /* %if-c-only */ void yypush_buffer_state (YY_BUFFER_STATE new_buffer ) /* %endif */ /* %if-c++-only */ /* %endif */ { if (new_buffer == NULL) return; yyensure_buffer_stack(); /* This block is copied from yy_switch_to_buffer. */ if ( YY_CURRENT_BUFFER ) { /* Flush out information for old buffer. */ *(yy_c_buf_p) = (yy_hold_char); YY_CURRENT_BUFFER_LVALUE->yy_buf_pos = (yy_c_buf_p); YY_CURRENT_BUFFER_LVALUE->yy_n_chars = (yy_n_chars); } /* Only push if top exists. Otherwise, replace top. */ if (YY_CURRENT_BUFFER) (yy_buffer_stack_top)++; YY_CURRENT_BUFFER_LVALUE = new_buffer; /* copied from yy_switch_to_buffer. */ yy_load_buffer_state( ); (yy_did_buffer_switch_on_eof) = 1; } /* %endif */ /* %if-c-or-c++ */ /** Removes and deletes the top of the stack, if present. * The next element becomes the new top. * */ /* %if-c-only */ void yypop_buffer_state (void) /* %endif */ /* %if-c++-only */ /* %endif */ { if (!YY_CURRENT_BUFFER) return; yy_delete_buffer(YY_CURRENT_BUFFER ); YY_CURRENT_BUFFER_LVALUE = NULL; if ((yy_buffer_stack_top) > 0) --(yy_buffer_stack_top); if (YY_CURRENT_BUFFER) { yy_load_buffer_state( ); (yy_did_buffer_switch_on_eof) = 1; } } /* %endif */ /* %if-c-or-c++ */ /* Allocates the stack if it does not exist. * Guarantees space for at least one push. */ /* %if-c-only */ static void yyensure_buffer_stack (void) /* %endif */ /* %if-c++-only */ /* %endif */ { yy_size_t num_to_alloc; if (!(yy_buffer_stack)) { /* First allocation is just for 2 elements, since we don't know if this * scanner will even need a stack. We use 2 instead of 1 to avoid an * immediate realloc on the next call. */ num_to_alloc = 1; /* After all that talk, this was set to 1 anyways... */ (yy_buffer_stack) = (struct yy_buffer_state**)yyalloc (num_to_alloc * sizeof(struct yy_buffer_state*) ); if ( ! (yy_buffer_stack) ) YY_FATAL_ERROR( "out of dynamic memory in yyensure_buffer_stack()" ); memset((yy_buffer_stack), 0, num_to_alloc * sizeof(struct yy_buffer_state*)); (yy_buffer_stack_max) = num_to_alloc; (yy_buffer_stack_top) = 0; return; } if ((yy_buffer_stack_top) >= ((yy_buffer_stack_max)) - 1){ /* Increase the buffer to prepare for a possible push. */ yy_size_t grow_size = 8 /* arbitrary grow size */; num_to_alloc = (yy_buffer_stack_max) + grow_size; (yy_buffer_stack) = (struct yy_buffer_state**)yyrealloc ((yy_buffer_stack), num_to_alloc * sizeof(struct yy_buffer_state*) ); if ( ! (yy_buffer_stack) ) YY_FATAL_ERROR( "out of dynamic memory in yyensure_buffer_stack()" ); /* zero only the new slots.*/ memset((yy_buffer_stack) + (yy_buffer_stack_max), 0, grow_size * sizeof(struct yy_buffer_state*)); (yy_buffer_stack_max) = num_to_alloc; } } /* %endif */ /* %if-c-only */ /** Setup the input buffer state to scan directly from a user-specified character buffer. * @param base the character buffer * @param size the size in bytes of the character buffer * * @return the newly allocated buffer state object. */ YY_BUFFER_STATE yy_scan_buffer (char * base, yy_size_t size ) { YY_BUFFER_STATE b; if ( size < 2 || base[size-2] != YY_END_OF_BUFFER_CHAR || base[size-1] != YY_END_OF_BUFFER_CHAR ) /* They forgot to leave room for the EOB's. */ return NULL; b = (YY_BUFFER_STATE) yyalloc( sizeof( struct yy_buffer_state ) ); if ( ! b ) YY_FATAL_ERROR( "out of dynamic memory in yy_scan_buffer()" ); b->yy_buf_size = (int) (size - 2); /* "- 2" to take care of EOB's */ b->yy_buf_pos = b->yy_ch_buf = base; b->yy_is_our_buffer = 0; b->yy_input_file = NULL; b->yy_n_chars = b->yy_buf_size; b->yy_is_interactive = 0; b->yy_at_bol = 1; b->yy_fill_buffer = 0; b->yy_buffer_status = YY_BUFFER_NEW; yy_switch_to_buffer( b ); return b; } /* %endif */ /* %if-c-only */ /** Setup the input buffer state to scan a string. The next call to yylex() will * scan from a @e copy of @a str. * @param yystr a NUL-terminated string to scan * * @return the newly allocated buffer state object. * @note If you want to scan bytes that may contain NUL values, then use * yy_scan_bytes() instead. */ YY_BUFFER_STATE yy_scan_string (const char * yystr ) { return yy_scan_bytes( yystr, (int) strlen(yystr) ); } /* %endif */ /* %if-c-only */ /** Setup the input buffer state to scan the given bytes. The next call to yylex() will * scan from a @e copy of @a bytes. * @param yybytes the byte buffer to scan * @param _yybytes_len the number of bytes in the buffer pointed to by @a bytes. * * @return the newly allocated buffer state object. */ YY_BUFFER_STATE yy_scan_bytes (const char * yybytes, int _yybytes_len ) { YY_BUFFER_STATE b; char *buf; yy_size_t n; int i; /* Get memory for full buffer, including space for trailing EOB's. */ n = (yy_size_t) (_yybytes_len + 2); buf = (char *) yyalloc( n ); if ( ! buf ) YY_FATAL_ERROR( "out of dynamic memory in yy_scan_bytes()" ); for ( i = 0; i < _yybytes_len; ++i ) buf[i] = yybytes[i]; buf[_yybytes_len] = buf[_yybytes_len+1] = YY_END_OF_BUFFER_CHAR; b = yy_scan_buffer( buf, n ); if ( ! b ) YY_FATAL_ERROR( "bad buffer in yy_scan_bytes()" ); /* It's okay to grow etc. this buffer, and we should throw it * away when we're done. */ b->yy_is_our_buffer = 1; return b; } /* %endif */ #ifndef YY_EXIT_FAILURE #define YY_EXIT_FAILURE 2 #endif /* %if-c-only */ static void yynoreturn yy_fatal_error (const char* msg ) { fprintf( stderr, "%s\n", msg ); exit( YY_EXIT_FAILURE ); } /* %endif */ /* %if-c++-only */ /* %endif */ /* Redefine yyless() so it works in section 3 code. */ #undef yyless #define yyless(n) \ do \ { \ /* Undo effects of setting up yytext. */ \ int yyless_macro_arg = (n); \ YY_LESS_LINENO(yyless_macro_arg);\ yytext[yyleng] = (yy_hold_char); \ (yy_c_buf_p) = yytext + yyless_macro_arg; \ (yy_hold_char) = *(yy_c_buf_p); \ *(yy_c_buf_p) = '\0'; \ yyleng = yyless_macro_arg; \ } \ while ( 0 ) /* Accessor methods (get/set functions) to struct members. */ /* %if-c-only */ /* %if-reentrant */ /* %endif */ /** Get the current line number. * */ int yyget_lineno (void) { return yylineno; } /** Get the input stream. * */ FILE *yyget_in (void) { return yyin; } /** Get the output stream. * */ FILE *yyget_out (void) { return yyout; } /** Get the length of the current token. * */ int yyget_leng (void) { return yyleng; } /** Get the current token. * */ char *yyget_text (void) { return yytext; } /* %if-reentrant */ /* %endif */ /** Set the current line number. * @param _line_number line number * */ void yyset_lineno (int _line_number ) { yylineno = _line_number; } /** Set the input stream. This does not discard the current * input buffer. * @param _in_str A readable stream. * * @see yy_switch_to_buffer */ void yyset_in (FILE * _in_str ) { yyin = _in_str ; } void yyset_out (FILE * _out_str ) { yyout = _out_str ; } int yyget_debug (void) { return yy_flex_debug; } void yyset_debug (int _bdebug ) { yy_flex_debug = _bdebug ; } /* %endif */ /* %if-reentrant */ /* %if-bison-bridge */ /* %endif */ /* %endif if-c-only */ /* %if-c-only */ static int yy_init_globals (void) { /* Initialization is the same as for the non-reentrant scanner. * This function is called from yylex_destroy(), so don't allocate here. */ (yy_buffer_stack) = NULL; (yy_buffer_stack_top) = 0; (yy_buffer_stack_max) = 0; (yy_c_buf_p) = NULL; (yy_init) = 0; (yy_start) = 0; /* Defined in main.c */ #ifdef YY_STDINIT yyin = stdin; yyout = stdout; #else yyin = NULL; yyout = NULL; #endif /* For future reference: Set errno on error, since we are called by * yylex_init() */ return 0; } /* %endif */ /* %if-c-only SNIP! this currently causes conflicts with the c++ scanner */ /* yylex_destroy is for both reentrant and non-reentrant scanners. */ int yylex_destroy (void) { /* Pop the buffer stack, destroying each element. */ while(YY_CURRENT_BUFFER){ yy_delete_buffer( YY_CURRENT_BUFFER ); YY_CURRENT_BUFFER_LVALUE = NULL; yypop_buffer_state(); } /* Destroy the stack itself. */ yyfree((yy_buffer_stack) ); (yy_buffer_stack) = NULL; /* Reset the globals. This is important in a non-reentrant scanner so the next time * yylex() is called, initialization will occur. */ yy_init_globals( ); /* %if-reentrant */ /* %endif */ return 0; } /* %endif */ /* * Internal utility routines. */ #ifndef yytext_ptr static void yy_flex_strncpy (char* s1, const char * s2, int n ) { int i; for ( i = 0; i < n; ++i ) s1[i] = s2[i]; } #endif #ifdef YY_NEED_STRLEN static int yy_flex_strlen (const char * s ) { int n; for ( n = 0; s[n]; ++n ) ; return n; } #endif void *yyalloc (yy_size_t size ) { return malloc(size); } void *yyrealloc (void * ptr, yy_size_t size ) { /* The cast to (char *) in the following accommodates both * implementations that use char* generic pointers, and those * that use void* generic pointers. It works with the latter * because both ANSI C and C++ allow castless assignment from * any pointer type to void*, and deal with argument conversions * as though doing an assignment. */ return realloc(ptr, size); } void yyfree (void * ptr ) { free( (char *) ptr ); /* see yyrealloc() for (char *) cast */ } /* %if-tables-serialization definitions */ /* %define-yytables The name for this specific scanner's tables. */ #define YYTABLES_NAME "yytables" /* %endif */ /* %ok-for-header */ #line 445 "camp.l" asymptote-2.62/beziercurve.h0000644000000000000000000000227013607467113014675 0ustar rootroot/***** * beziercurve.h * Author: John C. Bowman * * Render a Bezier curve. *****/ #ifndef BEZIERCURVE_H #define BEZIERCURVE_H #include "drawelement.h" namespace camp { #ifdef HAVE_GL extern const double Fuzz; extern const double Fuzz2; struct BezierCurve { vertexBuffer data; double res,res2; bool Onscreen; void init(double res); // Approximate bounds by bounding box of control polyhedron. bool offscreen(size_t n, const triple *v) { if(bbox2(n,v).offscreen()) { Onscreen=false; return true; } return false; } void render(const triple *p, bool straight); void render(const triple *p, GLuint I0, GLuint I1); void append() { material1Data.append1(data); } void queue(const triple *g, bool straight, double ratio) { data.clear(); Onscreen=true; init(pixel*ratio); render(g,straight); } }; struct Pixel { vertexBuffer data; void append() { material0Data.append0(data); } void queue(const triple& p, double width) { data.clear(); MaterialIndex=materialIndex; data.indices.push_back(data.vertex0(p,width)); append(); } void draw(); }; #endif } //namespace camp #endif asymptote-2.62/runfile.cc0000644000000000000000000004251713607467143014165 0ustar rootroot/***** Autogenerated from runfile.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runfile.in" /***** * runfile.in * * Runtime functions for file operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 10 "runfile.in" #include "fileio.h" #include "callable.h" #include "triple.h" #include "array.h" #ifdef __CYGWIN__ extern "C" int mkstemp(char *c); #endif using namespace camp; using namespace settings; using namespace vm; string commentchar="#"; // Autogenerated routines: #ifndef NOSYM #include "runfile.symbols.h" #endif namespace run { #line 28 "runfile.in" // bool ==(file *a, file *b); void gen_runfile0(stack *Stack) { file * b=vm::pop(Stack); file * a=vm::pop(Stack); #line 29 "runfile.in" {Stack->push(a == b); return;} } #line 33 "runfile.in" // bool !=(file *a, file *b); void gen_runfile1(stack *Stack) { file * b=vm::pop(Stack); file * a=vm::pop(Stack); #line 34 "runfile.in" {Stack->push(a != b); return;} } #line 38 "runfile.in" void nullFile(stack *Stack) { #line 39 "runfile.in" {Stack->push(&camp::nullfile); return;} } #line 43 "runfile.in" // file* input(string name=emptystring, bool check=true, string comment=commentchar, string mode=emptystring); void gen_runfile3(stack *Stack) { string mode=vm::pop(Stack,emptystring); string comment=vm::pop(Stack,commentchar); bool check=vm::pop(Stack,true); string name=vm::pop(Stack,emptystring); #line 45 "runfile.in" file *f=NULL; if(mode == "binary") { f=new ibfile(name,check); } else if(mode == "xdr") { #ifdef HAVE_RPC_RPC_H f=new ixfile(name,check); #else ostringstream buf; buf << name << ": XDR read support not enabled"; error(buf); #endif } else if(mode == "") { char c=comment.empty() ? (char) 0 : comment[0]; f=new ifile(name,c,check); } else { f=NULL; ostringstream buf; buf << name << ": invalid file mode '" << mode << "'"; error(buf); } f->open(); {Stack->push(f); return;} } #line 71 "runfile.in" // file* output(string name=emptystring, bool update=false, string comment=commentchar, string mode=emptystring); void gen_runfile4(stack *Stack) { string mode=vm::pop(Stack,emptystring); string comment=vm::pop(Stack,commentchar); bool update=vm::pop(Stack,false); string name=vm::pop(Stack,emptystring); #line 73 "runfile.in" file *f=NULL; if(mode == "pipe") { f=new opipe(name); } else if(mode == "binary") { if(update) f=new iobfile(name); else f=new obfile(name); } else if(mode == "xdr") { #ifdef HAVE_RPC_RPC_H if(update) f=new ioxfile(name); else f=new oxfile(name); #else ostringstream buf; buf << name << ": XDR write support not enabled"; error(buf); #endif } else if(mode == "") { if(update) { char c=comment.empty() ? (char) 0 : comment[0]; f=new iofile(name,c); } else f=new ofile(name); } else { f=NULL; ostringstream buf; buf << name << ": invalid file mode '" << mode << "'"; error(buf); } f->open(); if(update) f->seek(0,false); {Stack->push(f); return;} } #line 108 "runfile.in" // bool eof(file *f); void gen_runfile5(stack *Stack) { file * f=vm::pop(Stack); #line 109 "runfile.in" {Stack->push(f->eof()); return;} } #line 113 "runfile.in" // bool eol(file *f); void gen_runfile6(stack *Stack) { file * f=vm::pop(Stack); #line 114 "runfile.in" {Stack->push(f->eol()); return;} } #line 118 "runfile.in" // bool error(file *f); void gen_runfile7(stack *Stack) { file * f=vm::pop(Stack); #line 119 "runfile.in" {Stack->push(f->error()); return;} } #line 123 "runfile.in" // void clear(file *f); void gen_runfile8(stack *Stack) { file * f=vm::pop(Stack); #line 124 "runfile.in" f->clear(); } #line 128 "runfile.in" // void close(file *f); void gen_runfile9(stack *Stack) { file * f=vm::pop(Stack); #line 129 "runfile.in" f->close(); } #line 133 "runfile.in" // Int precision(file *f=NULL, Int digits=0); void gen_runfile10(stack *Stack) { Int digits=vm::pop(Stack,0); file * f=vm::pop(Stack,NULL); #line 134 "runfile.in" if(f == 0) f=&camp::Stdout; {Stack->push(f->precision(digits)); return;} } #line 139 "runfile.in" // void flush(file *f); void gen_runfile11(stack *Stack) { file * f=vm::pop(Stack); #line 140 "runfile.in" f->flush(); } #line 144 "runfile.in" // string getc(file *f); void gen_runfile12(stack *Stack) { file * f=vm::pop(Stack); #line 145 "runfile.in" char c=0; if(f->isOpen()) f->read(c); static char str[1]; str[0]=c; {Stack->push(string(str)); return;} } #line 153 "runfile.in" // Int tell(file *f); void gen_runfile13(stack *Stack) { file * f=vm::pop(Stack); #line 154 "runfile.in" {Stack->push(f->tell()); return;} } #line 158 "runfile.in" // void seek(file *f, Int pos); void gen_runfile14(stack *Stack) { Int pos=vm::pop(Stack); file * f=vm::pop(Stack); #line 159 "runfile.in" f->seek(pos,pos >= 0); } #line 163 "runfile.in" // void seekeof(file *f); void gen_runfile15(stack *Stack) { file * f=vm::pop(Stack); #line 164 "runfile.in" f->seek(0,false); } #line 168 "runfile.in" void namePart(stack *Stack) { file f=vm::pop(Stack); #line 169 "runfile.in" {Stack->push(f.filename()); return;} } #line 173 "runfile.in" void modePart(stack *Stack) { file f=vm::pop(Stack); #line 174 "runfile.in" {Stack->push(f.FileMode()); return;} } // Set file dimensions #line 179 "runfile.in" void dimensionSetHelper(stack *Stack) { file * f=vm::pop(Stack); Int nz=vm::pop(Stack,-1); Int ny=vm::pop(Stack,-1); Int nx=vm::pop(Stack,-1); #line 180 "runfile.in" f->dimension(nx,ny,nz); {Stack->push(f); return;} } #line 185 "runfile.in" void dimensionSet(stack *Stack) { file * f=vm::pop(Stack); #line 186 "runfile.in" {Stack->push(new thunk(new bfunc(dimensionSetHelper),f)); return;} } #line 190 "runfile.in" void dimensionPart(stack *Stack) { file f=vm::pop(Stack); #line 191 "runfile.in" array *a=new array(3); (*a)[0]=f.Nx(); (*a)[1]=f.Ny(); (*a)[2]=f.Nz(); {Stack->push(a); return;} } // Set file f to read arrays in line-at-a-time mode #line 200 "runfile.in" void lineSetHelper(stack *Stack) { file * f=vm::pop(Stack); bool b=vm::pop(Stack,true); #line 201 "runfile.in" f->LineMode(b); {Stack->push(f); return;} } #line 206 "runfile.in" void lineSet(stack *Stack) { file * f=vm::pop(Stack); #line 207 "runfile.in" {Stack->push(new thunk(new bfunc(lineSetHelper),f)); return;} } #line 211 "runfile.in" void linePart(stack *Stack) { file f=vm::pop(Stack); #line 212 "runfile.in" {Stack->push(f.LineMode()); return;} } // Set file to read comma-separated values #line 217 "runfile.in" void csvSetHelper(stack *Stack) { file * f=vm::pop(Stack); bool b=vm::pop(Stack,true); #line 218 "runfile.in" f->CSVMode(b); {Stack->push(f); return;} } #line 223 "runfile.in" void csvSet(stack *Stack) { file * f=vm::pop(Stack); #line 224 "runfile.in" {Stack->push(new thunk(new bfunc(csvSetHelper),f)); return;} } #line 228 "runfile.in" void csvPart(stack *Stack) { file f=vm::pop(Stack); #line 229 "runfile.in" {Stack->push(f.CSVMode()); return;} } // Set file to read whitespace-separated values #line 234 "runfile.in" void wordSetHelper(stack *Stack) { file * f=vm::pop(Stack); bool b=vm::pop(Stack,true); #line 235 "runfile.in" f->WordMode(b); {Stack->push(f); return;} } #line 240 "runfile.in" void wordSet(stack *Stack) { file * f=vm::pop(Stack); #line 241 "runfile.in" {Stack->push(new thunk(new bfunc(wordSetHelper),f)); return;} } #line 245 "runfile.in" void wordPart(stack *Stack) { file f=vm::pop(Stack); #line 246 "runfile.in" {Stack->push(f.WordMode()); return;} } // Set file to read/write single precision real XDR values. #line 251 "runfile.in" void singlerealSetHelper(stack *Stack) { file * f=vm::pop(Stack); bool b=vm::pop(Stack,true); #line 252 "runfile.in" f->SingleReal(b); {Stack->push(f); return;} } #line 257 "runfile.in" void singlerealSet(stack *Stack) { file * f=vm::pop(Stack); #line 258 "runfile.in" {Stack->push(new thunk(new bfunc(singlerealSetHelper),f)); return;} } #line 262 "runfile.in" void singlerealPart(stack *Stack) { file f=vm::pop(Stack); #line 263 "runfile.in" {Stack->push(f.SingleReal()); return;} } // Set file to read/write single precision int XDR values. #line 268 "runfile.in" void singleintSetHelper(stack *Stack) { file * f=vm::pop(Stack); bool b=vm::pop(Stack,true); #line 269 "runfile.in" f->SingleInt(b); {Stack->push(f); return;} } #line 274 "runfile.in" void singleintSet(stack *Stack) { file * f=vm::pop(Stack); #line 275 "runfile.in" {Stack->push(new thunk(new bfunc(singleintSetHelper),f)); return;} } #line 279 "runfile.in" void singleintPart(stack *Stack) { file f=vm::pop(Stack); #line 280 "runfile.in" {Stack->push(f.SingleInt()); return;} } // Set file to read/write signed int XDR values. #line 285 "runfile.in" void signedintSetHelper(stack *Stack) { file * f=vm::pop(Stack); bool b=vm::pop(Stack,true); #line 286 "runfile.in" f->SignedInt(b); {Stack->push(f); return;} } #line 291 "runfile.in" void signedintSet(stack *Stack) { file * f=vm::pop(Stack); #line 292 "runfile.in" {Stack->push(new thunk(new bfunc(signedintSetHelper),f)); return;} } #line 296 "runfile.in" void signedintPart(stack *Stack) { file f=vm::pop(Stack); #line 297 "runfile.in" {Stack->push(f.SignedInt()); return;} } // Set file to read an arrayi (i int sizes followed by an i-dimensional array) #line 302 "runfile.in" void readSetHelper(stack *Stack) { file * f=vm::pop(Stack); Int i=vm::pop(Stack); #line 303 "runfile.in" switch(i) { case 1: f->dimension(-2); break; case 2: f->dimension(-2,-2); break; case 3: f->dimension(-2,-2,-2); break; default: f->dimension(); } {Stack->push(f); return;} } #line 324 "runfile.in" void readSet(stack *Stack) { file * f=vm::pop(Stack); #line 325 "runfile.in" {Stack->push(new thunk(new bfunc(readSetHelper),f)); return;} } // Delete file named s. #line 330 "runfile.in" // Int delete(string s); void gen_runfile41(stack *Stack) { string s=vm::pop(Stack); #line 331 "runfile.in" s=outpath(s); Int rc=unlink(s.c_str()); if(rc == 0 && verbose > 0) cout << "Deleted " << s << endl; {Stack->push(rc); return;} } // Rename file "from" to file "to". #line 340 "runfile.in" // Int rename(string from, string to); void gen_runfile42(stack *Stack) { string to=vm::pop(Stack); string from=vm::pop(Stack); #line 341 "runfile.in" from=outpath(from); to=outpath(to); Int rc=rename(from.c_str(),to.c_str()); if(rc == 0 && verbose > 0) cout << "Renamed " << from << " to " << to << endl; {Stack->push(rc); return;} } // Create a unique temporary file name. #line 351 "runfile.in" // string mktemp(string s); void gen_runfile43(stack *Stack) { string s=vm::pop(Stack); #line 352 "runfile.in" char *S=Strdup(s+"XXXXXX"); int fd=mkstemp(S); if(fd < 0) { ostringstream buf; buf << "Could not create unique temporary filename based on " << s; error(buf); } {Stack->push(S); return;} } } // namespace run namespace trans { void gen_runfile_venv(venv &ve) { #line 28 "runfile.in" addFunc(ve, run::gen_runfile0, primBoolean(), SYM_EQ, formal(primFile(), SYM(a), false, false), formal(primFile(), SYM(b), false, false)); #line 33 "runfile.in" addFunc(ve, run::gen_runfile1, primBoolean(), SYM_NEQ, formal(primFile(), SYM(a), false, false), formal(primFile(), SYM(b), false, false)); #line 38 "runfile.in" REGISTER_BLTIN(run::nullFile,"nullFile"); #line 43 "runfile.in" addFunc(ve, run::gen_runfile3, primFile(), SYM(input), formal(primString() , SYM(name), true, false), formal(primBoolean(), SYM(check), true, false), formal(primString() , SYM(comment), true, false), formal(primString() , SYM(mode), true, false)); #line 71 "runfile.in" addFunc(ve, run::gen_runfile4, primFile(), SYM(output), formal(primString() , SYM(name), true, false), formal(primBoolean(), SYM(update), true, false), formal(primString() , SYM(comment), true, false), formal(primString() , SYM(mode), true, false)); #line 108 "runfile.in" addFunc(ve, run::gen_runfile5, primBoolean(), SYM(eof), formal(primFile(), SYM(f), false, false)); #line 113 "runfile.in" addFunc(ve, run::gen_runfile6, primBoolean(), SYM(eol), formal(primFile(), SYM(f), false, false)); #line 118 "runfile.in" addFunc(ve, run::gen_runfile7, primBoolean(), SYM(error), formal(primFile(), SYM(f), false, false)); #line 123 "runfile.in" addFunc(ve, run::gen_runfile8, primVoid(), SYM(clear), formal(primFile(), SYM(f), false, false)); #line 128 "runfile.in" addFunc(ve, run::gen_runfile9, primVoid(), SYM(close), formal(primFile(), SYM(f), false, false)); #line 133 "runfile.in" addFunc(ve, run::gen_runfile10, primInt(), SYM(precision), formal(primFile(), SYM(f), true, false), formal(primInt(), SYM(digits), true, false)); #line 139 "runfile.in" addFunc(ve, run::gen_runfile11, primVoid(), SYM(flush), formal(primFile(), SYM(f), false, false)); #line 144 "runfile.in" addFunc(ve, run::gen_runfile12, primString() , SYM(getc), formal(primFile(), SYM(f), false, false)); #line 153 "runfile.in" addFunc(ve, run::gen_runfile13, primInt(), SYM(tell), formal(primFile(), SYM(f), false, false)); #line 158 "runfile.in" addFunc(ve, run::gen_runfile14, primVoid(), SYM(seek), formal(primFile(), SYM(f), false, false), formal(primInt(), SYM(pos), false, false)); #line 163 "runfile.in" addFunc(ve, run::gen_runfile15, primVoid(), SYM(seekeof), formal(primFile(), SYM(f), false, false)); #line 168 "runfile.in" REGISTER_BLTIN(run::namePart,"namePart"); #line 173 "runfile.in" REGISTER_BLTIN(run::modePart,"modePart"); #line 178 "runfile.in" REGISTER_BLTIN(run::dimensionSetHelper,"dimensionSetHelper"); #line 185 "runfile.in" REGISTER_BLTIN(run::dimensionSet,"dimensionSet"); #line 190 "runfile.in" REGISTER_BLTIN(run::dimensionPart,"dimensionPart"); #line 199 "runfile.in" REGISTER_BLTIN(run::lineSetHelper,"lineSetHelper"); #line 206 "runfile.in" REGISTER_BLTIN(run::lineSet,"lineSet"); #line 211 "runfile.in" REGISTER_BLTIN(run::linePart,"linePart"); #line 216 "runfile.in" REGISTER_BLTIN(run::csvSetHelper,"csvSetHelper"); #line 223 "runfile.in" REGISTER_BLTIN(run::csvSet,"csvSet"); #line 228 "runfile.in" REGISTER_BLTIN(run::csvPart,"csvPart"); #line 233 "runfile.in" REGISTER_BLTIN(run::wordSetHelper,"wordSetHelper"); #line 240 "runfile.in" REGISTER_BLTIN(run::wordSet,"wordSet"); #line 245 "runfile.in" REGISTER_BLTIN(run::wordPart,"wordPart"); #line 250 "runfile.in" REGISTER_BLTIN(run::singlerealSetHelper,"singlerealSetHelper"); #line 257 "runfile.in" REGISTER_BLTIN(run::singlerealSet,"singlerealSet"); #line 262 "runfile.in" REGISTER_BLTIN(run::singlerealPart,"singlerealPart"); #line 267 "runfile.in" REGISTER_BLTIN(run::singleintSetHelper,"singleintSetHelper"); #line 274 "runfile.in" REGISTER_BLTIN(run::singleintSet,"singleintSet"); #line 279 "runfile.in" REGISTER_BLTIN(run::singleintPart,"singleintPart"); #line 284 "runfile.in" REGISTER_BLTIN(run::signedintSetHelper,"signedintSetHelper"); #line 291 "runfile.in" REGISTER_BLTIN(run::signedintSet,"signedintSet"); #line 296 "runfile.in" REGISTER_BLTIN(run::signedintPart,"signedintPart"); #line 301 "runfile.in" REGISTER_BLTIN(run::readSetHelper,"readSetHelper"); #line 324 "runfile.in" REGISTER_BLTIN(run::readSet,"readSet"); #line 329 "runfile.in" addFunc(ve, run::gen_runfile41, primInt(), SYM(delete), formal(primString() , SYM(s), false, false)); #line 339 "runfile.in" addFunc(ve, run::gen_runfile42, primInt(), SYM(rename), formal(primString() , SYM(from), false, false), formal(primString() , SYM(to), false, false)); #line 350 "runfile.in" addFunc(ve, run::gen_runfile43, primString() , SYM(mktemp), formal(primString() , SYM(s), false, false)); } } // namespace trans asymptote-2.62/simpson.cc0000644000000000000000000001500413607467113014175 0ustar rootroot#include #include #include // Compute a numerical approximation to an integral via adaptive Simpson's Rule // This routine ignores underflow. const int nest=DBL_MANT_DIG; typedef struct { bool left; // left interval? double psum, f1t, f2t, f3t, dat, estr; } TABLE; bool // Returns true iff successful. simpson(double& integral, // Approximate value of the integral. double (*f)(double), // Pointer to function to be integrated. double a, double b, // Lower, upper limits of integration. double acc, // Desired relative accuracy of integral. // Try to make |error| <= acc*abs(integral). double dxmax) // Maximum limit on the width of a subinterval // For periodic functions, dxmax should be // set to the period or smaller to prevent // premature convergence of Simpson's rule. { double diff,area,estl,estr,alpha,da,dx,wt,est,fv[5]; TABLE table[nest],*p,*pstop; static const double sixth=1.0/6.0; bool success=true; p=table; pstop=table+nest-1; p->left=true; p->psum=0.0; alpha=a; da=b-a; fv[0]=(*f)(alpha); fv[2]=(*f)(alpha+0.5*da); fv[4]=(*f)(alpha+da); wt=sixth*da; est=wt*(fv[0]+4.0*fv[2]+fv[4]); area=est; // Have estimate est of integral on (alpha, alpha+da). // Bisect and compute estimates on left and right half intervals. // integral is the best value for the integral. for(;;) { dx=0.5*da; double arg=alpha+0.5*dx; fv[1]=(*f)(arg); fv[3]=(*f)(arg+dx); wt=sixth*dx; estl=wt*(fv[0]+4.0*fv[1]+fv[2]); estr=wt*(fv[2]+4.0*fv[3]+fv[4]); integral=estl+estr; diff=est-integral; area -= diff; if(p >= pstop) success=false; if(!success || (fabs(diff) <= acc*fabs(area) && da <= dxmax)) { // Accept approximate integral. // If it was a right interval, add results to finish at this level. // If it was a left interval, process right interval. for(;;) { if(p->left == false) { // process right-half interval alpha += da; p->left=true; p->psum=integral; fv[0]=p->f1t; fv[2]=p->f2t; fv[4]=p->f3t; da=p->dat; est=p->estr; break; } integral += p->psum; if(--p <= table) return success; } } else { // Raise level and store information for processing right-half interval. ++p; da=dx; est=estl; p->left=false; p->f1t=fv[2]; p->f2t=fv[3]; p->f3t=fv[4]; p->dat=dx; p->estr=estr; fv[4]=fv[2]; fv[2]=fv[1]; } } } // Use adaptive Simpson integration to determine the upper limit of // integration required to make the definite integral of a continuous // non-negative function close to a user specified sum. // This routine ignores underflow. bool // Returns true iff successful. unsimpson(double integral, // Given value for the integral. double (*f)(double), // Pointer to function to be integrated. double a, double& b, // Lower, upper limits of integration (a <= b). // The value of b provided on entry is used // as an initial guess; somewhat faster if the // given value is an underestimation. double acc, // Desired relative accuracy of b. // Try to make |integral-area| <= acc*integral. double& area, // Computed integral of f(x) on [a,b]. double dxmax, // Maximum limit on the width of a subinterval // For periodic functions, dxmax should be // set to the period or smaller to prevent // premature convergence of Simpson's rule. double dxmin=0) // Lower limit on sampling width. { double diff,estl,estr,alpha,da,dx,wt,est,fv[5]; double sum,parea,pdiff,b2; TABLE table[nest],*p,*pstop; static const double sixth=1.0/6.0; p=table; pstop=table+nest-1; p->psum=0.0; alpha=a; parea=0.0; pdiff=0.0; for(;;) { p->left=true; da=b-alpha; fv[0]=(*f)(alpha); fv[2]=(*f)(alpha+0.5*da); fv[4]=(*f)(alpha+da); wt=sixth*da; est=wt*(fv[0]+4.0*fv[2]+fv[4]); area=est; // Have estimate est of integral on (alpha, alpha+da). // Bisect and compute estimates on left and right half intervals. // Sum is better value for integral. bool cont=true; while(cont) { dx=0.5*da; double arg=alpha+0.5*dx; fv[1]=(*f)(arg); fv[3]=(*f)(arg+dx); wt=sixth*dx; estl=wt*(fv[0]+4.0*fv[1]+fv[2]); estr=wt*(fv[2]+4.0*fv[3]+fv[4]); sum=estl+estr; diff=est-sum; assert(sum >= 0.0); area=parea+sum; b2=alpha+da; if(fabs(fabs(integral-area)-fabs(pdiff))+fabs(diff) <= fv[4]*acc*(b2-a)){ b=b2; return true; } if(fabs(integral-area) > fabs(pdiff+diff)) { if(integral <= area) { p=table; p->left=true; p->psum=parea; } else { if((fabs(diff) <= fv[4]*acc*da || dx <= dxmin) && da <= dxmax) { // Accept approximate integral sum. // If it was a right interval, add results to finish at this level. // If it was a left interval, process right interval. pdiff += diff; for(;;) { if(p->left == false) { // process right-half interval parea += sum; alpha += da; p->left=true; p->psum=sum; fv[0]=p->f1t; fv[2]=p->f2t; fv[4]=p->f3t; da=p->dat; est=p->estr; break; } sum += p->psum; parea -= p->psum; if(--p <= table) { p=table; p->psum=parea=sum; alpha += da; b += b-a; cont=false; break; } } continue; } } } if(p >= pstop) return false; // Raise level and store information for processing right-half interval. ++p; da=dx; est=estl; p->psum=0.0; p->left=false; p->f1t=fv[2]; p->f2t=fv[3]; p->f3t=fv[4]; p->dat=dx; p->estr=estr; fv[4]=fv[2]; fv[2]=fv[1]; } } } asymptote-2.62/castop.h0000644000000000000000000001111713607467113013641 0ustar rootroot/***** * castop.h * Tom Prince 2005/3/18 * * Defines some runtime functions used by the stack machine. * *****/ #ifndef CASTOP_H #define CASTOP_H #include #include "common.h" #include "stack.h" #include "fileio.h" #include "lexical.h" #include "mathop.h" #include "array.h" namespace run { using vm::read; using vm::pop; template void cast(vm::stack *s) { s->push((S) pop(s)); } void castDoubleInt(vm::stack *s) { double x=pop(s); s->push(Intcast(x)); } template void stringCast(vm::stack *s) { ostringstream buf; buf.precision(DBL_DIG); buf << pop(s); s->push(buf.str()); } template void castString(vm::stack *s) { string *S=pop(s); if(S->empty()) { T x=0; s->push(x); } else { try { s->push(lexical::cast(*S)); } catch (lexical::bad_cast&) { s->push(vm::Default); } } } void initialized(vm::stack *s) { s->push(!vm::isdefault(pop(s))); } template void arrayToArray(vm::stack *s) { vm::array *a=pop(s); size_t size=checkArray(a); vm::array *c=new vm::array(size); for(size_t i=0; i < size; i++) (*c)[i]=(S) read(a,i); s->push(c); } template void array2ToArray2(vm::stack *s) { vm::array *a=pop(s); size_t size=checkArray(a); vm::array *c=new vm::array(size); for(size_t i=0; i < size; ++i) { vm::array *ai=vm::read(a,i); size_t aisize=checkArray(ai); vm::array *ci=new vm::array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; ++j) (*ci)[j]=(S) read(ai,j); } s->push(c); } template void read(vm::stack *s) { camp::file *f = pop(s); T val=T(); if(f->isOpen()) { f->read(val); if(f->LineMode()) f->nexteol(); if(interact::interactive) f->purgeStandard(val); } s->push(val); } inline Int Limit(Int nx) {return nx == 0 ? Int_MAX : nx;} inline void reportEof(camp::file *f, Int count) { if(count > 0) { ostringstream buf; buf << "EOF after reading " << count << " values from file '" << f->filename() << "'."; vm::error(buf); } } template void readArray(vm::stack *s, Int nx=-1, Int ny=-1, Int nz=-1) { camp::file *f = pop(s); vm::array *c=new vm::array(0); if(f->isOpen()) { if(nx != -1 && f->Nx() != -1) nx=f->Nx(); if(nx == -2) {f->read(nx); f->Nx(-1); if(nx == 0) {s->push(c); return;}} if(ny != -1 && f->Ny() != -1) ny=f->Ny(); if(ny == -2) {f->read(ny); f->Ny(-1); if(ny == 0) {s->push(c); return;}} if(nz != -1 && f->Nz() != -1) nz=f->Nz(); if(nz == -2) {f->read(nz); f->Nz(-1); if(nz == 0) {s->push(c); return;}} T v; if(nx >= 0) { for(Int i=0; i < Limit(nx); i++) { if(ny >= 0) { vm::array *ci=new vm::array(0); for(Int j=0; j < Limit(ny); j++) { if(nz >= 0) { vm::array *cij=new vm::array(0); bool break2=false; for(Int k=0; k < Limit(nz); k++) { f->read(v); if(f->error()) { if(nx && ny && nz) reportEof(f,(i*ny+j)*nz+k); s->push(c); return; } if(k == 0) { if(j == 0) c->push(ci); ci->push(cij); } cij->push(v); if(f->LineMode() && f->nexteol()) { if(f->nexteol()) break2=true; break; } } if(break2) break; } else { f->read(v); if(f->error()) { if(nx && ny) reportEof(f,i*ny+j); s->push(c); return; } if(j == 0) c->push(ci); ci->push(v); if(f->LineMode() && f->nexteol()) break; } } } else { f->read(v); if(f->error()) { if(nx) reportEof(f,i); s->push(c); return; } c->push(v); if(f->LineMode() && f->nexteol()) break; } } } else { for(;;) { f->read(v); if(f->error()) break; c->push(v); if(f->LineMode() && f->nexteol()) break; } } if(interact::interactive) f->purgeStandard(v); } s->push(c); } template void readArray1(vm::stack *s) { readArray(s,0); } template void readArray2(vm::stack *s) { readArray(s,0,0); } template void readArray3(vm::stack *s) { readArray(s,0,0,0); } } // namespace run #endif // CASTOP_H asymptote-2.62/build-scripts/0000755000000000000000000000000013607467113014762 5ustar rootrootasymptote-2.62/build-scripts/build-asymptote.dos0000755000000000000000000000657113607467113020627 0ustar rootroot#!/bin/sh -x GC=7.6.2 MACHINE=`uname -m` if [ $MACHINE == i686 ]; then BINDIR=i386-windows else BINDIR=x86_64-windows fi SHARED=~/shared/asy MAKEFLAGS=-j8 export MAKEFLAGS VERSION=$1 if [ -z $VERSION ]; then VERSION=`grep AC_INIT configure.ac | cut -s -d[ -f3 | cut -s -d] -f1` if [ -z $VERSION ]; then echo Usage: $0 VERSION exit fi else echo Building asymptote-$VERSION cd ~/ rm -rf asymptote-$VERSION mkdir -p CTAN rm -rf CTAN/asymptote-$VERSION tar -zxf $SHARED/asymptote-$VERSION.src.tgz -C CTAN tar -zxf $SHARED/asymptote-$VERSION.src.tgz mkdir -p CTAN/asymptote-$VERSION/binaries/$BINDIR/texlive cd asymptote-$VERSION fi BUILD=build-$VERSION ln -sf ../gc-$GC.tar.gz . ln -sf ../gc-$GC . make -n MSDOS=1 >& /dev/null || ./configure OSTYPE=msdos --enable-gc=$GC --with-latex=/usr/local/share --with-context=/usr/local/share rm -rf $BUILD mkdir -p $BUILD cp -a $HOME/dll/cygwin/*.dll $BUILD chmod 0644 $BUILD/*.dll cp -a $BUILD/*.dll ~/CTAN/asymptote-$VERSION/binaries/$BINDIR/ make MSDOS=1 DESTDIR="$BUILD/" docdir="$BUILD/" test -f asy.list || make MSDOS=1 keywords DESTDIR="$BUILD/" docdir="$BUILD/" make MSDOS=1 install-asy DESTDIR="$BUILD/" docdir="$BUILD/" cp asy.ico README LICENSE* $BUILD pushd $BUILD mv usr/local/bin/* . mv usr/local/share/asymptote/GUI . rm -rf usr/local/share/asymptote/GUI mv usr/local/share/asymptote/* . cp $SHARED/asydoc/*.pdf . rm -rf bin share doc usr popd echo \!define PRODUCT_VERSION \"$VERSION\" > AsymptoteInstallInfo.nsi # generate uninstallation commands ls -p1 $BUILD \ | awk '{ if(index($0,"/")==length($0)) print "RMDir /r $INSTDIR\\" substr($0,0,length($0)-1); else print "Delete $INSTDIR\\" $0 }' \ > AsymptoteUninstallList.nsi if [ $MACHINE == i686 ]; then sed asymptote.nsi -e 's/$PROGRAMFILES64/$PROGRAMFILES/g' > asymptote32.nsi /cygdrive/c/Program\ Files\ \(x86\)/NSIS/makensis.exe asymptote32.nsi SUFFIX=-i386_32 else /cygdrive/c/Program\ Files\ \(x86\)/NSIS/makensis.exe asymptote.nsi SUFFIX= fi cp -a --no-preserve=mode asymptote-$VERSION-setup.exe $SHARED/asymptote-$VERSION-setup$SUFFIX.exe mv asymptote-$VERSION-setup.exe ~/asymptote-$VERSION-setup$SUFFIX.exe cd ~/ rm -rf asymptote-${VERSION}TL || exit cp -a asymptote-$VERSION asymptote-${VERSION}TL sed asymptote-$VERSION/config.h -e 's/ASYMPTOTE_SYSDIR ".*"/ASYMPTOTE_SYSDIR ""/g' > asymptote-${VERSION}TL/config.h #sed asymptote-$VERSION/configure.ac -e 's/\-std=c++11//g' > asymptote-${VERSION}TL/configure.ac touch -r asymptote-$VERSION/config.h asymptote-${VERSION}TL/config.h touch -r asymptote-$VERSION/configure.ac asymptote-${VERSION}TL/configure.ac cd asymptote-${VERSION}TL rm settings.o rm -f doc/*.aux doc/*.log doc/*.dvi make MSDOS=1 DESTDIR="$BUILD/" make MSDOS=1 install-asy DESTDIR="$BUILD/" mv $BUILD/usr/local/bin/asy.exe $BUILD cp $BUILD/asy.exe ~/CTAN/asymptote-$VERSION/binaries/$BINDIR/texlive cp -a configure.ac ~/CTAN/asymptote-$VERSION/ cp -a $SHARED/asydoc/* ~/CTAN/asymptote-$VERSION/doc cd ~/CTAN/asymptote-$VERSION/binaries/$BINDIR cp -a ../../README . cd ~/CTAN cp -a ~/asymptote/build-scripts/README-binaries asymptote-$VERSION/binaries/$BINDIR/texlive/README SHAREDBIN=$SHARED/CTAN/asymptote-$VERSION if [ $MACHINE == i686 ]; then mkdir -p $SHAREDBIN cp -a asymptote-$VERSION/binaries/$BINDIR $SHAREDBIN else cp -a $SHAREDBIN/i386-windows ~/CTAN/asymptote-$VERSION/binaries fi tar cfz asymptote-$VERSION-CTAN.tgz asymptote-$VERSION cp -a --no-preserve=mode asymptote-$VERSION-CTAN.tgz $SHARED asymptote-2.62/build-scripts/build-asymptote0000755000000000000000000000466213607467113020042 0ustar rootroot#!/bin/sh -x HOME=~bowman SHARED=$HOME/shared/asy GCVERSION=8.0.4 ATOMICVERSION=7.6.10 GC=gc-$GCVERSION MAKEFLAGS=-j8 export MAKEFLAGS ASYMPTOTE=$HOME/asymptote BUILD=/usr/local/src BINDIR=usr test /usr -ef $BUILD/$BINDIR && exit LATEXDIR=$BUILD/$BINDIR/share/texmf/tex/latex/asymptote cd $BUILD rm -rf asymptote git clone http://github.com/vectorgraphics/asymptote cd asymptote git log > ChangeLog VERSIONgit=`grep AC_INIT configure.ac | cut -s -d[ -f3 | cut -s -d] -f1` VERSION=${VERSIONgit/git/} cat configure.ac | sed -e "s/$VERSIONgit/$VERSION/" > configure.ac_ mv configure.ac_ configure.ac cat $ASYMPTOTE/asymptote.spec | sed -e "s|Version:.*|Version: $VERSION|" > asymptote.spec SRC=asymptote-$VERSION.src.tgz cp asymptote.spec $ASYMPTOTE cd $BUILD rm -rf asymptote-$VERSION rm -rf $BUILD/$BINDIR mv asymptote asymptote-$VERSION wget https://github.com/ivmai/bdwgc/releases/download/v$GCVERSION/gc-$GCVERSION.tar.gz wget https://www.ivmaisoft.com/_bin/atomic_ops/libatomic_ops-$ATOMICVERSION.tar.gz cp /usr/local/src/$GC.tar.gz asymptote-$VERSION cp /usr/local/src/libatomic_ops-$ATOMICVERSION.tar.gz asymptote-$VERSION chown -R root.root asymptote-$VERSION cd asymptote-$VERSION find . -type d -exec /bin/bash -c "cd '{}';rm -rf .git" \; rm -rf .gitignore .vscode ./autogen.sh ./configure make $MAKEFLAGS check || exit make uninstall build-scripts/build-asygl GLMATRIX=`/bin/ls -d gl-matrix-*-pruned` mkdir temp mv $GLMATRIX temp mkdir -p $GLMATRIX/dist cp temp/$GLMATRIX/LICENSE.js $GLMATRIX/ cp temp/$GLMATRIX/dist/gl-matrix.js $GLMATRIX/dist/ rm -rf temp make $MAKEFLAGS asy rm base/webgl/asygl-*.js make -j1 all make -j1 install #rm asy #make LFLAGS=-static strip asy make DESTDIR="$BUILD/" latexdir=$LATEXDIR install #rm $GC.tar.gz rm $BUILD/$BINDIR/local/info/dir cp -a $BUILD/asymptote-$VERSION/ChangeLog . cp -a $ASYMPTOTE/ReleaseNotes . make distclean rm -rf autom4te.cache cd /usr/local/share/doc/asymptote rm -rf $SHARED/asydoc mkdir -p $SHARED/asydoc/png mkdir -p $SHARED/asydoc/FAQ cp -a *.pdf ../../man/man1/asy.1 $SHARED/asydoc cp -a /usr/local/share/info/asymptote/asymptote.info $SHARED/asydoc/png cp -a /usr/local/share/info/asy-faq.info $SHARED/asydoc/FAQ cd $BUILD tar cfz $SRC asymptote-$VERSION tar cfz asymptote-$VERSION.x86_64.tgz $BINDIR cp $SRC $SHARED rm -rf $BUILD/$BINDIR tar -zxf asymptote-$VERSION.x86_64.tgz su rpmbuild -c "rpmbuild -ta --nodeps $SRC && rm -rf ~/rpms/BUILD/asymptote-$VERSION&&chmod -R g+r /u/rpmbuild/rpms/RPMS/" asymptote-2.62/build-scripts/README-binaries0000644000000000000000000000044013607467113017432 0ustar rootrootThe Asymptote executable for MSWindows can only be released under the GNU General Public License (GPL) as it is linked against the GNU Scientific Library, GNU Readline library, and other GPL libraries. The Asymptote source itself is released under the GNU Lesser General Public License. asymptote-2.62/build-scripts/HOWTO-MSWindows0000644000000000000000000000356313607467113017504 0ustar rootroot Compiling MSWindows binary of Asymptote under CYGWIN-x86_64 First run build-asymptote on Linux. This will build the documentation and source tar ball and copy them to a directory ~/shared which needs to be shared via virtualbox to the cygwin build environment. Install TeXLive and required Cygwin packages: setup-x86_64.exe -q -P git,wget,make,patch,gcc-g++,autoconf2.5,bison,flex,w32api-headers,w32api-runtime,zlib-devel,glm-devel,automake1.15,libtool setup-x86_64.exe -q -I -P libtirpc-devel,libreadline-devel,libfftw3-devel,libgsl-devel Build and install static libraries from /usr/local/src: gsl-devel: ./configure --prefix=/usr make install readline-devel: ./configure --prefix=/usr --without-curses --disable-shared make install fftw3-devel: ./configure --prefix=/usr --enable-shared make install tirpc-devel: ./configure --prefix=/usr --disable-gssapi make install ln -s /usr/include/tirpc/rpc /usr/include/rpc ln -s /usr/include/tirpc/netconfig.h /usr/include/netconfig.h ln -s /usr/lib/libtirpc.a /usr/lib/librpc.a termcap-1.3.1: ./configure --prefix=/usr make install git clone http://github.com/vectorgraphics/asymptote freeglut-3.0.0: patch -p1 < ~/asymptote/patches/cygwin_freeglut-3.0.0.patch cmake CMakeLists.txt make cp lib/libfreeglut_static.a /usr/lib/libfreeglut.a cp -a include/GL/*.h /usr/include/w32api/GL/ mkdir -p ~/dll/cygwin cp /usr/bin/cygwin1.dll ~/dll/cygwin mkdir ~/CTAN cp -a ~/asymptote/build-scripts/README-binaries ~/CTAN cd ~/ GCVERSION=7.6.2 ATOMICVERSION=7.6.10 wget http://hboehm.info/gc/gc_source/gc-$GCVERSION.tar.gz wget http://www.ivmaisoft.com/_bin/atomic_ops/libatomic_ops-$ATOMICVERSION.tar.gz tar -zxf gc-$GCVERSION.tar.gz tar -zxf libatomic_ops-$ATOMICVERSION.tar.gz mv libatomic_ops-$ATOMICVERSION gc-$GCVERSION/libatomic_ops cd gc-$GCVERSION ./configure --disable-shared make check ~/asymptote/build-scripts/build-asymptote.dos 2.48 asymptote-2.62/build-scripts/build-asygl0000755000000000000000000000231513607467113017125 0ustar rootroot#!/bin/sh if [ $# -gt 1 -o \( $# = 1 -a "$1" != "debug" \) ]; then \ echo Usage: "$0 [debug]"; exit 1; \ fi if [ $# -eq 1 ]; then \ UGLIFY=cat; \ UGLIFYOPT=""; \ else \ UGLIFY=uglifyjs; \ UGLIFYOPTIONS="-m -c --comments"; \ fi GL_MATRIX_VERSION=2.4.0 GL_MATRIX_DIR=gl-matrix-$GL_MATRIX_VERSION GL_MATRIX_DIR_PRUNED=$GL_MATRIX_DIR-pruned if test ! -r $GL_MATRIX_DIR_PRUNED; then \ TEMPDIR=`mktemp -d` TARFILE=$TEMPDIR/$GL_MATRIX_DIR.tar.gz wget https://github.com/toji/gl-matrix/archive/v$GL_MATRIX_VERSION.tar.gz --output-document=$TARFILE tar -zxf $TARFILE mv $GL_MATRIX_DIR $GL_MATRIX_DIR_PRUNED rm -r $TEMPDIR cd $GL_MATRIX_DIR_PRUNED patch -p1 < ../patches/$GL_MATRIX_DIR_PRUNED.patch npm install npm run build-all echo "/*@license for gl-matrix mat3 and mat4 functions:" > LICENSE.js echo "*/"| cat LICENSE.md - >> LICENSE.js cd .. fi SHADERS=`mktemp` echo "let vertex=\`" > $SHADERS echo "\`;" | cat webgl/vertex.glsl - >> $SHADERS echo "let fragment=\`" >> $SHADERS echo "\`;" | cat webgl/fragment.glsl - >> $SHADERS cat webgl/license $GL_MATRIX_DIR_PRUNED/LICENSE.js \ $SHADERS $GL_MATRIX_DIR_PRUNED/dist/gl-matrix.js webgl/gl.js | \ $UGLIFY $UGLIFYOPTIONS > base/webgl/asygl.js rm $SHADERS asymptote-2.62/bbox.h0000644000000000000000000001062713607467113013307 0ustar rootroot/***** * bbox.h * Andy Hammerlindl 2002/06/06 * * Stores a rectangle that encloses a drawing object. *****/ #ifndef BBOX_H #define BBOX_H #include "pair.h" #include "settings.h" namespace camp { template inline T min(T a, T b) { return (a < b) ? a : b; } template inline T max(T a, T b) { return (a > b) ? a : b; } // The box that encloses a path struct bbox { bool empty; double left; double bottom; double right; double top; // Start bbox about the origin bbox() : empty(true), left(0.0), bottom(0.0), right(0.0), top(0.0) { } bbox(double left, double bottom, double right, double top) : empty(false), left(left), bottom(bottom), right(right), top(top) { } // Start a bbox with a point bbox(const pair& z) : empty(false), left(z.getx()), bottom(z.gety()), right(z.getx()), top(z.gety()) { } bool nonempty() const { return !empty; } // Add a point to a bbox bbox add(const pair& z) { double x = z.getx(), y = z.gety(); if (empty) { left = right = x; top = bottom = y; empty = false; } else { if (x < left) left = x; else if (x > right) right = x; if (y < bottom) bottom = y; else if (y > top) top = y; } return *this; } // Add a point to a nonempty bbox void addnonempty(const pair& z) { double x = z.getx(), y = z.gety(); if (x < left) left = x; else if (x > right) right = x; if (y < bottom) bottom = y; else if (y > top) top = y; } // Add a point to a nonempty bbox, updating bounding times void addnonempty(const pair& z, bbox& times, double t) { double x = z.getx(), y = z.gety(); if (x < left) { left = x; times.left = t; } else if (x > right) { right = x; times.right = t; } if (y < bottom) { bottom = y; times.bottom = t; } else if (y > top) { top = y; times.top = t; } } bbox operator+= (const pair& z) { add(z); return *this; } bbox operator*= (double x) { left *= x; right *= x; top *= x; bottom *=x; return *this; } // Add two bounding boxes friend bbox operator+ (const bbox& b1, const bbox& b2) { if (b1.empty) return b2; else if (b2.empty) return b1; else return bbox(min(b1.left, b2.left), max(b1.right, b2.right), min(b1.bottom, b2.bottom), max(b1.top, b2.top)); } // Add one bounding box to another void add(const bbox& b) { if (this->empty) *this = b; else if (!b.empty) { left = min(left, b.left); right = max(right, b.right); bottom = min(bottom, b.bottom); top = max(top, b.top); } } bbox operator+= (const bbox& b) { add(b); return *this; } void clip(const bbox& b) { if(this->empty) return; left = max(left, b.left); right = min(right, b.right); bottom = max(bottom, b.bottom); top = min(top, b.top); if(left > right || bottom > top) *this=bbox(); } void shift(const pair& p) { left += p.getx(); right += p.getx(); bottom += p.gety(); top += p.gety(); } pair Min() const { return pair(left,bottom); } pair Max() const { return pair(right,top); } double diameter() { return (Max()-Min()).length(); } bbox LowRes() const { return bbox(floor(left),floor(bottom),ceil(right),ceil(top)); } friend ostream& operator<< (ostream& out, const bbox& b) { out << b.left << " " << b.bottom << " " << b.right << " " << b.top; return out; } }; // Add results of both bounding boxes, say for a path and a pen. inline bbox pad(bbox b1, bbox b2) { if (b1.empty) return b2; else if (b2.empty) return b1; else { bbox b; b.empty = false; b.left = b1.left + b2.left; b.right = b1.right + b2.right; b.top = b1.top + b2.top; b.bottom = b1.bottom + b2.bottom; return b; } } inline bbox svgbbox(const bbox& B, pair shift=pair(0,0)) { bbox b=B; double height=b.top-b.bottom; double threshold=12.0*settings::tex2ps; if(height < threshold) { double offset=threshold-height; b.top += offset; b.bottom += offset; } b.shift(pair(1.99*settings::cm,1.9*settings::cm)+shift); return b; } } // namespace camp GC_DECLARE_PTRFREE(camp::bbox); #endif asymptote-2.62/builtin.cc0000644000000000000000000007501413607467113014162 0ustar rootroot/***** * builtin.cc * Tom Prince 2004/08/25 * * Initialize builtins. *****/ #include #include "builtin.h" #include "entry.h" #include "runtime.h" #include "runpicture.h" #include "runlabel.h" #include "runhistory.h" #include "runarray.h" #include "runfile.h" #include "runsystem.h" #include "runstring.h" #include "runpair.h" #include "runtriple.h" #include "runpath.h" #include "runpath3d.h" #include "runmath.h" #include "types.h" #include "castop.h" #include "mathop.h" #include "arrayop.h" #include "vm.h" #include "coder.h" #include "exp.h" #include "refaccess.h" #include "settings.h" #include "opsymbols.h" #ifndef NOSYM #include "builtin.symbols.h" #endif namespace vm { // Defined in stack.cc extern vm::frame *make_dummyframe(string name); } using namespace types; using namespace camp; using namespace vm; namespace trans { using camp::transform; using camp::pair; using vm::bltin; using run::divide; using run::less; using run::greater; using run::plus; using run::minus; using namespace run; void gen_runtime_venv(venv &ve); void gen_runbacktrace_venv(venv &ve); void gen_runpicture_venv(venv &ve); void gen_runlabel_venv(venv &ve); void gen_runhistory_venv(venv &ve); void gen_runarray_venv(venv &ve); void gen_runfile_venv(venv &ve); void gen_runsystem_venv(venv &ve); void gen_runstring_venv(venv &ve); void gen_runpair_venv(venv &ve); void gen_runtriple_venv(venv &ve); void gen_runpath_venv(venv &ve); void gen_runpath3d_venv(venv &ve); void gen_runmath_venv(venv &ve); void gen_rungsl_venv(venv &ve); void addType(tenv &te, symbol name, ty *t) { te.enter(name, new tyEntry(t,0,0,position())); } // The base environments for built-in types and functions void base_tenv(tenv &te) { #define PRIMITIVE(name,Name,asyName) \ addType(te, symbol::trans(#asyName), prim##Name()); #include "primitives.h" #undef PRIMITIVE } const formal noformal(0); function *functionFromFormals(ty *result, formal f1=noformal, formal f2=noformal, formal f3=noformal, formal f4=noformal, formal f5=noformal, formal f6=noformal, formal f7=noformal, formal f8=noformal, formal f9=noformal, formal fA=noformal, formal fB=noformal, formal fC=noformal, formal fD=noformal, formal fE=noformal, formal fF=noformal, formal fG=noformal, formal fH=noformal, formal fI=noformal) { function *fun = new function(result); if (f1.t) fun->add(f1); if (f2.t) fun->add(f2); if (f3.t) fun->add(f3); if (f4.t) fun->add(f4); if (f5.t) fun->add(f5); if (f6.t) fun->add(f6); if (f7.t) fun->add(f7); if (f8.t) fun->add(f8); if (f9.t) fun->add(f9); if (fA.t) fun->add(fA); if (fB.t) fun->add(fB); if (fC.t) fun->add(fC); if (fD.t) fun->add(fD); if (fE.t) fun->add(fE); if (fF.t) fun->add(fF); if (fG.t) fun->add(fG); if (fH.t) fun->add(fH); if (fI.t) fun->add(fI); return fun; } void addFunc(venv &ve, access *a, ty *result, symbol id, formal f1=noformal, formal f2=noformal, formal f3=noformal, formal f4=noformal, formal f5=noformal, formal f6=noformal, formal f7=noformal, formal f8=noformal, formal f9=noformal, formal fA=noformal, formal fB=noformal, formal fC=noformal, formal fD=noformal, formal fE=noformal, formal fF=noformal, formal fG=noformal, formal fH=noformal, formal fI=noformal) { function *fun = functionFromFormals(result,f1,f2,f3,f4,f5,f6,f7,f8,f9, fA,fB,fC,fD,fE,fF,fG,fH,fI); // NOTE: If the function is a field, we should encode the defining record in // the entry varEntry *ent = new varEntry(fun, a, 0, position()); ve.enter(id, ent); } // Add a function with one or more default arguments. void addFunc(venv &ve, bltin f, ty *result, symbol name, formal f1, formal f2, formal f3, formal f4, formal f5, formal f6, formal f7, formal f8, formal f9, formal fA, formal fB, formal fC, formal fD, formal fE, formal fF, formal fG, formal fH, formal fI) { #ifdef DEBUG_BLTIN // If the function is an operator, print out the whole signature with the // types, as operators are heavily overloaded. min and max are also heavily // overloaded, so we check for them too. Many builtin functions have so // many arguments that it is noise to print out their full signatures. string s = name; if (s.find("operator ", 0) == 0 || s == "min" || s == "max") { function *fun = functionFromFormals(result,f1,f2,f3,f4,f5,f6,f7,f8,f9, fA,fB,fC,fD,fE,fF,fG,fH,fI); ostringstream out; fun->printVar(out, name); REGISTER_BLTIN(f, out.str()); } else { REGISTER_BLTIN(f, name); } #endif access *a = new bltinAccess(f); addFunc(ve,a,result,name,f1,f2,f3,f4,f5,f6,f7,f8,f9, fA,fB,fC,fD,fE,fF,fG,fH,fI); } void addOpenFunc(venv &ve, bltin f, ty *result, symbol name) { function *fun = new function(result, signature::OPEN); REGISTER_BLTIN(f, name); access *a= new bltinAccess(f); varEntry *ent = new varEntry(fun, a, 0, position()); ve.enter(name, ent); } // Add a rest function with zero or more default/explicit arguments. void addRestFunc(venv &ve, bltin f, ty *result, symbol name, formal frest, formal f1=noformal, formal f2=noformal, formal f3=noformal, formal f4=noformal, formal f5=noformal, formal f6=noformal, formal f7=noformal, formal f8=noformal, formal f9=noformal) { REGISTER_BLTIN(f, name); access *a = new bltinAccess(f); function *fun = new function(result); if (f1.t) fun->add(f1); if (f2.t) fun->add(f2); if (f3.t) fun->add(f3); if (f4.t) fun->add(f4); if (f5.t) fun->add(f5); if (f6.t) fun->add(f6); if (f7.t) fun->add(f7); if (f8.t) fun->add(f8); if (f9.t) fun->add(f9); if (frest.t) fun->addRest(frest); varEntry *ent = new varEntry(fun, a, 0, position()); ve.enter(name, ent); } void addRealFunc0(venv &ve, bltin fcn, symbol name) { addFunc(ve, fcn, primReal(), name); } template void addRealFunc(venv &ve, symbol name) { addFunc(ve, realReal, primReal(), name, formal(primReal(),SYM(x))); addFunc(ve, arrayFunc, realArray(), name, formal(realArray(),SYM(a))); } #define addRealFunc(fcn, sym) addRealFunc(ve, sym); void addRealFunc2(venv &ve, bltin fcn, symbol name) { addFunc(ve,fcn,primReal(),name,formal(primReal(),SYM(a)), formal(primReal(),SYM(b))); } template void realRealInt(vm::stack *s) { Int n = pop(s); double x = pop(s); s->push(func(x, intcast(n))); } template void addRealIntFunc(venv& ve, symbol name, symbol arg1, symbol arg2) { addFunc(ve, realRealInt, primReal(), name, formal(primReal(), arg1), formal(primInt(), arg2)); } void addInitializer(venv &ve, ty *t, access *a) { addFunc(ve, a, t, symbol::initsym); } void addInitializer(venv &ve, ty *t, bltin f) { #ifdef DEBUG_BLTIN ostringstream s; s << "initializer for " << *t; REGISTER_BLTIN(f, s.str()); #endif access *a = new bltinAccess(f); addInitializer(ve, t, a); } // Specifies that source may be cast to target, but only if an explicit // cast expression is used. void addExplicitCast(venv &ve, ty *target, ty *source, access *a) { addFunc(ve, a, target, symbol::ecastsym, source); } // Specifies that source may be implicitly cast to target by the // function or instruction stores at a. void addCast(venv &ve, ty *target, ty *source, access *a) { //addExplicitCast(target,source,a); addFunc(ve, a, target, symbol::castsym, source); } void addExplicitCast(venv &ve, ty *target, ty *source, bltin f) { #ifdef DEBUG_BLTIN ostringstream s; s << "explicit cast from " << *source << " to " << *target; REGISTER_BLTIN(f, s.str()); #endif addExplicitCast(ve, target, source, new bltinAccess(f)); } void addCast(venv &ve, ty *target, ty *source, bltin f) { #ifdef DEBUG_BLTIN ostringstream s; s << "cast from " << *source << " to " << *target; REGISTER_BLTIN(f, s.str()); #endif addCast(ve, target, source, new bltinAccess(f)); } template void addVariable(venv &ve, T *ref, ty *t, symbol name, record *module=settings::getSettingsModule()) { access *a = new refAccess(ref); varEntry *ent = new varEntry(t, a, PUBLIC, module, 0, position()); ve.enter(name, ent); } template void addVariable(venv &ve, T value, ty *t, symbol name, record *module=settings::getSettingsModule(), permission perm=PUBLIC) { item* ref=new item; *ref=value; access *a = new itemRefAccess(ref); varEntry *ent = new varEntry(t, a, perm, module, 0, position()); ve.enter(name, ent); } template void addConstant(venv &ve, T value, ty *t, symbol name, record *module=settings::getSettingsModule()) { addVariable(ve,value,t,name,module,RESTRICTED); } // The identity access, i.e. no instructions are encoded for a cast or // operation, and no functions are called. identAccess id; function *IntRealFunction() { return new function(primInt(),primReal()); } function *realPairFunction() { return new function(primReal(),primPair()); } function *voidFileFunction() { return new function(primVoid(),primFile()); } void addInitializers(venv &ve) { addInitializer(ve, primBoolean(), boolFalse); addInitializer(ve, primInt(), IntZero); addInitializer(ve, primReal(), realZero); addInitializer(ve, primString(), emptyString); addInitializer(ve, primPair(), pairZero); addInitializer(ve, primTriple(), tripleZero); addInitializer(ve, primTransform(), transformIdentity); addInitializer(ve, primGuide(), nullGuide); addInitializer(ve, primPath(), nullPath); addInitializer(ve, primPath3(), nullPath3); addInitializer(ve, primPen(), newPen); addInitializer(ve, primPicture(), newPicture); addInitializer(ve, primFile(), nullFile); } void addCasts(venv &ve) { addExplicitCast(ve, primString(), primInt(), stringCast); addExplicitCast(ve, primString(), primReal(), stringCast); addExplicitCast(ve, primString(), primPair(), stringCast); addExplicitCast(ve, primString(), primTriple(), stringCast); addExplicitCast(ve, primInt(), primString(), castString); addExplicitCast(ve, primReal(), primString(), castString); addExplicitCast(ve, primPair(), primString(), castString); addExplicitCast(ve, primTriple(), primString(), castString); addExplicitCast(ve, primInt(), primReal(), castDoubleInt); addCast(ve, primReal(), primInt(), cast); addCast(ve, primPair(), primInt(), cast); addCast(ve, primPair(), primReal(), cast); addCast(ve, primPath(), primPair(), cast); addCast(ve, primGuide(), primPair(), pairToGuide); addCast(ve, primGuide(), primPath(), pathToGuide); addCast(ve, primPath(), primGuide(), guideToPath); addCast(ve, primFile(), primNull(), nullFile); // Vectorized casts. addExplicitCast(ve, IntArray(), realArray(), arrayToArray); addCast(ve, realArray(), IntArray(), arrayToArray); addCast(ve, pairArray(), IntArray(), arrayToArray); addCast(ve, pairArray(), realArray(), arrayToArray); addCast(ve, realArray2(), IntArray2(), array2ToArray2); addCast(ve, pairArray2(), IntArray2(), array2ToArray2); addCast(ve, pairArray2(), realArray2(), array2ToArray2); } void addTupleOperators(venv &ve) { addFunc(ve, realRealToPair, primPair(), SYM_TUPLE, formal(primReal(), SYM(x)), formal(primReal(), SYM(y))); addFunc(ve, realRealRealToTriple, primTriple(), SYM_TUPLE, formal(primReal(), SYM(x)), formal(primReal(), SYM(y)), formal(primReal(), SYM(z))); addFunc(ve, real6ToTransform, primTransform(), SYM_TUPLE, formal(primReal(), SYM(x)), formal(primReal(), SYM(y)), formal(primReal(), SYM(xx)), formal(primReal(), SYM(xy)), formal(primReal(), SYM(yx)), formal(primReal(), SYM(yy))); } void addGuideOperators(venv &ve) { // The guide operators .. and -- take an array of guides, and turn them // into a single guide. addRestFunc(ve, dotsGuide, primGuide(), SYM_DOTS, guideArray()); addRestFunc(ve, dashesGuide, primGuide(), SYM_DASHES, guideArray()); } /* Avoid typing the same type three times. */ void addSimpleOperator(venv &ve, bltin f, ty *t, symbol name) { addFunc(ve,f,t,name,formal(t,SYM(a)),formal(t,SYM(b))); } void addBooleanOperator(venv &ve, bltin f, ty *t, symbol name) { addFunc(ve,f,primBoolean(),name,formal(t,SYM(a)),formal(t,SYM(b))); } template class op> void addArray2Array2Op(venv &ve, ty *t3, symbol name) { addFunc(ve,array2Array2Op,t3,name,formal(t3,SYM(a)),formal(t3,SYM(b))); } template class op> void addOpArray2(venv &ve, ty *t1, symbol name, ty *t3) { addFunc(ve,opArray2,t3,name,formal(t1,SYM(a)),formal(t3,SYM(b))); } template class op> void addArray2Op(venv &ve, ty *t1, symbol name, ty *t3) { addFunc(ve,array2Op,t3,name,formal(t3,SYM(a)),formal(t1,SYM(b))); } template class op> void addOps(venv &ve, ty *t1, symbol name, ty *t2) { addSimpleOperator(ve,binaryOp,t1,name); addFunc(ve,opArray,t2,name,formal(t1,SYM(a)),formal(t2,SYM(b))); addFunc(ve,arrayOp,t2,name,formal(t2,SYM(a)),formal(t1,SYM(b))); addSimpleOperator(ve,arrayArrayOp,t2,name); } template class op> void addBooleanOps(venv &ve, ty *t1, symbol name, ty *t2) { addBooleanOperator(ve,binaryOp,t1,name); addFunc(ve,opArray, booleanArray(),name,formal(t1,SYM(a)),formal(t2,SYM(b))); addFunc(ve,arrayOp, booleanArray(),name,formal(t2,SYM(a)),formal(t1,SYM(b))); addFunc(ve,arrayArrayOp,booleanArray(),name,formal(t2,SYM(a)), formal(t2,SYM(b))); } void addWrite(venv &ve, bltin f, ty *t1, ty *t2) { addRestFunc(ve,f,primVoid(),SYM(write),t2, formal(primFile(),SYM(file),true), formal(primString(),SYM(s),true), formal(t1,SYM(x)),formal(voidFileFunction(),SYM(suffix),true)); } template void addUnorderedOps(venv &ve, ty *t1, ty *t2, ty *t3, ty *t4) { addBooleanOps(ve,t1,SYM_EQ,t2); addBooleanOps(ve,t1,SYM_NEQ,t2); addFunc(ve, run::array2Equals, primBoolean(), SYM_EQ, formal(t3, SYM(a)), formal(t3, SYM(b))); addFunc(ve, run::array2NotEquals, primBoolean(), SYM_NEQ, formal(t3, SYM(a)), formal(t3, SYM(b))); addCast(ve,t1,primFile(),read); addCast(ve,t2,primFile(),readArray1); addCast(ve,t3,primFile(),readArray2); addCast(ve,t4,primFile(),readArray3); addWrite(ve,write,t1,t2); addRestFunc(ve,writeArray,primVoid(),SYM(write),t3, formal(primFile(),SYM(file),true), formal(primString(),SYM(s),true), formal(t2,SYM(a),false,true)); addFunc(ve,writeArray2,primVoid(),SYM(write), formal(primFile(),SYM(file),true),t3); addFunc(ve,writeArray3,primVoid(),SYM(write), formal(primFile(),SYM(file),true),t4); } inline double abs(pair z) { return z.length(); } inline double abs(triple v) { return v.length(); } inline pair conjugate(pair z) { return conj(z); } template inline T negate(T x) { return -x; } template class op> void addBinOps(venv &ve, ty *t1, ty *t2, ty *t3, ty *t4, symbol name) { addFunc(ve,binopArray,t1,name,formal(t2,SYM(a))); addFunc(ve,binopArray2,t1,name,formal(t3,SYM(a))); addFunc(ve,binopArray3,t1,name,formal(t4,SYM(a))); } template void addOrderedOps(venv &ve, ty *t1, ty *t2, ty *t3, ty *t4) { addBooleanOps(ve,t1,SYM_LT,t2); addBooleanOps(ve,t1,SYM_LE,t2); addBooleanOps(ve,t1,SYM_GE,t2); addBooleanOps(ve,t1,SYM_GT,t2); addOps(ve,t1,SYM(min),t2); addOps(ve,t1,SYM(max),t2); addBinOps(ve,t1,t2,t3,t4,SYM(min)); addBinOps(ve,t1,t2,t3,t4,SYM(max)); addFunc(ve,sortArray,t2,SYM(sort),formal(t2,SYM(a))); addFunc(ve,sortArray2,t3,SYM(sort),formal(t3,SYM(a))); addFunc(ve,searchArray,primInt(),SYM(search),formal(t2,SYM(a)), formal(t1,SYM(key))); } template void addBasicOps(venv &ve, ty *t1, ty *t2, ty *t3, ty *t4, bool integer=false, bool Explicit=false) { addOps(ve,t1,SYM_PLUS,t2); addOps(ve,t1,SYM_MINUS,t2); addFunc(ve,initialized,primBoolean(),SYM(initialized),formal(t1,SYM(a))); addArray2Array2Op(ve,t3,SYM_PLUS); addArray2Array2Op(ve,t3,SYM_MINUS); addFunc(ve,&id,t1,SYM_PLUS,formal(t1,SYM(a))); addFunc(ve,&id,t2,SYM_PLUS,formal(t2,SYM(a))); addFunc(ve,Negate,t1,SYM_MINUS,formal(t1,SYM(a))); addFunc(ve,arrayFunc,t2,SYM_MINUS,formal(t2,SYM(a))); addFunc(ve,arrayFunc2,t3,SYM_MINUS,formal(t3,SYM(a))); if(!integer) addFunc(ve,interp,t1,SYM(interp), formal(t1,SYM(a),false,Explicit), formal(t1,SYM(b),false,Explicit), formal(primReal(),SYM(t))); addFunc(ve,sumArray,t1,SYM(sum),formal(t2,SYM(a))); addUnorderedOps(ve,t1,t2,t3,t4); } template void addOps(venv &ve, ty *t1, ty *t2, ty *t3, ty *t4, bool integer=false, bool Explicit=false) { addBasicOps(ve,t1,t2,t3,t4,integer,Explicit); addOps(ve,t1,SYM_TIMES,t2); addOpArray2(ve,t1,SYM_TIMES,t3); addArray2Op(ve,t1,SYM_TIMES,t3); if(!integer) { addOps(ve,t1,SYM_DIVIDE,t2); addArray2Op(ve,t1,SYM_DIVIDE,t3); } addOps(ve,t1,SYM_CARET,t2); } // Adds standard functions for a newly added array type. void addArrayOps(venv &ve, types::array *t) { ty *ct = t->celltype; // Check for the alias function to see if these operation have already been // added, if they have, don't add them again. static types::function aliasType(primBoolean(), primVoid(), primVoid()); aliasType.sig.formals[0].t = t; aliasType.sig.formals[1].t = t; if (ve.lookByType(SYM(alias), &aliasType)) return; addFunc(ve, run::arrayAlias, primBoolean(), SYM(alias), formal(t, SYM(a)), formal(t, SYM(b))); size_t depth=(size_t) t->depth(); // Define an array constructor. This needs to know the depth of the array, // which may not be known at runtime. Therefore, the depth, which is known // here at compile-time, is pushed on the stack beforehand by use of a // thunk. callable *copyValueFunc = new thunk(new vm::bfunc(run::copyArrayValue),(Int) depth-1); addFunc(ve, new callableAccess(copyValueFunc), t, SYM(array), formal(primInt(), SYM(n)), formal(ct, SYM(value)), formal(primInt(), SYM(depth), true)); callable *copyFunc = new thunk(new vm::bfunc(run::copyArray),(Int) depth); addFunc(ve, new callableAccess(copyFunc), t, SYM(copy), formal(t, SYM(a)), formal(primInt(), SYM(depth), true)); addFunc(ve, run::arrayFunction, t, SYM(map), formal(new function(ct, ct), SYM(f)), formal(t, SYM(a))); addFunc(ve, run::arraySequence, t, SYM(sequence), formal(new function(ct, primInt()), SYM(f)), formal(primInt(), SYM(n))); addFunc(ve, run::arraySort, t, SYM(sort), formal(t, SYM(a)), formal(new function(primBoolean(), ct, ct), SYM(less)), formal(primBoolean(), SYM(stable), true)); switch (depth) { case 1: addRestFunc(ve, run::arrayConcat, t, SYM(concat), new types::array(t)); addFunc(ve, run::arraySearch, primInt(), SYM(search), formal(t, SYM(a)), formal(ct, SYM(key)), formal(new function(primBoolean(), ct, ct), SYM(less))); break; case 2: addFunc(ve, run::array2Transpose, t, SYM(transpose), formal(t, SYM(a))); break; case 3: addFunc(ve, run::array3Transpose, t, SYM(transpose), formal(t, SYM(a)), formal(IntArray(),SYM(perm))); break; default: break; } } void addRecordOps(venv &ve, record *r) { addFunc(ve, run::boolMemEq, primBoolean(), SYM(alias), formal(r, SYM(a)), formal(r, SYM(b))); addFunc(ve, run::boolMemEq, primBoolean(), SYM_EQ, formal(r, SYM(a)), formal(r, SYM(b))); addFunc(ve, run::boolMemNeq, primBoolean(), SYM_NEQ, formal(r, SYM(a)), formal(r, SYM(b))); } void addFunctionOps(venv &ve, function *f) { // No function ops. } void addOperators(venv &ve) { addSimpleOperator(ve,binaryOp,primString(),SYM_PLUS); addBooleanOps(ve,primBoolean(),SYM_AMPERSAND,booleanArray()); addBooleanOps(ve,primBoolean(),SYM_BAR,booleanArray()); addBooleanOps(ve,primBoolean(),SYM_CARET,booleanArray()); addUnorderedOps(ve,primBoolean(),booleanArray(),booleanArray2(), booleanArray3()); addOps(ve,primInt(),IntArray(),IntArray2(),IntArray3(),true); addOps(ve,primReal(),realArray(),realArray2(),realArray3()); addOps(ve,primPair(),pairArray(),pairArray2(),pairArray3(),false,true); addBasicOps(ve,primTriple(),tripleArray(),tripleArray2(), tripleArray3()); addFunc(ve,opArray,tripleArray(),SYM_TIMES, formal(primReal(),SYM(a)),formal(tripleArray(),SYM(b))); addFunc(ve,opArray2,tripleArray2(),SYM_TIMES, formal(primReal(),SYM(a)),formal(tripleArray2(),SYM(b))); addFunc(ve,arrayOp,tripleArray(),SYM_TIMES, formal(tripleArray(),SYM(a)),formal(primReal(),SYM(b))); addFunc(ve,array2Op,tripleArray2(),SYM_TIMES, formal(tripleArray2(),SYM(a)),formal(primReal(),SYM(b))); addFunc(ve,arrayOp,tripleArray(),SYM_DIVIDE, formal(tripleArray(),SYM(a)),formal(primReal(),SYM(b))); addUnorderedOps(ve,primString(),stringArray(),stringArray2(), stringArray3()); addSimpleOperator(ve,binaryOp,primPair(),SYM(minbound)); addSimpleOperator(ve,binaryOp,primPair(),SYM(maxbound)); addSimpleOperator(ve,binaryOp,primTriple(),SYM(minbound)); addSimpleOperator(ve,binaryOp,primTriple(),SYM(maxbound)); addBinOps(ve,primPair(),pairArray(),pairArray2(),pairArray3(), SYM(minbound)); addBinOps(ve,primPair(),pairArray(),pairArray2(),pairArray3(), SYM(maxbound)); addBinOps(ve,primTriple(),tripleArray(),tripleArray2(), tripleArray3(),SYM(minbound)); addBinOps(ve,primTriple(),tripleArray(),tripleArray2(), tripleArray3(),SYM(maxbound)); addFunc(ve,arrayFunc,realArray(),SYM(abs), formal(pairArray(),SYM(a))); addFunc(ve,arrayFunc,realArray(),SYM(abs), formal(tripleArray(),SYM(a))); addFunc(ve,arrayFunc,pairArray(),SYM(conj), formal(pairArray(),SYM(a))); addFunc(ve,arrayFunc2,pairArray2(),SYM(conj), formal(pairArray2(),SYM(a))); addFunc(ve,binaryOp,primReal(),SYM_DIVIDE, formal(primInt(),SYM(a)),formal(primInt(),SYM(b))); addFunc(ve,arrayOp,realArray(),SYM_DIVIDE, formal(IntArray(),SYM(a)),formal(primInt(),SYM(b))); addFunc(ve,opArray,realArray(),SYM_DIVIDE, formal(primInt(),SYM(a)),formal(IntArray(),SYM(b))); addFunc(ve,arrayArrayOp,realArray(),SYM_DIVIDE, formal(IntArray(),SYM(a)),formal(IntArray(),SYM(b))); addOrderedOps(ve,primInt(),IntArray(),IntArray2(),IntArray3()); addOrderedOps(ve,primReal(),realArray(),realArray2(),realArray3()); addOrderedOps(ve,primString(),stringArray(),stringArray2(), stringArray3()); addOps(ve,primInt(),SYM_MOD,IntArray()); addOps(ve,primInt(),SYM_QUOTIENT,IntArray()); addOps(ve,primReal(),SYM_MOD,realArray()); addRestFunc(ve,diagonal,IntArray2(),SYM(diagonal),IntArray()); addRestFunc(ve,diagonal,realArray2(),SYM(diagonal),realArray()); addRestFunc(ve,diagonal,pairArray2(),SYM(diagonal),pairArray()); } dummyRecord *createDummyRecord(venv &ve, symbol name) { dummyRecord *r=new dummyRecord(name); vm::frame *f = make_dummyframe(name); addConstant(ve, f, r, name); addRecordOps(ve, r); return r; } double identity(double x) {return x;} double pow10(double x) {return run::pow(10.0,x);} // An example of an open function. #ifdef OPENFUNCEXAMPLE void openFunc(stack *Stack) { vm::array *a=vm::pop(Stack); size_t numArgs=checkArray(a); for (size_t k=0; kpush((Int)numArgs); } #endif // A function accessible in asy code print the bytecode of a function. void printBytecode(stack *Stack) { // As arbitrary addresses can be sent to printBytecode, it should not be run // in safe mode. if (settings::safe) { cerr << "use -nosafe flag to enable printBytecode" << endl; return; } vm::array *a=vm::pop(Stack); size_t numArgs=checkArray(a); if (numArgs != 1) cerr << "printBytecode takes one argument" << endl; // TODO: Add a reliable test for the object being a func. callable *c = a->read(0); if (func *f = dynamic_cast(c)) print(cout, f->body->code); else cout << "callable is not a standard function"; } // NOTE: We should move all of these into a "builtin" module. void base_venv(venv &ve) { // Register the name of arrayDeleteHelper for debugging in "asy -s" mode. // This is done automatically for other function, but because // arrayDeleteHelper is not defined in the usual way, it must be done // explicitly, and here is as good a place as any. REGISTER_BLTIN(arrayDeleteHelper, "arrayDeleteHelper"); addInitializers(ve); addCasts(ve); addOperators(ve); addTupleOperators(ve); addGuideOperators(ve); addRealFunc(sin,SYM(sin)); addRealFunc(cos,SYM(cos)); addRealFunc(tan,SYM(tan)); addRealFunc(asin,SYM(asin)); addRealFunc(acos,SYM(acos)); addRealFunc(atan,SYM(atan)); addRealFunc(exp,SYM(exp)); addRealFunc(log,SYM(log)); addRealFunc(log10,SYM(log10)); addRealFunc(sinh,SYM(sinh)); addRealFunc(cosh,SYM(cosh)); addRealFunc(tanh,SYM(tanh)); addRealFunc(asinh,SYM(asinh)); addRealFunc(acosh,SYM(acosh)); addRealFunc(atanh,SYM(atanh)); addRealFunc(sqrt,SYM(sqrt)); addRealFunc(cbrt,SYM(cbrt)); addRealFunc(fabs,SYM(fabs)); addRealFunc(ve,SYM(abs)); addRealFunc(expm1,SYM(expm1)); addRealFunc(log1p,SYM(log1p)); addRealIntFunc(ve, SYM(ldexp), SYM(x), SYM(e)); addRealFunc(pow10,SYM(pow10)); addRealFunc(identity,SYM(identity)); #ifdef STRUCTEXAMPLE dummyRecord *fun=createDummyRecord(ve, SYM(test)); addFunc(fun->e.ve,realReal,primReal(),SYM(f),formal(primReal(),SYM(x))); addVariable(fun->e.ve,1,primInt(),SYM(x)); #endif addFunc(ve,writestring,primVoid(),SYM(write), formal(primFile(),SYM(file),true), formal(primString(),SYM(s)), formal(voidFileFunction(),SYM(suffix),true)); addWrite(ve,write,primTransform(),transformArray()); addWrite(ve,write,primGuide(),guideArray()); addWrite(ve,write,primPen(),penArray()); addFunc(ve,arrayArrayOp,booleanArray(),SYM_EQ, formal(penArray(),SYM(a)),formal(penArray(),SYM(b))); addFunc(ve,arrayArrayOp,booleanArray(),SYM_NEQ, formal(penArray(),SYM(a)),formal(penArray(),SYM(b))); addFunc(ve,arrayFunction,realArray(),SYM(map), formal(realPairFunction(),SYM(f)), formal(pairArray(),SYM(a))); addFunc(ve,arrayFunction,IntArray(),SYM(map), formal(IntRealFunction(),SYM(f)), formal(realArray(),SYM(a))); addConstant(ve, Int_MAX, primInt(), SYM(intMax)); addConstant(ve, Int_MIN, primInt(), SYM(intMin)); addConstant(ve, HUGE_VAL, primReal(), SYM(inf)); addConstant(ve, run::infinity, primReal(), SYM(infinity)); addConstant(ve, nan(""), primReal(), SYM(nan)); addConstant(ve, DBL_MAX, primReal(), SYM(realMax)); addConstant(ve, DBL_MIN, primReal(), SYM(realMin)); addConstant(ve, DBL_EPSILON, primReal(), SYM(realEpsilon)); addConstant(ve, DBL_DIG, primInt(), SYM(realDigits)); addConstant(ve, RANDOM_MAX, primInt(), SYM(randMax)); addConstant(ve, PI, primReal(), SYM(pi)); addConstant(ve, string(REVISION),primString(),SYM(VERSION)); addVariable(ve, &processData().currentpen, primPen(), SYM(currentpen)); #ifdef OPENFUNCEXAMPLE addOpenFunc(ve, openFunc, primInt(), SYM(openFunc)); #endif addOpenFunc(ve, printBytecode, primVoid(), SYM(printBytecode)); gen_runtime_venv(ve); gen_runbacktrace_venv(ve); gen_runpicture_venv(ve); gen_runlabel_venv(ve); gen_runhistory_venv(ve); gen_runarray_venv(ve); gen_runfile_venv(ve); gen_runsystem_venv(ve); gen_runstring_venv(ve); gen_runpair_venv(ve); gen_runtriple_venv(ve); gen_runpath_venv(ve); gen_runpath3d_venv(ve); gen_runmath_venv(ve); #ifdef HAVE_LIBGSL gen_rungsl_venv(ve); #endif } } //namespace trans namespace run { double infinity=cbrt(DBL_MAX); // Reduced for tension atleast infinity void arrayDeleteHelper(stack *Stack) { array *a=pop(Stack); item itj=pop(Stack); bool jdefault=isdefault(itj); item iti=pop(Stack); Int i,j; if(isdefault(iti)) { if(jdefault) { (*a).clear(); return; } else i=j=get(itj); } else { i=get(iti); j=jdefault ? i : get(itj); } size_t asize=checkArray(a); if(a->cyclic() && asize > 0) { if(j-i+1 >= (Int) asize) { (*a).clear(); return; } i=imod(i,asize); j=imod(j,asize); if(j >= i) (*a).erase((*a).begin()+i,(*a).begin()+j+1); else { (*a).erase((*a).begin()+i,(*a).end()); (*a).erase((*a).begin(),(*a).begin()+j+1); } return; } if(i < 0 || i >= (Int) asize || i > j || j >= (Int) asize) { ostringstream buf; buf << "delete called on array of length " << (Int) asize << " with out-of-bounds index range [" << i << "," << j << "]"; error(buf); } (*a).erase((*a).begin()+i,(*a).begin()+j+1); } // Used by coder to optimize conditional jumps. const bltin intLess = binaryOp; const bltin intGreater = binaryOp; } asymptote-2.62/glew.c0000644000000000000000000000023013607467113013273 0ustar rootroot#ifdef HAVE_CONFIG_H #include "config.h" #endif #ifdef __MSDOS__ #define _WIN32 #endif #ifdef HAVE_LIBGL #include "GL/glew.c" #endif /* HAVE_LIBGL */ asymptote-2.62/runbacktrace.in0000644000000000000000000000150113607467113015167 0ustar rootroot/***** * backtrace.in * Andy Hammerlindl 2009/07/28 * * Runtime functions for printing garbage collector backtraces. * *****/ // No extra types defined. // No extra code for .cc file. // Autogenerated routines: void generate_random_backtrace() { #if defined(USEGC) && defined(GC_DEBUG) && defined(GC_BACKTRACE) GC_generate_random_backtrace(); #else error("generate_random_backtrace() requires ./configure --enable-gc-debug"); #endif } void print_random_addresses(Int n=1) { #if defined(USEGC) && defined(GC_DEBUG) && defined(GC_BACKTRACE) GC_gcollect(); for (Int i=0; i < n; ++i) GC_debug_print_heap_obj_proc(GC_base(GC_generate_random_valid_address())); #else error("print_random_addresses() requires ./configure --enable-gc-debug"); unused(&n); // Avoid unused variable warning message. #endif } asymptote-2.62/drawlayer.h0000644000000000000000000000140513607467113014341 0ustar rootroot/***** * drawlayer.h * John Bowman * * Start a new postscript/TeX layer in picture. *****/ #ifndef DRAWLAYER_H #define DRAWLAYER_H #include "drawelement.h" namespace camp { class drawLayer : public drawElement { public: drawLayer() {} virtual ~drawLayer() {} bool islayer() {return true;} }; class drawNewPage : public drawLayer { public: drawNewPage() {} virtual ~drawNewPage() {} bool islabel() {return true;} bool isnewpage() {return true;} bool write(texfile *out, const bbox&) { out->verbatimline(settings::latex(out->texengine) ? "\\newpage" : settings::context(out->texengine) ? "}\\page\\hbox{%" : "\\eject"); return true; } }; } GC_DECLARE_PTRFREE(camp::drawLayer); #endif asymptote-2.62/getopt.c0000644000000000000000000007270313607467113013655 0ustar rootroot/* Getopt for GNU. NOTE: getopt is now part of the C library, so if you don't know what "Keep this file name-space clean" means, talk to drepper@gnu.org before changing it! Copyright (C) 1987,88,89,90,91,92,93,94,95,96,98,99,2000,2001 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C 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. The GNU C 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 the GNU C Library; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA. */ /* This tells Alpha OSF/1 not to define a getopt prototype in . Ditto for AIX 3.2 and . */ #ifndef _NO_PROTO # define _NO_PROTO #endif #ifdef HAVE_CONFIG_H # include #endif #if !defined __STDC__ || !__STDC__ /* This is a separate conditional since some stdc systems reject `defined (const)'. */ # ifndef const # define const # endif #endif #include /* Comment out all this code if we are using the GNU C Library, and are not actually compiling the library itself. This code is part of the GNU C Library, but also included in many other GNU distributions. Compiling and linking in this code is a waste when using the GNU C library (especially if it is a shared library). Rather than having every GNU program understand `configure --with-gnu-libc' and omit the object files, it is simpler to just do this in the source for each such file. */ #define GETOPT_INTERFACE_VERSION 2 #if !defined _LIBC && defined __GLIBC__ && __GLIBC__ >= 2 # include # if _GNU_GETOPT_INTERFACE_VERSION == GETOPT_INTERFACE_VERSION # define ELIDE_CODE # endif #endif #ifndef ELIDE_CODE /* This needs to come after some library #include to get __GNU_LIBRARY__ defined. */ #ifdef __GNU_LIBRARY__ /* Don't include stdlib.h for non-GNU C libraries because some of them contain conflicting prototypes for getopt. */ # include # include #endif /* GNU C library. */ #ifdef VMS # include # if HAVE_STRING_H - 0 # include # endif #endif #ifndef _ /* This is for other GNU distributions with internationalized messages. */ # if defined HAVE_LIBINTL_H || defined _LIBC # include # ifndef _ # define _(msgid) gettext (msgid) # endif # else # define _(msgid) (msgid) # endif #endif /* This version of `getopt' appears to the caller like standard Unix `getopt' but it behaves differently for the user, since it allows the user to intersperse the options with the other arguments. As `getopt' works, it permutes the elements of ARGV so that, when it is done, all the options precede everything else. Thus all application programs are extended to handle flexible argument order. Setting the environment variable POSIXLY_CORRECT disables permutation. Then the behavior is completely standard. GNU application programs can use a third alternative mode in which they can distinguish the relative order of options and other arguments. */ #include "getopt.h" /* For communication from `getopt' to the caller. When `getopt' finds an option that takes an argument, the argument value is returned here. Also, when `ordering' is RETURN_IN_ORDER, each non-option ARGV-element is returned here. */ char *optarg; /* Index in ARGV of the next element to be scanned. This is used for communication to and from the caller and for communication between successive calls to `getopt'. On entry to `getopt', zero means this is the first call; initialize. When `getopt' returns -1, this is the index of the first of the non-option elements that the caller should itself scan. Otherwise, `optind' communicates from one call to the next how much of ARGV has been scanned so far. */ /* 1003.2 says this must be 1 before any call. */ int optind = 1; /* Formerly, initialization of getopt depended on optind==0, which causes problems with re-calling getopt as programs generally don't know that. */ int __getopt_initialized; /* The next char to be scanned in the option-element in which the last option character we returned was found. This allows us to pick up the scan where we left off. If this is zero, or a null string, it means resume the scan by advancing to the next ARGV-element. */ static char *nextchar; /* Callers store zero here to inhibit the error message for unrecognized options. */ int opterr = 1; /* Set to an option character which was unrecognized. This must be initialized on some systems to avoid linking in the system's own getopt implementation. */ int optopt = '?'; /* Describe how to deal with options that follow non-option ARGV-elements. If the caller did not specify anything, the default is REQUIRE_ORDER if the environment variable POSIXLY_CORRECT is defined, PERMUTE otherwise. REQUIRE_ORDER means don't recognize them as options; stop option processing when the first non-option is seen. This is what Unix does. This mode of operation is selected by either setting the environment variable POSIXLY_CORRECT, or using `+' as the first character of the list of option characters. PERMUTE is the default. We permute the contents of ARGV as we scan, so that eventually all the non-options are at the end. This allows options to be given in any order, even with programs that were not written to expect this. RETURN_IN_ORDER is an option available to programs that were written to expect options and other ARGV-elements in any order and that care about the ordering of the two. We describe each non-option ARGV-element as if it were the argument of an option with character code 1. Using `-' as the first character of the list of option characters selects this mode of operation. The special argument `--' forces an end of option-scanning regardless of the value of `ordering'. In the case of RETURN_IN_ORDER, only `--' can cause `getopt' to return -1 with `optind' != ARGC. */ static enum { REQUIRE_ORDER, PERMUTE, RETURN_IN_ORDER } ordering; /* Value of POSIXLY_CORRECT environment variable. */ static char *posixly_correct; #ifdef __GNU_LIBRARY__ /* We want to avoid inclusion of string.h with non-GNU libraries because there are many ways it can cause trouble. On some systems, it contains special magic macros that don't work in GCC. */ # include # define my_index strchr #else # if HAVE_STRING_H # include # else # include # endif /* Avoid depending on library functions or files whose names are inconsistent. */ #ifndef getenv extern char *getenv (); #endif static char * my_index (str, chr) const char *str; int chr; { while (*str) { if (*str == chr) return (char *) str; str++; } return 0; } /* If using GCC, we can safely declare strlen this way. If not using GCC, it is ok not to declare it. */ #ifdef __GNUC__ /* Note that Motorola Delta 68k R3V7 comes with GCC but not stddef.h. That was relevant to code that was here before. */ # if (!defined __STDC__ || !__STDC__) && !defined strlen /* gcc with -traditional declares the built-in strlen to return int, and has done so at least since version 2.4.5. -- rms. */ extern int strlen (const char *); # endif /* not __STDC__ */ #endif /* __GNUC__ */ #endif /* not __GNU_LIBRARY__ */ /* Handle permutation of arguments. */ /* Describe the part of ARGV that contains non-options that have been skipped. `first_nonopt' is the index in ARGV of the first of them; `last_nonopt' is the index after the last of them. */ static int first_nonopt; static int last_nonopt; #ifdef _LIBC /* Stored original parameters. XXX This is no good solution. We should rather copy the args so that we can compare them later. But we must not use malloc(3). */ extern int __libc_argc; extern char **__libc_argv; /* Bash 2.0 gives us an environment variable containing flags indicating ARGV elements that should not be considered arguments. */ # ifdef USE_NONOPTION_FLAGS /* Defined in getopt_init.c */ extern char *__getopt_nonoption_flags; static int nonoption_flags_max_len; static int nonoption_flags_len; # endif # ifdef USE_NONOPTION_FLAGS # define SWAP_FLAGS(ch1, ch2) \ if (nonoption_flags_len > 0) \ { \ char __tmp = __getopt_nonoption_flags[ch1]; \ __getopt_nonoption_flags[ch1] = __getopt_nonoption_flags[ch2]; \ __getopt_nonoption_flags[ch2] = __tmp; \ } # else # define SWAP_FLAGS(ch1, ch2) # endif #else /* !_LIBC */ # define SWAP_FLAGS(ch1, ch2) #endif /* _LIBC */ /* Exchange two adjacent subsequences of ARGV. One subsequence is elements [first_nonopt,last_nonopt) which contains all the non-options that have been skipped so far. The other is elements [last_nonopt,optind), which contains all the options processed since those non-options were skipped. `first_nonopt' and `last_nonopt' are relocated so that they describe the new indices of the non-options in ARGV after they are moved. */ #if defined __STDC__ && __STDC__ static void exchange (char **); #endif static void exchange (argv) char **argv; { int bottom = first_nonopt; int middle = last_nonopt; int top = optind; char *tem; /* Exchange the shorter segment with the far end of the longer segment. That puts the shorter segment into the right place. It leaves the longer segment in the right place overall, but it consists of two parts that need to be swapped next. */ #if defined _LIBC && defined USE_NONOPTION_FLAGS /* First make sure the handling of the `__getopt_nonoption_flags' string can work normally. Our top argument must be in the range of the string. */ if (nonoption_flags_len > 0 && top >= nonoption_flags_max_len) { /* We must extend the array. The user plays games with us and presents new arguments. */ char *new_str = malloc (top + 1); if (new_str == NULL) nonoption_flags_len = nonoption_flags_max_len = 0; else { memset (__mempcpy (new_str, __getopt_nonoption_flags, nonoption_flags_max_len), '\0', top + 1 - nonoption_flags_max_len); nonoption_flags_max_len = top + 1; __getopt_nonoption_flags = new_str; } } #endif while (top > middle && middle > bottom) { if (top - middle > middle - bottom) { /* Bottom segment is the short one. */ int len = middle - bottom; register int i; /* Swap it with the top part of the top segment. */ for (i = 0; i < len; i++) { tem = argv[bottom + i]; argv[bottom + i] = argv[top - (middle - bottom) + i]; argv[top - (middle - bottom) + i] = tem; SWAP_FLAGS (bottom + i, top - (middle - bottom) + i); } /* Exclude the moved bottom segment from further swapping. */ top -= len; } else { /* Top segment is the short one. */ int len = top - middle; register int i; /* Swap it with the bottom part of the bottom segment. */ for (i = 0; i < len; i++) { tem = argv[bottom + i]; argv[bottom + i] = argv[middle + i]; argv[middle + i] = tem; SWAP_FLAGS (bottom + i, middle + i); } /* Exclude the moved top segment from further swapping. */ bottom += len; } } /* Update records for the slots the non-options now occupy. */ first_nonopt += (optind - last_nonopt); last_nonopt = optind; } /* Initialize the internal data when the first call is made. */ #if defined __STDC__ && __STDC__ static const char *_getopt_initialize (int, char *const *, const char *); #endif static const char * _getopt_initialize (argc, argv, optstring) int argc; char *const *argv; const char *optstring; { /* Start processing options with ARGV-element 1 (since ARGV-element 0 is the program name); the sequence of previously skipped non-option ARGV-elements is empty. */ first_nonopt = last_nonopt = optind; nextchar = NULL; posixly_correct = getenv ("POSIXLY_CORRECT"); /* Determine how to handle the ordering of options and nonoptions. */ if (optstring[0] == '-') { ordering = RETURN_IN_ORDER; ++optstring; } else if (optstring[0] == '+') { ordering = REQUIRE_ORDER; ++optstring; } else if (posixly_correct != NULL) ordering = REQUIRE_ORDER; else ordering = PERMUTE; #if defined _LIBC && defined USE_NONOPTION_FLAGS if (posixly_correct == NULL && argc == __libc_argc && argv == __libc_argv) { if (nonoption_flags_max_len == 0) { if (__getopt_nonoption_flags == NULL || __getopt_nonoption_flags[0] == '\0') nonoption_flags_max_len = -1; else { const char *orig_str = __getopt_nonoption_flags; int len = nonoption_flags_max_len = strlen (orig_str); if (nonoption_flags_max_len < argc) nonoption_flags_max_len = argc; __getopt_nonoption_flags = (char *) malloc (nonoption_flags_max_len); if (__getopt_nonoption_flags == NULL) nonoption_flags_max_len = -1; else memset (__mempcpy (__getopt_nonoption_flags, orig_str, len), '\0', nonoption_flags_max_len - len); } } nonoption_flags_len = nonoption_flags_max_len; } else nonoption_flags_len = 0; #endif return optstring; } /* Scan elements of ARGV (whose length is ARGC) for option characters given in OPTSTRING. If an element of ARGV starts with '-', and is not exactly "-" or "--", then it is an option element. The characters of this element (aside from the initial '-') are option characters. If `getopt' is called repeatedly, it returns successively each of the option characters from each of the option elements. If `getopt' finds another option character, it returns that character, updating `optind' and `nextchar' so that the next call to `getopt' can resume the scan with the following option character or ARGV-element. If there are no more option characters, `getopt' returns -1. Then `optind' is the index in ARGV of the first ARGV-element that is not an option. (The ARGV-elements have been permuted so that those that are not options now come last.) OPTSTRING is a string containing the legitimate option characters. If an option character is seen that is not listed in OPTSTRING, return '?' after printing an error message. If you set `opterr' to zero, the error message is suppressed but we still return '?'. If a char in OPTSTRING is followed by a colon, that means it wants an arg, so the following text in the same ARGV-element, or the text of the following ARGV-element, is returned in `optarg'. Two colons mean an option that wants an optional arg; if there is text in the current ARGV-element, it is returned in `optarg', otherwise `optarg' is set to zero. If OPTSTRING starts with `-' or `+', it requests different methods of handling the non-option ARGV-elements. See the comments about RETURN_IN_ORDER and REQUIRE_ORDER, above. Long-named options begin with `--' instead of `-'. Their names may be abbreviated as long as the abbreviation is unique or is an exact match for some defined option. If they have an argument, it follows the option name in the same ARGV-element, separated from the option name by a `=', or else the in next ARGV-element. When `getopt' finds a long-named option, it returns 0 if that option's `flag' field is nonzero, the value of the option's `val' field if the `flag' field is zero. The elements of ARGV aren't really const, because we permute them. But we pretend they're const in the prototype to be compatible with other systems. LONGOPTS is a vector of `struct option' terminated by an element containing a name which is zero. LONGIND returns the index in LONGOPT of the long-named option found. It is only valid when a long-named option has been found by the most recent call. If LONG_ONLY is nonzero, '-' as well as '--' can introduce long-named options. */ int _getopt_internal (argc, argv, optstring, longopts, longind, long_only) int argc; char *const *argv; const char *optstring; const struct option *longopts; int *longind; int long_only; { int print_errors = opterr; if (optstring[0] == ':') print_errors = 0; if (argc < 1) return -1; optarg = NULL; if (optind == 0 || !__getopt_initialized) { if (optind == 0) optind = 1; /* Don't scan ARGV[0], the program name. */ optstring = _getopt_initialize (argc, argv, optstring); __getopt_initialized = 1; } /* Test whether ARGV[optind] points to a non-option argument. Either it does not have option syntax, or there is an environment flag from the shell indicating it is not an option. The later information is only used when the used in the GNU libc. */ #if defined _LIBC && defined USE_NONOPTION_FLAGS # define NONOPTION_P (argv[optind][0] != '-' || argv[optind][1] == '\0' \ || (optind < nonoption_flags_len \ && __getopt_nonoption_flags[optind] == '1')) #else # define NONOPTION_P (argv[optind][0] != '-' || argv[optind][1] == '\0') #endif if (nextchar == NULL || *nextchar == '\0') { /* Advance to the next ARGV-element. */ /* Give FIRST_NONOPT & LAST_NONOPT rational values if OPTIND has been moved back by the user (who may also have changed the arguments). */ if (last_nonopt > optind) last_nonopt = optind; if (first_nonopt > optind) first_nonopt = optind; if (ordering == PERMUTE) { /* If we have just processed some options following some non-options, exchange them so that the options come first. */ if (first_nonopt != last_nonopt && last_nonopt != optind) exchange ((char **) argv); else if (last_nonopt != optind) first_nonopt = optind; /* Skip any additional non-options and extend the range of non-options previously skipped. */ while (optind < argc && NONOPTION_P) optind++; last_nonopt = optind; } /* The special ARGV-element `--' means premature end of options. Skip it like a null option, then exchange with previous non-options as if it were an option, then skip everything else like a non-option. */ if (optind != argc && !strcmp (argv[optind], "--")) { optind++; if (first_nonopt != last_nonopt && last_nonopt != optind) exchange ((char **) argv); else if (first_nonopt == last_nonopt) first_nonopt = optind; last_nonopt = argc; optind = argc; } /* If we have done all the ARGV-elements, stop the scan and back over any non-options that we skipped and permuted. */ if (optind == argc) { /* Set the next-arg-index to point at the non-options that we previously skipped, so the caller will digest them. */ if (first_nonopt != last_nonopt) optind = first_nonopt; return -1; } /* If we have come to a non-option and did not permute it, either stop the scan or describe it to the caller and pass it by. */ if (NONOPTION_P) { if (ordering == REQUIRE_ORDER) return -1; optarg = argv[optind++]; return 1; } /* We have found another option-ARGV-element. Skip the initial punctuation. */ nextchar = (argv[optind] + 1 + (longopts != NULL && argv[optind][1] == '-')); } /* Decode the current option-ARGV-element. */ /* Check whether the ARGV-element is a long option. If long_only and the ARGV-element has the form "-f", where f is a valid short option, don't consider it an abbreviated form of a long option that starts with f. Otherwise there would be no way to give the -f short option. On the other hand, if there's a long option "fubar" and the ARGV-element is "-fu", do consider that an abbreviation of the long option, just like "--fu", and not "-f" with arg "u". This distinction seems to be the most useful approach. */ if (longopts != NULL && (argv[optind][1] == '-' || (long_only && (argv[optind][2] || !my_index (optstring, argv[optind][1]))))) { char *nameend; const struct option *p; const struct option *pfound = NULL; int exact = 0; int ambig = 0; int indfound = -1; int option_index; for (nameend = nextchar; *nameend && *nameend != '='; nameend++) /* Do nothing. */ ; /* Test all long options for either exact match or abbreviated matches. */ for (p = longopts, option_index = 0; p->name; p++, option_index++) if (!strncmp (p->name, nextchar, nameend - nextchar)) { if ((unsigned int) (nameend - nextchar) == (unsigned int) strlen (p->name)) { /* Exact match found. */ pfound = p; indfound = option_index; exact = 1; break; } else if (pfound == NULL) { /* First nonexact match found. */ pfound = p; indfound = option_index; } else if (long_only || pfound->has_arg != p->has_arg || pfound->flag != p->flag || pfound->val != p->val) /* Second or later nonexact match found. */ ambig = 1; } if (ambig && !exact) { if (print_errors) fprintf (stderr, _("%s: option `%s' is ambiguous\n"), argv[0], argv[optind]); nextchar += strlen (nextchar); optind++; optopt = 0; return '?'; } if (pfound != NULL) { option_index = indfound; optind++; if (*nameend) { /* Don't test has_arg with >, because some C compilers don't allow it to be used on enums. */ if (pfound->has_arg) optarg = nameend + 1; else { if (print_errors) { if (argv[optind - 1][1] == '-') /* --option */ fprintf (stderr, _("%s: option `--%s' doesn't allow an argument\n"), argv[0], pfound->name); else /* +option or -option */ fprintf (stderr, _("%s: option `%c%s' doesn't allow an argument\n"), argv[0], argv[optind - 1][0], pfound->name); } nextchar += strlen (nextchar); optopt = pfound->val; return '?'; } } else if (pfound->has_arg == 1) { if (optind < argc) optarg = argv[optind++]; else { if (print_errors) fprintf (stderr, _("%s: option `%s' requires an argument\n"), argv[0], argv[optind - 1]); nextchar += strlen (nextchar); optopt = pfound->val; return optstring[0] == ':' ? ':' : '?'; } } nextchar += strlen (nextchar); if (longind != NULL) *longind = option_index; if (pfound->flag) { *(pfound->flag) = pfound->val; return 0; } return pfound->val; } /* Can't find it as a long option. If this is not getopt_long_only, or the option starts with '--' or is not a valid short option, then it's an error. Otherwise interpret it as a short option. */ if (!long_only || argv[optind][1] == '-' || my_index (optstring, *nextchar) == NULL) { if (print_errors) { if (argv[optind][1] == '-') /* --option */ fprintf (stderr, _("%s: unrecognized option `--%s'\n"), argv[0], nextchar); else /* +option or -option */ fprintf (stderr, _("%s: unrecognized option `%c%s'\n"), argv[0], argv[optind][0], nextchar); } nextchar = (char *) ""; optind++; optopt = 0; return '?'; } } /* Look at and handle the next short option-character. */ { char c = *nextchar++; char *temp = my_index (optstring, c); /* Increment `optind' when we start to process its last character. */ if (*nextchar == '\0') ++optind; if (temp == NULL || c == ':') { if (print_errors) { if (posixly_correct) /* 1003.2 specifies the format of this message. */ fprintf (stderr, _("%s: illegal option -- %c\n"), argv[0], c); else fprintf (stderr, _("%s: invalid option -- %c\n"), argv[0], c); } optopt = c; return '?'; } /* Convenience. Treat POSIX -W foo same as long option --foo */ if (temp[0] == 'W' && temp[1] == ';') { char *nameend; const struct option *p; const struct option *pfound = NULL; int exact = 0; int ambig = 0; int indfound = 0; int option_index; /* This is an option that requires an argument. */ if (*nextchar != '\0') { optarg = nextchar; /* If we end this ARGV-element by taking the rest as an arg, we must advance to the next element now. */ optind++; } else if (optind == argc) { if (print_errors) { /* 1003.2 specifies the format of this message. */ fprintf (stderr, _("%s: option requires an argument -- %c\n"), argv[0], c); } optopt = c; if (optstring[0] == ':') c = ':'; else c = '?'; return c; } else /* We already incremented `optind' once; increment it again when taking next ARGV-elt as argument. */ optarg = argv[optind++]; /* optarg is now the argument, see if it's in the table of longopts. */ for (nextchar = nameend = optarg; *nameend && *nameend != '='; nameend++) /* Do nothing. */ ; /* Test all long options for either exact match or abbreviated matches. */ for (p = longopts, option_index = 0; p->name; p++, option_index++) if (!strncmp (p->name, nextchar, nameend - nextchar)) { if ((unsigned int) (nameend - nextchar) == strlen (p->name)) { /* Exact match found. */ pfound = p; indfound = option_index; exact = 1; break; } else if (pfound == NULL) { /* First nonexact match found. */ pfound = p; indfound = option_index; } else /* Second or later nonexact match found. */ ambig = 1; } if (ambig && !exact) { if (print_errors) fprintf (stderr, _("%s: option `-W %s' is ambiguous\n"), argv[0], argv[optind]); nextchar += strlen (nextchar); optind++; return '?'; } if (pfound != NULL) { option_index = indfound; if (*nameend) { /* Don't test has_arg with >, because some C compilers don't allow it to be used on enums. */ if (pfound->has_arg) optarg = nameend + 1; else { if (print_errors) fprintf (stderr, _("\ %s: option `-W %s' doesn't allow an argument\n"), argv[0], pfound->name); nextchar += strlen (nextchar); return '?'; } } else if (pfound->has_arg == 1) { if (optind < argc) optarg = argv[optind++]; else { if (print_errors) fprintf (stderr, _("%s: option `%s' requires an argument\n"), argv[0], argv[optind - 1]); nextchar += strlen (nextchar); return optstring[0] == ':' ? ':' : '?'; } } nextchar += strlen (nextchar); if (longind != NULL) *longind = option_index; if (pfound->flag) { *(pfound->flag) = pfound->val; return 0; } return pfound->val; } nextchar = NULL; return 'W'; /* Let the application handle it. */ } if (temp[1] == ':') { if (temp[2] == ':') { /* This is an option that accepts an argument optionally. */ if (*nextchar != '\0') { optarg = nextchar; optind++; } else optarg = NULL; nextchar = NULL; } else { /* This is an option that requires an argument. */ if (*nextchar != '\0') { optarg = nextchar; /* If we end this ARGV-element by taking the rest as an arg, we must advance to the next element now. */ optind++; } else if (optind == argc) { if (print_errors) { /* 1003.2 specifies the format of this message. */ fprintf (stderr, _("%s: option requires an argument -- %c\n"), argv[0], c); } optopt = c; if (optstring[0] == ':') c = ':'; else c = '?'; } else /* We already incremented `optind' once; increment it again when taking next ARGV-elt as argument. */ optarg = argv[optind++]; nextchar = NULL; } } return c; } } int getopt (argc, argv, optstring) int argc; char *const *argv; const char *optstring; { return _getopt_internal (argc, argv, optstring, (const struct option *) 0, (int *) 0, 0); } #endif /* Not ELIDE_CODE. */ #ifdef TEST /* Compile with -DTEST to make an executable for use in testing the above definition of `getopt'. */ int main (argc, argv) int argc; char **argv; { int c; int digit_optind = 0; while (1) { int this_option_optind = optind ? optind : 1; c = getopt (argc, argv, "abc:d:0123456789"); if (c == -1) break; switch (c) { case '0': case '1': case '2': case '3': case '4': case '5': case '6': case '7': case '8': case '9': if (digit_optind != 0 && digit_optind != this_option_optind) printf ("digits occur in two different argv-elements.\n"); digit_optind = this_option_optind; printf ("option %c\n", c); break; case 'a': printf ("option a\n"); break; case 'b': printf ("option b\n"); break; case 'c': printf ("option c with value `%s'\n", optarg); break; case '?': break; default: printf ("?? getopt returned character code 0%o ??\n", c); } } if (optind < argc) { printf ("non-option ARGV-elements: "); while (optind < argc) printf ("%s ", argv[optind++]); printf ("\n"); } exit (0); } #endif /* TEST */ asymptote-2.62/gsl.cc0000644000000000000000000014301113607467113013272 0ustar rootroot/***** * gsl.cc * 2010/05/19 * * Initialize gsl builtins. *****/ #include "config.h" #ifdef HAVE_LIBGSL #include "vm.h" #include "types.h" #include "entry.h" #include "builtin.h" #include "record.h" #include "stack.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include #include #include #include #include #include #include #include "opsymbols.h" #ifndef NOSYM #include "gsl.symbols.h" #endif namespace trans { using types::formal; using types::primVoid; using types::primInt; using types::primReal; using types::primPair; using types::primTriple; using types::primString; using types::IntArray; using types::realArray; using types::stringArray; using vm::stack; using vm::array; using vm::pop; using vm::error; using run::copyArrayC; using run::copyCArray; using camp::pair; using camp::triple; const char* GSLrngnull = "GSL random number generator not initialized"; const char* GSLinvalid = "invalid argument"; bool GSLerror=false; types::dummyRecord *GSLModule; types::record *getGSLModule() { return GSLModule; } inline void checkGSLerror() { if(GSLerror) { GSLerror=false; throw handled_error(); } } template void realRealGSL(stack *s) { double x=pop(s); s->push(func(x)); checkGSLerror(); } template void realRealDOUBLE(stack *s) { double x=pop(s); s->push(func(x,GSL_PREC_DOUBLE)); checkGSLerror(); } template void realRealRealDOUBLE(stack *s) { double y=pop(s); double x=pop(s); s->push(func(x,y,GSL_PREC_DOUBLE)); checkGSLerror(); } template void realIntGSL(stack *s) { s->push(func(unsignedcast(pop(s)))); checkGSLerror(); } template void realIntRealGSL(stack *s) { double x=pop(s); s->push(func(intcast(pop(s)),x)); checkGSLerror(); } template void realRealRealGSL(stack *s) { double x=pop(s); double n=pop(s); s->push(func(n,x)); checkGSLerror(); } template void intRealRealRealGSL(stack *s) { double x=pop(s); double n=pop(s); double a=pop(s); s->push(func(a,n,x)); checkGSLerror(); } template void realRealRealRealGSL(stack *s) { double x=pop(s); double n=pop(s); double a=pop(s); s->push(func(a,n,x)); checkGSLerror(); } template void realRealIntGSL(stack *s) { Int n=pop(s); double x=pop(s); s->push(func(x,unsignedcast(n))); checkGSLerror(); } // Add a GSL special function from the GNU GSL library template void addGSLRealFunc(symbol name, symbol arg1=SYM(x)) { addFunc(GSLModule->e.ve, realRealGSL, primReal(), name, formal(primReal(),arg1)); } // Add a GSL_PREC_DOUBLE GSL special function. template void addGSLDOUBLEFunc(symbol name, symbol arg1=SYM(x)) { addFunc(GSLModule->e.ve, realRealDOUBLE, primReal(), name, formal(primReal(),arg1)); } template void addGSLDOUBLE2Func(symbol name, symbol arg1=SYM(phi), symbol arg2=SYM(k)) { addFunc(GSLModule->e.ve, realRealRealDOUBLE, primReal(), name, formal(primReal(),arg1), formal(primReal(),arg2)); } template void realRealRealRealDOUBLE(stack *s) { double z=pop(s); double y=pop(s); double x=pop(s); s->push(func(x,y,z,GSL_PREC_DOUBLE)); checkGSLerror(); } template void addGSLDOUBLE3Func(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, realRealRealRealDOUBLE, primReal(), name, formal(primReal(),arg1), formal(primReal(),arg2), formal(primReal(), arg3)); } template void realRealRealRealRealDOUBLE(stack *s) { double z=pop(s); double y=pop(s); double x=pop(s); double w=pop(s); s->push(func(w,x,y,z,GSL_PREC_DOUBLE)); checkGSLerror(); } template void addGSLDOUBLE4Func(symbol name, symbol arg1, symbol arg2, symbol arg3, symbol arg4) { addFunc(GSLModule->e.ve, realRealRealRealRealDOUBLE, primReal(), name, formal(primReal(),arg1), formal(primReal(),arg2), formal(primReal(), arg3), formal(primReal(), arg4)); } template void addGSLIntFunc(symbol name) { addFunc(GSLModule->e.ve, realIntGSL, primReal(), name, formal(primInt(),SYM(s))); } template void realSignedGSL(stack *s) { Int a = pop(s); s->push(func(intcast(a))); checkGSLerror(); } template void addGSLSignedFunc(symbol name, symbol arg1) { addFunc(GSLModule->e.ve, realSignedGSL, primReal(), name, formal(primInt(),arg1)); } template void addGSLIntRealFunc(symbol name, symbol arg1=SYM(n), symbol arg2=SYM(x)) { addFunc(GSLModule->e.ve, realIntRealGSL, primReal(), name, formal(primInt(),arg1), formal(primReal(),arg2)); } template void addGSLRealRealFunc(symbol name, symbol arg1=SYM(nu), symbol arg2=SYM(x)) { addFunc(GSLModule->e.ve, realRealRealGSL, primReal(), name, formal(primReal(),arg1), formal(primReal(),arg2)); } template void addGSLRealRealRealFunc(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, realRealRealRealGSL, primReal(), name, formal(primReal(),arg1), formal(primReal(),arg2), formal(primReal(), arg3)); } template void addGSLRealRealRealFuncInt(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, intRealRealRealGSL, primInt(), name, formal(primReal(),arg1), formal(primReal(),arg2), formal(primReal(), arg3)); } template void addGSLRealIntFunc(symbol name, symbol arg1=SYM(nu), symbol arg2=SYM(s)) { addFunc(GSLModule->e.ve, realRealIntGSL, primReal(), name, formal(primReal(),arg1), formal(primInt(),arg2)); } template void realRealSignedGSL(stack *s) { Int b = pop(s); double a = pop(s); s->push(func(a, intcast(b))); checkGSLerror(); } template void addGSLRealSignedFunc(symbol name, symbol arg1, symbol arg2) { addFunc(GSLModule->e.ve, realRealSignedGSL, primReal(), name, formal(primReal(),arg1), formal(primInt(),arg2)); } template void realUnsignedUnsignedGSL(stack *s) { Int b = pop(s); Int a = pop(s); s->push(func(unsignedcast(a), unsignedcast(b))); checkGSLerror(); } template void addGSLUnsignedUnsignedFunc(symbol name, symbol arg1, symbol arg2) { addFunc(GSLModule->e.ve, realUnsignedUnsignedGSL, primReal(), name, formal(primInt(), arg1), formal(primInt(), arg2)); } template void realIntRealRealGSL(stack *s) { double c = pop(s); double b = pop(s); Int a = pop(s); s->push(func(intcast(a), b, c)); checkGSLerror(); } template void addGSLIntRealRealFunc(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, realIntRealRealGSL, primReal(), name, formal(primInt(), arg1), formal(primReal(), arg2), formal(primReal(), arg3)); } template void realIntIntRealGSL(stack *s) { double c = pop(s); Int b = pop(s); Int a = pop(s); s->push(func(intcast(a), intcast(b), c)); checkGSLerror(); } template void addGSLIntIntRealFunc(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, realIntIntRealGSL, primReal(), name, formal(primInt(), arg1), formal(primInt(), arg2), formal(primReal(), arg3)); } template void realIntIntRealRealGSL(stack *s) { double d = pop(s); double c = pop(s); Int b = pop(s); Int a = pop(s); s->push(func(intcast(a), intcast(b), c, d)); checkGSLerror(); } template void addGSLIntIntRealRealFunc(symbol name, symbol arg1, symbol arg2, symbol arg3, symbol arg4) { addFunc(GSLModule->e.ve, realIntIntRealRealGSL, primReal(), name, formal(primInt(), arg1), formal(primInt(), arg2), formal(primReal(), arg3), formal(primReal(), arg4)); } template void realRealRealRealRealGSL(stack *s) { double d = pop(s); double c = pop(s); double b = pop(s); double a = pop(s); s->push(func(a, b, c, d)); checkGSLerror(); } template void addGSLRealRealRealRealFunc(symbol name, symbol arg1, symbol arg2, symbol arg3, symbol arg4) { addFunc(GSLModule->e.ve, realRealRealRealRealGSL, primReal(), name, formal(primReal(), arg1), formal(primReal(), arg2), formal(primReal(), arg3), formal(primReal(), arg4)); } template void realIntIntIntIntIntIntGSL(stack *s) { Int f = pop(s); Int e = pop(s); Int d = pop(s); Int c = pop(s); Int b = pop(s); Int a = pop(s); s->push(func(intcast(a), intcast(b), intcast(c), intcast(d), intcast(e), intcast(f))); checkGSLerror(); } template void addGSLIntIntIntIntIntIntFunc(symbol name, symbol arg1, symbol arg2, symbol arg3, symbol arg4, symbol arg5, symbol arg6) { addFunc(GSLModule->e.ve, realIntIntIntIntIntIntGSL, primReal(), name, formal(primInt(), arg1), formal(primInt(), arg2), formal(primInt(), arg3), formal(primInt(), arg4), formal(primInt(), arg5), formal(primInt(), arg6)); } template void realIntIntIntIntIntIntIntIntIntGSL(stack *s) { Int i = pop(s); Int h = pop(s); Int g = pop(s); Int f = pop(s); Int e = pop(s); Int d = pop(s); Int c = pop(s); Int b = pop(s); Int a = pop(s); s->push(func(intcast(a), intcast(b), intcast(c), intcast(d), intcast(e), intcast(f), intcast(g), intcast(h), intcast(i))); checkGSLerror(); } template void addGSLIntIntIntIntIntIntIntIntIntFunc(symbol name, symbol arg1, symbol arg2, symbol arg3, symbol arg4, symbol arg5, symbol arg6, symbol arg7, symbol arg8, symbol arg9) { addFunc(GSLModule->e.ve, realIntIntIntIntIntIntIntIntIntGSL, primReal(), name, formal(primInt(), arg1), formal(primInt(), arg2), formal(primInt(), arg3), formal(primInt(), arg4), formal(primInt(), arg5), formal(primInt(), arg6), formal(primInt(), arg7), formal(primInt(), arg8), formal(primInt(), arg9)); } template void realUIntRealGSL(stack *s) { double a = pop(s); unsigned int k = unsignedcast(pop(s)); s->push(func(k,a)); checkGSLerror(); } template void addGSLUIntRealFunc(symbol name, symbol arg1, symbol arg2) { addFunc(GSLModule->e.ve, realUIntRealGSL, primReal(), name, formal(primInt(), arg1), formal(primReal(), arg2)); } template void realUIntRealUIntGSL(stack *s) { unsigned int n = unsignedcast(pop(s)); double a = pop(s); unsigned int k = unsignedcast(pop(s)); s->push(func(k,a,n)); checkGSLerror(); } template void addGSLUIntRealUIntFunc(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, realUIntRealUIntGSL, primReal(), name, formal(primInt(), arg1), formal(primReal(), arg2), formal(primInt(), arg3)); } template void realUIntRealRealGSL(stack *s) { double b = pop(s); double a = pop(s); unsigned int k = unsignedcast(pop(s)); s->push(func(k,a,b)); checkGSLerror(); } template void addGSLUIntRealRealFunc(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, realUIntRealRealGSL, primReal(), name, formal(primInt(), arg1), formal(primReal(), arg2), formal(primReal(), arg3)); } template void realUIntUIntUIntUIntGSL(stack *s) { unsigned int t = unsignedcast(pop(s)); unsigned int n2 = unsignedcast(pop(s)); unsigned int n1 = unsignedcast(pop(s)); unsigned int k = unsignedcast(pop(s)); s->push(func(k,n1,n2,t)); checkGSLerror(); } template void addGSLUIntUIntUIntUIntFunc(symbol name, symbol arg1, symbol arg2, symbol arg3, symbol arg4) { addFunc(GSLModule->e.ve, realUIntUIntUIntUIntGSL, primReal(), name, formal(primInt(), arg1), formal(primInt(), arg2), formal(primInt(), arg3), formal(primInt(), arg4)); } // GSL random number generators gsl_rng *GSLrng=0; const gsl_rng_type **GSLrngFirstType=gsl_rng_types_setup(); inline void checkGSLrng() { if(GSLrng == 0) error(GSLrngnull); } void GSLrngFree() { if(GSLrng != 0) gsl_rng_free(GSLrng); GSLrng=0; } void GSLrngInit(stack *s) { string n = pop(s,string()); const gsl_rng_type **t; if(n.empty()) t = &gsl_rng_default; else { for(t=GSLrngFirstType; *t!=0; ++t) if(n == string((*t)->name)) break; if(*t == 0) error(GSLinvalid); } GSLrngFree(); GSLrng = gsl_rng_alloc(*t); if(GSLrng == 0) { GSLerror=false; error("insufficient memory for allocation of GSL random number generator"); } } void GSLrngList(stack *s) { array* a = new array(0); const gsl_rng_type **t; for(t=GSLrngFirstType; *t!=0; ++t) { a->push(string((*t)->name)); } s->push(a); checkGSLerror(); } void GSLrngSet(stack *s) { Int i=pop(s,-1); checkGSLrng(); if(i < 0) gsl_rng_set(GSLrng,gsl_rng_default_seed); else gsl_rng_set(GSLrng,unsignedcast(i)); checkGSLerror(); } template void intVoidGSLrng(stack *s) { s->push(func(GSLrng)); checkGSLrng(); checkGSLerror(); } template void addGSLrngVoidFuncInt(symbol name) { addFunc(GSLModule->e.ve, intVoidGSLrng, primInt(), name); } template void intULongGSLrng(stack *s) { unsigned long int i = unsignedcast(pop(s)); checkGSLrng(); s->push(func(GSLrng,i)); checkGSLerror(); } template void addGSLrngULongFuncInt(symbol name, symbol arg1) { addFunc(GSLModule->e.ve, intULongGSLrng, primInt(), name, formal(primInt(), arg1)); } template void intRealGSLrng(stack *s) { double x = pop(s); checkGSLrng(); s->push(func(GSLrng,x)); checkGSLerror(); } template void addGSLrngRealFuncInt(symbol name, symbol arg1) { addFunc(GSLModule->e.ve, intRealGSLrng, primInt(), name, formal(primReal(), arg1)); } template void intRealRealGSLrng(stack *s) { double y = pop(s); double x = pop(s); checkGSLrng(); s->push(func(GSLrng,x,y)); checkGSLerror(); } template void addGSLrngRealRealFuncInt(symbol name, symbol arg1, symbol arg2) { addFunc(GSLModule->e.ve, intRealRealGSLrng, primInt(), name, formal(primReal(), arg1), formal(primReal(), arg2)); } template void realVoidGSLrng(stack *s) { checkGSLrng(); s->push(func(GSLrng)); checkGSLerror(); } template void addGSLrngVoidFunc(symbol name) { addFunc(GSLModule->e.ve, realVoidGSLrng, primReal(), name); } template void realRealGSLrng(stack *s) { double x = pop(s); checkGSLrng(); s->push(func(GSLrng,x)); checkGSLerror(); } template void addGSLrngRealFunc(symbol name, symbol arg1) { addFunc(GSLModule->e.ve, realRealGSLrng, primReal(), name, formal(primReal(), arg1)); } template void realRealRealGSLrng(stack *s) { double b = pop(s); double a = pop(s); checkGSLrng(); s->push(func(GSLrng,a,b)); checkGSLerror(); } template void addGSLrngRealRealFunc(symbol name, symbol arg1, symbol arg2) { addFunc(GSLModule->e.ve, realRealRealGSLrng, primReal(), name, formal(primReal(), arg1), formal(primReal(), arg2)); } template void intRealUIntGSLrng(stack *s) { unsigned int n = unsignedcast(pop(s)); double a = pop(s); checkGSLrng(); s->push(func(GSLrng,a,n)); checkGSLerror(); } template void addGSLrngRealUIntFuncInt(symbol name, symbol arg1, symbol arg2) { addFunc(GSLModule->e.ve, intRealUIntGSLrng, primInt(), name, formal(primReal(), arg1), formal(primInt(), arg2)); } template void intUIntUIntUIntGSLrng(stack *s) { unsigned int t = unsignedcast(pop(s)); unsigned int n2 = unsignedcast(pop(s)); unsigned int n1 = unsignedcast(pop(s)); checkGSLrng(); s->push(func(GSLrng,n1,n2,t)); checkGSLerror(); } template void addGSLrngUIntUIntUIntFuncInt(symbol name, symbol arg1, symbol arg2, symbol arg3) { addFunc(GSLModule->e.ve, intUIntUIntUIntGSLrng, primInt(), name, formal(primInt(), arg1), formal(primInt(), arg2), formal(primInt(), arg3)); } template void stringVoidGSLrng(stack *s) { checkGSLrng(); s->push(func(GSLrng)); checkGSLerror(); } template void addGSLrngVoidFuncString(symbol name) { addFunc(GSLModule->e.ve, stringVoidGSLrng, primString(), name); } void GSLrng_gaussian(stack *s) { string method = pop(s,string("polar")); double sigma = pop(s,1.0); double mu = pop(s,0.0); checkGSLrng(); double x=mu; if(method == "polar") x += gsl_ran_gaussian(GSLrng,sigma); else if(method == "ziggurat") x += gsl_ran_gaussian_ziggurat(GSLrng,sigma); else if(method == "ratio") x += gsl_ran_gaussian_ratio_method(GSLrng,sigma); else error(GSLinvalid); s->push(x); checkGSLerror(); } template void realRealRealRealGSLgaussian(stack *s) { double sigma = pop(s,1.0); double mu = pop(s,0.0); double x = pop(s); s->push(func(x-mu,sigma)); checkGSLerror(); } template void addGSLgaussianrealRealRealRealFunc(symbol name, symbol arg1) { addFunc(GSLModule->e.ve, realRealRealRealGSLgaussian, primReal(), name, formal(primReal(), arg1), formal(primReal(), SYM(mu), true, false), formal(primReal(), SYM(sigma), true, false)); } template void realRealRealRealGSLinvgaussian(stack *s) { double sigma = pop(s,1.0); double mu = pop(s,0.0); double x = pop(s); s->push(func(x,sigma)+mu); checkGSLerror(); } template void addGSLinvgaussianrealRealRealRealFunc(symbol name, symbol arg1) { addFunc(GSLModule->e.ve, realRealRealRealGSLinvgaussian, primReal(), name, formal(primReal(), arg1), formal(primReal(), SYM(mu), true, false), formal(primReal(), SYM(sigma), true, false)); } void GSLrng_bivariate_gaussian(stack *s) { double rho = pop(s,0.0); pair sigma = pop(s,pair(1.0,1.0)); pair mu = pop(s,pair(0.0,0.0)); checkGSLrng(); double x,y; gsl_ran_bivariate_gaussian(GSLrng,sigma.getx(),sigma.gety(),rho,&x,&y); s->push(pair(x,y)+mu); checkGSLerror(); } void GSLpdf_bivariate_gaussian(stack *s) { double rho = pop(s,0.0); pair sigma = pop(s,pair(1.0,1.0)); pair mu = pop(s,pair(0.0,0.0)); pair z = pop(s); s->push(gsl_ran_bivariate_gaussian_pdf(z.getx()+mu.getx(),z.gety()+mu.gety(), sigma.getx(),sigma.gety(),rho)); checkGSLerror(); } void GSLrng_levy(stack *s) { double beta = pop(s,0.0); double alpha = pop(s); double c = pop(s); if((alpha<=0) || (alpha>2)) error(GSLinvalid); if((beta<-1) || (beta>1)) error(GSLinvalid); checkGSLrng(); double x; if(beta==0) x=gsl_ran_levy(GSLrng,c,alpha); else x=gsl_ran_levy_skew(GSLrng,c,alpha,beta); s->push(x); checkGSLerror(); } void GSLrng_gamma(stack *s) { string method = pop(s,string("mt")); double b = pop(s); double a = pop(s); checkGSLrng(); double x=0.0; if(method == "mt") x = gsl_ran_gamma(GSLrng,a,b); else if(method == "knuth") x = gsl_ran_gamma_knuth(GSLrng,a,b); else error(GSLinvalid); s->push(x); checkGSLerror(); } void GSLrng_dir2d(stack *s) { string method = pop(s,string("neumann")); checkGSLrng(); double x=0, y=0; if(method == "neumann") gsl_ran_dir_2d(GSLrng,&x,&y); else if(method == "trig") gsl_ran_dir_2d_trig_method(GSLrng,&x,&y); else error(GSLinvalid); s->push(pair(x,y)); checkGSLerror(); } void GSLrng_dir3d(stack *s) { checkGSLrng(); double x,y,z; gsl_ran_dir_3d(GSLrng,&x,&y,&z); s->push(triple(x,y,z)); checkGSLerror(); } void GSLrng_dir(stack *s) { size_t n = (size_t) unsignedcast(pop(s)); if(n==0) error(GSLinvalid); checkGSLrng(); double* p = new double[n]; gsl_ran_dir_nd(GSLrng,n,p); s->push(copyCArray(n,p)); delete[] p; checkGSLerror(); } void GSLrng_dirichlet(stack *s) { array* alpha = pop(s); size_t K = checkArray(alpha); checkGSLrng(); double* calpha; copyArrayC(calpha,alpha); double* ctheta = new double[K]; gsl_ran_dirichlet(GSLrng,K,calpha,ctheta); s->push(copyCArray(K,ctheta)); delete[] ctheta; delete[] calpha; checkGSLerror(); } void GSLpdf_dirichlet(stack *s) { array* theta = pop(s); array* alpha = pop(s); size_t K = checkArray(alpha); if(checkArray(theta) != K) error(GSLinvalid); double* calpha; copyArrayC(calpha,alpha); double* ctheta; copyArrayC(ctheta,theta); s->push(gsl_ran_dirichlet_pdf(K,calpha,ctheta)); delete[] ctheta; delete[] calpha; checkGSLerror(); } void GSLrng_multinomial(stack *s) { array* p = pop(s); unsigned int N = unsignedcast(pop(s)); size_t K = checkArray(p); checkGSLrng(); double* cp; copyArrayC(cp,p); unsigned int* cn = new unsigned int[K]; gsl_ran_multinomial(GSLrng,K,N,cp,cn); s->push(copyCArray(K,cn)); delete[] cn; delete[] cp; checkGSLerror(); } void GSLpdf_multinomial(stack *s) { array* n = pop(s); array* p = pop(s); size_t K = checkArray(p); if(K != checkArray(n)) error(GSLinvalid); double* cp; copyArrayC(cp,p); unsigned int* cn; copyArrayC(cn,n,unsignedcast); s->push(gsl_ran_multinomial_pdf(K,cp,cn)); delete[] cn; delete[] cp; checkGSLerror(); } void GSLsf_elljac_e(stack *s) { double m = pop(s); double u = pop(s); double sn,cn,dn; gsl_sf_elljac_e(u,m,&sn,&cn,&dn); array *result=new array(3); (*result)[0]=sn; (*result)[1]=cn; (*result)[2]=dn; s->push(result); } // Handle GSL errors gracefully. void GSLerrorhandler(const char *reason, const char *, int, int) { if(!GSLerror) { vm::errornothrow(reason); GSLerror=true; } } void gen_rungsl_venv(venv &ve) { GSLModule=new types::dummyRecord(SYM(gsl)); gsl_set_error_handler(GSLerrorhandler); // Common functions addGSLRealRealFunc(SYM(hypot),SYM(x),SYM(y)); // addGSLRealRealRealFunc(SYM(hypot),SYM(x),SYM(y),SYM(z)); addGSLRealRealRealFuncInt(SYM(fcmp),SYM(x),SYM(y),SYM(epsilon)); // Airy functions addGSLDOUBLEFunc(SYM(Ai)); addGSLDOUBLEFunc(SYM(Bi)); addGSLDOUBLEFunc(SYM(Ai_scaled)); addGSLDOUBLEFunc(SYM(Bi_scaled)); addGSLDOUBLEFunc(SYM(Ai_deriv)); addGSLDOUBLEFunc(SYM(Bi_deriv)); addGSLDOUBLEFunc(SYM(Ai_deriv_scaled)); addGSLDOUBLEFunc(SYM(Bi_deriv_scaled)); addGSLIntFunc(SYM(zero_Ai)); addGSLIntFunc(SYM(zero_Bi)); addGSLIntFunc(SYM(zero_Ai_deriv)); addGSLIntFunc(SYM(zero_Bi_deriv)); // Bessel functions addGSLRealFunc(SYM(J0)); addGSLRealFunc(SYM(J1)); addGSLIntRealFunc(SYM(Jn)); addGSLRealFunc(SYM(Y0)); addGSLRealFunc(SYM(Y1)); addGSLIntRealFunc(SYM(Yn)); addGSLRealFunc(SYM(I0)); addGSLRealFunc(SYM(I1)); addGSLIntRealFunc(SYM(I)); addGSLRealFunc(SYM(I0_scaled)); addGSLRealFunc(SYM(I1_scaled)); addGSLIntRealFunc(SYM(I_scaled)); addGSLRealFunc(SYM(K0)); addGSLRealFunc(SYM(K1)); addGSLIntRealFunc(SYM(K)); addGSLRealFunc(SYM(K0_scaled)); addGSLRealFunc(SYM(K1_scaled)); addGSLIntRealFunc(SYM(K_scaled)); addGSLRealFunc(SYM(j0)); addGSLRealFunc(SYM(j1)); addGSLRealFunc(SYM(j2)); addGSLIntRealFunc(SYM(j),SYM(l)); addGSLRealFunc(SYM(y0)); addGSLRealFunc(SYM(y1)); addGSLRealFunc(SYM(y2)); addGSLIntRealFunc(SYM(y),SYM(l)); addGSLRealFunc(SYM(i0_scaled)); addGSLRealFunc(SYM(i1_scaled)); addGSLRealFunc(SYM(i2_scaled)); addGSLIntRealFunc(SYM(i_scaled),SYM(l)); addGSLRealFunc(SYM(k0_scaled)); addGSLRealFunc(SYM(k1_scaled)); addGSLRealFunc(SYM(k2_scaled)); addGSLIntRealFunc(SYM(k_scaled),SYM(l)); addGSLRealRealFunc(SYM(J)); addGSLRealRealFunc(SYM(Y)); addGSLRealRealFunc(SYM(I)); addGSLRealRealFunc(SYM(I_scaled)); addGSLRealRealFunc(SYM(K)); addGSLRealRealFunc(SYM(lnK)); addGSLRealRealFunc(SYM(K_scaled)); addGSLIntFunc(SYM(zero_J0)); addGSLIntFunc(SYM(zero_J1)); addGSLRealIntFunc(SYM(zero_J)); // Clausen functions addGSLRealFunc(SYM(clausen)); // Coulomb functions addGSLRealRealFunc(SYM(hydrogenicR_1),SYM(Z),SYM(r)); addGSLIntIntRealRealFunc(SYM(hydrogenicR),SYM(n),SYM(l), SYM(Z),SYM(r)); // Missing: F_L(eta,x), G_L(eta,x), C_L(eta) // Coupling coefficients addGSLIntIntIntIntIntIntFunc(SYM(coupling_3j),SYM(two_ja), SYM(two_jb),SYM(two_jc), SYM(two_ma), SYM(two_mb),SYM(two_mc)); addGSLIntIntIntIntIntIntFunc(SYM(coupling_6j),SYM(two_ja), SYM(two_jb),SYM(two_jc), SYM(two_jd), SYM(two_je),SYM(two_jf)); addGSLIntIntIntIntIntIntIntIntIntFunc(SYM(coupling_9j), SYM(two_ja), SYM(two_jb), SYM(two_jc), SYM(two_jd), SYM(two_je), SYM(two_jf), SYM(two_jg), SYM(two_jh), SYM(two_ji)); // Dawson function addGSLRealFunc(SYM(dawson)); // Debye functions addGSLRealFunc(SYM(debye_1)); addGSLRealFunc(SYM(debye_2)); addGSLRealFunc(SYM(debye_3)); addGSLRealFunc(SYM(debye_4)); addGSLRealFunc(SYM(debye_5)); addGSLRealFunc(SYM(debye_6)); // Dilogarithm addGSLRealFunc(SYM(dilog)); // Missing: complex dilogarithm // Elementary operations // we don't support errors at the moment // Elliptic integrals addGSLDOUBLEFunc(SYM(K),SYM(k)); addGSLDOUBLEFunc(SYM(E),SYM(k)); addGSLDOUBLE2Func(SYM(P),SYM(k),SYM(n)); addGSLDOUBLE2Func(SYM(F)); addGSLDOUBLE2Func(SYM(E)); addGSLDOUBLE3Func(SYM(P),SYM(phi),SYM(k),SYM(n)); #if GSL_MAJOR_VERSION >= 2 addGSLDOUBLE2Func(SYM(D),SYM(phi),SYM(k)); #else addGSLDOUBLE3Func(SYM(D),SYM(phi),SYM(k),SYM(n)); #endif addGSLDOUBLE2Func(SYM(RC),SYM(x),SYM(y)); addGSLDOUBLE3Func(SYM(RD),SYM(x),SYM(y),SYM(z)); addGSLDOUBLE3Func(SYM(RF),SYM(x),SYM(y),SYM(z)); addGSLDOUBLE4Func(SYM(RJ),SYM(x),SYM(y),SYM(z),SYM(p)); // Error functions addGSLRealFunc(SYM(erf)); addGSLRealFunc(SYM(erfc)); addGSLRealFunc(SYM(log_erfc)); addGSLRealFunc(SYM(erf_Z)); addGSLRealFunc(SYM(erf_Q)); addGSLRealFunc(SYM(hazard)); // Exponential functions addGSLRealRealFunc(SYM(exp_mult),SYM(x),SYM(y)); // addGSLRealFunc(SYM(expm1)); addGSLRealFunc(SYM(exprel)); addGSLRealFunc(SYM(exprel_2)); addGSLIntRealFunc(SYM(exprel),SYM(n),SYM(x)); // Exponential integrals addGSLRealFunc(SYM(E1)); addGSLRealFunc(SYM(E2)); // addGSLIntRealFunc(SYM(En),SYM(n),SYM(x)); addGSLRealFunc(SYM(Ei)); addGSLRealFunc(SYM(Shi)); addGSLRealFunc(SYM(Chi)); addGSLRealFunc(SYM(Ei3)); addGSLRealFunc(SYM(Si)); addGSLRealFunc(SYM(Ci)); addGSLRealFunc(SYM(atanint)); // Fermi--Dirac function addGSLRealFunc(SYM(FermiDiracM1)); addGSLRealFunc(SYM(FermiDirac0)); addGSLRealFunc(SYM(FermiDirac1)); addGSLRealFunc(SYM(FermiDirac2)); addGSLIntRealFunc(SYM(FermiDirac),SYM(j),SYM(x)); addGSLRealFunc(SYM(FermiDiracMHalf)); addGSLRealFunc(SYM(FermiDiracHalf)); addGSLRealFunc(SYM(FermiDirac3Half)); addGSLRealRealFunc(SYM(FermiDiracInc0),SYM(x), SYM(b)); // Gamma and beta functions addGSLRealFunc(SYM(gamma)); addGSLRealFunc(SYM(lngamma)); addGSLRealFunc(SYM(gammastar)); addGSLRealFunc(SYM(gammainv)); addGSLIntFunc(SYM(fact)); addGSLIntFunc(SYM(doublefact)); addGSLIntFunc(SYM(lnfact)); addGSLIntFunc(SYM(lndoublefact)); addGSLUnsignedUnsignedFunc(SYM(choose),SYM(n),SYM(m)); addGSLUnsignedUnsignedFunc(SYM(lnchoose),SYM(n),SYM(m)); addGSLIntRealFunc(SYM(taylorcoeff),SYM(n),SYM(x)); addGSLRealRealFunc(SYM(poch),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(lnpoch),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(pochrel),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(gamma),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(gamma_Q),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(gamma_P),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(beta),SYM(a),SYM(b)); addGSLRealRealFunc(SYM(lnbeta),SYM(a),SYM(b)); addGSLRealRealRealFunc(SYM(beta),SYM(a),SYM(b),SYM(x)); // Gegenbauer functions addGSLRealRealFunc(SYM(gegenpoly_1),SYM(lambda),SYM(x)); addGSLRealRealFunc(SYM(gegenpoly_2),SYM(lambda),SYM(x)); addGSLRealRealFunc(SYM(gegenpoly_3),SYM(lambda),SYM(x)); addGSLIntRealRealFunc(SYM(gegenpoly),SYM(n),SYM(lambda), SYM(x)); // Hypergeometric functions addGSLRealRealFunc(SYM(hy0F1),SYM(c),SYM(x)); addGSLIntIntRealFunc(SYM(hy1F1),SYM(m),SYM(n),SYM(x)); addGSLRealRealRealFunc(SYM(hy1F1),SYM(a),SYM(b),SYM(x)); addGSLIntIntRealFunc(SYM(U),SYM(m),SYM(n),SYM(x)); addGSLRealRealRealFunc(SYM(U),SYM(a),SYM(b),SYM(x)); addGSLRealRealRealRealFunc(SYM(hy2F1),SYM(a),SYM(b),SYM(c), SYM(x)); addGSLRealRealRealRealFunc(SYM(hy2F1_conj),SYM(aR), SYM(aI),SYM(c),SYM(x)); addGSLRealRealRealRealFunc(SYM(hy2F1_renorm),SYM(a), SYM(b),SYM(c),SYM(x)); addGSLRealRealRealRealFunc (SYM(hy2F1_conj_renorm),SYM(aR),SYM(aI),SYM(c),SYM(x)); addGSLRealRealRealFunc(SYM(hy2F0),SYM(a),SYM(b),SYM(x)); // Laguerre functions addGSLRealRealFunc(SYM(L1),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(L2),SYM(a),SYM(x)); addGSLRealRealFunc(SYM(L3),SYM(a),SYM(x)); addGSLIntRealRealFunc(SYM(L),SYM(n),SYM(a),SYM(x)); // Lambert W functions addGSLRealFunc(SYM(W0)); addGSLRealFunc(SYM(Wm1)); // Legendre functions and spherical harmonics addGSLRealFunc(SYM(P1)); addGSLRealFunc(SYM(P2)); addGSLRealFunc(SYM(P3)); addGSLIntRealFunc(SYM(Pl),SYM(l)); addGSLRealFunc(SYM(Q0)); addGSLRealFunc(SYM(Q1)); addGSLIntRealFunc(SYM(Ql),SYM(l)); addGSLIntIntRealFunc(SYM(Plm),SYM(l),SYM(m),SYM(x)); addGSLIntIntRealFunc(SYM(sphPlm),SYM(l),SYM(m), SYM(x)); addGSLRealRealFunc(SYM(conicalP_half),SYM(lambda), SYM(x)); addGSLRealRealFunc(SYM(conicalP_mhalf),SYM(lambda), SYM(x)); addGSLRealRealFunc(SYM(conicalP_0),SYM(lambda),SYM(x)); addGSLRealRealFunc(SYM(conicalP_1),SYM(lambda),SYM(x)); addGSLIntRealRealFunc(SYM(conicalP_sph_reg),SYM(l), SYM(lambda),SYM(x)); addGSLIntRealRealFunc(SYM(conicalP_cyl_reg),SYM(m), SYM(lambda),SYM(x)); addGSLRealRealFunc(SYM(H3d0),SYM(lambda),SYM(eta)); addGSLRealRealFunc(SYM(H3d1),SYM(lambda),SYM(eta)); addGSLIntRealRealFunc(SYM(H3d),SYM(l),SYM(lambda), SYM(eta)); // Logarithm and related functions addGSLRealFunc(SYM(logabs)); // addGSLRealFunc(SYM(log1p)); addGSLRealFunc(SYM(log1pm)); // Matthieu functions // to be implemented // Power function addGSLRealSignedFunc(SYM(pow),SYM(x),SYM(n)); // Psi (digamma) function addGSLSignedFunc(SYM(psi),SYM(n)); addGSLRealFunc(SYM(psi)); addGSLRealFunc(SYM(psi_1piy),SYM(y)); addGSLSignedFunc(SYM(psi1),SYM(n)); addGSLRealFunc(SYM(psi1),SYM(x)); addGSLIntRealFunc(SYM(psi),SYM(n),SYM(x)); // Synchrotron functions addGSLRealFunc(SYM(synchrotron_1)); addGSLRealFunc(SYM(synchrotron_2)); // Transport functions addGSLRealFunc(SYM(transport_2)); addGSLRealFunc(SYM(transport_3)); addGSLRealFunc(SYM(transport_4)); addGSLRealFunc(SYM(transport_5)); // Trigonometric functions addGSLRealFunc(SYM(sinc)); addGSLRealFunc(SYM(lnsinh)); addGSLRealFunc(SYM(lncosh)); // Zeta functions addGSLSignedFunc(SYM(zeta),SYM(n)); addGSLRealFunc(SYM(zeta),SYM(s)); addGSLSignedFunc(SYM(zetam1),SYM(n)); addGSLRealFunc(SYM(zetam1),SYM(s)); addGSLRealRealFunc(SYM(hzeta),SYM(s),SYM(q)); addGSLSignedFunc(SYM(eta),SYM(n)); addGSLRealFunc(SYM(eta),SYM(s)); // Random number generation gsl_rng_env_setup(); addFunc(GSLModule->e.ve,GSLrngInit,primVoid(),SYM(rng_init), formal(primString(),SYM(name),true,false)); addFunc(GSLModule->e.ve,GSLrngList,stringArray(),SYM(rng_list)); addFunc(GSLModule->e.ve,GSLrngSet,primVoid(),SYM(rng_set), formal(primInt(),SYM(seed),true,false)); addGSLrngVoidFuncString(SYM(rng_name)); addGSLrngVoidFuncInt(SYM(rng_min)); addGSLrngVoidFuncInt(SYM(rng_max)); addGSLrngVoidFuncInt(SYM(rng_get)); addGSLrngULongFuncInt(SYM(rng_uniform_int),SYM(n)); addGSLrngVoidFunc(SYM(rng_uniform)); addGSLrngVoidFunc(SYM(rng_uniform_pos)); // Gaussian distribution addFunc(GSLModule->e.ve,GSLrng_gaussian,primReal(),SYM(rng_gaussian), formal(primReal(),SYM(mu),true,false), formal(primReal(),SYM(sigma),true,false), formal(primString(),SYM(method),true,false)); addGSLgaussianrealRealRealRealFunc(SYM(pdf_gaussian), SYM(x)); addGSLgaussianrealRealRealRealFunc(SYM(cdf_gaussian_P), SYM(x)); addGSLgaussianrealRealRealRealFunc(SYM(cdf_gaussian_Q), SYM(x)); addGSLinvgaussianrealRealRealRealFunc (SYM(cdf_gaussian_Pinv),SYM(x)); addGSLinvgaussianrealRealRealRealFunc (SYM(cdf_gaussian_Qinv),SYM(x)); // Gaussian tail distribution addGSLrngRealRealFunc(SYM(rng_gaussian_tail),SYM(a), SYM(sigma)); addGSLRealRealRealFunc(SYM(pdf_gaussian_tail), SYM(x),SYM(a),SYM(sigma)); // Bivariate Gaussian distribution addFunc(GSLModule->e.ve,GSLrng_bivariate_gaussian,primPair(), SYM(rng_bivariate_gaussian), formal(primPair(),SYM(mu),true,true), formal(primPair(),SYM(sigma),true,true), formal(primReal(),SYM(rho),true,false)); addFunc(GSLModule->e.ve,GSLpdf_bivariate_gaussian,primReal(), SYM(pdf_bivariate_gaussian), formal(primPair(),SYM(z),false,true), formal(primPair(),SYM(mu),true,true), formal(primPair(),SYM(sigma),true,true), formal(primReal(),SYM(rho),true,false)); #define addGSLrealdist1param(NAME,ARG) \ addGSLrngRealFunc \ (SYM(rng_##NAME),SYM(ARG)); \ addGSLRealRealFunc \ (SYM(pdf_##NAME),SYM(x),SYM(ARG)); \ addGSLRealRealFunc \ (SYM(cdf_##NAME##_P),SYM(x),SYM(ARG)); \ addGSLRealRealFunc \ (SYM(cdf_##NAME##_Q),SYM(x),SYM(ARG)); \ addGSLRealRealFunc \ (SYM(cdf_##NAME##_Pinv),SYM(P),SYM(ARG)); \ addGSLRealRealFunc \ (SYM(cdf_##NAME##_Qinv),SYM(Q),SYM(ARG)) // Exponential, Laplace, Cauchy, Rayleigh, Chi-squared, t, // and Logistic distribution addGSLrealdist1param(exponential,mu); addGSLrealdist1param(laplace,a); addGSLrealdist1param(cauchy,a); addGSLrealdist1param(rayleigh,mu); addGSLrealdist1param(chisq,mu); addGSLrealdist1param(tdist,mu); addGSLrealdist1param(logistic,mu); #undef addGSLrealdist1param #define addGSLrealdist2param(NAME,ARG1,ARG2) \ addGSLrngRealRealFunc \ (SYM(rng_##NAME),SYM(ARG1),SYM(ARG2)); \ addGSLRealRealRealFunc \ (SYM(pdf_##NAME),SYM(x),SYM(ARG1),SYM(ARG2)); \ addGSLRealRealRealFunc \ (SYM(cdf_##NAME##_P),SYM(x),SYM(ARG1),SYM(ARG2)); \ addGSLRealRealRealFunc \ (SYM(cdf_##NAME##_Q),SYM(x),SYM(ARG1),SYM(ARG2)); \ addGSLRealRealRealFunc \ (SYM(cdf_##NAME##_Pinv),SYM(P),SYM(ARG1),SYM(ARG2)); \ addGSLRealRealRealFunc \ (SYM(cdf_##NAME##_Qinv),SYM(Q),SYM(ARG1),SYM(ARG2)) // Uniform, log-normal, F, Beta, Pareto, Weibull, Type-1 Gumbel, // and Type-2 Gumbel distribution addGSLrealdist2param(flat,a,b); addGSLrealdist2param(lognormal,zeta,sigma); addGSLrealdist2param(fdist,nu1,nu2); addGSLrealdist2param(beta,a,b); addGSLrealdist2param(pareto,a,b); addGSLrealdist2param(weibull,a,b); addGSLrealdist2param(gumbel1,a,b); addGSLrealdist2param(gumbel2,a,b); #undef addGSLrealdist2param // Exponential power distribution addGSLrngRealRealFunc (SYM(rng_exppow),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(pdf_exppow),SYM(x),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(cdf_exppow_P),SYM(x),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(cdf_exppow_Q),SYM(x),SYM(a),SYM(b)); // Exponential power distribution addGSLrngRealRealFunc (SYM(rng_rayleigh_tail),SYM(a),SYM(sigma)); addGSLRealRealRealFunc (SYM(pdf_rayleigh_tail),SYM(x),SYM(a),SYM(sigma)); // Landau distribution addGSLrngVoidFunc(SYM(rng_landau)); addGSLRealFunc(SYM(pdf_landau),SYM(x)); // Levy skwew alpha-stable distribution addFunc(GSLModule->e.ve,GSLrng_levy,primReal(),SYM(rng_levy), formal(primReal(),SYM(c)), formal(primReal(),SYM(alpha)), formal(primReal(),SYM(beta),true,false)); // Gamma distribution addFunc(GSLModule->e.ve,GSLrng_gamma,primReal(),SYM(rng_gamma), formal(primReal(),SYM(a)), formal(primReal(),SYM(b)), formal(primString(),SYM(method),true,false)); addGSLRealRealRealFunc (SYM(pdf_gamma),SYM(x),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(cdf_gamma_P),SYM(x),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(cdf_gamma_Q),SYM(x),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(cdf_gamma_Pinv),SYM(P),SYM(a),SYM(b)); addGSLRealRealRealFunc (SYM(cdf_gamma_Qinv),SYM(Q),SYM(a),SYM(b)); // Sperical distributions addFunc(GSLModule->e.ve,GSLrng_dir2d,primPair(),SYM(rng_dir2d), formal(primString(),SYM(method),true,false)); addFunc(GSLModule->e.ve,GSLrng_dir3d,primTriple(),SYM(rng_dir3d)); addFunc(GSLModule->e.ve,GSLrng_dir,realArray(),SYM(rng_dir), formal(primInt(),SYM(n))); // Elliptic functions (Jacobi) addFunc(GSLModule->e.ve,GSLsf_elljac_e,realArray(),SYM(sncndn), formal(primReal(),SYM(u)),formal(primReal(),SYM(m))); // Dirirchlet distribution addFunc(GSLModule->e.ve,GSLrng_dirichlet,realArray(),SYM(rng_dirichlet), formal(realArray(),SYM(alpha))); addFunc(GSLModule->e.ve,GSLpdf_dirichlet,primReal(),SYM(pdf_dirichlet), formal(realArray(),SYM(alpha)), formal(realArray(),SYM(theta))); // General discrete distributions // to be implemented #define addGSLdiscdist1param(NAME,ARG,TYPE) \ addGSLrng##TYPE##FuncInt \ (SYM(rng_##NAME),SYM(ARG)); \ addGSLUInt##TYPE##Func \ (SYM(pdf_##NAME),SYM(k),SYM(ARG)); \ addGSLUInt##TYPE##Func \ (SYM(cdf_##NAME##_P),SYM(k),SYM(ARG)); \ addGSLUInt##TYPE##Func \ (SYM(cdf_##NAME##_Q),SYM(k),SYM(ARG)) // Poisson, geometric distributions addGSLdiscdist1param(poisson,mu,Real); addGSLdiscdist1param(geometric,p,Real); #undef addGSLdiscdist1param #define addGSLdiscdist2param(NAME,ARG1,TYPE1,ARG2,TYPE2) \ addGSLrng##TYPE1##TYPE2##FuncInt \ (SYM(rng_##NAME),SYM(ARG1),SYM(ARG2)); \ addGSLUInt##TYPE1##TYPE2##Func \ (SYM(pdf_##NAME),SYM(k),SYM(ARG1),SYM(ARG2)); \ addGSLUInt##TYPE1##TYPE2##Func \ (SYM(cdf_##NAME##_P),SYM(k),SYM(ARG1),SYM(ARG2)); \ addGSLUInt##TYPE1##TYPE2##Func \ (SYM(cdf_##NAME##_Q),SYM(k),SYM(ARG1),SYM(ARG2)) // Binomial, negative binomial distributions addGSLdiscdist2param(binomial,p,Real,n,UInt); addGSLdiscdist2param(negative_binomial,p,Real,n,Real); #undef addGSLdiscdist2param // Logarithmic distribution addGSLrngRealFuncInt(SYM(rng_logarithmic),SYM(p)); addGSLUIntRealFunc(SYM(pdf_logarithmic),SYM(k), SYM(p)); // Bernoulli distribution addGSLrngRealFuncInt(SYM(rng_bernoulli),SYM(p)); addGSLUIntRealFunc(SYM(pdf_bernoulli),SYM(k),SYM(p)); // Multinomial distribution addFunc(GSLModule->e.ve,GSLrng_multinomial,IntArray(),SYM(rng_multinomial), formal(primInt(),SYM(n)), formal(realArray(),SYM(p))); addFunc(GSLModule->e.ve,GSLpdf_multinomial,primReal(),SYM(pdf_multinomial), formal(realArray(),SYM(p)), formal(IntArray(),SYM(n))); // Hypergeometric distribution addGSLrngUIntUIntUIntFuncInt (SYM(rng_hypergeometric),SYM(n1),SYM(n2),SYM(t)); addGSLUIntUIntUIntUIntFunc (SYM(pdf_hypergeometric),SYM(k),SYM(n1),SYM(n2),SYM(t)); addGSLUIntUIntUIntUIntFunc (SYM(cdf_hypergeometric_P),SYM(k),SYM(n1),SYM(n2),SYM(t)); addGSLUIntUIntUIntUIntFunc (SYM(cdf_hypergeometric_Q),SYM(k),SYM(n1),SYM(n2),SYM(t)); } } // namespace trans #endif asymptote-2.62/runpair.cc0000644000000000000000000003773413607467143014206 0ustar rootroot/***** Autogenerated from runpair.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runpair.in" /***** * runpair.in * * Runtime functions for pair operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 10 "runpair.in" #include "pair.h" using namespace camp; namespace run { extern pair zero; } pair sin(pair z) { return pair(sin(z.getx())*cosh(z.gety()),cos(z.getx())*sinh(z.gety())); } pair exp(pair z) { return exp(z.getx())*expi(z.gety()); } pair gamma(pair z) { static double p[]={0.99999999999980993,676.5203681218851,-1259.1392167224028, 771.32342877765313,-176.61502916214059,12.507343278686905, -0.13857109526572012,9.9843695780195716e-6, 1.5056327351493116e-7}; static int n=sizeof(p)/sizeof(double); static double root2pi=sqrt(2*PI); if(z.getx() < 0.5) return PI/(sin(PI*z)*gamma(1.0-z)); z -= 1.0; pair x=p[0]; for(int i=1; i < n; ++i) x += p[i]/(z+i); pair t=n-1.5+z; return root2pi*pow(t,z+0.5)*exp(-t)*x; } // Autogenerated routines: #ifndef NOSYM #include "runpair.symbols.h" #endif namespace run { #line 49 "runpair.in" void pairZero(stack *Stack) { #line 50 "runpair.in" {Stack->push(zero); return;} } #line 54 "runpair.in" void realRealToPair(stack *Stack) { real y=vm::pop(Stack); real x=vm::pop(Stack); #line 55 "runpair.in" {Stack->push(pair(x,y)); return;} } #line 59 "runpair.in" void pairNegate(stack *Stack) { pair z=vm::pop(Stack); #line 60 "runpair.in" {Stack->push(-z); return;} } #line 64 "runpair.in" // real xpart(pair z); void pairXPart(stack *Stack) { pair z=vm::pop(Stack); #line 65 "runpair.in" {Stack->push(z.getx()); return;} } #line 69 "runpair.in" // real ypart(pair z); void pairYPart(stack *Stack) { pair z=vm::pop(Stack); #line 70 "runpair.in" {Stack->push(z.gety()); return;} } #line 74 "runpair.in" // real length(pair z); void gen_runpair5(stack *Stack) { pair z=vm::pop(Stack); #line 75 "runpair.in" {Stack->push(z.length()); return;} } #line 79 "runpair.in" // real abs(pair z); void gen_runpair6(stack *Stack) { pair z=vm::pop(Stack); #line 80 "runpair.in" {Stack->push(z.length()); return;} } #line 84 "runpair.in" // pair sqrt(explicit pair z); void gen_runpair7(stack *Stack) { pair z=vm::pop(Stack); #line 85 "runpair.in" {Stack->push(Sqrt(z)); return;} } // Return the angle of z in radians. #line 90 "runpair.in" // real angle(pair z, bool warn=true); void gen_runpair8(stack *Stack) { bool warn=vm::pop(Stack,true); pair z=vm::pop(Stack); #line 91 "runpair.in" if(!warn && z.getx() == 0.0 && z.gety() == 0.0) {Stack->push(0.0); return;} {Stack->push(z.angle()); return;} } // Return the angle of z in degrees in the interval [0,360). #line 97 "runpair.in" // real degrees(pair z, bool warn=true); void gen_runpair9(stack *Stack) { bool warn=vm::pop(Stack,true); pair z=vm::pop(Stack); #line 98 "runpair.in" if(!warn && z.getx() == 0.0 && z.gety() == 0.0) {Stack->push(0.0); return;} {Stack->push(principalBranch(degrees(z.angle()))); return;} } // Convert degrees to radians. #line 104 "runpair.in" // real radians(real degrees); void gen_runpair10(stack *Stack) { real degrees=vm::pop(Stack); #line 105 "runpair.in" {Stack->push(radians(degrees)); return;} } // Convert radians to degrees. #line 110 "runpair.in" // real degrees(real radians); void gen_runpair11(stack *Stack) { real radians=vm::pop(Stack); #line 111 "runpair.in" {Stack->push(degrees(radians)); return;} } // Convert radians to degrees in [0,360). #line 116 "runpair.in" // real Degrees(real radians); void gen_runpair12(stack *Stack) { real radians=vm::pop(Stack); #line 117 "runpair.in" {Stack->push(principalBranch(degrees(radians))); return;} } #line 121 "runpair.in" // real Sin(real deg); void gen_runpair13(stack *Stack) { real deg=vm::pop(Stack); #line 122 "runpair.in" int n=(int) (deg/90.0); if(deg == n*90.0) { int m=n % 4; if(m < 0) m += 4; if(m == 1) {Stack->push(1); return;} if(m == 3) {Stack->push(-1); return;} {Stack->push(0.0); return;} } {Stack->push(sin(radians(deg))); return;} } #line 134 "runpair.in" // real Cos(real deg); void gen_runpair14(stack *Stack) { real deg=vm::pop(Stack); #line 135 "runpair.in" int n=(int) (deg/90.0); if(deg == n*90.0) { int m=n % 4; if(m < 0) m += 4; if(m == 0) {Stack->push(1); return;} if(m == 2) {Stack->push(-1); return;} {Stack->push(0.0); return;} } {Stack->push(cos(radians(deg))); return;} } #line 147 "runpair.in" // real Tan(real deg); void gen_runpair15(stack *Stack) { real deg=vm::pop(Stack); #line 148 "runpair.in" int n=(int) (deg/90.0); if(deg == n*90.0) { int m=n % 4; if(m < 0) m += 4; if(m == 1) {Stack->push(HUGE_VAL); return;} if(m == 3) {Stack->push(-HUGE_VAL); return;} {Stack->push(0.0); return;} } {Stack->push(tan(radians(deg))); return;} } #line 160 "runpair.in" // real aSin(real x); void gen_runpair16(stack *Stack) { real x=vm::pop(Stack); #line 161 "runpair.in" {Stack->push(degrees(asin(x))); return;} } #line 165 "runpair.in" // real aCos(real x); void gen_runpair17(stack *Stack) { real x=vm::pop(Stack); #line 166 "runpair.in" {Stack->push(degrees(acos(x))); return;} } #line 170 "runpair.in" // real aTan(real x); void gen_runpair18(stack *Stack) { real x=vm::pop(Stack); #line 171 "runpair.in" {Stack->push(degrees(atan(x))); return;} } #line 175 "runpair.in" // pair unit(pair z); void gen_runpair19(stack *Stack) { pair z=vm::pop(Stack); #line 176 "runpair.in" {Stack->push(unit(z)); return;} } #line 180 "runpair.in" // pair dir(real degrees); void gen_runpair20(stack *Stack) { real degrees=vm::pop(Stack); #line 181 "runpair.in" {Stack->push(expi(radians(degrees))); return;} } #line 185 "runpair.in" // pair dir(explicit pair z); void gen_runpair21(stack *Stack) { pair z=vm::pop(Stack); #line 186 "runpair.in" {Stack->push(unit(z)); return;} } #line 190 "runpair.in" // pair expi(real angle); void gen_runpair22(stack *Stack) { real angle=vm::pop(Stack); #line 191 "runpair.in" {Stack->push(expi(angle)); return;} } #line 195 "runpair.in" // pair exp(explicit pair z); void gen_runpair23(stack *Stack) { pair z=vm::pop(Stack); #line 196 "runpair.in" {Stack->push(exp(z)); return;} } #line 200 "runpair.in" // pair log(explicit pair z); void gen_runpair24(stack *Stack) { pair z=vm::pop(Stack); #line 201 "runpair.in" {Stack->push(pair(log(z.length()),z.angle())); return;} } #line 205 "runpair.in" // pair sin(explicit pair z); void gen_runpair25(stack *Stack) { pair z=vm::pop(Stack); #line 206 "runpair.in" {Stack->push(sin(z)); return;} } #line 210 "runpair.in" // pair cos(explicit pair z); void gen_runpair26(stack *Stack) { pair z=vm::pop(Stack); #line 211 "runpair.in" {Stack->push(pair(cos(z.getx())*cosh(z.gety()),-sin(z.getx())*sinh(z.gety()))); return;} } // Complex Gamma function #line 216 "runpair.in" // pair gamma(explicit pair z); void gen_runpair27(stack *Stack) { pair z=vm::pop(Stack); #line 217 "runpair.in" {Stack->push(gamma(z)); return;} } #line 221 "runpair.in" // pair conj(pair z); void gen_runpair28(stack *Stack) { pair z=vm::pop(Stack); #line 222 "runpair.in" {Stack->push(conj(z)); return;} } #line 226 "runpair.in" // pair realmult(pair z, pair w); void gen_runpair29(stack *Stack) { pair w=vm::pop(Stack); pair z=vm::pop(Stack); #line 227 "runpair.in" {Stack->push(pair(z.getx()*w.getx(),z.gety()*w.gety())); return;} } // To avoid confusion, a dot product requires explicit pair arguments. #line 232 "runpair.in" // real dot(explicit pair z, explicit pair w); void gen_runpair30(stack *Stack) { pair w=vm::pop(Stack); pair z=vm::pop(Stack); #line 233 "runpair.in" {Stack->push(dot(z,w)); return;} } // Return the 2D scalar cross product z.x*w.y-z.y*w.x. #line 238 "runpair.in" // real cross(explicit pair z, explicit pair w); void gen_runpair31(stack *Stack) { pair w=vm::pop(Stack); pair z=vm::pop(Stack); #line 239 "runpair.in" {Stack->push(cross(z,w)); return;} } #line 243 "runpair.in" // pair bezier(pair a, pair b, pair c, pair d, real t); void gen_runpair32(stack *Stack) { real t=vm::pop(Stack); pair d=vm::pop(Stack); pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 244 "runpair.in" real onemt=1-t; real onemt2=onemt*onemt; {Stack->push(onemt2*onemt*a+t*(3.0*(onemt2*b+t*onemt*c)+t*t*d)); return;} } #line 250 "runpair.in" // pair bezierP(pair a, pair b, pair c, pair d, real t); void gen_runpair33(stack *Stack) { real t=vm::pop(Stack); pair d=vm::pop(Stack); pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 251 "runpair.in" {Stack->push(3.0*(t*t*(d-a+3.0*(b-c))+t*(2.0*(a+c)-4.0*b)+b-a)); return;} } #line 255 "runpair.in" // pair bezierPP(pair a, pair b, pair c, pair d, real t); void gen_runpair34(stack *Stack) { real t=vm::pop(Stack); pair d=vm::pop(Stack); pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 256 "runpair.in" {Stack->push(6.0*(t*(d-a+3.0*(b-c))+a+c-2.0*b)); return;} } #line 260 "runpair.in" // pair bezierPPP(pair a, pair b, pair c, pair d); void gen_runpair35(stack *Stack) { pair d=vm::pop(Stack); pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 261 "runpair.in" {Stack->push(6.0*(d-a+3.0*(b-c))); return;} } } // namespace run namespace trans { void gen_runpair_venv(venv &ve) { #line 49 "runpair.in" REGISTER_BLTIN(run::pairZero,"pairZero"); #line 54 "runpair.in" REGISTER_BLTIN(run::realRealToPair,"realRealToPair"); #line 59 "runpair.in" REGISTER_BLTIN(run::pairNegate,"pairNegate"); #line 64 "runpair.in" addFunc(ve, run::pairXPart, primReal(), SYM(xpart), formal(primPair(), SYM(z), false, false)); #line 69 "runpair.in" addFunc(ve, run::pairYPart, primReal(), SYM(ypart), formal(primPair(), SYM(z), false, false)); #line 74 "runpair.in" addFunc(ve, run::gen_runpair5, primReal(), SYM(length), formal(primPair(), SYM(z), false, false)); #line 79 "runpair.in" addFunc(ve, run::gen_runpair6, primReal(), SYM(abs), formal(primPair(), SYM(z), false, false)); #line 84 "runpair.in" addFunc(ve, run::gen_runpair7, primPair(), SYM(sqrt), formal(primPair(), SYM(z), false, true)); #line 89 "runpair.in" addFunc(ve, run::gen_runpair8, primReal(), SYM(angle), formal(primPair(), SYM(z), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 96 "runpair.in" addFunc(ve, run::gen_runpair9, primReal(), SYM(degrees), formal(primPair(), SYM(z), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 103 "runpair.in" addFunc(ve, run::gen_runpair10, primReal(), SYM(radians), formal(primReal(), SYM(degrees), false, false)); #line 109 "runpair.in" addFunc(ve, run::gen_runpair11, primReal(), SYM(degrees), formal(primReal(), SYM(radians), false, false)); #line 115 "runpair.in" addFunc(ve, run::gen_runpair12, primReal(), SYM(Degrees), formal(primReal(), SYM(radians), false, false)); #line 121 "runpair.in" addFunc(ve, run::gen_runpair13, primReal(), SYM(Sin), formal(primReal(), SYM(deg), false, false)); #line 134 "runpair.in" addFunc(ve, run::gen_runpair14, primReal(), SYM(Cos), formal(primReal(), SYM(deg), false, false)); #line 147 "runpair.in" addFunc(ve, run::gen_runpair15, primReal(), SYM(Tan), formal(primReal(), SYM(deg), false, false)); #line 160 "runpair.in" addFunc(ve, run::gen_runpair16, primReal(), SYM(aSin), formal(primReal(), SYM(x), false, false)); #line 165 "runpair.in" addFunc(ve, run::gen_runpair17, primReal(), SYM(aCos), formal(primReal(), SYM(x), false, false)); #line 170 "runpair.in" addFunc(ve, run::gen_runpair18, primReal(), SYM(aTan), formal(primReal(), SYM(x), false, false)); #line 175 "runpair.in" addFunc(ve, run::gen_runpair19, primPair(), SYM(unit), formal(primPair(), SYM(z), false, false)); #line 180 "runpair.in" addFunc(ve, run::gen_runpair20, primPair(), SYM(dir), formal(primReal(), SYM(degrees), false, false)); #line 185 "runpair.in" addFunc(ve, run::gen_runpair21, primPair(), SYM(dir), formal(primPair(), SYM(z), false, true)); #line 190 "runpair.in" addFunc(ve, run::gen_runpair22, primPair(), SYM(expi), formal(primReal(), SYM(angle), false, false)); #line 195 "runpair.in" addFunc(ve, run::gen_runpair23, primPair(), SYM(exp), formal(primPair(), SYM(z), false, true)); #line 200 "runpair.in" addFunc(ve, run::gen_runpair24, primPair(), SYM(log), formal(primPair(), SYM(z), false, true)); #line 205 "runpair.in" addFunc(ve, run::gen_runpair25, primPair(), SYM(sin), formal(primPair(), SYM(z), false, true)); #line 210 "runpair.in" addFunc(ve, run::gen_runpair26, primPair(), SYM(cos), formal(primPair(), SYM(z), false, true)); #line 215 "runpair.in" addFunc(ve, run::gen_runpair27, primPair(), SYM(gamma), formal(primPair(), SYM(z), false, true)); #line 221 "runpair.in" addFunc(ve, run::gen_runpair28, primPair(), SYM(conj), formal(primPair(), SYM(z), false, false)); #line 226 "runpair.in" addFunc(ve, run::gen_runpair29, primPair(), SYM(realmult), formal(primPair(), SYM(z), false, false), formal(primPair(), SYM(w), false, false)); #line 231 "runpair.in" addFunc(ve, run::gen_runpair30, primReal(), SYM(dot), formal(primPair(), SYM(z), false, true), formal(primPair(), SYM(w), false, true)); #line 237 "runpair.in" addFunc(ve, run::gen_runpair31, primReal(), SYM(cross), formal(primPair(), SYM(z), false, true), formal(primPair(), SYM(w), false, true)); #line 243 "runpair.in" addFunc(ve, run::gen_runpair32, primPair(), SYM(bezier), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false), formal(primPair(), SYM(c), false, false), formal(primPair(), SYM(d), false, false), formal(primReal(), SYM(t), false, false)); #line 250 "runpair.in" addFunc(ve, run::gen_runpair33, primPair(), SYM(bezierP), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false), formal(primPair(), SYM(c), false, false), formal(primPair(), SYM(d), false, false), formal(primReal(), SYM(t), false, false)); #line 255 "runpair.in" addFunc(ve, run::gen_runpair34, primPair(), SYM(bezierPP), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false), formal(primPair(), SYM(c), false, false), formal(primPair(), SYM(d), false, false), formal(primReal(), SYM(t), false, false)); #line 260 "runpair.in" addFunc(ve, run::gen_runpair35, primPair(), SYM(bezierPPP), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false), formal(primPair(), SYM(c), false, false), formal(primPair(), SYM(d), false, false)); } } // namespace trans asymptote-2.62/runhistory.h0000644000000000000000000000024113607467143014575 0ustar rootroot/***** Autogenerated from runhistory.in; changes will be overwritten *****/ #ifndef runhistory_H #define runhistory_H namespace run { } #endif // runhistory_H asymptote-2.62/guideflags.h0000644000000000000000000000045213607467113014462 0ustar rootroot/***** * guideflags.h * Tom Prince 2004/5/12 * * These flags are used to indicate what specifications of the join are * put on the stack. *****/ #ifndef GUIDEFLAGS_H #define GUIDEFLAGS_H namespace camp { #undef OUT #undef IN enum side { OUT, IN, END, JOIN }; } #endif //GUIDEFLAGS_H asymptote-2.62/interact.cc0000644000000000000000000001160213607467113014316 0ustar rootroot/***** * interact.cc * * The glue between the lexical analyzer and the readline library. *****/ #include #include #include #include #include #include #include #include #include #include #include "interact.h" #include "runhistory.h" #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) #include #include #endif #include "util.h" #include "errormsg.h" using namespace settings; namespace run { void init_readline(bool); } namespace interact { bool interactive=false; bool uptodate=true; int lines=0; bool query=false; bool tty=isatty(STDIN_FILENO); completer *currentCompleter=0; void setCompleter(completer *c) { currentCompleter=c; } char *call_completer(const char *text, int state) { return currentCompleter ? (*currentCompleter)(text, state) : 0; } #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) void init_completion() { rl_completion_entry_function=call_completer; rl_completion_append_character='\0'; // Don't add a space after a match. /* // Build a string containing all characters that separate words to be // completed. All characters that can't form part of an identifier are // treated as break characters. static char break_characters[128]; Int j=0; for (unsigned char c=9; c < 128; ++c) if (!isalnum(c) && c != '_') { break_characters[j]=c; ++j; } break_characters[j]='\0'; rl_completer_word_break_characters=break_characters; */ } #endif char *(*Readline)(const char *prompt); char *readverbatimline(const char *prompt) { if(!cin.good()) {cin.clear(); return NULL;} cout << prompt; string s; getline(cin,s); return StrdupMalloc(s); } FILE *fin=NULL; char *readpipeline(const char *prompt) { #if _POSIX_VERSION >= 200809L char *line=NULL; size_t n=0; return getline(&line,&n,fin) >= 0 ? line : NULL; #else const int max_size=256; static char buf[max_size]; ostringstream s; do { if(fgets(buf,max_size-1,fin) == NULL) break; s << buf; } while(buf[std::strlen(buf)-1] != '\n'); return StrdupMalloc(s.str()); #endif } void pre_readline() { int fd=intcast(settings::getSetting("inpipe")); if(fd >= 0) { if(!fin) fin=fdopen(fd,"r"); Readline=readpipeline; } else { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) if(tty) { Readline=readline; } else #endif Readline=readverbatimline; } } void init_interactive() { if(getSetting("xasy")) tty=false; #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) if(tty) { init_completion(); run::init_readline(getSetting("tabcompletion")); read_history(historyname.c_str()); } #endif } string simpleline(string prompt) { // Rebind tab key, as the setting tabcompletion may be changed at runtime. pre_readline(); Signal(SIGINT,SIG_IGN); // Get a line from the user. char *line=Readline(prompt.c_str()); Signal(SIGINT,interruptHandler); // Reset scroll count. interact::lines=0; interact::query=tty; // Ignore keyboard interrupts while taking input. errorstream::interrupt=false; if(line) { string s=line; free(line); return s; } else { cout << endl; if(!tty || getSetting("exitonEOF")) throw eof(); return "\n"; } } void addToHistory(string line) { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) // Only add it if it has something other than newlines. if(tty && line.find_first_not_of('\n') != string::npos) { add_history(line.c_str()); } #endif } string getLastHistoryLine() { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) if(tty && history_length > 0) { HIST_ENTRY *entry=history_list()[history_length-1]; if(!entry) { em.compiler(); em << "cannot access last history line"; return ""; } else return entry->line; } else #endif return ""; } void setLastHistoryLine(string line) { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) if(tty) { if (history_length > 0) { HIST_ENTRY *entry=remove_history(history_length-1); if(!entry) { em.compiler(); em << "cannot modify last history line"; } else { free(entry->line); free(entry); } } addToHistory(line); } #endif } void deleteLastLine() { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) if(tty) { HIST_ENTRY *entry=remove_history(history_length-1); if(!entry) { em.compiler(); em << "cannot delete last history line"; } else { free(entry->line); free(entry); } } #endif } void cleanup_interactive() { #if defined(HAVE_LIBREADLINE) && defined(HAVE_LIBCURSES) // Write the history file. if(tty) { stifle_history(intcast(getSetting("historylines"))); write_history(historyname.c_str()); } #endif } } // namespace interact asymptote-2.62/statistics.h0000644000000000000000000000167613607467113014553 0ustar rootroot#ifndef __statistics_h__ #define __statistics_h__ 1 #include namespace utils { class statistics { unsigned int N; double A; double varL; double varH; public: statistics() : N(0), A(0.0), varL(0.0), varH(0.0) {} double count() {return N;} double mean() {return A;} void add(double t) { ++N; double diff=t-A; A += diff/N; double v=diff*(t-A); if(diff < 0.0) varL += v; else varH += v; } double stdev(double var, double f) { double factor=N > f ? f/(N-f) : 0.0; return sqrt(var*factor); } double stdev() { return stdev(varL+varH,1.0); } double stdevL() { return stdev(varL,2.0); } double stdevH() { return stdev(varH,2.0); } void output(const char *text, unsigned int m) { std::cout << text << ":\n" << m << "\t" << A << "\t" << stdevL() << "\t" << stdevH() << std::endl; } }; } #endif asymptote-2.62/pipestream.cc0000644000000000000000000001207313607467113014661 0ustar rootroot/* Pipestream: A simple C++ interface to UNIX pipes Copyright (C) 2005-2014 John C. Bowman, with contributions from Mojca Miklavec This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program; if not, write to the Free Software Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. */ #include #include #include #include #include #include "pipestream.h" #include "common.h" #include "errormsg.h" #include "settings.h" #include "util.h" #include "interact.h" #include "lexical.h" #include "camperror.h" #include "pen.h" iopipestream *instance; void pipeHandler(int) { Signal(SIGPIPE,SIG_DFL); instance->pipeclose(); } void iopipestream::open(const mem::vector &command, const char *hint, const char *application, int out_fileno) { if(pipe(in) == -1) { ostringstream buf; buf << "in pipe failed: "; for(size_t i=0; i < command.size(); ++i) buf << command[i]; camp::reportError(buf); } if(pipe(out) == -1) { ostringstream buf; buf << "out pipe failed: "; for(size_t i=0; i < command.size(); ++i) buf << command[i]; camp::reportError(buf); } cout.flush(); // Flush stdout to avoid duplicate output. if((pid=fork()) < 0) { ostringstream buf; buf << "fork failed: "; for(size_t i=0; i < command.size(); ++i) buf << command[i]; camp::reportError(buf); } if(pid == 0) { if(interact::interactive) signal(SIGINT,SIG_IGN); close(in[1]); close(out[0]); close(STDIN_FILENO); close(out_fileno); dup2(in[0],STDIN_FILENO); dup2(out[1],out_fileno); close(in[0]); close(out[1]); char **argv=args(command); if(argv) execvp(argv[0],argv); execError(argv[0],hint,application); kill(0,SIGPIPE); _exit(-1); } instance=this; Signal(SIGPIPE,pipeHandler); close(out[1]); close(in[0]); *buffer=0; pipeopen=true; pipein=true; Running=true; block(false,true); } void iopipestream::eof() { if(pipeopen && pipein) { close(in[1]); pipein=false; } } void iopipestream::pipeclose() { if(pipeopen) { kill(pid,SIGHUP); eof(); close(out[0]); Running=false; pipeopen=false; waitpid(pid,NULL,0); // Avoid zombies. } } void iopipestream::block(bool write, bool read) { if(pipeopen) { int w=fcntl(in[1],F_GETFL); int r=fcntl(out[0],F_GETFL); fcntl(in[1],F_SETFL,write ? w & ~O_NONBLOCK : w | O_NONBLOCK); fcntl(out[0],F_SETFL,read ? r & ~O_NONBLOCK : r | O_NONBLOCK); } } ssize_t iopipestream::readbuffer() { ssize_t nc; char *p=buffer; ssize_t size=BUFSIZE-1; errno=0; for(;;) { if((nc=read(out[0],p,size)) < 0) { if(errno == EAGAIN || errno == EINTR) {p[0]=0; break;} else { ostringstream buf; buf << "read from pipe failed: errno=" << errno; camp::reportError(buf); } nc=0; } p[nc]=0; if(nc == 0) { if(waitpid(pid,NULL,WNOHANG) == pid) Running=false; break; } if(nc > 0) { if(settings::verbose > 2) cerr << p; break; } } return nc; } bool iopipestream::tailequals(const char *buf, size_t len, const char *prompt, size_t plen) { const char *a=buf+len; const char *b=prompt+plen; while(b >= prompt) { if(a < buf) return false; if(*a != *b) return false; // Handle MSDOS incompatibility: if(a > buf && *a == '\n' && *(a-1) == '\r') --a; --a; --b; } return true; } string iopipestream::readline() { sbuffer.clear(); int nc; do { nc=readbuffer(); sbuffer.append(buffer); } while(buffer[nc-1] != '\n' && Running); return sbuffer; } void iopipestream::wait(const char *prompt) { sbuffer.clear(); size_t plen=strlen(prompt); do { readbuffer(); sbuffer.append(buffer); } while(!tailequals(sbuffer.c_str(),sbuffer.size(),prompt,plen)); } int iopipestream::wait() { for(;;) { int status; if (waitpid(pid,&status,0) == -1) { if (errno == ECHILD) return 0; if (errno != EINTR) { ostringstream buf; buf << "Process " << pid << " failed"; camp::reportError(buf); } } else { if(WIFEXITED(status)) return WEXITSTATUS(status); else { ostringstream buf; buf << "Process " << pid << " exited abnormally"; camp::reportError(buf); } } } } void iopipestream::Write(const string &s) { ssize_t size=s.length(); if(settings::verbose > 2) cerr << s; if(write(in[1],s.c_str(),size) != size) { camp::reportFatal("write to pipe failed"); } } asymptote-2.62/runpath.in0000644000000000000000000002026013607467113014207 0ustar rootroot/***** * runpicture.in * * Runtime functions for picture operations. * *****/ pen => primPen() pair => primPair() path => primPath() transform => primTransform() realarray* => realArray() realarray2* => realArray2() patharray* => pathArray() penarray* => penArray() #include "path.h" #include "arrayop.h" #include "predicates.h" using namespace camp; using namespace vm; typedef array realarray; typedef array realarray2; typedef array patharray; using types::realArray; using types::realArray2; using types::pathArray; Int windingnumber(array *p, camp::pair z) { size_t size=checkArray(p); Int count=0; for(size_t i=0; i < size; i++) count += read(p,i)->windingnumber(z); return count; } // Autogenerated routines: path :nullPath() { return nullpath; } bool ==(path a, path b) { return a == b; } bool !=(path a, path b) { return !(a == b); } pair point(path p, Int t) { return p.point((Int) t); } pair point(path p, real t) { return p.point(t); } pair precontrol(path p, Int t) { return p.precontrol((Int) t); } pair precontrol(path p, real t) { return p.precontrol(t); } pair postcontrol(path p, Int t) { return p.postcontrol((Int) t); } pair postcontrol(path p, real t) { return p.postcontrol(t); } pair dir(path p, Int t, Int sign=0, bool normalize=true) { return p.dir(t,sign,normalize); } pair dir(path p, real t, bool normalize=true) { return p.dir(t,normalize); } pair accel(path p, Int t, Int sign=0) { return p.accel(t,sign); } pair accel(path p, real t) { return p.accel(t); } real radius(path p, real t) { pair v=p.dir(t,false); pair a=p.accel(t); real d=dot(a,v); real v2=v.abs2(); real a2=a.abs2(); real denom=v2*a2-d*d; real r=v2*sqrt(v2); return denom > 0 ? r/sqrt(denom) : 0.0; } path reverse(path p) { return p.reverse(); } path subpath(path p, Int a, Int b) { return p.subpath((Int) a, (Int) b); } path subpath(path p, real a, real b) { return p.subpath(a,b); } path nurb(pair z0, pair z1, pair z2, pair z3, real w0, real w1, real w2, real w3, Int m) { return nurb(z0,z1,z2,z3,w0,w1,w2,w3,m); } Int length(path p) { return p.length(); } bool cyclic(path p) { return p.cyclic(); } bool straight(path p, Int t) { return p.straight(t); } path unstraighten(path p) { return p.unstraighten(); } bool piecewisestraight(path p) { return p.piecewisestraight(); } real arclength(path p) { return p.arclength(); } real arctime(path p, real L) { return p.arctime(L); } real dirtime(path p, pair z) { return p.directiontime(z); } realarray* intersect(path p, path q, real fuzz=-1) { bool exact=fuzz <= 0.0; if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); std::vector S,T; real s,t; if(intersections(s,t,S,T,p,q,fuzz,true,exact)) { array *V=new array(2); (*V)[0]=s; (*V)[1]=t; return V; } return new array(0); } realarray2* intersections(path p, path q, real fuzz=-1) { bool exact=fuzz <= 0.0; if(fuzz < 0.0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); real s,t; std::vector S,T; intersections(s,t,S,T,p,q,fuzz,false,true); size_t n=S.size(); if(n == 0 && !exact) { if(intersections(s,t,S,T,p,q,fuzz,true,false)) { array *V=new array(1); array *Vi=new array(2); (*V)[0]=Vi; (*Vi)[0]=s; (*Vi)[1]=t; return V; } } array *V=new array(n); for(size_t i=0; i < n; ++i) { array *Vi=new array(2); (*V)[i]=Vi; (*Vi)[0]=S[i]; (*Vi)[1]=T[i]; } stable_sort(V->begin(),V->end(),run::compare2()); return V; } realarray* intersections(path p, explicit pair a, explicit pair b, real fuzz=-1) { if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(a),length(b))); std::vector S; intersections(S,p,a,b,fuzz); sort(S.begin(),S.end()); size_t n=S.size(); array *V=new array(n); for(size_t i=0; i < n; ++i) (*V)[i]=S[i]; return V; } // Return the intersection point of the extensions of the line segments // PQ and pq. pair extension(pair P, pair Q, pair p, pair q) { pair ac=P-Q; pair bd=q-p; real det=ac.getx()*bd.gety()-ac.gety()*bd.getx(); if(det == 0) return pair(infinity,infinity); return P+((p.getx()-P.getx())*bd.gety()-(p.gety()-P.gety())*bd.getx())*ac/det; } Int size(path p) { return p.size(); } path &(path p, path q) { return camp::concat(p,q); } pair min(explicit path p) { return p.min(); } pair max(explicit path p) { return p.max(); } Int size(patharray *p) { size_t size=checkArray(p); Int count=0; for (size_t i = 0; i < size; i++) count += read(p,i)->size(); return count; } pair min(patharray *p) { size_t size=checkArray(p); if(size == 0) error(nopoints); path *g = p->read(0); pair z = g->min(); double minx = z.getx(), miny = z.gety(); for (size_t i = 1; i < size; ++i) { path *g = p->read(i); pair z = g->min(); double x = z.getx(), y = z.gety(); if (x < minx) minx = x; if (y < miny) miny = y; } return pair(minx, miny); } pair max(patharray *p) { size_t size=checkArray(p); if(size == 0) error(nopoints); path *g = p->read(0); pair z = g->max(); double maxx = z.getx(), maxy = z.gety(); for (size_t i = 1; i < size; ++i) { path *g = p->read(i); pair z = g->max(); double x = z.getx(), y = z.gety(); if (x > maxx) maxx = x; if (y > maxy) maxy = y; } return pair(maxx, maxy); } pair minAfterTransform(transform t, patharray *p) { size_t size=checkArray(p); if(size == 0) error(nopoints); path g = p->read(0)->transformed(t); pair z = g.min(); double minx = z.getx(), miny = z.gety(); for (size_t i = 1; i < size; ++i) { path g = p->read(i)->transformed(t); pair z = g.min(); double x = z.getx(), y = z.gety(); if (x < minx) minx = x; if (y < miny) miny = y; } return pair(minx, miny); } pair maxAfterTransform(transform t, patharray *p) { size_t size=checkArray(p); if(size == 0) error(nopoints); path g = p->read(0)->transformed(t); pair z = g.max(); double maxx = z.getx(), maxy = z.gety(); for (size_t i = 1; i < size; ++i) { path g = p->read(i)->transformed(t); pair z = g.max(); double x = z.getx(), y = z.gety(); if (x > maxx) maxx = x; if (y > maxy) maxy = y; } return pair(maxx, maxy); } realarray *mintimes(path p) { array *V=new array(2); pair z=p.mintimes(); (*V)[0]=z.getx(); (*V)[1]=z.gety(); return V; } realarray *maxtimes(path p) { array *V=new array(2); pair z=p.maxtimes(); (*V)[0]=z.getx(); (*V)[1]=z.gety(); return V; } real relativedistance(real theta, real phi, real t, bool atleast) { return camp::velocity(theta,phi,tension(t,atleast)); } Int windingnumber(patharray *p, pair z) { return windingnumber(p,z); } bool inside(explicit patharray *g, pair z, pen fillrule=CURRENTPEN) { return fillrule.inside(windingnumber(g,z)); } bool inside(path g, pair z, pen fillrule=CURRENTPEN) { return fillrule.inside(g.windingnumber(z)); } // Return a positive (negative) value if a--b--c--cycle is oriented // counterclockwise (clockwise) or zero if all three points are colinear. // Equivalently, return a positive (negative) value if c lies to the // left (right) of the line through a and b or zero if c lies on this line. // The value returned is the determinant // |a.x a.y 1| // |b.x b.y 1| // |c.x c.y 1| // real orient(pair a, pair b, pair c) { return orient2d(a,b,c); } // Return a positive (negative) value if d lies inside (outside) // the circle passing through the counterclockwise-oriented points a,b,c // or zero if d lies on this circle. // The value returned is the determinant // |a.x a.y a.x^2+a.y^2 1| // |b.x b.y b.x^2+b.y^2 1| // |c.x c.y c.x^2+c.y^2 1| // |d.x d.y d.x^2+d.y^2 1| real incircle(pair a, pair b, pair c, pair d) { return incircle(a.getx(),a.gety(),b.getx(),b.gety(),c.getx(),c.gety(), d.getx(),d.gety()); } asymptote-2.62/keywords.cc0000644000000000000000000000114113607467131014351 0ustar rootroot/***** * This file is automatically generated by keywords.pl. * Changes will be overwritten. *****/ ADD(and); ADD(controls); ADD(tension); ADD(atleast); ADD(curl); ADD(if); ADD(else); ADD(while); ADD(for); ADD(do); ADD(return); ADD(break); ADD(continue); ADD(struct); ADD(typedef); ADD(new); ADD(access); ADD(import); ADD(unravel); ADD(from); ADD(include); ADD(quote); ADD(static); ADD(public); ADD(private); ADD(restricted); ADD(this); ADD(explicit); ADD(true); ADD(false); ADD(null); ADD(cycle); ADD(newframe); ADD(operator); ADD(quit); ADD(q); ADD(exit); ADD(reset); ADD(erase); ADD(help); ADD(input); asymptote-2.62/runpath.h0000644000000000000000000000026113607467143014032 0ustar rootroot/***** Autogenerated from runpath.in; changes will be overwritten *****/ #ifndef runpath_H #define runpath_H namespace run { void nullPath(vm::stack *); } #endif // runpath_H asymptote-2.62/runstring.h0000644000000000000000000000027413607467143014410 0ustar rootroot/***** Autogenerated from runstring.in; changes will be overwritten *****/ #ifndef runstring_H #define runstring_H namespace run { void emptyString(vm::stack *); } #endif // runstring_H asymptote-2.62/Delaunay.h0000644000000000000000000000060013607467113014105 0ustar rootroot#ifndef DELAUNAY_H #define DELAUNAY_H #include #include #include #include #include "common.h" struct ITRIANGLE{ Int p1, p2, p3; }; struct IEDGE{ Int p1, p2; }; struct XYZ{ double p[2]; // {x,y} Int i; }; Int Triangulate(Int nv, XYZ pxyz[], ITRIANGLE v[], Int &ntri, bool presort=true, bool postsort=true); #endif asymptote-2.62/asy-keywords.el0000644000000000000000000004254413607467357015204 0ustar rootroot;; ;; This file is automatically generated by asy-list.pl. ;; Changes will be overwritten. ;; (defvar asy-keywords-version "2.62") (defvar asy-keyword-name '( and controls tension atleast curl if else while for do return break continue struct typedef new access import unravel from include quote static public private restricted this explicit true false null cycle newframe operator )) (defvar asy-type-name '( Braid FitResult Label Legend Solution TreeNode abscissa arc arrowhead binarytree binarytreeNode block bool bool3 bounds bqe circle conic coord coordsys cputime ellipse evaluatedpoint file filltype frame grid3 guide horner hsv hyperbola int inversion key light line linefit marginT marker mass node object pair parabola patch path path3 pen picture point position positionedvector projection rational real revolution scaleT scientific segment side simplex slice solution splitface string surface tensionSpecifier ticklocate ticksgridT tickvalues transform transformation tree triangle trilinear triple vector vertex void )) (defvar asy-function-name '( AND Arc ArcArrow ArcArrows Arrow Arrows AtA Automatic AvantGarde B03 B13 B23 B33 BBox BWRainbow BWRainbow2 Bar Bars BeginArcArrow BeginArrow BeginBar BeginDotMargin BeginMargin BeginPenMargin Blank Bookman Bottom BottomTop Bounds Break Broken BrokenLog CLZ CTZ Ceil Circle CircleBarIntervalMarker Cos Courier CrossIntervalMarker DOSendl DOSnewl DefaultFormat DefaultLogFormat Degrees Dir DotMargin DotMargins Dotted Draw Drawline Embed EndArcArrow EndArrow EndBar EndDotMargin EndMargin EndPenMargin Fill FillDraw Finite Floor Format Full Gaussian Gaussrand Gaussrandpair Gradient Grayscale Helvetica Hermite HookHead InOutTicks InTicks Jn Label Landscape Left LeftRight LeftTicks Legend Linear Log LogFormat Margin Margins Mark MidArcArrow MidArrow NOT NewCenturySchoolBook NoBox NoMargin NoModifier NoTicks NoTicks3 NoZero NoZeroFormat None OR OmitFormat OmitTick OmitTickInterval OmitTickIntervals OutTicks Ox Oy Palatino PaletteTicks Pen PenMargin PenMargins Pentype Portrait RGB RadialShade RadialShadeDraw Rainbow Range Relative Right RightTicks Rotate Round SQR Scale ScaleX ScaleY ScaleZ Seascape Shift Sin Slant Spline StickIntervalMarker Straight Symbol Tan TeXify Ticks Ticks3 TildeIntervalMarker TimesRoman Top TrueMargin UnFill UpsideDown Wheel X XEquals XOR XY XYEquals XYZero XYgrid XZEquals XZZero XZero XZgrid Y YEquals YXgrid YZ YZEquals YZZero YZero YZgrid Yn Z ZX ZXgrid ZYgrid ZapfChancery ZapfDingbats _begingroup3 _cputime _draw _eval _findroot _image _labelpath _projection _shipout _strokepath _texpath aCos aSin aTan abort abs accel acos acosh acot acsc activatequote add addArrow addMargins addSaveFunction addpenarc addpenline addseg adjust alias align all altitude angabscissa angle angledegrees angpoint animate annotate anticomplementary antipedal apply approximate arc arcarrowsize arccircle arcdir arcfromcenter arcfromfocus arclength arcnodesnumber arcpoint arcsubtended arcsubtendedcenter arctime arctopath array arrow arrow2 arrowbase arrowbasepoints arrowsize ascii asec asin asinh ask assert asy asycode asydir asyfigure asyfilecode asyinclude asywrite atan atan2 atanh atbreakpoint atexit attach attract atupdate autoformat autoscale autoscale3 axes axes3 axialshade axis axiscoverage azimuth babel background bangles bar barmarksize barsize basealign baseline bbox beep begin beginclip begingroup beginpoint between bevel bezier bezierP bezierPP bezierPPP bezulate bibliography bibliographystyle binarytree binarytreeNode binomial bins bisector bisectorpoint bispline bitreverse blend blockconnector box bqe brace breakpoint breakpoints brick buildRestoreDefaults buildRestoreThunk buildcycle bulletcolor byte calculateScaling canonical canonicalcartesiansystem cartesiansystem case1 case2 case3 cbrt cd ceil center centerToFocus centroid cevian change2 changecoordsys checkSegment check_fpt_zero checkconditionlength checker checkincreasing checklengths checkposition checkpt checkptincube checktriangle choose circle circlebarframe circlemarkradius circlenodesnumber circumcenter circumcircle clamped clear clip clipdraw close cmyk code colatitude collect collinear color colorless colors colorspace comma compassmark complement complementary concat concurrent cone conic conicnodesnumber conictype conj connect containmentTree contains contour contour3 controlSpecifier convert coordinates coordsys copy copyPairOrTriple cos cosh cot countIntersections cputime crop cropcode cross crossframe crosshatch crossmarksize csc cubicroots curabscissa curlSpecifier curpoint currentarrow currentexitfunction currentmomarrow currentpolarconicroutine curve cut cutafter cutbefore cyclic cylinder deactivatequote debugger deconstruct defaultdir defaultformat defaultpen defined degenerate degrees delete deletepreamble determinant diagonal diamond diffdiv dir dirSpecifier dirtime display distance divisors do_overpaint dot dotframe dotsize downcase draw drawAll drawDoubleLine drawFermion drawGhost drawGluon drawMomArrow drawPRCcylinder drawPRCdisk drawPRCsphere drawPRCtube drawPhoton drawScalar drawVertex drawVertexBox drawVertexBoxO drawVertexBoxX drawVertexO drawVertexOX drawVertexTriangle drawVertexTriangleO drawVertexX drawarrow drawarrow2 drawbeziertriangle drawline drawpixel drawstrokepath drawtick duplicate elle ellipse ellipsenodesnumber embed embed3 embedplayer empty enclose end endclip endgroup endgroup3 endl endpoint endpoints eof eol equation equations erase erasestep erf erfc error errorbar errorbars eval excenter excircle exit exitfunction exp expfactors expi expm1 exradius extend extension extouch fabs factorial fermat fft fhorner figure file filecode fill filldraw filloutside fillrule filltype find findall findroot finite finiteDifferenceJacobian firstcut firstframe fit fit2 fixedscaling floor flush fmdefaults fmod focusToCenter font fontcommand fontsize foot format frac frequency fromCenter fromFocus fspline functionshade gamma gcd generate_random_backtrace generateticks gergonne getc getint getpair getreal getstring gettriple gluon gouraudshade graph graphic graphicscale gray grestore grid grid3 gsave halfbox hatch hdiffdiv hermite hex histogram history hline hprojection hsv hyperbola hyperbolanodesnumber hyperlink hypot identity image implicitsurface incenter incentral incircle increasing incrementposition indexedfigure initdefaults initialized input inradius insert inside insphere integrate interactive interior interp interpolate intersect intersection intersectionpoint intersectionpoints intersections intouch inverse inversion invisible is3D isDuplicate isnan isogonal isogonalconjugate isotomic isotomicconjugate isparabola italic item jobname key kurtosis kurtosisexcess label labelaxis labelmargin labelpath labels labeltick labelx labelx3 labely labely3 labelz labelz3 lastcut latex latitude latticeshade layer layout lcm ldexp leastsquares legend legenditem length lexorder lift light limits line linear linecap lineinversion linejoin linemargin lineskip linetype linewidth link list lm_enorm lm_evaluate_default lm_lmdif lm_lmpar lm_minimize lm_print_default lm_print_quiet lm_qrfac lm_qrsolv locale locate locatefile location log log10 log1p logaxiscoverage longitude lookup make3dgrid makeMappingArray makeNode makecircle makedraw makepen maketriangle map margin markangle markangleradius markanglespace markarc marker markinterval marknodes markrightangle markthin markuniform mass masscenter massformat math max max3 maxAfterTransform maxbezier maxbound maxcoords maxlength maxratio maxtimes mean medial median midpoint min min3 minAfterTransform minbezier minbound minipage minratio mintimes miterlimit mktemp momArrowPath momarrowsize monotonic multifigure nGrad nativeformat natural newl newpage newslide newton newtree nextframe nextnormal nextpage nib nodabscissa node none norm normalout normalvideo nosetpagesize notaknot nowarn numberpage nurb object offset onpath opacity opposite orient orientation origin orthic orthocentercenter outdirectory outformat outline outname outprefix output overloadedMessage overwrite pack pad pairs palette parabola parabolanodesnumber parallel parallelogram partialsum patchwithnormals path path3 pathbetween pathinface pattern pause pdf pedal periodic perp perpendicular perpendicularmark phantom phi1 phi2 phi3 photon piecewisestraight point polar polarconicroutine polargraph polygon popcount postcontrol postscript pow10 ppoint prc prc0 prconly precision precontrol prepend printBytecode print_random_addresses progress project projection projecttospan projecttospan_findcoeffs purge pwhermite quadpatches quadrant quadraticroots quantize quarticroots quotient radialshade radians radicalcenter radicalline radius rand randompath rationalidentity rd readline realmult realquarticroots rectangle rectangular rectify reflect relabscissa relative relativedistance reldir relpoint reltime remainder remark removeDuplicates rename replace report resetdefaultpen restore restoredefaults reverse reversevideo rf rfind rgb rgba rgbint rms rotate rotateO rotation round roundbox roundedpath roundrectangle samecoordsys sameside sample save savedefaults saveline scale scale3 scaleO scaleT scaleless scientific search searchtree sec secondaryX secondaryY seconds section sector seek seekeof segment segmentlimits sequence setpens sgn sgnd sharpangle sharpdegrees shift shiftless shipout shipout3 show simeq simplex simplexPhase1 simplexPhase2 simplexStandard simplexTableau simplexWrite simpson sin sinh size size3 skewness skip slant sleep slice slope slopefield solve solveBVP sort sourceline sphere split sqrt square srand standardizecoordsys stdev step stickframe stickmarksize stickmarkspace stop straight straightness string stripdirectory stripextension stripfile stripsuffix strokepath subdivide subitem subpath substr sum surface symmedial symmedian system tab tableau tan tangent tangential tangents tanh tell tensionSpecifier tensorshade tex texcolor texify texpath texpreamble texreset texshipout texsize texstring textpath thick thin tick tickMax tickMax3 tickMin tickMin3 ticklabelshift ticklocate tildeframe tildemarksize tile tiling time times title titlepage topbox toplocation transform transformation transpose trembleFuzz triangle triangleAbc triangleabc triangletoquads trianglewithnormals triangulate tricoef tridiagonal trilinear trim truepoint tube uncycle unfill uniform unique unit unitrand unitsize unityroot unstraighten upcase updatefunction uperiodic upscale uptodate usepackage usersetting usetypescript usleep value variance variancebiased vbox vector vectorfield verbatim view vline vperiodic vprojection warn warning windingnumber write xasyKEY xaxis xaxis3 xaxis3At xaxisAt xequals xlimits xmap xpart xscale xscaleO xtick xtick3 xtrans yaxis yaxis3 yaxis3At yaxisAt yequals ylimits ypart yscale yscaleO ytick ytick3 ytrans zaxis3 zaxis3At zero zlimits zpart ztick ztick3 ztrans )) (defvar asy-variable-name '( Accent AliceBlue Align Allow AntiqueWhite Apricot Aqua Aquamarine Aspect Azure BeginPoint Beige Bisque Bittersweet Black BlanchedAlmond Blue BlueGreen BlueViolet Blues Both BrBG Break BrickRed Brown BuGn BuPu BurlyWood BurntOrange CCW CMRmap CW CadetBlue CarnationPink Center Centered Cerulean Chartreuse Chocolate Coeff Coral CornflowerBlue Cornsilk Crimson Crop Cyan Dandelion Dark2 DarkBlue DarkCyan DarkGoldenrod DarkGray DarkGreen DarkKhaki DarkMagenta DarkOliveGreen DarkOrange DarkOrchid DarkRed DarkSalmon DarkSeaGreen DarkSlateBlue DarkSlateGray DarkTurquoise DarkViolet DeepPink DeepSkyBlue DefaultHead DimGray DodgerBlue Dotted Down Draw E ENE EPS ESE E_Euler E_PC E_RK2 E_RK3BS Emerald EndPoint Euler Fill FillDraw FireBrick FloralWhite ForestGreen Fuchsia Gainsboro GhostWhite GnBu Gold Goldenrod Gray Green GreenYellow Greens Greys Honeydew HookHead Horizontal HotPink I IgnoreAspect IndianRed Indigo Infinity Ivory JOIN_IN JOIN_OUT JungleGreen Khaki LM_DWARF LM_MACHEP LM_SQRT_DWARF LM_SQRT_GIANT LM_USERTOL Label Lavender LavenderBlush LawnGreen Left LeftJustified LeftSide LemonChiffon LightBlue LightCoral LightCyan LightGoldenrodYellow LightGreen LightGrey LightPink LightSalmon LightSeaGreen LightSkyBlue LightSlateGray LightSteelBlue LightYellow Lime LimeGreen Linear Linen Log Logarithmic Magenta Mahogany Mark MarkFill MarkPath Maroon Max MediumAquamarine MediumBlue MediumOrchid MediumPurple MediumSeaGreen MediumSlateBlue MediumSpringGreen MediumTurquoise MediumVioletRed Melon MidPoint MidnightBlue Min MintCream MistyRose Moccasin Move MoveQuiet Mulberry N NE NNE NNW NULL_VERTEX NW NavajoWhite Navy NavyBlue NoAlign NoCrop NoFill NoSide OldLace Olive OliveDrab OliveGreen OrRd Orange OrangeRed Oranges Orchid Ox Oy PC PRGn Paired PaleGoldenrod PaleGreen PaleTurquoise PaleVioletRed PapayaWhip Pastel1 Pastel2 Peach PeachPuff Periwinkle Peru PiYG PineGreen Pink Plum PowderBlue ProcessBlue PuBu PuBuGn PuOr PuRd Purple Purples RK2 RK3 RK3BS RK4 RK5 RK5DP RK5F RawSienna RdBu RdGy RdPu RdYlBu RdYlGn Red RedOrange RedViolet Reds Rhodamine Right RightJustified RightSide RosyBrown RoyalBlue RoyalPurple RubineRed S SE SSE SSW SW SaddleBrown Salmon SandyBrown SeaGreen Seashell Sepia Set1 Set2 Set3 Sienna Silver SimpleHead SkyBlue SlateBlue SlateGray Snow Spectral SpringGreen SteelBlue Suppress SuppressQuiet Tan TeXHead Teal TealBlue Thistle Ticksize Tomato Turquoise UnFill Up VERSION Value Vertical Violet VioletRed W WNW WSW Wheat White WhiteSmoke WildStrawberry XHIGH XLOW XYAlign YAlign YHIGH YLOW Yellow YellowGreen YellowOrange YlGn YlGnBu YlOrBr YlOrRd ZHIGH ZLOW _outpipe aboveequationskip addpenarc addpenline align allowstepping angularsystem animationdelay appendsuffix arcarrowangle arcarrowfactor arrow2sizelimit arrowangle arrowbarb arrowdir arrowfactor arrowhookfactor arrowlength arrowsizelimit arrowtexfactor authorpen autumn axis axiscoverage axislabelfactor background backgroundcolor backgroundpen barfactor barmarksizefactor basealign baselinetemplate bernstein beveljoin bigvertexpen bigvertexsize binary black blue bm bone bottom bp bracedefaultratio braceinnerangle bracemidangle braceouterangle brg brown bullet bwr byfoci byvertices camerafactor chartreuse circlemarkradiusfactor circlenodesnumberfactor circleprecision circlescale cividis cm codefile codepen codeskip colorPen coloredNodes coloredSegments conditionlength conicnodesfactor cool coolwarm copper count cputimeformat crossmarksizefactor currentcoordsys currentlight currentpatterns currentpen currentpicture currentposition currentprojection curvilinearsystem cuttings cyan darkblue darkbrown darkcyan darkgray darkgreen darkgrey darkmagenta darkolive darkred dashdotted dashed datepen dateskip debuggerlines debugging deepblue deepcyan deepgray deepgreen deepgrey deepmagenta deepred deepyellow default defaultControl defaultS defaultbackpen defaultcoordsys defaultexcursion defaultfilename defaultformat defaultmassformat defaultpen defaultseparator differentlengths dot dotfactor dotfilltype dotframe dotted doublelinepen doublelinespacing down duplicateFuzz ellipsenodesnumberfactor eps epsgeo epsilon evenodd expansionfactor extendcap fermionpen figureborder figuremattpen file3 firstnode firststep foregroundcolor fuchsia fuzz gapfactor ghostpen gist_earth gist_ncar gist_stern gluonamplitude gluonpen gluonratio gray green grey hatchepsilon havepagenumber heavyblue heavycyan heavygray heavygreen heavygrey heavymagenta heavyred hline hot hsv hwratio hyperbolanodesnumberfactor identity identity4 ignore implicitshipout inch inches includegraphicscommand inf inferno infinity institutionpen intMax intMin invert invisible itempen itemskip itemstep jet labelmargin landscape lastnode left legendhskip legendlinelength legendmargin legendmarkersize legendmaxrelativewidth legendvskip lightblue lightcyan lightgray lightgreen lightgrey lightmagenta lightolive lightred lightyellow linemargin lm_infmsg lm_shortmsg longdashdotted longdashed magenta magma magneticRadius mantissaBits markangleradius markangleradiusfactor markanglespace markanglespacefactor maxrefinements mediumblue mediumcyan mediumgray mediumgreen mediumgrey mediummagenta mediumred mediumyellow middle minDistDefault minblockheight minblockwidth mincirclediameter minipagemargin minipagewidth minvertexangle miterjoin mm momarrowfactor momarrowlength momarrowmargin momarrowoffset momarrowpen monoPen morepoints nCircle nan newbulletcolor ngraph nil nipy_spectral nmesh nobasealign nodeMarginDefault nodesystem nomarker nopoint noprimary nullpath nullpen numarray ocgindex oldbulletcolor olive orange origin overpaint page pageheight pagemargin pagenumberalign pagenumberpen pagenumberposition pagewidth paleblue palecyan palegray palegreen palegrey palemagenta palered paleyellow parabolanodesnumberfactor perpfactor phi photonamplitude photonpen photonratio pi pink plain plain_bounds plain_scaling plasma plus preamblenodes pt purple r3 r4a r4b randMax realDigits realEpsilon realMax realMin red relativesystem reverse right roundcap roundjoin royalblue salmon saveFunctions scalarpen seismic sequencereal settings signedtrailingzero simplex solid spinner spring springgreen sqrtEpsilon squarecap squarepen startposition stdin stdout stepfactor stepfraction steppagenumberpen stepping stickframe stickmarksizefactor stickmarkspacefactor summer swap tab10 tab20 tab20b tab20c textpen ticksize tildeframe tildemarksizefactor tinv titlealign titlepagepen titlepageposition titlepen titleskip top trailingzero treeLevelStep treeMinNodeWidth treeNodeStep trembleAngle trembleFrequency trembleRandom twilight twilight_shifted undefined unitcircle unitsquare up urlpen urlskip version vertexpen vertexsize viewportmargin viewportsize viridis vline white winter wistia wye yellow ylabelwidth zeroTransform zerotickfuzz zerowinding )) asymptote-2.62/parser.cc0000644000000000000000000000666113607467113014012 0ustar rootroot/***** * parser.cc * Tom Prince 2004/01/10 * *****/ #include #include #include #include #include "common.h" #ifdef HAVE_SYS_STAT_H #include #endif #include "interact.h" #include "locate.h" #include "errormsg.h" #include "parser.h" #include "util.h" // The lexical analysis and parsing functions used by parseFile. void setlexer(size_t (*input) (char* bif, size_t max_size), string filename); extern bool yyparse(void); extern int yydebug; extern int yy_flex_debug; extern bool lexerEOF(); extern void reportEOF(); extern bool hangup; static int fd; namespace parser { static FILE *fin=NULL; namespace yy { // Lexers std::streambuf *sbuf = NULL; size_t stream_input(char *buf, size_t max_size) { return sbuf ? sbuf->sgetn(buf,max_size) : 0; } int fpeek(int fd) { int flags=fcntl(fd,F_GETFL,0); fcntl(fd,F_SETFL,flags | O_NONBLOCK); char c=fgetc(fin); ungetc(c,fin); fcntl(fd,F_SETFL,flags & ~O_NONBLOCK); return c; } size_t pipe_input(char *buf, size_t max_size) { if(hangup && fpeek(fd) == EOF) {hangup=false; return 0;} fgets(buf,max_size-1,fin); return strlen(buf); } } // namespace yy void debug(bool state) { // For debugging the machine-generated lexer and parser. yy_flex_debug = yydebug = state; } namespace { void error(const string& filename) { em.sync(); em << "error: could not load module '" << filename << "'\n"; em.sync(); throw handled_error(); } } absyntax::file *doParse(size_t (*input) (char* bif, size_t max_size), const string& filename, bool extendable=false) { setlexer(input,filename); absyntax::file *root = yyparse() == 0 ? absyntax::root : 0; absyntax::root = 0; yy::sbuf = 0; if (!root) { if (lexerEOF()) { if (extendable) { return 0; } else { // Have the lexer report the error. reportEOF(); } } em.error(nullPos); if(!interact::interactive) error(filename); else throw handled_error(); } return root; } absyntax::file *parseStdin() { debug(false); if(!fin) { fd=intcast(settings::getSetting("inpipe")); if(fd >= 0) fin=fdopen(fd,"r"); } if(fin) return doParse(yy::pipe_input,"-"); else { yy::sbuf = cin.rdbuf(); return doParse(yy::stream_input,"-"); } } absyntax::file *parseFile(const string& filename, const char *nameOfAction) { if(filename == "-") return parseStdin(); string file = settings::locateFile(filename); if(file.empty()) error(filename); if(nameOfAction && settings::verbose > 1) cerr << nameOfAction << " " << filename << " from " << file << endl; debug(false); std::filebuf filebuf; if(!filebuf.open(file.c_str(),std::ios::in)) error(filename); #ifdef HAVE_SYS_STAT_H // Check that the file is not a directory. static struct stat buf; if(stat(file.c_str(),&buf) == 0) { if(S_ISDIR(buf.st_mode)) error(filename); } #endif // Check that the file can actually be read. try { filebuf.sgetc(); } catch (...) { error(filename); } yy::sbuf = &filebuf; return doParse(yy::stream_input,file); } absyntax::file *parseString(const string& code, const string& filename, bool extendable) { debug(false); stringbuf buf(code); yy::sbuf = &buf; return doParse(yy::stream_input,filename,extendable); } } // namespace parser asymptote-2.62/errortest.asy0000644000000000000000000001537713607467113014762 0ustar rootroot/***** * errortest.asy * Andy Hammerlindl 2003/08/08 * * This struct attempts to trigger every error message reportable by the * compiler to ensure that errors are being reported properly. *****/ // name.cc { // line 33 x.y = 5; } { // line 50 int x = z; } { // line 67 x = 5; } { // line 84 - unreachable } { // line 95 x y1; x y2(); x y3(int); int y4(x); struct m { x y1; x y2(); x y3(int); int y4(x); } } { // line 130 int x; x.y = 4; } { // line 156 struct m { int x,y; } m.u.v = 5; } { // line 186 struct m { int x,y; } int x = m.z; } { // line 217 struct m { int x,y; } m.z = 5; } { // line 249 - unreachable } { // line 272 - not testable without typedef } { // line 283 struct m { int x,y; } m.u v; struct mm { m.u v; } } // exp.h { // line 109 5 = 4; } { // line 136 int f, f(); f; struct m { int f, f(); } m.f; } // exp.cc { // line 40 int x = {}; int y = {4, 5, 6}; } { // line 110 int f(), f(int); f.m = 5; } { // line 122 int x; x.m = 5; } { // line 147 struct point { int x,y; } point p; int x = p.z; } { // line 157 struct point { int x, y; } point p; p.z; } { // line 163 struct point { int f(), f(int); } point p; p.f; } { // line 204 struct point { int x, y; } point p; p.z = 5; } { // line 229 - unreachable } { // lines 261 and 275 - wait for subscript to be fully implemented. } { // line 515 void f(int), f(int, int); f(); f("Hello?"); } { // line 520 - not yet testable (need int->float casting or the like) } { // line 525 void f(int); f(); } { // line 649 struct point { int x,y; } point p; p = +p; } { // line 1359 int x, f(); (true) ? x : f; } { // line 1359 int a, a(), b, b(); (true) ? a : b; } { // line 1581 int x, f(); x = f; } { // line 1586 int a, a(), b, b(); a = b; } // newexp.cc { // line 34 int f() = new int () { int x = 5; }; } { // line 64 int x = new int; } { // line 72 struct a { struct b { } } new a.b; } // stm.cc { // line 86 5; } { // line 246 break; } { // line 261 continue; } { // line 282 void f() { return 17; } } { // line 288 int f() { return; } } // dec.cc { // line 378 int f() { int x = 5; } int g() { if (true) return 7; } } // env.h { // line 99 struct m {} struct m {} } { // line 109 int f() { return 1; } int f() { return 2; } int x = 1; int x = 2; struct m { int f() { return 1; } int f() { return 2; } int x = 1; int x = 2; } } // env.cc { // line 107 - currently unreachable as no built-ins are currently used // in records. } { // line 140 // Assuming there is a built-in function void abort(string): void f(string); abort = f; } { // line 168 - currently unreachable as no built-in functions are // currently used in records. } { // line 222 int x = "Hello"; } // Test permissions. { struct A { private int x=4; restricted int y=5; private void f() {} restricted void g() {} } A a; a.x; a.x = 4; a.x += 5; a.y = 6; a.y += 7; a.f; a.f(); a.f = new void() {}; a.g = new void() {}; } { struct A { private int x=4; private void f() {} } A a; from a unravel x; from a unravel f; } { struct A { restricted int y=5; restricted void g() {} } A a; from a unravel y,g; y = 6; y += 7; g = new void() {}; } { struct A { private typedef int T; } A.T x; A.T x=4; int y=2; A.T x=y; A.T x=17+3*y; } { struct A { private typedef int T; } from A unravel T; } { struct A { private typedef int T; } A a; a.T x; a.T x=4; int y=2; a.T x=y; a.T x=17+3*y; } { struct A { private typedef int T; } A a; from a unravel T; } // Read-only settings // Ensure that the safe and globalwrite options can't be modified inside the // code. { access settings; settings.safe=false; settings.safe=true; settings.globalwrite=false; settings.globalwrite=true; } { from settings access safe, globalwrite; safe=false; safe=true; globalwrite=false; globalwrite=true; } { from settings access safe as x, globalwrite as y; x=false; x=true; y=false; y=true; } { import settings; settings.safe=false; settings.safe=true; settings.globalwrite=false; settings.globalwrite=true; safe=false; safe=true; globalwrite=false; globalwrite=true; } // Test cases where var is used outside of type inference. { var x; } { var f() { return 4; } } { (var)3; var x = (var)3; int y = (var)3; } { var[] b = new var[] { 1, 2, 3}; var[] b = new int[] { 1, 2, 3}; var[] c = {1, 2, 3}; new var[] { 4, 5, 6}; int[] d = new var[] { 4, 5, 6}; new var; } { int f(var x = 3) { return 0; } } { int f, f(); var g = f; } { struct A { int f, f(); } var g = A.f; A a; var h = a.f; } { int x; for (var i : x) ; } { int x, x(); for (var i : x) ; } { int x, x(); int[] x = {2,3,4}; for (var i : x) ; } { int[] temp={0}; int[] v={0}; temp[v]= v; } // Keyword and rest errors. { int f(string s="" ... int[] a); f(1,2,3 ... new int[] {4,5,6}, "hi"); f(1,2,3 ... new int[] {4,5,6} ... new int[] {7,8,9}); f(... new int[] {4,5,6}, "hi"); f(... new int[] {4,5,6} ... new int[] {7,8,9}); } { int f(... int[] x, int y); int g(... int[] x, int y) { return 7; } int f(string s ... int[] x, int y); int g(string s ... int[] x, int y) { return 7; } int f(int keyword x, int y); int g(int keyword x, int y) { return 7; } int f(int keyword x, int y, string z); int g(int keyword x, int y, string z) { return 7; } int f(real t, int keyword x, int y); int g(real t, int keyword x, int y) { return 7; } int f(real t, int keyword x, int y, string z); int g(real t, int keyword x, int y, string z) { return 7; } } { int f(int notkeyword x); int g(int notkeyword x) { return 7; } int f(real w, int notkeyword x); int g(real w, int notkeyword x) { return 7; } int f(real w, int keyword y, int notkeyword x); int g(real w, int keyword y, int notkeyword x) { return 7; } int f(real w, int notkeyword y, int keyword x); int g(real w, int notkeyword y, int keyword x) { return 7; } int f(int notkeyword x, int y, string z); int g(int notkeyword x, int y, string z) { return 7; } int f(int notkeyword x, int y); int g(int notkeyword x, int y) { return 7; } int f(int notkeyword x, int y, string z); int g(int notkeyword x, int y, string z) { return 7; } int f(real t, int notkeyword x, int y); int g(real t, int notkeyword x, int y) { return 7; } int f(real t, int notkeyword x, int y, string z); int g(real t, int notkeyword x, int y, string z) { return 7; } } asymptote-2.62/stack.h0000644000000000000000000000640013607467113013454 0ustar rootroot/***** * stack.h * Andy Hammerlindl 2002/06/27 * * The general stack machine used to run compiled camp code. *****/ #ifndef STACK_H #define STACK_H #include #include "errormsg.h" #include "vm.h" #include "item.h" #include "absyn.h" namespace vm { struct func; class program; struct lambda; class importInitMap; struct bpinfo : public gc { fileinfo f; absyntax::runnable *r; bpinfo(const string& filename, size_t lineNum, absyntax::runnable *r=NULL) : f(fileinfo(filename,lineNum)), r(r) {} }; inline bool operator == (const bpinfo& a, const bpinfo& b) { return a.f == b.f; } extern mem::list bplist; class runnable; extern bool indebugger; class stack { public: typedef frame* vars_t; struct importInitMap { virtual ~importInitMap() {} virtual lambda *operator[](string) = 0; }; private: // stack for operands typedef mem::vector stack_t; stack_t theStack; void draw(ostream& out); // The initializer functions for imports, indexed by name. importInitMap *initMap; // The stack stores a map of initialized imported modules by name, so that // each module is initialized only once and each import refers to the same // instance. typedef mem::map importInstanceMap; importInstanceMap instMap; // One can associate an environment to embedded code while running. trans::coenv *e; // Debugger variables: char debugOp; position lastPos, breakPos; bool newline; // Move arguments from stack to frame. void marshall(size_t args, stack::vars_t vars); public: stack() : e(0), debugOp(0), lastPos(nullPos), breakPos(nullPos), newline(false) {}; virtual ~stack() {}; void setInitMap(importInitMap *i) { initMap=i; } void setEnvironment(trans::coenv *e) { this->e=e; } trans::coenv *getEnvironment() { return e; } // Runs a lambda. If vars is non-null, it is used to store the variables of // the lambda. Otherwise, the method allocates a closure only if needed. void runWithOrWithoutClosure(lambda *l, vars_t vars, vars_t parent); // Executes a function on top of the stack. void run(func *f); void breakpoint(absyntax::runnable *r=NULL); void debug(); // Put an import (indexed by name) on top of the stack, initializing it if // necessary. void load(string index); // These are so that built-in functions can easily manipulate the stack void push(item next) { theStack.push_back(next); } template void push(T next) { push((item)next); } item top() { return theStack.back(); } item pop() { item ret = theStack.back(); theStack.pop_back(); return ret; } template T pop() { return get(pop()); } }; inline item pop(stack* s) { return s->pop(); } template inline T pop(stack* s) { return get(pop(s)); } template inline T pop(stack* s, T defval) { item it=pop(s); return isdefault(it) ? defval : get(it); } class interactiveStack : public stack { vars_t globals; size_t globals_size; public: interactiveStack(); // Run a codelet, a small piece of code that uses globals as its frame. void run(lambda *codelet); }; } // namespace vm #endif // STACK_H asymptote-2.62/runpair.h0000644000000000000000000000045313607467143014034 0ustar rootroot/***** Autogenerated from runpair.in; changes will be overwritten *****/ #ifndef runpair_H #define runpair_H namespace run { void pairZero(vm::stack *); void realRealToPair(vm::stack *); void pairNegate(vm::stack *); void pairXPart(vm::stack *); void pairYPart(vm::stack *); } #endif // runpair_H asymptote-2.62/runtime.h0000644000000000000000000000221313607467143014033 0ustar rootroot/***** Autogenerated from runtime.in; changes will be overwritten *****/ #ifndef runtime_H #define runtime_H namespace run { void IntZero(vm::stack *); void realZero(vm::stack *); void boolFalse(vm::stack *); void pushNullArray(vm::stack *); void pushNullRecord(vm::stack *); void pushNullFunction(vm::stack *); void pushDefault(vm::stack *); void isDefault(vm::stack *); void pairToGuide(vm::stack *); void pathToGuide(vm::stack *); void guideToPath(vm::stack *); void newPen(vm::stack *); void loadModule(vm::stack *); void nullGuide(vm::stack *); void dotsGuide(vm::stack *); void dashesGuide(vm::stack *); void newCycleToken(vm::stack *); void curlSpecifierValuePart(vm::stack *); void curlSpecifierSidePart(vm::stack *); void tensionSpecifierOutPart(vm::stack *); void tensionSpecifierInPart(vm::stack *); void tensionSpecifierAtleastPart(vm::stack *); void transformXPart(vm::stack *); void transformYPart(vm::stack *); void transformXXPart(vm::stack *); void transformXYPart(vm::stack *); void transformYXPart(vm::stack *); void transformYYPart(vm::stack *); void real6ToTransform(vm::stack *); void transformIdentity(vm::stack *); } #endif // runtime_H asymptote-2.62/array.cc0000644000000000000000000001102013607467113013615 0ustar rootroot/***** * array.cc * Andy Hammerlindl 2008/01/26 * * Array type used by virtual machine. *****/ #include "array.h" #include "mod.h" namespace vm { inline void checkBackSlice(Int left, Int right) { if (right < left) // There isn't a clear behaviour for slices of the form A[5:2], so we don't // allow them. (Atleast, not until we can figure out what the behaviour // should be.) vm::error("slice ends before it begins"); } inline size_t sliceIndex(Int in, size_t len) { if (in < 0) // The Python behaviour here would simply be // in += len; // but this is inconsistent with Asymptote issuing an error for A[-1] if A // is a non-cyclic array, so we also issue an error here. vm::error("invalid negative index in slice of non-cyclic array"); if (in < 0) return 0; size_t index = (size_t)in; return index < len ? index : len; } array *array::slice(Int left, Int right) { checkBackSlice(left, right); if (left == right) return new array(); size_t length=size(); if (length == 0) return new array(); if (cycle) { size_t resultLength = (size_t)(right - left); array *result = new array(resultLength); size_t i = (size_t)imod(left, length), ri = 0; while (ri < resultLength) { (*result)[ri] = (*this)[i]; ++ri; ++i; if (i >= length) i -= length; } return result; } else { // Non-cyclic size_t l = sliceIndex(left, length); size_t r = sliceIndex(right, length); size_t resultLength = r - l; array *result = new array(resultLength); std::copy(this->begin()+l, this->begin()+r, result->begin()); return result; } } void array::setNonBridgingSlice(size_t l, size_t r, mem::vector *a) { assert(0 <= l); assert(l <= r); size_t asize=a->size(); if (asize == r-l) { // In place std::copy(a->begin(), a->end(), this->begin()+l); } else if (asize < r-l) { // Shrinking std::copy(a->begin(), a->end(), this->begin()+l); this->erase(this->begin()+l+a->size(), this->begin()+r); } else { // Expanding // NOTE: As a speed optimization, we could check capacity() to see if the // array can fit the new entries, and build the new array from scratch // (using swap()) if a new allocation is necessary. std::copy(a->begin(), a->begin()+r-l, this->begin()+l); this->insert(this->begin()+r, a->begin()+r-l, a->end()); } } void array::setBridgingSlice(size_t l, size_t r, mem::vector *a) { size_t len=this->size(); assert(r<=l); assert(r+len-l == a->size()); std::copy(a->begin(), a->begin()+(len-l), this->begin()+l); std::copy(a->begin()+(len-l), a->end(), this->begin()); } void array::setSlice(Int left, Int right, array *a) { checkBackSlice(left, right); // If we are slicing an array into itself, slice in a copy instead, to ensure // the proper result. mem::vector *v = (a == this) ? new mem::vector(*a) : a; size_t length=size(); if (cycle) { if (right == left) { // Notice that assigning to the slice A[A.length:A.length] is the same as // assigning to the slice A[0:0] for a cyclic array. size_t l = (size_t)imod(left, length); setNonBridgingSlice(l, l, v); } else { if (left + (Int) length < right) vm::error("assigning to cyclic slice with repeated entries"); size_t l = (size_t)imod(left, length); // Set r to length instead of zero, so that slices that go to the end of // the array are properly treated as non-bridging. size_t r = (size_t)imod(right, length); if (r == 0) r = length; if (l < r) setNonBridgingSlice(l, r, v); else { if (r + length - l == v->size()) setBridgingSlice(l, r, v); else vm::error("assignment to cyclic slice is not well defined"); } } } else { size_t l=sliceIndex(left, length); size_t r=sliceIndex(right, length); setNonBridgingSlice(l, r, v); } } item copyItemToDepth(item i, size_t depth) { if (depth == 0) return i; else return get(i)->copyToDepth(depth); } array *array::copyToDepth(size_t depth) { if (depth == 0) { return this; } else { size_t n=this->size(); array *a=new array(n); a->cycle = this->cycle; for (size_t i=0; i(n), cycle(false) { for (size_t k=0; k #include #include #include "genv.h" #include "env.h" #include "dec.h" #include "stm.h" #include "types.h" #include "settings.h" #include "runtime.h" #include "parser.h" #include "locate.h" #include "interact.h" #include "builtin.h" using namespace types; using settings::getSetting; using settings::Setting; // Dynamic loading of external libraries. types::record *transExternalModule(trans::genv& ge, string filename, symbol id); namespace trans { genv::genv() : imap() { // Add settings as a module. This is so that the init file ~/.asy/config.asy // can set settings. imap["settings"]=settings::getSettingsModule(); // Translate plain in advance, if we're using autoplain. if(getSetting("autoplain")) { Setting("autoplain")=false; // Translate plain without autoplain. getModule(symbol::trans("plain"), "plain"); Setting("autoplain")=true; } #ifdef HAVE_LIBGSL imap["gsl"]=trans::getGSLModule(); #endif } bool endswith(string suffix, string str) { return std::equal(suffix.rbegin(), suffix.rend(), str.rbegin()); } record *genv::loadModule(symbol id, string filename) { // Hackish way to load an external library. #if 0 if (endswith(".so", filename)) { return transExternalModule(*this, filename, id); } #endif // Get the abstract syntax tree. absyntax::file *ast = parser::parseFile(filename,"Loading"); inTranslation.push_front(filename); em.sync(); record *r=ast->transAsFile(*this, id); inTranslation.remove(filename); return r; } void genv::checkRecursion(string filename) { if (find(inTranslation.begin(), inTranslation.end(), filename) != inTranslation.end()) { em.sync(); em << "error: recursive loading of module '" << filename << "'\n"; em.sync(); throw handled_error(); } } record *genv::getModule(symbol id, string filename) { checkRecursion(filename); record *r=imap[filename]; if (r) return r; else { record *r=loadModule(id, filename); // Don't add an erroneous module to the dictionary in interactive mode, as // the user may try to load it again. if (!interact::interactive || !em.errors()) imap[filename]=r; return r; } } typedef vm::stack::importInitMap importInitMap; importInitMap *genv::getInitMap() { struct initMap : public importInitMap, public gc { genv ≥ initMap(genv &ge) : ge(ge) {} lambda *operator[](string s) { record *r=ge.imap[s]; return r ? r->getInit() : 0; } }; return new initMap(*this); } } // namespace trans asymptote-2.62/application.cc0000644000000000000000000004414613607467113015021 0ustar rootroot/***** * application.cc * Andy Hammerlindl 2005/05/20 * * An application is a matching of arguments in a call expression to formal * parameters of a function. Since the language allows default arguments, * keyword arguments, rest arguments, and anything else we think of, this * is not a simple mapping. *****/ #include "application.h" #include "exp.h" #include "coenv.h" #include "runtime.h" #include "runarray.h" using namespace types; using absyntax::varinit; using absyntax::arrayinit; using absyntax::arglist; namespace trans { // Lower scores are better. Packed is added onto the other qualifiers so // we may score both exact and casted packed arguments. const score FAIL=0, EXACT=1, CAST=2; const score PACKED=2; bool castable(env &e, formal& target, formal& source) { return target.Explicit ? equivalent(target.t,source.t) : e.castable(target.t,source.t, symbol::castsym); } score castScore(env &e, formal& target, formal& source) { return equivalent(target.t,source.t) ? EXACT : (!target.Explicit && e.fastCastable(target.t,source.t)) ? CAST : FAIL; } void restArg::transMaker(coenv &e, Int size, bool rest) { // Push the number of cells and call the array maker. e.c.encode(inst::intpush, size); e.c.encode(inst::builtin, rest ? run::newAppendedArray : run::newInitializedArray); } void restArg::trans(coenv &e, temp_vector &temps) { // Push the values on the stack. for (mem::list::iterator p = inits.begin(); p != inits.end(); ++p) (*p)->trans(e, temps); if (rest) rest->trans(e, temps); transMaker(e, (Int)inits.size(), (bool)rest); } class maximizer { app_list l; // Tests if x is as good (or better) an application as y. bool asgood(application *x, application *y) { // Matches to open signatures are always worse than matches to normal // signatures. if (x->sig->isOpen) return y->sig->isOpen; else if (y->sig->isOpen) return true; assert (x->scores.size() == y->scores.size()); // Test if each score in x is no higher than the corresponding score in // y. return std::equal(x->scores.begin(), x->scores.end(), y->scores.begin(), std::less_equal()); } bool better(application *x, application *y) { return asgood(x,y) && !asgood(y,x); } // Add an application that has already been determined to be maximal. // Remove any other applications that are now not maximal because of its // addition. void addMaximal(application *x) { app_list::iterator y=l.begin(); while (y!=l.end()) if (better(x,*y)) y=l.erase(y); else ++y; l.push_front(x); } // Tests if x is maximal. bool maximal(application *x) { for (app_list::iterator y=l.begin(); y!=l.end(); ++y) if (better(*y,x)) return false; return true; } public: maximizer() {} void add(application *x) { if (maximal(x)) addMaximal(x); } app_list result() { return l; } }; ty *restCellType(signature *sig) { formal& f=sig->getRest(); if (f.t) { array *a=dynamic_cast(f.t); if (a) return a->celltype; } return 0; } void application::initRest() { formal& f=sig->getRest(); if (f.t) { ty *ct = restCellType(sig); if (!ct) vm::error("formal rest argument must be an array"); rf=formal(ct, symbol::nullsym, false, f.Explicit); } if (f.t || sig->isOpen) { rest=new restArg(); } } //const Int REST=-1; const Int NOMATCH=-2; Int application::find(symbol name) { formal_vector &f=sig->formals; for (size_t i=index; iadd(seq.addArg(a, rf.t, evalIndex)); scores.push_back(s+PACKED); return true; } } return false; } bool application::matchAtSpot(size_t spot, env &e, formal &source, varinit *a, size_t evalIndex) { formal &target=sig->getFormal(spot); score s=castScore(e, target, source); if (s == FAIL) return false; else if (sig->formalIsKeywordOnly(spot) && source.name == symbol::nullsym) return false; else { // The argument matches. args[spot]=seq.addArg(a, target.t, evalIndex); if (spot==index) advanceIndex(); scores.push_back(s); return true; } } bool application::matchArgument(env &e, formal &source, varinit *a, size_t evalIndex) { assert(!source.name); if (index==args.size()) // Try to pack into the rest array. return matchArgumentToRest(e, source, a, evalIndex); else // Match here, or failing that use a default and try to match at the next // spot. return matchAtSpot(index, e, source, a, evalIndex) || (matchDefault() && matchArgument(e, source, a, evalIndex)); } bool application::matchNamedArgument(env &e, formal &source, varinit *a, size_t evalIndex) { assert(source.name); Int spot=find(source.name); return spot!=NOMATCH && matchAtSpot(spot, e, source, a, evalIndex); } bool application::complete() { if (index==args.size()) return true; else if (matchDefault()) return complete(); else return false; } bool application::matchRest(env &e, formal &source, varinit *a, size_t evalIndex) { // First make sure all non-rest arguments are matched (matching to defaults // if necessary). if (complete()) // Match rest to rest. if (rest) { formal &target=sig->getRest(); score s=castScore(e, target, source); if (s!=FAIL) { rest->addRest(seq.addArg(a, target.t, evalIndex)); scores.push_back(s); return true; } } return false; } // When the argument should be evaluated, possibly adjusting for a rest // argument which occurs before named arguments. size_t adjustIndex(size_t i, size_t ri) { return i < ri ? i : i+1; } bool application::matchSignature(env &e, types::signature *source, arglist &al) { formal_vector &f=source->formals; #if 0 cout << "num args: " << f.size() << endl; cout << "num keyword-only: " << sig->numKeywordOnly << endl; #endif size_t ri = al.rest.val ? al.restPosition : f.size(); // First, match all of the named (non-rest) arguments. for (size_t i=0; ihasRest()) if (!matchRest(e, source->getRest(), al.rest.val, ri)) return false; // Fill in any remaining arguments with their defaults. return complete(); } bool application::matchOpen(env &e, signature *source, arglist &al) { assert(rest); // Pack all given parameters into the rest argument. formal_vector &f=source->formals; for (size_t i = 0; i < f.size(); ++i) if (al[i].name) // Named arguments are not handled by open signatures. return false; else rest->add(seq.addArg(al[i].val, f[i].t, i)); if (source->hasRest()) rest->addRest(new varinitArg(al.rest.val, source->getRest().t)); return true; } application *application::match(env &e, function *t, signature *source, arglist &al) { assert(t->kind==ty_function); application *app=new application(t); bool success = t->getSignature()->isOpen ? app->matchOpen(e, source, al) : app->matchSignature(e, source, al); //cout << "MATCH " << success << endl; return success ? app : 0; } void application::transArgs(coenv &e) { temp_vector temps; for(arg_vector::iterator a=args.begin(); a != args.end(); ++a) (*a)->trans(e,temps); if (rest) rest->trans(e,temps); } bool application::exact() { if (sig->isOpen) return false; for (score_vector::iterator p = scores.begin(); p != scores.end(); ++p) if (*p != EXACT) return false; return true; } bool application::halfExact() { if (sig->isOpen) return false; if (scores.size() != 2) return false; if (scores[0] == EXACT && scores[1] == CAST) return true; if (scores[0] == CAST && scores[1] == EXACT) return true; return false; } // True if any of the formals have names. bool namedFormals(signature *sig) { formal_vector& formals = sig->formals; size_t n = formals.size(); for (size_t i = 0; i < n; ++i) { if (formals[i].name) return true; } return false; } // Tests if arguments in the source signature can be matched to the formals // in the target signature with no casting or packing. // This allows overloaded args, but not named args. bool exactMightMatch(signature *target, signature *source) { // Open signatures never exactly match. if (target->isOpen) return false; #if 0 assert(!namedFormals(source)); #endif formal_vector& formals = target->formals; formal_vector& args = source->formals; // Sizes of the two lists. size_t fn = formals.size(), an = args.size(); // Indices for the two lists. size_t fi = 0, ai = 0; while (fi < fn && ai < an) { if (equivalent(formals[fi].t, args[ai].t)) { // Arguments match, move to the next. ++fi; ++ai; } else if (formals[fi].defval) { // Match formal to default value. ++fi; } else { // Failed to match formal. return false; } } assert(fi == fn || ai == an); // Packing array arguments into the rest formal is inexact. Do not allow it // here. if (ai < an) return false; assert(ai == an); // Match any remaining formal to defaults. while (fi < fn) if (formals[fi].defval) { // Match formal to default value. ++fi; } else { // Failed to match formal. return false; } // Non-rest arguments have matched. assert(fi == fn && ai == an); // Try to match the rest argument if given. if (source->hasRest()) { if (!target->hasRest()) return false; if (!equivalent(source->getRest().t, target->getRest().t)) return false; } // All arguments have matched. return true; } // Tries to match applications without casting. If an application matches // here, we need not attempt to match others with the slower, more general // techniques. app_list exactMultimatch(env &e, types::overloaded *o, types::signature *source, arglist &al) { assert(source); app_list l; // This can't handle named arguments. if (namedFormals(source)) return l; /* empty */ for (ty_vector::iterator t=o->sub.begin(); t!=o->sub.end(); ++t) { if ((*t)->kind != ty_function) continue; function *ft = (function *)*t; // First we run a test to see if all arguments could be exactly matched. // If this returns false, no such match is possible. // If it returns true, an exact match may or may not be possible. if (!exactMightMatch(ft->getSignature(), source)) continue; application *a=application::match(e, ft, source, al); // Consider calling // void f(A a=new A, int y) // with // f(3) // This matches exactly if there is no implicit cast from int to A. // Otherwise, it does not match. // Thus, there is no way to know if the // match truly is exact without looking at the environment. // In such a case, exactMightMatch() must return true, but there is no // exact match. Such false positives are eliminated here. // // Consider calling // void f(int x, real y=0.0, int z=0) // with // f(1,2) // exactMightMatch() will return true, matching 1 to x and 2 to z, but the // application::match will give an inexact match of 1 to x to 2 to y, due // to the cast from int to real. Therefore, we must test for exactness // even after matching. if (a && a->exact()) l.push_back(a); } //cout << "EXACTMATCH " << (!l.empty()) << endl; return l; } bool halfExactMightMatch(env &e, signature *target, types::ty *t1, types::ty *t2) { formal_vector& formals = target->formals; if (formals.size() < 2) return false; if (formals.size() > 2) { // We should probably abort the whole matching in this case. For now, // return true and let the usual matching handle it. return true; } assert(formals[0].t); assert(formals[1].t); // These casting tests if successful will be repeated again by // application::match. It would be nice to avoid this somehow, but the // additional complexity is probably not worth the minor speed improvement. if (equivalent(formals[0].t, t1)) return e.fastCastable(formals[1].t, t2); else return equivalent(formals[1].t, t2) && e.fastCastable(formals[0].t, t1); } // Most common after exact matches are cases such as // 2 + 3.4 (int, real) --> (real, real) // that is, binary operations where one of the operands matches exactly and the // other does not. This function searches for these so-called "half-exact" // matches. This should only be called after exactMultimatch has failed. app_list halfExactMultimatch(env &e, types::overloaded *o, types::signature *source, arglist &al) { assert(source); app_list l; // Half exact is only in the case of two arguments. formal_vector& formals = source->formals; if (formals.size() != 2 || source->hasRest()) return l; /* empty */ // This can't handle named arguments. if (namedFormals(source)) return l; /* empty */ // Alias the two argument types. types::ty *t1 = formals[0].t; types::ty *t2 = formals[1].t; assert(t1); assert(t2); for (ty_vector::iterator t=o->sub.begin(); t!=o->sub.end(); ++t) { if ((*t)->kind != ty_function) continue; function *ft = (function *)*t; #if 1 if (!halfExactMightMatch(e, ft->getSignature(), t1, t2)) continue; #endif application *a=application::match(e, ft, source, al); #if 1 if (a && a->halfExact()) l.push_back(a); #endif } return l; } // Simple check if there are too many arguments to match the candidate // function. // A "tooFewArgs" variant was also implemented at some point, but did // not give any speed-up. bool tooManyArgs(types::signature *target, types::signature *source) { return source->getNumFormals() > target->getNumFormals() && !target->hasRest(); } // The full overloading resolution system, which handles casting of arguments, // packing into rest arguments, named arguments, etc. app_list inexactMultimatch(env &e, types::overloaded *o, types::signature *source, arglist &al) { assert(source); app_list l; #define DEBUG_GETAPP 0 #if DEBUG_GETAPP //cout << "source: " << *source << endl; //cout << "ARGS: " << source->getNumFormals() << endl; bool perfect=false; bool exact=false; bool halfExact=false; #endif for(ty_vector::iterator t=o->sub.begin(); t!=o->sub.end(); ++t) { if ((*t)->kind==ty_function) { #if DEBUG_GETAPP function *ft = dynamic_cast(*t); signature *target = ft->getSignature(); if (equivalent(target, source)) perfect = true; #endif // Check if there are two many arguments to match. if (tooManyArgs((*t)->getSignature(), source)) continue; application *a=application::match(e, (function *)(*t), source, al); if (a) l.push_back(a); #if DEBUG_GETAPP if (a && !namedFormals(source)) { assert(a->exact() == exactlyMatchable(ft->getSignature(), source)); if (a->halfExact() && !namedFormals(source)) { assert(halfExactMightMatch(e, target, source->getFormal(0).t, source->getFormal(1).t)); } } if (a && a->exact()) exact = true; if (a && a->halfExact()) halfExact = true; #endif } } #if DEBUG_GETAPP cout << (perfect ? "PERFECT" : exact ? "EXACT" : halfExact ? "HALFEXACT" : "IMPERFECT") << endl; #endif if (l.size() > 1) { // Return the most specific candidates. maximizer m; for (app_list::iterator x=l.begin(); x!=l.end(); ++x) { assert(*x); m.add(*x); } return m.result(); } else return l; } enum testExactType { TEST_EXACT, DONT_TEST_EXACT, }; // Sanity check for multimatch optimizations. void sameApplications(app_list a, app_list b, testExactType te) { assert(a.size() == b.size()); if (te == TEST_EXACT) { for (app_list::iterator i = a.begin(); i != a.end(); ++i) { if (!(*i)->exact()) { cout << *(*i)->getType() << endl; } assert((*i)->exact()); } for (app_list::iterator i = b.begin(); i != b.end(); ++i) assert((*i)->exact()); } if (a.size() == 1) assert(equivalent(a.front()->getType(), b.front()->getType())); } app_list multimatch(env &e, types::overloaded *o, types::signature *source, arglist &al) { app_list a = exactMultimatch(e, o, source, al); if (!a.empty()) { #if DEBUG_CACHE // Make sure that exactMultimatch and the fallback return the same // application(s). sameApplications(a, inexactMultimatch(e, o, source, al), TEST_EXACT); #endif return a; } a = halfExactMultimatch(e, o, source, al); if (!a.empty()) { #if DEBUG_CACHE sameApplications(a, inexactMultimatch(e, o, source, al), DONT_TEST_EXACT); #endif return a; } // Slow but most general method. return inexactMultimatch(e, o, source, al); } } // namespace trans asymptote-2.62/config.h.in0000644000000000000000000001472413607467121014230 0ustar rootroot/* config.h.in. Generated from configure.ac by autoheader. */ /* Define if building universal (internal helper macro) */ #undef AC_APPLE_UNIVERSAL_BUILD /* Directory for documentation */ #undef ASYMPTOTE_DOCDIR /* System directory for global .asy files */ #undef ASYMPTOTE_SYSDIR /* Define to 1 if you have the header file. */ #undef HAVE_CURSES_H /* Define to 1 if you have the `dup2' function. */ #undef HAVE_DUP2 /* Define to 1 if you have the `feenableexcept' function. */ #undef HAVE_FEENABLEEXCEPT /* Define to 1 if you have the header file. */ #undef HAVE_FENV_H /* Define to 1 if you have the `floor' function. */ #undef HAVE_FLOOR /* Define to 1 if you have the `fork' function. */ #undef HAVE_FORK /* Define to 1 if you have the header file. */ #undef HAVE_FPU_CONTROL_H /* Define to 1 if fseeko (and presumably ftello) exists and is declared. */ #undef HAVE_FSEEKO /* Define to 1 if you have GNU . */ #undef HAVE_GNU_GETOPT_H /* Define to 1 if you have the header file. */ #undef HAVE_INTTYPES_H /* Define to 1 if you have the `lgamma' function. */ #undef HAVE_LGAMMA /* Define to 1 if you have the `ncurses' library (-lncurses). */ #undef HAVE_LIBCURSES /* Define to 1 if you have the `fftw3' library (-lfftw3). */ #undef HAVE_LIBFFTW3 /* Define to 1 if you have the `gccpp' library (-lgccpp). */ #undef HAVE_LIBGCCPP /* Define to 1 if you have the `GL' library (-lGL). */ #undef HAVE_LIBGL /* Define to 1 if you have the header. */ #undef HAVE_LIBGLM /* Define to 1 if you have the `glut' library (-lglut). */ #undef HAVE_LIBGLUT /* Define to 1 if you have the `' library (-l). gsl */ #undef HAVE_LIBGSL /* Define to 1 if you have the header file. */ #undef HAVE_LIBINTL_H /* Define to 1 if you have the `ncurses' library (-lncurses). */ #undef HAVE_LIBNCURSES /* Define to 1 if you have the `OpenImageIO' library (-lOpenImageIO). */ #undef HAVE_LIBOPENIMAGEIO /* Define to 1 if you have the `OSMesa' library (-lOSMesa). */ #undef HAVE_LIBOSMESA /* Define to 1 if you have the `readline' library (-lreadline). */ #undef HAVE_LIBREADLINE /* Define to 1 if you have the `rt' library (-lrt). */ #undef HAVE_LIBRT /* Define to 1 if you have the `sigsegv' library (-lsigsegv). */ #undef HAVE_LIBSIGSEGV /* Define to 1 if you have the `tinfo' library (-ltinfo). */ #undef HAVE_LIBTINFO /* Define to 1 if you have the `z' library (-lz). */ #undef HAVE_LIBZ /* Define to 1 if the system has the type `long'. */ #undef HAVE_LONG /* Define to 1 if the system has the type `long long'. */ #undef HAVE_LONG_LONG /* Define to 1 if you have the header file. */ #undef HAVE_MEMORY_H /* Define to 1 if you have the `memrchr' function. */ #undef HAVE_MEMRCHR /* Define to 1 if you have the `memset' function. */ #undef HAVE_MEMSET /* Define to 1 if you have the header file. */ #undef HAVE_NCURSES_CURSES_H /* Define to 1 if you have the header file. */ #undef HAVE_NCURSES_H /* Define if you have POSIX threads libraries and header files. */ #undef HAVE_PTHREAD /* Have PTHREAD_PRIO_INHERIT. */ #undef HAVE_PTHREAD_PRIO_INHERIT /* Define to 1 if the system has the type `ptrdiff_t'. */ #undef HAVE_PTRDIFF_T /* Define to 1 if you have a working header. */ #undef HAVE_RPC_RPC_H /* Define to 1 if you have the header file. */ #undef HAVE_STDDEF_H /* Define to 1 if you have the header file. */ #undef HAVE_STDINT_H /* Define to 1 if you have the header file. */ #undef HAVE_STDLIB_H /* Define to 1 if you have the `strchr' function. */ #undef HAVE_STRCHR /* Define to 1 if you have the `strftime' function. */ #undef HAVE_STRFTIME /* Define to 1 if you have the header file. */ #undef HAVE_STRINGS_H /* Define to 1 if you have the header file. */ #undef HAVE_STRING_H /* Define to 1 if you have the `strptime' function. */ #undef HAVE_STRPTIME /* Define to 1 if you have the header file. */ #undef HAVE_SYS_STAT_H /* Define to 1 if you have the header file. */ #undef HAVE_SYS_TYPES_H /* Define to 1 if you have that is POSIX.1 compatible. */ #undef HAVE_SYS_WAIT_H /* Define to 1 if you have the `tgamma' function. */ #undef HAVE_TGAMMA /* Define to 1 if you have . */ #undef HAVE_TR1_UNORDERED_MAP /* Define to 1 if you have the header file. */ #undef HAVE_UNISTD_H /* Define to 1 if you have . */ #undef HAVE_UNORDERED_MAP /* Define to 1 if you have the `vfork' function. */ #undef HAVE_VFORK /* Define to 1 if you have the header file. */ #undef HAVE_VFORK_H /* Define to 1 if `fork' works. */ #undef HAVE_WORKING_FORK /* Define to 1 if `vfork' works. */ #undef HAVE_WORKING_VFORK /* Define to the address where bug reports for this package should be sent. */ #undef PACKAGE_BUGREPORT /* Define to the full name of this package. */ #undef PACKAGE_NAME /* Define to the full name and version of this package. */ #undef PACKAGE_STRING /* Define to the one symbol short name of this package. */ #undef PACKAGE_TARNAME /* Define to the home page for this package. */ #undef PACKAGE_URL /* Define to the version of this package. */ #undef PACKAGE_VERSION /* Define to necessary symbol if this constant uses a non-standard name on your system. */ #undef PTHREAD_CREATE_JOINABLE /* Define as the return type of signal handlers (`int' or `void'). */ #undef RETSIGTYPE /* Define to 1 if you have the ANSI C header files. */ #undef STDC_HEADERS /* Define WORDS_BIGENDIAN to 1 if your processor stores words with the most significant byte first (like Motorola and SPARC, unlike Intel). */ #if defined AC_APPLE_UNIVERSAL_BUILD # if defined __BIG_ENDIAN__ # define WORDS_BIGENDIAN 1 # endif #else # ifndef WORDS_BIGENDIAN # undef WORDS_BIGENDIAN # endif #endif /* Define to 1 if `lex' declares `yytext' as a `char *' by default, not a `char[]'. */ #undef YYTEXT_POINTER /* Define to 1 to make fseeko visible on some hosts (e.g. glibc 2.2). */ #undef _LARGEFILE_SOURCE /* Define to empty if `const' does not conform to ANSI C. */ #undef const /* Define to `__inline__' or `__inline' if that's what the C compiler calls it, or to nothing if 'inline' is not supported under any name. */ #ifndef __cplusplus #undef inline #endif /* Define to `int' if does not define. */ #undef pid_t /* Define to `unsigned int' if does not define. */ #undef size_t /* Define as `fork' if `vfork' does not work. */ #undef vfork asymptote-2.62/refaccess.h0000644000000000000000000000362013607467113014306 0ustar rootroot/***** * refaccess.h * Andy Hammerlindl 2003/12/03 * * An access which refers to a variable or other object in C++. *****/ #ifndef REFACCESS_H #define REFACCESS_H #include "access.h" #include "inst.h" #include "coder.h" #include "stack.h" namespace trans { // Access refers to a piece of data, represented by an item, somewhere in the // C++ code. class itemRefAccess : public access { vm::item *ref; public: itemRefAccess(vm::item *ref) : ref(ref) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *); }; // Access refers to an arbitrary piece of data of type T. template class refAccess : public access { T *ref; public: refAccess(T *ref) : ref(ref) {} void encode(action act, position pos, coder &e); void encode(action act, position pos, coder &e, frame *); }; template void pointerRead(vm::stack *s) { T *ptr=vm::pop(s); s->push(*ptr); } template void pointerWrite(vm::stack *s) { T *ptr=vm::pop(s); T value=vm::pop(s); *ptr=value; s->push(value); } template void refAccess::encode(action act, position, coder &e) { // You may be able to use typeid(T).name() to get a better label. REGISTER_BLTIN((bltin) pointerRead, "pointerRead"); REGISTER_BLTIN((bltin) pointerWrite, "pointerWrite"); e.encode(vm::inst::constpush, (vm::item)ref); switch (act) { case READ: e.encode(vm::inst::builtin, (bltin) pointerRead); break; case WRITE: e.encode(vm::inst::builtin, (bltin) pointerWrite); break; case CALL: e.encode(vm::inst::builtin, (bltin) pointerRead); e.encode(vm::inst::popcall); break; }; } template void refAccess::encode(action act, position pos, coder &e, frame *) { // Get rid of the useless top frame. e.encode(vm::inst::pop); encode(act, pos, e); } } #endif asymptote-2.62/stm.cc0000644000000000000000000002750713607467113013323 0ustar rootroot/***** * stm.cc * Andy Hammerlindl 2002/8/30 * * Statements are everything in the language that do something on their * own. Statements are different from declarations in that statements * do not modify the environment. Translation of a statement puts the * stack code to run it into the instruction stream. *****/ #include #include "errormsg.h" #include "settings.h" #include "coenv.h" #include "exp.h" #include "stm.h" #include "symbol.h" #include "opsymbols.h" namespace absyntax { using namespace trans; using namespace types; void stm::prettyprint(ostream &out, Int indent) { prettyname(out,"stm",indent); } void emptyStm::prettyprint(ostream &out, Int indent) { prettyname(out,"emptyStm",indent); } void blockStm::prettyprint(ostream &out, Int indent) { prettyname(out,"blockStm",indent); base->prettyprint(out, indent+1); } void expStm::prettyprint(ostream &out, Int indent) { prettyname(out,"expStm",indent); body->prettyprint(out, indent+1); } void baseExpTrans(coenv &e, exp *expr) { types::ty_kind kind = expr->trans(e)->kind; if (kind != types::ty_void) // Remove any value it puts on the stack. e.c.encodePop(); } void expStm::trans(coenv &e) { baseExpTrans(e, body); } // For an object such as currentpicture, write 'picture currentpicture' to // give some information. Only do this when the object has a name. void tryToWriteTypeOfExp(types::ty *t, exp *body) { symbol name=body->getName(); if (!name) return; overloaded *set = dynamic_cast(t); if (set) for(ty_vector::iterator ot=set->sub.begin(); ot!=set->sub.end(); ++ot) tryToWriteTypeOfExp(*ot, body); else { cout << "<"; t->printVar(cout, name); cout << ">" << endl; } } // From dec.cc: varEntry *makeVarEntry(position pos, coenv &e, record *r, types::ty *t); void storeExp(coenv &e, types::ty *t, exp *expr) { assert(t->kind != ty_error); assert(t->kind != ty_void); assert(t->kind != ty_overloaded); expr->transAsType(e, t); // Store the value in a new variable of the proper type. varEntry *v = makeVarEntry(expr->getPos(), e, 0, t); e.e.addVar(symbol::trans("operator answer"), v); v->getLocation()->encode(WRITE, expr->getPos(), e.c); e.c.encodePop(); } void storeAndWriteExp(coenv &e, types::ty *t, exp *expr) { storeExp(e, t, expr); position pos=expr->getPos(); baseExpTrans(e, new callExp(pos, new nameExp(pos, "write"), new nameExp(pos, "operator answer"))); } void tryToWriteExp(coenv &e, exp *expr) { position pos=expr->getPos(); types::ty *t=expr->cgetType(e); if(!t) return; // If the original expression is bad, just print the errors. // If it is a function which returns void, just call the function. if (t->kind == ty_error || t->kind == ty_void) { baseExpTrans(e, expr); return; } exp *callee=new nameExp(pos, symbol::trans("write")); exp *call=new callExp(pos, callee, expr); types::ty *ct=call->getType(e); if (ct->kind == ty_error || ct->kind == ty_overloaded) { if (t->kind == ty_overloaded) { // Translate the expr in order to print the ambiguity error first. expr->trans(e); em.sync(); assert(em.errors()); // Then, write out all of the types. tryToWriteTypeOfExp(t, expr); } else { // Write the type of the expression and, since it is unique, assign it to // 'operator answer' even though its value isn't printed. tryToWriteTypeOfExp(t, expr); storeExp(e, t, expr); } } else if (t->kind == ty_overloaded) { // If the exp is overloaded, but the act of writing makes it // unambiguous, add a suffix to the output to warn the user of this. exp *suffix=new nameExp(pos, symbol::trans("overloadedMessage")); exp *callWithSuffix=new callExp(pos, callee, expr, suffix); if (callWithSuffix->getType(e)->kind != ty_error) baseExpTrans(e, callWithSuffix); else baseExpTrans(e, call); } else { // Interactive writing can proceed normally. storeAndWriteExp(e, t, expr); } } void expStm::interactiveTrans(coenv &e) { // First check if it is the kind of expression that should be written. if (body->writtenToPrompt() && settings::getSetting("interactiveWrite")) tryToWriteExp(e, body); else baseExpTrans(e, body); } void ifStm::prettyprint(ostream &out, Int indent) { prettyname(out,"ifStm",indent); test->prettyprint(out, indent+1); onTrue->prettyprint(out, indent+1); if (onFalse) onFalse->prettyprint(out, indent+1); } void ifStm::trans(coenv &e) { label elseLabel = e.c.fwdLabel(); label end = e.c.fwdLabel(); test->transConditionalJump(e, false, elseLabel); onTrue->markTrans(e); if (onFalse) { // Encode the jump around the 'else' clause at the end of the 'if' clause e.c.useLabel(inst::jmp,end); e.c.defLabel(elseLabel); onFalse->markTrans(e); } else { e.c.defLabel(elseLabel); } e.c.defLabel(end); } void transLoopBody(coenv &e, stm *body) { // The semantics of the language are defined so that any variable declared // inside a loop are new variables for each iteration of the loop. For // instance, the code // // int f(); // for (int i = 0; i < 10; ++i) { // int j=10*i; // if (i == 5) // f = new int() { return j; }; // } // write(f()); // // will write 50. This is implemented by allocating a new frame for each // iteration. However, this can have a big performance hit, so we first // translate the code without the frame, check if it needed the closure, and // rewrite the code if necessary. label start = e.c.defNewLabel(); // Encode a no-op, in case we need to jump over the default implementation // to a special case. e.c.encode(inst::nop); body->markTrans(e); // Don't re-translate if there were errors. if (em.errors()) return; if (e.c.usesClosureSinceLabel(start)){ // Jump over the old section. label end = e.c.defNewLabel(); e.c.encodePatch(start, end); // Let coder know that break and continue need to pop the frame. e.c.loopPushesFrame(); e.c.encodePushFrame(); body->markTrans(e); e.c.encodePopFrame(); } } void whileStm::prettyprint(ostream &out, Int indent) { prettyname(out,"whileStm",indent); test->prettyprint(out, indent+1); body->prettyprint(out, indent+1); } void whileStm::trans(coenv &e) { label end = e.c.fwdLabel(); label start = e.c.defNewLabel(); e.c.pushLoop(start, end); test->transConditionalJump(e, false, end); transLoopBody(e,body); e.c.useLabel(inst::jmp,start); e.c.defLabel(end); e.c.popLoop(); } void doStm::prettyprint(ostream &out, Int indent) { prettyname(out,"doStm",indent); body->prettyprint(out, indent+1); test->prettyprint(out, indent+1); } void doStm::trans(coenv &e) { label testLabel = e.c.fwdLabel(); label end = e.c.fwdLabel(); e.c.pushLoop(testLabel, end); label start = e.c.defNewLabel(); transLoopBody(e,body); e.c.defLabel(testLabel); test->transConditionalJump(e, true, start); e.c.defLabel(end); e.c.popLoop(); } void forStm::prettyprint(ostream &out, Int indent) { prettyname(out,"forStm",indent); if (init) init->prettyprint(out, indent+1); if (test) test->prettyprint(out, indent+1); if (update) update->prettyprint(out, indent+1); body->prettyprint(out, indent+1); } void forStm::trans(coenv &e) { // Any vardec in the initializer needs its own scope. e.e.beginScope(); if (init) init->markTrans(e); label ctarget = e.c.fwdLabel(); label end = e.c.fwdLabel(); e.c.pushLoop(ctarget, end); label start = e.c.defNewLabel(); if(test) { test->transConditionalJump(e, false, end); } transLoopBody(e,body); e.c.defLabel(ctarget); if (update) update->markTrans(e); e.c.useLabel(inst::jmp,start); e.c.defLabel(end); e.c.popLoop(); e.e.endScope(); } void extendedForStm::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "extendedForStm: '" << var << "'\n"; start->prettyprint(out, indent+1); set->prettyprint(out, indent+1); body->prettyprint(out, indent+1); } void extendedForStm::trans(coenv &e) { // Translate into the syntax: // // start[] a = set; // for (int i=0; i < a.length; ++i) { // start var=a[i]; // body // } position pos=getPos(); // Use gensyms for the variable names so as not to pollute the namespace. symbol a=symbol::gensym("a"); symbol i=symbol::gensym("i"); // Get the start type. Handle type inference as a special case. types::ty *t = start->trans(e, true); if (t->kind == types::ty_inferred) { // First ensure the array expression is an unambiguous array. types::ty *at = set->cgetType(e); if (at->kind != ty_array) { em.error(set->getPos()); em << "expression is not an array of inferable type"; // On failure, don't bother trying to translate the loop. return; } // var a=set; tyEntryTy tet(pos, primInferred()); decid dec1(pos, new decidstart(pos, a), set); vardec(pos, &tet, &dec1).trans(e); } else { // start[] a=set; arrayTy at(pos, start, new dimensions(pos)); decid dec1(pos, new decidstart(pos, a), set); vardec(pos, &at, &dec1).trans(e); } // { start var=a[i]; body } block b(pos); decid dec2(pos, new decidstart(pos, var), new subscriptExp(pos, new nameExp(pos, a), new nameExp(pos, i))); b.add(new vardec(pos, start, &dec2)); b.add(body); // for (int i=0; i < a.length; ++i) // forStm(pos, new vardec(pos, new tyEntryTy(pos, primInt()), new decid(pos, new decidstart(pos, i), new intExp(pos, 0))), new binaryExp(pos, new nameExp(pos, i), SYM_LT, new nameExp(pos, new qualifiedName(pos, new simpleName(pos, a), symbol::trans("length")))), new expStm(pos, new prefixExp(pos, new nameExp(pos, i), SYM_PLUS)), new blockStm(pos, &b)).trans(e); } void breakStm::prettyprint(ostream &out, Int indent) { prettyname(out,"breakStm",indent); } void breakStm::trans(coenv &e) { if (!e.c.encodeBreak()) { em.error(getPos()); em << "break statement outside of a loop"; } } void continueStm::prettyprint(ostream &out, Int indent) { prettyname(out,"continueStm",indent); } void continueStm::trans(coenv &e) { if (!e.c.encodeContinue()) { em.error(getPos()); em << "continue statement outside of a loop"; } } void returnStm::prettyprint(ostream &out, Int indent) { prettyname(out, "returnStm",indent); if (value) value->prettyprint(out, indent+1); } void returnStm::trans(coenv &e) { types::ty *t = e.c.getReturnType(); if (t->kind == ty_void) { if (value) { em.error(getPos()); em << "function cannot return a value"; } if (e.c.isRecord()) e.c.encode(inst::pushclosure); } else { if (value) { value->transToType(e, t); } else { em.error(getPos()); em << "function must return a value"; } } // NOTE: Currently, a return statement in a module definition will end // the initializer. Should this be allowed? e.c.encode(inst::ret); } void stmExpList::prettyprint(ostream &out, Int indent) { prettyname(out, "stmExpList",indent); for (mem::list::iterator p = stms.begin(); p != stms.end(); ++p) (*p)->prettyprint(out, indent+1); } void stmExpList::trans(coenv &e) { for (mem::list::iterator p = stms.begin(); p != stms.end(); ++p) (*p)->markTrans(e); } } // namespace absyntax asymptote-2.62/absyn.cc0000644000000000000000000000073013607467113013621 0ustar rootroot/**** * absyn.cc * Tom Prince 2004/05/12 * * Utility functions for syntax trees. *****/ #include "absyn.h" #include "coenv.h" namespace absyntax { void absyn::markPos(trans::coenv& e) { e.c.markPos(getPos()); } absyn::~absyn() {} void prettyindent(ostream &out, Int indent) { for (Int i = 0; i < indent; i++) out << " "; } void prettyname(ostream &out, string name, Int indent) { prettyindent(out,indent); out << name << "\n"; } } // namespace absyntax asymptote-2.62/memory.h0000644000000000000000000001171613607467113013665 0ustar rootroot/**** * memory.h * * Interface to the Boehm Garbage Collector. *****/ #ifndef MEMORY_H #define MEMORY_H #include #include #include #include #include #include #include #ifndef NOHASH #ifdef HAVE_TR1_UNORDERED_MAP #include #include #define EXT std::tr1 #else #ifdef HAVE_UNORDERED_MAP #include #define EXT std #else #define EXT __gnu_cxx #include #define unordered_map hash_map #define unordered_multimap hash_multimap #endif #endif #endif #ifdef __DECCXX_LIBCXX_RH70 #define CONST #else #define CONST const #endif #ifdef USEGC #define GC_THREADS #ifdef __clang__ #define GC_ATTR_EXPLICIT #endif #include #ifdef GC_DEBUG extern "C" { #include } #endif inline void *asy_malloc(size_t n) { #ifdef GC_DEBUG if(void *mem=GC_debug_malloc_ignore_off_page(n, GC_EXTRAS)) #else if(void *mem=GC_malloc_ignore_off_page(n)) #endif return mem; throw std::bad_alloc(); } inline void *asy_malloc_atomic(size_t n) { #ifdef GC_DEBUG if(void *mem=GC_debug_malloc_atomic_ignore_off_page(n, GC_EXTRAS)) #else if(void *mem=GC_malloc_atomic_ignore_off_page(n)) #endif return mem; throw std::bad_alloc(); } #undef GC_MALLOC #undef GC_MALLOC_ATOMIC #define GC_MALLOC(sz) asy_malloc(sz) #define GC_MALLOC_ATOMIC(sz) asy_malloc_atomic(sz) #include #include #define gc_allocator gc_allocator_ignore_off_page #else // USEGC using std::allocator; #define gc_allocator allocator class gc {}; class gc_cleanup {}; enum GCPlacement {UseGC, NoGC, PointerFreeGC}; inline void* operator new(size_t size, GCPlacement) { return operator new(size); } inline void* operator new[](size_t size, GCPlacement) { return operator new(size); } template struct GC_type_traits {}; #define GC_DECLARE_PTRFREE(T) \ template<> struct GC_type_traits {} #endif // USEGC namespace mem { #define GC_CONTAINER(KIND) \ template \ struct KIND : public std::KIND >, public gc { \ KIND() : std::KIND >() {} \ KIND(size_t n) : std::KIND >(n) {} \ KIND(size_t n, const T& t) : std::KIND >(n,t) {} \ } GC_CONTAINER(list); GC_CONTAINER(vector); GC_CONTAINER(deque); template > struct stack : public std::stack, public gc { }; #define PAIR_ALLOC gc_allocator > /* space */ #undef GC_CONTAINER #define GC_CONTAINER(KIND) \ template > \ struct KIND : public std::KIND, public gc \ { \ KIND() : std::KIND () {} \ } GC_CONTAINER(map); GC_CONTAINER(multimap); #undef GC_CONTAINER #ifndef NOHASH #define GC_CONTAINER(KIND) \ template , \ typename Eq = std::equal_to > \ struct KIND : public \ EXT::KIND, public gc { \ KIND() : EXT::KIND () {} \ KIND(size_t n) \ : EXT::KIND (n) {} \ } GC_CONTAINER(unordered_map); GC_CONTAINER(unordered_multimap); #undef GC_CONTAINER #undef EXT #endif #undef PAIR_ALLOC #ifdef USEGC typedef std::basic_string, gc_allocator > string; typedef std::basic_stringstream, gc_allocator > stringstream; typedef std::basic_istringstream, gc_allocator > istringstream; typedef std::basic_ostringstream, gc_allocator > ostringstream; typedef std::basic_stringbuf, gc_allocator > stringbuf; inline void compact(int x) {GC_set_dont_expand(x);} #else inline void compact(int x) {} typedef std::string string; typedef std::stringstream stringstream; typedef std::istringstream istringstream; typedef std::ostringstream ostringstream; typedef std::stringbuf stringbuf; #endif // USEGC } // namespace mem #endif asymptote-2.62/item.h0000644000000000000000000001334113607467113013307 0ustar rootroot/***** * item.h * Tom Prince and John Bowman 2005/04/12 * * Descibes the items that are used by the virtual machine. *****/ #ifndef ITEM_H #define ITEM_H #include "common.h" #include #include #if COMPACT #include #else #include #endif namespace vm { class item; class bad_item_value {}; template T get(const item&); #if COMPACT // Identify a default argument. extern const Int DefaultValue; // Identify an undefined item. extern const Int Undefined; // Values for true and false unlikely to match other values. extern const Int BoolTruthValue; extern const Int BoolFalseValue; inline Int valueFromBool(bool b) { return b ? BoolTruthValue : BoolFalseValue; } #endif extern const item Default; class item : public gc { private: #if !COMPACT const std::type_info *kind; #endif union { Int i; double x; #if !COMPACT bool b; #endif void *p; }; public: #if COMPACT bool empty() const {return i >= Undefined;} item() : i(Undefined) {} item(Int i) : i(i) {} item(int i) : i(i) {} item(double x) : x(x) {} item(bool b) : i(valueFromBool(b)) {} item& operator= (int a) { i=a; return *this; } item& operator= (unsigned int a) { i=a; return *this; } item& operator= (Int a) { i=a; return *this; } item& operator= (double a) { x=a; return *this; } item& operator= (bool b) { i=valueFromBool(b); return *this; } template item(T *p) : p((void *) p) { assert(!empty()); } template item(const T &p) : p(new(UseGC) T(p)) { assert(!empty()); } template item& operator= (T *a) { p=(void *) a; return *this; } template item& operator= (const T &it) { p=new(UseGC) T(it); return *this; } #else bool empty() const {return *kind == typeid(void);} item() : kind(&typeid(void)) {} item(Int i) : kind(&typeid(Int)), i(i) {} item(int i) : kind(&typeid(Int)), i(i) {} item(double x) : kind(&typeid(double)), x(x) {} item(bool b) : kind(&typeid(bool)), b(b) {} item& operator= (int a) { kind=&typeid(Int); i=a; return *this; } item& operator= (unsigned int a) { kind=&typeid(Int); i=a; return *this; } item& operator= (Int a) { kind=&typeid(Int); i=a; return *this; } item& operator= (double a) { kind=&typeid(double); x=a; return *this; } item& operator= (bool a) { kind=&typeid(bool); b=a; return *this; } template item(T *p) : kind(&typeid(T)), p((void *) p) {} template item(const T &p) : kind(&typeid(T)), p(new(UseGC) T(p)) {} template item& operator= (T *a) { kind=&typeid(T); p=(void *) a; return *this; } template item& operator= (const T &it) { kind=&typeid(T); p=new(UseGC) T(it); return *this; } const std::type_info &type() const { return *kind; } #endif template friend inline T get(const item&); friend inline bool isdefault(const item&); friend ostream& operator<< (ostream& out, const item& i); private: template struct help; template struct help { static T* unwrap(const item& it) { #if COMPACT if(!it.empty()) return (T*) it.p; #else if(*it.kind == typeid(T)) return (T*) it.p; #endif throw vm::bad_item_value(); } }; template struct help { static T& unwrap(const item& it) { #if COMPACT if(!it.empty()) return *(T*) it.p; #else if(*it.kind == typeid(T)) return *(T*) it.p; #endif throw vm::bad_item_value(); } }; }; #ifdef SIMPLE_FRAME // In the simple implementation, a frame is just an array of items. typedef item frame; #else class frame : public gc { #ifdef DEBUG_FRAME string name; Int parentIndex; #endif typedef mem::vector internal_vars_t; internal_vars_t vars; // Allow the stack direct access to vars. friend class stack; public: #ifdef DEBUG_FRAME frame(string name, Int parentIndex, size_t size) : name(name), parentIndex(parentIndex), vars(size) {} string getName() { return name; } Int getParentIndex() { return parentIndex; } #else frame(size_t size) : vars(size) {} #endif item& operator[] (size_t n) { return vars[n]; } item operator[] (size_t n) const { return vars[n]; } size_t size() { return vars.size(); } // Extends vars to ensure it has a place for any variable indexed up to n. void extend(size_t n) { if(vars.size() < n) vars.resize(n); } }; #endif template inline T get(const item& it) { return item::help::unwrap(it); } template <> inline int get(const item&) { throw vm::bad_item_value(); } template <> inline Int get(const item& it) { #if COMPACT if(!it.empty()) return it.i; #else if(*it.kind == typeid(Int)) return it.i; #endif throw vm::bad_item_value(); } template <> inline double get(const item& it) { #if COMPACT if(!it.empty()) return it.x; #else if(*it.kind == typeid(double)) return it.x; #endif throw vm::bad_item_value(); } template <> inline bool get(const item& it) { #if COMPACT if(it.i == BoolTruthValue) return true; if(it.i == BoolFalseValue) return false; #else if(*it.kind == typeid(bool)) return it.b; #endif throw vm::bad_item_value(); } #if !COMPACT // This serves as the object for representing a default argument. struct default_t : public gc {}; #endif inline bool isdefault(const item& it) { #if COMPACT return it.i == DefaultValue; #else return *it.kind == typeid(default_t); #endif } ostream& operator<< (ostream& out, const item& i); } // namespace vm #endif // ITEM_H asymptote-2.62/lnkX64IconFix.nsh0000644000000000000000000000531613607467113015263 0ustar rootroot/****************************************************************************** WORKAROUND - lnkX64IconFix This snippet was developed to address an issue with Windows x64 incorrectly redirecting the shortcuts icon from $PROGRAMFILES32 to $PROGRAMFILES64. See Forum post: http://forums.winamp.com/newreply.php?do=postreply&t=327806 Example: CreateShortcut "$SMPROGRAMS\My App\My App.lnk" "$INSTDIR\My App.exe" "" "$INSTDIR\My App.exe" ${lnkX64IconFix} "$SMPROGRAMS\My App\My App.lnk" Original Code by Anders [http://forums.winamp.com/member.php?u=70852] ******************************************************************************/ !ifndef ___lnkX64IconFix___ !verbose push !verbose 0 !include "LogicLib.nsh" !include "x64.nsh" !define ___lnkX64IconFix___ !define lnkX64IconFix `!insertmacro _lnkX64IconFix` !macro _lnkX64IconFix _lnkPath !verbose push !verbose 0 ${If} ${RunningX64} DetailPrint "WORKAROUND: 64bit OS Detected, Attempting to apply lnkX64IconFix" Push "${_lnkPath}" Call lnkX64IconFix ${EndIf} !verbose pop !macroend Function lnkX64IconFix ; _lnkPath Exch $5 Push $0 Push $1 Push $2 Push $3 Push $4 System::Call 'OLE32::CoCreateInstance(g "{00021401-0000-0000-c000-000000000046}",i 0,i 1,g "{000214ee-0000-0000-c000-000000000046}",*i.r1)i' ${If} $1 <> 0 System::Call '$1->0(g "{0000010b-0000-0000-C000-000000000046}",*i.r2)' ${If} $2 <> 0 System::Call '$2->5(w r5,i 2)i.r0' ${If} $0 = 0 System::Call '$1->0(g "{45e2b4ae-b1c3-11d0-b92f-00a0c90312e1}",*i.r3)i.r0' ${If} $3 <> 0 System::Call '$3->5(i 0xA0000007)i.r0' System::Call '$3->6(*i.r4)i.r0' ${If} $0 = 0 IntOp $4 $4 & 0xffffBFFF System::Call '$3->7(ir4)i.r0' ${If} $0 = 0 System::Call '$2->6(i0,i0)' DetailPrint "WORKAROUND: lnkX64IconFix Applied successfully" ${EndIf} ${EndIf} System::Call $3->2() ${EndIf} ${EndIf} System::Call $2->2() ${EndIf} System::Call $1->2() ${EndIf} Pop $4 Pop $3 Pop $2 Pop $1 Pop $0 FunctionEnd !verbose pop !endif asymptote-2.62/psfile.h0000644000000000000000000002213213607467113013631 0ustar rootroot/***** * psfile.h * Andy Hammerlindl 2002/06/10 * * Encapsulates the writing of commands to a PostScript file. * Allows identification and removal of redundant commands. *****/ #ifndef PSFILE_H #define PSFILE_H #include #include #include #include "pair.h" #include "path.h" #include "bbox.h" #include "pen.h" #include "array.h" #include "callable.h" namespace camp { inline void BoundingBox(std::ostream& s, const bbox& box) { s << "%%BoundingBox: " << std::setprecision(0) << std::fixed << box.LowRes() << newl; s.unsetf(std::ios::fixed); s << "%%HiResBoundingBox: " << std::setprecision(9) << box << newl; } // An ASCII85Encode filter. class encode85 { ostream *out; int tuple; int pos; int count; static const int width=72; public: encode85(ostream *out) : out(out), tuple(0), pos(0), count(0) {} ~encode85() { if(count > 0) encode(tuple, count); if(pos+2 > width) *out << '\n'; *out << "~>\n"; } private: void encode(unsigned int tuple, int count) { unsigned char buf[5], *s=buf; int i=5; do { *s++=tuple % 85; tuple /= 85; } while(--i > 0); i=count; do { *out << (unsigned char) (*--s + '!'); if(pos++ >= width) { pos=0; *out << '\n'; } } while(i-- > 0); } public: void put(unsigned char c) { switch (count++) { case 0: tuple |= (c << 24); break; case 1: tuple |= (c << 16); break; case 2: tuple |= (c << 8); break; case 3: tuple |= c; if(tuple == 0) { *out << 'z'; if(pos++ >= width) { pos=0; *out << '\n'; } } else encode(tuple, count); tuple=0; count=0; break; } } }; class psfile { protected: mem::stack pens; public: string filename; bool pdfformat; // Is final output format PDF? bool pdf; // Output direct PDF? bool transparency; // Is transparency used? unsigned char *buffer; size_t count; void write(pen *p, size_t ncomponents); void writefromRGB(unsigned char r, unsigned char g, unsigned char b, ColorSpace colorspace, size_t ncomponents); void writeCompressed(const unsigned char *a, size_t size); void dealias(unsigned char *a, size_t width, size_t height, size_t n, bool convertrgb=false, ColorSpace colorspace=DEFCOLOR); void beginImage(size_t n) { buffer=new unsigned char[n]; count=0; } void outImage(bool antialias, size_t width, size_t height, size_t ncomponents); void endImage(bool antialias, size_t width, size_t height, size_t ncomponents) { outImage(antialias,width,height,ncomponents); delete[] buffer; } void writeByte(unsigned char n) { buffer[count++]=n; } protected: pen lastpen; std::ostream *out; public: psfile(const string& filename, bool pdfformat); psfile() {pdf=settings::pdf(settings::getSetting("tex"));} virtual ~psfile(); void BoundingBox(const bbox& box) { camp::BoundingBox(*out,box); } void prologue(const bbox& box); void epilogue(); void header(bool eps); void close(); void write(double x) { *out << " " << x; } void writenewl() { *out << newl; } // bool Transparency() { // return transparency; // } void write(pair z) { *out << " " << z.getx() << " " << z.gety(); } void write(transform t) { if(!pdf) *out << "["; *out << " " << t.getxx() << " " << t.getyx() << " " << t.getxy() << " " << t.getyy() << " " << t.getx() << " " << t.gety(); if(!pdf) *out << "]"; } void resetpen() { lastpen=pen(initialpen); lastpen.convert(); } void setcolor(const pen& p, const string& begin, const string& end); void setopacity(const pen& p); virtual void setpen(pen p); void write(const pen& p); void write(path p, bool newPath=true); virtual void writeclip(path p, bool newPath=true) { write(p,newPath); } virtual void dot(path p, pen, bool newPath=true) { write(p,newPath); } virtual void newpath() { if(!pdf) *out << "newpath"; } virtual void moveto(pair z) { write(z); if(pdf) *out << " m" << newl; else *out << " moveto" << newl; } virtual void lineto(pair z) { write(z); if(pdf) *out << " l" << newl; else *out << " lineto" << newl; } virtual void curveto(pair zp, pair zm, pair z1) { write(zp); write(zm); write(z1); if(pdf) *out << " c" << newl; else *out << " curveto" << newl; } virtual void closepath() { if(pdf) *out << "h" << newl; else *out << "closepath" << newl; } virtual void stroke(const pen &p, bool dot=false) { if(pdf) *out << "S" << newl; else *out << "stroke" << newl; } virtual void strokepath() { if(pdf) reportError("PDF does not support strokepath"); else *out << "strokepath" << newl; } virtual void fill(const pen &p) { if(p.evenodd()) { if(pdf) *out << "f*" << newl; else *out << "eofill" << newl; } else { if(pdf) *out << "f" << newl; else *out << "fill" << newl; } } virtual void beginclip() { newpath(); } virtual void endclip(const pen &p) { if(p.evenodd()) { if(pdf) *out << "W* n" << newl; else *out << "eoclip" << newl; } else { if(pdf) *out << "W n" << newl; else *out << "clip" << newl; } } virtual void endpsclip(const pen &p) {endclip(p);} void checkLevel() { int n=settings::getSetting("level"); if(n < 3) reportError("PostScript shading requires -level 3"); } virtual void beginlatticeshade(const vm::array& a, const bbox& b) {} virtual void latticeshade(const vm::array& a, const transform& t); virtual void begingradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, const pen& penb, const pair& b, double rb) {} virtual void gradientshade(bool axial, ColorSpace colorspace, const pen& pena, const pair& a, double ra, bool extenda, const pen& penb, const pair& b, double rb, bool extendb); virtual void begingouraudshade(const vm::array& pens, const vm::array& vertices, const vm::array& edges) {} virtual void gouraudshade(const pen& pentype, const vm::array& pens, const vm::array& vertices, const vm::array& edges); virtual void begintensorshade(const vm::array& pens, const vm::array& boundaries, const vm::array& z) {} virtual void tensorshade(const pen& pentype, const vm::array& pens, const vm::array& boundaries, const vm::array& z); void vertexpen(vm::array *pi, int j, ColorSpace colorspace); void imageheader(size_t width, size_t height, ColorSpace colorspace); void image(const vm::array& a, const vm::array& p, bool antialias); void image(const vm::array& a, bool antialias); void image(vm::stack *Stack, vm::callable *f, Int width, Int height, bool antialias); void rawimage(unsigned char *a, size_t width, size_t height, bool antialias); virtual void gsave(bool tex=false) { if(pdf) *out << "q"; else *out << "gsave"; if(!tex) *out << newl; pens.push(lastpen); } virtual void grestore(bool tex=false) { if(pens.size() < 1) reportError("grestore without matching gsave"); lastpen=pens.top(); pens.pop(); if(pdf) *out << "Q"; else *out << "grestore"; if(!tex) *out << newl; } virtual void translate(pair z) { if(z == pair(0.0,0.0)) return; if(pdf) *out << " 1 0 0 1 " << newl; write(z); if(pdf) *out << " cm" << newl; *out << " translate" << newl; } // Multiply on a transform to the transformation matrix. virtual void concat(transform t) { if(t.isIdentity()) return; write(t); if(pdf) *out << " cm" << newl; else *out << " concat" << newl; } void verbatimline(const string& s) { *out << s << newl; } void verbatim(const string& s) { *out << s; } // Determine shading and image transparency based on first pen. void setfirstopacity(const vm::array& pens) { if(pens.size() > 0) { pen *p=vm::read(pens,0); setopacity(*p); } } ColorSpace maxcolorspace(const vm::array& pens) { ColorSpace colorspace=DEFCOLOR; size_t size=pens.size(); for(size_t i=0; i < size; i++) { pen *p=vm::read(pens,i); p->convert(); colorspace=max(colorspace,p->colorspace()); } return colorspace; } ColorSpace maxcolorspace2(const vm::array& penarray) { ColorSpace colorspace=DEFCOLOR; size_t size=penarray.size(); for(size_t i=0; i < size; i++) colorspace=max(colorspace, maxcolorspace(vm::read(penarray,i))); return colorspace; } }; } //namespace camp #endif asymptote-2.62/config.sub0000755000000000000000000010645513607467113014174 0ustar rootroot#! /bin/sh # Configuration validation subroutine script. # Copyright 1992-2018 Free Software Foundation, Inc. timestamp='2018-03-08' # This file 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 . # # As a special exception to the GNU General Public License, if you # distribute this file as part of a program that contains a # configuration script generated by Autoconf, you may include it under # the same distribution terms that you use for the rest of that # program. This Exception is an additional permission under section 7 # of the GNU General Public License, version 3 ("GPLv3"). # Please send patches to . # # Configuration subroutine to validate and canonicalize a configuration type. # Supply the specified configuration type as an argument. # If it is invalid, we print an error message on stderr and exit with code 1. # Otherwise, we print the canonical config type on stdout and succeed. # You can get the latest version of this script from: # https://git.savannah.gnu.org/gitweb/?p=config.git;a=blob_plain;f=config.sub # This file is supposed to be the same for all GNU packages # and recognize all the CPU types, system types and aliases # that are meaningful with *any* GNU software. # Each package is responsible for reporting which valid configurations # it does not support. The user should be able to distinguish # a failure to support a valid configuration from a meaningless # configuration. # The goal of this file is to map all the various variations of a given # machine specification into a single specification in the form: # CPU_TYPE-MANUFACTURER-OPERATING_SYSTEM # or in some cases, the newer four-part form: # CPU_TYPE-MANUFACTURER-KERNEL-OPERATING_SYSTEM # It is wrong to echo any other type of specification. me=`echo "$0" | sed -e 's,.*/,,'` usage="\ Usage: $0 [OPTION] CPU-MFR-OPSYS or ALIAS Canonicalize a configuration name. Options: -h, --help print this help, then exit -t, --time-stamp print date of last modification, then exit -v, --version print version number, then exit Report bugs and patches to ." version="\ GNU config.sub ($timestamp) Copyright 1992-2018 Free Software Foundation, Inc. This is free software; see the source for copying conditions. There is NO warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE." help=" Try \`$me --help' for more information." # Parse command line while test $# -gt 0 ; do case $1 in --time-stamp | --time* | -t ) echo "$timestamp" ; exit ;; --version | -v ) echo "$version" ; exit ;; --help | --h* | -h ) echo "$usage"; exit ;; -- ) # Stop option processing shift; break ;; - ) # Use stdin as input. break ;; -* ) echo "$me: invalid option $1$help" exit 1 ;; *local*) # First pass through any local machine types. echo "$1" exit ;; * ) break ;; esac done case $# in 0) echo "$me: missing argument$help" >&2 exit 1;; 1) ;; *) echo "$me: too many arguments$help" >&2 exit 1;; esac # Separate what the user gave into CPU-COMPANY and OS or KERNEL-OS (if any). # Here we must recognize all the valid KERNEL-OS combinations. maybe_os=`echo "$1" | sed 's/^\(.*\)-\([^-]*-[^-]*\)$/\2/'` case $maybe_os in nto-qnx* | linux-gnu* | linux-android* | linux-dietlibc | linux-newlib* | \ linux-musl* | linux-uclibc* | uclinux-uclibc* | uclinux-gnu* | kfreebsd*-gnu* | \ knetbsd*-gnu* | netbsd*-gnu* | netbsd*-eabi* | \ kopensolaris*-gnu* | cloudabi*-eabi* | \ storm-chaos* | os2-emx* | rtmk-nova*) os=-$maybe_os basic_machine=`echo "$1" | sed 's/^\(.*\)-\([^-]*-[^-]*\)$/\1/'` ;; android-linux) os=-linux-android basic_machine=`echo "$1" | sed 's/^\(.*\)-\([^-]*-[^-]*\)$/\1/'`-unknown ;; *) basic_machine=`echo "$1" | sed 's/-[^-]*$//'` if [ "$basic_machine" != "$1" ] then os=`echo "$1" | sed 's/.*-/-/'` else os=; fi ;; esac ### Let's recognize common machines as not being operating systems so ### that things like config.sub decstation-3100 work. We also ### recognize some manufacturers as not being operating systems, so we ### can provide default operating systems below. case $os in -sun*os*) # Prevent following clause from handling this invalid input. ;; -dec* | -mips* | -sequent* | -encore* | -pc532* | -sgi* | -sony* | \ -att* | -7300* | -3300* | -delta* | -motorola* | -sun[234]* | \ -unicom* | -ibm* | -next | -hp | -isi* | -apollo | -altos* | \ -convergent* | -ncr* | -news | -32* | -3600* | -3100* | -hitachi* |\ -c[123]* | -convex* | -sun | -crds | -omron* | -dg | -ultra | -tti* | \ -harris | -dolphin | -highlevel | -gould | -cbm | -ns | -masscomp | \ -apple | -axis | -knuth | -cray | -microblaze*) os= basic_machine=$1 ;; -bluegene*) os=-cnk ;; -sim | -cisco | -oki | -wec | -winbond) os= basic_machine=$1 ;; -scout) ;; -wrs) os=-vxworks basic_machine=$1 ;; -chorusos*) os=-chorusos basic_machine=$1 ;; -chorusrdb) os=-chorusrdb basic_machine=$1 ;; -hiux*) os=-hiuxwe2 ;; -sco6) os=-sco5v6 basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -sco5) os=-sco3.2v5 basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -sco4) os=-sco3.2v4 basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -sco3.2.[4-9]*) os=`echo $os | sed -e 's/sco3.2./sco3.2v/'` basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -sco3.2v[4-9]*) # Don't forget version if it is 3.2v4 or newer. basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -sco5v6*) # Don't forget version if it is 3.2v4 or newer. basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -sco*) os=-sco3.2v2 basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -udk*) basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -isc) os=-isc2.2 basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -clix*) basic_machine=clipper-intergraph ;; -isc*) basic_machine=`echo "$1" | sed -e 's/86-.*/86-pc/'` ;; -lynx*178) os=-lynxos178 ;; -lynx*5) os=-lynxos5 ;; -lynx*) os=-lynxos ;; -ptx*) basic_machine=`echo "$1" | sed -e 's/86-.*/86-sequent/'` ;; -psos*) os=-psos ;; -mint | -mint[0-9]*) basic_machine=m68k-atari os=-mint ;; esac # Decode aliases for certain CPU-COMPANY combinations. case $basic_machine in # Recognize the basic CPU types without company name. # Some are omitted here because they have special meanings below. 1750a | 580 \ | a29k \ | aarch64 | aarch64_be \ | alpha | alphaev[4-8] | alphaev56 | alphaev6[78] | alphapca5[67] \ | alpha64 | alpha64ev[4-8] | alpha64ev56 | alpha64ev6[78] | alpha64pca5[67] \ | am33_2.0 \ | arc | arceb \ | arm | arm[bl]e | arme[lb] | armv[2-8] | armv[3-8][lb] | armv7[arm] \ | avr | avr32 \ | ba \ | be32 | be64 \ | bfin \ | c4x | c8051 | clipper \ | d10v | d30v | dlx | dsp16xx \ | e2k | epiphany \ | fido | fr30 | frv | ft32 \ | h8300 | h8500 | hppa | hppa1.[01] | hppa2.0 | hppa2.0[nw] | hppa64 \ | hexagon \ | i370 | i860 | i960 | ia16 | ia64 \ | ip2k | iq2000 \ | k1om \ | le32 | le64 \ | lm32 \ | m32c | m32r | m32rle | m68000 | m68k | m88k \ | maxq | mb | microblaze | microblazeel | mcore | mep | metag \ | mips | mipsbe | mipseb | mipsel | mipsle \ | mips16 \ | mips64 | mips64el \ | mips64octeon | mips64octeonel \ | mips64orion | mips64orionel \ | mips64r5900 | mips64r5900el \ | mips64vr | mips64vrel \ | mips64vr4100 | mips64vr4100el \ | mips64vr4300 | mips64vr4300el \ | mips64vr5000 | mips64vr5000el \ | mips64vr5900 | mips64vr5900el \ | mipsisa32 | mipsisa32el \ | mipsisa32r2 | mipsisa32r2el \ | mipsisa32r6 | mipsisa32r6el \ | mipsisa64 | mipsisa64el \ | mipsisa64r2 | mipsisa64r2el \ | mipsisa64r6 | mipsisa64r6el \ | mipsisa64sb1 | mipsisa64sb1el \ | mipsisa64sr71k | mipsisa64sr71kel \ | mipsr5900 | mipsr5900el \ | mipstx39 | mipstx39el \ | mn10200 | mn10300 \ | moxie \ | mt \ | msp430 \ | nds32 | nds32le | nds32be \ | nios | nios2 | nios2eb | nios2el \ | ns16k | ns32k \ | open8 | or1k | or1knd | or32 \ | pdp10 | pj | pjl \ | powerpc | powerpc64 | powerpc64le | powerpcle \ | pru \ | pyramid \ | riscv32 | riscv64 \ | rl78 | rx \ | score \ | sh | sh[1234] | sh[24]a | sh[24]aeb | sh[23]e | sh[234]eb | sheb | shbe | shle | sh[1234]le | sh3ele \ | sh64 | sh64le \ | sparc | sparc64 | sparc64b | sparc64v | sparc86x | sparclet | sparclite \ | sparcv8 | sparcv9 | sparcv9b | sparcv9v \ | spu \ | tahoe | tic4x | tic54x | tic55x | tic6x | tic80 | tron \ | ubicom32 \ | v850 | v850e | v850e1 | v850e2 | v850es | v850e2v3 \ | visium \ | wasm32 \ | x86 | xc16x | xstormy16 | xtensa \ | z8k | z80) basic_machine=$basic_machine-unknown ;; c54x) basic_machine=tic54x-unknown ;; c55x) basic_machine=tic55x-unknown ;; c6x) basic_machine=tic6x-unknown ;; leon|leon[3-9]) basic_machine=sparc-$basic_machine ;; m6811 | m68hc11 | m6812 | m68hc12 | m68hcs12x | nvptx | picochip) basic_machine=$basic_machine-unknown os=-none ;; m88110 | m680[12346]0 | m683?2 | m68360 | m5200 | v70 | w65) ;; ms1) basic_machine=mt-unknown ;; strongarm | thumb | xscale) basic_machine=arm-unknown ;; xgate) basic_machine=$basic_machine-unknown os=-none ;; xscaleeb) basic_machine=armeb-unknown ;; xscaleel) basic_machine=armel-unknown ;; # We use `pc' rather than `unknown' # because (1) that's what they normally are, and # (2) the word "unknown" tends to confuse beginning users. i*86 | x86_64) basic_machine=$basic_machine-pc ;; # Object if more than one company name word. *-*-*) echo Invalid configuration \`"$1"\': machine \`"$basic_machine"\' not recognized 1>&2 exit 1 ;; # Recognize the basic CPU types with company name. 580-* \ | a29k-* \ | aarch64-* | aarch64_be-* \ | alpha-* | alphaev[4-8]-* | alphaev56-* | alphaev6[78]-* \ | alpha64-* | alpha64ev[4-8]-* | alpha64ev56-* | alpha64ev6[78]-* \ | alphapca5[67]-* | alpha64pca5[67]-* | arc-* | arceb-* \ | arm-* | armbe-* | armle-* | armeb-* | armv*-* \ | avr-* | avr32-* \ | ba-* \ | be32-* | be64-* \ | bfin-* | bs2000-* \ | c[123]* | c30-* | [cjt]90-* | c4x-* \ | c8051-* | clipper-* | craynv-* | cydra-* \ | d10v-* | d30v-* | dlx-* \ | e2k-* | elxsi-* \ | f30[01]-* | f700-* | fido-* | fr30-* | frv-* | fx80-* \ | h8300-* | h8500-* \ | hppa-* | hppa1.[01]-* | hppa2.0-* | hppa2.0[nw]-* | hppa64-* \ | hexagon-* \ | i*86-* | i860-* | i960-* | ia16-* | ia64-* \ | ip2k-* | iq2000-* \ | k1om-* \ | le32-* | le64-* \ | lm32-* \ | m32c-* | m32r-* | m32rle-* \ | m68000-* | m680[012346]0-* | m68360-* | m683?2-* | m68k-* \ | m88110-* | m88k-* | maxq-* | mcore-* | metag-* \ | microblaze-* | microblazeel-* \ | mips-* | mipsbe-* | mipseb-* | mipsel-* | mipsle-* \ | mips16-* \ | mips64-* | mips64el-* \ | mips64octeon-* | mips64octeonel-* \ | mips64orion-* | mips64orionel-* \ | mips64r5900-* | mips64r5900el-* \ | mips64vr-* | mips64vrel-* \ | mips64vr4100-* | mips64vr4100el-* \ | mips64vr4300-* | mips64vr4300el-* \ | mips64vr5000-* | mips64vr5000el-* \ | mips64vr5900-* | mips64vr5900el-* \ | mipsisa32-* | mipsisa32el-* \ | mipsisa32r2-* | mipsisa32r2el-* \ | mipsisa32r6-* | mipsisa32r6el-* \ | mipsisa64-* | mipsisa64el-* \ | mipsisa64r2-* | mipsisa64r2el-* \ | mipsisa64r6-* | mipsisa64r6el-* \ | mipsisa64sb1-* | mipsisa64sb1el-* \ | mipsisa64sr71k-* | mipsisa64sr71kel-* \ | mipsr5900-* | mipsr5900el-* \ | mipstx39-* | mipstx39el-* \ | mmix-* \ | mt-* \ | msp430-* \ | nds32-* | nds32le-* | nds32be-* \ | nios-* | nios2-* | nios2eb-* | nios2el-* \ | none-* | np1-* | ns16k-* | ns32k-* \ | open8-* \ | or1k*-* \ | orion-* \ | pdp10-* | pdp11-* | pj-* | pjl-* | pn-* | power-* \ | powerpc-* | powerpc64-* | powerpc64le-* | powerpcle-* \ | pru-* \ | pyramid-* \ | riscv32-* | riscv64-* \ | rl78-* | romp-* | rs6000-* | rx-* \ | sh-* | sh[1234]-* | sh[24]a-* | sh[24]aeb-* | sh[23]e-* | sh[34]eb-* | sheb-* | shbe-* \ | shle-* | sh[1234]le-* | sh3ele-* | sh64-* | sh64le-* \ | sparc-* | sparc64-* | sparc64b-* | sparc64v-* | sparc86x-* | sparclet-* \ | sparclite-* \ | sparcv8-* | sparcv9-* | sparcv9b-* | sparcv9v-* | sv1-* | sx*-* \ | tahoe-* \ | tic30-* | tic4x-* | tic54x-* | tic55x-* | tic6x-* | tic80-* \ | tile*-* \ | tron-* \ | ubicom32-* \ | v850-* | v850e-* | v850e1-* | v850es-* | v850e2-* | v850e2v3-* \ | vax-* \ | visium-* \ | wasm32-* \ | we32k-* \ | x86-* | x86_64-* | xc16x-* | xps100-* \ | xstormy16-* | xtensa*-* \ | ymp-* \ | z8k-* | z80-*) ;; # Recognize the basic CPU types without company name, with glob match. xtensa*) basic_machine=$basic_machine-unknown ;; # Recognize the various machine names and aliases which stand # for a CPU type and a company and sometimes even an OS. 386bsd) basic_machine=i386-pc os=-bsd ;; 3b1 | 7300 | 7300-att | att-7300 | pc7300 | safari | unixpc) basic_machine=m68000-att ;; 3b*) basic_machine=we32k-att ;; a29khif) basic_machine=a29k-amd os=-udi ;; abacus) basic_machine=abacus-unknown ;; adobe68k) basic_machine=m68010-adobe os=-scout ;; alliant | fx80) basic_machine=fx80-alliant ;; altos | altos3068) basic_machine=m68k-altos ;; am29k) basic_machine=a29k-none os=-bsd ;; amd64) basic_machine=x86_64-pc ;; amd64-*) basic_machine=x86_64-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; amdahl) basic_machine=580-amdahl os=-sysv ;; amiga | amiga-*) basic_machine=m68k-unknown ;; amigaos | amigados) basic_machine=m68k-unknown os=-amigaos ;; amigaunix | amix) basic_machine=m68k-unknown os=-sysv4 ;; apollo68) basic_machine=m68k-apollo os=-sysv ;; apollo68bsd) basic_machine=m68k-apollo os=-bsd ;; aros) basic_machine=i386-pc os=-aros ;; asmjs) basic_machine=asmjs-unknown ;; aux) basic_machine=m68k-apple os=-aux ;; balance) basic_machine=ns32k-sequent os=-dynix ;; blackfin) basic_machine=bfin-unknown os=-linux ;; blackfin-*) basic_machine=bfin-`echo "$basic_machine" | sed 's/^[^-]*-//'` os=-linux ;; bluegene*) basic_machine=powerpc-ibm os=-cnk ;; c54x-*) basic_machine=tic54x-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; c55x-*) basic_machine=tic55x-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; c6x-*) basic_machine=tic6x-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; c90) basic_machine=c90-cray os=-unicos ;; cegcc) basic_machine=arm-unknown os=-cegcc ;; convex-c1) basic_machine=c1-convex os=-bsd ;; convex-c2) basic_machine=c2-convex os=-bsd ;; convex-c32) basic_machine=c32-convex os=-bsd ;; convex-c34) basic_machine=c34-convex os=-bsd ;; convex-c38) basic_machine=c38-convex os=-bsd ;; cray | j90) basic_machine=j90-cray os=-unicos ;; craynv) basic_machine=craynv-cray os=-unicosmp ;; cr16 | cr16-*) basic_machine=cr16-unknown os=-elf ;; crds | unos) basic_machine=m68k-crds ;; crisv32 | crisv32-* | etraxfs*) basic_machine=crisv32-axis ;; cris | cris-* | etrax*) basic_machine=cris-axis ;; crx) basic_machine=crx-unknown os=-elf ;; da30 | da30-*) basic_machine=m68k-da30 ;; decstation | decstation-3100 | pmax | pmax-* | pmin | dec3100 | decstatn) basic_machine=mips-dec ;; decsystem10* | dec10*) basic_machine=pdp10-dec os=-tops10 ;; decsystem20* | dec20*) basic_machine=pdp10-dec os=-tops20 ;; delta | 3300 | motorola-3300 | motorola-delta \ | 3300-motorola | delta-motorola) basic_machine=m68k-motorola ;; delta88) basic_machine=m88k-motorola os=-sysv3 ;; dicos) basic_machine=i686-pc os=-dicos ;; djgpp) basic_machine=i586-pc os=-msdosdjgpp ;; dpx20 | dpx20-*) basic_machine=rs6000-bull os=-bosx ;; dpx2*) basic_machine=m68k-bull os=-sysv3 ;; e500v[12]) basic_machine=powerpc-unknown os=$os"spe" ;; e500v[12]-*) basic_machine=powerpc-`echo "$basic_machine" | sed 's/^[^-]*-//'` os=$os"spe" ;; ebmon29k) basic_machine=a29k-amd os=-ebmon ;; elxsi) basic_machine=elxsi-elxsi os=-bsd ;; encore | umax | mmax) basic_machine=ns32k-encore ;; es1800 | OSE68k | ose68k | ose | OSE) basic_machine=m68k-ericsson os=-ose ;; fx2800) basic_machine=i860-alliant ;; genix) basic_machine=ns32k-ns ;; gmicro) basic_machine=tron-gmicro os=-sysv ;; go32) basic_machine=i386-pc os=-go32 ;; h3050r* | hiux*) basic_machine=hppa1.1-hitachi os=-hiuxwe2 ;; h8300hms) basic_machine=h8300-hitachi os=-hms ;; h8300xray) basic_machine=h8300-hitachi os=-xray ;; h8500hms) basic_machine=h8500-hitachi os=-hms ;; harris) basic_machine=m88k-harris os=-sysv3 ;; hp300-*) basic_machine=m68k-hp ;; hp300bsd) basic_machine=m68k-hp os=-bsd ;; hp300hpux) basic_machine=m68k-hp os=-hpux ;; hp3k9[0-9][0-9] | hp9[0-9][0-9]) basic_machine=hppa1.0-hp ;; hp9k2[0-9][0-9] | hp9k31[0-9]) basic_machine=m68000-hp ;; hp9k3[2-9][0-9]) basic_machine=m68k-hp ;; hp9k6[0-9][0-9] | hp6[0-9][0-9]) basic_machine=hppa1.0-hp ;; hp9k7[0-79][0-9] | hp7[0-79][0-9]) basic_machine=hppa1.1-hp ;; hp9k78[0-9] | hp78[0-9]) # FIXME: really hppa2.0-hp basic_machine=hppa1.1-hp ;; hp9k8[67]1 | hp8[67]1 | hp9k80[24] | hp80[24] | hp9k8[78]9 | hp8[78]9 | hp9k893 | hp893) # FIXME: really hppa2.0-hp basic_machine=hppa1.1-hp ;; hp9k8[0-9][13679] | hp8[0-9][13679]) basic_machine=hppa1.1-hp ;; hp9k8[0-9][0-9] | hp8[0-9][0-9]) basic_machine=hppa1.0-hp ;; hppaosf) basic_machine=hppa1.1-hp os=-osf ;; hppro) basic_machine=hppa1.1-hp os=-proelf ;; i370-ibm* | ibm*) basic_machine=i370-ibm ;; i*86v32) basic_machine=`echo "$1" | sed -e 's/86.*/86-pc/'` os=-sysv32 ;; i*86v4*) basic_machine=`echo "$1" | sed -e 's/86.*/86-pc/'` os=-sysv4 ;; i*86v) basic_machine=`echo "$1" | sed -e 's/86.*/86-pc/'` os=-sysv ;; i*86sol2) basic_machine=`echo "$1" | sed -e 's/86.*/86-pc/'` os=-solaris2 ;; i386mach) basic_machine=i386-mach os=-mach ;; vsta) basic_machine=i386-unknown os=-vsta ;; iris | iris4d) basic_machine=mips-sgi case $os in -irix*) ;; *) os=-irix4 ;; esac ;; isi68 | isi) basic_machine=m68k-isi os=-sysv ;; leon-*|leon[3-9]-*) basic_machine=sparc-`echo "$basic_machine" | sed 's/-.*//'` ;; m68knommu) basic_machine=m68k-unknown os=-linux ;; m68knommu-*) basic_machine=m68k-`echo "$basic_machine" | sed 's/^[^-]*-//'` os=-linux ;; magnum | m3230) basic_machine=mips-mips os=-sysv ;; merlin) basic_machine=ns32k-utek os=-sysv ;; microblaze*) basic_machine=microblaze-xilinx ;; mingw64) basic_machine=x86_64-pc os=-mingw64 ;; mingw32) basic_machine=i686-pc os=-mingw32 ;; mingw32ce) basic_machine=arm-unknown os=-mingw32ce ;; miniframe) basic_machine=m68000-convergent ;; *mint | -mint[0-9]* | *MiNT | *MiNT[0-9]*) basic_machine=m68k-atari os=-mint ;; mips3*-*) basic_machine=`echo "$basic_machine" | sed -e 's/mips3/mips64/'` ;; mips3*) basic_machine=`echo "$basic_machine" | sed -e 's/mips3/mips64/'`-unknown ;; monitor) basic_machine=m68k-rom68k os=-coff ;; morphos) basic_machine=powerpc-unknown os=-morphos ;; moxiebox) basic_machine=moxie-unknown os=-moxiebox ;; msdos) basic_machine=i386-pc os=-msdos ;; ms1-*) basic_machine=`echo "$basic_machine" | sed -e 's/ms1-/mt-/'` ;; msys) basic_machine=i686-pc os=-msys ;; mvs) basic_machine=i370-ibm os=-mvs ;; nacl) basic_machine=le32-unknown os=-nacl ;; ncr3000) basic_machine=i486-ncr os=-sysv4 ;; netbsd386) basic_machine=i386-unknown os=-netbsd ;; netwinder) basic_machine=armv4l-rebel os=-linux ;; news | news700 | news800 | news900) basic_machine=m68k-sony os=-newsos ;; news1000) basic_machine=m68030-sony os=-newsos ;; news-3600 | risc-news) basic_machine=mips-sony os=-newsos ;; necv70) basic_machine=v70-nec os=-sysv ;; next | m*-next) basic_machine=m68k-next case $os in -nextstep* ) ;; -ns2*) os=-nextstep2 ;; *) os=-nextstep3 ;; esac ;; nh3000) basic_machine=m68k-harris os=-cxux ;; nh[45]000) basic_machine=m88k-harris os=-cxux ;; nindy960) basic_machine=i960-intel os=-nindy ;; mon960) basic_machine=i960-intel os=-mon960 ;; nonstopux) basic_machine=mips-compaq os=-nonstopux ;; np1) basic_machine=np1-gould ;; neo-tandem) basic_machine=neo-tandem ;; nse-tandem) basic_machine=nse-tandem ;; nsr-tandem) basic_machine=nsr-tandem ;; nsv-tandem) basic_machine=nsv-tandem ;; nsx-tandem) basic_machine=nsx-tandem ;; op50n-* | op60c-*) basic_machine=hppa1.1-oki os=-proelf ;; openrisc | openrisc-*) basic_machine=or32-unknown ;; os400) basic_machine=powerpc-ibm os=-os400 ;; OSE68000 | ose68000) basic_machine=m68000-ericsson os=-ose ;; os68k) basic_machine=m68k-none os=-os68k ;; pa-hitachi) basic_machine=hppa1.1-hitachi os=-hiuxwe2 ;; paragon) basic_machine=i860-intel os=-osf ;; parisc) basic_machine=hppa-unknown os=-linux ;; parisc-*) basic_machine=hppa-`echo "$basic_machine" | sed 's/^[^-]*-//'` os=-linux ;; pbd) basic_machine=sparc-tti ;; pbb) basic_machine=m68k-tti ;; pc532 | pc532-*) basic_machine=ns32k-pc532 ;; pc98) basic_machine=i386-pc ;; pc98-*) basic_machine=i386-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; pentium | p5 | k5 | k6 | nexgen | viac3) basic_machine=i586-pc ;; pentiumpro | p6 | 6x86 | athlon | athlon_*) basic_machine=i686-pc ;; pentiumii | pentium2 | pentiumiii | pentium3) basic_machine=i686-pc ;; pentium4) basic_machine=i786-pc ;; pentium-* | p5-* | k5-* | k6-* | nexgen-* | viac3-*) basic_machine=i586-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; pentiumpro-* | p6-* | 6x86-* | athlon-*) basic_machine=i686-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; pentiumii-* | pentium2-* | pentiumiii-* | pentium3-*) basic_machine=i686-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; pentium4-*) basic_machine=i786-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; pn) basic_machine=pn-gould ;; power) basic_machine=power-ibm ;; ppc | ppcbe) basic_machine=powerpc-unknown ;; ppc-* | ppcbe-*) basic_machine=powerpc-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; ppcle | powerpclittle) basic_machine=powerpcle-unknown ;; ppcle-* | powerpclittle-*) basic_machine=powerpcle-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; ppc64) basic_machine=powerpc64-unknown ;; ppc64-*) basic_machine=powerpc64-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; ppc64le | powerpc64little) basic_machine=powerpc64le-unknown ;; ppc64le-* | powerpc64little-*) basic_machine=powerpc64le-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; ps2) basic_machine=i386-ibm ;; pw32) basic_machine=i586-unknown os=-pw32 ;; rdos | rdos64) basic_machine=x86_64-pc os=-rdos ;; rdos32) basic_machine=i386-pc os=-rdos ;; rom68k) basic_machine=m68k-rom68k os=-coff ;; rm[46]00) basic_machine=mips-siemens ;; rtpc | rtpc-*) basic_machine=romp-ibm ;; s390 | s390-*) basic_machine=s390-ibm ;; s390x | s390x-*) basic_machine=s390x-ibm ;; sa29200) basic_machine=a29k-amd os=-udi ;; sb1) basic_machine=mipsisa64sb1-unknown ;; sb1el) basic_machine=mipsisa64sb1el-unknown ;; sde) basic_machine=mipsisa32-sde os=-elf ;; sei) basic_machine=mips-sei os=-seiux ;; sequent) basic_machine=i386-sequent ;; sh5el) basic_machine=sh5le-unknown ;; simso-wrs) basic_machine=sparclite-wrs os=-vxworks ;; sps7) basic_machine=m68k-bull os=-sysv2 ;; spur) basic_machine=spur-unknown ;; st2000) basic_machine=m68k-tandem ;; stratus) basic_machine=i860-stratus os=-sysv4 ;; strongarm-* | thumb-*) basic_machine=arm-`echo "$basic_machine" | sed 's/^[^-]*-//'` ;; sun2) basic_machine=m68000-sun ;; sun2os3) basic_machine=m68000-sun os=-sunos3 ;; sun2os4) basic_machine=m68000-sun os=-sunos4 ;; sun3os3) basic_machine=m68k-sun os=-sunos3 ;; sun3os4) basic_machine=m68k-sun os=-sunos4 ;; sun4os3) basic_machine=sparc-sun os=-sunos3 ;; sun4os4) basic_machine=sparc-sun os=-sunos4 ;; sun4sol2) basic_machine=sparc-sun os=-solaris2 ;; sun3 | sun3-*) basic_machine=m68k-sun ;; sun4) basic_machine=sparc-sun ;; sun386 | sun386i | roadrunner) basic_machine=i386-sun ;; sv1) basic_machine=sv1-cray os=-unicos ;; symmetry) basic_machine=i386-sequent os=-dynix ;; t3e) basic_machine=alphaev5-cray os=-unicos ;; t90) basic_machine=t90-cray os=-unicos ;; tile*) basic_machine=$basic_machine-unknown os=-linux-gnu ;; tx39) basic_machine=mipstx39-unknown ;; tx39el) basic_machine=mipstx39el-unknown ;; toad1) basic_machine=pdp10-xkl os=-tops20 ;; tower | tower-32) basic_machine=m68k-ncr ;; tpf) basic_machine=s390x-ibm os=-tpf ;; udi29k) basic_machine=a29k-amd os=-udi ;; ultra3) basic_machine=a29k-nyu os=-sym1 ;; v810 | necv810) basic_machine=v810-nec os=-none ;; vaxv) basic_machine=vax-dec os=-sysv ;; vms) basic_machine=vax-dec os=-vms ;; vpp*|vx|vx-*) basic_machine=f301-fujitsu ;; vxworks960) basic_machine=i960-wrs os=-vxworks ;; vxworks68) basic_machine=m68k-wrs os=-vxworks ;; vxworks29k) basic_machine=a29k-wrs os=-vxworks ;; w65*) basic_machine=w65-wdc os=-none ;; w89k-*) basic_machine=hppa1.1-winbond os=-proelf ;; x64) basic_machine=x86_64-pc ;; xbox) basic_machine=i686-pc os=-mingw32 ;; xps | xps100) basic_machine=xps100-honeywell ;; xscale-* | xscalee[bl]-*) basic_machine=`echo "$basic_machine" | sed 's/^xscale/arm/'` ;; ymp) basic_machine=ymp-cray os=-unicos ;; none) basic_machine=none-none os=-none ;; # Here we handle the default manufacturer of certain CPU types. It is in # some cases the only manufacturer, in others, it is the most popular. w89k) basic_machine=hppa1.1-winbond ;; op50n) basic_machine=hppa1.1-oki ;; op60c) basic_machine=hppa1.1-oki ;; romp) basic_machine=romp-ibm ;; mmix) basic_machine=mmix-knuth ;; rs6000) basic_machine=rs6000-ibm ;; vax) basic_machine=vax-dec ;; pdp11) basic_machine=pdp11-dec ;; we32k) basic_machine=we32k-att ;; sh[1234] | sh[24]a | sh[24]aeb | sh[34]eb | sh[1234]le | sh[23]ele) basic_machine=sh-unknown ;; cydra) basic_machine=cydra-cydrome ;; orion) basic_machine=orion-highlevel ;; orion105) basic_machine=clipper-highlevel ;; mac | mpw | mac-mpw) basic_machine=m68k-apple ;; pmac | pmac-mpw) basic_machine=powerpc-apple ;; *-unknown) # Make sure to match an already-canonicalized machine name. ;; *) echo Invalid configuration \`"$1"\': machine \`"$basic_machine"\' not recognized 1>&2 exit 1 ;; esac # Here we canonicalize certain aliases for manufacturers. case $basic_machine in *-digital*) basic_machine=`echo "$basic_machine" | sed 's/digital.*/dec/'` ;; *-commodore*) basic_machine=`echo "$basic_machine" | sed 's/commodore.*/cbm/'` ;; *) ;; esac # Decode manufacturer-specific aliases for certain operating systems. if [ x"$os" != x"" ] then case $os in # First match some system type aliases that might get confused # with valid system types. # -solaris* is a basic system type, with this one exception. -auroraux) os=-auroraux ;; -solaris1 | -solaris1.*) os=`echo $os | sed -e 's|solaris1|sunos4|'` ;; -solaris) os=-solaris2 ;; -unixware*) os=-sysv4.2uw ;; -gnu/linux*) os=`echo $os | sed -e 's|gnu/linux|linux-gnu|'` ;; # es1800 is here to avoid being matched by es* (a different OS) -es1800*) os=-ose ;; # Now accept the basic system types. # The portable systems comes first. # Each alternative MUST end in a * to match a version number. # -sysv* is not here because it comes later, after sysvr4. -gnu* | -bsd* | -mach* | -minix* | -genix* | -ultrix* | -irix* \ | -*vms* | -sco* | -esix* | -isc* | -aix* | -cnk* | -sunos | -sunos[34]*\ | -hpux* | -unos* | -osf* | -luna* | -dgux* | -auroraux* | -solaris* \ | -sym* | -kopensolaris* | -plan9* \ | -amigaos* | -amigados* | -msdos* | -newsos* | -unicos* | -aof* \ | -aos* | -aros* | -cloudabi* | -sortix* \ | -nindy* | -vxsim* | -vxworks* | -ebmon* | -hms* | -mvs* \ | -clix* | -riscos* | -uniplus* | -iris* | -rtu* | -xenix* \ | -hiux* | -knetbsd* | -mirbsd* | -netbsd* \ | -bitrig* | -openbsd* | -solidbsd* | -libertybsd* \ | -ekkobsd* | -kfreebsd* | -freebsd* | -riscix* | -lynxos* \ | -bosx* | -nextstep* | -cxux* | -aout* | -elf* | -oabi* \ | -ptx* | -coff* | -ecoff* | -winnt* | -domain* | -vsta* \ | -udi* | -eabi* | -lites* | -ieee* | -go32* | -aux* | -hcos* \ | -chorusos* | -chorusrdb* | -cegcc* | -glidix* \ | -cygwin* | -msys* | -pe* | -psos* | -moss* | -proelf* | -rtems* \ | -midipix* | -mingw32* | -mingw64* | -linux-gnu* | -linux-android* \ | -linux-newlib* | -linux-musl* | -linux-uclibc* \ | -uxpv* | -beos* | -mpeix* | -udk* | -moxiebox* \ | -interix* | -uwin* | -mks* | -rhapsody* | -darwin* \ | -openstep* | -oskit* | -conix* | -pw32* | -nonstopux* \ | -storm-chaos* | -tops10* | -tenex* | -tops20* | -its* \ | -os2* | -vos* | -palmos* | -uclinux* | -nucleus* \ | -morphos* | -superux* | -rtmk* | -windiss* \ | -powermax* | -dnix* | -nx6 | -nx7 | -sei* | -dragonfly* \ | -skyos* | -haiku* | -rdos* | -toppers* | -drops* | -es* \ | -onefs* | -tirtos* | -phoenix* | -fuchsia* | -redox* | -bme* \ | -midnightbsd*) # Remember, each alternative MUST END IN *, to match a version number. ;; -qnx*) case $basic_machine in x86-* | i*86-*) ;; *) os=-nto$os ;; esac ;; -nto-qnx*) ;; -nto*) os=`echo $os | sed -e 's|nto|nto-qnx|'` ;; -sim | -xray | -os68k* | -v88r* \ | -windows* | -osx | -abug | -netware* | -os9* \ | -macos* | -mpw* | -magic* | -mmixware* | -mon960* | -lnews*) ;; -mac*) os=`echo "$os" | sed -e 's|mac|macos|'` ;; -linux-dietlibc) os=-linux-dietlibc ;; -linux*) os=`echo $os | sed -e 's|linux|linux-gnu|'` ;; -sunos5*) os=`echo "$os" | sed -e 's|sunos5|solaris2|'` ;; -sunos6*) os=`echo "$os" | sed -e 's|sunos6|solaris3|'` ;; -opened*) os=-openedition ;; -os400*) os=-os400 ;; -wince*) os=-wince ;; -utek*) os=-bsd ;; -dynix*) os=-bsd ;; -acis*) os=-aos ;; -atheos*) os=-atheos ;; -syllable*) os=-syllable ;; -386bsd) os=-bsd ;; -ctix* | -uts*) os=-sysv ;; -nova*) os=-rtmk-nova ;; -ns2) os=-nextstep2 ;; -nsk*) os=-nsk ;; # Preserve the version number of sinix5. -sinix5.*) os=`echo $os | sed -e 's|sinix|sysv|'` ;; -sinix*) os=-sysv4 ;; -tpf*) os=-tpf ;; -triton*) os=-sysv3 ;; -oss*) os=-sysv3 ;; -svr4*) os=-sysv4 ;; -svr3) os=-sysv3 ;; -sysvr4) os=-sysv4 ;; # This must come after -sysvr4. -sysv*) ;; -ose*) os=-ose ;; -*mint | -mint[0-9]* | -*MiNT | -MiNT[0-9]*) os=-mint ;; -zvmoe) os=-zvmoe ;; -dicos*) os=-dicos ;; -pikeos*) # Until real need of OS specific support for # particular features comes up, bare metal # configurations are quite functional. case $basic_machine in arm*) os=-eabi ;; *) os=-elf ;; esac ;; -nacl*) ;; -ios) ;; -none) ;; *) # Get rid of the `-' at the beginning of $os. os=`echo $os | sed 's/[^-]*-//'` echo Invalid configuration \`"$1"\': system \`"$os"\' not recognized 1>&2 exit 1 ;; esac else # Here we handle the default operating systems that come with various machines. # The value should be what the vendor currently ships out the door with their # machine or put another way, the most popular os provided with the machine. # Note that if you're going to try to match "-MANUFACTURER" here (say, # "-sun"), then you have to tell the case statement up towards the top # that MANUFACTURER isn't an operating system. Otherwise, code above # will signal an error saying that MANUFACTURER isn't an operating # system, and we'll never get to this point. case $basic_machine in score-*) os=-elf ;; spu-*) os=-elf ;; *-acorn) os=-riscix1.2 ;; arm*-rebel) os=-linux ;; arm*-semi) os=-aout ;; c4x-* | tic4x-*) os=-coff ;; c8051-*) os=-elf ;; hexagon-*) os=-elf ;; tic54x-*) os=-coff ;; tic55x-*) os=-coff ;; tic6x-*) os=-coff ;; # This must come before the *-dec entry. pdp10-*) os=-tops20 ;; pdp11-*) os=-none ;; *-dec | vax-*) os=-ultrix4.2 ;; m68*-apollo) os=-domain ;; i386-sun) os=-sunos4.0.2 ;; m68000-sun) os=-sunos3 ;; m68*-cisco) os=-aout ;; mep-*) os=-elf ;; mips*-cisco) os=-elf ;; mips*-*) os=-elf ;; or32-*) os=-coff ;; *-tti) # must be before sparc entry or we get the wrong os. os=-sysv3 ;; sparc-* | *-sun) os=-sunos4.1.1 ;; pru-*) os=-elf ;; *-be) os=-beos ;; *-ibm) os=-aix ;; *-knuth) os=-mmixware ;; *-wec) os=-proelf ;; *-winbond) os=-proelf ;; *-oki) os=-proelf ;; *-hp) os=-hpux ;; *-hitachi) os=-hiux ;; i860-* | *-att | *-ncr | *-altos | *-motorola | *-convergent) os=-sysv ;; *-cbm) os=-amigaos ;; *-dg) os=-dgux ;; *-dolphin) os=-sysv3 ;; m68k-ccur) os=-rtu ;; m88k-omron*) os=-luna ;; *-next) os=-nextstep ;; *-sequent) os=-ptx ;; *-crds) os=-unos ;; *-ns) os=-genix ;; i370-*) os=-mvs ;; *-gould) os=-sysv ;; *-highlevel) os=-bsd ;; *-encore) os=-bsd ;; *-sgi) os=-irix ;; *-siemens) os=-sysv4 ;; *-masscomp) os=-rtu ;; f30[01]-fujitsu | f700-fujitsu) os=-uxpv ;; *-rom68k) os=-coff ;; *-*bug) os=-coff ;; *-apple) os=-macos ;; *-atari*) os=-mint ;; *) os=-none ;; esac fi # Here we handle the case where we know the os, and the CPU type, but not the # manufacturer. We pick the logical manufacturer. vendor=unknown case $basic_machine in *-unknown) case $os in -riscix*) vendor=acorn ;; -sunos*) vendor=sun ;; -cnk*|-aix*) vendor=ibm ;; -beos*) vendor=be ;; -hpux*) vendor=hp ;; -mpeix*) vendor=hp ;; -hiux*) vendor=hitachi ;; -unos*) vendor=crds ;; -dgux*) vendor=dg ;; -luna*) vendor=omron ;; -genix*) vendor=ns ;; -mvs* | -opened*) vendor=ibm ;; -os400*) vendor=ibm ;; -ptx*) vendor=sequent ;; -tpf*) vendor=ibm ;; -vxsim* | -vxworks* | -windiss*) vendor=wrs ;; -aux*) vendor=apple ;; -hms*) vendor=hitachi ;; -mpw* | -macos*) vendor=apple ;; -*mint | -mint[0-9]* | -*MiNT | -MiNT[0-9]*) vendor=atari ;; -vos*) vendor=stratus ;; esac basic_machine=`echo "$basic_machine" | sed "s/unknown/$vendor/"` ;; esac echo "$basic_machine$os" exit # Local variables: # eval: (add-hook 'before-save-hook 'time-stamp) # time-stamp-start: "timestamp='" # time-stamp-format: "%:y-%02m-%02d" # time-stamp-end: "'" # End: asymptote-2.62/drawgrestore.h0000644000000000000000000000076013607467113015062 0ustar rootroot/***** * drawgrestore.h * John Bowman * * Output PostScript grestore to picture. *****/ #ifndef DRAWGRESTORE_H #define DRAWGRESTORE_H #include "drawelement.h" namespace camp { class drawGrestore : public drawElement { public: drawGrestore() {} virtual ~drawGrestore() {} bool draw(psfile *out) { out->grestore(); return true; } bool write(texfile *out, const bbox&) { out->grestore(); return true; } }; } GC_DECLARE_PTRFREE(camp::drawGrestore); #endif asymptote-2.62/wce0000755000000000000000000000033313607467113012701 0ustar rootroot#!/bin/sh printf "Testing errors..." ./asy -sysdir base -noautoplain -debug errortest 2> errors.temp result=`diff errors.temp errors` if test "$result" = ""; then echo PASSED. else echo FAILED. echo "$result" exit 1 fi asymptote-2.62/runstring.in0000644000000000000000000002321713607467113014566 0ustar rootroot/***** * runstring.in * * Runtime functions for string operations. * *****/ stringarray2* => stringArray2() #include #include #include #include "array.h" using namespace camp; using namespace vm; using namespace settings; typedef array stringarray; typedef array stringarray2; using types::stringArray; using types::stringArray2; namespace types { extern const char *names[]; } namespace run { extern string emptystring; } static const string defaulttimeformat=string("%a %b %d %T %Z %Y"); #ifdef HAVE_STRFTIME static const size_t nTime=256; static char Time[nTime]; #endif void checkformat(const char *ptr, bool intformat) { while(*ptr != '\0') { if(*ptr != '%') /* While we have regular characters, print them. */ ptr++; else { /* We've got a format specifier. */ ptr++; while(*ptr && strchr ("-+ #0'I", *ptr)) /* Move past flags. */ ptr++; if(*ptr == '*') ptr++; else while(isdigit(*ptr)) /* Handle explicit numeric value. */ ptr++; if(*ptr == '.') { ptr++; /* Go past the period. */ if(*ptr == '*') { ptr++; } else while(isdigit(*ptr)) /* Handle explicit numeric value. */ ptr++; } while(*ptr && strchr ("hlL", *ptr)) ptr++; if(*ptr == '%') {++ptr; continue;} else if(*ptr != '\0') { if(intformat) { switch(*ptr) { case 'd': case 'i': case 'o': case 'u': case 'x': case 'X': case 'c': break; default: ostringstream buf; buf << "Invalid format '" << *ptr << "' for type " << types::names[types::ty_Int]; error(buf); break; } } else { switch(*ptr) { case 'f': case 'F': case 'e': case 'E': case 'g': case 'G': break; default: ostringstream buf; buf << "Invalid format '" << *ptr << "' for type " << types::names[types::ty_real]; error(buf); break; } } } break; // Only one argument is allowed. } /* End of else statement */ } } // Autogenerated routines: // String operations string :emptyString() { return emptystring; } Int length(string *s) { return (Int) s->length(); } Int find(string *s, string t, Int pos=0) { size_t n=s->find(t,pos); return n == string::npos ? (Int) -1 : (Int) n; } Int rfind(string *s, string t, Int pos=-1) { size_t n=s->rfind(t,pos); return n == string::npos ? (Int) -1 : (Int) n; } string reverse(string s) { reverse(s.begin(),s.end()); return s; } string insert(string s, Int pos, string t) { if ((size_t) pos < s.length()) return s.insert(pos,t); return s; } string substr(string* s, Int pos, Int n=-1) { if ((size_t) pos < s->length()) return s->substr(pos,n); return emptystring; } string erase(string s, Int pos, Int n) { if ((size_t) pos < s.length()) return s.erase(pos,n); return s; } string downcase(string s) { std::transform(s.begin(),s.end(),s.begin(),tolower); return s; } string upcase(string s) { std::transform(s.begin(),s.end(),s.begin(),toupper); return s; } // returns a string constructed by translating all occurrences of the string // from in an array of string pairs {from,to} to the string to in string s. string replace(string *S, stringarray2 *translate) { size_t size=checkArray(translate); for(size_t i=0; i < size; i++) { array *a=read(translate,i); checkArray(a); } const char *p=S->c_str(); ostringstream buf; while(*p) { for(size_t i=0; i < size;) { array *a=read(translate,i); size_t size2=checkArray(a); if(size2 != 2) error("translation table entry must be an array of length 2"); string* from=read(a,0); size_t len=from->length(); if(strncmp(p,from->c_str(),len) != 0) {i++; continue;} buf << read(a,1); p += len; if(*p == 0) return buf.str(); i=0; } buf << *(p++); } return buf.str(); } string format(string *format, Int x, string locale=emptystring) { ostringstream out; const char *p0=format->c_str(); checkformat(p0,true); const char *p=p0; const char *start=NULL; while(*p != 0) { char curr=*p; if(curr == '%') { p++; if(*p != '%') {start=p-1; break;} } out << *(p++); } if(!start) return out.str(); // Allow at most 1 argument while(*p != 0) { if(*p == '*' || *p == '$') return out.str(); if(isupper(*p) || islower(*p)) {p++; break;} p++; } string f=format->substr(start-p0,p-start); const char *oldlocale=NULL; if(!locale.empty()) { oldlocale=setlocale(LC_ALL,NULL); if(oldlocale) oldlocale=StrdupNoGC(oldlocale); setlocale(LC_ALL,locale.c_str()); } Int size=snprintf(NULL,0,f.c_str(),x)+1; if(size < 1) size=255; // Workaround for non-C99 compliant systems. char *buf=new char[size]; snprintf(buf,size,f.c_str(),x); out << string(buf); out << p; delete[] buf; if(oldlocale) { setlocale(LC_ALL,oldlocale); delete[] oldlocale; } return out.str(); } string format(string *format, bool forcemath=false, string separator, real x, string locale=emptystring) { if(*format == "%") return ""; // Temporary workaround for github Issue #29. bool tex=getSetting("tex") != "none"; bool texify=forcemath; ostringstream out; const char *p0=format->c_str(); checkformat(p0,false); const char *phantom="\\phantom{+}"; const char *p=p0; const char *start=NULL; char prev=0; while(*p != 0) { char curr=*p; if(tex && curr == '$' && prev != '\\') texify=true; prev=curr; if(curr == '%') { p++; if(*p != '%') {start=p-1; break;} } out << *(p++); } if(!start) return out.str(); // Allow at most 1 argument while(*p != 0) { if(*p == '*' || *p == '$') return out.str(); if(isupper(*p) || islower(*p)) {p++; break;} p++; } const char *tail=p; string f=format->substr(start-p0,tail-start); const char *oldlocale=NULL; if(!locale.empty()) { oldlocale=setlocale(LC_ALL,NULL); if(oldlocale) oldlocale=StrdupNoGC(oldlocale); setlocale(LC_ALL,locale.c_str()); } Int size=snprintf(NULL,0,f.c_str(),x)+1; if(size < 1) size=255; // Workaround for non-C99 compliant systems. char *buf=new char[size]; snprintf(buf,size,f.c_str(),x); bool trailingzero=f.find("#") < string::npos; bool plus=f.find("+") < string::npos; bool space=f.find(" ") < string::npos; char *q=buf; // beginning of formatted number if(*q == ' ' && texify) { out << phantom; q++; } const char decimal=*(localeconv()->decimal_point); // Remove any spurious sign if(*q == '-' || *q == '+') { p=q+1; bool zero=true; while(*p != 0) { if(!isdigit(*p) && *p != decimal) break; if(isdigit(*p) && *p != '0') {zero=false; break;} p++; } if(zero) { q++; if((plus || space) && texify) out << phantom; } } const char *r=p=q; bool dp=false; while(*r != 0 && (isspace(*r) || isdigit(*r) || *r == decimal \ || *r == '+' || *r == '-')) { if(*r == decimal) dp=true; r++; } if(dp) { // Remove trailing zeros and/or decimal point r--; unsigned n=0; while(r > q && *r == '0') {r--; n++;} if(*r == decimal) {r--; n++;} while(q <= r) out << *(q++); if(!trailingzero) q += n; } bool zero=(r == p && *r == '0') && !trailingzero; // Translate "E+/E-/e+/e-" exponential notation to TeX while(*q != 0) { if(texify && (*q == 'E' || *q == 'e') && (*(q+1) == '+' || *(q+1) == '-')) { if(!zero) out << separator << "10^{"; bool plus=(*(q+1) == '+'); q++; if(plus) q++; if(*q == '-') out << *(q++); while(*q == '0' && (zero || isdigit(*(q+1)))) q++; while(isdigit(*q)) out << *(q++); if(!zero) out << "}"; break; } out << *(q++); } while(*tail != 0) out << *(tail++); delete[] buf; if(oldlocale) { setlocale(LC_ALL,oldlocale); delete[] oldlocale; } return out.str(); } Int hex(string s) { istringstream is(s); is.setf(std::ios::hex,std::ios::basefield); Int value; if(is && is >> value && ((is >> std::ws).eof())) return value; ostringstream buf; buf << "invalid hexadecimal cast from string \"" << s << "\""; error(buf); } Int ascii(string s) { return s.empty() ? -1 : (unsigned char) s[0]; } string string(Int x) { ostringstream buf; buf << x; return buf.str(); } string string(real x, Int digits=DBL_DIG) { ostringstream buf; buf.precision(digits); buf << x; return buf.str(); } string time(string format=defaulttimeformat) { #ifdef HAVE_STRFTIME const time_t bintime=time(NULL); if(!strftime(Time,nTime,format.c_str(),localtime(&bintime))) return ""; return Time; #else return format; #endif } string time(Int seconds, string format=defaulttimeformat) { #ifdef HAVE_STRFTIME const time_t bintime=seconds; if(!strftime(Time,nTime,format.c_str(),localtime(&bintime))) return ""; return Time; #else // Avoid unused variable warning messages unused(&seconds); return format; #endif } Int seconds(string t=emptystring, string format=emptystring) { #if defined(HAVE_STRPTIME) const time_t bintime=time(NULL); tm tm=*localtime(&bintime); if(t != "" && !strptime(t.c_str(),format.c_str(),&tm)) return -1; return (Int) mktime(&tm); #else return -1; #endif } asymptote-2.62/runtriple.h0000644000000000000000000000050013607467143014371 0ustar rootroot/***** Autogenerated from runtriple.in; changes will be overwritten *****/ #ifndef runtriple_H #define runtriple_H namespace run { void tripleZero(vm::stack *); void realRealRealToTriple(vm::stack *); void tripleXPart(vm::stack *); void tripleYPart(vm::stack *); void tripleZPart(vm::stack *); } #endif // runtriple_H asymptote-2.62/policy.h0000644000000000000000000000473613607467113013660 0ustar rootroot/***** * policy.h * Andy Hammerlindl 2011/09/03 * * Defines a low-level C interface for interacting with the interpreter and * its datatypes. *****/ // TODO: Wrap in namespace. typedef long long int_typ; typedef struct {} handle_base_typ; typedef handle_base_typ *handle_typ; typedef struct {} arguments_base_typ; typedef arguments_base_typ *arguments_typ; typedef struct {} state_base_typ; typedef state_base_typ *state_typ; typedef void (*function_typ)(state_typ, void *); typedef struct { const char *buf; size_t length; } string_typ; typedef void (*error_callback_typ)(string_typ); typedef long arg_rest_option; #define NORMAL_ARG 45000 #define REST_ARG 45001 typedef struct { int_typ version; handle_typ (*copyHandle)(handle_typ handle); void (*releaseHandle)(); handle_typ (*handleFromInt)(int_typ x); // For bool, O is false, 1 is true, and no other value is allowed. handle_typ (*handleFromBool)(int_typ x); handle_typ (*handleFromDouble)(double x); handle_typ (*handleFromString)(string_typ x); handle_typ (*handleFromFunction)(const char *signature, function_typ f, void *data); int_typ (*IntFromHandle)(handle_typ handle); int_typ (*boolFromHandle)(handle_typ handle); double (*doubleFromHandle)(handle_typ handle); // TODO: Note that a pointer and length are returned, but the pointer is // valid for a limited time only. string_typ (*stringFromHandle)(handle_typ handle); #if 0 bool (*handleIsOverloaded)(handle_typ handle); handle_typ (*signatureless)(handle_typ handle); #endif handle_typ (*getField)(handle_typ handle, const char *name); handle_typ (*getCell)(handle_typ handle, handle_typ index); // Adds a field to a datum (possibly a module) and sets it to an initial // value. // TODO: Change name to sig. void (*addField)(handle_typ handle, const char *name, handle_typ init); arguments_typ (*newArguments)(); void (*releaseArguments)(arguments_typ args); void (*addArgument)(arguments_typ args, const char *name, handle_typ handle, arg_rest_option at); handle_typ (*call)(handle_typ callee, arguments_typ args); handle_typ (*globals)(state_typ state); int_typ (*numParams)(state_typ state); handle_typ (*getParam)(state_typ state, int_typ index); void (*setReturnValue)(state_typ state, handle_typ handle); // Allows the user sets an error callback, which is called on any error. void (*setErrorCallback)(error_callback_typ callback); } policy_typ; asymptote-2.62/path.cc0000644000000000000000000010230613607467113013443 0ustar rootroot/***** * path.cc * Andy Hammerlindl 2002/06/06 * * Stores and returns information on a predefined path. * * When changing the path algorithms, also update the corresponding * three-dimensional algorithms in path3.cc. *****/ #include "path.h" #include "util.h" #include "angle.h" #include "camperror.h" #include "mathop.h" #include "predicates.h" #include "rounding.h" namespace camp { const double Fuzz2=1000.0*DBL_EPSILON; const double Fuzz=sqrt(Fuzz2); const double Fuzz4=Fuzz2*Fuzz2; const double BigFuzz=10.0*Fuzz2; const double fuzzFactor=100.0; const double third=1.0/3.0; path nullpath; const char *nopoints="nullpath has no points"; void checkEmpty(Int n) { if(n == 0) reportError(nopoints); } // Accurate computation of sqrt(1+x)-1. inline double sqrt1pxm1(double x) { return x/(sqrt(1.0+x)+1.0); } inline pair sqrt1pxm1(pair x) { return x/(Sqrt(1.0+x)+1.0); } // Solve for the real roots of the quadratic equation ax^2+bx+c=0. quadraticroots::quadraticroots(double a, double b, double c) { // Remove roots at numerical infinity. if(fabs(a) <= Fuzz2*fabs(b)+Fuzz4*fabs(c)) { if(fabs(b) > Fuzz2*fabs(c)) { distinct=quadraticroots::ONE; roots=1; t1=-c/b; } else if(c == 0.0) { distinct=quadraticroots::MANY; roots=1; t1=0.0; } else { distinct=quadraticroots::NONE; roots=0; } } else { double factor=0.5*b/a; double denom=b*factor; if(fabs(denom) <= Fuzz2*fabs(c)) { double x=-c/a; if(x >= 0.0) { distinct=quadraticroots::TWO; roots=2; t2=sqrt(x); t1=-t2; } else { distinct=quadraticroots::NONE; roots=0; } } else { double x=-2.0*c/denom; if(x > -1.0) { distinct=quadraticroots::TWO; roots=2; double r2=factor*sqrt1pxm1(x); double r1=-r2-2.0*factor; if(r1 <= r2) { t1=r1; t2=r2; } else { t1=r2; t2=r1; } } else if(x == -1.0) { distinct=quadraticroots::ONE; roots=2; t1=t2=-factor; } else { distinct=quadraticroots::NONE; roots=0; } } } } // Solve for the complex roots of the quadratic equation ax^2+bx+c=0. Quadraticroots::Quadraticroots(pair a, pair b, pair c) { if(a == 0.0) { if(b != 0.0) { roots=1; z1=-c/b; } else if(c == 0.0) { roots=1; z1=0.0; } else roots=0; } else { roots=2; pair factor=0.5*b/a; pair denom=b*factor; if(denom == 0.0) { z1=Sqrt(-c/a); z2=-z1; } else { z1=factor*sqrt1pxm1(-2.0*c/denom); z2=-z1-2.0*factor; } } } inline bool goodroot(double a, double b, double c, double t) { return goodroot(t) && quadratic(a,b,c,t) >= 0.0; } // Accurate computation of cbrt(sqrt(1+x)+1)-cbrt(sqrt(1+x)-1). inline double cbrtsqrt1pxm(double x) { double s=sqrt1pxm1(x); return 2.0/(cbrt(x+2.0*(sqrt(1.0+x)+1.0))+cbrt(x)+cbrt(s*s)); } // Taylor series of cos((atan(1.0/w)+pi)/3.0). static inline double costhetapi3(double w) { static const double c1=1.0/3.0; static const double c3=-19.0/162.0; static const double c5=425.0/5832.0; static const double c7=-16829.0/314928.0; double w2=w*w; double w3=w2*w; double w5=w3*w2; return c1*w+c3*w3+c5*w5+c7*w5*w2; } // Solve for the real roots of the cubic equation ax^3+bx^2+cx+d=0. cubicroots::cubicroots(double a, double b, double c, double d) { static const double ninth=1.0/9.0; static const double fiftyfourth=1.0/54.0; // Remove roots at numerical infinity. if(fabs(a) <= Fuzz2*(fabs(b)+fabs(c)*Fuzz2+fabs(d)*Fuzz4)) { quadraticroots q(b,c,d); roots=q.roots; if(q.roots >= 1) t1=q.t1; if(q.roots == 2) t2=q.t2; return; } // Detect roots at numerical zero. if(fabs(d) <= Fuzz2*(fabs(c)+fabs(b)*Fuzz2+fabs(a)*Fuzz4)) { quadraticroots q(a,b,c); roots=q.roots+1; t1=0; if(q.roots >= 1) t2=q.t1; if(q.roots == 2) t3=q.t2; return; } b /= a; c /= a; d /= a; double b2=b*b; double Q=3.0*c-b2; if(fabs(Q) < Fuzz2*(3.0*fabs(c)+fabs(b2))) Q=0.0; double R=(3.0*Q+b2)*b-27.0*d; if(fabs(R) < Fuzz2*((3.0*fabs(Q)+fabs(b2))*fabs(b)+27.0*fabs(d))) R=0.0; Q *= ninth; R *= fiftyfourth; double Q3=Q*Q*Q; double R2=R*R; double D=Q3+R2; double mthirdb=-b*third; if(D > 0.0) { roots=1; t1=mthirdb; if(R2 != 0.0) t1 += cbrt(R)*cbrtsqrt1pxm(Q3/R2); } else { roots=3; double v=0.0,theta; if(R2 > 0.0) { v=sqrt(-D/R2); theta=atan(v); } else theta=0.5*PI; double factor=2.0*sqrt(-Q)*(R >= 0 ? 1 : -1); t1=mthirdb+factor*cos(third*theta); t2=mthirdb-factor*cos(third*(theta-PI)); t3=mthirdb; if(R2 > 0.0) t3 -= factor*((v < 100.0) ? cos(third*(theta+PI)) : costhetapi3(1.0/v)); } } pair path::point(double t) const { checkEmpty(n); Int i = Floor(t); Int iplus; t = fmod(t,1); if (t < 0) t += 1; if (cycles) { i = imod(i,n); iplus = imod(i+1,n); } else if (i < 0) return nodes[0].point; else if (i >= n-1) return nodes[n-1].point; else iplus = i+1; double one_t = 1.0-t; pair a = nodes[i].point, b = nodes[i].post, c = nodes[iplus].pre, d = nodes[iplus].point, ab = one_t*a + t*b, bc = one_t*b + t*c, cd = one_t*c + t*d, abc = one_t*ab + t*bc, bcd = one_t*bc + t*cd, abcd = one_t*abc + t*bcd; return abcd; } pair path::precontrol(double t) const { checkEmpty(n); Int i = Floor(t); Int iplus; t = fmod(t,1); if (t < 0) t += 1; if (cycles) { i = imod(i,n); iplus = imod(i+1,n); } else if (i < 0) return nodes[0].pre; else if (i >= n-1) return nodes[n-1].pre; else iplus = i+1; double one_t = 1.0-t; pair a = nodes[i].point, b = nodes[i].post, c = nodes[iplus].pre, ab = one_t*a + t*b, bc = one_t*b + t*c, abc = one_t*ab + t*bc; return (abc == a) ? nodes[i].pre : abc; } pair path::postcontrol(double t) const { checkEmpty(n); Int i = Floor(t); Int iplus; t = fmod(t,1); if (t < 0) t += 1; if (cycles) { i = imod(i,n); iplus = imod(i+1,n); } else if (i < 0) return nodes[0].post; else if (i >= n-1) return nodes[n-1].post; else iplus = i+1; double one_t = 1.0-t; pair b = nodes[i].post, c = nodes[iplus].pre, d = nodes[iplus].point, bc = one_t*b + t*c, cd = one_t*c + t*d, bcd = one_t*bc + t*cd; return (bcd == d) ? nodes[iplus].post : bcd; } path path::reverse() const { mem::vector nodes(n); Int len=length(); for (Int i = 0, j = len; i < n; i++, j--) { nodes[i].pre = postcontrol(j); nodes[i].point = point(j); nodes[i].post = precontrol(j); nodes[i].straight = straight(j-1); } return path(nodes, n, cycles); } path path::subpath(Int a, Int b) const { if(empty()) return path(); if (a > b) { const path &rp = reverse(); Int len=length(); path result = rp.subpath(len-a, len-b); return result; } if (!cycles) { if (a < 0) { a = 0; if(b < 0) b = 0; } if (b > n-1) { b = n-1; if(a > b) a = b; } } Int sn = b-a+1; mem::vector nodes(sn); for (Int i = 0, j = a; j <= b; i++, j++) { nodes[i].pre = precontrol(j); nodes[i].point = point(j); nodes[i].post = postcontrol(j); nodes[i].straight = straight(j); } nodes[0].pre = nodes[0].point; nodes[sn-1].post = nodes[sn-1].point; return path(nodes, sn); } inline pair split(double t, const pair& x, const pair& y) { return x+(y-x)*t; } inline void splitCubic(solvedKnot sn[], double t, const solvedKnot& left_, const solvedKnot& right_) { solvedKnot &left=(sn[0]=left_), &mid=sn[1], &right=(sn[2]=right_); if(left.straight) { mid.point=split(t,left.point,right.point); pair deltaL=third*(mid.point-left.point); left.post=left.point+deltaL; mid.pre=mid.point-deltaL; pair deltaR=third*(right.point-mid.point); mid.post=mid.point+deltaR; right.pre=right.point-deltaR; mid.straight=true; } else { pair x=split(t,left.post,right.pre); // m1 left.post=split(t,left.point,left.post); // m0 right.pre=split(t,right.pre,right.point); // m2 mid.pre=split(t,left.post,x); // m3 mid.post=split(t,x,right.pre); // m4 mid.point=split(t,mid.pre,mid.post); // m5 } } path path::subpath(double a, double b) const { if(empty()) return path(); if (a > b) { const path &rp = reverse(); Int len=length(); return rp.subpath(len-a, len-b); } solvedKnot aL, aR, bL, bR; if (!cycles) { if (a < 0) { a = 0; if (b < 0) b = 0; } if (b > n-1) { b = n-1; if (a > b) a = b; } aL = nodes[(Int)floor(a)]; aR = nodes[(Int)ceil(a)]; bL = nodes[(Int)floor(b)]; bR = nodes[(Int)ceil(b)]; } else { if(run::validInt(a) && run::validInt(b)) { aL = nodes[imod((Int) floor(a),n)]; aR = nodes[imod((Int) ceil(a),n)]; bL = nodes[imod((Int) floor(b),n)]; bR = nodes[imod((Int) ceil(b),n)]; } else reportError("invalid path index"); } if (a == b) return path(point(a)); solvedKnot sn[3]; path p = subpath(Ceil(a), Floor(b)); if (a > floor(a)) { if (b < ceil(a)) { splitCubic(sn,a-floor(a),aL,aR); splitCubic(sn,(b-a)/(ceil(b)-a),sn[1],sn[2]); return path(sn[0],sn[1]); } splitCubic(sn,a-floor(a),aL,aR); p=concat(path(sn[1],sn[2]),p); } if (ceil(b) > b) { splitCubic(sn,b-floor(b),bL,bR); p=concat(p,path(sn[0],sn[1])); } return p; } // Special case of subpath for paths of length 1 used by intersect. void path::halve(path &first, path &second) const { solvedKnot sn[3]; splitCubic(sn,0.5,nodes[0],nodes[1]); first=path(sn[0],sn[1]); second=path(sn[1],sn[2]); } // Calculate the coefficients of a Bezier derivative divided by 3. static inline void derivative(pair& a, pair& b, pair& c, const pair& z0, const pair& c0, const pair& c1, const pair& z1) { a=z1-z0+3.0*(c0-c1); b=2.0*(z0+c1)-4.0*c0; c=c0-z0; } bbox path::bounds() const { if(!box.empty) return box; if (empty()) { // No bounds return bbox(); } Int len=length(); box.add(point(len)); times=bbox(len,len,len,len); for (Int i = 0; i < len; i++) { addpoint(box,i); if(straight(i)) continue; pair a,b,c; derivative(a,b,c,point(i),postcontrol(i),precontrol(i+1),point(i+1)); // Check x coordinate quadraticroots x(a.getx(),b.getx(),c.getx()); if(x.distinct != quadraticroots::NONE && goodroot(x.t1)) addpoint(box,i+x.t1); if(x.distinct == quadraticroots::TWO && goodroot(x.t2)) addpoint(box,i+x.t2); // Check y coordinate quadraticroots y(a.gety(),b.gety(),c.gety()); if(y.distinct != quadraticroots::NONE && goodroot(y.t1)) addpoint(box,i+y.t1); if(y.distinct == quadraticroots::TWO && goodroot(y.t2)) addpoint(box,i+y.t2); } return box; } bbox path::bounds(double min, double max) const { bbox box; Int len=length(); for (Int i = 0; i < len; i++) { addpoint(box,i,min,max); if(straight(i)) continue; pair a,b,c; derivative(a,b,c,point(i),postcontrol(i),precontrol(i+1),point(i+1)); // Check x coordinate quadraticroots x(a.getx(),b.getx(),c.getx()); if(x.distinct != quadraticroots::NONE && goodroot(x.t1)) addpoint(box,i+x.t1,min,max); if(x.distinct == quadraticroots::TWO && goodroot(x.t2)) addpoint(box,i+x.t2,min,max); // Check y coordinate quadraticroots y(a.gety(),b.gety(),c.gety()); if(y.distinct != quadraticroots::NONE && goodroot(y.t1)) addpoint(box,i+y.t1,min,max); if(y.distinct == quadraticroots::TWO && goodroot(y.t2)) addpoint(box,i+y.t2,min,max); } addpoint(box,len,min,max); return box; } inline void add(bbox& box, const pair& z, const pair& min, const pair& max) { box += z+min; box += z+max; } bbox path::internalbounds(const bbox& padding) const { bbox box; // Check interior nodes. Int len=length(); for (Int i = 1; i < len; i++) { pair pre=point(i)-precontrol(i); pair post=postcontrol(i)-point(i); // Check node x coordinate if((pre.getx() >= 0.0) ^ (post.getx() >= 0)) add(box,point(i),padding.left,padding.right); // Check node y coordinate if((pre.gety() >= 0.0) ^ (post.gety() >= 0)) add(box,point(i),pair(0,padding.bottom),pair(0,padding.top)); } // Check interior segments. for (Int i = 0; i < len; i++) { if(straight(i)) continue; pair a,b,c; derivative(a,b,c,point(i),postcontrol(i),precontrol(i+1),point(i+1)); // Check x coordinate quadraticroots x(a.getx(),b.getx(),c.getx()); if(x.distinct != quadraticroots::NONE && goodroot(x.t1)) add(box,point(i+x.t1),padding.left,padding.right); if(x.distinct == quadraticroots::TWO && goodroot(x.t2)) add(box,point(i+x.t2),padding.left,padding.right); // Check y coordinate quadraticroots y(a.gety(),b.gety(),c.gety()); if(y.distinct != quadraticroots::NONE && goodroot(y.t1)) add(box,point(i+y.t1),pair(0,padding.bottom),pair(0,padding.top)); if(y.distinct == quadraticroots::TWO && goodroot(y.t2)) add(box,point(i+y.t2),pair(0,padding.bottom),pair(0,padding.top)); } return box; } // {{{ Arclength Calculations static pair a,b,c; static double ds(double t) { double dx=quadratic(a.getx(),b.getx(),c.getx(),t); double dy=quadratic(a.gety(),b.gety(),c.gety(),t); return sqrt(dx*dx+dy*dy); } // Calculates arclength of a cubic using adaptive simpson integration. double path::cubiclength(Int i, double goal) const { const pair& z0=point(i); const pair& z1=point(i+1); double L; if(straight(i)) { L=(z1-z0).length(); return (goal < 0 || goal >= L) ? L : -goal/L; } const pair& c0=postcontrol(i); const pair& c1=precontrol(i+1); double integral; derivative(a,b,c,z0,c0,c1,z1); if(!simpson(integral,ds,0.0,1.0,DBL_EPSILON,1.0)) reportError("nesting capacity exceeded in computing arclength"); L=3.0*integral; if(goal < 0 || goal >= L) return L; double t=goal/L; goal *= third; static double dxmin=sqrt(DBL_EPSILON); if(!unsimpson(goal,ds,0.0,t,100.0*DBL_EPSILON,integral,1.0,dxmin)) reportError("nesting capacity exceeded in computing arctime"); return -t; } double path::arclength() const { if (cached_length != -1) return cached_length; double L=0.0; for (Int i = 0; i < n-1; i++) { L += cubiclength(i); } if(cycles) L += cubiclength(n-1); cached_length = L; return cached_length; } double path::arctime(double goal) const { if (cycles) { if (goal == 0 || cached_length == 0) return 0; if (goal < 0) { const path &rp = this->reverse(); double result = -rp.arctime(-goal); return result; } if (cached_length > 0 && goal >= cached_length) { Int loops = (Int)(goal / cached_length); goal -= loops*cached_length; return loops*n+arctime(goal); } } else { if (goal <= 0) return 0; if (cached_length > 0 && goal >= cached_length) return n-1; } double l,L=0; for (Int i = 0; i < n-1; i++) { l = cubiclength(i,goal); if (l < 0) return (-l+i); else { L += l; goal -= l; if (goal <= 0) return i+1; } } if (cycles) { l = cubiclength(n-1,goal); if (l < 0) return -l+n-1; if (cached_length > 0 && cached_length != L+l) { reportError("arclength != length.\n" "path::arclength(double) must have broken semantics.\n" "Please report this error."); } cached_length = L += l; goal -= l; return arctime(goal)+n; } else { cached_length = L; return length(); } } // }}} // {{{ Direction Time Calulation // Algorithm Stolen from Knuth's MetaFont inline double cubicDir(const solvedKnot& left, const solvedKnot& right, const pair& rot) { pair a,b,c; derivative(a,b,c,left.point,left.post,right.pre,right.point); a *= rot; b *= rot; c *= rot; quadraticroots ret(a.gety(),b.gety(),c.gety()); switch(ret.distinct) { case quadraticroots::MANY: case quadraticroots::ONE: { if(goodroot(a.getx(),b.getx(),c.getx(),ret.t1)) return ret.t1; } break; case quadraticroots::TWO: { if(goodroot(a.getx(),b.getx(),c.getx(),ret.t1)) return ret.t1; if(goodroot(a.getx(),b.getx(),c.getx(),ret.t2)) return ret.t2; } break; case quadraticroots::NONE: break; } return -1; } // TODO: Check that we handle corner cases. // Velocity(t) == (0,0) double path::directiontime(const pair& dir) const { if (dir == pair(0,0)) return 0; pair rot = pair(1,0)/unit(dir); double t; double pre,post; for (Int i = 0; i < n-1+cycles; ) { t = cubicDir(this->nodes[i],(cycles && i==n-1) ? nodes[0]:nodes[i+1],rot); if (t >= 0) return i+t; i++; if (cycles || i != n-1) { pair Pre = (point(i)-precontrol(i))*rot; pair Post = (postcontrol(i)-point(i))*rot; static pair zero(0.0,0.0); if(Pre != zero && Post != zero) { pre = angle(Pre); post = angle(Post); if ((pre <= 0 && post >= 0 && pre >= post - PI) || (pre >= 0 && post <= 0 && pre <= post + PI)) return i; } } } return -1; } // }}} // {{{ Path Intersection Calculations const unsigned maxdepth=DBL_MANT_DIG; const unsigned mindepth=maxdepth-16; void roots(std::vector &roots, double a, double b, double c, double d) { cubicroots r(a,b,c,d); if(r.roots >= 1) roots.push_back(r.t1); if(r.roots >= 2) roots.push_back(r.t2); if(r.roots == 3) roots.push_back(r.t3); } void roots(std::vector &r, double x0, double c0, double c1, double x1, double x) { double a=x1-x0+3.0*(c0-c1); double b=3.0*(x0+c1)-6.0*c0; double c=3.0*(c0-x0); double d=x0-x; roots(r,a,b,c,d); } // Return all intersection times of path g with the pair z. void intersections(std::vector& T, const path& g, const pair& z, double fuzz) { double fuzz2=fuzz*fuzz; Int n=g.length(); bool cycles=g.cyclic(); for(Int i=0; i < n; ++i) { // Check both directions to circumvent degeneracy. std::vector r; roots(r,g.point(i).getx(),g.postcontrol(i).getx(), g.precontrol(i+1).getx(),g.point(i+1).getx(),z.getx()); roots(r,g.point(i).gety(),g.postcontrol(i).gety(), g.precontrol(i+1).gety(),g.point(i+1).gety(),z.gety()); size_t m=r.size(); for(size_t j=0 ; j < m; ++j) { double t=r[j]; if(t >= -Fuzz2 && t <= 1.0+Fuzz2) { double s=i+t; if((g.point(s)-z).abs2() <= fuzz2) { if(cycles && s >= n-Fuzz2) s=0; T.push_back(s); } } } } } inline bool online(const pair&p, const pair& q, const pair& z, double fuzz) { if(p == q) return (z-p).abs2() <= fuzz*fuzz; return (z.getx()-p.getx())*(q.gety()-p.gety()) == (q.getx()-p.getx())*(z.gety()-p.gety()); } // Return all intersection times of path g with the (infinite) // line through p and q; if there are an infinite number of intersection points, // the returned list is guaranteed to include the endpoint times of // the intersection if endpoints=true. void lineintersections(std::vector& T, const path& g, const pair& p, const pair& q, double fuzz, bool endpoints=false) { Int n=g.length(); if(n == 0) { if(online(p,q,g.point((Int) 0),fuzz)) T.push_back(0.0); return; } bool cycles=g.cyclic(); double dx=q.getx()-p.getx(); double dy=q.gety()-p.gety(); double det=p.gety()*q.getx()-p.getx()*q.gety(); for(Int i=0; i < n; ++i) { pair z0=g.point(i); pair c0=g.postcontrol(i); pair c1=g.precontrol(i+1); pair z1=g.point(i+1); pair t3=z1-z0+3.0*(c0-c1); pair t2=3.0*(z0+c1)-6.0*c0; pair t1=3.0*(c0-z0); double a=dy*t3.getx()-dx*t3.gety(); double b=dy*t2.getx()-dx*t2.gety(); double c=dy*t1.getx()-dx*t1.gety(); double d=dy*z0.getx()-dx*z0.gety()+det; std::vector r; if(max(max(max(a*a,b*b),c*c),d*d) > Fuzz4*max(max(max(z0.abs2(),z1.abs2()),c0.abs2()),c1.abs2())) roots(r,a,b,c,d); else r.push_back(0.0); if(endpoints) { path h=g.subpath(i,i+1); intersections(r,h,p,fuzz); intersections(r,h,q,fuzz); if(online(p,q,z0,fuzz)) r.push_back(0.0); if(online(p,q,z1,fuzz)) r.push_back(1.0); } size_t m=r.size(); for(size_t j=0 ; j < m; ++j) { double t=r[j]; if(t >= -Fuzz2 && t <= 1.0+Fuzz2) { double s=i+t; if(cycles && s >= n-Fuzz2) s=0; T.push_back(s); } } } } // An optimized implementation of intersections(g,p--q); // if there are an infinite number of intersection points, the returned list is // only guaranteed to include the endpoint times of the intersection. void intersections(std::vector& S, std::vector& T, const path& g, const pair& p, const pair& q, double fuzz) { double length2=(q-p).abs2(); if(length2 == 0.0) { std::vector S1; intersections(S1,g,p,fuzz); size_t n=S1.size(); for(size_t i=0; i < n; ++i) { S.push_back(S1[i]); T.push_back(0.0); } } else { pair factor=(q-p)/length2; std::vector S1; lineintersections(S1,g,p,q,fuzz,true); size_t n=S1.size(); for(size_t i=0; i < n; ++i) { double s=S1[i]; double t=dot(g.point(s)-p,factor); if(t >= -Fuzz2 && t <= 1.0+Fuzz2) { S.push_back(s); T.push_back(t); } } } } void add(std::vector& S, double s, const path& p, double fuzz2) { pair z=p.point(s); size_t n=S.size(); for(size_t i=0; i < n; ++i) if((p.point(S[i])-z).abs2() <= fuzz2) return; S.push_back(s); } void add(std::vector& S, std::vector& T, double s, double t, const path& p, double fuzz2) { pair z=p.point(s); size_t n=S.size(); for(size_t i=0; i < n; ++i) if((p.point(S[i])-z).abs2() <= fuzz2) return; S.push_back(s); T.push_back(t); } void add(double& s, double& t, std::vector& S, std::vector& T, std::vector& S1, std::vector& T1, double pscale, double qscale, double poffset, double qoffset, const path& p, double fuzz2, bool single) { if(single) { s=s*pscale+poffset; t=t*qscale+qoffset; } else { size_t n=S1.size(); for(size_t i=0; i < n; ++i) add(S,T,pscale*S1[i]+poffset,qscale*T1[i]+qoffset,p,fuzz2); } } void add(double& s, double& t, std::vector& S, std::vector& T, std::vector& S1, std::vector& T1, const path& p, double fuzz2, bool single) { size_t n=S1.size(); if(single) { if(n > 0) { s=S1[0]; t=T1[0]; } } else { for(size_t i=0; i < n; ++i) add(S,T,S1[i],T1[i],p,fuzz2); } } void intersections(std::vector& S, path& g, const pair& p, const pair& q, double fuzz) { double fuzz2=max(fuzzFactor*fuzz*fuzz,Fuzz2); std::vector S1; lineintersections(S1,g,p,q,fuzz); size_t n=S1.size(); for(size_t i=0; i < n; ++i) add(S,S1[i],g,fuzz2); } bool intersections(double &s, double &t, std::vector& S, std::vector& T, path& p, path& q, double fuzz, bool single, bool exact, unsigned depth) { if(errorstream::interrupt) throw interrupted(); double fuzz2=max(fuzzFactor*fuzz*fuzz,Fuzz2); Int lp=p.length(); if(((lp == 1 && p.straight(0)) || lp == 0) && exact) { std::vector T1,S1; intersections(T1,S1,q,p.point((Int) 0),p.point(lp),fuzz); add(s,t,S,T,S1,T1,p,fuzz2,single); return S1.size() > 0; } Int lq=q.length(); if(((lq == 1 && q.straight(0)) || lq == 0) && exact) { std::vector S1,T1; intersections(S1,T1,p,q.point((Int) 0),q.point(lq),fuzz); add(s,t,S,T,S1,T1,p,fuzz2,single); return S1.size() > 0; } pair maxp=p.max(); pair minp=p.min(); pair maxq=q.max(); pair minq=q.min(); if(maxp.getx()+fuzz >= minq.getx() && maxp.gety()+fuzz >= minq.gety() && maxq.getx()+fuzz >= minp.getx() && maxq.gety()+fuzz >= minp.gety()) { // Overlapping bounding boxes --depth; // fuzz *= 2; // fuzz2=max(fuzzFactor*fuzz*fuzz,Fuzz2); if((maxp-minp).length()+(maxq-minq).length() <= fuzz || depth == 0) { if(single) { s=0.5; t=0.5; } else { S.push_back(0.5); T.push_back(0.5); } return true; } path p1,p2; double pscale,poffset; std::vector S1,T1; if(lp <= 1) { if(lp == 1) p.halve(p1,p2); if(lp == 0 || p1 == p || p2 == p) { intersections(T1,S1,q,p.point((Int) 0),p.point((Int) 0),fuzz); add(s,t,S,T,S1,T1,p,fuzz2,single); return S1.size() > 0; } pscale=poffset=0.5; } else { Int tp=lp/2; p1=p.subpath(0,tp); p2=p.subpath(tp,lp); poffset=tp; pscale=1.0; } path q1,q2; double qscale,qoffset; if(lq <= 1) { if(lq == 1) q.halve(q1,q2); if(lq == 0 || q1 == q || q2 == q) { intersections(S1,T1,p,q.point((Int) 0),q.point((Int) 0),fuzz); add(s,t,S,T,S1,T1,p,fuzz2,single); return S1.size() > 0; } qscale=qoffset=0.5; } else { Int tq=lq/2; q1=q.subpath(0,tq); q2=q.subpath(tq,lq); qoffset=tq; qscale=1.0; } bool Short=lp == 1 && lq == 1; static size_t maxcount=9; size_t count=0; if(intersections(s,t,S1,T1,p1,q1,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,0.0,0.0,p,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } S1.clear(); T1.clear(); if(intersections(s,t,S1,T1,p1,q2,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,0.0,qoffset,p,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } S1.clear(); T1.clear(); if(intersections(s,t,S1,T1,p2,q1,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,poffset,0.0,p,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } S1.clear(); T1.clear(); if(intersections(s,t,S1,T1,p2,q2,fuzz,single,exact,depth)) { add(s,t,S,T,S1,T1,pscale,qscale,poffset,qoffset,p,fuzz2,single); if(single || depth <= mindepth) return true; count += S1.size(); if(Short && count > maxcount) return true; } return S.size() > 0; } return false; } // }}} ostream& operator<< (ostream& out, const path& p) { Int n = p.length(); if(n < 0) out << ""; else { for(Int i = 0; i < n; i++) { out << p.point(i); if(p.straight(i)) out << "--"; else out << ".. controls " << p.postcontrol(i) << " and " << p.precontrol(i+1) << newl << " .."; } if(p.cycles) out << "cycle"; else out << p.point(n); } return out; } path concat(const path& p1, const path& p2) { Int n1 = p1.length(), n2 = p2.length(); if (n1 == -1) return p2; if (n2 == -1) return p1; mem::vector nodes(n1+n2+1); Int i = 0; nodes[0].pre = p1.point((Int) 0); for (Int j = 0; j < n1; j++) { nodes[i].point = p1.point(j); nodes[i].straight = p1.straight(j); nodes[i].post = p1.postcontrol(j); nodes[i+1].pre = p1.precontrol(j+1); i++; } for (Int j = 0; j < n2; j++) { nodes[i].point = p2.point(j); nodes[i].straight = p2.straight(j); nodes[i].post = p2.postcontrol(j); nodes[i+1].pre = p2.precontrol(j+1); i++; } nodes[i].point = nodes[i].post = p2.point(n2); return path(nodes, i+1); } // Interface to orient2d predicate optimized for pairs. double orient2d(const pair& a, const pair& b, const pair& c) { double detleft, detright, det; double detsum, errbound; double orient; FPU_ROUND_DOUBLE; detleft = (a.getx() - c.getx()) * (b.gety() - c.gety()); detright = (a.gety() - c.gety()) * (b.getx() - c.getx()); det = detleft - detright; if (detleft > 0.0) { if (detright <= 0.0) { FPU_RESTORE; return det; } else { detsum = detleft + detright; } } else if (detleft < 0.0) { if (detright >= 0.0) { FPU_RESTORE; return det; } else { detsum = -detleft - detright; } } else { FPU_RESTORE; return det; } errbound = ccwerrboundA * detsum; if ((det >= errbound) || (-det >= errbound)) { FPU_RESTORE; return det; } double pa[]={a.getx(),a.gety()}; double pb[]={b.getx(),b.gety()}; double pc[]={c.getx(),c.gety()}; orient = orient2dadapt(pa, pb, pc, detsum); FPU_RESTORE; return orient; } // Returns true iff the point z lies in or on the bounding box // of a,b,c, and d. bool insidebbox(const pair& a, const pair& b, const pair& c, const pair& d, const pair& z) { bbox B(a); B.addnonempty(b); B.addnonempty(c); B.addnonempty(d); return B.left <= z.getx() && z.getx() <= B.right && B.bottom <= z.gety() && z.gety() <= B.top; } inline bool inrange(double x0, double x1, double x) { return (x0 <= x && x <= x1) || (x1 <= x && x <= x0); } // Return true if point z is on z0--z1; otherwise compute contribution to // winding number. bool checkstraight(const pair& z0, const pair& z1, const pair& z, Int& count) { if(z0.gety() <= z.gety() && z.gety() <= z1.gety()) { double side=orient2d(z0,z1,z); if(side == 0.0 && inrange(z0.getx(),z1.getx(),z.getx())) return true; if(z.gety() < z1.gety() && side > 0) ++count; } else if(z1.gety() <= z.gety() && z.gety() <= z0.gety()) { double side=orient2d(z0,z1,z); if(side == 0.0 && inrange(z0.getx(),z1.getx(),z.getx())) return true; if(z.gety() < z0.gety() && side < 0) --count; } return false; } // returns true if point is on curve; otherwise compute contribution to // winding number. bool checkcurve(const pair& z0, const pair& c0, const pair& c1, const pair& z1, const pair& z, Int& count, unsigned depth) { if(depth == 0) return true; --depth; if(insidebbox(z0,c0,c1,z1,z)) { const pair m0=0.5*(z0+c0); const pair m1=0.5*(c0+c1); const pair m2=0.5*(c1+z1); const pair m3=0.5*(m0+m1); const pair m4=0.5*(m1+m2); const pair m5=0.5*(m3+m4); if(checkcurve(z0,m0,m3,m5,z,count,depth) || checkcurve(m5,m4,m2,z1,z,count,depth)) return true; } else if(checkstraight(z0,z1,z,count)) return true; return false; } // Return the winding number of the region bounded by the (cyclic) path // relative to the point z, or the largest odd integer if the point lies on // the path. Int path::windingnumber(const pair& z) const { static const Int undefined=Int_MAX % 2 ? Int_MAX : Int_MAX-1; if(!cycles) reportError("path is not cyclic"); bbox b=bounds(); if(z.getx() < b.left || z.getx() > b.right || z.gety() < b.bottom || z.gety() > b.top) return 0; Int count=0; for(Int i=0; i < n; ++i) if(straight(i)) { if(checkstraight(point(i),point(i+1),z,count)) return undefined; } else if(checkcurve(point(i),postcontrol(i),precontrol(i+1),point(i+1),z,count, maxdepth)) return undefined; return count; } path path::transformed(const transform& t) const { mem::vector nodes(n); for (Int i = 0; i < n; ++i) { nodes[i].pre = t * this->nodes[i].pre; nodes[i].point = t * this->nodes[i].point; nodes[i].post = t * this->nodes[i].post; nodes[i].straight = this->nodes[i].straight; } path p(nodes, n, cyclic()); return p; } path transformed(const transform& t, const path& p) { Int n = p.size(); mem::vector nodes(n); for (Int i = 0; i < n; ++i) { nodes[i].pre = t * p.precontrol(i); nodes[i].point = t * p.point(i); nodes[i].post = t * p.postcontrol(i); nodes[i].straight = p.straight(i); } return path(nodes, n, p.cyclic()); } path nurb(pair z0, pair z1, pair z2, pair z3, double w0, double w1, double w2, double w3, Int m) { mem::vector nodes(m+1); if(m < 1) reportError("invalid sampling interval"); double step=1.0/m; for(Int i=0; i <= m; ++i) { double t=i*step; double t2=t*t; double onemt=1.0-t; double onemt2=onemt*onemt; double W0=w0*onemt2*onemt; double W1=w1*3.0*t*onemt2; double W2=w2*3.0*t2*onemt; double W3=w3*t2*t; nodes[i].point=(W0*z0+W1*z1+W2*z2+W3*z3)/(W0+W1+W2+W3); } static const double twothirds=2.0/3.0; pair z=nodes[0].point; nodes[0].pre=z; nodes[0].post=twothirds*z+third*nodes[1].point; for(int i=1; i < m; ++i) { pair z0=nodes[i].point; pair zm=nodes[i-1].point; pair zp=nodes[i+1].point; pair pre=twothirds*z0+third*zm; pair pos=twothirds*z0+third*zp; pair dir=unit(pos-pre); nodes[i].pre=z0-length(z0-pre)*dir; nodes[i].post=z0+length(pos-z0)*dir; } z=nodes[m].point; nodes[m].pre=twothirds*z+third*nodes[m-1].point; nodes[m].post=z; return path(nodes,m+1); } } //namespace camp asymptote-2.62/tests/0000755000000000000000000000000013607467225013344 5ustar rootrootasymptote-2.62/tests/gs/0000755000000000000000000000000013607467113013751 5ustar rootrootasymptote-2.62/tests/gs/ghostscript.asy0000644000000000000000000000056113607467113017042 0ustar rootrootimport TestLib; StartTest("Ghostscript"); bool uptodate=texpath("A").length != 0; if(!uptodate) { write(); write(); write("Incompatible Ghostscript version!"); write("Please set environment variable ASYMPTOTE_EPSDRIVER to"); write("\"epswrite\" for Ghostscript < 9.14 and to \"eps2write\" for Ghostscript >= 9.14"); write(); } assert(uptodate); EndTest(); asymptote-2.62/tests/types/0000755000000000000000000000000013607467113014504 5ustar rootrootasymptote-2.62/tests/types/var.asy0000644000000000000000000000224513607467113016015 0ustar rootrootimport TestLib; StartTest("var"); var x = 4; assert(x + x == 8); assert(x^2 == 16); assert((real)x == 4.0); var y = x; assert(y + y == 8); assert(x + y == 8); assert(y^2 == 16); assert((real)y == 4.0); var z = 2 * x; assert(z + z == 16); assert(x + z == 12); assert(z^2 == 64); assert((real)z == 8.0); var t = sin(0); assert(t == 0.0); assert(2t == 0.0); struct A { int x; }; A a; a.x = 3; var b = a; assert(a == b); assert(a.x == 3); A func(int x, int y) { return a; } var c = func(2,3); assert(a == b); assert(a.x == 3); int f(int x) { return x*x; } var g = f; assert(g == f); for (int i = 0; i < 100; ++i) assert(g(i) == i*i); /* var can be replaced with a normal type. */ { typedef int var; var x; assert(x == 0); var v = 14; assert(v == 14); } { struct var { int x; } var n = null; assert(n == null); var a; assert(a != null); assert(a.x == 0); a.x = 11; assert(a.x == 11); } // Test for single evaluation of the initializer. { int x = 3; assert(x == 3); var y = ++x; assert(x == 4); assert(y == 4); } { int f = 4, f() = null; var x = (int)f; assert(x == 4); } EndTest(); asymptote-2.62/tests/types/order.asy0000644000000000000000000000775013607467113016346 0ustar rootrootimport TestLib; StartTest("order"); // Ordering tests. int counter = 0; int step(int n) { ++counter; assert(counter == n); return n; } int[] stepArray(int n) { return new int[] {step(n)}; } void reset() { counter = 0; } { reset(); assert(step(1) + step(2) == step(3)); step(4); } { reset(); assert(step(1) == 0 || step(2) == 2); step(3); } { reset(); step(1) == 0 && step(999) == step(456); step(2); } { reset(); int x = step(1), y = step(2); step(3); int x = step(4), y = step(5); step(6); } { void f(int x, int y) {} reset(); f(step(1), step(2)); step(3); reset(); f(x=step(1), y=step(2)); step(3); reset(); f(y=step(1), x=step(2)); step(3); reset(); f(x=step(1), step(2)); step(3); reset(); f(y=step(1), step(2)); step(3); reset(); f(step(1), x=step(2)); step(3); reset(); f(step(1), y=step(2)); step(3); } { void f(int x, int y ... int[] z) {} reset(); f(step(1), step(2)); step(3); reset(); f(x=step(1), y=step(2)); step(3); reset(); f(y=step(1), x=step(2)); step(3); reset(); f(x=step(1), step(2)); step(3); reset(); f(y=step(1), step(2)); step(3); reset(); f(step(1), x=step(2)); step(3); reset(); f(step(1), y=step(2)); step(3); reset(); f(step(1), step(2), step(3)); step(4); reset(); f(x=step(1), y=step(2), step(3)); step(4); reset(); f(y=step(1), x=step(2), step(3)); step(4); reset(); f(x=step(1), step(2), step(3)); step(4); reset(); f(y=step(1), step(2), step(3)); step(4); reset(); f(step(1), x=step(2), step(3)); step(4); reset(); f(step(1), y=step(2), step(3)); step(4); reset(); f(step(1), step(2), step(3), step(4)); step(5); reset(); f(x=step(1), y=step(2), step(3), step(4)); step(5); reset(); f(y=step(1), x=step(2), step(3), step(4)); step(5); reset(); f(x=step(1), step(2), step(3), step(4)); step(5); reset(); f(y=step(1), step(2), step(3), step(4)); step(5); reset(); f(step(1), x=step(2), step(3), step(4)); step(5); reset(); f(step(1), y=step(2), step(3), step(4)); step(5); reset(); f(step(1), step(2), step(3)); step(4); reset(); f(x=step(1), step(2), y=step(3)); step(4); reset(); f(y=step(1), step(2), x=step(3)); step(4); reset(); f(x=step(1), step(2), step(3)); step(4); reset(); f(y=step(1), step(2), step(3)); step(4); reset(); f(step(1), step(2), x=step(3)); step(4); reset(); f(step(1), step(2), y=step(3)); step(4); reset(); f(step(1), step(2), step(3), step(4)); step(5); reset(); f(x=step(1), step(2), y=step(3), step(4)); step(5); reset(); f(y=step(1), step(2), x=step(3), step(4)); step(5); reset(); f(x=step(1), step(2), step(3), step(4)); step(5); reset(); f(y=step(1), step(2), step(3), step(4)); step(5); reset(); f(step(1), step(2), x=step(3), step(4)); step(5); reset(); f(step(1), step(2), y=step(3), step(4)); step(5); reset(); f(step(1), step(2), step(3), step(4)... stepArray(5)); step(6); reset(); f(x=step(1), step(2), y=step(3), step(4)... stepArray(5)); step(6); reset(); f(y=step(1), step(2), x=step(3), step(4)... stepArray(5)); step(6); reset(); f(x=step(1), step(2), step(3), step(4)... stepArray(5)); step(6); reset(); f(y=step(1), step(2), step(3), step(4)... stepArray(5)); step(6); reset(); f(step(1), step(2), x=step(3), step(4)... stepArray(5)); step(6); reset(); f(step(1), step(2), y=step(3), step(4)... stepArray(5)); step(6); reset(); f(...stepArray(1), x=step(2), y=step(3)); step(4); reset(); f(...stepArray(1), y=step(2), x=step(3)); step(4); reset(); f(step(1)...stepArray(2), x=step(3), y=step(4)); step(5); reset(); f(step(1)...stepArray(2), y=step(3), x=step(4)); step(5); reset(); f(step(1),step(2)...stepArray(3), y=step(4), x=step(5)); step(6); reset(); f(step(1),step(2)...stepArray(3), y=step(4), x=step(5)); step(6); reset(); f(step(1),step(2),x=step(3)...stepArray(4), y=step(5)); step(6); reset(); f(step(1),step(2),x=step(3)...stepArray(4), y=step(5)); step(6); } // TODO: Add packing vs. casting tests. EndTest(); asymptote-2.62/tests/types/cast.asy0000644000000000000000000000023713607467113016156 0ustar rootrootimport TestLib; StartTest("cast"); struct A { public int x; } A operator cast(int x) { A a=new A; a.x=x; return a; } A a=7; assert(a.x==7); EndTest(); asymptote-2.62/tests/types/resolve.asy0000644000000000000000000000525313607467113016706 0ustar rootrootimport TestLib; StartTest("resolve"); struct A {} struct B {} struct C {} int f(B, real) { return 1; } int f(C, int) { return 2; } B operator cast(A) { return new B; } assert(f(new A, 3) == 1); C operator cast(A) { return new C; } assert(f(new A, 3) == 2); int givex(int x, int y) { return x; } assert(givex(2002,3) == 2002); assert(givex(2002,2002) == 2002); assert(givex(-2005,2005) == -2005); assert(givex(x=-77,205) == -77); assert(givex(-77,y=205) == -77); assert(givex(-77,x=205) == 205); assert(givex(x=-77,y=205) == -77); assert(givex(y=-77,x=205) == 205); int g(real x, real y) { return 7; } int g(int x, real y) { return 8; } assert(g(4, 4) == 8); assert(g(4, 4.4) == 8); assert(g(4.4, 4) == 7); assert(g(4.4, 4.4) == 7); assert(g(x=4, y=4) == 8); assert(g(x=4, y=4.4) == 8); assert(g(x=4.4, y=4) == 7); assert(g(x=4.4, y=4.4) == 7); assert(g(x=4, 4) == 8); assert(g(x=4, 4.4) == 8); assert(g(x=4.4, 4) == 7); assert(g(x=4.4, 4.4) == 7); assert(g(4, y=4) == 8); assert(g(4, y=4.4) == 8); assert(g(4.4, y=4) == 7); assert(g(4.4, y=4.4) == 7); assert(g(y=4, x=4) == 8); assert(g(y=4, x=4.4) == 7); assert(g(y=4.4, x=4) == 8); assert(g(y=4.4, x=4.4) == 7); assert(g(4, x=4) == 8); assert(g(4, x=4.4) == 7); assert(g(4.4, x=4) == 8); assert(g(4.4, x=4.4) == 7); assert(g(y=4, 4) == 8); assert(g(y=4, 4.4) == 7); assert(g(y=4.4, 4) == 8); assert(g(y=4.4, 4.4) == 7); // Test exact matching over casting. { void f(int x, real y=0.0, int z=0) { assert(x==1); assert(y==2.0); assert(z==0); } f(1,2); } { void f() { assert(false); } void f(int x, real y=0.0, int z=0) { assert(x==1); assert(y==2.0); assert(z==0); } f(1,2); } { void f() { assert(false); } void f(int x, int y) { assert(x==1); assert(y==2); } void f(int x, real y=0.0, int z=0) { assert(false); } f(1,2); } { struct A {} struct B {} struct C {} void f(B); void g(B); // Should resolve to void (B). assert(f == g); assert(g == f); assert(!(f != g)); assert(!(g != f)); } { struct A {} struct B {} struct C {} void f(A), f(B); void g(B), g(C); // Should resolve to void (B). assert(f == g); assert(g == f); assert(!(f != g)); assert(!(g != f)); } { struct A {} struct B {} struct C {} void f(B); void g(B), g(C); // Should resolve to void (B). assert(f == g); assert(g == f); assert(!(f != g)); assert(!(g != f)); } { struct A {} struct B {} struct C {} void f(B); void g(B), g(C); // Should resolve to void (B). assert(f == g); assert(g == f); assert(!(f != g)); assert(!(g != f)); } { void foo() {} assert((foo == null ? 5 : 8) == 8); } // TODO: Add packing vs. casting tests. EndTest(); asymptote-2.62/tests/types/keyword.asy0000644000000000000000000001022213607467113016703 0ustar rootrootimport TestLib; StartTest("keyword"); { int f(int keyword x) { return 2*x; } assert(f(x=17) == 34); } { int f(int keyword x = 10) { return 2*x; } assert(f() == 20); } { int f(int keyword x = 10, int keyword y = 20) { return 2x+y; } assert(f(x=1,y=2) == 4); assert(f(y=1,x=2) == 5); assert(f(x=1) == 22); assert(f(y=7) == 27); assert(f() == 40); } { int f(int keyword x, int keyword y = 20) { return x+y; } assert(f(x=1,y=2) == 3); assert(f(x=1) == 21); } { int f(int keyword x = 10, int keyword y) { return x+y; } assert(f(x=1,y=2) == 3); assert(f(y=2) == 12); } { int f(int keyword x, int keyword y) { return x+y; } assert(f(x=1,y=2) == 3); } { int f(int x, int keyword y) { return 2x+y; } assert(f(x=1,y=2) == 4); assert(f(1,y=2) == 4); assert(f(y=2,1) == 4); assert(f(y=2,x=1) == 4); } { int f(... int[] nums, int keyword r) { return r; } assert(f(r=3) == 3); assert(f(1,r=3) == 3); assert(f(1,2, r=3) == 3); assert(f(1,2,4,5,6, r=3) == 3); assert(f(r=3, 10, 20, 30) == 3); assert(f(4, 5, r=3, 10, 20, 30) == 3); assert(f(4, 5, r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(... new int[] {40,50,60}, r=3) == 3); assert(f(... new int[] {40,50,60}, r=3) == 3); } { int f(... int[] nums, int keyword r=77) { return r; } assert(f(r=3) == 3); assert(f(1,r=3) == 3); assert(f(1,2, r=3) == 3); assert(f(1,2,4,5,6, r=3) == 3); assert(f(r=3, 10, 20, 30) == 3); assert(f(4, 5, r=3, 10, 20, 30) == 3); assert(f(4, 5, r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(... new int[] {40,50,60}, r=3) == 3); assert(f(... new int[] {40,50,60}, r=3) == 3); assert(f() == 77); assert(f(1) == 77); assert(f(1,2) == 77); assert(f(1,2,4,5,6) == 77); assert(f(10, 20, 30) == 77); assert(f(4, 5, 10, 20, 30) == 77); assert(f(4, 5, 10, 20, 30 ... new int[] {40,50,60}) == 77); assert(f(10, 20, 30 ... new int[] {40,50,60}) == 77); assert(f(10, 20, 30 ... new int[] {40,50,60}) == 77); assert(f(... new int[] {40,50,60}) == 77); assert(f(... new int[] {40,50,60}) == 77); } { int f(int x ... int[] nums, int keyword r=77) { return r; } assert(f(345,r=3) == 3); assert(f(345,1,r=3) == 3); assert(f(345,1,2, r=3) == 3); assert(f(345,1,2,4,5,6, r=3) == 3); assert(f(345,r=3, 10, 20, 30) == 3); assert(f(345,4, 5, r=3, 10, 20, 30) == 3); assert(f(345,4, 5, r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(345,r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(345,r=3, 10, 20, 30 ... new int[] {40,50,60}) == 3); assert(f(345 ... new int[] {40,50,60}, r=3) == 3); assert(f(345 ... new int[] {40,50,60}, r=3) == 3); assert(f(345) == 77); assert(f(345,1) == 77); assert(f(345,1,2) == 77); assert(f(345,1,2,4,5,6) == 77); assert(f(345,10, 20, 30) == 77); assert(f(345,4, 5, 10, 20, 30) == 77); assert(f(345,4, 5, 10, 20, 30 ... new int[] {40,50,60}) == 77); assert(f(345,10, 20, 30 ... new int[] {40,50,60}) == 77); assert(f(345,10, 20, 30 ... new int[] {40,50,60}) == 77); assert(f(345 ... new int[] {40,50,60}) == 77); assert(f(345 ... new int[] {40,50,60}) == 77); } { int sqr(int x=7) { return x*x; } int f(int keyword x) = sqr; int g(int keyword x=666) = sqr; assert(f(x=5) == 25); assert(g(x=5) == 25); assert(g() == 49); } { int sqr(int n=7) { return n*n; } int f(int keyword x) = sqr; int g(int keyword x=666) = sqr; assert(f(x=5) == 25); assert(g(x=5) == 25); assert(g() == 49); } { int sqr(int keyword x=7) { return x*x; } int f(int x) = sqr; int g(int x=666) = sqr; assert(f(x=5) == 25); assert(g(x=5) == 25); assert(f(5) == 25); assert(g(5) == 25); assert(g() == 49); } { int sqr(int keyword n=7) { return n*n; } int f(int x) = sqr; int g(int x=666) = sqr; assert(f(x=5) == 25); assert(g(x=5) == 25); assert(f(5) == 25); assert(g(5) == 25); assert(g() == 49); } EndTest(); asymptote-2.62/tests/types/spec.asy0000644000000000000000000000246313607467113016161 0ustar rootrootimport TestLib; StartTest("spec"); // Test if the cycle keyword can be used in different contexts. { int operator cast(cycleToken) { return 55; } int x=cycle; assert(x==55); } // Test the tensionSpecifier type. { tensionSpecifier operator ..(string a, tensionSpecifier t, string b) { return t; } tensionSpecifier t="hello" .. tension 2 .. "joe"; assert(t.out==2); assert(t.in==2); assert(t.atLeast==false); tensionSpecifier t="hello" .. tension 3 and 2 .. "joe"; assert(t.out==3); assert(t.in==2); assert(t.atLeast==false); tensionSpecifier t="hello" .. tension atleast 7 .. "joe"; assert(t.out==7); assert(t.in==7); assert(t.atLeast==true); tensionSpecifier t="hello" .. tension atleast 3 and 2 .. "joe"; assert(t.out==3); assert(t.in==2); assert(t.atLeast==true); } // Test the curlSpecifier type. { curlSpecifier operator ..(curlSpecifier spec, string b) { return spec; } curlSpecifier operator ..(string a, curlSpecifier spec) { return spec; } curlSpecifier operator ..(string a, curlSpecifier spec, string b) { return spec; } curlSpecifier spec="hello"{curl 3}.."joe"; assert(spec.value==3); assert(spec.side==JOIN_OUT); curlSpecifier spec="hello"..{curl 7}"joe"; assert(spec.value==7); assert(spec.side==JOIN_IN); } EndTest(); asymptote-2.62/tests/types/ecast.asy0000644000000000000000000000023313607467113016317 0ustar rootrootimport TestLib; StartTest("ecast"); struct A { public int x; } int operator ecast(A a) { return a.x; } A a=new A; a.x=5; assert((int)a==5); EndTest(); asymptote-2.62/tests/types/shadow.asy0000644000000000000000000000046413607467113016513 0ustar rootrootimport TestLib; StartTest("shadow"); int x = 1; int getX() { return x; } void setX(int value) { x=value; } // Shadow x with another int, but x should still be in memory. int x = 2; assert(x==2); assert(getX()==1); x = 4; assert(x==4); assert(getX()==1); setX(7); assert(x==4); assert(getX()==7); EndTest(); asymptote-2.62/tests/types/init.asy0000644000000000000000000000034013607467113016162 0ustar rootrootimport TestLib; StartTest("init"); int operator init() { return 7; } int x; assert(x==7); struct A { int x=3; } A a; assert(a!=null); assert(a.x==3); A operator init() { return null; } A aa; assert(aa==null); EndTest(); asymptote-2.62/tests/types/guide.asy0000644000000000000000000000645713607467113016333 0ustar rootrootimport TestLib; StartTest("guide"); guide g; assert(size(g) == 0); assert(length(g) == -1); guide g=(0,0){curl 2}..(1,1){W}..tension 5 and 6 ..{N}(4,2)..{curl 3}(0,1); g=reverse(reverse(g)); assert(size(g) == 4); assert(length(g) == 3); assert(size((path) g) == 4); assert(length((path) g) == 3); assert(size((guide) (path) g) == 4); assert(length((guide) (path) g) == 3); assert(close(point(g,-1),(0,0))); assert(close(point(g,0),(0,0))); assert(close(point(g,1),(1,1))); assert(close(point(g,3),(0,1))); assert(close(point(g,4),(0,1))); tensionSpecifier t=tensionSpecifier(g,1); assert(close(t.out,5)); assert(close(t.in,6)); assert(t.atLeast == false); pair[] z=dirSpecifier(g,0); assert(close(z[0],0)); assert(close(z[1],0)); pair[] z=dirSpecifier(g,1); assert(close(z[0],W)); assert(close(z[1],N)); real[] x=curlSpecifier(g,0); assert(close(x[0],2)); assert(close(x[1],1)); real[] x=curlSpecifier(g,length(g)-1); assert(close(x[0],1)); assert(close(x[1],3)); assert(!cyclic(g)); assert(!cyclic((path) g)); assert(!cyclic((guide) (path) g)); guide g=(0,0)..controls (3,5)..(1,1){W}..tension atleast 5 and 6 ..{N}(4,2).. controls(1,2) and (2,4).. (0,1)..cycle; g=reverse(reverse(g)); assert(size(g) == 4); assert(length(g) == 4); assert(size((path) g) == 4); assert(length((path) g) == 4); assert(size((guide) (path) g) == 4); assert(length((guide) (path) g) == 4); tensionSpecifier t=tensionSpecifier(g,1); assert(close(t.out,5)); assert(close(t.in,6)); assert(t.atLeast == true); pair[] z=controlSpecifier(g,0); assert(close(z[0],(3,5))); assert(close(z[1],(3,5))); pair[] z=controlSpecifier(g,2); assert(close(z[0],(1,2))); assert(close(z[1],(2,4))); real[] x=curlSpecifier(g,0); assert(close(x[0],1)); assert(close(x[1],1)); real[] x=curlSpecifier(g,length(g)-1); assert(close(x[0],1)); assert(close(x[1],1)); assert(cyclic(g)); assert(cyclic((path) g)); assert(cyclic((guide) (path) g)); guide g=(0,0)..controls (3,5)..(1,1){W}..tension atleast 5 and 6 ..{N}(4,2).. cycle..controls(1,2) and (2,4)..(0,1)..cycle; assert(size(g) == 5); assert(length(g) == 5); assert(size((path) g) == 5); assert(length((path) g) == 5); assert(size((guide) (path) g) == 5); assert(length((guide) (path) g) == 5); pair[] z=dirSpecifier(g,0); assert(close(z[0],0)); assert(close(z[1],0)); pair[] z=dirSpecifier(g,1); assert(close(z[0],W)); assert(close(z[1],N)); tensionSpecifier t=tensionSpecifier(g,1); assert(close(t.out,5)); assert(close(t.in,6)); assert(t.atLeast == true); pair[] z=controlSpecifier(g,0); assert(close(z[0],(3,5))); assert(close(z[1],(3,5))); real[] x=curlSpecifier(g,0); assert(close(x[0],1)); assert(close(x[1],1)); real[] x=curlSpecifier(g,length(g)-1); assert(close(x[0],1)); assert(close(x[1],1)); assert(cyclic(g)); assert(cyclic((path) g)); assert(cyclic((guide) (path) g)); guide g=(0,0)..controls (3,5) and (4,6)..cycle; g=reverse(g); assert(size(g) == 1); assert(length(g) == 1); pair[] z=controlSpecifier(g,0); assert(close(z[0],(4,6))); assert(close(z[1],(3,5))); // Test building guides in loops. int N = 100; guide g; for (int i = 0; i < N; ++i) g = g--(i,i^2); path p=g; for (int i = 0; i < N; ++i) assert(point(p, i) == (i,i^2)); int N = 100; guide g; for (int i = 0; i < N; ++i) g = (i,i^2)--g; path p=g; for (int i = N-1, j = 0; i >= 0; --i, ++j) assert(point(p, j) == (i,i^2)); EndTest(); asymptote-2.62/tests/types/constructor.asy0000644000000000000000000001454713607467113017622 0ustar rootrootimport TestLib; StartTest("constructor"); { // Basic usage. {{{1 struct Foo { int x; int y; void operator init() { x=2; y=3; } void operator init(int x, int y=2x) { this.x=x; this.y=y; } void operator init(string s ... int[] vals) { for (int i=0; i$(basename $@).stdout 2>$(basename $@).stderr; \ ls >$(basename $@).ls; \ rm -f *.dvi *.pdf *.gif *.jpg *.jpeg *.png # Ignore lines with timestamps of the form hh:mm, since the time changes between # runs. This regex is fairly broad and it may need to be narrowed. $(TESTS:=.diff): %.diff: %.out diff -I "[0-9][0-9]:[0-9][0-9]" -u $(@:.diff=.ref) $(@:.diff=.out) clean: rm -rf *.out # The reference copies should only be built at the start, or when the behaviour # of Asymptote is intentionally changed, so they are not usually removed by make # clean. veryclean: clean rm -rf *.ref # This tells make to build every dependency from scratch, ignoring the dates on # files. .PHONY: $(TESTS:=.ref) $(TESTS:=.out) $(TESTS:=.diff) diff ref clean veryclean asymptote-2.62/tests/output/circle.asy0000644000000000000000000000002213607467113016651 0ustar rootrootdraw(unitcircle); asymptote-2.62/tests/imp/0000755000000000000000000000000013607467113014125 5ustar rootrootasymptote-2.62/tests/imp/unravel.asy0000644000000000000000000000227113607467113016321 0ustar rootrootimport TestLib; StartTest("unravel"); { struct A { int x=1, y=2, z=3; int y() { return 7; } } A a=new A; unravel a; assert(x==1); assert(y==2); assert(z==3); assert(y()==7); } { struct A { private int x=1; int y=2, z=3; int y() { return 7; } } int x=5; A a=new A; unravel a; assert(x==5); assert(y==2); assert(z==3); } { struct A { public int x=1; int y=2, z=3; int y() { return 7; } } int z=5; A a=new A; from a unravel x,y; assert(x==1); assert(y==2); assert(z==5); assert(y()==7); } { struct A { public int x=1; int y=2, z=3; int y() { return 7; } } int y=4; int z=5; A a=new A; from a unravel x,y as blah; assert(x==1); assert(y==4); assert(blah==2); assert(z==5); assert(blah()==7); } { struct A { struct B { static int x=4; } } A a=new A; int x=3; from a.B unravel x; assert(x==4); } { struct A { struct B { static int x=4; } } A a=new A; A.B b=new a.B; int x=3; from b unravel x; assert(x==4); } { struct A { static struct B { static int x=4; } } int x=3; from A.B unravel x; assert(x==4); } EndTest(); asymptote-2.62/tests/string/0000755000000000000000000000000013607467113014646 5ustar rootrootasymptote-2.62/tests/string/substr.asy0000644000000000000000000000016613607467113016711 0ustar rootrootimport TestLib; StartTest("substr"); string s = "abcdef"; string sub = substr(s,2,2); assert(sub == "cd"); EndTest(); asymptote-2.62/tests/string/length.asy0000644000000000000000000000020413607467113016641 0ustar rootrootimport TestLib; StartTest("length"); assert(length("") == 0); assert(length("abc") == 3); assert(length("abcdef") == 6); EndTest(); asymptote-2.62/tests/string/find.asy0000644000000000000000000000026613607467113016310 0ustar rootrootimport TestLib; StartTest("find"); string s = "abcdefab"; assert(find(s,"cd") == 2); assert(find(s,"cd",3) == -1); assert(find(s,"ab") == 0); assert(find(s,"ab",1) == 6); EndTest(); asymptote-2.62/tests/string/insert.asy0000644000000000000000000000015513607467113016671 0ustar rootrootimport TestLib; StartTest("insert"); string sub = insert("abef",2,"cd"); assert(sub == "abcdef"); EndTest(); asymptote-2.62/tests/string/erase.asy0000644000000000000000000000035413607467113016465 0ustar rootrootimport TestLib; StartTest("erase"); string s = "abcdef"; assert(erase(s,2,2) == "abef"); assert(erase(s,-1,2) == "abcdef"); assert(erase(s,7,1) == "abcdef"); assert(erase(s,3,0) == "abcdef"); assert(erase(s,5,2) == "abcde"); EndTest(); asymptote-2.62/tests/string/rfind.asy0000644000000000000000000000027313607467113016470 0ustar rootrootimport TestLib; StartTest("rfind"); string s = "abcdefab"; assert(rfind(s,"cd") == 2); assert(rfind(s,"cd",1) == -1); assert(rfind(s,"ab") == 6); assert(rfind(s,"ab",5) == 0); EndTest(); asymptote-2.62/tests/bench/0000755000000000000000000000000013607467113014417 5ustar rootrootasymptote-2.62/tests/bench/6000circles.asy0000644000000000000000000000042413607467113017067 0ustar rootrootsize(0,100); import math; import stats; currentpen=magenta; // A centered random number real crand() {return unitrand()*5;} real r1; pair pcenter; for(int i=0; i < 6000; ++i) { r1 = unitrand()/10; pcenter = ( crand(), crand()); Draw(circle(pcenter,r1)); } asymptote-2.62/tests/frames/0000755000000000000000000000000013607467113014615 5ustar rootrootasymptote-2.62/tests/frames/stat2.asy0000644000000000000000000000031213607467113016364 0ustar rootrootimport TestLib; StartTest("stat2"); struct T { int x; static void f(T t) { static void g(T t) { t.x=2; } g(t); } } T t=new T; assert(t.x==0); T.f(t); assert(t.x==2); EndTest(); asymptote-2.62/tests/frames/loop.asy0000644000000000000000000000425613607467113016313 0ustar rootrootimport TestLib; StartTest("loop"); int f(); for (int i=0; i<10; ++i) { int x=i; for (int j=0; j<10; ++j) { int y=j; if (i==5 && j==7) { f = new int () { return x*y; }; } } } assert(f()==35); int f(); for (int i=0; i<10; ++i) { int x=i; for (int j=0; j<10; ++j) { int y=j; if (i==5 && j==7) { f = new int () { return i*y; }; } } } assert(f()==70); { int y = 3; int z = 0; for (int i = 0; i < 7; ++i) { ++z; continue; y = 4; } assert(y == 3); assert(z == 7); } { int y = 3; int z = 0; for (int i = 0; i < 7; ++i) { ++z; break; y = 4; } assert(y == 3); assert(z == 1); } { int y = 3; int z = 0; for (int i = 0; i < 7; ++i) { void g() {} ++z; continue; y = 4; } assert(y == 3); assert(z == 7); } { int y = 3; int z = 0; for (int i = 0; i < 7; ++i) { void g() {} ++z; break; y = 4; } assert(y == 3); assert(z == 1); } // While loops { int y = 7; int z = 0; while (z < 10) { ++z; continue; ++y; } assert(z == 10); assert(y == 7); } { int y = 7; int z = 0; while (z < 10) { void g() {} ++z; continue; ++y; } assert(z == 10); assert(y == 7); } { int y = 7; int z = 0; while (z < 10) { ++z; break; ++y; } assert(z == 1); assert(y == 7); } { int y = 7; int z = 0; while (z < 10) { void g() {} ++z; break; ++y; } assert(z == 1); assert(y == 7); } { int y = 7; int z = 0; while (z < 10) { ++z; continue; ++y; } assert(z == 10); assert(y == 7); } // Do loops { int y = 7; int z = 0; do { void g() {} ++z; continue; ++y; } while (z < 10); assert(z == 10); assert(y == 7); } { int y = 7; int z = 0; do { ++z; break; ++y; } while (z < 10); assert(z == 1); assert(y == 7); } { int y = 7; int z = 0; do { void g() {} ++z; break; ++y; } while (z < 10); assert(z == 1); assert(y == 7); } { int x = 456; do { x = 123; } while (false); assert(x == 123); } { int x = 456; do { void g() {} x = 123; } while (false); assert(x == 123); } EndTest(); asymptote-2.62/tests/frames/stat.asy0000644000000000000000000000023613607467113016307 0ustar rootrootimport TestLib; StartTest("stat"); struct T { int x; static void f(T t) { t.x=2; } } T t=new T; assert(t.x==0); T.f(t); assert(t.x==2); EndTest(); asymptote-2.62/tests/gc/0000755000000000000000000000000013607467113013731 5ustar rootrootasymptote-2.62/tests/gc/pen.asy0000644000000000000000000000011013607467113015221 0ustar rootrootfor (int i = 0; i < 1e7; ++i) { pen p = linetype(new real[] {1,2}); } asymptote-2.62/tests/gc/string.asy0000644000000000000000000000011513607467113015752 0ustar rootrootstring a="abc"; for (int i = 0; i < 1e7; ++i) { "a"+"b"; a=reverse(a); } asymptote-2.62/tests/gc/label.asy0000644000000000000000000000021713607467113015526 0ustar rootrootguide a; for (int i = 0; i < 1e7; ++i) { picture pic; size(pic,10cm,20cm); draw(pic,"a",scale(2)*(0,0)--(1,1)); shipout("out/",pic); } asymptote-2.62/tests/gc/shipout.asy0000644000000000000000000000030113607467113016134 0ustar rootrootguide a; for (int i = 0; i < 1e7; ++i) { picture pic; size(pic,10cm,20cm); path p=(1.0,2.0); path q=(3.0,4.0); path a=p..q..(3,5); draw(pic,a,blue+dashed); shipout("out/",pic); } asymptote-2.62/tests/gc/struct.asy0000644000000000000000000000020113607467113015764 0ustar rootrootfor (int i = 0; i < 1e7; ++i) { picture pic; unitsize(pic, 0.02mm, 0.04mm); draw(pic,unitcircle); shipout("out/",pic); } asymptote-2.62/tests/gc/funcall.asy0000644000000000000000000000006613607467113016075 0ustar rootrootvoid g() {} for (int i = 0; i < 1e9; ++i) { g(); } asymptote-2.62/tests/gc/file.asy0000644000000000000000000000014613607467113015367 0ustar rootrootfor (int i = 0; i < 1e7; ++i) { file a=output("out/"+(string) i); write(a,i,endl); close(a); } asymptote-2.62/tests/gc/array.asy0000644000000000000000000000007613607467113015570 0ustar rootrootreal[] a; for (int i = 0; i < 1e9; ++i) { a=new real[10]; } asymptote-2.62/tests/gc/guide.asy0000644000000000000000000000010113607467113015534 0ustar rootrootguide a=(0,0); for (int i = 0; i < 1e9; ++i) { guide b=a--a; } asymptote-2.62/tests/gc/transform.asy0000644000000000000000000000010613607467113016457 0ustar rootrootpath p=unitsquare; for (int i = 0; i < 1e7; ++i) { scale(2.0)*p; } asymptote-2.62/tests/gc/path.asy0000644000000000000000000000017413607467113015405 0ustar rootrootguide a; for (int i = 0; i < 1e7; ++i) { // guide a=a--(1.0,2.0); path p=(1.0,2.0); path q=(3.0,4.0); path a=p--q; } asymptote-2.62/tests/TestLib.asy0000644000000000000000000000035613607467113015430 0ustar rootrootbool close(pair a, pair b) { real norm=(b == 0) ? 1 : max(abs(a),abs(b)); return abs(a-b) <= 100*realEpsilon*norm; } void StartTest(string desc) { write("Testing " + desc + "...",flush); } void EndTest() { write("PASSED."); } asymptote-2.62/tests/Makefile0000644000000000000000000000046413607467113015004 0ustar rootroot.NOTPARALLEL: TESTDIRS = string arith frames types imp array pic gs EXTRADIRS = gsl output test: $(TESTDIRS) all: $(TESTDIRS) $(EXTRADIRS) $(TESTDIRS):: @echo ../asy -dir ../base $@/*.asy $(EXTRADIRS):: @echo ../asy -dir ../base $@/*.asy clean: FORCE rm -f *.eps distclean: FORCE clean FORCE: asymptote-2.62/tests/gsl/0000755000000000000000000000000013607467113014125 5ustar rootrootasymptote-2.62/tests/gsl/random.asy0000644000000000000000000002720313607467113016127 0ustar rootrootimport TestLib; import gsl; StartTest("random number generators"); rng_init(); assert(rng_min() == 0); assert(rng_max() == 4294967295); assert(rng_get() == 4293858116); rng_init("taus2"); assert(rng_min() == 0); assert(rng_max() == 4294967295); assert(rng_get() == 802792108); rng_init("gfsr4"); assert(rng_min() == 0); assert(rng_max() == 4294967295); assert(rng_get() == 2901276280); string[] list = rng_list(); for(string name: list) { rng_init(name); rng_min(); rng_max(); rng_get(); } assert(list.length >= 62); rng_init(); rng_set(1); assert(rng_get() == 1791095845); rng_set(1); assert(rng_get() == 1791095845); EndTest(); StartTest("Bernoulli distribution"); assert(close(pdf_bernoulli(0,0.3), 0.7)); assert(close(pdf_bernoulli(1,0.3), 0.3)); //rng_init(); //assert(rng_bernoulli(0.3) == 0); EndTest(); StartTest("beta distribution"); assert(close(cdf_beta_P(0.3,5,5), 0.09880866)); assert(close(cdf_beta_Q(0.3,5,5) + cdf_beta_P(0.3,5,5), 1)); assert(close(cdf_beta_Pinv(cdf_beta_P(0.3,5,5),5,5), 0.3)); assert(close(cdf_beta_Qinv(cdf_beta_Q(0.3,5,5),5,5), 0.3)); assert(close(pdf_beta(0.3,5,5), 1.2252303)); //rng_init(); //assert(close(rng_beta(5,5), 0.533021338130471)); EndTest(); StartTest("binomial distribution"); assert(close(cdf_binomial_P(5,0.3,10), 0.9526510126)); assert(close(cdf_binomial_P(5,0.3,10) + cdf_binomial_Q(5,0.3,10), 1)); assert(close(pdf_binomial(5,0.3,10), 0.1029193452)); //rng_init(); //assert(rng_binomial(0.3,10) == 8); EndTest(); StartTest("bivariate Gaussian distribution"); assert(close(pdf_bivariate_gaussian((1,1),(0,2),(4,6),0.5), 0.00675758392382108)); //rng_init(); //pair z = (-0.260388644979556,2.50057001628669); //pair r = rng_bivariate_gaussian((0,2),(4,6),0.5); //assert(close(length(r - z), 0)); EndTest(); StartTest("cauchy distribution"); assert(close(cdf_cauchy_P(1,3), 0.602416382349567)); assert(close(cdf_cauchy_P(1,3) + cdf_cauchy_Q(1,3), 1)); assert(close(cdf_cauchy_Pinv(cdf_cauchy_P(1,3),3), 1)); assert(close(cdf_cauchy_Qinv(cdf_cauchy_Q(1,3),3), 1)); assert(close(pdf_cauchy(1,3), 0.0954929658551372)); //rng_init(); //assert(close(rng_cauchy(3), -0.0024339597467863)); EndTest(); StartTest("chi-squared distribution"); assert(close(cdf_chisq_P(4,6), 0.323323583816936)); assert(close(cdf_chisq_P(4,6) + cdf_chisq_Q(4, 6), 1)); assert(close(cdf_chisq_Pinv(cdf_chisq_P(4,6),6), 4)); assert(close(cdf_chisq_Qinv(cdf_chisq_Q(4,6),6), 4)); assert(close(pdf_chisq(4,6), 0.135335283236613)); //rng_init(); //assert(close(rng_chisq(6), 8.24171826270279)); EndTest(); StartTest("Dirichlet distribution"); real[] alpha = {1,2,3,4}; real[] theta = {0.1,0.2,0.3,0.4}; assert(close(pdf_dirichlet(alpha,theta), 34.83648)); //rng_init(); //real[] z = {0.124480735441317, // 0.191823537067349, // 0.460543885448264, // 0.22315184204307}; //real[] r = rng_dirichlet(alpha); //assert(close(norm(r - z), 0)); EndTest(); StartTest("exponential distribution"); assert(close(cdf_exponential_P(2,3), 0.486582880967408)); assert(close(cdf_exponential_P(2,3) + cdf_exponential_Q(2,3), 1)); assert(close(cdf_exponential_Pinv(cdf_exponential_P(2,3),3), 2)); assert(close(cdf_exponential_Qinv(cdf_exponential_Q(2,3),3), 2)); assert(close(pdf_exponential(2,3), 0.171139039677531)); //rng_init(); //assert(close(rng_exponential(3), 24.7847346491112)); EndTest(); StartTest("exponential power distribution"); assert(close(cdf_exppow_P(2,3,2), 0.82711070692442)); assert(close(cdf_exppow_P(2,3,2) + cdf_exppow_Q(2,3,2), 1)); assert(close(pdf_exppow(2,3,2), 0.120582432109095)); //rng_init(); //assert(close(rng_exppow(3,2), 0.284084267783339)); EndTest(); StartTest("F-distribution"); assert(close(cdf_fdist_P(1,5,4), 0.485657196759213)); assert(close(cdf_fdist_P(1,5,4) + cdf_fdist_Q(1,5,4), 1)); //rng_init(); //assert(close(rng_fdist(5,4), 1.20570928490019)); EndTest(); StartTest("flat (uniform) distribution"); assert(close(cdf_flat_P(2,0,5), 0.4)); assert(close(cdf_flat_P(2,0,5) + cdf_flat_Q(2,0,5), 1)); assert(close(cdf_flat_Pinv(cdf_flat_P(2,0,5),0,5), 2)); assert(close(cdf_flat_Qinv(cdf_flat_Q(2,0,5),0,5), 2)); assert(close(pdf_flat(2,0,5), 0.2)); //rng_init(); //assert(close(rng_flat(0,5), 4.99870874453336)); EndTest(); StartTest("Gamma-distribution"); assert(close(cdf_gamma_P(6,5,1), 0.71494349968337)); assert(close(cdf_gamma_P(6,5,1) + cdf_gamma_Q(6,5,1), 1)); assert(close(cdf_gamma_Pinv(cdf_gamma_P(6,5,1),5,1), 6)); assert(close(cdf_gamma_Qinv(cdf_gamma_Q(6,5,1),5,1), 6)); assert(close(pdf_gamma(6,5,1), 0.133852617539983)); //rng_init(); //assert(close(rng_gamma(5,1), 6.52166444209317)); //assert(close(rng_gamma(5,1,"mt"), 5.71361391461836)); //assert(close(rng_gamma(5,1,"knuth"), 1.53054227085541)); EndTest(); StartTest("Gaussian distribution"); assert(close(cdf_gaussian_P(1,0,1), 0.841344746068543)); assert(close(cdf_gaussian_P(1,0,1) + cdf_gaussian_Q(1,0,1), 1)); assert(close(cdf_gaussian_Pinv(cdf_gaussian_P(1,0,1),0,1), 1)); assert(close(cdf_gaussian_Qinv(cdf_gaussian_Q(1,0,1),0,1), 1)); assert(close(pdf_gaussian(1,0,1), 0.241970724519143)); //rng_init(); //assert(close(rng_gaussian(0,1), 0.133918608118676)); //assert(close(rng_gaussian(1,2,"ziggurat"), 1.90467233084303)); //assert(close(rng_gaussian(1,2,"ratio"), 4.04779517509342)); //assert(close(rng_gaussian(1,2,"polar"), 1.54245166575101)); EndTest(); StartTest("Gaussian tail distribution"); assert(close(pdf_gaussian_tail(2,1,1), 0.34030367841782)); //rng_init(); //assert(close(rng_gaussian_tail(1,1), 1.0528474462339)); EndTest(); StartTest("geometric distribution"); assert(close(cdf_geometric_P(6,0.1), 0.468559)); assert(close(cdf_geometric_P(6,0.1) + cdf_geometric_Q(6,0.1), 1)); assert(close(pdf_geometric(6,0.1), 0.059049)); //rng_init(); //assert(rng_geometric(0.1) == 1); EndTest(); StartTest("Gumbel1 distribution"); assert(close(cdf_gumbel1_P(1,3,8), 0.671462877871127)); assert(close(cdf_gumbel1_P(1,3,8) + cdf_gumbel1_Q(1,3,8), 1)); assert(close(cdf_gumbel1_Pinv(cdf_gumbel1_P(1,3,8),3,8), 1)); assert(close(cdf_gumbel1_Qinv(cdf_gumbel1_Q(1,3,8),3,8), 1)); assert(close(pdf_gumbel1(1,3,8), 0.80232403696926)); //rng_init(); //assert(close(rng_gumbel1(3,8), 3.44696353953564)); EndTest(); StartTest("Gumbel2 distribution"); assert(close(cdf_gumbel2_P(2,2,3), 0.472366552741015)); assert(close(cdf_gumbel2_P(2,2,3) + cdf_gumbel2_Q(2,2,3), 1)); assert(close(cdf_gumbel2_Pinv(cdf_gumbel2_P(2,2,3),2,3), 2)); assert(close(cdf_gumbel2_Qinv(cdf_gumbel2_Q(2,2,3),2,3), 2)); assert(close(pdf_gumbel2(2,2,3), 0.354274914555761)); //rng_init(); //assert(close(rng_gumbel2(2,3), 107.773379309453)); EndTest(); StartTest("hypergeometric distribution"); assert(close(cdf_hypergeometric_P(4,10,10,8), 0.675041676589664)); assert(close(cdf_hypergeometric_P(4,10,10,8) + cdf_hypergeometric_Q(4,10,10,8), 1)); assert(close(pdf_hypergeometric(4,10,10,8), 0.350083353179329)); //rng_init(); //assert(rng_hypergeometric(10,10,8) == 3); EndTest(); StartTest("Laplace distribution"); assert(close(cdf_laplace_P(1,2), 0.696734670143683)); assert(close(cdf_laplace_P(1,2) + cdf_laplace_Q(1,2), 1)); assert(close(cdf_laplace_Pinv(cdf_laplace_P(1,2),2), 1)); assert(close(cdf_laplace_Qinv(cdf_laplace_Q(1,2),2), 1)); assert(close(pdf_laplace(1,2), 0.151632664928158)); //rng_init(); //assert(close(rng_laplace(2), 0.00103327123971616)); EndTest(); StartTest("Landau distribution"); assert(close(pdf_landau(1), 0.145206637130862)); //rng_init(); //assert(close(rng_landau(), 3880.0374262546)); EndTest(); //StartTest("Levy stable distribution"); //rng_init(); //assert(close(rng_levy(1,1,0), 1232.55941432972)); //assert(close(rng_levy(1,1,1), -0.13781830409645)); //EndTest(); StartTest("logistic distribution"); assert(close(cdf_logistic_P(1,2), 0.622459331201855)); assert(close(cdf_logistic_P(1,2) + cdf_logistic_Q(1,2), 1)); assert(close(cdf_logistic_Pinv(cdf_logistic_P(1,2),2), 1)); assert(close(cdf_logistic_Qinv(cdf_logistic_Q(1,2),2), 1)); assert(close(pdf_logistic(1,2), 0.117501856100797)); //rng_init(); //assert(close(rng_logistic(2), 16.522639863849)); EndTest(); StartTest("lognormal distribution"); assert(close(cdf_lognormal_P(6,2,1), 0.417520581602749)); assert(close(cdf_lognormal_P(6,2,1) + cdf_lognormal_Q(6,2,1), 1)); assert(close(cdf_lognormal_Pinv(cdf_lognormal_P(6,2,1),2,1), 6)); assert(close(cdf_lognormal_Qinv(cdf_lognormal_Q(6,2,1),2,1), 6)); assert(close(pdf_lognormal(6,2,1), 0.0650642483079156)); //rng_init(); //assert(close(rng_lognormal(2,1), 6.92337133931968)); EndTest(); StartTest("multinomial distribution"); real[] p = {0.1,0.2,0.3,0.4}; int[] n = {1,2,3,4}; assert(close(pdf_multinomial(p,n), 0.03483648)); //rng_init(); //int[] r = {5, 0, 1, 4}; //assert(all(rng_multinomial(10,p) == r)); EndTest(); StartTest("negative binomial distribution"); assert(close(cdf_negative_binomial_P(6,0.5,10), 0.227249145507813)); assert(close(cdf_negative_binomial_P(6,0.5,10) + cdf_negative_binomial_Q(6,0.5,10), 1)); assert(close(pdf_negative_binomial(6,0.5,10), 0.076370239257812)); //rng_init(); //assert(rng_negative_binomial(0.5,10) == 15); EndTest(); StartTest("Pareto distribution"); assert(close(cdf_pareto_P(4,2,2), 0.75)); assert(close(cdf_pareto_P(4,2,2) + cdf_pareto_Q(4,2,2), 1)); assert(close(cdf_pareto_Pinv(cdf_pareto_P(4,2,2),2,2), 4)); assert(close(cdf_pareto_Qinv(cdf_pareto_Q(4,2,2),2,2), 4)); assert(close(pdf_pareto(4,2,2), 0.125)); //rng_init(); //assert(close(rng_pareto(2,2), 2.00025830112432)); EndTest(); StartTest("Poisson distribution"); assert(close(cdf_poisson_P(5,6), 0.445679641364611)); assert(close(cdf_poisson_P(5,6) + cdf_poisson_Q(5,6), 1)); assert(close(pdf_poisson(5,6), 0.16062314104798)); //rng_init(); //assert(rng_poisson(6) == 8); EndTest(); StartTest("Rayleigh distribution"); assert(close(cdf_rayleigh_P(3,2), 0.67534753264165)); assert(close(cdf_rayleigh_P(3,2) + cdf_rayleigh_Q(3,2), 1)); assert(close(cdf_rayleigh_Pinv(cdf_rayleigh_P(3,2),2), 3)); assert(close(cdf_rayleigh_Qinv(cdf_rayleigh_Q(3,2),2), 3)); assert(close(pdf_rayleigh(3,2), 0.243489350518762)); //rng_init(); //assert(close(rng_rayleigh(2), 0.0454563039310455)); EndTest(); StartTest("Rayleigh tail distribution"); assert(close(pdf_rayleigh_tail(5,4,1), 0.0555449826912115)); //rng_init(); //assert(close(rng_rayleigh_tail(4,1), 4.0000645705903)); EndTest(); //StartTest("spherical distributions"); //rng_init(); //pair z = (-0.617745613497854,-0.786377998804748); //pair r = rng_dir2d(); //assert(close(length(r - z), 0)); //pair z = (0.993748310886084,0.111643605329884); //pair r = rng_dir2d("neumann"); //assert(close(length(r - z), 0)); //pair z = (0.964519203132591,-0.264012701945327); //pair r = rng_dir2d("trig"); //assert(close(length(r - z), 0)); //triple z = (0.849028025629996,0.139162687752509,-0.509691237939527); //triple r = rng_dir3d(); //assert(close(length(r - z), 0)); //real[] z = {0.420990368676528, // -0.626782975357296, // 0.0441585572224004, // -0.0458388920727644, // -0.652578753164271}; //real[] r = rng_dir(5); //assert(close(norm(r - z), 0)); //EndTest(); StartTest("t-distribution"); assert(close(cdf_tdist_P(0.6,2), 0.695283366471236)); assert(close(cdf_tdist_P(0.6,2) + cdf_tdist_Q(0.6,2), 1)); assert(close(cdf_tdist_Pinv(cdf_tdist_P(0.6,2),2), 0.6)); assert(close(cdf_tdist_Qinv(cdf_tdist_Q(0.6,2),2), 0.6)); assert(close(pdf_tdist(0.6,2), 0.275823963942424)); //rng_init(); //assert(close(rng_tdist(2), 0.127201714006725)); EndTest(); StartTest("Weibull distribution"); assert(close(cdf_weibull_P(1,2,2), 0.221199216928595)); assert(close(cdf_weibull_P(1,2,2) + cdf_weibull_Q(1,2,2), 1)); assert(close(cdf_weibull_Pinv(cdf_weibull_P(1,2,2),2,2), 1)); assert(close(cdf_weibull_Qinv(cdf_weibull_Q(1,2,2),2,2), 1)); assert(close(pdf_weibull(1,2,2), 0.389400391535702)); //rng_init(); //assert(close(rng_weibull(2,2), 0.032142460757319)); EndTest(); asymptote-2.62/tests/array/0000755000000000000000000000000013607467113014456 5ustar rootrootasymptote-2.62/tests/array/determinant.asy0000644000000000000000000000134113607467113017505 0ustar rootrootimport TestLib; import math; StartTest("determinant"); assert(determinant(new real[][] {{0}}) == 0); assert(determinant(new real[][] {{1}}) == 1); assert(determinant(new real[][] {{1,2},{3,4}}) == -2); real e=1e-20; assert(close(determinant(new real[][] {{1e,2e},{3e,4e}}),-2e-40)); assert(close(determinant(new real[][] {{1,2,3},{4,5,6},{7,8,9}}),0)); assert(close(determinant(new real[][] {{1,2},{1,2}}),0)); assert(close(determinant(new real[][] {{1,2,3,4}, {5,6,7,8},{9,10,11,12},{13,14,15,16}}),0)); assert(close(determinant(new real[][] {{1,2,3,4}, {5,0,7,8},{9,10,0,12},{13,14,15,16}}),-2376)); assert(close(determinant(new real[][]{{1,-2,3,0},{4,-5,6,2},{-7,-8,10,5}, {1,50,1,-2}}),-4588)); EndTest(); asymptote-2.62/tests/array/transpose.asy0000644000000000000000000000211013607467113017204 0ustar rootrootimport TestLib; import math; StartTest("transpose"); int n=3; real[][] a=new real[n][n]; real[][] b=new real[n][n]; for(int i=0; i < n; ++i) { for(int j=0; j < n; ++j) { a[i][j]=b[j][i]=rand(); } } bool operator == (real[][] a, real[][] b) { int n=a.length; for(int i=0; i < n; ++i) if(!all(a[i] == b[i])) return false; return true; } bool operator == (real[][][] a, real[][][] b) { int n=a.length; for(int i=0; i < n; ++i) { real[][] ai=a[i]; real[][] bi=b[i]; int m=ai.length; for(int j=0; j < m; ++j) { if(!all(ai[j] == bi[j])) return false; } } return true; } assert(a == transpose(b)); int n=3; real[][][] a=new real[n][n][n]; real[][][] b=new real[n][n][n]; real[][][] c=new real[n][n][n]; real[][][] d=new real[n][n][n]; for(int i=0; i < n; ++i) { for(int j=0; j < n; ++j) { for(int k=0; k < n; ++k) { a[i][j][k]=b[j][i][k]=c[i][k][j]=d[k][j][i]=rand(); } } } assert(a == transpose(b,new int[] {1,0,2})); assert(a == transpose(c,new int[] {0,2,1})); assert(a == transpose(d,new int[] {2,1,0})); EndTest(); asymptote-2.62/tests/array/sort.asy0000644000000000000000000000135213607467113016164 0ustar rootrootimport TestLib; import math; string[] a={"bob","alice","pete","alice"}; string[] b={"alice","alice","bob","pete"}; StartTest("sort"); assert(all(sort(a) == b)); EndTest(); StartTest("search"); assert(search(b,"a") == -1); assert(search(b,"bob") == 2); assert(search(b,"z") == b.length-1); EndTest(); StartTest("sort2"); string[][] a={{"bob","9"},{"alice","5"},{"pete","7"},{"alice","4"}}; string[][] b={{"alice","4"},{"alice","5"},{"bob","9"},{"pete","7"}}; assert(sort(a) == b); EndTest(); pair[] a={(2,1),(0,0),(1,1),(1,0)}; pair[] b={(0,0),(1,0),(1,1),(2,1)}; StartTest("lexicographical sort"); assert(all(sort(a,lexorder) == b)); EndTest(); StartTest("lexicographical search"); assert(search(b,(1,0),lexorder) == 1); EndTest(); asymptote-2.62/tests/array/fields.asy0000644000000000000000000000360713607467113016450 0ustar rootrootimport TestLib; StartTest("fields"); { int[] z = {1, 2, 3}; assert(z.length == 3); int[] keys = z.keys; assert(keys.length == 3); for (int i; i<3; ++i) assert(keys[i] == i); for (int j = 0; j < 10; ++j) { assert(z.cyclic == false); z.cyclic=true; assert(z.cyclic == true); z.cyclic=false; } } { int[] z = {2, 3, 5}; for (int k = -100; k <= 100; ++k) assert(z.initialized(k) == (k >= 0 && k < 3)); } { int[] z; for (int i=0; i<10; ++i) { for (int k = 0; k <= 100; ++k) { assert(z.length == k); z.push(k*k+3k+1); assert(z.length == k+1); } for (int k = 100; k >= 0; --k) { assert(z.length == k+1); assert(z.pop() == k*k+3k+1); assert(z.length == k); } } z.cyclic=true; for (int i=0; i<10; ++i) { for (int k = 0; k <= 100; ++k) { assert(z.length == k); z.push(k*k+3k+1); assert(z.length == k+1); } for (int k = 100; k >= 0; --k) { assert(z.length == k+1); z.delete(quotient(k,2)); assert(z.length == k); } } } { int[] base={4,5,9,5,0,2,3}; int[] z; for (int i=0; i<9; ++i) { assert(z.length == i*base.length); for (int j : z.keys) assert(z[j] == base[j%base.length]); z.append(base); } } { int[] z = {1,2,3,4,6,7,8,9}; assert(z.length == 8); z.insert(4, 5); assert(z.length == 9); z.insert(0, 0); assert(z.length == 10); for (int i=0; i<10; ++i) assert(z[i] == i); z.insert(7, 100, 101, 102, 103); assert(z.length == 14); // TODO: Test inserting/deleting lengths more seriously. } { // Test extended for. int[] a = {1,4,6,2,7,4,8,9,1,3,-1}; int i = 0; for (int x : a) { assert(x == a[i]); ++i; } assert(i == a.length); } { // Test extended for. int[] a = {1,4,6,2,7,4,8,9,1,3,-1}; int i = 0; for (var x : a) { assert(x == a[i]); ++i; } assert(i == a.length); } EndTest(); asymptote-2.62/tests/array/slice.asy0000644000000000000000000001135113607467113016274 0ustar rootrootimport TestLib; StartTest("slice"); int[] x={0,1,2,3,4,5,6,7,8,9}; // Non-cyclic cases. assert(all(x[:] == x)); assert(!alias(x[:],x)); assert(all(x[0:4] == new int[] {0,1,2,3} )); assert(all(x[2:4] == new int[] {2,3} )); assert(all(x[5:] == new int[] {5,6,7,8,9} )); assert(all(x[:5] == new int[] {0,1,2,3,4} )); assert(all(x[3:3] == new int[] {} )); assert(all(x[3:4] == new int[] {3} )); assert(all(x[98:99] == new int[] {} )); assert(x[:].cyclic == false); assert(x[2:].cyclic == false); assert(x[:7].cyclic == false); assert(x[3:3].cyclic == false); assert(x[2:9].cyclic == false); // Cyclic cases x.cyclic=true; assert(all(x[:] == new int[] {0,1,2,3,4,5,6,7,8,9} )); assert(all(x[0:4] == new int[] {0,1,2,3} )); assert(all(x[2:4] == new int[] {2,3} )); assert(all(x[5:] == new int[] {5,6,7,8,9} )); assert(all(x[-5:] == new int[] {5,6,7,8,9,0,1,2,3,4,5,6,7,8,9} )); assert(all(x[:5] == new int[] {0,1,2,3,4} )); assert(all(x[3:3] == new int[] {} )); assert(all(x[3:4] == new int[] {3} )); assert(all(x[-1:1] == new int[] {9,0} )); assert(all(x[9:11] == new int[] {9,0} )); assert(all(x[9:21] == new int[] {9,0,1,2,3,4,5,6,7,8,9,0} )); assert(all(x[-15:15] == new int[] {5,6,7,8,9,0,1,2,3,4,5,6,7,8,9, 0,1,2,3,4,5,6,7,8,9,0,1,2,3,4})); assert(all(x[6728:6729] == new int[] {8} )); assert(all(x[-6729:-6728] == new int[] {1} )); assert(x[:].cyclic == false); assert(x[2:].cyclic == false); assert(x[:7].cyclic == false); assert(x[3:3].cyclic == false); assert(x[2:9].cyclic == false); assert(x[5:100].cyclic == false); pair[] z={(1,2), (3,4), (5,6)}; assert(all(z[1:1] == new pair[] {})); assert(all(z[:1] == new pair[] {(1,2)})); assert(all(z[1:] == new pair[] {(3,4), (5,6)})); assert(all(z[:] == z)); assert(all(z[1:2] == new pair[] {(3,4)})); // Writing tests. { int[] y={0,1,2,3,4,5,6,7,8,9}; int[] z={56,67,78}; y[:] = z; assert(all(y == z)); assert(!alias(y,z)); } { int[] y={0,1,2,3,4,5,6,7,8,9}; int[] z={56,67,78}; z.cyclic=true; y[:] = z; assert(all(y == z)); assert(!alias(y,z)); assert(y.cyclic == false); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y[2:3] = y[5:6] = new int[] {77}; assert(all(y == new int[] {0,1,77,3,4,77,6,7,8,9})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y[:3] = y[7:] = new int[] {}; assert(all(y == new int[] {3,4,5,6})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y[3:5] = new int[] {13,14,15,16,17}; assert(all(y == new int[] {0,1,2,13,14,15,16,17,5,6,7,8,9})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; int[] z={56,67,78}; y[:] = z; assert(all(y == z)); assert(!alias(y,z)); assert(y.cyclic == true); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; int[] z={56,67,78}; z.cyclic=true; y[:] = z; assert(all(y == z)); assert(!alias(y,z)); assert(y.cyclic == true); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[2:3] = y[5:6] = new int[] {77}; assert(all(y == new int[] {0,1,77,3,4,77,6,7,8,9})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[:3] = y[7:] = new int[] {}; assert(all(y == new int[] {3,4,5,6})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[8:] = new int[] {18,19,20,21,22}; assert(all(y == new int[] {0,1,2,3,4,5,6,7,18,19,20,21,22})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[-2:0] = new int[] {18,19,20,21,22}; assert(all(y == new int[] {0,1,2,3,4,5,6,7,18,19,20,21,22})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[18:20] = new int[] {18,19,20,21,22}; assert(all(y == new int[] {0,1,2,3,4,5,6,7,18,19,20,21,22})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[3:5] = new int[] {13,14,15,16,17}; assert(all(y == new int[] {0,1,2,13,14,15,16,17,5,6,7,8,9})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[13:15] = new int[] {13,14,15,16,17}; assert(all(y == new int[] {0,1,2,13,14,15,16,17,5,6,7,8,9})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[3-10:5-10] = new int[] {13,14,15,16,17}; assert(all(y == new int[] {0,1,2,13,14,15,16,17,5,6,7,8,9})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[8:12] = new int[] {18,19,20,21}; assert(all(y == new int[] {20,21,2,3,4,5,6,7,18,19})); } { int[] y={0,1,2,3,4,5,6,7,8,9}; y.cyclic=true; y[-2:2] = new int[] {18,19,20,21}; assert(all(y == new int[] {20,21,2,3,4,5,6,7,18,19})); } // Side Effect Test { int state=0; int[] x={0,1,2,3,4,5,6,7,8,9}; int[] a() { assert(state==0); ++state; return x; } int l() { assert(state==1); ++state; return 2; } int r() { assert(state==2); ++state; return 6; } int[] b() { assert(state==3); ++state; return new int[] {77,77}; } assert(state==0); a()[l():r()]=b(); assert(state==4); assert(all(x == new int[] {0,1,77,77,6,7,8,9})); } EndTest(); asymptote-2.62/tests/array/array.asy0000644000000000000000000000165013607467113016314 0ustar rootrootimport TestLib; StartTest("array"); { int[] x=array(10, 7); assert(x.length == 10); for (int i=0; i 0.5) bit32=true; assert(x >= 0.0 && x <= 1.0); } assert(bit32); EndTest(); asymptote-2.62/tests/arith/integer.asy0000644000000000000000000000115413607467113016623 0ustar rootroot// Integer arithmetic. import TestLib; StartTest("integer addition"); assert(1+1==2); EndTest(); StartTest("integer subtraction"); assert(2-1==1); EndTest(); StartTest("integer multiplication"); assert(2*2==4); EndTest(); StartTest("integer division"); assert(4/2==2); EndTest(); StartTest("integer self ops"); { int x = 3; assert(++x==4); assert(x==4); } { int x = 3; assert(--x==2); assert(x==2); } { int x = 3; assert((x+=7) == 10); assert(x==10); } { int x = 3; assert((x-=7) == -4); assert(x==-4); } { int x = 3; assert((x*=7) == 21); assert(x==21); } { int x = 10; assert((x%=4) == 2); assert(x==2); } EndTest(); asymptote-2.62/tests/arith/roots.asy0000644000000000000000000000325613607467113016341 0ustar rootroot// Roots. import TestLib; real x; real[] r; StartTest("quadratic roots"); r=quadraticroots(1,0,-8); assert(r.length == 2); r=sort(r); x=2sqrt(2); assert(close(r[0],-x)); assert(close(r[1],x)); r=quadraticroots(1,2,1); assert(r.length == 2); assert(close(r[0],-1)); assert(close(r[1],-1)); r=quadraticroots(1,0,8); assert(r.length == 0); r=quadraticroots(0,2,3); assert(r.length == 1); assert(close(r[0],-3/2)); EndTest(); StartTest("cubic roots"); r=cubicroots(1,0,0,-8); assert(r.length == 1); assert(close(r[0],2)); real[] r=cubicroots(1,3,3,1); assert(r.length == 3); assert(close(r[0],-1)); assert(close(r[1],-1)); assert(close(r[2],-1)); real[] r=cubicroots(1,-3,3,-1); assert(r.length == 3); assert(close(r[0],1)); assert(close(r[1],1)); assert(close(r[2],1)); r=cubicroots(1,0,0,0); assert(r.length == 3); assert(r[0] == 0); assert(r[1] == 0); assert(r[2] == 0); r=cubicroots(1,0,-15,-4); assert(r.length == 3); r=sort(r); assert(close(r[0],-2-sqrt(3))); assert(close(r[1],-2+sqrt(3))); assert(close(r[2],4)); r=cubicroots(1,0,-15,4); assert(r.length == 3); r=sort(r); assert(close(r[0],-4)); assert(close(r[1],2-sqrt(3))); assert(close(r[2],2+sqrt(3))); r=cubicroots(1,0,-15,0); assert(r.length == 3); r=sort(r); x=sqrt(15); assert(close(r[0],-x)); assert(r[1] == 0); assert(close(r[2],x)); r=cubicroots(1,1,1,0); assert(r.length == 1); assert(r[0] == 0); r=cubicroots(1,0,20,-4); assert(r.length == 1); x=cbrt(54+6sqrt(6081)); assert(close(r[0],x/3-20/x)); EndTest(); StartTest("newton"); real f(real x) {return cos(x);} real dfdx(real x) {return -sin(x);} assert(close(newton(f,dfdx,1),pi/2)); assert(newton(f,dfdx,0) == realMax); assert(newton(f,dfdx,0,2) == pi/2); EndTest(); asymptote-2.62/tests/arith/real.asy0000644000000000000000000000057713607467113016121 0ustar rootroot// Real arithmetic. import TestLib; StartTest("real error"); assert((1.0-1.0) < realEpsilon); EndTest(); StartTest("real addition"); assert((1.0+1.0) == (2.0)); EndTest(); StartTest("real subtraction"); assert((2.0-1.0) == (1.0)); EndTest(); StartTest("real multiplication"); assert((2.0*2.0) == (4.0)); EndTest(); StartTest("real division"); assert((4.0/2.0) == (2.0)); EndTest(); asymptote-2.62/tests/arith/pair.asy0000644000000000000000000000070113607467113016116 0ustar rootrootimport TestLib; StartTest("complex addition"); assert((1,0)+(0,1)==(1,1)); EndTest(); StartTest("complex subtraction"); assert((1,0)-(0,1)==(1,-1)); EndTest(); StartTest("complex multiplication"); assert((1,2)*(2,1)==(0,5)); EndTest(); StartTest("complex division"); assert((0,5)/(2,1)==(1,2)); EndTest(); StartTest("length(pair)"); assert(length((0.0,1.0)) == 1.0); EndTest(); StartTest("conj()"); assert(conj((0.0,1.0))==(0.0, -1.0)); EndTest(); asymptote-2.62/tests/arith/triple.asy0000644000000000000000000000036413607467113016467 0ustar rootrootimport TestLib; triple t = (1,0,0); StartTest("polar()"); assert(polar(t) == (pi / 2.0) ); EndTest(); StartTest("azimuth()"); assert(azimuth(t) < realEpsilon); EndTest(); StartTest("unit()"); assert(length(t-unit(t)) < realEpsilon); EndTest(); asymptote-2.62/tests/arith/transform.asy0000644000000000000000000000117713607467113017206 0ustar rootrootimport TestLib; pair x = (1, 2); StartTest("identity transform"); assert(identity()*x == x); EndTest(); StartTest("shift transform"); assert(shift((1,1))*x == (2, 3)); assert(shift(1,1)*x == (2, 3)); EndTest(); StartTest("scaling transforms"); assert(xscale(2)*x == (2, 2)); assert(yscale(2)*x == (1, 4)); assert(scale(2)*x == (2, 4)); EndTest(); StartTest("slant transform"); assert(slant(1)*x == (3, 2)); EndTest(); StartTest("rotation transform"); assert(length((rotate(90)*x) - (-2,1)) <= realEpsilon); assert(rotate(90, x)*x == x); EndTest(); StartTest("reflect transform"); assert(reflect((-1, -1), (1, 1))*x == (2, 1)); EndTest(); asymptote-2.62/tests/pic/0000755000000000000000000000000013607467113014113 5ustar rootrootasymptote-2.62/tests/pic/trans.asy0000644000000000000000000000255013607467113015762 0ustar rootrootimport TestLib; StartTest("trans"); // Ensure the same test each time. srand(3456); pair randompair() { return (unitrand(),unitrand()); } path randombox() { return box(randompair(), randompair()); } // For now, only tests transforms which take axes to axes. transform randomtrans() { return rotate(90 * (rand() % 4)) * shift(unitrand(), unitrand()); } real tolerance = 1e-4; void testpic(int objs, int trans) { path[] pp; picture orig; for (int i = 0; i < objs; ++i) { pp.push(randombox()); fill(orig, pp[i]); } picture pic = orig; transform t = identity(); for (int i = 0; i < trans; ++i) { transform tt = randomtrans(); pic = tt * pic; t = tt * t; } pair m = pic.userMin2(), M = pic.userMax2(); pair pm = min(t * pp), pM = max(t * pp); assert(abs(m-pm) < tolerance); assert(abs(M-pM) < tolerance); } for (int i = 0; i < 100; ++i) testpic(1,1); for (int i = 0; i < 100; ++i) testpic(1,1); for (int i = 0; i < 100; ++i) testpic(3,1); for (int i = 0; i < 100; ++i) testpic(1,2); for (int i = 0; i < 100; ++i) testpic(2,2); for (int i = 0; i < 100; ++i) testpic(3,2); for (int i = 0; i < 100; ++i) testpic(3,4); for (int i = 0; i < 100; ++i) testpic(1,4); for (int i = 0; i < 100; ++i) testpic(2,4); for (int i = 0; i < 100; ++i) testpic(3,4); for (int i = 0; i < 100; ++i) testpic(3,4); EndTest(); asymptote-2.62/drawfill.h0000644000000000000000000001465213607467113014163 0ustar rootroot/***** * drawfill.h * Andy Hammerlindl 2002/06/06 * * Stores a cyclic path that will outline a filled shape in a picture. *****/ #ifndef DRAWFILL_H #define DRAWFILL_H #include "drawelement.h" #include "path.h" namespace camp { class drawFill : public drawSuperPathPenBase { protected: bool stroke; public: void noncyclic() { reportError("non-cyclic path cannot be filled"); } drawFill(const vm::array& src, bool stroke, pen pentype, const string& key="") : drawElement(key), drawSuperPathPenBase(src,pentype), stroke(stroke) { if(!stroke && !cyclic()) noncyclic(); } bool svg() {return true;} // dvisvgm doesn't yet support SVG patterns. bool svgpng() {return pentype.fillpattern() != "";} virtual ~drawFill() {} virtual bool draw(psfile *out); virtual void palette(psfile *out) { penSave(out); penTranslate(out); } virtual void fill(psfile *out) { out->setpen(pentype); if(stroke) out->strokepath(); out->fill(pentype); penRestore(out); }; drawElement *transformed(const transform& t); }; class drawShade : public drawFill { public: drawShade(const vm::array& src, bool stroke, pen pentype, const string& key="") : drawFill(src,stroke,pentype,key) {} void bounds(bbox& b, iopipestream& iopipe, boxvector& vbox, bboxlist& bboxstack) { if(stroke) strokebounds(b); else drawSuperPathPenBase::bounds(b,iopipe,vbox,bboxstack); } // Shading in SVG is incomplete and not supported at all by dvisvgm. bool svgpng() {return true;} virtual void beginshade(psfile *out)=0; virtual void shade(psfile *out)=0; bool draw(psfile *out) { if(pentype.invisible() || empty()) return true; palette(out); beginshade(out); writeclippath(out); if(stroke) strokepath(out); out->endpsclip(pentype.Fillrule()); shade(out); out->grestore(); return true; } }; class drawLatticeShade : public drawShade { protected: vm::array pens; const transform T; public: drawLatticeShade(const vm::array& src, bool stroke, pen pentype, const vm::array& pens, const camp::transform& T=identity, const string& key="") : drawShade(src,stroke,pentype,key), pens(pens), T(T) {} void palette(psfile *out) { out->gsave(); } void beginshade(psfile *out) { out->beginlatticeshade(pens,bpath); } void shade(psfile *out) { bbox b; for(size_t i=0; i < size; i++) { path p=vm::read(P,i).transformed(inverse(T)); if(stroke) drawPathPenBase::strokebounds(b,p); else b += p.bounds(); } out->latticeshade(pens,T*matrix(b.Min(),b.Max())); } drawElement *transformed(const transform& t); }; class drawAxialShade : public drawShade { protected: pair a; bool extenda; pen penb; pair b; bool extendb; ColorSpace colorspace; public: drawAxialShade(const vm::array& src, bool stroke, pen pentype, pair a, bool extenda, pen penb, pair b, bool extendb, const string& key="") : drawShade(src,stroke,pentype,key), a(a), extenda(extenda), penb(penb), b(b), extendb(extendb) {} bool svgpng() {return false;} void palette(psfile *out); void beginshade(psfile *out) { out->begingradientshade(true,colorspace,pentype,a,0,penb,b,0); } void shade(psfile *out) { out->gradientshade(true,colorspace,pentype,a,0,extenda,penb,b,0,extendb); } drawElement *transformed(const transform& t); }; class drawRadialShade : public drawAxialShade { protected: double ra; double rb; public: drawRadialShade(const vm::array& src, bool stroke, pen pentype, pair a, double ra, bool extenda, pen penb, pair b, double rb, bool extendb, const string& key="") : drawAxialShade(src,stroke,pentype,a,extenda,penb,b, extendb,key), ra(ra), rb(rb) {} bool svgpng() {return ra > 0.0;} void beginshade(psfile *out) { out->begingradientshade(false,colorspace,pentype,a,ra,penb,b,rb); } void shade(psfile *out) { out->gradientshade(false,colorspace,pentype,a,ra,extenda,penb,b,rb,extendb); } drawElement *transformed(const transform& t); }; class drawGouraudShade : public drawShade { protected: vm::array pens,vertices,edges; public: drawGouraudShade(const vm::array& src, bool stroke, pen pentype, const vm::array& pens, const vm::array& vertices, const vm::array& edges, const string& key="") : drawElement(key), drawShade(src,stroke,pentype,key), pens(pens), vertices(vertices), edges(edges) {} bool svgpng() {return !settings::getSetting("svgemulation");} void palette(psfile *out) { out->gsave(); } void beginshade(psfile *out) { out->begingouraudshade(pens,vertices,edges); } void shade(psfile *out) { out->gouraudshade(pentype,pens,vertices,edges); } drawElement *transformed(const transform& t); }; class drawTensorShade : public drawShade { protected: vm::array pens,boundaries,z; public: drawTensorShade(const vm::array& src, bool stroke, pen pentype, const vm::array& pens, const vm::array& boundaries, const vm::array& z, const string& key="") : drawShade(src,stroke,pentype,key), pens(pens), boundaries(boundaries), z(z) {} bool svgpng() { return pens.size() > 1 || !settings::getSetting("svgemulation"); } void palette(psfile *out) { out->gsave(); } void beginshade(psfile *out) { out->begintensorshade(pens,boundaries,z); } void shade(psfile *out) { out->tensorshade(pentype,pens,boundaries,z); } drawElement *transformed(const transform& t); }; class drawFunctionShade : public drawFill { protected: string shader; public: drawFunctionShade(const vm::array& src, bool stroke, pen pentype, const string& shader, const string& key="") : drawFill(src,stroke,pentype,key), shader(shader) { string texengine=settings::getSetting("tex"); if(!settings::pdf(texengine)) reportError("functionshade is not implemented for the '"+texengine+ "' tex engine"); } virtual ~drawFunctionShade() {} bool draw(psfile *out) {return false;} bool write(texfile *, const bbox&); bool islabel() {return true;} drawElement *transformed(const transform& t); }; } #endif asymptote-2.62/picture.cc0000644000000000000000000011652413607467113014171 0ustar rootroot/***** * picture.cc * Andy Hammerlindl 2002/06/06 * * Stores a picture as a list of drawElements and handles its output to * PostScript. *****/ #include "errormsg.h" #include "picture.h" #include "util.h" #include "settings.h" #include "interact.h" #include "drawverbatim.h" #include "drawlabel.h" #include "drawlayer.h" #include "drawsurface.h" #include "drawpath3.h" #ifdef __MSDOS__ #include "sys/cygwin.h" #endif using std::ifstream; using std::ofstream; using vm::array; using namespace settings; using namespace gl; texstream::~texstream() { string texengine=getSetting("tex"); bool context=settings::context(texengine); string name; if(!context) name=stripFile(outname()); name += "texput."; unlink((name+"aux").c_str()); unlink((name+"log").c_str()); unlink((name+"out").c_str()); if(settings::pdf(texengine)) { unlink((name+"pdf").c_str()); unlink((name+"m9").c_str()); } else unlink((name+"pbsdat").c_str()); if(context) { unlink("cont-new.log"); unlink((name+"tex").c_str()); unlink((name+"top").c_str()); unlink((name+"tua").c_str()); unlink((name+"tui").c_str()); } } namespace camp { extern void draw(); bool isIdTransform3(const double* t) { return (t == NULL || (t[0]==1 && t[1]==0 && t[2]==0 && t[3]==0 && t[4]==0 && t[5]==1 && t[6]==0 && t[7]==0 && t[8]==0 && t[9]==0 && t[10]==1 && t[11]==0 && t[12]==0 && t[13]==0 && t[14]==0 && t[15]==1)); } // copy array to 4x4 transform matrix with range checks void copyArray4x4C(double*& dest, const vm::array *a) { double tt[16]; const size_t n=checkArray(a); const string fourbyfour="4x4 array of doubles expected"; if(n != 4) reportError(fourbyfour); for(size_t i=0; i < 4; i++) { const vm::array *ai=vm::read(a,i); const size_t aisize=checkArray(ai); double *tti=tt+4*i; if(aisize == 4) { for(size_t j=0; j < 4; j++) tti[j]=vm::read(ai,j); } else reportError(fourbyfour); } copyTransform3(dest,tt); } void copyTransform3(double*& d, const double* s, GCPlacement placement) { if(s != NULL) { if(d == NULL) d=placement == NoGC ? new double[16] : new(placement) double[16]; memcpy(d,s,sizeof(double)*16); } } // t = s*r void multiplyTransform3(double*& t, const double* s, const double* r) { if(isIdTransform3(s)) { copyTransform3(t,r); } else if(isIdTransform3(r)) { copyTransform3(t,s); } else { t=new(UseGC) double[16]; for(size_t i=0; i < 4; i++) { size_t i4=4*i; const double *si=s+i4; const double& s0=si[0]; const double& s1=si[1]; const double& s2=si[2]; const double& s3=si[3]; double *ti=t+i4; ti[0]=s0*r[0]+s1*r[4]+s2*r[8]+s3*r[12]; ti[1]=s0*r[1]+s1*r[5]+s2*r[9]+s3*r[13]; ti[2]=s0*r[2]+s1*r[6]+s2*r[10]+s3*r[14]; ti[3]=s0*r[3]+s1*r[7]+s2*r[11]+s3*r[15]; } } } double xratio(const triple& v) {return v.getx()/v.getz();} double yratio(const triple& v) {return v.gety()/v.getz();} class matrixstack { mem::stack mstack; public: // return current transform const double* T() const { if(mstack.empty()) return NULL; else return mstack.top(); } // we store the accumulated transform of all pushed transforms void push(const double *r) { double* T3 = NULL; multiplyTransform3(T3,T(),r); mstack.push(T3); } void pop() { if(!mstack.empty()) mstack.pop(); } }; const char *texpathmessage() { ostringstream buf; buf << "the directory containing your " << getSetting("tex") << " engine (" << texcommand() << ")"; return Strdup(buf.str()); } picture::~picture() { } void picture::enclose(drawElement *begin, drawElement *end) { assert(begin); assert(end); nodes.push_front(begin); lastnumber=0; lastnumber3=0; for(nodelist::iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->islayer()) { nodes.insert(p,end); ++p; while(p != nodes.end() && (*p)->islayer()) ++p; if(p == nodes.end()) return; nodes.insert(p,begin); } } nodes.push_back(end); } // Insert at beginning of picture. void picture::prepend(drawElement *p) { assert(p); nodes.push_front(p); lastnumber=0; lastnumber3=0; } void picture::append(drawElement *p) { assert(p); nodes.push_back(p); } void picture::add(picture &pic) { if (&pic == this) return; // STL's funny way of copying one list into another. copy(pic.nodes.begin(), pic.nodes.end(), back_inserter(nodes)); } // Insert picture pic at beginning of picture. void picture::prepend(picture &pic) { if (&pic == this) return; copy(pic.nodes.begin(), pic.nodes.end(), inserter(nodes, nodes.begin())); lastnumber=0; lastnumber3=0; } bool picture::havelabels() { size_t n=nodes.size(); if(n > lastnumber && !labels && getSetting("tex") != "none") { // Check to see if there are any labels yet nodelist::iterator p=nodes.begin(); for(size_t i=0; i < lastnumber; ++i) ++p; for(; p != nodes.end(); ++p) { assert(*p); if((*p)->islabel()) { labels=true; break; } } } return labels; } bool picture::have3D() { for(nodelist::iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->is3D()) return true; } return false; } bool picture::havepng() { for(nodelist::iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->svgpng()) return true; } return false; } bool picture::havenewpage() { for(nodelist::iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->isnewpage()) return true; } return false; } bbox picture::bounds() { size_t n=nodes.size(); if(n == lastnumber) return b_cached; if(lastnumber == 0) { // Maybe these should be put into a structure. b_cached=bbox(); labelbounds.clear(); bboxstack.clear(); } if(havelabels()) texinit(); nodelist::iterator p=nodes.begin(); for(size_t i=0; i < lastnumber; ++i) ++p; for(; p != nodes.end(); ++p) { assert(*p); (*p)->bounds(b_cached,processData().tex,labelbounds,bboxstack); // Optimization for interpreters with fixed stack limits. if((*p)->endclip()) { nodelist::iterator q=p; if(q != nodes.begin()) { --q; assert(*q); if((*q)->endclip()) (*q)->save(false); } } } lastnumber=n; return b_cached; } bbox3 picture::bounds3() { size_t n=nodes.size(); if(n == lastnumber3) return b3; if(lastnumber3 == 0) b3=bbox3(); matrixstack ms; size_t i=0; for(nodelist::const_iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->begingroup3()) ms.push((*p)->transf3()); else if((*p)->endgroup3()) ms.pop(); else (*p)->bounds(ms.T(),b3); i++; } lastnumber3=n; return b3; } pair picture::ratio(double (*m)(double, double)) { bool first=true; pair b; bounds3(); double fuzz=Fuzz*(b3.Max()-b3.Min()).length(); matrixstack ms; for(nodelist::const_iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->begingroup3()) ms.push((*p)->transf3()); else if((*p)->endgroup3()) ms.pop(); else (*p)->ratio(ms.T(),b,m,fuzz,first); } return b; } void texinit() { drawElement::lastpen=pen(initialpen); processDataStruct &pd=processData(); // Output any new texpreamble commands if(pd.tex.isopen()) { if(pd.TeXpipepreamble.empty()) return; texpreamble(pd.tex,pd.TeXpipepreamble,true); pd.TeXpipepreamble.clear(); return; } bool context=settings::context(getSetting("tex")); string dir=stripFile(outname()); string logname; if(!context) logname=dir; logname += "texput.log"; const char *cname=logname.c_str(); ofstream writeable(cname); if(!writeable) reportError("Cannot write to "+logname); else writeable.close(); unlink(cname); mem::vector cmd; cmd.push_back(texprogram()); if(context) { cmd.push_back("--pipe"); } else { if(!dir.empty()) cmd.push_back("-output-directory="+dir.substr(0,dir.length()-1)); if(getSetting("inlineimage") || getSetting("inlinetex")) { string name=stripDir(stripExt((outname()))); size_t pos=name.rfind("-"); if(pos < string::npos) { name=stripExt(name).substr(0,pos); unlink((name+".aux").c_str()); cmd.push_back("-jobname="+name.substr(0,pos)); #ifdef __MSDOS__ cmd.push_back("NUL"); // For MikTeX #endif } } cmd.push_back("\\scrollmode"); } pd.tex.open(cmd,"texpath",texpathmessage()); pd.tex.wait("\n*"); pd.tex << "\n"; texdocumentclass(pd.tex,true); texdefines(pd.tex,pd.TeXpreamble,true); pd.TeXpipepreamble.clear(); } int opentex(const string& texname, const string& prefix, bool dvi) { string aux=auxname(prefix,"aux"); unlink(aux.c_str()); bool context=settings::context(getSetting("tex")); mem::vector cmd; cmd.push_back(texprogram()); if(dvi) cmd.push_back("-output-format=dvi"); if(context) { cmd.push_back("--nonstopmode"); cmd.push_back(texname); } else { string dir=stripFile(texname); if(!dir.empty()) cmd.push_back("-output-directory="+dir.substr(0,dir.length()-1)); cmd.push_back("\\nonstopmode\\input"); cmd.push_back(stripDir(texname)); } bool quiet=verbose <= 1; int status=System(cmd,quiet ? 1 : 0,true,"texpath",texpathmessage()); if(!status && getSetting("twice")) status=System(cmd,quiet ? 1 : 0,true,"texpath",texpathmessage()); if(status) { if(quiet) { cmd[1]=context ? "--scrollmode" : "\\scrollmode\\input"; System(cmd,0); } } return status; } bool picture::texprocess(const string& texname, const string& outname, const string& prefix, const pair& bboxshift, bool svg) { int status=1; ifstream outfile; outfile.open(texname.c_str()); bool keep=getSetting("keep"); if(outfile) { outfile.close(); status=opentex(texname,prefix); string texengine=getSetting("tex"); if(status == 0) { string dviname=auxname(prefix,"dvi"); mem::vector cmd; if(svg) { cmd.push_back(getSetting("dvisvgm")); cmd.push_back("-n"); cmd.push_back("-v0"); string libgs=getSetting("libgs"); if(!libgs.empty()) cmd.push_back("--libgs="+libgs); push_split(cmd,getSetting("dvisvgmOptions")); cmd.push_back("-o"+outname); ostringstream buf; bbox B=svgbbox(b,bboxshift); buf << "--bbox=" << B.left << "bp " << B.bottom << "bp " << B.right << "bp " << B.top << "bp"; cmd.push_back(buf.str()); cmd.push_back(dviname); status=System(cmd,0,true,"dvisvgm"); if(!keep) unlink(dviname.c_str()); } else { if(!settings::pdf(texengine)) { string psname=auxname(prefix,"ps"); double height=b.top-b.bottom+1.0; // Magic dvips offsets: double hoffset=-128.4; double vertical=height; if(!latex(texengine)) vertical += 2.0; double voffset=(vertical < 13.0) ? -137.8+vertical : -124.8; double paperHeight=getSetting("paperheight"); hoffset += b.left+bboxshift.getx(); voffset += paperHeight-height-b.bottom-bboxshift.gety(); string dvipsrc=getSetting("dir"); if(dvipsrc.empty()) dvipsrc=systemDir; dvipsrc += dirsep+"nopapersize.ps"; setenv("DVIPSRC",dvipsrc.c_str(),1); string papertype=getSetting("papertype") == "letter" ? "letterSize" : "a4size"; cmd.push_back(getSetting("dvips")); cmd.push_back("-R"); cmd.push_back("-Pdownload35"); cmd.push_back("-D600"); cmd.push_back("-O"+String(hoffset)+"bp,"+String(voffset)+"bp"); bool ps=havenewpage(); if(ps) cmd.push_back("-T"+String(getSetting("paperwidth"))+"bp,"+ String(paperHeight)+"bp"); else cmd.push_back("-E"); push_split(cmd,getSetting("dvipsOptions")); if(ps && getSetting("papertype") != "") cmd.push_back("-t"+papertype); if(verbose <= 1) cmd.push_back("-q"); cmd.push_back("-o"+psname); cmd.push_back(dviname); status=System(cmd,0,true,"dvips"); if(status == 0) { ifstream fin(psname.c_str()); psfile fout(outname,false); string s; bool first=true; transform t=shift(bboxshift)*T; bool shift=!t.isIdentity(); const string beginspecial="TeXDict begin @defspecial"; const size_t beginlength=beginspecial.size(); const string endspecial="@fedspecial end"; const size_t endlength=endspecial.size(); while(getline(fin,s)) { if (s[0] == '%') { if (s.find("%%DocumentPaperSizes:") == 0) continue; if(s.find("%!PS-Adobe-") == 0) { fout.header(!ps); continue; } if (first && s.find("%%BoundingBox:") == 0) { bbox box=b; box.shift(bboxshift); if(verbose > 2) BoundingBox(cout,box); fout.BoundingBox(box); first=false; continue; } } if (shift) { if (s.compare(0, beginlength, beginspecial) == 0) { fout.verbatimline(s); fout.gsave(); fout.concat(t); continue; } if (s.compare(0, endlength, endspecial) == 0) { fout.grestore(); fout.verbatimline(s); continue; } } // For the default line, output it unchanged. fout.verbatimline(s); } } if(!keep) { unlink(dviname.c_str()); unlink(psname.c_str()); } } } } if(!keep) { unlink(texname.c_str()); if(!getSetting("keepaux")) unlink(auxname(prefix,"aux").c_str()); unlink(auxname(prefix,"log").c_str()); unlink(auxname(prefix,"out").c_str()); if(settings::context(texengine)) { unlink(auxname(prefix,"top").c_str()); unlink(auxname(prefix,"tua").c_str()); unlink(auxname(prefix,"tuc").c_str()); unlink(auxname(prefix,"tui").c_str()); unlink(auxname(prefix,"tuo").c_str()); } } if(status == 0) return true; } return false; } int picture::epstopdf(const string& epsname, const string& pdfname) { mem::vector cmd; cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dNOPAUSE"); cmd.push_back("-dBATCH"); cmd.push_back("-P"); if(safe) { cmd.push_back("-dSAFER"); cmd.push_back("-dDELAYSAFER"); // Support transparency extensions. } cmd.push_back("-sDEVICE=pdfwrite"); cmd.push_back("-dEPSCrop"); cmd.push_back("-dSubsetFonts=true"); cmd.push_back("-dEmbedAllFonts=true"); cmd.push_back("-dMaxSubsetPct=100"); cmd.push_back("-dPDFSETTINGS=/prepress"); cmd.push_back("-dCompatibilityLevel=1.4"); if(!getSetting("autorotate")) cmd.push_back("-dAutoRotatePages=/None"); cmd.push_back("-g"+String(max(ceil(getSetting("paperwidth")),1.0)) +"x"+String(max(ceil(getSetting("paperheight")),1.0))); cmd.push_back("-dDEVICEWIDTHPOINTS="+String(max(b.right-b.left,3.0))); cmd.push_back("-dDEVICEHEIGHTPOINTS="+String(max(b.top-b.bottom,3.0))); push_split(cmd,getSetting("gsOptions")); cmd.push_back("-sOutputFile="+stripDir(pdfname)); if(safe) { cmd.push_back("-c"); cmd.push_back(".setsafe"); cmd.push_back("-f"); } cmd.push_back(stripDir(epsname)); char *oldPath=NULL; string dir=stripFile(pdfname); if(!dir.empty()) { oldPath=getPath(); setPath(dir.c_str()); } int status=System(cmd,0,true,"gs","Ghostscript"); if(oldPath != NULL) setPath(oldPath); return status; } int picture::pdftoeps(const string& pdfname, const string& epsname) { mem::vector cmd; cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dNOCACHE"); cmd.push_back("-dNOPAUSE"); cmd.push_back("-dBATCH"); cmd.push_back("-P"); if(safe) cmd.push_back("-dSAFER"); string texengine=getSetting("tex"); cmd.push_back("-sDEVICE="+getSetting("epsdriver")); cmd.push_back("-sOutputFile="+stripDir(epsname)); cmd.push_back(stripDir(pdfname)); char *oldPath=NULL; string dir=stripFile(epsname); if(!dir.empty()) { oldPath=getPath(); setPath(dir.c_str()); } int status=System(cmd,0,true,"gs","Ghostscript"); if(oldPath != NULL) setPath(oldPath); return status; } bool picture::reloadPDF(const string& Viewer, const string& outname) const { static bool needReload=true; static bool haveReload=false; // Send javascript code to redraw picture. picture f; string name=getPath()+string("/")+outname; f.append(new drawVerbatim(TeX,"\\ \\pdfannot width 0pt height 0pt { /AA << /PO << /S /JavaScript /JS (try{reload('"+ name+"');} catch(e) {} closeDoc(this);) >> >> }")); string reloadprefix="reload"; if(needReload) { needReload=false; string texengine=getSetting("tex"); Setting("tex")=string("pdflatex"); haveReload=f.shipout(NULL,reloadprefix,"pdf",false,false); Setting("tex")=texengine; } if(haveReload) { mem::vector cmd; push_command(cmd,Viewer); string pdfreloadOptions=getSetting("pdfreloadOptions"); if(!pdfreloadOptions.empty()) cmd.push_back(pdfreloadOptions); cmd.push_back(reloadprefix+".pdf"); System(cmd,0,false); } return true; } int picture::epstosvg(const string& epsname, const string& outname) { mem::vector cmd; cmd.push_back(getSetting("dvisvgm")); cmd.push_back("-n"); cmd.push_back("-E"); cmd.push_back("--verbosity=3"); string libgs=getSetting("libgs"); if(!libgs.empty()) cmd.push_back("--libgs="+libgs); push_split(cmd,getSetting("dvisvgmOptions")); cmd.push_back("-o"+outname); cmd.push_back(epsname); int status=System(cmd,2,true,"dvisvgm"); if(!getSetting("keep")) unlink(epsname.c_str()); return status; } int picture::pdftosvg(const string& pdfname, const string& outname) { mem::vector cmd; cmd.push_back(getSetting("dvisvgm")); cmd.push_back("-n"); cmd.push_back("--pdf"); cmd.push_back("--verbosity=3"); string libgs=getSetting("libgs"); if(!libgs.empty()) cmd.push_back("--libgs="+libgs); push_split(cmd,getSetting("dvisvgmOptions")); cmd.push_back("-o"+outname); cmd.push_back(pdfname); int status=System(cmd,2,true,"dvisvgm"); if(status == 0 && !getSetting("keep")) unlink(pdfname.c_str()); return status; } void htmlView(string name) { mem::vector cmd; push_command(cmd,getSetting("htmlviewer")); #ifdef __MSDOS__ ssize_t size=cygwin_conv_path(CCP_POSIX_TO_WIN_A, locateFile(name,true).c_str(),NULL,0); if(size <= 0) return; char filename[size]; size=cygwin_conv_path(CCP_POSIX_TO_WIN_A,locateFile(name,true).c_str(), filename,size); cmd.push_back("file://"+string(filename)); #else cmd.push_back(locateFile(name,true)); #endif push_split(cmd,getSetting("htmlviewerOptions")); System(cmd,2,false); } bool picture::postprocess(const string& prename, const string& outname, const string& outputformat, bool wait, bool view, bool pdftex, bool epsformat, bool svg) { static mem::map pids; int status=0; bool pdfformat=(settings::pdf(getSetting("tex")) && outputformat == "") || outputformat == "pdf"; mem::vector cmd; if(pdftex || !epsformat) { if(pdfformat) { if(pdftex) { status=rename(prename.c_str(),outname.c_str()); if(status != 0) reportError("Cannot rename "+prename+" to "+outname); } else status=epstopdf(prename,outname); } else if(epsformat) { if(svg) { status=pdftosvg(prename,outname); if(status != 0) { // Dvisvgm version < 2.4 doesn't support --pdf string epsname=stripExt(prename)+".eps"; status=pdftoeps(prename,epsname); if(status != 0) return false; status=epstosvg(epsname,outname); } epsformat=false; } else status=pdftoeps(prename,outname); } else { double render=fabs(getSetting("render")); if(render == 0) render=1.0; double res=render*72.0; Int antialias=getSetting("antialias"); if(outputformat == "png" && antialias == 2) { cmd.push_back(getSetting("gs")); cmd.push_back("-q"); cmd.push_back("-dNOPAUSE"); cmd.push_back("-dBATCH"); cmd.push_back("-P"); cmd.push_back("-sDEVICE=pngalpha"); cmd.push_back("-dEPSCrop"); if(safe) cmd.push_back("-dSAFER"); cmd.push_back("-r"+String(res)+"x"+String(res)); push_split(cmd,getSetting("gsOptions")); cmd.push_back("-sOutputFile="+outname); cmd.push_back(prename); status=System(cmd,0,true,"gs","Ghostscript"); } else if(!svg && !getSetting("xasy")) { double expand=antialias; if(expand < 2.0) expand=1.0; res *= expand; cmd.push_back(getSetting("convert")); cmd.push_back("-density"); cmd.push_back(String(res)+"x"+String(res)); if(expand == 1.0) cmd.push_back("+antialias"); push_split(cmd,getSetting("convertOptions")); cmd.push_back("-resize"); cmd.push_back(String(100.0/expand)+"%x"); if(outputformat == "jpg") cmd.push_back("-flatten"); cmd.push_back(prename); cmd.push_back(outputformat+":"+outname); status=System(cmd,0,true,"convert"); } } if(!getSetting("keep")) unlink(prename.c_str()); } if(status != 0) return false; if(verbose > 0) cout << "Wrote " << outname << endl; bool View=settings::view() && view; if(View) { if(epsformat || pdfformat) { // Check to see if there is an existing viewer for this outname. mem::map::iterator p=pids.find(outname); bool running=(p != pids.end()); string Viewer=pdfformat ? getSetting("pdfviewer") : getSetting("psviewer"); int pid; if(running) { pid=p->second; if(pid) running=(waitpid(pid, &status, WNOHANG) != pid); } bool pdfreload=pdfformat && getSetting("pdfreload"); if(running) { // Tell gv/acroread to reread file. if(Viewer == "gv") kill(pid,SIGHUP); else if(pdfreload) reloadPDF(Viewer,outname); } else { mem::vector cmd; push_command(cmd,Viewer); string viewerOptions=getSetting(pdfformat ? "pdfviewerOptions" : "psviewerOptions"); if(!viewerOptions.empty()) push_split(cmd,viewerOptions); cmd.push_back(outname); status=System(cmd,0,wait, pdfformat ? "pdfviewer" : "psviewer", pdfformat ? "your PDF viewer" : "your PostScript viewer", &pid); if(status != 0) return false; if(!wait) pids[outname]=pid; if(pdfreload) { // Work around race conditions in acroread initialization script usleep(getSetting("pdfreloaddelay")); // Only reload if pdf viewer process is already running. if(waitpid(pid, &status, WNOHANG) == pid) reloadPDF(Viewer,outname); } } } else { if(outputformat == "svg") htmlView(outname); else { mem::vector cmd; push_command(cmd,getSetting("display")); cmd.push_back(outname); string application="your "+outputformat+" viewer"; status=System(cmd,0,wait,"display",application.c_str()); if(status != 0) return false; } } } return true; } string Outname(const string& prefix, const string& outputformat, bool standardout) { return standardout ? "-" : buildname(prefix,outputformat,""); } bool picture::shipout(picture *preamble, const string& Prefix, const string& format, bool wait, bool view) { b=bounds(); string texengine=getSetting("tex"); bool usetex=texengine != "none"; bool TeXmode=getSetting("inlinetex") && usetex; bool pdf=settings::pdf(texengine); bool standardout=Prefix == "-"; string prefix=standardout ? standardprefix : stripExt(Prefix); string preformat=nativeformat(); string outputformat=format.empty() ? defaultformat() : format; bool epsformat=outputformat == "eps"; bool pdfformat=pdf || outputformat == "pdf"; bool svgformat=outputformat == "svg"; bool dvi=false; bool svg=svgformat && usetex && !(pdf && havepng()) && (!have3D() || getSetting("render") == 0.0); if(svg) { if(pdf) epsformat=true; else dvi=true; } string outname=Outname(prefix,outputformat,standardout); string epsname=epsformat ? (standardout ? "" : outname) : auxname(prefix,"eps"); bool Labels=labels || TeXmode; bool empty=b.empty; if(outputformat == "png" && (b.right-b.left < 1.0 || b.top-b.bottom < 1.0)) empty=true; if(empty && !Labels) { // Output a null file bbox b; b.left=b.bottom=0; b.right=b.top=1; psfile out(epsname,false); out.prologue(b); out.epilogue(); out.close(); return postprocess(epsname,outname,outputformat,wait,view,false, epsformat,false); } Labels |= svg; if(Labels) prefix=cleanpath(prefix); string prename=((epsformat && !pdf) || !Labels) ? epsname : auxname(prefix,preformat); SetPageDimensions(); pair aligndir=getSetting("aligndir"); string origin=getSetting("align"); pair bboxshift=(origin == "Z" && epsformat) ? pair(0.0,0.0) : pair(-b.left,-b.bottom); if(epsformat) { bboxshift += getSetting("offset"); double yexcess=max(getSetting("paperheight")- (b.top-b.bottom+1.0),0.0); double xexcess=max(getSetting("paperwidth")- (b.right-b.left+1.0),0.0); if(aligndir == pair(0,0)) { if(origin != "Z" && origin != "B") { if(origin == "T") bboxshift += pair(0.0,yexcess); else bboxshift += pair(0.5*xexcess,0.5*yexcess); } } else { double scale=max(fabs(aligndir.getx()),fabs(aligndir.gety())); if(scale != 0) aligndir *= 0.5/scale; bboxshift += pair((aligndir.getx()+0.5)*xexcess,(aligndir.gety()+0.5)*yexcess); } } bool status=true; string texname; texfile *tex=NULL; if(Labels) { texname=TeXmode ? buildname(prefix,"tex") : auxname(prefix,"tex"); tex=dvi ? new svgtexfile(texname,b) : new texfile(texname,b); tex->prologue(); } nodelist::iterator layerp=nodes.begin(); nodelist::iterator p=layerp; unsigned layer=0; mem::list files; bbox bshift=b; // transparency=false; int svgcount=0; typedef mem::list clipstack; clipstack begin; while(p != nodes.end()) { string psname,pdfname; if(Labels) { ostringstream buf; buf << prefix << "_" << layer; psname=buildname(buf.str(),"eps"); if(pdf) pdfname=buildname(buf.str(),"pdf"); } else { psname=epsname; bshift.shift(bboxshift); } files.push_back(psname); if(pdf) files.push_back(pdfname); psfile out(psname,pdfformat); out.prologue(bshift); if(!Labels) { out.gsave(); out.translate(bboxshift); } if(preamble) { // Postscript preamble. nodelist Nodes=preamble->nodes; nodelist::iterator P=Nodes.begin(); if(P != Nodes.end()) { out.resetpen(); for(; P != Nodes.end(); ++P) { assert(*P); (*P)->draw(&out); } } } out.resetpen(); bool postscript=false; drawLabel *L=NULL; if(dvi) for(nodelist::const_iterator r=begin.begin(); r != begin.end(); ++r) (*r)->draw(&out); for(; p != nodes.end(); ++p) { assert(*p); if(Labels && (*p)->islayer()) break; if(dvi && (*p)->svg()) { picture *f=(*p)->svgpng() ? new picture : NULL; nodelist::const_iterator q=layerp; for(;;) { if((*q)->beginclip()) begin.push_back(*q); else if((*q)->endclip()) { if(begin.size() < 1) reportError("endclip without matching beginclip"); begin.pop_back(); } if(q == p) break; ++q; } if(f) { for(nodelist::const_iterator r=begin.begin(); r != begin.end(); ++r) f->append(*r); f->append(*(q++)); } while(q != nodes.end() && !(*q)->islayer()) ++q; clipstack end; for(nodelist::const_iterator r=--q;; --r) { if((*r)->beginclip() && end.size() >= 1) end.pop_back(); else if((*r)->endclip()) end.push_back(*r); if(r == p) break; } for(nodelist::reverse_iterator r=end.rbegin(); r != end.rend(); ++r) { (*r)->draw(&out); if(f) f->append(*r); } if(f) { ostringstream buf; buf << prefix << "_" << svgcount; ++svgcount; string pngname=buildname(buf.str(),"png"); f->shipout(preamble,buf.str(),"png",false,false); pair m=f->bounds().Min(); pair M=f->bounds().Max(); delete f; pair size=M-m; ostringstream cmd; cmd << "\\special{dvisvgm:img " << size.getx()*ps2tex << " " << size.gety()*ps2tex << " " << pngname << "}"; static pen P; static pair zero; L=new drawLabel(cmd.str(),"",identity,pair(m.getx(),M.gety()),zero,P); texinit(); L->bounds(b_cached,processData().tex,labelbounds,bboxstack); postscript=true; } break; } else postscript |= (*p)->draw(&out); } if(Labels) { tex->beginlayer(pdf ? pdfname : psname,postscript); } else out.grestore(); out.epilogue(); out.close(); // if(out.Transparency()) // transparency=true; if(Labels) { tex->resetpen(); if(pdf && !b.empty) { status=(epstopdf(psname,pdfname) == 0); if(!getSetting("keep")) unlink(psname.c_str()); } if(status) { for (p=layerp; p != nodes.end(); ++p) { assert(*p); bool islayer=(*p)->islayer(); if(dvi && (*p)->svg()) { islayer=true; if((*p)->svgpng()) L->write(tex,b); else (*p)->draw(tex); } else (*p)->write(tex,b); if(islayer) { tex->endlayer(); layerp=++p; layer++; break; } } } } } bool context=settings::context(texengine); if(status) { if(TeXmode) { if(Labels && verbose > 0) cout << "Wrote " << texname << endl; delete tex; } else { if(Labels) { tex->epilogue(); if(context) prefix=stripDir(prefix); status=texprocess(texname,dvi ? outname : prename,prefix, bboxshift,dvi); delete tex; if(!getSetting("keep")) { for(mem::list::iterator p=files.begin(); p != files.end(); ++p) unlink(p->c_str()); } } if(status) { if(context) prename=stripDir(prename); status=postprocess(prename,outname,outputformat,wait, view,pdf && Labels,epsformat,svg); if(pdfformat && !getSetting("keep")) { unlink(auxname(prefix,"m9").c_str()); unlink(auxname(prefix,"pbsdat").c_str()); } } } } if(!status) reportError("shipout failed"); return true; } // render viewport with width x height pixels. void picture::render(double size2, const triple& Min, const triple& Max, double perspective, bool remesh) const { for(nodelist::const_iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if(remesh) (*p)->meshinit(); (*p)->render(size2,Min,Max,perspective,remesh); } #ifdef HAVE_GL drawBuffers(); #endif } struct Communicate : public gc { string prefix; picture* pic; string format; double width; double height; double angle; double zoom; triple m; triple M; pair shift; pair margin; double *t; double *background; size_t nlights; triple *lights; double *diffuse; double *specular; bool view; }; Communicate com; void glrenderWrapper() { #ifdef HAVE_GL #ifdef HAVE_PTHREAD wait(initSignal,initLock); endwait(initSignal,initLock); #endif glrender(com.prefix,com.pic,com.format,com.width,com.height,com.angle, com.zoom,com.m,com.M,com.shift,com.margin,com.t,com.background, com.nlights,com.lights,com.diffuse,com.specular,com.view); #endif } bool picture::shipout3(const string& prefix, const string& format, double width, double height, double angle, double zoom, const triple& m, const triple& M, const pair& shift, const pair& margin, double *t, double *background, size_t nlights, triple *lights, double *diffuse, double *specular, bool view) { if(getSetting("interrupt")) return true; bool webgl=format == "html"; #ifndef HAVE_GL if(!webgl && !getSetting("offscreen")) camp::reportError("to support onscreen rendering, please install glut library, run ./configure, and recompile"); #endif #ifndef HAVE_LIBGLM if(webgl) camp::reportError("to support WebGL rendering, please install glm header files, run ./configure, and recompile"); #endif #ifndef HAVE_LIBOSMESA if(getSetting("offscreen")) camp::reportError("to support offscreen rendering; please install OSMesa library, run ./configure --enable-offscreen, and recompile"); #endif picture *pic = new picture; matrixstack ms; for(nodelist::const_iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); if((*p)->begingroup3()) ms.push((*p)->transf3()); else if((*p)->endgroup3()) ms.pop(); else pic->append((*p)->transformed(ms.T())); } pic->b3=bbox3(); for(nodelist::iterator p=pic->nodes.begin(); p != pic->nodes.end(); ++p) { assert(*p); (*p)->bounds(pic->b3); } pic->lastnumber3=pic->nodes.size(); for(nodelist::iterator p=pic->nodes.begin(); p != pic->nodes.end(); ++p) { assert(*p); (*p)->displacement(); } const string outputformat=format.empty() ? getSetting("outformat") : format; #ifdef HAVE_LIBGLM static int oldpid=0; bool View=settings::view() && view; #endif #ifdef HAVE_GL bool offscreen=getSetting("offscreen"); #ifdef HAVE_PTHREAD bool animating=getSetting("animating"); bool Wait=!interact::interactive || !View || animating; #endif #endif if(!webgl) { #ifdef HAVE_GL if(glthread && !offscreen) { #ifdef HAVE_PTHREAD if(gl::initialize) { gl::initialize=false; com.prefix=prefix; com.pic=pic; com.format=outputformat; com.width=width; com.height=height; com.angle=angle; com.zoom=zoom; com.m=m; com.M=M; com.shift=shift; com.margin=margin; com.t=t; com.background=background; com.nlights=nlights; com.lights=lights; com.diffuse=diffuse; com.specular=specular; com.view=View; if(Wait) pthread_mutex_lock(&readyLock); wait(initSignal,initLock); endwait(initSignal,initLock); static bool initialize=true; if(initialize) { wait(initSignal,initLock); endwait(initSignal,initLock); initialize=false; } if(Wait) { pthread_cond_wait(&readySignal,&readyLock); pthread_mutex_unlock(&readyLock); } return true; } if(Wait) pthread_mutex_lock(&readyLock); #endif } else { int pid=fork(); if(pid == -1) camp::reportError("Cannot fork process"); if(pid != 0) { oldpid=pid; waitpid(pid,NULL,interact::interactive && View ? WNOHANG : 0); return true; } } #endif } #if HAVE_LIBGLM glrender(prefix,pic,outputformat,width,height,angle,zoom,m,M,shift,margin,t, background,nlights,lights,diffuse,specular,View,oldpid); if(webgl) { jsfile js; string name=buildname(prefix,format); js.open(name); for(nodelist::iterator p=pic->nodes.begin(); p != pic->nodes.end(); ++p) { assert(*p); (*p)->write(&js); } if(verbose > 0) cout << "Wrote " << name << endl; if(View) htmlView(name); return true; } #endif #ifdef HAVE_GL #ifdef HAVE_PTHREAD if(glthread && !offscreen && Wait) { pthread_cond_wait(&readySignal,&readyLock); pthread_mutex_unlock(&readyLock); } return true; #endif #endif return false; } bool picture::shipout3(const string& prefix, const string format) { bounds3(); bool status; string name=buildname(prefix,"prc"); prcfile prc(name); static const double limit=2.5*10.0/INT_MAX; double compressionlimit=max(length(b3.Max()),length(b3.Min()))*limit; groups.push_back(groupmap()); for(nodelist::iterator p=nodes.begin(); p != nodes.end(); ++p) { assert(*p); (*p)->write(&prc,&billboard,compressionlimit,groups); } groups.pop_back(); status=prc.finish(); if(!status) reportError("shipout3 failed"); if(verbose > 0) cout << "Wrote " << name << endl; return true; } picture *picture::transformed(const transform& t) { picture *pic = new picture; nodelist::iterator p; for (p = nodes.begin(); p != nodes.end(); ++p) { assert(*p); pic->append((*p)->transformed(t)); } pic->T=transform(t*T); return pic; } picture *picture::transformed(const array& t) { picture *pic = new picture; double* T=NULL; copyArray4x4C(T,&t); size_t level = 0; for (nodelist::iterator p = nodes.begin(); p != nodes.end(); ++p) { assert(*p); if(level==0) pic->append((*p)->transformed(T)); else pic->append(*p); if((*p)->begingroup3()) level++; if((*p)->endgroup3()) { if(level==0) reportError("endgroup3 without matching begingroup3"); else level--; } } return pic; } } // namespace camp asymptote-2.62/transform.h0000644000000000000000000001405113607467113014363 0ustar rootroot/***** * transform.h * Andy Hammerlindl 2002/05/22 * * The transform datatype stores an affine transformation on the plane * The datamembers are x, y, xx, xy, yx, and yy. A pair (x,y) is * transformed as * x' = t.x + t.xx * x + t.xy * y * y' = t.y + t.yx * x + t.yy * y *****/ #ifndef TRANSFORM_H #define TRANSFORM_H #include #include "pair.h" namespace camp { class transform : public gc { double x; double y; double xx; double xy; double yx; double yy; public: transform() : x(0.0), y(0.0), xx(1.0), xy(0.0), yx(0.0), yy(1.0) {} virtual ~transform() {} transform(double x, double y, double xx, double xy, double yx, double yy) : x(x), y(y), xx(xx), xy(xy), yx(yx), yy(yy) {} double getx() const { return x; } double gety() const { return y; } double getxx() const { return xx; } double getxy() const { return xy; } double getyx() const { return yx; } double getyy() const { return yy; } friend transform operator+ (const transform& t, const transform& s) { return transform(t.x + s.x, t.y + s.y, t.xx + s.xx, t.xy + s.xy, t.yx + s.yx, t.yy + s.yy); } friend transform operator- (const transform& t, const transform& s) { return transform(t.x - s.x, t.y - s.y, t.xx - s.xx, t.xy - s.xy, t.yx - s.yx, t.yy - s.yy); } friend transform operator- (const transform& t) { return transform(-t.x, -t.y, -t.xx, -t.xy, -t.yx, -t.yy); } friend pair operator* (const transform& t, const pair& z) { double x = z.getx(), y = z.gety(); return pair(t.x + t.xx * x + t.xy * y, t.y + t.yx * x + t.yy * y); } // Calculates the composition of t and s, so for a pair, z, // t * (s * z) == (t * s) * z // Can be thought of as matrix multiplication. friend transform operator* (const transform& t, const transform& s) { return transform(t.x + t.xx * s.x + t.xy * s.y, t.y + t.yx * s.x + t.yy * s.y, t.xx * s.xx + t.xy * s.yx, t.xx * s.xy + t.xy * s.yy, t.yx * s.xx + t.yy * s.yx, t.yx * s.xy + t.yy * s.yy); } friend bool operator== (const transform& t1, const transform& t2) { return t1.x == t2.x && t1.y == t2.y && t1.xx == t2.xx && t1.xy == t2.xy && t1.yx == t2.yx && t1.yy == t2.yy; } friend bool operator!= (const transform& t1, const transform& t2) { return !(t1 == t2); } bool isIdentity() const { return x == 0.0 && y == 0.0 && xx == 1.0 && xy == 0.0 && yx == 0.0 && yy == 1.0; } bool isNull() const { return x == 0.0 && y == 0.0 && xx == 0.0 && xy == 0.0 && yx == 0.0 && yy == 0.0; } // Calculates the determinant, as if it were a matrix. friend double det(const transform& t) { return t.xx * t.yy - t.xy * t.yx; } // Tells if the transformation is invertible (bijective). bool invertible() const { return det(*this) != 0.0; } friend transform inverse(const transform& t) { double d = det(t); if (d == 0.0) reportError("inverting singular transform"); d=1.0/d; return transform((t.xy * t.y - t.yy * t.x)*d, (t.yx * t.x - t.xx * t.y)*d, t.yy*d, -t.xy*d, -t.yx*d, t.xx*d); } friend ostream& operator<< (ostream& out, const transform& t) { return out << "(" << t.x << "," << t.y << "," << t.xx << "," << t.xy << "," << t.yx << "," << t.yy << ")"; } }; // The common transforms static const transform identity; inline transform shift(pair z) { return transform (z.getx(), z.gety(), 1.0, 0.0, 0.0, 1.0); } inline transform xscale(double s) { return transform (0.0, 0.0, s, 0.0, 0.0, 1.0); } inline transform yscale(double s) { return transform (0.0, 0.0, 1.0, 0.0, 0.0, s); } inline transform scale(double s) { return transform (0.0, 0.0, s, 0.0, 0.0, s); } inline transform scale(double x, double y) { return transform (0.0, 0.0, x, 0.0, 0.0, y); } inline transform scale(pair z) { // Equivalent to multiplication by z. double x = z.getx(), y = z.gety(); return transform (0.0, 0.0, x, -y, y, x); } inline transform slant(double s) { return transform (0.0, 0.0, 1.0, s, 0.0, 1.0); } inline transform rotate(double theta) { double s = sin(theta), c = cos(theta); return transform (0.0, 0.0, c, -s, s, c); } // return rotate(angle(v)) if z != (0,0); otherwise return identity. inline transform rotate(pair z) { double d=z.length(); if(d == 0.0) return identity; d=1.0/d; return transform (0.0, 0.0, d*z.getx(), -d*z.gety(), d*z.gety(), d*z.getx()); } inline transform rotatearound(pair z, double theta) { // Notice the operators are applied from right to left. // Could be optimized. return shift(z) * rotate(theta) * shift(-z); } inline transform reflectabout(pair z, pair w) { if (z == w) reportError("points determining line to reflect about must be distinct"); // Also could be optimized. transform basis = shift(z) * scale(w-z); transform flip = yscale(-1.0); return basis * flip * inverse(basis); } // Return the rotational part of t. inline transform rotation(transform t) { pair z(2.0*t.getxx()*t.getyy(),t.getyx()*t.getyy()-t.getxx()*t.getxy()); if(t.getxx() < 0) z=-z; return rotate(atan2(z.gety(),z.getx())); } // Remove the x and y components, so that the new transform maps zero to zero. inline transform shiftless(transform t) { return transform(0, 0, t.getxx(), t.getxy(), t.getyx(), t.getyy()); } // Return the translational component of t. inline transform shift(transform t) { return transform(t.getx(), t.gety(), 1.0, 0, 0, 1.0); } // Return the translational pair of t. inline pair shiftpair(transform t) { return pair(t.getx(), t.gety()); } inline transform matrix(pair lb, pair rt) { pair size=rt-lb; return transform(lb.getx(),lb.gety(),size.getx(),0,0,size.gety()); } } //namespace camp GC_DECLARE_PTRFREE(camp::transform); #endif asymptote-2.62/runmath.cc0000644000000000000000000005267413607467143014204 0ustar rootroot/***** Autogenerated from runmath.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runmath.in" /***** * runmath.in * * Runtime functions for math operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 12 "runmath.in" #include #include "mathop.h" #include "path.h" #ifdef __CYGWIN__ extern "C" double yn(int, double); extern "C" double jn(int, double); extern "C" int __signgam; #define signgam __signgam #endif using namespace camp; typedef array realarray; typedef array pairarray; using types::realArray; using types::pairArray; using run::integeroverflow; using vm::frame; const char *invalidargument="invalid argument"; extern uint32_t CLZ(uint32_t a); inline unsigned intbits() { static unsigned count=0; if(count > 0) return count; while((1ULL << count) < Int_MAX) ++count; ++count; return count; } static const unsigned char BitReverseTable8[256]= { #define R2(n) n, n+2*64, n+1*64, n+3*64 #define R4(n) R2(n),R2(n+2*16),R2(n+1*16),R2(n+3*16) #define R6(n) R4(n),R4(n+2*4 ),R4(n+1*4 ),R4(n+3*4 ) R6(0),R6(2),R6(1),R6(3) }; #undef R2 #undef R4 #undef R6 unsigned long long bitreverse8(unsigned long long a) { return (unsigned long long) BitReverseTable8[a]; } unsigned long long bitreverse16(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 8)]); } unsigned long long bitreverse24(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 16)]); } unsigned long long bitreverse32(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 24)]); } unsigned long long bitreverse40(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 32)]); } unsigned long long bitreverse48(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 40) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 32) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 40)]); } unsigned long long bitreverse56(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 48) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 40) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 32) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 40) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 48)]); } unsigned long long bitreverse64(unsigned long long a) { return ((unsigned long long) BitReverseTable8[a & 0xff] << 56) | ((unsigned long long) BitReverseTable8[(a >> 8) & 0xff] << 48) | ((unsigned long long) BitReverseTable8[(a >> 16) & 0xff] << 40) | ((unsigned long long) BitReverseTable8[(a >> 24) & 0xff] << 32) | ((unsigned long long) BitReverseTable8[(a >> 32) & 0xff] << 24) | ((unsigned long long) BitReverseTable8[(a >> 40) & 0xff] << 16) | ((unsigned long long) BitReverseTable8[(a >> 48) & 0xff] << 8) | ((unsigned long long) BitReverseTable8[(a >> 56)]); } // https://graphics.stanford.edu/~seander/bithacks.html#CountBitsSetParallel #define T unsignedInt Int popcount(T a) { a=a-((a >> 1) & (T)~(T)0/3); a=(a & (T)~(T)0/15*3)+((a >> 2) & (T)~(T)0/15*3); a=(a+(a >> 4)) & (T)~(T)0/255*15; return (T)(a*((T)~(T)0/255)) >> (sizeof(T)-1)*CHAR_BIT; } #undef T // Return the factorial of a non-negative integer using a lookup table. Int factorial(Int n) { static Int *table; static Int size=0; if(size == 0) { Int f=1; size=2; while(f <= Int_MAX/size) f *= (size++); table=new Int[size]; table[0]=f=1; for(Int i=1; i < size; ++i) { f *= i; table[i]=f; } } if(n >= size) integeroverflow(0); return table[n]; } static inline Int Round(double x) { return Int(x+((x >= 0) ? 0.5 : -0.5)); } inline Int sgn(double x) { return (x > 0.0 ? 1 : (x < 0.0 ? -1 : 0)); } static bool initializeRandom=true; void Srand(Int seed) { initializeRandom=false; const int n=256; static char state[n]; initstate(intcast(seed),state,n); } // Autogenerated routines: #ifndef NOSYM #include "runmath.symbols.h" #endif namespace run { #line 190 "runmath.in" // real ^(real x, Int y); void gen_runmath0(stack *Stack) { Int y=vm::pop(Stack); real x=vm::pop(Stack); #line 191 "runmath.in" {Stack->push(pow(x,y)); return;} } #line 195 "runmath.in" // pair ^(pair z, Int y); void gen_runmath1(stack *Stack) { Int y=vm::pop(Stack); pair z=vm::pop(Stack); #line 196 "runmath.in" {Stack->push(pow(z,y)); return;} } #line 200 "runmath.in" // Int quotient(Int x, Int y); void gen_runmath2(stack *Stack) { Int y=vm::pop(Stack); Int x=vm::pop(Stack); #line 201 "runmath.in" {Stack->push(quotient()(x,y)); return;} } #line 205 "runmath.in" // Int abs(Int x); void gen_runmath3(stack *Stack) { Int x=vm::pop(Stack); #line 206 "runmath.in" {Stack->push(Abs(x)); return;} } #line 210 "runmath.in" // Int sgn(real x); void gen_runmath4(stack *Stack) { real x=vm::pop(Stack); #line 211 "runmath.in" {Stack->push(sgn(x)); return;} } #line 215 "runmath.in" // Int rand(); void gen_runmath5(stack *Stack) { #line 216 "runmath.in" if(initializeRandom) Srand(1); {Stack->push(random()); return;} } #line 222 "runmath.in" // void srand(Int seed); void gen_runmath6(stack *Stack) { Int seed=vm::pop(Stack); #line 223 "runmath.in" Srand(seed); } // a random number uniformly distributed in the interval [0,1] #line 228 "runmath.in" // real unitrand(); void gen_runmath7(stack *Stack) { #line 229 "runmath.in" {Stack->push(((real) random())/RANDOM_MAX); return;} } #line 233 "runmath.in" // Int ceil(real x); void gen_runmath8(stack *Stack) { real x=vm::pop(Stack); #line 234 "runmath.in" {Stack->push(Intcast(ceil(x))); return;} } #line 238 "runmath.in" // Int floor(real x); void gen_runmath9(stack *Stack) { real x=vm::pop(Stack); #line 239 "runmath.in" {Stack->push(Intcast(floor(x))); return;} } #line 243 "runmath.in" // Int round(real x); void gen_runmath10(stack *Stack) { real x=vm::pop(Stack); #line 244 "runmath.in" if(validInt(x)) {Stack->push(Round(x)); return;} integeroverflow(0); } #line 249 "runmath.in" // Int Ceil(real x); void gen_runmath11(stack *Stack) { real x=vm::pop(Stack); #line 250 "runmath.in" {Stack->push(Ceil(x)); return;} } #line 254 "runmath.in" // Int Floor(real x); void gen_runmath12(stack *Stack) { real x=vm::pop(Stack); #line 255 "runmath.in" {Stack->push(Floor(x)); return;} } #line 259 "runmath.in" // Int Round(real x); void gen_runmath13(stack *Stack) { real x=vm::pop(Stack); #line 260 "runmath.in" {Stack->push(Round(Intcap(x))); return;} } #line 264 "runmath.in" // real fmod(real x, real y); void gen_runmath14(stack *Stack) { real y=vm::pop(Stack); real x=vm::pop(Stack); #line 265 "runmath.in" if (y == 0.0) dividebyzero(); {Stack->push(fmod(x,y)); return;} } #line 270 "runmath.in" // real atan2(real y, real x); void gen_runmath15(stack *Stack) { real x=vm::pop(Stack); real y=vm::pop(Stack); #line 271 "runmath.in" {Stack->push(atan2(y,x)); return;} } #line 275 "runmath.in" // real hypot(real x, real y); void gen_runmath16(stack *Stack) { real y=vm::pop(Stack); real x=vm::pop(Stack); #line 276 "runmath.in" {Stack->push(hypot(x,y)); return;} } #line 280 "runmath.in" // real remainder(real x, real y); void gen_runmath17(stack *Stack) { real y=vm::pop(Stack); real x=vm::pop(Stack); #line 281 "runmath.in" {Stack->push(remainder(x,y)); return;} } #line 285 "runmath.in" // real Jn(Int n, real x); void gen_runmath18(stack *Stack) { real x=vm::pop(Stack); Int n=vm::pop(Stack); #line 286 "runmath.in" {Stack->push(jn(n,x)); return;} } #line 290 "runmath.in" // real Yn(Int n, real x); void gen_runmath19(stack *Stack) { real x=vm::pop(Stack); Int n=vm::pop(Stack); #line 291 "runmath.in" {Stack->push(yn(n,x)); return;} } #line 295 "runmath.in" // real erf(real x); void gen_runmath20(stack *Stack) { real x=vm::pop(Stack); #line 296 "runmath.in" {Stack->push(erf(x)); return;} } #line 300 "runmath.in" // real erfc(real x); void gen_runmath21(stack *Stack) { real x=vm::pop(Stack); #line 301 "runmath.in" {Stack->push(erfc(x)); return;} } #line 305 "runmath.in" // Int factorial(Int n); void gen_runmath22(stack *Stack) { Int n=vm::pop(Stack); #line 306 "runmath.in" if(n < 0) error(invalidargument); {Stack->push(factorial(n)); return;} } #line 310 "runmath.in" // Int choose(Int n, Int k); void gen_runmath23(stack *Stack) { Int k=vm::pop(Stack); Int n=vm::pop(Stack); #line 311 "runmath.in" if(n < 0 || k < 0 || k > n) error(invalidargument); Int f=1; Int r=n-k; for(Int i=n; i > r; --i) { if(f > Int_MAX/i) integeroverflow(0); f=(f*i)/(n-i+1); } {Stack->push(f); return;} } #line 321 "runmath.in" // real gamma(real x); void gen_runmath24(stack *Stack) { real x=vm::pop(Stack); #line 322 "runmath.in" #ifdef HAVE_TGAMMA {Stack->push(tgamma(x)); return;} #else real lg = lgamma(x); {Stack->push(signgam*exp(lg)); return;} #endif } #line 331 "runmath.in" // realarray* quadraticroots(real a, real b, real c); void gen_runmath25(stack *Stack) { real c=vm::pop(Stack); real b=vm::pop(Stack); real a=vm::pop(Stack); #line 332 "runmath.in" quadraticroots q(a,b,c); array *roots=new array(q.roots); if(q.roots >= 1) (*roots)[0]=q.t1; if(q.roots == 2) (*roots)[1]=q.t2; {Stack->push(roots); return;} } #line 340 "runmath.in" // pairarray* quadraticroots(explicit pair a, explicit pair b, explicit pair c); void gen_runmath26(stack *Stack) { pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 341 "runmath.in" Quadraticroots q(a,b,c); array *roots=new array(q.roots); if(q.roots >= 1) (*roots)[0]=q.z1; if(q.roots == 2) (*roots)[1]=q.z2; {Stack->push(roots); return;} } #line 349 "runmath.in" // realarray* cubicroots(real a, real b, real c, real d); void gen_runmath27(stack *Stack) { real d=vm::pop(Stack); real c=vm::pop(Stack); real b=vm::pop(Stack); real a=vm::pop(Stack); #line 350 "runmath.in" cubicroots q(a,b,c,d); array *roots=new array(q.roots); if(q.roots >= 1) (*roots)[0]=q.t1; if(q.roots >= 2) (*roots)[1]=q.t2; if(q.roots == 3) (*roots)[2]=q.t3; {Stack->push(roots); return;} } // Logical operations #line 361 "runmath.in" // bool !(bool b); void gen_runmath28(stack *Stack) { bool b=vm::pop(Stack); #line 362 "runmath.in" {Stack->push(!b); return;} } #line 367 "runmath.in" void boolMemEq(stack *Stack) { frame * b=vm::pop(Stack); frame * a=vm::pop(Stack); #line 368 "runmath.in" {Stack->push(a == b); return;} } #line 372 "runmath.in" void boolMemNeq(stack *Stack) { frame * b=vm::pop(Stack); frame * a=vm::pop(Stack); #line 373 "runmath.in" {Stack->push(a != b); return;} } #line 377 "runmath.in" void boolFuncEq(stack *Stack) { callable * b=vm::pop(Stack); callable * a=vm::pop(Stack); #line 378 "runmath.in" {Stack->push(a->compare(b)); return;} } #line 382 "runmath.in" void boolFuncNeq(stack *Stack) { callable * b=vm::pop(Stack); callable * a=vm::pop(Stack); #line 383 "runmath.in" {Stack->push(!(a->compare(b))); return;} } // Bit operations #line 389 "runmath.in" // Int AND(Int a, Int b); void gen_runmath33(stack *Stack) { Int b=vm::pop(Stack); Int a=vm::pop(Stack); #line 390 "runmath.in" {Stack->push(a & b); return;} } #line 395 "runmath.in" // Int OR(Int a, Int b); void gen_runmath34(stack *Stack) { Int b=vm::pop(Stack); Int a=vm::pop(Stack); #line 396 "runmath.in" {Stack->push(a | b); return;} } #line 400 "runmath.in" // Int XOR(Int a, Int b); void gen_runmath35(stack *Stack) { Int b=vm::pop(Stack); Int a=vm::pop(Stack); #line 401 "runmath.in" {Stack->push(a ^ b); return;} } #line 405 "runmath.in" // Int NOT(Int a); void gen_runmath36(stack *Stack) { Int a=vm::pop(Stack); #line 406 "runmath.in" {Stack->push(~a); return;} } #line 410 "runmath.in" // Int CLZ(Int a); void gen_runmath37(stack *Stack) { Int a=vm::pop(Stack); #line 411 "runmath.in" if((unsigned long long) a > 0xFFFFFFFF) {Stack->push(CLZ((uint32_t) ((unsigned long long) a >> 32))); return;} else { int bits=intbits(); if(a != 0) {Stack->push(bits-32+CLZ((uint32_t) a)); return;} {Stack->push(bits); return;} } } #line 421 "runmath.in" // Int popcount(Int a); void gen_runmath38(stack *Stack) { Int a=vm::pop(Stack); #line 422 "runmath.in" {Stack->push(popcount(a)); return;} } #line 426 "runmath.in" // Int CTZ(Int a); void gen_runmath39(stack *Stack) { Int a=vm::pop(Stack); #line 427 "runmath.in" {Stack->push(popcount((a&-a)-1)); return;} } // bitreverse a within a word of length bits. #line 432 "runmath.in" // Int bitreverse(Int a, Int bits); void gen_runmath40(stack *Stack) { Int bits=vm::pop(Stack); Int a=vm::pop(Stack); #line 433 "runmath.in" typedef unsigned long long Bitreverse(unsigned long long a); static Bitreverse *B[]={bitreverse8,bitreverse16,bitreverse24,bitreverse32, bitreverse40,bitreverse48,bitreverse56,bitreverse64}; int maxbits=intbits()-1; // Drop sign bit #if Int_MAX2 >= 0x7fffffffffffffffLL --maxbits; // Drop extra bit for reserved values #endif if(bits <= 0 || bits > maxbits || a < 0 || (unsigned long long) a >= (1ULL << bits)) {Stack->push(-1); return;} unsigned int bytes=(bits+7)/8; {Stack->push(B[bytes-1]((unsigned long long) a) >> (8*bytes-bits)); return;} } } // namespace run namespace trans { void gen_runmath_venv(venv &ve) { #line 190 "runmath.in" addFunc(ve, run::gen_runmath0, primReal(), SYM_CARET, formal(primReal(), SYM(x), false, false), formal(primInt(), SYM(y), false, false)); #line 195 "runmath.in" addFunc(ve, run::gen_runmath1, primPair(), SYM_CARET, formal(primPair(), SYM(z), false, false), formal(primInt(), SYM(y), false, false)); #line 200 "runmath.in" addFunc(ve, run::gen_runmath2, primInt(), SYM(quotient), formal(primInt(), SYM(x), false, false), formal(primInt(), SYM(y), false, false)); #line 205 "runmath.in" addFunc(ve, run::gen_runmath3, primInt(), SYM(abs), formal(primInt(), SYM(x), false, false)); #line 210 "runmath.in" addFunc(ve, run::gen_runmath4, primInt(), SYM(sgn), formal(primReal(), SYM(x), false, false)); #line 215 "runmath.in" addFunc(ve, run::gen_runmath5, primInt(), SYM(rand)); #line 222 "runmath.in" addFunc(ve, run::gen_runmath6, primVoid(), SYM(srand), formal(primInt(), SYM(seed), false, false)); #line 227 "runmath.in" addFunc(ve, run::gen_runmath7, primReal(), SYM(unitrand)); #line 233 "runmath.in" addFunc(ve, run::gen_runmath8, primInt(), SYM(ceil), formal(primReal(), SYM(x), false, false)); #line 238 "runmath.in" addFunc(ve, run::gen_runmath9, primInt(), SYM(floor), formal(primReal(), SYM(x), false, false)); #line 243 "runmath.in" addFunc(ve, run::gen_runmath10, primInt(), SYM(round), formal(primReal(), SYM(x), false, false)); #line 249 "runmath.in" addFunc(ve, run::gen_runmath11, primInt(), SYM(Ceil), formal(primReal(), SYM(x), false, false)); #line 254 "runmath.in" addFunc(ve, run::gen_runmath12, primInt(), SYM(Floor), formal(primReal(), SYM(x), false, false)); #line 259 "runmath.in" addFunc(ve, run::gen_runmath13, primInt(), SYM(Round), formal(primReal(), SYM(x), false, false)); #line 264 "runmath.in" addFunc(ve, run::gen_runmath14, primReal(), SYM(fmod), formal(primReal(), SYM(x), false, false), formal(primReal(), SYM(y), false, false)); #line 270 "runmath.in" addFunc(ve, run::gen_runmath15, primReal(), SYM(atan2), formal(primReal(), SYM(y), false, false), formal(primReal(), SYM(x), false, false)); #line 275 "runmath.in" addFunc(ve, run::gen_runmath16, primReal(), SYM(hypot), formal(primReal(), SYM(x), false, false), formal(primReal(), SYM(y), false, false)); #line 280 "runmath.in" addFunc(ve, run::gen_runmath17, primReal(), SYM(remainder), formal(primReal(), SYM(x), false, false), formal(primReal(), SYM(y), false, false)); #line 285 "runmath.in" addFunc(ve, run::gen_runmath18, primReal(), SYM(Jn), formal(primInt(), SYM(n), false, false), formal(primReal(), SYM(x), false, false)); #line 290 "runmath.in" addFunc(ve, run::gen_runmath19, primReal(), SYM(Yn), formal(primInt(), SYM(n), false, false), formal(primReal(), SYM(x), false, false)); #line 295 "runmath.in" addFunc(ve, run::gen_runmath20, primReal(), SYM(erf), formal(primReal(), SYM(x), false, false)); #line 300 "runmath.in" addFunc(ve, run::gen_runmath21, primReal(), SYM(erfc), formal(primReal(), SYM(x), false, false)); #line 305 "runmath.in" addFunc(ve, run::gen_runmath22, primInt(), SYM(factorial), formal(primInt(), SYM(n), false, false)); #line 310 "runmath.in" addFunc(ve, run::gen_runmath23, primInt(), SYM(choose), formal(primInt(), SYM(n), false, false), formal(primInt(), SYM(k), false, false)); #line 321 "runmath.in" addFunc(ve, run::gen_runmath24, primReal(), SYM(gamma), formal(primReal(), SYM(x), false, false)); #line 331 "runmath.in" addFunc(ve, run::gen_runmath25, realArray(), SYM(quadraticroots), formal(primReal(), SYM(a), false, false), formal(primReal(), SYM(b), false, false), formal(primReal(), SYM(c), false, false)); #line 340 "runmath.in" addFunc(ve, run::gen_runmath26, pairArray(), SYM(quadraticroots), formal(primPair(), SYM(a), false, true), formal(primPair(), SYM(b), false, true), formal(primPair(), SYM(c), false, true)); #line 349 "runmath.in" addFunc(ve, run::gen_runmath27, realArray(), SYM(cubicroots), formal(primReal(), SYM(a), false, false), formal(primReal(), SYM(b), false, false), formal(primReal(), SYM(c), false, false), formal(primReal(), SYM(d), false, false)); #line 359 "runmath.in" addFunc(ve, run::gen_runmath28, primBoolean(), SYM_LOGNOT, formal(primBoolean(), SYM(b), false, false)); #line 367 "runmath.in" REGISTER_BLTIN(run::boolMemEq,"boolMemEq"); #line 372 "runmath.in" REGISTER_BLTIN(run::boolMemNeq,"boolMemNeq"); #line 377 "runmath.in" REGISTER_BLTIN(run::boolFuncEq,"boolFuncEq"); #line 382 "runmath.in" REGISTER_BLTIN(run::boolFuncNeq,"boolFuncNeq"); #line 387 "runmath.in" addFunc(ve, run::gen_runmath33, primInt(), SYM(AND), formal(primInt(), SYM(a), false, false), formal(primInt(), SYM(b), false, false)); #line 395 "runmath.in" addFunc(ve, run::gen_runmath34, primInt(), SYM(OR), formal(primInt(), SYM(a), false, false), formal(primInt(), SYM(b), false, false)); #line 400 "runmath.in" addFunc(ve, run::gen_runmath35, primInt(), SYM(XOR), formal(primInt(), SYM(a), false, false), formal(primInt(), SYM(b), false, false)); #line 405 "runmath.in" addFunc(ve, run::gen_runmath36, primInt(), SYM(NOT), formal(primInt(), SYM(a), false, false)); #line 410 "runmath.in" addFunc(ve, run::gen_runmath37, primInt(), SYM(CLZ), formal(primInt(), SYM(a), false, false)); #line 421 "runmath.in" addFunc(ve, run::gen_runmath38, primInt(), SYM(popcount), formal(primInt(), SYM(a), false, false)); #line 426 "runmath.in" addFunc(ve, run::gen_runmath39, primInt(), SYM(CTZ), formal(primInt(), SYM(a), false, false)); #line 431 "runmath.in" addFunc(ve, run::gen_runmath40, primInt(), SYM(bitreverse), formal(primInt(), SYM(a), false, false), formal(primInt(), SYM(bits), false, false)); } } // namespace trans asymptote-2.62/patches/0000755000000000000000000000000013607467113013625 5ustar rootrootasymptote-2.62/patches/bison.patch0000644000000000000000000001221613607467113015762 0ustar rootrootdiff -ru bison-2.0a/data/yacc.c bison-2.0aJ/data/yacc.c --- bison-2.0a/data/yacc.c 2005-05-21 11:12:32.000000000 -0600 +++ bison-2.0aJ/data/yacc.c 2005-06-30 18:14:16.509158136 -0600 @@ -237,7 +237,7 @@ # ifdef YYSTACK_ALLOC /* Pacify GCC's `empty if-body' warning. */ -# define YYSTACK_FREE(Ptr) do { /* empty */; } while (0) +# define YYSTACK_FREE(Ptr) { /* empty */; } # ifndef YYSTACK_ALLOC_MAXIMUM /* The OS might guarantee only one guard page at the bottom of the stack, and a page size can be as small as 4096 bytes. So we cannot safely @@ -291,19 +291,20 @@ /* Copy COUNT objects from FROM to TO. The source and destination do not overlap. */ # ifndef YYCOPY -# if defined (__GNUC__) && 1 < __GNUC__ +# if defined (__GNUC__) +# if 1 < __GNUC__ # define YYCOPY(To, From, Count) \ __builtin_memcpy (To, From, (Count) * sizeof (*(From))) -# else +# endif +# endif +# endif +# ifndef YYCOPY # define YYCOPY(To, From, Count) \ - do \ { \ YYSIZE_T yyi; \ for (yyi = 0; yyi < (Count); yyi++) \ (To)[yyi] = (From)[yyi]; \ - } \ - while (0) -# endif + } # endif /* Relocate STACK from its old location to the new one. The @@ -312,15 +313,13 @@ stack. Advance YYPTR to a properly aligned location for the next stack. */ # define YYSTACK_RELOCATE(Stack) \ - do \ { \ YYSIZE_T yynewbytes; \ YYCOPY (&yyptr->Stack, Stack, yysize); \ Stack = &yyptr->Stack; \ yynewbytes = yystacksize * sizeof (*Stack) + YYSTACK_GAP_MAXIMUM; \ yyptr += yynewbytes / sizeof (*yyptr); \ - } \ - while (0) + } #endif @@ -487,6 +486,7 @@ #define YYACCEPT goto yyacceptlab #define YYABORT goto yyabortlab #define YYERROR goto yyerrorlab +int yy_false=false; /* Used to suppress compiler warning about unused label */ /* Like YYERROR except do call yyerror. This remains here temporarily @@ -498,7 +498,7 @@ #define YYRECOVERING() (!!yyerrstatus) #define YYBACKUP(Token, Value) \ -do \ +{ \ if (yychar == YYEMPTY && yylen == 1) \ { \ yychar = (Token); \ @@ -512,7 +512,7 @@ yyerror (]b4_yyerror_args[_("syntax error: cannot back up")); \ YYERROR; \ } \ -while (0) +} #define YYTERROR 1 @@ -526,7 +526,7 @@ #define YYRHSLOC(Rhs, K) ((Rhs)[K]) #ifndef YYLLOC_DEFAULT # define YYLLOC_DEFAULT(Current, Rhs, N) \ - do \ + { \ if (N) \ { \ (Current).first_line = YYRHSLOC (Rhs, 1).first_line; \ @@ -541,7 +541,7 @@ (Current).first_column = (Current).last_column = \ YYRHSLOC (Rhs, 0).last_column; \ } \ - while (0) + } #endif @@ -550,7 +550,7 @@ we won't break user code: when these are the locations we know. */ #ifndef YY_LOCATION_PRINT -# if YYLTYPE_IS_TRIVIAL +# ifdef YYLTYPE_IS_TRIVIAL # define YY_LOCATION_PRINT(File, Loc) \ fprintf (File, "%d.%d-%d.%d", \ (Loc).first_line, (Loc).first_column, \ @@ -578,13 +578,13 @@ # endif # define YYDPRINTF(Args) \ -do { \ +{ \ if (yydebug) \ YYFPRINTF Args; \ -} while (0) +} # define YY_SYMBOL_PRINT(Title, Type, Value, Location) \ -do { \ +{ \ if (yydebug) \ { \ YYFPRINTF (stderr, "%s ", Title); \ @@ -592,7 +592,7 @@ Type, Value]b4_location_if([, Location])[); \ YYFPRINTF (stderr, "\n"); \ } \ -} while (0) +} /*------------------------------------------------------------------. | yy_stack_print -- Print the state stack from its BOTTOM up to its | @@ -610,10 +610,10 @@ } # define YY_STACK_PRINT(Bottom, Top) \ -do { \ +{ \ if (yydebug) \ yy_stack_print ((Bottom), (Top)); \ -} while (0) +} /*------------------------------------------------. @@ -634,10 +634,10 @@ } # define YY_REDUCE_PRINT(Rule) \ -do { \ +{ \ if (yydebug) \ yy_reduce_print (Rule); \ -} while (0) +} /* Nonzero means print parse trace. It is left uninitialized so that multiple parsers can coexist. */ @@ -826,7 +826,7 @@ /* When reducing, the number of symbols on the RHS of the reduced rule. */ - int yylen; + int yylen=0; YYDPRINTF ((stderr, "Starting parse\n")); @@ -874,7 +874,7 @@ yyssp++; yysetstate: - *yyssp = yystate; + *yyssp = (short int) yystate; if (yyss + yystacksize - 1 <= yyssp) { @@ -1222,12 +1222,6 @@ `---------------------------------------------------*/ yyerrorlab: - /* Pacify compilers like GCC when the user code never invokes - YYERROR and the label yyerrorlab therefore never appears in user - code. */ - if (0) - goto yyerrorlab; - ]b4_location_if([[ yyerror_range[0] = yylsp[1-yylen]; yylsp -= yylen; ]])[yyvsp -= yylen; @@ -1297,6 +1291,13 @@ `-----------------------------------*/ yyabortlab: yyresult = 1; + + /* Pacify compilers like GCC when the user code never invokes + YYERROR and the label yyerrorlab therefore never appears in user + code. */ + if (yy_false) + goto yyerrorlab; + goto yyreturn; #ifndef yyoverflow asymptote-2.62/patches/dvipdf0000755000000000000000000000243713607467113015035 0ustar rootroot#!/bin/sh # $Id$ # Convert DVI to PDF. # # Please contact Andrew Ford with any questions # about this file. # # Based on ps2pdf # This definition is changed on install to match the # executable name set in the makefile GS_EXECUTABLE=gs OPTIONS="-DSAFER -P" DVIPSOPTIONS="" while true do case "$1" in -R*) DVIPSOPTIONS="$DVIPSOPTIONS $1";; -z) DVIPSOPTIONS="$DVIPSOPTIONS -z" ;; -pp) shift; DVIPSOPTIONS="$DVIPSOPTIONS -pp $1" ;; -p) shift; DVIPSOPTIONS="$DVIPSOPTIONS -p $1" ;; -t) shift; DVIPSOPTIONS="$DVIPSOPTIONS -t $1" ;; -T) shift; DVIPSOPTIONS="$DVIPSOPTIONS -T $1" ;; -l) shift; DVIPSOPTIONS="$DVIPSOPTIONS -l $1" ;; -?*) OPTIONS="$OPTIONS $1" ;; *) break ;; esac shift done if [ $# -lt 1 -o $# -gt 2 ]; then echo "Usage: `basename $0` [options...] input.dvi [output.pdf]" 1>&2 exit 1 fi infile=$1; if [ $# -eq 1 ] then case "${infile}" in *.dvi) base=`basename "${infile}" .dvi` ;; *) base=`basename "${infile}"` ;; esac outfile="${base}".pdf else outfile=$2 fi # We have to include the options twice because -I only takes effect if it # appears before other options. exec dvips $DVIPSOPTIONS -q -f "$infile" | $GS_EXECUTABLE $OPTIONS -q -dNOPAUSE -dBATCH -sDEVICE=pdfwrite -sstdout=%stderr -sOutputFile="$outfile" $OPTIONS -c .setpdfwrite - asymptote-2.62/patches/fixmem.reg0000644000000000000000000000016113607467113015607 0ustar rootrootWindows Registry Editor Version 5.00 [HKEY_LOCAL_MACHINE\Software\Cygwin] "heap_chunk_in_mb"=dword:ffffff00 asymptote-2.62/patches/README0000644000000000000000000000207213607467113014506 0ustar rootrootThe optional patches to flex-2.5.31 and bison-2.0a in this directory fix a number of problems with warning and/or error messages generated by strict compilers. A modified version of dvipdf that accepts common dvips options is included. The file gcc3.3.2curses.patch can be used to patch the broken curses.h header files (or a local copy thereof in the current directory) on some AIX and IRIX systems. The file gc6.8_AIX.patch fixes an incorrect Boehm garbage collector prototype in the file gc6.8/include/gc.h (version 6.8). The file gc-7.0nomem.patch avoids segmentation faults with gc-7.0 on out-of-memory errors. The file cygwin_freeglut-3.0.0.patch fixes undefined symbols when compiling the freeglut library statically under cygwin. The file fixmem.reg patches the Microsoft Windows registry so that the cygwin1.dll library can allocate more than 384MB. It is applied automatically by the Asymptote setup.exe file but may also be applied manually: regedit /s fixmem.reg The file gl-matrix-2.4.0-pruned.patch is used to build the required subset of the gl-matrix library.asymptote-2.62/patches/cygwin_freeglut-3.0.0.patch0000644000000000000000000000341513607467113020502 0ustar rootrootdiff -ru freeglut-3.0.0/CMakeLists.txt freeglut-3.0.0J/CMakeLists.txt --- freeglut-3.0.0/CMakeLists.txt 2015-02-17 23:59:57.000000000 -0500 +++ freeglut-3.0.0J/CMakeLists.txt 2019-01-20 22:15:55.410415400 -0500 @@ -20,7 +20,7 @@ set(VERSION_MAJOR 3) set(VERSION_MINOR 0) set(VERSION_PATCH 0) - +set(WIN32 1) # Update fg_version.h to match the versions number here in cmake CONFIGURE_FILE(src/fg_version.h.in src/fg_version.h) @@ -32,7 +32,7 @@ # FREEGLUT_BUILD_SHARED_LIBS is already a standard CMake variable, but we need to # re-declare it here so it will show up in the GUI. # by default, we want to build both -OPTION(FREEGLUT_BUILD_SHARED_LIBS "Build FreeGLUT shared library." ON) +OPTION(FREEGLUT_BUILD_SHARED_LIBS "Build FreeGLUT shared library." OFF) OPTION(FREEGLUT_BUILD_STATIC_LIBS "Build FreeGLUT static library." ON) # option for whether warnings and errors should be printed @@ -439,7 +439,7 @@ # Optionally build demos, on by default. -option( FREEGLUT_BUILD_DEMOS "Build FreeGLUT demos." ON ) +option( FREEGLUT_BUILD_DEMOS "Build FreeGLUT demos." OFF ) SET(DEMO_LIBS ${OPENGL_glu_LIBRARY} ${LIBS}) # lib m for math, not needed on windows Only in freeglut-3.0.0J: CMakeLists.txt~ diff -ru freeglut-3.0.0/src/fg_internal.h freeglut-3.0.0J/src/fg_internal.h --- freeglut-3.0.0/src/fg_internal.h 2014-12-22 11:27:02.000000000 -0500 +++ freeglut-3.0.0J/src/fg_internal.h 2019-01-20 22:13:40.317578700 -0500 @@ -24,6 +24,13 @@ * IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN * CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ +#define FREEGLUT_EXPORTS 1 + +#define TARGET_HOST_MS_WINDOWS 1 + +#define GCL_HCURSOR (-12) +#define _snprintf snprintf + #ifndef FREEGLUT_INTERNAL_H #define FREEGLUT_INTERNAL_H asymptote-2.62/patches/gl-matrix-2.4.0-pruned.patch0000644000000000000000000004600613607467113020512 0ustar rootrootOnly in gl-matrix-2.4.0-pruned: LICENSE.js diff -r -u gl-matrix-2.4.0/src/gl-matrix/mat3.js gl-matrix-2.4.0-pruned/src/gl-matrix/mat3.js --- gl-matrix-2.4.0/src/gl-matrix/mat3.js 2017-07-22 13:02:47.000000000 -0600 +++ gl-matrix-2.4.0-pruned/src/gl-matrix/mat3.js 2019-09-27 15:41:24.534735384 -0600 @@ -70,7 +70,7 @@ * @param {mat3} a matrix to clone * @returns {mat3} a new 3x3 matrix */ -export function clone(a) { +function clone(a) { let out = new glMatrix.ARRAY_TYPE(9); out[0] = a[0]; out[1] = a[1]; @@ -91,7 +91,7 @@ * @param {mat3} a the source matrix * @returns {mat3} out */ -export function copy(out, a) { +function copy(out, a) { out[0] = a[0]; out[1] = a[1]; out[2] = a[2]; @@ -118,7 +118,7 @@ * @param {Number} m22 Component in column 2, row 2 position (index 8) * @returns {mat3} A new mat3 */ -export function fromValues(m00, m01, m02, m10, m11, m12, m20, m21, m22) { +function fromValues(m00, m01, m02, m10, m11, m12, m20, m21, m22) { let out = new glMatrix.ARRAY_TYPE(9); out[0] = m00; out[1] = m01; @@ -147,7 +147,7 @@ * @param {Number} m22 Component in column 2, row 2 position (index 8) * @returns {mat3} out */ -export function set(out, m00, m01, m02, m10, m11, m12, m20, m21, m22) { +function set(out, m00, m01, m02, m10, m11, m12, m20, m21, m22) { out[0] = m00; out[1] = m01; out[2] = m02; @@ -166,7 +166,7 @@ * @param {mat3} out the receiving matrix * @returns {mat3} out */ -export function identity(out) { +function identity(out) { out[0] = 1; out[1] = 0; out[2] = 0; @@ -186,7 +186,7 @@ * @param {mat3} a the source matrix * @returns {mat3} out */ -export function transpose(out, a) { +function transpose(out, a) { // If we are transposing ourselves we can skip a few steps but have to cache some values if (out === a) { let a01 = a[1], a02 = a[2], a12 = a[5]; @@ -254,7 +254,7 @@ * @param {mat3} a the source matrix * @returns {mat3} out */ -export function adjoint(out, a) { +function adjoint(out, a) { let a00 = a[0], a01 = a[1], a02 = a[2]; let a10 = a[3], a11 = a[4], a12 = a[5]; let a20 = a[6], a21 = a[7], a22 = a[8]; @@ -277,7 +277,7 @@ * @param {mat3} a the source matrix * @returns {Number} determinant of a */ -export function determinant(a) { +function determinant(a) { let a00 = a[0], a01 = a[1], a02 = a[2]; let a10 = a[3], a11 = a[4], a12 = a[5]; let a20 = a[6], a21 = a[7], a22 = a[8]; @@ -293,7 +293,7 @@ * @param {mat3} b the second operand * @returns {mat3} out */ -export function multiply(out, a, b) { +function multiply(out, a, b) { let a00 = a[0], a01 = a[1], a02 = a[2]; let a10 = a[3], a11 = a[4], a12 = a[5]; let a20 = a[6], a21 = a[7], a22 = a[8]; @@ -324,7 +324,7 @@ * @param {vec2} v vector to translate by * @returns {mat3} out */ -export function translate(out, a, v) { +function translate(out, a, v) { let a00 = a[0], a01 = a[1], a02 = a[2], a10 = a[3], a11 = a[4], a12 = a[5], a20 = a[6], a21 = a[7], a22 = a[8], @@ -352,7 +352,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat3} out */ -export function rotate(out, a, rad) { +function rotate(out, a, rad) { let a00 = a[0], a01 = a[1], a02 = a[2], a10 = a[3], a11 = a[4], a12 = a[5], a20 = a[6], a21 = a[7], a22 = a[8], @@ -382,7 +382,7 @@ * @param {vec2} v the vec2 to scale the matrix by * @returns {mat3} out **/ -export function scale(out, a, v) { +function scale(out, a, v) { let x = v[0], y = v[1]; out[0] = x * a[0]; @@ -410,7 +410,7 @@ * @param {vec2} v Translation vector * @returns {mat3} out */ -export function fromTranslation(out, v) { +function fromTranslation(out, v) { out[0] = 1; out[1] = 0; out[2] = 0; @@ -434,7 +434,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat3} out */ -export function fromRotation(out, rad) { +function fromRotation(out, rad) { let s = Math.sin(rad), c = Math.cos(rad); out[0] = c; @@ -462,7 +462,7 @@ * @param {vec2} v Scaling vector * @returns {mat3} out */ -export function fromScaling(out, v) { +function fromScaling(out, v) { out[0] = v[0]; out[1] = 0; out[2] = 0; @@ -484,7 +484,7 @@ * @param {mat2d} a the matrix to copy * @returns {mat3} out **/ -export function fromMat2d(out, a) { +function fromMat2d(out, a) { out[0] = a[0]; out[1] = a[1]; out[2] = 0; @@ -507,7 +507,7 @@ * * @returns {mat3} out */ -export function fromQuat(out, q) { +function fromQuat(out, q) { let x = q[0], y = q[1], z = q[2], w = q[3]; let x2 = x + x; let y2 = y + y; @@ -546,7 +546,7 @@ * * @returns {mat3} out */ -export function normalFromMat4(out, a) { +function normalFromMat4(out, a) { let a00 = a[0], a01 = a[1], a02 = a[2], a03 = a[3]; let a10 = a[4], a11 = a[5], a12 = a[6], a13 = a[7]; let a20 = a[8], a21 = a[9], a22 = a[10], a23 = a[11]; @@ -596,7 +596,7 @@ * @param {number} height Height of gl context * @returns {mat3} out */ -export function projection(out, width, height) { +function projection(out, width, height) { out[0] = 2 / width; out[1] = 0; out[2] = 0; @@ -615,7 +615,7 @@ * @param {mat3} a matrix to represent as a string * @returns {String} string representation of the matrix */ -export function str(a) { +function str(a) { return 'mat3(' + a[0] + ', ' + a[1] + ', ' + a[2] + ', ' + a[3] + ', ' + a[4] + ', ' + a[5] + ', ' + a[6] + ', ' + a[7] + ', ' + a[8] + ')'; @@ -627,7 +627,7 @@ * @param {mat3} a the matrix to calculate Frobenius norm of * @returns {Number} Frobenius norm */ -export function frob(a) { +function frob(a) { return(Math.sqrt(Math.pow(a[0], 2) + Math.pow(a[1], 2) + Math.pow(a[2], 2) + Math.pow(a[3], 2) + Math.pow(a[4], 2) + Math.pow(a[5], 2) + Math.pow(a[6], 2) + Math.pow(a[7], 2) + Math.pow(a[8], 2))) } @@ -639,7 +639,7 @@ * @param {mat3} b the second operand * @returns {mat3} out */ -export function add(out, a, b) { +function add(out, a, b) { out[0] = a[0] + b[0]; out[1] = a[1] + b[1]; out[2] = a[2] + b[2]; @@ -660,7 +660,7 @@ * @param {mat3} b the second operand * @returns {mat3} out */ -export function subtract(out, a, b) { +function subtract(out, a, b) { out[0] = a[0] - b[0]; out[1] = a[1] - b[1]; out[2] = a[2] - b[2]; @@ -683,7 +683,7 @@ * @param {Number} b amount to scale the matrix's elements by * @returns {mat3} out */ -export function multiplyScalar(out, a, b) { +function multiplyScalar(out, a, b) { out[0] = a[0] * b; out[1] = a[1] * b; out[2] = a[2] * b; @@ -705,7 +705,7 @@ * @param {Number} scale the amount to scale b's elements by before adding * @returns {mat3} out */ -export function multiplyScalarAndAdd(out, a, b, scale) { +function multiplyScalarAndAdd(out, a, b, scale) { out[0] = a[0] + (b[0] * scale); out[1] = a[1] + (b[1] * scale); out[2] = a[2] + (b[2] * scale); @@ -725,7 +725,7 @@ * @param {mat3} b The second matrix. * @returns {Boolean} True if the matrices are equal, false otherwise. */ -export function exactEquals(a, b) { +function exactEquals(a, b) { return a[0] === b[0] && a[1] === b[1] && a[2] === b[2] && a[3] === b[3] && a[4] === b[4] && a[5] === b[5] && a[6] === b[6] && a[7] === b[7] && a[8] === b[8]; @@ -738,7 +738,7 @@ * @param {mat3} b The second matrix. * @returns {Boolean} True if the matrices are equal, false otherwise. */ -export function equals(a, b) { +function equals(a, b) { let a0 = a[0], a1 = a[1], a2 = a[2], a3 = a[3], a4 = a[4], a5 = a[5], a6 = a[6], a7 = a[7], a8 = a[8]; let b0 = b[0], b1 = b[1], b2 = b[2], b3 = b[3], b4 = b[4], b5 = b[5], b6 = b[6], b7 = b[7], b8 = b[8]; return (Math.abs(a0 - b0) <= glMatrix.EPSILON*Math.max(1.0, Math.abs(a0), Math.abs(b0)) && @@ -756,10 +756,10 @@ * Alias for {@link mat3.multiply} * @function */ -export const mul = multiply; +const mul = multiply; /** * Alias for {@link mat3.subtract} * @function */ -export const sub = subtract; +const sub = subtract; diff -r -u gl-matrix-2.4.0/src/gl-matrix/mat4.js gl-matrix-2.4.0-pruned/src/gl-matrix/mat4.js --- gl-matrix-2.4.0/src/gl-matrix/mat4.js 2017-07-22 13:02:47.000000000 -0600 +++ gl-matrix-2.4.0-pruned/src/gl-matrix/mat4.js 2019-09-27 15:41:24.534735384 -0600 @@ -57,7 +57,7 @@ * @param {mat4} a matrix to clone * @returns {mat4} a new 4x4 matrix */ -export function clone(a) { +function clone(a) { let out = new glMatrix.ARRAY_TYPE(16); out[0] = a[0]; out[1] = a[1]; @@ -85,7 +85,7 @@ * @param {mat4} a the source matrix * @returns {mat4} out */ -export function copy(out, a) { +function copy(out, a) { out[0] = a[0]; out[1] = a[1]; out[2] = a[2]; @@ -126,7 +126,7 @@ * @param {Number} m33 Component in column 3, row 3 position (index 15) * @returns {mat4} A new mat4 */ -export function fromValues(m00, m01, m02, m03, m10, m11, m12, m13, m20, m21, m22, m23, m30, m31, m32, m33) { +function fromValues(m00, m01, m02, m03, m10, m11, m12, m13, m20, m21, m22, m23, m30, m31, m32, m33) { let out = new glMatrix.ARRAY_TYPE(16); out[0] = m00; out[1] = m01; @@ -169,7 +169,7 @@ * @param {Number} m33 Component in column 3, row 3 position (index 15) * @returns {mat4} out */ -export function set(out, m00, m01, m02, m03, m10, m11, m12, m13, m20, m21, m22, m23, m30, m31, m32, m33) { +function set(out, m00, m01, m02, m03, m10, m11, m12, m13, m20, m21, m22, m23, m30, m31, m32, m33) { out[0] = m00; out[1] = m01; out[2] = m02; @@ -223,7 +223,7 @@ * @param {mat4} a the source matrix * @returns {mat4} out */ -export function transpose(out, a) { +function transpose(out, a) { // If we are transposing ourselves we can skip a few steps but have to cache some values if (out === a) { let a01 = a[1], a02 = a[2], a03 = a[3]; @@ -325,7 +325,7 @@ * @param {mat4} a the source matrix * @returns {mat4} out */ -export function adjoint(out, a) { +function adjoint(out, a) { let a00 = a[0], a01 = a[1], a02 = a[2], a03 = a[3]; let a10 = a[4], a11 = a[5], a12 = a[6], a13 = a[7]; let a20 = a[8], a21 = a[9], a22 = a[10], a23 = a[11]; @@ -356,7 +356,7 @@ * @param {mat4} a the source matrix * @returns {Number} determinant of a */ -export function determinant(a) { +function determinant(a) { let a00 = a[0], a01 = a[1], a02 = a[2], a03 = a[3]; let a10 = a[4], a11 = a[5], a12 = a[6], a13 = a[7]; let a20 = a[8], a21 = a[9], a22 = a[10], a23 = a[11]; @@ -465,7 +465,7 @@ * @param {vec3} v the vec3 to scale the matrix by * @returns {mat4} out **/ -export function scale(out, a, v) { +function scale(out, a, v) { let x = v[0], y = v[1], z = v[2]; out[0] = a[0] * x; @@ -558,7 +558,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat4} out */ -export function rotateX(out, a, rad) { +function rotateX(out, a, rad) { let s = Math.sin(rad); let c = Math.cos(rad); let a10 = a[4]; @@ -601,7 +601,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat4} out */ -export function rotateY(out, a, rad) { +function rotateY(out, a, rad) { let s = Math.sin(rad); let c = Math.cos(rad); let a00 = a[0]; @@ -644,7 +644,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat4} out */ -export function rotateZ(out, a, rad) { +function rotateZ(out, a, rad) { let s = Math.sin(rad); let c = Math.cos(rad); let a00 = a[0]; @@ -721,7 +721,7 @@ * @param {vec3} v Scaling vector * @returns {mat4} out */ -export function fromScaling(out, v) { +function fromScaling(out, v) { out[0] = v[0]; out[1] = 0; out[2] = 0; @@ -800,7 +800,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat4} out */ -export function fromXRotation(out, rad) { +function fromXRotation(out, rad) { let s = Math.sin(rad); let c = Math.cos(rad); @@ -835,7 +835,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat4} out */ -export function fromYRotation(out, rad) { +function fromYRotation(out, rad) { let s = Math.sin(rad); let c = Math.cos(rad); @@ -870,7 +870,7 @@ * @param {Number} rad the angle to rotate the matrix by * @returns {mat4} out */ -export function fromZRotation(out, rad) { +function fromZRotation(out, rad) { let s = Math.sin(rad); let c = Math.cos(rad); @@ -909,7 +909,7 @@ * @param {vec3} v Translation vector * @returns {mat4} out */ -export function fromRotationTranslation(out, q, v) { +function fromRotationTranslation(out, q, v) { // Quaternion math let x = q[0], y = q[1], z = q[2], w = q[3]; let x2 = x + x; @@ -955,7 +955,7 @@ * @param {mat4} mat Matrix to be decomposed (input) * @return {vec3} out */ -export function getTranslation(out, mat) { +function getTranslation(out, mat) { out[0] = mat[12]; out[1] = mat[13]; out[2] = mat[14]; @@ -973,7 +973,7 @@ * @param {mat4} mat Matrix to be decomposed (input) * @return {vec3} out */ -export function getScaling(out, mat) { +function getScaling(out, mat) { let m11 = mat[0]; let m12 = mat[1]; let m13 = mat[2]; @@ -1000,7 +1000,7 @@ * @param {mat4} mat Matrix to be decomposed (input) * @return {quat} out */ -export function getRotation(out, mat) { +function getRotation(out, mat) { // Algorithm taken from http://www.euclideanspace.com/maths/geometry/rotations/conversions/matrixToQuaternion/index.htm let trace = mat[0] + mat[5] + mat[10]; let S = 0; @@ -1051,7 +1051,7 @@ * @param {vec3} s Scaling vector * @returns {mat4} out */ -export function fromRotationTranslationScale(out, q, v, s) { +function fromRotationTranslationScale(out, q, v, s) { // Quaternion math let x = q[0], y = q[1], z = q[2], w = q[3]; let x2 = x + x; @@ -1111,7 +1111,7 @@ * @param {vec3} o The origin vector around which to scale and rotate * @returns {mat4} out */ -export function fromRotationTranslationScaleOrigin(out, q, v, s, o) { +function fromRotationTranslationScaleOrigin(out, q, v, s, o) { // Quaternion math let x = q[0], y = q[1], z = q[2], w = q[3]; let x2 = x + x; @@ -1164,7 +1164,7 @@ * * @returns {mat4} out */ -export function fromQuat(out, q) { +function fromQuat(out, q) { let x = q[0], y = q[1], z = q[2], w = q[3]; let x2 = x + x; let y2 = y + y; @@ -1248,7 +1248,7 @@ * @param {number} far Far bound of the frustum * @returns {mat4} out */ -export function perspective(out, fovy, aspect, near, far) { +function perspective(out, fovy, aspect, near, far) { let f = 1.0 / Math.tan(fovy / 2); let nf = 1 / (near - far); out[0] = f / aspect; @@ -1281,7 +1281,7 @@ * @param {number} far Far bound of the frustum * @returns {mat4} out */ -export function perspectiveFromFieldOfView(out, fov, near, far) { +function perspectiveFromFieldOfView(out, fov, near, far) { let upTan = Math.tan(fov.upDegrees * Math.PI/180.0); let downTan = Math.tan(fov.downDegrees * Math.PI/180.0); let leftTan = Math.tan(fov.leftDegrees * Math.PI/180.0); @@ -1352,7 +1352,7 @@ * @param {vec3} up vec3 pointing up * @returns {mat4} out */ -export function lookAt(out, eye, center, up) { +function lookAt(out, eye, center, up) { let x0, x1, x2, y0, y1, y2, z0, z1, z2, len; let eyex = eye[0]; let eyey = eye[1]; @@ -1439,7 +1439,7 @@ * @param {vec3} up vec3 pointing up * @returns {mat4} out */ -export function targetTo(out, eye, target, up) { +function targetTo(out, eye, target, up) { let eyex = eye[0], eyey = eye[1], eyez = eye[2], @@ -1488,7 +1488,7 @@ * @param {mat4} a matrix to represent as a string * @returns {String} string representation of the matrix */ -export function str(a) { +function str(a) { return 'mat4(' + a[0] + ', ' + a[1] + ', ' + a[2] + ', ' + a[3] + ', ' + a[4] + ', ' + a[5] + ', ' + a[6] + ', ' + a[7] + ', ' + a[8] + ', ' + a[9] + ', ' + a[10] + ', ' + a[11] + ', ' + @@ -1501,7 +1501,7 @@ * @param {mat4} a the matrix to calculate Frobenius norm of * @returns {Number} Frobenius norm */ -export function frob(a) { +function frob(a) { return(Math.sqrt(Math.pow(a[0], 2) + Math.pow(a[1], 2) + Math.pow(a[2], 2) + Math.pow(a[3], 2) + Math.pow(a[4], 2) + Math.pow(a[5], 2) + Math.pow(a[6], 2) + Math.pow(a[7], 2) + Math.pow(a[8], 2) + Math.pow(a[9], 2) + Math.pow(a[10], 2) + Math.pow(a[11], 2) + Math.pow(a[12], 2) + Math.pow(a[13], 2) + Math.pow(a[14], 2) + Math.pow(a[15], 2) )) } @@ -1513,7 +1513,7 @@ * @param {mat4} b the second operand * @returns {mat4} out */ -export function add(out, a, b) { +function add(out, a, b) { out[0] = a[0] + b[0]; out[1] = a[1] + b[1]; out[2] = a[2] + b[2]; @@ -1541,7 +1541,7 @@ * @param {mat4} b the second operand * @returns {mat4} out */ -export function subtract(out, a, b) { +function subtract(out, a, b) { out[0] = a[0] - b[0]; out[1] = a[1] - b[1]; out[2] = a[2] - b[2]; @@ -1569,7 +1569,7 @@ * @param {Number} b amount to scale the matrix's elements by * @returns {mat4} out */ -export function multiplyScalar(out, a, b) { +function multiplyScalar(out, a, b) { out[0] = a[0] * b; out[1] = a[1] * b; out[2] = a[2] * b; @@ -1598,7 +1598,7 @@ * @param {Number} scale the amount to scale b's elements by before adding * @returns {mat4} out */ -export function multiplyScalarAndAdd(out, a, b, scale) { +function multiplyScalarAndAdd(out, a, b, scale) { out[0] = a[0] + (b[0] * scale); out[1] = a[1] + (b[1] * scale); out[2] = a[2] + (b[2] * scale); @@ -1625,7 +1625,7 @@ * @param {mat4} b The second matrix. * @returns {Boolean} True if the matrices are equal, false otherwise. */ -export function exactEquals(a, b) { +function exactEquals(a, b) { return a[0] === b[0] && a[1] === b[1] && a[2] === b[2] && a[3] === b[3] && a[4] === b[4] && a[5] === b[5] && a[6] === b[6] && a[7] === b[7] && a[8] === b[8] && a[9] === b[9] && a[10] === b[10] && a[11] === b[11] && @@ -1639,7 +1639,7 @@ * @param {mat4} b The second matrix. * @returns {Boolean} True if the matrices are equal, false otherwise. */ -export function equals(a, b) { +function equals(a, b) { let a0 = a[0], a1 = a[1], a2 = a[2], a3 = a[3]; let a4 = a[4], a5 = a[5], a6 = a[6], a7 = a[7]; let a8 = a[8], a9 = a[9], a10 = a[10], a11 = a[11]; @@ -1672,10 +1672,10 @@ * Alias for {@link mat4.multiply} * @function */ -export const mul = multiply; +const mul = multiply; /** * Alias for {@link mat4.subtract} * @function */ -export const sub = subtract; +const sub = subtract; diff -r -u gl-matrix-2.4.0/src/gl-matrix.js gl-matrix-2.4.0-pruned/src/gl-matrix.js --- gl-matrix-2.4.0/src/gl-matrix.js 2017-07-22 13:02:47.000000000 -0600 +++ gl-matrix-2.4.0-pruned/src/gl-matrix.js 2019-09-27 17:04:06.477164503 -0600 @@ -26,19 +26,9 @@ THE SOFTWARE. */ // END HEADER -import * as glMatrix from "./gl-matrix/common"; -import * as mat2 from "./gl-matrix/mat2"; -import * as mat2d from "./gl-matrix/mat2d"; import * as mat3 from "./gl-matrix/mat3"; import * as mat4 from "./gl-matrix/mat4"; -import * as quat from "./gl-matrix/quat"; -import * as vec2 from "./gl-matrix/vec2"; -import * as vec3 from "./gl-matrix/vec3"; -import * as vec4 from "./gl-matrix/vec4"; export { - glMatrix, - mat2, mat2d, mat3, mat4, - quat, - vec2, vec3, vec4, -}; \ No newline at end of file + mat3,mat4 +}; asymptote-2.62/patches/gc-7.0nomem.patch0000644000000000000000000000075113607467113016600 0ustar rootroot*** gc_hdrs.h.orig Tue Jun 5 14:01:25 2007 --- gc_hdrs.h Thu Oct 18 14:32:03 2007 *************** *** 112,119 **** hhdr = hce -> hce_hdr; \ } else { \ hhdr = HEADER_CACHE_MISS(p, hce, source); \ - if (0 == hhdr) goto exit_label; \ } \ } typedef struct bi { --- 112,119 ---- hhdr = hce -> hce_hdr; \ } else { \ hhdr = HEADER_CACHE_MISS(p, hce, source); \ } \ + if (0 == hhdr) goto exit_label; \ } typedef struct bi { asymptote-2.62/patches/gc6.8_AIX.patch0000644000000000000000000000041713607467113016176 0ustar rootroot*** gc.h.orig Fri Jul 7 18:10:16 2006 --- gc.h Mon Feb 12 12:30:48 2007 *************** *** 981 **** ! # define GC_INIT() { GC_add_roots(GC_DATASTART, GC_DATAEND); } --- 981 ---- ! # define GC_INIT() { GC_add_roots((char *) GC_DATASTART, (char *) GC_DATAEND); } asymptote-2.62/patches/flex.patch0000644000000000000000000000276413607467113015615 0ustar rootrootdiff -u flex-2.5.39/gen.c flex-2.5.39J/gen.c --- flex-2.5.39/gen.c 2014-03-26 06:46:44.000000000 -0600 +++ flex-2.5.39J/gen.c 2014-04-26 10:52:30.962073096 -0600 @@ -55,6 +55,14 @@ * 0 elements of its arrays, too.) */ +static const char *get_yy_char_decl (void) +{ + return (gentables) + ? "static yyconst YY_CHAR %s[%d] =\n { 0,\n" + : "static yyconst YY_CHAR * %s = 0;\n"; +} + + static const char *get_int16_decl (void) { return (gentables) @@ -465,7 +473,7 @@ register int i, j; int numrows; - out_str_dec (get_int32_decl (), "yy_ec", csize); + out_str_dec (get_yy_char_decl (), "yy_ec", csize); for (i = 1; i < csize; ++i) { ecgroup[i] = ABS (ecgroup[i]); @@ -1271,7 +1279,7 @@ fputs (_("\n\nMeta-Equivalence Classes:\n"), stderr); - out_str_dec (get_int32_decl (), "yy_meta", numecs + 1); + out_str_dec (get_yy_char_decl (), "yy_meta", numecs + 1); buf_prints (&yydmap_buf, "\t{YYTD_ID_META, (void**)&yy_meta, sizeof(%s)},\n", "flex_int32_t"); @@ -1516,11 +1524,11 @@ if (yymore_used && !yytext_is_array) { indent_puts ("YY_G(yytext_ptr) -= YY_G(yy_more_len); \\"); indent_puts - ("yyleng = (size_t) (yy_cp - YY_G(yytext_ptr)); \\"); + ("yyleng = (int) (yy_cp - YY_G(yytext_ptr)); \\"); } else - indent_puts ("yyleng = (size_t) (yy_cp - yy_bp); \\"); + indent_puts ("yyleng = (int) (yy_cp - yy_bp); \\"); /* Now also deal with copying yytext_ptr to yytext if needed. */ skelout (); /* %% [3.0] - break point in skel */ asymptote-2.62/patches/gcc3.3.2curses.patch0000644000000000000000000000047613607467113017222 0ustar rootroot*** curses.h.orig Sun Feb 11 21:43:36 2007 --- curses.h Sun Feb 11 21:43:21 2007 *************** *** 1302 **** ! #if defined(__USE_FIXED_PROTOTYPES__) || defined(__cplusplus) || defined (__STRICT_ANSI__) --- 1302 ---- ! #if 0 && (defined(__USE_FIXED_PROTOTYPES__) || defined(__cplusplus) || defined (__STRICT_ANSI__)) asymptote-2.62/rounding.h0000644000000000000000000000674113607467113014204 0ustar rootroot/* GTS - Library for the manipulation of triangulated surfaces * Copyright (C) 1999 Stéphane Popinet * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU Library General Public * License as published by the Free Software Foundation; either * version 2 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 * Library General Public License for more details. * * You should have received a copy of the GNU Library 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. */ #ifdef HAVE_CONFIG_H #include "config.h" #endif #ifdef HAVE_FPU_CONTROL_H # include # ifdef _FPU_EXTENDED # if !defined(__alpha__) || !defined(__GLIBC__) # if defined(__arm__) static fpu_control_t fpu_round_double = _FPU_DEFAULT; # else static fpu_control_t fpu_round_double = (_FPU_DEFAULT & ~ _FPU_EXTENDED)|_FPU_DOUBLE; # endif static fpu_control_t fpu_init; # define FPU_ROUND_DOUBLE { _FPU_GETCW(fpu_init);\ _FPU_SETCW(fpu_round_double); } # define FPU_RESTORE {_FPU_SETCW(fpu_init);} # else /* __alpha__ && __GLIBC__ */ # define FPU_ROUND_DOUBLE # define FPU_RESTORE # endif /* __alpha__ && __GLIBC__ */ # else /* not FPU_EXTENDED */ # define FPU_ROUND_DOUBLE # define FPU_RESTORE # endif /* not FPU_EXTENDED */ #else /* not HAVE_FPU_CONTROL_H */ # ifdef __FreeBSD__ # include # define FPU_ROUND_DOUBLE (fpsetprec(FP_PD)) # define FPU_RESTORE (fpsetprec(FP_PE)) # else /* not __FreeBSD__ */ # ifdef WIN32 # ifdef _MSC_VER # include static unsigned int fpu_init; # define FPU_ROUND_DOUBLE (fpu_init = _controlfp (0, 0),\ _controlfp (_PC_53, MCW_PC)) # define FPU_RESTORE (_controlfp (fpu_init, 0xfffff)) # elif __MINGW32__ # include static unsigned int fpu_init; # define FPU_ROUND_DOUBLE (fpu_init = _controlfp (0, 0),\ _controlfp (_PC_53, _MCW_PC)) # define FPU_RESTORE (_controlfp (fpu_init, 0xfffff)) # else /* not _MSC_VER or __MINGW32__ */ # error "You need MSVC or MinGW for the Win32 version" # endif /* not _MSC_VER or __MINGW32__ */ # else /* not WIN32 */ # ifdef __CYGWIN__ typedef unsigned int fpu_control_t __attribute__ ((__mode__ (__HI__))); static fpu_control_t fpu_round_double = 0x027f; static fpu_control_t fpu_init; # define _FPU_GETCW(cw) __asm__ ("fnstcw %0" : "=m" (*&cw)) # define _FPU_SETCW(cw) __asm__ ("fldcw %0" : : "m" (*&cw)) # define FPU_ROUND_DOUBLE { _FPU_GETCW(fpu_init);\ _FPU_SETCW(fpu_round_double); } # define FPU_RESTORE { _FPU_SETCW(fpu_init);} # else /* not __CYGWIN__ */ # ifdef CPP_HAS_WARNING # warning "Unknown CPU: assuming default double precision rounding" # endif /* CPP_HAS_WARNING */ # define FPU_ROUND_DOUBLE # define FPU_RESTORE # endif /* not __CYGWIN__ */ # endif /* not WIN32 */ # endif /* not __FreeBSD__ */ #endif /* not HAVE_FPU_CONTROL_H */ asymptote-2.62/access.cc0000644000000000000000000000635513607467113013757 0ustar rootroot/***** * access.cc * Andy Hammerlindl 2003/12/03 * Describes an "access," a representation of where a variable will be * stored at runtime, so that read, write, and call instructions can be * made. *****/ #include "access.h" #include "frame.h" #include "coder.h" #include "callable.h" using vm::item; namespace trans { /* access */ access::~access() {} /* identAccess */ void identAccess::encode(action act, position pos, coder& e) { if (act != CALL) { access::encode(act, pos, e); } // else - do nothing } /* bltinAccess */ static void bltinError(position pos) { em.error(pos); em << "built-in functions cannot be modified"; } void bltinAccess::encode(action act, position pos, coder &e) { switch (act) { case READ: e.encode(inst::constpush,(item)(vm::callable*)new vm::bfunc(f)); break; case WRITE: bltinError(pos); break; case CALL: e.encode(inst::builtin, f); break; } } void bltinAccess::encode(action act, position pos, coder &e, frame *) { e.encode(inst::pop); encode(act, pos, e); } /* callableAccess */ void callableAccess::encode(action act, position pos, coder &e) { switch (act) { case READ: e.encode(inst::constpush, (item)f); break; case WRITE: bltinError(pos); break; case CALL: this->encode(READ, pos, e); e.encode(inst::popcall); break; } } void callableAccess::encode(action act, position pos, coder &e, frame *) { e.encode(inst::pop); encode(act, pos, e); } /* frameAccess */ void frameAccess::encode(action act, position pos, coder &e) { if (act == READ) { if (!e.encode(f)) { em.compiler(pos); em << "encoding frame out of context"; } } else access::encode(act, pos, e); } void frameAccess::encode(action act, position pos, coder &e, frame *top) { if (act == READ) { if (!e.encode(f, top)) { em.compiler(pos); em << "encoding frame out of context"; } } else access::encode(act, pos, e, top); } /* localAccess */ static void frameError(position pos) { // A local variable is being used when its frame is not active. em.error(pos); em << "static use of dynamic variable"; } void localAccess::encode(action act, position pos, coder &e) { // Get the active frame of the virtual machine. frame *active = e.getFrame(); if (level == active) { e.encode(act == WRITE ? inst::varsave : inst::varpush, offset); } else if (e.encode(level)) { e.encode(act == WRITE ? inst::fieldsave : inst::fieldpush, offset); } else { frameError(pos); } if (act == CALL) e.encode(inst::popcall); } void localAccess::encode(action act, position pos, coder &e, frame *top) { if (e.encode(level,top)) { e.encode(act == WRITE ? inst::fieldsave : inst::fieldpush, offset); if (act == CALL) e.encode(inst::popcall); } else { frameError(pos); } } void qualifiedAccess::encode(action act, position pos, coder &e) { qualifier->encode(READ, pos, e); field->encode(act, pos, e, qualifierLevel); } void qualifiedAccess::encode(action act, position pos, coder &e, frame *top) { qualifier->encode(READ, pos, e, top); field->encode(act, pos, e, qualifierLevel); } } // namespace trans asymptote-2.62/absyn.h0000644000000000000000000000200613607467113013461 0ustar rootroot/**** * absyn.h * Andy Hammerlindl 2002/07/14 * * Defines the basic types of abstract syntax objects using forward * class declarations. *****/ #ifndef ABSYN_H #define ABSYN_H #include "common.h" #include "errormsg.h" // For position // Forward declaration for markPos. namespace trans { class coenv; } namespace absyntax { class absyn : public gc { protected: const position pos; void markPos(trans::coenv& c); public: absyn(position pos) : pos(pos) {} virtual ~absyn(); position getPos() const { return pos; } virtual void prettyprint(ostream &out, Int indent) = 0; private: // Non-copyable void operator=(const absyn&); absyn(const absyn&); }; void prettyindent(ostream &out, Int indent); void prettyname(ostream &out, string name, Int indent); class name; class ty; class varinit; class exp; class runnable; class stm; class dec; class block; typedef block file; // This is the abstract syntax tree of a file, assigned to when running // yyparse. extern file *root; } #endif asymptote-2.62/getopt1.c0000644000000000000000000001065013607467113013727 0ustar rootroot/* getopt_long and getopt_long_only entry points for GNU getopt. Copyright (C) 1987,88,89,90,91,92,93,94,96,97,98 Free Software Foundation, Inc. This file is part of the GNU C Library. The GNU C 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. The GNU C 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 the GNU C Library; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA. */ #ifdef HAVE_CONFIG_H #include #endif #include "getopt.h" #if !defined __STDC__ || !__STDC__ /* This is a separate conditional since some stdc systems reject `defined (const)'. */ #ifndef const #define const #endif #endif #include /* Comment out all this code if we are using the GNU C Library, and are not actually compiling the library itself. This code is part of the GNU C Library, but also included in many other GNU distributions. Compiling and linking in this code is a waste when using the GNU C library (especially if it is a shared library). Rather than having every GNU program understand `configure --with-gnu-libc' and omit the object files, it is simpler to just do this in the source for each such file. */ #define GETOPT_INTERFACE_VERSION 2 #if !defined _LIBC && defined __GLIBC__ && __GLIBC__ >= 2 #include #if _GNU_GETOPT_INTERFACE_VERSION == GETOPT_INTERFACE_VERSION #define ELIDE_CODE #endif #endif #ifndef ELIDE_CODE /* This needs to come after some library #include to get __GNU_LIBRARY__ defined. */ #ifdef __GNU_LIBRARY__ #include #endif #ifndef NULL #define NULL 0 #endif int getopt_long (argc, argv, options, long_options, opt_index) int argc; char *const *argv; const char *options; const struct option *long_options; int *opt_index; { return _getopt_internal (argc, argv, options, long_options, opt_index, 0); } /* Like getopt_long, but '-' as well as '--' can indicate a long option. If an option that starts with '-' (not '--') doesn't match a long option, but does match a short option, it is parsed as a short option instead. */ int getopt_long_only (argc, argv, options, long_options, opt_index) int argc; char *const *argv; const char *options; const struct option *long_options; int *opt_index; { return _getopt_internal (argc, argv, options, long_options, opt_index, 1); } #endif /* Not ELIDE_CODE. */ #ifdef TEST #include int main (argc, argv) int argc; char **argv; { int c; int digit_optind = 0; while (1) { int this_option_optind = optind ? optind : 1; int option_index = 0; static struct option long_options[] = { {"add", 1, 0, 0}, {"append", 0, 0, 0}, {"delete", 1, 0, 0}, {"verbose", 0, 0, 0}, {"create", 0, 0, 0}, {"file", 1, 0, 0}, {0, 0, 0, 0} }; c = getopt_long (argc, argv, "abc:d:0123456789", long_options, &option_index); if (c == -1) break; switch (c) { case 0: printf ("option %s", long_options[option_index].name); if (optarg) printf (" with arg %s", optarg); printf ("\n"); break; case '0': case '1': case '2': case '3': case '4': case '5': case '6': case '7': case '8': case '9': if (digit_optind != 0 && digit_optind != this_option_optind) printf ("digits occur in two different argv-elements.\n"); digit_optind = this_option_optind; printf ("option %c\n", c); break; case 'a': printf ("option a\n"); break; case 'b': printf ("option b\n"); break; case 'c': printf ("option c with value `%s'\n", optarg); break; case 'd': printf ("option d with value `%s'\n", optarg); break; case '?': break; default: printf ("?? getopt returned character code 0%o ??\n", c); } } if (optind < argc) { printf ("non-option ARGV-elements: "); while (optind < argc) printf ("%s ", argv[optind++]); printf ("\n"); } exit (0); } #endif /* TEST */ asymptote-2.62/jsfile.cc0000644000000000000000000001643513607467113013772 0ustar rootroot#include "jsfile.h" #include "settings.h" #include "glrender.h" #include "drawelement.h" #ifdef HAVE_LIBGLM using namespace settings; namespace camp { void jsfile::copy(string name) { std::ifstream fin(locateFile(name).c_str()); string s; while(getline(fin,s)) out << s << newl; } void jsfile::open(string name) { out.open(name); out << "" << newl << newl; out << "" << newl << newl; out.precision(getSetting("digits")); out << "" << newl << newl << "" << newl << "" << stripExt(name) << "" << newl << newl << "" << newl << "" << newl << newl; if(getSetting("offline")) { out << "" << newl; } else { out << "("asygl") << "\">" << newl << "" << newl; } out << "" << newl << newl << "" << newl << newl << "" << newl << "" << newl << "" << newl << "" << newl << newl << "" << newl; } void jsfile::addColor(const prc::RGBAColour& c) { out << "[" << byte(c.R) << "," << byte(c.G) << "," << byte(c.B) << "," << byte(c.A) << "]"; } void jsfile::addIndices(const uint32_t *I) { out << "[" << I[0] << "," << I[1] << "," << I[2] << "]"; } bool distinct(const uint32_t *I, const uint32_t *J) { return I[0] != J[0] || I[1] != J[1] || I[2] != J[2]; } void jsfile::addPatch(triple const* controls, size_t n, const triple& Min, const triple& Max, const prc::RGBAColour *c, size_t nc) { out << "P.push(new BezierPatch([" << newl; size_t last=n-1; for(size_t i=0; i < last; ++i) out << controls[i] << "," << newl; out << controls[last] << newl << "]," << drawElement::centerIndex << "," << materialIndex << "," << Min << "," << Max; if(c) { out << ",[" << newl; for(size_t i=0; i < nc; ++i) { addColor(c[i]); out << "," << newl; } out << "]"; } out << "));" << newl << newl; } void jsfile::addCurve(const triple& z0, const triple& c0, const triple& c1, const triple& z1, const triple& Min, const triple& Max) { out << "P.push(new BezierCurve([" << newl; out << z0 << "," << newl << c0 << "," << newl << c1 << "," << newl << z1 << newl << "]," << drawElement::centerIndex << "," << materialIndex << "," << Min << "," << Max << "));" << newl << newl; } void jsfile::addCurve(const triple& z0, const triple& z1, const triple& Min, const triple& Max) { out << "P.push(new BezierCurve([" << newl; out << z0 << "," << newl << z1 << newl << "]," << drawElement::centerIndex << "," << materialIndex << "," << Min << "," << Max << "));" << newl << newl; } void jsfile::addPixel(const triple& z0, double width, const triple& Min, const triple& Max) { out << "P.push(new Pixel(" << newl; out << z0 << "," << width << "," << newl << materialIndex << "," << Min << "," << Max << "));" << newl << newl; } void jsfile::addMaterial(size_t index) { out << "Materials.push(new Material(" << newl << material[index] << "));" << newl << newl; } void jsfile::addTriangles(size_t nP, const triple* P, size_t nN, const triple* N, size_t nC, const prc::RGBAColour* C, size_t nI, const uint32_t (*PI)[3], const uint32_t (*NI)[3], const uint32_t (*CI)[3], const triple& Min, const triple& Max) { for(size_t i=0; i < nP; ++i) out << "Positions.push(" << P[i] << ");" << newl; for(size_t i=0; i < nN; ++i) out << "Normals.push(" << N[i] << ");" << newl; for(size_t i=0; i < nC; ++i) { out << "Colors.push("; addColor(C[i]); out << ");" << newl; } for(size_t i=0; i < nI; ++i) { out << "Indices.push(["; const uint32_t *PIi=PI[i]; const uint32_t *NIi=NI[i]; bool keepNI=distinct(NIi,PIi); bool keepCI=nC && distinct(CI[i],PIi); addIndices(PIi); if(keepNI || keepCI) { out << ","; if(keepNI) addIndices(NIi); } if(keepCI) { out << ","; addIndices(CI[i]); } out << "]);" << newl; } out << "P.push(new Triangles(" << materialIndex << "," << newl << Min << "," << Max << "));" << newl; out << newl; } } #endif asymptote-2.62/xstream.h0000644000000000000000000001500513607467113014033 0ustar rootroot/* C++ interface to the XDR External Data Representation I/O routines Version 1.46 Copyright (C) 1999-2007 John C. Bowman This program 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 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 Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program; if not, write to the Free Software Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA. */ #ifndef __xstream_h__ #define __xstream_h__ 1 #ifndef _ALL_SOURCE #define _ALL_SOURCE 1 #endif #include #include #include #define quad_t long long #define u_quad_t unsigned long long #if defined(__CYGWIN__) || defined(__FreeBSD__) #include #define u_char unsigned char #define u_int unsigned int #define u_short unsigned short #define u_long unsigned long extern "C" int fseeko(FILE *, off_t, int); extern "C" off_t ftello(FILE *); #endif #ifdef __APPLE__ #include extern bool_t xdr_long(XDR *__xdrs, long *__lp); extern bool_t xdr_u_long(XDR *__xdrs, u_long *__ulp); #endif #ifdef _POSIX_SOURCE #undef _POSIX_SOURCE #include #define _POSIX_SOURCE #else #include #endif namespace xdr { class xbyte { unsigned char c; public: xbyte() {} xbyte(unsigned char c0) : c(c0) {} xbyte(int c0) : c((unsigned char) c0) {} xbyte(unsigned int c0) : c((unsigned char) c0) {} int byte() const {return c;} operator unsigned char () const {return c;} }; class xios { public: enum io_state {goodbit=0, eofbit=1, failbit=2, badbit=4}; enum open_mode {in=1, out=2, app=8, trunc=16}; enum seekdir {beg=SEEK_SET, cur=SEEK_CUR, end=SEEK_END}; private: int _state; public: int good() const { return _state == 0; } int eof() const { return _state & eofbit; } int fail() const { return !good();} int bad() const { return _state & badbit; } void clear(int state = 0) {_state=state;} void set(int flag) {_state |= flag;} operator void*() const { return fail() ? (void*)0 : (void*)(-1); } int operator!() const { return fail(); } }; class xstream : public xios { protected: FILE *buf; public: virtual ~xstream() {} xstream() {buf=NULL;} void precision(int) {} xstream& seek(off_t pos, seekdir dir=beg) { if(buf) { clear(); if(fseeko(buf,pos,dir) != 0) set(failbit); } return *this; } off_t tell() { return ftello(buf); } }; #define IXSTREAM(T,N) ixstream& operator >> (T& x) \ {if(!xdr_##N(&xdri, &x)) set(eofbit); return *this;} #define OXSTREAM(T,N) oxstream& operator << (T x) \ {if(!xdr_##N(&xdro, &x)) set(badbit); return *this;} class ixstream : virtual public xstream { protected: XDR xdri; public: void open(const char *filename, open_mode=in) { clear(); buf=fopen(filename,"r"); if(buf) xdrstdio_create(&xdri,buf,XDR_DECODE); else set(badbit); } void close() { if(buf) { #ifndef _CRAY xdr_destroy(&xdri); #endif fclose(buf); buf=NULL; } } ixstream() {} ixstream(const char *filename) {open(filename);} ixstream(const char *filename, open_mode mode) {open(filename,mode);} virtual ~ixstream() {close();} typedef ixstream& (*imanip)(ixstream&); ixstream& operator >> (imanip func) { return (*func)(*this); } IXSTREAM(int,int); IXSTREAM(unsigned int,u_int); IXSTREAM(long,long); IXSTREAM(unsigned long,u_long); IXSTREAM(long long,longlong_t); IXSTREAM(unsigned long long,u_longlong_t); IXSTREAM(short,short); IXSTREAM(unsigned short,u_short); IXSTREAM(char,char); #ifndef _CRAY IXSTREAM(unsigned char,u_char); #endif IXSTREAM(float,float); IXSTREAM(double,double); ixstream& operator >> (xbyte& x) { x=fgetc(buf); if(x.byte() == EOF) set(eofbit); return *this; } }; class oxstream : virtual public xstream { protected: XDR xdro; public: void open(const char *filename, open_mode mode=trunc) { clear(); buf=fopen(filename,(mode & app) ? "a" : "w"); if(buf) xdrstdio_create(&xdro,buf,XDR_ENCODE); else set(badbit); } void close() { if(buf) { #ifndef _CRAY xdr_destroy(&xdro); #endif fclose(buf); buf=NULL; } } oxstream() {} oxstream(const char *filename) {open(filename);} oxstream(const char *filename, open_mode mode) {open(filename,mode);} virtual ~oxstream() {close();} oxstream& flush() {if(buf) fflush(buf); return *this;} typedef oxstream& (*omanip)(oxstream&); oxstream& operator << (omanip func) { return (*func)(*this); } OXSTREAM(int,int); OXSTREAM(unsigned int,u_int); OXSTREAM(long,long); OXSTREAM(unsigned long,u_long); OXSTREAM(long long,longlong_t); OXSTREAM(unsigned long long,u_longlong_t); OXSTREAM(short,short); OXSTREAM(unsigned short,u_short); OXSTREAM(char,char); #ifndef _CRAY OXSTREAM(unsigned char,u_char); #endif OXSTREAM(float,float); OXSTREAM(double,double); oxstream& operator << (xbyte x) { if(fputc(x.byte(),buf) == EOF) set(badbit); return *this; } }; class ioxstream : public ixstream, public oxstream { public: void open(const char *filename, open_mode mode=out) { clear(); if(mode & app) buf=fopen(filename,"a+"); else if(mode & trunc) buf=fopen(filename,"w+"); else if(mode & out) { buf=fopen(filename,"r+"); if(!buf) buf=fopen(filename,"w+"); } else buf=fopen(filename,"r"); if(buf) { xdrstdio_create(&xdri,buf,XDR_DECODE); xdrstdio_create(&xdro,buf,XDR_ENCODE); } else set(badbit); } void close() { if(buf) { #ifndef _CRAY xdr_destroy(&xdri); xdr_destroy(&xdro); #endif fclose(buf); buf=NULL; } } ioxstream() {} ioxstream(const char *filename) {open(filename);} ioxstream(const char *filename, open_mode mode) {open(filename,mode);} virtual ~ioxstream() {close();} }; inline oxstream& endl(oxstream& s) {s.flush(); return s;} inline oxstream& flush(oxstream& s) {s.flush(); return s;} #undef IXSTREAM #undef OXSTREAM } #undef quad_t #endif asymptote-2.62/configure.ac0000644000000000000000000003443513607467113014475 0ustar rootroot# -*- Autoconf -*- # Run autoheader and autoconf to produce a header and configure script from # this file. AC_PREREQ(2) AC_INIT([Asymptote],[2.62],[http://sourceforge.net/projects/asymptote]) VERSION=$PACKAGE_VERSION AC_SUBST(VERSION) m4_include([ax_pthread.m4]) test "$CXXFLAGS" || CXXFLAGS="-std=c++11" test "$CFLAGS" || CFLAGS="-g -O3" AC_C_BIGENDIAN AC_CANONICAL_HOST test "$prefix" = NONE && prefix=/usr/local Datadir=$datadir test "$Datadir" = '${datarootdir}' && Datadir=$datarootdir test "$Datadir" = '${prefix}/share' && Datadir=$prefix/share AC_SUBST(Datadir) AC_ARG_WITH(latex, [AS_HELP_STRING(--with-latex=PATH, specify path to LaTeX installation)], [if test "x$withval" != "x" ; then latexdir=$withval fi ],[ AC_CHECK_PROG(kpsewhich,kpsewhich,true) if test "x$kpsewhich" = "xtrue"; then latexdir=`kpsewhich -expand-var='$TEXMFLOCAL'/tex/latex` else latexdir=$prefix/share/texmf/tex/latex AC_CHECK_FILE($latexdir/base/latex.ltx,, [latexdir=/usr/share/texmf/tex/latex AC_CHECK_FILE($latexdir/base/latex.ltx,,)]) fi ]) AC_ARG_WITH(context, [AS_HELP_STRING(--with-context=PATH, specify path to ConTeXt installation)], [if test "x$withval" != "x" ; then contextdir=$withval fi ],[ AC_CHECK_PROG(kpsewhich,kpsewhich,true) if test "x$kpsewhich" = "xtrue"; then contextdir=`kpsewhich -expand-var='$TEXMFLOCAL'/tex/context/third` else contextdir=$prefix/share/texmf/tex/context/third fi ]) AC_CHECK_PROGS(TEXI2DVI,[texi2dvi], [@echo \*\*\*\*\*\*\*\*\*\* Please install texi2dvi or put http://asymptote.sourceforge.net/asymptote.pdf in the doc directory: cannot execute texi2dvi]) AC_SUBST(TEXI2DVI) latexdir=$latexdir/asymptote contextdir=$contextdir/asymptote AC_MSG_NOTICE([Using $latexdir for LaTeX style file]) AC_MSG_NOTICE([Using $contextdir for ConTeXT style file]) AC_SUBST(latexdir) AC_SUBST(contextdir) docdir=$Datadir/doc/asymptote AC_ARG_WITH(docdir, [AS_HELP_STRING(--with-docdir=PATH, alternate documentation installation directory)], [if test "x$withval" != "x" ; then docdir=$withval fi ]) AC_SUBST(docdir) sysdir=$Datadir/asymptote AC_ARG_ENABLE(texlive-build, [AS_HELP_STRING(--enable-texlive-build, automatically determine sysdir from kpsewhich)], [ if test "x$enableval" = "xyes" ; then sysdir="" fi ]) AC_DEFINE_UNQUOTED(ASYMPTOTE_SYSDIR,"$sysdir", [System directory for global .asy files]) AC_DEFINE_UNQUOTED(ASYMPTOTE_DOCDIR,"$docdir", [Directory for documentation]) AC_CONFIG_SRCDIR([absyn.cc]) AC_LANG([C++]) # Checks for programs. AC_PROG_LEX AC_PROG_CXX AC_PROG_INSTALL AC_PROG_CC AC_PROG_MAKE_SET AC_PROG_YACC if test "$GXX" = yes ; then ac_gcc_version=`echo __GNUC__ | $CC -E - | grep -v ^\#` ac_clang=`echo __clang__ | $CC -E - | grep -v ^\#` if test "$ac_gcc_version" -lt 4; then CFLAGS=$CFLAGS" -finline-limit=400" else if test "$ac_clang" != 1; then CFLAGS=$CFLAGS" -fno-var-tracking" fi fi fi AC_DEFUN([DEFINE],[ Define to 1 if you have $1. ]) AC_DEFUN([DEFINE_LIB],[ Define to 1 if you have the `$1' library (-l$1). ]) AC_CHECK_HEADER(tr1/unordered_map) AC_COMPILE_IFELSE([AC_LANG_PROGRAM( [#include ] [std::tr1::unordered_map map;] )], AC_DEFINE(HAVE_TR1_UNORDERED_MAP,1, DEFINE([])), [ AC_CHECK_HEADER(unordered_map,AC_DEFINE(HAVE_UNORDERED_MAP,1, DEFINE([])), [AC_CHECK_HEADER(ext/hash_map,,OPTIONS=$OPTIONS"-DNOHASH ")])]) ASYGLVERSION=1.00 GCVERSION=8.0.4 ATOMICVERSION=7.6.10 GCFILE=gc-$GCVERSION ac_cv_use_gc="system" AC_CHECK_FILE($GCFILE.tar.gz, ac_cv_use_gc=$GCVERSION) AC_ARG_ENABLE(gc, [AS_HELP_STRING(--enable-gc[[[=system]]], enable system Boehm garbage collector)] [ [[=VERSION]] enable local VERSION of Boehm garbage collector] [ [[=PREFIX]] use Boehm garbage collector installed in PREFIX], [ if test "x$enableval" != "xyes" ; then ac_cv_use_gc=$enableval fi ]) OPTIONS="-D_FILE_OFFSET_BITS=64 " GCLIB= GCPPLIB= INCL="-I." GCNAME="Boehm Garbage Collector" GCOPTIONS="--disable-shared" if test "x$ac_cv_use_gc" != "xno" ; then OPTIONS=$OPTIONS"-DUSEGC " case _$ac_cv_use_gc in _|_system|_*[[\\/]]*) if test "x$ac_cv_use_gc" = "xsystem" ; then INCL="-I. -I$prefix/include/gc -I/usr/include/gc" LIBS=$LIBS"-L$prefix/lib " else INCL="-I$ac_cv_use_gc/include/gc" LIBS=$LIBS"-L$ac_cv_use_gc/lib " fi CPPFLAGS_SAVE=$CPPFLAGS CPPFLAGS=$CPPFLAGS" $INCL" AC_CHECK_HEADER(gc.h, AC_CHECK_LIB([gc],[GC_malloc],[ LIBS=$LIBS"-lgc " AC_MSG_NOTICE([enabling system $GCNAME])],[ GCDIR=$GCFILE INCL="-I. -I\$(GC)/include" GCLIB="\$(GC)/.libs/libgc.a" AC_MSG_NOTICE($GCNAME library not found)]), GCDIR=$GCFILE GCLIB="\$(GC)/.libs/libgc.a" INCL="-I. -I\$(GC)/include" AC_MSG_NOTICE($GCNAME header file not found)) CPPFLAGS=$CPPFLAGS_SAVE ;; *) GCVERSION=$ac_cv_use_gc GCFILE=gc-$GCVERSION GCDIR=$GCFILE AC_MSG_NOTICE([enabling local $GCNAME $GCDIR]) GCLIB="\$(GC)/.libs/libgc.a" INCL="-I. -I\$(GC)/include" ;; esac else AC_MSG_NOTICE([disabling the $GCNAME]) fi AC_ARG_ENABLE(gc-debug, [AS_HELP_STRING(--enable-gc-debug,enable (slow) garbage collector debugging)], [ if test "x$ac_cv_use_gc" != "xno" ; then if test "x$enableval" = "xyes" ; then OPTIONS=$OPTIONS"-DGC_DEBUG " AC_MSG_NOTICE([*** Enabling GC debugging: remember to make clean ***]) AC_MSG_NOTICE([*** Set the environment variable GC_FIND_LEAK at runtime ***]) fi fi ]) AC_ARG_ENABLE(gc-full-debug, [AS_HELP_STRING(--enable-gc-full-debug,enable (very slow) garbage collector backtrace)], [ if test "x$ac_cv_use_gc" != "xno" ; then if test "x$enableval" = "xyes" ; then OPTIONS=$OPTIONS"-DGC_DEBUG -DGC_BACKTRACE " GCOPTIONS=$GCOPTIONS"--enable-gc-debug " AC_MSG_NOTICE([*** Enabling GC backtrace debugging; remember to make gc-clean ***]) fi fi ]) INCL=$INCL" -I/usr/include/tirpc" if test "$OSTYPE" = "msdos"; then CPPFLAGS=$CPPFLAGS" -D__MSDOS__ -I/usr/include/w32api -I/usr/include -DCALLBACK=__stdcall $INCL" else CPPFLAGS=$CPPFLAGS" $INCL" fi AC_CHECK_FUNC(getopt_long_only, AC_DEFINE(HAVE_GNU_GETOPT_H, 1, DEFINE([GNU ])), getopt="getopt getopt1",) AC_SUBST(getopt) AC_SUBST(GCVERSION) AC_SUBST(ASYGLVERSION) AC_SUBST(ATOMICVERSION) AC_SUBST(GCOPTIONS) AC_SUBST(GCLIB) AC_SUBST(GCPPLIB) AC_SUBST(INCL) AC_SUBST(OPTIONS) AC_SUBST(GLEW) # Checks for libraries. AC_SEARCH_LIBS([lgamma],[m c],, AC_MSG_ERROR([*** Please install libm on your system ***])) AC_CHECK_LIB([z], [deflate],, AC_MSG_ERROR([*** Please install libz or zlib-devel on your system ***])) AX_PTHREAD AC_ARG_ENABLE(sigsegv, [AS_HELP_STRING(--enable-sigsegv[[[=yes]]],enable GNU Stack Overflow Handler)]) if test "x$enable_sigsegv" != "xno"; then AC_CHECK_LIB([sigsegv], [stackoverflow_install_handler]) fi AC_CHECK_LIB([rt], [sched_yield]) AC_ARG_ENABLE(readline, [AS_HELP_STRING(--enable-readline[[[=yes]]],enable GNU Readline Library)]) AC_ARG_ENABLE(static, [AS_HELP_STRING(--enable-static[[[=no]]],link against static libraries)]) LDSTATIC="" STATIC="" DYNAMIC="" if test "x$enable_static" = "xyes"; then LDSTATIC="-static " STATIC="-Wl,-Bstatic " DYNAMIC="-Wl,-Bdynamic " fi AC_DEFUN([READLINE],[ AC_MSG_NOTICE([*** Could not find GNU readline 4.3 or later: will compile without readline support ***]) ]) AC_DEFUN([CHECK_FOUND_STATIC],[ AC_DEFINE($1,1,DEFINE_LIB($2)) LIBS=$LIBS$STATIC"-l$2 "$DYNAMIC ]) AC_DEFUN([AC_CHECK_LIB_STATIC],[ LDFLAGS0=$LDFLAGS LDFLAGS=$LDFLAGS$LDSTATIC AC_CHECK_LIB($1,$2,CHECK_FOUND_STATIC($3,$1), if test "x$enable_static" = "xyes"; then [ AS_UNSET([ac_cv_lib_$1_$2]) LDFLAGS=$LDFLAGS0 AC_CHECK_LIB($1,$2,,$4) ] else $4 fi ) LDFLAGS=$LDFLAGS0 ]) if test "x$enable_readline" != "xno"; then AC_COMPILE_IFELSE([ AC_LANG_PROGRAM([ #include #include #include ],[ #ifndef RL_READLINE_VERSION abort #endif ])], AC_CHECK_LIB_STATIC(readline,history_list,HAVE_LIBREADLINE,READLINE), READLINE) AC_CHECK_LIB_STATIC(tinfo,tgetent,HAVE_LIBTINFO,AC_MSG_NOTICE([perhaps tgetent is in -lncurses])) AC_CHECK_HEADERS([ncurses/curses.h ncurses.h curses.h],[break]) AC_CHECK_LIB_STATIC([ncurses],[setupterm],HAVE_LIBCURSES, AC_CHECK_LIB([curses],[setupterm])) fi AC_ARG_ENABLE(fftw, [AS_HELP_STRING(--enable-fftw[[[=yes]]],enable FFTW Library)]) if test "x$enable_fftw" != "xno"; then AC_CHECK_HEADER(fftw3.h, AC_CHECK_LIB_STATIC([fftw3],[fftw_execute],HAVE_LIBFFTW3, AC_MSG_NOTICE([*** Could not find libfftw3: will compile without optional fast Fourier transforms. ***])), AC_MSG_NOTICE([*** Header file fftw3.h not found: will compile without optional fast Fourier transforms. ***])) fi # Checks for header files. AC_HEADER_SYS_WAIT AC_CHECK_HEADERS([fenv.h stddef.h libintl.h]) AC_CHECK_HEADERS(fpu_control.h) AC_CHECK_FUNCS([feenableexcept]) AC_COMPILE_IFELSE([AC_LANG_PROGRAM([#include "xstream.h"])], [AC_SEARCH_LIBS([xdrstdio_create],[nsl tirpc]) AC_DEFINE(HAVE_RPC_RPC_H,1, DEFINE([a working header]))], AC_MSG_WARN([*** Broken rpc headers; XDR support disabled ***])) AC_ARG_ENABLE(gsl, [AS_HELP_STRING(--enable-gsl[[[=yes]]],enable GNU Scientific Library)]) if test "x$enable_gsl" != "xno"; then AC_CHECK_HEADER(gsl/gsl_sf.h, AC_CHECK_LIB([gsl], gsl_sf_debye_6, [AC_DEFINE(HAVE_LIBGSL,1, DEFINE_LIB[gsl]) LIBS=$LIBS"-lgsl -lgslcblas "], AC_MSG_NOTICE([*** Could not find libgsl: will compile without optional special functions. ***]),[-lgslcblas]), AC_MSG_NOTICE([*** Header file gsl_sf.h not found: will compile without optional special functions. ***])) fi AC_ARG_ENABLE(gl, [AS_HELP_STRING(--enable-gl[[[=yes]]],enable OpenGL Library)]) AC_ARG_ENABLE(offscreen, [AS_HELP_STRING(--enable-offscreen[[[=no]]],enable experimental offscreen rendering using OSMesa library)]) AC_ARG_ENABLE(OpenImageIO, [AS_HELP_STRING(--enable-openimageio[[[=no]]],enable experimental OpenImageIO Library)]) AC_CHECK_HEADER(glm/glm.hpp, [AC_DEFINE(HAVE_LIBGLM,1, DEFINE([the header]))],AC_MSG_NOTICE([*** Could not find glm header files: will compile without WebGL or OpenGL support ***])) if test "x$enable_gl" != "xno"; then AC_CHECK_HEADERS([ncurses/curses.h ncurses.h curses.h],[break]) if test "x$enable_openimageio" = "xyes"; then AC_CHECK_HEADER([OpenEXR/ImathVec.h], AC_CHECK_HEADER([OpenImageIO/imageio.h], AC_CHECK_LIB([OpenImageIO],[open]))) fi case "$OSTYPE" in msdos) AC_CHECK_LIB([gccpp],[GC_throw_bad_alloc]) AC_CHECK_HEADER(GL/glut.h, [AC_DEFINE(HAVE_LIBGLUT,1, DEFINE_LIB[freeglut]) LIBS=$LIBS"-lfreeglut "], AC_MSG_NOTICE([*** Could not find libfreeglut: will compile without OpenGL support ***])) AC_CHECK_HEADER(GL/gl.h, [AC_DEFINE(HAVE_LIBGL,1, DEFINE_LIB[opengl32]) LIBS=$LIBS"-lopengl32 glew.o"], AC_MSG_NOTICE([*** Could not find libopengl32: will compile without OpenGL support ***])) ;; darwin*) AC_CHECK_LIB([gccpp],[GC_throw_bad_alloc]) AC_CHECK_HEADER(OpenGL/gl.h, [AC_DEFINE(HAVE_LIBGL,1, DEFINE([ header]))]) AC_CHECK_HEADER(GLUT/glut.h, [AC_DEFINE(HAVE_LIBGLUT,1, DEFINE_LIB[GLUT]) LIBS=$LIBS"-framework GLUT -framework OpenGL -framework Cocoa glew.o "], AC_MSG_NOTICE([*** Could not find GLUT: will compile without OpenGLLUT support ***])) ;; *) AC_CHECK_LIB([gccpp],[GC_throw_bad_alloc]) AC_CHECK_LIB([glut], [glutMainLoop],, AC_MSG_NOTICE([*** Could not find libglut: will compile without OpenGL support ***])) AC_CHECK_LIB([GL], [glDepthMask], [AC_DEFINE(HAVE_LIBGL,1, DEFINE_LIB([GL])) LIBS=$LIBS"-lGL " GLEW="glew.o " AC_CHECK_LIB([GLX],[glXGetProcAddressARB], GLEW=$GLEW"-lGLX ")], AC_MSG_NOTICE([*** Could not find libGL: will compile without OpenGL support ***])) esac if test "x$enable_offscreen" = "xyes"; then AC_CHECK_LIB([OSMesa],OSMesaCreateContext,, AC_MSG_NOTICE([*** Could not find libOSMesa: will compile without offscreen rendering support ***])) fi fi # Checks for typedefs, structures, and compiler characteristics. AC_TYPE_PID_T AC_TYPE_SIZE_T AC_CHECK_TYPES([ptrdiff_t]) AC_CHECK_TYPES([long long]) AC_CHECK_TYPES([long]) AC_C_CONST AC_C_INLINE AC_TYPE_SIGNAL AC_DEFUN([ac_FUNC_STRPTIME], [ AC_CHECK_FUNCS(strptime) ]) # Checks for library functions. AC_FUNC_FORK AC_CHECK_FUNCS([dup2 floor memset strchr tgamma lgamma memrchr]) AC_FUNC_STRFTIME ac_FUNC_STRPTIME AC_FUNC_ERROR_AT_LINE AC_FUNC_FSEEKO AC_CONFIG_HEADERS(config.h) AC_CONFIG_FILES([Makefile doc/Makefile doc/png/Makefile]) AC_OUTPUT if test "x$GCDIR" != "x" ; then AC_CHECK_FILE($GCDIR.tar.gz,,[ echo echo Please put the Boehm garbage collector tar.gz files in the asymptote directory. echo FOR EXAMPLE, USE THE COMMANDS: echo echo wget https://github.com/ivmai/bdwgc/releases/download/v$GCVERSION/$GCFILE.tar.gz echo wget http://www.ivmaisoft.com/_bin/atomic_ops/libatomic_ops-$ATOMICVERSION.tar.gz echo exit 1 ]) fi asymptote-2.62/drawpath.h0000644000000000000000000000124213607467113014160 0ustar rootroot/***** * drawpath.h * Andy Hammerlindl 2002/06/06 * * Stores a path that has been added to a picture. *****/ #ifndef DRAWPATH_H #define DRAWPATH_H #include "drawelement.h" #include "path.h" namespace camp { class drawPath : public drawPathPenBase { public: drawPath(path src, pen pentype, const string& key="") : drawElement(key), drawPathPenBase(src,pentype) {} virtual ~drawPath() {} void bounds(bbox& b, iopipestream&, boxvector&, bboxlist&) { strokebounds(b,p); } bool svg() {return true;} bool draw(psfile *out); drawElement *transformed(const transform& t); }; pen adjustdash(pen& p, double arclength, bool cyclic); } #endif asymptote-2.62/name.cc0000644000000000000000000001642513607467113013435 0ustar rootroot/***** * name.cc * Andy Hammerlindl2002/07/14 * * Qualified names (such as x, f, builtin.sin, a.b.c.d, etc.) can be used * either as variables or a type names. This class stores qualified * names used in nameExp and nameTy in the abstract syntax, and * implements the exp and type functions. *****/ #include "name.h" #include "frame.h" #include "record.h" #include "coenv.h" #include "inst.h" namespace absyntax { using namespace types; using trans::access; using trans::qualifiedAccess; using trans::action; using trans::READ; using trans::WRITE; using trans::CALL; using vm::inst; types::ty *signatureless(types::ty *t) { if (overloaded *o=dynamic_cast(t)) return o->signatureless(); else return (t && !t->getSignature()) ? t : 0; } void name::forceEquivalency(action act, coenv &e, types::ty *target, types::ty *source) { if (act == READ) e.implicitCast(getPos(), target, source); else if (!equivalent(target, source)) { em.compiler(getPos()); em << "type mismatch in variable: " << *target << " vs " << *source; } } frame *name::frameTrans(coenv &e) { if (types::ty *t=signatureless(varGetType(e))) { if (t->kind == types::ty_record) { varTrans(READ, e, t); return ((record *)t)->getLevel(); } else return 0; } else return tyFrameTrans(e); } types::ty *name::getType(coenv &e, bool tacit) { types::ty *t=signatureless(varGetType(e)); if (!tacit && t && t->kind == ty_error) // Report errors associated with regarding the name as a variable. varTrans(trans::READ, e, t); return t ? t : typeTrans(e, tacit); } varEntry *simpleName::getVarEntry(coenv &e) { types::ty *t=signatureless(varGetType(e)); return t ? e.e.lookupVarByType(id, t) : 0; } void simpleName::varTrans(action act, coenv &e, types::ty *target) { varEntry *v = e.e.lookupVarByType(id, target); if (v) { v->encode(act, getPos(), e.c); forceEquivalency(act, e, target, v->getType()); } else { em.error(getPos()); em << "no matching variable of name \'" << id << "\'"; } } types::ty *simpleName::varGetType(coenv &e) { return e.e.varGetType(id); } trans::varEntry *simpleName::getCallee(coenv &e, signature *sig) { varEntry *ve = e.e.lookupVarBySignature(id, sig); return ve; } types::ty *simpleName::typeTrans(coenv &e, bool tacit) { types::ty *t = e.e.lookupType(id); if (t) { return t; } else { if (!tacit) { em.error(getPos()); em << "no type of name \'" << id << "\'"; } return primError(); } } tyEntry *simpleName::tyEntryTrans(coenv &e) { tyEntry *ent = e.e.lookupTyEntry(id); if (!ent) { em.error(getPos()); em << "no type of name \'" << id << "\'"; return new tyEntry(primError(), 0, 0, position()); } return ent; } frame *simpleName::tyFrameTrans(coenv &e) { tyEntry *ent = e.e.lookupTyEntry(id); if (ent && ent->t->kind==types::ty_record && ent->v) { ent->v->encode(READ, getPos(), e.c); return ent->v->getLevel(); } else return 0; } void simpleName::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "simpleName '" << id << "'\n"; } record *qualifiedName::castToRecord(types::ty *t, bool tacit) { switch (t->kind) { case ty_overloaded: if (!tacit) { em.compiler(qualifier->getPos()); em << "name::getType returned overloaded"; } return 0; case ty_record: return (record *)t; case ty_error: return 0; default: if (!tacit) { em.error(qualifier->getPos()); em << "type \'" << *t << "\' is not a structure"; } return 0; } } bool qualifiedName::varTransVirtual(action act, coenv &e, types::ty *target, types::ty *qt) { varEntry *v = qt->virtualField(id, target->getSignature()); if (v) { // Push qualifier onto stack. qualifier->varTrans(READ, e, qt); v->encode(act, getPos(), e.c); // A virtual field was used. return true; } // No virtual field. return false; } void qualifiedName::varTransField(action act, coenv &e, types::ty *target, record *r) { varEntry *v = r->e.lookupVarByType(id, target); if (v) { frame *f = qualifier->frameTrans(e); if (f) v->encode(act, getPos(), e.c, f); else v->encode(act, getPos(), e.c); forceEquivalency(act, e, target, v->getType()); } else { em.error(getPos()); em << "no matching field of name \'" << id << "\' in \'" << *r << "\'"; } } void qualifiedName::varTrans(action act, coenv &e, types::ty *target) { types::ty *qt = qualifier->getType(e); // Use virtual fields if applicable. if (varTransVirtual(act, e, target, qt)) return; record *r = castToRecord(qt); if (r) varTransField(act, e, target, r); } types::ty *qualifiedName::varGetType(coenv &e) { types::ty *qt = qualifier->getType(e, true); // Look for virtual fields. types::ty *t = qt->virtualFieldGetType(id); if (t) return t; record *r = castToRecord(qt, true); return r ? r->e.varGetType(id) : 0; } trans::varEntry *qualifiedName::getCallee(coenv &e, signature *sig) { // getTypeAsCallee is an optimization attempt. We don't try optimizing the // rarer qualifiedName call case. // TODO: See if this is worth implementing. //cout << "FAIL BY QUALIFIED NAME" << endl; return 0; } trans::varEntry *qualifiedName::getVarEntry(coenv &e) { varEntry *qv = qualifier->getVarEntry(e); types::ty *qt = qualifier->getType(e, true); record *r = castToRecord(qt, true); if (r) { types::ty *t = signatureless(r->e.varGetType(id)); varEntry *v = t ? r->e.lookupVarByType(id, t) : 0; return trans::qualifyVarEntry(qv,v); } else return qv; } types::ty *qualifiedName::typeTrans(coenv &e, bool tacit) { types::ty *rt = qualifier->getType(e, tacit); record *r = castToRecord(rt, tacit); if (!r) return primError(); tyEntry *ent = r->e.lookupTyEntry(id); if (ent) { if (!tacit) ent->reportPerm(READ, getPos(), e.c); return ent->t; } else { if (!tacit) { em.error(getPos()); em << "no matching field or type of name \'" << id << "\' in \'" << *r << "\'"; } return primError(); } } tyEntry *qualifiedName::tyEntryTrans(coenv &e) { types::ty *rt = qualifier->getType(e, false); record *r = castToRecord(rt, false); if (!r) return new tyEntry(primError(), 0, 0, position()); tyEntry *ent = r->e.lookupTyEntry(id); if (!ent) { em.error(getPos()); em << "no matching type of name \'" << id << "\' in \'" << *r << "\'"; return new tyEntry(primError(), 0, 0, position()); } ent->reportPerm(READ, getPos(), e.c); return trans::qualifyTyEntry(qualifier->getVarEntry(e), ent); } frame *qualifiedName::tyFrameTrans(coenv &e) { frame *f=qualifier->frameTrans(e); tyEntry *ent = e.e.lookupTyEntry(id); if (ent && ent->t->kind==types::ty_record && ent->v) { if (f) ent->v->encode(READ, getPos(), e.c, f); else ent->v->encode(READ, getPos(), e.c); return ent->v->getLevel(); } else return f; } void qualifiedName::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "qualifiedName '" << id << "'\n"; qualifier->prettyprint(out, indent+1); } } // namespace absyntax asymptote-2.62/drawfill.cc0000644000000000000000000001101313607467113014305 0ustar rootroot/***** * drawfill.cc * Andy Hammerlindl 2002/06/06 * * Stores a cyclic path that will outline a filled shape in a picture. *****/ #include "drawfill.h" namespace camp { using settings::ps2tex; using settings::tex2ps; void drawAxialShade::palette(psfile *out) { pentype.convert(); penb.convert(); colorspace=(ColorSpace) max(pentype.colorspace(),penb.colorspace()); switch(colorspace) { case RGB: { if (pentype.grayscale()) pentype.greytorgb(); else if (penb.grayscale()) penb.greytorgb(); break; } case CMYK: { if (pentype.grayscale()) pentype.greytocmyk(); else if (penb.grayscale()) penb.greytocmyk(); if (pentype.rgb()) pentype.rgbtocmyk(); else if (penb.rgb()) penb.rgbtocmyk(); break; } default: break; } out->gsave(); } bool drawFill::draw(psfile *out) { if(pentype.invisible() || empty()) return true; palette(out); writepath(out); fill(out); return true; } drawElement *drawFill::transformed(const transform& t) { return new drawFill(transpath(t),stroke,transpen(t),KEY); } drawElement *drawLatticeShade::transformed(const transform& t) { return new drawLatticeShade(transpath(t),stroke,pentype,pens,t*T,KEY); } drawElement *drawAxialShade::transformed(const transform& t) { pair A=t*a, B=t*b; return new drawAxialShade(transpath(t),stroke,pentype,A,extenda,penb,B, extendb,KEY); } drawElement *drawRadialShade::transformed(const transform& t) { pair A=t*a, B=t*b; double RA=length(t*(a+ra)-A); double RB=length(t*(b+rb)-B); return new drawRadialShade(transpath(t),stroke,pentype,A,RA,extenda,penb,B, RB,extendb,KEY); } drawElement *drawGouraudShade::transformed(const transform& t) { size_t size=vertices.size(); vm::array *Vertices=new vm::array(size); for(size_t i=0; i < size; i++) (*Vertices)[i]=t*vm::read(vertices,i); return new drawGouraudShade(transpath(t),stroke,pentype,pens,*Vertices, edges,KEY); } drawElement *drawTensorShade::transformed(const transform& t) { size_t size=boundaries.size(); size_t zsize=z.size(); vm::array *Boundaries=new vm::array(size); vm::array *Z=new vm::array(zsize); for(size_t i=0; i < size; i++) (*Boundaries)[i]=vm::read(boundaries,i).transformed(t); for(size_t i=0; i < zsize; i++) { vm::array *zi=vm::read(z,i); size_t zisize=checkArray(zi); vm::array *Zi=new vm::array(zisize); (*Z)[i]=Zi; for(size_t j=0; j < zisize; j++) (*Zi)[j]=t*vm::read(zi,j); } return new drawTensorShade(transpath(t),stroke,pentype,pens,*Boundaries,*Z, KEY); } bool drawFunctionShade::write(texfile *out, const bbox& box) { if(empty()) return true; ColorSpace colorspace=pentype.colorspace(); size_t ncomponents=ColorComponents[colorspace]; out->verbatim("\\pdfobj stream attr {/FunctionType 4"); out->verbatim("/Domain [0 1 0 1]"); out->verbatim("/Range ["); for(size_t i=0; i < ncomponents; ++i) out->verbatim("0 1 "); out->verbatim("]}{{"); out->verbatimline(shader); out->verbatimline("}}%"); out->verbatimline("\\edef\\lastobj{\\the\\pdflastobj}\\pdfrefobj\\lastobj"); out->verbatim("\\setbox\\ASYbox=\\hbox to "); double Hoffset=out->hoffset(); double hoffset=(bpath.Max().getx()-Hoffset)*ps2tex; out->write(hoffset); out->verbatim("pt {"); out->verbatim("\\vbox to "); out->write((box.top-box.bottom)*ps2tex); out->verbatimline("pt {\\vfil%"); out->gsave(); out->beginspecial(); out->beginraw(); writeshiftedpath(out); if(stroke) strokepath(out); out->endclip(pentype); out->verbatimline("/Sh sh"); out->endraw(); out->endspecial(); out->grestore(); out->verbatimline("}\\hfil}%"); out->verbatimline("\\pdfxform resources {"); out->verbatimline("/Shading << /Sh << /ShadingType 1"); out->verbatim("/Matrix ["); out->write(shift(pair(-Hoffset,-box.bottom))*matrix(bpath.Min(),bpath.Max())); out->verbatimline("]"); out->verbatim("/Domain [0 1 0 1]"); out->verbatim("/ColorSpace /Device"); out->verbatimline(ColorDeviceSuffix[colorspace]); out->verbatimline("/Function \\lastobj\\space 0 R >> >>}\\ASYbox"); out->verbatimline("\\pdfrefxform\\the\\pdflastxform"); out->verbatim("\\kern"); out->write(-hoffset); out->verbatimline("pt%"); return true; } drawElement *drawFunctionShade::transformed(const transform& t) { return new drawFunctionShade(transpath(t),stroke,pentype,shader,KEY); } } // namespace camp asymptote-2.62/Delaunay.cc0000644000000000000000000001341113607467113014247 0ustar rootroot// Robust version of Gilles Dumoulin's C++ port of Paul Bourke's // triangulation code available from // http://astronomy.swin.edu.au/~pbourke/papers/triangulate // Used with permission of Paul Bourke. // Segmentation fault and numerical robustness improvements by John C. Bowman #include #include "Delaunay.h" #include "predicates.h" inline double max(double a, double b) { return (a > b) ? a : b; } int XYZCompare(const void *v1, const void *v2) { double x1=((XYZ*)v1)->p[0]; double x2=((XYZ*)v2)->p[0]; if(x1 < x2) return(-1); else if(x1 > x2) return(1); else return(0); } inline double hypot2(double *x) { return x[0]*x[0]+x[1]*x[1]; } /////////////////////////////////////////////////////////////////////////////// // Triangulate(): // Triangulation subroutine // Takes as input NV vertices in array pxyz // Returned is a list of ntri triangular faces in the array v // These triangles are arranged in a consistent clockwise order. // The triangle array v should be allocated to 4 * nv // The vertex array pxyz must be big enough to hold 3 additional points. // By default, the array pxyz is automatically presorted and postsorted. /////////////////////////////////////////////////////////////////////////////// Int Triangulate(Int nv, XYZ pxyz[], ITRIANGLE v[], Int &ntri, bool presort, bool postsort) { Int emax = 200; if(presort) qsort(pxyz,nv,sizeof(XYZ),XYZCompare); else postsort=false; /* Allocate memory for the completeness list, flag for each triangle */ Int trimax = 4 * nv; Int *complete = new Int[trimax]; /* Allocate memory for the edge list */ IEDGE *edges = new IEDGE[emax]; /* Find the maximum and minimum vertex bounds. This is to allow calculation of the bounding triangle */ double xmin = pxyz[0].p[0]; double ymin = pxyz[0].p[1]; double xmax = xmin; double ymax = ymin; for(Int i = 1; i < nv; i++) { XYZ *pxyzi=pxyz+i; double x=pxyzi->p[0]; double y=pxyzi->p[1]; if (x < xmin) xmin = x; if (x > xmax) xmax = x; if (y < ymin) ymin = y; if (y > ymax) ymax = y; } double dx = xmax - xmin; double dy = ymax - ymin; /* Set up the supertriangle. This is a triangle which encompasses all the sample points. The supertriangle coordinates are added to the end of the vertex list. The supertriangle is the first triangle in the triangle list. */ static const double margin=0.01; double xmargin=margin*dx; double ymargin=margin*dy; pxyz[nv+0].p[0] = xmin-xmargin; pxyz[nv+0].p[1] = ymin-ymargin; pxyz[nv+1].p[0] = xmin-xmargin; pxyz[nv+1].p[1] = ymax+ymargin+dx; pxyz[nv+2].p[0] = xmax+xmargin+dy; pxyz[nv+2].p[1] = ymin-ymargin; v->p1 = nv; v->p2 = nv+1; v->p3 = nv+2; complete[0] = false; ntri = 1; /* Include each point one at a time into the existing mesh */ for(Int i = 0; i < nv; i++) { Int nedge = 0; double *d=pxyz[i].p; /* Set up the edge buffer. If the point d lies inside the circumcircle then the three edges of that triangle are added to the edge buffer and that triangle is removed. */ for(Int j = 0; j < ntri; j++) { if(complete[j]) continue; ITRIANGLE *vj=v+j; double *a=pxyz[vj->p1].p; double *b=pxyz[vj->p2].p; double *c=pxyz[vj->p3].p; if(incircle(a,b,c,d) <= 0.0) { // Point d is inside or on circumcircle /* Check that we haven't exceeded the edge list size */ if(nedge + 3 >= emax) { emax += 100; IEDGE *p_EdgeTemp = new IEDGE[emax]; for (Int i = 0; i < nedge; i++) { p_EdgeTemp[i] = edges[i]; } delete[] edges; edges = p_EdgeTemp; } ITRIANGLE *vj=v+j; Int p1=vj->p1; Int p2=vj->p2; Int p3=vj->p3; edges[nedge].p1 = p1; edges[nedge].p2 = p2; edges[++nedge].p1 = p2; edges[nedge].p2 = p3; edges[++nedge].p1 = p3; edges[nedge].p2 = p1; ++nedge; ntri--; v[j] = v[ntri]; complete[j] = complete[ntri]; j--; } else { double A=hypot2(a); double B=hypot2(b); double C=hypot2(c); double a0=orient2d(a,b,c); // Is d[0] > xc+r for circumcircle abc of radius r about (xc,yc)? if(d[0]*a0 < 0.5*orient2d(A,a[1],B,b[1],C,c[1])) complete[j]= incircle(a[0]*a0,a[1]*a0,b[0]*a0,b[1]*a0,c[0]*a0,c[1]*a0, d[0]*a0,0.5*orient2d(a[0],A,b[0],B,c[0],C)) > 0.0; } } /* Tag multiple edges Note: if all triangles are specified anticlockwise then all interior edges are opposite pointing in direction. */ for(Int j = 0; j < nedge - 1; j++) { for(Int k = j + 1; k < nedge; k++) { if((edges[j].p1 == edges[k].p2) && (edges[j].p2 == edges[k].p1)) { edges[j].p1 = -1; edges[j].p2 = -1; edges[k].p1 = -1; edges[k].p2 = -1; } } } /* Form new triangles for the current point Skipping over any tagged edges. All edges are arranged in clockwise order. */ for(Int j = 0; j < nedge; j++) { if(edges[j].p1 < 0 || edges[j].p2 < 0) continue; v[ntri].p1 = edges[j].p1; v[ntri].p2 = edges[j].p2; v[ntri].p3 = i; complete[ntri] = false; ntri++; assert(ntri < trimax); } } /* Remove triangles with supertriangle vertices These are triangles which have a vertex number greater than nv */ for(Int i = 0; i < ntri; i++) { ITRIANGLE *vi=v+i; if(vi->p1 >= nv || vi->p2 >= nv || vi->p3 >= nv) { ntri--; *vi = v[ntri]; i--; } } delete[] edges; delete[] complete; if(postsort) { for(Int i = 0; i < ntri; i++) { ITRIANGLE *vi=v+i; vi->p1=pxyz[vi->p1].i; vi->p2=pxyz[vi->p2].i; vi->p3=pxyz[vi->p3].i; } } return 0; } asymptote-2.62/opsymbols.pl0000755000000000000000000000203213607467113014562 0ustar rootroot#!/usr/bin/env perl ##### # opsymbols.pl # Andy Hammerlindl 2010/06/01 # # Extract mapping such as '+' --> SYM_PLUS from camp.l ##### open(header, ">opsymbols.h") || die("Couldn't open opsymbols.h for writing"); print header <) { if (m/^"(\S+)"\s*{\s*DEFSYMBOL\((\w+)\);/) { add($1, $2); } if (m/^(\w+)\s*{\s*DEFSYMBOL\((\w+)\);/) { add($1, $2); } if (m/^\s*EXTRASYMBOL\(\s*(\w+)\s*,\s*(\w+)\s*\)/) { add($1, $2); } } print header <res=res; res2=res*res; MaterialIndex=materialIndex; } void BezierCurve::render(const triple *p, bool straight) { GLuint i0=data.vertex1(p[0]); GLuint i3=data.vertex1(p[3]); if(straight) { std::vector &q=data.indices; q.push_back(i0); q.push_back(i3); } else render(p,i0,i3); append(); } // Use a uniform partition to draw a Bezier patch. // p is an array of 4 triples representing the control points. // Ii are the vertices indices. void BezierCurve::render(const triple *p, GLuint I0, GLuint I1) { triple p0=p[0]; triple p1=p[1]; triple p2=p[2]; triple p3=p[3]; if(Straightness(p0,p1,p2,p3) < res2) { // Segment is flat triple P[]={p0,p3}; if(!offscreen(2,P)) { std::vector &q=data.indices; q.push_back(I0); q.push_back(I1); } } else { // Segment is not flat if(offscreen(4,p)) return; triple m0=0.5*(p0+p1); triple m1=0.5*(p1+p2); triple m2=0.5*(p2+p3); triple m3=0.5*(m0+m1); triple m4=0.5*(m1+m2); triple m5=0.5*(m3+m4); triple s0[]={p0,m0,m3,m5}; triple s1[]={m5,m4,m2,p3}; GLuint i0=data.vertex1(m5); render(s0,I0,i0); render(s1,i0,I1); } } #endif } //namespace camp asymptote-2.62/fileio.cc0000644000000000000000000000773713607467113013772 0ustar rootroot/****** * fileio.cc * Tom Prince and John Bowman 2004/08/10 * * Handle input/output ******/ #include "fileio.h" #include "settings.h" namespace camp { FILE *pipeout=NULL; string tab="\t"; string newline="\n"; ofile Stdout(""); file nullfile("",false,NOMODE,false,true); void ifile::ignoreComment() { if(comment == 0) return; int c; bool eol=(stream->peek() == '\n'); if(eol && csvmode && nullfield) return; for(;;) { while(isspace(c=stream->peek())) { stream->ignore(); whitespace += (char) c; } if(c == comment) { whitespace=""; while((c=stream->peek()) != '\n' && c != EOF) stream->ignore(); if(c == '\n') stream->ignore(); } else {if(c != EOF && eol) stream->unget(); return;} } } bool ifile::eol() { int c; while(isspace(c=stream->peek())) { if(c == '\n') return true; else { stream->ignore(); whitespace += (char) c; } } return false; } bool ifile::nexteol() { int c; if(nullfield) { nullfield=false; return true; } while(isspace(c=stream->peek())) { if(c == '\n' && comma) { nullfield=true; return false; } stream->ignore(); if(c == '\n') { while(isspace(c=stream->peek())) { if(c == '\n') {nullfield=true; return true;} else { stream->ignore(); whitespace += (char) c; } } return true; } else whitespace += (char) c; } return false; } void ifile::csv() { comma=false; nullfield=false; if(!csvmode || stream->eof()) return; std::ios::iostate rdstate=stream->rdstate(); if(stream->fail()) stream->clear(); int c=stream->peek(); if(c == ',') stream->ignore(); else if(c == '\n') { stream->ignore(); if(linemode && stream->peek() != EOF) stream->unget(); } else stream->clear(rdstate); if(c == ',') comma=true; } void ifile::Read(string& val) { string s; if(wordmode) { whitespace=""; while(isspace(stream->peek())) stream->ignore(); } if(csvmode || wordmode) { bool quote=false; while(stream->good()) { int c=stream->peek(); if(c == '"') {quote=!quote; stream->ignore(); continue;} if(!quote) { if(comment && c == comment) { while((c=stream->peek()) != '\n' && c != EOF) stream->ignore(); if(wordmode && !linemode) while(isspace(stream->peek())) stream->ignore(); if(stream->peek() == '"') {quote=!quote; stream->ignore(); continue;} if(s.empty() && c == '\n') { stream->ignore(); continue; } } if(csvmode && (c == ',' || c == '\n')) break; if(wordmode && isspace(c)) { if(!linemode) while(isspace(stream->peek())) stream->ignore(); break; } } s += (char) stream->get(); } } else getline(*stream,s); if(comment) { size_t p=0; while((p=s.find(comment,p)) < string::npos) { if(p+1 < s.length() && s[p+1] == comment) { s.erase(p,1); ++p; } else { s.erase(p); break; } } } size_t n=s.length(); if(n > 0) { size_t pos=n-1; if(s[pos] == '\r') s.erase(pos,1); } val=whitespace+s; } void ofile::writeline() { if(standard && interact::query && !vm::indebugger) { Int scroll=settings::getScroll(); if(scroll && interact::lines > 0 && interact::lines % scroll == 0) { for(;;) { if(!cin.good()) { *stream << newline; cin.clear(); break; } int c=cin.get(); if(c == '\n') break; // Discard any additional characters while(cin.good() && cin.get() != '\n'); if(c == 's') {interact::query=false; break;} if(c == 'q') {interact::query=false; interact::lines=0; throw quit();} } } else *stream << newline; ++interact::lines; } else *stream << newline; if(errorstream::interrupt) {interact::lines=0; throw interrupted();} } } // namespace camp asymptote-2.62/runpath3d.h0000644000000000000000000000027213607467143014263 0ustar rootroot/***** Autogenerated from runpath3d.in; changes will be overwritten *****/ #ifndef runpath3d_H #define runpath3d_H namespace run { void nullPath3(vm::stack *); } #endif // runpath3d_H asymptote-2.62/primitives.h0000644000000000000000000000232213607467113014541 0ustar rootroot/***** * primitives.h * Andy Hammerlindl 2007/04/27 * * A list of the primative types in Asymptote, defined using the * PRIMITIVE(name,Name,asyName) macro. This macro should be defined in by the * code including this file for the context at hand. * * name - the name of the type in C++ code ex: boolean * Name - the same name capitalized ex: Boolean * asyName - the name in Asymptote code ex: bool * *****/ // No ifndef because this file may be included multiple times in different // contexts. PRIMITIVE(void,Void,void) PRIMITIVE(inferred,Inferred,var) /* null is not a primitive type. */ #ifdef PRIMERROR PRIMITIVE(error,Error,) #endif PRIMITIVE(boolean,Boolean,bool) PRIMITIVE(Int,Int,int) PRIMITIVE(real,Real,real) PRIMITIVE(string,String,string) PRIMITIVE(pair,Pair,pair) PRIMITIVE(triple,Triple,triple) PRIMITIVE(transform,Transform,transform) PRIMITIVE(guide,Guide,guide) PRIMITIVE(path,Path,path) PRIMITIVE(path3,Path3,path3) PRIMITIVE(cycleToken,CycleToken,cycleToken) PRIMITIVE(tensionSpecifier,TensionSpecifier,tensionSpecifier) PRIMITIVE(curlSpecifier,CurlSpecifier,curlSpecifier) PRIMITIVE(pen,Pen,pen) PRIMITIVE(picture,Picture,frame) PRIMITIVE(file,File,file) PRIMITIVE(code,Code,code) asymptote-2.62/runsystem.cc0000644000000000000000000003052513607467143014566 0ustar rootroot/***** Autogenerated from runsystem.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runsystem.in" /***** * runsystem.in * * Runtime functions for system operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 12 "runsystem.in" #include "process.h" #include "stack.h" #include "locate.h" using namespace camp; using namespace settings; using vm::bpinfo; using vm::bplist; using vm::getPos; using vm::Default; using vm::nullfunc; using vm::item; using absyntax::runnable; typedef callable callableBp; namespace run { extern string emptystring; } function *voidFunction() { return new function(primVoid()); } function *breakpointFunction() { return new function(primString(),primString(),primInt(),primInt(), primCode()); } void clear(string file, Int line, bool warn=false) { bpinfo bp(file,line); for(mem::list::iterator p=bplist.begin(); p != bplist.end(); ++p) { if(*p == bp) { cout << "cleared breakpoint at " << file << ": " << line << endl; bplist.remove(bp); return; } } if(warn) cout << "No such breakpoint at " << file << ": " << line << endl; } namespace run { void breakpoint(stack *Stack, runnable *r) { callable *atBreakpointFunction=processData().atBreakpointFunction; if(atBreakpointFunction && !nullfunc::instance()->compare(atBreakpointFunction)) { position curPos=getPos(); Stack->push(curPos.filename()); Stack->push((Int) curPos.Line()); Stack->push((Int) curPos.Column()); Stack->push(r ? r : vm::Default); atBreakpointFunction->call(Stack); // returns a string } else Stack->push(""); } } string convertname(string name, const string& format) { if(name.empty()) return buildname(outname(),format,""); name=outpath(name); return format.empty() ? name : format+":"+name; } namespace run { void purge(Int divisor=0) { #ifdef USEGC if(divisor > 0) GC_set_free_space_divisor((GC_word) divisor); GC_gcollect(); #endif } void updateFunction(stack *Stack) { callable *atUpdateFunction=processData().atUpdateFunction; if(atUpdateFunction && !nullfunc::instance()->compare(atUpdateFunction)) atUpdateFunction->call(Stack); } void exitFunction(stack *Stack) { callable *atExitFunction=processData().atExitFunction; if(atExitFunction && !nullfunc::instance()->compare(atExitFunction)) atExitFunction->call(Stack); } } // Autogenerated routines: #ifndef NOSYM #include "runsystem.symbols.h" #endif namespace run { #line 107 "runsystem.in" // string outname(); void gen_runsystem0(stack *Stack) { #line 108 "runsystem.in" {Stack->push(outname()); return;} } #line 112 "runsystem.in" // void atupdate(callable *f); void gen_runsystem1(stack *Stack) { callable * f=vm::pop(Stack); #line 113 "runsystem.in" processData().atUpdateFunction=f; } #line 117 "runsystem.in" // callable* atupdate(); void gen_runsystem2(stack *Stack) { #line 118 "runsystem.in" {Stack->push(processData().atUpdateFunction); return;} } #line 122 "runsystem.in" // void atexit(callable *f); void gen_runsystem3(stack *Stack) { callable * f=vm::pop(Stack); #line 123 "runsystem.in" processData().atExitFunction=f; } #line 127 "runsystem.in" // callable* atexit(); void gen_runsystem4(stack *Stack) { #line 128 "runsystem.in" {Stack->push(processData().atExitFunction); return;} } #line 132 "runsystem.in" // void atbreakpoint(callableBp *f); void gen_runsystem5(stack *Stack) { callableBp * f=vm::pop(Stack); #line 133 "runsystem.in" processData().atBreakpointFunction=f; } #line 137 "runsystem.in" // void breakpoint(runnable *s=NULL); void gen_runsystem6(stack *Stack) { runnable * s=vm::pop(Stack,NULL); #line 138 "runsystem.in" breakpoint(Stack,s); } #line 142 "runsystem.in" // string locatefile(string file, bool full=true); void gen_runsystem7(stack *Stack) { bool full=vm::pop(Stack,true); string file=vm::pop(Stack); #line 143 "runsystem.in" {Stack->push(locateFile(file,full)); return;} } #line 147 "runsystem.in" // void stop(string file, Int line, runnable *s=NULL); void gen_runsystem8(stack *Stack) { runnable * s=vm::pop(Stack,NULL); Int line=vm::pop(Stack); string file=vm::pop(Stack); #line 148 "runsystem.in" file=locateFile(file); clear(file,line); cout << "setting breakpoint at " << file << ": " << line << endl; bplist.push_back(bpinfo(file,line,s)); } #line 155 "runsystem.in" // void breakpoints(); void gen_runsystem9(stack *) { #line 156 "runsystem.in" for(mem::list::iterator p=bplist.begin(); p != bplist.end(); ++p) cout << p->f.name() << ": " << p->f.line() << endl; } #line 161 "runsystem.in" // void clear(string file, Int line); void gen_runsystem10(stack *Stack) { Int line=vm::pop(Stack); string file=vm::pop(Stack); #line 162 "runsystem.in" file=locateFile(file); clear(file,line,true); } #line 167 "runsystem.in" // void clear(); void gen_runsystem11(stack *) { #line 168 "runsystem.in" bplist.clear(); } #line 172 "runsystem.in" // void warn(string s); void gen_runsystem12(stack *Stack) { string s=vm::pop(Stack); #line 173 "runsystem.in" Warn(s); } #line 177 "runsystem.in" // void nowarn(string s); void gen_runsystem13(stack *Stack) { string s=vm::pop(Stack); #line 178 "runsystem.in" noWarn(s); } #line 182 "runsystem.in" // void warning(string s, string t, bool position=false); void gen_runsystem14(stack *Stack) { bool position=vm::pop(Stack,false); string t=vm::pop(Stack); string s=vm::pop(Stack); #line 183 "runsystem.in" if(settings::warn(s)) { em.warning(position ? getPos() : nullPos,s); em << t; } } // Strip directory from string #line 191 "runsystem.in" // string stripdirectory(string *s); void gen_runsystem15(stack *Stack) { string * s=vm::pop(Stack); #line 192 "runsystem.in" {Stack->push(stripDir(*s)); return;} } // Strip directory from string #line 197 "runsystem.in" // string stripfile(string *s); void gen_runsystem16(stack *Stack) { string * s=vm::pop(Stack); #line 198 "runsystem.in" {Stack->push(stripFile(*s)); return;} } // Strip file extension from string #line 203 "runsystem.in" // string stripextension(string *s); void gen_runsystem17(stack *Stack) { string * s=vm::pop(Stack); #line 204 "runsystem.in" {Stack->push(stripExt(*s)); return;} } // Call ImageMagick convert. #line 209 "runsystem.in" // Int convert(string args=emptystring, string file=emptystring, string format=emptystring); void gen_runsystem18(stack *Stack) { string format=vm::pop(Stack,emptystring); string file=vm::pop(Stack,emptystring); string args=vm::pop(Stack,emptystring); #line 211 "runsystem.in" string name=convertname(file,format); mem::vector cmd; cmd.push_back(getSetting("convert")); push_split(cmd,args); cmd.push_back(name); bool quiet=verbose <= 1; char *oldPath=NULL; string dir=stripFile(outname()); if(!dir.empty()) { oldPath=getPath(); setPath(dir.c_str()); } Int ret=System(cmd,quiet ? 1 : 0,true,"convert", "your ImageMagick convert utility"); if(oldPath != NULL) setPath(oldPath); if(ret == 0 && verbose > 0) cout << "Wrote " << (file.empty() ? name : file) << endl; {Stack->push(ret); return;} } // Call ImageMagick animate. #line 237 "runsystem.in" // Int animate(string args=emptystring, string file=emptystring, string format=emptystring); void gen_runsystem19(stack *Stack) { string format=vm::pop(Stack,emptystring); string file=vm::pop(Stack,emptystring); string args=vm::pop(Stack,emptystring); #line 239 "runsystem.in" #ifndef __MSDOS__ string name=convertname(file,format); if(view()) { mem::vector cmd; cmd.push_back(getSetting("animate")); push_split(cmd,args); cmd.push_back(name); {Stack->push(System(cmd,0,false,"animate","your animated GIF viewer")); return;} } #endif {Stack->push(0); return;} } #line 253 "runsystem.in" // void purge(Int divisor=0); void gen_runsystem20(stack *Stack) { Int divisor=vm::pop(Stack,0); #line 254 "runsystem.in" purge(divisor); } } // namespace run namespace trans { void gen_runsystem_venv(venv &ve) { #line 107 "runsystem.in" addFunc(ve, run::gen_runsystem0, primString() , SYM(outname)); #line 112 "runsystem.in" addFunc(ve, run::gen_runsystem1, primVoid(), SYM(atupdate), formal(voidFunction(), SYM(f), false, false)); #line 117 "runsystem.in" addFunc(ve, run::gen_runsystem2, voidFunction(), SYM(atupdate)); #line 122 "runsystem.in" addFunc(ve, run::gen_runsystem3, primVoid(), SYM(atexit), formal(voidFunction(), SYM(f), false, false)); #line 127 "runsystem.in" addFunc(ve, run::gen_runsystem4, voidFunction(), SYM(atexit)); #line 132 "runsystem.in" addFunc(ve, run::gen_runsystem5, primVoid(), SYM(atbreakpoint), formal(breakpointFunction(), SYM(f), false, false)); #line 137 "runsystem.in" addFunc(ve, run::gen_runsystem6, primVoid(), SYM(breakpoint), formal(primCode(), SYM(s), true, false)); #line 142 "runsystem.in" addFunc(ve, run::gen_runsystem7, primString() , SYM(locatefile), formal(primString() , SYM(file), false, false), formal(primBoolean(), SYM(full), true, false)); #line 147 "runsystem.in" addFunc(ve, run::gen_runsystem8, primVoid(), SYM(stop), formal(primString() , SYM(file), false, false), formal(primInt(), SYM(line), false, false), formal(primCode(), SYM(s), true, false)); #line 155 "runsystem.in" addFunc(ve, run::gen_runsystem9, primVoid(), SYM(breakpoints)); #line 161 "runsystem.in" addFunc(ve, run::gen_runsystem10, primVoid(), SYM(clear), formal(primString() , SYM(file), false, false), formal(primInt(), SYM(line), false, false)); #line 167 "runsystem.in" addFunc(ve, run::gen_runsystem11, primVoid(), SYM(clear)); #line 172 "runsystem.in" addFunc(ve, run::gen_runsystem12, primVoid(), SYM(warn), formal(primString() , SYM(s), false, false)); #line 177 "runsystem.in" addFunc(ve, run::gen_runsystem13, primVoid(), SYM(nowarn), formal(primString() , SYM(s), false, false)); #line 182 "runsystem.in" addFunc(ve, run::gen_runsystem14, primVoid(), SYM(warning), formal(primString() , SYM(s), false, false), formal(primString() , SYM(t), false, false), formal(primBoolean(), SYM(position), true, false)); #line 190 "runsystem.in" addFunc(ve, run::gen_runsystem15, primString() , SYM(stripdirectory), formal(primString(), SYM(s), false, false)); #line 196 "runsystem.in" addFunc(ve, run::gen_runsystem16, primString() , SYM(stripfile), formal(primString(), SYM(s), false, false)); #line 202 "runsystem.in" addFunc(ve, run::gen_runsystem17, primString() , SYM(stripextension), formal(primString(), SYM(s), false, false)); #line 208 "runsystem.in" addFunc(ve, run::gen_runsystem18, primInt(), SYM(convert), formal(primString() , SYM(args), true, false), formal(primString() , SYM(file), true, false), formal(primString() , SYM(format), true, false)); #line 236 "runsystem.in" addFunc(ve, run::gen_runsystem19, primInt(), SYM(animate), formal(primString() , SYM(args), true, false), formal(primString() , SYM(file), true, false), formal(primString() , SYM(format), true, false)); #line 253 "runsystem.in" addFunc(ve, run::gen_runsystem20, primVoid(), SYM(purge), formal(primInt(), SYM(divisor), true, false)); } } // namespace trans asymptote-2.62/GL/0000755000000000000000000000000013607467113012500 5ustar rootrootasymptote-2.62/GL/glew.c0000644000000000000000000455550113607467113013621 0ustar rootroot/* ** The OpenGL Extension Wrangler Library ** Copyright (C) 2008-2017, Nigel Stewart ** Copyright (C) 2002-2008, Milan Ikits ** Copyright (C) 2002-2008, Marcelo E. Magallon ** Copyright (C) 2002, Lev Povalahev ** All rights reserved. ** ** Redistribution and use in source and binary forms, with or without ** modification, are permitted provided that the following conditions are met: ** ** * Redistributions of source code must retain the above copyright notice, ** this list of conditions and the following disclaimer. ** * Redistributions in binary form must reproduce the above copyright notice, ** this list of conditions and the following disclaimer in the documentation ** and/or other materials provided with the distribution. ** * The name of the author may be used to endorse or promote products ** derived from this software without specific prior written permission. ** ** THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" ** AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE ** IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ** ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE ** LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR ** CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF ** SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS ** INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN ** CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ** ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF ** THE POSSIBILITY OF SUCH DAMAGE. */ #ifndef GLEW_INCLUDE #include #else #include GLEW_INCLUDE #endif #if defined(GLEW_OSMESA) # define GLAPI extern # include #elif defined(GLEW_EGL) # include #elif defined(_WIN32) /* * If NOGDI is defined, wingdi.h won't be included by windows.h, and thus * wglGetProcAddress won't be declared. It will instead be implicitly declared, * potentially incorrectly, which we don't want. */ # if defined(NOGDI) # undef NOGDI # endif # include #elif !defined(__ANDROID__) && !defined(__native_client__) && !defined(__HAIKU__) && (!defined(__APPLE__) || defined(GLEW_APPLE_GLX)) # include #endif #include /* For size_t */ #if defined(GLEW_EGL) #elif defined(GLEW_REGAL) /* In GLEW_REGAL mode we call direcly into the linked libRegal.so glGetProcAddressREGAL for looking up the GL function pointers. */ # undef glGetProcAddressREGAL # ifdef WIN32 extern void * __stdcall glGetProcAddressREGAL(const GLchar *name); static void * (__stdcall * regalGetProcAddress) (const GLchar *) = glGetProcAddressREGAL; # else extern void * glGetProcAddressREGAL(const GLchar *name); static void * (*regalGetProcAddress) (const GLchar *) = glGetProcAddressREGAL; # endif # define glGetProcAddressREGAL GLEW_GET_FUN(__glewGetProcAddressREGAL) #elif defined(__sgi) || defined (__sun) || defined(__HAIKU__) || defined(GLEW_APPLE_GLX) #include #include #include void* dlGetProcAddress (const GLubyte* name) { static void* h = NULL; static void* gpa; if (h == NULL) { if ((h = dlopen(NULL, RTLD_LAZY | RTLD_LOCAL)) == NULL) return NULL; gpa = dlsym(h, "glXGetProcAddress"); } if (gpa != NULL) return ((void*(*)(const GLubyte*))gpa)(name); else return dlsym(h, (const char*)name); } #endif /* __sgi || __sun || GLEW_APPLE_GLX */ #if defined(__APPLE__) #include #include #include #ifdef MAC_OS_X_VERSION_10_3 #include void* NSGLGetProcAddress (const GLubyte *name) { static void* image = NULL; void* addr; if (NULL == image) { image = dlopen("/System/Library/Frameworks/OpenGL.framework/Versions/Current/OpenGL", RTLD_LAZY); } if( !image ) return NULL; addr = dlsym(image, (const char*)name); if( addr ) return addr; #ifdef GLEW_APPLE_GLX return dlGetProcAddress( name ); // try next for glx symbols #else return NULL; #endif } #else #include void* NSGLGetProcAddress (const GLubyte *name) { static const struct mach_header* image = NULL; NSSymbol symbol; char* symbolName; if (NULL == image) { image = NSAddImage("/System/Library/Frameworks/OpenGL.framework/Versions/Current/OpenGL", NSADDIMAGE_OPTION_RETURN_ON_ERROR); } /* prepend a '_' for the Unix C symbol mangling convention */ symbolName = malloc(strlen((const char*)name) + 2); strcpy(symbolName+1, (const char*)name); symbolName[0] = '_'; symbol = NULL; /* if (NSIsSymbolNameDefined(symbolName)) symbol = NSLookupAndBindSymbol(symbolName); */ symbol = image ? NSLookupSymbolInImage(image, symbolName, NSLOOKUPSYMBOLINIMAGE_OPTION_BIND | NSLOOKUPSYMBOLINIMAGE_OPTION_RETURN_ON_ERROR) : NULL; free(symbolName); if( symbol ) return NSAddressOfSymbol(symbol); #ifdef GLEW_APPLE_GLX return dlGetProcAddress( name ); // try next for glx symbols #else return NULL; #endif } #endif /* MAC_OS_X_VERSION_10_3 */ #endif /* __APPLE__ */ /* * Define glewGetProcAddress. */ #if defined(GLEW_REGAL) # define glewGetProcAddress(name) regalGetProcAddress((const GLchar *)name) #elif defined(GLEW_OSMESA) # define glewGetProcAddress(name) OSMesaGetProcAddress((const char *)name) #elif defined(GLEW_EGL) # define glewGetProcAddress(name) eglGetProcAddress((const char *)name) #elif defined(_WIN32) # define glewGetProcAddress(name) wglGetProcAddress((LPCSTR)name) #elif defined(__APPLE__) && !defined(GLEW_APPLE_GLX) # define glewGetProcAddress(name) NSGLGetProcAddress(name) #elif defined(__sgi) || defined(__sun) || defined(__HAIKU__) # define glewGetProcAddress(name) dlGetProcAddress(name) #elif defined(__ANDROID__) # define glewGetProcAddress(name) NULL /* TODO */ #elif defined(__native_client__) # define glewGetProcAddress(name) NULL /* TODO */ #else /* __linux */ # define glewGetProcAddress(name) (*glXGetProcAddressARB)(name) #endif /* * Redefine GLEW_GET_VAR etc without const cast */ #undef GLEW_GET_VAR # define GLEW_GET_VAR(x) (x) #ifdef WGLEW_GET_VAR # undef WGLEW_GET_VAR # define WGLEW_GET_VAR(x) (x) #endif /* WGLEW_GET_VAR */ #ifdef GLXEW_GET_VAR # undef GLXEW_GET_VAR # define GLXEW_GET_VAR(x) (x) #endif /* GLXEW_GET_VAR */ #ifdef EGLEW_GET_VAR # undef EGLEW_GET_VAR # define EGLEW_GET_VAR(x) (x) #endif /* EGLEW_GET_VAR */ /* * GLEW, just like OpenGL or GLU, does not rely on the standard C library. * These functions implement the functionality required in this file. */ static GLuint _glewStrLen (const GLubyte* s) { GLuint i=0; if (s == NULL) return 0; while (s[i] != '\0') i++; return i; } static GLuint _glewStrCLen (const GLubyte* s, GLubyte c) { GLuint i=0; if (s == NULL) return 0; while (s[i] != '\0' && s[i] != c) i++; return i; } static GLuint _glewStrCopy(char *d, const char *s, char c) { GLuint i=0; if (s == NULL) return 0; while (s[i] != '\0' && s[i] != c) { d[i] = s[i]; i++; } d[i] = '\0'; return i; } #if !defined(GLEW_OSMESA) #if !defined(__APPLE__) || defined(GLEW_APPLE_GLX) static GLboolean _glewStrSame (const GLubyte* a, const GLubyte* b, GLuint n) { GLuint i=0; if(a == NULL || b == NULL) return (a == NULL && b == NULL && n == 0) ? GL_TRUE : GL_FALSE; while (i < n && a[i] != '\0' && b[i] != '\0' && a[i] == b[i]) i++; return i == n ? GL_TRUE : GL_FALSE; } #endif #endif static GLboolean _glewStrSame1 (const GLubyte** a, GLuint* na, const GLubyte* b, GLuint nb) { while (*na > 0 && (**a == ' ' || **a == '\n' || **a == '\r' || **a == '\t')) { (*a)++; (*na)--; } if(*na >= nb) { GLuint i=0; while (i < nb && (*a)+i != NULL && b+i != NULL && (*a)[i] == b[i]) i++; if(i == nb) { *a = *a + nb; *na = *na - nb; return GL_TRUE; } } return GL_FALSE; } static GLboolean _glewStrSame2 (const GLubyte** a, GLuint* na, const GLubyte* b, GLuint nb) { if(*na >= nb) { GLuint i=0; while (i < nb && (*a)+i != NULL && b+i != NULL && (*a)[i] == b[i]) i++; if(i == nb) { *a = *a + nb; *na = *na - nb; return GL_TRUE; } } return GL_FALSE; } static GLboolean _glewStrSame3 (const GLubyte** a, GLuint* na, const GLubyte* b, GLuint nb) { if(*na >= nb) { GLuint i=0; while (i < nb && (*a)+i != NULL && b+i != NULL && (*a)[i] == b[i]) i++; if (i == nb && (*na == nb || (*a)[i] == ' ' || (*a)[i] == '\n' || (*a)[i] == '\r' || (*a)[i] == '\t')) { *a = *a + nb; *na = *na - nb; return GL_TRUE; } } return GL_FALSE; } /* * Search for name in the extensions string. Use of strstr() * is not sufficient because extension names can be prefixes of * other extension names. Could use strtok() but the constant * string returned by glGetString might be in read-only memory. */ #if !defined(GLEW_OSMESA) #if !defined(__APPLE__) || defined(GLEW_APPLE_GLX) static GLboolean _glewSearchExtension (const char* name, const GLubyte *start, const GLubyte *end) { const GLubyte* p; GLuint len = _glewStrLen((const GLubyte*)name); p = start; while (p < end) { GLuint n = _glewStrCLen(p, ' '); if (len == n && _glewStrSame((const GLubyte*)name, p, n)) return GL_TRUE; p += n+1; } return GL_FALSE; } #endif #endif PFNGLCOPYTEXSUBIMAGE3DPROC __glewCopyTexSubImage3D = NULL; PFNGLDRAWRANGEELEMENTSPROC __glewDrawRangeElements = NULL; PFNGLTEXIMAGE3DPROC __glewTexImage3D = NULL; PFNGLTEXSUBIMAGE3DPROC __glewTexSubImage3D = NULL; PFNGLACTIVETEXTUREPROC __glewActiveTexture = NULL; PFNGLCLIENTACTIVETEXTUREPROC __glewClientActiveTexture = NULL; PFNGLCOMPRESSEDTEXIMAGE1DPROC __glewCompressedTexImage1D = NULL; PFNGLCOMPRESSEDTEXIMAGE2DPROC __glewCompressedTexImage2D = NULL; PFNGLCOMPRESSEDTEXIMAGE3DPROC __glewCompressedTexImage3D = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE1DPROC __glewCompressedTexSubImage1D = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE2DPROC __glewCompressedTexSubImage2D = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE3DPROC __glewCompressedTexSubImage3D = NULL; PFNGLGETCOMPRESSEDTEXIMAGEPROC __glewGetCompressedTexImage = NULL; PFNGLLOADTRANSPOSEMATRIXDPROC __glewLoadTransposeMatrixd = NULL; PFNGLLOADTRANSPOSEMATRIXFPROC __glewLoadTransposeMatrixf = NULL; PFNGLMULTTRANSPOSEMATRIXDPROC __glewMultTransposeMatrixd = NULL; PFNGLMULTTRANSPOSEMATRIXFPROC __glewMultTransposeMatrixf = NULL; PFNGLMULTITEXCOORD1DPROC __glewMultiTexCoord1d = NULL; PFNGLMULTITEXCOORD1DVPROC __glewMultiTexCoord1dv = NULL; PFNGLMULTITEXCOORD1FPROC __glewMultiTexCoord1f = NULL; PFNGLMULTITEXCOORD1FVPROC __glewMultiTexCoord1fv = NULL; PFNGLMULTITEXCOORD1IPROC __glewMultiTexCoord1i = NULL; PFNGLMULTITEXCOORD1IVPROC __glewMultiTexCoord1iv = NULL; PFNGLMULTITEXCOORD1SPROC __glewMultiTexCoord1s = NULL; PFNGLMULTITEXCOORD1SVPROC __glewMultiTexCoord1sv = NULL; PFNGLMULTITEXCOORD2DPROC __glewMultiTexCoord2d = NULL; PFNGLMULTITEXCOORD2DVPROC __glewMultiTexCoord2dv = NULL; PFNGLMULTITEXCOORD2FPROC __glewMultiTexCoord2f = NULL; PFNGLMULTITEXCOORD2FVPROC __glewMultiTexCoord2fv = NULL; PFNGLMULTITEXCOORD2IPROC __glewMultiTexCoord2i = NULL; PFNGLMULTITEXCOORD2IVPROC __glewMultiTexCoord2iv = NULL; PFNGLMULTITEXCOORD2SPROC __glewMultiTexCoord2s = NULL; PFNGLMULTITEXCOORD2SVPROC __glewMultiTexCoord2sv = NULL; PFNGLMULTITEXCOORD3DPROC __glewMultiTexCoord3d = NULL; PFNGLMULTITEXCOORD3DVPROC __glewMultiTexCoord3dv = NULL; PFNGLMULTITEXCOORD3FPROC __glewMultiTexCoord3f = NULL; PFNGLMULTITEXCOORD3FVPROC __glewMultiTexCoord3fv = NULL; PFNGLMULTITEXCOORD3IPROC __glewMultiTexCoord3i = NULL; PFNGLMULTITEXCOORD3IVPROC __glewMultiTexCoord3iv = NULL; PFNGLMULTITEXCOORD3SPROC __glewMultiTexCoord3s = NULL; PFNGLMULTITEXCOORD3SVPROC __glewMultiTexCoord3sv = NULL; PFNGLMULTITEXCOORD4DPROC __glewMultiTexCoord4d = NULL; PFNGLMULTITEXCOORD4DVPROC __glewMultiTexCoord4dv = NULL; PFNGLMULTITEXCOORD4FPROC __glewMultiTexCoord4f = NULL; PFNGLMULTITEXCOORD4FVPROC __glewMultiTexCoord4fv = NULL; PFNGLMULTITEXCOORD4IPROC __glewMultiTexCoord4i = NULL; PFNGLMULTITEXCOORD4IVPROC __glewMultiTexCoord4iv = NULL; PFNGLMULTITEXCOORD4SPROC __glewMultiTexCoord4s = NULL; PFNGLMULTITEXCOORD4SVPROC __glewMultiTexCoord4sv = NULL; PFNGLSAMPLECOVERAGEPROC __glewSampleCoverage = NULL; PFNGLBLENDCOLORPROC __glewBlendColor = NULL; PFNGLBLENDEQUATIONPROC __glewBlendEquation = NULL; PFNGLBLENDFUNCSEPARATEPROC __glewBlendFuncSeparate = NULL; PFNGLFOGCOORDPOINTERPROC __glewFogCoordPointer = NULL; PFNGLFOGCOORDDPROC __glewFogCoordd = NULL; PFNGLFOGCOORDDVPROC __glewFogCoorddv = NULL; PFNGLFOGCOORDFPROC __glewFogCoordf = NULL; PFNGLFOGCOORDFVPROC __glewFogCoordfv = NULL; PFNGLMULTIDRAWARRAYSPROC __glewMultiDrawArrays = NULL; PFNGLMULTIDRAWELEMENTSPROC __glewMultiDrawElements = NULL; PFNGLPOINTPARAMETERFPROC __glewPointParameterf = NULL; PFNGLPOINTPARAMETERFVPROC __glewPointParameterfv = NULL; PFNGLPOINTPARAMETERIPROC __glewPointParameteri = NULL; PFNGLPOINTPARAMETERIVPROC __glewPointParameteriv = NULL; PFNGLSECONDARYCOLOR3BPROC __glewSecondaryColor3b = NULL; PFNGLSECONDARYCOLOR3BVPROC __glewSecondaryColor3bv = NULL; PFNGLSECONDARYCOLOR3DPROC __glewSecondaryColor3d = NULL; PFNGLSECONDARYCOLOR3DVPROC __glewSecondaryColor3dv = NULL; PFNGLSECONDARYCOLOR3FPROC __glewSecondaryColor3f = NULL; PFNGLSECONDARYCOLOR3FVPROC __glewSecondaryColor3fv = NULL; PFNGLSECONDARYCOLOR3IPROC __glewSecondaryColor3i = NULL; PFNGLSECONDARYCOLOR3IVPROC __glewSecondaryColor3iv = NULL; PFNGLSECONDARYCOLOR3SPROC __glewSecondaryColor3s = NULL; PFNGLSECONDARYCOLOR3SVPROC __glewSecondaryColor3sv = NULL; PFNGLSECONDARYCOLOR3UBPROC __glewSecondaryColor3ub = NULL; PFNGLSECONDARYCOLOR3UBVPROC __glewSecondaryColor3ubv = NULL; PFNGLSECONDARYCOLOR3UIPROC __glewSecondaryColor3ui = NULL; PFNGLSECONDARYCOLOR3UIVPROC __glewSecondaryColor3uiv = NULL; PFNGLSECONDARYCOLOR3USPROC __glewSecondaryColor3us = NULL; PFNGLSECONDARYCOLOR3USVPROC __glewSecondaryColor3usv = NULL; PFNGLSECONDARYCOLORPOINTERPROC __glewSecondaryColorPointer = NULL; PFNGLWINDOWPOS2DPROC __glewWindowPos2d = NULL; PFNGLWINDOWPOS2DVPROC __glewWindowPos2dv = NULL; PFNGLWINDOWPOS2FPROC __glewWindowPos2f = NULL; PFNGLWINDOWPOS2FVPROC __glewWindowPos2fv = NULL; PFNGLWINDOWPOS2IPROC __glewWindowPos2i = NULL; PFNGLWINDOWPOS2IVPROC __glewWindowPos2iv = NULL; PFNGLWINDOWPOS2SPROC __glewWindowPos2s = NULL; PFNGLWINDOWPOS2SVPROC __glewWindowPos2sv = NULL; PFNGLWINDOWPOS3DPROC __glewWindowPos3d = NULL; PFNGLWINDOWPOS3DVPROC __glewWindowPos3dv = NULL; PFNGLWINDOWPOS3FPROC __glewWindowPos3f = NULL; PFNGLWINDOWPOS3FVPROC __glewWindowPos3fv = NULL; PFNGLWINDOWPOS3IPROC __glewWindowPos3i = NULL; PFNGLWINDOWPOS3IVPROC __glewWindowPos3iv = NULL; PFNGLWINDOWPOS3SPROC __glewWindowPos3s = NULL; PFNGLWINDOWPOS3SVPROC __glewWindowPos3sv = NULL; PFNGLBEGINQUERYPROC __glewBeginQuery = NULL; PFNGLBINDBUFFERPROC __glewBindBuffer = NULL; PFNGLBUFFERDATAPROC __glewBufferData = NULL; PFNGLBUFFERSUBDATAPROC __glewBufferSubData = NULL; PFNGLDELETEBUFFERSPROC __glewDeleteBuffers = NULL; PFNGLDELETEQUERIESPROC __glewDeleteQueries = NULL; PFNGLENDQUERYPROC __glewEndQuery = NULL; PFNGLGENBUFFERSPROC __glewGenBuffers = NULL; PFNGLGENQUERIESPROC __glewGenQueries = NULL; PFNGLGETBUFFERPARAMETERIVPROC __glewGetBufferParameteriv = NULL; PFNGLGETBUFFERPOINTERVPROC __glewGetBufferPointerv = NULL; PFNGLGETBUFFERSUBDATAPROC __glewGetBufferSubData = NULL; PFNGLGETQUERYOBJECTIVPROC __glewGetQueryObjectiv = NULL; PFNGLGETQUERYOBJECTUIVPROC __glewGetQueryObjectuiv = NULL; PFNGLGETQUERYIVPROC __glewGetQueryiv = NULL; PFNGLISBUFFERPROC __glewIsBuffer = NULL; PFNGLISQUERYPROC __glewIsQuery = NULL; PFNGLMAPBUFFERPROC __glewMapBuffer = NULL; PFNGLUNMAPBUFFERPROC __glewUnmapBuffer = NULL; PFNGLATTACHSHADERPROC __glewAttachShader = NULL; PFNGLBINDATTRIBLOCATIONPROC __glewBindAttribLocation = NULL; PFNGLBLENDEQUATIONSEPARATEPROC __glewBlendEquationSeparate = NULL; PFNGLCOMPILESHADERPROC __glewCompileShader = NULL; PFNGLCREATEPROGRAMPROC __glewCreateProgram = NULL; PFNGLCREATESHADERPROC __glewCreateShader = NULL; PFNGLDELETEPROGRAMPROC __glewDeleteProgram = NULL; PFNGLDELETESHADERPROC __glewDeleteShader = NULL; PFNGLDETACHSHADERPROC __glewDetachShader = NULL; PFNGLDISABLEVERTEXATTRIBARRAYPROC __glewDisableVertexAttribArray = NULL; PFNGLDRAWBUFFERSPROC __glewDrawBuffers = NULL; PFNGLENABLEVERTEXATTRIBARRAYPROC __glewEnableVertexAttribArray = NULL; PFNGLGETACTIVEATTRIBPROC __glewGetActiveAttrib = NULL; PFNGLGETACTIVEUNIFORMPROC __glewGetActiveUniform = NULL; PFNGLGETATTACHEDSHADERSPROC __glewGetAttachedShaders = NULL; PFNGLGETATTRIBLOCATIONPROC __glewGetAttribLocation = NULL; PFNGLGETPROGRAMINFOLOGPROC __glewGetProgramInfoLog = NULL; PFNGLGETPROGRAMIVPROC __glewGetProgramiv = NULL; PFNGLGETSHADERINFOLOGPROC __glewGetShaderInfoLog = NULL; PFNGLGETSHADERSOURCEPROC __glewGetShaderSource = NULL; PFNGLGETSHADERIVPROC __glewGetShaderiv = NULL; PFNGLGETUNIFORMLOCATIONPROC __glewGetUniformLocation = NULL; PFNGLGETUNIFORMFVPROC __glewGetUniformfv = NULL; PFNGLGETUNIFORMIVPROC __glewGetUniformiv = NULL; PFNGLGETVERTEXATTRIBPOINTERVPROC __glewGetVertexAttribPointerv = NULL; PFNGLGETVERTEXATTRIBDVPROC __glewGetVertexAttribdv = NULL; PFNGLGETVERTEXATTRIBFVPROC __glewGetVertexAttribfv = NULL; PFNGLGETVERTEXATTRIBIVPROC __glewGetVertexAttribiv = NULL; PFNGLISPROGRAMPROC __glewIsProgram = NULL; PFNGLISSHADERPROC __glewIsShader = NULL; PFNGLLINKPROGRAMPROC __glewLinkProgram = NULL; PFNGLSHADERSOURCEPROC __glewShaderSource = NULL; PFNGLSTENCILFUNCSEPARATEPROC __glewStencilFuncSeparate = NULL; PFNGLSTENCILMASKSEPARATEPROC __glewStencilMaskSeparate = NULL; PFNGLSTENCILOPSEPARATEPROC __glewStencilOpSeparate = NULL; PFNGLUNIFORM1FPROC __glewUniform1f = NULL; PFNGLUNIFORM1FVPROC __glewUniform1fv = NULL; PFNGLUNIFORM1IPROC __glewUniform1i = NULL; PFNGLUNIFORM1IVPROC __glewUniform1iv = NULL; PFNGLUNIFORM2FPROC __glewUniform2f = NULL; PFNGLUNIFORM2FVPROC __glewUniform2fv = NULL; PFNGLUNIFORM2IPROC __glewUniform2i = NULL; PFNGLUNIFORM2IVPROC __glewUniform2iv = NULL; PFNGLUNIFORM3FPROC __glewUniform3f = NULL; PFNGLUNIFORM3FVPROC __glewUniform3fv = NULL; PFNGLUNIFORM3IPROC __glewUniform3i = NULL; PFNGLUNIFORM3IVPROC __glewUniform3iv = NULL; PFNGLUNIFORM4FPROC __glewUniform4f = NULL; PFNGLUNIFORM4FVPROC __glewUniform4fv = NULL; PFNGLUNIFORM4IPROC __glewUniform4i = NULL; PFNGLUNIFORM4IVPROC __glewUniform4iv = NULL; PFNGLUNIFORMMATRIX2FVPROC __glewUniformMatrix2fv = NULL; PFNGLUNIFORMMATRIX3FVPROC __glewUniformMatrix3fv = NULL; PFNGLUNIFORMMATRIX4FVPROC __glewUniformMatrix4fv = NULL; PFNGLUSEPROGRAMPROC __glewUseProgram = NULL; PFNGLVALIDATEPROGRAMPROC __glewValidateProgram = NULL; PFNGLVERTEXATTRIB1DPROC __glewVertexAttrib1d = NULL; PFNGLVERTEXATTRIB1DVPROC __glewVertexAttrib1dv = NULL; PFNGLVERTEXATTRIB1FPROC __glewVertexAttrib1f = NULL; PFNGLVERTEXATTRIB1FVPROC __glewVertexAttrib1fv = NULL; PFNGLVERTEXATTRIB1SPROC __glewVertexAttrib1s = NULL; PFNGLVERTEXATTRIB1SVPROC __glewVertexAttrib1sv = NULL; PFNGLVERTEXATTRIB2DPROC __glewVertexAttrib2d = NULL; PFNGLVERTEXATTRIB2DVPROC __glewVertexAttrib2dv = NULL; PFNGLVERTEXATTRIB2FPROC __glewVertexAttrib2f = NULL; PFNGLVERTEXATTRIB2FVPROC __glewVertexAttrib2fv = NULL; PFNGLVERTEXATTRIB2SPROC __glewVertexAttrib2s = NULL; PFNGLVERTEXATTRIB2SVPROC __glewVertexAttrib2sv = NULL; PFNGLVERTEXATTRIB3DPROC __glewVertexAttrib3d = NULL; PFNGLVERTEXATTRIB3DVPROC __glewVertexAttrib3dv = NULL; PFNGLVERTEXATTRIB3FPROC __glewVertexAttrib3f = NULL; PFNGLVERTEXATTRIB3FVPROC __glewVertexAttrib3fv = NULL; PFNGLVERTEXATTRIB3SPROC __glewVertexAttrib3s = NULL; PFNGLVERTEXATTRIB3SVPROC __glewVertexAttrib3sv = NULL; PFNGLVERTEXATTRIB4NBVPROC __glewVertexAttrib4Nbv = NULL; PFNGLVERTEXATTRIB4NIVPROC __glewVertexAttrib4Niv = NULL; PFNGLVERTEXATTRIB4NSVPROC __glewVertexAttrib4Nsv = NULL; PFNGLVERTEXATTRIB4NUBPROC __glewVertexAttrib4Nub = NULL; PFNGLVERTEXATTRIB4NUBVPROC __glewVertexAttrib4Nubv = NULL; PFNGLVERTEXATTRIB4NUIVPROC __glewVertexAttrib4Nuiv = NULL; PFNGLVERTEXATTRIB4NUSVPROC __glewVertexAttrib4Nusv = NULL; PFNGLVERTEXATTRIB4BVPROC __glewVertexAttrib4bv = NULL; PFNGLVERTEXATTRIB4DPROC __glewVertexAttrib4d = NULL; PFNGLVERTEXATTRIB4DVPROC __glewVertexAttrib4dv = NULL; PFNGLVERTEXATTRIB4FPROC __glewVertexAttrib4f = NULL; PFNGLVERTEXATTRIB4FVPROC __glewVertexAttrib4fv = NULL; PFNGLVERTEXATTRIB4IVPROC __glewVertexAttrib4iv = NULL; PFNGLVERTEXATTRIB4SPROC __glewVertexAttrib4s = NULL; PFNGLVERTEXATTRIB4SVPROC __glewVertexAttrib4sv = NULL; PFNGLVERTEXATTRIB4UBVPROC __glewVertexAttrib4ubv = NULL; PFNGLVERTEXATTRIB4UIVPROC __glewVertexAttrib4uiv = NULL; PFNGLVERTEXATTRIB4USVPROC __glewVertexAttrib4usv = NULL; PFNGLVERTEXATTRIBPOINTERPROC __glewVertexAttribPointer = NULL; PFNGLUNIFORMMATRIX2X3FVPROC __glewUniformMatrix2x3fv = NULL; PFNGLUNIFORMMATRIX2X4FVPROC __glewUniformMatrix2x4fv = NULL; PFNGLUNIFORMMATRIX3X2FVPROC __glewUniformMatrix3x2fv = NULL; PFNGLUNIFORMMATRIX3X4FVPROC __glewUniformMatrix3x4fv = NULL; PFNGLUNIFORMMATRIX4X2FVPROC __glewUniformMatrix4x2fv = NULL; PFNGLUNIFORMMATRIX4X3FVPROC __glewUniformMatrix4x3fv = NULL; PFNGLBEGINCONDITIONALRENDERPROC __glewBeginConditionalRender = NULL; PFNGLBEGINTRANSFORMFEEDBACKPROC __glewBeginTransformFeedback = NULL; PFNGLBINDFRAGDATALOCATIONPROC __glewBindFragDataLocation = NULL; PFNGLCLAMPCOLORPROC __glewClampColor = NULL; PFNGLCLEARBUFFERFIPROC __glewClearBufferfi = NULL; PFNGLCLEARBUFFERFVPROC __glewClearBufferfv = NULL; PFNGLCLEARBUFFERIVPROC __glewClearBufferiv = NULL; PFNGLCLEARBUFFERUIVPROC __glewClearBufferuiv = NULL; PFNGLCOLORMASKIPROC __glewColorMaski = NULL; PFNGLDISABLEIPROC __glewDisablei = NULL; PFNGLENABLEIPROC __glewEnablei = NULL; PFNGLENDCONDITIONALRENDERPROC __glewEndConditionalRender = NULL; PFNGLENDTRANSFORMFEEDBACKPROC __glewEndTransformFeedback = NULL; PFNGLGETBOOLEANI_VPROC __glewGetBooleani_v = NULL; PFNGLGETFRAGDATALOCATIONPROC __glewGetFragDataLocation = NULL; PFNGLGETSTRINGIPROC __glewGetStringi = NULL; PFNGLGETTEXPARAMETERIIVPROC __glewGetTexParameterIiv = NULL; PFNGLGETTEXPARAMETERIUIVPROC __glewGetTexParameterIuiv = NULL; PFNGLGETTRANSFORMFEEDBACKVARYINGPROC __glewGetTransformFeedbackVarying = NULL; PFNGLGETUNIFORMUIVPROC __glewGetUniformuiv = NULL; PFNGLGETVERTEXATTRIBIIVPROC __glewGetVertexAttribIiv = NULL; PFNGLGETVERTEXATTRIBIUIVPROC __glewGetVertexAttribIuiv = NULL; PFNGLISENABLEDIPROC __glewIsEnabledi = NULL; PFNGLTEXPARAMETERIIVPROC __glewTexParameterIiv = NULL; PFNGLTEXPARAMETERIUIVPROC __glewTexParameterIuiv = NULL; PFNGLTRANSFORMFEEDBACKVARYINGSPROC __glewTransformFeedbackVaryings = NULL; PFNGLUNIFORM1UIPROC __glewUniform1ui = NULL; PFNGLUNIFORM1UIVPROC __glewUniform1uiv = NULL; PFNGLUNIFORM2UIPROC __glewUniform2ui = NULL; PFNGLUNIFORM2UIVPROC __glewUniform2uiv = NULL; PFNGLUNIFORM3UIPROC __glewUniform3ui = NULL; PFNGLUNIFORM3UIVPROC __glewUniform3uiv = NULL; PFNGLUNIFORM4UIPROC __glewUniform4ui = NULL; PFNGLUNIFORM4UIVPROC __glewUniform4uiv = NULL; PFNGLVERTEXATTRIBI1IPROC __glewVertexAttribI1i = NULL; PFNGLVERTEXATTRIBI1IVPROC __glewVertexAttribI1iv = NULL; PFNGLVERTEXATTRIBI1UIPROC __glewVertexAttribI1ui = NULL; PFNGLVERTEXATTRIBI1UIVPROC __glewVertexAttribI1uiv = NULL; PFNGLVERTEXATTRIBI2IPROC __glewVertexAttribI2i = NULL; PFNGLVERTEXATTRIBI2IVPROC __glewVertexAttribI2iv = NULL; PFNGLVERTEXATTRIBI2UIPROC __glewVertexAttribI2ui = NULL; PFNGLVERTEXATTRIBI2UIVPROC __glewVertexAttribI2uiv = NULL; PFNGLVERTEXATTRIBI3IPROC __glewVertexAttribI3i = NULL; PFNGLVERTEXATTRIBI3IVPROC __glewVertexAttribI3iv = NULL; PFNGLVERTEXATTRIBI3UIPROC __glewVertexAttribI3ui = NULL; PFNGLVERTEXATTRIBI3UIVPROC __glewVertexAttribI3uiv = NULL; PFNGLVERTEXATTRIBI4BVPROC __glewVertexAttribI4bv = NULL; PFNGLVERTEXATTRIBI4IPROC __glewVertexAttribI4i = NULL; PFNGLVERTEXATTRIBI4IVPROC __glewVertexAttribI4iv = NULL; PFNGLVERTEXATTRIBI4SVPROC __glewVertexAttribI4sv = NULL; PFNGLVERTEXATTRIBI4UBVPROC __glewVertexAttribI4ubv = NULL; PFNGLVERTEXATTRIBI4UIPROC __glewVertexAttribI4ui = NULL; PFNGLVERTEXATTRIBI4UIVPROC __glewVertexAttribI4uiv = NULL; PFNGLVERTEXATTRIBI4USVPROC __glewVertexAttribI4usv = NULL; PFNGLVERTEXATTRIBIPOINTERPROC __glewVertexAttribIPointer = NULL; PFNGLDRAWARRAYSINSTANCEDPROC __glewDrawArraysInstanced = NULL; PFNGLDRAWELEMENTSINSTANCEDPROC __glewDrawElementsInstanced = NULL; PFNGLPRIMITIVERESTARTINDEXPROC __glewPrimitiveRestartIndex = NULL; PFNGLTEXBUFFERPROC __glewTexBuffer = NULL; PFNGLFRAMEBUFFERTEXTUREPROC __glewFramebufferTexture = NULL; PFNGLGETBUFFERPARAMETERI64VPROC __glewGetBufferParameteri64v = NULL; PFNGLGETINTEGER64I_VPROC __glewGetInteger64i_v = NULL; PFNGLVERTEXATTRIBDIVISORPROC __glewVertexAttribDivisor = NULL; PFNGLBLENDEQUATIONSEPARATEIPROC __glewBlendEquationSeparatei = NULL; PFNGLBLENDEQUATIONIPROC __glewBlendEquationi = NULL; PFNGLBLENDFUNCSEPARATEIPROC __glewBlendFuncSeparatei = NULL; PFNGLBLENDFUNCIPROC __glewBlendFunci = NULL; PFNGLMINSAMPLESHADINGPROC __glewMinSampleShading = NULL; PFNGLGETGRAPHICSRESETSTATUSPROC __glewGetGraphicsResetStatus = NULL; PFNGLGETNCOMPRESSEDTEXIMAGEPROC __glewGetnCompressedTexImage = NULL; PFNGLGETNTEXIMAGEPROC __glewGetnTexImage = NULL; PFNGLGETNUNIFORMDVPROC __glewGetnUniformdv = NULL; PFNGLMULTIDRAWARRAYSINDIRECTCOUNTPROC __glewMultiDrawArraysIndirectCount = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTPROC __glewMultiDrawElementsIndirectCount = NULL; PFNGLSPECIALIZESHADERPROC __glewSpecializeShader = NULL; PFNGLTBUFFERMASK3DFXPROC __glewTbufferMask3DFX = NULL; PFNGLDEBUGMESSAGECALLBACKAMDPROC __glewDebugMessageCallbackAMD = NULL; PFNGLDEBUGMESSAGEENABLEAMDPROC __glewDebugMessageEnableAMD = NULL; PFNGLDEBUGMESSAGEINSERTAMDPROC __glewDebugMessageInsertAMD = NULL; PFNGLGETDEBUGMESSAGELOGAMDPROC __glewGetDebugMessageLogAMD = NULL; PFNGLBLENDEQUATIONINDEXEDAMDPROC __glewBlendEquationIndexedAMD = NULL; PFNGLBLENDEQUATIONSEPARATEINDEXEDAMDPROC __glewBlendEquationSeparateIndexedAMD = NULL; PFNGLBLENDFUNCINDEXEDAMDPROC __glewBlendFuncIndexedAMD = NULL; PFNGLBLENDFUNCSEPARATEINDEXEDAMDPROC __glewBlendFuncSeparateIndexedAMD = NULL; PFNGLFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC __glewFramebufferSamplePositionsfvAMD = NULL; PFNGLGETFRAMEBUFFERPARAMETERFVAMDPROC __glewGetFramebufferParameterfvAMD = NULL; PFNGLGETNAMEDFRAMEBUFFERPARAMETERFVAMDPROC __glewGetNamedFramebufferParameterfvAMD = NULL; PFNGLNAMEDFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC __glewNamedFramebufferSamplePositionsfvAMD = NULL; PFNGLVERTEXATTRIBPARAMETERIAMDPROC __glewVertexAttribParameteriAMD = NULL; PFNGLMULTIDRAWARRAYSINDIRECTAMDPROC __glewMultiDrawArraysIndirectAMD = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTAMDPROC __glewMultiDrawElementsIndirectAMD = NULL; PFNGLDELETENAMESAMDPROC __glewDeleteNamesAMD = NULL; PFNGLGENNAMESAMDPROC __glewGenNamesAMD = NULL; PFNGLISNAMEAMDPROC __glewIsNameAMD = NULL; PFNGLQUERYOBJECTPARAMETERUIAMDPROC __glewQueryObjectParameteruiAMD = NULL; PFNGLBEGINPERFMONITORAMDPROC __glewBeginPerfMonitorAMD = NULL; PFNGLDELETEPERFMONITORSAMDPROC __glewDeletePerfMonitorsAMD = NULL; PFNGLENDPERFMONITORAMDPROC __glewEndPerfMonitorAMD = NULL; PFNGLGENPERFMONITORSAMDPROC __glewGenPerfMonitorsAMD = NULL; PFNGLGETPERFMONITORCOUNTERDATAAMDPROC __glewGetPerfMonitorCounterDataAMD = NULL; PFNGLGETPERFMONITORCOUNTERINFOAMDPROC __glewGetPerfMonitorCounterInfoAMD = NULL; PFNGLGETPERFMONITORCOUNTERSTRINGAMDPROC __glewGetPerfMonitorCounterStringAMD = NULL; PFNGLGETPERFMONITORCOUNTERSAMDPROC __glewGetPerfMonitorCountersAMD = NULL; PFNGLGETPERFMONITORGROUPSTRINGAMDPROC __glewGetPerfMonitorGroupStringAMD = NULL; PFNGLGETPERFMONITORGROUPSAMDPROC __glewGetPerfMonitorGroupsAMD = NULL; PFNGLSELECTPERFMONITORCOUNTERSAMDPROC __glewSelectPerfMonitorCountersAMD = NULL; PFNGLSETMULTISAMPLEFVAMDPROC __glewSetMultisamplefvAMD = NULL; PFNGLTEXSTORAGESPARSEAMDPROC __glewTexStorageSparseAMD = NULL; PFNGLTEXTURESTORAGESPARSEAMDPROC __glewTextureStorageSparseAMD = NULL; PFNGLSTENCILOPVALUEAMDPROC __glewStencilOpValueAMD = NULL; PFNGLTESSELLATIONFACTORAMDPROC __glewTessellationFactorAMD = NULL; PFNGLTESSELLATIONMODEAMDPROC __glewTessellationModeAMD = NULL; PFNGLBLITFRAMEBUFFERANGLEPROC __glewBlitFramebufferANGLE = NULL; PFNGLRENDERBUFFERSTORAGEMULTISAMPLEANGLEPROC __glewRenderbufferStorageMultisampleANGLE = NULL; PFNGLDRAWARRAYSINSTANCEDANGLEPROC __glewDrawArraysInstancedANGLE = NULL; PFNGLDRAWELEMENTSINSTANCEDANGLEPROC __glewDrawElementsInstancedANGLE = NULL; PFNGLVERTEXATTRIBDIVISORANGLEPROC __glewVertexAttribDivisorANGLE = NULL; PFNGLBEGINQUERYANGLEPROC __glewBeginQueryANGLE = NULL; PFNGLDELETEQUERIESANGLEPROC __glewDeleteQueriesANGLE = NULL; PFNGLENDQUERYANGLEPROC __glewEndQueryANGLE = NULL; PFNGLGENQUERIESANGLEPROC __glewGenQueriesANGLE = NULL; PFNGLGETQUERYOBJECTI64VANGLEPROC __glewGetQueryObjecti64vANGLE = NULL; PFNGLGETQUERYOBJECTIVANGLEPROC __glewGetQueryObjectivANGLE = NULL; PFNGLGETQUERYOBJECTUI64VANGLEPROC __glewGetQueryObjectui64vANGLE = NULL; PFNGLGETQUERYOBJECTUIVANGLEPROC __glewGetQueryObjectuivANGLE = NULL; PFNGLGETQUERYIVANGLEPROC __glewGetQueryivANGLE = NULL; PFNGLISQUERYANGLEPROC __glewIsQueryANGLE = NULL; PFNGLQUERYCOUNTERANGLEPROC __glewQueryCounterANGLE = NULL; PFNGLGETTRANSLATEDSHADERSOURCEANGLEPROC __glewGetTranslatedShaderSourceANGLE = NULL; PFNGLCOPYTEXTURELEVELSAPPLEPROC __glewCopyTextureLevelsAPPLE = NULL; PFNGLDRAWELEMENTARRAYAPPLEPROC __glewDrawElementArrayAPPLE = NULL; PFNGLDRAWRANGEELEMENTARRAYAPPLEPROC __glewDrawRangeElementArrayAPPLE = NULL; PFNGLELEMENTPOINTERAPPLEPROC __glewElementPointerAPPLE = NULL; PFNGLMULTIDRAWELEMENTARRAYAPPLEPROC __glewMultiDrawElementArrayAPPLE = NULL; PFNGLMULTIDRAWRANGEELEMENTARRAYAPPLEPROC __glewMultiDrawRangeElementArrayAPPLE = NULL; PFNGLDELETEFENCESAPPLEPROC __glewDeleteFencesAPPLE = NULL; PFNGLFINISHFENCEAPPLEPROC __glewFinishFenceAPPLE = NULL; PFNGLFINISHOBJECTAPPLEPROC __glewFinishObjectAPPLE = NULL; PFNGLGENFENCESAPPLEPROC __glewGenFencesAPPLE = NULL; PFNGLISFENCEAPPLEPROC __glewIsFenceAPPLE = NULL; PFNGLSETFENCEAPPLEPROC __glewSetFenceAPPLE = NULL; PFNGLTESTFENCEAPPLEPROC __glewTestFenceAPPLE = NULL; PFNGLTESTOBJECTAPPLEPROC __glewTestObjectAPPLE = NULL; PFNGLBUFFERPARAMETERIAPPLEPROC __glewBufferParameteriAPPLE = NULL; PFNGLFLUSHMAPPEDBUFFERRANGEAPPLEPROC __glewFlushMappedBufferRangeAPPLE = NULL; PFNGLRENDERBUFFERSTORAGEMULTISAMPLEAPPLEPROC __glewRenderbufferStorageMultisampleAPPLE = NULL; PFNGLRESOLVEMULTISAMPLEFRAMEBUFFERAPPLEPROC __glewResolveMultisampleFramebufferAPPLE = NULL; PFNGLGETOBJECTPARAMETERIVAPPLEPROC __glewGetObjectParameterivAPPLE = NULL; PFNGLOBJECTPURGEABLEAPPLEPROC __glewObjectPurgeableAPPLE = NULL; PFNGLOBJECTUNPURGEABLEAPPLEPROC __glewObjectUnpurgeableAPPLE = NULL; PFNGLCLIENTWAITSYNCAPPLEPROC __glewClientWaitSyncAPPLE = NULL; PFNGLDELETESYNCAPPLEPROC __glewDeleteSyncAPPLE = NULL; PFNGLFENCESYNCAPPLEPROC __glewFenceSyncAPPLE = NULL; PFNGLGETINTEGER64VAPPLEPROC __glewGetInteger64vAPPLE = NULL; PFNGLGETSYNCIVAPPLEPROC __glewGetSyncivAPPLE = NULL; PFNGLISSYNCAPPLEPROC __glewIsSyncAPPLE = NULL; PFNGLWAITSYNCAPPLEPROC __glewWaitSyncAPPLE = NULL; PFNGLGETTEXPARAMETERPOINTERVAPPLEPROC __glewGetTexParameterPointervAPPLE = NULL; PFNGLTEXTURERANGEAPPLEPROC __glewTextureRangeAPPLE = NULL; PFNGLBINDVERTEXARRAYAPPLEPROC __glewBindVertexArrayAPPLE = NULL; PFNGLDELETEVERTEXARRAYSAPPLEPROC __glewDeleteVertexArraysAPPLE = NULL; PFNGLGENVERTEXARRAYSAPPLEPROC __glewGenVertexArraysAPPLE = NULL; PFNGLISVERTEXARRAYAPPLEPROC __glewIsVertexArrayAPPLE = NULL; PFNGLFLUSHVERTEXARRAYRANGEAPPLEPROC __glewFlushVertexArrayRangeAPPLE = NULL; PFNGLVERTEXARRAYPARAMETERIAPPLEPROC __glewVertexArrayParameteriAPPLE = NULL; PFNGLVERTEXARRAYRANGEAPPLEPROC __glewVertexArrayRangeAPPLE = NULL; PFNGLDISABLEVERTEXATTRIBAPPLEPROC __glewDisableVertexAttribAPPLE = NULL; PFNGLENABLEVERTEXATTRIBAPPLEPROC __glewEnableVertexAttribAPPLE = NULL; PFNGLISVERTEXATTRIBENABLEDAPPLEPROC __glewIsVertexAttribEnabledAPPLE = NULL; PFNGLMAPVERTEXATTRIB1DAPPLEPROC __glewMapVertexAttrib1dAPPLE = NULL; PFNGLMAPVERTEXATTRIB1FAPPLEPROC __glewMapVertexAttrib1fAPPLE = NULL; PFNGLMAPVERTEXATTRIB2DAPPLEPROC __glewMapVertexAttrib2dAPPLE = NULL; PFNGLMAPVERTEXATTRIB2FAPPLEPROC __glewMapVertexAttrib2fAPPLE = NULL; PFNGLCLEARDEPTHFPROC __glewClearDepthf = NULL; PFNGLDEPTHRANGEFPROC __glewDepthRangef = NULL; PFNGLGETSHADERPRECISIONFORMATPROC __glewGetShaderPrecisionFormat = NULL; PFNGLRELEASESHADERCOMPILERPROC __glewReleaseShaderCompiler = NULL; PFNGLSHADERBINARYPROC __glewShaderBinary = NULL; PFNGLMEMORYBARRIERBYREGIONPROC __glewMemoryBarrierByRegion = NULL; PFNGLPRIMITIVEBOUNDINGBOXARBPROC __glewPrimitiveBoundingBoxARB = NULL; PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEPROC __glewDrawArraysInstancedBaseInstance = NULL; PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEPROC __glewDrawElementsInstancedBaseInstance = NULL; PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEPROC __glewDrawElementsInstancedBaseVertexBaseInstance = NULL; PFNGLGETIMAGEHANDLEARBPROC __glewGetImageHandleARB = NULL; PFNGLGETTEXTUREHANDLEARBPROC __glewGetTextureHandleARB = NULL; PFNGLGETTEXTURESAMPLERHANDLEARBPROC __glewGetTextureSamplerHandleARB = NULL; PFNGLGETVERTEXATTRIBLUI64VARBPROC __glewGetVertexAttribLui64vARB = NULL; PFNGLISIMAGEHANDLERESIDENTARBPROC __glewIsImageHandleResidentARB = NULL; PFNGLISTEXTUREHANDLERESIDENTARBPROC __glewIsTextureHandleResidentARB = NULL; PFNGLMAKEIMAGEHANDLENONRESIDENTARBPROC __glewMakeImageHandleNonResidentARB = NULL; PFNGLMAKEIMAGEHANDLERESIDENTARBPROC __glewMakeImageHandleResidentARB = NULL; PFNGLMAKETEXTUREHANDLENONRESIDENTARBPROC __glewMakeTextureHandleNonResidentARB = NULL; PFNGLMAKETEXTUREHANDLERESIDENTARBPROC __glewMakeTextureHandleResidentARB = NULL; PFNGLPROGRAMUNIFORMHANDLEUI64ARBPROC __glewProgramUniformHandleui64ARB = NULL; PFNGLPROGRAMUNIFORMHANDLEUI64VARBPROC __glewProgramUniformHandleui64vARB = NULL; PFNGLUNIFORMHANDLEUI64ARBPROC __glewUniformHandleui64ARB = NULL; PFNGLUNIFORMHANDLEUI64VARBPROC __glewUniformHandleui64vARB = NULL; PFNGLVERTEXATTRIBL1UI64ARBPROC __glewVertexAttribL1ui64ARB = NULL; PFNGLVERTEXATTRIBL1UI64VARBPROC __glewVertexAttribL1ui64vARB = NULL; PFNGLBINDFRAGDATALOCATIONINDEXEDPROC __glewBindFragDataLocationIndexed = NULL; PFNGLGETFRAGDATAINDEXPROC __glewGetFragDataIndex = NULL; PFNGLBUFFERSTORAGEPROC __glewBufferStorage = NULL; PFNGLCREATESYNCFROMCLEVENTARBPROC __glewCreateSyncFromCLeventARB = NULL; PFNGLCLEARBUFFERDATAPROC __glewClearBufferData = NULL; PFNGLCLEARBUFFERSUBDATAPROC __glewClearBufferSubData = NULL; PFNGLCLEARNAMEDBUFFERDATAEXTPROC __glewClearNamedBufferDataEXT = NULL; PFNGLCLEARNAMEDBUFFERSUBDATAEXTPROC __glewClearNamedBufferSubDataEXT = NULL; PFNGLCLEARTEXIMAGEPROC __glewClearTexImage = NULL; PFNGLCLEARTEXSUBIMAGEPROC __glewClearTexSubImage = NULL; PFNGLCLIPCONTROLPROC __glewClipControl = NULL; PFNGLCLAMPCOLORARBPROC __glewClampColorARB = NULL; PFNGLDISPATCHCOMPUTEPROC __glewDispatchCompute = NULL; PFNGLDISPATCHCOMPUTEINDIRECTPROC __glewDispatchComputeIndirect = NULL; PFNGLDISPATCHCOMPUTEGROUPSIZEARBPROC __glewDispatchComputeGroupSizeARB = NULL; PFNGLCOPYBUFFERSUBDATAPROC __glewCopyBufferSubData = NULL; PFNGLCOPYIMAGESUBDATAPROC __glewCopyImageSubData = NULL; PFNGLDEBUGMESSAGECALLBACKARBPROC __glewDebugMessageCallbackARB = NULL; PFNGLDEBUGMESSAGECONTROLARBPROC __glewDebugMessageControlARB = NULL; PFNGLDEBUGMESSAGEINSERTARBPROC __glewDebugMessageInsertARB = NULL; PFNGLGETDEBUGMESSAGELOGARBPROC __glewGetDebugMessageLogARB = NULL; PFNGLBINDTEXTUREUNITPROC __glewBindTextureUnit = NULL; PFNGLBLITNAMEDFRAMEBUFFERPROC __glewBlitNamedFramebuffer = NULL; PFNGLCHECKNAMEDFRAMEBUFFERSTATUSPROC __glewCheckNamedFramebufferStatus = NULL; PFNGLCLEARNAMEDBUFFERDATAPROC __glewClearNamedBufferData = NULL; PFNGLCLEARNAMEDBUFFERSUBDATAPROC __glewClearNamedBufferSubData = NULL; PFNGLCLEARNAMEDFRAMEBUFFERFIPROC __glewClearNamedFramebufferfi = NULL; PFNGLCLEARNAMEDFRAMEBUFFERFVPROC __glewClearNamedFramebufferfv = NULL; PFNGLCLEARNAMEDFRAMEBUFFERIVPROC __glewClearNamedFramebufferiv = NULL; PFNGLCLEARNAMEDFRAMEBUFFERUIVPROC __glewClearNamedFramebufferuiv = NULL; PFNGLCOMPRESSEDTEXTURESUBIMAGE1DPROC __glewCompressedTextureSubImage1D = NULL; PFNGLCOMPRESSEDTEXTURESUBIMAGE2DPROC __glewCompressedTextureSubImage2D = NULL; PFNGLCOMPRESSEDTEXTURESUBIMAGE3DPROC __glewCompressedTextureSubImage3D = NULL; PFNGLCOPYNAMEDBUFFERSUBDATAPROC __glewCopyNamedBufferSubData = NULL; PFNGLCOPYTEXTURESUBIMAGE1DPROC __glewCopyTextureSubImage1D = NULL; PFNGLCOPYTEXTURESUBIMAGE2DPROC __glewCopyTextureSubImage2D = NULL; PFNGLCOPYTEXTURESUBIMAGE3DPROC __glewCopyTextureSubImage3D = NULL; PFNGLCREATEBUFFERSPROC __glewCreateBuffers = NULL; PFNGLCREATEFRAMEBUFFERSPROC __glewCreateFramebuffers = NULL; PFNGLCREATEPROGRAMPIPELINESPROC __glewCreateProgramPipelines = NULL; PFNGLCREATEQUERIESPROC __glewCreateQueries = NULL; PFNGLCREATERENDERBUFFERSPROC __glewCreateRenderbuffers = NULL; PFNGLCREATESAMPLERSPROC __glewCreateSamplers = NULL; PFNGLCREATETEXTURESPROC __glewCreateTextures = NULL; PFNGLCREATETRANSFORMFEEDBACKSPROC __glewCreateTransformFeedbacks = NULL; PFNGLCREATEVERTEXARRAYSPROC __glewCreateVertexArrays = NULL; PFNGLDISABLEVERTEXARRAYATTRIBPROC __glewDisableVertexArrayAttrib = NULL; PFNGLENABLEVERTEXARRAYATTRIBPROC __glewEnableVertexArrayAttrib = NULL; PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEPROC __glewFlushMappedNamedBufferRange = NULL; PFNGLGENERATETEXTUREMIPMAPPROC __glewGenerateTextureMipmap = NULL; PFNGLGETCOMPRESSEDTEXTUREIMAGEPROC __glewGetCompressedTextureImage = NULL; PFNGLGETNAMEDBUFFERPARAMETERI64VPROC __glewGetNamedBufferParameteri64v = NULL; PFNGLGETNAMEDBUFFERPARAMETERIVPROC __glewGetNamedBufferParameteriv = NULL; PFNGLGETNAMEDBUFFERPOINTERVPROC __glewGetNamedBufferPointerv = NULL; PFNGLGETNAMEDBUFFERSUBDATAPROC __glewGetNamedBufferSubData = NULL; PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVPROC __glewGetNamedFramebufferAttachmentParameteriv = NULL; PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVPROC __glewGetNamedFramebufferParameteriv = NULL; PFNGLGETNAMEDRENDERBUFFERPARAMETERIVPROC __glewGetNamedRenderbufferParameteriv = NULL; PFNGLGETQUERYBUFFEROBJECTI64VPROC __glewGetQueryBufferObjecti64v = NULL; PFNGLGETQUERYBUFFEROBJECTIVPROC __glewGetQueryBufferObjectiv = NULL; PFNGLGETQUERYBUFFEROBJECTUI64VPROC __glewGetQueryBufferObjectui64v = NULL; PFNGLGETQUERYBUFFEROBJECTUIVPROC __glewGetQueryBufferObjectuiv = NULL; PFNGLGETTEXTUREIMAGEPROC __glewGetTextureImage = NULL; PFNGLGETTEXTURELEVELPARAMETERFVPROC __glewGetTextureLevelParameterfv = NULL; PFNGLGETTEXTURELEVELPARAMETERIVPROC __glewGetTextureLevelParameteriv = NULL; PFNGLGETTEXTUREPARAMETERIIVPROC __glewGetTextureParameterIiv = NULL; PFNGLGETTEXTUREPARAMETERIUIVPROC __glewGetTextureParameterIuiv = NULL; PFNGLGETTEXTUREPARAMETERFVPROC __glewGetTextureParameterfv = NULL; PFNGLGETTEXTUREPARAMETERIVPROC __glewGetTextureParameteriv = NULL; PFNGLGETTRANSFORMFEEDBACKI64_VPROC __glewGetTransformFeedbacki64_v = NULL; PFNGLGETTRANSFORMFEEDBACKI_VPROC __glewGetTransformFeedbacki_v = NULL; PFNGLGETTRANSFORMFEEDBACKIVPROC __glewGetTransformFeedbackiv = NULL; PFNGLGETVERTEXARRAYINDEXED64IVPROC __glewGetVertexArrayIndexed64iv = NULL; PFNGLGETVERTEXARRAYINDEXEDIVPROC __glewGetVertexArrayIndexediv = NULL; PFNGLGETVERTEXARRAYIVPROC __glewGetVertexArrayiv = NULL; PFNGLINVALIDATENAMEDFRAMEBUFFERDATAPROC __glewInvalidateNamedFramebufferData = NULL; PFNGLINVALIDATENAMEDFRAMEBUFFERSUBDATAPROC __glewInvalidateNamedFramebufferSubData = NULL; PFNGLMAPNAMEDBUFFERPROC __glewMapNamedBuffer = NULL; PFNGLMAPNAMEDBUFFERRANGEPROC __glewMapNamedBufferRange = NULL; PFNGLNAMEDBUFFERDATAPROC __glewNamedBufferData = NULL; PFNGLNAMEDBUFFERSTORAGEPROC __glewNamedBufferStorage = NULL; PFNGLNAMEDBUFFERSUBDATAPROC __glewNamedBufferSubData = NULL; PFNGLNAMEDFRAMEBUFFERDRAWBUFFERPROC __glewNamedFramebufferDrawBuffer = NULL; PFNGLNAMEDFRAMEBUFFERDRAWBUFFERSPROC __glewNamedFramebufferDrawBuffers = NULL; PFNGLNAMEDFRAMEBUFFERPARAMETERIPROC __glewNamedFramebufferParameteri = NULL; PFNGLNAMEDFRAMEBUFFERREADBUFFERPROC __glewNamedFramebufferReadBuffer = NULL; PFNGLNAMEDFRAMEBUFFERRENDERBUFFERPROC __glewNamedFramebufferRenderbuffer = NULL; PFNGLNAMEDFRAMEBUFFERTEXTUREPROC __glewNamedFramebufferTexture = NULL; PFNGLNAMEDFRAMEBUFFERTEXTURELAYERPROC __glewNamedFramebufferTextureLayer = NULL; PFNGLNAMEDRENDERBUFFERSTORAGEPROC __glewNamedRenderbufferStorage = NULL; PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEPROC __glewNamedRenderbufferStorageMultisample = NULL; PFNGLTEXTUREBUFFERPROC __glewTextureBuffer = NULL; PFNGLTEXTUREBUFFERRANGEPROC __glewTextureBufferRange = NULL; PFNGLTEXTUREPARAMETERIIVPROC __glewTextureParameterIiv = NULL; PFNGLTEXTUREPARAMETERIUIVPROC __glewTextureParameterIuiv = NULL; PFNGLTEXTUREPARAMETERFPROC __glewTextureParameterf = NULL; PFNGLTEXTUREPARAMETERFVPROC __glewTextureParameterfv = NULL; PFNGLTEXTUREPARAMETERIPROC __glewTextureParameteri = NULL; PFNGLTEXTUREPARAMETERIVPROC __glewTextureParameteriv = NULL; PFNGLTEXTURESTORAGE1DPROC __glewTextureStorage1D = NULL; PFNGLTEXTURESTORAGE2DPROC __glewTextureStorage2D = NULL; PFNGLTEXTURESTORAGE2DMULTISAMPLEPROC __glewTextureStorage2DMultisample = NULL; PFNGLTEXTURESTORAGE3DPROC __glewTextureStorage3D = NULL; PFNGLTEXTURESTORAGE3DMULTISAMPLEPROC __glewTextureStorage3DMultisample = NULL; PFNGLTEXTURESUBIMAGE1DPROC __glewTextureSubImage1D = NULL; PFNGLTEXTURESUBIMAGE2DPROC __glewTextureSubImage2D = NULL; PFNGLTEXTURESUBIMAGE3DPROC __glewTextureSubImage3D = NULL; PFNGLTRANSFORMFEEDBACKBUFFERBASEPROC __glewTransformFeedbackBufferBase = NULL; PFNGLTRANSFORMFEEDBACKBUFFERRANGEPROC __glewTransformFeedbackBufferRange = NULL; PFNGLUNMAPNAMEDBUFFERPROC __glewUnmapNamedBuffer = NULL; PFNGLVERTEXARRAYATTRIBBINDINGPROC __glewVertexArrayAttribBinding = NULL; PFNGLVERTEXARRAYATTRIBFORMATPROC __glewVertexArrayAttribFormat = NULL; PFNGLVERTEXARRAYATTRIBIFORMATPROC __glewVertexArrayAttribIFormat = NULL; PFNGLVERTEXARRAYATTRIBLFORMATPROC __glewVertexArrayAttribLFormat = NULL; PFNGLVERTEXARRAYBINDINGDIVISORPROC __glewVertexArrayBindingDivisor = NULL; PFNGLVERTEXARRAYELEMENTBUFFERPROC __glewVertexArrayElementBuffer = NULL; PFNGLVERTEXARRAYVERTEXBUFFERPROC __glewVertexArrayVertexBuffer = NULL; PFNGLVERTEXARRAYVERTEXBUFFERSPROC __glewVertexArrayVertexBuffers = NULL; PFNGLDRAWBUFFERSARBPROC __glewDrawBuffersARB = NULL; PFNGLBLENDEQUATIONSEPARATEIARBPROC __glewBlendEquationSeparateiARB = NULL; PFNGLBLENDEQUATIONIARBPROC __glewBlendEquationiARB = NULL; PFNGLBLENDFUNCSEPARATEIARBPROC __glewBlendFuncSeparateiARB = NULL; PFNGLBLENDFUNCIARBPROC __glewBlendFunciARB = NULL; PFNGLDRAWELEMENTSBASEVERTEXPROC __glewDrawElementsBaseVertex = NULL; PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXPROC __glewDrawElementsInstancedBaseVertex = NULL; PFNGLDRAWRANGEELEMENTSBASEVERTEXPROC __glewDrawRangeElementsBaseVertex = NULL; PFNGLMULTIDRAWELEMENTSBASEVERTEXPROC __glewMultiDrawElementsBaseVertex = NULL; PFNGLDRAWARRAYSINDIRECTPROC __glewDrawArraysIndirect = NULL; PFNGLDRAWELEMENTSINDIRECTPROC __glewDrawElementsIndirect = NULL; PFNGLFRAMEBUFFERPARAMETERIPROC __glewFramebufferParameteri = NULL; PFNGLGETFRAMEBUFFERPARAMETERIVPROC __glewGetFramebufferParameteriv = NULL; PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVEXTPROC __glewGetNamedFramebufferParameterivEXT = NULL; PFNGLNAMEDFRAMEBUFFERPARAMETERIEXTPROC __glewNamedFramebufferParameteriEXT = NULL; PFNGLBINDFRAMEBUFFERPROC __glewBindFramebuffer = NULL; PFNGLBINDRENDERBUFFERPROC __glewBindRenderbuffer = NULL; PFNGLBLITFRAMEBUFFERPROC __glewBlitFramebuffer = NULL; PFNGLCHECKFRAMEBUFFERSTATUSPROC __glewCheckFramebufferStatus = NULL; PFNGLDELETEFRAMEBUFFERSPROC __glewDeleteFramebuffers = NULL; PFNGLDELETERENDERBUFFERSPROC __glewDeleteRenderbuffers = NULL; PFNGLFRAMEBUFFERRENDERBUFFERPROC __glewFramebufferRenderbuffer = NULL; PFNGLFRAMEBUFFERTEXTURE1DPROC __glewFramebufferTexture1D = NULL; PFNGLFRAMEBUFFERTEXTURE2DPROC __glewFramebufferTexture2D = NULL; PFNGLFRAMEBUFFERTEXTURE3DPROC __glewFramebufferTexture3D = NULL; PFNGLFRAMEBUFFERTEXTURELAYERPROC __glewFramebufferTextureLayer = NULL; PFNGLGENFRAMEBUFFERSPROC __glewGenFramebuffers = NULL; PFNGLGENRENDERBUFFERSPROC __glewGenRenderbuffers = NULL; PFNGLGENERATEMIPMAPPROC __glewGenerateMipmap = NULL; PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVPROC __glewGetFramebufferAttachmentParameteriv = NULL; PFNGLGETRENDERBUFFERPARAMETERIVPROC __glewGetRenderbufferParameteriv = NULL; PFNGLISFRAMEBUFFERPROC __glewIsFramebuffer = NULL; PFNGLISRENDERBUFFERPROC __glewIsRenderbuffer = NULL; PFNGLRENDERBUFFERSTORAGEPROC __glewRenderbufferStorage = NULL; PFNGLRENDERBUFFERSTORAGEMULTISAMPLEPROC __glewRenderbufferStorageMultisample = NULL; PFNGLFRAMEBUFFERTEXTUREARBPROC __glewFramebufferTextureARB = NULL; PFNGLFRAMEBUFFERTEXTUREFACEARBPROC __glewFramebufferTextureFaceARB = NULL; PFNGLFRAMEBUFFERTEXTURELAYERARBPROC __glewFramebufferTextureLayerARB = NULL; PFNGLPROGRAMPARAMETERIARBPROC __glewProgramParameteriARB = NULL; PFNGLGETPROGRAMBINARYPROC __glewGetProgramBinary = NULL; PFNGLPROGRAMBINARYPROC __glewProgramBinary = NULL; PFNGLPROGRAMPARAMETERIPROC __glewProgramParameteri = NULL; PFNGLGETCOMPRESSEDTEXTURESUBIMAGEPROC __glewGetCompressedTextureSubImage = NULL; PFNGLGETTEXTURESUBIMAGEPROC __glewGetTextureSubImage = NULL; PFNGLSPECIALIZESHADERARBPROC __glewSpecializeShaderARB = NULL; PFNGLGETUNIFORMDVPROC __glewGetUniformdv = NULL; PFNGLUNIFORM1DPROC __glewUniform1d = NULL; PFNGLUNIFORM1DVPROC __glewUniform1dv = NULL; PFNGLUNIFORM2DPROC __glewUniform2d = NULL; PFNGLUNIFORM2DVPROC __glewUniform2dv = NULL; PFNGLUNIFORM3DPROC __glewUniform3d = NULL; PFNGLUNIFORM3DVPROC __glewUniform3dv = NULL; PFNGLUNIFORM4DPROC __glewUniform4d = NULL; PFNGLUNIFORM4DVPROC __glewUniform4dv = NULL; PFNGLUNIFORMMATRIX2DVPROC __glewUniformMatrix2dv = NULL; PFNGLUNIFORMMATRIX2X3DVPROC __glewUniformMatrix2x3dv = NULL; PFNGLUNIFORMMATRIX2X4DVPROC __glewUniformMatrix2x4dv = NULL; PFNGLUNIFORMMATRIX3DVPROC __glewUniformMatrix3dv = NULL; PFNGLUNIFORMMATRIX3X2DVPROC __glewUniformMatrix3x2dv = NULL; PFNGLUNIFORMMATRIX3X4DVPROC __glewUniformMatrix3x4dv = NULL; PFNGLUNIFORMMATRIX4DVPROC __glewUniformMatrix4dv = NULL; PFNGLUNIFORMMATRIX4X2DVPROC __glewUniformMatrix4x2dv = NULL; PFNGLUNIFORMMATRIX4X3DVPROC __glewUniformMatrix4x3dv = NULL; PFNGLGETUNIFORMI64VARBPROC __glewGetUniformi64vARB = NULL; PFNGLGETUNIFORMUI64VARBPROC __glewGetUniformui64vARB = NULL; PFNGLGETNUNIFORMI64VARBPROC __glewGetnUniformi64vARB = NULL; PFNGLGETNUNIFORMUI64VARBPROC __glewGetnUniformui64vARB = NULL; PFNGLPROGRAMUNIFORM1I64ARBPROC __glewProgramUniform1i64ARB = NULL; PFNGLPROGRAMUNIFORM1I64VARBPROC __glewProgramUniform1i64vARB = NULL; PFNGLPROGRAMUNIFORM1UI64ARBPROC __glewProgramUniform1ui64ARB = NULL; PFNGLPROGRAMUNIFORM1UI64VARBPROC __glewProgramUniform1ui64vARB = NULL; PFNGLPROGRAMUNIFORM2I64ARBPROC __glewProgramUniform2i64ARB = NULL; PFNGLPROGRAMUNIFORM2I64VARBPROC __glewProgramUniform2i64vARB = NULL; PFNGLPROGRAMUNIFORM2UI64ARBPROC __glewProgramUniform2ui64ARB = NULL; PFNGLPROGRAMUNIFORM2UI64VARBPROC __glewProgramUniform2ui64vARB = NULL; PFNGLPROGRAMUNIFORM3I64ARBPROC __glewProgramUniform3i64ARB = NULL; PFNGLPROGRAMUNIFORM3I64VARBPROC __glewProgramUniform3i64vARB = NULL; PFNGLPROGRAMUNIFORM3UI64ARBPROC __glewProgramUniform3ui64ARB = NULL; PFNGLPROGRAMUNIFORM3UI64VARBPROC __glewProgramUniform3ui64vARB = NULL; PFNGLPROGRAMUNIFORM4I64ARBPROC __glewProgramUniform4i64ARB = NULL; PFNGLPROGRAMUNIFORM4I64VARBPROC __glewProgramUniform4i64vARB = NULL; PFNGLPROGRAMUNIFORM4UI64ARBPROC __glewProgramUniform4ui64ARB = NULL; PFNGLPROGRAMUNIFORM4UI64VARBPROC __glewProgramUniform4ui64vARB = NULL; PFNGLUNIFORM1I64ARBPROC __glewUniform1i64ARB = NULL; PFNGLUNIFORM1I64VARBPROC __glewUniform1i64vARB = NULL; PFNGLUNIFORM1UI64ARBPROC __glewUniform1ui64ARB = NULL; PFNGLUNIFORM1UI64VARBPROC __glewUniform1ui64vARB = NULL; PFNGLUNIFORM2I64ARBPROC __glewUniform2i64ARB = NULL; PFNGLUNIFORM2I64VARBPROC __glewUniform2i64vARB = NULL; PFNGLUNIFORM2UI64ARBPROC __glewUniform2ui64ARB = NULL; PFNGLUNIFORM2UI64VARBPROC __glewUniform2ui64vARB = NULL; PFNGLUNIFORM3I64ARBPROC __glewUniform3i64ARB = NULL; PFNGLUNIFORM3I64VARBPROC __glewUniform3i64vARB = NULL; PFNGLUNIFORM3UI64ARBPROC __glewUniform3ui64ARB = NULL; PFNGLUNIFORM3UI64VARBPROC __glewUniform3ui64vARB = NULL; PFNGLUNIFORM4I64ARBPROC __glewUniform4i64ARB = NULL; PFNGLUNIFORM4I64VARBPROC __glewUniform4i64vARB = NULL; PFNGLUNIFORM4UI64ARBPROC __glewUniform4ui64ARB = NULL; PFNGLUNIFORM4UI64VARBPROC __glewUniform4ui64vARB = NULL; PFNGLCOLORSUBTABLEPROC __glewColorSubTable = NULL; PFNGLCOLORTABLEPROC __glewColorTable = NULL; PFNGLCOLORTABLEPARAMETERFVPROC __glewColorTableParameterfv = NULL; PFNGLCOLORTABLEPARAMETERIVPROC __glewColorTableParameteriv = NULL; PFNGLCONVOLUTIONFILTER1DPROC __glewConvolutionFilter1D = NULL; PFNGLCONVOLUTIONFILTER2DPROC __glewConvolutionFilter2D = NULL; PFNGLCONVOLUTIONPARAMETERFPROC __glewConvolutionParameterf = NULL; PFNGLCONVOLUTIONPARAMETERFVPROC __glewConvolutionParameterfv = NULL; PFNGLCONVOLUTIONPARAMETERIPROC __glewConvolutionParameteri = NULL; PFNGLCONVOLUTIONPARAMETERIVPROC __glewConvolutionParameteriv = NULL; PFNGLCOPYCOLORSUBTABLEPROC __glewCopyColorSubTable = NULL; PFNGLCOPYCOLORTABLEPROC __glewCopyColorTable = NULL; PFNGLCOPYCONVOLUTIONFILTER1DPROC __glewCopyConvolutionFilter1D = NULL; PFNGLCOPYCONVOLUTIONFILTER2DPROC __glewCopyConvolutionFilter2D = NULL; PFNGLGETCOLORTABLEPROC __glewGetColorTable = NULL; PFNGLGETCOLORTABLEPARAMETERFVPROC __glewGetColorTableParameterfv = NULL; PFNGLGETCOLORTABLEPARAMETERIVPROC __glewGetColorTableParameteriv = NULL; PFNGLGETCONVOLUTIONFILTERPROC __glewGetConvolutionFilter = NULL; PFNGLGETCONVOLUTIONPARAMETERFVPROC __glewGetConvolutionParameterfv = NULL; PFNGLGETCONVOLUTIONPARAMETERIVPROC __glewGetConvolutionParameteriv = NULL; PFNGLGETHISTOGRAMPROC __glewGetHistogram = NULL; PFNGLGETHISTOGRAMPARAMETERFVPROC __glewGetHistogramParameterfv = NULL; PFNGLGETHISTOGRAMPARAMETERIVPROC __glewGetHistogramParameteriv = NULL; PFNGLGETMINMAXPROC __glewGetMinmax = NULL; PFNGLGETMINMAXPARAMETERFVPROC __glewGetMinmaxParameterfv = NULL; PFNGLGETMINMAXPARAMETERIVPROC __glewGetMinmaxParameteriv = NULL; PFNGLGETSEPARABLEFILTERPROC __glewGetSeparableFilter = NULL; PFNGLHISTOGRAMPROC __glewHistogram = NULL; PFNGLMINMAXPROC __glewMinmax = NULL; PFNGLRESETHISTOGRAMPROC __glewResetHistogram = NULL; PFNGLRESETMINMAXPROC __glewResetMinmax = NULL; PFNGLSEPARABLEFILTER2DPROC __glewSeparableFilter2D = NULL; PFNGLMULTIDRAWARRAYSINDIRECTCOUNTARBPROC __glewMultiDrawArraysIndirectCountARB = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTARBPROC __glewMultiDrawElementsIndirectCountARB = NULL; PFNGLDRAWARRAYSINSTANCEDARBPROC __glewDrawArraysInstancedARB = NULL; PFNGLDRAWELEMENTSINSTANCEDARBPROC __glewDrawElementsInstancedARB = NULL; PFNGLVERTEXATTRIBDIVISORARBPROC __glewVertexAttribDivisorARB = NULL; PFNGLGETINTERNALFORMATIVPROC __glewGetInternalformativ = NULL; PFNGLGETINTERNALFORMATI64VPROC __glewGetInternalformati64v = NULL; PFNGLINVALIDATEBUFFERDATAPROC __glewInvalidateBufferData = NULL; PFNGLINVALIDATEBUFFERSUBDATAPROC __glewInvalidateBufferSubData = NULL; PFNGLINVALIDATEFRAMEBUFFERPROC __glewInvalidateFramebuffer = NULL; PFNGLINVALIDATESUBFRAMEBUFFERPROC __glewInvalidateSubFramebuffer = NULL; PFNGLINVALIDATETEXIMAGEPROC __glewInvalidateTexImage = NULL; PFNGLINVALIDATETEXSUBIMAGEPROC __glewInvalidateTexSubImage = NULL; PFNGLFLUSHMAPPEDBUFFERRANGEPROC __glewFlushMappedBufferRange = NULL; PFNGLMAPBUFFERRANGEPROC __glewMapBufferRange = NULL; PFNGLCURRENTPALETTEMATRIXARBPROC __glewCurrentPaletteMatrixARB = NULL; PFNGLMATRIXINDEXPOINTERARBPROC __glewMatrixIndexPointerARB = NULL; PFNGLMATRIXINDEXUBVARBPROC __glewMatrixIndexubvARB = NULL; PFNGLMATRIXINDEXUIVARBPROC __glewMatrixIndexuivARB = NULL; PFNGLMATRIXINDEXUSVARBPROC __glewMatrixIndexusvARB = NULL; PFNGLBINDBUFFERSBASEPROC __glewBindBuffersBase = NULL; PFNGLBINDBUFFERSRANGEPROC __glewBindBuffersRange = NULL; PFNGLBINDIMAGETEXTURESPROC __glewBindImageTextures = NULL; PFNGLBINDSAMPLERSPROC __glewBindSamplers = NULL; PFNGLBINDTEXTURESPROC __glewBindTextures = NULL; PFNGLBINDVERTEXBUFFERSPROC __glewBindVertexBuffers = NULL; PFNGLMULTIDRAWARRAYSINDIRECTPROC __glewMultiDrawArraysIndirect = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTPROC __glewMultiDrawElementsIndirect = NULL; PFNGLSAMPLECOVERAGEARBPROC __glewSampleCoverageARB = NULL; PFNGLACTIVETEXTUREARBPROC __glewActiveTextureARB = NULL; PFNGLCLIENTACTIVETEXTUREARBPROC __glewClientActiveTextureARB = NULL; PFNGLMULTITEXCOORD1DARBPROC __glewMultiTexCoord1dARB = NULL; PFNGLMULTITEXCOORD1DVARBPROC __glewMultiTexCoord1dvARB = NULL; PFNGLMULTITEXCOORD1FARBPROC __glewMultiTexCoord1fARB = NULL; PFNGLMULTITEXCOORD1FVARBPROC __glewMultiTexCoord1fvARB = NULL; PFNGLMULTITEXCOORD1IARBPROC __glewMultiTexCoord1iARB = NULL; PFNGLMULTITEXCOORD1IVARBPROC __glewMultiTexCoord1ivARB = NULL; PFNGLMULTITEXCOORD1SARBPROC __glewMultiTexCoord1sARB = NULL; PFNGLMULTITEXCOORD1SVARBPROC __glewMultiTexCoord1svARB = NULL; PFNGLMULTITEXCOORD2DARBPROC __glewMultiTexCoord2dARB = NULL; PFNGLMULTITEXCOORD2DVARBPROC __glewMultiTexCoord2dvARB = NULL; PFNGLMULTITEXCOORD2FARBPROC __glewMultiTexCoord2fARB = NULL; PFNGLMULTITEXCOORD2FVARBPROC __glewMultiTexCoord2fvARB = NULL; PFNGLMULTITEXCOORD2IARBPROC __glewMultiTexCoord2iARB = NULL; PFNGLMULTITEXCOORD2IVARBPROC __glewMultiTexCoord2ivARB = NULL; PFNGLMULTITEXCOORD2SARBPROC __glewMultiTexCoord2sARB = NULL; PFNGLMULTITEXCOORD2SVARBPROC __glewMultiTexCoord2svARB = NULL; PFNGLMULTITEXCOORD3DARBPROC __glewMultiTexCoord3dARB = NULL; PFNGLMULTITEXCOORD3DVARBPROC __glewMultiTexCoord3dvARB = NULL; PFNGLMULTITEXCOORD3FARBPROC __glewMultiTexCoord3fARB = NULL; PFNGLMULTITEXCOORD3FVARBPROC __glewMultiTexCoord3fvARB = NULL; PFNGLMULTITEXCOORD3IARBPROC __glewMultiTexCoord3iARB = NULL; PFNGLMULTITEXCOORD3IVARBPROC __glewMultiTexCoord3ivARB = NULL; PFNGLMULTITEXCOORD3SARBPROC __glewMultiTexCoord3sARB = NULL; PFNGLMULTITEXCOORD3SVARBPROC __glewMultiTexCoord3svARB = NULL; PFNGLMULTITEXCOORD4DARBPROC __glewMultiTexCoord4dARB = NULL; PFNGLMULTITEXCOORD4DVARBPROC __glewMultiTexCoord4dvARB = NULL; PFNGLMULTITEXCOORD4FARBPROC __glewMultiTexCoord4fARB = NULL; PFNGLMULTITEXCOORD4FVARBPROC __glewMultiTexCoord4fvARB = NULL; PFNGLMULTITEXCOORD4IARBPROC __glewMultiTexCoord4iARB = NULL; PFNGLMULTITEXCOORD4IVARBPROC __glewMultiTexCoord4ivARB = NULL; PFNGLMULTITEXCOORD4SARBPROC __glewMultiTexCoord4sARB = NULL; PFNGLMULTITEXCOORD4SVARBPROC __glewMultiTexCoord4svARB = NULL; PFNGLBEGINQUERYARBPROC __glewBeginQueryARB = NULL; PFNGLDELETEQUERIESARBPROC __glewDeleteQueriesARB = NULL; PFNGLENDQUERYARBPROC __glewEndQueryARB = NULL; PFNGLGENQUERIESARBPROC __glewGenQueriesARB = NULL; PFNGLGETQUERYOBJECTIVARBPROC __glewGetQueryObjectivARB = NULL; PFNGLGETQUERYOBJECTUIVARBPROC __glewGetQueryObjectuivARB = NULL; PFNGLGETQUERYIVARBPROC __glewGetQueryivARB = NULL; PFNGLISQUERYARBPROC __glewIsQueryARB = NULL; PFNGLMAXSHADERCOMPILERTHREADSARBPROC __glewMaxShaderCompilerThreadsARB = NULL; PFNGLPOINTPARAMETERFARBPROC __glewPointParameterfARB = NULL; PFNGLPOINTPARAMETERFVARBPROC __glewPointParameterfvARB = NULL; PFNGLPOLYGONOFFSETCLAMPPROC __glewPolygonOffsetClamp = NULL; PFNGLGETPROGRAMINTERFACEIVPROC __glewGetProgramInterfaceiv = NULL; PFNGLGETPROGRAMRESOURCEINDEXPROC __glewGetProgramResourceIndex = NULL; PFNGLGETPROGRAMRESOURCELOCATIONPROC __glewGetProgramResourceLocation = NULL; PFNGLGETPROGRAMRESOURCELOCATIONINDEXPROC __glewGetProgramResourceLocationIndex = NULL; PFNGLGETPROGRAMRESOURCENAMEPROC __glewGetProgramResourceName = NULL; PFNGLGETPROGRAMRESOURCEIVPROC __glewGetProgramResourceiv = NULL; PFNGLPROVOKINGVERTEXPROC __glewProvokingVertex = NULL; PFNGLGETGRAPHICSRESETSTATUSARBPROC __glewGetGraphicsResetStatusARB = NULL; PFNGLGETNCOLORTABLEARBPROC __glewGetnColorTableARB = NULL; PFNGLGETNCOMPRESSEDTEXIMAGEARBPROC __glewGetnCompressedTexImageARB = NULL; PFNGLGETNCONVOLUTIONFILTERARBPROC __glewGetnConvolutionFilterARB = NULL; PFNGLGETNHISTOGRAMARBPROC __glewGetnHistogramARB = NULL; PFNGLGETNMAPDVARBPROC __glewGetnMapdvARB = NULL; PFNGLGETNMAPFVARBPROC __glewGetnMapfvARB = NULL; PFNGLGETNMAPIVARBPROC __glewGetnMapivARB = NULL; PFNGLGETNMINMAXARBPROC __glewGetnMinmaxARB = NULL; PFNGLGETNPIXELMAPFVARBPROC __glewGetnPixelMapfvARB = NULL; PFNGLGETNPIXELMAPUIVARBPROC __glewGetnPixelMapuivARB = NULL; PFNGLGETNPIXELMAPUSVARBPROC __glewGetnPixelMapusvARB = NULL; PFNGLGETNPOLYGONSTIPPLEARBPROC __glewGetnPolygonStippleARB = NULL; PFNGLGETNSEPARABLEFILTERARBPROC __glewGetnSeparableFilterARB = NULL; PFNGLGETNTEXIMAGEARBPROC __glewGetnTexImageARB = NULL; PFNGLGETNUNIFORMDVARBPROC __glewGetnUniformdvARB = NULL; PFNGLGETNUNIFORMFVARBPROC __glewGetnUniformfvARB = NULL; PFNGLGETNUNIFORMIVARBPROC __glewGetnUniformivARB = NULL; PFNGLGETNUNIFORMUIVARBPROC __glewGetnUniformuivARB = NULL; PFNGLREADNPIXELSARBPROC __glewReadnPixelsARB = NULL; PFNGLFRAMEBUFFERSAMPLELOCATIONSFVARBPROC __glewFramebufferSampleLocationsfvARB = NULL; PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVARBPROC __glewNamedFramebufferSampleLocationsfvARB = NULL; PFNGLMINSAMPLESHADINGARBPROC __glewMinSampleShadingARB = NULL; PFNGLBINDSAMPLERPROC __glewBindSampler = NULL; PFNGLDELETESAMPLERSPROC __glewDeleteSamplers = NULL; PFNGLGENSAMPLERSPROC __glewGenSamplers = NULL; PFNGLGETSAMPLERPARAMETERIIVPROC __glewGetSamplerParameterIiv = NULL; PFNGLGETSAMPLERPARAMETERIUIVPROC __glewGetSamplerParameterIuiv = NULL; PFNGLGETSAMPLERPARAMETERFVPROC __glewGetSamplerParameterfv = NULL; PFNGLGETSAMPLERPARAMETERIVPROC __glewGetSamplerParameteriv = NULL; PFNGLISSAMPLERPROC __glewIsSampler = NULL; PFNGLSAMPLERPARAMETERIIVPROC __glewSamplerParameterIiv = NULL; PFNGLSAMPLERPARAMETERIUIVPROC __glewSamplerParameterIuiv = NULL; PFNGLSAMPLERPARAMETERFPROC __glewSamplerParameterf = NULL; PFNGLSAMPLERPARAMETERFVPROC __glewSamplerParameterfv = NULL; PFNGLSAMPLERPARAMETERIPROC __glewSamplerParameteri = NULL; PFNGLSAMPLERPARAMETERIVPROC __glewSamplerParameteriv = NULL; PFNGLACTIVESHADERPROGRAMPROC __glewActiveShaderProgram = NULL; PFNGLBINDPROGRAMPIPELINEPROC __glewBindProgramPipeline = NULL; PFNGLCREATESHADERPROGRAMVPROC __glewCreateShaderProgramv = NULL; PFNGLDELETEPROGRAMPIPELINESPROC __glewDeleteProgramPipelines = NULL; PFNGLGENPROGRAMPIPELINESPROC __glewGenProgramPipelines = NULL; PFNGLGETPROGRAMPIPELINEINFOLOGPROC __glewGetProgramPipelineInfoLog = NULL; PFNGLGETPROGRAMPIPELINEIVPROC __glewGetProgramPipelineiv = NULL; PFNGLISPROGRAMPIPELINEPROC __glewIsProgramPipeline = NULL; PFNGLPROGRAMUNIFORM1DPROC __glewProgramUniform1d = NULL; PFNGLPROGRAMUNIFORM1DVPROC __glewProgramUniform1dv = NULL; PFNGLPROGRAMUNIFORM1FPROC __glewProgramUniform1f = NULL; PFNGLPROGRAMUNIFORM1FVPROC __glewProgramUniform1fv = NULL; PFNGLPROGRAMUNIFORM1IPROC __glewProgramUniform1i = NULL; PFNGLPROGRAMUNIFORM1IVPROC __glewProgramUniform1iv = NULL; PFNGLPROGRAMUNIFORM1UIPROC __glewProgramUniform1ui = NULL; PFNGLPROGRAMUNIFORM1UIVPROC __glewProgramUniform1uiv = NULL; PFNGLPROGRAMUNIFORM2DPROC __glewProgramUniform2d = NULL; PFNGLPROGRAMUNIFORM2DVPROC __glewProgramUniform2dv = NULL; PFNGLPROGRAMUNIFORM2FPROC __glewProgramUniform2f = NULL; PFNGLPROGRAMUNIFORM2FVPROC __glewProgramUniform2fv = NULL; PFNGLPROGRAMUNIFORM2IPROC __glewProgramUniform2i = NULL; PFNGLPROGRAMUNIFORM2IVPROC __glewProgramUniform2iv = NULL; PFNGLPROGRAMUNIFORM2UIPROC __glewProgramUniform2ui = NULL; PFNGLPROGRAMUNIFORM2UIVPROC __glewProgramUniform2uiv = NULL; PFNGLPROGRAMUNIFORM3DPROC __glewProgramUniform3d = NULL; PFNGLPROGRAMUNIFORM3DVPROC __glewProgramUniform3dv = NULL; PFNGLPROGRAMUNIFORM3FPROC __glewProgramUniform3f = NULL; PFNGLPROGRAMUNIFORM3FVPROC __glewProgramUniform3fv = NULL; PFNGLPROGRAMUNIFORM3IPROC __glewProgramUniform3i = NULL; PFNGLPROGRAMUNIFORM3IVPROC __glewProgramUniform3iv = NULL; PFNGLPROGRAMUNIFORM3UIPROC __glewProgramUniform3ui = NULL; PFNGLPROGRAMUNIFORM3UIVPROC __glewProgramUniform3uiv = NULL; PFNGLPROGRAMUNIFORM4DPROC __glewProgramUniform4d = NULL; PFNGLPROGRAMUNIFORM4DVPROC __glewProgramUniform4dv = NULL; PFNGLPROGRAMUNIFORM4FPROC __glewProgramUniform4f = NULL; PFNGLPROGRAMUNIFORM4FVPROC __glewProgramUniform4fv = NULL; PFNGLPROGRAMUNIFORM4IPROC __glewProgramUniform4i = NULL; PFNGLPROGRAMUNIFORM4IVPROC __glewProgramUniform4iv = NULL; PFNGLPROGRAMUNIFORM4UIPROC __glewProgramUniform4ui = NULL; PFNGLPROGRAMUNIFORM4UIVPROC __glewProgramUniform4uiv = NULL; PFNGLPROGRAMUNIFORMMATRIX2DVPROC __glewProgramUniformMatrix2dv = NULL; PFNGLPROGRAMUNIFORMMATRIX2FVPROC __glewProgramUniformMatrix2fv = NULL; PFNGLPROGRAMUNIFORMMATRIX2X3DVPROC __glewProgramUniformMatrix2x3dv = NULL; PFNGLPROGRAMUNIFORMMATRIX2X3FVPROC __glewProgramUniformMatrix2x3fv = NULL; PFNGLPROGRAMUNIFORMMATRIX2X4DVPROC __glewProgramUniformMatrix2x4dv = NULL; PFNGLPROGRAMUNIFORMMATRIX2X4FVPROC __glewProgramUniformMatrix2x4fv = NULL; PFNGLPROGRAMUNIFORMMATRIX3DVPROC __glewProgramUniformMatrix3dv = NULL; PFNGLPROGRAMUNIFORMMATRIX3FVPROC __glewProgramUniformMatrix3fv = NULL; PFNGLPROGRAMUNIFORMMATRIX3X2DVPROC __glewProgramUniformMatrix3x2dv = NULL; PFNGLPROGRAMUNIFORMMATRIX3X2FVPROC __glewProgramUniformMatrix3x2fv = NULL; PFNGLPROGRAMUNIFORMMATRIX3X4DVPROC __glewProgramUniformMatrix3x4dv = NULL; PFNGLPROGRAMUNIFORMMATRIX3X4FVPROC __glewProgramUniformMatrix3x4fv = NULL; PFNGLPROGRAMUNIFORMMATRIX4DVPROC __glewProgramUniformMatrix4dv = NULL; PFNGLPROGRAMUNIFORMMATRIX4FVPROC __glewProgramUniformMatrix4fv = NULL; PFNGLPROGRAMUNIFORMMATRIX4X2DVPROC __glewProgramUniformMatrix4x2dv = NULL; PFNGLPROGRAMUNIFORMMATRIX4X2FVPROC __glewProgramUniformMatrix4x2fv = NULL; PFNGLPROGRAMUNIFORMMATRIX4X3DVPROC __glewProgramUniformMatrix4x3dv = NULL; PFNGLPROGRAMUNIFORMMATRIX4X3FVPROC __glewProgramUniformMatrix4x3fv = NULL; PFNGLUSEPROGRAMSTAGESPROC __glewUseProgramStages = NULL; PFNGLVALIDATEPROGRAMPIPELINEPROC __glewValidateProgramPipeline = NULL; PFNGLGETACTIVEATOMICCOUNTERBUFFERIVPROC __glewGetActiveAtomicCounterBufferiv = NULL; PFNGLBINDIMAGETEXTUREPROC __glewBindImageTexture = NULL; PFNGLMEMORYBARRIERPROC __glewMemoryBarrier = NULL; PFNGLATTACHOBJECTARBPROC __glewAttachObjectARB = NULL; PFNGLCOMPILESHADERARBPROC __glewCompileShaderARB = NULL; PFNGLCREATEPROGRAMOBJECTARBPROC __glewCreateProgramObjectARB = NULL; PFNGLCREATESHADEROBJECTARBPROC __glewCreateShaderObjectARB = NULL; PFNGLDELETEOBJECTARBPROC __glewDeleteObjectARB = NULL; PFNGLDETACHOBJECTARBPROC __glewDetachObjectARB = NULL; PFNGLGETACTIVEUNIFORMARBPROC __glewGetActiveUniformARB = NULL; PFNGLGETATTACHEDOBJECTSARBPROC __glewGetAttachedObjectsARB = NULL; PFNGLGETHANDLEARBPROC __glewGetHandleARB = NULL; PFNGLGETINFOLOGARBPROC __glewGetInfoLogARB = NULL; PFNGLGETOBJECTPARAMETERFVARBPROC __glewGetObjectParameterfvARB = NULL; PFNGLGETOBJECTPARAMETERIVARBPROC __glewGetObjectParameterivARB = NULL; PFNGLGETSHADERSOURCEARBPROC __glewGetShaderSourceARB = NULL; PFNGLGETUNIFORMLOCATIONARBPROC __glewGetUniformLocationARB = NULL; PFNGLGETUNIFORMFVARBPROC __glewGetUniformfvARB = NULL; PFNGLGETUNIFORMIVARBPROC __glewGetUniformivARB = NULL; PFNGLLINKPROGRAMARBPROC __glewLinkProgramARB = NULL; PFNGLSHADERSOURCEARBPROC __glewShaderSourceARB = NULL; PFNGLUNIFORM1FARBPROC __glewUniform1fARB = NULL; PFNGLUNIFORM1FVARBPROC __glewUniform1fvARB = NULL; PFNGLUNIFORM1IARBPROC __glewUniform1iARB = NULL; PFNGLUNIFORM1IVARBPROC __glewUniform1ivARB = NULL; PFNGLUNIFORM2FARBPROC __glewUniform2fARB = NULL; PFNGLUNIFORM2FVARBPROC __glewUniform2fvARB = NULL; PFNGLUNIFORM2IARBPROC __glewUniform2iARB = NULL; PFNGLUNIFORM2IVARBPROC __glewUniform2ivARB = NULL; PFNGLUNIFORM3FARBPROC __glewUniform3fARB = NULL; PFNGLUNIFORM3FVARBPROC __glewUniform3fvARB = NULL; PFNGLUNIFORM3IARBPROC __glewUniform3iARB = NULL; PFNGLUNIFORM3IVARBPROC __glewUniform3ivARB = NULL; PFNGLUNIFORM4FARBPROC __glewUniform4fARB = NULL; PFNGLUNIFORM4FVARBPROC __glewUniform4fvARB = NULL; PFNGLUNIFORM4IARBPROC __glewUniform4iARB = NULL; PFNGLUNIFORM4IVARBPROC __glewUniform4ivARB = NULL; PFNGLUNIFORMMATRIX2FVARBPROC __glewUniformMatrix2fvARB = NULL; PFNGLUNIFORMMATRIX3FVARBPROC __glewUniformMatrix3fvARB = NULL; PFNGLUNIFORMMATRIX4FVARBPROC __glewUniformMatrix4fvARB = NULL; PFNGLUSEPROGRAMOBJECTARBPROC __glewUseProgramObjectARB = NULL; PFNGLVALIDATEPROGRAMARBPROC __glewValidateProgramARB = NULL; PFNGLSHADERSTORAGEBLOCKBINDINGPROC __glewShaderStorageBlockBinding = NULL; PFNGLGETACTIVESUBROUTINENAMEPROC __glewGetActiveSubroutineName = NULL; PFNGLGETACTIVESUBROUTINEUNIFORMNAMEPROC __glewGetActiveSubroutineUniformName = NULL; PFNGLGETACTIVESUBROUTINEUNIFORMIVPROC __glewGetActiveSubroutineUniformiv = NULL; PFNGLGETPROGRAMSTAGEIVPROC __glewGetProgramStageiv = NULL; PFNGLGETSUBROUTINEINDEXPROC __glewGetSubroutineIndex = NULL; PFNGLGETSUBROUTINEUNIFORMLOCATIONPROC __glewGetSubroutineUniformLocation = NULL; PFNGLGETUNIFORMSUBROUTINEUIVPROC __glewGetUniformSubroutineuiv = NULL; PFNGLUNIFORMSUBROUTINESUIVPROC __glewUniformSubroutinesuiv = NULL; PFNGLCOMPILESHADERINCLUDEARBPROC __glewCompileShaderIncludeARB = NULL; PFNGLDELETENAMEDSTRINGARBPROC __glewDeleteNamedStringARB = NULL; PFNGLGETNAMEDSTRINGARBPROC __glewGetNamedStringARB = NULL; PFNGLGETNAMEDSTRINGIVARBPROC __glewGetNamedStringivARB = NULL; PFNGLISNAMEDSTRINGARBPROC __glewIsNamedStringARB = NULL; PFNGLNAMEDSTRINGARBPROC __glewNamedStringARB = NULL; PFNGLBUFFERPAGECOMMITMENTARBPROC __glewBufferPageCommitmentARB = NULL; PFNGLTEXPAGECOMMITMENTARBPROC __glewTexPageCommitmentARB = NULL; PFNGLCLIENTWAITSYNCPROC __glewClientWaitSync = NULL; PFNGLDELETESYNCPROC __glewDeleteSync = NULL; PFNGLFENCESYNCPROC __glewFenceSync = NULL; PFNGLGETINTEGER64VPROC __glewGetInteger64v = NULL; PFNGLGETSYNCIVPROC __glewGetSynciv = NULL; PFNGLISSYNCPROC __glewIsSync = NULL; PFNGLWAITSYNCPROC __glewWaitSync = NULL; PFNGLPATCHPARAMETERFVPROC __glewPatchParameterfv = NULL; PFNGLPATCHPARAMETERIPROC __glewPatchParameteri = NULL; PFNGLTEXTUREBARRIERPROC __glewTextureBarrier = NULL; PFNGLTEXBUFFERARBPROC __glewTexBufferARB = NULL; PFNGLTEXBUFFERRANGEPROC __glewTexBufferRange = NULL; PFNGLTEXTUREBUFFERRANGEEXTPROC __glewTextureBufferRangeEXT = NULL; PFNGLCOMPRESSEDTEXIMAGE1DARBPROC __glewCompressedTexImage1DARB = NULL; PFNGLCOMPRESSEDTEXIMAGE2DARBPROC __glewCompressedTexImage2DARB = NULL; PFNGLCOMPRESSEDTEXIMAGE3DARBPROC __glewCompressedTexImage3DARB = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE1DARBPROC __glewCompressedTexSubImage1DARB = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE2DARBPROC __glewCompressedTexSubImage2DARB = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE3DARBPROC __glewCompressedTexSubImage3DARB = NULL; PFNGLGETCOMPRESSEDTEXIMAGEARBPROC __glewGetCompressedTexImageARB = NULL; PFNGLGETMULTISAMPLEFVPROC __glewGetMultisamplefv = NULL; PFNGLSAMPLEMASKIPROC __glewSampleMaski = NULL; PFNGLTEXIMAGE2DMULTISAMPLEPROC __glewTexImage2DMultisample = NULL; PFNGLTEXIMAGE3DMULTISAMPLEPROC __glewTexImage3DMultisample = NULL; PFNGLTEXSTORAGE1DPROC __glewTexStorage1D = NULL; PFNGLTEXSTORAGE2DPROC __glewTexStorage2D = NULL; PFNGLTEXSTORAGE3DPROC __glewTexStorage3D = NULL; PFNGLTEXSTORAGE2DMULTISAMPLEPROC __glewTexStorage2DMultisample = NULL; PFNGLTEXSTORAGE3DMULTISAMPLEPROC __glewTexStorage3DMultisample = NULL; PFNGLTEXTURESTORAGE2DMULTISAMPLEEXTPROC __glewTextureStorage2DMultisampleEXT = NULL; PFNGLTEXTURESTORAGE3DMULTISAMPLEEXTPROC __glewTextureStorage3DMultisampleEXT = NULL; PFNGLTEXTUREVIEWPROC __glewTextureView = NULL; PFNGLGETQUERYOBJECTI64VPROC __glewGetQueryObjecti64v = NULL; PFNGLGETQUERYOBJECTUI64VPROC __glewGetQueryObjectui64v = NULL; PFNGLQUERYCOUNTERPROC __glewQueryCounter = NULL; PFNGLBINDTRANSFORMFEEDBACKPROC __glewBindTransformFeedback = NULL; PFNGLDELETETRANSFORMFEEDBACKSPROC __glewDeleteTransformFeedbacks = NULL; PFNGLDRAWTRANSFORMFEEDBACKPROC __glewDrawTransformFeedback = NULL; PFNGLGENTRANSFORMFEEDBACKSPROC __glewGenTransformFeedbacks = NULL; PFNGLISTRANSFORMFEEDBACKPROC __glewIsTransformFeedback = NULL; PFNGLPAUSETRANSFORMFEEDBACKPROC __glewPauseTransformFeedback = NULL; PFNGLRESUMETRANSFORMFEEDBACKPROC __glewResumeTransformFeedback = NULL; PFNGLBEGINQUERYINDEXEDPROC __glewBeginQueryIndexed = NULL; PFNGLDRAWTRANSFORMFEEDBACKSTREAMPROC __glewDrawTransformFeedbackStream = NULL; PFNGLENDQUERYINDEXEDPROC __glewEndQueryIndexed = NULL; PFNGLGETQUERYINDEXEDIVPROC __glewGetQueryIndexediv = NULL; PFNGLDRAWTRANSFORMFEEDBACKINSTANCEDPROC __glewDrawTransformFeedbackInstanced = NULL; PFNGLDRAWTRANSFORMFEEDBACKSTREAMINSTANCEDPROC __glewDrawTransformFeedbackStreamInstanced = NULL; PFNGLLOADTRANSPOSEMATRIXDARBPROC __glewLoadTransposeMatrixdARB = NULL; PFNGLLOADTRANSPOSEMATRIXFARBPROC __glewLoadTransposeMatrixfARB = NULL; PFNGLMULTTRANSPOSEMATRIXDARBPROC __glewMultTransposeMatrixdARB = NULL; PFNGLMULTTRANSPOSEMATRIXFARBPROC __glewMultTransposeMatrixfARB = NULL; PFNGLBINDBUFFERBASEPROC __glewBindBufferBase = NULL; PFNGLBINDBUFFERRANGEPROC __glewBindBufferRange = NULL; PFNGLGETACTIVEUNIFORMBLOCKNAMEPROC __glewGetActiveUniformBlockName = NULL; PFNGLGETACTIVEUNIFORMBLOCKIVPROC __glewGetActiveUniformBlockiv = NULL; PFNGLGETACTIVEUNIFORMNAMEPROC __glewGetActiveUniformName = NULL; PFNGLGETACTIVEUNIFORMSIVPROC __glewGetActiveUniformsiv = NULL; PFNGLGETINTEGERI_VPROC __glewGetIntegeri_v = NULL; PFNGLGETUNIFORMBLOCKINDEXPROC __glewGetUniformBlockIndex = NULL; PFNGLGETUNIFORMINDICESPROC __glewGetUniformIndices = NULL; PFNGLUNIFORMBLOCKBINDINGPROC __glewUniformBlockBinding = NULL; PFNGLBINDVERTEXARRAYPROC __glewBindVertexArray = NULL; PFNGLDELETEVERTEXARRAYSPROC __glewDeleteVertexArrays = NULL; PFNGLGENVERTEXARRAYSPROC __glewGenVertexArrays = NULL; PFNGLISVERTEXARRAYPROC __glewIsVertexArray = NULL; PFNGLGETVERTEXATTRIBLDVPROC __glewGetVertexAttribLdv = NULL; PFNGLVERTEXATTRIBL1DPROC __glewVertexAttribL1d = NULL; PFNGLVERTEXATTRIBL1DVPROC __glewVertexAttribL1dv = NULL; PFNGLVERTEXATTRIBL2DPROC __glewVertexAttribL2d = NULL; PFNGLVERTEXATTRIBL2DVPROC __glewVertexAttribL2dv = NULL; PFNGLVERTEXATTRIBL3DPROC __glewVertexAttribL3d = NULL; PFNGLVERTEXATTRIBL3DVPROC __glewVertexAttribL3dv = NULL; PFNGLVERTEXATTRIBL4DPROC __glewVertexAttribL4d = NULL; PFNGLVERTEXATTRIBL4DVPROC __glewVertexAttribL4dv = NULL; PFNGLVERTEXATTRIBLPOINTERPROC __glewVertexAttribLPointer = NULL; PFNGLBINDVERTEXBUFFERPROC __glewBindVertexBuffer = NULL; PFNGLVERTEXARRAYBINDVERTEXBUFFEREXTPROC __glewVertexArrayBindVertexBufferEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBBINDINGEXTPROC __glewVertexArrayVertexAttribBindingEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBFORMATEXTPROC __glewVertexArrayVertexAttribFormatEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBIFORMATEXTPROC __glewVertexArrayVertexAttribIFormatEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBLFORMATEXTPROC __glewVertexArrayVertexAttribLFormatEXT = NULL; PFNGLVERTEXARRAYVERTEXBINDINGDIVISOREXTPROC __glewVertexArrayVertexBindingDivisorEXT = NULL; PFNGLVERTEXATTRIBBINDINGPROC __glewVertexAttribBinding = NULL; PFNGLVERTEXATTRIBFORMATPROC __glewVertexAttribFormat = NULL; PFNGLVERTEXATTRIBIFORMATPROC __glewVertexAttribIFormat = NULL; PFNGLVERTEXATTRIBLFORMATPROC __glewVertexAttribLFormat = NULL; PFNGLVERTEXBINDINGDIVISORPROC __glewVertexBindingDivisor = NULL; PFNGLVERTEXBLENDARBPROC __glewVertexBlendARB = NULL; PFNGLWEIGHTPOINTERARBPROC __glewWeightPointerARB = NULL; PFNGLWEIGHTBVARBPROC __glewWeightbvARB = NULL; PFNGLWEIGHTDVARBPROC __glewWeightdvARB = NULL; PFNGLWEIGHTFVARBPROC __glewWeightfvARB = NULL; PFNGLWEIGHTIVARBPROC __glewWeightivARB = NULL; PFNGLWEIGHTSVARBPROC __glewWeightsvARB = NULL; PFNGLWEIGHTUBVARBPROC __glewWeightubvARB = NULL; PFNGLWEIGHTUIVARBPROC __glewWeightuivARB = NULL; PFNGLWEIGHTUSVARBPROC __glewWeightusvARB = NULL; PFNGLBINDBUFFERARBPROC __glewBindBufferARB = NULL; PFNGLBUFFERDATAARBPROC __glewBufferDataARB = NULL; PFNGLBUFFERSUBDATAARBPROC __glewBufferSubDataARB = NULL; PFNGLDELETEBUFFERSARBPROC __glewDeleteBuffersARB = NULL; PFNGLGENBUFFERSARBPROC __glewGenBuffersARB = NULL; PFNGLGETBUFFERPARAMETERIVARBPROC __glewGetBufferParameterivARB = NULL; PFNGLGETBUFFERPOINTERVARBPROC __glewGetBufferPointervARB = NULL; PFNGLGETBUFFERSUBDATAARBPROC __glewGetBufferSubDataARB = NULL; PFNGLISBUFFERARBPROC __glewIsBufferARB = NULL; PFNGLMAPBUFFERARBPROC __glewMapBufferARB = NULL; PFNGLUNMAPBUFFERARBPROC __glewUnmapBufferARB = NULL; PFNGLBINDPROGRAMARBPROC __glewBindProgramARB = NULL; PFNGLDELETEPROGRAMSARBPROC __glewDeleteProgramsARB = NULL; PFNGLDISABLEVERTEXATTRIBARRAYARBPROC __glewDisableVertexAttribArrayARB = NULL; PFNGLENABLEVERTEXATTRIBARRAYARBPROC __glewEnableVertexAttribArrayARB = NULL; PFNGLGENPROGRAMSARBPROC __glewGenProgramsARB = NULL; PFNGLGETPROGRAMENVPARAMETERDVARBPROC __glewGetProgramEnvParameterdvARB = NULL; PFNGLGETPROGRAMENVPARAMETERFVARBPROC __glewGetProgramEnvParameterfvARB = NULL; PFNGLGETPROGRAMLOCALPARAMETERDVARBPROC __glewGetProgramLocalParameterdvARB = NULL; PFNGLGETPROGRAMLOCALPARAMETERFVARBPROC __glewGetProgramLocalParameterfvARB = NULL; PFNGLGETPROGRAMSTRINGARBPROC __glewGetProgramStringARB = NULL; PFNGLGETPROGRAMIVARBPROC __glewGetProgramivARB = NULL; PFNGLGETVERTEXATTRIBPOINTERVARBPROC __glewGetVertexAttribPointervARB = NULL; PFNGLGETVERTEXATTRIBDVARBPROC __glewGetVertexAttribdvARB = NULL; PFNGLGETVERTEXATTRIBFVARBPROC __glewGetVertexAttribfvARB = NULL; PFNGLGETVERTEXATTRIBIVARBPROC __glewGetVertexAttribivARB = NULL; PFNGLISPROGRAMARBPROC __glewIsProgramARB = NULL; PFNGLPROGRAMENVPARAMETER4DARBPROC __glewProgramEnvParameter4dARB = NULL; PFNGLPROGRAMENVPARAMETER4DVARBPROC __glewProgramEnvParameter4dvARB = NULL; PFNGLPROGRAMENVPARAMETER4FARBPROC __glewProgramEnvParameter4fARB = NULL; PFNGLPROGRAMENVPARAMETER4FVARBPROC __glewProgramEnvParameter4fvARB = NULL; PFNGLPROGRAMLOCALPARAMETER4DARBPROC __glewProgramLocalParameter4dARB = NULL; PFNGLPROGRAMLOCALPARAMETER4DVARBPROC __glewProgramLocalParameter4dvARB = NULL; PFNGLPROGRAMLOCALPARAMETER4FARBPROC __glewProgramLocalParameter4fARB = NULL; PFNGLPROGRAMLOCALPARAMETER4FVARBPROC __glewProgramLocalParameter4fvARB = NULL; PFNGLPROGRAMSTRINGARBPROC __glewProgramStringARB = NULL; PFNGLVERTEXATTRIB1DARBPROC __glewVertexAttrib1dARB = NULL; PFNGLVERTEXATTRIB1DVARBPROC __glewVertexAttrib1dvARB = NULL; PFNGLVERTEXATTRIB1FARBPROC __glewVertexAttrib1fARB = NULL; PFNGLVERTEXATTRIB1FVARBPROC __glewVertexAttrib1fvARB = NULL; PFNGLVERTEXATTRIB1SARBPROC __glewVertexAttrib1sARB = NULL; PFNGLVERTEXATTRIB1SVARBPROC __glewVertexAttrib1svARB = NULL; PFNGLVERTEXATTRIB2DARBPROC __glewVertexAttrib2dARB = NULL; PFNGLVERTEXATTRIB2DVARBPROC __glewVertexAttrib2dvARB = NULL; PFNGLVERTEXATTRIB2FARBPROC __glewVertexAttrib2fARB = NULL; PFNGLVERTEXATTRIB2FVARBPROC __glewVertexAttrib2fvARB = NULL; PFNGLVERTEXATTRIB2SARBPROC __glewVertexAttrib2sARB = NULL; PFNGLVERTEXATTRIB2SVARBPROC __glewVertexAttrib2svARB = NULL; PFNGLVERTEXATTRIB3DARBPROC __glewVertexAttrib3dARB = NULL; PFNGLVERTEXATTRIB3DVARBPROC __glewVertexAttrib3dvARB = NULL; PFNGLVERTEXATTRIB3FARBPROC __glewVertexAttrib3fARB = NULL; PFNGLVERTEXATTRIB3FVARBPROC __glewVertexAttrib3fvARB = NULL; PFNGLVERTEXATTRIB3SARBPROC __glewVertexAttrib3sARB = NULL; PFNGLVERTEXATTRIB3SVARBPROC __glewVertexAttrib3svARB = NULL; PFNGLVERTEXATTRIB4NBVARBPROC __glewVertexAttrib4NbvARB = NULL; PFNGLVERTEXATTRIB4NIVARBPROC __glewVertexAttrib4NivARB = NULL; PFNGLVERTEXATTRIB4NSVARBPROC __glewVertexAttrib4NsvARB = NULL; PFNGLVERTEXATTRIB4NUBARBPROC __glewVertexAttrib4NubARB = NULL; PFNGLVERTEXATTRIB4NUBVARBPROC __glewVertexAttrib4NubvARB = NULL; PFNGLVERTEXATTRIB4NUIVARBPROC __glewVertexAttrib4NuivARB = NULL; PFNGLVERTEXATTRIB4NUSVARBPROC __glewVertexAttrib4NusvARB = NULL; PFNGLVERTEXATTRIB4BVARBPROC __glewVertexAttrib4bvARB = NULL; PFNGLVERTEXATTRIB4DARBPROC __glewVertexAttrib4dARB = NULL; PFNGLVERTEXATTRIB4DVARBPROC __glewVertexAttrib4dvARB = NULL; PFNGLVERTEXATTRIB4FARBPROC __glewVertexAttrib4fARB = NULL; PFNGLVERTEXATTRIB4FVARBPROC __glewVertexAttrib4fvARB = NULL; PFNGLVERTEXATTRIB4IVARBPROC __glewVertexAttrib4ivARB = NULL; PFNGLVERTEXATTRIB4SARBPROC __glewVertexAttrib4sARB = NULL; PFNGLVERTEXATTRIB4SVARBPROC __glewVertexAttrib4svARB = NULL; PFNGLVERTEXATTRIB4UBVARBPROC __glewVertexAttrib4ubvARB = NULL; PFNGLVERTEXATTRIB4UIVARBPROC __glewVertexAttrib4uivARB = NULL; PFNGLVERTEXATTRIB4USVARBPROC __glewVertexAttrib4usvARB = NULL; PFNGLVERTEXATTRIBPOINTERARBPROC __glewVertexAttribPointerARB = NULL; PFNGLBINDATTRIBLOCATIONARBPROC __glewBindAttribLocationARB = NULL; PFNGLGETACTIVEATTRIBARBPROC __glewGetActiveAttribARB = NULL; PFNGLGETATTRIBLOCATIONARBPROC __glewGetAttribLocationARB = NULL; PFNGLCOLORP3UIPROC __glewColorP3ui = NULL; PFNGLCOLORP3UIVPROC __glewColorP3uiv = NULL; PFNGLCOLORP4UIPROC __glewColorP4ui = NULL; PFNGLCOLORP4UIVPROC __glewColorP4uiv = NULL; PFNGLMULTITEXCOORDP1UIPROC __glewMultiTexCoordP1ui = NULL; PFNGLMULTITEXCOORDP1UIVPROC __glewMultiTexCoordP1uiv = NULL; PFNGLMULTITEXCOORDP2UIPROC __glewMultiTexCoordP2ui = NULL; PFNGLMULTITEXCOORDP2UIVPROC __glewMultiTexCoordP2uiv = NULL; PFNGLMULTITEXCOORDP3UIPROC __glewMultiTexCoordP3ui = NULL; PFNGLMULTITEXCOORDP3UIVPROC __glewMultiTexCoordP3uiv = NULL; PFNGLMULTITEXCOORDP4UIPROC __glewMultiTexCoordP4ui = NULL; PFNGLMULTITEXCOORDP4UIVPROC __glewMultiTexCoordP4uiv = NULL; PFNGLNORMALP3UIPROC __glewNormalP3ui = NULL; PFNGLNORMALP3UIVPROC __glewNormalP3uiv = NULL; PFNGLSECONDARYCOLORP3UIPROC __glewSecondaryColorP3ui = NULL; PFNGLSECONDARYCOLORP3UIVPROC __glewSecondaryColorP3uiv = NULL; PFNGLTEXCOORDP1UIPROC __glewTexCoordP1ui = NULL; PFNGLTEXCOORDP1UIVPROC __glewTexCoordP1uiv = NULL; PFNGLTEXCOORDP2UIPROC __glewTexCoordP2ui = NULL; PFNGLTEXCOORDP2UIVPROC __glewTexCoordP2uiv = NULL; PFNGLTEXCOORDP3UIPROC __glewTexCoordP3ui = NULL; PFNGLTEXCOORDP3UIVPROC __glewTexCoordP3uiv = NULL; PFNGLTEXCOORDP4UIPROC __glewTexCoordP4ui = NULL; PFNGLTEXCOORDP4UIVPROC __glewTexCoordP4uiv = NULL; PFNGLVERTEXATTRIBP1UIPROC __glewVertexAttribP1ui = NULL; PFNGLVERTEXATTRIBP1UIVPROC __glewVertexAttribP1uiv = NULL; PFNGLVERTEXATTRIBP2UIPROC __glewVertexAttribP2ui = NULL; PFNGLVERTEXATTRIBP2UIVPROC __glewVertexAttribP2uiv = NULL; PFNGLVERTEXATTRIBP3UIPROC __glewVertexAttribP3ui = NULL; PFNGLVERTEXATTRIBP3UIVPROC __glewVertexAttribP3uiv = NULL; PFNGLVERTEXATTRIBP4UIPROC __glewVertexAttribP4ui = NULL; PFNGLVERTEXATTRIBP4UIVPROC __glewVertexAttribP4uiv = NULL; PFNGLVERTEXP2UIPROC __glewVertexP2ui = NULL; PFNGLVERTEXP2UIVPROC __glewVertexP2uiv = NULL; PFNGLVERTEXP3UIPROC __glewVertexP3ui = NULL; PFNGLVERTEXP3UIVPROC __glewVertexP3uiv = NULL; PFNGLVERTEXP4UIPROC __glewVertexP4ui = NULL; PFNGLVERTEXP4UIVPROC __glewVertexP4uiv = NULL; PFNGLDEPTHRANGEARRAYVPROC __glewDepthRangeArrayv = NULL; PFNGLDEPTHRANGEINDEXEDPROC __glewDepthRangeIndexed = NULL; PFNGLGETDOUBLEI_VPROC __glewGetDoublei_v = NULL; PFNGLGETFLOATI_VPROC __glewGetFloati_v = NULL; PFNGLSCISSORARRAYVPROC __glewScissorArrayv = NULL; PFNGLSCISSORINDEXEDPROC __glewScissorIndexed = NULL; PFNGLSCISSORINDEXEDVPROC __glewScissorIndexedv = NULL; PFNGLVIEWPORTARRAYVPROC __glewViewportArrayv = NULL; PFNGLVIEWPORTINDEXEDFPROC __glewViewportIndexedf = NULL; PFNGLVIEWPORTINDEXEDFVPROC __glewViewportIndexedfv = NULL; PFNGLWINDOWPOS2DARBPROC __glewWindowPos2dARB = NULL; PFNGLWINDOWPOS2DVARBPROC __glewWindowPos2dvARB = NULL; PFNGLWINDOWPOS2FARBPROC __glewWindowPos2fARB = NULL; PFNGLWINDOWPOS2FVARBPROC __glewWindowPos2fvARB = NULL; PFNGLWINDOWPOS2IARBPROC __glewWindowPos2iARB = NULL; PFNGLWINDOWPOS2IVARBPROC __glewWindowPos2ivARB = NULL; PFNGLWINDOWPOS2SARBPROC __glewWindowPos2sARB = NULL; PFNGLWINDOWPOS2SVARBPROC __glewWindowPos2svARB = NULL; PFNGLWINDOWPOS3DARBPROC __glewWindowPos3dARB = NULL; PFNGLWINDOWPOS3DVARBPROC __glewWindowPos3dvARB = NULL; PFNGLWINDOWPOS3FARBPROC __glewWindowPos3fARB = NULL; PFNGLWINDOWPOS3FVARBPROC __glewWindowPos3fvARB = NULL; PFNGLWINDOWPOS3IARBPROC __glewWindowPos3iARB = NULL; PFNGLWINDOWPOS3IVARBPROC __glewWindowPos3ivARB = NULL; PFNGLWINDOWPOS3SARBPROC __glewWindowPos3sARB = NULL; PFNGLWINDOWPOS3SVARBPROC __glewWindowPos3svARB = NULL; PFNGLDRAWBUFFERSATIPROC __glewDrawBuffersATI = NULL; PFNGLDRAWELEMENTARRAYATIPROC __glewDrawElementArrayATI = NULL; PFNGLDRAWRANGEELEMENTARRAYATIPROC __glewDrawRangeElementArrayATI = NULL; PFNGLELEMENTPOINTERATIPROC __glewElementPointerATI = NULL; PFNGLGETTEXBUMPPARAMETERFVATIPROC __glewGetTexBumpParameterfvATI = NULL; PFNGLGETTEXBUMPPARAMETERIVATIPROC __glewGetTexBumpParameterivATI = NULL; PFNGLTEXBUMPPARAMETERFVATIPROC __glewTexBumpParameterfvATI = NULL; PFNGLTEXBUMPPARAMETERIVATIPROC __glewTexBumpParameterivATI = NULL; PFNGLALPHAFRAGMENTOP1ATIPROC __glewAlphaFragmentOp1ATI = NULL; PFNGLALPHAFRAGMENTOP2ATIPROC __glewAlphaFragmentOp2ATI = NULL; PFNGLALPHAFRAGMENTOP3ATIPROC __glewAlphaFragmentOp3ATI = NULL; PFNGLBEGINFRAGMENTSHADERATIPROC __glewBeginFragmentShaderATI = NULL; PFNGLBINDFRAGMENTSHADERATIPROC __glewBindFragmentShaderATI = NULL; PFNGLCOLORFRAGMENTOP1ATIPROC __glewColorFragmentOp1ATI = NULL; PFNGLCOLORFRAGMENTOP2ATIPROC __glewColorFragmentOp2ATI = NULL; PFNGLCOLORFRAGMENTOP3ATIPROC __glewColorFragmentOp3ATI = NULL; PFNGLDELETEFRAGMENTSHADERATIPROC __glewDeleteFragmentShaderATI = NULL; PFNGLENDFRAGMENTSHADERATIPROC __glewEndFragmentShaderATI = NULL; PFNGLGENFRAGMENTSHADERSATIPROC __glewGenFragmentShadersATI = NULL; PFNGLPASSTEXCOORDATIPROC __glewPassTexCoordATI = NULL; PFNGLSAMPLEMAPATIPROC __glewSampleMapATI = NULL; PFNGLSETFRAGMENTSHADERCONSTANTATIPROC __glewSetFragmentShaderConstantATI = NULL; PFNGLMAPOBJECTBUFFERATIPROC __glewMapObjectBufferATI = NULL; PFNGLUNMAPOBJECTBUFFERATIPROC __glewUnmapObjectBufferATI = NULL; PFNGLPNTRIANGLESFATIPROC __glewPNTrianglesfATI = NULL; PFNGLPNTRIANGLESIATIPROC __glewPNTrianglesiATI = NULL; PFNGLSTENCILFUNCSEPARATEATIPROC __glewStencilFuncSeparateATI = NULL; PFNGLSTENCILOPSEPARATEATIPROC __glewStencilOpSeparateATI = NULL; PFNGLARRAYOBJECTATIPROC __glewArrayObjectATI = NULL; PFNGLFREEOBJECTBUFFERATIPROC __glewFreeObjectBufferATI = NULL; PFNGLGETARRAYOBJECTFVATIPROC __glewGetArrayObjectfvATI = NULL; PFNGLGETARRAYOBJECTIVATIPROC __glewGetArrayObjectivATI = NULL; PFNGLGETOBJECTBUFFERFVATIPROC __glewGetObjectBufferfvATI = NULL; PFNGLGETOBJECTBUFFERIVATIPROC __glewGetObjectBufferivATI = NULL; PFNGLGETVARIANTARRAYOBJECTFVATIPROC __glewGetVariantArrayObjectfvATI = NULL; PFNGLGETVARIANTARRAYOBJECTIVATIPROC __glewGetVariantArrayObjectivATI = NULL; PFNGLISOBJECTBUFFERATIPROC __glewIsObjectBufferATI = NULL; PFNGLNEWOBJECTBUFFERATIPROC __glewNewObjectBufferATI = NULL; PFNGLUPDATEOBJECTBUFFERATIPROC __glewUpdateObjectBufferATI = NULL; PFNGLVARIANTARRAYOBJECTATIPROC __glewVariantArrayObjectATI = NULL; PFNGLGETVERTEXATTRIBARRAYOBJECTFVATIPROC __glewGetVertexAttribArrayObjectfvATI = NULL; PFNGLGETVERTEXATTRIBARRAYOBJECTIVATIPROC __glewGetVertexAttribArrayObjectivATI = NULL; PFNGLVERTEXATTRIBARRAYOBJECTATIPROC __glewVertexAttribArrayObjectATI = NULL; PFNGLCLIENTACTIVEVERTEXSTREAMATIPROC __glewClientActiveVertexStreamATI = NULL; PFNGLNORMALSTREAM3BATIPROC __glewNormalStream3bATI = NULL; PFNGLNORMALSTREAM3BVATIPROC __glewNormalStream3bvATI = NULL; PFNGLNORMALSTREAM3DATIPROC __glewNormalStream3dATI = NULL; PFNGLNORMALSTREAM3DVATIPROC __glewNormalStream3dvATI = NULL; PFNGLNORMALSTREAM3FATIPROC __glewNormalStream3fATI = NULL; PFNGLNORMALSTREAM3FVATIPROC __glewNormalStream3fvATI = NULL; PFNGLNORMALSTREAM3IATIPROC __glewNormalStream3iATI = NULL; PFNGLNORMALSTREAM3IVATIPROC __glewNormalStream3ivATI = NULL; PFNGLNORMALSTREAM3SATIPROC __glewNormalStream3sATI = NULL; PFNGLNORMALSTREAM3SVATIPROC __glewNormalStream3svATI = NULL; PFNGLVERTEXBLENDENVFATIPROC __glewVertexBlendEnvfATI = NULL; PFNGLVERTEXBLENDENVIATIPROC __glewVertexBlendEnviATI = NULL; PFNGLVERTEXSTREAM1DATIPROC __glewVertexStream1dATI = NULL; PFNGLVERTEXSTREAM1DVATIPROC __glewVertexStream1dvATI = NULL; PFNGLVERTEXSTREAM1FATIPROC __glewVertexStream1fATI = NULL; PFNGLVERTEXSTREAM1FVATIPROC __glewVertexStream1fvATI = NULL; PFNGLVERTEXSTREAM1IATIPROC __glewVertexStream1iATI = NULL; PFNGLVERTEXSTREAM1IVATIPROC __glewVertexStream1ivATI = NULL; PFNGLVERTEXSTREAM1SATIPROC __glewVertexStream1sATI = NULL; PFNGLVERTEXSTREAM1SVATIPROC __glewVertexStream1svATI = NULL; PFNGLVERTEXSTREAM2DATIPROC __glewVertexStream2dATI = NULL; PFNGLVERTEXSTREAM2DVATIPROC __glewVertexStream2dvATI = NULL; PFNGLVERTEXSTREAM2FATIPROC __glewVertexStream2fATI = NULL; PFNGLVERTEXSTREAM2FVATIPROC __glewVertexStream2fvATI = NULL; PFNGLVERTEXSTREAM2IATIPROC __glewVertexStream2iATI = NULL; PFNGLVERTEXSTREAM2IVATIPROC __glewVertexStream2ivATI = NULL; PFNGLVERTEXSTREAM2SATIPROC __glewVertexStream2sATI = NULL; PFNGLVERTEXSTREAM2SVATIPROC __glewVertexStream2svATI = NULL; PFNGLVERTEXSTREAM3DATIPROC __glewVertexStream3dATI = NULL; PFNGLVERTEXSTREAM3DVATIPROC __glewVertexStream3dvATI = NULL; PFNGLVERTEXSTREAM3FATIPROC __glewVertexStream3fATI = NULL; PFNGLVERTEXSTREAM3FVATIPROC __glewVertexStream3fvATI = NULL; PFNGLVERTEXSTREAM3IATIPROC __glewVertexStream3iATI = NULL; PFNGLVERTEXSTREAM3IVATIPROC __glewVertexStream3ivATI = NULL; PFNGLVERTEXSTREAM3SATIPROC __glewVertexStream3sATI = NULL; PFNGLVERTEXSTREAM3SVATIPROC __glewVertexStream3svATI = NULL; PFNGLVERTEXSTREAM4DATIPROC __glewVertexStream4dATI = NULL; PFNGLVERTEXSTREAM4DVATIPROC __glewVertexStream4dvATI = NULL; PFNGLVERTEXSTREAM4FATIPROC __glewVertexStream4fATI = NULL; PFNGLVERTEXSTREAM4FVATIPROC __glewVertexStream4fvATI = NULL; PFNGLVERTEXSTREAM4IATIPROC __glewVertexStream4iATI = NULL; PFNGLVERTEXSTREAM4IVATIPROC __glewVertexStream4ivATI = NULL; PFNGLVERTEXSTREAM4SATIPROC __glewVertexStream4sATI = NULL; PFNGLVERTEXSTREAM4SVATIPROC __glewVertexStream4svATI = NULL; PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEEXTPROC __glewDrawArraysInstancedBaseInstanceEXT = NULL; PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEEXTPROC __glewDrawElementsInstancedBaseInstanceEXT = NULL; PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEEXTPROC __glewDrawElementsInstancedBaseVertexBaseInstanceEXT = NULL; PFNGLGETUNIFORMBUFFERSIZEEXTPROC __glewGetUniformBufferSizeEXT = NULL; PFNGLGETUNIFORMOFFSETEXTPROC __glewGetUniformOffsetEXT = NULL; PFNGLUNIFORMBUFFEREXTPROC __glewUniformBufferEXT = NULL; PFNGLBLENDCOLOREXTPROC __glewBlendColorEXT = NULL; PFNGLBLENDEQUATIONSEPARATEEXTPROC __glewBlendEquationSeparateEXT = NULL; PFNGLBINDFRAGDATALOCATIONINDEXEDEXTPROC __glewBindFragDataLocationIndexedEXT = NULL; PFNGLGETFRAGDATAINDEXEXTPROC __glewGetFragDataIndexEXT = NULL; PFNGLGETPROGRAMRESOURCELOCATIONINDEXEXTPROC __glewGetProgramResourceLocationIndexEXT = NULL; PFNGLBLENDFUNCSEPARATEEXTPROC __glewBlendFuncSeparateEXT = NULL; PFNGLBLENDEQUATIONEXTPROC __glewBlendEquationEXT = NULL; PFNGLBUFFERSTORAGEEXTPROC __glewBufferStorageEXT = NULL; PFNGLNAMEDBUFFERSTORAGEEXTPROC __glewNamedBufferStorageEXT = NULL; PFNGLCLEARTEXIMAGEEXTPROC __glewClearTexImageEXT = NULL; PFNGLCLEARTEXSUBIMAGEEXTPROC __glewClearTexSubImageEXT = NULL; PFNGLCOLORSUBTABLEEXTPROC __glewColorSubTableEXT = NULL; PFNGLCOPYCOLORSUBTABLEEXTPROC __glewCopyColorSubTableEXT = NULL; PFNGLLOCKARRAYSEXTPROC __glewLockArraysEXT = NULL; PFNGLUNLOCKARRAYSEXTPROC __glewUnlockArraysEXT = NULL; PFNGLCONVOLUTIONFILTER1DEXTPROC __glewConvolutionFilter1DEXT = NULL; PFNGLCONVOLUTIONFILTER2DEXTPROC __glewConvolutionFilter2DEXT = NULL; PFNGLCONVOLUTIONPARAMETERFEXTPROC __glewConvolutionParameterfEXT = NULL; PFNGLCONVOLUTIONPARAMETERFVEXTPROC __glewConvolutionParameterfvEXT = NULL; PFNGLCONVOLUTIONPARAMETERIEXTPROC __glewConvolutionParameteriEXT = NULL; PFNGLCONVOLUTIONPARAMETERIVEXTPROC __glewConvolutionParameterivEXT = NULL; PFNGLCOPYCONVOLUTIONFILTER1DEXTPROC __glewCopyConvolutionFilter1DEXT = NULL; PFNGLCOPYCONVOLUTIONFILTER2DEXTPROC __glewCopyConvolutionFilter2DEXT = NULL; PFNGLGETCONVOLUTIONFILTEREXTPROC __glewGetConvolutionFilterEXT = NULL; PFNGLGETCONVOLUTIONPARAMETERFVEXTPROC __glewGetConvolutionParameterfvEXT = NULL; PFNGLGETCONVOLUTIONPARAMETERIVEXTPROC __glewGetConvolutionParameterivEXT = NULL; PFNGLGETSEPARABLEFILTEREXTPROC __glewGetSeparableFilterEXT = NULL; PFNGLSEPARABLEFILTER2DEXTPROC __glewSeparableFilter2DEXT = NULL; PFNGLBINORMALPOINTEREXTPROC __glewBinormalPointerEXT = NULL; PFNGLTANGENTPOINTEREXTPROC __glewTangentPointerEXT = NULL; PFNGLCOPYIMAGESUBDATAEXTPROC __glewCopyImageSubDataEXT = NULL; PFNGLCOPYTEXIMAGE1DEXTPROC __glewCopyTexImage1DEXT = NULL; PFNGLCOPYTEXIMAGE2DEXTPROC __glewCopyTexImage2DEXT = NULL; PFNGLCOPYTEXSUBIMAGE1DEXTPROC __glewCopyTexSubImage1DEXT = NULL; PFNGLCOPYTEXSUBIMAGE2DEXTPROC __glewCopyTexSubImage2DEXT = NULL; PFNGLCOPYTEXSUBIMAGE3DEXTPROC __glewCopyTexSubImage3DEXT = NULL; PFNGLCULLPARAMETERDVEXTPROC __glewCullParameterdvEXT = NULL; PFNGLCULLPARAMETERFVEXTPROC __glewCullParameterfvEXT = NULL; PFNGLGETOBJECTLABELEXTPROC __glewGetObjectLabelEXT = NULL; PFNGLLABELOBJECTEXTPROC __glewLabelObjectEXT = NULL; PFNGLINSERTEVENTMARKEREXTPROC __glewInsertEventMarkerEXT = NULL; PFNGLPOPGROUPMARKEREXTPROC __glewPopGroupMarkerEXT = NULL; PFNGLPUSHGROUPMARKEREXTPROC __glewPushGroupMarkerEXT = NULL; PFNGLDEPTHBOUNDSEXTPROC __glewDepthBoundsEXT = NULL; PFNGLBINDMULTITEXTUREEXTPROC __glewBindMultiTextureEXT = NULL; PFNGLCHECKNAMEDFRAMEBUFFERSTATUSEXTPROC __glewCheckNamedFramebufferStatusEXT = NULL; PFNGLCLIENTATTRIBDEFAULTEXTPROC __glewClientAttribDefaultEXT = NULL; PFNGLCOMPRESSEDMULTITEXIMAGE1DEXTPROC __glewCompressedMultiTexImage1DEXT = NULL; PFNGLCOMPRESSEDMULTITEXIMAGE2DEXTPROC __glewCompressedMultiTexImage2DEXT = NULL; PFNGLCOMPRESSEDMULTITEXIMAGE3DEXTPROC __glewCompressedMultiTexImage3DEXT = NULL; PFNGLCOMPRESSEDMULTITEXSUBIMAGE1DEXTPROC __glewCompressedMultiTexSubImage1DEXT = NULL; PFNGLCOMPRESSEDMULTITEXSUBIMAGE2DEXTPROC __glewCompressedMultiTexSubImage2DEXT = NULL; PFNGLCOMPRESSEDMULTITEXSUBIMAGE3DEXTPROC __glewCompressedMultiTexSubImage3DEXT = NULL; PFNGLCOMPRESSEDTEXTUREIMAGE1DEXTPROC __glewCompressedTextureImage1DEXT = NULL; PFNGLCOMPRESSEDTEXTUREIMAGE2DEXTPROC __glewCompressedTextureImage2DEXT = NULL; PFNGLCOMPRESSEDTEXTUREIMAGE3DEXTPROC __glewCompressedTextureImage3DEXT = NULL; PFNGLCOMPRESSEDTEXTURESUBIMAGE1DEXTPROC __glewCompressedTextureSubImage1DEXT = NULL; PFNGLCOMPRESSEDTEXTURESUBIMAGE2DEXTPROC __glewCompressedTextureSubImage2DEXT = NULL; PFNGLCOMPRESSEDTEXTURESUBIMAGE3DEXTPROC __glewCompressedTextureSubImage3DEXT = NULL; PFNGLCOPYMULTITEXIMAGE1DEXTPROC __glewCopyMultiTexImage1DEXT = NULL; PFNGLCOPYMULTITEXIMAGE2DEXTPROC __glewCopyMultiTexImage2DEXT = NULL; PFNGLCOPYMULTITEXSUBIMAGE1DEXTPROC __glewCopyMultiTexSubImage1DEXT = NULL; PFNGLCOPYMULTITEXSUBIMAGE2DEXTPROC __glewCopyMultiTexSubImage2DEXT = NULL; PFNGLCOPYMULTITEXSUBIMAGE3DEXTPROC __glewCopyMultiTexSubImage3DEXT = NULL; PFNGLCOPYTEXTUREIMAGE1DEXTPROC __glewCopyTextureImage1DEXT = NULL; PFNGLCOPYTEXTUREIMAGE2DEXTPROC __glewCopyTextureImage2DEXT = NULL; PFNGLCOPYTEXTURESUBIMAGE1DEXTPROC __glewCopyTextureSubImage1DEXT = NULL; PFNGLCOPYTEXTURESUBIMAGE2DEXTPROC __glewCopyTextureSubImage2DEXT = NULL; PFNGLCOPYTEXTURESUBIMAGE3DEXTPROC __glewCopyTextureSubImage3DEXT = NULL; PFNGLDISABLECLIENTSTATEINDEXEDEXTPROC __glewDisableClientStateIndexedEXT = NULL; PFNGLDISABLECLIENTSTATEIEXTPROC __glewDisableClientStateiEXT = NULL; PFNGLDISABLEVERTEXARRAYATTRIBEXTPROC __glewDisableVertexArrayAttribEXT = NULL; PFNGLDISABLEVERTEXARRAYEXTPROC __glewDisableVertexArrayEXT = NULL; PFNGLENABLECLIENTSTATEINDEXEDEXTPROC __glewEnableClientStateIndexedEXT = NULL; PFNGLENABLECLIENTSTATEIEXTPROC __glewEnableClientStateiEXT = NULL; PFNGLENABLEVERTEXARRAYATTRIBEXTPROC __glewEnableVertexArrayAttribEXT = NULL; PFNGLENABLEVERTEXARRAYEXTPROC __glewEnableVertexArrayEXT = NULL; PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEEXTPROC __glewFlushMappedNamedBufferRangeEXT = NULL; PFNGLFRAMEBUFFERDRAWBUFFEREXTPROC __glewFramebufferDrawBufferEXT = NULL; PFNGLFRAMEBUFFERDRAWBUFFERSEXTPROC __glewFramebufferDrawBuffersEXT = NULL; PFNGLFRAMEBUFFERREADBUFFEREXTPROC __glewFramebufferReadBufferEXT = NULL; PFNGLGENERATEMULTITEXMIPMAPEXTPROC __glewGenerateMultiTexMipmapEXT = NULL; PFNGLGENERATETEXTUREMIPMAPEXTPROC __glewGenerateTextureMipmapEXT = NULL; PFNGLGETCOMPRESSEDMULTITEXIMAGEEXTPROC __glewGetCompressedMultiTexImageEXT = NULL; PFNGLGETCOMPRESSEDTEXTUREIMAGEEXTPROC __glewGetCompressedTextureImageEXT = NULL; PFNGLGETDOUBLEINDEXEDVEXTPROC __glewGetDoubleIndexedvEXT = NULL; PFNGLGETDOUBLEI_VEXTPROC __glewGetDoublei_vEXT = NULL; PFNGLGETFLOATINDEXEDVEXTPROC __glewGetFloatIndexedvEXT = NULL; PFNGLGETFLOATI_VEXTPROC __glewGetFloati_vEXT = NULL; PFNGLGETFRAMEBUFFERPARAMETERIVEXTPROC __glewGetFramebufferParameterivEXT = NULL; PFNGLGETMULTITEXENVFVEXTPROC __glewGetMultiTexEnvfvEXT = NULL; PFNGLGETMULTITEXENVIVEXTPROC __glewGetMultiTexEnvivEXT = NULL; PFNGLGETMULTITEXGENDVEXTPROC __glewGetMultiTexGendvEXT = NULL; PFNGLGETMULTITEXGENFVEXTPROC __glewGetMultiTexGenfvEXT = NULL; PFNGLGETMULTITEXGENIVEXTPROC __glewGetMultiTexGenivEXT = NULL; PFNGLGETMULTITEXIMAGEEXTPROC __glewGetMultiTexImageEXT = NULL; PFNGLGETMULTITEXLEVELPARAMETERFVEXTPROC __glewGetMultiTexLevelParameterfvEXT = NULL; PFNGLGETMULTITEXLEVELPARAMETERIVEXTPROC __glewGetMultiTexLevelParameterivEXT = NULL; PFNGLGETMULTITEXPARAMETERIIVEXTPROC __glewGetMultiTexParameterIivEXT = NULL; PFNGLGETMULTITEXPARAMETERIUIVEXTPROC __glewGetMultiTexParameterIuivEXT = NULL; PFNGLGETMULTITEXPARAMETERFVEXTPROC __glewGetMultiTexParameterfvEXT = NULL; PFNGLGETMULTITEXPARAMETERIVEXTPROC __glewGetMultiTexParameterivEXT = NULL; PFNGLGETNAMEDBUFFERPARAMETERIVEXTPROC __glewGetNamedBufferParameterivEXT = NULL; PFNGLGETNAMEDBUFFERPOINTERVEXTPROC __glewGetNamedBufferPointervEXT = NULL; PFNGLGETNAMEDBUFFERSUBDATAEXTPROC __glewGetNamedBufferSubDataEXT = NULL; PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC __glewGetNamedFramebufferAttachmentParameterivEXT = NULL; PFNGLGETNAMEDPROGRAMLOCALPARAMETERIIVEXTPROC __glewGetNamedProgramLocalParameterIivEXT = NULL; PFNGLGETNAMEDPROGRAMLOCALPARAMETERIUIVEXTPROC __glewGetNamedProgramLocalParameterIuivEXT = NULL; PFNGLGETNAMEDPROGRAMLOCALPARAMETERDVEXTPROC __glewGetNamedProgramLocalParameterdvEXT = NULL; PFNGLGETNAMEDPROGRAMLOCALPARAMETERFVEXTPROC __glewGetNamedProgramLocalParameterfvEXT = NULL; PFNGLGETNAMEDPROGRAMSTRINGEXTPROC __glewGetNamedProgramStringEXT = NULL; PFNGLGETNAMEDPROGRAMIVEXTPROC __glewGetNamedProgramivEXT = NULL; PFNGLGETNAMEDRENDERBUFFERPARAMETERIVEXTPROC __glewGetNamedRenderbufferParameterivEXT = NULL; PFNGLGETPOINTERINDEXEDVEXTPROC __glewGetPointerIndexedvEXT = NULL; PFNGLGETPOINTERI_VEXTPROC __glewGetPointeri_vEXT = NULL; PFNGLGETTEXTUREIMAGEEXTPROC __glewGetTextureImageEXT = NULL; PFNGLGETTEXTURELEVELPARAMETERFVEXTPROC __glewGetTextureLevelParameterfvEXT = NULL; PFNGLGETTEXTURELEVELPARAMETERIVEXTPROC __glewGetTextureLevelParameterivEXT = NULL; PFNGLGETTEXTUREPARAMETERIIVEXTPROC __glewGetTextureParameterIivEXT = NULL; PFNGLGETTEXTUREPARAMETERIUIVEXTPROC __glewGetTextureParameterIuivEXT = NULL; PFNGLGETTEXTUREPARAMETERFVEXTPROC __glewGetTextureParameterfvEXT = NULL; PFNGLGETTEXTUREPARAMETERIVEXTPROC __glewGetTextureParameterivEXT = NULL; PFNGLGETVERTEXARRAYINTEGERI_VEXTPROC __glewGetVertexArrayIntegeri_vEXT = NULL; PFNGLGETVERTEXARRAYINTEGERVEXTPROC __glewGetVertexArrayIntegervEXT = NULL; PFNGLGETVERTEXARRAYPOINTERI_VEXTPROC __glewGetVertexArrayPointeri_vEXT = NULL; PFNGLGETVERTEXARRAYPOINTERVEXTPROC __glewGetVertexArrayPointervEXT = NULL; PFNGLMAPNAMEDBUFFEREXTPROC __glewMapNamedBufferEXT = NULL; PFNGLMAPNAMEDBUFFERRANGEEXTPROC __glewMapNamedBufferRangeEXT = NULL; PFNGLMATRIXFRUSTUMEXTPROC __glewMatrixFrustumEXT = NULL; PFNGLMATRIXLOADIDENTITYEXTPROC __glewMatrixLoadIdentityEXT = NULL; PFNGLMATRIXLOADTRANSPOSEDEXTPROC __glewMatrixLoadTransposedEXT = NULL; PFNGLMATRIXLOADTRANSPOSEFEXTPROC __glewMatrixLoadTransposefEXT = NULL; PFNGLMATRIXLOADDEXTPROC __glewMatrixLoaddEXT = NULL; PFNGLMATRIXLOADFEXTPROC __glewMatrixLoadfEXT = NULL; PFNGLMATRIXMULTTRANSPOSEDEXTPROC __glewMatrixMultTransposedEXT = NULL; PFNGLMATRIXMULTTRANSPOSEFEXTPROC __glewMatrixMultTransposefEXT = NULL; PFNGLMATRIXMULTDEXTPROC __glewMatrixMultdEXT = NULL; PFNGLMATRIXMULTFEXTPROC __glewMatrixMultfEXT = NULL; PFNGLMATRIXORTHOEXTPROC __glewMatrixOrthoEXT = NULL; PFNGLMATRIXPOPEXTPROC __glewMatrixPopEXT = NULL; PFNGLMATRIXPUSHEXTPROC __glewMatrixPushEXT = NULL; PFNGLMATRIXROTATEDEXTPROC __glewMatrixRotatedEXT = NULL; PFNGLMATRIXROTATEFEXTPROC __glewMatrixRotatefEXT = NULL; PFNGLMATRIXSCALEDEXTPROC __glewMatrixScaledEXT = NULL; PFNGLMATRIXSCALEFEXTPROC __glewMatrixScalefEXT = NULL; PFNGLMATRIXTRANSLATEDEXTPROC __glewMatrixTranslatedEXT = NULL; PFNGLMATRIXTRANSLATEFEXTPROC __glewMatrixTranslatefEXT = NULL; PFNGLMULTITEXBUFFEREXTPROC __glewMultiTexBufferEXT = NULL; PFNGLMULTITEXCOORDPOINTEREXTPROC __glewMultiTexCoordPointerEXT = NULL; PFNGLMULTITEXENVFEXTPROC __glewMultiTexEnvfEXT = NULL; PFNGLMULTITEXENVFVEXTPROC __glewMultiTexEnvfvEXT = NULL; PFNGLMULTITEXENVIEXTPROC __glewMultiTexEnviEXT = NULL; PFNGLMULTITEXENVIVEXTPROC __glewMultiTexEnvivEXT = NULL; PFNGLMULTITEXGENDEXTPROC __glewMultiTexGendEXT = NULL; PFNGLMULTITEXGENDVEXTPROC __glewMultiTexGendvEXT = NULL; PFNGLMULTITEXGENFEXTPROC __glewMultiTexGenfEXT = NULL; PFNGLMULTITEXGENFVEXTPROC __glewMultiTexGenfvEXT = NULL; PFNGLMULTITEXGENIEXTPROC __glewMultiTexGeniEXT = NULL; PFNGLMULTITEXGENIVEXTPROC __glewMultiTexGenivEXT = NULL; PFNGLMULTITEXIMAGE1DEXTPROC __glewMultiTexImage1DEXT = NULL; PFNGLMULTITEXIMAGE2DEXTPROC __glewMultiTexImage2DEXT = NULL; PFNGLMULTITEXIMAGE3DEXTPROC __glewMultiTexImage3DEXT = NULL; PFNGLMULTITEXPARAMETERIIVEXTPROC __glewMultiTexParameterIivEXT = NULL; PFNGLMULTITEXPARAMETERIUIVEXTPROC __glewMultiTexParameterIuivEXT = NULL; PFNGLMULTITEXPARAMETERFEXTPROC __glewMultiTexParameterfEXT = NULL; PFNGLMULTITEXPARAMETERFVEXTPROC __glewMultiTexParameterfvEXT = NULL; PFNGLMULTITEXPARAMETERIEXTPROC __glewMultiTexParameteriEXT = NULL; PFNGLMULTITEXPARAMETERIVEXTPROC __glewMultiTexParameterivEXT = NULL; PFNGLMULTITEXRENDERBUFFEREXTPROC __glewMultiTexRenderbufferEXT = NULL; PFNGLMULTITEXSUBIMAGE1DEXTPROC __glewMultiTexSubImage1DEXT = NULL; PFNGLMULTITEXSUBIMAGE2DEXTPROC __glewMultiTexSubImage2DEXT = NULL; PFNGLMULTITEXSUBIMAGE3DEXTPROC __glewMultiTexSubImage3DEXT = NULL; PFNGLNAMEDBUFFERDATAEXTPROC __glewNamedBufferDataEXT = NULL; PFNGLNAMEDBUFFERSUBDATAEXTPROC __glewNamedBufferSubDataEXT = NULL; PFNGLNAMEDCOPYBUFFERSUBDATAEXTPROC __glewNamedCopyBufferSubDataEXT = NULL; PFNGLNAMEDFRAMEBUFFERRENDERBUFFEREXTPROC __glewNamedFramebufferRenderbufferEXT = NULL; PFNGLNAMEDFRAMEBUFFERTEXTURE1DEXTPROC __glewNamedFramebufferTexture1DEXT = NULL; PFNGLNAMEDFRAMEBUFFERTEXTURE2DEXTPROC __glewNamedFramebufferTexture2DEXT = NULL; PFNGLNAMEDFRAMEBUFFERTEXTURE3DEXTPROC __glewNamedFramebufferTexture3DEXT = NULL; PFNGLNAMEDFRAMEBUFFERTEXTUREEXTPROC __glewNamedFramebufferTextureEXT = NULL; PFNGLNAMEDFRAMEBUFFERTEXTUREFACEEXTPROC __glewNamedFramebufferTextureFaceEXT = NULL; PFNGLNAMEDFRAMEBUFFERTEXTURELAYEREXTPROC __glewNamedFramebufferTextureLayerEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETER4DEXTPROC __glewNamedProgramLocalParameter4dEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETER4DVEXTPROC __glewNamedProgramLocalParameter4dvEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETER4FEXTPROC __glewNamedProgramLocalParameter4fEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETER4FVEXTPROC __glewNamedProgramLocalParameter4fvEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERI4IEXTPROC __glewNamedProgramLocalParameterI4iEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERI4IVEXTPROC __glewNamedProgramLocalParameterI4ivEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIEXTPROC __glewNamedProgramLocalParameterI4uiEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIVEXTPROC __glewNamedProgramLocalParameterI4uivEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERS4FVEXTPROC __glewNamedProgramLocalParameters4fvEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERSI4IVEXTPROC __glewNamedProgramLocalParametersI4ivEXT = NULL; PFNGLNAMEDPROGRAMLOCALPARAMETERSI4UIVEXTPROC __glewNamedProgramLocalParametersI4uivEXT = NULL; PFNGLNAMEDPROGRAMSTRINGEXTPROC __glewNamedProgramStringEXT = NULL; PFNGLNAMEDRENDERBUFFERSTORAGEEXTPROC __glewNamedRenderbufferStorageEXT = NULL; PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLECOVERAGEEXTPROC __glewNamedRenderbufferStorageMultisampleCoverageEXT = NULL; PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC __glewNamedRenderbufferStorageMultisampleEXT = NULL; PFNGLPROGRAMUNIFORM1FEXTPROC __glewProgramUniform1fEXT = NULL; PFNGLPROGRAMUNIFORM1FVEXTPROC __glewProgramUniform1fvEXT = NULL; PFNGLPROGRAMUNIFORM1IEXTPROC __glewProgramUniform1iEXT = NULL; PFNGLPROGRAMUNIFORM1IVEXTPROC __glewProgramUniform1ivEXT = NULL; PFNGLPROGRAMUNIFORM1UIEXTPROC __glewProgramUniform1uiEXT = NULL; PFNGLPROGRAMUNIFORM1UIVEXTPROC __glewProgramUniform1uivEXT = NULL; PFNGLPROGRAMUNIFORM2FEXTPROC __glewProgramUniform2fEXT = NULL; PFNGLPROGRAMUNIFORM2FVEXTPROC __glewProgramUniform2fvEXT = NULL; PFNGLPROGRAMUNIFORM2IEXTPROC __glewProgramUniform2iEXT = NULL; PFNGLPROGRAMUNIFORM2IVEXTPROC __glewProgramUniform2ivEXT = NULL; PFNGLPROGRAMUNIFORM2UIEXTPROC __glewProgramUniform2uiEXT = NULL; PFNGLPROGRAMUNIFORM2UIVEXTPROC __glewProgramUniform2uivEXT = NULL; PFNGLPROGRAMUNIFORM3FEXTPROC __glewProgramUniform3fEXT = NULL; PFNGLPROGRAMUNIFORM3FVEXTPROC __glewProgramUniform3fvEXT = NULL; PFNGLPROGRAMUNIFORM3IEXTPROC __glewProgramUniform3iEXT = NULL; PFNGLPROGRAMUNIFORM3IVEXTPROC __glewProgramUniform3ivEXT = NULL; PFNGLPROGRAMUNIFORM3UIEXTPROC __glewProgramUniform3uiEXT = NULL; PFNGLPROGRAMUNIFORM3UIVEXTPROC __glewProgramUniform3uivEXT = NULL; PFNGLPROGRAMUNIFORM4FEXTPROC __glewProgramUniform4fEXT = NULL; PFNGLPROGRAMUNIFORM4FVEXTPROC __glewProgramUniform4fvEXT = NULL; PFNGLPROGRAMUNIFORM4IEXTPROC __glewProgramUniform4iEXT = NULL; PFNGLPROGRAMUNIFORM4IVEXTPROC __glewProgramUniform4ivEXT = NULL; PFNGLPROGRAMUNIFORM4UIEXTPROC __glewProgramUniform4uiEXT = NULL; PFNGLPROGRAMUNIFORM4UIVEXTPROC __glewProgramUniform4uivEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX2FVEXTPROC __glewProgramUniformMatrix2fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX2X3FVEXTPROC __glewProgramUniformMatrix2x3fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX2X4FVEXTPROC __glewProgramUniformMatrix2x4fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX3FVEXTPROC __glewProgramUniformMatrix3fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX3X2FVEXTPROC __glewProgramUniformMatrix3x2fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX3X4FVEXTPROC __glewProgramUniformMatrix3x4fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX4FVEXTPROC __glewProgramUniformMatrix4fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX4X2FVEXTPROC __glewProgramUniformMatrix4x2fvEXT = NULL; PFNGLPROGRAMUNIFORMMATRIX4X3FVEXTPROC __glewProgramUniformMatrix4x3fvEXT = NULL; PFNGLPUSHCLIENTATTRIBDEFAULTEXTPROC __glewPushClientAttribDefaultEXT = NULL; PFNGLTEXTUREBUFFEREXTPROC __glewTextureBufferEXT = NULL; PFNGLTEXTUREIMAGE1DEXTPROC __glewTextureImage1DEXT = NULL; PFNGLTEXTUREIMAGE2DEXTPROC __glewTextureImage2DEXT = NULL; PFNGLTEXTUREIMAGE3DEXTPROC __glewTextureImage3DEXT = NULL; PFNGLTEXTUREPARAMETERIIVEXTPROC __glewTextureParameterIivEXT = NULL; PFNGLTEXTUREPARAMETERIUIVEXTPROC __glewTextureParameterIuivEXT = NULL; PFNGLTEXTUREPARAMETERFEXTPROC __glewTextureParameterfEXT = NULL; PFNGLTEXTUREPARAMETERFVEXTPROC __glewTextureParameterfvEXT = NULL; PFNGLTEXTUREPARAMETERIEXTPROC __glewTextureParameteriEXT = NULL; PFNGLTEXTUREPARAMETERIVEXTPROC __glewTextureParameterivEXT = NULL; PFNGLTEXTURERENDERBUFFEREXTPROC __glewTextureRenderbufferEXT = NULL; PFNGLTEXTURESUBIMAGE1DEXTPROC __glewTextureSubImage1DEXT = NULL; PFNGLTEXTURESUBIMAGE2DEXTPROC __glewTextureSubImage2DEXT = NULL; PFNGLTEXTURESUBIMAGE3DEXTPROC __glewTextureSubImage3DEXT = NULL; PFNGLUNMAPNAMEDBUFFEREXTPROC __glewUnmapNamedBufferEXT = NULL; PFNGLVERTEXARRAYCOLOROFFSETEXTPROC __glewVertexArrayColorOffsetEXT = NULL; PFNGLVERTEXARRAYEDGEFLAGOFFSETEXTPROC __glewVertexArrayEdgeFlagOffsetEXT = NULL; PFNGLVERTEXARRAYFOGCOORDOFFSETEXTPROC __glewVertexArrayFogCoordOffsetEXT = NULL; PFNGLVERTEXARRAYINDEXOFFSETEXTPROC __glewVertexArrayIndexOffsetEXT = NULL; PFNGLVERTEXARRAYMULTITEXCOORDOFFSETEXTPROC __glewVertexArrayMultiTexCoordOffsetEXT = NULL; PFNGLVERTEXARRAYNORMALOFFSETEXTPROC __glewVertexArrayNormalOffsetEXT = NULL; PFNGLVERTEXARRAYSECONDARYCOLOROFFSETEXTPROC __glewVertexArraySecondaryColorOffsetEXT = NULL; PFNGLVERTEXARRAYTEXCOORDOFFSETEXTPROC __glewVertexArrayTexCoordOffsetEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBDIVISOREXTPROC __glewVertexArrayVertexAttribDivisorEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBIOFFSETEXTPROC __glewVertexArrayVertexAttribIOffsetEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBOFFSETEXTPROC __glewVertexArrayVertexAttribOffsetEXT = NULL; PFNGLVERTEXARRAYVERTEXOFFSETEXTPROC __glewVertexArrayVertexOffsetEXT = NULL; PFNGLDISCARDFRAMEBUFFEREXTPROC __glewDiscardFramebufferEXT = NULL; PFNGLDRAWBUFFERSEXTPROC __glewDrawBuffersEXT = NULL; PFNGLCOLORMASKINDEXEDEXTPROC __glewColorMaskIndexedEXT = NULL; PFNGLDISABLEINDEXEDEXTPROC __glewDisableIndexedEXT = NULL; PFNGLENABLEINDEXEDEXTPROC __glewEnableIndexedEXT = NULL; PFNGLGETBOOLEANINDEXEDVEXTPROC __glewGetBooleanIndexedvEXT = NULL; PFNGLGETINTEGERINDEXEDVEXTPROC __glewGetIntegerIndexedvEXT = NULL; PFNGLISENABLEDINDEXEDEXTPROC __glewIsEnabledIndexedEXT = NULL; PFNGLBLENDEQUATIONSEPARATEIEXTPROC __glewBlendEquationSeparateiEXT = NULL; PFNGLBLENDEQUATIONIEXTPROC __glewBlendEquationiEXT = NULL; PFNGLBLENDFUNCSEPARATEIEXTPROC __glewBlendFuncSeparateiEXT = NULL; PFNGLBLENDFUNCIEXTPROC __glewBlendFunciEXT = NULL; PFNGLCOLORMASKIEXTPROC __glewColorMaskiEXT = NULL; PFNGLDISABLEIEXTPROC __glewDisableiEXT = NULL; PFNGLENABLEIEXTPROC __glewEnableiEXT = NULL; PFNGLISENABLEDIEXTPROC __glewIsEnablediEXT = NULL; PFNGLDRAWELEMENTSBASEVERTEXEXTPROC __glewDrawElementsBaseVertexEXT = NULL; PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXEXTPROC __glewDrawElementsInstancedBaseVertexEXT = NULL; PFNGLDRAWRANGEELEMENTSBASEVERTEXEXTPROC __glewDrawRangeElementsBaseVertexEXT = NULL; PFNGLMULTIDRAWELEMENTSBASEVERTEXEXTPROC __glewMultiDrawElementsBaseVertexEXT = NULL; PFNGLDRAWARRAYSINSTANCEDEXTPROC __glewDrawArraysInstancedEXT = NULL; PFNGLDRAWELEMENTSINSTANCEDEXTPROC __glewDrawElementsInstancedEXT = NULL; PFNGLDRAWRANGEELEMENTSEXTPROC __glewDrawRangeElementsEXT = NULL; PFNGLBUFFERSTORAGEEXTERNALEXTPROC __glewBufferStorageExternalEXT = NULL; PFNGLNAMEDBUFFERSTORAGEEXTERNALEXTPROC __glewNamedBufferStorageExternalEXT = NULL; PFNGLFOGCOORDPOINTEREXTPROC __glewFogCoordPointerEXT = NULL; PFNGLFOGCOORDDEXTPROC __glewFogCoorddEXT = NULL; PFNGLFOGCOORDDVEXTPROC __glewFogCoorddvEXT = NULL; PFNGLFOGCOORDFEXTPROC __glewFogCoordfEXT = NULL; PFNGLFOGCOORDFVEXTPROC __glewFogCoordfvEXT = NULL; PFNGLFRAGMENTCOLORMATERIALEXTPROC __glewFragmentColorMaterialEXT = NULL; PFNGLFRAGMENTLIGHTMODELFEXTPROC __glewFragmentLightModelfEXT = NULL; PFNGLFRAGMENTLIGHTMODELFVEXTPROC __glewFragmentLightModelfvEXT = NULL; PFNGLFRAGMENTLIGHTMODELIEXTPROC __glewFragmentLightModeliEXT = NULL; PFNGLFRAGMENTLIGHTMODELIVEXTPROC __glewFragmentLightModelivEXT = NULL; PFNGLFRAGMENTLIGHTFEXTPROC __glewFragmentLightfEXT = NULL; PFNGLFRAGMENTLIGHTFVEXTPROC __glewFragmentLightfvEXT = NULL; PFNGLFRAGMENTLIGHTIEXTPROC __glewFragmentLightiEXT = NULL; PFNGLFRAGMENTLIGHTIVEXTPROC __glewFragmentLightivEXT = NULL; PFNGLFRAGMENTMATERIALFEXTPROC __glewFragmentMaterialfEXT = NULL; PFNGLFRAGMENTMATERIALFVEXTPROC __glewFragmentMaterialfvEXT = NULL; PFNGLFRAGMENTMATERIALIEXTPROC __glewFragmentMaterialiEXT = NULL; PFNGLFRAGMENTMATERIALIVEXTPROC __glewFragmentMaterialivEXT = NULL; PFNGLGETFRAGMENTLIGHTFVEXTPROC __glewGetFragmentLightfvEXT = NULL; PFNGLGETFRAGMENTLIGHTIVEXTPROC __glewGetFragmentLightivEXT = NULL; PFNGLGETFRAGMENTMATERIALFVEXTPROC __glewGetFragmentMaterialfvEXT = NULL; PFNGLGETFRAGMENTMATERIALIVEXTPROC __glewGetFragmentMaterialivEXT = NULL; PFNGLLIGHTENVIEXTPROC __glewLightEnviEXT = NULL; PFNGLBLITFRAMEBUFFEREXTPROC __glewBlitFramebufferEXT = NULL; PFNGLRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC __glewRenderbufferStorageMultisampleEXT = NULL; PFNGLBINDFRAMEBUFFEREXTPROC __glewBindFramebufferEXT = NULL; PFNGLBINDRENDERBUFFEREXTPROC __glewBindRenderbufferEXT = NULL; PFNGLCHECKFRAMEBUFFERSTATUSEXTPROC __glewCheckFramebufferStatusEXT = NULL; PFNGLDELETEFRAMEBUFFERSEXTPROC __glewDeleteFramebuffersEXT = NULL; PFNGLDELETERENDERBUFFERSEXTPROC __glewDeleteRenderbuffersEXT = NULL; PFNGLFRAMEBUFFERRENDERBUFFEREXTPROC __glewFramebufferRenderbufferEXT = NULL; PFNGLFRAMEBUFFERTEXTURE1DEXTPROC __glewFramebufferTexture1DEXT = NULL; PFNGLFRAMEBUFFERTEXTURE2DEXTPROC __glewFramebufferTexture2DEXT = NULL; PFNGLFRAMEBUFFERTEXTURE3DEXTPROC __glewFramebufferTexture3DEXT = NULL; PFNGLGENFRAMEBUFFERSEXTPROC __glewGenFramebuffersEXT = NULL; PFNGLGENRENDERBUFFERSEXTPROC __glewGenRenderbuffersEXT = NULL; PFNGLGENERATEMIPMAPEXTPROC __glewGenerateMipmapEXT = NULL; PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC __glewGetFramebufferAttachmentParameterivEXT = NULL; PFNGLGETRENDERBUFFERPARAMETERIVEXTPROC __glewGetRenderbufferParameterivEXT = NULL; PFNGLISFRAMEBUFFEREXTPROC __glewIsFramebufferEXT = NULL; PFNGLISRENDERBUFFEREXTPROC __glewIsRenderbufferEXT = NULL; PFNGLRENDERBUFFERSTORAGEEXTPROC __glewRenderbufferStorageEXT = NULL; PFNGLFRAMEBUFFERTEXTUREEXTPROC __glewFramebufferTextureEXT = NULL; PFNGLFRAMEBUFFERTEXTUREFACEEXTPROC __glewFramebufferTextureFaceEXT = NULL; PFNGLPROGRAMPARAMETERIEXTPROC __glewProgramParameteriEXT = NULL; PFNGLPROGRAMENVPARAMETERS4FVEXTPROC __glewProgramEnvParameters4fvEXT = NULL; PFNGLPROGRAMLOCALPARAMETERS4FVEXTPROC __glewProgramLocalParameters4fvEXT = NULL; PFNGLBINDFRAGDATALOCATIONEXTPROC __glewBindFragDataLocationEXT = NULL; PFNGLGETFRAGDATALOCATIONEXTPROC __glewGetFragDataLocationEXT = NULL; PFNGLGETUNIFORMUIVEXTPROC __glewGetUniformuivEXT = NULL; PFNGLGETVERTEXATTRIBIIVEXTPROC __glewGetVertexAttribIivEXT = NULL; PFNGLGETVERTEXATTRIBIUIVEXTPROC __glewGetVertexAttribIuivEXT = NULL; PFNGLUNIFORM1UIEXTPROC __glewUniform1uiEXT = NULL; PFNGLUNIFORM1UIVEXTPROC __glewUniform1uivEXT = NULL; PFNGLUNIFORM2UIEXTPROC __glewUniform2uiEXT = NULL; PFNGLUNIFORM2UIVEXTPROC __glewUniform2uivEXT = NULL; PFNGLUNIFORM3UIEXTPROC __glewUniform3uiEXT = NULL; PFNGLUNIFORM3UIVEXTPROC __glewUniform3uivEXT = NULL; PFNGLUNIFORM4UIEXTPROC __glewUniform4uiEXT = NULL; PFNGLUNIFORM4UIVEXTPROC __glewUniform4uivEXT = NULL; PFNGLVERTEXATTRIBI1IEXTPROC __glewVertexAttribI1iEXT = NULL; PFNGLVERTEXATTRIBI1IVEXTPROC __glewVertexAttribI1ivEXT = NULL; PFNGLVERTEXATTRIBI1UIEXTPROC __glewVertexAttribI1uiEXT = NULL; PFNGLVERTEXATTRIBI1UIVEXTPROC __glewVertexAttribI1uivEXT = NULL; PFNGLVERTEXATTRIBI2IEXTPROC __glewVertexAttribI2iEXT = NULL; PFNGLVERTEXATTRIBI2IVEXTPROC __glewVertexAttribI2ivEXT = NULL; PFNGLVERTEXATTRIBI2UIEXTPROC __glewVertexAttribI2uiEXT = NULL; PFNGLVERTEXATTRIBI2UIVEXTPROC __glewVertexAttribI2uivEXT = NULL; PFNGLVERTEXATTRIBI3IEXTPROC __glewVertexAttribI3iEXT = NULL; PFNGLVERTEXATTRIBI3IVEXTPROC __glewVertexAttribI3ivEXT = NULL; PFNGLVERTEXATTRIBI3UIEXTPROC __glewVertexAttribI3uiEXT = NULL; PFNGLVERTEXATTRIBI3UIVEXTPROC __glewVertexAttribI3uivEXT = NULL; PFNGLVERTEXATTRIBI4BVEXTPROC __glewVertexAttribI4bvEXT = NULL; PFNGLVERTEXATTRIBI4IEXTPROC __glewVertexAttribI4iEXT = NULL; PFNGLVERTEXATTRIBI4IVEXTPROC __glewVertexAttribI4ivEXT = NULL; PFNGLVERTEXATTRIBI4SVEXTPROC __glewVertexAttribI4svEXT = NULL; PFNGLVERTEXATTRIBI4UBVEXTPROC __glewVertexAttribI4ubvEXT = NULL; PFNGLVERTEXATTRIBI4UIEXTPROC __glewVertexAttribI4uiEXT = NULL; PFNGLVERTEXATTRIBI4UIVEXTPROC __glewVertexAttribI4uivEXT = NULL; PFNGLVERTEXATTRIBI4USVEXTPROC __glewVertexAttribI4usvEXT = NULL; PFNGLVERTEXATTRIBIPOINTEREXTPROC __glewVertexAttribIPointerEXT = NULL; PFNGLGETHISTOGRAMEXTPROC __glewGetHistogramEXT = NULL; PFNGLGETHISTOGRAMPARAMETERFVEXTPROC __glewGetHistogramParameterfvEXT = NULL; PFNGLGETHISTOGRAMPARAMETERIVEXTPROC __glewGetHistogramParameterivEXT = NULL; PFNGLGETMINMAXEXTPROC __glewGetMinmaxEXT = NULL; PFNGLGETMINMAXPARAMETERFVEXTPROC __glewGetMinmaxParameterfvEXT = NULL; PFNGLGETMINMAXPARAMETERIVEXTPROC __glewGetMinmaxParameterivEXT = NULL; PFNGLHISTOGRAMEXTPROC __glewHistogramEXT = NULL; PFNGLMINMAXEXTPROC __glewMinmaxEXT = NULL; PFNGLRESETHISTOGRAMEXTPROC __glewResetHistogramEXT = NULL; PFNGLRESETMINMAXEXTPROC __glewResetMinmaxEXT = NULL; PFNGLINDEXFUNCEXTPROC __glewIndexFuncEXT = NULL; PFNGLINDEXMATERIALEXTPROC __glewIndexMaterialEXT = NULL; PFNGLVERTEXATTRIBDIVISOREXTPROC __glewVertexAttribDivisorEXT = NULL; PFNGLAPPLYTEXTUREEXTPROC __glewApplyTextureEXT = NULL; PFNGLTEXTURELIGHTEXTPROC __glewTextureLightEXT = NULL; PFNGLTEXTUREMATERIALEXTPROC __glewTextureMaterialEXT = NULL; PFNGLFLUSHMAPPEDBUFFERRANGEEXTPROC __glewFlushMappedBufferRangeEXT = NULL; PFNGLMAPBUFFERRANGEEXTPROC __glewMapBufferRangeEXT = NULL; PFNGLBUFFERSTORAGEMEMEXTPROC __glewBufferStorageMemEXT = NULL; PFNGLCREATEMEMORYOBJECTSEXTPROC __glewCreateMemoryObjectsEXT = NULL; PFNGLDELETEMEMORYOBJECTSEXTPROC __glewDeleteMemoryObjectsEXT = NULL; PFNGLGETMEMORYOBJECTPARAMETERIVEXTPROC __glewGetMemoryObjectParameterivEXT = NULL; PFNGLGETUNSIGNEDBYTEI_VEXTPROC __glewGetUnsignedBytei_vEXT = NULL; PFNGLGETUNSIGNEDBYTEVEXTPROC __glewGetUnsignedBytevEXT = NULL; PFNGLISMEMORYOBJECTEXTPROC __glewIsMemoryObjectEXT = NULL; PFNGLMEMORYOBJECTPARAMETERIVEXTPROC __glewMemoryObjectParameterivEXT = NULL; PFNGLNAMEDBUFFERSTORAGEMEMEXTPROC __glewNamedBufferStorageMemEXT = NULL; PFNGLTEXSTORAGEMEM1DEXTPROC __glewTexStorageMem1DEXT = NULL; PFNGLTEXSTORAGEMEM2DEXTPROC __glewTexStorageMem2DEXT = NULL; PFNGLTEXSTORAGEMEM2DMULTISAMPLEEXTPROC __glewTexStorageMem2DMultisampleEXT = NULL; PFNGLTEXSTORAGEMEM3DEXTPROC __glewTexStorageMem3DEXT = NULL; PFNGLTEXSTORAGEMEM3DMULTISAMPLEEXTPROC __glewTexStorageMem3DMultisampleEXT = NULL; PFNGLTEXTURESTORAGEMEM1DEXTPROC __glewTextureStorageMem1DEXT = NULL; PFNGLTEXTURESTORAGEMEM2DEXTPROC __glewTextureStorageMem2DEXT = NULL; PFNGLTEXTURESTORAGEMEM2DMULTISAMPLEEXTPROC __glewTextureStorageMem2DMultisampleEXT = NULL; PFNGLTEXTURESTORAGEMEM3DEXTPROC __glewTextureStorageMem3DEXT = NULL; PFNGLTEXTURESTORAGEMEM3DMULTISAMPLEEXTPROC __glewTextureStorageMem3DMultisampleEXT = NULL; PFNGLIMPORTMEMORYFDEXTPROC __glewImportMemoryFdEXT = NULL; PFNGLIMPORTMEMORYWIN32HANDLEEXTPROC __glewImportMemoryWin32HandleEXT = NULL; PFNGLIMPORTMEMORYWIN32NAMEEXTPROC __glewImportMemoryWin32NameEXT = NULL; PFNGLMULTIDRAWARRAYSEXTPROC __glewMultiDrawArraysEXT = NULL; PFNGLMULTIDRAWELEMENTSEXTPROC __glewMultiDrawElementsEXT = NULL; PFNGLMULTIDRAWARRAYSINDIRECTEXTPROC __glewMultiDrawArraysIndirectEXT = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTEXTPROC __glewMultiDrawElementsIndirectEXT = NULL; PFNGLSAMPLEMASKEXTPROC __glewSampleMaskEXT = NULL; PFNGLSAMPLEPATTERNEXTPROC __glewSamplePatternEXT = NULL; PFNGLFRAMEBUFFERTEXTURE2DMULTISAMPLEEXTPROC __glewFramebufferTexture2DMultisampleEXT = NULL; PFNGLDRAWBUFFERSINDEXEDEXTPROC __glewDrawBuffersIndexedEXT = NULL; PFNGLGETINTEGERI_VEXTPROC __glewGetIntegeri_vEXT = NULL; PFNGLREADBUFFERINDEXEDEXTPROC __glewReadBufferIndexedEXT = NULL; PFNGLCOLORTABLEEXTPROC __glewColorTableEXT = NULL; PFNGLGETCOLORTABLEEXTPROC __glewGetColorTableEXT = NULL; PFNGLGETCOLORTABLEPARAMETERFVEXTPROC __glewGetColorTableParameterfvEXT = NULL; PFNGLGETCOLORTABLEPARAMETERIVEXTPROC __glewGetColorTableParameterivEXT = NULL; PFNGLGETPIXELTRANSFORMPARAMETERFVEXTPROC __glewGetPixelTransformParameterfvEXT = NULL; PFNGLGETPIXELTRANSFORMPARAMETERIVEXTPROC __glewGetPixelTransformParameterivEXT = NULL; PFNGLPIXELTRANSFORMPARAMETERFEXTPROC __glewPixelTransformParameterfEXT = NULL; PFNGLPIXELTRANSFORMPARAMETERFVEXTPROC __glewPixelTransformParameterfvEXT = NULL; PFNGLPIXELTRANSFORMPARAMETERIEXTPROC __glewPixelTransformParameteriEXT = NULL; PFNGLPIXELTRANSFORMPARAMETERIVEXTPROC __glewPixelTransformParameterivEXT = NULL; PFNGLPOINTPARAMETERFEXTPROC __glewPointParameterfEXT = NULL; PFNGLPOINTPARAMETERFVEXTPROC __glewPointParameterfvEXT = NULL; PFNGLPOLYGONOFFSETEXTPROC __glewPolygonOffsetEXT = NULL; PFNGLPOLYGONOFFSETCLAMPEXTPROC __glewPolygonOffsetClampEXT = NULL; PFNGLPROVOKINGVERTEXEXTPROC __glewProvokingVertexEXT = NULL; PFNGLCOVERAGEMODULATIONNVPROC __glewCoverageModulationNV = NULL; PFNGLCOVERAGEMODULATIONTABLENVPROC __glewCoverageModulationTableNV = NULL; PFNGLGETCOVERAGEMODULATIONTABLENVPROC __glewGetCoverageModulationTableNV = NULL; PFNGLRASTERSAMPLESEXTPROC __glewRasterSamplesEXT = NULL; PFNGLBEGINSCENEEXTPROC __glewBeginSceneEXT = NULL; PFNGLENDSCENEEXTPROC __glewEndSceneEXT = NULL; PFNGLSECONDARYCOLOR3BEXTPROC __glewSecondaryColor3bEXT = NULL; PFNGLSECONDARYCOLOR3BVEXTPROC __glewSecondaryColor3bvEXT = NULL; PFNGLSECONDARYCOLOR3DEXTPROC __glewSecondaryColor3dEXT = NULL; PFNGLSECONDARYCOLOR3DVEXTPROC __glewSecondaryColor3dvEXT = NULL; PFNGLSECONDARYCOLOR3FEXTPROC __glewSecondaryColor3fEXT = NULL; PFNGLSECONDARYCOLOR3FVEXTPROC __glewSecondaryColor3fvEXT = NULL; PFNGLSECONDARYCOLOR3IEXTPROC __glewSecondaryColor3iEXT = NULL; PFNGLSECONDARYCOLOR3IVEXTPROC __glewSecondaryColor3ivEXT = NULL; PFNGLSECONDARYCOLOR3SEXTPROC __glewSecondaryColor3sEXT = NULL; PFNGLSECONDARYCOLOR3SVEXTPROC __glewSecondaryColor3svEXT = NULL; PFNGLSECONDARYCOLOR3UBEXTPROC __glewSecondaryColor3ubEXT = NULL; PFNGLSECONDARYCOLOR3UBVEXTPROC __glewSecondaryColor3ubvEXT = NULL; PFNGLSECONDARYCOLOR3UIEXTPROC __glewSecondaryColor3uiEXT = NULL; PFNGLSECONDARYCOLOR3UIVEXTPROC __glewSecondaryColor3uivEXT = NULL; PFNGLSECONDARYCOLOR3USEXTPROC __glewSecondaryColor3usEXT = NULL; PFNGLSECONDARYCOLOR3USVEXTPROC __glewSecondaryColor3usvEXT = NULL; PFNGLSECONDARYCOLORPOINTEREXTPROC __glewSecondaryColorPointerEXT = NULL; PFNGLDELETESEMAPHORESEXTPROC __glewDeleteSemaphoresEXT = NULL; PFNGLGENSEMAPHORESEXTPROC __glewGenSemaphoresEXT = NULL; PFNGLGETSEMAPHOREPARAMETERUI64VEXTPROC __glewGetSemaphoreParameterui64vEXT = NULL; PFNGLISSEMAPHOREEXTPROC __glewIsSemaphoreEXT = NULL; PFNGLSEMAPHOREPARAMETERUI64VEXTPROC __glewSemaphoreParameterui64vEXT = NULL; PFNGLSIGNALSEMAPHOREEXTPROC __glewSignalSemaphoreEXT = NULL; PFNGLWAITSEMAPHOREEXTPROC __glewWaitSemaphoreEXT = NULL; PFNGLIMPORTSEMAPHOREFDEXTPROC __glewImportSemaphoreFdEXT = NULL; PFNGLIMPORTSEMAPHOREWIN32HANDLEEXTPROC __glewImportSemaphoreWin32HandleEXT = NULL; PFNGLIMPORTSEMAPHOREWIN32NAMEEXTPROC __glewImportSemaphoreWin32NameEXT = NULL; PFNGLACTIVEPROGRAMEXTPROC __glewActiveProgramEXT = NULL; PFNGLCREATESHADERPROGRAMEXTPROC __glewCreateShaderProgramEXT = NULL; PFNGLUSESHADERPROGRAMEXTPROC __glewUseShaderProgramEXT = NULL; PFNGLBINDIMAGETEXTUREEXTPROC __glewBindImageTextureEXT = NULL; PFNGLMEMORYBARRIEREXTPROC __glewMemoryBarrierEXT = NULL; PFNGLCLEARPIXELLOCALSTORAGEUIEXTPROC __glewClearPixelLocalStorageuiEXT = NULL; PFNGLFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC __glewFramebufferPixelLocalStorageSizeEXT = NULL; PFNGLGETFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC __glewGetFramebufferPixelLocalStorageSizeEXT = NULL; PFNGLTEXPAGECOMMITMENTEXTPROC __glewTexPageCommitmentEXT = NULL; PFNGLTEXTUREPAGECOMMITMENTEXTPROC __glewTexturePageCommitmentEXT = NULL; PFNGLACTIVESTENCILFACEEXTPROC __glewActiveStencilFaceEXT = NULL; PFNGLTEXSUBIMAGE1DEXTPROC __glewTexSubImage1DEXT = NULL; PFNGLTEXSUBIMAGE2DEXTPROC __glewTexSubImage2DEXT = NULL; PFNGLTEXSUBIMAGE3DEXTPROC __glewTexSubImage3DEXT = NULL; PFNGLTEXIMAGE3DEXTPROC __glewTexImage3DEXT = NULL; PFNGLFRAMEBUFFERTEXTURELAYEREXTPROC __glewFramebufferTextureLayerEXT = NULL; PFNGLTEXBUFFEREXTPROC __glewTexBufferEXT = NULL; PFNGLCLEARCOLORIIEXTPROC __glewClearColorIiEXT = NULL; PFNGLCLEARCOLORIUIEXTPROC __glewClearColorIuiEXT = NULL; PFNGLGETTEXPARAMETERIIVEXTPROC __glewGetTexParameterIivEXT = NULL; PFNGLGETTEXPARAMETERIUIVEXTPROC __glewGetTexParameterIuivEXT = NULL; PFNGLTEXPARAMETERIIVEXTPROC __glewTexParameterIivEXT = NULL; PFNGLTEXPARAMETERIUIVEXTPROC __glewTexParameterIuivEXT = NULL; PFNGLARETEXTURESRESIDENTEXTPROC __glewAreTexturesResidentEXT = NULL; PFNGLBINDTEXTUREEXTPROC __glewBindTextureEXT = NULL; PFNGLDELETETEXTURESEXTPROC __glewDeleteTexturesEXT = NULL; PFNGLGENTEXTURESEXTPROC __glewGenTexturesEXT = NULL; PFNGLISTEXTUREEXTPROC __glewIsTextureEXT = NULL; PFNGLPRIORITIZETEXTURESEXTPROC __glewPrioritizeTexturesEXT = NULL; PFNGLTEXTURENORMALEXTPROC __glewTextureNormalEXT = NULL; PFNGLTEXSTORAGE1DEXTPROC __glewTexStorage1DEXT = NULL; PFNGLTEXSTORAGE2DEXTPROC __glewTexStorage2DEXT = NULL; PFNGLTEXSTORAGE3DEXTPROC __glewTexStorage3DEXT = NULL; PFNGLTEXTURESTORAGE1DEXTPROC __glewTextureStorage1DEXT = NULL; PFNGLTEXTURESTORAGE2DEXTPROC __glewTextureStorage2DEXT = NULL; PFNGLTEXTURESTORAGE3DEXTPROC __glewTextureStorage3DEXT = NULL; PFNGLTEXTUREVIEWEXTPROC __glewTextureViewEXT = NULL; PFNGLGETQUERYOBJECTI64VEXTPROC __glewGetQueryObjecti64vEXT = NULL; PFNGLGETQUERYOBJECTUI64VEXTPROC __glewGetQueryObjectui64vEXT = NULL; PFNGLBEGINTRANSFORMFEEDBACKEXTPROC __glewBeginTransformFeedbackEXT = NULL; PFNGLBINDBUFFERBASEEXTPROC __glewBindBufferBaseEXT = NULL; PFNGLBINDBUFFEROFFSETEXTPROC __glewBindBufferOffsetEXT = NULL; PFNGLBINDBUFFERRANGEEXTPROC __glewBindBufferRangeEXT = NULL; PFNGLENDTRANSFORMFEEDBACKEXTPROC __glewEndTransformFeedbackEXT = NULL; PFNGLGETTRANSFORMFEEDBACKVARYINGEXTPROC __glewGetTransformFeedbackVaryingEXT = NULL; PFNGLTRANSFORMFEEDBACKVARYINGSEXTPROC __glewTransformFeedbackVaryingsEXT = NULL; PFNGLARRAYELEMENTEXTPROC __glewArrayElementEXT = NULL; PFNGLCOLORPOINTEREXTPROC __glewColorPointerEXT = NULL; PFNGLDRAWARRAYSEXTPROC __glewDrawArraysEXT = NULL; PFNGLEDGEFLAGPOINTEREXTPROC __glewEdgeFlagPointerEXT = NULL; PFNGLINDEXPOINTEREXTPROC __glewIndexPointerEXT = NULL; PFNGLNORMALPOINTEREXTPROC __glewNormalPointerEXT = NULL; PFNGLTEXCOORDPOINTEREXTPROC __glewTexCoordPointerEXT = NULL; PFNGLVERTEXPOINTEREXTPROC __glewVertexPointerEXT = NULL; PFNGLBINDARRAYSETEXTPROC __glewBindArraySetEXT = NULL; PFNGLCREATEARRAYSETEXTPROC __glewCreateArraySetExt = NULL; PFNGLDELETEARRAYSETSEXTPROC __glewDeleteArraySetsEXT = NULL; PFNGLGETVERTEXATTRIBLDVEXTPROC __glewGetVertexAttribLdvEXT = NULL; PFNGLVERTEXARRAYVERTEXATTRIBLOFFSETEXTPROC __glewVertexArrayVertexAttribLOffsetEXT = NULL; PFNGLVERTEXATTRIBL1DEXTPROC __glewVertexAttribL1dEXT = NULL; PFNGLVERTEXATTRIBL1DVEXTPROC __glewVertexAttribL1dvEXT = NULL; PFNGLVERTEXATTRIBL2DEXTPROC __glewVertexAttribL2dEXT = NULL; PFNGLVERTEXATTRIBL2DVEXTPROC __glewVertexAttribL2dvEXT = NULL; PFNGLVERTEXATTRIBL3DEXTPROC __glewVertexAttribL3dEXT = NULL; PFNGLVERTEXATTRIBL3DVEXTPROC __glewVertexAttribL3dvEXT = NULL; PFNGLVERTEXATTRIBL4DEXTPROC __glewVertexAttribL4dEXT = NULL; PFNGLVERTEXATTRIBL4DVEXTPROC __glewVertexAttribL4dvEXT = NULL; PFNGLVERTEXATTRIBLPOINTEREXTPROC __glewVertexAttribLPointerEXT = NULL; PFNGLBEGINVERTEXSHADEREXTPROC __glewBeginVertexShaderEXT = NULL; PFNGLBINDLIGHTPARAMETEREXTPROC __glewBindLightParameterEXT = NULL; PFNGLBINDMATERIALPARAMETEREXTPROC __glewBindMaterialParameterEXT = NULL; PFNGLBINDPARAMETEREXTPROC __glewBindParameterEXT = NULL; PFNGLBINDTEXGENPARAMETEREXTPROC __glewBindTexGenParameterEXT = NULL; PFNGLBINDTEXTUREUNITPARAMETEREXTPROC __glewBindTextureUnitParameterEXT = NULL; PFNGLBINDVERTEXSHADEREXTPROC __glewBindVertexShaderEXT = NULL; PFNGLDELETEVERTEXSHADEREXTPROC __glewDeleteVertexShaderEXT = NULL; PFNGLDISABLEVARIANTCLIENTSTATEEXTPROC __glewDisableVariantClientStateEXT = NULL; PFNGLENABLEVARIANTCLIENTSTATEEXTPROC __glewEnableVariantClientStateEXT = NULL; PFNGLENDVERTEXSHADEREXTPROC __glewEndVertexShaderEXT = NULL; PFNGLEXTRACTCOMPONENTEXTPROC __glewExtractComponentEXT = NULL; PFNGLGENSYMBOLSEXTPROC __glewGenSymbolsEXT = NULL; PFNGLGENVERTEXSHADERSEXTPROC __glewGenVertexShadersEXT = NULL; PFNGLGETINVARIANTBOOLEANVEXTPROC __glewGetInvariantBooleanvEXT = NULL; PFNGLGETINVARIANTFLOATVEXTPROC __glewGetInvariantFloatvEXT = NULL; PFNGLGETINVARIANTINTEGERVEXTPROC __glewGetInvariantIntegervEXT = NULL; PFNGLGETLOCALCONSTANTBOOLEANVEXTPROC __glewGetLocalConstantBooleanvEXT = NULL; PFNGLGETLOCALCONSTANTFLOATVEXTPROC __glewGetLocalConstantFloatvEXT = NULL; PFNGLGETLOCALCONSTANTINTEGERVEXTPROC __glewGetLocalConstantIntegervEXT = NULL; PFNGLGETVARIANTBOOLEANVEXTPROC __glewGetVariantBooleanvEXT = NULL; PFNGLGETVARIANTFLOATVEXTPROC __glewGetVariantFloatvEXT = NULL; PFNGLGETVARIANTINTEGERVEXTPROC __glewGetVariantIntegervEXT = NULL; PFNGLGETVARIANTPOINTERVEXTPROC __glewGetVariantPointervEXT = NULL; PFNGLINSERTCOMPONENTEXTPROC __glewInsertComponentEXT = NULL; PFNGLISVARIANTENABLEDEXTPROC __glewIsVariantEnabledEXT = NULL; PFNGLSETINVARIANTEXTPROC __glewSetInvariantEXT = NULL; PFNGLSETLOCALCONSTANTEXTPROC __glewSetLocalConstantEXT = NULL; PFNGLSHADEROP1EXTPROC __glewShaderOp1EXT = NULL; PFNGLSHADEROP2EXTPROC __glewShaderOp2EXT = NULL; PFNGLSHADEROP3EXTPROC __glewShaderOp3EXT = NULL; PFNGLSWIZZLEEXTPROC __glewSwizzleEXT = NULL; PFNGLVARIANTPOINTEREXTPROC __glewVariantPointerEXT = NULL; PFNGLVARIANTBVEXTPROC __glewVariantbvEXT = NULL; PFNGLVARIANTDVEXTPROC __glewVariantdvEXT = NULL; PFNGLVARIANTFVEXTPROC __glewVariantfvEXT = NULL; PFNGLVARIANTIVEXTPROC __glewVariantivEXT = NULL; PFNGLVARIANTSVEXTPROC __glewVariantsvEXT = NULL; PFNGLVARIANTUBVEXTPROC __glewVariantubvEXT = NULL; PFNGLVARIANTUIVEXTPROC __glewVariantuivEXT = NULL; PFNGLVARIANTUSVEXTPROC __glewVariantusvEXT = NULL; PFNGLWRITEMASKEXTPROC __glewWriteMaskEXT = NULL; PFNGLVERTEXWEIGHTPOINTEREXTPROC __glewVertexWeightPointerEXT = NULL; PFNGLVERTEXWEIGHTFEXTPROC __glewVertexWeightfEXT = NULL; PFNGLVERTEXWEIGHTFVEXTPROC __glewVertexWeightfvEXT = NULL; PFNGLACQUIREKEYEDMUTEXWIN32EXTPROC __glewAcquireKeyedMutexWin32EXT = NULL; PFNGLRELEASEKEYEDMUTEXWIN32EXTPROC __glewReleaseKeyedMutexWin32EXT = NULL; PFNGLWINDOWRECTANGLESEXTPROC __glewWindowRectanglesEXT = NULL; PFNGLIMPORTSYNCEXTPROC __glewImportSyncEXT = NULL; PFNGLFRAMETERMINATORGREMEDYPROC __glewFrameTerminatorGREMEDY = NULL; PFNGLSTRINGMARKERGREMEDYPROC __glewStringMarkerGREMEDY = NULL; PFNGLGETIMAGETRANSFORMPARAMETERFVHPPROC __glewGetImageTransformParameterfvHP = NULL; PFNGLGETIMAGETRANSFORMPARAMETERIVHPPROC __glewGetImageTransformParameterivHP = NULL; PFNGLIMAGETRANSFORMPARAMETERFHPPROC __glewImageTransformParameterfHP = NULL; PFNGLIMAGETRANSFORMPARAMETERFVHPPROC __glewImageTransformParameterfvHP = NULL; PFNGLIMAGETRANSFORMPARAMETERIHPPROC __glewImageTransformParameteriHP = NULL; PFNGLIMAGETRANSFORMPARAMETERIVHPPROC __glewImageTransformParameterivHP = NULL; PFNGLMULTIMODEDRAWARRAYSIBMPROC __glewMultiModeDrawArraysIBM = NULL; PFNGLMULTIMODEDRAWELEMENTSIBMPROC __glewMultiModeDrawElementsIBM = NULL; PFNGLCOLORPOINTERLISTIBMPROC __glewColorPointerListIBM = NULL; PFNGLEDGEFLAGPOINTERLISTIBMPROC __glewEdgeFlagPointerListIBM = NULL; PFNGLFOGCOORDPOINTERLISTIBMPROC __glewFogCoordPointerListIBM = NULL; PFNGLINDEXPOINTERLISTIBMPROC __glewIndexPointerListIBM = NULL; PFNGLNORMALPOINTERLISTIBMPROC __glewNormalPointerListIBM = NULL; PFNGLSECONDARYCOLORPOINTERLISTIBMPROC __glewSecondaryColorPointerListIBM = NULL; PFNGLTEXCOORDPOINTERLISTIBMPROC __glewTexCoordPointerListIBM = NULL; PFNGLVERTEXPOINTERLISTIBMPROC __glewVertexPointerListIBM = NULL; PFNGLMAPTEXTURE2DINTELPROC __glewMapTexture2DINTEL = NULL; PFNGLSYNCTEXTUREINTELPROC __glewSyncTextureINTEL = NULL; PFNGLUNMAPTEXTURE2DINTELPROC __glewUnmapTexture2DINTEL = NULL; PFNGLCOLORPOINTERVINTELPROC __glewColorPointervINTEL = NULL; PFNGLNORMALPOINTERVINTELPROC __glewNormalPointervINTEL = NULL; PFNGLTEXCOORDPOINTERVINTELPROC __glewTexCoordPointervINTEL = NULL; PFNGLVERTEXPOINTERVINTELPROC __glewVertexPointervINTEL = NULL; PFNGLBEGINPERFQUERYINTELPROC __glewBeginPerfQueryINTEL = NULL; PFNGLCREATEPERFQUERYINTELPROC __glewCreatePerfQueryINTEL = NULL; PFNGLDELETEPERFQUERYINTELPROC __glewDeletePerfQueryINTEL = NULL; PFNGLENDPERFQUERYINTELPROC __glewEndPerfQueryINTEL = NULL; PFNGLGETFIRSTPERFQUERYIDINTELPROC __glewGetFirstPerfQueryIdINTEL = NULL; PFNGLGETNEXTPERFQUERYIDINTELPROC __glewGetNextPerfQueryIdINTEL = NULL; PFNGLGETPERFCOUNTERINFOINTELPROC __glewGetPerfCounterInfoINTEL = NULL; PFNGLGETPERFQUERYDATAINTELPROC __glewGetPerfQueryDataINTEL = NULL; PFNGLGETPERFQUERYIDBYNAMEINTELPROC __glewGetPerfQueryIdByNameINTEL = NULL; PFNGLGETPERFQUERYINFOINTELPROC __glewGetPerfQueryInfoINTEL = NULL; PFNGLTEXSCISSORFUNCINTELPROC __glewTexScissorFuncINTEL = NULL; PFNGLTEXSCISSORINTELPROC __glewTexScissorINTEL = NULL; PFNGLBLENDBARRIERKHRPROC __glewBlendBarrierKHR = NULL; PFNGLDEBUGMESSAGECALLBACKPROC __glewDebugMessageCallback = NULL; PFNGLDEBUGMESSAGECONTROLPROC __glewDebugMessageControl = NULL; PFNGLDEBUGMESSAGEINSERTPROC __glewDebugMessageInsert = NULL; PFNGLGETDEBUGMESSAGELOGPROC __glewGetDebugMessageLog = NULL; PFNGLGETOBJECTLABELPROC __glewGetObjectLabel = NULL; PFNGLGETOBJECTPTRLABELPROC __glewGetObjectPtrLabel = NULL; PFNGLOBJECTLABELPROC __glewObjectLabel = NULL; PFNGLOBJECTPTRLABELPROC __glewObjectPtrLabel = NULL; PFNGLPOPDEBUGGROUPPROC __glewPopDebugGroup = NULL; PFNGLPUSHDEBUGGROUPPROC __glewPushDebugGroup = NULL; PFNGLMAXSHADERCOMPILERTHREADSKHRPROC __glewMaxShaderCompilerThreadsKHR = NULL; PFNGLGETNUNIFORMFVPROC __glewGetnUniformfv = NULL; PFNGLGETNUNIFORMIVPROC __glewGetnUniformiv = NULL; PFNGLGETNUNIFORMUIVPROC __glewGetnUniformuiv = NULL; PFNGLREADNPIXELSPROC __glewReadnPixels = NULL; PFNGLBUFFERREGIONENABLEDPROC __glewBufferRegionEnabled = NULL; PFNGLDELETEBUFFERREGIONPROC __glewDeleteBufferRegion = NULL; PFNGLDRAWBUFFERREGIONPROC __glewDrawBufferRegion = NULL; PFNGLNEWBUFFERREGIONPROC __glewNewBufferRegion = NULL; PFNGLREADBUFFERREGIONPROC __glewReadBufferRegion = NULL; PFNGLRESIZEBUFFERSMESAPROC __glewResizeBuffersMESA = NULL; PFNGLWINDOWPOS2DMESAPROC __glewWindowPos2dMESA = NULL; PFNGLWINDOWPOS2DVMESAPROC __glewWindowPos2dvMESA = NULL; PFNGLWINDOWPOS2FMESAPROC __glewWindowPos2fMESA = NULL; PFNGLWINDOWPOS2FVMESAPROC __glewWindowPos2fvMESA = NULL; PFNGLWINDOWPOS2IMESAPROC __glewWindowPos2iMESA = NULL; PFNGLWINDOWPOS2IVMESAPROC __glewWindowPos2ivMESA = NULL; PFNGLWINDOWPOS2SMESAPROC __glewWindowPos2sMESA = NULL; PFNGLWINDOWPOS2SVMESAPROC __glewWindowPos2svMESA = NULL; PFNGLWINDOWPOS3DMESAPROC __glewWindowPos3dMESA = NULL; PFNGLWINDOWPOS3DVMESAPROC __glewWindowPos3dvMESA = NULL; PFNGLWINDOWPOS3FMESAPROC __glewWindowPos3fMESA = NULL; PFNGLWINDOWPOS3FVMESAPROC __glewWindowPos3fvMESA = NULL; PFNGLWINDOWPOS3IMESAPROC __glewWindowPos3iMESA = NULL; PFNGLWINDOWPOS3IVMESAPROC __glewWindowPos3ivMESA = NULL; PFNGLWINDOWPOS3SMESAPROC __glewWindowPos3sMESA = NULL; PFNGLWINDOWPOS3SVMESAPROC __glewWindowPos3svMESA = NULL; PFNGLWINDOWPOS4DMESAPROC __glewWindowPos4dMESA = NULL; PFNGLWINDOWPOS4DVMESAPROC __glewWindowPos4dvMESA = NULL; PFNGLWINDOWPOS4FMESAPROC __glewWindowPos4fMESA = NULL; PFNGLWINDOWPOS4FVMESAPROC __glewWindowPos4fvMESA = NULL; PFNGLWINDOWPOS4IMESAPROC __glewWindowPos4iMESA = NULL; PFNGLWINDOWPOS4IVMESAPROC __glewWindowPos4ivMESA = NULL; PFNGLWINDOWPOS4SMESAPROC __glewWindowPos4sMESA = NULL; PFNGLWINDOWPOS4SVMESAPROC __glewWindowPos4svMESA = NULL; PFNGLBEGINCONDITIONALRENDERNVXPROC __glewBeginConditionalRenderNVX = NULL; PFNGLENDCONDITIONALRENDERNVXPROC __glewEndConditionalRenderNVX = NULL; PFNGLLGPUCOPYIMAGESUBDATANVXPROC __glewLGPUCopyImageSubDataNVX = NULL; PFNGLLGPUINTERLOCKNVXPROC __glewLGPUInterlockNVX = NULL; PFNGLLGPUNAMEDBUFFERSUBDATANVXPROC __glewLGPUNamedBufferSubDataNVX = NULL; PFNGLSTEREOPARAMETERFNVPROC __glewStereoParameterfNV = NULL; PFNGLSTEREOPARAMETERINVPROC __glewStereoParameteriNV = NULL; PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSNVPROC __glewMultiDrawArraysIndirectBindlessNV = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSNVPROC __glewMultiDrawElementsIndirectBindlessNV = NULL; PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSCOUNTNVPROC __glewMultiDrawArraysIndirectBindlessCountNV = NULL; PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSCOUNTNVPROC __glewMultiDrawElementsIndirectBindlessCountNV = NULL; PFNGLGETIMAGEHANDLENVPROC __glewGetImageHandleNV = NULL; PFNGLGETTEXTUREHANDLENVPROC __glewGetTextureHandleNV = NULL; PFNGLGETTEXTURESAMPLERHANDLENVPROC __glewGetTextureSamplerHandleNV = NULL; PFNGLISIMAGEHANDLERESIDENTNVPROC __glewIsImageHandleResidentNV = NULL; PFNGLISTEXTUREHANDLERESIDENTNVPROC __glewIsTextureHandleResidentNV = NULL; PFNGLMAKEIMAGEHANDLENONRESIDENTNVPROC __glewMakeImageHandleNonResidentNV = NULL; PFNGLMAKEIMAGEHANDLERESIDENTNVPROC __glewMakeImageHandleResidentNV = NULL; PFNGLMAKETEXTUREHANDLENONRESIDENTNVPROC __glewMakeTextureHandleNonResidentNV = NULL; PFNGLMAKETEXTUREHANDLERESIDENTNVPROC __glewMakeTextureHandleResidentNV = NULL; PFNGLPROGRAMUNIFORMHANDLEUI64NVPROC __glewProgramUniformHandleui64NV = NULL; PFNGLPROGRAMUNIFORMHANDLEUI64VNVPROC __glewProgramUniformHandleui64vNV = NULL; PFNGLUNIFORMHANDLEUI64NVPROC __glewUniformHandleui64NV = NULL; PFNGLUNIFORMHANDLEUI64VNVPROC __glewUniformHandleui64vNV = NULL; PFNGLBLENDBARRIERNVPROC __glewBlendBarrierNV = NULL; PFNGLBLENDPARAMETERINVPROC __glewBlendParameteriNV = NULL; PFNGLVIEWPORTPOSITIONWSCALENVPROC __glewViewportPositionWScaleNV = NULL; PFNGLCALLCOMMANDLISTNVPROC __glewCallCommandListNV = NULL; PFNGLCOMMANDLISTSEGMENTSNVPROC __glewCommandListSegmentsNV = NULL; PFNGLCOMPILECOMMANDLISTNVPROC __glewCompileCommandListNV = NULL; PFNGLCREATECOMMANDLISTSNVPROC __glewCreateCommandListsNV = NULL; PFNGLCREATESTATESNVPROC __glewCreateStatesNV = NULL; PFNGLDELETECOMMANDLISTSNVPROC __glewDeleteCommandListsNV = NULL; PFNGLDELETESTATESNVPROC __glewDeleteStatesNV = NULL; PFNGLDRAWCOMMANDSADDRESSNVPROC __glewDrawCommandsAddressNV = NULL; PFNGLDRAWCOMMANDSNVPROC __glewDrawCommandsNV = NULL; PFNGLDRAWCOMMANDSSTATESADDRESSNVPROC __glewDrawCommandsStatesAddressNV = NULL; PFNGLDRAWCOMMANDSSTATESNVPROC __glewDrawCommandsStatesNV = NULL; PFNGLGETCOMMANDHEADERNVPROC __glewGetCommandHeaderNV = NULL; PFNGLGETSTAGEINDEXNVPROC __glewGetStageIndexNV = NULL; PFNGLISCOMMANDLISTNVPROC __glewIsCommandListNV = NULL; PFNGLISSTATENVPROC __glewIsStateNV = NULL; PFNGLLISTDRAWCOMMANDSSTATESCLIENTNVPROC __glewListDrawCommandsStatesClientNV = NULL; PFNGLSTATECAPTURENVPROC __glewStateCaptureNV = NULL; PFNGLBEGINCONDITIONALRENDERNVPROC __glewBeginConditionalRenderNV = NULL; PFNGLENDCONDITIONALRENDERNVPROC __glewEndConditionalRenderNV = NULL; PFNGLSUBPIXELPRECISIONBIASNVPROC __glewSubpixelPrecisionBiasNV = NULL; PFNGLCONSERVATIVERASTERPARAMETERFNVPROC __glewConservativeRasterParameterfNV = NULL; PFNGLCONSERVATIVERASTERPARAMETERINVPROC __glewConservativeRasterParameteriNV = NULL; PFNGLCOPYBUFFERSUBDATANVPROC __glewCopyBufferSubDataNV = NULL; PFNGLCOPYIMAGESUBDATANVPROC __glewCopyImageSubDataNV = NULL; PFNGLCLEARDEPTHDNVPROC __glewClearDepthdNV = NULL; PFNGLDEPTHBOUNDSDNVPROC __glewDepthBoundsdNV = NULL; PFNGLDEPTHRANGEDNVPROC __glewDepthRangedNV = NULL; PFNGLDRAWBUFFERSNVPROC __glewDrawBuffersNV = NULL; PFNGLDRAWARRAYSINSTANCEDNVPROC __glewDrawArraysInstancedNV = NULL; PFNGLDRAWELEMENTSINSTANCEDNVPROC __glewDrawElementsInstancedNV = NULL; PFNGLDRAWTEXTURENVPROC __glewDrawTextureNV = NULL; PFNGLDRAWVKIMAGENVPROC __glewDrawVkImageNV = NULL; PFNGLGETVKPROCADDRNVPROC __glewGetVkProcAddrNV = NULL; PFNGLSIGNALVKFENCENVPROC __glewSignalVkFenceNV = NULL; PFNGLSIGNALVKSEMAPHORENVPROC __glewSignalVkSemaphoreNV = NULL; PFNGLWAITVKSEMAPHORENVPROC __glewWaitVkSemaphoreNV = NULL; PFNGLEVALMAPSNVPROC __glewEvalMapsNV = NULL; PFNGLGETMAPATTRIBPARAMETERFVNVPROC __glewGetMapAttribParameterfvNV = NULL; PFNGLGETMAPATTRIBPARAMETERIVNVPROC __glewGetMapAttribParameterivNV = NULL; PFNGLGETMAPCONTROLPOINTSNVPROC __glewGetMapControlPointsNV = NULL; PFNGLGETMAPPARAMETERFVNVPROC __glewGetMapParameterfvNV = NULL; PFNGLGETMAPPARAMETERIVNVPROC __glewGetMapParameterivNV = NULL; PFNGLMAPCONTROLPOINTSNVPROC __glewMapControlPointsNV = NULL; PFNGLMAPPARAMETERFVNVPROC __glewMapParameterfvNV = NULL; PFNGLMAPPARAMETERIVNVPROC __glewMapParameterivNV = NULL; PFNGLGETMULTISAMPLEFVNVPROC __glewGetMultisamplefvNV = NULL; PFNGLSAMPLEMASKINDEXEDNVPROC __glewSampleMaskIndexedNV = NULL; PFNGLTEXRENDERBUFFERNVPROC __glewTexRenderbufferNV = NULL; PFNGLDELETEFENCESNVPROC __glewDeleteFencesNV = NULL; PFNGLFINISHFENCENVPROC __glewFinishFenceNV = NULL; PFNGLGENFENCESNVPROC __glewGenFencesNV = NULL; PFNGLGETFENCEIVNVPROC __glewGetFenceivNV = NULL; PFNGLISFENCENVPROC __glewIsFenceNV = NULL; PFNGLSETFENCENVPROC __glewSetFenceNV = NULL; PFNGLTESTFENCENVPROC __glewTestFenceNV = NULL; PFNGLFRAGMENTCOVERAGECOLORNVPROC __glewFragmentCoverageColorNV = NULL; PFNGLGETPROGRAMNAMEDPARAMETERDVNVPROC __glewGetProgramNamedParameterdvNV = NULL; PFNGLGETPROGRAMNAMEDPARAMETERFVNVPROC __glewGetProgramNamedParameterfvNV = NULL; PFNGLPROGRAMNAMEDPARAMETER4DNVPROC __glewProgramNamedParameter4dNV = NULL; PFNGLPROGRAMNAMEDPARAMETER4DVNVPROC __glewProgramNamedParameter4dvNV = NULL; PFNGLPROGRAMNAMEDPARAMETER4FNVPROC __glewProgramNamedParameter4fNV = NULL; PFNGLPROGRAMNAMEDPARAMETER4FVNVPROC __glewProgramNamedParameter4fvNV = NULL; PFNGLBLITFRAMEBUFFERNVPROC __glewBlitFramebufferNV = NULL; PFNGLRENDERBUFFERSTORAGEMULTISAMPLENVPROC __glewRenderbufferStorageMultisampleNV = NULL; PFNGLRENDERBUFFERSTORAGEMULTISAMPLECOVERAGENVPROC __glewRenderbufferStorageMultisampleCoverageNV = NULL; PFNGLPROGRAMVERTEXLIMITNVPROC __glewProgramVertexLimitNV = NULL; PFNGLMULTICASTBARRIERNVPROC __glewMulticastBarrierNV = NULL; PFNGLMULTICASTBLITFRAMEBUFFERNVPROC __glewMulticastBlitFramebufferNV = NULL; PFNGLMULTICASTBUFFERSUBDATANVPROC __glewMulticastBufferSubDataNV = NULL; PFNGLMULTICASTCOPYBUFFERSUBDATANVPROC __glewMulticastCopyBufferSubDataNV = NULL; PFNGLMULTICASTCOPYIMAGESUBDATANVPROC __glewMulticastCopyImageSubDataNV = NULL; PFNGLMULTICASTFRAMEBUFFERSAMPLELOCATIONSFVNVPROC __glewMulticastFramebufferSampleLocationsfvNV = NULL; PFNGLMULTICASTGETQUERYOBJECTI64VNVPROC __glewMulticastGetQueryObjecti64vNV = NULL; PFNGLMULTICASTGETQUERYOBJECTIVNVPROC __glewMulticastGetQueryObjectivNV = NULL; PFNGLMULTICASTGETQUERYOBJECTUI64VNVPROC __glewMulticastGetQueryObjectui64vNV = NULL; PFNGLMULTICASTGETQUERYOBJECTUIVNVPROC __glewMulticastGetQueryObjectuivNV = NULL; PFNGLMULTICASTWAITSYNCNVPROC __glewMulticastWaitSyncNV = NULL; PFNGLRENDERGPUMASKNVPROC __glewRenderGpuMaskNV = NULL; PFNGLPROGRAMENVPARAMETERI4INVPROC __glewProgramEnvParameterI4iNV = NULL; PFNGLPROGRAMENVPARAMETERI4IVNVPROC __glewProgramEnvParameterI4ivNV = NULL; PFNGLPROGRAMENVPARAMETERI4UINVPROC __glewProgramEnvParameterI4uiNV = NULL; PFNGLPROGRAMENVPARAMETERI4UIVNVPROC __glewProgramEnvParameterI4uivNV = NULL; PFNGLPROGRAMENVPARAMETERSI4IVNVPROC __glewProgramEnvParametersI4ivNV = NULL; PFNGLPROGRAMENVPARAMETERSI4UIVNVPROC __glewProgramEnvParametersI4uivNV = NULL; PFNGLPROGRAMLOCALPARAMETERI4INVPROC __glewProgramLocalParameterI4iNV = NULL; PFNGLPROGRAMLOCALPARAMETERI4IVNVPROC __glewProgramLocalParameterI4ivNV = NULL; PFNGLPROGRAMLOCALPARAMETERI4UINVPROC __glewProgramLocalParameterI4uiNV = NULL; PFNGLPROGRAMLOCALPARAMETERI4UIVNVPROC __glewProgramLocalParameterI4uivNV = NULL; PFNGLPROGRAMLOCALPARAMETERSI4IVNVPROC __glewProgramLocalParametersI4ivNV = NULL; PFNGLPROGRAMLOCALPARAMETERSI4UIVNVPROC __glewProgramLocalParametersI4uivNV = NULL; PFNGLGETUNIFORMI64VNVPROC __glewGetUniformi64vNV = NULL; PFNGLGETUNIFORMUI64VNVPROC __glewGetUniformui64vNV = NULL; PFNGLPROGRAMUNIFORM1I64NVPROC __glewProgramUniform1i64NV = NULL; PFNGLPROGRAMUNIFORM1I64VNVPROC __glewProgramUniform1i64vNV = NULL; PFNGLPROGRAMUNIFORM1UI64NVPROC __glewProgramUniform1ui64NV = NULL; PFNGLPROGRAMUNIFORM1UI64VNVPROC __glewProgramUniform1ui64vNV = NULL; PFNGLPROGRAMUNIFORM2I64NVPROC __glewProgramUniform2i64NV = NULL; PFNGLPROGRAMUNIFORM2I64VNVPROC __glewProgramUniform2i64vNV = NULL; PFNGLPROGRAMUNIFORM2UI64NVPROC __glewProgramUniform2ui64NV = NULL; PFNGLPROGRAMUNIFORM2UI64VNVPROC __glewProgramUniform2ui64vNV = NULL; PFNGLPROGRAMUNIFORM3I64NVPROC __glewProgramUniform3i64NV = NULL; PFNGLPROGRAMUNIFORM3I64VNVPROC __glewProgramUniform3i64vNV = NULL; PFNGLPROGRAMUNIFORM3UI64NVPROC __glewProgramUniform3ui64NV = NULL; PFNGLPROGRAMUNIFORM3UI64VNVPROC __glewProgramUniform3ui64vNV = NULL; PFNGLPROGRAMUNIFORM4I64NVPROC __glewProgramUniform4i64NV = NULL; PFNGLPROGRAMUNIFORM4I64VNVPROC __glewProgramUniform4i64vNV = NULL; PFNGLPROGRAMUNIFORM4UI64NVPROC __glewProgramUniform4ui64NV = NULL; PFNGLPROGRAMUNIFORM4UI64VNVPROC __glewProgramUniform4ui64vNV = NULL; PFNGLUNIFORM1I64NVPROC __glewUniform1i64NV = NULL; PFNGLUNIFORM1I64VNVPROC __glewUniform1i64vNV = NULL; PFNGLUNIFORM1UI64NVPROC __glewUniform1ui64NV = NULL; PFNGLUNIFORM1UI64VNVPROC __glewUniform1ui64vNV = NULL; PFNGLUNIFORM2I64NVPROC __glewUniform2i64NV = NULL; PFNGLUNIFORM2I64VNVPROC __glewUniform2i64vNV = NULL; PFNGLUNIFORM2UI64NVPROC __glewUniform2ui64NV = NULL; PFNGLUNIFORM2UI64VNVPROC __glewUniform2ui64vNV = NULL; PFNGLUNIFORM3I64NVPROC __glewUniform3i64NV = NULL; PFNGLUNIFORM3I64VNVPROC __glewUniform3i64vNV = NULL; PFNGLUNIFORM3UI64NVPROC __glewUniform3ui64NV = NULL; PFNGLUNIFORM3UI64VNVPROC __glewUniform3ui64vNV = NULL; PFNGLUNIFORM4I64NVPROC __glewUniform4i64NV = NULL; PFNGLUNIFORM4I64VNVPROC __glewUniform4i64vNV = NULL; PFNGLUNIFORM4UI64NVPROC __glewUniform4ui64NV = NULL; PFNGLUNIFORM4UI64VNVPROC __glewUniform4ui64vNV = NULL; PFNGLCOLOR3HNVPROC __glewColor3hNV = NULL; PFNGLCOLOR3HVNVPROC __glewColor3hvNV = NULL; PFNGLCOLOR4HNVPROC __glewColor4hNV = NULL; PFNGLCOLOR4HVNVPROC __glewColor4hvNV = NULL; PFNGLFOGCOORDHNVPROC __glewFogCoordhNV = NULL; PFNGLFOGCOORDHVNVPROC __glewFogCoordhvNV = NULL; PFNGLMULTITEXCOORD1HNVPROC __glewMultiTexCoord1hNV = NULL; PFNGLMULTITEXCOORD1HVNVPROC __glewMultiTexCoord1hvNV = NULL; PFNGLMULTITEXCOORD2HNVPROC __glewMultiTexCoord2hNV = NULL; PFNGLMULTITEXCOORD2HVNVPROC __glewMultiTexCoord2hvNV = NULL; PFNGLMULTITEXCOORD3HNVPROC __glewMultiTexCoord3hNV = NULL; PFNGLMULTITEXCOORD3HVNVPROC __glewMultiTexCoord3hvNV = NULL; PFNGLMULTITEXCOORD4HNVPROC __glewMultiTexCoord4hNV = NULL; PFNGLMULTITEXCOORD4HVNVPROC __glewMultiTexCoord4hvNV = NULL; PFNGLNORMAL3HNVPROC __glewNormal3hNV = NULL; PFNGLNORMAL3HVNVPROC __glewNormal3hvNV = NULL; PFNGLSECONDARYCOLOR3HNVPROC __glewSecondaryColor3hNV = NULL; PFNGLSECONDARYCOLOR3HVNVPROC __glewSecondaryColor3hvNV = NULL; PFNGLTEXCOORD1HNVPROC __glewTexCoord1hNV = NULL; PFNGLTEXCOORD1HVNVPROC __glewTexCoord1hvNV = NULL; PFNGLTEXCOORD2HNVPROC __glewTexCoord2hNV = NULL; PFNGLTEXCOORD2HVNVPROC __glewTexCoord2hvNV = NULL; PFNGLTEXCOORD3HNVPROC __glewTexCoord3hNV = NULL; PFNGLTEXCOORD3HVNVPROC __glewTexCoord3hvNV = NULL; PFNGLTEXCOORD4HNVPROC __glewTexCoord4hNV = NULL; PFNGLTEXCOORD4HVNVPROC __glewTexCoord4hvNV = NULL; PFNGLVERTEX2HNVPROC __glewVertex2hNV = NULL; PFNGLVERTEX2HVNVPROC __glewVertex2hvNV = NULL; PFNGLVERTEX3HNVPROC __glewVertex3hNV = NULL; PFNGLVERTEX3HVNVPROC __glewVertex3hvNV = NULL; PFNGLVERTEX4HNVPROC __glewVertex4hNV = NULL; PFNGLVERTEX4HVNVPROC __glewVertex4hvNV = NULL; PFNGLVERTEXATTRIB1HNVPROC __glewVertexAttrib1hNV = NULL; PFNGLVERTEXATTRIB1HVNVPROC __glewVertexAttrib1hvNV = NULL; PFNGLVERTEXATTRIB2HNVPROC __glewVertexAttrib2hNV = NULL; PFNGLVERTEXATTRIB2HVNVPROC __glewVertexAttrib2hvNV = NULL; PFNGLVERTEXATTRIB3HNVPROC __glewVertexAttrib3hNV = NULL; PFNGLVERTEXATTRIB3HVNVPROC __glewVertexAttrib3hvNV = NULL; PFNGLVERTEXATTRIB4HNVPROC __glewVertexAttrib4hNV = NULL; PFNGLVERTEXATTRIB4HVNVPROC __glewVertexAttrib4hvNV = NULL; PFNGLVERTEXATTRIBS1HVNVPROC __glewVertexAttribs1hvNV = NULL; PFNGLVERTEXATTRIBS2HVNVPROC __glewVertexAttribs2hvNV = NULL; PFNGLVERTEXATTRIBS3HVNVPROC __glewVertexAttribs3hvNV = NULL; PFNGLVERTEXATTRIBS4HVNVPROC __glewVertexAttribs4hvNV = NULL; PFNGLVERTEXWEIGHTHNVPROC __glewVertexWeighthNV = NULL; PFNGLVERTEXWEIGHTHVNVPROC __glewVertexWeighthvNV = NULL; PFNGLVERTEXATTRIBDIVISORNVPROC __glewVertexAttribDivisorNV = NULL; PFNGLGETINTERNALFORMATSAMPLEIVNVPROC __glewGetInternalformatSampleivNV = NULL; PFNGLUNIFORMMATRIX2X3FVNVPROC __glewUniformMatrix2x3fvNV = NULL; PFNGLUNIFORMMATRIX2X4FVNVPROC __glewUniformMatrix2x4fvNV = NULL; PFNGLUNIFORMMATRIX3X2FVNVPROC __glewUniformMatrix3x2fvNV = NULL; PFNGLUNIFORMMATRIX3X4FVNVPROC __glewUniformMatrix3x4fvNV = NULL; PFNGLUNIFORMMATRIX4X2FVNVPROC __glewUniformMatrix4x2fvNV = NULL; PFNGLUNIFORMMATRIX4X3FVNVPROC __glewUniformMatrix4x3fvNV = NULL; PFNGLBEGINOCCLUSIONQUERYNVPROC __glewBeginOcclusionQueryNV = NULL; PFNGLDELETEOCCLUSIONQUERIESNVPROC __glewDeleteOcclusionQueriesNV = NULL; PFNGLENDOCCLUSIONQUERYNVPROC __glewEndOcclusionQueryNV = NULL; PFNGLGENOCCLUSIONQUERIESNVPROC __glewGenOcclusionQueriesNV = NULL; PFNGLGETOCCLUSIONQUERYIVNVPROC __glewGetOcclusionQueryivNV = NULL; PFNGLGETOCCLUSIONQUERYUIVNVPROC __glewGetOcclusionQueryuivNV = NULL; PFNGLISOCCLUSIONQUERYNVPROC __glewIsOcclusionQueryNV = NULL; PFNGLPROGRAMBUFFERPARAMETERSIIVNVPROC __glewProgramBufferParametersIivNV = NULL; PFNGLPROGRAMBUFFERPARAMETERSIUIVNVPROC __glewProgramBufferParametersIuivNV = NULL; PFNGLPROGRAMBUFFERPARAMETERSFVNVPROC __glewProgramBufferParametersfvNV = NULL; PFNGLCOPYPATHNVPROC __glewCopyPathNV = NULL; PFNGLCOVERFILLPATHINSTANCEDNVPROC __glewCoverFillPathInstancedNV = NULL; PFNGLCOVERFILLPATHNVPROC __glewCoverFillPathNV = NULL; PFNGLCOVERSTROKEPATHINSTANCEDNVPROC __glewCoverStrokePathInstancedNV = NULL; PFNGLCOVERSTROKEPATHNVPROC __glewCoverStrokePathNV = NULL; PFNGLDELETEPATHSNVPROC __glewDeletePathsNV = NULL; PFNGLGENPATHSNVPROC __glewGenPathsNV = NULL; PFNGLGETPATHCOLORGENFVNVPROC __glewGetPathColorGenfvNV = NULL; PFNGLGETPATHCOLORGENIVNVPROC __glewGetPathColorGenivNV = NULL; PFNGLGETPATHCOMMANDSNVPROC __glewGetPathCommandsNV = NULL; PFNGLGETPATHCOORDSNVPROC __glewGetPathCoordsNV = NULL; PFNGLGETPATHDASHARRAYNVPROC __glewGetPathDashArrayNV = NULL; PFNGLGETPATHLENGTHNVPROC __glewGetPathLengthNV = NULL; PFNGLGETPATHMETRICRANGENVPROC __glewGetPathMetricRangeNV = NULL; PFNGLGETPATHMETRICSNVPROC __glewGetPathMetricsNV = NULL; PFNGLGETPATHPARAMETERFVNVPROC __glewGetPathParameterfvNV = NULL; PFNGLGETPATHPARAMETERIVNVPROC __glewGetPathParameterivNV = NULL; PFNGLGETPATHSPACINGNVPROC __glewGetPathSpacingNV = NULL; PFNGLGETPATHTEXGENFVNVPROC __glewGetPathTexGenfvNV = NULL; PFNGLGETPATHTEXGENIVNVPROC __glewGetPathTexGenivNV = NULL; PFNGLGETPROGRAMRESOURCEFVNVPROC __glewGetProgramResourcefvNV = NULL; PFNGLINTERPOLATEPATHSNVPROC __glewInterpolatePathsNV = NULL; PFNGLISPATHNVPROC __glewIsPathNV = NULL; PFNGLISPOINTINFILLPATHNVPROC __glewIsPointInFillPathNV = NULL; PFNGLISPOINTINSTROKEPATHNVPROC __glewIsPointInStrokePathNV = NULL; PFNGLMATRIXLOAD3X2FNVPROC __glewMatrixLoad3x2fNV = NULL; PFNGLMATRIXLOAD3X3FNVPROC __glewMatrixLoad3x3fNV = NULL; PFNGLMATRIXLOADTRANSPOSE3X3FNVPROC __glewMatrixLoadTranspose3x3fNV = NULL; PFNGLMATRIXMULT3X2FNVPROC __glewMatrixMult3x2fNV = NULL; PFNGLMATRIXMULT3X3FNVPROC __glewMatrixMult3x3fNV = NULL; PFNGLMATRIXMULTTRANSPOSE3X3FNVPROC __glewMatrixMultTranspose3x3fNV = NULL; PFNGLPATHCOLORGENNVPROC __glewPathColorGenNV = NULL; PFNGLPATHCOMMANDSNVPROC __glewPathCommandsNV = NULL; PFNGLPATHCOORDSNVPROC __glewPathCoordsNV = NULL; PFNGLPATHCOVERDEPTHFUNCNVPROC __glewPathCoverDepthFuncNV = NULL; PFNGLPATHDASHARRAYNVPROC __glewPathDashArrayNV = NULL; PFNGLPATHFOGGENNVPROC __glewPathFogGenNV = NULL; PFNGLPATHGLYPHINDEXARRAYNVPROC __glewPathGlyphIndexArrayNV = NULL; PFNGLPATHGLYPHINDEXRANGENVPROC __glewPathGlyphIndexRangeNV = NULL; PFNGLPATHGLYPHRANGENVPROC __glewPathGlyphRangeNV = NULL; PFNGLPATHGLYPHSNVPROC __glewPathGlyphsNV = NULL; PFNGLPATHMEMORYGLYPHINDEXARRAYNVPROC __glewPathMemoryGlyphIndexArrayNV = NULL; PFNGLPATHPARAMETERFNVPROC __glewPathParameterfNV = NULL; PFNGLPATHPARAMETERFVNVPROC __glewPathParameterfvNV = NULL; PFNGLPATHPARAMETERINVPROC __glewPathParameteriNV = NULL; PFNGLPATHPARAMETERIVNVPROC __glewPathParameterivNV = NULL; PFNGLPATHSTENCILDEPTHOFFSETNVPROC __glewPathStencilDepthOffsetNV = NULL; PFNGLPATHSTENCILFUNCNVPROC __glewPathStencilFuncNV = NULL; PFNGLPATHSTRINGNVPROC __glewPathStringNV = NULL; PFNGLPATHSUBCOMMANDSNVPROC __glewPathSubCommandsNV = NULL; PFNGLPATHSUBCOORDSNVPROC __glewPathSubCoordsNV = NULL; PFNGLPATHTEXGENNVPROC __glewPathTexGenNV = NULL; PFNGLPOINTALONGPATHNVPROC __glewPointAlongPathNV = NULL; PFNGLPROGRAMPATHFRAGMENTINPUTGENNVPROC __glewProgramPathFragmentInputGenNV = NULL; PFNGLSTENCILFILLPATHINSTANCEDNVPROC __glewStencilFillPathInstancedNV = NULL; PFNGLSTENCILFILLPATHNVPROC __glewStencilFillPathNV = NULL; PFNGLSTENCILSTROKEPATHINSTANCEDNVPROC __glewStencilStrokePathInstancedNV = NULL; PFNGLSTENCILSTROKEPATHNVPROC __glewStencilStrokePathNV = NULL; PFNGLSTENCILTHENCOVERFILLPATHINSTANCEDNVPROC __glewStencilThenCoverFillPathInstancedNV = NULL; PFNGLSTENCILTHENCOVERFILLPATHNVPROC __glewStencilThenCoverFillPathNV = NULL; PFNGLSTENCILTHENCOVERSTROKEPATHINSTANCEDNVPROC __glewStencilThenCoverStrokePathInstancedNV = NULL; PFNGLSTENCILTHENCOVERSTROKEPATHNVPROC __glewStencilThenCoverStrokePathNV = NULL; PFNGLTRANSFORMPATHNVPROC __glewTransformPathNV = NULL; PFNGLWEIGHTPATHSNVPROC __glewWeightPathsNV = NULL; PFNGLFLUSHPIXELDATARANGENVPROC __glewFlushPixelDataRangeNV = NULL; PFNGLPIXELDATARANGENVPROC __glewPixelDataRangeNV = NULL; PFNGLPOINTPARAMETERINVPROC __glewPointParameteriNV = NULL; PFNGLPOINTPARAMETERIVNVPROC __glewPointParameterivNV = NULL; PFNGLPOLYGONMODENVPROC __glewPolygonModeNV = NULL; PFNGLGETVIDEOI64VNVPROC __glewGetVideoi64vNV = NULL; PFNGLGETVIDEOIVNVPROC __glewGetVideoivNV = NULL; PFNGLGETVIDEOUI64VNVPROC __glewGetVideoui64vNV = NULL; PFNGLGETVIDEOUIVNVPROC __glewGetVideouivNV = NULL; PFNGLPRESENTFRAMEDUALFILLNVPROC __glewPresentFrameDualFillNV = NULL; PFNGLPRESENTFRAMEKEYEDNVPROC __glewPresentFrameKeyedNV = NULL; PFNGLPRIMITIVERESTARTINDEXNVPROC __glewPrimitiveRestartIndexNV = NULL; PFNGLPRIMITIVERESTARTNVPROC __glewPrimitiveRestartNV = NULL; PFNGLCOMBINERINPUTNVPROC __glewCombinerInputNV = NULL; PFNGLCOMBINEROUTPUTNVPROC __glewCombinerOutputNV = NULL; PFNGLCOMBINERPARAMETERFNVPROC __glewCombinerParameterfNV = NULL; PFNGLCOMBINERPARAMETERFVNVPROC __glewCombinerParameterfvNV = NULL; PFNGLCOMBINERPARAMETERINVPROC __glewCombinerParameteriNV = NULL; PFNGLCOMBINERPARAMETERIVNVPROC __glewCombinerParameterivNV = NULL; PFNGLFINALCOMBINERINPUTNVPROC __glewFinalCombinerInputNV = NULL; PFNGLGETCOMBINERINPUTPARAMETERFVNVPROC __glewGetCombinerInputParameterfvNV = NULL; PFNGLGETCOMBINERINPUTPARAMETERIVNVPROC __glewGetCombinerInputParameterivNV = NULL; PFNGLGETCOMBINEROUTPUTPARAMETERFVNVPROC __glewGetCombinerOutputParameterfvNV = NULL; PFNGLGETCOMBINEROUTPUTPARAMETERIVNVPROC __glewGetCombinerOutputParameterivNV = NULL; PFNGLGETFINALCOMBINERINPUTPARAMETERFVNVPROC __glewGetFinalCombinerInputParameterfvNV = NULL; PFNGLGETFINALCOMBINERINPUTPARAMETERIVNVPROC __glewGetFinalCombinerInputParameterivNV = NULL; PFNGLCOMBINERSTAGEPARAMETERFVNVPROC __glewCombinerStageParameterfvNV = NULL; PFNGLGETCOMBINERSTAGEPARAMETERFVNVPROC __glewGetCombinerStageParameterfvNV = NULL; PFNGLFRAMEBUFFERSAMPLELOCATIONSFVNVPROC __glewFramebufferSampleLocationsfvNV = NULL; PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVNVPROC __glewNamedFramebufferSampleLocationsfvNV = NULL; PFNGLGETBUFFERPARAMETERUI64VNVPROC __glewGetBufferParameterui64vNV = NULL; PFNGLGETINTEGERUI64VNVPROC __glewGetIntegerui64vNV = NULL; PFNGLGETNAMEDBUFFERPARAMETERUI64VNVPROC __glewGetNamedBufferParameterui64vNV = NULL; PFNGLISBUFFERRESIDENTNVPROC __glewIsBufferResidentNV = NULL; PFNGLISNAMEDBUFFERRESIDENTNVPROC __glewIsNamedBufferResidentNV = NULL; PFNGLMAKEBUFFERNONRESIDENTNVPROC __glewMakeBufferNonResidentNV = NULL; PFNGLMAKEBUFFERRESIDENTNVPROC __glewMakeBufferResidentNV = NULL; PFNGLMAKENAMEDBUFFERNONRESIDENTNVPROC __glewMakeNamedBufferNonResidentNV = NULL; PFNGLMAKENAMEDBUFFERRESIDENTNVPROC __glewMakeNamedBufferResidentNV = NULL; PFNGLPROGRAMUNIFORMUI64NVPROC __glewProgramUniformui64NV = NULL; PFNGLPROGRAMUNIFORMUI64VNVPROC __glewProgramUniformui64vNV = NULL; PFNGLUNIFORMUI64NVPROC __glewUniformui64NV = NULL; PFNGLUNIFORMUI64VNVPROC __glewUniformui64vNV = NULL; PFNGLCOMPRESSEDTEXIMAGE3DNVPROC __glewCompressedTexImage3DNV = NULL; PFNGLCOMPRESSEDTEXSUBIMAGE3DNVPROC __glewCompressedTexSubImage3DNV = NULL; PFNGLCOPYTEXSUBIMAGE3DNVPROC __glewCopyTexSubImage3DNV = NULL; PFNGLFRAMEBUFFERTEXTURELAYERNVPROC __glewFramebufferTextureLayerNV = NULL; PFNGLTEXIMAGE3DNVPROC __glewTexImage3DNV = NULL; PFNGLTEXSUBIMAGE3DNVPROC __glewTexSubImage3DNV = NULL; PFNGLTEXTUREBARRIERNVPROC __glewTextureBarrierNV = NULL; PFNGLTEXIMAGE2DMULTISAMPLECOVERAGENVPROC __glewTexImage2DMultisampleCoverageNV = NULL; PFNGLTEXIMAGE3DMULTISAMPLECOVERAGENVPROC __glewTexImage3DMultisampleCoverageNV = NULL; PFNGLTEXTUREIMAGE2DMULTISAMPLECOVERAGENVPROC __glewTextureImage2DMultisampleCoverageNV = NULL; PFNGLTEXTUREIMAGE2DMULTISAMPLENVPROC __glewTextureImage2DMultisampleNV = NULL; PFNGLTEXTUREIMAGE3DMULTISAMPLECOVERAGENVPROC __glewTextureImage3DMultisampleCoverageNV = NULL; PFNGLTEXTUREIMAGE3DMULTISAMPLENVPROC __glewTextureImage3DMultisampleNV = NULL; PFNGLACTIVEVARYINGNVPROC __glewActiveVaryingNV = NULL; PFNGLBEGINTRANSFORMFEEDBACKNVPROC __glewBeginTransformFeedbackNV = NULL; PFNGLBINDBUFFERBASENVPROC __glewBindBufferBaseNV = NULL; PFNGLBINDBUFFEROFFSETNVPROC __glewBindBufferOffsetNV = NULL; PFNGLBINDBUFFERRANGENVPROC __glewBindBufferRangeNV = NULL; PFNGLENDTRANSFORMFEEDBACKNVPROC __glewEndTransformFeedbackNV = NULL; PFNGLGETACTIVEVARYINGNVPROC __glewGetActiveVaryingNV = NULL; PFNGLGETTRANSFORMFEEDBACKVARYINGNVPROC __glewGetTransformFeedbackVaryingNV = NULL; PFNGLGETVARYINGLOCATIONNVPROC __glewGetVaryingLocationNV = NULL; PFNGLTRANSFORMFEEDBACKATTRIBSNVPROC __glewTransformFeedbackAttribsNV = NULL; PFNGLTRANSFORMFEEDBACKVARYINGSNVPROC __glewTransformFeedbackVaryingsNV = NULL; PFNGLBINDTRANSFORMFEEDBACKNVPROC __glewBindTransformFeedbackNV = NULL; PFNGLDELETETRANSFORMFEEDBACKSNVPROC __glewDeleteTransformFeedbacksNV = NULL; PFNGLDRAWTRANSFORMFEEDBACKNVPROC __glewDrawTransformFeedbackNV = NULL; PFNGLGENTRANSFORMFEEDBACKSNVPROC __glewGenTransformFeedbacksNV = NULL; PFNGLISTRANSFORMFEEDBACKNVPROC __glewIsTransformFeedbackNV = NULL; PFNGLPAUSETRANSFORMFEEDBACKNVPROC __glewPauseTransformFeedbackNV = NULL; PFNGLRESUMETRANSFORMFEEDBACKNVPROC __glewResumeTransformFeedbackNV = NULL; PFNGLVDPAUFININVPROC __glewVDPAUFiniNV = NULL; PFNGLVDPAUGETSURFACEIVNVPROC __glewVDPAUGetSurfaceivNV = NULL; PFNGLVDPAUINITNVPROC __glewVDPAUInitNV = NULL; PFNGLVDPAUISSURFACENVPROC __glewVDPAUIsSurfaceNV = NULL; PFNGLVDPAUMAPSURFACESNVPROC __glewVDPAUMapSurfacesNV = NULL; PFNGLVDPAUREGISTEROUTPUTSURFACENVPROC __glewVDPAURegisterOutputSurfaceNV = NULL; PFNGLVDPAUREGISTERVIDEOSURFACENVPROC __glewVDPAURegisterVideoSurfaceNV = NULL; PFNGLVDPAUSURFACEACCESSNVPROC __glewVDPAUSurfaceAccessNV = NULL; PFNGLVDPAUUNMAPSURFACESNVPROC __glewVDPAUUnmapSurfacesNV = NULL; PFNGLVDPAUUNREGISTERSURFACENVPROC __glewVDPAUUnregisterSurfaceNV = NULL; PFNGLFLUSHVERTEXARRAYRANGENVPROC __glewFlushVertexArrayRangeNV = NULL; PFNGLVERTEXARRAYRANGENVPROC __glewVertexArrayRangeNV = NULL; PFNGLGETVERTEXATTRIBLI64VNVPROC __glewGetVertexAttribLi64vNV = NULL; PFNGLGETVERTEXATTRIBLUI64VNVPROC __glewGetVertexAttribLui64vNV = NULL; PFNGLVERTEXATTRIBL1I64NVPROC __glewVertexAttribL1i64NV = NULL; PFNGLVERTEXATTRIBL1I64VNVPROC __glewVertexAttribL1i64vNV = NULL; PFNGLVERTEXATTRIBL1UI64NVPROC __glewVertexAttribL1ui64NV = NULL; PFNGLVERTEXATTRIBL1UI64VNVPROC __glewVertexAttribL1ui64vNV = NULL; PFNGLVERTEXATTRIBL2I64NVPROC __glewVertexAttribL2i64NV = NULL; PFNGLVERTEXATTRIBL2I64VNVPROC __glewVertexAttribL2i64vNV = NULL; PFNGLVERTEXATTRIBL2UI64NVPROC __glewVertexAttribL2ui64NV = NULL; PFNGLVERTEXATTRIBL2UI64VNVPROC __glewVertexAttribL2ui64vNV = NULL; PFNGLVERTEXATTRIBL3I64NVPROC __glewVertexAttribL3i64NV = NULL; PFNGLVERTEXATTRIBL3I64VNVPROC __glewVertexAttribL3i64vNV = NULL; PFNGLVERTEXATTRIBL3UI64NVPROC __glewVertexAttribL3ui64NV = NULL; PFNGLVERTEXATTRIBL3UI64VNVPROC __glewVertexAttribL3ui64vNV = NULL; PFNGLVERTEXATTRIBL4I64NVPROC __glewVertexAttribL4i64NV = NULL; PFNGLVERTEXATTRIBL4I64VNVPROC __glewVertexAttribL4i64vNV = NULL; PFNGLVERTEXATTRIBL4UI64NVPROC __glewVertexAttribL4ui64NV = NULL; PFNGLVERTEXATTRIBL4UI64VNVPROC __glewVertexAttribL4ui64vNV = NULL; PFNGLVERTEXATTRIBLFORMATNVPROC __glewVertexAttribLFormatNV = NULL; PFNGLBUFFERADDRESSRANGENVPROC __glewBufferAddressRangeNV = NULL; PFNGLCOLORFORMATNVPROC __glewColorFormatNV = NULL; PFNGLEDGEFLAGFORMATNVPROC __glewEdgeFlagFormatNV = NULL; PFNGLFOGCOORDFORMATNVPROC __glewFogCoordFormatNV = NULL; PFNGLGETINTEGERUI64I_VNVPROC __glewGetIntegerui64i_vNV = NULL; PFNGLINDEXFORMATNVPROC __glewIndexFormatNV = NULL; PFNGLNORMALFORMATNVPROC __glewNormalFormatNV = NULL; PFNGLSECONDARYCOLORFORMATNVPROC __glewSecondaryColorFormatNV = NULL; PFNGLTEXCOORDFORMATNVPROC __glewTexCoordFormatNV = NULL; PFNGLVERTEXATTRIBFORMATNVPROC __glewVertexAttribFormatNV = NULL; PFNGLVERTEXATTRIBIFORMATNVPROC __glewVertexAttribIFormatNV = NULL; PFNGLVERTEXFORMATNVPROC __glewVertexFormatNV = NULL; PFNGLAREPROGRAMSRESIDENTNVPROC __glewAreProgramsResidentNV = NULL; PFNGLBINDPROGRAMNVPROC __glewBindProgramNV = NULL; PFNGLDELETEPROGRAMSNVPROC __glewDeleteProgramsNV = NULL; PFNGLEXECUTEPROGRAMNVPROC __glewExecuteProgramNV = NULL; PFNGLGENPROGRAMSNVPROC __glewGenProgramsNV = NULL; PFNGLGETPROGRAMPARAMETERDVNVPROC __glewGetProgramParameterdvNV = NULL; PFNGLGETPROGRAMPARAMETERFVNVPROC __glewGetProgramParameterfvNV = NULL; PFNGLGETPROGRAMSTRINGNVPROC __glewGetProgramStringNV = NULL; PFNGLGETPROGRAMIVNVPROC __glewGetProgramivNV = NULL; PFNGLGETTRACKMATRIXIVNVPROC __glewGetTrackMatrixivNV = NULL; PFNGLGETVERTEXATTRIBPOINTERVNVPROC __glewGetVertexAttribPointervNV = NULL; PFNGLGETVERTEXATTRIBDVNVPROC __glewGetVertexAttribdvNV = NULL; PFNGLGETVERTEXATTRIBFVNVPROC __glewGetVertexAttribfvNV = NULL; PFNGLGETVERTEXATTRIBIVNVPROC __glewGetVertexAttribivNV = NULL; PFNGLISPROGRAMNVPROC __glewIsProgramNV = NULL; PFNGLLOADPROGRAMNVPROC __glewLoadProgramNV = NULL; PFNGLPROGRAMPARAMETER4DNVPROC __glewProgramParameter4dNV = NULL; PFNGLPROGRAMPARAMETER4DVNVPROC __glewProgramParameter4dvNV = NULL; PFNGLPROGRAMPARAMETER4FNVPROC __glewProgramParameter4fNV = NULL; PFNGLPROGRAMPARAMETER4FVNVPROC __glewProgramParameter4fvNV = NULL; PFNGLPROGRAMPARAMETERS4DVNVPROC __glewProgramParameters4dvNV = NULL; PFNGLPROGRAMPARAMETERS4FVNVPROC __glewProgramParameters4fvNV = NULL; PFNGLREQUESTRESIDENTPROGRAMSNVPROC __glewRequestResidentProgramsNV = NULL; PFNGLTRACKMATRIXNVPROC __glewTrackMatrixNV = NULL; PFNGLVERTEXATTRIB1DNVPROC __glewVertexAttrib1dNV = NULL; PFNGLVERTEXATTRIB1DVNVPROC __glewVertexAttrib1dvNV = NULL; PFNGLVERTEXATTRIB1FNVPROC __glewVertexAttrib1fNV = NULL; PFNGLVERTEXATTRIB1FVNVPROC __glewVertexAttrib1fvNV = NULL; PFNGLVERTEXATTRIB1SNVPROC __glewVertexAttrib1sNV = NULL; PFNGLVERTEXATTRIB1SVNVPROC __glewVertexAttrib1svNV = NULL; PFNGLVERTEXATTRIB2DNVPROC __glewVertexAttrib2dNV = NULL; PFNGLVERTEXATTRIB2DVNVPROC __glewVertexAttrib2dvNV = NULL; PFNGLVERTEXATTRIB2FNVPROC __glewVertexAttrib2fNV = NULL; PFNGLVERTEXATTRIB2FVNVPROC __glewVertexAttrib2fvNV = NULL; PFNGLVERTEXATTRIB2SNVPROC __glewVertexAttrib2sNV = NULL; PFNGLVERTEXATTRIB2SVNVPROC __glewVertexAttrib2svNV = NULL; PFNGLVERTEXATTRIB3DNVPROC __glewVertexAttrib3dNV = NULL; PFNGLVERTEXATTRIB3DVNVPROC __glewVertexAttrib3dvNV = NULL; PFNGLVERTEXATTRIB3FNVPROC __glewVertexAttrib3fNV = NULL; PFNGLVERTEXATTRIB3FVNVPROC __glewVertexAttrib3fvNV = NULL; PFNGLVERTEXATTRIB3SNVPROC __glewVertexAttrib3sNV = NULL; PFNGLVERTEXATTRIB3SVNVPROC __glewVertexAttrib3svNV = NULL; PFNGLVERTEXATTRIB4DNVPROC __glewVertexAttrib4dNV = NULL; PFNGLVERTEXATTRIB4DVNVPROC __glewVertexAttrib4dvNV = NULL; PFNGLVERTEXATTRIB4FNVPROC __glewVertexAttrib4fNV = NULL; PFNGLVERTEXATTRIB4FVNVPROC __glewVertexAttrib4fvNV = NULL; PFNGLVERTEXATTRIB4SNVPROC __glewVertexAttrib4sNV = NULL; PFNGLVERTEXATTRIB4SVNVPROC __glewVertexAttrib4svNV = NULL; PFNGLVERTEXATTRIB4UBNVPROC __glewVertexAttrib4ubNV = NULL; PFNGLVERTEXATTRIB4UBVNVPROC __glewVertexAttrib4ubvNV = NULL; PFNGLVERTEXATTRIBPOINTERNVPROC __glewVertexAttribPointerNV = NULL; PFNGLVERTEXATTRIBS1DVNVPROC __glewVertexAttribs1dvNV = NULL; PFNGLVERTEXATTRIBS1FVNVPROC __glewVertexAttribs1fvNV = NULL; PFNGLVERTEXATTRIBS1SVNVPROC __glewVertexAttribs1svNV = NULL; PFNGLVERTEXATTRIBS2DVNVPROC __glewVertexAttribs2dvNV = NULL; PFNGLVERTEXATTRIBS2FVNVPROC __glewVertexAttribs2fvNV = NULL; PFNGLVERTEXATTRIBS2SVNVPROC __glewVertexAttribs2svNV = NULL; PFNGLVERTEXATTRIBS3DVNVPROC __glewVertexAttribs3dvNV = NULL; PFNGLVERTEXATTRIBS3FVNVPROC __glewVertexAttribs3fvNV = NULL; PFNGLVERTEXATTRIBS3SVNVPROC __glewVertexAttribs3svNV = NULL; PFNGLVERTEXATTRIBS4DVNVPROC __glewVertexAttribs4dvNV = NULL; PFNGLVERTEXATTRIBS4FVNVPROC __glewVertexAttribs4fvNV = NULL; PFNGLVERTEXATTRIBS4SVNVPROC __glewVertexAttribs4svNV = NULL; PFNGLVERTEXATTRIBS4UBVNVPROC __glewVertexAttribs4ubvNV = NULL; PFNGLBEGINVIDEOCAPTURENVPROC __glewBeginVideoCaptureNV = NULL; PFNGLBINDVIDEOCAPTURESTREAMBUFFERNVPROC __glewBindVideoCaptureStreamBufferNV = NULL; PFNGLBINDVIDEOCAPTURESTREAMTEXTURENVPROC __glewBindVideoCaptureStreamTextureNV = NULL; PFNGLENDVIDEOCAPTURENVPROC __glewEndVideoCaptureNV = NULL; PFNGLGETVIDEOCAPTURESTREAMDVNVPROC __glewGetVideoCaptureStreamdvNV = NULL; PFNGLGETVIDEOCAPTURESTREAMFVNVPROC __glewGetVideoCaptureStreamfvNV = NULL; PFNGLGETVIDEOCAPTURESTREAMIVNVPROC __glewGetVideoCaptureStreamivNV = NULL; PFNGLGETVIDEOCAPTUREIVNVPROC __glewGetVideoCaptureivNV = NULL; PFNGLVIDEOCAPTURENVPROC __glewVideoCaptureNV = NULL; PFNGLVIDEOCAPTURESTREAMPARAMETERDVNVPROC __glewVideoCaptureStreamParameterdvNV = NULL; PFNGLVIDEOCAPTURESTREAMPARAMETERFVNVPROC __glewVideoCaptureStreamParameterfvNV = NULL; PFNGLVIDEOCAPTURESTREAMPARAMETERIVNVPROC __glewVideoCaptureStreamParameterivNV = NULL; PFNGLDEPTHRANGEARRAYFVNVPROC __glewDepthRangeArrayfvNV = NULL; PFNGLDEPTHRANGEINDEXEDFNVPROC __glewDepthRangeIndexedfNV = NULL; PFNGLDISABLEINVPROC __glewDisableiNV = NULL; PFNGLENABLEINVPROC __glewEnableiNV = NULL; PFNGLGETFLOATI_VNVPROC __glewGetFloati_vNV = NULL; PFNGLISENABLEDINVPROC __glewIsEnablediNV = NULL; PFNGLSCISSORARRAYVNVPROC __glewScissorArrayvNV = NULL; PFNGLSCISSORINDEXEDNVPROC __glewScissorIndexedNV = NULL; PFNGLSCISSORINDEXEDVNVPROC __glewScissorIndexedvNV = NULL; PFNGLVIEWPORTARRAYVNVPROC __glewViewportArrayvNV = NULL; PFNGLVIEWPORTINDEXEDFNVPROC __glewViewportIndexedfNV = NULL; PFNGLVIEWPORTINDEXEDFVNVPROC __glewViewportIndexedfvNV = NULL; PFNGLVIEWPORTSWIZZLENVPROC __glewViewportSwizzleNV = NULL; PFNGLFRAMEBUFFERTEXTUREMULTIVIEWOVRPROC __glewFramebufferTextureMultiviewOVR = NULL; PFNGLFRAMEBUFFERTEXTUREMULTISAMPLEMULTIVIEWOVRPROC __glewFramebufferTextureMultisampleMultiviewOVR = NULL; PFNGLALPHAFUNCQCOMPROC __glewAlphaFuncQCOM = NULL; PFNGLDISABLEDRIVERCONTROLQCOMPROC __glewDisableDriverControlQCOM = NULL; PFNGLENABLEDRIVERCONTROLQCOMPROC __glewEnableDriverControlQCOM = NULL; PFNGLGETDRIVERCONTROLSTRINGQCOMPROC __glewGetDriverControlStringQCOM = NULL; PFNGLGETDRIVERCONTROLSQCOMPROC __glewGetDriverControlsQCOM = NULL; PFNGLEXTGETBUFFERPOINTERVQCOMPROC __glewExtGetBufferPointervQCOM = NULL; PFNGLEXTGETBUFFERSQCOMPROC __glewExtGetBuffersQCOM = NULL; PFNGLEXTGETFRAMEBUFFERSQCOMPROC __glewExtGetFramebuffersQCOM = NULL; PFNGLEXTGETRENDERBUFFERSQCOMPROC __glewExtGetRenderbuffersQCOM = NULL; PFNGLEXTGETTEXLEVELPARAMETERIVQCOMPROC __glewExtGetTexLevelParameterivQCOM = NULL; PFNGLEXTGETTEXSUBIMAGEQCOMPROC __glewExtGetTexSubImageQCOM = NULL; PFNGLEXTGETTEXTURESQCOMPROC __glewExtGetTexturesQCOM = NULL; PFNGLEXTTEXOBJECTSTATEOVERRIDEIQCOMPROC __glewExtTexObjectStateOverrideiQCOM = NULL; PFNGLEXTGETPROGRAMBINARYSOURCEQCOMPROC __glewExtGetProgramBinarySourceQCOM = NULL; PFNGLEXTGETPROGRAMSQCOMPROC __glewExtGetProgramsQCOM = NULL; PFNGLEXTGETSHADERSQCOMPROC __glewExtGetShadersQCOM = NULL; PFNGLEXTISPROGRAMBINARYQCOMPROC __glewExtIsProgramBinaryQCOM = NULL; PFNGLFRAMEBUFFERFOVEATIONCONFIGQCOMPROC __glewFramebufferFoveationConfigQCOM = NULL; PFNGLFRAMEBUFFERFOVEATIONPARAMETERSQCOMPROC __glewFramebufferFoveationParametersQCOM = NULL; PFNGLFRAMEBUFFERFETCHBARRIERQCOMPROC __glewFramebufferFetchBarrierQCOM = NULL; PFNGLENDTILINGQCOMPROC __glewEndTilingQCOM = NULL; PFNGLSTARTTILINGQCOMPROC __glewStartTilingQCOM = NULL; PFNGLALPHAFUNCXPROC __glewAlphaFuncx = NULL; PFNGLCLEARCOLORXPROC __glewClearColorx = NULL; PFNGLCLEARDEPTHXPROC __glewClearDepthx = NULL; PFNGLCOLOR4XPROC __glewColor4x = NULL; PFNGLDEPTHRANGEXPROC __glewDepthRangex = NULL; PFNGLFOGXPROC __glewFogx = NULL; PFNGLFOGXVPROC __glewFogxv = NULL; PFNGLFRUSTUMFPROC __glewFrustumf = NULL; PFNGLFRUSTUMXPROC __glewFrustumx = NULL; PFNGLLIGHTMODELXPROC __glewLightModelx = NULL; PFNGLLIGHTMODELXVPROC __glewLightModelxv = NULL; PFNGLLIGHTXPROC __glewLightx = NULL; PFNGLLIGHTXVPROC __glewLightxv = NULL; PFNGLLINEWIDTHXPROC __glewLineWidthx = NULL; PFNGLLOADMATRIXXPROC __glewLoadMatrixx = NULL; PFNGLMATERIALXPROC __glewMaterialx = NULL; PFNGLMATERIALXVPROC __glewMaterialxv = NULL; PFNGLMULTMATRIXXPROC __glewMultMatrixx = NULL; PFNGLMULTITEXCOORD4XPROC __glewMultiTexCoord4x = NULL; PFNGLNORMAL3XPROC __glewNormal3x = NULL; PFNGLORTHOFPROC __glewOrthof = NULL; PFNGLORTHOXPROC __glewOrthox = NULL; PFNGLPOINTSIZEXPROC __glewPointSizex = NULL; PFNGLPOLYGONOFFSETXPROC __glewPolygonOffsetx = NULL; PFNGLROTATEXPROC __glewRotatex = NULL; PFNGLSAMPLECOVERAGEXPROC __glewSampleCoveragex = NULL; PFNGLSCALEXPROC __glewScalex = NULL; PFNGLTEXENVXPROC __glewTexEnvx = NULL; PFNGLTEXENVXVPROC __glewTexEnvxv = NULL; PFNGLTEXPARAMETERXPROC __glewTexParameterx = NULL; PFNGLTRANSLATEXPROC __glewTranslatex = NULL; PFNGLCLIPPLANEFPROC __glewClipPlanef = NULL; PFNGLCLIPPLANEXPROC __glewClipPlanex = NULL; PFNGLGETCLIPPLANEFPROC __glewGetClipPlanef = NULL; PFNGLGETCLIPPLANEXPROC __glewGetClipPlanex = NULL; PFNGLGETFIXEDVPROC __glewGetFixedv = NULL; PFNGLGETLIGHTXVPROC __glewGetLightxv = NULL; PFNGLGETMATERIALXVPROC __glewGetMaterialxv = NULL; PFNGLGETTEXENVXVPROC __glewGetTexEnvxv = NULL; PFNGLGETTEXPARAMETERXVPROC __glewGetTexParameterxv = NULL; PFNGLPOINTPARAMETERXPROC __glewPointParameterx = NULL; PFNGLPOINTPARAMETERXVPROC __glewPointParameterxv = NULL; PFNGLPOINTSIZEPOINTEROESPROC __glewPointSizePointerOES = NULL; PFNGLTEXPARAMETERXVPROC __glewTexParameterxv = NULL; PFNGLERRORSTRINGREGALPROC __glewErrorStringREGAL = NULL; PFNGLGETEXTENSIONREGALPROC __glewGetExtensionREGAL = NULL; PFNGLISSUPPORTEDREGALPROC __glewIsSupportedREGAL = NULL; PFNGLLOGMESSAGECALLBACKREGALPROC __glewLogMessageCallbackREGAL = NULL; PFNGLGETPROCADDRESSREGALPROC __glewGetProcAddressREGAL = NULL; PFNGLDETAILTEXFUNCSGISPROC __glewDetailTexFuncSGIS = NULL; PFNGLGETDETAILTEXFUNCSGISPROC __glewGetDetailTexFuncSGIS = NULL; PFNGLFOGFUNCSGISPROC __glewFogFuncSGIS = NULL; PFNGLGETFOGFUNCSGISPROC __glewGetFogFuncSGIS = NULL; PFNGLSAMPLEMASKSGISPROC __glewSampleMaskSGIS = NULL; PFNGLSAMPLEPATTERNSGISPROC __glewSamplePatternSGIS = NULL; PFNGLINTERLEAVEDTEXTURECOORDSETSSGISPROC __glewInterleavedTextureCoordSetsSGIS = NULL; PFNGLSELECTTEXTURECOORDSETSGISPROC __glewSelectTextureCoordSetSGIS = NULL; PFNGLSELECTTEXTURESGISPROC __glewSelectTextureSGIS = NULL; PFNGLSELECTTEXTURETRANSFORMSGISPROC __glewSelectTextureTransformSGIS = NULL; PFNGLMULTISAMPLESUBRECTPOSSGISPROC __glewMultisampleSubRectPosSGIS = NULL; PFNGLGETSHARPENTEXFUNCSGISPROC __glewGetSharpenTexFuncSGIS = NULL; PFNGLSHARPENTEXFUNCSGISPROC __glewSharpenTexFuncSGIS = NULL; PFNGLTEXIMAGE4DSGISPROC __glewTexImage4DSGIS = NULL; PFNGLTEXSUBIMAGE4DSGISPROC __glewTexSubImage4DSGIS = NULL; PFNGLGETTEXFILTERFUNCSGISPROC __glewGetTexFilterFuncSGIS = NULL; PFNGLTEXFILTERFUNCSGISPROC __glewTexFilterFuncSGIS = NULL; PFNGLASYNCMARKERSGIXPROC __glewAsyncMarkerSGIX = NULL; PFNGLDELETEASYNCMARKERSSGIXPROC __glewDeleteAsyncMarkersSGIX = NULL; PFNGLFINISHASYNCSGIXPROC __glewFinishAsyncSGIX = NULL; PFNGLGENASYNCMARKERSSGIXPROC __glewGenAsyncMarkersSGIX = NULL; PFNGLISASYNCMARKERSGIXPROC __glewIsAsyncMarkerSGIX = NULL; PFNGLPOLLASYNCSGIXPROC __glewPollAsyncSGIX = NULL; PFNGLADDRESSSPACEPROC __glewAddressSpace = NULL; PFNGLDATAPIPEPROC __glewDataPipe = NULL; PFNGLFLUSHRASTERSGIXPROC __glewFlushRasterSGIX = NULL; PFNGLFOGLAYERSSGIXPROC __glewFogLayersSGIX = NULL; PFNGLGETFOGLAYERSSGIXPROC __glewGetFogLayersSGIX = NULL; PFNGLTEXTUREFOGSGIXPROC __glewTextureFogSGIX = NULL; PFNGLFRAGMENTCOLORMATERIALSGIXPROC __glewFragmentColorMaterialSGIX = NULL; PFNGLFRAGMENTLIGHTMODELFSGIXPROC __glewFragmentLightModelfSGIX = NULL; PFNGLFRAGMENTLIGHTMODELFVSGIXPROC __glewFragmentLightModelfvSGIX = NULL; PFNGLFRAGMENTLIGHTMODELISGIXPROC __glewFragmentLightModeliSGIX = NULL; PFNGLFRAGMENTLIGHTMODELIVSGIXPROC __glewFragmentLightModelivSGIX = NULL; PFNGLFRAGMENTLIGHTFSGIXPROC __glewFragmentLightfSGIX = NULL; PFNGLFRAGMENTLIGHTFVSGIXPROC __glewFragmentLightfvSGIX = NULL; PFNGLFRAGMENTLIGHTISGIXPROC __glewFragmentLightiSGIX = NULL; PFNGLFRAGMENTLIGHTIVSGIXPROC __glewFragmentLightivSGIX = NULL; PFNGLFRAGMENTMATERIALFSGIXPROC __glewFragmentMaterialfSGIX = NULL; PFNGLFRAGMENTMATERIALFVSGIXPROC __glewFragmentMaterialfvSGIX = NULL; PFNGLFRAGMENTMATERIALISGIXPROC __glewFragmentMaterialiSGIX = NULL; PFNGLFRAGMENTMATERIALIVSGIXPROC __glewFragmentMaterialivSGIX = NULL; PFNGLGETFRAGMENTLIGHTFVSGIXPROC __glewGetFragmentLightfvSGIX = NULL; PFNGLGETFRAGMENTLIGHTIVSGIXPROC __glewGetFragmentLightivSGIX = NULL; PFNGLGETFRAGMENTMATERIALFVSGIXPROC __glewGetFragmentMaterialfvSGIX = NULL; PFNGLGETFRAGMENTMATERIALIVSGIXPROC __glewGetFragmentMaterialivSGIX = NULL; PFNGLFRAMEZOOMSGIXPROC __glewFrameZoomSGIX = NULL; PFNGLIGLOOINTERFACESGIXPROC __glewIglooInterfaceSGIX = NULL; PFNGLALLOCMPEGPREDICTORSSGIXPROC __glewAllocMPEGPredictorsSGIX = NULL; PFNGLDELETEMPEGPREDICTORSSGIXPROC __glewDeleteMPEGPredictorsSGIX = NULL; PFNGLGENMPEGPREDICTORSSGIXPROC __glewGenMPEGPredictorsSGIX = NULL; PFNGLGETMPEGPARAMETERFVSGIXPROC __glewGetMPEGParameterfvSGIX = NULL; PFNGLGETMPEGPARAMETERIVSGIXPROC __glewGetMPEGParameterivSGIX = NULL; PFNGLGETMPEGPREDICTORSGIXPROC __glewGetMPEGPredictorSGIX = NULL; PFNGLGETMPEGQUANTTABLEUBVPROC __glewGetMPEGQuantTableubv = NULL; PFNGLISMPEGPREDICTORSGIXPROC __glewIsMPEGPredictorSGIX = NULL; PFNGLMPEGPREDICTORSGIXPROC __glewMPEGPredictorSGIX = NULL; PFNGLMPEGQUANTTABLEUBVPROC __glewMPEGQuantTableubv = NULL; PFNGLSWAPMPEGPREDICTORSSGIXPROC __glewSwapMPEGPredictorsSGIX = NULL; PFNGLGETNONLINLIGHTFVSGIXPROC __glewGetNonlinLightfvSGIX = NULL; PFNGLGETNONLINMATERIALFVSGIXPROC __glewGetNonlinMaterialfvSGIX = NULL; PFNGLNONLINLIGHTFVSGIXPROC __glewNonlinLightfvSGIX = NULL; PFNGLNONLINMATERIALFVSGIXPROC __glewNonlinMaterialfvSGIX = NULL; PFNGLPIXELTEXGENSGIXPROC __glewPixelTexGenSGIX = NULL; PFNGLDEFORMSGIXPROC __glewDeformSGIX = NULL; PFNGLLOADIDENTITYDEFORMATIONMAPSGIXPROC __glewLoadIdentityDeformationMapSGIX = NULL; PFNGLMESHBREADTHSGIXPROC __glewMeshBreadthSGIX = NULL; PFNGLMESHSTRIDESGIXPROC __glewMeshStrideSGIX = NULL; PFNGLREFERENCEPLANESGIXPROC __glewReferencePlaneSGIX = NULL; PFNGLSPRITEPARAMETERFSGIXPROC __glewSpriteParameterfSGIX = NULL; PFNGLSPRITEPARAMETERFVSGIXPROC __glewSpriteParameterfvSGIX = NULL; PFNGLSPRITEPARAMETERISGIXPROC __glewSpriteParameteriSGIX = NULL; PFNGLSPRITEPARAMETERIVSGIXPROC __glewSpriteParameterivSGIX = NULL; PFNGLTAGSAMPLEBUFFERSGIXPROC __glewTagSampleBufferSGIX = NULL; PFNGLGETVECTOROPERATIONSGIXPROC __glewGetVectorOperationSGIX = NULL; PFNGLVECTOROPERATIONSGIXPROC __glewVectorOperationSGIX = NULL; PFNGLAREVERTEXARRAYSRESIDENTSGIXPROC __glewAreVertexArraysResidentSGIX = NULL; PFNGLBINDVERTEXARRAYSGIXPROC __glewBindVertexArraySGIX = NULL; PFNGLDELETEVERTEXARRAYSSGIXPROC __glewDeleteVertexArraysSGIX = NULL; PFNGLGENVERTEXARRAYSSGIXPROC __glewGenVertexArraysSGIX = NULL; PFNGLISVERTEXARRAYSGIXPROC __glewIsVertexArraySGIX = NULL; PFNGLPRIORITIZEVERTEXARRAYSSGIXPROC __glewPrioritizeVertexArraysSGIX = NULL; PFNGLCOLORTABLEPARAMETERFVSGIPROC __glewColorTableParameterfvSGI = NULL; PFNGLCOLORTABLEPARAMETERIVSGIPROC __glewColorTableParameterivSGI = NULL; PFNGLCOLORTABLESGIPROC __glewColorTableSGI = NULL; PFNGLCOPYCOLORTABLESGIPROC __glewCopyColorTableSGI = NULL; PFNGLGETCOLORTABLEPARAMETERFVSGIPROC __glewGetColorTableParameterfvSGI = NULL; PFNGLGETCOLORTABLEPARAMETERIVSGIPROC __glewGetColorTableParameterivSGI = NULL; PFNGLGETCOLORTABLESGIPROC __glewGetColorTableSGI = NULL; PFNGLGETPIXELTRANSFORMPARAMETERFVSGIPROC __glewGetPixelTransformParameterfvSGI = NULL; PFNGLGETPIXELTRANSFORMPARAMETERIVSGIPROC __glewGetPixelTransformParameterivSGI = NULL; PFNGLPIXELTRANSFORMPARAMETERFSGIPROC __glewPixelTransformParameterfSGI = NULL; PFNGLPIXELTRANSFORMPARAMETERFVSGIPROC __glewPixelTransformParameterfvSGI = NULL; PFNGLPIXELTRANSFORMPARAMETERISGIPROC __glewPixelTransformParameteriSGI = NULL; PFNGLPIXELTRANSFORMPARAMETERIVSGIPROC __glewPixelTransformParameterivSGI = NULL; PFNGLPIXELTRANSFORMSGIPROC __glewPixelTransformSGI = NULL; PFNGLFINISHTEXTURESUNXPROC __glewFinishTextureSUNX = NULL; PFNGLGLOBALALPHAFACTORBSUNPROC __glewGlobalAlphaFactorbSUN = NULL; PFNGLGLOBALALPHAFACTORDSUNPROC __glewGlobalAlphaFactordSUN = NULL; PFNGLGLOBALALPHAFACTORFSUNPROC __glewGlobalAlphaFactorfSUN = NULL; PFNGLGLOBALALPHAFACTORISUNPROC __glewGlobalAlphaFactoriSUN = NULL; PFNGLGLOBALALPHAFACTORSSUNPROC __glewGlobalAlphaFactorsSUN = NULL; PFNGLGLOBALALPHAFACTORUBSUNPROC __glewGlobalAlphaFactorubSUN = NULL; PFNGLGLOBALALPHAFACTORUISUNPROC __glewGlobalAlphaFactoruiSUN = NULL; PFNGLGLOBALALPHAFACTORUSSUNPROC __glewGlobalAlphaFactorusSUN = NULL; PFNGLREADVIDEOPIXELSSUNPROC __glewReadVideoPixelsSUN = NULL; PFNGLREPLACEMENTCODEPOINTERSUNPROC __glewReplacementCodePointerSUN = NULL; PFNGLREPLACEMENTCODEUBSUNPROC __glewReplacementCodeubSUN = NULL; PFNGLREPLACEMENTCODEUBVSUNPROC __glewReplacementCodeubvSUN = NULL; PFNGLREPLACEMENTCODEUISUNPROC __glewReplacementCodeuiSUN = NULL; PFNGLREPLACEMENTCODEUIVSUNPROC __glewReplacementCodeuivSUN = NULL; PFNGLREPLACEMENTCODEUSSUNPROC __glewReplacementCodeusSUN = NULL; PFNGLREPLACEMENTCODEUSVSUNPROC __glewReplacementCodeusvSUN = NULL; PFNGLCOLOR3FVERTEX3FSUNPROC __glewColor3fVertex3fSUN = NULL; PFNGLCOLOR3FVERTEX3FVSUNPROC __glewColor3fVertex3fvSUN = NULL; PFNGLCOLOR4FNORMAL3FVERTEX3FSUNPROC __glewColor4fNormal3fVertex3fSUN = NULL; PFNGLCOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewColor4fNormal3fVertex3fvSUN = NULL; PFNGLCOLOR4UBVERTEX2FSUNPROC __glewColor4ubVertex2fSUN = NULL; PFNGLCOLOR4UBVERTEX2FVSUNPROC __glewColor4ubVertex2fvSUN = NULL; PFNGLCOLOR4UBVERTEX3FSUNPROC __glewColor4ubVertex3fSUN = NULL; PFNGLCOLOR4UBVERTEX3FVSUNPROC __glewColor4ubVertex3fvSUN = NULL; PFNGLNORMAL3FVERTEX3FSUNPROC __glewNormal3fVertex3fSUN = NULL; PFNGLNORMAL3FVERTEX3FVSUNPROC __glewNormal3fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FSUNPROC __glewReplacementCodeuiColor3fVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FVSUNPROC __glewReplacementCodeuiColor3fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiColor4fNormal3fVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiColor4fNormal3fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FSUNPROC __glewReplacementCodeuiColor4ubVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FVSUNPROC __glewReplacementCodeuiColor4ubVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiNormal3fVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiNormal3fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiTexCoord2fNormal3fVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FSUNPROC __glewReplacementCodeuiTexCoord2fVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FVSUNPROC __glewReplacementCodeuiTexCoord2fVertex3fvSUN = NULL; PFNGLREPLACEMENTCODEUIVERTEX3FSUNPROC __glewReplacementCodeuiVertex3fSUN = NULL; PFNGLREPLACEMENTCODEUIVERTEX3FVSUNPROC __glewReplacementCodeuiVertex3fvSUN = NULL; PFNGLTEXCOORD2FCOLOR3FVERTEX3FSUNPROC __glewTexCoord2fColor3fVertex3fSUN = NULL; PFNGLTEXCOORD2FCOLOR3FVERTEX3FVSUNPROC __glewTexCoord2fColor3fVertex3fvSUN = NULL; PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC __glewTexCoord2fColor4fNormal3fVertex3fSUN = NULL; PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewTexCoord2fColor4fNormal3fVertex3fvSUN = NULL; PFNGLTEXCOORD2FCOLOR4UBVERTEX3FSUNPROC __glewTexCoord2fColor4ubVertex3fSUN = NULL; PFNGLTEXCOORD2FCOLOR4UBVERTEX3FVSUNPROC __glewTexCoord2fColor4ubVertex3fvSUN = NULL; PFNGLTEXCOORD2FNORMAL3FVERTEX3FSUNPROC __glewTexCoord2fNormal3fVertex3fSUN = NULL; PFNGLTEXCOORD2FNORMAL3FVERTEX3FVSUNPROC __glewTexCoord2fNormal3fVertex3fvSUN = NULL; PFNGLTEXCOORD2FVERTEX3FSUNPROC __glewTexCoord2fVertex3fSUN = NULL; PFNGLTEXCOORD2FVERTEX3FVSUNPROC __glewTexCoord2fVertex3fvSUN = NULL; PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FSUNPROC __glewTexCoord4fColor4fNormal3fVertex4fSUN = NULL; PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FVSUNPROC __glewTexCoord4fColor4fNormal3fVertex4fvSUN = NULL; PFNGLTEXCOORD4FVERTEX4FSUNPROC __glewTexCoord4fVertex4fSUN = NULL; PFNGLTEXCOORD4FVERTEX4FVSUNPROC __glewTexCoord4fVertex4fvSUN = NULL; PFNGLADDSWAPHINTRECTWINPROC __glewAddSwapHintRectWIN = NULL; GLboolean __GLEW_VERSION_1_1 = GL_FALSE; GLboolean __GLEW_VERSION_1_2 = GL_FALSE; GLboolean __GLEW_VERSION_1_2_1 = GL_FALSE; GLboolean __GLEW_VERSION_1_3 = GL_FALSE; GLboolean __GLEW_VERSION_1_4 = GL_FALSE; GLboolean __GLEW_VERSION_1_5 = GL_FALSE; GLboolean __GLEW_VERSION_2_0 = GL_FALSE; GLboolean __GLEW_VERSION_2_1 = GL_FALSE; GLboolean __GLEW_VERSION_3_0 = GL_FALSE; GLboolean __GLEW_VERSION_3_1 = GL_FALSE; GLboolean __GLEW_VERSION_3_2 = GL_FALSE; GLboolean __GLEW_VERSION_3_3 = GL_FALSE; GLboolean __GLEW_VERSION_4_0 = GL_FALSE; GLboolean __GLEW_VERSION_4_1 = GL_FALSE; GLboolean __GLEW_VERSION_4_2 = GL_FALSE; GLboolean __GLEW_VERSION_4_3 = GL_FALSE; GLboolean __GLEW_VERSION_4_4 = GL_FALSE; GLboolean __GLEW_VERSION_4_5 = GL_FALSE; GLboolean __GLEW_VERSION_4_6 = GL_FALSE; GLboolean __GLEW_3DFX_multisample = GL_FALSE; GLboolean __GLEW_3DFX_tbuffer = GL_FALSE; GLboolean __GLEW_3DFX_texture_compression_FXT1 = GL_FALSE; GLboolean __GLEW_AMD_blend_minmax_factor = GL_FALSE; GLboolean __GLEW_AMD_compressed_3DC_texture = GL_FALSE; GLboolean __GLEW_AMD_compressed_ATC_texture = GL_FALSE; GLboolean __GLEW_AMD_conservative_depth = GL_FALSE; GLboolean __GLEW_AMD_debug_output = GL_FALSE; GLboolean __GLEW_AMD_depth_clamp_separate = GL_FALSE; GLboolean __GLEW_AMD_draw_buffers_blend = GL_FALSE; GLboolean __GLEW_AMD_framebuffer_sample_positions = GL_FALSE; GLboolean __GLEW_AMD_gcn_shader = GL_FALSE; GLboolean __GLEW_AMD_gpu_shader_half_float = GL_FALSE; GLboolean __GLEW_AMD_gpu_shader_int16 = GL_FALSE; GLboolean __GLEW_AMD_gpu_shader_int64 = GL_FALSE; GLboolean __GLEW_AMD_interleaved_elements = GL_FALSE; GLboolean __GLEW_AMD_multi_draw_indirect = GL_FALSE; GLboolean __GLEW_AMD_name_gen_delete = GL_FALSE; GLboolean __GLEW_AMD_occlusion_query_event = GL_FALSE; GLboolean __GLEW_AMD_performance_monitor = GL_FALSE; GLboolean __GLEW_AMD_pinned_memory = GL_FALSE; GLboolean __GLEW_AMD_program_binary_Z400 = GL_FALSE; GLboolean __GLEW_AMD_query_buffer_object = GL_FALSE; GLboolean __GLEW_AMD_sample_positions = GL_FALSE; GLboolean __GLEW_AMD_seamless_cubemap_per_texture = GL_FALSE; GLboolean __GLEW_AMD_shader_atomic_counter_ops = GL_FALSE; GLboolean __GLEW_AMD_shader_ballot = GL_FALSE; GLboolean __GLEW_AMD_shader_explicit_vertex_parameter = GL_FALSE; GLboolean __GLEW_AMD_shader_stencil_export = GL_FALSE; GLboolean __GLEW_AMD_shader_stencil_value_export = GL_FALSE; GLboolean __GLEW_AMD_shader_trinary_minmax = GL_FALSE; GLboolean __GLEW_AMD_sparse_texture = GL_FALSE; GLboolean __GLEW_AMD_stencil_operation_extended = GL_FALSE; GLboolean __GLEW_AMD_texture_gather_bias_lod = GL_FALSE; GLboolean __GLEW_AMD_texture_texture4 = GL_FALSE; GLboolean __GLEW_AMD_transform_feedback3_lines_triangles = GL_FALSE; GLboolean __GLEW_AMD_transform_feedback4 = GL_FALSE; GLboolean __GLEW_AMD_vertex_shader_layer = GL_FALSE; GLboolean __GLEW_AMD_vertex_shader_tessellator = GL_FALSE; GLboolean __GLEW_AMD_vertex_shader_viewport_index = GL_FALSE; GLboolean __GLEW_ANDROID_extension_pack_es31a = GL_FALSE; GLboolean __GLEW_ANGLE_depth_texture = GL_FALSE; GLboolean __GLEW_ANGLE_framebuffer_blit = GL_FALSE; GLboolean __GLEW_ANGLE_framebuffer_multisample = GL_FALSE; GLboolean __GLEW_ANGLE_instanced_arrays = GL_FALSE; GLboolean __GLEW_ANGLE_pack_reverse_row_order = GL_FALSE; GLboolean __GLEW_ANGLE_program_binary = GL_FALSE; GLboolean __GLEW_ANGLE_texture_compression_dxt1 = GL_FALSE; GLboolean __GLEW_ANGLE_texture_compression_dxt3 = GL_FALSE; GLboolean __GLEW_ANGLE_texture_compression_dxt5 = GL_FALSE; GLboolean __GLEW_ANGLE_texture_usage = GL_FALSE; GLboolean __GLEW_ANGLE_timer_query = GL_FALSE; GLboolean __GLEW_ANGLE_translated_shader_source = GL_FALSE; GLboolean __GLEW_APPLE_aux_depth_stencil = GL_FALSE; GLboolean __GLEW_APPLE_client_storage = GL_FALSE; GLboolean __GLEW_APPLE_clip_distance = GL_FALSE; GLboolean __GLEW_APPLE_color_buffer_packed_float = GL_FALSE; GLboolean __GLEW_APPLE_copy_texture_levels = GL_FALSE; GLboolean __GLEW_APPLE_element_array = GL_FALSE; GLboolean __GLEW_APPLE_fence = GL_FALSE; GLboolean __GLEW_APPLE_float_pixels = GL_FALSE; GLboolean __GLEW_APPLE_flush_buffer_range = GL_FALSE; GLboolean __GLEW_APPLE_framebuffer_multisample = GL_FALSE; GLboolean __GLEW_APPLE_object_purgeable = GL_FALSE; GLboolean __GLEW_APPLE_pixel_buffer = GL_FALSE; GLboolean __GLEW_APPLE_rgb_422 = GL_FALSE; GLboolean __GLEW_APPLE_row_bytes = GL_FALSE; GLboolean __GLEW_APPLE_specular_vector = GL_FALSE; GLboolean __GLEW_APPLE_sync = GL_FALSE; GLboolean __GLEW_APPLE_texture_2D_limited_npot = GL_FALSE; GLboolean __GLEW_APPLE_texture_format_BGRA8888 = GL_FALSE; GLboolean __GLEW_APPLE_texture_max_level = GL_FALSE; GLboolean __GLEW_APPLE_texture_packed_float = GL_FALSE; GLboolean __GLEW_APPLE_texture_range = GL_FALSE; GLboolean __GLEW_APPLE_transform_hint = GL_FALSE; GLboolean __GLEW_APPLE_vertex_array_object = GL_FALSE; GLboolean __GLEW_APPLE_vertex_array_range = GL_FALSE; GLboolean __GLEW_APPLE_vertex_program_evaluators = GL_FALSE; GLboolean __GLEW_APPLE_ycbcr_422 = GL_FALSE; GLboolean __GLEW_ARB_ES2_compatibility = GL_FALSE; GLboolean __GLEW_ARB_ES3_1_compatibility = GL_FALSE; GLboolean __GLEW_ARB_ES3_2_compatibility = GL_FALSE; GLboolean __GLEW_ARB_ES3_compatibility = GL_FALSE; GLboolean __GLEW_ARB_arrays_of_arrays = GL_FALSE; GLboolean __GLEW_ARB_base_instance = GL_FALSE; GLboolean __GLEW_ARB_bindless_texture = GL_FALSE; GLboolean __GLEW_ARB_blend_func_extended = GL_FALSE; GLboolean __GLEW_ARB_buffer_storage = GL_FALSE; GLboolean __GLEW_ARB_cl_event = GL_FALSE; GLboolean __GLEW_ARB_clear_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_clear_texture = GL_FALSE; GLboolean __GLEW_ARB_clip_control = GL_FALSE; GLboolean __GLEW_ARB_color_buffer_float = GL_FALSE; GLboolean __GLEW_ARB_compatibility = GL_FALSE; GLboolean __GLEW_ARB_compressed_texture_pixel_storage = GL_FALSE; GLboolean __GLEW_ARB_compute_shader = GL_FALSE; GLboolean __GLEW_ARB_compute_variable_group_size = GL_FALSE; GLboolean __GLEW_ARB_conditional_render_inverted = GL_FALSE; GLboolean __GLEW_ARB_conservative_depth = GL_FALSE; GLboolean __GLEW_ARB_copy_buffer = GL_FALSE; GLboolean __GLEW_ARB_copy_image = GL_FALSE; GLboolean __GLEW_ARB_cull_distance = GL_FALSE; GLboolean __GLEW_ARB_debug_output = GL_FALSE; GLboolean __GLEW_ARB_depth_buffer_float = GL_FALSE; GLboolean __GLEW_ARB_depth_clamp = GL_FALSE; GLboolean __GLEW_ARB_depth_texture = GL_FALSE; GLboolean __GLEW_ARB_derivative_control = GL_FALSE; GLboolean __GLEW_ARB_direct_state_access = GL_FALSE; GLboolean __GLEW_ARB_draw_buffers = GL_FALSE; GLboolean __GLEW_ARB_draw_buffers_blend = GL_FALSE; GLboolean __GLEW_ARB_draw_elements_base_vertex = GL_FALSE; GLboolean __GLEW_ARB_draw_indirect = GL_FALSE; GLboolean __GLEW_ARB_draw_instanced = GL_FALSE; GLboolean __GLEW_ARB_enhanced_layouts = GL_FALSE; GLboolean __GLEW_ARB_explicit_attrib_location = GL_FALSE; GLboolean __GLEW_ARB_explicit_uniform_location = GL_FALSE; GLboolean __GLEW_ARB_fragment_coord_conventions = GL_FALSE; GLboolean __GLEW_ARB_fragment_layer_viewport = GL_FALSE; GLboolean __GLEW_ARB_fragment_program = GL_FALSE; GLboolean __GLEW_ARB_fragment_program_shadow = GL_FALSE; GLboolean __GLEW_ARB_fragment_shader = GL_FALSE; GLboolean __GLEW_ARB_fragment_shader_interlock = GL_FALSE; GLboolean __GLEW_ARB_framebuffer_no_attachments = GL_FALSE; GLboolean __GLEW_ARB_framebuffer_object = GL_FALSE; GLboolean __GLEW_ARB_framebuffer_sRGB = GL_FALSE; GLboolean __GLEW_ARB_geometry_shader4 = GL_FALSE; GLboolean __GLEW_ARB_get_program_binary = GL_FALSE; GLboolean __GLEW_ARB_get_texture_sub_image = GL_FALSE; GLboolean __GLEW_ARB_gl_spirv = GL_FALSE; GLboolean __GLEW_ARB_gpu_shader5 = GL_FALSE; GLboolean __GLEW_ARB_gpu_shader_fp64 = GL_FALSE; GLboolean __GLEW_ARB_gpu_shader_int64 = GL_FALSE; GLboolean __GLEW_ARB_half_float_pixel = GL_FALSE; GLboolean __GLEW_ARB_half_float_vertex = GL_FALSE; GLboolean __GLEW_ARB_imaging = GL_FALSE; GLboolean __GLEW_ARB_indirect_parameters = GL_FALSE; GLboolean __GLEW_ARB_instanced_arrays = GL_FALSE; GLboolean __GLEW_ARB_internalformat_query = GL_FALSE; GLboolean __GLEW_ARB_internalformat_query2 = GL_FALSE; GLboolean __GLEW_ARB_invalidate_subdata = GL_FALSE; GLboolean __GLEW_ARB_map_buffer_alignment = GL_FALSE; GLboolean __GLEW_ARB_map_buffer_range = GL_FALSE; GLboolean __GLEW_ARB_matrix_palette = GL_FALSE; GLboolean __GLEW_ARB_multi_bind = GL_FALSE; GLboolean __GLEW_ARB_multi_draw_indirect = GL_FALSE; GLboolean __GLEW_ARB_multisample = GL_FALSE; GLboolean __GLEW_ARB_multitexture = GL_FALSE; GLboolean __GLEW_ARB_occlusion_query = GL_FALSE; GLboolean __GLEW_ARB_occlusion_query2 = GL_FALSE; GLboolean __GLEW_ARB_parallel_shader_compile = GL_FALSE; GLboolean __GLEW_ARB_pipeline_statistics_query = GL_FALSE; GLboolean __GLEW_ARB_pixel_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_point_parameters = GL_FALSE; GLboolean __GLEW_ARB_point_sprite = GL_FALSE; GLboolean __GLEW_ARB_polygon_offset_clamp = GL_FALSE; GLboolean __GLEW_ARB_post_depth_coverage = GL_FALSE; GLboolean __GLEW_ARB_program_interface_query = GL_FALSE; GLboolean __GLEW_ARB_provoking_vertex = GL_FALSE; GLboolean __GLEW_ARB_query_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_robust_buffer_access_behavior = GL_FALSE; GLboolean __GLEW_ARB_robustness = GL_FALSE; GLboolean __GLEW_ARB_robustness_application_isolation = GL_FALSE; GLboolean __GLEW_ARB_robustness_share_group_isolation = GL_FALSE; GLboolean __GLEW_ARB_sample_locations = GL_FALSE; GLboolean __GLEW_ARB_sample_shading = GL_FALSE; GLboolean __GLEW_ARB_sampler_objects = GL_FALSE; GLboolean __GLEW_ARB_seamless_cube_map = GL_FALSE; GLboolean __GLEW_ARB_seamless_cubemap_per_texture = GL_FALSE; GLboolean __GLEW_ARB_separate_shader_objects = GL_FALSE; GLboolean __GLEW_ARB_shader_atomic_counter_ops = GL_FALSE; GLboolean __GLEW_ARB_shader_atomic_counters = GL_FALSE; GLboolean __GLEW_ARB_shader_ballot = GL_FALSE; GLboolean __GLEW_ARB_shader_bit_encoding = GL_FALSE; GLboolean __GLEW_ARB_shader_clock = GL_FALSE; GLboolean __GLEW_ARB_shader_draw_parameters = GL_FALSE; GLboolean __GLEW_ARB_shader_group_vote = GL_FALSE; GLboolean __GLEW_ARB_shader_image_load_store = GL_FALSE; GLboolean __GLEW_ARB_shader_image_size = GL_FALSE; GLboolean __GLEW_ARB_shader_objects = GL_FALSE; GLboolean __GLEW_ARB_shader_precision = GL_FALSE; GLboolean __GLEW_ARB_shader_stencil_export = GL_FALSE; GLboolean __GLEW_ARB_shader_storage_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_shader_subroutine = GL_FALSE; GLboolean __GLEW_ARB_shader_texture_image_samples = GL_FALSE; GLboolean __GLEW_ARB_shader_texture_lod = GL_FALSE; GLboolean __GLEW_ARB_shader_viewport_layer_array = GL_FALSE; GLboolean __GLEW_ARB_shading_language_100 = GL_FALSE; GLboolean __GLEW_ARB_shading_language_420pack = GL_FALSE; GLboolean __GLEW_ARB_shading_language_include = GL_FALSE; GLboolean __GLEW_ARB_shading_language_packing = GL_FALSE; GLboolean __GLEW_ARB_shadow = GL_FALSE; GLboolean __GLEW_ARB_shadow_ambient = GL_FALSE; GLboolean __GLEW_ARB_sparse_buffer = GL_FALSE; GLboolean __GLEW_ARB_sparse_texture = GL_FALSE; GLboolean __GLEW_ARB_sparse_texture2 = GL_FALSE; GLboolean __GLEW_ARB_sparse_texture_clamp = GL_FALSE; GLboolean __GLEW_ARB_spirv_extensions = GL_FALSE; GLboolean __GLEW_ARB_stencil_texturing = GL_FALSE; GLboolean __GLEW_ARB_sync = GL_FALSE; GLboolean __GLEW_ARB_tessellation_shader = GL_FALSE; GLboolean __GLEW_ARB_texture_barrier = GL_FALSE; GLboolean __GLEW_ARB_texture_border_clamp = GL_FALSE; GLboolean __GLEW_ARB_texture_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_texture_buffer_object_rgb32 = GL_FALSE; GLboolean __GLEW_ARB_texture_buffer_range = GL_FALSE; GLboolean __GLEW_ARB_texture_compression = GL_FALSE; GLboolean __GLEW_ARB_texture_compression_bptc = GL_FALSE; GLboolean __GLEW_ARB_texture_compression_rgtc = GL_FALSE; GLboolean __GLEW_ARB_texture_cube_map = GL_FALSE; GLboolean __GLEW_ARB_texture_cube_map_array = GL_FALSE; GLboolean __GLEW_ARB_texture_env_add = GL_FALSE; GLboolean __GLEW_ARB_texture_env_combine = GL_FALSE; GLboolean __GLEW_ARB_texture_env_crossbar = GL_FALSE; GLboolean __GLEW_ARB_texture_env_dot3 = GL_FALSE; GLboolean __GLEW_ARB_texture_filter_anisotropic = GL_FALSE; GLboolean __GLEW_ARB_texture_filter_minmax = GL_FALSE; GLboolean __GLEW_ARB_texture_float = GL_FALSE; GLboolean __GLEW_ARB_texture_gather = GL_FALSE; GLboolean __GLEW_ARB_texture_mirror_clamp_to_edge = GL_FALSE; GLboolean __GLEW_ARB_texture_mirrored_repeat = GL_FALSE; GLboolean __GLEW_ARB_texture_multisample = GL_FALSE; GLboolean __GLEW_ARB_texture_non_power_of_two = GL_FALSE; GLboolean __GLEW_ARB_texture_query_levels = GL_FALSE; GLboolean __GLEW_ARB_texture_query_lod = GL_FALSE; GLboolean __GLEW_ARB_texture_rectangle = GL_FALSE; GLboolean __GLEW_ARB_texture_rg = GL_FALSE; GLboolean __GLEW_ARB_texture_rgb10_a2ui = GL_FALSE; GLboolean __GLEW_ARB_texture_stencil8 = GL_FALSE; GLboolean __GLEW_ARB_texture_storage = GL_FALSE; GLboolean __GLEW_ARB_texture_storage_multisample = GL_FALSE; GLboolean __GLEW_ARB_texture_swizzle = GL_FALSE; GLboolean __GLEW_ARB_texture_view = GL_FALSE; GLboolean __GLEW_ARB_timer_query = GL_FALSE; GLboolean __GLEW_ARB_transform_feedback2 = GL_FALSE; GLboolean __GLEW_ARB_transform_feedback3 = GL_FALSE; GLboolean __GLEW_ARB_transform_feedback_instanced = GL_FALSE; GLboolean __GLEW_ARB_transform_feedback_overflow_query = GL_FALSE; GLboolean __GLEW_ARB_transpose_matrix = GL_FALSE; GLboolean __GLEW_ARB_uniform_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_vertex_array_bgra = GL_FALSE; GLboolean __GLEW_ARB_vertex_array_object = GL_FALSE; GLboolean __GLEW_ARB_vertex_attrib_64bit = GL_FALSE; GLboolean __GLEW_ARB_vertex_attrib_binding = GL_FALSE; GLboolean __GLEW_ARB_vertex_blend = GL_FALSE; GLboolean __GLEW_ARB_vertex_buffer_object = GL_FALSE; GLboolean __GLEW_ARB_vertex_program = GL_FALSE; GLboolean __GLEW_ARB_vertex_shader = GL_FALSE; GLboolean __GLEW_ARB_vertex_type_10f_11f_11f_rev = GL_FALSE; GLboolean __GLEW_ARB_vertex_type_2_10_10_10_rev = GL_FALSE; GLboolean __GLEW_ARB_viewport_array = GL_FALSE; GLboolean __GLEW_ARB_window_pos = GL_FALSE; GLboolean __GLEW_ARM_mali_program_binary = GL_FALSE; GLboolean __GLEW_ARM_mali_shader_binary = GL_FALSE; GLboolean __GLEW_ARM_rgba8 = GL_FALSE; GLboolean __GLEW_ARM_shader_framebuffer_fetch = GL_FALSE; GLboolean __GLEW_ARM_shader_framebuffer_fetch_depth_stencil = GL_FALSE; GLboolean __GLEW_ATIX_point_sprites = GL_FALSE; GLboolean __GLEW_ATIX_texture_env_combine3 = GL_FALSE; GLboolean __GLEW_ATIX_texture_env_route = GL_FALSE; GLboolean __GLEW_ATIX_vertex_shader_output_point_size = GL_FALSE; GLboolean __GLEW_ATI_draw_buffers = GL_FALSE; GLboolean __GLEW_ATI_element_array = GL_FALSE; GLboolean __GLEW_ATI_envmap_bumpmap = GL_FALSE; GLboolean __GLEW_ATI_fragment_shader = GL_FALSE; GLboolean __GLEW_ATI_map_object_buffer = GL_FALSE; GLboolean __GLEW_ATI_meminfo = GL_FALSE; GLboolean __GLEW_ATI_pn_triangles = GL_FALSE; GLboolean __GLEW_ATI_separate_stencil = GL_FALSE; GLboolean __GLEW_ATI_shader_texture_lod = GL_FALSE; GLboolean __GLEW_ATI_text_fragment_shader = GL_FALSE; GLboolean __GLEW_ATI_texture_compression_3dc = GL_FALSE; GLboolean __GLEW_ATI_texture_env_combine3 = GL_FALSE; GLboolean __GLEW_ATI_texture_float = GL_FALSE; GLboolean __GLEW_ATI_texture_mirror_once = GL_FALSE; GLboolean __GLEW_ATI_vertex_array_object = GL_FALSE; GLboolean __GLEW_ATI_vertex_attrib_array_object = GL_FALSE; GLboolean __GLEW_ATI_vertex_streams = GL_FALSE; GLboolean __GLEW_EGL_KHR_context_flush_control = GL_FALSE; GLboolean __GLEW_EGL_NV_robustness_video_memory_purge = GL_FALSE; GLboolean __GLEW_EXT_422_pixels = GL_FALSE; GLboolean __GLEW_EXT_Cg_shader = GL_FALSE; GLboolean __GLEW_EXT_EGL_image_array = GL_FALSE; GLboolean __GLEW_EXT_YUV_target = GL_FALSE; GLboolean __GLEW_EXT_abgr = GL_FALSE; GLboolean __GLEW_EXT_base_instance = GL_FALSE; GLboolean __GLEW_EXT_bgra = GL_FALSE; GLboolean __GLEW_EXT_bindable_uniform = GL_FALSE; GLboolean __GLEW_EXT_blend_color = GL_FALSE; GLboolean __GLEW_EXT_blend_equation_separate = GL_FALSE; GLboolean __GLEW_EXT_blend_func_extended = GL_FALSE; GLboolean __GLEW_EXT_blend_func_separate = GL_FALSE; GLboolean __GLEW_EXT_blend_logic_op = GL_FALSE; GLboolean __GLEW_EXT_blend_minmax = GL_FALSE; GLboolean __GLEW_EXT_blend_subtract = GL_FALSE; GLboolean __GLEW_EXT_buffer_storage = GL_FALSE; GLboolean __GLEW_EXT_clear_texture = GL_FALSE; GLboolean __GLEW_EXT_clip_cull_distance = GL_FALSE; GLboolean __GLEW_EXT_clip_volume_hint = GL_FALSE; GLboolean __GLEW_EXT_cmyka = GL_FALSE; GLboolean __GLEW_EXT_color_buffer_float = GL_FALSE; GLboolean __GLEW_EXT_color_buffer_half_float = GL_FALSE; GLboolean __GLEW_EXT_color_subtable = GL_FALSE; GLboolean __GLEW_EXT_compiled_vertex_array = GL_FALSE; GLboolean __GLEW_EXT_compressed_ETC1_RGB8_sub_texture = GL_FALSE; GLboolean __GLEW_EXT_conservative_depth = GL_FALSE; GLboolean __GLEW_EXT_convolution = GL_FALSE; GLboolean __GLEW_EXT_coordinate_frame = GL_FALSE; GLboolean __GLEW_EXT_copy_image = GL_FALSE; GLboolean __GLEW_EXT_copy_texture = GL_FALSE; GLboolean __GLEW_EXT_cull_vertex = GL_FALSE; GLboolean __GLEW_EXT_debug_label = GL_FALSE; GLboolean __GLEW_EXT_debug_marker = GL_FALSE; GLboolean __GLEW_EXT_depth_bounds_test = GL_FALSE; GLboolean __GLEW_EXT_direct_state_access = GL_FALSE; GLboolean __GLEW_EXT_discard_framebuffer = GL_FALSE; GLboolean __GLEW_EXT_draw_buffers = GL_FALSE; GLboolean __GLEW_EXT_draw_buffers2 = GL_FALSE; GLboolean __GLEW_EXT_draw_buffers_indexed = GL_FALSE; GLboolean __GLEW_EXT_draw_elements_base_vertex = GL_FALSE; GLboolean __GLEW_EXT_draw_instanced = GL_FALSE; GLboolean __GLEW_EXT_draw_range_elements = GL_FALSE; GLboolean __GLEW_EXT_external_buffer = GL_FALSE; GLboolean __GLEW_EXT_float_blend = GL_FALSE; GLboolean __GLEW_EXT_fog_coord = GL_FALSE; GLboolean __GLEW_EXT_frag_depth = GL_FALSE; GLboolean __GLEW_EXT_fragment_lighting = GL_FALSE; GLboolean __GLEW_EXT_framebuffer_blit = GL_FALSE; GLboolean __GLEW_EXT_framebuffer_multisample = GL_FALSE; GLboolean __GLEW_EXT_framebuffer_multisample_blit_scaled = GL_FALSE; GLboolean __GLEW_EXT_framebuffer_object = GL_FALSE; GLboolean __GLEW_EXT_framebuffer_sRGB = GL_FALSE; GLboolean __GLEW_EXT_geometry_point_size = GL_FALSE; GLboolean __GLEW_EXT_geometry_shader = GL_FALSE; GLboolean __GLEW_EXT_geometry_shader4 = GL_FALSE; GLboolean __GLEW_EXT_gpu_program_parameters = GL_FALSE; GLboolean __GLEW_EXT_gpu_shader4 = GL_FALSE; GLboolean __GLEW_EXT_gpu_shader5 = GL_FALSE; GLboolean __GLEW_EXT_histogram = GL_FALSE; GLboolean __GLEW_EXT_index_array_formats = GL_FALSE; GLboolean __GLEW_EXT_index_func = GL_FALSE; GLboolean __GLEW_EXT_index_material = GL_FALSE; GLboolean __GLEW_EXT_index_texture = GL_FALSE; GLboolean __GLEW_EXT_instanced_arrays = GL_FALSE; GLboolean __GLEW_EXT_light_texture = GL_FALSE; GLboolean __GLEW_EXT_map_buffer_range = GL_FALSE; GLboolean __GLEW_EXT_memory_object = GL_FALSE; GLboolean __GLEW_EXT_memory_object_fd = GL_FALSE; GLboolean __GLEW_EXT_memory_object_win32 = GL_FALSE; GLboolean __GLEW_EXT_misc_attribute = GL_FALSE; GLboolean __GLEW_EXT_multi_draw_arrays = GL_FALSE; GLboolean __GLEW_EXT_multi_draw_indirect = GL_FALSE; GLboolean __GLEW_EXT_multiple_textures = GL_FALSE; GLboolean __GLEW_EXT_multisample = GL_FALSE; GLboolean __GLEW_EXT_multisample_compatibility = GL_FALSE; GLboolean __GLEW_EXT_multisampled_render_to_texture = GL_FALSE; GLboolean __GLEW_EXT_multisampled_render_to_texture2 = GL_FALSE; GLboolean __GLEW_EXT_multiview_draw_buffers = GL_FALSE; GLboolean __GLEW_EXT_packed_depth_stencil = GL_FALSE; GLboolean __GLEW_EXT_packed_float = GL_FALSE; GLboolean __GLEW_EXT_packed_pixels = GL_FALSE; GLboolean __GLEW_EXT_paletted_texture = GL_FALSE; GLboolean __GLEW_EXT_pixel_buffer_object = GL_FALSE; GLboolean __GLEW_EXT_pixel_transform = GL_FALSE; GLboolean __GLEW_EXT_pixel_transform_color_table = GL_FALSE; GLboolean __GLEW_EXT_point_parameters = GL_FALSE; GLboolean __GLEW_EXT_polygon_offset = GL_FALSE; GLboolean __GLEW_EXT_polygon_offset_clamp = GL_FALSE; GLboolean __GLEW_EXT_post_depth_coverage = GL_FALSE; GLboolean __GLEW_EXT_provoking_vertex = GL_FALSE; GLboolean __GLEW_EXT_pvrtc_sRGB = GL_FALSE; GLboolean __GLEW_EXT_raster_multisample = GL_FALSE; GLboolean __GLEW_EXT_read_format_bgra = GL_FALSE; GLboolean __GLEW_EXT_render_snorm = GL_FALSE; GLboolean __GLEW_EXT_rescale_normal = GL_FALSE; GLboolean __GLEW_EXT_sRGB = GL_FALSE; GLboolean __GLEW_EXT_sRGB_write_control = GL_FALSE; GLboolean __GLEW_EXT_scene_marker = GL_FALSE; GLboolean __GLEW_EXT_secondary_color = GL_FALSE; GLboolean __GLEW_EXT_semaphore = GL_FALSE; GLboolean __GLEW_EXT_semaphore_fd = GL_FALSE; GLboolean __GLEW_EXT_semaphore_win32 = GL_FALSE; GLboolean __GLEW_EXT_separate_shader_objects = GL_FALSE; GLboolean __GLEW_EXT_separate_specular_color = GL_FALSE; GLboolean __GLEW_EXT_shader_framebuffer_fetch = GL_FALSE; GLboolean __GLEW_EXT_shader_group_vote = GL_FALSE; GLboolean __GLEW_EXT_shader_image_load_formatted = GL_FALSE; GLboolean __GLEW_EXT_shader_image_load_store = GL_FALSE; GLboolean __GLEW_EXT_shader_implicit_conversions = GL_FALSE; GLboolean __GLEW_EXT_shader_integer_mix = GL_FALSE; GLboolean __GLEW_EXT_shader_io_blocks = GL_FALSE; GLboolean __GLEW_EXT_shader_non_constant_global_initializers = GL_FALSE; GLboolean __GLEW_EXT_shader_pixel_local_storage = GL_FALSE; GLboolean __GLEW_EXT_shader_pixel_local_storage2 = GL_FALSE; GLboolean __GLEW_EXT_shader_texture_lod = GL_FALSE; GLboolean __GLEW_EXT_shadow_funcs = GL_FALSE; GLboolean __GLEW_EXT_shadow_samplers = GL_FALSE; GLboolean __GLEW_EXT_shared_texture_palette = GL_FALSE; GLboolean __GLEW_EXT_sparse_texture = GL_FALSE; GLboolean __GLEW_EXT_sparse_texture2 = GL_FALSE; GLboolean __GLEW_EXT_stencil_clear_tag = GL_FALSE; GLboolean __GLEW_EXT_stencil_two_side = GL_FALSE; GLboolean __GLEW_EXT_stencil_wrap = GL_FALSE; GLboolean __GLEW_EXT_subtexture = GL_FALSE; GLboolean __GLEW_EXT_texture = GL_FALSE; GLboolean __GLEW_EXT_texture3D = GL_FALSE; GLboolean __GLEW_EXT_texture_array = GL_FALSE; GLboolean __GLEW_EXT_texture_buffer_object = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_astc_decode_mode = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_astc_decode_mode_rgb9e5 = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_bptc = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_dxt1 = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_latc = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_rgtc = GL_FALSE; GLboolean __GLEW_EXT_texture_compression_s3tc = GL_FALSE; GLboolean __GLEW_EXT_texture_cube_map = GL_FALSE; GLboolean __GLEW_EXT_texture_cube_map_array = GL_FALSE; GLboolean __GLEW_EXT_texture_edge_clamp = GL_FALSE; GLboolean __GLEW_EXT_texture_env = GL_FALSE; GLboolean __GLEW_EXT_texture_env_add = GL_FALSE; GLboolean __GLEW_EXT_texture_env_combine = GL_FALSE; GLboolean __GLEW_EXT_texture_env_dot3 = GL_FALSE; GLboolean __GLEW_EXT_texture_filter_anisotropic = GL_FALSE; GLboolean __GLEW_EXT_texture_filter_minmax = GL_FALSE; GLboolean __GLEW_EXT_texture_format_BGRA8888 = GL_FALSE; GLboolean __GLEW_EXT_texture_integer = GL_FALSE; GLboolean __GLEW_EXT_texture_lod_bias = GL_FALSE; GLboolean __GLEW_EXT_texture_mirror_clamp = GL_FALSE; GLboolean __GLEW_EXT_texture_norm16 = GL_FALSE; GLboolean __GLEW_EXT_texture_object = GL_FALSE; GLboolean __GLEW_EXT_texture_perturb_normal = GL_FALSE; GLboolean __GLEW_EXT_texture_rectangle = GL_FALSE; GLboolean __GLEW_EXT_texture_rg = GL_FALSE; GLboolean __GLEW_EXT_texture_sRGB = GL_FALSE; GLboolean __GLEW_EXT_texture_sRGB_R8 = GL_FALSE; GLboolean __GLEW_EXT_texture_sRGB_RG8 = GL_FALSE; GLboolean __GLEW_EXT_texture_sRGB_decode = GL_FALSE; GLboolean __GLEW_EXT_texture_shared_exponent = GL_FALSE; GLboolean __GLEW_EXT_texture_snorm = GL_FALSE; GLboolean __GLEW_EXT_texture_storage = GL_FALSE; GLboolean __GLEW_EXT_texture_swizzle = GL_FALSE; GLboolean __GLEW_EXT_texture_type_2_10_10_10_REV = GL_FALSE; GLboolean __GLEW_EXT_texture_view = GL_FALSE; GLboolean __GLEW_EXT_timer_query = GL_FALSE; GLboolean __GLEW_EXT_transform_feedback = GL_FALSE; GLboolean __GLEW_EXT_unpack_subimage = GL_FALSE; GLboolean __GLEW_EXT_vertex_array = GL_FALSE; GLboolean __GLEW_EXT_vertex_array_bgra = GL_FALSE; GLboolean __GLEW_EXT_vertex_array_setXXX = GL_FALSE; GLboolean __GLEW_EXT_vertex_attrib_64bit = GL_FALSE; GLboolean __GLEW_EXT_vertex_shader = GL_FALSE; GLboolean __GLEW_EXT_vertex_weighting = GL_FALSE; GLboolean __GLEW_EXT_win32_keyed_mutex = GL_FALSE; GLboolean __GLEW_EXT_window_rectangles = GL_FALSE; GLboolean __GLEW_EXT_x11_sync_object = GL_FALSE; GLboolean __GLEW_GREMEDY_frame_terminator = GL_FALSE; GLboolean __GLEW_GREMEDY_string_marker = GL_FALSE; GLboolean __GLEW_HP_convolution_border_modes = GL_FALSE; GLboolean __GLEW_HP_image_transform = GL_FALSE; GLboolean __GLEW_HP_occlusion_test = GL_FALSE; GLboolean __GLEW_HP_texture_lighting = GL_FALSE; GLboolean __GLEW_IBM_cull_vertex = GL_FALSE; GLboolean __GLEW_IBM_multimode_draw_arrays = GL_FALSE; GLboolean __GLEW_IBM_rasterpos_clip = GL_FALSE; GLboolean __GLEW_IBM_static_data = GL_FALSE; GLboolean __GLEW_IBM_texture_mirrored_repeat = GL_FALSE; GLboolean __GLEW_IBM_vertex_array_lists = GL_FALSE; GLboolean __GLEW_INGR_color_clamp = GL_FALSE; GLboolean __GLEW_INGR_interlace_read = GL_FALSE; GLboolean __GLEW_INTEL_conservative_rasterization = GL_FALSE; GLboolean __GLEW_INTEL_fragment_shader_ordering = GL_FALSE; GLboolean __GLEW_INTEL_framebuffer_CMAA = GL_FALSE; GLboolean __GLEW_INTEL_map_texture = GL_FALSE; GLboolean __GLEW_INTEL_parallel_arrays = GL_FALSE; GLboolean __GLEW_INTEL_performance_query = GL_FALSE; GLboolean __GLEW_INTEL_texture_scissor = GL_FALSE; GLboolean __GLEW_KHR_blend_equation_advanced = GL_FALSE; GLboolean __GLEW_KHR_blend_equation_advanced_coherent = GL_FALSE; GLboolean __GLEW_KHR_context_flush_control = GL_FALSE; GLboolean __GLEW_KHR_debug = GL_FALSE; GLboolean __GLEW_KHR_no_error = GL_FALSE; GLboolean __GLEW_KHR_parallel_shader_compile = GL_FALSE; GLboolean __GLEW_KHR_robust_buffer_access_behavior = GL_FALSE; GLboolean __GLEW_KHR_robustness = GL_FALSE; GLboolean __GLEW_KHR_texture_compression_astc_hdr = GL_FALSE; GLboolean __GLEW_KHR_texture_compression_astc_ldr = GL_FALSE; GLboolean __GLEW_KHR_texture_compression_astc_sliced_3d = GL_FALSE; GLboolean __GLEW_KTX_buffer_region = GL_FALSE; GLboolean __GLEW_MESAX_texture_stack = GL_FALSE; GLboolean __GLEW_MESA_pack_invert = GL_FALSE; GLboolean __GLEW_MESA_resize_buffers = GL_FALSE; GLboolean __GLEW_MESA_shader_integer_functions = GL_FALSE; GLboolean __GLEW_MESA_window_pos = GL_FALSE; GLboolean __GLEW_MESA_ycbcr_texture = GL_FALSE; GLboolean __GLEW_NVX_blend_equation_advanced_multi_draw_buffers = GL_FALSE; GLboolean __GLEW_NVX_conditional_render = GL_FALSE; GLboolean __GLEW_NVX_gpu_memory_info = GL_FALSE; GLboolean __GLEW_NVX_linked_gpu_multicast = GL_FALSE; GLboolean __GLEW_NV_3dvision_settings = GL_FALSE; GLboolean __GLEW_NV_EGL_stream_consumer_external = GL_FALSE; GLboolean __GLEW_NV_alpha_to_coverage_dither_control = GL_FALSE; GLboolean __GLEW_NV_bgr = GL_FALSE; GLboolean __GLEW_NV_bindless_multi_draw_indirect = GL_FALSE; GLboolean __GLEW_NV_bindless_multi_draw_indirect_count = GL_FALSE; GLboolean __GLEW_NV_bindless_texture = GL_FALSE; GLboolean __GLEW_NV_blend_equation_advanced = GL_FALSE; GLboolean __GLEW_NV_blend_equation_advanced_coherent = GL_FALSE; GLboolean __GLEW_NV_blend_minmax_factor = GL_FALSE; GLboolean __GLEW_NV_blend_square = GL_FALSE; GLboolean __GLEW_NV_clip_space_w_scaling = GL_FALSE; GLboolean __GLEW_NV_command_list = GL_FALSE; GLboolean __GLEW_NV_compute_program5 = GL_FALSE; GLboolean __GLEW_NV_conditional_render = GL_FALSE; GLboolean __GLEW_NV_conservative_raster = GL_FALSE; GLboolean __GLEW_NV_conservative_raster_dilate = GL_FALSE; GLboolean __GLEW_NV_conservative_raster_pre_snap_triangles = GL_FALSE; GLboolean __GLEW_NV_copy_buffer = GL_FALSE; GLboolean __GLEW_NV_copy_depth_to_color = GL_FALSE; GLboolean __GLEW_NV_copy_image = GL_FALSE; GLboolean __GLEW_NV_deep_texture3D = GL_FALSE; GLboolean __GLEW_NV_depth_buffer_float = GL_FALSE; GLboolean __GLEW_NV_depth_clamp = GL_FALSE; GLboolean __GLEW_NV_depth_range_unclamped = GL_FALSE; GLboolean __GLEW_NV_draw_buffers = GL_FALSE; GLboolean __GLEW_NV_draw_instanced = GL_FALSE; GLboolean __GLEW_NV_draw_texture = GL_FALSE; GLboolean __GLEW_NV_draw_vulkan_image = GL_FALSE; GLboolean __GLEW_NV_evaluators = GL_FALSE; GLboolean __GLEW_NV_explicit_attrib_location = GL_FALSE; GLboolean __GLEW_NV_explicit_multisample = GL_FALSE; GLboolean __GLEW_NV_fbo_color_attachments = GL_FALSE; GLboolean __GLEW_NV_fence = GL_FALSE; GLboolean __GLEW_NV_fill_rectangle = GL_FALSE; GLboolean __GLEW_NV_float_buffer = GL_FALSE; GLboolean __GLEW_NV_fog_distance = GL_FALSE; GLboolean __GLEW_NV_fragment_coverage_to_color = GL_FALSE; GLboolean __GLEW_NV_fragment_program = GL_FALSE; GLboolean __GLEW_NV_fragment_program2 = GL_FALSE; GLboolean __GLEW_NV_fragment_program4 = GL_FALSE; GLboolean __GLEW_NV_fragment_program_option = GL_FALSE; GLboolean __GLEW_NV_fragment_shader_interlock = GL_FALSE; GLboolean __GLEW_NV_framebuffer_blit = GL_FALSE; GLboolean __GLEW_NV_framebuffer_mixed_samples = GL_FALSE; GLboolean __GLEW_NV_framebuffer_multisample = GL_FALSE; GLboolean __GLEW_NV_framebuffer_multisample_coverage = GL_FALSE; GLboolean __GLEW_NV_generate_mipmap_sRGB = GL_FALSE; GLboolean __GLEW_NV_geometry_program4 = GL_FALSE; GLboolean __GLEW_NV_geometry_shader4 = GL_FALSE; GLboolean __GLEW_NV_geometry_shader_passthrough = GL_FALSE; GLboolean __GLEW_NV_gpu_multicast = GL_FALSE; GLboolean __GLEW_NV_gpu_program4 = GL_FALSE; GLboolean __GLEW_NV_gpu_program5 = GL_FALSE; GLboolean __GLEW_NV_gpu_program5_mem_extended = GL_FALSE; GLboolean __GLEW_NV_gpu_program_fp64 = GL_FALSE; GLboolean __GLEW_NV_gpu_shader5 = GL_FALSE; GLboolean __GLEW_NV_half_float = GL_FALSE; GLboolean __GLEW_NV_image_formats = GL_FALSE; GLboolean __GLEW_NV_instanced_arrays = GL_FALSE; GLboolean __GLEW_NV_internalformat_sample_query = GL_FALSE; GLboolean __GLEW_NV_light_max_exponent = GL_FALSE; GLboolean __GLEW_NV_multisample_coverage = GL_FALSE; GLboolean __GLEW_NV_multisample_filter_hint = GL_FALSE; GLboolean __GLEW_NV_non_square_matrices = GL_FALSE; GLboolean __GLEW_NV_occlusion_query = GL_FALSE; GLboolean __GLEW_NV_pack_subimage = GL_FALSE; GLboolean __GLEW_NV_packed_depth_stencil = GL_FALSE; GLboolean __GLEW_NV_packed_float = GL_FALSE; GLboolean __GLEW_NV_packed_float_linear = GL_FALSE; GLboolean __GLEW_NV_parameter_buffer_object = GL_FALSE; GLboolean __GLEW_NV_parameter_buffer_object2 = GL_FALSE; GLboolean __GLEW_NV_path_rendering = GL_FALSE; GLboolean __GLEW_NV_path_rendering_shared_edge = GL_FALSE; GLboolean __GLEW_NV_pixel_buffer_object = GL_FALSE; GLboolean __GLEW_NV_pixel_data_range = GL_FALSE; GLboolean __GLEW_NV_platform_binary = GL_FALSE; GLboolean __GLEW_NV_point_sprite = GL_FALSE; GLboolean __GLEW_NV_polygon_mode = GL_FALSE; GLboolean __GLEW_NV_present_video = GL_FALSE; GLboolean __GLEW_NV_primitive_restart = GL_FALSE; GLboolean __GLEW_NV_read_depth = GL_FALSE; GLboolean __GLEW_NV_read_depth_stencil = GL_FALSE; GLboolean __GLEW_NV_read_stencil = GL_FALSE; GLboolean __GLEW_NV_register_combiners = GL_FALSE; GLboolean __GLEW_NV_register_combiners2 = GL_FALSE; GLboolean __GLEW_NV_robustness_video_memory_purge = GL_FALSE; GLboolean __GLEW_NV_sRGB_formats = GL_FALSE; GLboolean __GLEW_NV_sample_locations = GL_FALSE; GLboolean __GLEW_NV_sample_mask_override_coverage = GL_FALSE; GLboolean __GLEW_NV_shader_atomic_counters = GL_FALSE; GLboolean __GLEW_NV_shader_atomic_float = GL_FALSE; GLboolean __GLEW_NV_shader_atomic_float64 = GL_FALSE; GLboolean __GLEW_NV_shader_atomic_fp16_vector = GL_FALSE; GLboolean __GLEW_NV_shader_atomic_int64 = GL_FALSE; GLboolean __GLEW_NV_shader_buffer_load = GL_FALSE; GLboolean __GLEW_NV_shader_noperspective_interpolation = GL_FALSE; GLboolean __GLEW_NV_shader_storage_buffer_object = GL_FALSE; GLboolean __GLEW_NV_shader_thread_group = GL_FALSE; GLboolean __GLEW_NV_shader_thread_shuffle = GL_FALSE; GLboolean __GLEW_NV_shadow_samplers_array = GL_FALSE; GLboolean __GLEW_NV_shadow_samplers_cube = GL_FALSE; GLboolean __GLEW_NV_stereo_view_rendering = GL_FALSE; GLboolean __GLEW_NV_tessellation_program5 = GL_FALSE; GLboolean __GLEW_NV_texgen_emboss = GL_FALSE; GLboolean __GLEW_NV_texgen_reflection = GL_FALSE; GLboolean __GLEW_NV_texture_array = GL_FALSE; GLboolean __GLEW_NV_texture_barrier = GL_FALSE; GLboolean __GLEW_NV_texture_border_clamp = GL_FALSE; GLboolean __GLEW_NV_texture_compression_latc = GL_FALSE; GLboolean __GLEW_NV_texture_compression_s3tc = GL_FALSE; GLboolean __GLEW_NV_texture_compression_s3tc_update = GL_FALSE; GLboolean __GLEW_NV_texture_compression_vtc = GL_FALSE; GLboolean __GLEW_NV_texture_env_combine4 = GL_FALSE; GLboolean __GLEW_NV_texture_expand_normal = GL_FALSE; GLboolean __GLEW_NV_texture_multisample = GL_FALSE; GLboolean __GLEW_NV_texture_npot_2D_mipmap = GL_FALSE; GLboolean __GLEW_NV_texture_rectangle = GL_FALSE; GLboolean __GLEW_NV_texture_rectangle_compressed = GL_FALSE; GLboolean __GLEW_NV_texture_shader = GL_FALSE; GLboolean __GLEW_NV_texture_shader2 = GL_FALSE; GLboolean __GLEW_NV_texture_shader3 = GL_FALSE; GLboolean __GLEW_NV_transform_feedback = GL_FALSE; GLboolean __GLEW_NV_transform_feedback2 = GL_FALSE; GLboolean __GLEW_NV_uniform_buffer_unified_memory = GL_FALSE; GLboolean __GLEW_NV_vdpau_interop = GL_FALSE; GLboolean __GLEW_NV_vertex_array_range = GL_FALSE; GLboolean __GLEW_NV_vertex_array_range2 = GL_FALSE; GLboolean __GLEW_NV_vertex_attrib_integer_64bit = GL_FALSE; GLboolean __GLEW_NV_vertex_buffer_unified_memory = GL_FALSE; GLboolean __GLEW_NV_vertex_program = GL_FALSE; GLboolean __GLEW_NV_vertex_program1_1 = GL_FALSE; GLboolean __GLEW_NV_vertex_program2 = GL_FALSE; GLboolean __GLEW_NV_vertex_program2_option = GL_FALSE; GLboolean __GLEW_NV_vertex_program3 = GL_FALSE; GLboolean __GLEW_NV_vertex_program4 = GL_FALSE; GLboolean __GLEW_NV_video_capture = GL_FALSE; GLboolean __GLEW_NV_viewport_array = GL_FALSE; GLboolean __GLEW_NV_viewport_array2 = GL_FALSE; GLboolean __GLEW_NV_viewport_swizzle = GL_FALSE; GLboolean __GLEW_OES_byte_coordinates = GL_FALSE; GLboolean __GLEW_OML_interlace = GL_FALSE; GLboolean __GLEW_OML_resample = GL_FALSE; GLboolean __GLEW_OML_subsample = GL_FALSE; GLboolean __GLEW_OVR_multiview = GL_FALSE; GLboolean __GLEW_OVR_multiview2 = GL_FALSE; GLboolean __GLEW_OVR_multiview_multisampled_render_to_texture = GL_FALSE; GLboolean __GLEW_PGI_misc_hints = GL_FALSE; GLboolean __GLEW_PGI_vertex_hints = GL_FALSE; GLboolean __GLEW_QCOM_alpha_test = GL_FALSE; GLboolean __GLEW_QCOM_binning_control = GL_FALSE; GLboolean __GLEW_QCOM_driver_control = GL_FALSE; GLboolean __GLEW_QCOM_extended_get = GL_FALSE; GLboolean __GLEW_QCOM_extended_get2 = GL_FALSE; GLboolean __GLEW_QCOM_framebuffer_foveated = GL_FALSE; GLboolean __GLEW_QCOM_perfmon_global_mode = GL_FALSE; GLboolean __GLEW_QCOM_shader_framebuffer_fetch_noncoherent = GL_FALSE; GLboolean __GLEW_QCOM_tiled_rendering = GL_FALSE; GLboolean __GLEW_QCOM_writeonly_rendering = GL_FALSE; GLboolean __GLEW_REGAL_ES1_0_compatibility = GL_FALSE; GLboolean __GLEW_REGAL_ES1_1_compatibility = GL_FALSE; GLboolean __GLEW_REGAL_enable = GL_FALSE; GLboolean __GLEW_REGAL_error_string = GL_FALSE; GLboolean __GLEW_REGAL_extension_query = GL_FALSE; GLboolean __GLEW_REGAL_log = GL_FALSE; GLboolean __GLEW_REGAL_proc_address = GL_FALSE; GLboolean __GLEW_REND_screen_coordinates = GL_FALSE; GLboolean __GLEW_S3_s3tc = GL_FALSE; GLboolean __GLEW_SGIS_clip_band_hint = GL_FALSE; GLboolean __GLEW_SGIS_color_range = GL_FALSE; GLboolean __GLEW_SGIS_detail_texture = GL_FALSE; GLboolean __GLEW_SGIS_fog_function = GL_FALSE; GLboolean __GLEW_SGIS_generate_mipmap = GL_FALSE; GLboolean __GLEW_SGIS_line_texgen = GL_FALSE; GLboolean __GLEW_SGIS_multisample = GL_FALSE; GLboolean __GLEW_SGIS_multitexture = GL_FALSE; GLboolean __GLEW_SGIS_pixel_texture = GL_FALSE; GLboolean __GLEW_SGIS_point_line_texgen = GL_FALSE; GLboolean __GLEW_SGIS_shared_multisample = GL_FALSE; GLboolean __GLEW_SGIS_sharpen_texture = GL_FALSE; GLboolean __GLEW_SGIS_texture4D = GL_FALSE; GLboolean __GLEW_SGIS_texture_border_clamp = GL_FALSE; GLboolean __GLEW_SGIS_texture_edge_clamp = GL_FALSE; GLboolean __GLEW_SGIS_texture_filter4 = GL_FALSE; GLboolean __GLEW_SGIS_texture_lod = GL_FALSE; GLboolean __GLEW_SGIS_texture_select = GL_FALSE; GLboolean __GLEW_SGIX_async = GL_FALSE; GLboolean __GLEW_SGIX_async_histogram = GL_FALSE; GLboolean __GLEW_SGIX_async_pixel = GL_FALSE; GLboolean __GLEW_SGIX_bali_g_instruments = GL_FALSE; GLboolean __GLEW_SGIX_bali_r_instruments = GL_FALSE; GLboolean __GLEW_SGIX_bali_timer_instruments = GL_FALSE; GLboolean __GLEW_SGIX_blend_alpha_minmax = GL_FALSE; GLboolean __GLEW_SGIX_blend_cadd = GL_FALSE; GLboolean __GLEW_SGIX_blend_cmultiply = GL_FALSE; GLboolean __GLEW_SGIX_calligraphic_fragment = GL_FALSE; GLboolean __GLEW_SGIX_clipmap = GL_FALSE; GLboolean __GLEW_SGIX_color_matrix_accuracy = GL_FALSE; GLboolean __GLEW_SGIX_color_table_index_mode = GL_FALSE; GLboolean __GLEW_SGIX_complex_polar = GL_FALSE; GLboolean __GLEW_SGIX_convolution_accuracy = GL_FALSE; GLboolean __GLEW_SGIX_cube_map = GL_FALSE; GLboolean __GLEW_SGIX_cylinder_texgen = GL_FALSE; GLboolean __GLEW_SGIX_datapipe = GL_FALSE; GLboolean __GLEW_SGIX_decimation = GL_FALSE; GLboolean __GLEW_SGIX_depth_pass_instrument = GL_FALSE; GLboolean __GLEW_SGIX_depth_texture = GL_FALSE; GLboolean __GLEW_SGIX_dvc = GL_FALSE; GLboolean __GLEW_SGIX_flush_raster = GL_FALSE; GLboolean __GLEW_SGIX_fog_blend = GL_FALSE; GLboolean __GLEW_SGIX_fog_factor_to_alpha = GL_FALSE; GLboolean __GLEW_SGIX_fog_layers = GL_FALSE; GLboolean __GLEW_SGIX_fog_offset = GL_FALSE; GLboolean __GLEW_SGIX_fog_patchy = GL_FALSE; GLboolean __GLEW_SGIX_fog_scale = GL_FALSE; GLboolean __GLEW_SGIX_fog_texture = GL_FALSE; GLboolean __GLEW_SGIX_fragment_lighting_space = GL_FALSE; GLboolean __GLEW_SGIX_fragment_specular_lighting = GL_FALSE; GLboolean __GLEW_SGIX_fragments_instrument = GL_FALSE; GLboolean __GLEW_SGIX_framezoom = GL_FALSE; GLboolean __GLEW_SGIX_icc_texture = GL_FALSE; GLboolean __GLEW_SGIX_igloo_interface = GL_FALSE; GLboolean __GLEW_SGIX_image_compression = GL_FALSE; GLboolean __GLEW_SGIX_impact_pixel_texture = GL_FALSE; GLboolean __GLEW_SGIX_instrument_error = GL_FALSE; GLboolean __GLEW_SGIX_interlace = GL_FALSE; GLboolean __GLEW_SGIX_ir_instrument1 = GL_FALSE; GLboolean __GLEW_SGIX_line_quality_hint = GL_FALSE; GLboolean __GLEW_SGIX_list_priority = GL_FALSE; GLboolean __GLEW_SGIX_mpeg1 = GL_FALSE; GLboolean __GLEW_SGIX_mpeg2 = GL_FALSE; GLboolean __GLEW_SGIX_nonlinear_lighting_pervertex = GL_FALSE; GLboolean __GLEW_SGIX_nurbs_eval = GL_FALSE; GLboolean __GLEW_SGIX_occlusion_instrument = GL_FALSE; GLboolean __GLEW_SGIX_packed_6bytes = GL_FALSE; GLboolean __GLEW_SGIX_pixel_texture = GL_FALSE; GLboolean __GLEW_SGIX_pixel_texture_bits = GL_FALSE; GLboolean __GLEW_SGIX_pixel_texture_lod = GL_FALSE; GLboolean __GLEW_SGIX_pixel_tiles = GL_FALSE; GLboolean __GLEW_SGIX_polynomial_ffd = GL_FALSE; GLboolean __GLEW_SGIX_quad_mesh = GL_FALSE; GLboolean __GLEW_SGIX_reference_plane = GL_FALSE; GLboolean __GLEW_SGIX_resample = GL_FALSE; GLboolean __GLEW_SGIX_scalebias_hint = GL_FALSE; GLboolean __GLEW_SGIX_shadow = GL_FALSE; GLboolean __GLEW_SGIX_shadow_ambient = GL_FALSE; GLboolean __GLEW_SGIX_slim = GL_FALSE; GLboolean __GLEW_SGIX_spotlight_cutoff = GL_FALSE; GLboolean __GLEW_SGIX_sprite = GL_FALSE; GLboolean __GLEW_SGIX_subdiv_patch = GL_FALSE; GLboolean __GLEW_SGIX_subsample = GL_FALSE; GLboolean __GLEW_SGIX_tag_sample_buffer = GL_FALSE; GLboolean __GLEW_SGIX_texture_add_env = GL_FALSE; GLboolean __GLEW_SGIX_texture_coordinate_clamp = GL_FALSE; GLboolean __GLEW_SGIX_texture_lod_bias = GL_FALSE; GLboolean __GLEW_SGIX_texture_mipmap_anisotropic = GL_FALSE; GLboolean __GLEW_SGIX_texture_multi_buffer = GL_FALSE; GLboolean __GLEW_SGIX_texture_phase = GL_FALSE; GLboolean __GLEW_SGIX_texture_range = GL_FALSE; GLboolean __GLEW_SGIX_texture_scale_bias = GL_FALSE; GLboolean __GLEW_SGIX_texture_supersample = GL_FALSE; GLboolean __GLEW_SGIX_vector_ops = GL_FALSE; GLboolean __GLEW_SGIX_vertex_array_object = GL_FALSE; GLboolean __GLEW_SGIX_vertex_preclip = GL_FALSE; GLboolean __GLEW_SGIX_vertex_preclip_hint = GL_FALSE; GLboolean __GLEW_SGIX_ycrcb = GL_FALSE; GLboolean __GLEW_SGIX_ycrcb_subsample = GL_FALSE; GLboolean __GLEW_SGIX_ycrcba = GL_FALSE; GLboolean __GLEW_SGI_color_matrix = GL_FALSE; GLboolean __GLEW_SGI_color_table = GL_FALSE; GLboolean __GLEW_SGI_complex = GL_FALSE; GLboolean __GLEW_SGI_complex_type = GL_FALSE; GLboolean __GLEW_SGI_fft = GL_FALSE; GLboolean __GLEW_SGI_texture_color_table = GL_FALSE; GLboolean __GLEW_SUNX_constant_data = GL_FALSE; GLboolean __GLEW_SUN_convolution_border_modes = GL_FALSE; GLboolean __GLEW_SUN_global_alpha = GL_FALSE; GLboolean __GLEW_SUN_mesh_array = GL_FALSE; GLboolean __GLEW_SUN_read_video_pixels = GL_FALSE; GLboolean __GLEW_SUN_slice_accum = GL_FALSE; GLboolean __GLEW_SUN_triangle_list = GL_FALSE; GLboolean __GLEW_SUN_vertex = GL_FALSE; GLboolean __GLEW_WIN_phong_shading = GL_FALSE; GLboolean __GLEW_WIN_scene_markerXXX = GL_FALSE; GLboolean __GLEW_WIN_specular_fog = GL_FALSE; GLboolean __GLEW_WIN_swap_hint = GL_FALSE; static const char * _glewExtensionLookup[] = { #ifdef GL_VERSION_1_2 "GL_VERSION_1_2", #endif #ifdef GL_VERSION_1_2_1 "GL_VERSION_1_2_1", #endif #ifdef GL_VERSION_1_3 "GL_VERSION_1_3", #endif #ifdef GL_VERSION_1_4 "GL_VERSION_1_4", #endif #ifdef GL_VERSION_1_5 "GL_VERSION_1_5", #endif #ifdef GL_VERSION_2_0 "GL_VERSION_2_0", #endif #ifdef GL_VERSION_2_1 "GL_VERSION_2_1", #endif #ifdef GL_VERSION_3_0 "GL_VERSION_3_0", #endif #ifdef GL_VERSION_3_1 "GL_VERSION_3_1", #endif #ifdef GL_VERSION_3_2 "GL_VERSION_3_2", #endif #ifdef GL_VERSION_3_3 "GL_VERSION_3_3", #endif #ifdef GL_VERSION_4_0 "GL_VERSION_4_0", #endif #ifdef GL_VERSION_4_1 "GL_VERSION_4_1", #endif #ifdef GL_VERSION_4_2 "GL_VERSION_4_2", #endif #ifdef GL_VERSION_4_3 "GL_VERSION_4_3", #endif #ifdef GL_VERSION_4_4 "GL_VERSION_4_4", #endif #ifdef GL_VERSION_4_5 "GL_VERSION_4_5", #endif #ifdef GL_VERSION_4_6 "GL_VERSION_4_6", #endif #ifdef GL_3DFX_multisample "GL_3DFX_multisample", #endif #ifdef GL_3DFX_tbuffer "GL_3DFX_tbuffer", #endif #ifdef GL_3DFX_texture_compression_FXT1 "GL_3DFX_texture_compression_FXT1", #endif #ifdef GL_AMD_blend_minmax_factor "GL_AMD_blend_minmax_factor", #endif #ifdef GL_AMD_compressed_3DC_texture "GL_AMD_compressed_3DC_texture", #endif #ifdef GL_AMD_compressed_ATC_texture "GL_AMD_compressed_ATC_texture", #endif #ifdef GL_AMD_conservative_depth "GL_AMD_conservative_depth", #endif #ifdef GL_AMD_debug_output "GL_AMD_debug_output", #endif #ifdef GL_AMD_depth_clamp_separate "GL_AMD_depth_clamp_separate", #endif #ifdef GL_AMD_draw_buffers_blend "GL_AMD_draw_buffers_blend", #endif #ifdef GL_AMD_framebuffer_sample_positions "GL_AMD_framebuffer_sample_positions", #endif #ifdef GL_AMD_gcn_shader "GL_AMD_gcn_shader", #endif #ifdef GL_AMD_gpu_shader_half_float "GL_AMD_gpu_shader_half_float", #endif #ifdef GL_AMD_gpu_shader_int16 "GL_AMD_gpu_shader_int16", #endif #ifdef GL_AMD_gpu_shader_int64 "GL_AMD_gpu_shader_int64", #endif #ifdef GL_AMD_interleaved_elements "GL_AMD_interleaved_elements", #endif #ifdef GL_AMD_multi_draw_indirect "GL_AMD_multi_draw_indirect", #endif #ifdef GL_AMD_name_gen_delete "GL_AMD_name_gen_delete", #endif #ifdef GL_AMD_occlusion_query_event "GL_AMD_occlusion_query_event", #endif #ifdef GL_AMD_performance_monitor "GL_AMD_performance_monitor", #endif #ifdef GL_AMD_pinned_memory "GL_AMD_pinned_memory", #endif #ifdef GL_AMD_program_binary_Z400 "GL_AMD_program_binary_Z400", #endif #ifdef GL_AMD_query_buffer_object "GL_AMD_query_buffer_object", #endif #ifdef GL_AMD_sample_positions "GL_AMD_sample_positions", #endif #ifdef GL_AMD_seamless_cubemap_per_texture "GL_AMD_seamless_cubemap_per_texture", #endif #ifdef GL_AMD_shader_atomic_counter_ops "GL_AMD_shader_atomic_counter_ops", #endif #ifdef GL_AMD_shader_ballot "GL_AMD_shader_ballot", #endif #ifdef GL_AMD_shader_explicit_vertex_parameter "GL_AMD_shader_explicit_vertex_parameter", #endif #ifdef GL_AMD_shader_stencil_export "GL_AMD_shader_stencil_export", #endif #ifdef GL_AMD_shader_stencil_value_export "GL_AMD_shader_stencil_value_export", #endif #ifdef GL_AMD_shader_trinary_minmax "GL_AMD_shader_trinary_minmax", #endif #ifdef GL_AMD_sparse_texture "GL_AMD_sparse_texture", #endif #ifdef GL_AMD_stencil_operation_extended "GL_AMD_stencil_operation_extended", #endif #ifdef GL_AMD_texture_gather_bias_lod "GL_AMD_texture_gather_bias_lod", #endif #ifdef GL_AMD_texture_texture4 "GL_AMD_texture_texture4", #endif #ifdef GL_AMD_transform_feedback3_lines_triangles "GL_AMD_transform_feedback3_lines_triangles", #endif #ifdef GL_AMD_transform_feedback4 "GL_AMD_transform_feedback4", #endif #ifdef GL_AMD_vertex_shader_layer "GL_AMD_vertex_shader_layer", #endif #ifdef GL_AMD_vertex_shader_tessellator "GL_AMD_vertex_shader_tessellator", #endif #ifdef GL_AMD_vertex_shader_viewport_index "GL_AMD_vertex_shader_viewport_index", #endif #ifdef GL_ANDROID_extension_pack_es31a "GL_ANDROID_extension_pack_es31a", #endif #ifdef GL_ANGLE_depth_texture "GL_ANGLE_depth_texture", #endif #ifdef GL_ANGLE_framebuffer_blit "GL_ANGLE_framebuffer_blit", #endif #ifdef GL_ANGLE_framebuffer_multisample "GL_ANGLE_framebuffer_multisample", #endif #ifdef GL_ANGLE_instanced_arrays "GL_ANGLE_instanced_arrays", #endif #ifdef GL_ANGLE_pack_reverse_row_order "GL_ANGLE_pack_reverse_row_order", #endif #ifdef GL_ANGLE_program_binary "GL_ANGLE_program_binary", #endif #ifdef GL_ANGLE_texture_compression_dxt1 "GL_ANGLE_texture_compression_dxt1", #endif #ifdef GL_ANGLE_texture_compression_dxt3 "GL_ANGLE_texture_compression_dxt3", #endif #ifdef GL_ANGLE_texture_compression_dxt5 "GL_ANGLE_texture_compression_dxt5", #endif #ifdef GL_ANGLE_texture_usage "GL_ANGLE_texture_usage", #endif #ifdef GL_ANGLE_timer_query "GL_ANGLE_timer_query", #endif #ifdef GL_ANGLE_translated_shader_source "GL_ANGLE_translated_shader_source", #endif #ifdef GL_APPLE_aux_depth_stencil "GL_APPLE_aux_depth_stencil", #endif #ifdef GL_APPLE_client_storage "GL_APPLE_client_storage", #endif #ifdef GL_APPLE_clip_distance "GL_APPLE_clip_distance", #endif #ifdef GL_APPLE_color_buffer_packed_float "GL_APPLE_color_buffer_packed_float", #endif #ifdef GL_APPLE_copy_texture_levels "GL_APPLE_copy_texture_levels", #endif #ifdef GL_APPLE_element_array "GL_APPLE_element_array", #endif #ifdef GL_APPLE_fence "GL_APPLE_fence", #endif #ifdef GL_APPLE_float_pixels "GL_APPLE_float_pixels", #endif #ifdef GL_APPLE_flush_buffer_range "GL_APPLE_flush_buffer_range", #endif #ifdef GL_APPLE_framebuffer_multisample "GL_APPLE_framebuffer_multisample", #endif #ifdef GL_APPLE_object_purgeable "GL_APPLE_object_purgeable", #endif #ifdef GL_APPLE_pixel_buffer "GL_APPLE_pixel_buffer", #endif #ifdef GL_APPLE_rgb_422 "GL_APPLE_rgb_422", #endif #ifdef GL_APPLE_row_bytes "GL_APPLE_row_bytes", #endif #ifdef GL_APPLE_specular_vector "GL_APPLE_specular_vector", #endif #ifdef GL_APPLE_sync "GL_APPLE_sync", #endif #ifdef GL_APPLE_texture_2D_limited_npot "GL_APPLE_texture_2D_limited_npot", #endif #ifdef GL_APPLE_texture_format_BGRA8888 "GL_APPLE_texture_format_BGRA8888", #endif #ifdef GL_APPLE_texture_max_level "GL_APPLE_texture_max_level", #endif #ifdef GL_APPLE_texture_packed_float "GL_APPLE_texture_packed_float", #endif #ifdef GL_APPLE_texture_range "GL_APPLE_texture_range", #endif #ifdef GL_APPLE_transform_hint "GL_APPLE_transform_hint", #endif #ifdef GL_APPLE_vertex_array_object "GL_APPLE_vertex_array_object", #endif #ifdef GL_APPLE_vertex_array_range "GL_APPLE_vertex_array_range", #endif #ifdef GL_APPLE_vertex_program_evaluators "GL_APPLE_vertex_program_evaluators", #endif #ifdef GL_APPLE_ycbcr_422 "GL_APPLE_ycbcr_422", #endif #ifdef GL_ARB_ES2_compatibility "GL_ARB_ES2_compatibility", #endif #ifdef GL_ARB_ES3_1_compatibility "GL_ARB_ES3_1_compatibility", #endif #ifdef GL_ARB_ES3_2_compatibility "GL_ARB_ES3_2_compatibility", #endif #ifdef GL_ARB_ES3_compatibility "GL_ARB_ES3_compatibility", #endif #ifdef GL_ARB_arrays_of_arrays "GL_ARB_arrays_of_arrays", #endif #ifdef GL_ARB_base_instance "GL_ARB_base_instance", #endif #ifdef GL_ARB_bindless_texture "GL_ARB_bindless_texture", #endif #ifdef GL_ARB_blend_func_extended "GL_ARB_blend_func_extended", #endif #ifdef GL_ARB_buffer_storage "GL_ARB_buffer_storage", #endif #ifdef GL_ARB_cl_event "GL_ARB_cl_event", #endif #ifdef GL_ARB_clear_buffer_object "GL_ARB_clear_buffer_object", #endif #ifdef GL_ARB_clear_texture "GL_ARB_clear_texture", #endif #ifdef GL_ARB_clip_control "GL_ARB_clip_control", #endif #ifdef GL_ARB_color_buffer_float "GL_ARB_color_buffer_float", #endif #ifdef GL_ARB_compatibility "GL_ARB_compatibility", #endif #ifdef GL_ARB_compressed_texture_pixel_storage "GL_ARB_compressed_texture_pixel_storage", #endif #ifdef GL_ARB_compute_shader "GL_ARB_compute_shader", #endif #ifdef GL_ARB_compute_variable_group_size "GL_ARB_compute_variable_group_size", #endif #ifdef GL_ARB_conditional_render_inverted "GL_ARB_conditional_render_inverted", #endif #ifdef GL_ARB_conservative_depth "GL_ARB_conservative_depth", #endif #ifdef GL_ARB_copy_buffer "GL_ARB_copy_buffer", #endif #ifdef GL_ARB_copy_image "GL_ARB_copy_image", #endif #ifdef GL_ARB_cull_distance "GL_ARB_cull_distance", #endif #ifdef GL_ARB_debug_output "GL_ARB_debug_output", #endif #ifdef GL_ARB_depth_buffer_float "GL_ARB_depth_buffer_float", #endif #ifdef GL_ARB_depth_clamp "GL_ARB_depth_clamp", #endif #ifdef GL_ARB_depth_texture "GL_ARB_depth_texture", #endif #ifdef GL_ARB_derivative_control "GL_ARB_derivative_control", #endif #ifdef GL_ARB_direct_state_access "GL_ARB_direct_state_access", #endif #ifdef GL_ARB_draw_buffers "GL_ARB_draw_buffers", #endif #ifdef GL_ARB_draw_buffers_blend "GL_ARB_draw_buffers_blend", #endif #ifdef GL_ARB_draw_elements_base_vertex "GL_ARB_draw_elements_base_vertex", #endif #ifdef GL_ARB_draw_indirect "GL_ARB_draw_indirect", #endif #ifdef GL_ARB_draw_instanced "GL_ARB_draw_instanced", #endif #ifdef GL_ARB_enhanced_layouts "GL_ARB_enhanced_layouts", #endif #ifdef GL_ARB_explicit_attrib_location "GL_ARB_explicit_attrib_location", #endif #ifdef GL_ARB_explicit_uniform_location "GL_ARB_explicit_uniform_location", #endif #ifdef GL_ARB_fragment_coord_conventions "GL_ARB_fragment_coord_conventions", #endif #ifdef GL_ARB_fragment_layer_viewport "GL_ARB_fragment_layer_viewport", #endif #ifdef GL_ARB_fragment_program "GL_ARB_fragment_program", #endif #ifdef GL_ARB_fragment_program_shadow "GL_ARB_fragment_program_shadow", #endif #ifdef GL_ARB_fragment_shader "GL_ARB_fragment_shader", #endif #ifdef GL_ARB_fragment_shader_interlock "GL_ARB_fragment_shader_interlock", #endif #ifdef GL_ARB_framebuffer_no_attachments "GL_ARB_framebuffer_no_attachments", #endif #ifdef GL_ARB_framebuffer_object "GL_ARB_framebuffer_object", #endif #ifdef GL_ARB_framebuffer_sRGB "GL_ARB_framebuffer_sRGB", #endif #ifdef GL_ARB_geometry_shader4 "GL_ARB_geometry_shader4", #endif #ifdef GL_ARB_get_program_binary "GL_ARB_get_program_binary", #endif #ifdef GL_ARB_get_texture_sub_image "GL_ARB_get_texture_sub_image", #endif #ifdef GL_ARB_gl_spirv "GL_ARB_gl_spirv", #endif #ifdef GL_ARB_gpu_shader5 "GL_ARB_gpu_shader5", #endif #ifdef GL_ARB_gpu_shader_fp64 "GL_ARB_gpu_shader_fp64", #endif #ifdef GL_ARB_gpu_shader_int64 "GL_ARB_gpu_shader_int64", #endif #ifdef GL_ARB_half_float_pixel "GL_ARB_half_float_pixel", #endif #ifdef GL_ARB_half_float_vertex "GL_ARB_half_float_vertex", #endif #ifdef GL_ARB_imaging "GL_ARB_imaging", #endif #ifdef GL_ARB_indirect_parameters "GL_ARB_indirect_parameters", #endif #ifdef GL_ARB_instanced_arrays "GL_ARB_instanced_arrays", #endif #ifdef GL_ARB_internalformat_query "GL_ARB_internalformat_query", #endif #ifdef GL_ARB_internalformat_query2 "GL_ARB_internalformat_query2", #endif #ifdef GL_ARB_invalidate_subdata "GL_ARB_invalidate_subdata", #endif #ifdef GL_ARB_map_buffer_alignment "GL_ARB_map_buffer_alignment", #endif #ifdef GL_ARB_map_buffer_range "GL_ARB_map_buffer_range", #endif #ifdef GL_ARB_matrix_palette "GL_ARB_matrix_palette", #endif #ifdef GL_ARB_multi_bind "GL_ARB_multi_bind", #endif #ifdef GL_ARB_multi_draw_indirect "GL_ARB_multi_draw_indirect", #endif #ifdef GL_ARB_multisample "GL_ARB_multisample", #endif #ifdef GL_ARB_multitexture "GL_ARB_multitexture", #endif #ifdef GL_ARB_occlusion_query "GL_ARB_occlusion_query", #endif #ifdef GL_ARB_occlusion_query2 "GL_ARB_occlusion_query2", #endif #ifdef GL_ARB_parallel_shader_compile "GL_ARB_parallel_shader_compile", #endif #ifdef GL_ARB_pipeline_statistics_query "GL_ARB_pipeline_statistics_query", #endif #ifdef GL_ARB_pixel_buffer_object "GL_ARB_pixel_buffer_object", #endif #ifdef GL_ARB_point_parameters "GL_ARB_point_parameters", #endif #ifdef GL_ARB_point_sprite "GL_ARB_point_sprite", #endif #ifdef GL_ARB_polygon_offset_clamp "GL_ARB_polygon_offset_clamp", #endif #ifdef GL_ARB_post_depth_coverage "GL_ARB_post_depth_coverage", #endif #ifdef GL_ARB_program_interface_query "GL_ARB_program_interface_query", #endif #ifdef GL_ARB_provoking_vertex "GL_ARB_provoking_vertex", #endif #ifdef GL_ARB_query_buffer_object "GL_ARB_query_buffer_object", #endif #ifdef GL_ARB_robust_buffer_access_behavior "GL_ARB_robust_buffer_access_behavior", #endif #ifdef GL_ARB_robustness "GL_ARB_robustness", #endif #ifdef GL_ARB_robustness_application_isolation "GL_ARB_robustness_application_isolation", #endif #ifdef GL_ARB_robustness_share_group_isolation "GL_ARB_robustness_share_group_isolation", #endif #ifdef GL_ARB_sample_locations "GL_ARB_sample_locations", #endif #ifdef GL_ARB_sample_shading "GL_ARB_sample_shading", #endif #ifdef GL_ARB_sampler_objects "GL_ARB_sampler_objects", #endif #ifdef GL_ARB_seamless_cube_map "GL_ARB_seamless_cube_map", #endif #ifdef GL_ARB_seamless_cubemap_per_texture "GL_ARB_seamless_cubemap_per_texture", #endif #ifdef GL_ARB_separate_shader_objects "GL_ARB_separate_shader_objects", #endif #ifdef GL_ARB_shader_atomic_counter_ops "GL_ARB_shader_atomic_counter_ops", #endif #ifdef GL_ARB_shader_atomic_counters "GL_ARB_shader_atomic_counters", #endif #ifdef GL_ARB_shader_ballot "GL_ARB_shader_ballot", #endif #ifdef GL_ARB_shader_bit_encoding "GL_ARB_shader_bit_encoding", #endif #ifdef GL_ARB_shader_clock "GL_ARB_shader_clock", #endif #ifdef GL_ARB_shader_draw_parameters "GL_ARB_shader_draw_parameters", #endif #ifdef GL_ARB_shader_group_vote "GL_ARB_shader_group_vote", #endif #ifdef GL_ARB_shader_image_load_store "GL_ARB_shader_image_load_store", #endif #ifdef GL_ARB_shader_image_size "GL_ARB_shader_image_size", #endif #ifdef GL_ARB_shader_objects "GL_ARB_shader_objects", #endif #ifdef GL_ARB_shader_precision "GL_ARB_shader_precision", #endif #ifdef GL_ARB_shader_stencil_export "GL_ARB_shader_stencil_export", #endif #ifdef GL_ARB_shader_storage_buffer_object "GL_ARB_shader_storage_buffer_object", #endif #ifdef GL_ARB_shader_subroutine "GL_ARB_shader_subroutine", #endif #ifdef GL_ARB_shader_texture_image_samples "GL_ARB_shader_texture_image_samples", #endif #ifdef GL_ARB_shader_texture_lod "GL_ARB_shader_texture_lod", #endif #ifdef GL_ARB_shader_viewport_layer_array "GL_ARB_shader_viewport_layer_array", #endif #ifdef GL_ARB_shading_language_100 "GL_ARB_shading_language_100", #endif #ifdef GL_ARB_shading_language_420pack "GL_ARB_shading_language_420pack", #endif #ifdef GL_ARB_shading_language_include "GL_ARB_shading_language_include", #endif #ifdef GL_ARB_shading_language_packing "GL_ARB_shading_language_packing", #endif #ifdef GL_ARB_shadow "GL_ARB_shadow", #endif #ifdef GL_ARB_shadow_ambient "GL_ARB_shadow_ambient", #endif #ifdef GL_ARB_sparse_buffer "GL_ARB_sparse_buffer", #endif #ifdef GL_ARB_sparse_texture "GL_ARB_sparse_texture", #endif #ifdef GL_ARB_sparse_texture2 "GL_ARB_sparse_texture2", #endif #ifdef GL_ARB_sparse_texture_clamp "GL_ARB_sparse_texture_clamp", #endif #ifdef GL_ARB_spirv_extensions "GL_ARB_spirv_extensions", #endif #ifdef GL_ARB_stencil_texturing "GL_ARB_stencil_texturing", #endif #ifdef GL_ARB_sync "GL_ARB_sync", #endif #ifdef GL_ARB_tessellation_shader "GL_ARB_tessellation_shader", #endif #ifdef GL_ARB_texture_barrier "GL_ARB_texture_barrier", #endif #ifdef GL_ARB_texture_border_clamp "GL_ARB_texture_border_clamp", #endif #ifdef GL_ARB_texture_buffer_object "GL_ARB_texture_buffer_object", #endif #ifdef GL_ARB_texture_buffer_object_rgb32 "GL_ARB_texture_buffer_object_rgb32", #endif #ifdef GL_ARB_texture_buffer_range "GL_ARB_texture_buffer_range", #endif #ifdef GL_ARB_texture_compression "GL_ARB_texture_compression", #endif #ifdef GL_ARB_texture_compression_bptc "GL_ARB_texture_compression_bptc", #endif #ifdef GL_ARB_texture_compression_rgtc "GL_ARB_texture_compression_rgtc", #endif #ifdef GL_ARB_texture_cube_map "GL_ARB_texture_cube_map", #endif #ifdef GL_ARB_texture_cube_map_array "GL_ARB_texture_cube_map_array", #endif #ifdef GL_ARB_texture_env_add "GL_ARB_texture_env_add", #endif #ifdef GL_ARB_texture_env_combine "GL_ARB_texture_env_combine", #endif #ifdef GL_ARB_texture_env_crossbar "GL_ARB_texture_env_crossbar", #endif #ifdef GL_ARB_texture_env_dot3 "GL_ARB_texture_env_dot3", #endif #ifdef GL_ARB_texture_filter_anisotropic "GL_ARB_texture_filter_anisotropic", #endif #ifdef GL_ARB_texture_filter_minmax "GL_ARB_texture_filter_minmax", #endif #ifdef GL_ARB_texture_float "GL_ARB_texture_float", #endif #ifdef GL_ARB_texture_gather "GL_ARB_texture_gather", #endif #ifdef GL_ARB_texture_mirror_clamp_to_edge "GL_ARB_texture_mirror_clamp_to_edge", #endif #ifdef GL_ARB_texture_mirrored_repeat "GL_ARB_texture_mirrored_repeat", #endif #ifdef GL_ARB_texture_multisample "GL_ARB_texture_multisample", #endif #ifdef GL_ARB_texture_non_power_of_two "GL_ARB_texture_non_power_of_two", #endif #ifdef GL_ARB_texture_query_levels "GL_ARB_texture_query_levels", #endif #ifdef GL_ARB_texture_query_lod "GL_ARB_texture_query_lod", #endif #ifdef GL_ARB_texture_rectangle "GL_ARB_texture_rectangle", #endif #ifdef GL_ARB_texture_rg "GL_ARB_texture_rg", #endif #ifdef GL_ARB_texture_rgb10_a2ui "GL_ARB_texture_rgb10_a2ui", #endif #ifdef GL_ARB_texture_stencil8 "GL_ARB_texture_stencil8", #endif #ifdef GL_ARB_texture_storage "GL_ARB_texture_storage", #endif #ifdef GL_ARB_texture_storage_multisample "GL_ARB_texture_storage_multisample", #endif #ifdef GL_ARB_texture_swizzle "GL_ARB_texture_swizzle", #endif #ifdef GL_ARB_texture_view "GL_ARB_texture_view", #endif #ifdef GL_ARB_timer_query "GL_ARB_timer_query", #endif #ifdef GL_ARB_transform_feedback2 "GL_ARB_transform_feedback2", #endif #ifdef GL_ARB_transform_feedback3 "GL_ARB_transform_feedback3", #endif #ifdef GL_ARB_transform_feedback_instanced "GL_ARB_transform_feedback_instanced", #endif #ifdef GL_ARB_transform_feedback_overflow_query "GL_ARB_transform_feedback_overflow_query", #endif #ifdef GL_ARB_transpose_matrix "GL_ARB_transpose_matrix", #endif #ifdef GL_ARB_uniform_buffer_object "GL_ARB_uniform_buffer_object", #endif #ifdef GL_ARB_vertex_array_bgra "GL_ARB_vertex_array_bgra", #endif #ifdef GL_ARB_vertex_array_object "GL_ARB_vertex_array_object", #endif #ifdef GL_ARB_vertex_attrib_64bit "GL_ARB_vertex_attrib_64bit", #endif #ifdef GL_ARB_vertex_attrib_binding "GL_ARB_vertex_attrib_binding", #endif #ifdef GL_ARB_vertex_blend "GL_ARB_vertex_blend", #endif #ifdef GL_ARB_vertex_buffer_object "GL_ARB_vertex_buffer_object", #endif #ifdef GL_ARB_vertex_program "GL_ARB_vertex_program", #endif #ifdef GL_ARB_vertex_shader "GL_ARB_vertex_shader", #endif #ifdef GL_ARB_vertex_type_10f_11f_11f_rev "GL_ARB_vertex_type_10f_11f_11f_rev", #endif #ifdef GL_ARB_vertex_type_2_10_10_10_rev "GL_ARB_vertex_type_2_10_10_10_rev", #endif #ifdef GL_ARB_viewport_array "GL_ARB_viewport_array", #endif #ifdef GL_ARB_window_pos "GL_ARB_window_pos", #endif #ifdef GL_ARM_mali_program_binary "GL_ARM_mali_program_binary", #endif #ifdef GL_ARM_mali_shader_binary "GL_ARM_mali_shader_binary", #endif #ifdef GL_ARM_rgba8 "GL_ARM_rgba8", #endif #ifdef GL_ARM_shader_framebuffer_fetch "GL_ARM_shader_framebuffer_fetch", #endif #ifdef GL_ARM_shader_framebuffer_fetch_depth_stencil "GL_ARM_shader_framebuffer_fetch_depth_stencil", #endif #ifdef GL_ATIX_point_sprites "GL_ATIX_point_sprites", #endif #ifdef GL_ATIX_texture_env_combine3 "GL_ATIX_texture_env_combine3", #endif #ifdef GL_ATIX_texture_env_route "GL_ATIX_texture_env_route", #endif #ifdef GL_ATIX_vertex_shader_output_point_size "GL_ATIX_vertex_shader_output_point_size", #endif #ifdef GL_ATI_draw_buffers "GL_ATI_draw_buffers", #endif #ifdef GL_ATI_element_array "GL_ATI_element_array", #endif #ifdef GL_ATI_envmap_bumpmap "GL_ATI_envmap_bumpmap", #endif #ifdef GL_ATI_fragment_shader "GL_ATI_fragment_shader", #endif #ifdef GL_ATI_map_object_buffer "GL_ATI_map_object_buffer", #endif #ifdef GL_ATI_meminfo "GL_ATI_meminfo", #endif #ifdef GL_ATI_pn_triangles "GL_ATI_pn_triangles", #endif #ifdef GL_ATI_separate_stencil "GL_ATI_separate_stencil", #endif #ifdef GL_ATI_shader_texture_lod "GL_ATI_shader_texture_lod", #endif #ifdef GL_ATI_text_fragment_shader "GL_ATI_text_fragment_shader", #endif #ifdef GL_ATI_texture_compression_3dc "GL_ATI_texture_compression_3dc", #endif #ifdef GL_ATI_texture_env_combine3 "GL_ATI_texture_env_combine3", #endif #ifdef GL_ATI_texture_float "GL_ATI_texture_float", #endif #ifdef GL_ATI_texture_mirror_once "GL_ATI_texture_mirror_once", #endif #ifdef GL_ATI_vertex_array_object "GL_ATI_vertex_array_object", #endif #ifdef GL_ATI_vertex_attrib_array_object "GL_ATI_vertex_attrib_array_object", #endif #ifdef GL_ATI_vertex_streams "GL_ATI_vertex_streams", #endif #ifdef GL_EGL_KHR_context_flush_control "GL_EGL_KHR_context_flush_control", #endif #ifdef GL_EGL_NV_robustness_video_memory_purge "GL_EGL_NV_robustness_video_memory_purge", #endif #ifdef GL_EXT_422_pixels "GL_EXT_422_pixels", #endif #ifdef GL_EXT_Cg_shader "GL_EXT_Cg_shader", #endif #ifdef GL_EXT_EGL_image_array "GL_EXT_EGL_image_array", #endif #ifdef GL_EXT_YUV_target "GL_EXT_YUV_target", #endif #ifdef GL_EXT_abgr "GL_EXT_abgr", #endif #ifdef GL_EXT_base_instance "GL_EXT_base_instance", #endif #ifdef GL_EXT_bgra "GL_EXT_bgra", #endif #ifdef GL_EXT_bindable_uniform "GL_EXT_bindable_uniform", #endif #ifdef GL_EXT_blend_color "GL_EXT_blend_color", #endif #ifdef GL_EXT_blend_equation_separate "GL_EXT_blend_equation_separate", #endif #ifdef GL_EXT_blend_func_extended "GL_EXT_blend_func_extended", #endif #ifdef GL_EXT_blend_func_separate "GL_EXT_blend_func_separate", #endif #ifdef GL_EXT_blend_logic_op "GL_EXT_blend_logic_op", #endif #ifdef GL_EXT_blend_minmax "GL_EXT_blend_minmax", #endif #ifdef GL_EXT_blend_subtract "GL_EXT_blend_subtract", #endif #ifdef GL_EXT_buffer_storage "GL_EXT_buffer_storage", #endif #ifdef GL_EXT_clear_texture "GL_EXT_clear_texture", #endif #ifdef GL_EXT_clip_cull_distance "GL_EXT_clip_cull_distance", #endif #ifdef GL_EXT_clip_volume_hint "GL_EXT_clip_volume_hint", #endif #ifdef GL_EXT_cmyka "GL_EXT_cmyka", #endif #ifdef GL_EXT_color_buffer_float "GL_EXT_color_buffer_float", #endif #ifdef GL_EXT_color_buffer_half_float "GL_EXT_color_buffer_half_float", #endif #ifdef GL_EXT_color_subtable "GL_EXT_color_subtable", #endif #ifdef GL_EXT_compiled_vertex_array "GL_EXT_compiled_vertex_array", #endif #ifdef GL_EXT_compressed_ETC1_RGB8_sub_texture "GL_EXT_compressed_ETC1_RGB8_sub_texture", #endif #ifdef GL_EXT_conservative_depth "GL_EXT_conservative_depth", #endif #ifdef GL_EXT_convolution "GL_EXT_convolution", #endif #ifdef GL_EXT_coordinate_frame "GL_EXT_coordinate_frame", #endif #ifdef GL_EXT_copy_image "GL_EXT_copy_image", #endif #ifdef GL_EXT_copy_texture "GL_EXT_copy_texture", #endif #ifdef GL_EXT_cull_vertex "GL_EXT_cull_vertex", #endif #ifdef GL_EXT_debug_label "GL_EXT_debug_label", #endif #ifdef GL_EXT_debug_marker "GL_EXT_debug_marker", #endif #ifdef GL_EXT_depth_bounds_test "GL_EXT_depth_bounds_test", #endif #ifdef GL_EXT_direct_state_access "GL_EXT_direct_state_access", #endif #ifdef GL_EXT_discard_framebuffer "GL_EXT_discard_framebuffer", #endif #ifdef GL_EXT_draw_buffers "GL_EXT_draw_buffers", #endif #ifdef GL_EXT_draw_buffers2 "GL_EXT_draw_buffers2", #endif #ifdef GL_EXT_draw_buffers_indexed "GL_EXT_draw_buffers_indexed", #endif #ifdef GL_EXT_draw_elements_base_vertex "GL_EXT_draw_elements_base_vertex", #endif #ifdef GL_EXT_draw_instanced "GL_EXT_draw_instanced", #endif #ifdef GL_EXT_draw_range_elements "GL_EXT_draw_range_elements", #endif #ifdef GL_EXT_external_buffer "GL_EXT_external_buffer", #endif #ifdef GL_EXT_float_blend "GL_EXT_float_blend", #endif #ifdef GL_EXT_fog_coord "GL_EXT_fog_coord", #endif #ifdef GL_EXT_frag_depth "GL_EXT_frag_depth", #endif #ifdef GL_EXT_fragment_lighting "GL_EXT_fragment_lighting", #endif #ifdef GL_EXT_framebuffer_blit "GL_EXT_framebuffer_blit", #endif #ifdef GL_EXT_framebuffer_multisample "GL_EXT_framebuffer_multisample", #endif #ifdef GL_EXT_framebuffer_multisample_blit_scaled "GL_EXT_framebuffer_multisample_blit_scaled", #endif #ifdef GL_EXT_framebuffer_object "GL_EXT_framebuffer_object", #endif #ifdef GL_EXT_framebuffer_sRGB "GL_EXT_framebuffer_sRGB", #endif #ifdef GL_EXT_geometry_point_size "GL_EXT_geometry_point_size", #endif #ifdef GL_EXT_geometry_shader "GL_EXT_geometry_shader", #endif #ifdef GL_EXT_geometry_shader4 "GL_EXT_geometry_shader4", #endif #ifdef GL_EXT_gpu_program_parameters "GL_EXT_gpu_program_parameters", #endif #ifdef GL_EXT_gpu_shader4 "GL_EXT_gpu_shader4", #endif #ifdef GL_EXT_gpu_shader5 "GL_EXT_gpu_shader5", #endif #ifdef GL_EXT_histogram "GL_EXT_histogram", #endif #ifdef GL_EXT_index_array_formats "GL_EXT_index_array_formats", #endif #ifdef GL_EXT_index_func "GL_EXT_index_func", #endif #ifdef GL_EXT_index_material "GL_EXT_index_material", #endif #ifdef GL_EXT_index_texture "GL_EXT_index_texture", #endif #ifdef GL_EXT_instanced_arrays "GL_EXT_instanced_arrays", #endif #ifdef GL_EXT_light_texture "GL_EXT_light_texture", #endif #ifdef GL_EXT_map_buffer_range "GL_EXT_map_buffer_range", #endif #ifdef GL_EXT_memory_object "GL_EXT_memory_object", #endif #ifdef GL_EXT_memory_object_fd "GL_EXT_memory_object_fd", #endif #ifdef GL_EXT_memory_object_win32 "GL_EXT_memory_object_win32", #endif #ifdef GL_EXT_misc_attribute "GL_EXT_misc_attribute", #endif #ifdef GL_EXT_multi_draw_arrays "GL_EXT_multi_draw_arrays", #endif #ifdef GL_EXT_multi_draw_indirect "GL_EXT_multi_draw_indirect", #endif #ifdef GL_EXT_multiple_textures "GL_EXT_multiple_textures", #endif #ifdef GL_EXT_multisample "GL_EXT_multisample", #endif #ifdef GL_EXT_multisample_compatibility "GL_EXT_multisample_compatibility", #endif #ifdef GL_EXT_multisampled_render_to_texture "GL_EXT_multisampled_render_to_texture", #endif #ifdef GL_EXT_multisampled_render_to_texture2 "GL_EXT_multisampled_render_to_texture2", #endif #ifdef GL_EXT_multiview_draw_buffers "GL_EXT_multiview_draw_buffers", #endif #ifdef GL_EXT_packed_depth_stencil "GL_EXT_packed_depth_stencil", #endif #ifdef GL_EXT_packed_float "GL_EXT_packed_float", #endif #ifdef GL_EXT_packed_pixels "GL_EXT_packed_pixels", #endif #ifdef GL_EXT_paletted_texture "GL_EXT_paletted_texture", #endif #ifdef GL_EXT_pixel_buffer_object "GL_EXT_pixel_buffer_object", #endif #ifdef GL_EXT_pixel_transform "GL_EXT_pixel_transform", #endif #ifdef GL_EXT_pixel_transform_color_table "GL_EXT_pixel_transform_color_table", #endif #ifdef GL_EXT_point_parameters "GL_EXT_point_parameters", #endif #ifdef GL_EXT_polygon_offset "GL_EXT_polygon_offset", #endif #ifdef GL_EXT_polygon_offset_clamp "GL_EXT_polygon_offset_clamp", #endif #ifdef GL_EXT_post_depth_coverage "GL_EXT_post_depth_coverage", #endif #ifdef GL_EXT_provoking_vertex "GL_EXT_provoking_vertex", #endif #ifdef GL_EXT_pvrtc_sRGB "GL_EXT_pvrtc_sRGB", #endif #ifdef GL_EXT_raster_multisample "GL_EXT_raster_multisample", #endif #ifdef GL_EXT_read_format_bgra "GL_EXT_read_format_bgra", #endif #ifdef GL_EXT_render_snorm "GL_EXT_render_snorm", #endif #ifdef GL_EXT_rescale_normal "GL_EXT_rescale_normal", #endif #ifdef GL_EXT_sRGB "GL_EXT_sRGB", #endif #ifdef GL_EXT_sRGB_write_control "GL_EXT_sRGB_write_control", #endif #ifdef GL_EXT_scene_marker "GL_EXT_scene_marker", #endif #ifdef GL_EXT_secondary_color "GL_EXT_secondary_color", #endif #ifdef GL_EXT_semaphore "GL_EXT_semaphore", #endif #ifdef GL_EXT_semaphore_fd "GL_EXT_semaphore_fd", #endif #ifdef GL_EXT_semaphore_win32 "GL_EXT_semaphore_win32", #endif #ifdef GL_EXT_separate_shader_objects "GL_EXT_separate_shader_objects", #endif #ifdef GL_EXT_separate_specular_color "GL_EXT_separate_specular_color", #endif #ifdef GL_EXT_shader_framebuffer_fetch "GL_EXT_shader_framebuffer_fetch", #endif #ifdef GL_EXT_shader_group_vote "GL_EXT_shader_group_vote", #endif #ifdef GL_EXT_shader_image_load_formatted "GL_EXT_shader_image_load_formatted", #endif #ifdef GL_EXT_shader_image_load_store "GL_EXT_shader_image_load_store", #endif #ifdef GL_EXT_shader_implicit_conversions "GL_EXT_shader_implicit_conversions", #endif #ifdef GL_EXT_shader_integer_mix "GL_EXT_shader_integer_mix", #endif #ifdef GL_EXT_shader_io_blocks "GL_EXT_shader_io_blocks", #endif #ifdef GL_EXT_shader_non_constant_global_initializers "GL_EXT_shader_non_constant_global_initializers", #endif #ifdef GL_EXT_shader_pixel_local_storage "GL_EXT_shader_pixel_local_storage", #endif #ifdef GL_EXT_shader_pixel_local_storage2 "GL_EXT_shader_pixel_local_storage2", #endif #ifdef GL_EXT_shader_texture_lod "GL_EXT_shader_texture_lod", #endif #ifdef GL_EXT_shadow_funcs "GL_EXT_shadow_funcs", #endif #ifdef GL_EXT_shadow_samplers "GL_EXT_shadow_samplers", #endif #ifdef GL_EXT_shared_texture_palette "GL_EXT_shared_texture_palette", #endif #ifdef GL_EXT_sparse_texture "GL_EXT_sparse_texture", #endif #ifdef GL_EXT_sparse_texture2 "GL_EXT_sparse_texture2", #endif #ifdef GL_EXT_stencil_clear_tag "GL_EXT_stencil_clear_tag", #endif #ifdef GL_EXT_stencil_two_side "GL_EXT_stencil_two_side", #endif #ifdef GL_EXT_stencil_wrap "GL_EXT_stencil_wrap", #endif #ifdef GL_EXT_subtexture "GL_EXT_subtexture", #endif #ifdef GL_EXT_texture "GL_EXT_texture", #endif #ifdef GL_EXT_texture3D "GL_EXT_texture3D", #endif #ifdef GL_EXT_texture_array "GL_EXT_texture_array", #endif #ifdef GL_EXT_texture_buffer_object "GL_EXT_texture_buffer_object", #endif #ifdef GL_EXT_texture_compression_astc_decode_mode "GL_EXT_texture_compression_astc_decode_mode", #endif #ifdef GL_EXT_texture_compression_astc_decode_mode_rgb9e5 "GL_EXT_texture_compression_astc_decode_mode_rgb9e5", #endif #ifdef GL_EXT_texture_compression_bptc "GL_EXT_texture_compression_bptc", #endif #ifdef GL_EXT_texture_compression_dxt1 "GL_EXT_texture_compression_dxt1", #endif #ifdef GL_EXT_texture_compression_latc "GL_EXT_texture_compression_latc", #endif #ifdef GL_EXT_texture_compression_rgtc "GL_EXT_texture_compression_rgtc", #endif #ifdef GL_EXT_texture_compression_s3tc "GL_EXT_texture_compression_s3tc", #endif #ifdef GL_EXT_texture_cube_map "GL_EXT_texture_cube_map", #endif #ifdef GL_EXT_texture_cube_map_array "GL_EXT_texture_cube_map_array", #endif #ifdef GL_EXT_texture_edge_clamp "GL_EXT_texture_edge_clamp", #endif #ifdef GL_EXT_texture_env "GL_EXT_texture_env", #endif #ifdef GL_EXT_texture_env_add "GL_EXT_texture_env_add", #endif #ifdef GL_EXT_texture_env_combine "GL_EXT_texture_env_combine", #endif #ifdef GL_EXT_texture_env_dot3 "GL_EXT_texture_env_dot3", #endif #ifdef GL_EXT_texture_filter_anisotropic "GL_EXT_texture_filter_anisotropic", #endif #ifdef GL_EXT_texture_filter_minmax "GL_EXT_texture_filter_minmax", #endif #ifdef GL_EXT_texture_format_BGRA8888 "GL_EXT_texture_format_BGRA8888", #endif #ifdef GL_EXT_texture_integer "GL_EXT_texture_integer", #endif #ifdef GL_EXT_texture_lod_bias "GL_EXT_texture_lod_bias", #endif #ifdef GL_EXT_texture_mirror_clamp "GL_EXT_texture_mirror_clamp", #endif #ifdef GL_EXT_texture_norm16 "GL_EXT_texture_norm16", #endif #ifdef GL_EXT_texture_object "GL_EXT_texture_object", #endif #ifdef GL_EXT_texture_perturb_normal "GL_EXT_texture_perturb_normal", #endif #ifdef GL_EXT_texture_rectangle "GL_EXT_texture_rectangle", #endif #ifdef GL_EXT_texture_rg "GL_EXT_texture_rg", #endif #ifdef GL_EXT_texture_sRGB "GL_EXT_texture_sRGB", #endif #ifdef GL_EXT_texture_sRGB_R8 "GL_EXT_texture_sRGB_R8", #endif #ifdef GL_EXT_texture_sRGB_RG8 "GL_EXT_texture_sRGB_RG8", #endif #ifdef GL_EXT_texture_sRGB_decode "GL_EXT_texture_sRGB_decode", #endif #ifdef GL_EXT_texture_shared_exponent "GL_EXT_texture_shared_exponent", #endif #ifdef GL_EXT_texture_snorm "GL_EXT_texture_snorm", #endif #ifdef GL_EXT_texture_storage "GL_EXT_texture_storage", #endif #ifdef GL_EXT_texture_swizzle "GL_EXT_texture_swizzle", #endif #ifdef GL_EXT_texture_type_2_10_10_10_REV "GL_EXT_texture_type_2_10_10_10_REV", #endif #ifdef GL_EXT_texture_view "GL_EXT_texture_view", #endif #ifdef GL_EXT_timer_query "GL_EXT_timer_query", #endif #ifdef GL_EXT_transform_feedback "GL_EXT_transform_feedback", #endif #ifdef GL_EXT_unpack_subimage "GL_EXT_unpack_subimage", #endif #ifdef GL_EXT_vertex_array "GL_EXT_vertex_array", #endif #ifdef GL_EXT_vertex_array_bgra "GL_EXT_vertex_array_bgra", #endif #ifdef GL_EXT_vertex_array_setXXX "GL_EXT_vertex_array_setXXX", #endif #ifdef GL_EXT_vertex_attrib_64bit "GL_EXT_vertex_attrib_64bit", #endif #ifdef GL_EXT_vertex_shader "GL_EXT_vertex_shader", #endif #ifdef GL_EXT_vertex_weighting "GL_EXT_vertex_weighting", #endif #ifdef GL_EXT_win32_keyed_mutex "GL_EXT_win32_keyed_mutex", #endif #ifdef GL_EXT_window_rectangles "GL_EXT_window_rectangles", #endif #ifdef GL_EXT_x11_sync_object "GL_EXT_x11_sync_object", #endif #ifdef GL_GREMEDY_frame_terminator "GL_GREMEDY_frame_terminator", #endif #ifdef GL_GREMEDY_string_marker "GL_GREMEDY_string_marker", #endif #ifdef GL_HP_convolution_border_modes "GL_HP_convolution_border_modes", #endif #ifdef GL_HP_image_transform "GL_HP_image_transform", #endif #ifdef GL_HP_occlusion_test "GL_HP_occlusion_test", #endif #ifdef GL_HP_texture_lighting "GL_HP_texture_lighting", #endif #ifdef GL_IBM_cull_vertex "GL_IBM_cull_vertex", #endif #ifdef GL_IBM_multimode_draw_arrays "GL_IBM_multimode_draw_arrays", #endif #ifdef GL_IBM_rasterpos_clip "GL_IBM_rasterpos_clip", #endif #ifdef GL_IBM_static_data "GL_IBM_static_data", #endif #ifdef GL_IBM_texture_mirrored_repeat "GL_IBM_texture_mirrored_repeat", #endif #ifdef GL_IBM_vertex_array_lists "GL_IBM_vertex_array_lists", #endif #ifdef GL_INGR_color_clamp "GL_INGR_color_clamp", #endif #ifdef GL_INGR_interlace_read "GL_INGR_interlace_read", #endif #ifdef GL_INTEL_conservative_rasterization "GL_INTEL_conservative_rasterization", #endif #ifdef GL_INTEL_fragment_shader_ordering "GL_INTEL_fragment_shader_ordering", #endif #ifdef GL_INTEL_framebuffer_CMAA "GL_INTEL_framebuffer_CMAA", #endif #ifdef GL_INTEL_map_texture "GL_INTEL_map_texture", #endif #ifdef GL_INTEL_parallel_arrays "GL_INTEL_parallel_arrays", #endif #ifdef GL_INTEL_performance_query "GL_INTEL_performance_query", #endif #ifdef GL_INTEL_texture_scissor "GL_INTEL_texture_scissor", #endif #ifdef GL_KHR_blend_equation_advanced "GL_KHR_blend_equation_advanced", #endif #ifdef GL_KHR_blend_equation_advanced_coherent "GL_KHR_blend_equation_advanced_coherent", #endif #ifdef GL_KHR_context_flush_control "GL_KHR_context_flush_control", #endif #ifdef GL_KHR_debug "GL_KHR_debug", #endif #ifdef GL_KHR_no_error "GL_KHR_no_error", #endif #ifdef GL_KHR_parallel_shader_compile "GL_KHR_parallel_shader_compile", #endif #ifdef GL_KHR_robust_buffer_access_behavior "GL_KHR_robust_buffer_access_behavior", #endif #ifdef GL_KHR_robustness "GL_KHR_robustness", #endif #ifdef GL_KHR_texture_compression_astc_hdr "GL_KHR_texture_compression_astc_hdr", #endif #ifdef GL_KHR_texture_compression_astc_ldr "GL_KHR_texture_compression_astc_ldr", #endif #ifdef GL_KHR_texture_compression_astc_sliced_3d "GL_KHR_texture_compression_astc_sliced_3d", #endif #ifdef GL_KTX_buffer_region "GL_KTX_buffer_region", #endif #ifdef GL_MESAX_texture_stack "GL_MESAX_texture_stack", #endif #ifdef GL_MESA_pack_invert "GL_MESA_pack_invert", #endif #ifdef GL_MESA_resize_buffers "GL_MESA_resize_buffers", #endif #ifdef GL_MESA_shader_integer_functions "GL_MESA_shader_integer_functions", #endif #ifdef GL_MESA_window_pos "GL_MESA_window_pos", #endif #ifdef GL_MESA_ycbcr_texture "GL_MESA_ycbcr_texture", #endif #ifdef GL_NVX_blend_equation_advanced_multi_draw_buffers "GL_NVX_blend_equation_advanced_multi_draw_buffers", #endif #ifdef GL_NVX_conditional_render "GL_NVX_conditional_render", #endif #ifdef GL_NVX_gpu_memory_info "GL_NVX_gpu_memory_info", #endif #ifdef GL_NVX_linked_gpu_multicast "GL_NVX_linked_gpu_multicast", #endif #ifdef GL_NV_3dvision_settings "GL_NV_3dvision_settings", #endif #ifdef GL_NV_EGL_stream_consumer_external "GL_NV_EGL_stream_consumer_external", #endif #ifdef GL_NV_alpha_to_coverage_dither_control "GL_NV_alpha_to_coverage_dither_control", #endif #ifdef GL_NV_bgr "GL_NV_bgr", #endif #ifdef GL_NV_bindless_multi_draw_indirect "GL_NV_bindless_multi_draw_indirect", #endif #ifdef GL_NV_bindless_multi_draw_indirect_count "GL_NV_bindless_multi_draw_indirect_count", #endif #ifdef GL_NV_bindless_texture "GL_NV_bindless_texture", #endif #ifdef GL_NV_blend_equation_advanced "GL_NV_blend_equation_advanced", #endif #ifdef GL_NV_blend_equation_advanced_coherent "GL_NV_blend_equation_advanced_coherent", #endif #ifdef GL_NV_blend_minmax_factor "GL_NV_blend_minmax_factor", #endif #ifdef GL_NV_blend_square "GL_NV_blend_square", #endif #ifdef GL_NV_clip_space_w_scaling "GL_NV_clip_space_w_scaling", #endif #ifdef GL_NV_command_list "GL_NV_command_list", #endif #ifdef GL_NV_compute_program5 "GL_NV_compute_program5", #endif #ifdef GL_NV_conditional_render "GL_NV_conditional_render", #endif #ifdef GL_NV_conservative_raster "GL_NV_conservative_raster", #endif #ifdef GL_NV_conservative_raster_dilate "GL_NV_conservative_raster_dilate", #endif #ifdef GL_NV_conservative_raster_pre_snap_triangles "GL_NV_conservative_raster_pre_snap_triangles", #endif #ifdef GL_NV_copy_buffer "GL_NV_copy_buffer", #endif #ifdef GL_NV_copy_depth_to_color "GL_NV_copy_depth_to_color", #endif #ifdef GL_NV_copy_image "GL_NV_copy_image", #endif #ifdef GL_NV_deep_texture3D "GL_NV_deep_texture3D", #endif #ifdef GL_NV_depth_buffer_float "GL_NV_depth_buffer_float", #endif #ifdef GL_NV_depth_clamp "GL_NV_depth_clamp", #endif #ifdef GL_NV_depth_range_unclamped "GL_NV_depth_range_unclamped", #endif #ifdef GL_NV_draw_buffers "GL_NV_draw_buffers", #endif #ifdef GL_NV_draw_instanced "GL_NV_draw_instanced", #endif #ifdef GL_NV_draw_texture "GL_NV_draw_texture", #endif #ifdef GL_NV_draw_vulkan_image "GL_NV_draw_vulkan_image", #endif #ifdef GL_NV_evaluators "GL_NV_evaluators", #endif #ifdef GL_NV_explicit_attrib_location "GL_NV_explicit_attrib_location", #endif #ifdef GL_NV_explicit_multisample "GL_NV_explicit_multisample", #endif #ifdef GL_NV_fbo_color_attachments "GL_NV_fbo_color_attachments", #endif #ifdef GL_NV_fence "GL_NV_fence", #endif #ifdef GL_NV_fill_rectangle "GL_NV_fill_rectangle", #endif #ifdef GL_NV_float_buffer "GL_NV_float_buffer", #endif #ifdef GL_NV_fog_distance "GL_NV_fog_distance", #endif #ifdef GL_NV_fragment_coverage_to_color "GL_NV_fragment_coverage_to_color", #endif #ifdef GL_NV_fragment_program "GL_NV_fragment_program", #endif #ifdef GL_NV_fragment_program2 "GL_NV_fragment_program2", #endif #ifdef GL_NV_fragment_program4 "GL_NV_fragment_program4", #endif #ifdef GL_NV_fragment_program_option "GL_NV_fragment_program_option", #endif #ifdef GL_NV_fragment_shader_interlock "GL_NV_fragment_shader_interlock", #endif #ifdef GL_NV_framebuffer_blit "GL_NV_framebuffer_blit", #endif #ifdef GL_NV_framebuffer_mixed_samples "GL_NV_framebuffer_mixed_samples", #endif #ifdef GL_NV_framebuffer_multisample "GL_NV_framebuffer_multisample", #endif #ifdef GL_NV_framebuffer_multisample_coverage "GL_NV_framebuffer_multisample_coverage", #endif #ifdef GL_NV_generate_mipmap_sRGB "GL_NV_generate_mipmap_sRGB", #endif #ifdef GL_NV_geometry_program4 "GL_NV_geometry_program4", #endif #ifdef GL_NV_geometry_shader4 "GL_NV_geometry_shader4", #endif #ifdef GL_NV_geometry_shader_passthrough "GL_NV_geometry_shader_passthrough", #endif #ifdef GL_NV_gpu_multicast "GL_NV_gpu_multicast", #endif #ifdef GL_NV_gpu_program4 "GL_NV_gpu_program4", #endif #ifdef GL_NV_gpu_program5 "GL_NV_gpu_program5", #endif #ifdef GL_NV_gpu_program5_mem_extended "GL_NV_gpu_program5_mem_extended", #endif #ifdef GL_NV_gpu_program_fp64 "GL_NV_gpu_program_fp64", #endif #ifdef GL_NV_gpu_shader5 "GL_NV_gpu_shader5", #endif #ifdef GL_NV_half_float "GL_NV_half_float", #endif #ifdef GL_NV_image_formats "GL_NV_image_formats", #endif #ifdef GL_NV_instanced_arrays "GL_NV_instanced_arrays", #endif #ifdef GL_NV_internalformat_sample_query "GL_NV_internalformat_sample_query", #endif #ifdef GL_NV_light_max_exponent "GL_NV_light_max_exponent", #endif #ifdef GL_NV_multisample_coverage "GL_NV_multisample_coverage", #endif #ifdef GL_NV_multisample_filter_hint "GL_NV_multisample_filter_hint", #endif #ifdef GL_NV_non_square_matrices "GL_NV_non_square_matrices", #endif #ifdef GL_NV_occlusion_query "GL_NV_occlusion_query", #endif #ifdef GL_NV_pack_subimage "GL_NV_pack_subimage", #endif #ifdef GL_NV_packed_depth_stencil "GL_NV_packed_depth_stencil", #endif #ifdef GL_NV_packed_float "GL_NV_packed_float", #endif #ifdef GL_NV_packed_float_linear "GL_NV_packed_float_linear", #endif #ifdef GL_NV_parameter_buffer_object "GL_NV_parameter_buffer_object", #endif #ifdef GL_NV_parameter_buffer_object2 "GL_NV_parameter_buffer_object2", #endif #ifdef GL_NV_path_rendering "GL_NV_path_rendering", #endif #ifdef GL_NV_path_rendering_shared_edge "GL_NV_path_rendering_shared_edge", #endif #ifdef GL_NV_pixel_buffer_object "GL_NV_pixel_buffer_object", #endif #ifdef GL_NV_pixel_data_range "GL_NV_pixel_data_range", #endif #ifdef GL_NV_platform_binary "GL_NV_platform_binary", #endif #ifdef GL_NV_point_sprite "GL_NV_point_sprite", #endif #ifdef GL_NV_polygon_mode "GL_NV_polygon_mode", #endif #ifdef GL_NV_present_video "GL_NV_present_video", #endif #ifdef GL_NV_primitive_restart "GL_NV_primitive_restart", #endif #ifdef GL_NV_read_depth "GL_NV_read_depth", #endif #ifdef GL_NV_read_depth_stencil "GL_NV_read_depth_stencil", #endif #ifdef GL_NV_read_stencil "GL_NV_read_stencil", #endif #ifdef GL_NV_register_combiners "GL_NV_register_combiners", #endif #ifdef GL_NV_register_combiners2 "GL_NV_register_combiners2", #endif #ifdef GL_NV_robustness_video_memory_purge "GL_NV_robustness_video_memory_purge", #endif #ifdef GL_NV_sRGB_formats "GL_NV_sRGB_formats", #endif #ifdef GL_NV_sample_locations "GL_NV_sample_locations", #endif #ifdef GL_NV_sample_mask_override_coverage "GL_NV_sample_mask_override_coverage", #endif #ifdef GL_NV_shader_atomic_counters "GL_NV_shader_atomic_counters", #endif #ifdef GL_NV_shader_atomic_float "GL_NV_shader_atomic_float", #endif #ifdef GL_NV_shader_atomic_float64 "GL_NV_shader_atomic_float64", #endif #ifdef GL_NV_shader_atomic_fp16_vector "GL_NV_shader_atomic_fp16_vector", #endif #ifdef GL_NV_shader_atomic_int64 "GL_NV_shader_atomic_int64", #endif #ifdef GL_NV_shader_buffer_load "GL_NV_shader_buffer_load", #endif #ifdef GL_NV_shader_noperspective_interpolation "GL_NV_shader_noperspective_interpolation", #endif #ifdef GL_NV_shader_storage_buffer_object "GL_NV_shader_storage_buffer_object", #endif #ifdef GL_NV_shader_thread_group "GL_NV_shader_thread_group", #endif #ifdef GL_NV_shader_thread_shuffle "GL_NV_shader_thread_shuffle", #endif #ifdef GL_NV_shadow_samplers_array "GL_NV_shadow_samplers_array", #endif #ifdef GL_NV_shadow_samplers_cube "GL_NV_shadow_samplers_cube", #endif #ifdef GL_NV_stereo_view_rendering "GL_NV_stereo_view_rendering", #endif #ifdef GL_NV_tessellation_program5 "GL_NV_tessellation_program5", #endif #ifdef GL_NV_texgen_emboss "GL_NV_texgen_emboss", #endif #ifdef GL_NV_texgen_reflection "GL_NV_texgen_reflection", #endif #ifdef GL_NV_texture_array "GL_NV_texture_array", #endif #ifdef GL_NV_texture_barrier "GL_NV_texture_barrier", #endif #ifdef GL_NV_texture_border_clamp "GL_NV_texture_border_clamp", #endif #ifdef GL_NV_texture_compression_latc "GL_NV_texture_compression_latc", #endif #ifdef GL_NV_texture_compression_s3tc "GL_NV_texture_compression_s3tc", #endif #ifdef GL_NV_texture_compression_s3tc_update "GL_NV_texture_compression_s3tc_update", #endif #ifdef GL_NV_texture_compression_vtc "GL_NV_texture_compression_vtc", #endif #ifdef GL_NV_texture_env_combine4 "GL_NV_texture_env_combine4", #endif #ifdef GL_NV_texture_expand_normal "GL_NV_texture_expand_normal", #endif #ifdef GL_NV_texture_multisample "GL_NV_texture_multisample", #endif #ifdef GL_NV_texture_npot_2D_mipmap "GL_NV_texture_npot_2D_mipmap", #endif #ifdef GL_NV_texture_rectangle "GL_NV_texture_rectangle", #endif #ifdef GL_NV_texture_rectangle_compressed "GL_NV_texture_rectangle_compressed", #endif #ifdef GL_NV_texture_shader "GL_NV_texture_shader", #endif #ifdef GL_NV_texture_shader2 "GL_NV_texture_shader2", #endif #ifdef GL_NV_texture_shader3 "GL_NV_texture_shader3", #endif #ifdef GL_NV_transform_feedback "GL_NV_transform_feedback", #endif #ifdef GL_NV_transform_feedback2 "GL_NV_transform_feedback2", #endif #ifdef GL_NV_uniform_buffer_unified_memory "GL_NV_uniform_buffer_unified_memory", #endif #ifdef GL_NV_vdpau_interop "GL_NV_vdpau_interop", #endif #ifdef GL_NV_vertex_array_range "GL_NV_vertex_array_range", #endif #ifdef GL_NV_vertex_array_range2 "GL_NV_vertex_array_range2", #endif #ifdef GL_NV_vertex_attrib_integer_64bit "GL_NV_vertex_attrib_integer_64bit", #endif #ifdef GL_NV_vertex_buffer_unified_memory "GL_NV_vertex_buffer_unified_memory", #endif #ifdef GL_NV_vertex_program "GL_NV_vertex_program", #endif #ifdef GL_NV_vertex_program1_1 "GL_NV_vertex_program1_1", #endif #ifdef GL_NV_vertex_program2 "GL_NV_vertex_program2", #endif #ifdef GL_NV_vertex_program2_option "GL_NV_vertex_program2_option", #endif #ifdef GL_NV_vertex_program3 "GL_NV_vertex_program3", #endif #ifdef GL_NV_vertex_program4 "GL_NV_vertex_program4", #endif #ifdef GL_NV_video_capture "GL_NV_video_capture", #endif #ifdef GL_NV_viewport_array "GL_NV_viewport_array", #endif #ifdef GL_NV_viewport_array2 "GL_NV_viewport_array2", #endif #ifdef GL_NV_viewport_swizzle "GL_NV_viewport_swizzle", #endif #ifdef GL_OES_byte_coordinates "GL_OES_byte_coordinates", #endif #ifdef GL_OML_interlace "GL_OML_interlace", #endif #ifdef GL_OML_resample "GL_OML_resample", #endif #ifdef GL_OML_subsample "GL_OML_subsample", #endif #ifdef GL_OVR_multiview "GL_OVR_multiview", #endif #ifdef GL_OVR_multiview2 "GL_OVR_multiview2", #endif #ifdef GL_OVR_multiview_multisampled_render_to_texture "GL_OVR_multiview_multisampled_render_to_texture", #endif #ifdef GL_PGI_misc_hints "GL_PGI_misc_hints", #endif #ifdef GL_PGI_vertex_hints "GL_PGI_vertex_hints", #endif #ifdef GL_QCOM_alpha_test "GL_QCOM_alpha_test", #endif #ifdef GL_QCOM_binning_control "GL_QCOM_binning_control", #endif #ifdef GL_QCOM_driver_control "GL_QCOM_driver_control", #endif #ifdef GL_QCOM_extended_get "GL_QCOM_extended_get", #endif #ifdef GL_QCOM_extended_get2 "GL_QCOM_extended_get2", #endif #ifdef GL_QCOM_framebuffer_foveated "GL_QCOM_framebuffer_foveated", #endif #ifdef GL_QCOM_perfmon_global_mode "GL_QCOM_perfmon_global_mode", #endif #ifdef GL_QCOM_shader_framebuffer_fetch_noncoherent "GL_QCOM_shader_framebuffer_fetch_noncoherent", #endif #ifdef GL_QCOM_tiled_rendering "GL_QCOM_tiled_rendering", #endif #ifdef GL_QCOM_writeonly_rendering "GL_QCOM_writeonly_rendering", #endif #ifdef GL_REGAL_ES1_0_compatibility "GL_REGAL_ES1_0_compatibility", #endif #ifdef GL_REGAL_ES1_1_compatibility "GL_REGAL_ES1_1_compatibility", #endif #ifdef GL_REGAL_enable "GL_REGAL_enable", #endif #ifdef GL_REGAL_error_string "GL_REGAL_error_string", #endif #ifdef GL_REGAL_extension_query "GL_REGAL_extension_query", #endif #ifdef GL_REGAL_log "GL_REGAL_log", #endif #ifdef GL_REGAL_proc_address "GL_REGAL_proc_address", #endif #ifdef GL_REND_screen_coordinates "GL_REND_screen_coordinates", #endif #ifdef GL_S3_s3tc "GL_S3_s3tc", #endif #ifdef GL_SGIS_clip_band_hint "GL_SGIS_clip_band_hint", #endif #ifdef GL_SGIS_color_range "GL_SGIS_color_range", #endif #ifdef GL_SGIS_detail_texture "GL_SGIS_detail_texture", #endif #ifdef GL_SGIS_fog_function "GL_SGIS_fog_function", #endif #ifdef GL_SGIS_generate_mipmap "GL_SGIS_generate_mipmap", #endif #ifdef GL_SGIS_line_texgen "GL_SGIS_line_texgen", #endif #ifdef GL_SGIS_multisample "GL_SGIS_multisample", #endif #ifdef GL_SGIS_multitexture "GL_SGIS_multitexture", #endif #ifdef GL_SGIS_pixel_texture "GL_SGIS_pixel_texture", #endif #ifdef GL_SGIS_point_line_texgen "GL_SGIS_point_line_texgen", #endif #ifdef GL_SGIS_shared_multisample "GL_SGIS_shared_multisample", #endif #ifdef GL_SGIS_sharpen_texture "GL_SGIS_sharpen_texture", #endif #ifdef GL_SGIS_texture4D "GL_SGIS_texture4D", #endif #ifdef GL_SGIS_texture_border_clamp "GL_SGIS_texture_border_clamp", #endif #ifdef GL_SGIS_texture_edge_clamp "GL_SGIS_texture_edge_clamp", #endif #ifdef GL_SGIS_texture_filter4 "GL_SGIS_texture_filter4", #endif #ifdef GL_SGIS_texture_lod "GL_SGIS_texture_lod", #endif #ifdef GL_SGIS_texture_select "GL_SGIS_texture_select", #endif #ifdef GL_SGIX_async "GL_SGIX_async", #endif #ifdef GL_SGIX_async_histogram "GL_SGIX_async_histogram", #endif #ifdef GL_SGIX_async_pixel "GL_SGIX_async_pixel", #endif #ifdef GL_SGIX_bali_g_instruments "GL_SGIX_bali_g_instruments", #endif #ifdef GL_SGIX_bali_r_instruments "GL_SGIX_bali_r_instruments", #endif #ifdef GL_SGIX_bali_timer_instruments "GL_SGIX_bali_timer_instruments", #endif #ifdef GL_SGIX_blend_alpha_minmax "GL_SGIX_blend_alpha_minmax", #endif #ifdef GL_SGIX_blend_cadd "GL_SGIX_blend_cadd", #endif #ifdef GL_SGIX_blend_cmultiply "GL_SGIX_blend_cmultiply", #endif #ifdef GL_SGIX_calligraphic_fragment "GL_SGIX_calligraphic_fragment", #endif #ifdef GL_SGIX_clipmap "GL_SGIX_clipmap", #endif #ifdef GL_SGIX_color_matrix_accuracy "GL_SGIX_color_matrix_accuracy", #endif #ifdef GL_SGIX_color_table_index_mode "GL_SGIX_color_table_index_mode", #endif #ifdef GL_SGIX_complex_polar "GL_SGIX_complex_polar", #endif #ifdef GL_SGIX_convolution_accuracy "GL_SGIX_convolution_accuracy", #endif #ifdef GL_SGIX_cube_map "GL_SGIX_cube_map", #endif #ifdef GL_SGIX_cylinder_texgen "GL_SGIX_cylinder_texgen", #endif #ifdef GL_SGIX_datapipe "GL_SGIX_datapipe", #endif #ifdef GL_SGIX_decimation "GL_SGIX_decimation", #endif #ifdef GL_SGIX_depth_pass_instrument "GL_SGIX_depth_pass_instrument", #endif #ifdef GL_SGIX_depth_texture "GL_SGIX_depth_texture", #endif #ifdef GL_SGIX_dvc "GL_SGIX_dvc", #endif #ifdef GL_SGIX_flush_raster "GL_SGIX_flush_raster", #endif #ifdef GL_SGIX_fog_blend "GL_SGIX_fog_blend", #endif #ifdef GL_SGIX_fog_factor_to_alpha "GL_SGIX_fog_factor_to_alpha", #endif #ifdef GL_SGIX_fog_layers "GL_SGIX_fog_layers", #endif #ifdef GL_SGIX_fog_offset "GL_SGIX_fog_offset", #endif #ifdef GL_SGIX_fog_patchy "GL_SGIX_fog_patchy", #endif #ifdef GL_SGIX_fog_scale "GL_SGIX_fog_scale", #endif #ifdef GL_SGIX_fog_texture "GL_SGIX_fog_texture", #endif #ifdef GL_SGIX_fragment_lighting_space "GL_SGIX_fragment_lighting_space", #endif #ifdef GL_SGIX_fragment_specular_lighting "GL_SGIX_fragment_specular_lighting", #endif #ifdef GL_SGIX_fragments_instrument "GL_SGIX_fragments_instrument", #endif #ifdef GL_SGIX_framezoom "GL_SGIX_framezoom", #endif #ifdef GL_SGIX_icc_texture "GL_SGIX_icc_texture", #endif #ifdef GL_SGIX_igloo_interface "GL_SGIX_igloo_interface", #endif #ifdef GL_SGIX_image_compression "GL_SGIX_image_compression", #endif #ifdef GL_SGIX_impact_pixel_texture "GL_SGIX_impact_pixel_texture", #endif #ifdef GL_SGIX_instrument_error "GL_SGIX_instrument_error", #endif #ifdef GL_SGIX_interlace "GL_SGIX_interlace", #endif #ifdef GL_SGIX_ir_instrument1 "GL_SGIX_ir_instrument1", #endif #ifdef GL_SGIX_line_quality_hint "GL_SGIX_line_quality_hint", #endif #ifdef GL_SGIX_list_priority "GL_SGIX_list_priority", #endif #ifdef GL_SGIX_mpeg1 "GL_SGIX_mpeg1", #endif #ifdef GL_SGIX_mpeg2 "GL_SGIX_mpeg2", #endif #ifdef GL_SGIX_nonlinear_lighting_pervertex "GL_SGIX_nonlinear_lighting_pervertex", #endif #ifdef GL_SGIX_nurbs_eval "GL_SGIX_nurbs_eval", #endif #ifdef GL_SGIX_occlusion_instrument "GL_SGIX_occlusion_instrument", #endif #ifdef GL_SGIX_packed_6bytes "GL_SGIX_packed_6bytes", #endif #ifdef GL_SGIX_pixel_texture "GL_SGIX_pixel_texture", #endif #ifdef GL_SGIX_pixel_texture_bits "GL_SGIX_pixel_texture_bits", #endif #ifdef GL_SGIX_pixel_texture_lod "GL_SGIX_pixel_texture_lod", #endif #ifdef GL_SGIX_pixel_tiles "GL_SGIX_pixel_tiles", #endif #ifdef GL_SGIX_polynomial_ffd "GL_SGIX_polynomial_ffd", #endif #ifdef GL_SGIX_quad_mesh "GL_SGIX_quad_mesh", #endif #ifdef GL_SGIX_reference_plane "GL_SGIX_reference_plane", #endif #ifdef GL_SGIX_resample "GL_SGIX_resample", #endif #ifdef GL_SGIX_scalebias_hint "GL_SGIX_scalebias_hint", #endif #ifdef GL_SGIX_shadow "GL_SGIX_shadow", #endif #ifdef GL_SGIX_shadow_ambient "GL_SGIX_shadow_ambient", #endif #ifdef GL_SGIX_slim "GL_SGIX_slim", #endif #ifdef GL_SGIX_spotlight_cutoff "GL_SGIX_spotlight_cutoff", #endif #ifdef GL_SGIX_sprite "GL_SGIX_sprite", #endif #ifdef GL_SGIX_subdiv_patch "GL_SGIX_subdiv_patch", #endif #ifdef GL_SGIX_subsample "GL_SGIX_subsample", #endif #ifdef GL_SGIX_tag_sample_buffer "GL_SGIX_tag_sample_buffer", #endif #ifdef GL_SGIX_texture_add_env "GL_SGIX_texture_add_env", #endif #ifdef GL_SGIX_texture_coordinate_clamp "GL_SGIX_texture_coordinate_clamp", #endif #ifdef GL_SGIX_texture_lod_bias "GL_SGIX_texture_lod_bias", #endif #ifdef GL_SGIX_texture_mipmap_anisotropic "GL_SGIX_texture_mipmap_anisotropic", #endif #ifdef GL_SGIX_texture_multi_buffer "GL_SGIX_texture_multi_buffer", #endif #ifdef GL_SGIX_texture_phase "GL_SGIX_texture_phase", #endif #ifdef GL_SGIX_texture_range "GL_SGIX_texture_range", #endif #ifdef GL_SGIX_texture_scale_bias "GL_SGIX_texture_scale_bias", #endif #ifdef GL_SGIX_texture_supersample "GL_SGIX_texture_supersample", #endif #ifdef GL_SGIX_vector_ops "GL_SGIX_vector_ops", #endif #ifdef GL_SGIX_vertex_array_object "GL_SGIX_vertex_array_object", #endif #ifdef GL_SGIX_vertex_preclip "GL_SGIX_vertex_preclip", #endif #ifdef GL_SGIX_vertex_preclip_hint "GL_SGIX_vertex_preclip_hint", #endif #ifdef GL_SGIX_ycrcb "GL_SGIX_ycrcb", #endif #ifdef GL_SGIX_ycrcb_subsample "GL_SGIX_ycrcb_subsample", #endif #ifdef GL_SGIX_ycrcba "GL_SGIX_ycrcba", #endif #ifdef GL_SGI_color_matrix "GL_SGI_color_matrix", #endif #ifdef GL_SGI_color_table "GL_SGI_color_table", #endif #ifdef GL_SGI_complex "GL_SGI_complex", #endif #ifdef GL_SGI_complex_type "GL_SGI_complex_type", #endif #ifdef GL_SGI_fft "GL_SGI_fft", #endif #ifdef GL_SGI_texture_color_table "GL_SGI_texture_color_table", #endif #ifdef GL_SUNX_constant_data "GL_SUNX_constant_data", #endif #ifdef GL_SUN_convolution_border_modes "GL_SUN_convolution_border_modes", #endif #ifdef GL_SUN_global_alpha "GL_SUN_global_alpha", #endif #ifdef GL_SUN_mesh_array "GL_SUN_mesh_array", #endif #ifdef GL_SUN_read_video_pixels "GL_SUN_read_video_pixels", #endif #ifdef GL_SUN_slice_accum "GL_SUN_slice_accum", #endif #ifdef GL_SUN_triangle_list "GL_SUN_triangle_list", #endif #ifdef GL_SUN_vertex "GL_SUN_vertex", #endif #ifdef GL_WIN_phong_shading "GL_WIN_phong_shading", #endif #ifdef GL_WIN_scene_markerXXX "GL_WIN_scene_markerXXX", #endif #ifdef GL_WIN_specular_fog "GL_WIN_specular_fog", #endif #ifdef GL_WIN_swap_hint "GL_WIN_swap_hint", #endif NULL }; /* Detected in the extension string or strings */ static GLboolean _glewExtensionString[801]; /* Detected via extension string or experimental mode */ static GLboolean* _glewExtensionEnabled[] = { #ifdef GL_VERSION_1_2 &__GLEW_VERSION_1_2, #endif #ifdef GL_VERSION_1_2_1 &__GLEW_VERSION_1_2_1, #endif #ifdef GL_VERSION_1_3 &__GLEW_VERSION_1_3, #endif #ifdef GL_VERSION_1_4 &__GLEW_VERSION_1_4, #endif #ifdef GL_VERSION_1_5 &__GLEW_VERSION_1_5, #endif #ifdef GL_VERSION_2_0 &__GLEW_VERSION_2_0, #endif #ifdef GL_VERSION_2_1 &__GLEW_VERSION_2_1, #endif #ifdef GL_VERSION_3_0 &__GLEW_VERSION_3_0, #endif #ifdef GL_VERSION_3_1 &__GLEW_VERSION_3_1, #endif #ifdef GL_VERSION_3_2 &__GLEW_VERSION_3_2, #endif #ifdef GL_VERSION_3_3 &__GLEW_VERSION_3_3, #endif #ifdef GL_VERSION_4_0 &__GLEW_VERSION_4_0, #endif #ifdef GL_VERSION_4_1 &__GLEW_VERSION_4_1, #endif #ifdef GL_VERSION_4_2 &__GLEW_VERSION_4_2, #endif #ifdef GL_VERSION_4_3 &__GLEW_VERSION_4_3, #endif #ifdef GL_VERSION_4_4 &__GLEW_VERSION_4_4, #endif #ifdef GL_VERSION_4_5 &__GLEW_VERSION_4_5, #endif #ifdef GL_VERSION_4_6 &__GLEW_VERSION_4_6, #endif #ifdef GL_3DFX_multisample &__GLEW_3DFX_multisample, #endif #ifdef GL_3DFX_tbuffer &__GLEW_3DFX_tbuffer, #endif #ifdef GL_3DFX_texture_compression_FXT1 &__GLEW_3DFX_texture_compression_FXT1, #endif #ifdef GL_AMD_blend_minmax_factor &__GLEW_AMD_blend_minmax_factor, #endif #ifdef GL_AMD_compressed_3DC_texture &__GLEW_AMD_compressed_3DC_texture, #endif #ifdef GL_AMD_compressed_ATC_texture &__GLEW_AMD_compressed_ATC_texture, #endif #ifdef GL_AMD_conservative_depth &__GLEW_AMD_conservative_depth, #endif #ifdef GL_AMD_debug_output &__GLEW_AMD_debug_output, #endif #ifdef GL_AMD_depth_clamp_separate &__GLEW_AMD_depth_clamp_separate, #endif #ifdef GL_AMD_draw_buffers_blend &__GLEW_AMD_draw_buffers_blend, #endif #ifdef GL_AMD_framebuffer_sample_positions &__GLEW_AMD_framebuffer_sample_positions, #endif #ifdef GL_AMD_gcn_shader &__GLEW_AMD_gcn_shader, #endif #ifdef GL_AMD_gpu_shader_half_float &__GLEW_AMD_gpu_shader_half_float, #endif #ifdef GL_AMD_gpu_shader_int16 &__GLEW_AMD_gpu_shader_int16, #endif #ifdef GL_AMD_gpu_shader_int64 &__GLEW_AMD_gpu_shader_int64, #endif #ifdef GL_AMD_interleaved_elements &__GLEW_AMD_interleaved_elements, #endif #ifdef GL_AMD_multi_draw_indirect &__GLEW_AMD_multi_draw_indirect, #endif #ifdef GL_AMD_name_gen_delete &__GLEW_AMD_name_gen_delete, #endif #ifdef GL_AMD_occlusion_query_event &__GLEW_AMD_occlusion_query_event, #endif #ifdef GL_AMD_performance_monitor &__GLEW_AMD_performance_monitor, #endif #ifdef GL_AMD_pinned_memory &__GLEW_AMD_pinned_memory, #endif #ifdef GL_AMD_program_binary_Z400 &__GLEW_AMD_program_binary_Z400, #endif #ifdef GL_AMD_query_buffer_object &__GLEW_AMD_query_buffer_object, #endif #ifdef GL_AMD_sample_positions &__GLEW_AMD_sample_positions, #endif #ifdef GL_AMD_seamless_cubemap_per_texture &__GLEW_AMD_seamless_cubemap_per_texture, #endif #ifdef GL_AMD_shader_atomic_counter_ops &__GLEW_AMD_shader_atomic_counter_ops, #endif #ifdef GL_AMD_shader_ballot &__GLEW_AMD_shader_ballot, #endif #ifdef GL_AMD_shader_explicit_vertex_parameter &__GLEW_AMD_shader_explicit_vertex_parameter, #endif #ifdef GL_AMD_shader_stencil_export &__GLEW_AMD_shader_stencil_export, #endif #ifdef GL_AMD_shader_stencil_value_export &__GLEW_AMD_shader_stencil_value_export, #endif #ifdef GL_AMD_shader_trinary_minmax &__GLEW_AMD_shader_trinary_minmax, #endif #ifdef GL_AMD_sparse_texture &__GLEW_AMD_sparse_texture, #endif #ifdef GL_AMD_stencil_operation_extended &__GLEW_AMD_stencil_operation_extended, #endif #ifdef GL_AMD_texture_gather_bias_lod &__GLEW_AMD_texture_gather_bias_lod, #endif #ifdef GL_AMD_texture_texture4 &__GLEW_AMD_texture_texture4, #endif #ifdef GL_AMD_transform_feedback3_lines_triangles &__GLEW_AMD_transform_feedback3_lines_triangles, #endif #ifdef GL_AMD_transform_feedback4 &__GLEW_AMD_transform_feedback4, #endif #ifdef GL_AMD_vertex_shader_layer &__GLEW_AMD_vertex_shader_layer, #endif #ifdef GL_AMD_vertex_shader_tessellator &__GLEW_AMD_vertex_shader_tessellator, #endif #ifdef GL_AMD_vertex_shader_viewport_index &__GLEW_AMD_vertex_shader_viewport_index, #endif #ifdef GL_ANDROID_extension_pack_es31a &__GLEW_ANDROID_extension_pack_es31a, #endif #ifdef GL_ANGLE_depth_texture &__GLEW_ANGLE_depth_texture, #endif #ifdef GL_ANGLE_framebuffer_blit &__GLEW_ANGLE_framebuffer_blit, #endif #ifdef GL_ANGLE_framebuffer_multisample &__GLEW_ANGLE_framebuffer_multisample, #endif #ifdef GL_ANGLE_instanced_arrays &__GLEW_ANGLE_instanced_arrays, #endif #ifdef GL_ANGLE_pack_reverse_row_order &__GLEW_ANGLE_pack_reverse_row_order, #endif #ifdef GL_ANGLE_program_binary &__GLEW_ANGLE_program_binary, #endif #ifdef GL_ANGLE_texture_compression_dxt1 &__GLEW_ANGLE_texture_compression_dxt1, #endif #ifdef GL_ANGLE_texture_compression_dxt3 &__GLEW_ANGLE_texture_compression_dxt3, #endif #ifdef GL_ANGLE_texture_compression_dxt5 &__GLEW_ANGLE_texture_compression_dxt5, #endif #ifdef GL_ANGLE_texture_usage &__GLEW_ANGLE_texture_usage, #endif #ifdef GL_ANGLE_timer_query &__GLEW_ANGLE_timer_query, #endif #ifdef GL_ANGLE_translated_shader_source &__GLEW_ANGLE_translated_shader_source, #endif #ifdef GL_APPLE_aux_depth_stencil &__GLEW_APPLE_aux_depth_stencil, #endif #ifdef GL_APPLE_client_storage &__GLEW_APPLE_client_storage, #endif #ifdef GL_APPLE_clip_distance &__GLEW_APPLE_clip_distance, #endif #ifdef GL_APPLE_color_buffer_packed_float &__GLEW_APPLE_color_buffer_packed_float, #endif #ifdef GL_APPLE_copy_texture_levels &__GLEW_APPLE_copy_texture_levels, #endif #ifdef GL_APPLE_element_array &__GLEW_APPLE_element_array, #endif #ifdef GL_APPLE_fence &__GLEW_APPLE_fence, #endif #ifdef GL_APPLE_float_pixels &__GLEW_APPLE_float_pixels, #endif #ifdef GL_APPLE_flush_buffer_range &__GLEW_APPLE_flush_buffer_range, #endif #ifdef GL_APPLE_framebuffer_multisample &__GLEW_APPLE_framebuffer_multisample, #endif #ifdef GL_APPLE_object_purgeable &__GLEW_APPLE_object_purgeable, #endif #ifdef GL_APPLE_pixel_buffer &__GLEW_APPLE_pixel_buffer, #endif #ifdef GL_APPLE_rgb_422 &__GLEW_APPLE_rgb_422, #endif #ifdef GL_APPLE_row_bytes &__GLEW_APPLE_row_bytes, #endif #ifdef GL_APPLE_specular_vector &__GLEW_APPLE_specular_vector, #endif #ifdef GL_APPLE_sync &__GLEW_APPLE_sync, #endif #ifdef GL_APPLE_texture_2D_limited_npot &__GLEW_APPLE_texture_2D_limited_npot, #endif #ifdef GL_APPLE_texture_format_BGRA8888 &__GLEW_APPLE_texture_format_BGRA8888, #endif #ifdef GL_APPLE_texture_max_level &__GLEW_APPLE_texture_max_level, #endif #ifdef GL_APPLE_texture_packed_float &__GLEW_APPLE_texture_packed_float, #endif #ifdef GL_APPLE_texture_range &__GLEW_APPLE_texture_range, #endif #ifdef GL_APPLE_transform_hint &__GLEW_APPLE_transform_hint, #endif #ifdef GL_APPLE_vertex_array_object &__GLEW_APPLE_vertex_array_object, #endif #ifdef GL_APPLE_vertex_array_range &__GLEW_APPLE_vertex_array_range, #endif #ifdef GL_APPLE_vertex_program_evaluators &__GLEW_APPLE_vertex_program_evaluators, #endif #ifdef GL_APPLE_ycbcr_422 &__GLEW_APPLE_ycbcr_422, #endif #ifdef GL_ARB_ES2_compatibility &__GLEW_ARB_ES2_compatibility, #endif #ifdef GL_ARB_ES3_1_compatibility &__GLEW_ARB_ES3_1_compatibility, #endif #ifdef GL_ARB_ES3_2_compatibility &__GLEW_ARB_ES3_2_compatibility, #endif #ifdef GL_ARB_ES3_compatibility &__GLEW_ARB_ES3_compatibility, #endif #ifdef GL_ARB_arrays_of_arrays &__GLEW_ARB_arrays_of_arrays, #endif #ifdef GL_ARB_base_instance &__GLEW_ARB_base_instance, #endif #ifdef GL_ARB_bindless_texture &__GLEW_ARB_bindless_texture, #endif #ifdef GL_ARB_blend_func_extended &__GLEW_ARB_blend_func_extended, #endif #ifdef GL_ARB_buffer_storage &__GLEW_ARB_buffer_storage, #endif #ifdef GL_ARB_cl_event &__GLEW_ARB_cl_event, #endif #ifdef GL_ARB_clear_buffer_object &__GLEW_ARB_clear_buffer_object, #endif #ifdef GL_ARB_clear_texture &__GLEW_ARB_clear_texture, #endif #ifdef GL_ARB_clip_control &__GLEW_ARB_clip_control, #endif #ifdef GL_ARB_color_buffer_float &__GLEW_ARB_color_buffer_float, #endif #ifdef GL_ARB_compatibility &__GLEW_ARB_compatibility, #endif #ifdef GL_ARB_compressed_texture_pixel_storage &__GLEW_ARB_compressed_texture_pixel_storage, #endif #ifdef GL_ARB_compute_shader &__GLEW_ARB_compute_shader, #endif #ifdef GL_ARB_compute_variable_group_size &__GLEW_ARB_compute_variable_group_size, #endif #ifdef GL_ARB_conditional_render_inverted &__GLEW_ARB_conditional_render_inverted, #endif #ifdef GL_ARB_conservative_depth &__GLEW_ARB_conservative_depth, #endif #ifdef GL_ARB_copy_buffer &__GLEW_ARB_copy_buffer, #endif #ifdef GL_ARB_copy_image &__GLEW_ARB_copy_image, #endif #ifdef GL_ARB_cull_distance &__GLEW_ARB_cull_distance, #endif #ifdef GL_ARB_debug_output &__GLEW_ARB_debug_output, #endif #ifdef GL_ARB_depth_buffer_float &__GLEW_ARB_depth_buffer_float, #endif #ifdef GL_ARB_depth_clamp &__GLEW_ARB_depth_clamp, #endif #ifdef GL_ARB_depth_texture &__GLEW_ARB_depth_texture, #endif #ifdef GL_ARB_derivative_control &__GLEW_ARB_derivative_control, #endif #ifdef GL_ARB_direct_state_access &__GLEW_ARB_direct_state_access, #endif #ifdef GL_ARB_draw_buffers &__GLEW_ARB_draw_buffers, #endif #ifdef GL_ARB_draw_buffers_blend &__GLEW_ARB_draw_buffers_blend, #endif #ifdef GL_ARB_draw_elements_base_vertex &__GLEW_ARB_draw_elements_base_vertex, #endif #ifdef GL_ARB_draw_indirect &__GLEW_ARB_draw_indirect, #endif #ifdef GL_ARB_draw_instanced &__GLEW_ARB_draw_instanced, #endif #ifdef GL_ARB_enhanced_layouts &__GLEW_ARB_enhanced_layouts, #endif #ifdef GL_ARB_explicit_attrib_location &__GLEW_ARB_explicit_attrib_location, #endif #ifdef GL_ARB_explicit_uniform_location &__GLEW_ARB_explicit_uniform_location, #endif #ifdef GL_ARB_fragment_coord_conventions &__GLEW_ARB_fragment_coord_conventions, #endif #ifdef GL_ARB_fragment_layer_viewport &__GLEW_ARB_fragment_layer_viewport, #endif #ifdef GL_ARB_fragment_program &__GLEW_ARB_fragment_program, #endif #ifdef GL_ARB_fragment_program_shadow &__GLEW_ARB_fragment_program_shadow, #endif #ifdef GL_ARB_fragment_shader &__GLEW_ARB_fragment_shader, #endif #ifdef GL_ARB_fragment_shader_interlock &__GLEW_ARB_fragment_shader_interlock, #endif #ifdef GL_ARB_framebuffer_no_attachments &__GLEW_ARB_framebuffer_no_attachments, #endif #ifdef GL_ARB_framebuffer_object &__GLEW_ARB_framebuffer_object, #endif #ifdef GL_ARB_framebuffer_sRGB &__GLEW_ARB_framebuffer_sRGB, #endif #ifdef GL_ARB_geometry_shader4 &__GLEW_ARB_geometry_shader4, #endif #ifdef GL_ARB_get_program_binary &__GLEW_ARB_get_program_binary, #endif #ifdef GL_ARB_get_texture_sub_image &__GLEW_ARB_get_texture_sub_image, #endif #ifdef GL_ARB_gl_spirv &__GLEW_ARB_gl_spirv, #endif #ifdef GL_ARB_gpu_shader5 &__GLEW_ARB_gpu_shader5, #endif #ifdef GL_ARB_gpu_shader_fp64 &__GLEW_ARB_gpu_shader_fp64, #endif #ifdef GL_ARB_gpu_shader_int64 &__GLEW_ARB_gpu_shader_int64, #endif #ifdef GL_ARB_half_float_pixel &__GLEW_ARB_half_float_pixel, #endif #ifdef GL_ARB_half_float_vertex &__GLEW_ARB_half_float_vertex, #endif #ifdef GL_ARB_imaging &__GLEW_ARB_imaging, #endif #ifdef GL_ARB_indirect_parameters &__GLEW_ARB_indirect_parameters, #endif #ifdef GL_ARB_instanced_arrays &__GLEW_ARB_instanced_arrays, #endif #ifdef GL_ARB_internalformat_query &__GLEW_ARB_internalformat_query, #endif #ifdef GL_ARB_internalformat_query2 &__GLEW_ARB_internalformat_query2, #endif #ifdef GL_ARB_invalidate_subdata &__GLEW_ARB_invalidate_subdata, #endif #ifdef GL_ARB_map_buffer_alignment &__GLEW_ARB_map_buffer_alignment, #endif #ifdef GL_ARB_map_buffer_range &__GLEW_ARB_map_buffer_range, #endif #ifdef GL_ARB_matrix_palette &__GLEW_ARB_matrix_palette, #endif #ifdef GL_ARB_multi_bind &__GLEW_ARB_multi_bind, #endif #ifdef GL_ARB_multi_draw_indirect &__GLEW_ARB_multi_draw_indirect, #endif #ifdef GL_ARB_multisample &__GLEW_ARB_multisample, #endif #ifdef GL_ARB_multitexture &__GLEW_ARB_multitexture, #endif #ifdef GL_ARB_occlusion_query &__GLEW_ARB_occlusion_query, #endif #ifdef GL_ARB_occlusion_query2 &__GLEW_ARB_occlusion_query2, #endif #ifdef GL_ARB_parallel_shader_compile &__GLEW_ARB_parallel_shader_compile, #endif #ifdef GL_ARB_pipeline_statistics_query &__GLEW_ARB_pipeline_statistics_query, #endif #ifdef GL_ARB_pixel_buffer_object &__GLEW_ARB_pixel_buffer_object, #endif #ifdef GL_ARB_point_parameters &__GLEW_ARB_point_parameters, #endif #ifdef GL_ARB_point_sprite &__GLEW_ARB_point_sprite, #endif #ifdef GL_ARB_polygon_offset_clamp &__GLEW_ARB_polygon_offset_clamp, #endif #ifdef GL_ARB_post_depth_coverage &__GLEW_ARB_post_depth_coverage, #endif #ifdef GL_ARB_program_interface_query &__GLEW_ARB_program_interface_query, #endif #ifdef GL_ARB_provoking_vertex &__GLEW_ARB_provoking_vertex, #endif #ifdef GL_ARB_query_buffer_object &__GLEW_ARB_query_buffer_object, #endif #ifdef GL_ARB_robust_buffer_access_behavior &__GLEW_ARB_robust_buffer_access_behavior, #endif #ifdef GL_ARB_robustness &__GLEW_ARB_robustness, #endif #ifdef GL_ARB_robustness_application_isolation &__GLEW_ARB_robustness_application_isolation, #endif #ifdef GL_ARB_robustness_share_group_isolation &__GLEW_ARB_robustness_share_group_isolation, #endif #ifdef GL_ARB_sample_locations &__GLEW_ARB_sample_locations, #endif #ifdef GL_ARB_sample_shading &__GLEW_ARB_sample_shading, #endif #ifdef GL_ARB_sampler_objects &__GLEW_ARB_sampler_objects, #endif #ifdef GL_ARB_seamless_cube_map &__GLEW_ARB_seamless_cube_map, #endif #ifdef GL_ARB_seamless_cubemap_per_texture &__GLEW_ARB_seamless_cubemap_per_texture, #endif #ifdef GL_ARB_separate_shader_objects &__GLEW_ARB_separate_shader_objects, #endif #ifdef GL_ARB_shader_atomic_counter_ops &__GLEW_ARB_shader_atomic_counter_ops, #endif #ifdef GL_ARB_shader_atomic_counters &__GLEW_ARB_shader_atomic_counters, #endif #ifdef GL_ARB_shader_ballot &__GLEW_ARB_shader_ballot, #endif #ifdef GL_ARB_shader_bit_encoding &__GLEW_ARB_shader_bit_encoding, #endif #ifdef GL_ARB_shader_clock &__GLEW_ARB_shader_clock, #endif #ifdef GL_ARB_shader_draw_parameters &__GLEW_ARB_shader_draw_parameters, #endif #ifdef GL_ARB_shader_group_vote &__GLEW_ARB_shader_group_vote, #endif #ifdef GL_ARB_shader_image_load_store &__GLEW_ARB_shader_image_load_store, #endif #ifdef GL_ARB_shader_image_size &__GLEW_ARB_shader_image_size, #endif #ifdef GL_ARB_shader_objects &__GLEW_ARB_shader_objects, #endif #ifdef GL_ARB_shader_precision &__GLEW_ARB_shader_precision, #endif #ifdef GL_ARB_shader_stencil_export &__GLEW_ARB_shader_stencil_export, #endif #ifdef GL_ARB_shader_storage_buffer_object &__GLEW_ARB_shader_storage_buffer_object, #endif #ifdef GL_ARB_shader_subroutine &__GLEW_ARB_shader_subroutine, #endif #ifdef GL_ARB_shader_texture_image_samples &__GLEW_ARB_shader_texture_image_samples, #endif #ifdef GL_ARB_shader_texture_lod &__GLEW_ARB_shader_texture_lod, #endif #ifdef GL_ARB_shader_viewport_layer_array &__GLEW_ARB_shader_viewport_layer_array, #endif #ifdef GL_ARB_shading_language_100 &__GLEW_ARB_shading_language_100, #endif #ifdef GL_ARB_shading_language_420pack &__GLEW_ARB_shading_language_420pack, #endif #ifdef GL_ARB_shading_language_include &__GLEW_ARB_shading_language_include, #endif #ifdef GL_ARB_shading_language_packing &__GLEW_ARB_shading_language_packing, #endif #ifdef GL_ARB_shadow &__GLEW_ARB_shadow, #endif #ifdef GL_ARB_shadow_ambient &__GLEW_ARB_shadow_ambient, #endif #ifdef GL_ARB_sparse_buffer &__GLEW_ARB_sparse_buffer, #endif #ifdef GL_ARB_sparse_texture &__GLEW_ARB_sparse_texture, #endif #ifdef GL_ARB_sparse_texture2 &__GLEW_ARB_sparse_texture2, #endif #ifdef GL_ARB_sparse_texture_clamp &__GLEW_ARB_sparse_texture_clamp, #endif #ifdef GL_ARB_spirv_extensions &__GLEW_ARB_spirv_extensions, #endif #ifdef GL_ARB_stencil_texturing &__GLEW_ARB_stencil_texturing, #endif #ifdef GL_ARB_sync &__GLEW_ARB_sync, #endif #ifdef GL_ARB_tessellation_shader &__GLEW_ARB_tessellation_shader, #endif #ifdef GL_ARB_texture_barrier &__GLEW_ARB_texture_barrier, #endif #ifdef GL_ARB_texture_border_clamp &__GLEW_ARB_texture_border_clamp, #endif #ifdef GL_ARB_texture_buffer_object &__GLEW_ARB_texture_buffer_object, #endif #ifdef GL_ARB_texture_buffer_object_rgb32 &__GLEW_ARB_texture_buffer_object_rgb32, #endif #ifdef GL_ARB_texture_buffer_range &__GLEW_ARB_texture_buffer_range, #endif #ifdef GL_ARB_texture_compression &__GLEW_ARB_texture_compression, #endif #ifdef GL_ARB_texture_compression_bptc &__GLEW_ARB_texture_compression_bptc, #endif #ifdef GL_ARB_texture_compression_rgtc &__GLEW_ARB_texture_compression_rgtc, #endif #ifdef GL_ARB_texture_cube_map &__GLEW_ARB_texture_cube_map, #endif #ifdef GL_ARB_texture_cube_map_array &__GLEW_ARB_texture_cube_map_array, #endif #ifdef GL_ARB_texture_env_add &__GLEW_ARB_texture_env_add, #endif #ifdef GL_ARB_texture_env_combine &__GLEW_ARB_texture_env_combine, #endif #ifdef GL_ARB_texture_env_crossbar &__GLEW_ARB_texture_env_crossbar, #endif #ifdef GL_ARB_texture_env_dot3 &__GLEW_ARB_texture_env_dot3, #endif #ifdef GL_ARB_texture_filter_anisotropic &__GLEW_ARB_texture_filter_anisotropic, #endif #ifdef GL_ARB_texture_filter_minmax &__GLEW_ARB_texture_filter_minmax, #endif #ifdef GL_ARB_texture_float &__GLEW_ARB_texture_float, #endif #ifdef GL_ARB_texture_gather &__GLEW_ARB_texture_gather, #endif #ifdef GL_ARB_texture_mirror_clamp_to_edge &__GLEW_ARB_texture_mirror_clamp_to_edge, #endif #ifdef GL_ARB_texture_mirrored_repeat &__GLEW_ARB_texture_mirrored_repeat, #endif #ifdef GL_ARB_texture_multisample &__GLEW_ARB_texture_multisample, #endif #ifdef GL_ARB_texture_non_power_of_two &__GLEW_ARB_texture_non_power_of_two, #endif #ifdef GL_ARB_texture_query_levels &__GLEW_ARB_texture_query_levels, #endif #ifdef GL_ARB_texture_query_lod &__GLEW_ARB_texture_query_lod, #endif #ifdef GL_ARB_texture_rectangle &__GLEW_ARB_texture_rectangle, #endif #ifdef GL_ARB_texture_rg &__GLEW_ARB_texture_rg, #endif #ifdef GL_ARB_texture_rgb10_a2ui &__GLEW_ARB_texture_rgb10_a2ui, #endif #ifdef GL_ARB_texture_stencil8 &__GLEW_ARB_texture_stencil8, #endif #ifdef GL_ARB_texture_storage &__GLEW_ARB_texture_storage, #endif #ifdef GL_ARB_texture_storage_multisample &__GLEW_ARB_texture_storage_multisample, #endif #ifdef GL_ARB_texture_swizzle &__GLEW_ARB_texture_swizzle, #endif #ifdef GL_ARB_texture_view &__GLEW_ARB_texture_view, #endif #ifdef GL_ARB_timer_query &__GLEW_ARB_timer_query, #endif #ifdef GL_ARB_transform_feedback2 &__GLEW_ARB_transform_feedback2, #endif #ifdef GL_ARB_transform_feedback3 &__GLEW_ARB_transform_feedback3, #endif #ifdef GL_ARB_transform_feedback_instanced &__GLEW_ARB_transform_feedback_instanced, #endif #ifdef GL_ARB_transform_feedback_overflow_query &__GLEW_ARB_transform_feedback_overflow_query, #endif #ifdef GL_ARB_transpose_matrix &__GLEW_ARB_transpose_matrix, #endif #ifdef GL_ARB_uniform_buffer_object &__GLEW_ARB_uniform_buffer_object, #endif #ifdef GL_ARB_vertex_array_bgra &__GLEW_ARB_vertex_array_bgra, #endif #ifdef GL_ARB_vertex_array_object &__GLEW_ARB_vertex_array_object, #endif #ifdef GL_ARB_vertex_attrib_64bit &__GLEW_ARB_vertex_attrib_64bit, #endif #ifdef GL_ARB_vertex_attrib_binding &__GLEW_ARB_vertex_attrib_binding, #endif #ifdef GL_ARB_vertex_blend &__GLEW_ARB_vertex_blend, #endif #ifdef GL_ARB_vertex_buffer_object &__GLEW_ARB_vertex_buffer_object, #endif #ifdef GL_ARB_vertex_program &__GLEW_ARB_vertex_program, #endif #ifdef GL_ARB_vertex_shader &__GLEW_ARB_vertex_shader, #endif #ifdef GL_ARB_vertex_type_10f_11f_11f_rev &__GLEW_ARB_vertex_type_10f_11f_11f_rev, #endif #ifdef GL_ARB_vertex_type_2_10_10_10_rev &__GLEW_ARB_vertex_type_2_10_10_10_rev, #endif #ifdef GL_ARB_viewport_array &__GLEW_ARB_viewport_array, #endif #ifdef GL_ARB_window_pos &__GLEW_ARB_window_pos, #endif #ifdef GL_ARM_mali_program_binary &__GLEW_ARM_mali_program_binary, #endif #ifdef GL_ARM_mali_shader_binary &__GLEW_ARM_mali_shader_binary, #endif #ifdef GL_ARM_rgba8 &__GLEW_ARM_rgba8, #endif #ifdef GL_ARM_shader_framebuffer_fetch &__GLEW_ARM_shader_framebuffer_fetch, #endif #ifdef GL_ARM_shader_framebuffer_fetch_depth_stencil &__GLEW_ARM_shader_framebuffer_fetch_depth_stencil, #endif #ifdef GL_ATIX_point_sprites &__GLEW_ATIX_point_sprites, #endif #ifdef GL_ATIX_texture_env_combine3 &__GLEW_ATIX_texture_env_combine3, #endif #ifdef GL_ATIX_texture_env_route &__GLEW_ATIX_texture_env_route, #endif #ifdef GL_ATIX_vertex_shader_output_point_size &__GLEW_ATIX_vertex_shader_output_point_size, #endif #ifdef GL_ATI_draw_buffers &__GLEW_ATI_draw_buffers, #endif #ifdef GL_ATI_element_array &__GLEW_ATI_element_array, #endif #ifdef GL_ATI_envmap_bumpmap &__GLEW_ATI_envmap_bumpmap, #endif #ifdef GL_ATI_fragment_shader &__GLEW_ATI_fragment_shader, #endif #ifdef GL_ATI_map_object_buffer &__GLEW_ATI_map_object_buffer, #endif #ifdef GL_ATI_meminfo &__GLEW_ATI_meminfo, #endif #ifdef GL_ATI_pn_triangles &__GLEW_ATI_pn_triangles, #endif #ifdef GL_ATI_separate_stencil &__GLEW_ATI_separate_stencil, #endif #ifdef GL_ATI_shader_texture_lod &__GLEW_ATI_shader_texture_lod, #endif #ifdef GL_ATI_text_fragment_shader &__GLEW_ATI_text_fragment_shader, #endif #ifdef GL_ATI_texture_compression_3dc &__GLEW_ATI_texture_compression_3dc, #endif #ifdef GL_ATI_texture_env_combine3 &__GLEW_ATI_texture_env_combine3, #endif #ifdef GL_ATI_texture_float &__GLEW_ATI_texture_float, #endif #ifdef GL_ATI_texture_mirror_once &__GLEW_ATI_texture_mirror_once, #endif #ifdef GL_ATI_vertex_array_object &__GLEW_ATI_vertex_array_object, #endif #ifdef GL_ATI_vertex_attrib_array_object &__GLEW_ATI_vertex_attrib_array_object, #endif #ifdef GL_ATI_vertex_streams &__GLEW_ATI_vertex_streams, #endif #ifdef GL_EGL_KHR_context_flush_control &__GLEW_EGL_KHR_context_flush_control, #endif #ifdef GL_EGL_NV_robustness_video_memory_purge &__GLEW_EGL_NV_robustness_video_memory_purge, #endif #ifdef GL_EXT_422_pixels &__GLEW_EXT_422_pixels, #endif #ifdef GL_EXT_Cg_shader &__GLEW_EXT_Cg_shader, #endif #ifdef GL_EXT_EGL_image_array &__GLEW_EXT_EGL_image_array, #endif #ifdef GL_EXT_YUV_target &__GLEW_EXT_YUV_target, #endif #ifdef GL_EXT_abgr &__GLEW_EXT_abgr, #endif #ifdef GL_EXT_base_instance &__GLEW_EXT_base_instance, #endif #ifdef GL_EXT_bgra &__GLEW_EXT_bgra, #endif #ifdef GL_EXT_bindable_uniform &__GLEW_EXT_bindable_uniform, #endif #ifdef GL_EXT_blend_color &__GLEW_EXT_blend_color, #endif #ifdef GL_EXT_blend_equation_separate &__GLEW_EXT_blend_equation_separate, #endif #ifdef GL_EXT_blend_func_extended &__GLEW_EXT_blend_func_extended, #endif #ifdef GL_EXT_blend_func_separate &__GLEW_EXT_blend_func_separate, #endif #ifdef GL_EXT_blend_logic_op &__GLEW_EXT_blend_logic_op, #endif #ifdef GL_EXT_blend_minmax &__GLEW_EXT_blend_minmax, #endif #ifdef GL_EXT_blend_subtract &__GLEW_EXT_blend_subtract, #endif #ifdef GL_EXT_buffer_storage &__GLEW_EXT_buffer_storage, #endif #ifdef GL_EXT_clear_texture &__GLEW_EXT_clear_texture, #endif #ifdef GL_EXT_clip_cull_distance &__GLEW_EXT_clip_cull_distance, #endif #ifdef GL_EXT_clip_volume_hint &__GLEW_EXT_clip_volume_hint, #endif #ifdef GL_EXT_cmyka &__GLEW_EXT_cmyka, #endif #ifdef GL_EXT_color_buffer_float &__GLEW_EXT_color_buffer_float, #endif #ifdef GL_EXT_color_buffer_half_float &__GLEW_EXT_color_buffer_half_float, #endif #ifdef GL_EXT_color_subtable &__GLEW_EXT_color_subtable, #endif #ifdef GL_EXT_compiled_vertex_array &__GLEW_EXT_compiled_vertex_array, #endif #ifdef GL_EXT_compressed_ETC1_RGB8_sub_texture &__GLEW_EXT_compressed_ETC1_RGB8_sub_texture, #endif #ifdef GL_EXT_conservative_depth &__GLEW_EXT_conservative_depth, #endif #ifdef GL_EXT_convolution &__GLEW_EXT_convolution, #endif #ifdef GL_EXT_coordinate_frame &__GLEW_EXT_coordinate_frame, #endif #ifdef GL_EXT_copy_image &__GLEW_EXT_copy_image, #endif #ifdef GL_EXT_copy_texture &__GLEW_EXT_copy_texture, #endif #ifdef GL_EXT_cull_vertex &__GLEW_EXT_cull_vertex, #endif #ifdef GL_EXT_debug_label &__GLEW_EXT_debug_label, #endif #ifdef GL_EXT_debug_marker &__GLEW_EXT_debug_marker, #endif #ifdef GL_EXT_depth_bounds_test &__GLEW_EXT_depth_bounds_test, #endif #ifdef GL_EXT_direct_state_access &__GLEW_EXT_direct_state_access, #endif #ifdef GL_EXT_discard_framebuffer &__GLEW_EXT_discard_framebuffer, #endif #ifdef GL_EXT_draw_buffers &__GLEW_EXT_draw_buffers, #endif #ifdef GL_EXT_draw_buffers2 &__GLEW_EXT_draw_buffers2, #endif #ifdef GL_EXT_draw_buffers_indexed &__GLEW_EXT_draw_buffers_indexed, #endif #ifdef GL_EXT_draw_elements_base_vertex &__GLEW_EXT_draw_elements_base_vertex, #endif #ifdef GL_EXT_draw_instanced &__GLEW_EXT_draw_instanced, #endif #ifdef GL_EXT_draw_range_elements &__GLEW_EXT_draw_range_elements, #endif #ifdef GL_EXT_external_buffer &__GLEW_EXT_external_buffer, #endif #ifdef GL_EXT_float_blend &__GLEW_EXT_float_blend, #endif #ifdef GL_EXT_fog_coord &__GLEW_EXT_fog_coord, #endif #ifdef GL_EXT_frag_depth &__GLEW_EXT_frag_depth, #endif #ifdef GL_EXT_fragment_lighting &__GLEW_EXT_fragment_lighting, #endif #ifdef GL_EXT_framebuffer_blit &__GLEW_EXT_framebuffer_blit, #endif #ifdef GL_EXT_framebuffer_multisample &__GLEW_EXT_framebuffer_multisample, #endif #ifdef GL_EXT_framebuffer_multisample_blit_scaled &__GLEW_EXT_framebuffer_multisample_blit_scaled, #endif #ifdef GL_EXT_framebuffer_object &__GLEW_EXT_framebuffer_object, #endif #ifdef GL_EXT_framebuffer_sRGB &__GLEW_EXT_framebuffer_sRGB, #endif #ifdef GL_EXT_geometry_point_size &__GLEW_EXT_geometry_point_size, #endif #ifdef GL_EXT_geometry_shader &__GLEW_EXT_geometry_shader, #endif #ifdef GL_EXT_geometry_shader4 &__GLEW_EXT_geometry_shader4, #endif #ifdef GL_EXT_gpu_program_parameters &__GLEW_EXT_gpu_program_parameters, #endif #ifdef GL_EXT_gpu_shader4 &__GLEW_EXT_gpu_shader4, #endif #ifdef GL_EXT_gpu_shader5 &__GLEW_EXT_gpu_shader5, #endif #ifdef GL_EXT_histogram &__GLEW_EXT_histogram, #endif #ifdef GL_EXT_index_array_formats &__GLEW_EXT_index_array_formats, #endif #ifdef GL_EXT_index_func &__GLEW_EXT_index_func, #endif #ifdef GL_EXT_index_material &__GLEW_EXT_index_material, #endif #ifdef GL_EXT_index_texture &__GLEW_EXT_index_texture, #endif #ifdef GL_EXT_instanced_arrays &__GLEW_EXT_instanced_arrays, #endif #ifdef GL_EXT_light_texture &__GLEW_EXT_light_texture, #endif #ifdef GL_EXT_map_buffer_range &__GLEW_EXT_map_buffer_range, #endif #ifdef GL_EXT_memory_object &__GLEW_EXT_memory_object, #endif #ifdef GL_EXT_memory_object_fd &__GLEW_EXT_memory_object_fd, #endif #ifdef GL_EXT_memory_object_win32 &__GLEW_EXT_memory_object_win32, #endif #ifdef GL_EXT_misc_attribute &__GLEW_EXT_misc_attribute, #endif #ifdef GL_EXT_multi_draw_arrays &__GLEW_EXT_multi_draw_arrays, #endif #ifdef GL_EXT_multi_draw_indirect &__GLEW_EXT_multi_draw_indirect, #endif #ifdef GL_EXT_multiple_textures &__GLEW_EXT_multiple_textures, #endif #ifdef GL_EXT_multisample &__GLEW_EXT_multisample, #endif #ifdef GL_EXT_multisample_compatibility &__GLEW_EXT_multisample_compatibility, #endif #ifdef GL_EXT_multisampled_render_to_texture &__GLEW_EXT_multisampled_render_to_texture, #endif #ifdef GL_EXT_multisampled_render_to_texture2 &__GLEW_EXT_multisampled_render_to_texture2, #endif #ifdef GL_EXT_multiview_draw_buffers &__GLEW_EXT_multiview_draw_buffers, #endif #ifdef GL_EXT_packed_depth_stencil &__GLEW_EXT_packed_depth_stencil, #endif #ifdef GL_EXT_packed_float &__GLEW_EXT_packed_float, #endif #ifdef GL_EXT_packed_pixels &__GLEW_EXT_packed_pixels, #endif #ifdef GL_EXT_paletted_texture &__GLEW_EXT_paletted_texture, #endif #ifdef GL_EXT_pixel_buffer_object &__GLEW_EXT_pixel_buffer_object, #endif #ifdef GL_EXT_pixel_transform &__GLEW_EXT_pixel_transform, #endif #ifdef GL_EXT_pixel_transform_color_table &__GLEW_EXT_pixel_transform_color_table, #endif #ifdef GL_EXT_point_parameters &__GLEW_EXT_point_parameters, #endif #ifdef GL_EXT_polygon_offset &__GLEW_EXT_polygon_offset, #endif #ifdef GL_EXT_polygon_offset_clamp &__GLEW_EXT_polygon_offset_clamp, #endif #ifdef GL_EXT_post_depth_coverage &__GLEW_EXT_post_depth_coverage, #endif #ifdef GL_EXT_provoking_vertex &__GLEW_EXT_provoking_vertex, #endif #ifdef GL_EXT_pvrtc_sRGB &__GLEW_EXT_pvrtc_sRGB, #endif #ifdef GL_EXT_raster_multisample &__GLEW_EXT_raster_multisample, #endif #ifdef GL_EXT_read_format_bgra &__GLEW_EXT_read_format_bgra, #endif #ifdef GL_EXT_render_snorm &__GLEW_EXT_render_snorm, #endif #ifdef GL_EXT_rescale_normal &__GLEW_EXT_rescale_normal, #endif #ifdef GL_EXT_sRGB &__GLEW_EXT_sRGB, #endif #ifdef GL_EXT_sRGB_write_control &__GLEW_EXT_sRGB_write_control, #endif #ifdef GL_EXT_scene_marker &__GLEW_EXT_scene_marker, #endif #ifdef GL_EXT_secondary_color &__GLEW_EXT_secondary_color, #endif #ifdef GL_EXT_semaphore &__GLEW_EXT_semaphore, #endif #ifdef GL_EXT_semaphore_fd &__GLEW_EXT_semaphore_fd, #endif #ifdef GL_EXT_semaphore_win32 &__GLEW_EXT_semaphore_win32, #endif #ifdef GL_EXT_separate_shader_objects &__GLEW_EXT_separate_shader_objects, #endif #ifdef GL_EXT_separate_specular_color &__GLEW_EXT_separate_specular_color, #endif #ifdef GL_EXT_shader_framebuffer_fetch &__GLEW_EXT_shader_framebuffer_fetch, #endif #ifdef GL_EXT_shader_group_vote &__GLEW_EXT_shader_group_vote, #endif #ifdef GL_EXT_shader_image_load_formatted &__GLEW_EXT_shader_image_load_formatted, #endif #ifdef GL_EXT_shader_image_load_store &__GLEW_EXT_shader_image_load_store, #endif #ifdef GL_EXT_shader_implicit_conversions &__GLEW_EXT_shader_implicit_conversions, #endif #ifdef GL_EXT_shader_integer_mix &__GLEW_EXT_shader_integer_mix, #endif #ifdef GL_EXT_shader_io_blocks &__GLEW_EXT_shader_io_blocks, #endif #ifdef GL_EXT_shader_non_constant_global_initializers &__GLEW_EXT_shader_non_constant_global_initializers, #endif #ifdef GL_EXT_shader_pixel_local_storage &__GLEW_EXT_shader_pixel_local_storage, #endif #ifdef GL_EXT_shader_pixel_local_storage2 &__GLEW_EXT_shader_pixel_local_storage2, #endif #ifdef GL_EXT_shader_texture_lod &__GLEW_EXT_shader_texture_lod, #endif #ifdef GL_EXT_shadow_funcs &__GLEW_EXT_shadow_funcs, #endif #ifdef GL_EXT_shadow_samplers &__GLEW_EXT_shadow_samplers, #endif #ifdef GL_EXT_shared_texture_palette &__GLEW_EXT_shared_texture_palette, #endif #ifdef GL_EXT_sparse_texture &__GLEW_EXT_sparse_texture, #endif #ifdef GL_EXT_sparse_texture2 &__GLEW_EXT_sparse_texture2, #endif #ifdef GL_EXT_stencil_clear_tag &__GLEW_EXT_stencil_clear_tag, #endif #ifdef GL_EXT_stencil_two_side &__GLEW_EXT_stencil_two_side, #endif #ifdef GL_EXT_stencil_wrap &__GLEW_EXT_stencil_wrap, #endif #ifdef GL_EXT_subtexture &__GLEW_EXT_subtexture, #endif #ifdef GL_EXT_texture &__GLEW_EXT_texture, #endif #ifdef GL_EXT_texture3D &__GLEW_EXT_texture3D, #endif #ifdef GL_EXT_texture_array &__GLEW_EXT_texture_array, #endif #ifdef GL_EXT_texture_buffer_object &__GLEW_EXT_texture_buffer_object, #endif #ifdef GL_EXT_texture_compression_astc_decode_mode &__GLEW_EXT_texture_compression_astc_decode_mode, #endif #ifdef GL_EXT_texture_compression_astc_decode_mode_rgb9e5 &__GLEW_EXT_texture_compression_astc_decode_mode_rgb9e5, #endif #ifdef GL_EXT_texture_compression_bptc &__GLEW_EXT_texture_compression_bptc, #endif #ifdef GL_EXT_texture_compression_dxt1 &__GLEW_EXT_texture_compression_dxt1, #endif #ifdef GL_EXT_texture_compression_latc &__GLEW_EXT_texture_compression_latc, #endif #ifdef GL_EXT_texture_compression_rgtc &__GLEW_EXT_texture_compression_rgtc, #endif #ifdef GL_EXT_texture_compression_s3tc &__GLEW_EXT_texture_compression_s3tc, #endif #ifdef GL_EXT_texture_cube_map &__GLEW_EXT_texture_cube_map, #endif #ifdef GL_EXT_texture_cube_map_array &__GLEW_EXT_texture_cube_map_array, #endif #ifdef GL_EXT_texture_edge_clamp &__GLEW_EXT_texture_edge_clamp, #endif #ifdef GL_EXT_texture_env &__GLEW_EXT_texture_env, #endif #ifdef GL_EXT_texture_env_add &__GLEW_EXT_texture_env_add, #endif #ifdef GL_EXT_texture_env_combine &__GLEW_EXT_texture_env_combine, #endif #ifdef GL_EXT_texture_env_dot3 &__GLEW_EXT_texture_env_dot3, #endif #ifdef GL_EXT_texture_filter_anisotropic &__GLEW_EXT_texture_filter_anisotropic, #endif #ifdef GL_EXT_texture_filter_minmax &__GLEW_EXT_texture_filter_minmax, #endif #ifdef GL_EXT_texture_format_BGRA8888 &__GLEW_EXT_texture_format_BGRA8888, #endif #ifdef GL_EXT_texture_integer &__GLEW_EXT_texture_integer, #endif #ifdef GL_EXT_texture_lod_bias &__GLEW_EXT_texture_lod_bias, #endif #ifdef GL_EXT_texture_mirror_clamp &__GLEW_EXT_texture_mirror_clamp, #endif #ifdef GL_EXT_texture_norm16 &__GLEW_EXT_texture_norm16, #endif #ifdef GL_EXT_texture_object &__GLEW_EXT_texture_object, #endif #ifdef GL_EXT_texture_perturb_normal &__GLEW_EXT_texture_perturb_normal, #endif #ifdef GL_EXT_texture_rectangle &__GLEW_EXT_texture_rectangle, #endif #ifdef GL_EXT_texture_rg &__GLEW_EXT_texture_rg, #endif #ifdef GL_EXT_texture_sRGB &__GLEW_EXT_texture_sRGB, #endif #ifdef GL_EXT_texture_sRGB_R8 &__GLEW_EXT_texture_sRGB_R8, #endif #ifdef GL_EXT_texture_sRGB_RG8 &__GLEW_EXT_texture_sRGB_RG8, #endif #ifdef GL_EXT_texture_sRGB_decode &__GLEW_EXT_texture_sRGB_decode, #endif #ifdef GL_EXT_texture_shared_exponent &__GLEW_EXT_texture_shared_exponent, #endif #ifdef GL_EXT_texture_snorm &__GLEW_EXT_texture_snorm, #endif #ifdef GL_EXT_texture_storage &__GLEW_EXT_texture_storage, #endif #ifdef GL_EXT_texture_swizzle &__GLEW_EXT_texture_swizzle, #endif #ifdef GL_EXT_texture_type_2_10_10_10_REV &__GLEW_EXT_texture_type_2_10_10_10_REV, #endif #ifdef GL_EXT_texture_view &__GLEW_EXT_texture_view, #endif #ifdef GL_EXT_timer_query &__GLEW_EXT_timer_query, #endif #ifdef GL_EXT_transform_feedback &__GLEW_EXT_transform_feedback, #endif #ifdef GL_EXT_unpack_subimage &__GLEW_EXT_unpack_subimage, #endif #ifdef GL_EXT_vertex_array &__GLEW_EXT_vertex_array, #endif #ifdef GL_EXT_vertex_array_bgra &__GLEW_EXT_vertex_array_bgra, #endif #ifdef GL_EXT_vertex_array_setXXX &__GLEW_EXT_vertex_array_setXXX, #endif #ifdef GL_EXT_vertex_attrib_64bit &__GLEW_EXT_vertex_attrib_64bit, #endif #ifdef GL_EXT_vertex_shader &__GLEW_EXT_vertex_shader, #endif #ifdef GL_EXT_vertex_weighting &__GLEW_EXT_vertex_weighting, #endif #ifdef GL_EXT_win32_keyed_mutex &__GLEW_EXT_win32_keyed_mutex, #endif #ifdef GL_EXT_window_rectangles &__GLEW_EXT_window_rectangles, #endif #ifdef GL_EXT_x11_sync_object &__GLEW_EXT_x11_sync_object, #endif #ifdef GL_GREMEDY_frame_terminator &__GLEW_GREMEDY_frame_terminator, #endif #ifdef GL_GREMEDY_string_marker &__GLEW_GREMEDY_string_marker, #endif #ifdef GL_HP_convolution_border_modes &__GLEW_HP_convolution_border_modes, #endif #ifdef GL_HP_image_transform &__GLEW_HP_image_transform, #endif #ifdef GL_HP_occlusion_test &__GLEW_HP_occlusion_test, #endif #ifdef GL_HP_texture_lighting &__GLEW_HP_texture_lighting, #endif #ifdef GL_IBM_cull_vertex &__GLEW_IBM_cull_vertex, #endif #ifdef GL_IBM_multimode_draw_arrays &__GLEW_IBM_multimode_draw_arrays, #endif #ifdef GL_IBM_rasterpos_clip &__GLEW_IBM_rasterpos_clip, #endif #ifdef GL_IBM_static_data &__GLEW_IBM_static_data, #endif #ifdef GL_IBM_texture_mirrored_repeat &__GLEW_IBM_texture_mirrored_repeat, #endif #ifdef GL_IBM_vertex_array_lists &__GLEW_IBM_vertex_array_lists, #endif #ifdef GL_INGR_color_clamp &__GLEW_INGR_color_clamp, #endif #ifdef GL_INGR_interlace_read &__GLEW_INGR_interlace_read, #endif #ifdef GL_INTEL_conservative_rasterization &__GLEW_INTEL_conservative_rasterization, #endif #ifdef GL_INTEL_fragment_shader_ordering &__GLEW_INTEL_fragment_shader_ordering, #endif #ifdef GL_INTEL_framebuffer_CMAA &__GLEW_INTEL_framebuffer_CMAA, #endif #ifdef GL_INTEL_map_texture &__GLEW_INTEL_map_texture, #endif #ifdef GL_INTEL_parallel_arrays &__GLEW_INTEL_parallel_arrays, #endif #ifdef GL_INTEL_performance_query &__GLEW_INTEL_performance_query, #endif #ifdef GL_INTEL_texture_scissor &__GLEW_INTEL_texture_scissor, #endif #ifdef GL_KHR_blend_equation_advanced &__GLEW_KHR_blend_equation_advanced, #endif #ifdef GL_KHR_blend_equation_advanced_coherent &__GLEW_KHR_blend_equation_advanced_coherent, #endif #ifdef GL_KHR_context_flush_control &__GLEW_KHR_context_flush_control, #endif #ifdef GL_KHR_debug &__GLEW_KHR_debug, #endif #ifdef GL_KHR_no_error &__GLEW_KHR_no_error, #endif #ifdef GL_KHR_parallel_shader_compile &__GLEW_KHR_parallel_shader_compile, #endif #ifdef GL_KHR_robust_buffer_access_behavior &__GLEW_KHR_robust_buffer_access_behavior, #endif #ifdef GL_KHR_robustness &__GLEW_KHR_robustness, #endif #ifdef GL_KHR_texture_compression_astc_hdr &__GLEW_KHR_texture_compression_astc_hdr, #endif #ifdef GL_KHR_texture_compression_astc_ldr &__GLEW_KHR_texture_compression_astc_ldr, #endif #ifdef GL_KHR_texture_compression_astc_sliced_3d &__GLEW_KHR_texture_compression_astc_sliced_3d, #endif #ifdef GL_KTX_buffer_region &__GLEW_KTX_buffer_region, #endif #ifdef GL_MESAX_texture_stack &__GLEW_MESAX_texture_stack, #endif #ifdef GL_MESA_pack_invert &__GLEW_MESA_pack_invert, #endif #ifdef GL_MESA_resize_buffers &__GLEW_MESA_resize_buffers, #endif #ifdef GL_MESA_shader_integer_functions &__GLEW_MESA_shader_integer_functions, #endif #ifdef GL_MESA_window_pos &__GLEW_MESA_window_pos, #endif #ifdef GL_MESA_ycbcr_texture &__GLEW_MESA_ycbcr_texture, #endif #ifdef GL_NVX_blend_equation_advanced_multi_draw_buffers &__GLEW_NVX_blend_equation_advanced_multi_draw_buffers, #endif #ifdef GL_NVX_conditional_render &__GLEW_NVX_conditional_render, #endif #ifdef GL_NVX_gpu_memory_info &__GLEW_NVX_gpu_memory_info, #endif #ifdef GL_NVX_linked_gpu_multicast &__GLEW_NVX_linked_gpu_multicast, #endif #ifdef GL_NV_3dvision_settings &__GLEW_NV_3dvision_settings, #endif #ifdef GL_NV_EGL_stream_consumer_external &__GLEW_NV_EGL_stream_consumer_external, #endif #ifdef GL_NV_alpha_to_coverage_dither_control &__GLEW_NV_alpha_to_coverage_dither_control, #endif #ifdef GL_NV_bgr &__GLEW_NV_bgr, #endif #ifdef GL_NV_bindless_multi_draw_indirect &__GLEW_NV_bindless_multi_draw_indirect, #endif #ifdef GL_NV_bindless_multi_draw_indirect_count &__GLEW_NV_bindless_multi_draw_indirect_count, #endif #ifdef GL_NV_bindless_texture &__GLEW_NV_bindless_texture, #endif #ifdef GL_NV_blend_equation_advanced &__GLEW_NV_blend_equation_advanced, #endif #ifdef GL_NV_blend_equation_advanced_coherent &__GLEW_NV_blend_equation_advanced_coherent, #endif #ifdef GL_NV_blend_minmax_factor &__GLEW_NV_blend_minmax_factor, #endif #ifdef GL_NV_blend_square &__GLEW_NV_blend_square, #endif #ifdef GL_NV_clip_space_w_scaling &__GLEW_NV_clip_space_w_scaling, #endif #ifdef GL_NV_command_list &__GLEW_NV_command_list, #endif #ifdef GL_NV_compute_program5 &__GLEW_NV_compute_program5, #endif #ifdef GL_NV_conditional_render &__GLEW_NV_conditional_render, #endif #ifdef GL_NV_conservative_raster &__GLEW_NV_conservative_raster, #endif #ifdef GL_NV_conservative_raster_dilate &__GLEW_NV_conservative_raster_dilate, #endif #ifdef GL_NV_conservative_raster_pre_snap_triangles &__GLEW_NV_conservative_raster_pre_snap_triangles, #endif #ifdef GL_NV_copy_buffer &__GLEW_NV_copy_buffer, #endif #ifdef GL_NV_copy_depth_to_color &__GLEW_NV_copy_depth_to_color, #endif #ifdef GL_NV_copy_image &__GLEW_NV_copy_image, #endif #ifdef GL_NV_deep_texture3D &__GLEW_NV_deep_texture3D, #endif #ifdef GL_NV_depth_buffer_float &__GLEW_NV_depth_buffer_float, #endif #ifdef GL_NV_depth_clamp &__GLEW_NV_depth_clamp, #endif #ifdef GL_NV_depth_range_unclamped &__GLEW_NV_depth_range_unclamped, #endif #ifdef GL_NV_draw_buffers &__GLEW_NV_draw_buffers, #endif #ifdef GL_NV_draw_instanced &__GLEW_NV_draw_instanced, #endif #ifdef GL_NV_draw_texture &__GLEW_NV_draw_texture, #endif #ifdef GL_NV_draw_vulkan_image &__GLEW_NV_draw_vulkan_image, #endif #ifdef GL_NV_evaluators &__GLEW_NV_evaluators, #endif #ifdef GL_NV_explicit_attrib_location &__GLEW_NV_explicit_attrib_location, #endif #ifdef GL_NV_explicit_multisample &__GLEW_NV_explicit_multisample, #endif #ifdef GL_NV_fbo_color_attachments &__GLEW_NV_fbo_color_attachments, #endif #ifdef GL_NV_fence &__GLEW_NV_fence, #endif #ifdef GL_NV_fill_rectangle &__GLEW_NV_fill_rectangle, #endif #ifdef GL_NV_float_buffer &__GLEW_NV_float_buffer, #endif #ifdef GL_NV_fog_distance &__GLEW_NV_fog_distance, #endif #ifdef GL_NV_fragment_coverage_to_color &__GLEW_NV_fragment_coverage_to_color, #endif #ifdef GL_NV_fragment_program &__GLEW_NV_fragment_program, #endif #ifdef GL_NV_fragment_program2 &__GLEW_NV_fragment_program2, #endif #ifdef GL_NV_fragment_program4 &__GLEW_NV_fragment_program4, #endif #ifdef GL_NV_fragment_program_option &__GLEW_NV_fragment_program_option, #endif #ifdef GL_NV_fragment_shader_interlock &__GLEW_NV_fragment_shader_interlock, #endif #ifdef GL_NV_framebuffer_blit &__GLEW_NV_framebuffer_blit, #endif #ifdef GL_NV_framebuffer_mixed_samples &__GLEW_NV_framebuffer_mixed_samples, #endif #ifdef GL_NV_framebuffer_multisample &__GLEW_NV_framebuffer_multisample, #endif #ifdef GL_NV_framebuffer_multisample_coverage &__GLEW_NV_framebuffer_multisample_coverage, #endif #ifdef GL_NV_generate_mipmap_sRGB &__GLEW_NV_generate_mipmap_sRGB, #endif #ifdef GL_NV_geometry_program4 &__GLEW_NV_geometry_program4, #endif #ifdef GL_NV_geometry_shader4 &__GLEW_NV_geometry_shader4, #endif #ifdef GL_NV_geometry_shader_passthrough &__GLEW_NV_geometry_shader_passthrough, #endif #ifdef GL_NV_gpu_multicast &__GLEW_NV_gpu_multicast, #endif #ifdef GL_NV_gpu_program4 &__GLEW_NV_gpu_program4, #endif #ifdef GL_NV_gpu_program5 &__GLEW_NV_gpu_program5, #endif #ifdef GL_NV_gpu_program5_mem_extended &__GLEW_NV_gpu_program5_mem_extended, #endif #ifdef GL_NV_gpu_program_fp64 &__GLEW_NV_gpu_program_fp64, #endif #ifdef GL_NV_gpu_shader5 &__GLEW_NV_gpu_shader5, #endif #ifdef GL_NV_half_float &__GLEW_NV_half_float, #endif #ifdef GL_NV_image_formats &__GLEW_NV_image_formats, #endif #ifdef GL_NV_instanced_arrays &__GLEW_NV_instanced_arrays, #endif #ifdef GL_NV_internalformat_sample_query &__GLEW_NV_internalformat_sample_query, #endif #ifdef GL_NV_light_max_exponent &__GLEW_NV_light_max_exponent, #endif #ifdef GL_NV_multisample_coverage &__GLEW_NV_multisample_coverage, #endif #ifdef GL_NV_multisample_filter_hint &__GLEW_NV_multisample_filter_hint, #endif #ifdef GL_NV_non_square_matrices &__GLEW_NV_non_square_matrices, #endif #ifdef GL_NV_occlusion_query &__GLEW_NV_occlusion_query, #endif #ifdef GL_NV_pack_subimage &__GLEW_NV_pack_subimage, #endif #ifdef GL_NV_packed_depth_stencil &__GLEW_NV_packed_depth_stencil, #endif #ifdef GL_NV_packed_float &__GLEW_NV_packed_float, #endif #ifdef GL_NV_packed_float_linear &__GLEW_NV_packed_float_linear, #endif #ifdef GL_NV_parameter_buffer_object &__GLEW_NV_parameter_buffer_object, #endif #ifdef GL_NV_parameter_buffer_object2 &__GLEW_NV_parameter_buffer_object2, #endif #ifdef GL_NV_path_rendering &__GLEW_NV_path_rendering, #endif #ifdef GL_NV_path_rendering_shared_edge &__GLEW_NV_path_rendering_shared_edge, #endif #ifdef GL_NV_pixel_buffer_object &__GLEW_NV_pixel_buffer_object, #endif #ifdef GL_NV_pixel_data_range &__GLEW_NV_pixel_data_range, #endif #ifdef GL_NV_platform_binary &__GLEW_NV_platform_binary, #endif #ifdef GL_NV_point_sprite &__GLEW_NV_point_sprite, #endif #ifdef GL_NV_polygon_mode &__GLEW_NV_polygon_mode, #endif #ifdef GL_NV_present_video &__GLEW_NV_present_video, #endif #ifdef GL_NV_primitive_restart &__GLEW_NV_primitive_restart, #endif #ifdef GL_NV_read_depth &__GLEW_NV_read_depth, #endif #ifdef GL_NV_read_depth_stencil &__GLEW_NV_read_depth_stencil, #endif #ifdef GL_NV_read_stencil &__GLEW_NV_read_stencil, #endif #ifdef GL_NV_register_combiners &__GLEW_NV_register_combiners, #endif #ifdef GL_NV_register_combiners2 &__GLEW_NV_register_combiners2, #endif #ifdef GL_NV_robustness_video_memory_purge &__GLEW_NV_robustness_video_memory_purge, #endif #ifdef GL_NV_sRGB_formats &__GLEW_NV_sRGB_formats, #endif #ifdef GL_NV_sample_locations &__GLEW_NV_sample_locations, #endif #ifdef GL_NV_sample_mask_override_coverage &__GLEW_NV_sample_mask_override_coverage, #endif #ifdef GL_NV_shader_atomic_counters &__GLEW_NV_shader_atomic_counters, #endif #ifdef GL_NV_shader_atomic_float &__GLEW_NV_shader_atomic_float, #endif #ifdef GL_NV_shader_atomic_float64 &__GLEW_NV_shader_atomic_float64, #endif #ifdef GL_NV_shader_atomic_fp16_vector &__GLEW_NV_shader_atomic_fp16_vector, #endif #ifdef GL_NV_shader_atomic_int64 &__GLEW_NV_shader_atomic_int64, #endif #ifdef GL_NV_shader_buffer_load &__GLEW_NV_shader_buffer_load, #endif #ifdef GL_NV_shader_noperspective_interpolation &__GLEW_NV_shader_noperspective_interpolation, #endif #ifdef GL_NV_shader_storage_buffer_object &__GLEW_NV_shader_storage_buffer_object, #endif #ifdef GL_NV_shader_thread_group &__GLEW_NV_shader_thread_group, #endif #ifdef GL_NV_shader_thread_shuffle &__GLEW_NV_shader_thread_shuffle, #endif #ifdef GL_NV_shadow_samplers_array &__GLEW_NV_shadow_samplers_array, #endif #ifdef GL_NV_shadow_samplers_cube &__GLEW_NV_shadow_samplers_cube, #endif #ifdef GL_NV_stereo_view_rendering &__GLEW_NV_stereo_view_rendering, #endif #ifdef GL_NV_tessellation_program5 &__GLEW_NV_tessellation_program5, #endif #ifdef GL_NV_texgen_emboss &__GLEW_NV_texgen_emboss, #endif #ifdef GL_NV_texgen_reflection &__GLEW_NV_texgen_reflection, #endif #ifdef GL_NV_texture_array &__GLEW_NV_texture_array, #endif #ifdef GL_NV_texture_barrier &__GLEW_NV_texture_barrier, #endif #ifdef GL_NV_texture_border_clamp &__GLEW_NV_texture_border_clamp, #endif #ifdef GL_NV_texture_compression_latc &__GLEW_NV_texture_compression_latc, #endif #ifdef GL_NV_texture_compression_s3tc &__GLEW_NV_texture_compression_s3tc, #endif #ifdef GL_NV_texture_compression_s3tc_update &__GLEW_NV_texture_compression_s3tc_update, #endif #ifdef GL_NV_texture_compression_vtc &__GLEW_NV_texture_compression_vtc, #endif #ifdef GL_NV_texture_env_combine4 &__GLEW_NV_texture_env_combine4, #endif #ifdef GL_NV_texture_expand_normal &__GLEW_NV_texture_expand_normal, #endif #ifdef GL_NV_texture_multisample &__GLEW_NV_texture_multisample, #endif #ifdef GL_NV_texture_npot_2D_mipmap &__GLEW_NV_texture_npot_2D_mipmap, #endif #ifdef GL_NV_texture_rectangle &__GLEW_NV_texture_rectangle, #endif #ifdef GL_NV_texture_rectangle_compressed &__GLEW_NV_texture_rectangle_compressed, #endif #ifdef GL_NV_texture_shader &__GLEW_NV_texture_shader, #endif #ifdef GL_NV_texture_shader2 &__GLEW_NV_texture_shader2, #endif #ifdef GL_NV_texture_shader3 &__GLEW_NV_texture_shader3, #endif #ifdef GL_NV_transform_feedback &__GLEW_NV_transform_feedback, #endif #ifdef GL_NV_transform_feedback2 &__GLEW_NV_transform_feedback2, #endif #ifdef GL_NV_uniform_buffer_unified_memory &__GLEW_NV_uniform_buffer_unified_memory, #endif #ifdef GL_NV_vdpau_interop &__GLEW_NV_vdpau_interop, #endif #ifdef GL_NV_vertex_array_range &__GLEW_NV_vertex_array_range, #endif #ifdef GL_NV_vertex_array_range2 &__GLEW_NV_vertex_array_range2, #endif #ifdef GL_NV_vertex_attrib_integer_64bit &__GLEW_NV_vertex_attrib_integer_64bit, #endif #ifdef GL_NV_vertex_buffer_unified_memory &__GLEW_NV_vertex_buffer_unified_memory, #endif #ifdef GL_NV_vertex_program &__GLEW_NV_vertex_program, #endif #ifdef GL_NV_vertex_program1_1 &__GLEW_NV_vertex_program1_1, #endif #ifdef GL_NV_vertex_program2 &__GLEW_NV_vertex_program2, #endif #ifdef GL_NV_vertex_program2_option &__GLEW_NV_vertex_program2_option, #endif #ifdef GL_NV_vertex_program3 &__GLEW_NV_vertex_program3, #endif #ifdef GL_NV_vertex_program4 &__GLEW_NV_vertex_program4, #endif #ifdef GL_NV_video_capture &__GLEW_NV_video_capture, #endif #ifdef GL_NV_viewport_array &__GLEW_NV_viewport_array, #endif #ifdef GL_NV_viewport_array2 &__GLEW_NV_viewport_array2, #endif #ifdef GL_NV_viewport_swizzle &__GLEW_NV_viewport_swizzle, #endif #ifdef GL_OES_byte_coordinates &__GLEW_OES_byte_coordinates, #endif #ifdef GL_OML_interlace &__GLEW_OML_interlace, #endif #ifdef GL_OML_resample &__GLEW_OML_resample, #endif #ifdef GL_OML_subsample &__GLEW_OML_subsample, #endif #ifdef GL_OVR_multiview &__GLEW_OVR_multiview, #endif #ifdef GL_OVR_multiview2 &__GLEW_OVR_multiview2, #endif #ifdef GL_OVR_multiview_multisampled_render_to_texture &__GLEW_OVR_multiview_multisampled_render_to_texture, #endif #ifdef GL_PGI_misc_hints &__GLEW_PGI_misc_hints, #endif #ifdef GL_PGI_vertex_hints &__GLEW_PGI_vertex_hints, #endif #ifdef GL_QCOM_alpha_test &__GLEW_QCOM_alpha_test, #endif #ifdef GL_QCOM_binning_control &__GLEW_QCOM_binning_control, #endif #ifdef GL_QCOM_driver_control &__GLEW_QCOM_driver_control, #endif #ifdef GL_QCOM_extended_get &__GLEW_QCOM_extended_get, #endif #ifdef GL_QCOM_extended_get2 &__GLEW_QCOM_extended_get2, #endif #ifdef GL_QCOM_framebuffer_foveated &__GLEW_QCOM_framebuffer_foveated, #endif #ifdef GL_QCOM_perfmon_global_mode &__GLEW_QCOM_perfmon_global_mode, #endif #ifdef GL_QCOM_shader_framebuffer_fetch_noncoherent &__GLEW_QCOM_shader_framebuffer_fetch_noncoherent, #endif #ifdef GL_QCOM_tiled_rendering &__GLEW_QCOM_tiled_rendering, #endif #ifdef GL_QCOM_writeonly_rendering &__GLEW_QCOM_writeonly_rendering, #endif #ifdef GL_REGAL_ES1_0_compatibility &__GLEW_REGAL_ES1_0_compatibility, #endif #ifdef GL_REGAL_ES1_1_compatibility &__GLEW_REGAL_ES1_1_compatibility, #endif #ifdef GL_REGAL_enable &__GLEW_REGAL_enable, #endif #ifdef GL_REGAL_error_string &__GLEW_REGAL_error_string, #endif #ifdef GL_REGAL_extension_query &__GLEW_REGAL_extension_query, #endif #ifdef GL_REGAL_log &__GLEW_REGAL_log, #endif #ifdef GL_REGAL_proc_address &__GLEW_REGAL_proc_address, #endif #ifdef GL_REND_screen_coordinates &__GLEW_REND_screen_coordinates, #endif #ifdef GL_S3_s3tc &__GLEW_S3_s3tc, #endif #ifdef GL_SGIS_clip_band_hint &__GLEW_SGIS_clip_band_hint, #endif #ifdef GL_SGIS_color_range &__GLEW_SGIS_color_range, #endif #ifdef GL_SGIS_detail_texture &__GLEW_SGIS_detail_texture, #endif #ifdef GL_SGIS_fog_function &__GLEW_SGIS_fog_function, #endif #ifdef GL_SGIS_generate_mipmap &__GLEW_SGIS_generate_mipmap, #endif #ifdef GL_SGIS_line_texgen &__GLEW_SGIS_line_texgen, #endif #ifdef GL_SGIS_multisample &__GLEW_SGIS_multisample, #endif #ifdef GL_SGIS_multitexture &__GLEW_SGIS_multitexture, #endif #ifdef GL_SGIS_pixel_texture &__GLEW_SGIS_pixel_texture, #endif #ifdef GL_SGIS_point_line_texgen &__GLEW_SGIS_point_line_texgen, #endif #ifdef GL_SGIS_shared_multisample &__GLEW_SGIS_shared_multisample, #endif #ifdef GL_SGIS_sharpen_texture &__GLEW_SGIS_sharpen_texture, #endif #ifdef GL_SGIS_texture4D &__GLEW_SGIS_texture4D, #endif #ifdef GL_SGIS_texture_border_clamp &__GLEW_SGIS_texture_border_clamp, #endif #ifdef GL_SGIS_texture_edge_clamp &__GLEW_SGIS_texture_edge_clamp, #endif #ifdef GL_SGIS_texture_filter4 &__GLEW_SGIS_texture_filter4, #endif #ifdef GL_SGIS_texture_lod &__GLEW_SGIS_texture_lod, #endif #ifdef GL_SGIS_texture_select &__GLEW_SGIS_texture_select, #endif #ifdef GL_SGIX_async &__GLEW_SGIX_async, #endif #ifdef GL_SGIX_async_histogram &__GLEW_SGIX_async_histogram, #endif #ifdef GL_SGIX_async_pixel &__GLEW_SGIX_async_pixel, #endif #ifdef GL_SGIX_bali_g_instruments &__GLEW_SGIX_bali_g_instruments, #endif #ifdef GL_SGIX_bali_r_instruments &__GLEW_SGIX_bali_r_instruments, #endif #ifdef GL_SGIX_bali_timer_instruments &__GLEW_SGIX_bali_timer_instruments, #endif #ifdef GL_SGIX_blend_alpha_minmax &__GLEW_SGIX_blend_alpha_minmax, #endif #ifdef GL_SGIX_blend_cadd &__GLEW_SGIX_blend_cadd, #endif #ifdef GL_SGIX_blend_cmultiply &__GLEW_SGIX_blend_cmultiply, #endif #ifdef GL_SGIX_calligraphic_fragment &__GLEW_SGIX_calligraphic_fragment, #endif #ifdef GL_SGIX_clipmap &__GLEW_SGIX_clipmap, #endif #ifdef GL_SGIX_color_matrix_accuracy &__GLEW_SGIX_color_matrix_accuracy, #endif #ifdef GL_SGIX_color_table_index_mode &__GLEW_SGIX_color_table_index_mode, #endif #ifdef GL_SGIX_complex_polar &__GLEW_SGIX_complex_polar, #endif #ifdef GL_SGIX_convolution_accuracy &__GLEW_SGIX_convolution_accuracy, #endif #ifdef GL_SGIX_cube_map &__GLEW_SGIX_cube_map, #endif #ifdef GL_SGIX_cylinder_texgen &__GLEW_SGIX_cylinder_texgen, #endif #ifdef GL_SGIX_datapipe &__GLEW_SGIX_datapipe, #endif #ifdef GL_SGIX_decimation &__GLEW_SGIX_decimation, #endif #ifdef GL_SGIX_depth_pass_instrument &__GLEW_SGIX_depth_pass_instrument, #endif #ifdef GL_SGIX_depth_texture &__GLEW_SGIX_depth_texture, #endif #ifdef GL_SGIX_dvc &__GLEW_SGIX_dvc, #endif #ifdef GL_SGIX_flush_raster &__GLEW_SGIX_flush_raster, #endif #ifdef GL_SGIX_fog_blend &__GLEW_SGIX_fog_blend, #endif #ifdef GL_SGIX_fog_factor_to_alpha &__GLEW_SGIX_fog_factor_to_alpha, #endif #ifdef GL_SGIX_fog_layers &__GLEW_SGIX_fog_layers, #endif #ifdef GL_SGIX_fog_offset &__GLEW_SGIX_fog_offset, #endif #ifdef GL_SGIX_fog_patchy &__GLEW_SGIX_fog_patchy, #endif #ifdef GL_SGIX_fog_scale &__GLEW_SGIX_fog_scale, #endif #ifdef GL_SGIX_fog_texture &__GLEW_SGIX_fog_texture, #endif #ifdef GL_SGIX_fragment_lighting_space &__GLEW_SGIX_fragment_lighting_space, #endif #ifdef GL_SGIX_fragment_specular_lighting &__GLEW_SGIX_fragment_specular_lighting, #endif #ifdef GL_SGIX_fragments_instrument &__GLEW_SGIX_fragments_instrument, #endif #ifdef GL_SGIX_framezoom &__GLEW_SGIX_framezoom, #endif #ifdef GL_SGIX_icc_texture &__GLEW_SGIX_icc_texture, #endif #ifdef GL_SGIX_igloo_interface &__GLEW_SGIX_igloo_interface, #endif #ifdef GL_SGIX_image_compression &__GLEW_SGIX_image_compression, #endif #ifdef GL_SGIX_impact_pixel_texture &__GLEW_SGIX_impact_pixel_texture, #endif #ifdef GL_SGIX_instrument_error &__GLEW_SGIX_instrument_error, #endif #ifdef GL_SGIX_interlace &__GLEW_SGIX_interlace, #endif #ifdef GL_SGIX_ir_instrument1 &__GLEW_SGIX_ir_instrument1, #endif #ifdef GL_SGIX_line_quality_hint &__GLEW_SGIX_line_quality_hint, #endif #ifdef GL_SGIX_list_priority &__GLEW_SGIX_list_priority, #endif #ifdef GL_SGIX_mpeg1 &__GLEW_SGIX_mpeg1, #endif #ifdef GL_SGIX_mpeg2 &__GLEW_SGIX_mpeg2, #endif #ifdef GL_SGIX_nonlinear_lighting_pervertex &__GLEW_SGIX_nonlinear_lighting_pervertex, #endif #ifdef GL_SGIX_nurbs_eval &__GLEW_SGIX_nurbs_eval, #endif #ifdef GL_SGIX_occlusion_instrument &__GLEW_SGIX_occlusion_instrument, #endif #ifdef GL_SGIX_packed_6bytes &__GLEW_SGIX_packed_6bytes, #endif #ifdef GL_SGIX_pixel_texture &__GLEW_SGIX_pixel_texture, #endif #ifdef GL_SGIX_pixel_texture_bits &__GLEW_SGIX_pixel_texture_bits, #endif #ifdef GL_SGIX_pixel_texture_lod &__GLEW_SGIX_pixel_texture_lod, #endif #ifdef GL_SGIX_pixel_tiles &__GLEW_SGIX_pixel_tiles, #endif #ifdef GL_SGIX_polynomial_ffd &__GLEW_SGIX_polynomial_ffd, #endif #ifdef GL_SGIX_quad_mesh &__GLEW_SGIX_quad_mesh, #endif #ifdef GL_SGIX_reference_plane &__GLEW_SGIX_reference_plane, #endif #ifdef GL_SGIX_resample &__GLEW_SGIX_resample, #endif #ifdef GL_SGIX_scalebias_hint &__GLEW_SGIX_scalebias_hint, #endif #ifdef GL_SGIX_shadow &__GLEW_SGIX_shadow, #endif #ifdef GL_SGIX_shadow_ambient &__GLEW_SGIX_shadow_ambient, #endif #ifdef GL_SGIX_slim &__GLEW_SGIX_slim, #endif #ifdef GL_SGIX_spotlight_cutoff &__GLEW_SGIX_spotlight_cutoff, #endif #ifdef GL_SGIX_sprite &__GLEW_SGIX_sprite, #endif #ifdef GL_SGIX_subdiv_patch &__GLEW_SGIX_subdiv_patch, #endif #ifdef GL_SGIX_subsample &__GLEW_SGIX_subsample, #endif #ifdef GL_SGIX_tag_sample_buffer &__GLEW_SGIX_tag_sample_buffer, #endif #ifdef GL_SGIX_texture_add_env &__GLEW_SGIX_texture_add_env, #endif #ifdef GL_SGIX_texture_coordinate_clamp &__GLEW_SGIX_texture_coordinate_clamp, #endif #ifdef GL_SGIX_texture_lod_bias &__GLEW_SGIX_texture_lod_bias, #endif #ifdef GL_SGIX_texture_mipmap_anisotropic &__GLEW_SGIX_texture_mipmap_anisotropic, #endif #ifdef GL_SGIX_texture_multi_buffer &__GLEW_SGIX_texture_multi_buffer, #endif #ifdef GL_SGIX_texture_phase &__GLEW_SGIX_texture_phase, #endif #ifdef GL_SGIX_texture_range &__GLEW_SGIX_texture_range, #endif #ifdef GL_SGIX_texture_scale_bias &__GLEW_SGIX_texture_scale_bias, #endif #ifdef GL_SGIX_texture_supersample &__GLEW_SGIX_texture_supersample, #endif #ifdef GL_SGIX_vector_ops &__GLEW_SGIX_vector_ops, #endif #ifdef GL_SGIX_vertex_array_object &__GLEW_SGIX_vertex_array_object, #endif #ifdef GL_SGIX_vertex_preclip &__GLEW_SGIX_vertex_preclip, #endif #ifdef GL_SGIX_vertex_preclip_hint &__GLEW_SGIX_vertex_preclip_hint, #endif #ifdef GL_SGIX_ycrcb &__GLEW_SGIX_ycrcb, #endif #ifdef GL_SGIX_ycrcb_subsample &__GLEW_SGIX_ycrcb_subsample, #endif #ifdef GL_SGIX_ycrcba &__GLEW_SGIX_ycrcba, #endif #ifdef GL_SGI_color_matrix &__GLEW_SGI_color_matrix, #endif #ifdef GL_SGI_color_table &__GLEW_SGI_color_table, #endif #ifdef GL_SGI_complex &__GLEW_SGI_complex, #endif #ifdef GL_SGI_complex_type &__GLEW_SGI_complex_type, #endif #ifdef GL_SGI_fft &__GLEW_SGI_fft, #endif #ifdef GL_SGI_texture_color_table &__GLEW_SGI_texture_color_table, #endif #ifdef GL_SUNX_constant_data &__GLEW_SUNX_constant_data, #endif #ifdef GL_SUN_convolution_border_modes &__GLEW_SUN_convolution_border_modes, #endif #ifdef GL_SUN_global_alpha &__GLEW_SUN_global_alpha, #endif #ifdef GL_SUN_mesh_array &__GLEW_SUN_mesh_array, #endif #ifdef GL_SUN_read_video_pixels &__GLEW_SUN_read_video_pixels, #endif #ifdef GL_SUN_slice_accum &__GLEW_SUN_slice_accum, #endif #ifdef GL_SUN_triangle_list &__GLEW_SUN_triangle_list, #endif #ifdef GL_SUN_vertex &__GLEW_SUN_vertex, #endif #ifdef GL_WIN_phong_shading &__GLEW_WIN_phong_shading, #endif #ifdef GL_WIN_scene_markerXXX &__GLEW_WIN_scene_markerXXX, #endif #ifdef GL_WIN_specular_fog &__GLEW_WIN_specular_fog, #endif #ifdef GL_WIN_swap_hint &__GLEW_WIN_swap_hint, #endif NULL }; static GLboolean _glewInit_GL_VERSION_1_2 (); static GLboolean _glewInit_GL_VERSION_1_3 (); static GLboolean _glewInit_GL_VERSION_1_4 (); static GLboolean _glewInit_GL_VERSION_1_5 (); static GLboolean _glewInit_GL_VERSION_2_0 (); static GLboolean _glewInit_GL_VERSION_2_1 (); static GLboolean _glewInit_GL_VERSION_3_0 (); static GLboolean _glewInit_GL_VERSION_3_1 (); static GLboolean _glewInit_GL_VERSION_3_2 (); static GLboolean _glewInit_GL_VERSION_3_3 (); static GLboolean _glewInit_GL_VERSION_4_0 (); static GLboolean _glewInit_GL_VERSION_4_5 (); static GLboolean _glewInit_GL_VERSION_4_6 (); static GLboolean _glewInit_GL_3DFX_tbuffer (); static GLboolean _glewInit_GL_AMD_debug_output (); static GLboolean _glewInit_GL_AMD_draw_buffers_blend (); static GLboolean _glewInit_GL_AMD_framebuffer_sample_positions (); static GLboolean _glewInit_GL_AMD_interleaved_elements (); static GLboolean _glewInit_GL_AMD_multi_draw_indirect (); static GLboolean _glewInit_GL_AMD_name_gen_delete (); static GLboolean _glewInit_GL_AMD_occlusion_query_event (); static GLboolean _glewInit_GL_AMD_performance_monitor (); static GLboolean _glewInit_GL_AMD_sample_positions (); static GLboolean _glewInit_GL_AMD_sparse_texture (); static GLboolean _glewInit_GL_AMD_stencil_operation_extended (); static GLboolean _glewInit_GL_AMD_vertex_shader_tessellator (); static GLboolean _glewInit_GL_ANGLE_framebuffer_blit (); static GLboolean _glewInit_GL_ANGLE_framebuffer_multisample (); static GLboolean _glewInit_GL_ANGLE_instanced_arrays (); static GLboolean _glewInit_GL_ANGLE_timer_query (); static GLboolean _glewInit_GL_ANGLE_translated_shader_source (); static GLboolean _glewInit_GL_APPLE_copy_texture_levels (); static GLboolean _glewInit_GL_APPLE_element_array (); static GLboolean _glewInit_GL_APPLE_fence (); static GLboolean _glewInit_GL_APPLE_flush_buffer_range (); static GLboolean _glewInit_GL_APPLE_framebuffer_multisample (); static GLboolean _glewInit_GL_APPLE_object_purgeable (); static GLboolean _glewInit_GL_APPLE_sync (); static GLboolean _glewInit_GL_APPLE_texture_range (); static GLboolean _glewInit_GL_APPLE_vertex_array_object (); static GLboolean _glewInit_GL_APPLE_vertex_array_range (); static GLboolean _glewInit_GL_APPLE_vertex_program_evaluators (); static GLboolean _glewInit_GL_ARB_ES2_compatibility (); static GLboolean _glewInit_GL_ARB_ES3_1_compatibility (); static GLboolean _glewInit_GL_ARB_ES3_2_compatibility (); static GLboolean _glewInit_GL_ARB_base_instance (); static GLboolean _glewInit_GL_ARB_bindless_texture (); static GLboolean _glewInit_GL_ARB_blend_func_extended (); static GLboolean _glewInit_GL_ARB_buffer_storage (); static GLboolean _glewInit_GL_ARB_cl_event (); static GLboolean _glewInit_GL_ARB_clear_buffer_object (); static GLboolean _glewInit_GL_ARB_clear_texture (); static GLboolean _glewInit_GL_ARB_clip_control (); static GLboolean _glewInit_GL_ARB_color_buffer_float (); static GLboolean _glewInit_GL_ARB_compute_shader (); static GLboolean _glewInit_GL_ARB_compute_variable_group_size (); static GLboolean _glewInit_GL_ARB_copy_buffer (); static GLboolean _glewInit_GL_ARB_copy_image (); static GLboolean _glewInit_GL_ARB_debug_output (); static GLboolean _glewInit_GL_ARB_direct_state_access (); static GLboolean _glewInit_GL_ARB_draw_buffers (); static GLboolean _glewInit_GL_ARB_draw_buffers_blend (); static GLboolean _glewInit_GL_ARB_draw_elements_base_vertex (); static GLboolean _glewInit_GL_ARB_draw_indirect (); static GLboolean _glewInit_GL_ARB_framebuffer_no_attachments (); static GLboolean _glewInit_GL_ARB_framebuffer_object (); static GLboolean _glewInit_GL_ARB_geometry_shader4 (); static GLboolean _glewInit_GL_ARB_get_program_binary (); static GLboolean _glewInit_GL_ARB_get_texture_sub_image (); static GLboolean _glewInit_GL_ARB_gl_spirv (); static GLboolean _glewInit_GL_ARB_gpu_shader_fp64 (); static GLboolean _glewInit_GL_ARB_gpu_shader_int64 (); static GLboolean _glewInit_GL_ARB_imaging (); static GLboolean _glewInit_GL_ARB_indirect_parameters (); static GLboolean _glewInit_GL_ARB_instanced_arrays (); static GLboolean _glewInit_GL_ARB_internalformat_query (); static GLboolean _glewInit_GL_ARB_internalformat_query2 (); static GLboolean _glewInit_GL_ARB_invalidate_subdata (); static GLboolean _glewInit_GL_ARB_map_buffer_range (); static GLboolean _glewInit_GL_ARB_matrix_palette (); static GLboolean _glewInit_GL_ARB_multi_bind (); static GLboolean _glewInit_GL_ARB_multi_draw_indirect (); static GLboolean _glewInit_GL_ARB_multisample (); static GLboolean _glewInit_GL_ARB_multitexture (); static GLboolean _glewInit_GL_ARB_occlusion_query (); static GLboolean _glewInit_GL_ARB_parallel_shader_compile (); static GLboolean _glewInit_GL_ARB_point_parameters (); static GLboolean _glewInit_GL_ARB_polygon_offset_clamp (); static GLboolean _glewInit_GL_ARB_program_interface_query (); static GLboolean _glewInit_GL_ARB_provoking_vertex (); static GLboolean _glewInit_GL_ARB_robustness (); static GLboolean _glewInit_GL_ARB_sample_locations (); static GLboolean _glewInit_GL_ARB_sample_shading (); static GLboolean _glewInit_GL_ARB_sampler_objects (); static GLboolean _glewInit_GL_ARB_separate_shader_objects (); static GLboolean _glewInit_GL_ARB_shader_atomic_counters (); static GLboolean _glewInit_GL_ARB_shader_image_load_store (); static GLboolean _glewInit_GL_ARB_shader_objects (); static GLboolean _glewInit_GL_ARB_shader_storage_buffer_object (); static GLboolean _glewInit_GL_ARB_shader_subroutine (); static GLboolean _glewInit_GL_ARB_shading_language_include (); static GLboolean _glewInit_GL_ARB_sparse_buffer (); static GLboolean _glewInit_GL_ARB_sparse_texture (); static GLboolean _glewInit_GL_ARB_sync (); static GLboolean _glewInit_GL_ARB_tessellation_shader (); static GLboolean _glewInit_GL_ARB_texture_barrier (); static GLboolean _glewInit_GL_ARB_texture_buffer_object (); static GLboolean _glewInit_GL_ARB_texture_buffer_range (); static GLboolean _glewInit_GL_ARB_texture_compression (); static GLboolean _glewInit_GL_ARB_texture_multisample (); static GLboolean _glewInit_GL_ARB_texture_storage (); static GLboolean _glewInit_GL_ARB_texture_storage_multisample (); static GLboolean _glewInit_GL_ARB_texture_view (); static GLboolean _glewInit_GL_ARB_timer_query (); static GLboolean _glewInit_GL_ARB_transform_feedback2 (); static GLboolean _glewInit_GL_ARB_transform_feedback3 (); static GLboolean _glewInit_GL_ARB_transform_feedback_instanced (); static GLboolean _glewInit_GL_ARB_transpose_matrix (); static GLboolean _glewInit_GL_ARB_uniform_buffer_object (); static GLboolean _glewInit_GL_ARB_vertex_array_object (); static GLboolean _glewInit_GL_ARB_vertex_attrib_64bit (); static GLboolean _glewInit_GL_ARB_vertex_attrib_binding (); static GLboolean _glewInit_GL_ARB_vertex_blend (); static GLboolean _glewInit_GL_ARB_vertex_buffer_object (); static GLboolean _glewInit_GL_ARB_vertex_program (); static GLboolean _glewInit_GL_ARB_vertex_shader (); static GLboolean _glewInit_GL_ARB_vertex_type_2_10_10_10_rev (); static GLboolean _glewInit_GL_ARB_viewport_array (); static GLboolean _glewInit_GL_ARB_window_pos (); static GLboolean _glewInit_GL_ATI_draw_buffers (); static GLboolean _glewInit_GL_ATI_element_array (); static GLboolean _glewInit_GL_ATI_envmap_bumpmap (); static GLboolean _glewInit_GL_ATI_fragment_shader (); static GLboolean _glewInit_GL_ATI_map_object_buffer (); static GLboolean _glewInit_GL_ATI_pn_triangles (); static GLboolean _glewInit_GL_ATI_separate_stencil (); static GLboolean _glewInit_GL_ATI_vertex_array_object (); static GLboolean _glewInit_GL_ATI_vertex_attrib_array_object (); static GLboolean _glewInit_GL_ATI_vertex_streams (); static GLboolean _glewInit_GL_EXT_base_instance (); static GLboolean _glewInit_GL_EXT_bindable_uniform (); static GLboolean _glewInit_GL_EXT_blend_color (); static GLboolean _glewInit_GL_EXT_blend_equation_separate (); static GLboolean _glewInit_GL_EXT_blend_func_extended (); static GLboolean _glewInit_GL_EXT_blend_func_separate (); static GLboolean _glewInit_GL_EXT_blend_minmax (); static GLboolean _glewInit_GL_EXT_buffer_storage (); static GLboolean _glewInit_GL_EXT_clear_texture (); static GLboolean _glewInit_GL_EXT_color_subtable (); static GLboolean _glewInit_GL_EXT_compiled_vertex_array (); static GLboolean _glewInit_GL_EXT_convolution (); static GLboolean _glewInit_GL_EXT_coordinate_frame (); static GLboolean _glewInit_GL_EXT_copy_image (); static GLboolean _glewInit_GL_EXT_copy_texture (); static GLboolean _glewInit_GL_EXT_cull_vertex (); static GLboolean _glewInit_GL_EXT_debug_label (); static GLboolean _glewInit_GL_EXT_debug_marker (); static GLboolean _glewInit_GL_EXT_depth_bounds_test (); static GLboolean _glewInit_GL_EXT_direct_state_access (); static GLboolean _glewInit_GL_EXT_discard_framebuffer (); static GLboolean _glewInit_GL_EXT_draw_buffers (); static GLboolean _glewInit_GL_EXT_draw_buffers2 (); static GLboolean _glewInit_GL_EXT_draw_buffers_indexed (); static GLboolean _glewInit_GL_EXT_draw_elements_base_vertex (); static GLboolean _glewInit_GL_EXT_draw_instanced (); static GLboolean _glewInit_GL_EXT_draw_range_elements (); static GLboolean _glewInit_GL_EXT_external_buffer (); static GLboolean _glewInit_GL_EXT_fog_coord (); static GLboolean _glewInit_GL_EXT_fragment_lighting (); static GLboolean _glewInit_GL_EXT_framebuffer_blit (); static GLboolean _glewInit_GL_EXT_framebuffer_multisample (); static GLboolean _glewInit_GL_EXT_framebuffer_object (); static GLboolean _glewInit_GL_EXT_geometry_shader4 (); static GLboolean _glewInit_GL_EXT_gpu_program_parameters (); static GLboolean _glewInit_GL_EXT_gpu_shader4 (); static GLboolean _glewInit_GL_EXT_histogram (); static GLboolean _glewInit_GL_EXT_index_func (); static GLboolean _glewInit_GL_EXT_index_material (); static GLboolean _glewInit_GL_EXT_instanced_arrays (); static GLboolean _glewInit_GL_EXT_light_texture (); static GLboolean _glewInit_GL_EXT_map_buffer_range (); static GLboolean _glewInit_GL_EXT_memory_object (); static GLboolean _glewInit_GL_EXT_memory_object_fd (); static GLboolean _glewInit_GL_EXT_memory_object_win32 (); static GLboolean _glewInit_GL_EXT_multi_draw_arrays (); static GLboolean _glewInit_GL_EXT_multi_draw_indirect (); static GLboolean _glewInit_GL_EXT_multisample (); static GLboolean _glewInit_GL_EXT_multisampled_render_to_texture (); static GLboolean _glewInit_GL_EXT_multiview_draw_buffers (); static GLboolean _glewInit_GL_EXT_paletted_texture (); static GLboolean _glewInit_GL_EXT_pixel_transform (); static GLboolean _glewInit_GL_EXT_point_parameters (); static GLboolean _glewInit_GL_EXT_polygon_offset (); static GLboolean _glewInit_GL_EXT_polygon_offset_clamp (); static GLboolean _glewInit_GL_EXT_provoking_vertex (); static GLboolean _glewInit_GL_EXT_raster_multisample (); static GLboolean _glewInit_GL_EXT_scene_marker (); static GLboolean _glewInit_GL_EXT_secondary_color (); static GLboolean _glewInit_GL_EXT_semaphore (); static GLboolean _glewInit_GL_EXT_semaphore_fd (); static GLboolean _glewInit_GL_EXT_semaphore_win32 (); static GLboolean _glewInit_GL_EXT_separate_shader_objects (); static GLboolean _glewInit_GL_EXT_shader_image_load_store (); static GLboolean _glewInit_GL_EXT_shader_pixel_local_storage2 (); static GLboolean _glewInit_GL_EXT_sparse_texture (); static GLboolean _glewInit_GL_EXT_stencil_two_side (); static GLboolean _glewInit_GL_EXT_subtexture (); static GLboolean _glewInit_GL_EXT_texture3D (); static GLboolean _glewInit_GL_EXT_texture_array (); static GLboolean _glewInit_GL_EXT_texture_buffer_object (); static GLboolean _glewInit_GL_EXT_texture_integer (); static GLboolean _glewInit_GL_EXT_texture_object (); static GLboolean _glewInit_GL_EXT_texture_perturb_normal (); static GLboolean _glewInit_GL_EXT_texture_storage (); static GLboolean _glewInit_GL_EXT_texture_view (); static GLboolean _glewInit_GL_EXT_timer_query (); static GLboolean _glewInit_GL_EXT_transform_feedback (); static GLboolean _glewInit_GL_EXT_vertex_array (); static GLboolean _glewInit_GL_EXT_vertex_array_setXXX (); static GLboolean _glewInit_GL_EXT_vertex_attrib_64bit (); static GLboolean _glewInit_GL_EXT_vertex_shader (); static GLboolean _glewInit_GL_EXT_vertex_weighting (); static GLboolean _glewInit_GL_EXT_win32_keyed_mutex (); static GLboolean _glewInit_GL_EXT_window_rectangles (); static GLboolean _glewInit_GL_EXT_x11_sync_object (); static GLboolean _glewInit_GL_GREMEDY_frame_terminator (); static GLboolean _glewInit_GL_GREMEDY_string_marker (); static GLboolean _glewInit_GL_HP_image_transform (); static GLboolean _glewInit_GL_IBM_multimode_draw_arrays (); static GLboolean _glewInit_GL_IBM_vertex_array_lists (); static GLboolean _glewInit_GL_INTEL_map_texture (); static GLboolean _glewInit_GL_INTEL_parallel_arrays (); static GLboolean _glewInit_GL_INTEL_performance_query (); static GLboolean _glewInit_GL_INTEL_texture_scissor (); static GLboolean _glewInit_GL_KHR_blend_equation_advanced (); static GLboolean _glewInit_GL_KHR_debug (); static GLboolean _glewInit_GL_KHR_parallel_shader_compile (); static GLboolean _glewInit_GL_KHR_robustness (); static GLboolean _glewInit_GL_KTX_buffer_region (); static GLboolean _glewInit_GL_MESA_resize_buffers (); static GLboolean _glewInit_GL_MESA_window_pos (); static GLboolean _glewInit_GL_NVX_conditional_render (); static GLboolean _glewInit_GL_NVX_linked_gpu_multicast (); static GLboolean _glewInit_GL_NV_3dvision_settings (); static GLboolean _glewInit_GL_NV_bindless_multi_draw_indirect (); static GLboolean _glewInit_GL_NV_bindless_multi_draw_indirect_count (); static GLboolean _glewInit_GL_NV_bindless_texture (); static GLboolean _glewInit_GL_NV_blend_equation_advanced (); static GLboolean _glewInit_GL_NV_clip_space_w_scaling (); static GLboolean _glewInit_GL_NV_command_list (); static GLboolean _glewInit_GL_NV_conditional_render (); static GLboolean _glewInit_GL_NV_conservative_raster (); static GLboolean _glewInit_GL_NV_conservative_raster_dilate (); static GLboolean _glewInit_GL_NV_conservative_raster_pre_snap_triangles (); static GLboolean _glewInit_GL_NV_copy_buffer (); static GLboolean _glewInit_GL_NV_copy_image (); static GLboolean _glewInit_GL_NV_depth_buffer_float (); static GLboolean _glewInit_GL_NV_draw_buffers (); static GLboolean _glewInit_GL_NV_draw_instanced (); static GLboolean _glewInit_GL_NV_draw_texture (); static GLboolean _glewInit_GL_NV_draw_vulkan_image (); static GLboolean _glewInit_GL_NV_evaluators (); static GLboolean _glewInit_GL_NV_explicit_multisample (); static GLboolean _glewInit_GL_NV_fence (); static GLboolean _glewInit_GL_NV_fragment_coverage_to_color (); static GLboolean _glewInit_GL_NV_fragment_program (); static GLboolean _glewInit_GL_NV_framebuffer_blit (); static GLboolean _glewInit_GL_NV_framebuffer_multisample (); static GLboolean _glewInit_GL_NV_framebuffer_multisample_coverage (); static GLboolean _glewInit_GL_NV_geometry_program4 (); static GLboolean _glewInit_GL_NV_gpu_multicast (); static GLboolean _glewInit_GL_NV_gpu_program4 (); static GLboolean _glewInit_GL_NV_gpu_shader5 (); static GLboolean _glewInit_GL_NV_half_float (); static GLboolean _glewInit_GL_NV_instanced_arrays (); static GLboolean _glewInit_GL_NV_internalformat_sample_query (); static GLboolean _glewInit_GL_NV_non_square_matrices (); static GLboolean _glewInit_GL_NV_occlusion_query (); static GLboolean _glewInit_GL_NV_parameter_buffer_object (); static GLboolean _glewInit_GL_NV_path_rendering (); static GLboolean _glewInit_GL_NV_pixel_data_range (); static GLboolean _glewInit_GL_NV_point_sprite (); static GLboolean _glewInit_GL_NV_polygon_mode (); static GLboolean _glewInit_GL_NV_present_video (); static GLboolean _glewInit_GL_NV_primitive_restart (); static GLboolean _glewInit_GL_NV_register_combiners (); static GLboolean _glewInit_GL_NV_register_combiners2 (); static GLboolean _glewInit_GL_NV_sample_locations (); static GLboolean _glewInit_GL_NV_shader_buffer_load (); static GLboolean _glewInit_GL_NV_texture_array (); static GLboolean _glewInit_GL_NV_texture_barrier (); static GLboolean _glewInit_GL_NV_texture_multisample (); static GLboolean _glewInit_GL_NV_transform_feedback (); static GLboolean _glewInit_GL_NV_transform_feedback2 (); static GLboolean _glewInit_GL_NV_vdpau_interop (); static GLboolean _glewInit_GL_NV_vertex_array_range (); static GLboolean _glewInit_GL_NV_vertex_attrib_integer_64bit (); static GLboolean _glewInit_GL_NV_vertex_buffer_unified_memory (); static GLboolean _glewInit_GL_NV_vertex_program (); static GLboolean _glewInit_GL_NV_video_capture (); static GLboolean _glewInit_GL_NV_viewport_array (); static GLboolean _glewInit_GL_NV_viewport_swizzle (); static GLboolean _glewInit_GL_OVR_multiview (); static GLboolean _glewInit_GL_OVR_multiview_multisampled_render_to_texture (); static GLboolean _glewInit_GL_QCOM_alpha_test (); static GLboolean _glewInit_GL_QCOM_driver_control (); static GLboolean _glewInit_GL_QCOM_extended_get (); static GLboolean _glewInit_GL_QCOM_extended_get2 (); static GLboolean _glewInit_GL_QCOM_framebuffer_foveated (); static GLboolean _glewInit_GL_QCOM_shader_framebuffer_fetch_noncoherent (); static GLboolean _glewInit_GL_QCOM_tiled_rendering (); static GLboolean _glewInit_GL_REGAL_ES1_0_compatibility (); static GLboolean _glewInit_GL_REGAL_ES1_1_compatibility (); static GLboolean _glewInit_GL_REGAL_error_string (); static GLboolean _glewInit_GL_REGAL_extension_query (); static GLboolean _glewInit_GL_REGAL_log (); static GLboolean _glewInit_GL_REGAL_proc_address (); static GLboolean _glewInit_GL_SGIS_detail_texture (); static GLboolean _glewInit_GL_SGIS_fog_function (); static GLboolean _glewInit_GL_SGIS_multisample (); static GLboolean _glewInit_GL_SGIS_multitexture (); static GLboolean _glewInit_GL_SGIS_shared_multisample (); static GLboolean _glewInit_GL_SGIS_sharpen_texture (); static GLboolean _glewInit_GL_SGIS_texture4D (); static GLboolean _glewInit_GL_SGIS_texture_filter4 (); static GLboolean _glewInit_GL_SGIX_async (); static GLboolean _glewInit_GL_SGIX_datapipe (); static GLboolean _glewInit_GL_SGIX_flush_raster (); static GLboolean _glewInit_GL_SGIX_fog_layers (); static GLboolean _glewInit_GL_SGIX_fog_texture (); static GLboolean _glewInit_GL_SGIX_fragment_specular_lighting (); static GLboolean _glewInit_GL_SGIX_framezoom (); static GLboolean _glewInit_GL_SGIX_igloo_interface (); static GLboolean _glewInit_GL_SGIX_mpeg1 (); static GLboolean _glewInit_GL_SGIX_nonlinear_lighting_pervertex (); static GLboolean _glewInit_GL_SGIX_pixel_texture (); static GLboolean _glewInit_GL_SGIX_polynomial_ffd (); static GLboolean _glewInit_GL_SGIX_quad_mesh (); static GLboolean _glewInit_GL_SGIX_reference_plane (); static GLboolean _glewInit_GL_SGIX_sprite (); static GLboolean _glewInit_GL_SGIX_tag_sample_buffer (); static GLboolean _glewInit_GL_SGIX_vector_ops (); static GLboolean _glewInit_GL_SGIX_vertex_array_object (); static GLboolean _glewInit_GL_SGI_color_table (); static GLboolean _glewInit_GL_SGI_fft (); static GLboolean _glewInit_GL_SUNX_constant_data (); static GLboolean _glewInit_GL_SUN_global_alpha (); static GLboolean _glewInit_GL_SUN_read_video_pixels (); static GLboolean _glewInit_GL_SUN_triangle_list (); static GLboolean _glewInit_GL_SUN_vertex (); static GLboolean _glewInit_GL_WIN_swap_hint (); #ifdef GL_VERSION_1_2 static GLboolean _glewInit_GL_VERSION_1_2 () { GLboolean r = GL_FALSE; r = ((glCopyTexSubImage3D = (PFNGLCOPYTEXSUBIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glCopyTexSubImage3D")) == NULL) || r; r = ((glDrawRangeElements = (PFNGLDRAWRANGEELEMENTSPROC)glewGetProcAddress((const GLubyte*)"glDrawRangeElements")) == NULL) || r; r = ((glTexImage3D = (PFNGLTEXIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glTexImage3D")) == NULL) || r; r = ((glTexSubImage3D = (PFNGLTEXSUBIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glTexSubImage3D")) == NULL) || r; return r; } #endif /* GL_VERSION_1_2 */ #ifdef GL_VERSION_1_3 static GLboolean _glewInit_GL_VERSION_1_3 () { GLboolean r = GL_FALSE; r = ((glActiveTexture = (PFNGLACTIVETEXTUREPROC)glewGetProcAddress((const GLubyte*)"glActiveTexture")) == NULL) || r; r = ((glClientActiveTexture = (PFNGLCLIENTACTIVETEXTUREPROC)glewGetProcAddress((const GLubyte*)"glClientActiveTexture")) == NULL) || r; r = ((glCompressedTexImage1D = (PFNGLCOMPRESSEDTEXIMAGE1DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage1D")) == NULL) || r; r = ((glCompressedTexImage2D = (PFNGLCOMPRESSEDTEXIMAGE2DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage2D")) == NULL) || r; r = ((glCompressedTexImage3D = (PFNGLCOMPRESSEDTEXIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage3D")) == NULL) || r; r = ((glCompressedTexSubImage1D = (PFNGLCOMPRESSEDTEXSUBIMAGE1DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage1D")) == NULL) || r; r = ((glCompressedTexSubImage2D = (PFNGLCOMPRESSEDTEXSUBIMAGE2DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage2D")) == NULL) || r; r = ((glCompressedTexSubImage3D = (PFNGLCOMPRESSEDTEXSUBIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage3D")) == NULL) || r; r = ((glGetCompressedTexImage = (PFNGLGETCOMPRESSEDTEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetCompressedTexImage")) == NULL) || r; r = ((glLoadTransposeMatrixd = (PFNGLLOADTRANSPOSEMATRIXDPROC)glewGetProcAddress((const GLubyte*)"glLoadTransposeMatrixd")) == NULL) || r; r = ((glLoadTransposeMatrixf = (PFNGLLOADTRANSPOSEMATRIXFPROC)glewGetProcAddress((const GLubyte*)"glLoadTransposeMatrixf")) == NULL) || r; r = ((glMultTransposeMatrixd = (PFNGLMULTTRANSPOSEMATRIXDPROC)glewGetProcAddress((const GLubyte*)"glMultTransposeMatrixd")) == NULL) || r; r = ((glMultTransposeMatrixf = (PFNGLMULTTRANSPOSEMATRIXFPROC)glewGetProcAddress((const GLubyte*)"glMultTransposeMatrixf")) == NULL) || r; r = ((glMultiTexCoord1d = (PFNGLMULTITEXCOORD1DPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1d")) == NULL) || r; r = ((glMultiTexCoord1dv = (PFNGLMULTITEXCOORD1DVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1dv")) == NULL) || r; r = ((glMultiTexCoord1f = (PFNGLMULTITEXCOORD1FPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1f")) == NULL) || r; r = ((glMultiTexCoord1fv = (PFNGLMULTITEXCOORD1FVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1fv")) == NULL) || r; r = ((glMultiTexCoord1i = (PFNGLMULTITEXCOORD1IPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1i")) == NULL) || r; r = ((glMultiTexCoord1iv = (PFNGLMULTITEXCOORD1IVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1iv")) == NULL) || r; r = ((glMultiTexCoord1s = (PFNGLMULTITEXCOORD1SPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1s")) == NULL) || r; r = ((glMultiTexCoord1sv = (PFNGLMULTITEXCOORD1SVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1sv")) == NULL) || r; r = ((glMultiTexCoord2d = (PFNGLMULTITEXCOORD2DPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2d")) == NULL) || r; r = ((glMultiTexCoord2dv = (PFNGLMULTITEXCOORD2DVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2dv")) == NULL) || r; r = ((glMultiTexCoord2f = (PFNGLMULTITEXCOORD2FPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2f")) == NULL) || r; r = ((glMultiTexCoord2fv = (PFNGLMULTITEXCOORD2FVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2fv")) == NULL) || r; r = ((glMultiTexCoord2i = (PFNGLMULTITEXCOORD2IPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2i")) == NULL) || r; r = ((glMultiTexCoord2iv = (PFNGLMULTITEXCOORD2IVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2iv")) == NULL) || r; r = ((glMultiTexCoord2s = (PFNGLMULTITEXCOORD2SPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2s")) == NULL) || r; r = ((glMultiTexCoord2sv = (PFNGLMULTITEXCOORD2SVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2sv")) == NULL) || r; r = ((glMultiTexCoord3d = (PFNGLMULTITEXCOORD3DPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3d")) == NULL) || r; r = ((glMultiTexCoord3dv = (PFNGLMULTITEXCOORD3DVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3dv")) == NULL) || r; r = ((glMultiTexCoord3f = (PFNGLMULTITEXCOORD3FPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3f")) == NULL) || r; r = ((glMultiTexCoord3fv = (PFNGLMULTITEXCOORD3FVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3fv")) == NULL) || r; r = ((glMultiTexCoord3i = (PFNGLMULTITEXCOORD3IPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3i")) == NULL) || r; r = ((glMultiTexCoord3iv = (PFNGLMULTITEXCOORD3IVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3iv")) == NULL) || r; r = ((glMultiTexCoord3s = (PFNGLMULTITEXCOORD3SPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3s")) == NULL) || r; r = ((glMultiTexCoord3sv = (PFNGLMULTITEXCOORD3SVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3sv")) == NULL) || r; r = ((glMultiTexCoord4d = (PFNGLMULTITEXCOORD4DPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4d")) == NULL) || r; r = ((glMultiTexCoord4dv = (PFNGLMULTITEXCOORD4DVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4dv")) == NULL) || r; r = ((glMultiTexCoord4f = (PFNGLMULTITEXCOORD4FPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4f")) == NULL) || r; r = ((glMultiTexCoord4fv = (PFNGLMULTITEXCOORD4FVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4fv")) == NULL) || r; r = ((glMultiTexCoord4i = (PFNGLMULTITEXCOORD4IPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4i")) == NULL) || r; r = ((glMultiTexCoord4iv = (PFNGLMULTITEXCOORD4IVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4iv")) == NULL) || r; r = ((glMultiTexCoord4s = (PFNGLMULTITEXCOORD4SPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4s")) == NULL) || r; r = ((glMultiTexCoord4sv = (PFNGLMULTITEXCOORD4SVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4sv")) == NULL) || r; r = ((glSampleCoverage = (PFNGLSAMPLECOVERAGEPROC)glewGetProcAddress((const GLubyte*)"glSampleCoverage")) == NULL) || r; return r; } #endif /* GL_VERSION_1_3 */ #ifdef GL_VERSION_1_4 static GLboolean _glewInit_GL_VERSION_1_4 () { GLboolean r = GL_FALSE; r = ((glBlendColor = (PFNGLBLENDCOLORPROC)glewGetProcAddress((const GLubyte*)"glBlendColor")) == NULL) || r; r = ((glBlendEquation = (PFNGLBLENDEQUATIONPROC)glewGetProcAddress((const GLubyte*)"glBlendEquation")) == NULL) || r; r = ((glBlendFuncSeparate = (PFNGLBLENDFUNCSEPARATEPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncSeparate")) == NULL) || r; r = ((glFogCoordPointer = (PFNGLFOGCOORDPOINTERPROC)glewGetProcAddress((const GLubyte*)"glFogCoordPointer")) == NULL) || r; r = ((glFogCoordd = (PFNGLFOGCOORDDPROC)glewGetProcAddress((const GLubyte*)"glFogCoordd")) == NULL) || r; r = ((glFogCoorddv = (PFNGLFOGCOORDDVPROC)glewGetProcAddress((const GLubyte*)"glFogCoorddv")) == NULL) || r; r = ((glFogCoordf = (PFNGLFOGCOORDFPROC)glewGetProcAddress((const GLubyte*)"glFogCoordf")) == NULL) || r; r = ((glFogCoordfv = (PFNGLFOGCOORDFVPROC)glewGetProcAddress((const GLubyte*)"glFogCoordfv")) == NULL) || r; r = ((glMultiDrawArrays = (PFNGLMULTIDRAWARRAYSPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArrays")) == NULL) || r; r = ((glMultiDrawElements = (PFNGLMULTIDRAWELEMENTSPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElements")) == NULL) || r; r = ((glPointParameterf = (PFNGLPOINTPARAMETERFPROC)glewGetProcAddress((const GLubyte*)"glPointParameterf")) == NULL) || r; r = ((glPointParameterfv = (PFNGLPOINTPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glPointParameterfv")) == NULL) || r; r = ((glPointParameteri = (PFNGLPOINTPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glPointParameteri")) == NULL) || r; r = ((glPointParameteriv = (PFNGLPOINTPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glPointParameteriv")) == NULL) || r; r = ((glSecondaryColor3b = (PFNGLSECONDARYCOLOR3BPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3b")) == NULL) || r; r = ((glSecondaryColor3bv = (PFNGLSECONDARYCOLOR3BVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3bv")) == NULL) || r; r = ((glSecondaryColor3d = (PFNGLSECONDARYCOLOR3DPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3d")) == NULL) || r; r = ((glSecondaryColor3dv = (PFNGLSECONDARYCOLOR3DVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3dv")) == NULL) || r; r = ((glSecondaryColor3f = (PFNGLSECONDARYCOLOR3FPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3f")) == NULL) || r; r = ((glSecondaryColor3fv = (PFNGLSECONDARYCOLOR3FVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3fv")) == NULL) || r; r = ((glSecondaryColor3i = (PFNGLSECONDARYCOLOR3IPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3i")) == NULL) || r; r = ((glSecondaryColor3iv = (PFNGLSECONDARYCOLOR3IVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3iv")) == NULL) || r; r = ((glSecondaryColor3s = (PFNGLSECONDARYCOLOR3SPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3s")) == NULL) || r; r = ((glSecondaryColor3sv = (PFNGLSECONDARYCOLOR3SVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3sv")) == NULL) || r; r = ((glSecondaryColor3ub = (PFNGLSECONDARYCOLOR3UBPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3ub")) == NULL) || r; r = ((glSecondaryColor3ubv = (PFNGLSECONDARYCOLOR3UBVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3ubv")) == NULL) || r; r = ((glSecondaryColor3ui = (PFNGLSECONDARYCOLOR3UIPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3ui")) == NULL) || r; r = ((glSecondaryColor3uiv = (PFNGLSECONDARYCOLOR3UIVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3uiv")) == NULL) || r; r = ((glSecondaryColor3us = (PFNGLSECONDARYCOLOR3USPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3us")) == NULL) || r; r = ((glSecondaryColor3usv = (PFNGLSECONDARYCOLOR3USVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3usv")) == NULL) || r; r = ((glSecondaryColorPointer = (PFNGLSECONDARYCOLORPOINTERPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColorPointer")) == NULL) || r; r = ((glWindowPos2d = (PFNGLWINDOWPOS2DPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2d")) == NULL) || r; r = ((glWindowPos2dv = (PFNGLWINDOWPOS2DVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2dv")) == NULL) || r; r = ((glWindowPos2f = (PFNGLWINDOWPOS2FPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2f")) == NULL) || r; r = ((glWindowPos2fv = (PFNGLWINDOWPOS2FVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2fv")) == NULL) || r; r = ((glWindowPos2i = (PFNGLWINDOWPOS2IPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2i")) == NULL) || r; r = ((glWindowPos2iv = (PFNGLWINDOWPOS2IVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2iv")) == NULL) || r; r = ((glWindowPos2s = (PFNGLWINDOWPOS2SPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2s")) == NULL) || r; r = ((glWindowPos2sv = (PFNGLWINDOWPOS2SVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2sv")) == NULL) || r; r = ((glWindowPos3d = (PFNGLWINDOWPOS3DPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3d")) == NULL) || r; r = ((glWindowPos3dv = (PFNGLWINDOWPOS3DVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3dv")) == NULL) || r; r = ((glWindowPos3f = (PFNGLWINDOWPOS3FPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3f")) == NULL) || r; r = ((glWindowPos3fv = (PFNGLWINDOWPOS3FVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3fv")) == NULL) || r; r = ((glWindowPos3i = (PFNGLWINDOWPOS3IPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3i")) == NULL) || r; r = ((glWindowPos3iv = (PFNGLWINDOWPOS3IVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3iv")) == NULL) || r; r = ((glWindowPos3s = (PFNGLWINDOWPOS3SPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3s")) == NULL) || r; r = ((glWindowPos3sv = (PFNGLWINDOWPOS3SVPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3sv")) == NULL) || r; return r; } #endif /* GL_VERSION_1_4 */ #ifdef GL_VERSION_1_5 static GLboolean _glewInit_GL_VERSION_1_5 () { GLboolean r = GL_FALSE; r = ((glBeginQuery = (PFNGLBEGINQUERYPROC)glewGetProcAddress((const GLubyte*)"glBeginQuery")) == NULL) || r; r = ((glBindBuffer = (PFNGLBINDBUFFERPROC)glewGetProcAddress((const GLubyte*)"glBindBuffer")) == NULL) || r; r = ((glBufferData = (PFNGLBUFFERDATAPROC)glewGetProcAddress((const GLubyte*)"glBufferData")) == NULL) || r; r = ((glBufferSubData = (PFNGLBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glBufferSubData")) == NULL) || r; r = ((glDeleteBuffers = (PFNGLDELETEBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glDeleteBuffers")) == NULL) || r; r = ((glDeleteQueries = (PFNGLDELETEQUERIESPROC)glewGetProcAddress((const GLubyte*)"glDeleteQueries")) == NULL) || r; r = ((glEndQuery = (PFNGLENDQUERYPROC)glewGetProcAddress((const GLubyte*)"glEndQuery")) == NULL) || r; r = ((glGenBuffers = (PFNGLGENBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glGenBuffers")) == NULL) || r; r = ((glGenQueries = (PFNGLGENQUERIESPROC)glewGetProcAddress((const GLubyte*)"glGenQueries")) == NULL) || r; r = ((glGetBufferParameteriv = (PFNGLGETBUFFERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetBufferParameteriv")) == NULL) || r; r = ((glGetBufferPointerv = (PFNGLGETBUFFERPOINTERVPROC)glewGetProcAddress((const GLubyte*)"glGetBufferPointerv")) == NULL) || r; r = ((glGetBufferSubData = (PFNGLGETBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glGetBufferSubData")) == NULL) || r; r = ((glGetQueryObjectiv = (PFNGLGETQUERYOBJECTIVPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectiv")) == NULL) || r; r = ((glGetQueryObjectuiv = (PFNGLGETQUERYOBJECTUIVPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectuiv")) == NULL) || r; r = ((glGetQueryiv = (PFNGLGETQUERYIVPROC)glewGetProcAddress((const GLubyte*)"glGetQueryiv")) == NULL) || r; r = ((glIsBuffer = (PFNGLISBUFFERPROC)glewGetProcAddress((const GLubyte*)"glIsBuffer")) == NULL) || r; r = ((glIsQuery = (PFNGLISQUERYPROC)glewGetProcAddress((const GLubyte*)"glIsQuery")) == NULL) || r; r = ((glMapBuffer = (PFNGLMAPBUFFERPROC)glewGetProcAddress((const GLubyte*)"glMapBuffer")) == NULL) || r; r = ((glUnmapBuffer = (PFNGLUNMAPBUFFERPROC)glewGetProcAddress((const GLubyte*)"glUnmapBuffer")) == NULL) || r; return r; } #endif /* GL_VERSION_1_5 */ #ifdef GL_VERSION_2_0 static GLboolean _glewInit_GL_VERSION_2_0 () { GLboolean r = GL_FALSE; r = ((glAttachShader = (PFNGLATTACHSHADERPROC)glewGetProcAddress((const GLubyte*)"glAttachShader")) == NULL) || r; r = ((glBindAttribLocation = (PFNGLBINDATTRIBLOCATIONPROC)glewGetProcAddress((const GLubyte*)"glBindAttribLocation")) == NULL) || r; r = ((glBlendEquationSeparate = (PFNGLBLENDEQUATIONSEPARATEPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationSeparate")) == NULL) || r; r = ((glCompileShader = (PFNGLCOMPILESHADERPROC)glewGetProcAddress((const GLubyte*)"glCompileShader")) == NULL) || r; r = ((glCreateProgram = (PFNGLCREATEPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glCreateProgram")) == NULL) || r; r = ((glCreateShader = (PFNGLCREATESHADERPROC)glewGetProcAddress((const GLubyte*)"glCreateShader")) == NULL) || r; r = ((glDeleteProgram = (PFNGLDELETEPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glDeleteProgram")) == NULL) || r; r = ((glDeleteShader = (PFNGLDELETESHADERPROC)glewGetProcAddress((const GLubyte*)"glDeleteShader")) == NULL) || r; r = ((glDetachShader = (PFNGLDETACHSHADERPROC)glewGetProcAddress((const GLubyte*)"glDetachShader")) == NULL) || r; r = ((glDisableVertexAttribArray = (PFNGLDISABLEVERTEXATTRIBARRAYPROC)glewGetProcAddress((const GLubyte*)"glDisableVertexAttribArray")) == NULL) || r; r = ((glDrawBuffers = (PFNGLDRAWBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glDrawBuffers")) == NULL) || r; r = ((glEnableVertexAttribArray = (PFNGLENABLEVERTEXATTRIBARRAYPROC)glewGetProcAddress((const GLubyte*)"glEnableVertexAttribArray")) == NULL) || r; r = ((glGetActiveAttrib = (PFNGLGETACTIVEATTRIBPROC)glewGetProcAddress((const GLubyte*)"glGetActiveAttrib")) == NULL) || r; r = ((glGetActiveUniform = (PFNGLGETACTIVEUNIFORMPROC)glewGetProcAddress((const GLubyte*)"glGetActiveUniform")) == NULL) || r; r = ((glGetAttachedShaders = (PFNGLGETATTACHEDSHADERSPROC)glewGetProcAddress((const GLubyte*)"glGetAttachedShaders")) == NULL) || r; r = ((glGetAttribLocation = (PFNGLGETATTRIBLOCATIONPROC)glewGetProcAddress((const GLubyte*)"glGetAttribLocation")) == NULL) || r; r = ((glGetProgramInfoLog = (PFNGLGETPROGRAMINFOLOGPROC)glewGetProcAddress((const GLubyte*)"glGetProgramInfoLog")) == NULL) || r; r = ((glGetProgramiv = (PFNGLGETPROGRAMIVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramiv")) == NULL) || r; r = ((glGetShaderInfoLog = (PFNGLGETSHADERINFOLOGPROC)glewGetProcAddress((const GLubyte*)"glGetShaderInfoLog")) == NULL) || r; r = ((glGetShaderSource = (PFNGLGETSHADERSOURCEPROC)glewGetProcAddress((const GLubyte*)"glGetShaderSource")) == NULL) || r; r = ((glGetShaderiv = (PFNGLGETSHADERIVPROC)glewGetProcAddress((const GLubyte*)"glGetShaderiv")) == NULL) || r; r = ((glGetUniformLocation = (PFNGLGETUNIFORMLOCATIONPROC)glewGetProcAddress((const GLubyte*)"glGetUniformLocation")) == NULL) || r; r = ((glGetUniformfv = (PFNGLGETUNIFORMFVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformfv")) == NULL) || r; r = ((glGetUniformiv = (PFNGLGETUNIFORMIVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformiv")) == NULL) || r; r = ((glGetVertexAttribPointerv = (PFNGLGETVERTEXATTRIBPOINTERVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribPointerv")) == NULL) || r; r = ((glGetVertexAttribdv = (PFNGLGETVERTEXATTRIBDVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribdv")) == NULL) || r; r = ((glGetVertexAttribfv = (PFNGLGETVERTEXATTRIBFVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribfv")) == NULL) || r; r = ((glGetVertexAttribiv = (PFNGLGETVERTEXATTRIBIVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribiv")) == NULL) || r; r = ((glIsProgram = (PFNGLISPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glIsProgram")) == NULL) || r; r = ((glIsShader = (PFNGLISSHADERPROC)glewGetProcAddress((const GLubyte*)"glIsShader")) == NULL) || r; r = ((glLinkProgram = (PFNGLLINKPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glLinkProgram")) == NULL) || r; r = ((glShaderSource = (PFNGLSHADERSOURCEPROC)glewGetProcAddress((const GLubyte*)"glShaderSource")) == NULL) || r; r = ((glStencilFuncSeparate = (PFNGLSTENCILFUNCSEPARATEPROC)glewGetProcAddress((const GLubyte*)"glStencilFuncSeparate")) == NULL) || r; r = ((glStencilMaskSeparate = (PFNGLSTENCILMASKSEPARATEPROC)glewGetProcAddress((const GLubyte*)"glStencilMaskSeparate")) == NULL) || r; r = ((glStencilOpSeparate = (PFNGLSTENCILOPSEPARATEPROC)glewGetProcAddress((const GLubyte*)"glStencilOpSeparate")) == NULL) || r; r = ((glUniform1f = (PFNGLUNIFORM1FPROC)glewGetProcAddress((const GLubyte*)"glUniform1f")) == NULL) || r; r = ((glUniform1fv = (PFNGLUNIFORM1FVPROC)glewGetProcAddress((const GLubyte*)"glUniform1fv")) == NULL) || r; r = ((glUniform1i = (PFNGLUNIFORM1IPROC)glewGetProcAddress((const GLubyte*)"glUniform1i")) == NULL) || r; r = ((glUniform1iv = (PFNGLUNIFORM1IVPROC)glewGetProcAddress((const GLubyte*)"glUniform1iv")) == NULL) || r; r = ((glUniform2f = (PFNGLUNIFORM2FPROC)glewGetProcAddress((const GLubyte*)"glUniform2f")) == NULL) || r; r = ((glUniform2fv = (PFNGLUNIFORM2FVPROC)glewGetProcAddress((const GLubyte*)"glUniform2fv")) == NULL) || r; r = ((glUniform2i = (PFNGLUNIFORM2IPROC)glewGetProcAddress((const GLubyte*)"glUniform2i")) == NULL) || r; r = ((glUniform2iv = (PFNGLUNIFORM2IVPROC)glewGetProcAddress((const GLubyte*)"glUniform2iv")) == NULL) || r; r = ((glUniform3f = (PFNGLUNIFORM3FPROC)glewGetProcAddress((const GLubyte*)"glUniform3f")) == NULL) || r; r = ((glUniform3fv = (PFNGLUNIFORM3FVPROC)glewGetProcAddress((const GLubyte*)"glUniform3fv")) == NULL) || r; r = ((glUniform3i = (PFNGLUNIFORM3IPROC)glewGetProcAddress((const GLubyte*)"glUniform3i")) == NULL) || r; r = ((glUniform3iv = (PFNGLUNIFORM3IVPROC)glewGetProcAddress((const GLubyte*)"glUniform3iv")) == NULL) || r; r = ((glUniform4f = (PFNGLUNIFORM4FPROC)glewGetProcAddress((const GLubyte*)"glUniform4f")) == NULL) || r; r = ((glUniform4fv = (PFNGLUNIFORM4FVPROC)glewGetProcAddress((const GLubyte*)"glUniform4fv")) == NULL) || r; r = ((glUniform4i = (PFNGLUNIFORM4IPROC)glewGetProcAddress((const GLubyte*)"glUniform4i")) == NULL) || r; r = ((glUniform4iv = (PFNGLUNIFORM4IVPROC)glewGetProcAddress((const GLubyte*)"glUniform4iv")) == NULL) || r; r = ((glUniformMatrix2fv = (PFNGLUNIFORMMATRIX2FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2fv")) == NULL) || r; r = ((glUniformMatrix3fv = (PFNGLUNIFORMMATRIX3FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3fv")) == NULL) || r; r = ((glUniformMatrix4fv = (PFNGLUNIFORMMATRIX4FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4fv")) == NULL) || r; r = ((glUseProgram = (PFNGLUSEPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glUseProgram")) == NULL) || r; r = ((glValidateProgram = (PFNGLVALIDATEPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glValidateProgram")) == NULL) || r; r = ((glVertexAttrib1d = (PFNGLVERTEXATTRIB1DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1d")) == NULL) || r; r = ((glVertexAttrib1dv = (PFNGLVERTEXATTRIB1DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1dv")) == NULL) || r; r = ((glVertexAttrib1f = (PFNGLVERTEXATTRIB1FPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1f")) == NULL) || r; r = ((glVertexAttrib1fv = (PFNGLVERTEXATTRIB1FVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1fv")) == NULL) || r; r = ((glVertexAttrib1s = (PFNGLVERTEXATTRIB1SPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1s")) == NULL) || r; r = ((glVertexAttrib1sv = (PFNGLVERTEXATTRIB1SVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1sv")) == NULL) || r; r = ((glVertexAttrib2d = (PFNGLVERTEXATTRIB2DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2d")) == NULL) || r; r = ((glVertexAttrib2dv = (PFNGLVERTEXATTRIB2DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2dv")) == NULL) || r; r = ((glVertexAttrib2f = (PFNGLVERTEXATTRIB2FPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2f")) == NULL) || r; r = ((glVertexAttrib2fv = (PFNGLVERTEXATTRIB2FVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2fv")) == NULL) || r; r = ((glVertexAttrib2s = (PFNGLVERTEXATTRIB2SPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2s")) == NULL) || r; r = ((glVertexAttrib2sv = (PFNGLVERTEXATTRIB2SVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2sv")) == NULL) || r; r = ((glVertexAttrib3d = (PFNGLVERTEXATTRIB3DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3d")) == NULL) || r; r = ((glVertexAttrib3dv = (PFNGLVERTEXATTRIB3DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3dv")) == NULL) || r; r = ((glVertexAttrib3f = (PFNGLVERTEXATTRIB3FPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3f")) == NULL) || r; r = ((glVertexAttrib3fv = (PFNGLVERTEXATTRIB3FVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3fv")) == NULL) || r; r = ((glVertexAttrib3s = (PFNGLVERTEXATTRIB3SPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3s")) == NULL) || r; r = ((glVertexAttrib3sv = (PFNGLVERTEXATTRIB3SVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3sv")) == NULL) || r; r = ((glVertexAttrib4Nbv = (PFNGLVERTEXATTRIB4NBVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Nbv")) == NULL) || r; r = ((glVertexAttrib4Niv = (PFNGLVERTEXATTRIB4NIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Niv")) == NULL) || r; r = ((glVertexAttrib4Nsv = (PFNGLVERTEXATTRIB4NSVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Nsv")) == NULL) || r; r = ((glVertexAttrib4Nub = (PFNGLVERTEXATTRIB4NUBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Nub")) == NULL) || r; r = ((glVertexAttrib4Nubv = (PFNGLVERTEXATTRIB4NUBVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Nubv")) == NULL) || r; r = ((glVertexAttrib4Nuiv = (PFNGLVERTEXATTRIB4NUIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Nuiv")) == NULL) || r; r = ((glVertexAttrib4Nusv = (PFNGLVERTEXATTRIB4NUSVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4Nusv")) == NULL) || r; r = ((glVertexAttrib4bv = (PFNGLVERTEXATTRIB4BVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4bv")) == NULL) || r; r = ((glVertexAttrib4d = (PFNGLVERTEXATTRIB4DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4d")) == NULL) || r; r = ((glVertexAttrib4dv = (PFNGLVERTEXATTRIB4DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4dv")) == NULL) || r; r = ((glVertexAttrib4f = (PFNGLVERTEXATTRIB4FPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4f")) == NULL) || r; r = ((glVertexAttrib4fv = (PFNGLVERTEXATTRIB4FVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4fv")) == NULL) || r; r = ((glVertexAttrib4iv = (PFNGLVERTEXATTRIB4IVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4iv")) == NULL) || r; r = ((glVertexAttrib4s = (PFNGLVERTEXATTRIB4SPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4s")) == NULL) || r; r = ((glVertexAttrib4sv = (PFNGLVERTEXATTRIB4SVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4sv")) == NULL) || r; r = ((glVertexAttrib4ubv = (PFNGLVERTEXATTRIB4UBVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4ubv")) == NULL) || r; r = ((glVertexAttrib4uiv = (PFNGLVERTEXATTRIB4UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4uiv")) == NULL) || r; r = ((glVertexAttrib4usv = (PFNGLVERTEXATTRIB4USVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4usv")) == NULL) || r; r = ((glVertexAttribPointer = (PFNGLVERTEXATTRIBPOINTERPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribPointer")) == NULL) || r; return r; } #endif /* GL_VERSION_2_0 */ #ifdef GL_VERSION_2_1 static GLboolean _glewInit_GL_VERSION_2_1 () { GLboolean r = GL_FALSE; r = ((glUniformMatrix2x3fv = (PFNGLUNIFORMMATRIX2X3FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2x3fv")) == NULL) || r; r = ((glUniformMatrix2x4fv = (PFNGLUNIFORMMATRIX2X4FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2x4fv")) == NULL) || r; r = ((glUniformMatrix3x2fv = (PFNGLUNIFORMMATRIX3X2FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3x2fv")) == NULL) || r; r = ((glUniformMatrix3x4fv = (PFNGLUNIFORMMATRIX3X4FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3x4fv")) == NULL) || r; r = ((glUniformMatrix4x2fv = (PFNGLUNIFORMMATRIX4X2FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4x2fv")) == NULL) || r; r = ((glUniformMatrix4x3fv = (PFNGLUNIFORMMATRIX4X3FVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4x3fv")) == NULL) || r; return r; } #endif /* GL_VERSION_2_1 */ #ifdef GL_VERSION_3_0 static GLboolean _glewInit_GL_VERSION_3_0 () { GLboolean r = GL_FALSE; r = _glewInit_GL_ARB_framebuffer_object() || r; r = _glewInit_GL_ARB_map_buffer_range() || r; r = _glewInit_GL_ARB_uniform_buffer_object() || r; r = _glewInit_GL_ARB_vertex_array_object() || r; r = ((glBeginConditionalRender = (PFNGLBEGINCONDITIONALRENDERPROC)glewGetProcAddress((const GLubyte*)"glBeginConditionalRender")) == NULL) || r; r = ((glBeginTransformFeedback = (PFNGLBEGINTRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glBeginTransformFeedback")) == NULL) || r; r = ((glBindFragDataLocation = (PFNGLBINDFRAGDATALOCATIONPROC)glewGetProcAddress((const GLubyte*)"glBindFragDataLocation")) == NULL) || r; r = ((glClampColor = (PFNGLCLAMPCOLORPROC)glewGetProcAddress((const GLubyte*)"glClampColor")) == NULL) || r; r = ((glClearBufferfi = (PFNGLCLEARBUFFERFIPROC)glewGetProcAddress((const GLubyte*)"glClearBufferfi")) == NULL) || r; r = ((glClearBufferfv = (PFNGLCLEARBUFFERFVPROC)glewGetProcAddress((const GLubyte*)"glClearBufferfv")) == NULL) || r; r = ((glClearBufferiv = (PFNGLCLEARBUFFERIVPROC)glewGetProcAddress((const GLubyte*)"glClearBufferiv")) == NULL) || r; r = ((glClearBufferuiv = (PFNGLCLEARBUFFERUIVPROC)glewGetProcAddress((const GLubyte*)"glClearBufferuiv")) == NULL) || r; r = ((glColorMaski = (PFNGLCOLORMASKIPROC)glewGetProcAddress((const GLubyte*)"glColorMaski")) == NULL) || r; r = ((glDisablei = (PFNGLDISABLEIPROC)glewGetProcAddress((const GLubyte*)"glDisablei")) == NULL) || r; r = ((glEnablei = (PFNGLENABLEIPROC)glewGetProcAddress((const GLubyte*)"glEnablei")) == NULL) || r; r = ((glEndConditionalRender = (PFNGLENDCONDITIONALRENDERPROC)glewGetProcAddress((const GLubyte*)"glEndConditionalRender")) == NULL) || r; r = ((glEndTransformFeedback = (PFNGLENDTRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glEndTransformFeedback")) == NULL) || r; r = ((glGetBooleani_v = (PFNGLGETBOOLEANI_VPROC)glewGetProcAddress((const GLubyte*)"glGetBooleani_v")) == NULL) || r; r = ((glGetFragDataLocation = (PFNGLGETFRAGDATALOCATIONPROC)glewGetProcAddress((const GLubyte*)"glGetFragDataLocation")) == NULL) || r; r = ((glGetStringi = (PFNGLGETSTRINGIPROC)glewGetProcAddress((const GLubyte*)"glGetStringi")) == NULL) || r; r = ((glGetTexParameterIiv = (PFNGLGETTEXPARAMETERIIVPROC)glewGetProcAddress((const GLubyte*)"glGetTexParameterIiv")) == NULL) || r; r = ((glGetTexParameterIuiv = (PFNGLGETTEXPARAMETERIUIVPROC)glewGetProcAddress((const GLubyte*)"glGetTexParameterIuiv")) == NULL) || r; r = ((glGetTransformFeedbackVarying = (PFNGLGETTRANSFORMFEEDBACKVARYINGPROC)glewGetProcAddress((const GLubyte*)"glGetTransformFeedbackVarying")) == NULL) || r; r = ((glGetUniformuiv = (PFNGLGETUNIFORMUIVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformuiv")) == NULL) || r; r = ((glGetVertexAttribIiv = (PFNGLGETVERTEXATTRIBIIVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribIiv")) == NULL) || r; r = ((glGetVertexAttribIuiv = (PFNGLGETVERTEXATTRIBIUIVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribIuiv")) == NULL) || r; r = ((glIsEnabledi = (PFNGLISENABLEDIPROC)glewGetProcAddress((const GLubyte*)"glIsEnabledi")) == NULL) || r; r = ((glTexParameterIiv = (PFNGLTEXPARAMETERIIVPROC)glewGetProcAddress((const GLubyte*)"glTexParameterIiv")) == NULL) || r; r = ((glTexParameterIuiv = (PFNGLTEXPARAMETERIUIVPROC)glewGetProcAddress((const GLubyte*)"glTexParameterIuiv")) == NULL) || r; r = ((glTransformFeedbackVaryings = (PFNGLTRANSFORMFEEDBACKVARYINGSPROC)glewGetProcAddress((const GLubyte*)"glTransformFeedbackVaryings")) == NULL) || r; r = ((glUniform1ui = (PFNGLUNIFORM1UIPROC)glewGetProcAddress((const GLubyte*)"glUniform1ui")) == NULL) || r; r = ((glUniform1uiv = (PFNGLUNIFORM1UIVPROC)glewGetProcAddress((const GLubyte*)"glUniform1uiv")) == NULL) || r; r = ((glUniform2ui = (PFNGLUNIFORM2UIPROC)glewGetProcAddress((const GLubyte*)"glUniform2ui")) == NULL) || r; r = ((glUniform2uiv = (PFNGLUNIFORM2UIVPROC)glewGetProcAddress((const GLubyte*)"glUniform2uiv")) == NULL) || r; r = ((glUniform3ui = (PFNGLUNIFORM3UIPROC)glewGetProcAddress((const GLubyte*)"glUniform3ui")) == NULL) || r; r = ((glUniform3uiv = (PFNGLUNIFORM3UIVPROC)glewGetProcAddress((const GLubyte*)"glUniform3uiv")) == NULL) || r; r = ((glUniform4ui = (PFNGLUNIFORM4UIPROC)glewGetProcAddress((const GLubyte*)"glUniform4ui")) == NULL) || r; r = ((glUniform4uiv = (PFNGLUNIFORM4UIVPROC)glewGetProcAddress((const GLubyte*)"glUniform4uiv")) == NULL) || r; r = ((glVertexAttribI1i = (PFNGLVERTEXATTRIBI1IPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1i")) == NULL) || r; r = ((glVertexAttribI1iv = (PFNGLVERTEXATTRIBI1IVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1iv")) == NULL) || r; r = ((glVertexAttribI1ui = (PFNGLVERTEXATTRIBI1UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1ui")) == NULL) || r; r = ((glVertexAttribI1uiv = (PFNGLVERTEXATTRIBI1UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1uiv")) == NULL) || r; r = ((glVertexAttribI2i = (PFNGLVERTEXATTRIBI2IPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2i")) == NULL) || r; r = ((glVertexAttribI2iv = (PFNGLVERTEXATTRIBI2IVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2iv")) == NULL) || r; r = ((glVertexAttribI2ui = (PFNGLVERTEXATTRIBI2UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2ui")) == NULL) || r; r = ((glVertexAttribI2uiv = (PFNGLVERTEXATTRIBI2UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2uiv")) == NULL) || r; r = ((glVertexAttribI3i = (PFNGLVERTEXATTRIBI3IPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3i")) == NULL) || r; r = ((glVertexAttribI3iv = (PFNGLVERTEXATTRIBI3IVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3iv")) == NULL) || r; r = ((glVertexAttribI3ui = (PFNGLVERTEXATTRIBI3UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3ui")) == NULL) || r; r = ((glVertexAttribI3uiv = (PFNGLVERTEXATTRIBI3UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3uiv")) == NULL) || r; r = ((glVertexAttribI4bv = (PFNGLVERTEXATTRIBI4BVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4bv")) == NULL) || r; r = ((glVertexAttribI4i = (PFNGLVERTEXATTRIBI4IPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4i")) == NULL) || r; r = ((glVertexAttribI4iv = (PFNGLVERTEXATTRIBI4IVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4iv")) == NULL) || r; r = ((glVertexAttribI4sv = (PFNGLVERTEXATTRIBI4SVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4sv")) == NULL) || r; r = ((glVertexAttribI4ubv = (PFNGLVERTEXATTRIBI4UBVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4ubv")) == NULL) || r; r = ((glVertexAttribI4ui = (PFNGLVERTEXATTRIBI4UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4ui")) == NULL) || r; r = ((glVertexAttribI4uiv = (PFNGLVERTEXATTRIBI4UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4uiv")) == NULL) || r; r = ((glVertexAttribI4usv = (PFNGLVERTEXATTRIBI4USVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4usv")) == NULL) || r; r = ((glVertexAttribIPointer = (PFNGLVERTEXATTRIBIPOINTERPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribIPointer")) == NULL) || r; return r; } #endif /* GL_VERSION_3_0 */ #ifdef GL_VERSION_3_1 static GLboolean _glewInit_GL_VERSION_3_1 () { GLboolean r = GL_FALSE; r = _glewInit_GL_ARB_copy_buffer() || r; r = ((glDrawArraysInstanced = (PFNGLDRAWARRAYSINSTANCEDPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstanced")) == NULL) || r; r = ((glDrawElementsInstanced = (PFNGLDRAWELEMENTSINSTANCEDPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstanced")) == NULL) || r; r = ((glPrimitiveRestartIndex = (PFNGLPRIMITIVERESTARTINDEXPROC)glewGetProcAddress((const GLubyte*)"glPrimitiveRestartIndex")) == NULL) || r; r = ((glTexBuffer = (PFNGLTEXBUFFERPROC)glewGetProcAddress((const GLubyte*)"glTexBuffer")) == NULL) || r; return r; } #endif /* GL_VERSION_3_1 */ #ifdef GL_VERSION_3_2 static GLboolean _glewInit_GL_VERSION_3_2 () { GLboolean r = GL_FALSE; r = _glewInit_GL_ARB_draw_elements_base_vertex() || r; r = _glewInit_GL_ARB_provoking_vertex() || r; r = _glewInit_GL_ARB_sync() || r; r = _glewInit_GL_ARB_texture_multisample() || r; r = ((glFramebufferTexture = (PFNGLFRAMEBUFFERTEXTUREPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture")) == NULL) || r; r = ((glGetBufferParameteri64v = (PFNGLGETBUFFERPARAMETERI64VPROC)glewGetProcAddress((const GLubyte*)"glGetBufferParameteri64v")) == NULL) || r; r = ((glGetInteger64i_v = (PFNGLGETINTEGER64I_VPROC)glewGetProcAddress((const GLubyte*)"glGetInteger64i_v")) == NULL) || r; return r; } #endif /* GL_VERSION_3_2 */ #ifdef GL_VERSION_3_3 static GLboolean _glewInit_GL_VERSION_3_3 () { GLboolean r = GL_FALSE; r = ((glVertexAttribDivisor = (PFNGLVERTEXATTRIBDIVISORPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribDivisor")) == NULL) || r; return r; } #endif /* GL_VERSION_3_3 */ #ifdef GL_VERSION_4_0 static GLboolean _glewInit_GL_VERSION_4_0 () { GLboolean r = GL_FALSE; r = ((glBlendEquationSeparatei = (PFNGLBLENDEQUATIONSEPARATEIPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationSeparatei")) == NULL) || r; r = ((glBlendEquationi = (PFNGLBLENDEQUATIONIPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationi")) == NULL) || r; r = ((glBlendFuncSeparatei = (PFNGLBLENDFUNCSEPARATEIPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncSeparatei")) == NULL) || r; r = ((glBlendFunci = (PFNGLBLENDFUNCIPROC)glewGetProcAddress((const GLubyte*)"glBlendFunci")) == NULL) || r; r = ((glMinSampleShading = (PFNGLMINSAMPLESHADINGPROC)glewGetProcAddress((const GLubyte*)"glMinSampleShading")) == NULL) || r; return r; } #endif /* GL_VERSION_4_0 */ #ifdef GL_VERSION_4_5 static GLboolean _glewInit_GL_VERSION_4_5 () { GLboolean r = GL_FALSE; r = ((glGetGraphicsResetStatus = (PFNGLGETGRAPHICSRESETSTATUSPROC)glewGetProcAddress((const GLubyte*)"glGetGraphicsResetStatus")) == NULL) || r; r = ((glGetnCompressedTexImage = (PFNGLGETNCOMPRESSEDTEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetnCompressedTexImage")) == NULL) || r; r = ((glGetnTexImage = (PFNGLGETNTEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetnTexImage")) == NULL) || r; r = ((glGetnUniformdv = (PFNGLGETNUNIFORMDVPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformdv")) == NULL) || r; return r; } #endif /* GL_VERSION_4_5 */ #ifdef GL_VERSION_4_6 static GLboolean _glewInit_GL_VERSION_4_6 () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirectCount = (PFNGLMULTIDRAWARRAYSINDIRECTCOUNTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirectCount")) == NULL) || r; r = ((glMultiDrawElementsIndirectCount = (PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirectCount")) == NULL) || r; r = ((glSpecializeShader = (PFNGLSPECIALIZESHADERPROC)glewGetProcAddress((const GLubyte*)"glSpecializeShader")) == NULL) || r; return r; } #endif /* GL_VERSION_4_6 */ #ifdef GL_3DFX_tbuffer static GLboolean _glewInit_GL_3DFX_tbuffer () { GLboolean r = GL_FALSE; r = ((glTbufferMask3DFX = (PFNGLTBUFFERMASK3DFXPROC)glewGetProcAddress((const GLubyte*)"glTbufferMask3DFX")) == NULL) || r; return r; } #endif /* GL_3DFX_tbuffer */ #ifdef GL_AMD_debug_output static GLboolean _glewInit_GL_AMD_debug_output () { GLboolean r = GL_FALSE; r = ((glDebugMessageCallbackAMD = (PFNGLDEBUGMESSAGECALLBACKAMDPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageCallbackAMD")) == NULL) || r; r = ((glDebugMessageEnableAMD = (PFNGLDEBUGMESSAGEENABLEAMDPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageEnableAMD")) == NULL) || r; r = ((glDebugMessageInsertAMD = (PFNGLDEBUGMESSAGEINSERTAMDPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageInsertAMD")) == NULL) || r; r = ((glGetDebugMessageLogAMD = (PFNGLGETDEBUGMESSAGELOGAMDPROC)glewGetProcAddress((const GLubyte*)"glGetDebugMessageLogAMD")) == NULL) || r; return r; } #endif /* GL_AMD_debug_output */ #ifdef GL_AMD_draw_buffers_blend static GLboolean _glewInit_GL_AMD_draw_buffers_blend () { GLboolean r = GL_FALSE; r = ((glBlendEquationIndexedAMD = (PFNGLBLENDEQUATIONINDEXEDAMDPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationIndexedAMD")) == NULL) || r; r = ((glBlendEquationSeparateIndexedAMD = (PFNGLBLENDEQUATIONSEPARATEINDEXEDAMDPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationSeparateIndexedAMD")) == NULL) || r; r = ((glBlendFuncIndexedAMD = (PFNGLBLENDFUNCINDEXEDAMDPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncIndexedAMD")) == NULL) || r; r = ((glBlendFuncSeparateIndexedAMD = (PFNGLBLENDFUNCSEPARATEINDEXEDAMDPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncSeparateIndexedAMD")) == NULL) || r; return r; } #endif /* GL_AMD_draw_buffers_blend */ #ifdef GL_AMD_framebuffer_sample_positions static GLboolean _glewInit_GL_AMD_framebuffer_sample_positions () { GLboolean r = GL_FALSE; r = ((glFramebufferSamplePositionsfvAMD = (PFNGLFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC)glewGetProcAddress((const GLubyte*)"glFramebufferSamplePositionsfvAMD")) == NULL) || r; r = ((glGetFramebufferParameterfvAMD = (PFNGLGETFRAMEBUFFERPARAMETERFVAMDPROC)glewGetProcAddress((const GLubyte*)"glGetFramebufferParameterfvAMD")) == NULL) || r; r = ((glGetNamedFramebufferParameterfvAMD = (PFNGLGETNAMEDFRAMEBUFFERPARAMETERFVAMDPROC)glewGetProcAddress((const GLubyte*)"glGetNamedFramebufferParameterfvAMD")) == NULL) || r; r = ((glNamedFramebufferSamplePositionsfvAMD = (PFNGLNAMEDFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferSamplePositionsfvAMD")) == NULL) || r; return r; } #endif /* GL_AMD_framebuffer_sample_positions */ #ifdef GL_AMD_interleaved_elements static GLboolean _glewInit_GL_AMD_interleaved_elements () { GLboolean r = GL_FALSE; r = ((glVertexAttribParameteriAMD = (PFNGLVERTEXATTRIBPARAMETERIAMDPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribParameteriAMD")) == NULL) || r; return r; } #endif /* GL_AMD_interleaved_elements */ #ifdef GL_AMD_multi_draw_indirect static GLboolean _glewInit_GL_AMD_multi_draw_indirect () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirectAMD = (PFNGLMULTIDRAWARRAYSINDIRECTAMDPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirectAMD")) == NULL) || r; r = ((glMultiDrawElementsIndirectAMD = (PFNGLMULTIDRAWELEMENTSINDIRECTAMDPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirectAMD")) == NULL) || r; return r; } #endif /* GL_AMD_multi_draw_indirect */ #ifdef GL_AMD_name_gen_delete static GLboolean _glewInit_GL_AMD_name_gen_delete () { GLboolean r = GL_FALSE; r = ((glDeleteNamesAMD = (PFNGLDELETENAMESAMDPROC)glewGetProcAddress((const GLubyte*)"glDeleteNamesAMD")) == NULL) || r; r = ((glGenNamesAMD = (PFNGLGENNAMESAMDPROC)glewGetProcAddress((const GLubyte*)"glGenNamesAMD")) == NULL) || r; r = ((glIsNameAMD = (PFNGLISNAMEAMDPROC)glewGetProcAddress((const GLubyte*)"glIsNameAMD")) == NULL) || r; return r; } #endif /* GL_AMD_name_gen_delete */ #ifdef GL_AMD_occlusion_query_event static GLboolean _glewInit_GL_AMD_occlusion_query_event () { GLboolean r = GL_FALSE; r = ((glQueryObjectParameteruiAMD = (PFNGLQUERYOBJECTPARAMETERUIAMDPROC)glewGetProcAddress((const GLubyte*)"glQueryObjectParameteruiAMD")) == NULL) || r; return r; } #endif /* GL_AMD_occlusion_query_event */ #ifdef GL_AMD_performance_monitor static GLboolean _glewInit_GL_AMD_performance_monitor () { GLboolean r = GL_FALSE; r = ((glBeginPerfMonitorAMD = (PFNGLBEGINPERFMONITORAMDPROC)glewGetProcAddress((const GLubyte*)"glBeginPerfMonitorAMD")) == NULL) || r; r = ((glDeletePerfMonitorsAMD = (PFNGLDELETEPERFMONITORSAMDPROC)glewGetProcAddress((const GLubyte*)"glDeletePerfMonitorsAMD")) == NULL) || r; r = ((glEndPerfMonitorAMD = (PFNGLENDPERFMONITORAMDPROC)glewGetProcAddress((const GLubyte*)"glEndPerfMonitorAMD")) == NULL) || r; r = ((glGenPerfMonitorsAMD = (PFNGLGENPERFMONITORSAMDPROC)glewGetProcAddress((const GLubyte*)"glGenPerfMonitorsAMD")) == NULL) || r; r = ((glGetPerfMonitorCounterDataAMD = (PFNGLGETPERFMONITORCOUNTERDATAAMDPROC)glewGetProcAddress((const GLubyte*)"glGetPerfMonitorCounterDataAMD")) == NULL) || r; r = ((glGetPerfMonitorCounterInfoAMD = (PFNGLGETPERFMONITORCOUNTERINFOAMDPROC)glewGetProcAddress((const GLubyte*)"glGetPerfMonitorCounterInfoAMD")) == NULL) || r; r = ((glGetPerfMonitorCounterStringAMD = (PFNGLGETPERFMONITORCOUNTERSTRINGAMDPROC)glewGetProcAddress((const GLubyte*)"glGetPerfMonitorCounterStringAMD")) == NULL) || r; r = ((glGetPerfMonitorCountersAMD = (PFNGLGETPERFMONITORCOUNTERSAMDPROC)glewGetProcAddress((const GLubyte*)"glGetPerfMonitorCountersAMD")) == NULL) || r; r = ((glGetPerfMonitorGroupStringAMD = (PFNGLGETPERFMONITORGROUPSTRINGAMDPROC)glewGetProcAddress((const GLubyte*)"glGetPerfMonitorGroupStringAMD")) == NULL) || r; r = ((glGetPerfMonitorGroupsAMD = (PFNGLGETPERFMONITORGROUPSAMDPROC)glewGetProcAddress((const GLubyte*)"glGetPerfMonitorGroupsAMD")) == NULL) || r; r = ((glSelectPerfMonitorCountersAMD = (PFNGLSELECTPERFMONITORCOUNTERSAMDPROC)glewGetProcAddress((const GLubyte*)"glSelectPerfMonitorCountersAMD")) == NULL) || r; return r; } #endif /* GL_AMD_performance_monitor */ #ifdef GL_AMD_sample_positions static GLboolean _glewInit_GL_AMD_sample_positions () { GLboolean r = GL_FALSE; r = ((glSetMultisamplefvAMD = (PFNGLSETMULTISAMPLEFVAMDPROC)glewGetProcAddress((const GLubyte*)"glSetMultisamplefvAMD")) == NULL) || r; return r; } #endif /* GL_AMD_sample_positions */ #ifdef GL_AMD_sparse_texture static GLboolean _glewInit_GL_AMD_sparse_texture () { GLboolean r = GL_FALSE; r = ((glTexStorageSparseAMD = (PFNGLTEXSTORAGESPARSEAMDPROC)glewGetProcAddress((const GLubyte*)"glTexStorageSparseAMD")) == NULL) || r; r = ((glTextureStorageSparseAMD = (PFNGLTEXTURESTORAGESPARSEAMDPROC)glewGetProcAddress((const GLubyte*)"glTextureStorageSparseAMD")) == NULL) || r; return r; } #endif /* GL_AMD_sparse_texture */ #ifdef GL_AMD_stencil_operation_extended static GLboolean _glewInit_GL_AMD_stencil_operation_extended () { GLboolean r = GL_FALSE; r = ((glStencilOpValueAMD = (PFNGLSTENCILOPVALUEAMDPROC)glewGetProcAddress((const GLubyte*)"glStencilOpValueAMD")) == NULL) || r; return r; } #endif /* GL_AMD_stencil_operation_extended */ #ifdef GL_AMD_vertex_shader_tessellator static GLboolean _glewInit_GL_AMD_vertex_shader_tessellator () { GLboolean r = GL_FALSE; r = ((glTessellationFactorAMD = (PFNGLTESSELLATIONFACTORAMDPROC)glewGetProcAddress((const GLubyte*)"glTessellationFactorAMD")) == NULL) || r; r = ((glTessellationModeAMD = (PFNGLTESSELLATIONMODEAMDPROC)glewGetProcAddress((const GLubyte*)"glTessellationModeAMD")) == NULL) || r; return r; } #endif /* GL_AMD_vertex_shader_tessellator */ #ifdef GL_ANGLE_framebuffer_blit static GLboolean _glewInit_GL_ANGLE_framebuffer_blit () { GLboolean r = GL_FALSE; r = ((glBlitFramebufferANGLE = (PFNGLBLITFRAMEBUFFERANGLEPROC)glewGetProcAddress((const GLubyte*)"glBlitFramebufferANGLE")) == NULL) || r; return r; } #endif /* GL_ANGLE_framebuffer_blit */ #ifdef GL_ANGLE_framebuffer_multisample static GLboolean _glewInit_GL_ANGLE_framebuffer_multisample () { GLboolean r = GL_FALSE; r = ((glRenderbufferStorageMultisampleANGLE = (PFNGLRENDERBUFFERSTORAGEMULTISAMPLEANGLEPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageMultisampleANGLE")) == NULL) || r; return r; } #endif /* GL_ANGLE_framebuffer_multisample */ #ifdef GL_ANGLE_instanced_arrays static GLboolean _glewInit_GL_ANGLE_instanced_arrays () { GLboolean r = GL_FALSE; r = ((glDrawArraysInstancedANGLE = (PFNGLDRAWARRAYSINSTANCEDANGLEPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstancedANGLE")) == NULL) || r; r = ((glDrawElementsInstancedANGLE = (PFNGLDRAWELEMENTSINSTANCEDANGLEPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedANGLE")) == NULL) || r; r = ((glVertexAttribDivisorANGLE = (PFNGLVERTEXATTRIBDIVISORANGLEPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribDivisorANGLE")) == NULL) || r; return r; } #endif /* GL_ANGLE_instanced_arrays */ #ifdef GL_ANGLE_timer_query static GLboolean _glewInit_GL_ANGLE_timer_query () { GLboolean r = GL_FALSE; r = ((glBeginQueryANGLE = (PFNGLBEGINQUERYANGLEPROC)glewGetProcAddress((const GLubyte*)"glBeginQueryANGLE")) == NULL) || r; r = ((glDeleteQueriesANGLE = (PFNGLDELETEQUERIESANGLEPROC)glewGetProcAddress((const GLubyte*)"glDeleteQueriesANGLE")) == NULL) || r; r = ((glEndQueryANGLE = (PFNGLENDQUERYANGLEPROC)glewGetProcAddress((const GLubyte*)"glEndQueryANGLE")) == NULL) || r; r = ((glGenQueriesANGLE = (PFNGLGENQUERIESANGLEPROC)glewGetProcAddress((const GLubyte*)"glGenQueriesANGLE")) == NULL) || r; r = ((glGetQueryObjecti64vANGLE = (PFNGLGETQUERYOBJECTI64VANGLEPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjecti64vANGLE")) == NULL) || r; r = ((glGetQueryObjectivANGLE = (PFNGLGETQUERYOBJECTIVANGLEPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectivANGLE")) == NULL) || r; r = ((glGetQueryObjectui64vANGLE = (PFNGLGETQUERYOBJECTUI64VANGLEPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectui64vANGLE")) == NULL) || r; r = ((glGetQueryObjectuivANGLE = (PFNGLGETQUERYOBJECTUIVANGLEPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectuivANGLE")) == NULL) || r; r = ((glGetQueryivANGLE = (PFNGLGETQUERYIVANGLEPROC)glewGetProcAddress((const GLubyte*)"glGetQueryivANGLE")) == NULL) || r; r = ((glIsQueryANGLE = (PFNGLISQUERYANGLEPROC)glewGetProcAddress((const GLubyte*)"glIsQueryANGLE")) == NULL) || r; r = ((glQueryCounterANGLE = (PFNGLQUERYCOUNTERANGLEPROC)glewGetProcAddress((const GLubyte*)"glQueryCounterANGLE")) == NULL) || r; return r; } #endif /* GL_ANGLE_timer_query */ #ifdef GL_ANGLE_translated_shader_source static GLboolean _glewInit_GL_ANGLE_translated_shader_source () { GLboolean r = GL_FALSE; r = ((glGetTranslatedShaderSourceANGLE = (PFNGLGETTRANSLATEDSHADERSOURCEANGLEPROC)glewGetProcAddress((const GLubyte*)"glGetTranslatedShaderSourceANGLE")) == NULL) || r; return r; } #endif /* GL_ANGLE_translated_shader_source */ #ifdef GL_APPLE_copy_texture_levels static GLboolean _glewInit_GL_APPLE_copy_texture_levels () { GLboolean r = GL_FALSE; r = ((glCopyTextureLevelsAPPLE = (PFNGLCOPYTEXTURELEVELSAPPLEPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureLevelsAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_copy_texture_levels */ #ifdef GL_APPLE_element_array static GLboolean _glewInit_GL_APPLE_element_array () { GLboolean r = GL_FALSE; r = ((glDrawElementArrayAPPLE = (PFNGLDRAWELEMENTARRAYAPPLEPROC)glewGetProcAddress((const GLubyte*)"glDrawElementArrayAPPLE")) == NULL) || r; r = ((glDrawRangeElementArrayAPPLE = (PFNGLDRAWRANGEELEMENTARRAYAPPLEPROC)glewGetProcAddress((const GLubyte*)"glDrawRangeElementArrayAPPLE")) == NULL) || r; r = ((glElementPointerAPPLE = (PFNGLELEMENTPOINTERAPPLEPROC)glewGetProcAddress((const GLubyte*)"glElementPointerAPPLE")) == NULL) || r; r = ((glMultiDrawElementArrayAPPLE = (PFNGLMULTIDRAWELEMENTARRAYAPPLEPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementArrayAPPLE")) == NULL) || r; r = ((glMultiDrawRangeElementArrayAPPLE = (PFNGLMULTIDRAWRANGEELEMENTARRAYAPPLEPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawRangeElementArrayAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_element_array */ #ifdef GL_APPLE_fence static GLboolean _glewInit_GL_APPLE_fence () { GLboolean r = GL_FALSE; r = ((glDeleteFencesAPPLE = (PFNGLDELETEFENCESAPPLEPROC)glewGetProcAddress((const GLubyte*)"glDeleteFencesAPPLE")) == NULL) || r; r = ((glFinishFenceAPPLE = (PFNGLFINISHFENCEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glFinishFenceAPPLE")) == NULL) || r; r = ((glFinishObjectAPPLE = (PFNGLFINISHOBJECTAPPLEPROC)glewGetProcAddress((const GLubyte*)"glFinishObjectAPPLE")) == NULL) || r; r = ((glGenFencesAPPLE = (PFNGLGENFENCESAPPLEPROC)glewGetProcAddress((const GLubyte*)"glGenFencesAPPLE")) == NULL) || r; r = ((glIsFenceAPPLE = (PFNGLISFENCEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glIsFenceAPPLE")) == NULL) || r; r = ((glSetFenceAPPLE = (PFNGLSETFENCEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glSetFenceAPPLE")) == NULL) || r; r = ((glTestFenceAPPLE = (PFNGLTESTFENCEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glTestFenceAPPLE")) == NULL) || r; r = ((glTestObjectAPPLE = (PFNGLTESTOBJECTAPPLEPROC)glewGetProcAddress((const GLubyte*)"glTestObjectAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_fence */ #ifdef GL_APPLE_flush_buffer_range static GLboolean _glewInit_GL_APPLE_flush_buffer_range () { GLboolean r = GL_FALSE; r = ((glBufferParameteriAPPLE = (PFNGLBUFFERPARAMETERIAPPLEPROC)glewGetProcAddress((const GLubyte*)"glBufferParameteriAPPLE")) == NULL) || r; r = ((glFlushMappedBufferRangeAPPLE = (PFNGLFLUSHMAPPEDBUFFERRANGEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glFlushMappedBufferRangeAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_flush_buffer_range */ #ifdef GL_APPLE_framebuffer_multisample static GLboolean _glewInit_GL_APPLE_framebuffer_multisample () { GLboolean r = GL_FALSE; r = ((glRenderbufferStorageMultisampleAPPLE = (PFNGLRENDERBUFFERSTORAGEMULTISAMPLEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageMultisampleAPPLE")) == NULL) || r; r = ((glResolveMultisampleFramebufferAPPLE = (PFNGLRESOLVEMULTISAMPLEFRAMEBUFFERAPPLEPROC)glewGetProcAddress((const GLubyte*)"glResolveMultisampleFramebufferAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_framebuffer_multisample */ #ifdef GL_APPLE_object_purgeable static GLboolean _glewInit_GL_APPLE_object_purgeable () { GLboolean r = GL_FALSE; r = ((glGetObjectParameterivAPPLE = (PFNGLGETOBJECTPARAMETERIVAPPLEPROC)glewGetProcAddress((const GLubyte*)"glGetObjectParameterivAPPLE")) == NULL) || r; r = ((glObjectPurgeableAPPLE = (PFNGLOBJECTPURGEABLEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glObjectPurgeableAPPLE")) == NULL) || r; r = ((glObjectUnpurgeableAPPLE = (PFNGLOBJECTUNPURGEABLEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glObjectUnpurgeableAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_object_purgeable */ #ifdef GL_APPLE_sync static GLboolean _glewInit_GL_APPLE_sync () { GLboolean r = GL_FALSE; r = ((glClientWaitSyncAPPLE = (PFNGLCLIENTWAITSYNCAPPLEPROC)glewGetProcAddress((const GLubyte*)"glClientWaitSyncAPPLE")) == NULL) || r; r = ((glDeleteSyncAPPLE = (PFNGLDELETESYNCAPPLEPROC)glewGetProcAddress((const GLubyte*)"glDeleteSyncAPPLE")) == NULL) || r; r = ((glFenceSyncAPPLE = (PFNGLFENCESYNCAPPLEPROC)glewGetProcAddress((const GLubyte*)"glFenceSyncAPPLE")) == NULL) || r; r = ((glGetInteger64vAPPLE = (PFNGLGETINTEGER64VAPPLEPROC)glewGetProcAddress((const GLubyte*)"glGetInteger64vAPPLE")) == NULL) || r; r = ((glGetSyncivAPPLE = (PFNGLGETSYNCIVAPPLEPROC)glewGetProcAddress((const GLubyte*)"glGetSyncivAPPLE")) == NULL) || r; r = ((glIsSyncAPPLE = (PFNGLISSYNCAPPLEPROC)glewGetProcAddress((const GLubyte*)"glIsSyncAPPLE")) == NULL) || r; r = ((glWaitSyncAPPLE = (PFNGLWAITSYNCAPPLEPROC)glewGetProcAddress((const GLubyte*)"glWaitSyncAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_sync */ #ifdef GL_APPLE_texture_range static GLboolean _glewInit_GL_APPLE_texture_range () { GLboolean r = GL_FALSE; r = ((glGetTexParameterPointervAPPLE = (PFNGLGETTEXPARAMETERPOINTERVAPPLEPROC)glewGetProcAddress((const GLubyte*)"glGetTexParameterPointervAPPLE")) == NULL) || r; r = ((glTextureRangeAPPLE = (PFNGLTEXTURERANGEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glTextureRangeAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_texture_range */ #ifdef GL_APPLE_vertex_array_object static GLboolean _glewInit_GL_APPLE_vertex_array_object () { GLboolean r = GL_FALSE; r = ((glBindVertexArrayAPPLE = (PFNGLBINDVERTEXARRAYAPPLEPROC)glewGetProcAddress((const GLubyte*)"glBindVertexArrayAPPLE")) == NULL) || r; r = ((glDeleteVertexArraysAPPLE = (PFNGLDELETEVERTEXARRAYSAPPLEPROC)glewGetProcAddress((const GLubyte*)"glDeleteVertexArraysAPPLE")) == NULL) || r; r = ((glGenVertexArraysAPPLE = (PFNGLGENVERTEXARRAYSAPPLEPROC)glewGetProcAddress((const GLubyte*)"glGenVertexArraysAPPLE")) == NULL) || r; r = ((glIsVertexArrayAPPLE = (PFNGLISVERTEXARRAYAPPLEPROC)glewGetProcAddress((const GLubyte*)"glIsVertexArrayAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_vertex_array_object */ #ifdef GL_APPLE_vertex_array_range static GLboolean _glewInit_GL_APPLE_vertex_array_range () { GLboolean r = GL_FALSE; r = ((glFlushVertexArrayRangeAPPLE = (PFNGLFLUSHVERTEXARRAYRANGEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glFlushVertexArrayRangeAPPLE")) == NULL) || r; r = ((glVertexArrayParameteriAPPLE = (PFNGLVERTEXARRAYPARAMETERIAPPLEPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayParameteriAPPLE")) == NULL) || r; r = ((glVertexArrayRangeAPPLE = (PFNGLVERTEXARRAYRANGEAPPLEPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayRangeAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_vertex_array_range */ #ifdef GL_APPLE_vertex_program_evaluators static GLboolean _glewInit_GL_APPLE_vertex_program_evaluators () { GLboolean r = GL_FALSE; r = ((glDisableVertexAttribAPPLE = (PFNGLDISABLEVERTEXATTRIBAPPLEPROC)glewGetProcAddress((const GLubyte*)"glDisableVertexAttribAPPLE")) == NULL) || r; r = ((glEnableVertexAttribAPPLE = (PFNGLENABLEVERTEXATTRIBAPPLEPROC)glewGetProcAddress((const GLubyte*)"glEnableVertexAttribAPPLE")) == NULL) || r; r = ((glIsVertexAttribEnabledAPPLE = (PFNGLISVERTEXATTRIBENABLEDAPPLEPROC)glewGetProcAddress((const GLubyte*)"glIsVertexAttribEnabledAPPLE")) == NULL) || r; r = ((glMapVertexAttrib1dAPPLE = (PFNGLMAPVERTEXATTRIB1DAPPLEPROC)glewGetProcAddress((const GLubyte*)"glMapVertexAttrib1dAPPLE")) == NULL) || r; r = ((glMapVertexAttrib1fAPPLE = (PFNGLMAPVERTEXATTRIB1FAPPLEPROC)glewGetProcAddress((const GLubyte*)"glMapVertexAttrib1fAPPLE")) == NULL) || r; r = ((glMapVertexAttrib2dAPPLE = (PFNGLMAPVERTEXATTRIB2DAPPLEPROC)glewGetProcAddress((const GLubyte*)"glMapVertexAttrib2dAPPLE")) == NULL) || r; r = ((glMapVertexAttrib2fAPPLE = (PFNGLMAPVERTEXATTRIB2FAPPLEPROC)glewGetProcAddress((const GLubyte*)"glMapVertexAttrib2fAPPLE")) == NULL) || r; return r; } #endif /* GL_APPLE_vertex_program_evaluators */ #ifdef GL_ARB_ES2_compatibility static GLboolean _glewInit_GL_ARB_ES2_compatibility () { GLboolean r = GL_FALSE; r = ((glClearDepthf = (PFNGLCLEARDEPTHFPROC)glewGetProcAddress((const GLubyte*)"glClearDepthf")) == NULL) || r; r = ((glDepthRangef = (PFNGLDEPTHRANGEFPROC)glewGetProcAddress((const GLubyte*)"glDepthRangef")) == NULL) || r; r = ((glGetShaderPrecisionFormat = (PFNGLGETSHADERPRECISIONFORMATPROC)glewGetProcAddress((const GLubyte*)"glGetShaderPrecisionFormat")) == NULL) || r; r = ((glReleaseShaderCompiler = (PFNGLRELEASESHADERCOMPILERPROC)glewGetProcAddress((const GLubyte*)"glReleaseShaderCompiler")) == NULL) || r; r = ((glShaderBinary = (PFNGLSHADERBINARYPROC)glewGetProcAddress((const GLubyte*)"glShaderBinary")) == NULL) || r; return r; } #endif /* GL_ARB_ES2_compatibility */ #ifdef GL_ARB_ES3_1_compatibility static GLboolean _glewInit_GL_ARB_ES3_1_compatibility () { GLboolean r = GL_FALSE; r = ((glMemoryBarrierByRegion = (PFNGLMEMORYBARRIERBYREGIONPROC)glewGetProcAddress((const GLubyte*)"glMemoryBarrierByRegion")) == NULL) || r; return r; } #endif /* GL_ARB_ES3_1_compatibility */ #ifdef GL_ARB_ES3_2_compatibility static GLboolean _glewInit_GL_ARB_ES3_2_compatibility () { GLboolean r = GL_FALSE; r = ((glPrimitiveBoundingBoxARB = (PFNGLPRIMITIVEBOUNDINGBOXARBPROC)glewGetProcAddress((const GLubyte*)"glPrimitiveBoundingBoxARB")) == NULL) || r; return r; } #endif /* GL_ARB_ES3_2_compatibility */ #ifdef GL_ARB_base_instance static GLboolean _glewInit_GL_ARB_base_instance () { GLboolean r = GL_FALSE; r = ((glDrawArraysInstancedBaseInstance = (PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstancedBaseInstance")) == NULL) || r; r = ((glDrawElementsInstancedBaseInstance = (PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedBaseInstance")) == NULL) || r; r = ((glDrawElementsInstancedBaseVertexBaseInstance = (PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedBaseVertexBaseInstance")) == NULL) || r; return r; } #endif /* GL_ARB_base_instance */ #ifdef GL_ARB_bindless_texture static GLboolean _glewInit_GL_ARB_bindless_texture () { GLboolean r = GL_FALSE; r = ((glGetImageHandleARB = (PFNGLGETIMAGEHANDLEARBPROC)glewGetProcAddress((const GLubyte*)"glGetImageHandleARB")) == NULL) || r; r = ((glGetTextureHandleARB = (PFNGLGETTEXTUREHANDLEARBPROC)glewGetProcAddress((const GLubyte*)"glGetTextureHandleARB")) == NULL) || r; r = ((glGetTextureSamplerHandleARB = (PFNGLGETTEXTURESAMPLERHANDLEARBPROC)glewGetProcAddress((const GLubyte*)"glGetTextureSamplerHandleARB")) == NULL) || r; r = ((glGetVertexAttribLui64vARB = (PFNGLGETVERTEXATTRIBLUI64VARBPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribLui64vARB")) == NULL) || r; r = ((glIsImageHandleResidentARB = (PFNGLISIMAGEHANDLERESIDENTARBPROC)glewGetProcAddress((const GLubyte*)"glIsImageHandleResidentARB")) == NULL) || r; r = ((glIsTextureHandleResidentARB = (PFNGLISTEXTUREHANDLERESIDENTARBPROC)glewGetProcAddress((const GLubyte*)"glIsTextureHandleResidentARB")) == NULL) || r; r = ((glMakeImageHandleNonResidentARB = (PFNGLMAKEIMAGEHANDLENONRESIDENTARBPROC)glewGetProcAddress((const GLubyte*)"glMakeImageHandleNonResidentARB")) == NULL) || r; r = ((glMakeImageHandleResidentARB = (PFNGLMAKEIMAGEHANDLERESIDENTARBPROC)glewGetProcAddress((const GLubyte*)"glMakeImageHandleResidentARB")) == NULL) || r; r = ((glMakeTextureHandleNonResidentARB = (PFNGLMAKETEXTUREHANDLENONRESIDENTARBPROC)glewGetProcAddress((const GLubyte*)"glMakeTextureHandleNonResidentARB")) == NULL) || r; r = ((glMakeTextureHandleResidentARB = (PFNGLMAKETEXTUREHANDLERESIDENTARBPROC)glewGetProcAddress((const GLubyte*)"glMakeTextureHandleResidentARB")) == NULL) || r; r = ((glProgramUniformHandleui64ARB = (PFNGLPROGRAMUNIFORMHANDLEUI64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformHandleui64ARB")) == NULL) || r; r = ((glProgramUniformHandleui64vARB = (PFNGLPROGRAMUNIFORMHANDLEUI64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformHandleui64vARB")) == NULL) || r; r = ((glUniformHandleui64ARB = (PFNGLUNIFORMHANDLEUI64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniformHandleui64ARB")) == NULL) || r; r = ((glUniformHandleui64vARB = (PFNGLUNIFORMHANDLEUI64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniformHandleui64vARB")) == NULL) || r; r = ((glVertexAttribL1ui64ARB = (PFNGLVERTEXATTRIBL1UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1ui64ARB")) == NULL) || r; r = ((glVertexAttribL1ui64vARB = (PFNGLVERTEXATTRIBL1UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1ui64vARB")) == NULL) || r; return r; } #endif /* GL_ARB_bindless_texture */ #ifdef GL_ARB_blend_func_extended static GLboolean _glewInit_GL_ARB_blend_func_extended () { GLboolean r = GL_FALSE; r = ((glBindFragDataLocationIndexed = (PFNGLBINDFRAGDATALOCATIONINDEXEDPROC)glewGetProcAddress((const GLubyte*)"glBindFragDataLocationIndexed")) == NULL) || r; r = ((glGetFragDataIndex = (PFNGLGETFRAGDATAINDEXPROC)glewGetProcAddress((const GLubyte*)"glGetFragDataIndex")) == NULL) || r; return r; } #endif /* GL_ARB_blend_func_extended */ #ifdef GL_ARB_buffer_storage static GLboolean _glewInit_GL_ARB_buffer_storage () { GLboolean r = GL_FALSE; r = ((glBufferStorage = (PFNGLBUFFERSTORAGEPROC)glewGetProcAddress((const GLubyte*)"glBufferStorage")) == NULL) || r; return r; } #endif /* GL_ARB_buffer_storage */ #ifdef GL_ARB_cl_event static GLboolean _glewInit_GL_ARB_cl_event () { GLboolean r = GL_FALSE; r = ((glCreateSyncFromCLeventARB = (PFNGLCREATESYNCFROMCLEVENTARBPROC)glewGetProcAddress((const GLubyte*)"glCreateSyncFromCLeventARB")) == NULL) || r; return r; } #endif /* GL_ARB_cl_event */ #ifdef GL_ARB_clear_buffer_object static GLboolean _glewInit_GL_ARB_clear_buffer_object () { GLboolean r = GL_FALSE; r = ((glClearBufferData = (PFNGLCLEARBUFFERDATAPROC)glewGetProcAddress((const GLubyte*)"glClearBufferData")) == NULL) || r; r = ((glClearBufferSubData = (PFNGLCLEARBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glClearBufferSubData")) == NULL) || r; r = ((glClearNamedBufferDataEXT = (PFNGLCLEARNAMEDBUFFERDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glClearNamedBufferDataEXT")) == NULL) || r; r = ((glClearNamedBufferSubDataEXT = (PFNGLCLEARNAMEDBUFFERSUBDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glClearNamedBufferSubDataEXT")) == NULL) || r; return r; } #endif /* GL_ARB_clear_buffer_object */ #ifdef GL_ARB_clear_texture static GLboolean _glewInit_GL_ARB_clear_texture () { GLboolean r = GL_FALSE; r = ((glClearTexImage = (PFNGLCLEARTEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"glClearTexImage")) == NULL) || r; r = ((glClearTexSubImage = (PFNGLCLEARTEXSUBIMAGEPROC)glewGetProcAddress((const GLubyte*)"glClearTexSubImage")) == NULL) || r; return r; } #endif /* GL_ARB_clear_texture */ #ifdef GL_ARB_clip_control static GLboolean _glewInit_GL_ARB_clip_control () { GLboolean r = GL_FALSE; r = ((glClipControl = (PFNGLCLIPCONTROLPROC)glewGetProcAddress((const GLubyte*)"glClipControl")) == NULL) || r; return r; } #endif /* GL_ARB_clip_control */ #ifdef GL_ARB_color_buffer_float static GLboolean _glewInit_GL_ARB_color_buffer_float () { GLboolean r = GL_FALSE; r = ((glClampColorARB = (PFNGLCLAMPCOLORARBPROC)glewGetProcAddress((const GLubyte*)"glClampColorARB")) == NULL) || r; return r; } #endif /* GL_ARB_color_buffer_float */ #ifdef GL_ARB_compute_shader static GLboolean _glewInit_GL_ARB_compute_shader () { GLboolean r = GL_FALSE; r = ((glDispatchCompute = (PFNGLDISPATCHCOMPUTEPROC)glewGetProcAddress((const GLubyte*)"glDispatchCompute")) == NULL) || r; r = ((glDispatchComputeIndirect = (PFNGLDISPATCHCOMPUTEINDIRECTPROC)glewGetProcAddress((const GLubyte*)"glDispatchComputeIndirect")) == NULL) || r; return r; } #endif /* GL_ARB_compute_shader */ #ifdef GL_ARB_compute_variable_group_size static GLboolean _glewInit_GL_ARB_compute_variable_group_size () { GLboolean r = GL_FALSE; r = ((glDispatchComputeGroupSizeARB = (PFNGLDISPATCHCOMPUTEGROUPSIZEARBPROC)glewGetProcAddress((const GLubyte*)"glDispatchComputeGroupSizeARB")) == NULL) || r; return r; } #endif /* GL_ARB_compute_variable_group_size */ #ifdef GL_ARB_copy_buffer static GLboolean _glewInit_GL_ARB_copy_buffer () { GLboolean r = GL_FALSE; r = ((glCopyBufferSubData = (PFNGLCOPYBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glCopyBufferSubData")) == NULL) || r; return r; } #endif /* GL_ARB_copy_buffer */ #ifdef GL_ARB_copy_image static GLboolean _glewInit_GL_ARB_copy_image () { GLboolean r = GL_FALSE; r = ((glCopyImageSubData = (PFNGLCOPYIMAGESUBDATAPROC)glewGetProcAddress((const GLubyte*)"glCopyImageSubData")) == NULL) || r; return r; } #endif /* GL_ARB_copy_image */ #ifdef GL_ARB_debug_output static GLboolean _glewInit_GL_ARB_debug_output () { GLboolean r = GL_FALSE; r = ((glDebugMessageCallbackARB = (PFNGLDEBUGMESSAGECALLBACKARBPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageCallbackARB")) == NULL) || r; r = ((glDebugMessageControlARB = (PFNGLDEBUGMESSAGECONTROLARBPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageControlARB")) == NULL) || r; r = ((glDebugMessageInsertARB = (PFNGLDEBUGMESSAGEINSERTARBPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageInsertARB")) == NULL) || r; r = ((glGetDebugMessageLogARB = (PFNGLGETDEBUGMESSAGELOGARBPROC)glewGetProcAddress((const GLubyte*)"glGetDebugMessageLogARB")) == NULL) || r; return r; } #endif /* GL_ARB_debug_output */ #ifdef GL_ARB_direct_state_access static GLboolean _glewInit_GL_ARB_direct_state_access () { GLboolean r = GL_FALSE; r = ((glBindTextureUnit = (PFNGLBINDTEXTUREUNITPROC)glewGetProcAddress((const GLubyte*)"glBindTextureUnit")) == NULL) || r; r = ((glBlitNamedFramebuffer = (PFNGLBLITNAMEDFRAMEBUFFERPROC)glewGetProcAddress((const GLubyte*)"glBlitNamedFramebuffer")) == NULL) || r; r = ((glCheckNamedFramebufferStatus = (PFNGLCHECKNAMEDFRAMEBUFFERSTATUSPROC)glewGetProcAddress((const GLubyte*)"glCheckNamedFramebufferStatus")) == NULL) || r; r = ((glClearNamedBufferData = (PFNGLCLEARNAMEDBUFFERDATAPROC)glewGetProcAddress((const GLubyte*)"glClearNamedBufferData")) == NULL) || r; r = ((glClearNamedBufferSubData = (PFNGLCLEARNAMEDBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glClearNamedBufferSubData")) == NULL) || r; r = ((glClearNamedFramebufferfi = (PFNGLCLEARNAMEDFRAMEBUFFERFIPROC)glewGetProcAddress((const GLubyte*)"glClearNamedFramebufferfi")) == NULL) || r; r = ((glClearNamedFramebufferfv = (PFNGLCLEARNAMEDFRAMEBUFFERFVPROC)glewGetProcAddress((const GLubyte*)"glClearNamedFramebufferfv")) == NULL) || r; r = ((glClearNamedFramebufferiv = (PFNGLCLEARNAMEDFRAMEBUFFERIVPROC)glewGetProcAddress((const GLubyte*)"glClearNamedFramebufferiv")) == NULL) || r; r = ((glClearNamedFramebufferuiv = (PFNGLCLEARNAMEDFRAMEBUFFERUIVPROC)glewGetProcAddress((const GLubyte*)"glClearNamedFramebufferuiv")) == NULL) || r; r = ((glCompressedTextureSubImage1D = (PFNGLCOMPRESSEDTEXTURESUBIMAGE1DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureSubImage1D")) == NULL) || r; r = ((glCompressedTextureSubImage2D = (PFNGLCOMPRESSEDTEXTURESUBIMAGE2DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureSubImage2D")) == NULL) || r; r = ((glCompressedTextureSubImage3D = (PFNGLCOMPRESSEDTEXTURESUBIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureSubImage3D")) == NULL) || r; r = ((glCopyNamedBufferSubData = (PFNGLCOPYNAMEDBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glCopyNamedBufferSubData")) == NULL) || r; r = ((glCopyTextureSubImage1D = (PFNGLCOPYTEXTURESUBIMAGE1DPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureSubImage1D")) == NULL) || r; r = ((glCopyTextureSubImage2D = (PFNGLCOPYTEXTURESUBIMAGE2DPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureSubImage2D")) == NULL) || r; r = ((glCopyTextureSubImage3D = (PFNGLCOPYTEXTURESUBIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureSubImage3D")) == NULL) || r; r = ((glCreateBuffers = (PFNGLCREATEBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glCreateBuffers")) == NULL) || r; r = ((glCreateFramebuffers = (PFNGLCREATEFRAMEBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glCreateFramebuffers")) == NULL) || r; r = ((glCreateProgramPipelines = (PFNGLCREATEPROGRAMPIPELINESPROC)glewGetProcAddress((const GLubyte*)"glCreateProgramPipelines")) == NULL) || r; r = ((glCreateQueries = (PFNGLCREATEQUERIESPROC)glewGetProcAddress((const GLubyte*)"glCreateQueries")) == NULL) || r; r = ((glCreateRenderbuffers = (PFNGLCREATERENDERBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glCreateRenderbuffers")) == NULL) || r; r = ((glCreateSamplers = (PFNGLCREATESAMPLERSPROC)glewGetProcAddress((const GLubyte*)"glCreateSamplers")) == NULL) || r; r = ((glCreateTextures = (PFNGLCREATETEXTURESPROC)glewGetProcAddress((const GLubyte*)"glCreateTextures")) == NULL) || r; r = ((glCreateTransformFeedbacks = (PFNGLCREATETRANSFORMFEEDBACKSPROC)glewGetProcAddress((const GLubyte*)"glCreateTransformFeedbacks")) == NULL) || r; r = ((glCreateVertexArrays = (PFNGLCREATEVERTEXARRAYSPROC)glewGetProcAddress((const GLubyte*)"glCreateVertexArrays")) == NULL) || r; r = ((glDisableVertexArrayAttrib = (PFNGLDISABLEVERTEXARRAYATTRIBPROC)glewGetProcAddress((const GLubyte*)"glDisableVertexArrayAttrib")) == NULL) || r; r = ((glEnableVertexArrayAttrib = (PFNGLENABLEVERTEXARRAYATTRIBPROC)glewGetProcAddress((const GLubyte*)"glEnableVertexArrayAttrib")) == NULL) || r; r = ((glFlushMappedNamedBufferRange = (PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glFlushMappedNamedBufferRange")) == NULL) || r; r = ((glGenerateTextureMipmap = (PFNGLGENERATETEXTUREMIPMAPPROC)glewGetProcAddress((const GLubyte*)"glGenerateTextureMipmap")) == NULL) || r; r = ((glGetCompressedTextureImage = (PFNGLGETCOMPRESSEDTEXTUREIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetCompressedTextureImage")) == NULL) || r; r = ((glGetNamedBufferParameteri64v = (PFNGLGETNAMEDBUFFERPARAMETERI64VPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferParameteri64v")) == NULL) || r; r = ((glGetNamedBufferParameteriv = (PFNGLGETNAMEDBUFFERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferParameteriv")) == NULL) || r; r = ((glGetNamedBufferPointerv = (PFNGLGETNAMEDBUFFERPOINTERVPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferPointerv")) == NULL) || r; r = ((glGetNamedBufferSubData = (PFNGLGETNAMEDBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferSubData")) == NULL) || r; r = ((glGetNamedFramebufferAttachmentParameteriv = (PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetNamedFramebufferAttachmentParameteriv")) == NULL) || r; r = ((glGetNamedFramebufferParameteriv = (PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetNamedFramebufferParameteriv")) == NULL) || r; r = ((glGetNamedRenderbufferParameteriv = (PFNGLGETNAMEDRENDERBUFFERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetNamedRenderbufferParameteriv")) == NULL) || r; r = ((glGetQueryBufferObjecti64v = (PFNGLGETQUERYBUFFEROBJECTI64VPROC)glewGetProcAddress((const GLubyte*)"glGetQueryBufferObjecti64v")) == NULL) || r; r = ((glGetQueryBufferObjectiv = (PFNGLGETQUERYBUFFEROBJECTIVPROC)glewGetProcAddress((const GLubyte*)"glGetQueryBufferObjectiv")) == NULL) || r; r = ((glGetQueryBufferObjectui64v = (PFNGLGETQUERYBUFFEROBJECTUI64VPROC)glewGetProcAddress((const GLubyte*)"glGetQueryBufferObjectui64v")) == NULL) || r; r = ((glGetQueryBufferObjectuiv = (PFNGLGETQUERYBUFFEROBJECTUIVPROC)glewGetProcAddress((const GLubyte*)"glGetQueryBufferObjectuiv")) == NULL) || r; r = ((glGetTextureImage = (PFNGLGETTEXTUREIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetTextureImage")) == NULL) || r; r = ((glGetTextureLevelParameterfv = (PFNGLGETTEXTURELEVELPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureLevelParameterfv")) == NULL) || r; r = ((glGetTextureLevelParameteriv = (PFNGLGETTEXTURELEVELPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureLevelParameteriv")) == NULL) || r; r = ((glGetTextureParameterIiv = (PFNGLGETTEXTUREPARAMETERIIVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterIiv")) == NULL) || r; r = ((glGetTextureParameterIuiv = (PFNGLGETTEXTUREPARAMETERIUIVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterIuiv")) == NULL) || r; r = ((glGetTextureParameterfv = (PFNGLGETTEXTUREPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterfv")) == NULL) || r; r = ((glGetTextureParameteriv = (PFNGLGETTEXTUREPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameteriv")) == NULL) || r; r = ((glGetTransformFeedbacki64_v = (PFNGLGETTRANSFORMFEEDBACKI64_VPROC)glewGetProcAddress((const GLubyte*)"glGetTransformFeedbacki64_v")) == NULL) || r; r = ((glGetTransformFeedbacki_v = (PFNGLGETTRANSFORMFEEDBACKI_VPROC)glewGetProcAddress((const GLubyte*)"glGetTransformFeedbacki_v")) == NULL) || r; r = ((glGetTransformFeedbackiv = (PFNGLGETTRANSFORMFEEDBACKIVPROC)glewGetProcAddress((const GLubyte*)"glGetTransformFeedbackiv")) == NULL) || r; r = ((glGetVertexArrayIndexed64iv = (PFNGLGETVERTEXARRAYINDEXED64IVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayIndexed64iv")) == NULL) || r; r = ((glGetVertexArrayIndexediv = (PFNGLGETVERTEXARRAYINDEXEDIVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayIndexediv")) == NULL) || r; r = ((glGetVertexArrayiv = (PFNGLGETVERTEXARRAYIVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayiv")) == NULL) || r; r = ((glInvalidateNamedFramebufferData = (PFNGLINVALIDATENAMEDFRAMEBUFFERDATAPROC)glewGetProcAddress((const GLubyte*)"glInvalidateNamedFramebufferData")) == NULL) || r; r = ((glInvalidateNamedFramebufferSubData = (PFNGLINVALIDATENAMEDFRAMEBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glInvalidateNamedFramebufferSubData")) == NULL) || r; r = ((glMapNamedBuffer = (PFNGLMAPNAMEDBUFFERPROC)glewGetProcAddress((const GLubyte*)"glMapNamedBuffer")) == NULL) || r; r = ((glMapNamedBufferRange = (PFNGLMAPNAMEDBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glMapNamedBufferRange")) == NULL) || r; r = ((glNamedBufferData = (PFNGLNAMEDBUFFERDATAPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferData")) == NULL) || r; r = ((glNamedBufferStorage = (PFNGLNAMEDBUFFERSTORAGEPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferStorage")) == NULL) || r; r = ((glNamedBufferSubData = (PFNGLNAMEDBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferSubData")) == NULL) || r; r = ((glNamedFramebufferDrawBuffer = (PFNGLNAMEDFRAMEBUFFERDRAWBUFFERPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferDrawBuffer")) == NULL) || r; r = ((glNamedFramebufferDrawBuffers = (PFNGLNAMEDFRAMEBUFFERDRAWBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferDrawBuffers")) == NULL) || r; r = ((glNamedFramebufferParameteri = (PFNGLNAMEDFRAMEBUFFERPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferParameteri")) == NULL) || r; r = ((glNamedFramebufferReadBuffer = (PFNGLNAMEDFRAMEBUFFERREADBUFFERPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferReadBuffer")) == NULL) || r; r = ((glNamedFramebufferRenderbuffer = (PFNGLNAMEDFRAMEBUFFERRENDERBUFFERPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferRenderbuffer")) == NULL) || r; r = ((glNamedFramebufferTexture = (PFNGLNAMEDFRAMEBUFFERTEXTUREPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTexture")) == NULL) || r; r = ((glNamedFramebufferTextureLayer = (PFNGLNAMEDFRAMEBUFFERTEXTURELAYERPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTextureLayer")) == NULL) || r; r = ((glNamedRenderbufferStorage = (PFNGLNAMEDRENDERBUFFERSTORAGEPROC)glewGetProcAddress((const GLubyte*)"glNamedRenderbufferStorage")) == NULL) || r; r = ((glNamedRenderbufferStorageMultisample = (PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glNamedRenderbufferStorageMultisample")) == NULL) || r; r = ((glTextureBuffer = (PFNGLTEXTUREBUFFERPROC)glewGetProcAddress((const GLubyte*)"glTextureBuffer")) == NULL) || r; r = ((glTextureBufferRange = (PFNGLTEXTUREBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glTextureBufferRange")) == NULL) || r; r = ((glTextureParameterIiv = (PFNGLTEXTUREPARAMETERIIVPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterIiv")) == NULL) || r; r = ((glTextureParameterIuiv = (PFNGLTEXTUREPARAMETERIUIVPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterIuiv")) == NULL) || r; r = ((glTextureParameterf = (PFNGLTEXTUREPARAMETERFPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterf")) == NULL) || r; r = ((glTextureParameterfv = (PFNGLTEXTUREPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterfv")) == NULL) || r; r = ((glTextureParameteri = (PFNGLTEXTUREPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glTextureParameteri")) == NULL) || r; r = ((glTextureParameteriv = (PFNGLTEXTUREPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glTextureParameteriv")) == NULL) || r; r = ((glTextureStorage1D = (PFNGLTEXTURESTORAGE1DPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage1D")) == NULL) || r; r = ((glTextureStorage2D = (PFNGLTEXTURESTORAGE2DPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage2D")) == NULL) || r; r = ((glTextureStorage2DMultisample = (PFNGLTEXTURESTORAGE2DMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage2DMultisample")) == NULL) || r; r = ((glTextureStorage3D = (PFNGLTEXTURESTORAGE3DPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage3D")) == NULL) || r; r = ((glTextureStorage3DMultisample = (PFNGLTEXTURESTORAGE3DMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage3DMultisample")) == NULL) || r; r = ((glTextureSubImage1D = (PFNGLTEXTURESUBIMAGE1DPROC)glewGetProcAddress((const GLubyte*)"glTextureSubImage1D")) == NULL) || r; r = ((glTextureSubImage2D = (PFNGLTEXTURESUBIMAGE2DPROC)glewGetProcAddress((const GLubyte*)"glTextureSubImage2D")) == NULL) || r; r = ((glTextureSubImage3D = (PFNGLTEXTURESUBIMAGE3DPROC)glewGetProcAddress((const GLubyte*)"glTextureSubImage3D")) == NULL) || r; r = ((glTransformFeedbackBufferBase = (PFNGLTRANSFORMFEEDBACKBUFFERBASEPROC)glewGetProcAddress((const GLubyte*)"glTransformFeedbackBufferBase")) == NULL) || r; r = ((glTransformFeedbackBufferRange = (PFNGLTRANSFORMFEEDBACKBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glTransformFeedbackBufferRange")) == NULL) || r; r = ((glUnmapNamedBuffer = (PFNGLUNMAPNAMEDBUFFERPROC)glewGetProcAddress((const GLubyte*)"glUnmapNamedBuffer")) == NULL) || r; r = ((glVertexArrayAttribBinding = (PFNGLVERTEXARRAYATTRIBBINDINGPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayAttribBinding")) == NULL) || r; r = ((glVertexArrayAttribFormat = (PFNGLVERTEXARRAYATTRIBFORMATPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayAttribFormat")) == NULL) || r; r = ((glVertexArrayAttribIFormat = (PFNGLVERTEXARRAYATTRIBIFORMATPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayAttribIFormat")) == NULL) || r; r = ((glVertexArrayAttribLFormat = (PFNGLVERTEXARRAYATTRIBLFORMATPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayAttribLFormat")) == NULL) || r; r = ((glVertexArrayBindingDivisor = (PFNGLVERTEXARRAYBINDINGDIVISORPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayBindingDivisor")) == NULL) || r; r = ((glVertexArrayElementBuffer = (PFNGLVERTEXARRAYELEMENTBUFFERPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayElementBuffer")) == NULL) || r; r = ((glVertexArrayVertexBuffer = (PFNGLVERTEXARRAYVERTEXBUFFERPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexBuffer")) == NULL) || r; r = ((glVertexArrayVertexBuffers = (PFNGLVERTEXARRAYVERTEXBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexBuffers")) == NULL) || r; return r; } #endif /* GL_ARB_direct_state_access */ #ifdef GL_ARB_draw_buffers static GLboolean _glewInit_GL_ARB_draw_buffers () { GLboolean r = GL_FALSE; r = ((glDrawBuffersARB = (PFNGLDRAWBUFFERSARBPROC)glewGetProcAddress((const GLubyte*)"glDrawBuffersARB")) == NULL) || r; return r; } #endif /* GL_ARB_draw_buffers */ #ifdef GL_ARB_draw_buffers_blend static GLboolean _glewInit_GL_ARB_draw_buffers_blend () { GLboolean r = GL_FALSE; r = ((glBlendEquationSeparateiARB = (PFNGLBLENDEQUATIONSEPARATEIARBPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationSeparateiARB")) == NULL) || r; r = ((glBlendEquationiARB = (PFNGLBLENDEQUATIONIARBPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationiARB")) == NULL) || r; r = ((glBlendFuncSeparateiARB = (PFNGLBLENDFUNCSEPARATEIARBPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncSeparateiARB")) == NULL) || r; r = ((glBlendFunciARB = (PFNGLBLENDFUNCIARBPROC)glewGetProcAddress((const GLubyte*)"glBlendFunciARB")) == NULL) || r; return r; } #endif /* GL_ARB_draw_buffers_blend */ #ifdef GL_ARB_draw_elements_base_vertex static GLboolean _glewInit_GL_ARB_draw_elements_base_vertex () { GLboolean r = GL_FALSE; r = ((glDrawElementsBaseVertex = (PFNGLDRAWELEMENTSBASEVERTEXPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsBaseVertex")) == NULL) || r; r = ((glDrawElementsInstancedBaseVertex = (PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedBaseVertex")) == NULL) || r; r = ((glDrawRangeElementsBaseVertex = (PFNGLDRAWRANGEELEMENTSBASEVERTEXPROC)glewGetProcAddress((const GLubyte*)"glDrawRangeElementsBaseVertex")) == NULL) || r; r = ((glMultiDrawElementsBaseVertex = (PFNGLMULTIDRAWELEMENTSBASEVERTEXPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsBaseVertex")) == NULL) || r; return r; } #endif /* GL_ARB_draw_elements_base_vertex */ #ifdef GL_ARB_draw_indirect static GLboolean _glewInit_GL_ARB_draw_indirect () { GLboolean r = GL_FALSE; r = ((glDrawArraysIndirect = (PFNGLDRAWARRAYSINDIRECTPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysIndirect")) == NULL) || r; r = ((glDrawElementsIndirect = (PFNGLDRAWELEMENTSINDIRECTPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsIndirect")) == NULL) || r; return r; } #endif /* GL_ARB_draw_indirect */ #ifdef GL_ARB_framebuffer_no_attachments static GLboolean _glewInit_GL_ARB_framebuffer_no_attachments () { GLboolean r = GL_FALSE; r = ((glFramebufferParameteri = (PFNGLFRAMEBUFFERPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glFramebufferParameteri")) == NULL) || r; r = ((glGetFramebufferParameteriv = (PFNGLGETFRAMEBUFFERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetFramebufferParameteriv")) == NULL) || r; r = ((glGetNamedFramebufferParameterivEXT = (PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedFramebufferParameterivEXT")) == NULL) || r; r = ((glNamedFramebufferParameteriEXT = (PFNGLNAMEDFRAMEBUFFERPARAMETERIEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferParameteriEXT")) == NULL) || r; return r; } #endif /* GL_ARB_framebuffer_no_attachments */ #ifdef GL_ARB_framebuffer_object static GLboolean _glewInit_GL_ARB_framebuffer_object () { GLboolean r = GL_FALSE; r = ((glBindFramebuffer = (PFNGLBINDFRAMEBUFFERPROC)glewGetProcAddress((const GLubyte*)"glBindFramebuffer")) == NULL) || r; r = ((glBindRenderbuffer = (PFNGLBINDRENDERBUFFERPROC)glewGetProcAddress((const GLubyte*)"glBindRenderbuffer")) == NULL) || r; r = ((glBlitFramebuffer = (PFNGLBLITFRAMEBUFFERPROC)glewGetProcAddress((const GLubyte*)"glBlitFramebuffer")) == NULL) || r; r = ((glCheckFramebufferStatus = (PFNGLCHECKFRAMEBUFFERSTATUSPROC)glewGetProcAddress((const GLubyte*)"glCheckFramebufferStatus")) == NULL) || r; r = ((glDeleteFramebuffers = (PFNGLDELETEFRAMEBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glDeleteFramebuffers")) == NULL) || r; r = ((glDeleteRenderbuffers = (PFNGLDELETERENDERBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glDeleteRenderbuffers")) == NULL) || r; r = ((glFramebufferRenderbuffer = (PFNGLFRAMEBUFFERRENDERBUFFERPROC)glewGetProcAddress((const GLubyte*)"glFramebufferRenderbuffer")) == NULL) || r; r = ((glFramebufferTexture1D = (PFNGLFRAMEBUFFERTEXTURE1DPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture1D")) == NULL) || r; r = ((glFramebufferTexture2D = (PFNGLFRAMEBUFFERTEXTURE2DPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture2D")) == NULL) || r; r = ((glFramebufferTexture3D = (PFNGLFRAMEBUFFERTEXTURE3DPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture3D")) == NULL) || r; r = ((glFramebufferTextureLayer = (PFNGLFRAMEBUFFERTEXTURELAYERPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureLayer")) == NULL) || r; r = ((glGenFramebuffers = (PFNGLGENFRAMEBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glGenFramebuffers")) == NULL) || r; r = ((glGenRenderbuffers = (PFNGLGENRENDERBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glGenRenderbuffers")) == NULL) || r; r = ((glGenerateMipmap = (PFNGLGENERATEMIPMAPPROC)glewGetProcAddress((const GLubyte*)"glGenerateMipmap")) == NULL) || r; r = ((glGetFramebufferAttachmentParameteriv = (PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetFramebufferAttachmentParameteriv")) == NULL) || r; r = ((glGetRenderbufferParameteriv = (PFNGLGETRENDERBUFFERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetRenderbufferParameteriv")) == NULL) || r; r = ((glIsFramebuffer = (PFNGLISFRAMEBUFFERPROC)glewGetProcAddress((const GLubyte*)"glIsFramebuffer")) == NULL) || r; r = ((glIsRenderbuffer = (PFNGLISRENDERBUFFERPROC)glewGetProcAddress((const GLubyte*)"glIsRenderbuffer")) == NULL) || r; r = ((glRenderbufferStorage = (PFNGLRENDERBUFFERSTORAGEPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorage")) == NULL) || r; r = ((glRenderbufferStorageMultisample = (PFNGLRENDERBUFFERSTORAGEMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageMultisample")) == NULL) || r; return r; } #endif /* GL_ARB_framebuffer_object */ #ifdef GL_ARB_geometry_shader4 static GLboolean _glewInit_GL_ARB_geometry_shader4 () { GLboolean r = GL_FALSE; r = ((glFramebufferTextureARB = (PFNGLFRAMEBUFFERTEXTUREARBPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureARB")) == NULL) || r; r = ((glFramebufferTextureFaceARB = (PFNGLFRAMEBUFFERTEXTUREFACEARBPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureFaceARB")) == NULL) || r; r = ((glFramebufferTextureLayerARB = (PFNGLFRAMEBUFFERTEXTURELAYERARBPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureLayerARB")) == NULL) || r; r = ((glProgramParameteriARB = (PFNGLPROGRAMPARAMETERIARBPROC)glewGetProcAddress((const GLubyte*)"glProgramParameteriARB")) == NULL) || r; return r; } #endif /* GL_ARB_geometry_shader4 */ #ifdef GL_ARB_get_program_binary static GLboolean _glewInit_GL_ARB_get_program_binary () { GLboolean r = GL_FALSE; r = ((glGetProgramBinary = (PFNGLGETPROGRAMBINARYPROC)glewGetProcAddress((const GLubyte*)"glGetProgramBinary")) == NULL) || r; r = ((glProgramBinary = (PFNGLPROGRAMBINARYPROC)glewGetProcAddress((const GLubyte*)"glProgramBinary")) == NULL) || r; r = ((glProgramParameteri = (PFNGLPROGRAMPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glProgramParameteri")) == NULL) || r; return r; } #endif /* GL_ARB_get_program_binary */ #ifdef GL_ARB_get_texture_sub_image static GLboolean _glewInit_GL_ARB_get_texture_sub_image () { GLboolean r = GL_FALSE; r = ((glGetCompressedTextureSubImage = (PFNGLGETCOMPRESSEDTEXTURESUBIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetCompressedTextureSubImage")) == NULL) || r; r = ((glGetTextureSubImage = (PFNGLGETTEXTURESUBIMAGEPROC)glewGetProcAddress((const GLubyte*)"glGetTextureSubImage")) == NULL) || r; return r; } #endif /* GL_ARB_get_texture_sub_image */ #ifdef GL_ARB_gl_spirv static GLboolean _glewInit_GL_ARB_gl_spirv () { GLboolean r = GL_FALSE; r = ((glSpecializeShaderARB = (PFNGLSPECIALIZESHADERARBPROC)glewGetProcAddress((const GLubyte*)"glSpecializeShaderARB")) == NULL) || r; return r; } #endif /* GL_ARB_gl_spirv */ #ifdef GL_ARB_gpu_shader_fp64 static GLboolean _glewInit_GL_ARB_gpu_shader_fp64 () { GLboolean r = GL_FALSE; r = ((glGetUniformdv = (PFNGLGETUNIFORMDVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformdv")) == NULL) || r; r = ((glUniform1d = (PFNGLUNIFORM1DPROC)glewGetProcAddress((const GLubyte*)"glUniform1d")) == NULL) || r; r = ((glUniform1dv = (PFNGLUNIFORM1DVPROC)glewGetProcAddress((const GLubyte*)"glUniform1dv")) == NULL) || r; r = ((glUniform2d = (PFNGLUNIFORM2DPROC)glewGetProcAddress((const GLubyte*)"glUniform2d")) == NULL) || r; r = ((glUniform2dv = (PFNGLUNIFORM2DVPROC)glewGetProcAddress((const GLubyte*)"glUniform2dv")) == NULL) || r; r = ((glUniform3d = (PFNGLUNIFORM3DPROC)glewGetProcAddress((const GLubyte*)"glUniform3d")) == NULL) || r; r = ((glUniform3dv = (PFNGLUNIFORM3DVPROC)glewGetProcAddress((const GLubyte*)"glUniform3dv")) == NULL) || r; r = ((glUniform4d = (PFNGLUNIFORM4DPROC)glewGetProcAddress((const GLubyte*)"glUniform4d")) == NULL) || r; r = ((glUniform4dv = (PFNGLUNIFORM4DVPROC)glewGetProcAddress((const GLubyte*)"glUniform4dv")) == NULL) || r; r = ((glUniformMatrix2dv = (PFNGLUNIFORMMATRIX2DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2dv")) == NULL) || r; r = ((glUniformMatrix2x3dv = (PFNGLUNIFORMMATRIX2X3DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2x3dv")) == NULL) || r; r = ((glUniformMatrix2x4dv = (PFNGLUNIFORMMATRIX2X4DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2x4dv")) == NULL) || r; r = ((glUniformMatrix3dv = (PFNGLUNIFORMMATRIX3DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3dv")) == NULL) || r; r = ((glUniformMatrix3x2dv = (PFNGLUNIFORMMATRIX3X2DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3x2dv")) == NULL) || r; r = ((glUniformMatrix3x4dv = (PFNGLUNIFORMMATRIX3X4DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3x4dv")) == NULL) || r; r = ((glUniformMatrix4dv = (PFNGLUNIFORMMATRIX4DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4dv")) == NULL) || r; r = ((glUniformMatrix4x2dv = (PFNGLUNIFORMMATRIX4X2DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4x2dv")) == NULL) || r; r = ((glUniformMatrix4x3dv = (PFNGLUNIFORMMATRIX4X3DVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4x3dv")) == NULL) || r; return r; } #endif /* GL_ARB_gpu_shader_fp64 */ #ifdef GL_ARB_gpu_shader_int64 static GLboolean _glewInit_GL_ARB_gpu_shader_int64 () { GLboolean r = GL_FALSE; r = ((glGetUniformi64vARB = (PFNGLGETUNIFORMI64VARBPROC)glewGetProcAddress((const GLubyte*)"glGetUniformi64vARB")) == NULL) || r; r = ((glGetUniformui64vARB = (PFNGLGETUNIFORMUI64VARBPROC)glewGetProcAddress((const GLubyte*)"glGetUniformui64vARB")) == NULL) || r; r = ((glGetnUniformi64vARB = (PFNGLGETNUNIFORMI64VARBPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformi64vARB")) == NULL) || r; r = ((glGetnUniformui64vARB = (PFNGLGETNUNIFORMUI64VARBPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformui64vARB")) == NULL) || r; r = ((glProgramUniform1i64ARB = (PFNGLPROGRAMUNIFORM1I64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1i64ARB")) == NULL) || r; r = ((glProgramUniform1i64vARB = (PFNGLPROGRAMUNIFORM1I64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1i64vARB")) == NULL) || r; r = ((glProgramUniform1ui64ARB = (PFNGLPROGRAMUNIFORM1UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1ui64ARB")) == NULL) || r; r = ((glProgramUniform1ui64vARB = (PFNGLPROGRAMUNIFORM1UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1ui64vARB")) == NULL) || r; r = ((glProgramUniform2i64ARB = (PFNGLPROGRAMUNIFORM2I64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2i64ARB")) == NULL) || r; r = ((glProgramUniform2i64vARB = (PFNGLPROGRAMUNIFORM2I64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2i64vARB")) == NULL) || r; r = ((glProgramUniform2ui64ARB = (PFNGLPROGRAMUNIFORM2UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2ui64ARB")) == NULL) || r; r = ((glProgramUniform2ui64vARB = (PFNGLPROGRAMUNIFORM2UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2ui64vARB")) == NULL) || r; r = ((glProgramUniform3i64ARB = (PFNGLPROGRAMUNIFORM3I64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3i64ARB")) == NULL) || r; r = ((glProgramUniform3i64vARB = (PFNGLPROGRAMUNIFORM3I64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3i64vARB")) == NULL) || r; r = ((glProgramUniform3ui64ARB = (PFNGLPROGRAMUNIFORM3UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3ui64ARB")) == NULL) || r; r = ((glProgramUniform3ui64vARB = (PFNGLPROGRAMUNIFORM3UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3ui64vARB")) == NULL) || r; r = ((glProgramUniform4i64ARB = (PFNGLPROGRAMUNIFORM4I64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4i64ARB")) == NULL) || r; r = ((glProgramUniform4i64vARB = (PFNGLPROGRAMUNIFORM4I64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4i64vARB")) == NULL) || r; r = ((glProgramUniform4ui64ARB = (PFNGLPROGRAMUNIFORM4UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4ui64ARB")) == NULL) || r; r = ((glProgramUniform4ui64vARB = (PFNGLPROGRAMUNIFORM4UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4ui64vARB")) == NULL) || r; r = ((glUniform1i64ARB = (PFNGLUNIFORM1I64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1i64ARB")) == NULL) || r; r = ((glUniform1i64vARB = (PFNGLUNIFORM1I64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1i64vARB")) == NULL) || r; r = ((glUniform1ui64ARB = (PFNGLUNIFORM1UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1ui64ARB")) == NULL) || r; r = ((glUniform1ui64vARB = (PFNGLUNIFORM1UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1ui64vARB")) == NULL) || r; r = ((glUniform2i64ARB = (PFNGLUNIFORM2I64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2i64ARB")) == NULL) || r; r = ((glUniform2i64vARB = (PFNGLUNIFORM2I64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2i64vARB")) == NULL) || r; r = ((glUniform2ui64ARB = (PFNGLUNIFORM2UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2ui64ARB")) == NULL) || r; r = ((glUniform2ui64vARB = (PFNGLUNIFORM2UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2ui64vARB")) == NULL) || r; r = ((glUniform3i64ARB = (PFNGLUNIFORM3I64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3i64ARB")) == NULL) || r; r = ((glUniform3i64vARB = (PFNGLUNIFORM3I64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3i64vARB")) == NULL) || r; r = ((glUniform3ui64ARB = (PFNGLUNIFORM3UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3ui64ARB")) == NULL) || r; r = ((glUniform3ui64vARB = (PFNGLUNIFORM3UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3ui64vARB")) == NULL) || r; r = ((glUniform4i64ARB = (PFNGLUNIFORM4I64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4i64ARB")) == NULL) || r; r = ((glUniform4i64vARB = (PFNGLUNIFORM4I64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4i64vARB")) == NULL) || r; r = ((glUniform4ui64ARB = (PFNGLUNIFORM4UI64ARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4ui64ARB")) == NULL) || r; r = ((glUniform4ui64vARB = (PFNGLUNIFORM4UI64VARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4ui64vARB")) == NULL) || r; return r; } #endif /* GL_ARB_gpu_shader_int64 */ #ifdef GL_ARB_imaging static GLboolean _glewInit_GL_ARB_imaging () { GLboolean r = GL_FALSE; r = ((glBlendEquation = (PFNGLBLENDEQUATIONPROC)glewGetProcAddress((const GLubyte*)"glBlendEquation")) == NULL) || r; r = ((glColorSubTable = (PFNGLCOLORSUBTABLEPROC)glewGetProcAddress((const GLubyte*)"glColorSubTable")) == NULL) || r; r = ((glColorTable = (PFNGLCOLORTABLEPROC)glewGetProcAddress((const GLubyte*)"glColorTable")) == NULL) || r; r = ((glColorTableParameterfv = (PFNGLCOLORTABLEPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glColorTableParameterfv")) == NULL) || r; r = ((glColorTableParameteriv = (PFNGLCOLORTABLEPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glColorTableParameteriv")) == NULL) || r; r = ((glConvolutionFilter1D = (PFNGLCONVOLUTIONFILTER1DPROC)glewGetProcAddress((const GLubyte*)"glConvolutionFilter1D")) == NULL) || r; r = ((glConvolutionFilter2D = (PFNGLCONVOLUTIONFILTER2DPROC)glewGetProcAddress((const GLubyte*)"glConvolutionFilter2D")) == NULL) || r; r = ((glConvolutionParameterf = (PFNGLCONVOLUTIONPARAMETERFPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameterf")) == NULL) || r; r = ((glConvolutionParameterfv = (PFNGLCONVOLUTIONPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameterfv")) == NULL) || r; r = ((glConvolutionParameteri = (PFNGLCONVOLUTIONPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameteri")) == NULL) || r; r = ((glConvolutionParameteriv = (PFNGLCONVOLUTIONPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameteriv")) == NULL) || r; r = ((glCopyColorSubTable = (PFNGLCOPYCOLORSUBTABLEPROC)glewGetProcAddress((const GLubyte*)"glCopyColorSubTable")) == NULL) || r; r = ((glCopyColorTable = (PFNGLCOPYCOLORTABLEPROC)glewGetProcAddress((const GLubyte*)"glCopyColorTable")) == NULL) || r; r = ((glCopyConvolutionFilter1D = (PFNGLCOPYCONVOLUTIONFILTER1DPROC)glewGetProcAddress((const GLubyte*)"glCopyConvolutionFilter1D")) == NULL) || r; r = ((glCopyConvolutionFilter2D = (PFNGLCOPYCONVOLUTIONFILTER2DPROC)glewGetProcAddress((const GLubyte*)"glCopyConvolutionFilter2D")) == NULL) || r; r = ((glGetColorTable = (PFNGLGETCOLORTABLEPROC)glewGetProcAddress((const GLubyte*)"glGetColorTable")) == NULL) || r; r = ((glGetColorTableParameterfv = (PFNGLGETCOLORTABLEPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableParameterfv")) == NULL) || r; r = ((glGetColorTableParameteriv = (PFNGLGETCOLORTABLEPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableParameteriv")) == NULL) || r; r = ((glGetConvolutionFilter = (PFNGLGETCONVOLUTIONFILTERPROC)glewGetProcAddress((const GLubyte*)"glGetConvolutionFilter")) == NULL) || r; r = ((glGetConvolutionParameterfv = (PFNGLGETCONVOLUTIONPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetConvolutionParameterfv")) == NULL) || r; r = ((glGetConvolutionParameteriv = (PFNGLGETCONVOLUTIONPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetConvolutionParameteriv")) == NULL) || r; r = ((glGetHistogram = (PFNGLGETHISTOGRAMPROC)glewGetProcAddress((const GLubyte*)"glGetHistogram")) == NULL) || r; r = ((glGetHistogramParameterfv = (PFNGLGETHISTOGRAMPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetHistogramParameterfv")) == NULL) || r; r = ((glGetHistogramParameteriv = (PFNGLGETHISTOGRAMPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetHistogramParameteriv")) == NULL) || r; r = ((glGetMinmax = (PFNGLGETMINMAXPROC)glewGetProcAddress((const GLubyte*)"glGetMinmax")) == NULL) || r; r = ((glGetMinmaxParameterfv = (PFNGLGETMINMAXPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetMinmaxParameterfv")) == NULL) || r; r = ((glGetMinmaxParameteriv = (PFNGLGETMINMAXPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetMinmaxParameteriv")) == NULL) || r; r = ((glGetSeparableFilter = (PFNGLGETSEPARABLEFILTERPROC)glewGetProcAddress((const GLubyte*)"glGetSeparableFilter")) == NULL) || r; r = ((glHistogram = (PFNGLHISTOGRAMPROC)glewGetProcAddress((const GLubyte*)"glHistogram")) == NULL) || r; r = ((glMinmax = (PFNGLMINMAXPROC)glewGetProcAddress((const GLubyte*)"glMinmax")) == NULL) || r; r = ((glResetHistogram = (PFNGLRESETHISTOGRAMPROC)glewGetProcAddress((const GLubyte*)"glResetHistogram")) == NULL) || r; r = ((glResetMinmax = (PFNGLRESETMINMAXPROC)glewGetProcAddress((const GLubyte*)"glResetMinmax")) == NULL) || r; r = ((glSeparableFilter2D = (PFNGLSEPARABLEFILTER2DPROC)glewGetProcAddress((const GLubyte*)"glSeparableFilter2D")) == NULL) || r; return r; } #endif /* GL_ARB_imaging */ #ifdef GL_ARB_indirect_parameters static GLboolean _glewInit_GL_ARB_indirect_parameters () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirectCountARB = (PFNGLMULTIDRAWARRAYSINDIRECTCOUNTARBPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirectCountARB")) == NULL) || r; r = ((glMultiDrawElementsIndirectCountARB = (PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTARBPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirectCountARB")) == NULL) || r; return r; } #endif /* GL_ARB_indirect_parameters */ #ifdef GL_ARB_instanced_arrays static GLboolean _glewInit_GL_ARB_instanced_arrays () { GLboolean r = GL_FALSE; r = ((glDrawArraysInstancedARB = (PFNGLDRAWARRAYSINSTANCEDARBPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstancedARB")) == NULL) || r; r = ((glDrawElementsInstancedARB = (PFNGLDRAWELEMENTSINSTANCEDARBPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedARB")) == NULL) || r; r = ((glVertexAttribDivisorARB = (PFNGLVERTEXATTRIBDIVISORARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribDivisorARB")) == NULL) || r; return r; } #endif /* GL_ARB_instanced_arrays */ #ifdef GL_ARB_internalformat_query static GLboolean _glewInit_GL_ARB_internalformat_query () { GLboolean r = GL_FALSE; r = ((glGetInternalformativ = (PFNGLGETINTERNALFORMATIVPROC)glewGetProcAddress((const GLubyte*)"glGetInternalformativ")) == NULL) || r; return r; } #endif /* GL_ARB_internalformat_query */ #ifdef GL_ARB_internalformat_query2 static GLboolean _glewInit_GL_ARB_internalformat_query2 () { GLboolean r = GL_FALSE; r = ((glGetInternalformati64v = (PFNGLGETINTERNALFORMATI64VPROC)glewGetProcAddress((const GLubyte*)"glGetInternalformati64v")) == NULL) || r; return r; } #endif /* GL_ARB_internalformat_query2 */ #ifdef GL_ARB_invalidate_subdata static GLboolean _glewInit_GL_ARB_invalidate_subdata () { GLboolean r = GL_FALSE; r = ((glInvalidateBufferData = (PFNGLINVALIDATEBUFFERDATAPROC)glewGetProcAddress((const GLubyte*)"glInvalidateBufferData")) == NULL) || r; r = ((glInvalidateBufferSubData = (PFNGLINVALIDATEBUFFERSUBDATAPROC)glewGetProcAddress((const GLubyte*)"glInvalidateBufferSubData")) == NULL) || r; r = ((glInvalidateFramebuffer = (PFNGLINVALIDATEFRAMEBUFFERPROC)glewGetProcAddress((const GLubyte*)"glInvalidateFramebuffer")) == NULL) || r; r = ((glInvalidateSubFramebuffer = (PFNGLINVALIDATESUBFRAMEBUFFERPROC)glewGetProcAddress((const GLubyte*)"glInvalidateSubFramebuffer")) == NULL) || r; r = ((glInvalidateTexImage = (PFNGLINVALIDATETEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"glInvalidateTexImage")) == NULL) || r; r = ((glInvalidateTexSubImage = (PFNGLINVALIDATETEXSUBIMAGEPROC)glewGetProcAddress((const GLubyte*)"glInvalidateTexSubImage")) == NULL) || r; return r; } #endif /* GL_ARB_invalidate_subdata */ #ifdef GL_ARB_map_buffer_range static GLboolean _glewInit_GL_ARB_map_buffer_range () { GLboolean r = GL_FALSE; r = ((glFlushMappedBufferRange = (PFNGLFLUSHMAPPEDBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glFlushMappedBufferRange")) == NULL) || r; r = ((glMapBufferRange = (PFNGLMAPBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glMapBufferRange")) == NULL) || r; return r; } #endif /* GL_ARB_map_buffer_range */ #ifdef GL_ARB_matrix_palette static GLboolean _glewInit_GL_ARB_matrix_palette () { GLboolean r = GL_FALSE; r = ((glCurrentPaletteMatrixARB = (PFNGLCURRENTPALETTEMATRIXARBPROC)glewGetProcAddress((const GLubyte*)"glCurrentPaletteMatrixARB")) == NULL) || r; r = ((glMatrixIndexPointerARB = (PFNGLMATRIXINDEXPOINTERARBPROC)glewGetProcAddress((const GLubyte*)"glMatrixIndexPointerARB")) == NULL) || r; r = ((glMatrixIndexubvARB = (PFNGLMATRIXINDEXUBVARBPROC)glewGetProcAddress((const GLubyte*)"glMatrixIndexubvARB")) == NULL) || r; r = ((glMatrixIndexuivARB = (PFNGLMATRIXINDEXUIVARBPROC)glewGetProcAddress((const GLubyte*)"glMatrixIndexuivARB")) == NULL) || r; r = ((glMatrixIndexusvARB = (PFNGLMATRIXINDEXUSVARBPROC)glewGetProcAddress((const GLubyte*)"glMatrixIndexusvARB")) == NULL) || r; return r; } #endif /* GL_ARB_matrix_palette */ #ifdef GL_ARB_multi_bind static GLboolean _glewInit_GL_ARB_multi_bind () { GLboolean r = GL_FALSE; r = ((glBindBuffersBase = (PFNGLBINDBUFFERSBASEPROC)glewGetProcAddress((const GLubyte*)"glBindBuffersBase")) == NULL) || r; r = ((glBindBuffersRange = (PFNGLBINDBUFFERSRANGEPROC)glewGetProcAddress((const GLubyte*)"glBindBuffersRange")) == NULL) || r; r = ((glBindImageTextures = (PFNGLBINDIMAGETEXTURESPROC)glewGetProcAddress((const GLubyte*)"glBindImageTextures")) == NULL) || r; r = ((glBindSamplers = (PFNGLBINDSAMPLERSPROC)glewGetProcAddress((const GLubyte*)"glBindSamplers")) == NULL) || r; r = ((glBindTextures = (PFNGLBINDTEXTURESPROC)glewGetProcAddress((const GLubyte*)"glBindTextures")) == NULL) || r; r = ((glBindVertexBuffers = (PFNGLBINDVERTEXBUFFERSPROC)glewGetProcAddress((const GLubyte*)"glBindVertexBuffers")) == NULL) || r; return r; } #endif /* GL_ARB_multi_bind */ #ifdef GL_ARB_multi_draw_indirect static GLboolean _glewInit_GL_ARB_multi_draw_indirect () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirect = (PFNGLMULTIDRAWARRAYSINDIRECTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirect")) == NULL) || r; r = ((glMultiDrawElementsIndirect = (PFNGLMULTIDRAWELEMENTSINDIRECTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirect")) == NULL) || r; return r; } #endif /* GL_ARB_multi_draw_indirect */ #ifdef GL_ARB_multisample static GLboolean _glewInit_GL_ARB_multisample () { GLboolean r = GL_FALSE; r = ((glSampleCoverageARB = (PFNGLSAMPLECOVERAGEARBPROC)glewGetProcAddress((const GLubyte*)"glSampleCoverageARB")) == NULL) || r; return r; } #endif /* GL_ARB_multisample */ #ifdef GL_ARB_multitexture static GLboolean _glewInit_GL_ARB_multitexture () { GLboolean r = GL_FALSE; r = ((glActiveTextureARB = (PFNGLACTIVETEXTUREARBPROC)glewGetProcAddress((const GLubyte*)"glActiveTextureARB")) == NULL) || r; r = ((glClientActiveTextureARB = (PFNGLCLIENTACTIVETEXTUREARBPROC)glewGetProcAddress((const GLubyte*)"glClientActiveTextureARB")) == NULL) || r; r = ((glMultiTexCoord1dARB = (PFNGLMULTITEXCOORD1DARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1dARB")) == NULL) || r; r = ((glMultiTexCoord1dvARB = (PFNGLMULTITEXCOORD1DVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1dvARB")) == NULL) || r; r = ((glMultiTexCoord1fARB = (PFNGLMULTITEXCOORD1FARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1fARB")) == NULL) || r; r = ((glMultiTexCoord1fvARB = (PFNGLMULTITEXCOORD1FVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1fvARB")) == NULL) || r; r = ((glMultiTexCoord1iARB = (PFNGLMULTITEXCOORD1IARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1iARB")) == NULL) || r; r = ((glMultiTexCoord1ivARB = (PFNGLMULTITEXCOORD1IVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1ivARB")) == NULL) || r; r = ((glMultiTexCoord1sARB = (PFNGLMULTITEXCOORD1SARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1sARB")) == NULL) || r; r = ((glMultiTexCoord1svARB = (PFNGLMULTITEXCOORD1SVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1svARB")) == NULL) || r; r = ((glMultiTexCoord2dARB = (PFNGLMULTITEXCOORD2DARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2dARB")) == NULL) || r; r = ((glMultiTexCoord2dvARB = (PFNGLMULTITEXCOORD2DVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2dvARB")) == NULL) || r; r = ((glMultiTexCoord2fARB = (PFNGLMULTITEXCOORD2FARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2fARB")) == NULL) || r; r = ((glMultiTexCoord2fvARB = (PFNGLMULTITEXCOORD2FVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2fvARB")) == NULL) || r; r = ((glMultiTexCoord2iARB = (PFNGLMULTITEXCOORD2IARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2iARB")) == NULL) || r; r = ((glMultiTexCoord2ivARB = (PFNGLMULTITEXCOORD2IVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2ivARB")) == NULL) || r; r = ((glMultiTexCoord2sARB = (PFNGLMULTITEXCOORD2SARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2sARB")) == NULL) || r; r = ((glMultiTexCoord2svARB = (PFNGLMULTITEXCOORD2SVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2svARB")) == NULL) || r; r = ((glMultiTexCoord3dARB = (PFNGLMULTITEXCOORD3DARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3dARB")) == NULL) || r; r = ((glMultiTexCoord3dvARB = (PFNGLMULTITEXCOORD3DVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3dvARB")) == NULL) || r; r = ((glMultiTexCoord3fARB = (PFNGLMULTITEXCOORD3FARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3fARB")) == NULL) || r; r = ((glMultiTexCoord3fvARB = (PFNGLMULTITEXCOORD3FVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3fvARB")) == NULL) || r; r = ((glMultiTexCoord3iARB = (PFNGLMULTITEXCOORD3IARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3iARB")) == NULL) || r; r = ((glMultiTexCoord3ivARB = (PFNGLMULTITEXCOORD3IVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3ivARB")) == NULL) || r; r = ((glMultiTexCoord3sARB = (PFNGLMULTITEXCOORD3SARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3sARB")) == NULL) || r; r = ((glMultiTexCoord3svARB = (PFNGLMULTITEXCOORD3SVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3svARB")) == NULL) || r; r = ((glMultiTexCoord4dARB = (PFNGLMULTITEXCOORD4DARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4dARB")) == NULL) || r; r = ((glMultiTexCoord4dvARB = (PFNGLMULTITEXCOORD4DVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4dvARB")) == NULL) || r; r = ((glMultiTexCoord4fARB = (PFNGLMULTITEXCOORD4FARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4fARB")) == NULL) || r; r = ((glMultiTexCoord4fvARB = (PFNGLMULTITEXCOORD4FVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4fvARB")) == NULL) || r; r = ((glMultiTexCoord4iARB = (PFNGLMULTITEXCOORD4IARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4iARB")) == NULL) || r; r = ((glMultiTexCoord4ivARB = (PFNGLMULTITEXCOORD4IVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4ivARB")) == NULL) || r; r = ((glMultiTexCoord4sARB = (PFNGLMULTITEXCOORD4SARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4sARB")) == NULL) || r; r = ((glMultiTexCoord4svARB = (PFNGLMULTITEXCOORD4SVARBPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4svARB")) == NULL) || r; return r; } #endif /* GL_ARB_multitexture */ #ifdef GL_ARB_occlusion_query static GLboolean _glewInit_GL_ARB_occlusion_query () { GLboolean r = GL_FALSE; r = ((glBeginQueryARB = (PFNGLBEGINQUERYARBPROC)glewGetProcAddress((const GLubyte*)"glBeginQueryARB")) == NULL) || r; r = ((glDeleteQueriesARB = (PFNGLDELETEQUERIESARBPROC)glewGetProcAddress((const GLubyte*)"glDeleteQueriesARB")) == NULL) || r; r = ((glEndQueryARB = (PFNGLENDQUERYARBPROC)glewGetProcAddress((const GLubyte*)"glEndQueryARB")) == NULL) || r; r = ((glGenQueriesARB = (PFNGLGENQUERIESARBPROC)glewGetProcAddress((const GLubyte*)"glGenQueriesARB")) == NULL) || r; r = ((glGetQueryObjectivARB = (PFNGLGETQUERYOBJECTIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectivARB")) == NULL) || r; r = ((glGetQueryObjectuivARB = (PFNGLGETQUERYOBJECTUIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectuivARB")) == NULL) || r; r = ((glGetQueryivARB = (PFNGLGETQUERYIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetQueryivARB")) == NULL) || r; r = ((glIsQueryARB = (PFNGLISQUERYARBPROC)glewGetProcAddress((const GLubyte*)"glIsQueryARB")) == NULL) || r; return r; } #endif /* GL_ARB_occlusion_query */ #ifdef GL_ARB_parallel_shader_compile static GLboolean _glewInit_GL_ARB_parallel_shader_compile () { GLboolean r = GL_FALSE; r = ((glMaxShaderCompilerThreadsARB = (PFNGLMAXSHADERCOMPILERTHREADSARBPROC)glewGetProcAddress((const GLubyte*)"glMaxShaderCompilerThreadsARB")) == NULL) || r; return r; } #endif /* GL_ARB_parallel_shader_compile */ #ifdef GL_ARB_point_parameters static GLboolean _glewInit_GL_ARB_point_parameters () { GLboolean r = GL_FALSE; r = ((glPointParameterfARB = (PFNGLPOINTPARAMETERFARBPROC)glewGetProcAddress((const GLubyte*)"glPointParameterfARB")) == NULL) || r; r = ((glPointParameterfvARB = (PFNGLPOINTPARAMETERFVARBPROC)glewGetProcAddress((const GLubyte*)"glPointParameterfvARB")) == NULL) || r; return r; } #endif /* GL_ARB_point_parameters */ #ifdef GL_ARB_polygon_offset_clamp static GLboolean _glewInit_GL_ARB_polygon_offset_clamp () { GLboolean r = GL_FALSE; r = ((glPolygonOffsetClamp = (PFNGLPOLYGONOFFSETCLAMPPROC)glewGetProcAddress((const GLubyte*)"glPolygonOffsetClamp")) == NULL) || r; return r; } #endif /* GL_ARB_polygon_offset_clamp */ #ifdef GL_ARB_program_interface_query static GLboolean _glewInit_GL_ARB_program_interface_query () { GLboolean r = GL_FALSE; r = ((glGetProgramInterfaceiv = (PFNGLGETPROGRAMINTERFACEIVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramInterfaceiv")) == NULL) || r; r = ((glGetProgramResourceIndex = (PFNGLGETPROGRAMRESOURCEINDEXPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourceIndex")) == NULL) || r; r = ((glGetProgramResourceLocation = (PFNGLGETPROGRAMRESOURCELOCATIONPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourceLocation")) == NULL) || r; r = ((glGetProgramResourceLocationIndex = (PFNGLGETPROGRAMRESOURCELOCATIONINDEXPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourceLocationIndex")) == NULL) || r; r = ((glGetProgramResourceName = (PFNGLGETPROGRAMRESOURCENAMEPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourceName")) == NULL) || r; r = ((glGetProgramResourceiv = (PFNGLGETPROGRAMRESOURCEIVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourceiv")) == NULL) || r; return r; } #endif /* GL_ARB_program_interface_query */ #ifdef GL_ARB_provoking_vertex static GLboolean _glewInit_GL_ARB_provoking_vertex () { GLboolean r = GL_FALSE; r = ((glProvokingVertex = (PFNGLPROVOKINGVERTEXPROC)glewGetProcAddress((const GLubyte*)"glProvokingVertex")) == NULL) || r; return r; } #endif /* GL_ARB_provoking_vertex */ #ifdef GL_ARB_robustness static GLboolean _glewInit_GL_ARB_robustness () { GLboolean r = GL_FALSE; r = ((glGetGraphicsResetStatusARB = (PFNGLGETGRAPHICSRESETSTATUSARBPROC)glewGetProcAddress((const GLubyte*)"glGetGraphicsResetStatusARB")) == NULL) || r; r = ((glGetnColorTableARB = (PFNGLGETNCOLORTABLEARBPROC)glewGetProcAddress((const GLubyte*)"glGetnColorTableARB")) == NULL) || r; r = ((glGetnCompressedTexImageARB = (PFNGLGETNCOMPRESSEDTEXIMAGEARBPROC)glewGetProcAddress((const GLubyte*)"glGetnCompressedTexImageARB")) == NULL) || r; r = ((glGetnConvolutionFilterARB = (PFNGLGETNCONVOLUTIONFILTERARBPROC)glewGetProcAddress((const GLubyte*)"glGetnConvolutionFilterARB")) == NULL) || r; r = ((glGetnHistogramARB = (PFNGLGETNHISTOGRAMARBPROC)glewGetProcAddress((const GLubyte*)"glGetnHistogramARB")) == NULL) || r; r = ((glGetnMapdvARB = (PFNGLGETNMAPDVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnMapdvARB")) == NULL) || r; r = ((glGetnMapfvARB = (PFNGLGETNMAPFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnMapfvARB")) == NULL) || r; r = ((glGetnMapivARB = (PFNGLGETNMAPIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnMapivARB")) == NULL) || r; r = ((glGetnMinmaxARB = (PFNGLGETNMINMAXARBPROC)glewGetProcAddress((const GLubyte*)"glGetnMinmaxARB")) == NULL) || r; r = ((glGetnPixelMapfvARB = (PFNGLGETNPIXELMAPFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnPixelMapfvARB")) == NULL) || r; r = ((glGetnPixelMapuivARB = (PFNGLGETNPIXELMAPUIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnPixelMapuivARB")) == NULL) || r; r = ((glGetnPixelMapusvARB = (PFNGLGETNPIXELMAPUSVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnPixelMapusvARB")) == NULL) || r; r = ((glGetnPolygonStippleARB = (PFNGLGETNPOLYGONSTIPPLEARBPROC)glewGetProcAddress((const GLubyte*)"glGetnPolygonStippleARB")) == NULL) || r; r = ((glGetnSeparableFilterARB = (PFNGLGETNSEPARABLEFILTERARBPROC)glewGetProcAddress((const GLubyte*)"glGetnSeparableFilterARB")) == NULL) || r; r = ((glGetnTexImageARB = (PFNGLGETNTEXIMAGEARBPROC)glewGetProcAddress((const GLubyte*)"glGetnTexImageARB")) == NULL) || r; r = ((glGetnUniformdvARB = (PFNGLGETNUNIFORMDVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformdvARB")) == NULL) || r; r = ((glGetnUniformfvARB = (PFNGLGETNUNIFORMFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformfvARB")) == NULL) || r; r = ((glGetnUniformivARB = (PFNGLGETNUNIFORMIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformivARB")) == NULL) || r; r = ((glGetnUniformuivARB = (PFNGLGETNUNIFORMUIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformuivARB")) == NULL) || r; r = ((glReadnPixelsARB = (PFNGLREADNPIXELSARBPROC)glewGetProcAddress((const GLubyte*)"glReadnPixelsARB")) == NULL) || r; return r; } #endif /* GL_ARB_robustness */ #ifdef GL_ARB_sample_locations static GLboolean _glewInit_GL_ARB_sample_locations () { GLboolean r = GL_FALSE; r = ((glFramebufferSampleLocationsfvARB = (PFNGLFRAMEBUFFERSAMPLELOCATIONSFVARBPROC)glewGetProcAddress((const GLubyte*)"glFramebufferSampleLocationsfvARB")) == NULL) || r; r = ((glNamedFramebufferSampleLocationsfvARB = (PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVARBPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferSampleLocationsfvARB")) == NULL) || r; return r; } #endif /* GL_ARB_sample_locations */ #ifdef GL_ARB_sample_shading static GLboolean _glewInit_GL_ARB_sample_shading () { GLboolean r = GL_FALSE; r = ((glMinSampleShadingARB = (PFNGLMINSAMPLESHADINGARBPROC)glewGetProcAddress((const GLubyte*)"glMinSampleShadingARB")) == NULL) || r; return r; } #endif /* GL_ARB_sample_shading */ #ifdef GL_ARB_sampler_objects static GLboolean _glewInit_GL_ARB_sampler_objects () { GLboolean r = GL_FALSE; r = ((glBindSampler = (PFNGLBINDSAMPLERPROC)glewGetProcAddress((const GLubyte*)"glBindSampler")) == NULL) || r; r = ((glDeleteSamplers = (PFNGLDELETESAMPLERSPROC)glewGetProcAddress((const GLubyte*)"glDeleteSamplers")) == NULL) || r; r = ((glGenSamplers = (PFNGLGENSAMPLERSPROC)glewGetProcAddress((const GLubyte*)"glGenSamplers")) == NULL) || r; r = ((glGetSamplerParameterIiv = (PFNGLGETSAMPLERPARAMETERIIVPROC)glewGetProcAddress((const GLubyte*)"glGetSamplerParameterIiv")) == NULL) || r; r = ((glGetSamplerParameterIuiv = (PFNGLGETSAMPLERPARAMETERIUIVPROC)glewGetProcAddress((const GLubyte*)"glGetSamplerParameterIuiv")) == NULL) || r; r = ((glGetSamplerParameterfv = (PFNGLGETSAMPLERPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glGetSamplerParameterfv")) == NULL) || r; r = ((glGetSamplerParameteriv = (PFNGLGETSAMPLERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glGetSamplerParameteriv")) == NULL) || r; r = ((glIsSampler = (PFNGLISSAMPLERPROC)glewGetProcAddress((const GLubyte*)"glIsSampler")) == NULL) || r; r = ((glSamplerParameterIiv = (PFNGLSAMPLERPARAMETERIIVPROC)glewGetProcAddress((const GLubyte*)"glSamplerParameterIiv")) == NULL) || r; r = ((glSamplerParameterIuiv = (PFNGLSAMPLERPARAMETERIUIVPROC)glewGetProcAddress((const GLubyte*)"glSamplerParameterIuiv")) == NULL) || r; r = ((glSamplerParameterf = (PFNGLSAMPLERPARAMETERFPROC)glewGetProcAddress((const GLubyte*)"glSamplerParameterf")) == NULL) || r; r = ((glSamplerParameterfv = (PFNGLSAMPLERPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glSamplerParameterfv")) == NULL) || r; r = ((glSamplerParameteri = (PFNGLSAMPLERPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glSamplerParameteri")) == NULL) || r; r = ((glSamplerParameteriv = (PFNGLSAMPLERPARAMETERIVPROC)glewGetProcAddress((const GLubyte*)"glSamplerParameteriv")) == NULL) || r; return r; } #endif /* GL_ARB_sampler_objects */ #ifdef GL_ARB_separate_shader_objects static GLboolean _glewInit_GL_ARB_separate_shader_objects () { GLboolean r = GL_FALSE; r = ((glActiveShaderProgram = (PFNGLACTIVESHADERPROGRAMPROC)glewGetProcAddress((const GLubyte*)"glActiveShaderProgram")) == NULL) || r; r = ((glBindProgramPipeline = (PFNGLBINDPROGRAMPIPELINEPROC)glewGetProcAddress((const GLubyte*)"glBindProgramPipeline")) == NULL) || r; r = ((glCreateShaderProgramv = (PFNGLCREATESHADERPROGRAMVPROC)glewGetProcAddress((const GLubyte*)"glCreateShaderProgramv")) == NULL) || r; r = ((glDeleteProgramPipelines = (PFNGLDELETEPROGRAMPIPELINESPROC)glewGetProcAddress((const GLubyte*)"glDeleteProgramPipelines")) == NULL) || r; r = ((glGenProgramPipelines = (PFNGLGENPROGRAMPIPELINESPROC)glewGetProcAddress((const GLubyte*)"glGenProgramPipelines")) == NULL) || r; r = ((glGetProgramPipelineInfoLog = (PFNGLGETPROGRAMPIPELINEINFOLOGPROC)glewGetProcAddress((const GLubyte*)"glGetProgramPipelineInfoLog")) == NULL) || r; r = ((glGetProgramPipelineiv = (PFNGLGETPROGRAMPIPELINEIVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramPipelineiv")) == NULL) || r; r = ((glIsProgramPipeline = (PFNGLISPROGRAMPIPELINEPROC)glewGetProcAddress((const GLubyte*)"glIsProgramPipeline")) == NULL) || r; r = ((glProgramUniform1d = (PFNGLPROGRAMUNIFORM1DPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1d")) == NULL) || r; r = ((glProgramUniform1dv = (PFNGLPROGRAMUNIFORM1DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1dv")) == NULL) || r; r = ((glProgramUniform1f = (PFNGLPROGRAMUNIFORM1FPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1f")) == NULL) || r; r = ((glProgramUniform1fv = (PFNGLPROGRAMUNIFORM1FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1fv")) == NULL) || r; r = ((glProgramUniform1i = (PFNGLPROGRAMUNIFORM1IPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1i")) == NULL) || r; r = ((glProgramUniform1iv = (PFNGLPROGRAMUNIFORM1IVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1iv")) == NULL) || r; r = ((glProgramUniform1ui = (PFNGLPROGRAMUNIFORM1UIPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1ui")) == NULL) || r; r = ((glProgramUniform1uiv = (PFNGLPROGRAMUNIFORM1UIVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1uiv")) == NULL) || r; r = ((glProgramUniform2d = (PFNGLPROGRAMUNIFORM2DPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2d")) == NULL) || r; r = ((glProgramUniform2dv = (PFNGLPROGRAMUNIFORM2DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2dv")) == NULL) || r; r = ((glProgramUniform2f = (PFNGLPROGRAMUNIFORM2FPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2f")) == NULL) || r; r = ((glProgramUniform2fv = (PFNGLPROGRAMUNIFORM2FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2fv")) == NULL) || r; r = ((glProgramUniform2i = (PFNGLPROGRAMUNIFORM2IPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2i")) == NULL) || r; r = ((glProgramUniform2iv = (PFNGLPROGRAMUNIFORM2IVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2iv")) == NULL) || r; r = ((glProgramUniform2ui = (PFNGLPROGRAMUNIFORM2UIPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2ui")) == NULL) || r; r = ((glProgramUniform2uiv = (PFNGLPROGRAMUNIFORM2UIVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2uiv")) == NULL) || r; r = ((glProgramUniform3d = (PFNGLPROGRAMUNIFORM3DPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3d")) == NULL) || r; r = ((glProgramUniform3dv = (PFNGLPROGRAMUNIFORM3DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3dv")) == NULL) || r; r = ((glProgramUniform3f = (PFNGLPROGRAMUNIFORM3FPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3f")) == NULL) || r; r = ((glProgramUniform3fv = (PFNGLPROGRAMUNIFORM3FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3fv")) == NULL) || r; r = ((glProgramUniform3i = (PFNGLPROGRAMUNIFORM3IPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3i")) == NULL) || r; r = ((glProgramUniform3iv = (PFNGLPROGRAMUNIFORM3IVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3iv")) == NULL) || r; r = ((glProgramUniform3ui = (PFNGLPROGRAMUNIFORM3UIPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3ui")) == NULL) || r; r = ((glProgramUniform3uiv = (PFNGLPROGRAMUNIFORM3UIVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3uiv")) == NULL) || r; r = ((glProgramUniform4d = (PFNGLPROGRAMUNIFORM4DPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4d")) == NULL) || r; r = ((glProgramUniform4dv = (PFNGLPROGRAMUNIFORM4DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4dv")) == NULL) || r; r = ((glProgramUniform4f = (PFNGLPROGRAMUNIFORM4FPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4f")) == NULL) || r; r = ((glProgramUniform4fv = (PFNGLPROGRAMUNIFORM4FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4fv")) == NULL) || r; r = ((glProgramUniform4i = (PFNGLPROGRAMUNIFORM4IPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4i")) == NULL) || r; r = ((glProgramUniform4iv = (PFNGLPROGRAMUNIFORM4IVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4iv")) == NULL) || r; r = ((glProgramUniform4ui = (PFNGLPROGRAMUNIFORM4UIPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4ui")) == NULL) || r; r = ((glProgramUniform4uiv = (PFNGLPROGRAMUNIFORM4UIVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4uiv")) == NULL) || r; r = ((glProgramUniformMatrix2dv = (PFNGLPROGRAMUNIFORMMATRIX2DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2dv")) == NULL) || r; r = ((glProgramUniformMatrix2fv = (PFNGLPROGRAMUNIFORMMATRIX2FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2fv")) == NULL) || r; r = ((glProgramUniformMatrix2x3dv = (PFNGLPROGRAMUNIFORMMATRIX2X3DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2x3dv")) == NULL) || r; r = ((glProgramUniformMatrix2x3fv = (PFNGLPROGRAMUNIFORMMATRIX2X3FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2x3fv")) == NULL) || r; r = ((glProgramUniformMatrix2x4dv = (PFNGLPROGRAMUNIFORMMATRIX2X4DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2x4dv")) == NULL) || r; r = ((glProgramUniformMatrix2x4fv = (PFNGLPROGRAMUNIFORMMATRIX2X4FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2x4fv")) == NULL) || r; r = ((glProgramUniformMatrix3dv = (PFNGLPROGRAMUNIFORMMATRIX3DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3dv")) == NULL) || r; r = ((glProgramUniformMatrix3fv = (PFNGLPROGRAMUNIFORMMATRIX3FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3fv")) == NULL) || r; r = ((glProgramUniformMatrix3x2dv = (PFNGLPROGRAMUNIFORMMATRIX3X2DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3x2dv")) == NULL) || r; r = ((glProgramUniformMatrix3x2fv = (PFNGLPROGRAMUNIFORMMATRIX3X2FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3x2fv")) == NULL) || r; r = ((glProgramUniformMatrix3x4dv = (PFNGLPROGRAMUNIFORMMATRIX3X4DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3x4dv")) == NULL) || r; r = ((glProgramUniformMatrix3x4fv = (PFNGLPROGRAMUNIFORMMATRIX3X4FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3x4fv")) == NULL) || r; r = ((glProgramUniformMatrix4dv = (PFNGLPROGRAMUNIFORMMATRIX4DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4dv")) == NULL) || r; r = ((glProgramUniformMatrix4fv = (PFNGLPROGRAMUNIFORMMATRIX4FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4fv")) == NULL) || r; r = ((glProgramUniformMatrix4x2dv = (PFNGLPROGRAMUNIFORMMATRIX4X2DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4x2dv")) == NULL) || r; r = ((glProgramUniformMatrix4x2fv = (PFNGLPROGRAMUNIFORMMATRIX4X2FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4x2fv")) == NULL) || r; r = ((glProgramUniformMatrix4x3dv = (PFNGLPROGRAMUNIFORMMATRIX4X3DVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4x3dv")) == NULL) || r; r = ((glProgramUniformMatrix4x3fv = (PFNGLPROGRAMUNIFORMMATRIX4X3FVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4x3fv")) == NULL) || r; r = ((glUseProgramStages = (PFNGLUSEPROGRAMSTAGESPROC)glewGetProcAddress((const GLubyte*)"glUseProgramStages")) == NULL) || r; r = ((glValidateProgramPipeline = (PFNGLVALIDATEPROGRAMPIPELINEPROC)glewGetProcAddress((const GLubyte*)"glValidateProgramPipeline")) == NULL) || r; return r; } #endif /* GL_ARB_separate_shader_objects */ #ifdef GL_ARB_shader_atomic_counters static GLboolean _glewInit_GL_ARB_shader_atomic_counters () { GLboolean r = GL_FALSE; r = ((glGetActiveAtomicCounterBufferiv = (PFNGLGETACTIVEATOMICCOUNTERBUFFERIVPROC)glewGetProcAddress((const GLubyte*)"glGetActiveAtomicCounterBufferiv")) == NULL) || r; return r; } #endif /* GL_ARB_shader_atomic_counters */ #ifdef GL_ARB_shader_image_load_store static GLboolean _glewInit_GL_ARB_shader_image_load_store () { GLboolean r = GL_FALSE; r = ((glBindImageTexture = (PFNGLBINDIMAGETEXTUREPROC)glewGetProcAddress((const GLubyte*)"glBindImageTexture")) == NULL) || r; r = ((glMemoryBarrier = (PFNGLMEMORYBARRIERPROC)glewGetProcAddress((const GLubyte*)"glMemoryBarrier")) == NULL) || r; return r; } #endif /* GL_ARB_shader_image_load_store */ #ifdef GL_ARB_shader_objects static GLboolean _glewInit_GL_ARB_shader_objects () { GLboolean r = GL_FALSE; r = ((glAttachObjectARB = (PFNGLATTACHOBJECTARBPROC)glewGetProcAddress((const GLubyte*)"glAttachObjectARB")) == NULL) || r; r = ((glCompileShaderARB = (PFNGLCOMPILESHADERARBPROC)glewGetProcAddress((const GLubyte*)"glCompileShaderARB")) == NULL) || r; r = ((glCreateProgramObjectARB = (PFNGLCREATEPROGRAMOBJECTARBPROC)glewGetProcAddress((const GLubyte*)"glCreateProgramObjectARB")) == NULL) || r; r = ((glCreateShaderObjectARB = (PFNGLCREATESHADEROBJECTARBPROC)glewGetProcAddress((const GLubyte*)"glCreateShaderObjectARB")) == NULL) || r; r = ((glDeleteObjectARB = (PFNGLDELETEOBJECTARBPROC)glewGetProcAddress((const GLubyte*)"glDeleteObjectARB")) == NULL) || r; r = ((glDetachObjectARB = (PFNGLDETACHOBJECTARBPROC)glewGetProcAddress((const GLubyte*)"glDetachObjectARB")) == NULL) || r; r = ((glGetActiveUniformARB = (PFNGLGETACTIVEUNIFORMARBPROC)glewGetProcAddress((const GLubyte*)"glGetActiveUniformARB")) == NULL) || r; r = ((glGetAttachedObjectsARB = (PFNGLGETATTACHEDOBJECTSARBPROC)glewGetProcAddress((const GLubyte*)"glGetAttachedObjectsARB")) == NULL) || r; r = ((glGetHandleARB = (PFNGLGETHANDLEARBPROC)glewGetProcAddress((const GLubyte*)"glGetHandleARB")) == NULL) || r; r = ((glGetInfoLogARB = (PFNGLGETINFOLOGARBPROC)glewGetProcAddress((const GLubyte*)"glGetInfoLogARB")) == NULL) || r; r = ((glGetObjectParameterfvARB = (PFNGLGETOBJECTPARAMETERFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetObjectParameterfvARB")) == NULL) || r; r = ((glGetObjectParameterivARB = (PFNGLGETOBJECTPARAMETERIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetObjectParameterivARB")) == NULL) || r; r = ((glGetShaderSourceARB = (PFNGLGETSHADERSOURCEARBPROC)glewGetProcAddress((const GLubyte*)"glGetShaderSourceARB")) == NULL) || r; r = ((glGetUniformLocationARB = (PFNGLGETUNIFORMLOCATIONARBPROC)glewGetProcAddress((const GLubyte*)"glGetUniformLocationARB")) == NULL) || r; r = ((glGetUniformfvARB = (PFNGLGETUNIFORMFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetUniformfvARB")) == NULL) || r; r = ((glGetUniformivARB = (PFNGLGETUNIFORMIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetUniformivARB")) == NULL) || r; r = ((glLinkProgramARB = (PFNGLLINKPROGRAMARBPROC)glewGetProcAddress((const GLubyte*)"glLinkProgramARB")) == NULL) || r; r = ((glShaderSourceARB = (PFNGLSHADERSOURCEARBPROC)glewGetProcAddress((const GLubyte*)"glShaderSourceARB")) == NULL) || r; r = ((glUniform1fARB = (PFNGLUNIFORM1FARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1fARB")) == NULL) || r; r = ((glUniform1fvARB = (PFNGLUNIFORM1FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1fvARB")) == NULL) || r; r = ((glUniform1iARB = (PFNGLUNIFORM1IARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1iARB")) == NULL) || r; r = ((glUniform1ivARB = (PFNGLUNIFORM1IVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform1ivARB")) == NULL) || r; r = ((glUniform2fARB = (PFNGLUNIFORM2FARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2fARB")) == NULL) || r; r = ((glUniform2fvARB = (PFNGLUNIFORM2FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2fvARB")) == NULL) || r; r = ((glUniform2iARB = (PFNGLUNIFORM2IARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2iARB")) == NULL) || r; r = ((glUniform2ivARB = (PFNGLUNIFORM2IVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform2ivARB")) == NULL) || r; r = ((glUniform3fARB = (PFNGLUNIFORM3FARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3fARB")) == NULL) || r; r = ((glUniform3fvARB = (PFNGLUNIFORM3FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3fvARB")) == NULL) || r; r = ((glUniform3iARB = (PFNGLUNIFORM3IARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3iARB")) == NULL) || r; r = ((glUniform3ivARB = (PFNGLUNIFORM3IVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform3ivARB")) == NULL) || r; r = ((glUniform4fARB = (PFNGLUNIFORM4FARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4fARB")) == NULL) || r; r = ((glUniform4fvARB = (PFNGLUNIFORM4FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4fvARB")) == NULL) || r; r = ((glUniform4iARB = (PFNGLUNIFORM4IARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4iARB")) == NULL) || r; r = ((glUniform4ivARB = (PFNGLUNIFORM4IVARBPROC)glewGetProcAddress((const GLubyte*)"glUniform4ivARB")) == NULL) || r; r = ((glUniformMatrix2fvARB = (PFNGLUNIFORMMATRIX2FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2fvARB")) == NULL) || r; r = ((glUniformMatrix3fvARB = (PFNGLUNIFORMMATRIX3FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3fvARB")) == NULL) || r; r = ((glUniformMatrix4fvARB = (PFNGLUNIFORMMATRIX4FVARBPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4fvARB")) == NULL) || r; r = ((glUseProgramObjectARB = (PFNGLUSEPROGRAMOBJECTARBPROC)glewGetProcAddress((const GLubyte*)"glUseProgramObjectARB")) == NULL) || r; r = ((glValidateProgramARB = (PFNGLVALIDATEPROGRAMARBPROC)glewGetProcAddress((const GLubyte*)"glValidateProgramARB")) == NULL) || r; return r; } #endif /* GL_ARB_shader_objects */ #ifdef GL_ARB_shader_storage_buffer_object static GLboolean _glewInit_GL_ARB_shader_storage_buffer_object () { GLboolean r = GL_FALSE; r = ((glShaderStorageBlockBinding = (PFNGLSHADERSTORAGEBLOCKBINDINGPROC)glewGetProcAddress((const GLubyte*)"glShaderStorageBlockBinding")) == NULL) || r; return r; } #endif /* GL_ARB_shader_storage_buffer_object */ #ifdef GL_ARB_shader_subroutine static GLboolean _glewInit_GL_ARB_shader_subroutine () { GLboolean r = GL_FALSE; r = ((glGetActiveSubroutineName = (PFNGLGETACTIVESUBROUTINENAMEPROC)glewGetProcAddress((const GLubyte*)"glGetActiveSubroutineName")) == NULL) || r; r = ((glGetActiveSubroutineUniformName = (PFNGLGETACTIVESUBROUTINEUNIFORMNAMEPROC)glewGetProcAddress((const GLubyte*)"glGetActiveSubroutineUniformName")) == NULL) || r; r = ((glGetActiveSubroutineUniformiv = (PFNGLGETACTIVESUBROUTINEUNIFORMIVPROC)glewGetProcAddress((const GLubyte*)"glGetActiveSubroutineUniformiv")) == NULL) || r; r = ((glGetProgramStageiv = (PFNGLGETPROGRAMSTAGEIVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramStageiv")) == NULL) || r; r = ((glGetSubroutineIndex = (PFNGLGETSUBROUTINEINDEXPROC)glewGetProcAddress((const GLubyte*)"glGetSubroutineIndex")) == NULL) || r; r = ((glGetSubroutineUniformLocation = (PFNGLGETSUBROUTINEUNIFORMLOCATIONPROC)glewGetProcAddress((const GLubyte*)"glGetSubroutineUniformLocation")) == NULL) || r; r = ((glGetUniformSubroutineuiv = (PFNGLGETUNIFORMSUBROUTINEUIVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformSubroutineuiv")) == NULL) || r; r = ((glUniformSubroutinesuiv = (PFNGLUNIFORMSUBROUTINESUIVPROC)glewGetProcAddress((const GLubyte*)"glUniformSubroutinesuiv")) == NULL) || r; return r; } #endif /* GL_ARB_shader_subroutine */ #ifdef GL_ARB_shading_language_include static GLboolean _glewInit_GL_ARB_shading_language_include () { GLboolean r = GL_FALSE; r = ((glCompileShaderIncludeARB = (PFNGLCOMPILESHADERINCLUDEARBPROC)glewGetProcAddress((const GLubyte*)"glCompileShaderIncludeARB")) == NULL) || r; r = ((glDeleteNamedStringARB = (PFNGLDELETENAMEDSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"glDeleteNamedStringARB")) == NULL) || r; r = ((glGetNamedStringARB = (PFNGLGETNAMEDSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"glGetNamedStringARB")) == NULL) || r; r = ((glGetNamedStringivARB = (PFNGLGETNAMEDSTRINGIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetNamedStringivARB")) == NULL) || r; r = ((glIsNamedStringARB = (PFNGLISNAMEDSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"glIsNamedStringARB")) == NULL) || r; r = ((glNamedStringARB = (PFNGLNAMEDSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"glNamedStringARB")) == NULL) || r; return r; } #endif /* GL_ARB_shading_language_include */ #ifdef GL_ARB_sparse_buffer static GLboolean _glewInit_GL_ARB_sparse_buffer () { GLboolean r = GL_FALSE; r = ((glBufferPageCommitmentARB = (PFNGLBUFFERPAGECOMMITMENTARBPROC)glewGetProcAddress((const GLubyte*)"glBufferPageCommitmentARB")) == NULL) || r; return r; } #endif /* GL_ARB_sparse_buffer */ #ifdef GL_ARB_sparse_texture static GLboolean _glewInit_GL_ARB_sparse_texture () { GLboolean r = GL_FALSE; r = ((glTexPageCommitmentARB = (PFNGLTEXPAGECOMMITMENTARBPROC)glewGetProcAddress((const GLubyte*)"glTexPageCommitmentARB")) == NULL) || r; return r; } #endif /* GL_ARB_sparse_texture */ #ifdef GL_ARB_sync static GLboolean _glewInit_GL_ARB_sync () { GLboolean r = GL_FALSE; r = ((glClientWaitSync = (PFNGLCLIENTWAITSYNCPROC)glewGetProcAddress((const GLubyte*)"glClientWaitSync")) == NULL) || r; r = ((glDeleteSync = (PFNGLDELETESYNCPROC)glewGetProcAddress((const GLubyte*)"glDeleteSync")) == NULL) || r; r = ((glFenceSync = (PFNGLFENCESYNCPROC)glewGetProcAddress((const GLubyte*)"glFenceSync")) == NULL) || r; r = ((glGetInteger64v = (PFNGLGETINTEGER64VPROC)glewGetProcAddress((const GLubyte*)"glGetInteger64v")) == NULL) || r; r = ((glGetSynciv = (PFNGLGETSYNCIVPROC)glewGetProcAddress((const GLubyte*)"glGetSynciv")) == NULL) || r; r = ((glIsSync = (PFNGLISSYNCPROC)glewGetProcAddress((const GLubyte*)"glIsSync")) == NULL) || r; r = ((glWaitSync = (PFNGLWAITSYNCPROC)glewGetProcAddress((const GLubyte*)"glWaitSync")) == NULL) || r; return r; } #endif /* GL_ARB_sync */ #ifdef GL_ARB_tessellation_shader static GLboolean _glewInit_GL_ARB_tessellation_shader () { GLboolean r = GL_FALSE; r = ((glPatchParameterfv = (PFNGLPATCHPARAMETERFVPROC)glewGetProcAddress((const GLubyte*)"glPatchParameterfv")) == NULL) || r; r = ((glPatchParameteri = (PFNGLPATCHPARAMETERIPROC)glewGetProcAddress((const GLubyte*)"glPatchParameteri")) == NULL) || r; return r; } #endif /* GL_ARB_tessellation_shader */ #ifdef GL_ARB_texture_barrier static GLboolean _glewInit_GL_ARB_texture_barrier () { GLboolean r = GL_FALSE; r = ((glTextureBarrier = (PFNGLTEXTUREBARRIERPROC)glewGetProcAddress((const GLubyte*)"glTextureBarrier")) == NULL) || r; return r; } #endif /* GL_ARB_texture_barrier */ #ifdef GL_ARB_texture_buffer_object static GLboolean _glewInit_GL_ARB_texture_buffer_object () { GLboolean r = GL_FALSE; r = ((glTexBufferARB = (PFNGLTEXBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"glTexBufferARB")) == NULL) || r; return r; } #endif /* GL_ARB_texture_buffer_object */ #ifdef GL_ARB_texture_buffer_range static GLboolean _glewInit_GL_ARB_texture_buffer_range () { GLboolean r = GL_FALSE; r = ((glTexBufferRange = (PFNGLTEXBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glTexBufferRange")) == NULL) || r; r = ((glTextureBufferRangeEXT = (PFNGLTEXTUREBUFFERRANGEEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureBufferRangeEXT")) == NULL) || r; return r; } #endif /* GL_ARB_texture_buffer_range */ #ifdef GL_ARB_texture_compression static GLboolean _glewInit_GL_ARB_texture_compression () { GLboolean r = GL_FALSE; r = ((glCompressedTexImage1DARB = (PFNGLCOMPRESSEDTEXIMAGE1DARBPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage1DARB")) == NULL) || r; r = ((glCompressedTexImage2DARB = (PFNGLCOMPRESSEDTEXIMAGE2DARBPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage2DARB")) == NULL) || r; r = ((glCompressedTexImage3DARB = (PFNGLCOMPRESSEDTEXIMAGE3DARBPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage3DARB")) == NULL) || r; r = ((glCompressedTexSubImage1DARB = (PFNGLCOMPRESSEDTEXSUBIMAGE1DARBPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage1DARB")) == NULL) || r; r = ((glCompressedTexSubImage2DARB = (PFNGLCOMPRESSEDTEXSUBIMAGE2DARBPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage2DARB")) == NULL) || r; r = ((glCompressedTexSubImage3DARB = (PFNGLCOMPRESSEDTEXSUBIMAGE3DARBPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage3DARB")) == NULL) || r; r = ((glGetCompressedTexImageARB = (PFNGLGETCOMPRESSEDTEXIMAGEARBPROC)glewGetProcAddress((const GLubyte*)"glGetCompressedTexImageARB")) == NULL) || r; return r; } #endif /* GL_ARB_texture_compression */ #ifdef GL_ARB_texture_multisample static GLboolean _glewInit_GL_ARB_texture_multisample () { GLboolean r = GL_FALSE; r = ((glGetMultisamplefv = (PFNGLGETMULTISAMPLEFVPROC)glewGetProcAddress((const GLubyte*)"glGetMultisamplefv")) == NULL) || r; r = ((glSampleMaski = (PFNGLSAMPLEMASKIPROC)glewGetProcAddress((const GLubyte*)"glSampleMaski")) == NULL) || r; r = ((glTexImage2DMultisample = (PFNGLTEXIMAGE2DMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glTexImage2DMultisample")) == NULL) || r; r = ((glTexImage3DMultisample = (PFNGLTEXIMAGE3DMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glTexImage3DMultisample")) == NULL) || r; return r; } #endif /* GL_ARB_texture_multisample */ #ifdef GL_ARB_texture_storage static GLboolean _glewInit_GL_ARB_texture_storage () { GLboolean r = GL_FALSE; r = ((glTexStorage1D = (PFNGLTEXSTORAGE1DPROC)glewGetProcAddress((const GLubyte*)"glTexStorage1D")) == NULL) || r; r = ((glTexStorage2D = (PFNGLTEXSTORAGE2DPROC)glewGetProcAddress((const GLubyte*)"glTexStorage2D")) == NULL) || r; r = ((glTexStorage3D = (PFNGLTEXSTORAGE3DPROC)glewGetProcAddress((const GLubyte*)"glTexStorage3D")) == NULL) || r; return r; } #endif /* GL_ARB_texture_storage */ #ifdef GL_ARB_texture_storage_multisample static GLboolean _glewInit_GL_ARB_texture_storage_multisample () { GLboolean r = GL_FALSE; r = ((glTexStorage2DMultisample = (PFNGLTEXSTORAGE2DMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glTexStorage2DMultisample")) == NULL) || r; r = ((glTexStorage3DMultisample = (PFNGLTEXSTORAGE3DMULTISAMPLEPROC)glewGetProcAddress((const GLubyte*)"glTexStorage3DMultisample")) == NULL) || r; r = ((glTextureStorage2DMultisampleEXT = (PFNGLTEXTURESTORAGE2DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage2DMultisampleEXT")) == NULL) || r; r = ((glTextureStorage3DMultisampleEXT = (PFNGLTEXTURESTORAGE3DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage3DMultisampleEXT")) == NULL) || r; return r; } #endif /* GL_ARB_texture_storage_multisample */ #ifdef GL_ARB_texture_view static GLboolean _glewInit_GL_ARB_texture_view () { GLboolean r = GL_FALSE; r = ((glTextureView = (PFNGLTEXTUREVIEWPROC)glewGetProcAddress((const GLubyte*)"glTextureView")) == NULL) || r; return r; } #endif /* GL_ARB_texture_view */ #ifdef GL_ARB_timer_query static GLboolean _glewInit_GL_ARB_timer_query () { GLboolean r = GL_FALSE; r = ((glGetQueryObjecti64v = (PFNGLGETQUERYOBJECTI64VPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjecti64v")) == NULL) || r; r = ((glGetQueryObjectui64v = (PFNGLGETQUERYOBJECTUI64VPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectui64v")) == NULL) || r; r = ((glQueryCounter = (PFNGLQUERYCOUNTERPROC)glewGetProcAddress((const GLubyte*)"glQueryCounter")) == NULL) || r; return r; } #endif /* GL_ARB_timer_query */ #ifdef GL_ARB_transform_feedback2 static GLboolean _glewInit_GL_ARB_transform_feedback2 () { GLboolean r = GL_FALSE; r = ((glBindTransformFeedback = (PFNGLBINDTRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glBindTransformFeedback")) == NULL) || r; r = ((glDeleteTransformFeedbacks = (PFNGLDELETETRANSFORMFEEDBACKSPROC)glewGetProcAddress((const GLubyte*)"glDeleteTransformFeedbacks")) == NULL) || r; r = ((glDrawTransformFeedback = (PFNGLDRAWTRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glDrawTransformFeedback")) == NULL) || r; r = ((glGenTransformFeedbacks = (PFNGLGENTRANSFORMFEEDBACKSPROC)glewGetProcAddress((const GLubyte*)"glGenTransformFeedbacks")) == NULL) || r; r = ((glIsTransformFeedback = (PFNGLISTRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glIsTransformFeedback")) == NULL) || r; r = ((glPauseTransformFeedback = (PFNGLPAUSETRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glPauseTransformFeedback")) == NULL) || r; r = ((glResumeTransformFeedback = (PFNGLRESUMETRANSFORMFEEDBACKPROC)glewGetProcAddress((const GLubyte*)"glResumeTransformFeedback")) == NULL) || r; return r; } #endif /* GL_ARB_transform_feedback2 */ #ifdef GL_ARB_transform_feedback3 static GLboolean _glewInit_GL_ARB_transform_feedback3 () { GLboolean r = GL_FALSE; r = ((glBeginQueryIndexed = (PFNGLBEGINQUERYINDEXEDPROC)glewGetProcAddress((const GLubyte*)"glBeginQueryIndexed")) == NULL) || r; r = ((glDrawTransformFeedbackStream = (PFNGLDRAWTRANSFORMFEEDBACKSTREAMPROC)glewGetProcAddress((const GLubyte*)"glDrawTransformFeedbackStream")) == NULL) || r; r = ((glEndQueryIndexed = (PFNGLENDQUERYINDEXEDPROC)glewGetProcAddress((const GLubyte*)"glEndQueryIndexed")) == NULL) || r; r = ((glGetQueryIndexediv = (PFNGLGETQUERYINDEXEDIVPROC)glewGetProcAddress((const GLubyte*)"glGetQueryIndexediv")) == NULL) || r; return r; } #endif /* GL_ARB_transform_feedback3 */ #ifdef GL_ARB_transform_feedback_instanced static GLboolean _glewInit_GL_ARB_transform_feedback_instanced () { GLboolean r = GL_FALSE; r = ((glDrawTransformFeedbackInstanced = (PFNGLDRAWTRANSFORMFEEDBACKINSTANCEDPROC)glewGetProcAddress((const GLubyte*)"glDrawTransformFeedbackInstanced")) == NULL) || r; r = ((glDrawTransformFeedbackStreamInstanced = (PFNGLDRAWTRANSFORMFEEDBACKSTREAMINSTANCEDPROC)glewGetProcAddress((const GLubyte*)"glDrawTransformFeedbackStreamInstanced")) == NULL) || r; return r; } #endif /* GL_ARB_transform_feedback_instanced */ #ifdef GL_ARB_transpose_matrix static GLboolean _glewInit_GL_ARB_transpose_matrix () { GLboolean r = GL_FALSE; r = ((glLoadTransposeMatrixdARB = (PFNGLLOADTRANSPOSEMATRIXDARBPROC)glewGetProcAddress((const GLubyte*)"glLoadTransposeMatrixdARB")) == NULL) || r; r = ((glLoadTransposeMatrixfARB = (PFNGLLOADTRANSPOSEMATRIXFARBPROC)glewGetProcAddress((const GLubyte*)"glLoadTransposeMatrixfARB")) == NULL) || r; r = ((glMultTransposeMatrixdARB = (PFNGLMULTTRANSPOSEMATRIXDARBPROC)glewGetProcAddress((const GLubyte*)"glMultTransposeMatrixdARB")) == NULL) || r; r = ((glMultTransposeMatrixfARB = (PFNGLMULTTRANSPOSEMATRIXFARBPROC)glewGetProcAddress((const GLubyte*)"glMultTransposeMatrixfARB")) == NULL) || r; return r; } #endif /* GL_ARB_transpose_matrix */ #ifdef GL_ARB_uniform_buffer_object static GLboolean _glewInit_GL_ARB_uniform_buffer_object () { GLboolean r = GL_FALSE; r = ((glBindBufferBase = (PFNGLBINDBUFFERBASEPROC)glewGetProcAddress((const GLubyte*)"glBindBufferBase")) == NULL) || r; r = ((glBindBufferRange = (PFNGLBINDBUFFERRANGEPROC)glewGetProcAddress((const GLubyte*)"glBindBufferRange")) == NULL) || r; r = ((glGetActiveUniformBlockName = (PFNGLGETACTIVEUNIFORMBLOCKNAMEPROC)glewGetProcAddress((const GLubyte*)"glGetActiveUniformBlockName")) == NULL) || r; r = ((glGetActiveUniformBlockiv = (PFNGLGETACTIVEUNIFORMBLOCKIVPROC)glewGetProcAddress((const GLubyte*)"glGetActiveUniformBlockiv")) == NULL) || r; r = ((glGetActiveUniformName = (PFNGLGETACTIVEUNIFORMNAMEPROC)glewGetProcAddress((const GLubyte*)"glGetActiveUniformName")) == NULL) || r; r = ((glGetActiveUniformsiv = (PFNGLGETACTIVEUNIFORMSIVPROC)glewGetProcAddress((const GLubyte*)"glGetActiveUniformsiv")) == NULL) || r; r = ((glGetIntegeri_v = (PFNGLGETINTEGERI_VPROC)glewGetProcAddress((const GLubyte*)"glGetIntegeri_v")) == NULL) || r; r = ((glGetUniformBlockIndex = (PFNGLGETUNIFORMBLOCKINDEXPROC)glewGetProcAddress((const GLubyte*)"glGetUniformBlockIndex")) == NULL) || r; r = ((glGetUniformIndices = (PFNGLGETUNIFORMINDICESPROC)glewGetProcAddress((const GLubyte*)"glGetUniformIndices")) == NULL) || r; r = ((glUniformBlockBinding = (PFNGLUNIFORMBLOCKBINDINGPROC)glewGetProcAddress((const GLubyte*)"glUniformBlockBinding")) == NULL) || r; return r; } #endif /* GL_ARB_uniform_buffer_object */ #ifdef GL_ARB_vertex_array_object static GLboolean _glewInit_GL_ARB_vertex_array_object () { GLboolean r = GL_FALSE; r = ((glBindVertexArray = (PFNGLBINDVERTEXARRAYPROC)glewGetProcAddress((const GLubyte*)"glBindVertexArray")) == NULL) || r; r = ((glDeleteVertexArrays = (PFNGLDELETEVERTEXARRAYSPROC)glewGetProcAddress((const GLubyte*)"glDeleteVertexArrays")) == NULL) || r; r = ((glGenVertexArrays = (PFNGLGENVERTEXARRAYSPROC)glewGetProcAddress((const GLubyte*)"glGenVertexArrays")) == NULL) || r; r = ((glIsVertexArray = (PFNGLISVERTEXARRAYPROC)glewGetProcAddress((const GLubyte*)"glIsVertexArray")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_array_object */ #ifdef GL_ARB_vertex_attrib_64bit static GLboolean _glewInit_GL_ARB_vertex_attrib_64bit () { GLboolean r = GL_FALSE; r = ((glGetVertexAttribLdv = (PFNGLGETVERTEXATTRIBLDVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribLdv")) == NULL) || r; r = ((glVertexAttribL1d = (PFNGLVERTEXATTRIBL1DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1d")) == NULL) || r; r = ((glVertexAttribL1dv = (PFNGLVERTEXATTRIBL1DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1dv")) == NULL) || r; r = ((glVertexAttribL2d = (PFNGLVERTEXATTRIBL2DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2d")) == NULL) || r; r = ((glVertexAttribL2dv = (PFNGLVERTEXATTRIBL2DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2dv")) == NULL) || r; r = ((glVertexAttribL3d = (PFNGLVERTEXATTRIBL3DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3d")) == NULL) || r; r = ((glVertexAttribL3dv = (PFNGLVERTEXATTRIBL3DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3dv")) == NULL) || r; r = ((glVertexAttribL4d = (PFNGLVERTEXATTRIBL4DPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4d")) == NULL) || r; r = ((glVertexAttribL4dv = (PFNGLVERTEXATTRIBL4DVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4dv")) == NULL) || r; r = ((glVertexAttribLPointer = (PFNGLVERTEXATTRIBLPOINTERPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribLPointer")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_attrib_64bit */ #ifdef GL_ARB_vertex_attrib_binding static GLboolean _glewInit_GL_ARB_vertex_attrib_binding () { GLboolean r = GL_FALSE; r = ((glBindVertexBuffer = (PFNGLBINDVERTEXBUFFERPROC)glewGetProcAddress((const GLubyte*)"glBindVertexBuffer")) == NULL) || r; r = ((glVertexArrayBindVertexBufferEXT = (PFNGLVERTEXARRAYBINDVERTEXBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayBindVertexBufferEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribBindingEXT = (PFNGLVERTEXARRAYVERTEXATTRIBBINDINGEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribBindingEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribFormatEXT = (PFNGLVERTEXARRAYVERTEXATTRIBFORMATEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribFormatEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribIFormatEXT = (PFNGLVERTEXARRAYVERTEXATTRIBIFORMATEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribIFormatEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribLFormatEXT = (PFNGLVERTEXARRAYVERTEXATTRIBLFORMATEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribLFormatEXT")) == NULL) || r; r = ((glVertexArrayVertexBindingDivisorEXT = (PFNGLVERTEXARRAYVERTEXBINDINGDIVISOREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexBindingDivisorEXT")) == NULL) || r; r = ((glVertexAttribBinding = (PFNGLVERTEXATTRIBBINDINGPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribBinding")) == NULL) || r; r = ((glVertexAttribFormat = (PFNGLVERTEXATTRIBFORMATPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribFormat")) == NULL) || r; r = ((glVertexAttribIFormat = (PFNGLVERTEXATTRIBIFORMATPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribIFormat")) == NULL) || r; r = ((glVertexAttribLFormat = (PFNGLVERTEXATTRIBLFORMATPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribLFormat")) == NULL) || r; r = ((glVertexBindingDivisor = (PFNGLVERTEXBINDINGDIVISORPROC)glewGetProcAddress((const GLubyte*)"glVertexBindingDivisor")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_attrib_binding */ #ifdef GL_ARB_vertex_blend static GLboolean _glewInit_GL_ARB_vertex_blend () { GLboolean r = GL_FALSE; r = ((glVertexBlendARB = (PFNGLVERTEXBLENDARBPROC)glewGetProcAddress((const GLubyte*)"glVertexBlendARB")) == NULL) || r; r = ((glWeightPointerARB = (PFNGLWEIGHTPOINTERARBPROC)glewGetProcAddress((const GLubyte*)"glWeightPointerARB")) == NULL) || r; r = ((glWeightbvARB = (PFNGLWEIGHTBVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightbvARB")) == NULL) || r; r = ((glWeightdvARB = (PFNGLWEIGHTDVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightdvARB")) == NULL) || r; r = ((glWeightfvARB = (PFNGLWEIGHTFVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightfvARB")) == NULL) || r; r = ((glWeightivARB = (PFNGLWEIGHTIVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightivARB")) == NULL) || r; r = ((glWeightsvARB = (PFNGLWEIGHTSVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightsvARB")) == NULL) || r; r = ((glWeightubvARB = (PFNGLWEIGHTUBVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightubvARB")) == NULL) || r; r = ((glWeightuivARB = (PFNGLWEIGHTUIVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightuivARB")) == NULL) || r; r = ((glWeightusvARB = (PFNGLWEIGHTUSVARBPROC)glewGetProcAddress((const GLubyte*)"glWeightusvARB")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_blend */ #ifdef GL_ARB_vertex_buffer_object static GLboolean _glewInit_GL_ARB_vertex_buffer_object () { GLboolean r = GL_FALSE; r = ((glBindBufferARB = (PFNGLBINDBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"glBindBufferARB")) == NULL) || r; r = ((glBufferDataARB = (PFNGLBUFFERDATAARBPROC)glewGetProcAddress((const GLubyte*)"glBufferDataARB")) == NULL) || r; r = ((glBufferSubDataARB = (PFNGLBUFFERSUBDATAARBPROC)glewGetProcAddress((const GLubyte*)"glBufferSubDataARB")) == NULL) || r; r = ((glDeleteBuffersARB = (PFNGLDELETEBUFFERSARBPROC)glewGetProcAddress((const GLubyte*)"glDeleteBuffersARB")) == NULL) || r; r = ((glGenBuffersARB = (PFNGLGENBUFFERSARBPROC)glewGetProcAddress((const GLubyte*)"glGenBuffersARB")) == NULL) || r; r = ((glGetBufferParameterivARB = (PFNGLGETBUFFERPARAMETERIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetBufferParameterivARB")) == NULL) || r; r = ((glGetBufferPointervARB = (PFNGLGETBUFFERPOINTERVARBPROC)glewGetProcAddress((const GLubyte*)"glGetBufferPointervARB")) == NULL) || r; r = ((glGetBufferSubDataARB = (PFNGLGETBUFFERSUBDATAARBPROC)glewGetProcAddress((const GLubyte*)"glGetBufferSubDataARB")) == NULL) || r; r = ((glIsBufferARB = (PFNGLISBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"glIsBufferARB")) == NULL) || r; r = ((glMapBufferARB = (PFNGLMAPBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"glMapBufferARB")) == NULL) || r; r = ((glUnmapBufferARB = (PFNGLUNMAPBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"glUnmapBufferARB")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_buffer_object */ #ifdef GL_ARB_vertex_program static GLboolean _glewInit_GL_ARB_vertex_program () { GLboolean r = GL_FALSE; r = ((glBindProgramARB = (PFNGLBINDPROGRAMARBPROC)glewGetProcAddress((const GLubyte*)"glBindProgramARB")) == NULL) || r; r = ((glDeleteProgramsARB = (PFNGLDELETEPROGRAMSARBPROC)glewGetProcAddress((const GLubyte*)"glDeleteProgramsARB")) == NULL) || r; r = ((glDisableVertexAttribArrayARB = (PFNGLDISABLEVERTEXATTRIBARRAYARBPROC)glewGetProcAddress((const GLubyte*)"glDisableVertexAttribArrayARB")) == NULL) || r; r = ((glEnableVertexAttribArrayARB = (PFNGLENABLEVERTEXATTRIBARRAYARBPROC)glewGetProcAddress((const GLubyte*)"glEnableVertexAttribArrayARB")) == NULL) || r; r = ((glGenProgramsARB = (PFNGLGENPROGRAMSARBPROC)glewGetProcAddress((const GLubyte*)"glGenProgramsARB")) == NULL) || r; r = ((glGetProgramEnvParameterdvARB = (PFNGLGETPROGRAMENVPARAMETERDVARBPROC)glewGetProcAddress((const GLubyte*)"glGetProgramEnvParameterdvARB")) == NULL) || r; r = ((glGetProgramEnvParameterfvARB = (PFNGLGETPROGRAMENVPARAMETERFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetProgramEnvParameterfvARB")) == NULL) || r; r = ((glGetProgramLocalParameterdvARB = (PFNGLGETPROGRAMLOCALPARAMETERDVARBPROC)glewGetProcAddress((const GLubyte*)"glGetProgramLocalParameterdvARB")) == NULL) || r; r = ((glGetProgramLocalParameterfvARB = (PFNGLGETPROGRAMLOCALPARAMETERFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetProgramLocalParameterfvARB")) == NULL) || r; r = ((glGetProgramStringARB = (PFNGLGETPROGRAMSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"glGetProgramStringARB")) == NULL) || r; r = ((glGetProgramivARB = (PFNGLGETPROGRAMIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetProgramivARB")) == NULL) || r; r = ((glGetVertexAttribPointervARB = (PFNGLGETVERTEXATTRIBPOINTERVARBPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribPointervARB")) == NULL) || r; r = ((glGetVertexAttribdvARB = (PFNGLGETVERTEXATTRIBDVARBPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribdvARB")) == NULL) || r; r = ((glGetVertexAttribfvARB = (PFNGLGETVERTEXATTRIBFVARBPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribfvARB")) == NULL) || r; r = ((glGetVertexAttribivARB = (PFNGLGETVERTEXATTRIBIVARBPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribivARB")) == NULL) || r; r = ((glIsProgramARB = (PFNGLISPROGRAMARBPROC)glewGetProcAddress((const GLubyte*)"glIsProgramARB")) == NULL) || r; r = ((glProgramEnvParameter4dARB = (PFNGLPROGRAMENVPARAMETER4DARBPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameter4dARB")) == NULL) || r; r = ((glProgramEnvParameter4dvARB = (PFNGLPROGRAMENVPARAMETER4DVARBPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameter4dvARB")) == NULL) || r; r = ((glProgramEnvParameter4fARB = (PFNGLPROGRAMENVPARAMETER4FARBPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameter4fARB")) == NULL) || r; r = ((glProgramEnvParameter4fvARB = (PFNGLPROGRAMENVPARAMETER4FVARBPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameter4fvARB")) == NULL) || r; r = ((glProgramLocalParameter4dARB = (PFNGLPROGRAMLOCALPARAMETER4DARBPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameter4dARB")) == NULL) || r; r = ((glProgramLocalParameter4dvARB = (PFNGLPROGRAMLOCALPARAMETER4DVARBPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameter4dvARB")) == NULL) || r; r = ((glProgramLocalParameter4fARB = (PFNGLPROGRAMLOCALPARAMETER4FARBPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameter4fARB")) == NULL) || r; r = ((glProgramLocalParameter4fvARB = (PFNGLPROGRAMLOCALPARAMETER4FVARBPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameter4fvARB")) == NULL) || r; r = ((glProgramStringARB = (PFNGLPROGRAMSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"glProgramStringARB")) == NULL) || r; r = ((glVertexAttrib1dARB = (PFNGLVERTEXATTRIB1DARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1dARB")) == NULL) || r; r = ((glVertexAttrib1dvARB = (PFNGLVERTEXATTRIB1DVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1dvARB")) == NULL) || r; r = ((glVertexAttrib1fARB = (PFNGLVERTEXATTRIB1FARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1fARB")) == NULL) || r; r = ((glVertexAttrib1fvARB = (PFNGLVERTEXATTRIB1FVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1fvARB")) == NULL) || r; r = ((glVertexAttrib1sARB = (PFNGLVERTEXATTRIB1SARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1sARB")) == NULL) || r; r = ((glVertexAttrib1svARB = (PFNGLVERTEXATTRIB1SVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1svARB")) == NULL) || r; r = ((glVertexAttrib2dARB = (PFNGLVERTEXATTRIB2DARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2dARB")) == NULL) || r; r = ((glVertexAttrib2dvARB = (PFNGLVERTEXATTRIB2DVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2dvARB")) == NULL) || r; r = ((glVertexAttrib2fARB = (PFNGLVERTEXATTRIB2FARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2fARB")) == NULL) || r; r = ((glVertexAttrib2fvARB = (PFNGLVERTEXATTRIB2FVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2fvARB")) == NULL) || r; r = ((glVertexAttrib2sARB = (PFNGLVERTEXATTRIB2SARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2sARB")) == NULL) || r; r = ((glVertexAttrib2svARB = (PFNGLVERTEXATTRIB2SVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2svARB")) == NULL) || r; r = ((glVertexAttrib3dARB = (PFNGLVERTEXATTRIB3DARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3dARB")) == NULL) || r; r = ((glVertexAttrib3dvARB = (PFNGLVERTEXATTRIB3DVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3dvARB")) == NULL) || r; r = ((glVertexAttrib3fARB = (PFNGLVERTEXATTRIB3FARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3fARB")) == NULL) || r; r = ((glVertexAttrib3fvARB = (PFNGLVERTEXATTRIB3FVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3fvARB")) == NULL) || r; r = ((glVertexAttrib3sARB = (PFNGLVERTEXATTRIB3SARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3sARB")) == NULL) || r; r = ((glVertexAttrib3svARB = (PFNGLVERTEXATTRIB3SVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3svARB")) == NULL) || r; r = ((glVertexAttrib4NbvARB = (PFNGLVERTEXATTRIB4NBVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NbvARB")) == NULL) || r; r = ((glVertexAttrib4NivARB = (PFNGLVERTEXATTRIB4NIVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NivARB")) == NULL) || r; r = ((glVertexAttrib4NsvARB = (PFNGLVERTEXATTRIB4NSVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NsvARB")) == NULL) || r; r = ((glVertexAttrib4NubARB = (PFNGLVERTEXATTRIB4NUBARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NubARB")) == NULL) || r; r = ((glVertexAttrib4NubvARB = (PFNGLVERTEXATTRIB4NUBVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NubvARB")) == NULL) || r; r = ((glVertexAttrib4NuivARB = (PFNGLVERTEXATTRIB4NUIVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NuivARB")) == NULL) || r; r = ((glVertexAttrib4NusvARB = (PFNGLVERTEXATTRIB4NUSVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4NusvARB")) == NULL) || r; r = ((glVertexAttrib4bvARB = (PFNGLVERTEXATTRIB4BVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4bvARB")) == NULL) || r; r = ((glVertexAttrib4dARB = (PFNGLVERTEXATTRIB4DARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4dARB")) == NULL) || r; r = ((glVertexAttrib4dvARB = (PFNGLVERTEXATTRIB4DVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4dvARB")) == NULL) || r; r = ((glVertexAttrib4fARB = (PFNGLVERTEXATTRIB4FARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4fARB")) == NULL) || r; r = ((glVertexAttrib4fvARB = (PFNGLVERTEXATTRIB4FVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4fvARB")) == NULL) || r; r = ((glVertexAttrib4ivARB = (PFNGLVERTEXATTRIB4IVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4ivARB")) == NULL) || r; r = ((glVertexAttrib4sARB = (PFNGLVERTEXATTRIB4SARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4sARB")) == NULL) || r; r = ((glVertexAttrib4svARB = (PFNGLVERTEXATTRIB4SVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4svARB")) == NULL) || r; r = ((glVertexAttrib4ubvARB = (PFNGLVERTEXATTRIB4UBVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4ubvARB")) == NULL) || r; r = ((glVertexAttrib4uivARB = (PFNGLVERTEXATTRIB4UIVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4uivARB")) == NULL) || r; r = ((glVertexAttrib4usvARB = (PFNGLVERTEXATTRIB4USVARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4usvARB")) == NULL) || r; r = ((glVertexAttribPointerARB = (PFNGLVERTEXATTRIBPOINTERARBPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribPointerARB")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_program */ #ifdef GL_ARB_vertex_shader static GLboolean _glewInit_GL_ARB_vertex_shader () { GLboolean r = GL_FALSE; r = ((glBindAttribLocationARB = (PFNGLBINDATTRIBLOCATIONARBPROC)glewGetProcAddress((const GLubyte*)"glBindAttribLocationARB")) == NULL) || r; r = ((glGetActiveAttribARB = (PFNGLGETACTIVEATTRIBARBPROC)glewGetProcAddress((const GLubyte*)"glGetActiveAttribARB")) == NULL) || r; r = ((glGetAttribLocationARB = (PFNGLGETATTRIBLOCATIONARBPROC)glewGetProcAddress((const GLubyte*)"glGetAttribLocationARB")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_shader */ #ifdef GL_ARB_vertex_type_2_10_10_10_rev static GLboolean _glewInit_GL_ARB_vertex_type_2_10_10_10_rev () { GLboolean r = GL_FALSE; r = ((glColorP3ui = (PFNGLCOLORP3UIPROC)glewGetProcAddress((const GLubyte*)"glColorP3ui")) == NULL) || r; r = ((glColorP3uiv = (PFNGLCOLORP3UIVPROC)glewGetProcAddress((const GLubyte*)"glColorP3uiv")) == NULL) || r; r = ((glColorP4ui = (PFNGLCOLORP4UIPROC)glewGetProcAddress((const GLubyte*)"glColorP4ui")) == NULL) || r; r = ((glColorP4uiv = (PFNGLCOLORP4UIVPROC)glewGetProcAddress((const GLubyte*)"glColorP4uiv")) == NULL) || r; r = ((glMultiTexCoordP1ui = (PFNGLMULTITEXCOORDP1UIPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP1ui")) == NULL) || r; r = ((glMultiTexCoordP1uiv = (PFNGLMULTITEXCOORDP1UIVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP1uiv")) == NULL) || r; r = ((glMultiTexCoordP2ui = (PFNGLMULTITEXCOORDP2UIPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP2ui")) == NULL) || r; r = ((glMultiTexCoordP2uiv = (PFNGLMULTITEXCOORDP2UIVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP2uiv")) == NULL) || r; r = ((glMultiTexCoordP3ui = (PFNGLMULTITEXCOORDP3UIPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP3ui")) == NULL) || r; r = ((glMultiTexCoordP3uiv = (PFNGLMULTITEXCOORDP3UIVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP3uiv")) == NULL) || r; r = ((glMultiTexCoordP4ui = (PFNGLMULTITEXCOORDP4UIPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP4ui")) == NULL) || r; r = ((glMultiTexCoordP4uiv = (PFNGLMULTITEXCOORDP4UIVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordP4uiv")) == NULL) || r; r = ((glNormalP3ui = (PFNGLNORMALP3UIPROC)glewGetProcAddress((const GLubyte*)"glNormalP3ui")) == NULL) || r; r = ((glNormalP3uiv = (PFNGLNORMALP3UIVPROC)glewGetProcAddress((const GLubyte*)"glNormalP3uiv")) == NULL) || r; r = ((glSecondaryColorP3ui = (PFNGLSECONDARYCOLORP3UIPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColorP3ui")) == NULL) || r; r = ((glSecondaryColorP3uiv = (PFNGLSECONDARYCOLORP3UIVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColorP3uiv")) == NULL) || r; r = ((glTexCoordP1ui = (PFNGLTEXCOORDP1UIPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP1ui")) == NULL) || r; r = ((glTexCoordP1uiv = (PFNGLTEXCOORDP1UIVPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP1uiv")) == NULL) || r; r = ((glTexCoordP2ui = (PFNGLTEXCOORDP2UIPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP2ui")) == NULL) || r; r = ((glTexCoordP2uiv = (PFNGLTEXCOORDP2UIVPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP2uiv")) == NULL) || r; r = ((glTexCoordP3ui = (PFNGLTEXCOORDP3UIPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP3ui")) == NULL) || r; r = ((glTexCoordP3uiv = (PFNGLTEXCOORDP3UIVPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP3uiv")) == NULL) || r; r = ((glTexCoordP4ui = (PFNGLTEXCOORDP4UIPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP4ui")) == NULL) || r; r = ((glTexCoordP4uiv = (PFNGLTEXCOORDP4UIVPROC)glewGetProcAddress((const GLubyte*)"glTexCoordP4uiv")) == NULL) || r; r = ((glVertexAttribP1ui = (PFNGLVERTEXATTRIBP1UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP1ui")) == NULL) || r; r = ((glVertexAttribP1uiv = (PFNGLVERTEXATTRIBP1UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP1uiv")) == NULL) || r; r = ((glVertexAttribP2ui = (PFNGLVERTEXATTRIBP2UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP2ui")) == NULL) || r; r = ((glVertexAttribP2uiv = (PFNGLVERTEXATTRIBP2UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP2uiv")) == NULL) || r; r = ((glVertexAttribP3ui = (PFNGLVERTEXATTRIBP3UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP3ui")) == NULL) || r; r = ((glVertexAttribP3uiv = (PFNGLVERTEXATTRIBP3UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP3uiv")) == NULL) || r; r = ((glVertexAttribP4ui = (PFNGLVERTEXATTRIBP4UIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP4ui")) == NULL) || r; r = ((glVertexAttribP4uiv = (PFNGLVERTEXATTRIBP4UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribP4uiv")) == NULL) || r; r = ((glVertexP2ui = (PFNGLVERTEXP2UIPROC)glewGetProcAddress((const GLubyte*)"glVertexP2ui")) == NULL) || r; r = ((glVertexP2uiv = (PFNGLVERTEXP2UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexP2uiv")) == NULL) || r; r = ((glVertexP3ui = (PFNGLVERTEXP3UIPROC)glewGetProcAddress((const GLubyte*)"glVertexP3ui")) == NULL) || r; r = ((glVertexP3uiv = (PFNGLVERTEXP3UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexP3uiv")) == NULL) || r; r = ((glVertexP4ui = (PFNGLVERTEXP4UIPROC)glewGetProcAddress((const GLubyte*)"glVertexP4ui")) == NULL) || r; r = ((glVertexP4uiv = (PFNGLVERTEXP4UIVPROC)glewGetProcAddress((const GLubyte*)"glVertexP4uiv")) == NULL) || r; return r; } #endif /* GL_ARB_vertex_type_2_10_10_10_rev */ #ifdef GL_ARB_viewport_array static GLboolean _glewInit_GL_ARB_viewport_array () { GLboolean r = GL_FALSE; r = ((glDepthRangeArrayv = (PFNGLDEPTHRANGEARRAYVPROC)glewGetProcAddress((const GLubyte*)"glDepthRangeArrayv")) == NULL) || r; r = ((glDepthRangeIndexed = (PFNGLDEPTHRANGEINDEXEDPROC)glewGetProcAddress((const GLubyte*)"glDepthRangeIndexed")) == NULL) || r; r = ((glGetDoublei_v = (PFNGLGETDOUBLEI_VPROC)glewGetProcAddress((const GLubyte*)"glGetDoublei_v")) == NULL) || r; r = ((glGetFloati_v = (PFNGLGETFLOATI_VPROC)glewGetProcAddress((const GLubyte*)"glGetFloati_v")) == NULL) || r; r = ((glScissorArrayv = (PFNGLSCISSORARRAYVPROC)glewGetProcAddress((const GLubyte*)"glScissorArrayv")) == NULL) || r; r = ((glScissorIndexed = (PFNGLSCISSORINDEXEDPROC)glewGetProcAddress((const GLubyte*)"glScissorIndexed")) == NULL) || r; r = ((glScissorIndexedv = (PFNGLSCISSORINDEXEDVPROC)glewGetProcAddress((const GLubyte*)"glScissorIndexedv")) == NULL) || r; r = ((glViewportArrayv = (PFNGLVIEWPORTARRAYVPROC)glewGetProcAddress((const GLubyte*)"glViewportArrayv")) == NULL) || r; r = ((glViewportIndexedf = (PFNGLVIEWPORTINDEXEDFPROC)glewGetProcAddress((const GLubyte*)"glViewportIndexedf")) == NULL) || r; r = ((glViewportIndexedfv = (PFNGLVIEWPORTINDEXEDFVPROC)glewGetProcAddress((const GLubyte*)"glViewportIndexedfv")) == NULL) || r; return r; } #endif /* GL_ARB_viewport_array */ #ifdef GL_ARB_window_pos static GLboolean _glewInit_GL_ARB_window_pos () { GLboolean r = GL_FALSE; r = ((glWindowPos2dARB = (PFNGLWINDOWPOS2DARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2dARB")) == NULL) || r; r = ((glWindowPos2dvARB = (PFNGLWINDOWPOS2DVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2dvARB")) == NULL) || r; r = ((glWindowPos2fARB = (PFNGLWINDOWPOS2FARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2fARB")) == NULL) || r; r = ((glWindowPos2fvARB = (PFNGLWINDOWPOS2FVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2fvARB")) == NULL) || r; r = ((glWindowPos2iARB = (PFNGLWINDOWPOS2IARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2iARB")) == NULL) || r; r = ((glWindowPos2ivARB = (PFNGLWINDOWPOS2IVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2ivARB")) == NULL) || r; r = ((glWindowPos2sARB = (PFNGLWINDOWPOS2SARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2sARB")) == NULL) || r; r = ((glWindowPos2svARB = (PFNGLWINDOWPOS2SVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2svARB")) == NULL) || r; r = ((glWindowPos3dARB = (PFNGLWINDOWPOS3DARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3dARB")) == NULL) || r; r = ((glWindowPos3dvARB = (PFNGLWINDOWPOS3DVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3dvARB")) == NULL) || r; r = ((glWindowPos3fARB = (PFNGLWINDOWPOS3FARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3fARB")) == NULL) || r; r = ((glWindowPos3fvARB = (PFNGLWINDOWPOS3FVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3fvARB")) == NULL) || r; r = ((glWindowPos3iARB = (PFNGLWINDOWPOS3IARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3iARB")) == NULL) || r; r = ((glWindowPos3ivARB = (PFNGLWINDOWPOS3IVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3ivARB")) == NULL) || r; r = ((glWindowPos3sARB = (PFNGLWINDOWPOS3SARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3sARB")) == NULL) || r; r = ((glWindowPos3svARB = (PFNGLWINDOWPOS3SVARBPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3svARB")) == NULL) || r; return r; } #endif /* GL_ARB_window_pos */ #ifdef GL_ATI_draw_buffers static GLboolean _glewInit_GL_ATI_draw_buffers () { GLboolean r = GL_FALSE; r = ((glDrawBuffersATI = (PFNGLDRAWBUFFERSATIPROC)glewGetProcAddress((const GLubyte*)"glDrawBuffersATI")) == NULL) || r; return r; } #endif /* GL_ATI_draw_buffers */ #ifdef GL_ATI_element_array static GLboolean _glewInit_GL_ATI_element_array () { GLboolean r = GL_FALSE; r = ((glDrawElementArrayATI = (PFNGLDRAWELEMENTARRAYATIPROC)glewGetProcAddress((const GLubyte*)"glDrawElementArrayATI")) == NULL) || r; r = ((glDrawRangeElementArrayATI = (PFNGLDRAWRANGEELEMENTARRAYATIPROC)glewGetProcAddress((const GLubyte*)"glDrawRangeElementArrayATI")) == NULL) || r; r = ((glElementPointerATI = (PFNGLELEMENTPOINTERATIPROC)glewGetProcAddress((const GLubyte*)"glElementPointerATI")) == NULL) || r; return r; } #endif /* GL_ATI_element_array */ #ifdef GL_ATI_envmap_bumpmap static GLboolean _glewInit_GL_ATI_envmap_bumpmap () { GLboolean r = GL_FALSE; r = ((glGetTexBumpParameterfvATI = (PFNGLGETTEXBUMPPARAMETERFVATIPROC)glewGetProcAddress((const GLubyte*)"glGetTexBumpParameterfvATI")) == NULL) || r; r = ((glGetTexBumpParameterivATI = (PFNGLGETTEXBUMPPARAMETERIVATIPROC)glewGetProcAddress((const GLubyte*)"glGetTexBumpParameterivATI")) == NULL) || r; r = ((glTexBumpParameterfvATI = (PFNGLTEXBUMPPARAMETERFVATIPROC)glewGetProcAddress((const GLubyte*)"glTexBumpParameterfvATI")) == NULL) || r; r = ((glTexBumpParameterivATI = (PFNGLTEXBUMPPARAMETERIVATIPROC)glewGetProcAddress((const GLubyte*)"glTexBumpParameterivATI")) == NULL) || r; return r; } #endif /* GL_ATI_envmap_bumpmap */ #ifdef GL_ATI_fragment_shader static GLboolean _glewInit_GL_ATI_fragment_shader () { GLboolean r = GL_FALSE; r = ((glAlphaFragmentOp1ATI = (PFNGLALPHAFRAGMENTOP1ATIPROC)glewGetProcAddress((const GLubyte*)"glAlphaFragmentOp1ATI")) == NULL) || r; r = ((glAlphaFragmentOp2ATI = (PFNGLALPHAFRAGMENTOP2ATIPROC)glewGetProcAddress((const GLubyte*)"glAlphaFragmentOp2ATI")) == NULL) || r; r = ((glAlphaFragmentOp3ATI = (PFNGLALPHAFRAGMENTOP3ATIPROC)glewGetProcAddress((const GLubyte*)"glAlphaFragmentOp3ATI")) == NULL) || r; r = ((glBeginFragmentShaderATI = (PFNGLBEGINFRAGMENTSHADERATIPROC)glewGetProcAddress((const GLubyte*)"glBeginFragmentShaderATI")) == NULL) || r; r = ((glBindFragmentShaderATI = (PFNGLBINDFRAGMENTSHADERATIPROC)glewGetProcAddress((const GLubyte*)"glBindFragmentShaderATI")) == NULL) || r; r = ((glColorFragmentOp1ATI = (PFNGLCOLORFRAGMENTOP1ATIPROC)glewGetProcAddress((const GLubyte*)"glColorFragmentOp1ATI")) == NULL) || r; r = ((glColorFragmentOp2ATI = (PFNGLCOLORFRAGMENTOP2ATIPROC)glewGetProcAddress((const GLubyte*)"glColorFragmentOp2ATI")) == NULL) || r; r = ((glColorFragmentOp3ATI = (PFNGLCOLORFRAGMENTOP3ATIPROC)glewGetProcAddress((const GLubyte*)"glColorFragmentOp3ATI")) == NULL) || r; r = ((glDeleteFragmentShaderATI = (PFNGLDELETEFRAGMENTSHADERATIPROC)glewGetProcAddress((const GLubyte*)"glDeleteFragmentShaderATI")) == NULL) || r; r = ((glEndFragmentShaderATI = (PFNGLENDFRAGMENTSHADERATIPROC)glewGetProcAddress((const GLubyte*)"glEndFragmentShaderATI")) == NULL) || r; r = ((glGenFragmentShadersATI = (PFNGLGENFRAGMENTSHADERSATIPROC)glewGetProcAddress((const GLubyte*)"glGenFragmentShadersATI")) == NULL) || r; r = ((glPassTexCoordATI = (PFNGLPASSTEXCOORDATIPROC)glewGetProcAddress((const GLubyte*)"glPassTexCoordATI")) == NULL) || r; r = ((glSampleMapATI = (PFNGLSAMPLEMAPATIPROC)glewGetProcAddress((const GLubyte*)"glSampleMapATI")) == NULL) || r; r = ((glSetFragmentShaderConstantATI = (PFNGLSETFRAGMENTSHADERCONSTANTATIPROC)glewGetProcAddress((const GLubyte*)"glSetFragmentShaderConstantATI")) == NULL) || r; return r; } #endif /* GL_ATI_fragment_shader */ #ifdef GL_ATI_map_object_buffer static GLboolean _glewInit_GL_ATI_map_object_buffer () { GLboolean r = GL_FALSE; r = ((glMapObjectBufferATI = (PFNGLMAPOBJECTBUFFERATIPROC)glewGetProcAddress((const GLubyte*)"glMapObjectBufferATI")) == NULL) || r; r = ((glUnmapObjectBufferATI = (PFNGLUNMAPOBJECTBUFFERATIPROC)glewGetProcAddress((const GLubyte*)"glUnmapObjectBufferATI")) == NULL) || r; return r; } #endif /* GL_ATI_map_object_buffer */ #ifdef GL_ATI_pn_triangles static GLboolean _glewInit_GL_ATI_pn_triangles () { GLboolean r = GL_FALSE; r = ((glPNTrianglesfATI = (PFNGLPNTRIANGLESFATIPROC)glewGetProcAddress((const GLubyte*)"glPNTrianglesfATI")) == NULL) || r; r = ((glPNTrianglesiATI = (PFNGLPNTRIANGLESIATIPROC)glewGetProcAddress((const GLubyte*)"glPNTrianglesiATI")) == NULL) || r; return r; } #endif /* GL_ATI_pn_triangles */ #ifdef GL_ATI_separate_stencil static GLboolean _glewInit_GL_ATI_separate_stencil () { GLboolean r = GL_FALSE; r = ((glStencilFuncSeparateATI = (PFNGLSTENCILFUNCSEPARATEATIPROC)glewGetProcAddress((const GLubyte*)"glStencilFuncSeparateATI")) == NULL) || r; r = ((glStencilOpSeparateATI = (PFNGLSTENCILOPSEPARATEATIPROC)glewGetProcAddress((const GLubyte*)"glStencilOpSeparateATI")) == NULL) || r; return r; } #endif /* GL_ATI_separate_stencil */ #ifdef GL_ATI_vertex_array_object static GLboolean _glewInit_GL_ATI_vertex_array_object () { GLboolean r = GL_FALSE; r = ((glArrayObjectATI = (PFNGLARRAYOBJECTATIPROC)glewGetProcAddress((const GLubyte*)"glArrayObjectATI")) == NULL) || r; r = ((glFreeObjectBufferATI = (PFNGLFREEOBJECTBUFFERATIPROC)glewGetProcAddress((const GLubyte*)"glFreeObjectBufferATI")) == NULL) || r; r = ((glGetArrayObjectfvATI = (PFNGLGETARRAYOBJECTFVATIPROC)glewGetProcAddress((const GLubyte*)"glGetArrayObjectfvATI")) == NULL) || r; r = ((glGetArrayObjectivATI = (PFNGLGETARRAYOBJECTIVATIPROC)glewGetProcAddress((const GLubyte*)"glGetArrayObjectivATI")) == NULL) || r; r = ((glGetObjectBufferfvATI = (PFNGLGETOBJECTBUFFERFVATIPROC)glewGetProcAddress((const GLubyte*)"glGetObjectBufferfvATI")) == NULL) || r; r = ((glGetObjectBufferivATI = (PFNGLGETOBJECTBUFFERIVATIPROC)glewGetProcAddress((const GLubyte*)"glGetObjectBufferivATI")) == NULL) || r; r = ((glGetVariantArrayObjectfvATI = (PFNGLGETVARIANTARRAYOBJECTFVATIPROC)glewGetProcAddress((const GLubyte*)"glGetVariantArrayObjectfvATI")) == NULL) || r; r = ((glGetVariantArrayObjectivATI = (PFNGLGETVARIANTARRAYOBJECTIVATIPROC)glewGetProcAddress((const GLubyte*)"glGetVariantArrayObjectivATI")) == NULL) || r; r = ((glIsObjectBufferATI = (PFNGLISOBJECTBUFFERATIPROC)glewGetProcAddress((const GLubyte*)"glIsObjectBufferATI")) == NULL) || r; r = ((glNewObjectBufferATI = (PFNGLNEWOBJECTBUFFERATIPROC)glewGetProcAddress((const GLubyte*)"glNewObjectBufferATI")) == NULL) || r; r = ((glUpdateObjectBufferATI = (PFNGLUPDATEOBJECTBUFFERATIPROC)glewGetProcAddress((const GLubyte*)"glUpdateObjectBufferATI")) == NULL) || r; r = ((glVariantArrayObjectATI = (PFNGLVARIANTARRAYOBJECTATIPROC)glewGetProcAddress((const GLubyte*)"glVariantArrayObjectATI")) == NULL) || r; return r; } #endif /* GL_ATI_vertex_array_object */ #ifdef GL_ATI_vertex_attrib_array_object static GLboolean _glewInit_GL_ATI_vertex_attrib_array_object () { GLboolean r = GL_FALSE; r = ((glGetVertexAttribArrayObjectfvATI = (PFNGLGETVERTEXATTRIBARRAYOBJECTFVATIPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribArrayObjectfvATI")) == NULL) || r; r = ((glGetVertexAttribArrayObjectivATI = (PFNGLGETVERTEXATTRIBARRAYOBJECTIVATIPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribArrayObjectivATI")) == NULL) || r; r = ((glVertexAttribArrayObjectATI = (PFNGLVERTEXATTRIBARRAYOBJECTATIPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribArrayObjectATI")) == NULL) || r; return r; } #endif /* GL_ATI_vertex_attrib_array_object */ #ifdef GL_ATI_vertex_streams static GLboolean _glewInit_GL_ATI_vertex_streams () { GLboolean r = GL_FALSE; r = ((glClientActiveVertexStreamATI = (PFNGLCLIENTACTIVEVERTEXSTREAMATIPROC)glewGetProcAddress((const GLubyte*)"glClientActiveVertexStreamATI")) == NULL) || r; r = ((glNormalStream3bATI = (PFNGLNORMALSTREAM3BATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3bATI")) == NULL) || r; r = ((glNormalStream3bvATI = (PFNGLNORMALSTREAM3BVATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3bvATI")) == NULL) || r; r = ((glNormalStream3dATI = (PFNGLNORMALSTREAM3DATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3dATI")) == NULL) || r; r = ((glNormalStream3dvATI = (PFNGLNORMALSTREAM3DVATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3dvATI")) == NULL) || r; r = ((glNormalStream3fATI = (PFNGLNORMALSTREAM3FATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3fATI")) == NULL) || r; r = ((glNormalStream3fvATI = (PFNGLNORMALSTREAM3FVATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3fvATI")) == NULL) || r; r = ((glNormalStream3iATI = (PFNGLNORMALSTREAM3IATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3iATI")) == NULL) || r; r = ((glNormalStream3ivATI = (PFNGLNORMALSTREAM3IVATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3ivATI")) == NULL) || r; r = ((glNormalStream3sATI = (PFNGLNORMALSTREAM3SATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3sATI")) == NULL) || r; r = ((glNormalStream3svATI = (PFNGLNORMALSTREAM3SVATIPROC)glewGetProcAddress((const GLubyte*)"glNormalStream3svATI")) == NULL) || r; r = ((glVertexBlendEnvfATI = (PFNGLVERTEXBLENDENVFATIPROC)glewGetProcAddress((const GLubyte*)"glVertexBlendEnvfATI")) == NULL) || r; r = ((glVertexBlendEnviATI = (PFNGLVERTEXBLENDENVIATIPROC)glewGetProcAddress((const GLubyte*)"glVertexBlendEnviATI")) == NULL) || r; r = ((glVertexStream1dATI = (PFNGLVERTEXSTREAM1DATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1dATI")) == NULL) || r; r = ((glVertexStream1dvATI = (PFNGLVERTEXSTREAM1DVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1dvATI")) == NULL) || r; r = ((glVertexStream1fATI = (PFNGLVERTEXSTREAM1FATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1fATI")) == NULL) || r; r = ((glVertexStream1fvATI = (PFNGLVERTEXSTREAM1FVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1fvATI")) == NULL) || r; r = ((glVertexStream1iATI = (PFNGLVERTEXSTREAM1IATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1iATI")) == NULL) || r; r = ((glVertexStream1ivATI = (PFNGLVERTEXSTREAM1IVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1ivATI")) == NULL) || r; r = ((glVertexStream1sATI = (PFNGLVERTEXSTREAM1SATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1sATI")) == NULL) || r; r = ((glVertexStream1svATI = (PFNGLVERTEXSTREAM1SVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream1svATI")) == NULL) || r; r = ((glVertexStream2dATI = (PFNGLVERTEXSTREAM2DATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2dATI")) == NULL) || r; r = ((glVertexStream2dvATI = (PFNGLVERTEXSTREAM2DVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2dvATI")) == NULL) || r; r = ((glVertexStream2fATI = (PFNGLVERTEXSTREAM2FATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2fATI")) == NULL) || r; r = ((glVertexStream2fvATI = (PFNGLVERTEXSTREAM2FVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2fvATI")) == NULL) || r; r = ((glVertexStream2iATI = (PFNGLVERTEXSTREAM2IATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2iATI")) == NULL) || r; r = ((glVertexStream2ivATI = (PFNGLVERTEXSTREAM2IVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2ivATI")) == NULL) || r; r = ((glVertexStream2sATI = (PFNGLVERTEXSTREAM2SATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2sATI")) == NULL) || r; r = ((glVertexStream2svATI = (PFNGLVERTEXSTREAM2SVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream2svATI")) == NULL) || r; r = ((glVertexStream3dATI = (PFNGLVERTEXSTREAM3DATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3dATI")) == NULL) || r; r = ((glVertexStream3dvATI = (PFNGLVERTEXSTREAM3DVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3dvATI")) == NULL) || r; r = ((glVertexStream3fATI = (PFNGLVERTEXSTREAM3FATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3fATI")) == NULL) || r; r = ((glVertexStream3fvATI = (PFNGLVERTEXSTREAM3FVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3fvATI")) == NULL) || r; r = ((glVertexStream3iATI = (PFNGLVERTEXSTREAM3IATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3iATI")) == NULL) || r; r = ((glVertexStream3ivATI = (PFNGLVERTEXSTREAM3IVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3ivATI")) == NULL) || r; r = ((glVertexStream3sATI = (PFNGLVERTEXSTREAM3SATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3sATI")) == NULL) || r; r = ((glVertexStream3svATI = (PFNGLVERTEXSTREAM3SVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream3svATI")) == NULL) || r; r = ((glVertexStream4dATI = (PFNGLVERTEXSTREAM4DATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4dATI")) == NULL) || r; r = ((glVertexStream4dvATI = (PFNGLVERTEXSTREAM4DVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4dvATI")) == NULL) || r; r = ((glVertexStream4fATI = (PFNGLVERTEXSTREAM4FATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4fATI")) == NULL) || r; r = ((glVertexStream4fvATI = (PFNGLVERTEXSTREAM4FVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4fvATI")) == NULL) || r; r = ((glVertexStream4iATI = (PFNGLVERTEXSTREAM4IATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4iATI")) == NULL) || r; r = ((glVertexStream4ivATI = (PFNGLVERTEXSTREAM4IVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4ivATI")) == NULL) || r; r = ((glVertexStream4sATI = (PFNGLVERTEXSTREAM4SATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4sATI")) == NULL) || r; r = ((glVertexStream4svATI = (PFNGLVERTEXSTREAM4SVATIPROC)glewGetProcAddress((const GLubyte*)"glVertexStream4svATI")) == NULL) || r; return r; } #endif /* GL_ATI_vertex_streams */ #ifdef GL_EXT_base_instance static GLboolean _glewInit_GL_EXT_base_instance () { GLboolean r = GL_FALSE; r = ((glDrawArraysInstancedBaseInstanceEXT = (PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstancedBaseInstanceEXT")) == NULL) || r; r = ((glDrawElementsInstancedBaseInstanceEXT = (PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedBaseInstanceEXT")) == NULL) || r; r = ((glDrawElementsInstancedBaseVertexBaseInstanceEXT = (PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedBaseVertexBaseInstanceEXT")) == NULL) || r; return r; } #endif /* GL_EXT_base_instance */ #ifdef GL_EXT_bindable_uniform static GLboolean _glewInit_GL_EXT_bindable_uniform () { GLboolean r = GL_FALSE; r = ((glGetUniformBufferSizeEXT = (PFNGLGETUNIFORMBUFFERSIZEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetUniformBufferSizeEXT")) == NULL) || r; r = ((glGetUniformOffsetEXT = (PFNGLGETUNIFORMOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glGetUniformOffsetEXT")) == NULL) || r; r = ((glUniformBufferEXT = (PFNGLUNIFORMBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glUniformBufferEXT")) == NULL) || r; return r; } #endif /* GL_EXT_bindable_uniform */ #ifdef GL_EXT_blend_color static GLboolean _glewInit_GL_EXT_blend_color () { GLboolean r = GL_FALSE; r = ((glBlendColorEXT = (PFNGLBLENDCOLOREXTPROC)glewGetProcAddress((const GLubyte*)"glBlendColorEXT")) == NULL) || r; return r; } #endif /* GL_EXT_blend_color */ #ifdef GL_EXT_blend_equation_separate static GLboolean _glewInit_GL_EXT_blend_equation_separate () { GLboolean r = GL_FALSE; r = ((glBlendEquationSeparateEXT = (PFNGLBLENDEQUATIONSEPARATEEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationSeparateEXT")) == NULL) || r; return r; } #endif /* GL_EXT_blend_equation_separate */ #ifdef GL_EXT_blend_func_extended static GLboolean _glewInit_GL_EXT_blend_func_extended () { GLboolean r = GL_FALSE; r = ((glBindFragDataLocationIndexedEXT = (PFNGLBINDFRAGDATALOCATIONINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glBindFragDataLocationIndexedEXT")) == NULL) || r; r = ((glGetFragDataIndexEXT = (PFNGLGETFRAGDATAINDEXEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFragDataIndexEXT")) == NULL) || r; r = ((glGetProgramResourceLocationIndexEXT = (PFNGLGETPROGRAMRESOURCELOCATIONINDEXEXTPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourceLocationIndexEXT")) == NULL) || r; return r; } #endif /* GL_EXT_blend_func_extended */ #ifdef GL_EXT_blend_func_separate static GLboolean _glewInit_GL_EXT_blend_func_separate () { GLboolean r = GL_FALSE; r = ((glBlendFuncSeparateEXT = (PFNGLBLENDFUNCSEPARATEEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncSeparateEXT")) == NULL) || r; return r; } #endif /* GL_EXT_blend_func_separate */ #ifdef GL_EXT_blend_minmax static GLboolean _glewInit_GL_EXT_blend_minmax () { GLboolean r = GL_FALSE; r = ((glBlendEquationEXT = (PFNGLBLENDEQUATIONEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationEXT")) == NULL) || r; return r; } #endif /* GL_EXT_blend_minmax */ #ifdef GL_EXT_buffer_storage static GLboolean _glewInit_GL_EXT_buffer_storage () { GLboolean r = GL_FALSE; r = ((glBufferStorageEXT = (PFNGLBUFFERSTORAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glBufferStorageEXT")) == NULL) || r; r = ((glNamedBufferStorageEXT = (PFNGLNAMEDBUFFERSTORAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferStorageEXT")) == NULL) || r; return r; } #endif /* GL_EXT_buffer_storage */ #ifdef GL_EXT_clear_texture static GLboolean _glewInit_GL_EXT_clear_texture () { GLboolean r = GL_FALSE; r = ((glClearTexImageEXT = (PFNGLCLEARTEXIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glClearTexImageEXT")) == NULL) || r; r = ((glClearTexSubImageEXT = (PFNGLCLEARTEXSUBIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glClearTexSubImageEXT")) == NULL) || r; return r; } #endif /* GL_EXT_clear_texture */ #ifdef GL_EXT_color_subtable static GLboolean _glewInit_GL_EXT_color_subtable () { GLboolean r = GL_FALSE; r = ((glColorSubTableEXT = (PFNGLCOLORSUBTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"glColorSubTableEXT")) == NULL) || r; r = ((glCopyColorSubTableEXT = (PFNGLCOPYCOLORSUBTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyColorSubTableEXT")) == NULL) || r; return r; } #endif /* GL_EXT_color_subtable */ #ifdef GL_EXT_compiled_vertex_array static GLboolean _glewInit_GL_EXT_compiled_vertex_array () { GLboolean r = GL_FALSE; r = ((glLockArraysEXT = (PFNGLLOCKARRAYSEXTPROC)glewGetProcAddress((const GLubyte*)"glLockArraysEXT")) == NULL) || r; r = ((glUnlockArraysEXT = (PFNGLUNLOCKARRAYSEXTPROC)glewGetProcAddress((const GLubyte*)"glUnlockArraysEXT")) == NULL) || r; return r; } #endif /* GL_EXT_compiled_vertex_array */ #ifdef GL_EXT_convolution static GLboolean _glewInit_GL_EXT_convolution () { GLboolean r = GL_FALSE; r = ((glConvolutionFilter1DEXT = (PFNGLCONVOLUTIONFILTER1DEXTPROC)glewGetProcAddress((const GLubyte*)"glConvolutionFilter1DEXT")) == NULL) || r; r = ((glConvolutionFilter2DEXT = (PFNGLCONVOLUTIONFILTER2DEXTPROC)glewGetProcAddress((const GLubyte*)"glConvolutionFilter2DEXT")) == NULL) || r; r = ((glConvolutionParameterfEXT = (PFNGLCONVOLUTIONPARAMETERFEXTPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameterfEXT")) == NULL) || r; r = ((glConvolutionParameterfvEXT = (PFNGLCONVOLUTIONPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameterfvEXT")) == NULL) || r; r = ((glConvolutionParameteriEXT = (PFNGLCONVOLUTIONPARAMETERIEXTPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameteriEXT")) == NULL) || r; r = ((glConvolutionParameterivEXT = (PFNGLCONVOLUTIONPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glConvolutionParameterivEXT")) == NULL) || r; r = ((glCopyConvolutionFilter1DEXT = (PFNGLCOPYCONVOLUTIONFILTER1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyConvolutionFilter1DEXT")) == NULL) || r; r = ((glCopyConvolutionFilter2DEXT = (PFNGLCOPYCONVOLUTIONFILTER2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyConvolutionFilter2DEXT")) == NULL) || r; r = ((glGetConvolutionFilterEXT = (PFNGLGETCONVOLUTIONFILTEREXTPROC)glewGetProcAddress((const GLubyte*)"glGetConvolutionFilterEXT")) == NULL) || r; r = ((glGetConvolutionParameterfvEXT = (PFNGLGETCONVOLUTIONPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetConvolutionParameterfvEXT")) == NULL) || r; r = ((glGetConvolutionParameterivEXT = (PFNGLGETCONVOLUTIONPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetConvolutionParameterivEXT")) == NULL) || r; r = ((glGetSeparableFilterEXT = (PFNGLGETSEPARABLEFILTEREXTPROC)glewGetProcAddress((const GLubyte*)"glGetSeparableFilterEXT")) == NULL) || r; r = ((glSeparableFilter2DEXT = (PFNGLSEPARABLEFILTER2DEXTPROC)glewGetProcAddress((const GLubyte*)"glSeparableFilter2DEXT")) == NULL) || r; return r; } #endif /* GL_EXT_convolution */ #ifdef GL_EXT_coordinate_frame static GLboolean _glewInit_GL_EXT_coordinate_frame () { GLboolean r = GL_FALSE; r = ((glBinormalPointerEXT = (PFNGLBINORMALPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glBinormalPointerEXT")) == NULL) || r; r = ((glTangentPointerEXT = (PFNGLTANGENTPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glTangentPointerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_coordinate_frame */ #ifdef GL_EXT_copy_image static GLboolean _glewInit_GL_EXT_copy_image () { GLboolean r = GL_FALSE; r = ((glCopyImageSubDataEXT = (PFNGLCOPYIMAGESUBDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyImageSubDataEXT")) == NULL) || r; return r; } #endif /* GL_EXT_copy_image */ #ifdef GL_EXT_copy_texture static GLboolean _glewInit_GL_EXT_copy_texture () { GLboolean r = GL_FALSE; r = ((glCopyTexImage1DEXT = (PFNGLCOPYTEXIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTexImage1DEXT")) == NULL) || r; r = ((glCopyTexImage2DEXT = (PFNGLCOPYTEXIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTexImage2DEXT")) == NULL) || r; r = ((glCopyTexSubImage1DEXT = (PFNGLCOPYTEXSUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTexSubImage1DEXT")) == NULL) || r; r = ((glCopyTexSubImage2DEXT = (PFNGLCOPYTEXSUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTexSubImage2DEXT")) == NULL) || r; r = ((glCopyTexSubImage3DEXT = (PFNGLCOPYTEXSUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTexSubImage3DEXT")) == NULL) || r; return r; } #endif /* GL_EXT_copy_texture */ #ifdef GL_EXT_cull_vertex static GLboolean _glewInit_GL_EXT_cull_vertex () { GLboolean r = GL_FALSE; r = ((glCullParameterdvEXT = (PFNGLCULLPARAMETERDVEXTPROC)glewGetProcAddress((const GLubyte*)"glCullParameterdvEXT")) == NULL) || r; r = ((glCullParameterfvEXT = (PFNGLCULLPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glCullParameterfvEXT")) == NULL) || r; return r; } #endif /* GL_EXT_cull_vertex */ #ifdef GL_EXT_debug_label static GLboolean _glewInit_GL_EXT_debug_label () { GLboolean r = GL_FALSE; r = ((glGetObjectLabelEXT = (PFNGLGETOBJECTLABELEXTPROC)glewGetProcAddress((const GLubyte*)"glGetObjectLabelEXT")) == NULL) || r; r = ((glLabelObjectEXT = (PFNGLLABELOBJECTEXTPROC)glewGetProcAddress((const GLubyte*)"glLabelObjectEXT")) == NULL) || r; return r; } #endif /* GL_EXT_debug_label */ #ifdef GL_EXT_debug_marker static GLboolean _glewInit_GL_EXT_debug_marker () { GLboolean r = GL_FALSE; r = ((glInsertEventMarkerEXT = (PFNGLINSERTEVENTMARKEREXTPROC)glewGetProcAddress((const GLubyte*)"glInsertEventMarkerEXT")) == NULL) || r; r = ((glPopGroupMarkerEXT = (PFNGLPOPGROUPMARKEREXTPROC)glewGetProcAddress((const GLubyte*)"glPopGroupMarkerEXT")) == NULL) || r; r = ((glPushGroupMarkerEXT = (PFNGLPUSHGROUPMARKEREXTPROC)glewGetProcAddress((const GLubyte*)"glPushGroupMarkerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_debug_marker */ #ifdef GL_EXT_depth_bounds_test static GLboolean _glewInit_GL_EXT_depth_bounds_test () { GLboolean r = GL_FALSE; r = ((glDepthBoundsEXT = (PFNGLDEPTHBOUNDSEXTPROC)glewGetProcAddress((const GLubyte*)"glDepthBoundsEXT")) == NULL) || r; return r; } #endif /* GL_EXT_depth_bounds_test */ #ifdef GL_EXT_direct_state_access static GLboolean _glewInit_GL_EXT_direct_state_access () { GLboolean r = GL_FALSE; r = ((glBindMultiTextureEXT = (PFNGLBINDMULTITEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glBindMultiTextureEXT")) == NULL) || r; r = ((glCheckNamedFramebufferStatusEXT = (PFNGLCHECKNAMEDFRAMEBUFFERSTATUSEXTPROC)glewGetProcAddress((const GLubyte*)"glCheckNamedFramebufferStatusEXT")) == NULL) || r; r = ((glClientAttribDefaultEXT = (PFNGLCLIENTATTRIBDEFAULTEXTPROC)glewGetProcAddress((const GLubyte*)"glClientAttribDefaultEXT")) == NULL) || r; r = ((glCompressedMultiTexImage1DEXT = (PFNGLCOMPRESSEDMULTITEXIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedMultiTexImage1DEXT")) == NULL) || r; r = ((glCompressedMultiTexImage2DEXT = (PFNGLCOMPRESSEDMULTITEXIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedMultiTexImage2DEXT")) == NULL) || r; r = ((glCompressedMultiTexImage3DEXT = (PFNGLCOMPRESSEDMULTITEXIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedMultiTexImage3DEXT")) == NULL) || r; r = ((glCompressedMultiTexSubImage1DEXT = (PFNGLCOMPRESSEDMULTITEXSUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedMultiTexSubImage1DEXT")) == NULL) || r; r = ((glCompressedMultiTexSubImage2DEXT = (PFNGLCOMPRESSEDMULTITEXSUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedMultiTexSubImage2DEXT")) == NULL) || r; r = ((glCompressedMultiTexSubImage3DEXT = (PFNGLCOMPRESSEDMULTITEXSUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedMultiTexSubImage3DEXT")) == NULL) || r; r = ((glCompressedTextureImage1DEXT = (PFNGLCOMPRESSEDTEXTUREIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureImage1DEXT")) == NULL) || r; r = ((glCompressedTextureImage2DEXT = (PFNGLCOMPRESSEDTEXTUREIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureImage2DEXT")) == NULL) || r; r = ((glCompressedTextureImage3DEXT = (PFNGLCOMPRESSEDTEXTUREIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureImage3DEXT")) == NULL) || r; r = ((glCompressedTextureSubImage1DEXT = (PFNGLCOMPRESSEDTEXTURESUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureSubImage1DEXT")) == NULL) || r; r = ((glCompressedTextureSubImage2DEXT = (PFNGLCOMPRESSEDTEXTURESUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureSubImage2DEXT")) == NULL) || r; r = ((glCompressedTextureSubImage3DEXT = (PFNGLCOMPRESSEDTEXTURESUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCompressedTextureSubImage3DEXT")) == NULL) || r; r = ((glCopyMultiTexImage1DEXT = (PFNGLCOPYMULTITEXIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyMultiTexImage1DEXT")) == NULL) || r; r = ((glCopyMultiTexImage2DEXT = (PFNGLCOPYMULTITEXIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyMultiTexImage2DEXT")) == NULL) || r; r = ((glCopyMultiTexSubImage1DEXT = (PFNGLCOPYMULTITEXSUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyMultiTexSubImage1DEXT")) == NULL) || r; r = ((glCopyMultiTexSubImage2DEXT = (PFNGLCOPYMULTITEXSUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyMultiTexSubImage2DEXT")) == NULL) || r; r = ((glCopyMultiTexSubImage3DEXT = (PFNGLCOPYMULTITEXSUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyMultiTexSubImage3DEXT")) == NULL) || r; r = ((glCopyTextureImage1DEXT = (PFNGLCOPYTEXTUREIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureImage1DEXT")) == NULL) || r; r = ((glCopyTextureImage2DEXT = (PFNGLCOPYTEXTUREIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureImage2DEXT")) == NULL) || r; r = ((glCopyTextureSubImage1DEXT = (PFNGLCOPYTEXTURESUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureSubImage1DEXT")) == NULL) || r; r = ((glCopyTextureSubImage2DEXT = (PFNGLCOPYTEXTURESUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureSubImage2DEXT")) == NULL) || r; r = ((glCopyTextureSubImage3DEXT = (PFNGLCOPYTEXTURESUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glCopyTextureSubImage3DEXT")) == NULL) || r; r = ((glDisableClientStateIndexedEXT = (PFNGLDISABLECLIENTSTATEINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableClientStateIndexedEXT")) == NULL) || r; r = ((glDisableClientStateiEXT = (PFNGLDISABLECLIENTSTATEIEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableClientStateiEXT")) == NULL) || r; r = ((glDisableVertexArrayAttribEXT = (PFNGLDISABLEVERTEXARRAYATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableVertexArrayAttribEXT")) == NULL) || r; r = ((glDisableVertexArrayEXT = (PFNGLDISABLEVERTEXARRAYEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableVertexArrayEXT")) == NULL) || r; r = ((glEnableClientStateIndexedEXT = (PFNGLENABLECLIENTSTATEINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableClientStateIndexedEXT")) == NULL) || r; r = ((glEnableClientStateiEXT = (PFNGLENABLECLIENTSTATEIEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableClientStateiEXT")) == NULL) || r; r = ((glEnableVertexArrayAttribEXT = (PFNGLENABLEVERTEXARRAYATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableVertexArrayAttribEXT")) == NULL) || r; r = ((glEnableVertexArrayEXT = (PFNGLENABLEVERTEXARRAYEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableVertexArrayEXT")) == NULL) || r; r = ((glFlushMappedNamedBufferRangeEXT = (PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEEXTPROC)glewGetProcAddress((const GLubyte*)"glFlushMappedNamedBufferRangeEXT")) == NULL) || r; r = ((glFramebufferDrawBufferEXT = (PFNGLFRAMEBUFFERDRAWBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferDrawBufferEXT")) == NULL) || r; r = ((glFramebufferDrawBuffersEXT = (PFNGLFRAMEBUFFERDRAWBUFFERSEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferDrawBuffersEXT")) == NULL) || r; r = ((glFramebufferReadBufferEXT = (PFNGLFRAMEBUFFERREADBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferReadBufferEXT")) == NULL) || r; r = ((glGenerateMultiTexMipmapEXT = (PFNGLGENERATEMULTITEXMIPMAPEXTPROC)glewGetProcAddress((const GLubyte*)"glGenerateMultiTexMipmapEXT")) == NULL) || r; r = ((glGenerateTextureMipmapEXT = (PFNGLGENERATETEXTUREMIPMAPEXTPROC)glewGetProcAddress((const GLubyte*)"glGenerateTextureMipmapEXT")) == NULL) || r; r = ((glGetCompressedMultiTexImageEXT = (PFNGLGETCOMPRESSEDMULTITEXIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetCompressedMultiTexImageEXT")) == NULL) || r; r = ((glGetCompressedTextureImageEXT = (PFNGLGETCOMPRESSEDTEXTUREIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetCompressedTextureImageEXT")) == NULL) || r; r = ((glGetDoubleIndexedvEXT = (PFNGLGETDOUBLEINDEXEDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetDoubleIndexedvEXT")) == NULL) || r; r = ((glGetDoublei_vEXT = (PFNGLGETDOUBLEI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetDoublei_vEXT")) == NULL) || r; r = ((glGetFloatIndexedvEXT = (PFNGLGETFLOATINDEXEDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFloatIndexedvEXT")) == NULL) || r; r = ((glGetFloati_vEXT = (PFNGLGETFLOATI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFloati_vEXT")) == NULL) || r; r = ((glGetFramebufferParameterivEXT = (PFNGLGETFRAMEBUFFERPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFramebufferParameterivEXT")) == NULL) || r; r = ((glGetMultiTexEnvfvEXT = (PFNGLGETMULTITEXENVFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexEnvfvEXT")) == NULL) || r; r = ((glGetMultiTexEnvivEXT = (PFNGLGETMULTITEXENVIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexEnvivEXT")) == NULL) || r; r = ((glGetMultiTexGendvEXT = (PFNGLGETMULTITEXGENDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexGendvEXT")) == NULL) || r; r = ((glGetMultiTexGenfvEXT = (PFNGLGETMULTITEXGENFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexGenfvEXT")) == NULL) || r; r = ((glGetMultiTexGenivEXT = (PFNGLGETMULTITEXGENIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexGenivEXT")) == NULL) || r; r = ((glGetMultiTexImageEXT = (PFNGLGETMULTITEXIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexImageEXT")) == NULL) || r; r = ((glGetMultiTexLevelParameterfvEXT = (PFNGLGETMULTITEXLEVELPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexLevelParameterfvEXT")) == NULL) || r; r = ((glGetMultiTexLevelParameterivEXT = (PFNGLGETMULTITEXLEVELPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexLevelParameterivEXT")) == NULL) || r; r = ((glGetMultiTexParameterIivEXT = (PFNGLGETMULTITEXPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexParameterIivEXT")) == NULL) || r; r = ((glGetMultiTexParameterIuivEXT = (PFNGLGETMULTITEXPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexParameterIuivEXT")) == NULL) || r; r = ((glGetMultiTexParameterfvEXT = (PFNGLGETMULTITEXPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexParameterfvEXT")) == NULL) || r; r = ((glGetMultiTexParameterivEXT = (PFNGLGETMULTITEXPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMultiTexParameterivEXT")) == NULL) || r; r = ((glGetNamedBufferParameterivEXT = (PFNGLGETNAMEDBUFFERPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferParameterivEXT")) == NULL) || r; r = ((glGetNamedBufferPointervEXT = (PFNGLGETNAMEDBUFFERPOINTERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferPointervEXT")) == NULL) || r; r = ((glGetNamedBufferSubDataEXT = (PFNGLGETNAMEDBUFFERSUBDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferSubDataEXT")) == NULL) || r; r = ((glGetNamedFramebufferAttachmentParameterivEXT = (PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedFramebufferAttachmentParameterivEXT")) == NULL) || r; r = ((glGetNamedProgramLocalParameterIivEXT = (PFNGLGETNAMEDPROGRAMLOCALPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedProgramLocalParameterIivEXT")) == NULL) || r; r = ((glGetNamedProgramLocalParameterIuivEXT = (PFNGLGETNAMEDPROGRAMLOCALPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedProgramLocalParameterIuivEXT")) == NULL) || r; r = ((glGetNamedProgramLocalParameterdvEXT = (PFNGLGETNAMEDPROGRAMLOCALPARAMETERDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedProgramLocalParameterdvEXT")) == NULL) || r; r = ((glGetNamedProgramLocalParameterfvEXT = (PFNGLGETNAMEDPROGRAMLOCALPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedProgramLocalParameterfvEXT")) == NULL) || r; r = ((glGetNamedProgramStringEXT = (PFNGLGETNAMEDPROGRAMSTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedProgramStringEXT")) == NULL) || r; r = ((glGetNamedProgramivEXT = (PFNGLGETNAMEDPROGRAMIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedProgramivEXT")) == NULL) || r; r = ((glGetNamedRenderbufferParameterivEXT = (PFNGLGETNAMEDRENDERBUFFERPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetNamedRenderbufferParameterivEXT")) == NULL) || r; r = ((glGetPointerIndexedvEXT = (PFNGLGETPOINTERINDEXEDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetPointerIndexedvEXT")) == NULL) || r; r = ((glGetPointeri_vEXT = (PFNGLGETPOINTERI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetPointeri_vEXT")) == NULL) || r; r = ((glGetTextureImageEXT = (PFNGLGETTEXTUREIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureImageEXT")) == NULL) || r; r = ((glGetTextureLevelParameterfvEXT = (PFNGLGETTEXTURELEVELPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureLevelParameterfvEXT")) == NULL) || r; r = ((glGetTextureLevelParameterivEXT = (PFNGLGETTEXTURELEVELPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureLevelParameterivEXT")) == NULL) || r; r = ((glGetTextureParameterIivEXT = (PFNGLGETTEXTUREPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterIivEXT")) == NULL) || r; r = ((glGetTextureParameterIuivEXT = (PFNGLGETTEXTUREPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterIuivEXT")) == NULL) || r; r = ((glGetTextureParameterfvEXT = (PFNGLGETTEXTUREPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterfvEXT")) == NULL) || r; r = ((glGetTextureParameterivEXT = (PFNGLGETTEXTUREPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTextureParameterivEXT")) == NULL) || r; r = ((glGetVertexArrayIntegeri_vEXT = (PFNGLGETVERTEXARRAYINTEGERI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayIntegeri_vEXT")) == NULL) || r; r = ((glGetVertexArrayIntegervEXT = (PFNGLGETVERTEXARRAYINTEGERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayIntegervEXT")) == NULL) || r; r = ((glGetVertexArrayPointeri_vEXT = (PFNGLGETVERTEXARRAYPOINTERI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayPointeri_vEXT")) == NULL) || r; r = ((glGetVertexArrayPointervEXT = (PFNGLGETVERTEXARRAYPOINTERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexArrayPointervEXT")) == NULL) || r; r = ((glMapNamedBufferEXT = (PFNGLMAPNAMEDBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glMapNamedBufferEXT")) == NULL) || r; r = ((glMapNamedBufferRangeEXT = (PFNGLMAPNAMEDBUFFERRANGEEXTPROC)glewGetProcAddress((const GLubyte*)"glMapNamedBufferRangeEXT")) == NULL) || r; r = ((glMatrixFrustumEXT = (PFNGLMATRIXFRUSTUMEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixFrustumEXT")) == NULL) || r; r = ((glMatrixLoadIdentityEXT = (PFNGLMATRIXLOADIDENTITYEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoadIdentityEXT")) == NULL) || r; r = ((glMatrixLoadTransposedEXT = (PFNGLMATRIXLOADTRANSPOSEDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoadTransposedEXT")) == NULL) || r; r = ((glMatrixLoadTransposefEXT = (PFNGLMATRIXLOADTRANSPOSEFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoadTransposefEXT")) == NULL) || r; r = ((glMatrixLoaddEXT = (PFNGLMATRIXLOADDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoaddEXT")) == NULL) || r; r = ((glMatrixLoadfEXT = (PFNGLMATRIXLOADFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoadfEXT")) == NULL) || r; r = ((glMatrixMultTransposedEXT = (PFNGLMATRIXMULTTRANSPOSEDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixMultTransposedEXT")) == NULL) || r; r = ((glMatrixMultTransposefEXT = (PFNGLMATRIXMULTTRANSPOSEFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixMultTransposefEXT")) == NULL) || r; r = ((glMatrixMultdEXT = (PFNGLMATRIXMULTDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixMultdEXT")) == NULL) || r; r = ((glMatrixMultfEXT = (PFNGLMATRIXMULTFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixMultfEXT")) == NULL) || r; r = ((glMatrixOrthoEXT = (PFNGLMATRIXORTHOEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixOrthoEXT")) == NULL) || r; r = ((glMatrixPopEXT = (PFNGLMATRIXPOPEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixPopEXT")) == NULL) || r; r = ((glMatrixPushEXT = (PFNGLMATRIXPUSHEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixPushEXT")) == NULL) || r; r = ((glMatrixRotatedEXT = (PFNGLMATRIXROTATEDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixRotatedEXT")) == NULL) || r; r = ((glMatrixRotatefEXT = (PFNGLMATRIXROTATEFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixRotatefEXT")) == NULL) || r; r = ((glMatrixScaledEXT = (PFNGLMATRIXSCALEDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixScaledEXT")) == NULL) || r; r = ((glMatrixScalefEXT = (PFNGLMATRIXSCALEFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixScalefEXT")) == NULL) || r; r = ((glMatrixTranslatedEXT = (PFNGLMATRIXTRANSLATEDEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixTranslatedEXT")) == NULL) || r; r = ((glMatrixTranslatefEXT = (PFNGLMATRIXTRANSLATEFEXTPROC)glewGetProcAddress((const GLubyte*)"glMatrixTranslatefEXT")) == NULL) || r; r = ((glMultiTexBufferEXT = (PFNGLMULTITEXBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexBufferEXT")) == NULL) || r; r = ((glMultiTexCoordPointerEXT = (PFNGLMULTITEXCOORDPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoordPointerEXT")) == NULL) || r; r = ((glMultiTexEnvfEXT = (PFNGLMULTITEXENVFEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexEnvfEXT")) == NULL) || r; r = ((glMultiTexEnvfvEXT = (PFNGLMULTITEXENVFVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexEnvfvEXT")) == NULL) || r; r = ((glMultiTexEnviEXT = (PFNGLMULTITEXENVIEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexEnviEXT")) == NULL) || r; r = ((glMultiTexEnvivEXT = (PFNGLMULTITEXENVIVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexEnvivEXT")) == NULL) || r; r = ((glMultiTexGendEXT = (PFNGLMULTITEXGENDEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexGendEXT")) == NULL) || r; r = ((glMultiTexGendvEXT = (PFNGLMULTITEXGENDVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexGendvEXT")) == NULL) || r; r = ((glMultiTexGenfEXT = (PFNGLMULTITEXGENFEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexGenfEXT")) == NULL) || r; r = ((glMultiTexGenfvEXT = (PFNGLMULTITEXGENFVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexGenfvEXT")) == NULL) || r; r = ((glMultiTexGeniEXT = (PFNGLMULTITEXGENIEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexGeniEXT")) == NULL) || r; r = ((glMultiTexGenivEXT = (PFNGLMULTITEXGENIVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexGenivEXT")) == NULL) || r; r = ((glMultiTexImage1DEXT = (PFNGLMULTITEXIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexImage1DEXT")) == NULL) || r; r = ((glMultiTexImage2DEXT = (PFNGLMULTITEXIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexImage2DEXT")) == NULL) || r; r = ((glMultiTexImage3DEXT = (PFNGLMULTITEXIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexImage3DEXT")) == NULL) || r; r = ((glMultiTexParameterIivEXT = (PFNGLMULTITEXPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexParameterIivEXT")) == NULL) || r; r = ((glMultiTexParameterIuivEXT = (PFNGLMULTITEXPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexParameterIuivEXT")) == NULL) || r; r = ((glMultiTexParameterfEXT = (PFNGLMULTITEXPARAMETERFEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexParameterfEXT")) == NULL) || r; r = ((glMultiTexParameterfvEXT = (PFNGLMULTITEXPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexParameterfvEXT")) == NULL) || r; r = ((glMultiTexParameteriEXT = (PFNGLMULTITEXPARAMETERIEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexParameteriEXT")) == NULL) || r; r = ((glMultiTexParameterivEXT = (PFNGLMULTITEXPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexParameterivEXT")) == NULL) || r; r = ((glMultiTexRenderbufferEXT = (PFNGLMULTITEXRENDERBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexRenderbufferEXT")) == NULL) || r; r = ((glMultiTexSubImage1DEXT = (PFNGLMULTITEXSUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexSubImage1DEXT")) == NULL) || r; r = ((glMultiTexSubImage2DEXT = (PFNGLMULTITEXSUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexSubImage2DEXT")) == NULL) || r; r = ((glMultiTexSubImage3DEXT = (PFNGLMULTITEXSUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiTexSubImage3DEXT")) == NULL) || r; r = ((glNamedBufferDataEXT = (PFNGLNAMEDBUFFERDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferDataEXT")) == NULL) || r; r = ((glNamedBufferSubDataEXT = (PFNGLNAMEDBUFFERSUBDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferSubDataEXT")) == NULL) || r; r = ((glNamedCopyBufferSubDataEXT = (PFNGLNAMEDCOPYBUFFERSUBDATAEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedCopyBufferSubDataEXT")) == NULL) || r; r = ((glNamedFramebufferRenderbufferEXT = (PFNGLNAMEDFRAMEBUFFERRENDERBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferRenderbufferEXT")) == NULL) || r; r = ((glNamedFramebufferTexture1DEXT = (PFNGLNAMEDFRAMEBUFFERTEXTURE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTexture1DEXT")) == NULL) || r; r = ((glNamedFramebufferTexture2DEXT = (PFNGLNAMEDFRAMEBUFFERTEXTURE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTexture2DEXT")) == NULL) || r; r = ((glNamedFramebufferTexture3DEXT = (PFNGLNAMEDFRAMEBUFFERTEXTURE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTexture3DEXT")) == NULL) || r; r = ((glNamedFramebufferTextureEXT = (PFNGLNAMEDFRAMEBUFFERTEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTextureEXT")) == NULL) || r; r = ((glNamedFramebufferTextureFaceEXT = (PFNGLNAMEDFRAMEBUFFERTEXTUREFACEEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTextureFaceEXT")) == NULL) || r; r = ((glNamedFramebufferTextureLayerEXT = (PFNGLNAMEDFRAMEBUFFERTEXTURELAYEREXTPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferTextureLayerEXT")) == NULL) || r; r = ((glNamedProgramLocalParameter4dEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETER4DEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameter4dEXT")) == NULL) || r; r = ((glNamedProgramLocalParameter4dvEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETER4DVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameter4dvEXT")) == NULL) || r; r = ((glNamedProgramLocalParameter4fEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETER4FEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameter4fEXT")) == NULL) || r; r = ((glNamedProgramLocalParameter4fvEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETER4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameter4fvEXT")) == NULL) || r; r = ((glNamedProgramLocalParameterI4iEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERI4IEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameterI4iEXT")) == NULL) || r; r = ((glNamedProgramLocalParameterI4ivEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERI4IVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameterI4ivEXT")) == NULL) || r; r = ((glNamedProgramLocalParameterI4uiEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameterI4uiEXT")) == NULL) || r; r = ((glNamedProgramLocalParameterI4uivEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameterI4uivEXT")) == NULL) || r; r = ((glNamedProgramLocalParameters4fvEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERS4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParameters4fvEXT")) == NULL) || r; r = ((glNamedProgramLocalParametersI4ivEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERSI4IVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParametersI4ivEXT")) == NULL) || r; r = ((glNamedProgramLocalParametersI4uivEXT = (PFNGLNAMEDPROGRAMLOCALPARAMETERSI4UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramLocalParametersI4uivEXT")) == NULL) || r; r = ((glNamedProgramStringEXT = (PFNGLNAMEDPROGRAMSTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedProgramStringEXT")) == NULL) || r; r = ((glNamedRenderbufferStorageEXT = (PFNGLNAMEDRENDERBUFFERSTORAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedRenderbufferStorageEXT")) == NULL) || r; r = ((glNamedRenderbufferStorageMultisampleCoverageEXT = (PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLECOVERAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedRenderbufferStorageMultisampleCoverageEXT")) == NULL) || r; r = ((glNamedRenderbufferStorageMultisampleEXT = (PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedRenderbufferStorageMultisampleEXT")) == NULL) || r; r = ((glProgramUniform1fEXT = (PFNGLPROGRAMUNIFORM1FEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1fEXT")) == NULL) || r; r = ((glProgramUniform1fvEXT = (PFNGLPROGRAMUNIFORM1FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1fvEXT")) == NULL) || r; r = ((glProgramUniform1iEXT = (PFNGLPROGRAMUNIFORM1IEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1iEXT")) == NULL) || r; r = ((glProgramUniform1ivEXT = (PFNGLPROGRAMUNIFORM1IVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1ivEXT")) == NULL) || r; r = ((glProgramUniform1uiEXT = (PFNGLPROGRAMUNIFORM1UIEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1uiEXT")) == NULL) || r; r = ((glProgramUniform1uivEXT = (PFNGLPROGRAMUNIFORM1UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1uivEXT")) == NULL) || r; r = ((glProgramUniform2fEXT = (PFNGLPROGRAMUNIFORM2FEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2fEXT")) == NULL) || r; r = ((glProgramUniform2fvEXT = (PFNGLPROGRAMUNIFORM2FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2fvEXT")) == NULL) || r; r = ((glProgramUniform2iEXT = (PFNGLPROGRAMUNIFORM2IEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2iEXT")) == NULL) || r; r = ((glProgramUniform2ivEXT = (PFNGLPROGRAMUNIFORM2IVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2ivEXT")) == NULL) || r; r = ((glProgramUniform2uiEXT = (PFNGLPROGRAMUNIFORM2UIEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2uiEXT")) == NULL) || r; r = ((glProgramUniform2uivEXT = (PFNGLPROGRAMUNIFORM2UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2uivEXT")) == NULL) || r; r = ((glProgramUniform3fEXT = (PFNGLPROGRAMUNIFORM3FEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3fEXT")) == NULL) || r; r = ((glProgramUniform3fvEXT = (PFNGLPROGRAMUNIFORM3FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3fvEXT")) == NULL) || r; r = ((glProgramUniform3iEXT = (PFNGLPROGRAMUNIFORM3IEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3iEXT")) == NULL) || r; r = ((glProgramUniform3ivEXT = (PFNGLPROGRAMUNIFORM3IVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3ivEXT")) == NULL) || r; r = ((glProgramUniform3uiEXT = (PFNGLPROGRAMUNIFORM3UIEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3uiEXT")) == NULL) || r; r = ((glProgramUniform3uivEXT = (PFNGLPROGRAMUNIFORM3UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3uivEXT")) == NULL) || r; r = ((glProgramUniform4fEXT = (PFNGLPROGRAMUNIFORM4FEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4fEXT")) == NULL) || r; r = ((glProgramUniform4fvEXT = (PFNGLPROGRAMUNIFORM4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4fvEXT")) == NULL) || r; r = ((glProgramUniform4iEXT = (PFNGLPROGRAMUNIFORM4IEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4iEXT")) == NULL) || r; r = ((glProgramUniform4ivEXT = (PFNGLPROGRAMUNIFORM4IVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4ivEXT")) == NULL) || r; r = ((glProgramUniform4uiEXT = (PFNGLPROGRAMUNIFORM4UIEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4uiEXT")) == NULL) || r; r = ((glProgramUniform4uivEXT = (PFNGLPROGRAMUNIFORM4UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4uivEXT")) == NULL) || r; r = ((glProgramUniformMatrix2fvEXT = (PFNGLPROGRAMUNIFORMMATRIX2FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix2x3fvEXT = (PFNGLPROGRAMUNIFORMMATRIX2X3FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2x3fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix2x4fvEXT = (PFNGLPROGRAMUNIFORMMATRIX2X4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix2x4fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix3fvEXT = (PFNGLPROGRAMUNIFORMMATRIX3FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix3x2fvEXT = (PFNGLPROGRAMUNIFORMMATRIX3X2FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3x2fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix3x4fvEXT = (PFNGLPROGRAMUNIFORMMATRIX3X4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix3x4fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix4fvEXT = (PFNGLPROGRAMUNIFORMMATRIX4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix4x2fvEXT = (PFNGLPROGRAMUNIFORMMATRIX4X2FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4x2fvEXT")) == NULL) || r; r = ((glProgramUniformMatrix4x3fvEXT = (PFNGLPROGRAMUNIFORMMATRIX4X3FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformMatrix4x3fvEXT")) == NULL) || r; r = ((glPushClientAttribDefaultEXT = (PFNGLPUSHCLIENTATTRIBDEFAULTEXTPROC)glewGetProcAddress((const GLubyte*)"glPushClientAttribDefaultEXT")) == NULL) || r; r = ((glTextureBufferEXT = (PFNGLTEXTUREBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glTextureBufferEXT")) == NULL) || r; r = ((glTextureImage1DEXT = (PFNGLTEXTUREIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureImage1DEXT")) == NULL) || r; r = ((glTextureImage2DEXT = (PFNGLTEXTUREIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureImage2DEXT")) == NULL) || r; r = ((glTextureImage3DEXT = (PFNGLTEXTUREIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureImage3DEXT")) == NULL) || r; r = ((glTextureParameterIivEXT = (PFNGLTEXTUREPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterIivEXT")) == NULL) || r; r = ((glTextureParameterIuivEXT = (PFNGLTEXTUREPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterIuivEXT")) == NULL) || r; r = ((glTextureParameterfEXT = (PFNGLTEXTUREPARAMETERFEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterfEXT")) == NULL) || r; r = ((glTextureParameterfvEXT = (PFNGLTEXTUREPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterfvEXT")) == NULL) || r; r = ((glTextureParameteriEXT = (PFNGLTEXTUREPARAMETERIEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureParameteriEXT")) == NULL) || r; r = ((glTextureParameterivEXT = (PFNGLTEXTUREPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureParameterivEXT")) == NULL) || r; r = ((glTextureRenderbufferEXT = (PFNGLTEXTURERENDERBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glTextureRenderbufferEXT")) == NULL) || r; r = ((glTextureSubImage1DEXT = (PFNGLTEXTURESUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureSubImage1DEXT")) == NULL) || r; r = ((glTextureSubImage2DEXT = (PFNGLTEXTURESUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureSubImage2DEXT")) == NULL) || r; r = ((glTextureSubImage3DEXT = (PFNGLTEXTURESUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureSubImage3DEXT")) == NULL) || r; r = ((glUnmapNamedBufferEXT = (PFNGLUNMAPNAMEDBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glUnmapNamedBufferEXT")) == NULL) || r; r = ((glVertexArrayColorOffsetEXT = (PFNGLVERTEXARRAYCOLOROFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayColorOffsetEXT")) == NULL) || r; r = ((glVertexArrayEdgeFlagOffsetEXT = (PFNGLVERTEXARRAYEDGEFLAGOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayEdgeFlagOffsetEXT")) == NULL) || r; r = ((glVertexArrayFogCoordOffsetEXT = (PFNGLVERTEXARRAYFOGCOORDOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayFogCoordOffsetEXT")) == NULL) || r; r = ((glVertexArrayIndexOffsetEXT = (PFNGLVERTEXARRAYINDEXOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayIndexOffsetEXT")) == NULL) || r; r = ((glVertexArrayMultiTexCoordOffsetEXT = (PFNGLVERTEXARRAYMULTITEXCOORDOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayMultiTexCoordOffsetEXT")) == NULL) || r; r = ((glVertexArrayNormalOffsetEXT = (PFNGLVERTEXARRAYNORMALOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayNormalOffsetEXT")) == NULL) || r; r = ((glVertexArraySecondaryColorOffsetEXT = (PFNGLVERTEXARRAYSECONDARYCOLOROFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArraySecondaryColorOffsetEXT")) == NULL) || r; r = ((glVertexArrayTexCoordOffsetEXT = (PFNGLVERTEXARRAYTEXCOORDOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayTexCoordOffsetEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribDivisorEXT = (PFNGLVERTEXARRAYVERTEXATTRIBDIVISOREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribDivisorEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribIOffsetEXT = (PFNGLVERTEXARRAYVERTEXATTRIBIOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribIOffsetEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribOffsetEXT = (PFNGLVERTEXARRAYVERTEXATTRIBOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribOffsetEXT")) == NULL) || r; r = ((glVertexArrayVertexOffsetEXT = (PFNGLVERTEXARRAYVERTEXOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexOffsetEXT")) == NULL) || r; return r; } #endif /* GL_EXT_direct_state_access */ #ifdef GL_EXT_discard_framebuffer static GLboolean _glewInit_GL_EXT_discard_framebuffer () { GLboolean r = GL_FALSE; r = ((glDiscardFramebufferEXT = (PFNGLDISCARDFRAMEBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glDiscardFramebufferEXT")) == NULL) || r; return r; } #endif /* GL_EXT_discard_framebuffer */ #ifdef GL_EXT_draw_buffers static GLboolean _glewInit_GL_EXT_draw_buffers () { GLboolean r = GL_FALSE; r = ((glDrawBuffersEXT = (PFNGLDRAWBUFFERSEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawBuffersEXT")) == NULL) || r; return r; } #endif /* GL_EXT_draw_buffers */ #ifdef GL_EXT_draw_buffers2 static GLboolean _glewInit_GL_EXT_draw_buffers2 () { GLboolean r = GL_FALSE; r = ((glColorMaskIndexedEXT = (PFNGLCOLORMASKINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glColorMaskIndexedEXT")) == NULL) || r; r = ((glDisableIndexedEXT = (PFNGLDISABLEINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableIndexedEXT")) == NULL) || r; r = ((glEnableIndexedEXT = (PFNGLENABLEINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableIndexedEXT")) == NULL) || r; r = ((glGetBooleanIndexedvEXT = (PFNGLGETBOOLEANINDEXEDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetBooleanIndexedvEXT")) == NULL) || r; r = ((glGetIntegerIndexedvEXT = (PFNGLGETINTEGERINDEXEDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetIntegerIndexedvEXT")) == NULL) || r; r = ((glIsEnabledIndexedEXT = (PFNGLISENABLEDINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glIsEnabledIndexedEXT")) == NULL) || r; return r; } #endif /* GL_EXT_draw_buffers2 */ #ifdef GL_EXT_draw_buffers_indexed static GLboolean _glewInit_GL_EXT_draw_buffers_indexed () { GLboolean r = GL_FALSE; r = ((glBlendEquationSeparateiEXT = (PFNGLBLENDEQUATIONSEPARATEIEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationSeparateiEXT")) == NULL) || r; r = ((glBlendEquationiEXT = (PFNGLBLENDEQUATIONIEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendEquationiEXT")) == NULL) || r; r = ((glBlendFuncSeparateiEXT = (PFNGLBLENDFUNCSEPARATEIEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendFuncSeparateiEXT")) == NULL) || r; r = ((glBlendFunciEXT = (PFNGLBLENDFUNCIEXTPROC)glewGetProcAddress((const GLubyte*)"glBlendFunciEXT")) == NULL) || r; r = ((glColorMaskiEXT = (PFNGLCOLORMASKIEXTPROC)glewGetProcAddress((const GLubyte*)"glColorMaskiEXT")) == NULL) || r; r = ((glDisableiEXT = (PFNGLDISABLEIEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableiEXT")) == NULL) || r; r = ((glEnableiEXT = (PFNGLENABLEIEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableiEXT")) == NULL) || r; r = ((glIsEnablediEXT = (PFNGLISENABLEDIEXTPROC)glewGetProcAddress((const GLubyte*)"glIsEnablediEXT")) == NULL) || r; return r; } #endif /* GL_EXT_draw_buffers_indexed */ #ifdef GL_EXT_draw_elements_base_vertex static GLboolean _glewInit_GL_EXT_draw_elements_base_vertex () { GLboolean r = GL_FALSE; r = ((glDrawElementsBaseVertexEXT = (PFNGLDRAWELEMENTSBASEVERTEXEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsBaseVertexEXT")) == NULL) || r; r = ((glDrawElementsInstancedBaseVertexEXT = (PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedBaseVertexEXT")) == NULL) || r; r = ((glDrawRangeElementsBaseVertexEXT = (PFNGLDRAWRANGEELEMENTSBASEVERTEXEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawRangeElementsBaseVertexEXT")) == NULL) || r; r = ((glMultiDrawElementsBaseVertexEXT = (PFNGLMULTIDRAWELEMENTSBASEVERTEXEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsBaseVertexEXT")) == NULL) || r; return r; } #endif /* GL_EXT_draw_elements_base_vertex */ #ifdef GL_EXT_draw_instanced static GLboolean _glewInit_GL_EXT_draw_instanced () { GLboolean r = GL_FALSE; r = ((glDrawArraysInstancedEXT = (PFNGLDRAWARRAYSINSTANCEDEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstancedEXT")) == NULL) || r; r = ((glDrawElementsInstancedEXT = (PFNGLDRAWELEMENTSINSTANCEDEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedEXT")) == NULL) || r; return r; } #endif /* GL_EXT_draw_instanced */ #ifdef GL_EXT_draw_range_elements static GLboolean _glewInit_GL_EXT_draw_range_elements () { GLboolean r = GL_FALSE; r = ((glDrawRangeElementsEXT = (PFNGLDRAWRANGEELEMENTSEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawRangeElementsEXT")) == NULL) || r; return r; } #endif /* GL_EXT_draw_range_elements */ #ifdef GL_EXT_external_buffer static GLboolean _glewInit_GL_EXT_external_buffer () { GLboolean r = GL_FALSE; r = ((glBufferStorageExternalEXT = (PFNGLBUFFERSTORAGEEXTERNALEXTPROC)glewGetProcAddress((const GLubyte*)"glBufferStorageExternalEXT")) == NULL) || r; r = ((glNamedBufferStorageExternalEXT = (PFNGLNAMEDBUFFERSTORAGEEXTERNALEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferStorageExternalEXT")) == NULL) || r; return r; } #endif /* GL_EXT_external_buffer */ #ifdef GL_EXT_fog_coord static GLboolean _glewInit_GL_EXT_fog_coord () { GLboolean r = GL_FALSE; r = ((glFogCoordPointerEXT = (PFNGLFOGCOORDPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glFogCoordPointerEXT")) == NULL) || r; r = ((glFogCoorddEXT = (PFNGLFOGCOORDDEXTPROC)glewGetProcAddress((const GLubyte*)"glFogCoorddEXT")) == NULL) || r; r = ((glFogCoorddvEXT = (PFNGLFOGCOORDDVEXTPROC)glewGetProcAddress((const GLubyte*)"glFogCoorddvEXT")) == NULL) || r; r = ((glFogCoordfEXT = (PFNGLFOGCOORDFEXTPROC)glewGetProcAddress((const GLubyte*)"glFogCoordfEXT")) == NULL) || r; r = ((glFogCoordfvEXT = (PFNGLFOGCOORDFVEXTPROC)glewGetProcAddress((const GLubyte*)"glFogCoordfvEXT")) == NULL) || r; return r; } #endif /* GL_EXT_fog_coord */ #ifdef GL_EXT_fragment_lighting static GLboolean _glewInit_GL_EXT_fragment_lighting () { GLboolean r = GL_FALSE; r = ((glFragmentColorMaterialEXT = (PFNGLFRAGMENTCOLORMATERIALEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentColorMaterialEXT")) == NULL) || r; r = ((glFragmentLightModelfEXT = (PFNGLFRAGMENTLIGHTMODELFEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModelfEXT")) == NULL) || r; r = ((glFragmentLightModelfvEXT = (PFNGLFRAGMENTLIGHTMODELFVEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModelfvEXT")) == NULL) || r; r = ((glFragmentLightModeliEXT = (PFNGLFRAGMENTLIGHTMODELIEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModeliEXT")) == NULL) || r; r = ((glFragmentLightModelivEXT = (PFNGLFRAGMENTLIGHTMODELIVEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModelivEXT")) == NULL) || r; r = ((glFragmentLightfEXT = (PFNGLFRAGMENTLIGHTFEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightfEXT")) == NULL) || r; r = ((glFragmentLightfvEXT = (PFNGLFRAGMENTLIGHTFVEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightfvEXT")) == NULL) || r; r = ((glFragmentLightiEXT = (PFNGLFRAGMENTLIGHTIEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightiEXT")) == NULL) || r; r = ((glFragmentLightivEXT = (PFNGLFRAGMENTLIGHTIVEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightivEXT")) == NULL) || r; r = ((glFragmentMaterialfEXT = (PFNGLFRAGMENTMATERIALFEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialfEXT")) == NULL) || r; r = ((glFragmentMaterialfvEXT = (PFNGLFRAGMENTMATERIALFVEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialfvEXT")) == NULL) || r; r = ((glFragmentMaterialiEXT = (PFNGLFRAGMENTMATERIALIEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialiEXT")) == NULL) || r; r = ((glFragmentMaterialivEXT = (PFNGLFRAGMENTMATERIALIVEXTPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialivEXT")) == NULL) || r; r = ((glGetFragmentLightfvEXT = (PFNGLGETFRAGMENTLIGHTFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentLightfvEXT")) == NULL) || r; r = ((glGetFragmentLightivEXT = (PFNGLGETFRAGMENTLIGHTIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentLightivEXT")) == NULL) || r; r = ((glGetFragmentMaterialfvEXT = (PFNGLGETFRAGMENTMATERIALFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentMaterialfvEXT")) == NULL) || r; r = ((glGetFragmentMaterialivEXT = (PFNGLGETFRAGMENTMATERIALIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentMaterialivEXT")) == NULL) || r; r = ((glLightEnviEXT = (PFNGLLIGHTENVIEXTPROC)glewGetProcAddress((const GLubyte*)"glLightEnviEXT")) == NULL) || r; return r; } #endif /* GL_EXT_fragment_lighting */ #ifdef GL_EXT_framebuffer_blit static GLboolean _glewInit_GL_EXT_framebuffer_blit () { GLboolean r = GL_FALSE; r = ((glBlitFramebufferEXT = (PFNGLBLITFRAMEBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glBlitFramebufferEXT")) == NULL) || r; return r; } #endif /* GL_EXT_framebuffer_blit */ #ifdef GL_EXT_framebuffer_multisample static GLboolean _glewInit_GL_EXT_framebuffer_multisample () { GLboolean r = GL_FALSE; r = ((glRenderbufferStorageMultisampleEXT = (PFNGLRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageMultisampleEXT")) == NULL) || r; return r; } #endif /* GL_EXT_framebuffer_multisample */ #ifdef GL_EXT_framebuffer_object static GLboolean _glewInit_GL_EXT_framebuffer_object () { GLboolean r = GL_FALSE; r = ((glBindFramebufferEXT = (PFNGLBINDFRAMEBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindFramebufferEXT")) == NULL) || r; r = ((glBindRenderbufferEXT = (PFNGLBINDRENDERBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindRenderbufferEXT")) == NULL) || r; r = ((glCheckFramebufferStatusEXT = (PFNGLCHECKFRAMEBUFFERSTATUSEXTPROC)glewGetProcAddress((const GLubyte*)"glCheckFramebufferStatusEXT")) == NULL) || r; r = ((glDeleteFramebuffersEXT = (PFNGLDELETEFRAMEBUFFERSEXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteFramebuffersEXT")) == NULL) || r; r = ((glDeleteRenderbuffersEXT = (PFNGLDELETERENDERBUFFERSEXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteRenderbuffersEXT")) == NULL) || r; r = ((glFramebufferRenderbufferEXT = (PFNGLFRAMEBUFFERRENDERBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferRenderbufferEXT")) == NULL) || r; r = ((glFramebufferTexture1DEXT = (PFNGLFRAMEBUFFERTEXTURE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture1DEXT")) == NULL) || r; r = ((glFramebufferTexture2DEXT = (PFNGLFRAMEBUFFERTEXTURE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture2DEXT")) == NULL) || r; r = ((glFramebufferTexture3DEXT = (PFNGLFRAMEBUFFERTEXTURE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture3DEXT")) == NULL) || r; r = ((glGenFramebuffersEXT = (PFNGLGENFRAMEBUFFERSEXTPROC)glewGetProcAddress((const GLubyte*)"glGenFramebuffersEXT")) == NULL) || r; r = ((glGenRenderbuffersEXT = (PFNGLGENRENDERBUFFERSEXTPROC)glewGetProcAddress((const GLubyte*)"glGenRenderbuffersEXT")) == NULL) || r; r = ((glGenerateMipmapEXT = (PFNGLGENERATEMIPMAPEXTPROC)glewGetProcAddress((const GLubyte*)"glGenerateMipmapEXT")) == NULL) || r; r = ((glGetFramebufferAttachmentParameterivEXT = (PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFramebufferAttachmentParameterivEXT")) == NULL) || r; r = ((glGetRenderbufferParameterivEXT = (PFNGLGETRENDERBUFFERPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetRenderbufferParameterivEXT")) == NULL) || r; r = ((glIsFramebufferEXT = (PFNGLISFRAMEBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glIsFramebufferEXT")) == NULL) || r; r = ((glIsRenderbufferEXT = (PFNGLISRENDERBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glIsRenderbufferEXT")) == NULL) || r; r = ((glRenderbufferStorageEXT = (PFNGLRENDERBUFFERSTORAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageEXT")) == NULL) || r; return r; } #endif /* GL_EXT_framebuffer_object */ #ifdef GL_EXT_geometry_shader4 static GLboolean _glewInit_GL_EXT_geometry_shader4 () { GLboolean r = GL_FALSE; r = ((glFramebufferTextureEXT = (PFNGLFRAMEBUFFERTEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureEXT")) == NULL) || r; r = ((glFramebufferTextureFaceEXT = (PFNGLFRAMEBUFFERTEXTUREFACEEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureFaceEXT")) == NULL) || r; r = ((glProgramParameteriEXT = (PFNGLPROGRAMPARAMETERIEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramParameteriEXT")) == NULL) || r; return r; } #endif /* GL_EXT_geometry_shader4 */ #ifdef GL_EXT_gpu_program_parameters static GLboolean _glewInit_GL_EXT_gpu_program_parameters () { GLboolean r = GL_FALSE; r = ((glProgramEnvParameters4fvEXT = (PFNGLPROGRAMENVPARAMETERS4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameters4fvEXT")) == NULL) || r; r = ((glProgramLocalParameters4fvEXT = (PFNGLPROGRAMLOCALPARAMETERS4FVEXTPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameters4fvEXT")) == NULL) || r; return r; } #endif /* GL_EXT_gpu_program_parameters */ #ifdef GL_EXT_gpu_shader4 static GLboolean _glewInit_GL_EXT_gpu_shader4 () { GLboolean r = GL_FALSE; r = ((glBindFragDataLocationEXT = (PFNGLBINDFRAGDATALOCATIONEXTPROC)glewGetProcAddress((const GLubyte*)"glBindFragDataLocationEXT")) == NULL) || r; r = ((glGetFragDataLocationEXT = (PFNGLGETFRAGDATALOCATIONEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFragDataLocationEXT")) == NULL) || r; r = ((glGetUniformuivEXT = (PFNGLGETUNIFORMUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetUniformuivEXT")) == NULL) || r; r = ((glGetVertexAttribIivEXT = (PFNGLGETVERTEXATTRIBIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribIivEXT")) == NULL) || r; r = ((glGetVertexAttribIuivEXT = (PFNGLGETVERTEXATTRIBIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribIuivEXT")) == NULL) || r; r = ((glUniform1uiEXT = (PFNGLUNIFORM1UIEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform1uiEXT")) == NULL) || r; r = ((glUniform1uivEXT = (PFNGLUNIFORM1UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform1uivEXT")) == NULL) || r; r = ((glUniform2uiEXT = (PFNGLUNIFORM2UIEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform2uiEXT")) == NULL) || r; r = ((glUniform2uivEXT = (PFNGLUNIFORM2UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform2uivEXT")) == NULL) || r; r = ((glUniform3uiEXT = (PFNGLUNIFORM3UIEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform3uiEXT")) == NULL) || r; r = ((glUniform3uivEXT = (PFNGLUNIFORM3UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform3uivEXT")) == NULL) || r; r = ((glUniform4uiEXT = (PFNGLUNIFORM4UIEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform4uiEXT")) == NULL) || r; r = ((glUniform4uivEXT = (PFNGLUNIFORM4UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glUniform4uivEXT")) == NULL) || r; r = ((glVertexAttribI1iEXT = (PFNGLVERTEXATTRIBI1IEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1iEXT")) == NULL) || r; r = ((glVertexAttribI1ivEXT = (PFNGLVERTEXATTRIBI1IVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1ivEXT")) == NULL) || r; r = ((glVertexAttribI1uiEXT = (PFNGLVERTEXATTRIBI1UIEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1uiEXT")) == NULL) || r; r = ((glVertexAttribI1uivEXT = (PFNGLVERTEXATTRIBI1UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI1uivEXT")) == NULL) || r; r = ((glVertexAttribI2iEXT = (PFNGLVERTEXATTRIBI2IEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2iEXT")) == NULL) || r; r = ((glVertexAttribI2ivEXT = (PFNGLVERTEXATTRIBI2IVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2ivEXT")) == NULL) || r; r = ((glVertexAttribI2uiEXT = (PFNGLVERTEXATTRIBI2UIEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2uiEXT")) == NULL) || r; r = ((glVertexAttribI2uivEXT = (PFNGLVERTEXATTRIBI2UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI2uivEXT")) == NULL) || r; r = ((glVertexAttribI3iEXT = (PFNGLVERTEXATTRIBI3IEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3iEXT")) == NULL) || r; r = ((glVertexAttribI3ivEXT = (PFNGLVERTEXATTRIBI3IVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3ivEXT")) == NULL) || r; r = ((glVertexAttribI3uiEXT = (PFNGLVERTEXATTRIBI3UIEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3uiEXT")) == NULL) || r; r = ((glVertexAttribI3uivEXT = (PFNGLVERTEXATTRIBI3UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI3uivEXT")) == NULL) || r; r = ((glVertexAttribI4bvEXT = (PFNGLVERTEXATTRIBI4BVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4bvEXT")) == NULL) || r; r = ((glVertexAttribI4iEXT = (PFNGLVERTEXATTRIBI4IEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4iEXT")) == NULL) || r; r = ((glVertexAttribI4ivEXT = (PFNGLVERTEXATTRIBI4IVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4ivEXT")) == NULL) || r; r = ((glVertexAttribI4svEXT = (PFNGLVERTEXATTRIBI4SVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4svEXT")) == NULL) || r; r = ((glVertexAttribI4ubvEXT = (PFNGLVERTEXATTRIBI4UBVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4ubvEXT")) == NULL) || r; r = ((glVertexAttribI4uiEXT = (PFNGLVERTEXATTRIBI4UIEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4uiEXT")) == NULL) || r; r = ((glVertexAttribI4uivEXT = (PFNGLVERTEXATTRIBI4UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4uivEXT")) == NULL) || r; r = ((glVertexAttribI4usvEXT = (PFNGLVERTEXATTRIBI4USVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribI4usvEXT")) == NULL) || r; r = ((glVertexAttribIPointerEXT = (PFNGLVERTEXATTRIBIPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribIPointerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_gpu_shader4 */ #ifdef GL_EXT_histogram static GLboolean _glewInit_GL_EXT_histogram () { GLboolean r = GL_FALSE; r = ((glGetHistogramEXT = (PFNGLGETHISTOGRAMEXTPROC)glewGetProcAddress((const GLubyte*)"glGetHistogramEXT")) == NULL) || r; r = ((glGetHistogramParameterfvEXT = (PFNGLGETHISTOGRAMPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetHistogramParameterfvEXT")) == NULL) || r; r = ((glGetHistogramParameterivEXT = (PFNGLGETHISTOGRAMPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetHistogramParameterivEXT")) == NULL) || r; r = ((glGetMinmaxEXT = (PFNGLGETMINMAXEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMinmaxEXT")) == NULL) || r; r = ((glGetMinmaxParameterfvEXT = (PFNGLGETMINMAXPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMinmaxParameterfvEXT")) == NULL) || r; r = ((glGetMinmaxParameterivEXT = (PFNGLGETMINMAXPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMinmaxParameterivEXT")) == NULL) || r; r = ((glHistogramEXT = (PFNGLHISTOGRAMEXTPROC)glewGetProcAddress((const GLubyte*)"glHistogramEXT")) == NULL) || r; r = ((glMinmaxEXT = (PFNGLMINMAXEXTPROC)glewGetProcAddress((const GLubyte*)"glMinmaxEXT")) == NULL) || r; r = ((glResetHistogramEXT = (PFNGLRESETHISTOGRAMEXTPROC)glewGetProcAddress((const GLubyte*)"glResetHistogramEXT")) == NULL) || r; r = ((glResetMinmaxEXT = (PFNGLRESETMINMAXEXTPROC)glewGetProcAddress((const GLubyte*)"glResetMinmaxEXT")) == NULL) || r; return r; } #endif /* GL_EXT_histogram */ #ifdef GL_EXT_index_func static GLboolean _glewInit_GL_EXT_index_func () { GLboolean r = GL_FALSE; r = ((glIndexFuncEXT = (PFNGLINDEXFUNCEXTPROC)glewGetProcAddress((const GLubyte*)"glIndexFuncEXT")) == NULL) || r; return r; } #endif /* GL_EXT_index_func */ #ifdef GL_EXT_index_material static GLboolean _glewInit_GL_EXT_index_material () { GLboolean r = GL_FALSE; r = ((glIndexMaterialEXT = (PFNGLINDEXMATERIALEXTPROC)glewGetProcAddress((const GLubyte*)"glIndexMaterialEXT")) == NULL) || r; return r; } #endif /* GL_EXT_index_material */ #ifdef GL_EXT_instanced_arrays static GLboolean _glewInit_GL_EXT_instanced_arrays () { GLboolean r = GL_FALSE; r = ((glVertexAttribDivisorEXT = (PFNGLVERTEXATTRIBDIVISOREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribDivisorEXT")) == NULL) || r; return r; } #endif /* GL_EXT_instanced_arrays */ #ifdef GL_EXT_light_texture static GLboolean _glewInit_GL_EXT_light_texture () { GLboolean r = GL_FALSE; r = ((glApplyTextureEXT = (PFNGLAPPLYTEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glApplyTextureEXT")) == NULL) || r; r = ((glTextureLightEXT = (PFNGLTEXTURELIGHTEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureLightEXT")) == NULL) || r; r = ((glTextureMaterialEXT = (PFNGLTEXTUREMATERIALEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureMaterialEXT")) == NULL) || r; return r; } #endif /* GL_EXT_light_texture */ #ifdef GL_EXT_map_buffer_range static GLboolean _glewInit_GL_EXT_map_buffer_range () { GLboolean r = GL_FALSE; r = ((glFlushMappedBufferRangeEXT = (PFNGLFLUSHMAPPEDBUFFERRANGEEXTPROC)glewGetProcAddress((const GLubyte*)"glFlushMappedBufferRangeEXT")) == NULL) || r; r = ((glMapBufferRangeEXT = (PFNGLMAPBUFFERRANGEEXTPROC)glewGetProcAddress((const GLubyte*)"glMapBufferRangeEXT")) == NULL) || r; return r; } #endif /* GL_EXT_map_buffer_range */ #ifdef GL_EXT_memory_object static GLboolean _glewInit_GL_EXT_memory_object () { GLboolean r = GL_FALSE; r = ((glBufferStorageMemEXT = (PFNGLBUFFERSTORAGEMEMEXTPROC)glewGetProcAddress((const GLubyte*)"glBufferStorageMemEXT")) == NULL) || r; r = ((glCreateMemoryObjectsEXT = (PFNGLCREATEMEMORYOBJECTSEXTPROC)glewGetProcAddress((const GLubyte*)"glCreateMemoryObjectsEXT")) == NULL) || r; r = ((glDeleteMemoryObjectsEXT = (PFNGLDELETEMEMORYOBJECTSEXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteMemoryObjectsEXT")) == NULL) || r; r = ((glGetMemoryObjectParameterivEXT = (PFNGLGETMEMORYOBJECTPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetMemoryObjectParameterivEXT")) == NULL) || r; r = ((glGetUnsignedBytei_vEXT = (PFNGLGETUNSIGNEDBYTEI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetUnsignedBytei_vEXT")) == NULL) || r; r = ((glGetUnsignedBytevEXT = (PFNGLGETUNSIGNEDBYTEVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetUnsignedBytevEXT")) == NULL) || r; r = ((glIsMemoryObjectEXT = (PFNGLISMEMORYOBJECTEXTPROC)glewGetProcAddress((const GLubyte*)"glIsMemoryObjectEXT")) == NULL) || r; r = ((glMemoryObjectParameterivEXT = (PFNGLMEMORYOBJECTPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glMemoryObjectParameterivEXT")) == NULL) || r; r = ((glNamedBufferStorageMemEXT = (PFNGLNAMEDBUFFERSTORAGEMEMEXTPROC)glewGetProcAddress((const GLubyte*)"glNamedBufferStorageMemEXT")) == NULL) || r; r = ((glTexStorageMem1DEXT = (PFNGLTEXSTORAGEMEM1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorageMem1DEXT")) == NULL) || r; r = ((glTexStorageMem2DEXT = (PFNGLTEXSTORAGEMEM2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorageMem2DEXT")) == NULL) || r; r = ((glTexStorageMem2DMultisampleEXT = (PFNGLTEXSTORAGEMEM2DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorageMem2DMultisampleEXT")) == NULL) || r; r = ((glTexStorageMem3DEXT = (PFNGLTEXSTORAGEMEM3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorageMem3DEXT")) == NULL) || r; r = ((glTexStorageMem3DMultisampleEXT = (PFNGLTEXSTORAGEMEM3DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorageMem3DMultisampleEXT")) == NULL) || r; r = ((glTextureStorageMem1DEXT = (PFNGLTEXTURESTORAGEMEM1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorageMem1DEXT")) == NULL) || r; r = ((glTextureStorageMem2DEXT = (PFNGLTEXTURESTORAGEMEM2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorageMem2DEXT")) == NULL) || r; r = ((glTextureStorageMem2DMultisampleEXT = (PFNGLTEXTURESTORAGEMEM2DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorageMem2DMultisampleEXT")) == NULL) || r; r = ((glTextureStorageMem3DEXT = (PFNGLTEXTURESTORAGEMEM3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorageMem3DEXT")) == NULL) || r; r = ((glTextureStorageMem3DMultisampleEXT = (PFNGLTEXTURESTORAGEMEM3DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorageMem3DMultisampleEXT")) == NULL) || r; return r; } #endif /* GL_EXT_memory_object */ #ifdef GL_EXT_memory_object_fd static GLboolean _glewInit_GL_EXT_memory_object_fd () { GLboolean r = GL_FALSE; r = ((glImportMemoryFdEXT = (PFNGLIMPORTMEMORYFDEXTPROC)glewGetProcAddress((const GLubyte*)"glImportMemoryFdEXT")) == NULL) || r; return r; } #endif /* GL_EXT_memory_object_fd */ #ifdef GL_EXT_memory_object_win32 static GLboolean _glewInit_GL_EXT_memory_object_win32 () { GLboolean r = GL_FALSE; r = ((glImportMemoryWin32HandleEXT = (PFNGLIMPORTMEMORYWIN32HANDLEEXTPROC)glewGetProcAddress((const GLubyte*)"glImportMemoryWin32HandleEXT")) == NULL) || r; r = ((glImportMemoryWin32NameEXT = (PFNGLIMPORTMEMORYWIN32NAMEEXTPROC)glewGetProcAddress((const GLubyte*)"glImportMemoryWin32NameEXT")) == NULL) || r; return r; } #endif /* GL_EXT_memory_object_win32 */ #ifdef GL_EXT_multi_draw_arrays static GLboolean _glewInit_GL_EXT_multi_draw_arrays () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysEXT = (PFNGLMULTIDRAWARRAYSEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysEXT")) == NULL) || r; r = ((glMultiDrawElementsEXT = (PFNGLMULTIDRAWELEMENTSEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsEXT")) == NULL) || r; return r; } #endif /* GL_EXT_multi_draw_arrays */ #ifdef GL_EXT_multi_draw_indirect static GLboolean _glewInit_GL_EXT_multi_draw_indirect () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirectEXT = (PFNGLMULTIDRAWARRAYSINDIRECTEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirectEXT")) == NULL) || r; r = ((glMultiDrawElementsIndirectEXT = (PFNGLMULTIDRAWELEMENTSINDIRECTEXTPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirectEXT")) == NULL) || r; return r; } #endif /* GL_EXT_multi_draw_indirect */ #ifdef GL_EXT_multisample static GLboolean _glewInit_GL_EXT_multisample () { GLboolean r = GL_FALSE; r = ((glSampleMaskEXT = (PFNGLSAMPLEMASKEXTPROC)glewGetProcAddress((const GLubyte*)"glSampleMaskEXT")) == NULL) || r; r = ((glSamplePatternEXT = (PFNGLSAMPLEPATTERNEXTPROC)glewGetProcAddress((const GLubyte*)"glSamplePatternEXT")) == NULL) || r; return r; } #endif /* GL_EXT_multisample */ #ifdef GL_EXT_multisampled_render_to_texture static GLboolean _glewInit_GL_EXT_multisampled_render_to_texture () { GLboolean r = GL_FALSE; r = ((glFramebufferTexture2DMultisampleEXT = (PFNGLFRAMEBUFFERTEXTURE2DMULTISAMPLEEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTexture2DMultisampleEXT")) == NULL) || r; return r; } #endif /* GL_EXT_multisampled_render_to_texture */ #ifdef GL_EXT_multiview_draw_buffers static GLboolean _glewInit_GL_EXT_multiview_draw_buffers () { GLboolean r = GL_FALSE; r = ((glDrawBuffersIndexedEXT = (PFNGLDRAWBUFFERSINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawBuffersIndexedEXT")) == NULL) || r; r = ((glGetIntegeri_vEXT = (PFNGLGETINTEGERI_VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetIntegeri_vEXT")) == NULL) || r; r = ((glReadBufferIndexedEXT = (PFNGLREADBUFFERINDEXEDEXTPROC)glewGetProcAddress((const GLubyte*)"glReadBufferIndexedEXT")) == NULL) || r; return r; } #endif /* GL_EXT_multiview_draw_buffers */ #ifdef GL_EXT_paletted_texture static GLboolean _glewInit_GL_EXT_paletted_texture () { GLboolean r = GL_FALSE; r = ((glColorTableEXT = (PFNGLCOLORTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"glColorTableEXT")) == NULL) || r; r = ((glGetColorTableEXT = (PFNGLGETCOLORTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableEXT")) == NULL) || r; r = ((glGetColorTableParameterfvEXT = (PFNGLGETCOLORTABLEPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableParameterfvEXT")) == NULL) || r; r = ((glGetColorTableParameterivEXT = (PFNGLGETCOLORTABLEPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableParameterivEXT")) == NULL) || r; return r; } #endif /* GL_EXT_paletted_texture */ #ifdef GL_EXT_pixel_transform static GLboolean _glewInit_GL_EXT_pixel_transform () { GLboolean r = GL_FALSE; r = ((glGetPixelTransformParameterfvEXT = (PFNGLGETPIXELTRANSFORMPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetPixelTransformParameterfvEXT")) == NULL) || r; r = ((glGetPixelTransformParameterivEXT = (PFNGLGETPIXELTRANSFORMPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetPixelTransformParameterivEXT")) == NULL) || r; r = ((glPixelTransformParameterfEXT = (PFNGLPIXELTRANSFORMPARAMETERFEXTPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameterfEXT")) == NULL) || r; r = ((glPixelTransformParameterfvEXT = (PFNGLPIXELTRANSFORMPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameterfvEXT")) == NULL) || r; r = ((glPixelTransformParameteriEXT = (PFNGLPIXELTRANSFORMPARAMETERIEXTPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameteriEXT")) == NULL) || r; r = ((glPixelTransformParameterivEXT = (PFNGLPIXELTRANSFORMPARAMETERIVEXTPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameterivEXT")) == NULL) || r; return r; } #endif /* GL_EXT_pixel_transform */ #ifdef GL_EXT_point_parameters static GLboolean _glewInit_GL_EXT_point_parameters () { GLboolean r = GL_FALSE; r = ((glPointParameterfEXT = (PFNGLPOINTPARAMETERFEXTPROC)glewGetProcAddress((const GLubyte*)"glPointParameterfEXT")) == NULL) || r; r = ((glPointParameterfvEXT = (PFNGLPOINTPARAMETERFVEXTPROC)glewGetProcAddress((const GLubyte*)"glPointParameterfvEXT")) == NULL) || r; return r; } #endif /* GL_EXT_point_parameters */ #ifdef GL_EXT_polygon_offset static GLboolean _glewInit_GL_EXT_polygon_offset () { GLboolean r = GL_FALSE; r = ((glPolygonOffsetEXT = (PFNGLPOLYGONOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glPolygonOffsetEXT")) == NULL) || r; return r; } #endif /* GL_EXT_polygon_offset */ #ifdef GL_EXT_polygon_offset_clamp static GLboolean _glewInit_GL_EXT_polygon_offset_clamp () { GLboolean r = GL_FALSE; r = ((glPolygonOffsetClampEXT = (PFNGLPOLYGONOFFSETCLAMPEXTPROC)glewGetProcAddress((const GLubyte*)"glPolygonOffsetClampEXT")) == NULL) || r; return r; } #endif /* GL_EXT_polygon_offset_clamp */ #ifdef GL_EXT_provoking_vertex static GLboolean _glewInit_GL_EXT_provoking_vertex () { GLboolean r = GL_FALSE; r = ((glProvokingVertexEXT = (PFNGLPROVOKINGVERTEXEXTPROC)glewGetProcAddress((const GLubyte*)"glProvokingVertexEXT")) == NULL) || r; return r; } #endif /* GL_EXT_provoking_vertex */ #ifdef GL_EXT_raster_multisample static GLboolean _glewInit_GL_EXT_raster_multisample () { GLboolean r = GL_FALSE; r = ((glCoverageModulationNV = (PFNGLCOVERAGEMODULATIONNVPROC)glewGetProcAddress((const GLubyte*)"glCoverageModulationNV")) == NULL) || r; r = ((glCoverageModulationTableNV = (PFNGLCOVERAGEMODULATIONTABLENVPROC)glewGetProcAddress((const GLubyte*)"glCoverageModulationTableNV")) == NULL) || r; r = ((glGetCoverageModulationTableNV = (PFNGLGETCOVERAGEMODULATIONTABLENVPROC)glewGetProcAddress((const GLubyte*)"glGetCoverageModulationTableNV")) == NULL) || r; r = ((glRasterSamplesEXT = (PFNGLRASTERSAMPLESEXTPROC)glewGetProcAddress((const GLubyte*)"glRasterSamplesEXT")) == NULL) || r; return r; } #endif /* GL_EXT_raster_multisample */ #ifdef GL_EXT_scene_marker static GLboolean _glewInit_GL_EXT_scene_marker () { GLboolean r = GL_FALSE; r = ((glBeginSceneEXT = (PFNGLBEGINSCENEEXTPROC)glewGetProcAddress((const GLubyte*)"glBeginSceneEXT")) == NULL) || r; r = ((glEndSceneEXT = (PFNGLENDSCENEEXTPROC)glewGetProcAddress((const GLubyte*)"glEndSceneEXT")) == NULL) || r; return r; } #endif /* GL_EXT_scene_marker */ #ifdef GL_EXT_secondary_color static GLboolean _glewInit_GL_EXT_secondary_color () { GLboolean r = GL_FALSE; r = ((glSecondaryColor3bEXT = (PFNGLSECONDARYCOLOR3BEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3bEXT")) == NULL) || r; r = ((glSecondaryColor3bvEXT = (PFNGLSECONDARYCOLOR3BVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3bvEXT")) == NULL) || r; r = ((glSecondaryColor3dEXT = (PFNGLSECONDARYCOLOR3DEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3dEXT")) == NULL) || r; r = ((glSecondaryColor3dvEXT = (PFNGLSECONDARYCOLOR3DVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3dvEXT")) == NULL) || r; r = ((glSecondaryColor3fEXT = (PFNGLSECONDARYCOLOR3FEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3fEXT")) == NULL) || r; r = ((glSecondaryColor3fvEXT = (PFNGLSECONDARYCOLOR3FVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3fvEXT")) == NULL) || r; r = ((glSecondaryColor3iEXT = (PFNGLSECONDARYCOLOR3IEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3iEXT")) == NULL) || r; r = ((glSecondaryColor3ivEXT = (PFNGLSECONDARYCOLOR3IVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3ivEXT")) == NULL) || r; r = ((glSecondaryColor3sEXT = (PFNGLSECONDARYCOLOR3SEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3sEXT")) == NULL) || r; r = ((glSecondaryColor3svEXT = (PFNGLSECONDARYCOLOR3SVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3svEXT")) == NULL) || r; r = ((glSecondaryColor3ubEXT = (PFNGLSECONDARYCOLOR3UBEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3ubEXT")) == NULL) || r; r = ((glSecondaryColor3ubvEXT = (PFNGLSECONDARYCOLOR3UBVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3ubvEXT")) == NULL) || r; r = ((glSecondaryColor3uiEXT = (PFNGLSECONDARYCOLOR3UIEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3uiEXT")) == NULL) || r; r = ((glSecondaryColor3uivEXT = (PFNGLSECONDARYCOLOR3UIVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3uivEXT")) == NULL) || r; r = ((glSecondaryColor3usEXT = (PFNGLSECONDARYCOLOR3USEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3usEXT")) == NULL) || r; r = ((glSecondaryColor3usvEXT = (PFNGLSECONDARYCOLOR3USVEXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3usvEXT")) == NULL) || r; r = ((glSecondaryColorPointerEXT = (PFNGLSECONDARYCOLORPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColorPointerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_secondary_color */ #ifdef GL_EXT_semaphore static GLboolean _glewInit_GL_EXT_semaphore () { GLboolean r = GL_FALSE; r = ((glDeleteSemaphoresEXT = (PFNGLDELETESEMAPHORESEXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteSemaphoresEXT")) == NULL) || r; r = ((glGenSemaphoresEXT = (PFNGLGENSEMAPHORESEXTPROC)glewGetProcAddress((const GLubyte*)"glGenSemaphoresEXT")) == NULL) || r; r = ((glGetSemaphoreParameterui64vEXT = (PFNGLGETSEMAPHOREPARAMETERUI64VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetSemaphoreParameterui64vEXT")) == NULL) || r; r = ((glIsSemaphoreEXT = (PFNGLISSEMAPHOREEXTPROC)glewGetProcAddress((const GLubyte*)"glIsSemaphoreEXT")) == NULL) || r; r = ((glSemaphoreParameterui64vEXT = (PFNGLSEMAPHOREPARAMETERUI64VEXTPROC)glewGetProcAddress((const GLubyte*)"glSemaphoreParameterui64vEXT")) == NULL) || r; r = ((glSignalSemaphoreEXT = (PFNGLSIGNALSEMAPHOREEXTPROC)glewGetProcAddress((const GLubyte*)"glSignalSemaphoreEXT")) == NULL) || r; r = ((glWaitSemaphoreEXT = (PFNGLWAITSEMAPHOREEXTPROC)glewGetProcAddress((const GLubyte*)"glWaitSemaphoreEXT")) == NULL) || r; return r; } #endif /* GL_EXT_semaphore */ #ifdef GL_EXT_semaphore_fd static GLboolean _glewInit_GL_EXT_semaphore_fd () { GLboolean r = GL_FALSE; r = ((glImportSemaphoreFdEXT = (PFNGLIMPORTSEMAPHOREFDEXTPROC)glewGetProcAddress((const GLubyte*)"glImportSemaphoreFdEXT")) == NULL) || r; return r; } #endif /* GL_EXT_semaphore_fd */ #ifdef GL_EXT_semaphore_win32 static GLboolean _glewInit_GL_EXT_semaphore_win32 () { GLboolean r = GL_FALSE; r = ((glImportSemaphoreWin32HandleEXT = (PFNGLIMPORTSEMAPHOREWIN32HANDLEEXTPROC)glewGetProcAddress((const GLubyte*)"glImportSemaphoreWin32HandleEXT")) == NULL) || r; r = ((glImportSemaphoreWin32NameEXT = (PFNGLIMPORTSEMAPHOREWIN32NAMEEXTPROC)glewGetProcAddress((const GLubyte*)"glImportSemaphoreWin32NameEXT")) == NULL) || r; return r; } #endif /* GL_EXT_semaphore_win32 */ #ifdef GL_EXT_separate_shader_objects static GLboolean _glewInit_GL_EXT_separate_shader_objects () { GLboolean r = GL_FALSE; r = ((glActiveProgramEXT = (PFNGLACTIVEPROGRAMEXTPROC)glewGetProcAddress((const GLubyte*)"glActiveProgramEXT")) == NULL) || r; r = ((glCreateShaderProgramEXT = (PFNGLCREATESHADERPROGRAMEXTPROC)glewGetProcAddress((const GLubyte*)"glCreateShaderProgramEXT")) == NULL) || r; r = ((glUseShaderProgramEXT = (PFNGLUSESHADERPROGRAMEXTPROC)glewGetProcAddress((const GLubyte*)"glUseShaderProgramEXT")) == NULL) || r; return r; } #endif /* GL_EXT_separate_shader_objects */ #ifdef GL_EXT_shader_image_load_store static GLboolean _glewInit_GL_EXT_shader_image_load_store () { GLboolean r = GL_FALSE; r = ((glBindImageTextureEXT = (PFNGLBINDIMAGETEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glBindImageTextureEXT")) == NULL) || r; r = ((glMemoryBarrierEXT = (PFNGLMEMORYBARRIEREXTPROC)glewGetProcAddress((const GLubyte*)"glMemoryBarrierEXT")) == NULL) || r; return r; } #endif /* GL_EXT_shader_image_load_store */ #ifdef GL_EXT_shader_pixel_local_storage2 static GLboolean _glewInit_GL_EXT_shader_pixel_local_storage2 () { GLboolean r = GL_FALSE; r = ((glClearPixelLocalStorageuiEXT = (PFNGLCLEARPIXELLOCALSTORAGEUIEXTPROC)glewGetProcAddress((const GLubyte*)"glClearPixelLocalStorageuiEXT")) == NULL) || r; r = ((glFramebufferPixelLocalStorageSizeEXT = (PFNGLFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferPixelLocalStorageSizeEXT")) == NULL) || r; r = ((glGetFramebufferPixelLocalStorageSizeEXT = (PFNGLGETFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC)glewGetProcAddress((const GLubyte*)"glGetFramebufferPixelLocalStorageSizeEXT")) == NULL) || r; return r; } #endif /* GL_EXT_shader_pixel_local_storage2 */ #ifdef GL_EXT_sparse_texture static GLboolean _glewInit_GL_EXT_sparse_texture () { GLboolean r = GL_FALSE; r = ((glTexPageCommitmentEXT = (PFNGLTEXPAGECOMMITMENTEXTPROC)glewGetProcAddress((const GLubyte*)"glTexPageCommitmentEXT")) == NULL) || r; r = ((glTexturePageCommitmentEXT = (PFNGLTEXTUREPAGECOMMITMENTEXTPROC)glewGetProcAddress((const GLubyte*)"glTexturePageCommitmentEXT")) == NULL) || r; return r; } #endif /* GL_EXT_sparse_texture */ #ifdef GL_EXT_stencil_two_side static GLboolean _glewInit_GL_EXT_stencil_two_side () { GLboolean r = GL_FALSE; r = ((glActiveStencilFaceEXT = (PFNGLACTIVESTENCILFACEEXTPROC)glewGetProcAddress((const GLubyte*)"glActiveStencilFaceEXT")) == NULL) || r; return r; } #endif /* GL_EXT_stencil_two_side */ #ifdef GL_EXT_subtexture static GLboolean _glewInit_GL_EXT_subtexture () { GLboolean r = GL_FALSE; r = ((glTexSubImage1DEXT = (PFNGLTEXSUBIMAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexSubImage1DEXT")) == NULL) || r; r = ((glTexSubImage2DEXT = (PFNGLTEXSUBIMAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexSubImage2DEXT")) == NULL) || r; r = ((glTexSubImage3DEXT = (PFNGLTEXSUBIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexSubImage3DEXT")) == NULL) || r; return r; } #endif /* GL_EXT_subtexture */ #ifdef GL_EXT_texture3D static GLboolean _glewInit_GL_EXT_texture3D () { GLboolean r = GL_FALSE; r = ((glTexImage3DEXT = (PFNGLTEXIMAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexImage3DEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture3D */ #ifdef GL_EXT_texture_array static GLboolean _glewInit_GL_EXT_texture_array () { GLboolean r = GL_FALSE; r = ((glFramebufferTextureLayerEXT = (PFNGLFRAMEBUFFERTEXTURELAYEREXTPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureLayerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_array */ #ifdef GL_EXT_texture_buffer_object static GLboolean _glewInit_GL_EXT_texture_buffer_object () { GLboolean r = GL_FALSE; r = ((glTexBufferEXT = (PFNGLTEXBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"glTexBufferEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_buffer_object */ #ifdef GL_EXT_texture_integer static GLboolean _glewInit_GL_EXT_texture_integer () { GLboolean r = GL_FALSE; r = ((glClearColorIiEXT = (PFNGLCLEARCOLORIIEXTPROC)glewGetProcAddress((const GLubyte*)"glClearColorIiEXT")) == NULL) || r; r = ((glClearColorIuiEXT = (PFNGLCLEARCOLORIUIEXTPROC)glewGetProcAddress((const GLubyte*)"glClearColorIuiEXT")) == NULL) || r; r = ((glGetTexParameterIivEXT = (PFNGLGETTEXPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTexParameterIivEXT")) == NULL) || r; r = ((glGetTexParameterIuivEXT = (PFNGLGETTEXPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTexParameterIuivEXT")) == NULL) || r; r = ((glTexParameterIivEXT = (PFNGLTEXPARAMETERIIVEXTPROC)glewGetProcAddress((const GLubyte*)"glTexParameterIivEXT")) == NULL) || r; r = ((glTexParameterIuivEXT = (PFNGLTEXPARAMETERIUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glTexParameterIuivEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_integer */ #ifdef GL_EXT_texture_object static GLboolean _glewInit_GL_EXT_texture_object () { GLboolean r = GL_FALSE; r = ((glAreTexturesResidentEXT = (PFNGLARETEXTURESRESIDENTEXTPROC)glewGetProcAddress((const GLubyte*)"glAreTexturesResidentEXT")) == NULL) || r; r = ((glBindTextureEXT = (PFNGLBINDTEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glBindTextureEXT")) == NULL) || r; r = ((glDeleteTexturesEXT = (PFNGLDELETETEXTURESEXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteTexturesEXT")) == NULL) || r; r = ((glGenTexturesEXT = (PFNGLGENTEXTURESEXTPROC)glewGetProcAddress((const GLubyte*)"glGenTexturesEXT")) == NULL) || r; r = ((glIsTextureEXT = (PFNGLISTEXTUREEXTPROC)glewGetProcAddress((const GLubyte*)"glIsTextureEXT")) == NULL) || r; r = ((glPrioritizeTexturesEXT = (PFNGLPRIORITIZETEXTURESEXTPROC)glewGetProcAddress((const GLubyte*)"glPrioritizeTexturesEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_object */ #ifdef GL_EXT_texture_perturb_normal static GLboolean _glewInit_GL_EXT_texture_perturb_normal () { GLboolean r = GL_FALSE; r = ((glTextureNormalEXT = (PFNGLTEXTURENORMALEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureNormalEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_perturb_normal */ #ifdef GL_EXT_texture_storage static GLboolean _glewInit_GL_EXT_texture_storage () { GLboolean r = GL_FALSE; r = ((glTexStorage1DEXT = (PFNGLTEXSTORAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorage1DEXT")) == NULL) || r; r = ((glTexStorage2DEXT = (PFNGLTEXSTORAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorage2DEXT")) == NULL) || r; r = ((glTexStorage3DEXT = (PFNGLTEXSTORAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTexStorage3DEXT")) == NULL) || r; r = ((glTextureStorage1DEXT = (PFNGLTEXTURESTORAGE1DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage1DEXT")) == NULL) || r; r = ((glTextureStorage2DEXT = (PFNGLTEXTURESTORAGE2DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage2DEXT")) == NULL) || r; r = ((glTextureStorage3DEXT = (PFNGLTEXTURESTORAGE3DEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureStorage3DEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_storage */ #ifdef GL_EXT_texture_view static GLboolean _glewInit_GL_EXT_texture_view () { GLboolean r = GL_FALSE; r = ((glTextureViewEXT = (PFNGLTEXTUREVIEWEXTPROC)glewGetProcAddress((const GLubyte*)"glTextureViewEXT")) == NULL) || r; return r; } #endif /* GL_EXT_texture_view */ #ifdef GL_EXT_timer_query static GLboolean _glewInit_GL_EXT_timer_query () { GLboolean r = GL_FALSE; r = ((glGetQueryObjecti64vEXT = (PFNGLGETQUERYOBJECTI64VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjecti64vEXT")) == NULL) || r; r = ((glGetQueryObjectui64vEXT = (PFNGLGETQUERYOBJECTUI64VEXTPROC)glewGetProcAddress((const GLubyte*)"glGetQueryObjectui64vEXT")) == NULL) || r; return r; } #endif /* GL_EXT_timer_query */ #ifdef GL_EXT_transform_feedback static GLboolean _glewInit_GL_EXT_transform_feedback () { GLboolean r = GL_FALSE; r = ((glBeginTransformFeedbackEXT = (PFNGLBEGINTRANSFORMFEEDBACKEXTPROC)glewGetProcAddress((const GLubyte*)"glBeginTransformFeedbackEXT")) == NULL) || r; r = ((glBindBufferBaseEXT = (PFNGLBINDBUFFERBASEEXTPROC)glewGetProcAddress((const GLubyte*)"glBindBufferBaseEXT")) == NULL) || r; r = ((glBindBufferOffsetEXT = (PFNGLBINDBUFFEROFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glBindBufferOffsetEXT")) == NULL) || r; r = ((glBindBufferRangeEXT = (PFNGLBINDBUFFERRANGEEXTPROC)glewGetProcAddress((const GLubyte*)"glBindBufferRangeEXT")) == NULL) || r; r = ((glEndTransformFeedbackEXT = (PFNGLENDTRANSFORMFEEDBACKEXTPROC)glewGetProcAddress((const GLubyte*)"glEndTransformFeedbackEXT")) == NULL) || r; r = ((glGetTransformFeedbackVaryingEXT = (PFNGLGETTRANSFORMFEEDBACKVARYINGEXTPROC)glewGetProcAddress((const GLubyte*)"glGetTransformFeedbackVaryingEXT")) == NULL) || r; r = ((glTransformFeedbackVaryingsEXT = (PFNGLTRANSFORMFEEDBACKVARYINGSEXTPROC)glewGetProcAddress((const GLubyte*)"glTransformFeedbackVaryingsEXT")) == NULL) || r; return r; } #endif /* GL_EXT_transform_feedback */ #ifdef GL_EXT_vertex_array static GLboolean _glewInit_GL_EXT_vertex_array () { GLboolean r = GL_FALSE; r = ((glArrayElementEXT = (PFNGLARRAYELEMENTEXTPROC)glewGetProcAddress((const GLubyte*)"glArrayElementEXT")) == NULL) || r; r = ((glColorPointerEXT = (PFNGLCOLORPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glColorPointerEXT")) == NULL) || r; r = ((glDrawArraysEXT = (PFNGLDRAWARRAYSEXTPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysEXT")) == NULL) || r; r = ((glEdgeFlagPointerEXT = (PFNGLEDGEFLAGPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glEdgeFlagPointerEXT")) == NULL) || r; r = ((glIndexPointerEXT = (PFNGLINDEXPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glIndexPointerEXT")) == NULL) || r; r = ((glNormalPointerEXT = (PFNGLNORMALPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glNormalPointerEXT")) == NULL) || r; r = ((glTexCoordPointerEXT = (PFNGLTEXCOORDPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glTexCoordPointerEXT")) == NULL) || r; r = ((glVertexPointerEXT = (PFNGLVERTEXPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexPointerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_vertex_array */ #ifdef GL_EXT_vertex_array_setXXX static GLboolean _glewInit_GL_EXT_vertex_array_setXXX () { GLboolean r = GL_FALSE; r = ((glBindArraySetEXT = (PFNGLBINDARRAYSETEXTPROC)glewGetProcAddress((const GLubyte*)"glBindArraySetEXT")) == NULL) || r; r = ((glCreateArraySetExt = (PFNGLCREATEARRAYSETEXTPROC)glewGetProcAddress((const GLubyte*)"glCreateArraySetExt")) == NULL) || r; r = ((glDeleteArraySetsEXT = (PFNGLDELETEARRAYSETSEXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteArraySetsEXT")) == NULL) || r; return r; } #endif /* GL_EXT_vertex_array_setXXX */ #ifdef GL_EXT_vertex_attrib_64bit static GLboolean _glewInit_GL_EXT_vertex_attrib_64bit () { GLboolean r = GL_FALSE; r = ((glGetVertexAttribLdvEXT = (PFNGLGETVERTEXATTRIBLDVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribLdvEXT")) == NULL) || r; r = ((glVertexArrayVertexAttribLOffsetEXT = (PFNGLVERTEXARRAYVERTEXATTRIBLOFFSETEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayVertexAttribLOffsetEXT")) == NULL) || r; r = ((glVertexAttribL1dEXT = (PFNGLVERTEXATTRIBL1DEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1dEXT")) == NULL) || r; r = ((glVertexAttribL1dvEXT = (PFNGLVERTEXATTRIBL1DVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1dvEXT")) == NULL) || r; r = ((glVertexAttribL2dEXT = (PFNGLVERTEXATTRIBL2DEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2dEXT")) == NULL) || r; r = ((glVertexAttribL2dvEXT = (PFNGLVERTEXATTRIBL2DVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2dvEXT")) == NULL) || r; r = ((glVertexAttribL3dEXT = (PFNGLVERTEXATTRIBL3DEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3dEXT")) == NULL) || r; r = ((glVertexAttribL3dvEXT = (PFNGLVERTEXATTRIBL3DVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3dvEXT")) == NULL) || r; r = ((glVertexAttribL4dEXT = (PFNGLVERTEXATTRIBL4DEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4dEXT")) == NULL) || r; r = ((glVertexAttribL4dvEXT = (PFNGLVERTEXATTRIBL4DVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4dvEXT")) == NULL) || r; r = ((glVertexAttribLPointerEXT = (PFNGLVERTEXATTRIBLPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribLPointerEXT")) == NULL) || r; return r; } #endif /* GL_EXT_vertex_attrib_64bit */ #ifdef GL_EXT_vertex_shader static GLboolean _glewInit_GL_EXT_vertex_shader () { GLboolean r = GL_FALSE; r = ((glBeginVertexShaderEXT = (PFNGLBEGINVERTEXSHADEREXTPROC)glewGetProcAddress((const GLubyte*)"glBeginVertexShaderEXT")) == NULL) || r; r = ((glBindLightParameterEXT = (PFNGLBINDLIGHTPARAMETEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindLightParameterEXT")) == NULL) || r; r = ((glBindMaterialParameterEXT = (PFNGLBINDMATERIALPARAMETEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindMaterialParameterEXT")) == NULL) || r; r = ((glBindParameterEXT = (PFNGLBINDPARAMETEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindParameterEXT")) == NULL) || r; r = ((glBindTexGenParameterEXT = (PFNGLBINDTEXGENPARAMETEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindTexGenParameterEXT")) == NULL) || r; r = ((glBindTextureUnitParameterEXT = (PFNGLBINDTEXTUREUNITPARAMETEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindTextureUnitParameterEXT")) == NULL) || r; r = ((glBindVertexShaderEXT = (PFNGLBINDVERTEXSHADEREXTPROC)glewGetProcAddress((const GLubyte*)"glBindVertexShaderEXT")) == NULL) || r; r = ((glDeleteVertexShaderEXT = (PFNGLDELETEVERTEXSHADEREXTPROC)glewGetProcAddress((const GLubyte*)"glDeleteVertexShaderEXT")) == NULL) || r; r = ((glDisableVariantClientStateEXT = (PFNGLDISABLEVARIANTCLIENTSTATEEXTPROC)glewGetProcAddress((const GLubyte*)"glDisableVariantClientStateEXT")) == NULL) || r; r = ((glEnableVariantClientStateEXT = (PFNGLENABLEVARIANTCLIENTSTATEEXTPROC)glewGetProcAddress((const GLubyte*)"glEnableVariantClientStateEXT")) == NULL) || r; r = ((glEndVertexShaderEXT = (PFNGLENDVERTEXSHADEREXTPROC)glewGetProcAddress((const GLubyte*)"glEndVertexShaderEXT")) == NULL) || r; r = ((glExtractComponentEXT = (PFNGLEXTRACTCOMPONENTEXTPROC)glewGetProcAddress((const GLubyte*)"glExtractComponentEXT")) == NULL) || r; r = ((glGenSymbolsEXT = (PFNGLGENSYMBOLSEXTPROC)glewGetProcAddress((const GLubyte*)"glGenSymbolsEXT")) == NULL) || r; r = ((glGenVertexShadersEXT = (PFNGLGENVERTEXSHADERSEXTPROC)glewGetProcAddress((const GLubyte*)"glGenVertexShadersEXT")) == NULL) || r; r = ((glGetInvariantBooleanvEXT = (PFNGLGETINVARIANTBOOLEANVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetInvariantBooleanvEXT")) == NULL) || r; r = ((glGetInvariantFloatvEXT = (PFNGLGETINVARIANTFLOATVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetInvariantFloatvEXT")) == NULL) || r; r = ((glGetInvariantIntegervEXT = (PFNGLGETINVARIANTINTEGERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetInvariantIntegervEXT")) == NULL) || r; r = ((glGetLocalConstantBooleanvEXT = (PFNGLGETLOCALCONSTANTBOOLEANVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetLocalConstantBooleanvEXT")) == NULL) || r; r = ((glGetLocalConstantFloatvEXT = (PFNGLGETLOCALCONSTANTFLOATVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetLocalConstantFloatvEXT")) == NULL) || r; r = ((glGetLocalConstantIntegervEXT = (PFNGLGETLOCALCONSTANTINTEGERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetLocalConstantIntegervEXT")) == NULL) || r; r = ((glGetVariantBooleanvEXT = (PFNGLGETVARIANTBOOLEANVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVariantBooleanvEXT")) == NULL) || r; r = ((glGetVariantFloatvEXT = (PFNGLGETVARIANTFLOATVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVariantFloatvEXT")) == NULL) || r; r = ((glGetVariantIntegervEXT = (PFNGLGETVARIANTINTEGERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVariantIntegervEXT")) == NULL) || r; r = ((glGetVariantPointervEXT = (PFNGLGETVARIANTPOINTERVEXTPROC)glewGetProcAddress((const GLubyte*)"glGetVariantPointervEXT")) == NULL) || r; r = ((glInsertComponentEXT = (PFNGLINSERTCOMPONENTEXTPROC)glewGetProcAddress((const GLubyte*)"glInsertComponentEXT")) == NULL) || r; r = ((glIsVariantEnabledEXT = (PFNGLISVARIANTENABLEDEXTPROC)glewGetProcAddress((const GLubyte*)"glIsVariantEnabledEXT")) == NULL) || r; r = ((glSetInvariantEXT = (PFNGLSETINVARIANTEXTPROC)glewGetProcAddress((const GLubyte*)"glSetInvariantEXT")) == NULL) || r; r = ((glSetLocalConstantEXT = (PFNGLSETLOCALCONSTANTEXTPROC)glewGetProcAddress((const GLubyte*)"glSetLocalConstantEXT")) == NULL) || r; r = ((glShaderOp1EXT = (PFNGLSHADEROP1EXTPROC)glewGetProcAddress((const GLubyte*)"glShaderOp1EXT")) == NULL) || r; r = ((glShaderOp2EXT = (PFNGLSHADEROP2EXTPROC)glewGetProcAddress((const GLubyte*)"glShaderOp2EXT")) == NULL) || r; r = ((glShaderOp3EXT = (PFNGLSHADEROP3EXTPROC)glewGetProcAddress((const GLubyte*)"glShaderOp3EXT")) == NULL) || r; r = ((glSwizzleEXT = (PFNGLSWIZZLEEXTPROC)glewGetProcAddress((const GLubyte*)"glSwizzleEXT")) == NULL) || r; r = ((glVariantPointerEXT = (PFNGLVARIANTPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glVariantPointerEXT")) == NULL) || r; r = ((glVariantbvEXT = (PFNGLVARIANTBVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantbvEXT")) == NULL) || r; r = ((glVariantdvEXT = (PFNGLVARIANTDVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantdvEXT")) == NULL) || r; r = ((glVariantfvEXT = (PFNGLVARIANTFVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantfvEXT")) == NULL) || r; r = ((glVariantivEXT = (PFNGLVARIANTIVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantivEXT")) == NULL) || r; r = ((glVariantsvEXT = (PFNGLVARIANTSVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantsvEXT")) == NULL) || r; r = ((glVariantubvEXT = (PFNGLVARIANTUBVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantubvEXT")) == NULL) || r; r = ((glVariantuivEXT = (PFNGLVARIANTUIVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantuivEXT")) == NULL) || r; r = ((glVariantusvEXT = (PFNGLVARIANTUSVEXTPROC)glewGetProcAddress((const GLubyte*)"glVariantusvEXT")) == NULL) || r; r = ((glWriteMaskEXT = (PFNGLWRITEMASKEXTPROC)glewGetProcAddress((const GLubyte*)"glWriteMaskEXT")) == NULL) || r; return r; } #endif /* GL_EXT_vertex_shader */ #ifdef GL_EXT_vertex_weighting static GLboolean _glewInit_GL_EXT_vertex_weighting () { GLboolean r = GL_FALSE; r = ((glVertexWeightPointerEXT = (PFNGLVERTEXWEIGHTPOINTEREXTPROC)glewGetProcAddress((const GLubyte*)"glVertexWeightPointerEXT")) == NULL) || r; r = ((glVertexWeightfEXT = (PFNGLVERTEXWEIGHTFEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexWeightfEXT")) == NULL) || r; r = ((glVertexWeightfvEXT = (PFNGLVERTEXWEIGHTFVEXTPROC)glewGetProcAddress((const GLubyte*)"glVertexWeightfvEXT")) == NULL) || r; return r; } #endif /* GL_EXT_vertex_weighting */ #ifdef GL_EXT_win32_keyed_mutex static GLboolean _glewInit_GL_EXT_win32_keyed_mutex () { GLboolean r = GL_FALSE; r = ((glAcquireKeyedMutexWin32EXT = (PFNGLACQUIREKEYEDMUTEXWIN32EXTPROC)glewGetProcAddress((const GLubyte*)"glAcquireKeyedMutexWin32EXT")) == NULL) || r; r = ((glReleaseKeyedMutexWin32EXT = (PFNGLRELEASEKEYEDMUTEXWIN32EXTPROC)glewGetProcAddress((const GLubyte*)"glReleaseKeyedMutexWin32EXT")) == NULL) || r; return r; } #endif /* GL_EXT_win32_keyed_mutex */ #ifdef GL_EXT_window_rectangles static GLboolean _glewInit_GL_EXT_window_rectangles () { GLboolean r = GL_FALSE; r = ((glWindowRectanglesEXT = (PFNGLWINDOWRECTANGLESEXTPROC)glewGetProcAddress((const GLubyte*)"glWindowRectanglesEXT")) == NULL) || r; return r; } #endif /* GL_EXT_window_rectangles */ #ifdef GL_EXT_x11_sync_object static GLboolean _glewInit_GL_EXT_x11_sync_object () { GLboolean r = GL_FALSE; r = ((glImportSyncEXT = (PFNGLIMPORTSYNCEXTPROC)glewGetProcAddress((const GLubyte*)"glImportSyncEXT")) == NULL) || r; return r; } #endif /* GL_EXT_x11_sync_object */ #ifdef GL_GREMEDY_frame_terminator static GLboolean _glewInit_GL_GREMEDY_frame_terminator () { GLboolean r = GL_FALSE; r = ((glFrameTerminatorGREMEDY = (PFNGLFRAMETERMINATORGREMEDYPROC)glewGetProcAddress((const GLubyte*)"glFrameTerminatorGREMEDY")) == NULL) || r; return r; } #endif /* GL_GREMEDY_frame_terminator */ #ifdef GL_GREMEDY_string_marker static GLboolean _glewInit_GL_GREMEDY_string_marker () { GLboolean r = GL_FALSE; r = ((glStringMarkerGREMEDY = (PFNGLSTRINGMARKERGREMEDYPROC)glewGetProcAddress((const GLubyte*)"glStringMarkerGREMEDY")) == NULL) || r; return r; } #endif /* GL_GREMEDY_string_marker */ #ifdef GL_HP_image_transform static GLboolean _glewInit_GL_HP_image_transform () { GLboolean r = GL_FALSE; r = ((glGetImageTransformParameterfvHP = (PFNGLGETIMAGETRANSFORMPARAMETERFVHPPROC)glewGetProcAddress((const GLubyte*)"glGetImageTransformParameterfvHP")) == NULL) || r; r = ((glGetImageTransformParameterivHP = (PFNGLGETIMAGETRANSFORMPARAMETERIVHPPROC)glewGetProcAddress((const GLubyte*)"glGetImageTransformParameterivHP")) == NULL) || r; r = ((glImageTransformParameterfHP = (PFNGLIMAGETRANSFORMPARAMETERFHPPROC)glewGetProcAddress((const GLubyte*)"glImageTransformParameterfHP")) == NULL) || r; r = ((glImageTransformParameterfvHP = (PFNGLIMAGETRANSFORMPARAMETERFVHPPROC)glewGetProcAddress((const GLubyte*)"glImageTransformParameterfvHP")) == NULL) || r; r = ((glImageTransformParameteriHP = (PFNGLIMAGETRANSFORMPARAMETERIHPPROC)glewGetProcAddress((const GLubyte*)"glImageTransformParameteriHP")) == NULL) || r; r = ((glImageTransformParameterivHP = (PFNGLIMAGETRANSFORMPARAMETERIVHPPROC)glewGetProcAddress((const GLubyte*)"glImageTransformParameterivHP")) == NULL) || r; return r; } #endif /* GL_HP_image_transform */ #ifdef GL_IBM_multimode_draw_arrays static GLboolean _glewInit_GL_IBM_multimode_draw_arrays () { GLboolean r = GL_FALSE; r = ((glMultiModeDrawArraysIBM = (PFNGLMULTIMODEDRAWARRAYSIBMPROC)glewGetProcAddress((const GLubyte*)"glMultiModeDrawArraysIBM")) == NULL) || r; r = ((glMultiModeDrawElementsIBM = (PFNGLMULTIMODEDRAWELEMENTSIBMPROC)glewGetProcAddress((const GLubyte*)"glMultiModeDrawElementsIBM")) == NULL) || r; return r; } #endif /* GL_IBM_multimode_draw_arrays */ #ifdef GL_IBM_vertex_array_lists static GLboolean _glewInit_GL_IBM_vertex_array_lists () { GLboolean r = GL_FALSE; r = ((glColorPointerListIBM = (PFNGLCOLORPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glColorPointerListIBM")) == NULL) || r; r = ((glEdgeFlagPointerListIBM = (PFNGLEDGEFLAGPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glEdgeFlagPointerListIBM")) == NULL) || r; r = ((glFogCoordPointerListIBM = (PFNGLFOGCOORDPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glFogCoordPointerListIBM")) == NULL) || r; r = ((glIndexPointerListIBM = (PFNGLINDEXPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glIndexPointerListIBM")) == NULL) || r; r = ((glNormalPointerListIBM = (PFNGLNORMALPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glNormalPointerListIBM")) == NULL) || r; r = ((glSecondaryColorPointerListIBM = (PFNGLSECONDARYCOLORPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColorPointerListIBM")) == NULL) || r; r = ((glTexCoordPointerListIBM = (PFNGLTEXCOORDPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glTexCoordPointerListIBM")) == NULL) || r; r = ((glVertexPointerListIBM = (PFNGLVERTEXPOINTERLISTIBMPROC)glewGetProcAddress((const GLubyte*)"glVertexPointerListIBM")) == NULL) || r; return r; } #endif /* GL_IBM_vertex_array_lists */ #ifdef GL_INTEL_map_texture static GLboolean _glewInit_GL_INTEL_map_texture () { GLboolean r = GL_FALSE; r = ((glMapTexture2DINTEL = (PFNGLMAPTEXTURE2DINTELPROC)glewGetProcAddress((const GLubyte*)"glMapTexture2DINTEL")) == NULL) || r; r = ((glSyncTextureINTEL = (PFNGLSYNCTEXTUREINTELPROC)glewGetProcAddress((const GLubyte*)"glSyncTextureINTEL")) == NULL) || r; r = ((glUnmapTexture2DINTEL = (PFNGLUNMAPTEXTURE2DINTELPROC)glewGetProcAddress((const GLubyte*)"glUnmapTexture2DINTEL")) == NULL) || r; return r; } #endif /* GL_INTEL_map_texture */ #ifdef GL_INTEL_parallel_arrays static GLboolean _glewInit_GL_INTEL_parallel_arrays () { GLboolean r = GL_FALSE; r = ((glColorPointervINTEL = (PFNGLCOLORPOINTERVINTELPROC)glewGetProcAddress((const GLubyte*)"glColorPointervINTEL")) == NULL) || r; r = ((glNormalPointervINTEL = (PFNGLNORMALPOINTERVINTELPROC)glewGetProcAddress((const GLubyte*)"glNormalPointervINTEL")) == NULL) || r; r = ((glTexCoordPointervINTEL = (PFNGLTEXCOORDPOINTERVINTELPROC)glewGetProcAddress((const GLubyte*)"glTexCoordPointervINTEL")) == NULL) || r; r = ((glVertexPointervINTEL = (PFNGLVERTEXPOINTERVINTELPROC)glewGetProcAddress((const GLubyte*)"glVertexPointervINTEL")) == NULL) || r; return r; } #endif /* GL_INTEL_parallel_arrays */ #ifdef GL_INTEL_performance_query static GLboolean _glewInit_GL_INTEL_performance_query () { GLboolean r = GL_FALSE; r = ((glBeginPerfQueryINTEL = (PFNGLBEGINPERFQUERYINTELPROC)glewGetProcAddress((const GLubyte*)"glBeginPerfQueryINTEL")) == NULL) || r; r = ((glCreatePerfQueryINTEL = (PFNGLCREATEPERFQUERYINTELPROC)glewGetProcAddress((const GLubyte*)"glCreatePerfQueryINTEL")) == NULL) || r; r = ((glDeletePerfQueryINTEL = (PFNGLDELETEPERFQUERYINTELPROC)glewGetProcAddress((const GLubyte*)"glDeletePerfQueryINTEL")) == NULL) || r; r = ((glEndPerfQueryINTEL = (PFNGLENDPERFQUERYINTELPROC)glewGetProcAddress((const GLubyte*)"glEndPerfQueryINTEL")) == NULL) || r; r = ((glGetFirstPerfQueryIdINTEL = (PFNGLGETFIRSTPERFQUERYIDINTELPROC)glewGetProcAddress((const GLubyte*)"glGetFirstPerfQueryIdINTEL")) == NULL) || r; r = ((glGetNextPerfQueryIdINTEL = (PFNGLGETNEXTPERFQUERYIDINTELPROC)glewGetProcAddress((const GLubyte*)"glGetNextPerfQueryIdINTEL")) == NULL) || r; r = ((glGetPerfCounterInfoINTEL = (PFNGLGETPERFCOUNTERINFOINTELPROC)glewGetProcAddress((const GLubyte*)"glGetPerfCounterInfoINTEL")) == NULL) || r; r = ((glGetPerfQueryDataINTEL = (PFNGLGETPERFQUERYDATAINTELPROC)glewGetProcAddress((const GLubyte*)"glGetPerfQueryDataINTEL")) == NULL) || r; r = ((glGetPerfQueryIdByNameINTEL = (PFNGLGETPERFQUERYIDBYNAMEINTELPROC)glewGetProcAddress((const GLubyte*)"glGetPerfQueryIdByNameINTEL")) == NULL) || r; r = ((glGetPerfQueryInfoINTEL = (PFNGLGETPERFQUERYINFOINTELPROC)glewGetProcAddress((const GLubyte*)"glGetPerfQueryInfoINTEL")) == NULL) || r; return r; } #endif /* GL_INTEL_performance_query */ #ifdef GL_INTEL_texture_scissor static GLboolean _glewInit_GL_INTEL_texture_scissor () { GLboolean r = GL_FALSE; r = ((glTexScissorFuncINTEL = (PFNGLTEXSCISSORFUNCINTELPROC)glewGetProcAddress((const GLubyte*)"glTexScissorFuncINTEL")) == NULL) || r; r = ((glTexScissorINTEL = (PFNGLTEXSCISSORINTELPROC)glewGetProcAddress((const GLubyte*)"glTexScissorINTEL")) == NULL) || r; return r; } #endif /* GL_INTEL_texture_scissor */ #ifdef GL_KHR_blend_equation_advanced static GLboolean _glewInit_GL_KHR_blend_equation_advanced () { GLboolean r = GL_FALSE; r = ((glBlendBarrierKHR = (PFNGLBLENDBARRIERKHRPROC)glewGetProcAddress((const GLubyte*)"glBlendBarrierKHR")) == NULL) || r; return r; } #endif /* GL_KHR_blend_equation_advanced */ #ifdef GL_KHR_debug static GLboolean _glewInit_GL_KHR_debug () { GLboolean r = GL_FALSE; r = ((glDebugMessageCallback = (PFNGLDEBUGMESSAGECALLBACKPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageCallback")) == NULL) || r; r = ((glDebugMessageControl = (PFNGLDEBUGMESSAGECONTROLPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageControl")) == NULL) || r; r = ((glDebugMessageInsert = (PFNGLDEBUGMESSAGEINSERTPROC)glewGetProcAddress((const GLubyte*)"glDebugMessageInsert")) == NULL) || r; r = ((glGetDebugMessageLog = (PFNGLGETDEBUGMESSAGELOGPROC)glewGetProcAddress((const GLubyte*)"glGetDebugMessageLog")) == NULL) || r; r = ((glGetObjectLabel = (PFNGLGETOBJECTLABELPROC)glewGetProcAddress((const GLubyte*)"glGetObjectLabel")) == NULL) || r; r = ((glGetObjectPtrLabel = (PFNGLGETOBJECTPTRLABELPROC)glewGetProcAddress((const GLubyte*)"glGetObjectPtrLabel")) == NULL) || r; r = ((glObjectLabel = (PFNGLOBJECTLABELPROC)glewGetProcAddress((const GLubyte*)"glObjectLabel")) == NULL) || r; r = ((glObjectPtrLabel = (PFNGLOBJECTPTRLABELPROC)glewGetProcAddress((const GLubyte*)"glObjectPtrLabel")) == NULL) || r; r = ((glPopDebugGroup = (PFNGLPOPDEBUGGROUPPROC)glewGetProcAddress((const GLubyte*)"glPopDebugGroup")) == NULL) || r; r = ((glPushDebugGroup = (PFNGLPUSHDEBUGGROUPPROC)glewGetProcAddress((const GLubyte*)"glPushDebugGroup")) == NULL) || r; return r; } #endif /* GL_KHR_debug */ #ifdef GL_KHR_parallel_shader_compile static GLboolean _glewInit_GL_KHR_parallel_shader_compile () { GLboolean r = GL_FALSE; r = ((glMaxShaderCompilerThreadsKHR = (PFNGLMAXSHADERCOMPILERTHREADSKHRPROC)glewGetProcAddress((const GLubyte*)"glMaxShaderCompilerThreadsKHR")) == NULL) || r; return r; } #endif /* GL_KHR_parallel_shader_compile */ #ifdef GL_KHR_robustness static GLboolean _glewInit_GL_KHR_robustness () { GLboolean r = GL_FALSE; r = ((glGetnUniformfv = (PFNGLGETNUNIFORMFVPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformfv")) == NULL) || r; r = ((glGetnUniformiv = (PFNGLGETNUNIFORMIVPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformiv")) == NULL) || r; r = ((glGetnUniformuiv = (PFNGLGETNUNIFORMUIVPROC)glewGetProcAddress((const GLubyte*)"glGetnUniformuiv")) == NULL) || r; r = ((glReadnPixels = (PFNGLREADNPIXELSPROC)glewGetProcAddress((const GLubyte*)"glReadnPixels")) == NULL) || r; return r; } #endif /* GL_KHR_robustness */ #ifdef GL_KTX_buffer_region static GLboolean _glewInit_GL_KTX_buffer_region () { GLboolean r = GL_FALSE; r = ((glBufferRegionEnabled = (PFNGLBUFFERREGIONENABLEDPROC)glewGetProcAddress((const GLubyte*)"glBufferRegionEnabled")) == NULL) || r; r = ((glDeleteBufferRegion = (PFNGLDELETEBUFFERREGIONPROC)glewGetProcAddress((const GLubyte*)"glDeleteBufferRegion")) == NULL) || r; r = ((glDrawBufferRegion = (PFNGLDRAWBUFFERREGIONPROC)glewGetProcAddress((const GLubyte*)"glDrawBufferRegion")) == NULL) || r; r = ((glNewBufferRegion = (PFNGLNEWBUFFERREGIONPROC)glewGetProcAddress((const GLubyte*)"glNewBufferRegion")) == NULL) || r; r = ((glReadBufferRegion = (PFNGLREADBUFFERREGIONPROC)glewGetProcAddress((const GLubyte*)"glReadBufferRegion")) == NULL) || r; return r; } #endif /* GL_KTX_buffer_region */ #ifdef GL_MESA_resize_buffers static GLboolean _glewInit_GL_MESA_resize_buffers () { GLboolean r = GL_FALSE; r = ((glResizeBuffersMESA = (PFNGLRESIZEBUFFERSMESAPROC)glewGetProcAddress((const GLubyte*)"glResizeBuffersMESA")) == NULL) || r; return r; } #endif /* GL_MESA_resize_buffers */ #ifdef GL_MESA_window_pos static GLboolean _glewInit_GL_MESA_window_pos () { GLboolean r = GL_FALSE; r = ((glWindowPos2dMESA = (PFNGLWINDOWPOS2DMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2dMESA")) == NULL) || r; r = ((glWindowPos2dvMESA = (PFNGLWINDOWPOS2DVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2dvMESA")) == NULL) || r; r = ((glWindowPos2fMESA = (PFNGLWINDOWPOS2FMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2fMESA")) == NULL) || r; r = ((glWindowPos2fvMESA = (PFNGLWINDOWPOS2FVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2fvMESA")) == NULL) || r; r = ((glWindowPos2iMESA = (PFNGLWINDOWPOS2IMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2iMESA")) == NULL) || r; r = ((glWindowPos2ivMESA = (PFNGLWINDOWPOS2IVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2ivMESA")) == NULL) || r; r = ((glWindowPos2sMESA = (PFNGLWINDOWPOS2SMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2sMESA")) == NULL) || r; r = ((glWindowPos2svMESA = (PFNGLWINDOWPOS2SVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos2svMESA")) == NULL) || r; r = ((glWindowPos3dMESA = (PFNGLWINDOWPOS3DMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3dMESA")) == NULL) || r; r = ((glWindowPos3dvMESA = (PFNGLWINDOWPOS3DVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3dvMESA")) == NULL) || r; r = ((glWindowPos3fMESA = (PFNGLWINDOWPOS3FMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3fMESA")) == NULL) || r; r = ((glWindowPos3fvMESA = (PFNGLWINDOWPOS3FVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3fvMESA")) == NULL) || r; r = ((glWindowPos3iMESA = (PFNGLWINDOWPOS3IMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3iMESA")) == NULL) || r; r = ((glWindowPos3ivMESA = (PFNGLWINDOWPOS3IVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3ivMESA")) == NULL) || r; r = ((glWindowPos3sMESA = (PFNGLWINDOWPOS3SMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3sMESA")) == NULL) || r; r = ((glWindowPos3svMESA = (PFNGLWINDOWPOS3SVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos3svMESA")) == NULL) || r; r = ((glWindowPos4dMESA = (PFNGLWINDOWPOS4DMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4dMESA")) == NULL) || r; r = ((glWindowPos4dvMESA = (PFNGLWINDOWPOS4DVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4dvMESA")) == NULL) || r; r = ((glWindowPos4fMESA = (PFNGLWINDOWPOS4FMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4fMESA")) == NULL) || r; r = ((glWindowPos4fvMESA = (PFNGLWINDOWPOS4FVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4fvMESA")) == NULL) || r; r = ((glWindowPos4iMESA = (PFNGLWINDOWPOS4IMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4iMESA")) == NULL) || r; r = ((glWindowPos4ivMESA = (PFNGLWINDOWPOS4IVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4ivMESA")) == NULL) || r; r = ((glWindowPos4sMESA = (PFNGLWINDOWPOS4SMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4sMESA")) == NULL) || r; r = ((glWindowPos4svMESA = (PFNGLWINDOWPOS4SVMESAPROC)glewGetProcAddress((const GLubyte*)"glWindowPos4svMESA")) == NULL) || r; return r; } #endif /* GL_MESA_window_pos */ #ifdef GL_NVX_conditional_render static GLboolean _glewInit_GL_NVX_conditional_render () { GLboolean r = GL_FALSE; r = ((glBeginConditionalRenderNVX = (PFNGLBEGINCONDITIONALRENDERNVXPROC)glewGetProcAddress((const GLubyte*)"glBeginConditionalRenderNVX")) == NULL) || r; r = ((glEndConditionalRenderNVX = (PFNGLENDCONDITIONALRENDERNVXPROC)glewGetProcAddress((const GLubyte*)"glEndConditionalRenderNVX")) == NULL) || r; return r; } #endif /* GL_NVX_conditional_render */ #ifdef GL_NVX_linked_gpu_multicast static GLboolean _glewInit_GL_NVX_linked_gpu_multicast () { GLboolean r = GL_FALSE; r = ((glLGPUCopyImageSubDataNVX = (PFNGLLGPUCOPYIMAGESUBDATANVXPROC)glewGetProcAddress((const GLubyte*)"glLGPUCopyImageSubDataNVX")) == NULL) || r; r = ((glLGPUInterlockNVX = (PFNGLLGPUINTERLOCKNVXPROC)glewGetProcAddress((const GLubyte*)"glLGPUInterlockNVX")) == NULL) || r; r = ((glLGPUNamedBufferSubDataNVX = (PFNGLLGPUNAMEDBUFFERSUBDATANVXPROC)glewGetProcAddress((const GLubyte*)"glLGPUNamedBufferSubDataNVX")) == NULL) || r; return r; } #endif /* GL_NVX_linked_gpu_multicast */ #ifdef GL_NV_3dvision_settings static GLboolean _glewInit_GL_NV_3dvision_settings () { GLboolean r = GL_FALSE; r = ((glStereoParameterfNV = (PFNGLSTEREOPARAMETERFNVPROC)glewGetProcAddress((const GLubyte*)"glStereoParameterfNV")) == NULL) || r; r = ((glStereoParameteriNV = (PFNGLSTEREOPARAMETERINVPROC)glewGetProcAddress((const GLubyte*)"glStereoParameteriNV")) == NULL) || r; return r; } #endif /* GL_NV_3dvision_settings */ #ifdef GL_NV_bindless_multi_draw_indirect static GLboolean _glewInit_GL_NV_bindless_multi_draw_indirect () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirectBindlessNV = (PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSNVPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirectBindlessNV")) == NULL) || r; r = ((glMultiDrawElementsIndirectBindlessNV = (PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSNVPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirectBindlessNV")) == NULL) || r; return r; } #endif /* GL_NV_bindless_multi_draw_indirect */ #ifdef GL_NV_bindless_multi_draw_indirect_count static GLboolean _glewInit_GL_NV_bindless_multi_draw_indirect_count () { GLboolean r = GL_FALSE; r = ((glMultiDrawArraysIndirectBindlessCountNV = (PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSCOUNTNVPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawArraysIndirectBindlessCountNV")) == NULL) || r; r = ((glMultiDrawElementsIndirectBindlessCountNV = (PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSCOUNTNVPROC)glewGetProcAddress((const GLubyte*)"glMultiDrawElementsIndirectBindlessCountNV")) == NULL) || r; return r; } #endif /* GL_NV_bindless_multi_draw_indirect_count */ #ifdef GL_NV_bindless_texture static GLboolean _glewInit_GL_NV_bindless_texture () { GLboolean r = GL_FALSE; r = ((glGetImageHandleNV = (PFNGLGETIMAGEHANDLENVPROC)glewGetProcAddress((const GLubyte*)"glGetImageHandleNV")) == NULL) || r; r = ((glGetTextureHandleNV = (PFNGLGETTEXTUREHANDLENVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureHandleNV")) == NULL) || r; r = ((glGetTextureSamplerHandleNV = (PFNGLGETTEXTURESAMPLERHANDLENVPROC)glewGetProcAddress((const GLubyte*)"glGetTextureSamplerHandleNV")) == NULL) || r; r = ((glIsImageHandleResidentNV = (PFNGLISIMAGEHANDLERESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glIsImageHandleResidentNV")) == NULL) || r; r = ((glIsTextureHandleResidentNV = (PFNGLISTEXTUREHANDLERESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glIsTextureHandleResidentNV")) == NULL) || r; r = ((glMakeImageHandleNonResidentNV = (PFNGLMAKEIMAGEHANDLENONRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeImageHandleNonResidentNV")) == NULL) || r; r = ((glMakeImageHandleResidentNV = (PFNGLMAKEIMAGEHANDLERESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeImageHandleResidentNV")) == NULL) || r; r = ((glMakeTextureHandleNonResidentNV = (PFNGLMAKETEXTUREHANDLENONRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeTextureHandleNonResidentNV")) == NULL) || r; r = ((glMakeTextureHandleResidentNV = (PFNGLMAKETEXTUREHANDLERESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeTextureHandleResidentNV")) == NULL) || r; r = ((glProgramUniformHandleui64NV = (PFNGLPROGRAMUNIFORMHANDLEUI64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformHandleui64NV")) == NULL) || r; r = ((glProgramUniformHandleui64vNV = (PFNGLPROGRAMUNIFORMHANDLEUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformHandleui64vNV")) == NULL) || r; r = ((glUniformHandleui64NV = (PFNGLUNIFORMHANDLEUI64NVPROC)glewGetProcAddress((const GLubyte*)"glUniformHandleui64NV")) == NULL) || r; r = ((glUniformHandleui64vNV = (PFNGLUNIFORMHANDLEUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniformHandleui64vNV")) == NULL) || r; return r; } #endif /* GL_NV_bindless_texture */ #ifdef GL_NV_blend_equation_advanced static GLboolean _glewInit_GL_NV_blend_equation_advanced () { GLboolean r = GL_FALSE; r = ((glBlendBarrierNV = (PFNGLBLENDBARRIERNVPROC)glewGetProcAddress((const GLubyte*)"glBlendBarrierNV")) == NULL) || r; r = ((glBlendParameteriNV = (PFNGLBLENDPARAMETERINVPROC)glewGetProcAddress((const GLubyte*)"glBlendParameteriNV")) == NULL) || r; return r; } #endif /* GL_NV_blend_equation_advanced */ #ifdef GL_NV_clip_space_w_scaling static GLboolean _glewInit_GL_NV_clip_space_w_scaling () { GLboolean r = GL_FALSE; r = ((glViewportPositionWScaleNV = (PFNGLVIEWPORTPOSITIONWSCALENVPROC)glewGetProcAddress((const GLubyte*)"glViewportPositionWScaleNV")) == NULL) || r; return r; } #endif /* GL_NV_clip_space_w_scaling */ #ifdef GL_NV_command_list static GLboolean _glewInit_GL_NV_command_list () { GLboolean r = GL_FALSE; r = ((glCallCommandListNV = (PFNGLCALLCOMMANDLISTNVPROC)glewGetProcAddress((const GLubyte*)"glCallCommandListNV")) == NULL) || r; r = ((glCommandListSegmentsNV = (PFNGLCOMMANDLISTSEGMENTSNVPROC)glewGetProcAddress((const GLubyte*)"glCommandListSegmentsNV")) == NULL) || r; r = ((glCompileCommandListNV = (PFNGLCOMPILECOMMANDLISTNVPROC)glewGetProcAddress((const GLubyte*)"glCompileCommandListNV")) == NULL) || r; r = ((glCreateCommandListsNV = (PFNGLCREATECOMMANDLISTSNVPROC)glewGetProcAddress((const GLubyte*)"glCreateCommandListsNV")) == NULL) || r; r = ((glCreateStatesNV = (PFNGLCREATESTATESNVPROC)glewGetProcAddress((const GLubyte*)"glCreateStatesNV")) == NULL) || r; r = ((glDeleteCommandListsNV = (PFNGLDELETECOMMANDLISTSNVPROC)glewGetProcAddress((const GLubyte*)"glDeleteCommandListsNV")) == NULL) || r; r = ((glDeleteStatesNV = (PFNGLDELETESTATESNVPROC)glewGetProcAddress((const GLubyte*)"glDeleteStatesNV")) == NULL) || r; r = ((glDrawCommandsAddressNV = (PFNGLDRAWCOMMANDSADDRESSNVPROC)glewGetProcAddress((const GLubyte*)"glDrawCommandsAddressNV")) == NULL) || r; r = ((glDrawCommandsNV = (PFNGLDRAWCOMMANDSNVPROC)glewGetProcAddress((const GLubyte*)"glDrawCommandsNV")) == NULL) || r; r = ((glDrawCommandsStatesAddressNV = (PFNGLDRAWCOMMANDSSTATESADDRESSNVPROC)glewGetProcAddress((const GLubyte*)"glDrawCommandsStatesAddressNV")) == NULL) || r; r = ((glDrawCommandsStatesNV = (PFNGLDRAWCOMMANDSSTATESNVPROC)glewGetProcAddress((const GLubyte*)"glDrawCommandsStatesNV")) == NULL) || r; r = ((glGetCommandHeaderNV = (PFNGLGETCOMMANDHEADERNVPROC)glewGetProcAddress((const GLubyte*)"glGetCommandHeaderNV")) == NULL) || r; r = ((glGetStageIndexNV = (PFNGLGETSTAGEINDEXNVPROC)glewGetProcAddress((const GLubyte*)"glGetStageIndexNV")) == NULL) || r; r = ((glIsCommandListNV = (PFNGLISCOMMANDLISTNVPROC)glewGetProcAddress((const GLubyte*)"glIsCommandListNV")) == NULL) || r; r = ((glIsStateNV = (PFNGLISSTATENVPROC)glewGetProcAddress((const GLubyte*)"glIsStateNV")) == NULL) || r; r = ((glListDrawCommandsStatesClientNV = (PFNGLLISTDRAWCOMMANDSSTATESCLIENTNVPROC)glewGetProcAddress((const GLubyte*)"glListDrawCommandsStatesClientNV")) == NULL) || r; r = ((glStateCaptureNV = (PFNGLSTATECAPTURENVPROC)glewGetProcAddress((const GLubyte*)"glStateCaptureNV")) == NULL) || r; return r; } #endif /* GL_NV_command_list */ #ifdef GL_NV_conditional_render static GLboolean _glewInit_GL_NV_conditional_render () { GLboolean r = GL_FALSE; r = ((glBeginConditionalRenderNV = (PFNGLBEGINCONDITIONALRENDERNVPROC)glewGetProcAddress((const GLubyte*)"glBeginConditionalRenderNV")) == NULL) || r; r = ((glEndConditionalRenderNV = (PFNGLENDCONDITIONALRENDERNVPROC)glewGetProcAddress((const GLubyte*)"glEndConditionalRenderNV")) == NULL) || r; return r; } #endif /* GL_NV_conditional_render */ #ifdef GL_NV_conservative_raster static GLboolean _glewInit_GL_NV_conservative_raster () { GLboolean r = GL_FALSE; r = ((glSubpixelPrecisionBiasNV = (PFNGLSUBPIXELPRECISIONBIASNVPROC)glewGetProcAddress((const GLubyte*)"glSubpixelPrecisionBiasNV")) == NULL) || r; return r; } #endif /* GL_NV_conservative_raster */ #ifdef GL_NV_conservative_raster_dilate static GLboolean _glewInit_GL_NV_conservative_raster_dilate () { GLboolean r = GL_FALSE; r = ((glConservativeRasterParameterfNV = (PFNGLCONSERVATIVERASTERPARAMETERFNVPROC)glewGetProcAddress((const GLubyte*)"glConservativeRasterParameterfNV")) == NULL) || r; return r; } #endif /* GL_NV_conservative_raster_dilate */ #ifdef GL_NV_conservative_raster_pre_snap_triangles static GLboolean _glewInit_GL_NV_conservative_raster_pre_snap_triangles () { GLboolean r = GL_FALSE; r = ((glConservativeRasterParameteriNV = (PFNGLCONSERVATIVERASTERPARAMETERINVPROC)glewGetProcAddress((const GLubyte*)"glConservativeRasterParameteriNV")) == NULL) || r; return r; } #endif /* GL_NV_conservative_raster_pre_snap_triangles */ #ifdef GL_NV_copy_buffer static GLboolean _glewInit_GL_NV_copy_buffer () { GLboolean r = GL_FALSE; r = ((glCopyBufferSubDataNV = (PFNGLCOPYBUFFERSUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glCopyBufferSubDataNV")) == NULL) || r; return r; } #endif /* GL_NV_copy_buffer */ #ifdef GL_NV_copy_image static GLboolean _glewInit_GL_NV_copy_image () { GLboolean r = GL_FALSE; r = ((glCopyImageSubDataNV = (PFNGLCOPYIMAGESUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glCopyImageSubDataNV")) == NULL) || r; return r; } #endif /* GL_NV_copy_image */ #ifdef GL_NV_depth_buffer_float static GLboolean _glewInit_GL_NV_depth_buffer_float () { GLboolean r = GL_FALSE; r = ((glClearDepthdNV = (PFNGLCLEARDEPTHDNVPROC)glewGetProcAddress((const GLubyte*)"glClearDepthdNV")) == NULL) || r; r = ((glDepthBoundsdNV = (PFNGLDEPTHBOUNDSDNVPROC)glewGetProcAddress((const GLubyte*)"glDepthBoundsdNV")) == NULL) || r; r = ((glDepthRangedNV = (PFNGLDEPTHRANGEDNVPROC)glewGetProcAddress((const GLubyte*)"glDepthRangedNV")) == NULL) || r; return r; } #endif /* GL_NV_depth_buffer_float */ #ifdef GL_NV_draw_buffers static GLboolean _glewInit_GL_NV_draw_buffers () { GLboolean r = GL_FALSE; r = ((glDrawBuffersNV = (PFNGLDRAWBUFFERSNVPROC)glewGetProcAddress((const GLubyte*)"glDrawBuffersNV")) == NULL) || r; return r; } #endif /* GL_NV_draw_buffers */ #ifdef GL_NV_draw_instanced static GLboolean _glewInit_GL_NV_draw_instanced () { GLboolean r = GL_FALSE; r = ((glDrawArraysInstancedNV = (PFNGLDRAWARRAYSINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glDrawArraysInstancedNV")) == NULL) || r; r = ((glDrawElementsInstancedNV = (PFNGLDRAWELEMENTSINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glDrawElementsInstancedNV")) == NULL) || r; return r; } #endif /* GL_NV_draw_instanced */ #ifdef GL_NV_draw_texture static GLboolean _glewInit_GL_NV_draw_texture () { GLboolean r = GL_FALSE; r = ((glDrawTextureNV = (PFNGLDRAWTEXTURENVPROC)glewGetProcAddress((const GLubyte*)"glDrawTextureNV")) == NULL) || r; return r; } #endif /* GL_NV_draw_texture */ #ifdef GL_NV_draw_vulkan_image static GLboolean _glewInit_GL_NV_draw_vulkan_image () { GLboolean r = GL_FALSE; r = ((glDrawVkImageNV = (PFNGLDRAWVKIMAGENVPROC)glewGetProcAddress((const GLubyte*)"glDrawVkImageNV")) == NULL) || r; r = ((glGetVkProcAddrNV = (PFNGLGETVKPROCADDRNVPROC)glewGetProcAddress((const GLubyte*)"glGetVkProcAddrNV")) == NULL) || r; r = ((glSignalVkFenceNV = (PFNGLSIGNALVKFENCENVPROC)glewGetProcAddress((const GLubyte*)"glSignalVkFenceNV")) == NULL) || r; r = ((glSignalVkSemaphoreNV = (PFNGLSIGNALVKSEMAPHORENVPROC)glewGetProcAddress((const GLubyte*)"glSignalVkSemaphoreNV")) == NULL) || r; r = ((glWaitVkSemaphoreNV = (PFNGLWAITVKSEMAPHORENVPROC)glewGetProcAddress((const GLubyte*)"glWaitVkSemaphoreNV")) == NULL) || r; return r; } #endif /* GL_NV_draw_vulkan_image */ #ifdef GL_NV_evaluators static GLboolean _glewInit_GL_NV_evaluators () { GLboolean r = GL_FALSE; r = ((glEvalMapsNV = (PFNGLEVALMAPSNVPROC)glewGetProcAddress((const GLubyte*)"glEvalMapsNV")) == NULL) || r; r = ((glGetMapAttribParameterfvNV = (PFNGLGETMAPATTRIBPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetMapAttribParameterfvNV")) == NULL) || r; r = ((glGetMapAttribParameterivNV = (PFNGLGETMAPATTRIBPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetMapAttribParameterivNV")) == NULL) || r; r = ((glGetMapControlPointsNV = (PFNGLGETMAPCONTROLPOINTSNVPROC)glewGetProcAddress((const GLubyte*)"glGetMapControlPointsNV")) == NULL) || r; r = ((glGetMapParameterfvNV = (PFNGLGETMAPPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetMapParameterfvNV")) == NULL) || r; r = ((glGetMapParameterivNV = (PFNGLGETMAPPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetMapParameterivNV")) == NULL) || r; r = ((glMapControlPointsNV = (PFNGLMAPCONTROLPOINTSNVPROC)glewGetProcAddress((const GLubyte*)"glMapControlPointsNV")) == NULL) || r; r = ((glMapParameterfvNV = (PFNGLMAPPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glMapParameterfvNV")) == NULL) || r; r = ((glMapParameterivNV = (PFNGLMAPPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glMapParameterivNV")) == NULL) || r; return r; } #endif /* GL_NV_evaluators */ #ifdef GL_NV_explicit_multisample static GLboolean _glewInit_GL_NV_explicit_multisample () { GLboolean r = GL_FALSE; r = ((glGetMultisamplefvNV = (PFNGLGETMULTISAMPLEFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetMultisamplefvNV")) == NULL) || r; r = ((glSampleMaskIndexedNV = (PFNGLSAMPLEMASKINDEXEDNVPROC)glewGetProcAddress((const GLubyte*)"glSampleMaskIndexedNV")) == NULL) || r; r = ((glTexRenderbufferNV = (PFNGLTEXRENDERBUFFERNVPROC)glewGetProcAddress((const GLubyte*)"glTexRenderbufferNV")) == NULL) || r; return r; } #endif /* GL_NV_explicit_multisample */ #ifdef GL_NV_fence static GLboolean _glewInit_GL_NV_fence () { GLboolean r = GL_FALSE; r = ((glDeleteFencesNV = (PFNGLDELETEFENCESNVPROC)glewGetProcAddress((const GLubyte*)"glDeleteFencesNV")) == NULL) || r; r = ((glFinishFenceNV = (PFNGLFINISHFENCENVPROC)glewGetProcAddress((const GLubyte*)"glFinishFenceNV")) == NULL) || r; r = ((glGenFencesNV = (PFNGLGENFENCESNVPROC)glewGetProcAddress((const GLubyte*)"glGenFencesNV")) == NULL) || r; r = ((glGetFenceivNV = (PFNGLGETFENCEIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetFenceivNV")) == NULL) || r; r = ((glIsFenceNV = (PFNGLISFENCENVPROC)glewGetProcAddress((const GLubyte*)"glIsFenceNV")) == NULL) || r; r = ((glSetFenceNV = (PFNGLSETFENCENVPROC)glewGetProcAddress((const GLubyte*)"glSetFenceNV")) == NULL) || r; r = ((glTestFenceNV = (PFNGLTESTFENCENVPROC)glewGetProcAddress((const GLubyte*)"glTestFenceNV")) == NULL) || r; return r; } #endif /* GL_NV_fence */ #ifdef GL_NV_fragment_coverage_to_color static GLboolean _glewInit_GL_NV_fragment_coverage_to_color () { GLboolean r = GL_FALSE; r = ((glFragmentCoverageColorNV = (PFNGLFRAGMENTCOVERAGECOLORNVPROC)glewGetProcAddress((const GLubyte*)"glFragmentCoverageColorNV")) == NULL) || r; return r; } #endif /* GL_NV_fragment_coverage_to_color */ #ifdef GL_NV_fragment_program static GLboolean _glewInit_GL_NV_fragment_program () { GLboolean r = GL_FALSE; r = ((glGetProgramNamedParameterdvNV = (PFNGLGETPROGRAMNAMEDPARAMETERDVNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramNamedParameterdvNV")) == NULL) || r; r = ((glGetProgramNamedParameterfvNV = (PFNGLGETPROGRAMNAMEDPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramNamedParameterfvNV")) == NULL) || r; r = ((glProgramNamedParameter4dNV = (PFNGLPROGRAMNAMEDPARAMETER4DNVPROC)glewGetProcAddress((const GLubyte*)"glProgramNamedParameter4dNV")) == NULL) || r; r = ((glProgramNamedParameter4dvNV = (PFNGLPROGRAMNAMEDPARAMETER4DVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramNamedParameter4dvNV")) == NULL) || r; r = ((glProgramNamedParameter4fNV = (PFNGLPROGRAMNAMEDPARAMETER4FNVPROC)glewGetProcAddress((const GLubyte*)"glProgramNamedParameter4fNV")) == NULL) || r; r = ((glProgramNamedParameter4fvNV = (PFNGLPROGRAMNAMEDPARAMETER4FVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramNamedParameter4fvNV")) == NULL) || r; return r; } #endif /* GL_NV_fragment_program */ #ifdef GL_NV_framebuffer_blit static GLboolean _glewInit_GL_NV_framebuffer_blit () { GLboolean r = GL_FALSE; r = ((glBlitFramebufferNV = (PFNGLBLITFRAMEBUFFERNVPROC)glewGetProcAddress((const GLubyte*)"glBlitFramebufferNV")) == NULL) || r; return r; } #endif /* GL_NV_framebuffer_blit */ #ifdef GL_NV_framebuffer_multisample static GLboolean _glewInit_GL_NV_framebuffer_multisample () { GLboolean r = GL_FALSE; r = ((glRenderbufferStorageMultisampleNV = (PFNGLRENDERBUFFERSTORAGEMULTISAMPLENVPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageMultisampleNV")) == NULL) || r; return r; } #endif /* GL_NV_framebuffer_multisample */ #ifdef GL_NV_framebuffer_multisample_coverage static GLboolean _glewInit_GL_NV_framebuffer_multisample_coverage () { GLboolean r = GL_FALSE; r = ((glRenderbufferStorageMultisampleCoverageNV = (PFNGLRENDERBUFFERSTORAGEMULTISAMPLECOVERAGENVPROC)glewGetProcAddress((const GLubyte*)"glRenderbufferStorageMultisampleCoverageNV")) == NULL) || r; return r; } #endif /* GL_NV_framebuffer_multisample_coverage */ #ifdef GL_NV_geometry_program4 static GLboolean _glewInit_GL_NV_geometry_program4 () { GLboolean r = GL_FALSE; r = ((glProgramVertexLimitNV = (PFNGLPROGRAMVERTEXLIMITNVPROC)glewGetProcAddress((const GLubyte*)"glProgramVertexLimitNV")) == NULL) || r; return r; } #endif /* GL_NV_geometry_program4 */ #ifdef GL_NV_gpu_multicast static GLboolean _glewInit_GL_NV_gpu_multicast () { GLboolean r = GL_FALSE; r = ((glMulticastBarrierNV = (PFNGLMULTICASTBARRIERNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastBarrierNV")) == NULL) || r; r = ((glMulticastBlitFramebufferNV = (PFNGLMULTICASTBLITFRAMEBUFFERNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastBlitFramebufferNV")) == NULL) || r; r = ((glMulticastBufferSubDataNV = (PFNGLMULTICASTBUFFERSUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glMulticastBufferSubDataNV")) == NULL) || r; r = ((glMulticastCopyBufferSubDataNV = (PFNGLMULTICASTCOPYBUFFERSUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glMulticastCopyBufferSubDataNV")) == NULL) || r; r = ((glMulticastCopyImageSubDataNV = (PFNGLMULTICASTCOPYIMAGESUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glMulticastCopyImageSubDataNV")) == NULL) || r; r = ((glMulticastFramebufferSampleLocationsfvNV = (PFNGLMULTICASTFRAMEBUFFERSAMPLELOCATIONSFVNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastFramebufferSampleLocationsfvNV")) == NULL) || r; r = ((glMulticastGetQueryObjecti64vNV = (PFNGLMULTICASTGETQUERYOBJECTI64VNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastGetQueryObjecti64vNV")) == NULL) || r; r = ((glMulticastGetQueryObjectivNV = (PFNGLMULTICASTGETQUERYOBJECTIVNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastGetQueryObjectivNV")) == NULL) || r; r = ((glMulticastGetQueryObjectui64vNV = (PFNGLMULTICASTGETQUERYOBJECTUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastGetQueryObjectui64vNV")) == NULL) || r; r = ((glMulticastGetQueryObjectuivNV = (PFNGLMULTICASTGETQUERYOBJECTUIVNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastGetQueryObjectuivNV")) == NULL) || r; r = ((glMulticastWaitSyncNV = (PFNGLMULTICASTWAITSYNCNVPROC)glewGetProcAddress((const GLubyte*)"glMulticastWaitSyncNV")) == NULL) || r; r = ((glRenderGpuMaskNV = (PFNGLRENDERGPUMASKNVPROC)glewGetProcAddress((const GLubyte*)"glRenderGpuMaskNV")) == NULL) || r; return r; } #endif /* GL_NV_gpu_multicast */ #ifdef GL_NV_gpu_program4 static GLboolean _glewInit_GL_NV_gpu_program4 () { GLboolean r = GL_FALSE; r = ((glProgramEnvParameterI4iNV = (PFNGLPROGRAMENVPARAMETERI4INVPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameterI4iNV")) == NULL) || r; r = ((glProgramEnvParameterI4ivNV = (PFNGLPROGRAMENVPARAMETERI4IVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameterI4ivNV")) == NULL) || r; r = ((glProgramEnvParameterI4uiNV = (PFNGLPROGRAMENVPARAMETERI4UINVPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameterI4uiNV")) == NULL) || r; r = ((glProgramEnvParameterI4uivNV = (PFNGLPROGRAMENVPARAMETERI4UIVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParameterI4uivNV")) == NULL) || r; r = ((glProgramEnvParametersI4ivNV = (PFNGLPROGRAMENVPARAMETERSI4IVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParametersI4ivNV")) == NULL) || r; r = ((glProgramEnvParametersI4uivNV = (PFNGLPROGRAMENVPARAMETERSI4UIVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramEnvParametersI4uivNV")) == NULL) || r; r = ((glProgramLocalParameterI4iNV = (PFNGLPROGRAMLOCALPARAMETERI4INVPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameterI4iNV")) == NULL) || r; r = ((glProgramLocalParameterI4ivNV = (PFNGLPROGRAMLOCALPARAMETERI4IVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameterI4ivNV")) == NULL) || r; r = ((glProgramLocalParameterI4uiNV = (PFNGLPROGRAMLOCALPARAMETERI4UINVPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameterI4uiNV")) == NULL) || r; r = ((glProgramLocalParameterI4uivNV = (PFNGLPROGRAMLOCALPARAMETERI4UIVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParameterI4uivNV")) == NULL) || r; r = ((glProgramLocalParametersI4ivNV = (PFNGLPROGRAMLOCALPARAMETERSI4IVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParametersI4ivNV")) == NULL) || r; r = ((glProgramLocalParametersI4uivNV = (PFNGLPROGRAMLOCALPARAMETERSI4UIVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramLocalParametersI4uivNV")) == NULL) || r; return r; } #endif /* GL_NV_gpu_program4 */ #ifdef GL_NV_gpu_shader5 static GLboolean _glewInit_GL_NV_gpu_shader5 () { GLboolean r = GL_FALSE; r = ((glGetUniformi64vNV = (PFNGLGETUNIFORMI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformi64vNV")) == NULL) || r; r = ((glGetUniformui64vNV = (PFNGLGETUNIFORMUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetUniformui64vNV")) == NULL) || r; r = ((glProgramUniform1i64NV = (PFNGLPROGRAMUNIFORM1I64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1i64NV")) == NULL) || r; r = ((glProgramUniform1i64vNV = (PFNGLPROGRAMUNIFORM1I64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1i64vNV")) == NULL) || r; r = ((glProgramUniform1ui64NV = (PFNGLPROGRAMUNIFORM1UI64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1ui64NV")) == NULL) || r; r = ((glProgramUniform1ui64vNV = (PFNGLPROGRAMUNIFORM1UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform1ui64vNV")) == NULL) || r; r = ((glProgramUniform2i64NV = (PFNGLPROGRAMUNIFORM2I64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2i64NV")) == NULL) || r; r = ((glProgramUniform2i64vNV = (PFNGLPROGRAMUNIFORM2I64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2i64vNV")) == NULL) || r; r = ((glProgramUniform2ui64NV = (PFNGLPROGRAMUNIFORM2UI64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2ui64NV")) == NULL) || r; r = ((glProgramUniform2ui64vNV = (PFNGLPROGRAMUNIFORM2UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform2ui64vNV")) == NULL) || r; r = ((glProgramUniform3i64NV = (PFNGLPROGRAMUNIFORM3I64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3i64NV")) == NULL) || r; r = ((glProgramUniform3i64vNV = (PFNGLPROGRAMUNIFORM3I64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3i64vNV")) == NULL) || r; r = ((glProgramUniform3ui64NV = (PFNGLPROGRAMUNIFORM3UI64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3ui64NV")) == NULL) || r; r = ((glProgramUniform3ui64vNV = (PFNGLPROGRAMUNIFORM3UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform3ui64vNV")) == NULL) || r; r = ((glProgramUniform4i64NV = (PFNGLPROGRAMUNIFORM4I64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4i64NV")) == NULL) || r; r = ((glProgramUniform4i64vNV = (PFNGLPROGRAMUNIFORM4I64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4i64vNV")) == NULL) || r; r = ((glProgramUniform4ui64NV = (PFNGLPROGRAMUNIFORM4UI64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4ui64NV")) == NULL) || r; r = ((glProgramUniform4ui64vNV = (PFNGLPROGRAMUNIFORM4UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniform4ui64vNV")) == NULL) || r; r = ((glUniform1i64NV = (PFNGLUNIFORM1I64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform1i64NV")) == NULL) || r; r = ((glUniform1i64vNV = (PFNGLUNIFORM1I64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform1i64vNV")) == NULL) || r; r = ((glUniform1ui64NV = (PFNGLUNIFORM1UI64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform1ui64NV")) == NULL) || r; r = ((glUniform1ui64vNV = (PFNGLUNIFORM1UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform1ui64vNV")) == NULL) || r; r = ((glUniform2i64NV = (PFNGLUNIFORM2I64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform2i64NV")) == NULL) || r; r = ((glUniform2i64vNV = (PFNGLUNIFORM2I64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform2i64vNV")) == NULL) || r; r = ((glUniform2ui64NV = (PFNGLUNIFORM2UI64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform2ui64NV")) == NULL) || r; r = ((glUniform2ui64vNV = (PFNGLUNIFORM2UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform2ui64vNV")) == NULL) || r; r = ((glUniform3i64NV = (PFNGLUNIFORM3I64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform3i64NV")) == NULL) || r; r = ((glUniform3i64vNV = (PFNGLUNIFORM3I64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform3i64vNV")) == NULL) || r; r = ((glUniform3ui64NV = (PFNGLUNIFORM3UI64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform3ui64NV")) == NULL) || r; r = ((glUniform3ui64vNV = (PFNGLUNIFORM3UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform3ui64vNV")) == NULL) || r; r = ((glUniform4i64NV = (PFNGLUNIFORM4I64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform4i64NV")) == NULL) || r; r = ((glUniform4i64vNV = (PFNGLUNIFORM4I64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform4i64vNV")) == NULL) || r; r = ((glUniform4ui64NV = (PFNGLUNIFORM4UI64NVPROC)glewGetProcAddress((const GLubyte*)"glUniform4ui64NV")) == NULL) || r; r = ((glUniform4ui64vNV = (PFNGLUNIFORM4UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniform4ui64vNV")) == NULL) || r; return r; } #endif /* GL_NV_gpu_shader5 */ #ifdef GL_NV_half_float static GLboolean _glewInit_GL_NV_half_float () { GLboolean r = GL_FALSE; r = ((glColor3hNV = (PFNGLCOLOR3HNVPROC)glewGetProcAddress((const GLubyte*)"glColor3hNV")) == NULL) || r; r = ((glColor3hvNV = (PFNGLCOLOR3HVNVPROC)glewGetProcAddress((const GLubyte*)"glColor3hvNV")) == NULL) || r; r = ((glColor4hNV = (PFNGLCOLOR4HNVPROC)glewGetProcAddress((const GLubyte*)"glColor4hNV")) == NULL) || r; r = ((glColor4hvNV = (PFNGLCOLOR4HVNVPROC)glewGetProcAddress((const GLubyte*)"glColor4hvNV")) == NULL) || r; r = ((glFogCoordhNV = (PFNGLFOGCOORDHNVPROC)glewGetProcAddress((const GLubyte*)"glFogCoordhNV")) == NULL) || r; r = ((glFogCoordhvNV = (PFNGLFOGCOORDHVNVPROC)glewGetProcAddress((const GLubyte*)"glFogCoordhvNV")) == NULL) || r; r = ((glMultiTexCoord1hNV = (PFNGLMULTITEXCOORD1HNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1hNV")) == NULL) || r; r = ((glMultiTexCoord1hvNV = (PFNGLMULTITEXCOORD1HVNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord1hvNV")) == NULL) || r; r = ((glMultiTexCoord2hNV = (PFNGLMULTITEXCOORD2HNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2hNV")) == NULL) || r; r = ((glMultiTexCoord2hvNV = (PFNGLMULTITEXCOORD2HVNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord2hvNV")) == NULL) || r; r = ((glMultiTexCoord3hNV = (PFNGLMULTITEXCOORD3HNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3hNV")) == NULL) || r; r = ((glMultiTexCoord3hvNV = (PFNGLMULTITEXCOORD3HVNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord3hvNV")) == NULL) || r; r = ((glMultiTexCoord4hNV = (PFNGLMULTITEXCOORD4HNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4hNV")) == NULL) || r; r = ((glMultiTexCoord4hvNV = (PFNGLMULTITEXCOORD4HVNVPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4hvNV")) == NULL) || r; r = ((glNormal3hNV = (PFNGLNORMAL3HNVPROC)glewGetProcAddress((const GLubyte*)"glNormal3hNV")) == NULL) || r; r = ((glNormal3hvNV = (PFNGLNORMAL3HVNVPROC)glewGetProcAddress((const GLubyte*)"glNormal3hvNV")) == NULL) || r; r = ((glSecondaryColor3hNV = (PFNGLSECONDARYCOLOR3HNVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3hNV")) == NULL) || r; r = ((glSecondaryColor3hvNV = (PFNGLSECONDARYCOLOR3HVNVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColor3hvNV")) == NULL) || r; r = ((glTexCoord1hNV = (PFNGLTEXCOORD1HNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord1hNV")) == NULL) || r; r = ((glTexCoord1hvNV = (PFNGLTEXCOORD1HVNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord1hvNV")) == NULL) || r; r = ((glTexCoord2hNV = (PFNGLTEXCOORD2HNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2hNV")) == NULL) || r; r = ((glTexCoord2hvNV = (PFNGLTEXCOORD2HVNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2hvNV")) == NULL) || r; r = ((glTexCoord3hNV = (PFNGLTEXCOORD3HNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord3hNV")) == NULL) || r; r = ((glTexCoord3hvNV = (PFNGLTEXCOORD3HVNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord3hvNV")) == NULL) || r; r = ((glTexCoord4hNV = (PFNGLTEXCOORD4HNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord4hNV")) == NULL) || r; r = ((glTexCoord4hvNV = (PFNGLTEXCOORD4HVNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoord4hvNV")) == NULL) || r; r = ((glVertex2hNV = (PFNGLVERTEX2HNVPROC)glewGetProcAddress((const GLubyte*)"glVertex2hNV")) == NULL) || r; r = ((glVertex2hvNV = (PFNGLVERTEX2HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertex2hvNV")) == NULL) || r; r = ((glVertex3hNV = (PFNGLVERTEX3HNVPROC)glewGetProcAddress((const GLubyte*)"glVertex3hNV")) == NULL) || r; r = ((glVertex3hvNV = (PFNGLVERTEX3HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertex3hvNV")) == NULL) || r; r = ((glVertex4hNV = (PFNGLVERTEX4HNVPROC)glewGetProcAddress((const GLubyte*)"glVertex4hNV")) == NULL) || r; r = ((glVertex4hvNV = (PFNGLVERTEX4HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertex4hvNV")) == NULL) || r; r = ((glVertexAttrib1hNV = (PFNGLVERTEXATTRIB1HNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1hNV")) == NULL) || r; r = ((glVertexAttrib1hvNV = (PFNGLVERTEXATTRIB1HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1hvNV")) == NULL) || r; r = ((glVertexAttrib2hNV = (PFNGLVERTEXATTRIB2HNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2hNV")) == NULL) || r; r = ((glVertexAttrib2hvNV = (PFNGLVERTEXATTRIB2HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2hvNV")) == NULL) || r; r = ((glVertexAttrib3hNV = (PFNGLVERTEXATTRIB3HNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3hNV")) == NULL) || r; r = ((glVertexAttrib3hvNV = (PFNGLVERTEXATTRIB3HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3hvNV")) == NULL) || r; r = ((glVertexAttrib4hNV = (PFNGLVERTEXATTRIB4HNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4hNV")) == NULL) || r; r = ((glVertexAttrib4hvNV = (PFNGLVERTEXATTRIB4HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4hvNV")) == NULL) || r; r = ((glVertexAttribs1hvNV = (PFNGLVERTEXATTRIBS1HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs1hvNV")) == NULL) || r; r = ((glVertexAttribs2hvNV = (PFNGLVERTEXATTRIBS2HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs2hvNV")) == NULL) || r; r = ((glVertexAttribs3hvNV = (PFNGLVERTEXATTRIBS3HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs3hvNV")) == NULL) || r; r = ((glVertexAttribs4hvNV = (PFNGLVERTEXATTRIBS4HVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs4hvNV")) == NULL) || r; r = ((glVertexWeighthNV = (PFNGLVERTEXWEIGHTHNVPROC)glewGetProcAddress((const GLubyte*)"glVertexWeighthNV")) == NULL) || r; r = ((glVertexWeighthvNV = (PFNGLVERTEXWEIGHTHVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexWeighthvNV")) == NULL) || r; return r; } #endif /* GL_NV_half_float */ #ifdef GL_NV_instanced_arrays static GLboolean _glewInit_GL_NV_instanced_arrays () { GLboolean r = GL_FALSE; r = ((glVertexAttribDivisorNV = (PFNGLVERTEXATTRIBDIVISORNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribDivisorNV")) == NULL) || r; return r; } #endif /* GL_NV_instanced_arrays */ #ifdef GL_NV_internalformat_sample_query static GLboolean _glewInit_GL_NV_internalformat_sample_query () { GLboolean r = GL_FALSE; r = ((glGetInternalformatSampleivNV = (PFNGLGETINTERNALFORMATSAMPLEIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetInternalformatSampleivNV")) == NULL) || r; return r; } #endif /* GL_NV_internalformat_sample_query */ #ifdef GL_NV_non_square_matrices static GLboolean _glewInit_GL_NV_non_square_matrices () { GLboolean r = GL_FALSE; r = ((glUniformMatrix2x3fvNV = (PFNGLUNIFORMMATRIX2X3FVNVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2x3fvNV")) == NULL) || r; r = ((glUniformMatrix2x4fvNV = (PFNGLUNIFORMMATRIX2X4FVNVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix2x4fvNV")) == NULL) || r; r = ((glUniformMatrix3x2fvNV = (PFNGLUNIFORMMATRIX3X2FVNVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3x2fvNV")) == NULL) || r; r = ((glUniformMatrix3x4fvNV = (PFNGLUNIFORMMATRIX3X4FVNVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix3x4fvNV")) == NULL) || r; r = ((glUniformMatrix4x2fvNV = (PFNGLUNIFORMMATRIX4X2FVNVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4x2fvNV")) == NULL) || r; r = ((glUniformMatrix4x3fvNV = (PFNGLUNIFORMMATRIX4X3FVNVPROC)glewGetProcAddress((const GLubyte*)"glUniformMatrix4x3fvNV")) == NULL) || r; return r; } #endif /* GL_NV_non_square_matrices */ #ifdef GL_NV_occlusion_query static GLboolean _glewInit_GL_NV_occlusion_query () { GLboolean r = GL_FALSE; r = ((glBeginOcclusionQueryNV = (PFNGLBEGINOCCLUSIONQUERYNVPROC)glewGetProcAddress((const GLubyte*)"glBeginOcclusionQueryNV")) == NULL) || r; r = ((glDeleteOcclusionQueriesNV = (PFNGLDELETEOCCLUSIONQUERIESNVPROC)glewGetProcAddress((const GLubyte*)"glDeleteOcclusionQueriesNV")) == NULL) || r; r = ((glEndOcclusionQueryNV = (PFNGLENDOCCLUSIONQUERYNVPROC)glewGetProcAddress((const GLubyte*)"glEndOcclusionQueryNV")) == NULL) || r; r = ((glGenOcclusionQueriesNV = (PFNGLGENOCCLUSIONQUERIESNVPROC)glewGetProcAddress((const GLubyte*)"glGenOcclusionQueriesNV")) == NULL) || r; r = ((glGetOcclusionQueryivNV = (PFNGLGETOCCLUSIONQUERYIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetOcclusionQueryivNV")) == NULL) || r; r = ((glGetOcclusionQueryuivNV = (PFNGLGETOCCLUSIONQUERYUIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetOcclusionQueryuivNV")) == NULL) || r; r = ((glIsOcclusionQueryNV = (PFNGLISOCCLUSIONQUERYNVPROC)glewGetProcAddress((const GLubyte*)"glIsOcclusionQueryNV")) == NULL) || r; return r; } #endif /* GL_NV_occlusion_query */ #ifdef GL_NV_parameter_buffer_object static GLboolean _glewInit_GL_NV_parameter_buffer_object () { GLboolean r = GL_FALSE; r = ((glProgramBufferParametersIivNV = (PFNGLPROGRAMBUFFERPARAMETERSIIVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramBufferParametersIivNV")) == NULL) || r; r = ((glProgramBufferParametersIuivNV = (PFNGLPROGRAMBUFFERPARAMETERSIUIVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramBufferParametersIuivNV")) == NULL) || r; r = ((glProgramBufferParametersfvNV = (PFNGLPROGRAMBUFFERPARAMETERSFVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramBufferParametersfvNV")) == NULL) || r; return r; } #endif /* GL_NV_parameter_buffer_object */ #ifdef GL_NV_path_rendering static GLboolean _glewInit_GL_NV_path_rendering () { GLboolean r = GL_FALSE; r = ((glCopyPathNV = (PFNGLCOPYPATHNVPROC)glewGetProcAddress((const GLubyte*)"glCopyPathNV")) == NULL) || r; r = ((glCoverFillPathInstancedNV = (PFNGLCOVERFILLPATHINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glCoverFillPathInstancedNV")) == NULL) || r; r = ((glCoverFillPathNV = (PFNGLCOVERFILLPATHNVPROC)glewGetProcAddress((const GLubyte*)"glCoverFillPathNV")) == NULL) || r; r = ((glCoverStrokePathInstancedNV = (PFNGLCOVERSTROKEPATHINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glCoverStrokePathInstancedNV")) == NULL) || r; r = ((glCoverStrokePathNV = (PFNGLCOVERSTROKEPATHNVPROC)glewGetProcAddress((const GLubyte*)"glCoverStrokePathNV")) == NULL) || r; r = ((glDeletePathsNV = (PFNGLDELETEPATHSNVPROC)glewGetProcAddress((const GLubyte*)"glDeletePathsNV")) == NULL) || r; r = ((glGenPathsNV = (PFNGLGENPATHSNVPROC)glewGetProcAddress((const GLubyte*)"glGenPathsNV")) == NULL) || r; r = ((glGetPathColorGenfvNV = (PFNGLGETPATHCOLORGENFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathColorGenfvNV")) == NULL) || r; r = ((glGetPathColorGenivNV = (PFNGLGETPATHCOLORGENIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathColorGenivNV")) == NULL) || r; r = ((glGetPathCommandsNV = (PFNGLGETPATHCOMMANDSNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathCommandsNV")) == NULL) || r; r = ((glGetPathCoordsNV = (PFNGLGETPATHCOORDSNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathCoordsNV")) == NULL) || r; r = ((glGetPathDashArrayNV = (PFNGLGETPATHDASHARRAYNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathDashArrayNV")) == NULL) || r; r = ((glGetPathLengthNV = (PFNGLGETPATHLENGTHNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathLengthNV")) == NULL) || r; r = ((glGetPathMetricRangeNV = (PFNGLGETPATHMETRICRANGENVPROC)glewGetProcAddress((const GLubyte*)"glGetPathMetricRangeNV")) == NULL) || r; r = ((glGetPathMetricsNV = (PFNGLGETPATHMETRICSNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathMetricsNV")) == NULL) || r; r = ((glGetPathParameterfvNV = (PFNGLGETPATHPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathParameterfvNV")) == NULL) || r; r = ((glGetPathParameterivNV = (PFNGLGETPATHPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathParameterivNV")) == NULL) || r; r = ((glGetPathSpacingNV = (PFNGLGETPATHSPACINGNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathSpacingNV")) == NULL) || r; r = ((glGetPathTexGenfvNV = (PFNGLGETPATHTEXGENFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathTexGenfvNV")) == NULL) || r; r = ((glGetPathTexGenivNV = (PFNGLGETPATHTEXGENIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetPathTexGenivNV")) == NULL) || r; r = ((glGetProgramResourcefvNV = (PFNGLGETPROGRAMRESOURCEFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramResourcefvNV")) == NULL) || r; r = ((glInterpolatePathsNV = (PFNGLINTERPOLATEPATHSNVPROC)glewGetProcAddress((const GLubyte*)"glInterpolatePathsNV")) == NULL) || r; r = ((glIsPathNV = (PFNGLISPATHNVPROC)glewGetProcAddress((const GLubyte*)"glIsPathNV")) == NULL) || r; r = ((glIsPointInFillPathNV = (PFNGLISPOINTINFILLPATHNVPROC)glewGetProcAddress((const GLubyte*)"glIsPointInFillPathNV")) == NULL) || r; r = ((glIsPointInStrokePathNV = (PFNGLISPOINTINSTROKEPATHNVPROC)glewGetProcAddress((const GLubyte*)"glIsPointInStrokePathNV")) == NULL) || r; r = ((glMatrixLoad3x2fNV = (PFNGLMATRIXLOAD3X2FNVPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoad3x2fNV")) == NULL) || r; r = ((glMatrixLoad3x3fNV = (PFNGLMATRIXLOAD3X3FNVPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoad3x3fNV")) == NULL) || r; r = ((glMatrixLoadTranspose3x3fNV = (PFNGLMATRIXLOADTRANSPOSE3X3FNVPROC)glewGetProcAddress((const GLubyte*)"glMatrixLoadTranspose3x3fNV")) == NULL) || r; r = ((glMatrixMult3x2fNV = (PFNGLMATRIXMULT3X2FNVPROC)glewGetProcAddress((const GLubyte*)"glMatrixMult3x2fNV")) == NULL) || r; r = ((glMatrixMult3x3fNV = (PFNGLMATRIXMULT3X3FNVPROC)glewGetProcAddress((const GLubyte*)"glMatrixMult3x3fNV")) == NULL) || r; r = ((glMatrixMultTranspose3x3fNV = (PFNGLMATRIXMULTTRANSPOSE3X3FNVPROC)glewGetProcAddress((const GLubyte*)"glMatrixMultTranspose3x3fNV")) == NULL) || r; r = ((glPathColorGenNV = (PFNGLPATHCOLORGENNVPROC)glewGetProcAddress((const GLubyte*)"glPathColorGenNV")) == NULL) || r; r = ((glPathCommandsNV = (PFNGLPATHCOMMANDSNVPROC)glewGetProcAddress((const GLubyte*)"glPathCommandsNV")) == NULL) || r; r = ((glPathCoordsNV = (PFNGLPATHCOORDSNVPROC)glewGetProcAddress((const GLubyte*)"glPathCoordsNV")) == NULL) || r; r = ((glPathCoverDepthFuncNV = (PFNGLPATHCOVERDEPTHFUNCNVPROC)glewGetProcAddress((const GLubyte*)"glPathCoverDepthFuncNV")) == NULL) || r; r = ((glPathDashArrayNV = (PFNGLPATHDASHARRAYNVPROC)glewGetProcAddress((const GLubyte*)"glPathDashArrayNV")) == NULL) || r; r = ((glPathFogGenNV = (PFNGLPATHFOGGENNVPROC)glewGetProcAddress((const GLubyte*)"glPathFogGenNV")) == NULL) || r; r = ((glPathGlyphIndexArrayNV = (PFNGLPATHGLYPHINDEXARRAYNVPROC)glewGetProcAddress((const GLubyte*)"glPathGlyphIndexArrayNV")) == NULL) || r; r = ((glPathGlyphIndexRangeNV = (PFNGLPATHGLYPHINDEXRANGENVPROC)glewGetProcAddress((const GLubyte*)"glPathGlyphIndexRangeNV")) == NULL) || r; r = ((glPathGlyphRangeNV = (PFNGLPATHGLYPHRANGENVPROC)glewGetProcAddress((const GLubyte*)"glPathGlyphRangeNV")) == NULL) || r; r = ((glPathGlyphsNV = (PFNGLPATHGLYPHSNVPROC)glewGetProcAddress((const GLubyte*)"glPathGlyphsNV")) == NULL) || r; r = ((glPathMemoryGlyphIndexArrayNV = (PFNGLPATHMEMORYGLYPHINDEXARRAYNVPROC)glewGetProcAddress((const GLubyte*)"glPathMemoryGlyphIndexArrayNV")) == NULL) || r; r = ((glPathParameterfNV = (PFNGLPATHPARAMETERFNVPROC)glewGetProcAddress((const GLubyte*)"glPathParameterfNV")) == NULL) || r; r = ((glPathParameterfvNV = (PFNGLPATHPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glPathParameterfvNV")) == NULL) || r; r = ((glPathParameteriNV = (PFNGLPATHPARAMETERINVPROC)glewGetProcAddress((const GLubyte*)"glPathParameteriNV")) == NULL) || r; r = ((glPathParameterivNV = (PFNGLPATHPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glPathParameterivNV")) == NULL) || r; r = ((glPathStencilDepthOffsetNV = (PFNGLPATHSTENCILDEPTHOFFSETNVPROC)glewGetProcAddress((const GLubyte*)"glPathStencilDepthOffsetNV")) == NULL) || r; r = ((glPathStencilFuncNV = (PFNGLPATHSTENCILFUNCNVPROC)glewGetProcAddress((const GLubyte*)"glPathStencilFuncNV")) == NULL) || r; r = ((glPathStringNV = (PFNGLPATHSTRINGNVPROC)glewGetProcAddress((const GLubyte*)"glPathStringNV")) == NULL) || r; r = ((glPathSubCommandsNV = (PFNGLPATHSUBCOMMANDSNVPROC)glewGetProcAddress((const GLubyte*)"glPathSubCommandsNV")) == NULL) || r; r = ((glPathSubCoordsNV = (PFNGLPATHSUBCOORDSNVPROC)glewGetProcAddress((const GLubyte*)"glPathSubCoordsNV")) == NULL) || r; r = ((glPathTexGenNV = (PFNGLPATHTEXGENNVPROC)glewGetProcAddress((const GLubyte*)"glPathTexGenNV")) == NULL) || r; r = ((glPointAlongPathNV = (PFNGLPOINTALONGPATHNVPROC)glewGetProcAddress((const GLubyte*)"glPointAlongPathNV")) == NULL) || r; r = ((glProgramPathFragmentInputGenNV = (PFNGLPROGRAMPATHFRAGMENTINPUTGENNVPROC)glewGetProcAddress((const GLubyte*)"glProgramPathFragmentInputGenNV")) == NULL) || r; r = ((glStencilFillPathInstancedNV = (PFNGLSTENCILFILLPATHINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glStencilFillPathInstancedNV")) == NULL) || r; r = ((glStencilFillPathNV = (PFNGLSTENCILFILLPATHNVPROC)glewGetProcAddress((const GLubyte*)"glStencilFillPathNV")) == NULL) || r; r = ((glStencilStrokePathInstancedNV = (PFNGLSTENCILSTROKEPATHINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glStencilStrokePathInstancedNV")) == NULL) || r; r = ((glStencilStrokePathNV = (PFNGLSTENCILSTROKEPATHNVPROC)glewGetProcAddress((const GLubyte*)"glStencilStrokePathNV")) == NULL) || r; r = ((glStencilThenCoverFillPathInstancedNV = (PFNGLSTENCILTHENCOVERFILLPATHINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glStencilThenCoverFillPathInstancedNV")) == NULL) || r; r = ((glStencilThenCoverFillPathNV = (PFNGLSTENCILTHENCOVERFILLPATHNVPROC)glewGetProcAddress((const GLubyte*)"glStencilThenCoverFillPathNV")) == NULL) || r; r = ((glStencilThenCoverStrokePathInstancedNV = (PFNGLSTENCILTHENCOVERSTROKEPATHINSTANCEDNVPROC)glewGetProcAddress((const GLubyte*)"glStencilThenCoverStrokePathInstancedNV")) == NULL) || r; r = ((glStencilThenCoverStrokePathNV = (PFNGLSTENCILTHENCOVERSTROKEPATHNVPROC)glewGetProcAddress((const GLubyte*)"glStencilThenCoverStrokePathNV")) == NULL) || r; r = ((glTransformPathNV = (PFNGLTRANSFORMPATHNVPROC)glewGetProcAddress((const GLubyte*)"glTransformPathNV")) == NULL) || r; r = ((glWeightPathsNV = (PFNGLWEIGHTPATHSNVPROC)glewGetProcAddress((const GLubyte*)"glWeightPathsNV")) == NULL) || r; return r; } #endif /* GL_NV_path_rendering */ #ifdef GL_NV_pixel_data_range static GLboolean _glewInit_GL_NV_pixel_data_range () { GLboolean r = GL_FALSE; r = ((glFlushPixelDataRangeNV = (PFNGLFLUSHPIXELDATARANGENVPROC)glewGetProcAddress((const GLubyte*)"glFlushPixelDataRangeNV")) == NULL) || r; r = ((glPixelDataRangeNV = (PFNGLPIXELDATARANGENVPROC)glewGetProcAddress((const GLubyte*)"glPixelDataRangeNV")) == NULL) || r; return r; } #endif /* GL_NV_pixel_data_range */ #ifdef GL_NV_point_sprite static GLboolean _glewInit_GL_NV_point_sprite () { GLboolean r = GL_FALSE; r = ((glPointParameteriNV = (PFNGLPOINTPARAMETERINVPROC)glewGetProcAddress((const GLubyte*)"glPointParameteriNV")) == NULL) || r; r = ((glPointParameterivNV = (PFNGLPOINTPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glPointParameterivNV")) == NULL) || r; return r; } #endif /* GL_NV_point_sprite */ #ifdef GL_NV_polygon_mode static GLboolean _glewInit_GL_NV_polygon_mode () { GLboolean r = GL_FALSE; r = ((glPolygonModeNV = (PFNGLPOLYGONMODENVPROC)glewGetProcAddress((const GLubyte*)"glPolygonModeNV")) == NULL) || r; return r; } #endif /* GL_NV_polygon_mode */ #ifdef GL_NV_present_video static GLboolean _glewInit_GL_NV_present_video () { GLboolean r = GL_FALSE; r = ((glGetVideoi64vNV = (PFNGLGETVIDEOI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoi64vNV")) == NULL) || r; r = ((glGetVideoivNV = (PFNGLGETVIDEOIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoivNV")) == NULL) || r; r = ((glGetVideoui64vNV = (PFNGLGETVIDEOUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoui64vNV")) == NULL) || r; r = ((glGetVideouivNV = (PFNGLGETVIDEOUIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideouivNV")) == NULL) || r; r = ((glPresentFrameDualFillNV = (PFNGLPRESENTFRAMEDUALFILLNVPROC)glewGetProcAddress((const GLubyte*)"glPresentFrameDualFillNV")) == NULL) || r; r = ((glPresentFrameKeyedNV = (PFNGLPRESENTFRAMEKEYEDNVPROC)glewGetProcAddress((const GLubyte*)"glPresentFrameKeyedNV")) == NULL) || r; return r; } #endif /* GL_NV_present_video */ #ifdef GL_NV_primitive_restart static GLboolean _glewInit_GL_NV_primitive_restart () { GLboolean r = GL_FALSE; r = ((glPrimitiveRestartIndexNV = (PFNGLPRIMITIVERESTARTINDEXNVPROC)glewGetProcAddress((const GLubyte*)"glPrimitiveRestartIndexNV")) == NULL) || r; r = ((glPrimitiveRestartNV = (PFNGLPRIMITIVERESTARTNVPROC)glewGetProcAddress((const GLubyte*)"glPrimitiveRestartNV")) == NULL) || r; return r; } #endif /* GL_NV_primitive_restart */ #ifdef GL_NV_register_combiners static GLboolean _glewInit_GL_NV_register_combiners () { GLboolean r = GL_FALSE; r = ((glCombinerInputNV = (PFNGLCOMBINERINPUTNVPROC)glewGetProcAddress((const GLubyte*)"glCombinerInputNV")) == NULL) || r; r = ((glCombinerOutputNV = (PFNGLCOMBINEROUTPUTNVPROC)glewGetProcAddress((const GLubyte*)"glCombinerOutputNV")) == NULL) || r; r = ((glCombinerParameterfNV = (PFNGLCOMBINERPARAMETERFNVPROC)glewGetProcAddress((const GLubyte*)"glCombinerParameterfNV")) == NULL) || r; r = ((glCombinerParameterfvNV = (PFNGLCOMBINERPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glCombinerParameterfvNV")) == NULL) || r; r = ((glCombinerParameteriNV = (PFNGLCOMBINERPARAMETERINVPROC)glewGetProcAddress((const GLubyte*)"glCombinerParameteriNV")) == NULL) || r; r = ((glCombinerParameterivNV = (PFNGLCOMBINERPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glCombinerParameterivNV")) == NULL) || r; r = ((glFinalCombinerInputNV = (PFNGLFINALCOMBINERINPUTNVPROC)glewGetProcAddress((const GLubyte*)"glFinalCombinerInputNV")) == NULL) || r; r = ((glGetCombinerInputParameterfvNV = (PFNGLGETCOMBINERINPUTPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetCombinerInputParameterfvNV")) == NULL) || r; r = ((glGetCombinerInputParameterivNV = (PFNGLGETCOMBINERINPUTPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetCombinerInputParameterivNV")) == NULL) || r; r = ((glGetCombinerOutputParameterfvNV = (PFNGLGETCOMBINEROUTPUTPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetCombinerOutputParameterfvNV")) == NULL) || r; r = ((glGetCombinerOutputParameterivNV = (PFNGLGETCOMBINEROUTPUTPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetCombinerOutputParameterivNV")) == NULL) || r; r = ((glGetFinalCombinerInputParameterfvNV = (PFNGLGETFINALCOMBINERINPUTPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetFinalCombinerInputParameterfvNV")) == NULL) || r; r = ((glGetFinalCombinerInputParameterivNV = (PFNGLGETFINALCOMBINERINPUTPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetFinalCombinerInputParameterivNV")) == NULL) || r; return r; } #endif /* GL_NV_register_combiners */ #ifdef GL_NV_register_combiners2 static GLboolean _glewInit_GL_NV_register_combiners2 () { GLboolean r = GL_FALSE; r = ((glCombinerStageParameterfvNV = (PFNGLCOMBINERSTAGEPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glCombinerStageParameterfvNV")) == NULL) || r; r = ((glGetCombinerStageParameterfvNV = (PFNGLGETCOMBINERSTAGEPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetCombinerStageParameterfvNV")) == NULL) || r; return r; } #endif /* GL_NV_register_combiners2 */ #ifdef GL_NV_sample_locations static GLboolean _glewInit_GL_NV_sample_locations () { GLboolean r = GL_FALSE; r = ((glFramebufferSampleLocationsfvNV = (PFNGLFRAMEBUFFERSAMPLELOCATIONSFVNVPROC)glewGetProcAddress((const GLubyte*)"glFramebufferSampleLocationsfvNV")) == NULL) || r; r = ((glNamedFramebufferSampleLocationsfvNV = (PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVNVPROC)glewGetProcAddress((const GLubyte*)"glNamedFramebufferSampleLocationsfvNV")) == NULL) || r; return r; } #endif /* GL_NV_sample_locations */ #ifdef GL_NV_shader_buffer_load static GLboolean _glewInit_GL_NV_shader_buffer_load () { GLboolean r = GL_FALSE; r = ((glGetBufferParameterui64vNV = (PFNGLGETBUFFERPARAMETERUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetBufferParameterui64vNV")) == NULL) || r; r = ((glGetIntegerui64vNV = (PFNGLGETINTEGERUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetIntegerui64vNV")) == NULL) || r; r = ((glGetNamedBufferParameterui64vNV = (PFNGLGETNAMEDBUFFERPARAMETERUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetNamedBufferParameterui64vNV")) == NULL) || r; r = ((glIsBufferResidentNV = (PFNGLISBUFFERRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glIsBufferResidentNV")) == NULL) || r; r = ((glIsNamedBufferResidentNV = (PFNGLISNAMEDBUFFERRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glIsNamedBufferResidentNV")) == NULL) || r; r = ((glMakeBufferNonResidentNV = (PFNGLMAKEBUFFERNONRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeBufferNonResidentNV")) == NULL) || r; r = ((glMakeBufferResidentNV = (PFNGLMAKEBUFFERRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeBufferResidentNV")) == NULL) || r; r = ((glMakeNamedBufferNonResidentNV = (PFNGLMAKENAMEDBUFFERNONRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeNamedBufferNonResidentNV")) == NULL) || r; r = ((glMakeNamedBufferResidentNV = (PFNGLMAKENAMEDBUFFERRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glMakeNamedBufferResidentNV")) == NULL) || r; r = ((glProgramUniformui64NV = (PFNGLPROGRAMUNIFORMUI64NVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformui64NV")) == NULL) || r; r = ((glProgramUniformui64vNV = (PFNGLPROGRAMUNIFORMUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glProgramUniformui64vNV")) == NULL) || r; r = ((glUniformui64NV = (PFNGLUNIFORMUI64NVPROC)glewGetProcAddress((const GLubyte*)"glUniformui64NV")) == NULL) || r; r = ((glUniformui64vNV = (PFNGLUNIFORMUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glUniformui64vNV")) == NULL) || r; return r; } #endif /* GL_NV_shader_buffer_load */ #ifdef GL_NV_texture_array static GLboolean _glewInit_GL_NV_texture_array () { GLboolean r = GL_FALSE; r = ((glCompressedTexImage3DNV = (PFNGLCOMPRESSEDTEXIMAGE3DNVPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexImage3DNV")) == NULL) || r; r = ((glCompressedTexSubImage3DNV = (PFNGLCOMPRESSEDTEXSUBIMAGE3DNVPROC)glewGetProcAddress((const GLubyte*)"glCompressedTexSubImage3DNV")) == NULL) || r; r = ((glCopyTexSubImage3DNV = (PFNGLCOPYTEXSUBIMAGE3DNVPROC)glewGetProcAddress((const GLubyte*)"glCopyTexSubImage3DNV")) == NULL) || r; r = ((glFramebufferTextureLayerNV = (PFNGLFRAMEBUFFERTEXTURELAYERNVPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureLayerNV")) == NULL) || r; r = ((glTexImage3DNV = (PFNGLTEXIMAGE3DNVPROC)glewGetProcAddress((const GLubyte*)"glTexImage3DNV")) == NULL) || r; r = ((glTexSubImage3DNV = (PFNGLTEXSUBIMAGE3DNVPROC)glewGetProcAddress((const GLubyte*)"glTexSubImage3DNV")) == NULL) || r; return r; } #endif /* GL_NV_texture_array */ #ifdef GL_NV_texture_barrier static GLboolean _glewInit_GL_NV_texture_barrier () { GLboolean r = GL_FALSE; r = ((glTextureBarrierNV = (PFNGLTEXTUREBARRIERNVPROC)glewGetProcAddress((const GLubyte*)"glTextureBarrierNV")) == NULL) || r; return r; } #endif /* GL_NV_texture_barrier */ #ifdef GL_NV_texture_multisample static GLboolean _glewInit_GL_NV_texture_multisample () { GLboolean r = GL_FALSE; r = ((glTexImage2DMultisampleCoverageNV = (PFNGLTEXIMAGE2DMULTISAMPLECOVERAGENVPROC)glewGetProcAddress((const GLubyte*)"glTexImage2DMultisampleCoverageNV")) == NULL) || r; r = ((glTexImage3DMultisampleCoverageNV = (PFNGLTEXIMAGE3DMULTISAMPLECOVERAGENVPROC)glewGetProcAddress((const GLubyte*)"glTexImage3DMultisampleCoverageNV")) == NULL) || r; r = ((glTextureImage2DMultisampleCoverageNV = (PFNGLTEXTUREIMAGE2DMULTISAMPLECOVERAGENVPROC)glewGetProcAddress((const GLubyte*)"glTextureImage2DMultisampleCoverageNV")) == NULL) || r; r = ((glTextureImage2DMultisampleNV = (PFNGLTEXTUREIMAGE2DMULTISAMPLENVPROC)glewGetProcAddress((const GLubyte*)"glTextureImage2DMultisampleNV")) == NULL) || r; r = ((glTextureImage3DMultisampleCoverageNV = (PFNGLTEXTUREIMAGE3DMULTISAMPLECOVERAGENVPROC)glewGetProcAddress((const GLubyte*)"glTextureImage3DMultisampleCoverageNV")) == NULL) || r; r = ((glTextureImage3DMultisampleNV = (PFNGLTEXTUREIMAGE3DMULTISAMPLENVPROC)glewGetProcAddress((const GLubyte*)"glTextureImage3DMultisampleNV")) == NULL) || r; return r; } #endif /* GL_NV_texture_multisample */ #ifdef GL_NV_transform_feedback static GLboolean _glewInit_GL_NV_transform_feedback () { GLboolean r = GL_FALSE; r = ((glActiveVaryingNV = (PFNGLACTIVEVARYINGNVPROC)glewGetProcAddress((const GLubyte*)"glActiveVaryingNV")) == NULL) || r; r = ((glBeginTransformFeedbackNV = (PFNGLBEGINTRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glBeginTransformFeedbackNV")) == NULL) || r; r = ((glBindBufferBaseNV = (PFNGLBINDBUFFERBASENVPROC)glewGetProcAddress((const GLubyte*)"glBindBufferBaseNV")) == NULL) || r; r = ((glBindBufferOffsetNV = (PFNGLBINDBUFFEROFFSETNVPROC)glewGetProcAddress((const GLubyte*)"glBindBufferOffsetNV")) == NULL) || r; r = ((glBindBufferRangeNV = (PFNGLBINDBUFFERRANGENVPROC)glewGetProcAddress((const GLubyte*)"glBindBufferRangeNV")) == NULL) || r; r = ((glEndTransformFeedbackNV = (PFNGLENDTRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glEndTransformFeedbackNV")) == NULL) || r; r = ((glGetActiveVaryingNV = (PFNGLGETACTIVEVARYINGNVPROC)glewGetProcAddress((const GLubyte*)"glGetActiveVaryingNV")) == NULL) || r; r = ((glGetTransformFeedbackVaryingNV = (PFNGLGETTRANSFORMFEEDBACKVARYINGNVPROC)glewGetProcAddress((const GLubyte*)"glGetTransformFeedbackVaryingNV")) == NULL) || r; r = ((glGetVaryingLocationNV = (PFNGLGETVARYINGLOCATIONNVPROC)glewGetProcAddress((const GLubyte*)"glGetVaryingLocationNV")) == NULL) || r; r = ((glTransformFeedbackAttribsNV = (PFNGLTRANSFORMFEEDBACKATTRIBSNVPROC)glewGetProcAddress((const GLubyte*)"glTransformFeedbackAttribsNV")) == NULL) || r; r = ((glTransformFeedbackVaryingsNV = (PFNGLTRANSFORMFEEDBACKVARYINGSNVPROC)glewGetProcAddress((const GLubyte*)"glTransformFeedbackVaryingsNV")) == NULL) || r; return r; } #endif /* GL_NV_transform_feedback */ #ifdef GL_NV_transform_feedback2 static GLboolean _glewInit_GL_NV_transform_feedback2 () { GLboolean r = GL_FALSE; r = ((glBindTransformFeedbackNV = (PFNGLBINDTRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glBindTransformFeedbackNV")) == NULL) || r; r = ((glDeleteTransformFeedbacksNV = (PFNGLDELETETRANSFORMFEEDBACKSNVPROC)glewGetProcAddress((const GLubyte*)"glDeleteTransformFeedbacksNV")) == NULL) || r; r = ((glDrawTransformFeedbackNV = (PFNGLDRAWTRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glDrawTransformFeedbackNV")) == NULL) || r; r = ((glGenTransformFeedbacksNV = (PFNGLGENTRANSFORMFEEDBACKSNVPROC)glewGetProcAddress((const GLubyte*)"glGenTransformFeedbacksNV")) == NULL) || r; r = ((glIsTransformFeedbackNV = (PFNGLISTRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glIsTransformFeedbackNV")) == NULL) || r; r = ((glPauseTransformFeedbackNV = (PFNGLPAUSETRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glPauseTransformFeedbackNV")) == NULL) || r; r = ((glResumeTransformFeedbackNV = (PFNGLRESUMETRANSFORMFEEDBACKNVPROC)glewGetProcAddress((const GLubyte*)"glResumeTransformFeedbackNV")) == NULL) || r; return r; } #endif /* GL_NV_transform_feedback2 */ #ifdef GL_NV_vdpau_interop static GLboolean _glewInit_GL_NV_vdpau_interop () { GLboolean r = GL_FALSE; r = ((glVDPAUFiniNV = (PFNGLVDPAUFININVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUFiniNV")) == NULL) || r; r = ((glVDPAUGetSurfaceivNV = (PFNGLVDPAUGETSURFACEIVNVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUGetSurfaceivNV")) == NULL) || r; r = ((glVDPAUInitNV = (PFNGLVDPAUINITNVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUInitNV")) == NULL) || r; r = ((glVDPAUIsSurfaceNV = (PFNGLVDPAUISSURFACENVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUIsSurfaceNV")) == NULL) || r; r = ((glVDPAUMapSurfacesNV = (PFNGLVDPAUMAPSURFACESNVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUMapSurfacesNV")) == NULL) || r; r = ((glVDPAURegisterOutputSurfaceNV = (PFNGLVDPAUREGISTEROUTPUTSURFACENVPROC)glewGetProcAddress((const GLubyte*)"glVDPAURegisterOutputSurfaceNV")) == NULL) || r; r = ((glVDPAURegisterVideoSurfaceNV = (PFNGLVDPAUREGISTERVIDEOSURFACENVPROC)glewGetProcAddress((const GLubyte*)"glVDPAURegisterVideoSurfaceNV")) == NULL) || r; r = ((glVDPAUSurfaceAccessNV = (PFNGLVDPAUSURFACEACCESSNVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUSurfaceAccessNV")) == NULL) || r; r = ((glVDPAUUnmapSurfacesNV = (PFNGLVDPAUUNMAPSURFACESNVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUUnmapSurfacesNV")) == NULL) || r; r = ((glVDPAUUnregisterSurfaceNV = (PFNGLVDPAUUNREGISTERSURFACENVPROC)glewGetProcAddress((const GLubyte*)"glVDPAUUnregisterSurfaceNV")) == NULL) || r; return r; } #endif /* GL_NV_vdpau_interop */ #ifdef GL_NV_vertex_array_range static GLboolean _glewInit_GL_NV_vertex_array_range () { GLboolean r = GL_FALSE; r = ((glFlushVertexArrayRangeNV = (PFNGLFLUSHVERTEXARRAYRANGENVPROC)glewGetProcAddress((const GLubyte*)"glFlushVertexArrayRangeNV")) == NULL) || r; r = ((glVertexArrayRangeNV = (PFNGLVERTEXARRAYRANGENVPROC)glewGetProcAddress((const GLubyte*)"glVertexArrayRangeNV")) == NULL) || r; return r; } #endif /* GL_NV_vertex_array_range */ #ifdef GL_NV_vertex_attrib_integer_64bit static GLboolean _glewInit_GL_NV_vertex_attrib_integer_64bit () { GLboolean r = GL_FALSE; r = ((glGetVertexAttribLi64vNV = (PFNGLGETVERTEXATTRIBLI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribLi64vNV")) == NULL) || r; r = ((glGetVertexAttribLui64vNV = (PFNGLGETVERTEXATTRIBLUI64VNVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribLui64vNV")) == NULL) || r; r = ((glVertexAttribL1i64NV = (PFNGLVERTEXATTRIBL1I64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1i64NV")) == NULL) || r; r = ((glVertexAttribL1i64vNV = (PFNGLVERTEXATTRIBL1I64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1i64vNV")) == NULL) || r; r = ((glVertexAttribL1ui64NV = (PFNGLVERTEXATTRIBL1UI64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1ui64NV")) == NULL) || r; r = ((glVertexAttribL1ui64vNV = (PFNGLVERTEXATTRIBL1UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL1ui64vNV")) == NULL) || r; r = ((glVertexAttribL2i64NV = (PFNGLVERTEXATTRIBL2I64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2i64NV")) == NULL) || r; r = ((glVertexAttribL2i64vNV = (PFNGLVERTEXATTRIBL2I64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2i64vNV")) == NULL) || r; r = ((glVertexAttribL2ui64NV = (PFNGLVERTEXATTRIBL2UI64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2ui64NV")) == NULL) || r; r = ((glVertexAttribL2ui64vNV = (PFNGLVERTEXATTRIBL2UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL2ui64vNV")) == NULL) || r; r = ((glVertexAttribL3i64NV = (PFNGLVERTEXATTRIBL3I64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3i64NV")) == NULL) || r; r = ((glVertexAttribL3i64vNV = (PFNGLVERTEXATTRIBL3I64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3i64vNV")) == NULL) || r; r = ((glVertexAttribL3ui64NV = (PFNGLVERTEXATTRIBL3UI64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3ui64NV")) == NULL) || r; r = ((glVertexAttribL3ui64vNV = (PFNGLVERTEXATTRIBL3UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL3ui64vNV")) == NULL) || r; r = ((glVertexAttribL4i64NV = (PFNGLVERTEXATTRIBL4I64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4i64NV")) == NULL) || r; r = ((glVertexAttribL4i64vNV = (PFNGLVERTEXATTRIBL4I64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4i64vNV")) == NULL) || r; r = ((glVertexAttribL4ui64NV = (PFNGLVERTEXATTRIBL4UI64NVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4ui64NV")) == NULL) || r; r = ((glVertexAttribL4ui64vNV = (PFNGLVERTEXATTRIBL4UI64VNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribL4ui64vNV")) == NULL) || r; r = ((glVertexAttribLFormatNV = (PFNGLVERTEXATTRIBLFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribLFormatNV")) == NULL) || r; return r; } #endif /* GL_NV_vertex_attrib_integer_64bit */ #ifdef GL_NV_vertex_buffer_unified_memory static GLboolean _glewInit_GL_NV_vertex_buffer_unified_memory () { GLboolean r = GL_FALSE; r = ((glBufferAddressRangeNV = (PFNGLBUFFERADDRESSRANGENVPROC)glewGetProcAddress((const GLubyte*)"glBufferAddressRangeNV")) == NULL) || r; r = ((glColorFormatNV = (PFNGLCOLORFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glColorFormatNV")) == NULL) || r; r = ((glEdgeFlagFormatNV = (PFNGLEDGEFLAGFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glEdgeFlagFormatNV")) == NULL) || r; r = ((glFogCoordFormatNV = (PFNGLFOGCOORDFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glFogCoordFormatNV")) == NULL) || r; r = ((glGetIntegerui64i_vNV = (PFNGLGETINTEGERUI64I_VNVPROC)glewGetProcAddress((const GLubyte*)"glGetIntegerui64i_vNV")) == NULL) || r; r = ((glIndexFormatNV = (PFNGLINDEXFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glIndexFormatNV")) == NULL) || r; r = ((glNormalFormatNV = (PFNGLNORMALFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glNormalFormatNV")) == NULL) || r; r = ((glSecondaryColorFormatNV = (PFNGLSECONDARYCOLORFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glSecondaryColorFormatNV")) == NULL) || r; r = ((glTexCoordFormatNV = (PFNGLTEXCOORDFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glTexCoordFormatNV")) == NULL) || r; r = ((glVertexAttribFormatNV = (PFNGLVERTEXATTRIBFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribFormatNV")) == NULL) || r; r = ((glVertexAttribIFormatNV = (PFNGLVERTEXATTRIBIFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribIFormatNV")) == NULL) || r; r = ((glVertexFormatNV = (PFNGLVERTEXFORMATNVPROC)glewGetProcAddress((const GLubyte*)"glVertexFormatNV")) == NULL) || r; return r; } #endif /* GL_NV_vertex_buffer_unified_memory */ #ifdef GL_NV_vertex_program static GLboolean _glewInit_GL_NV_vertex_program () { GLboolean r = GL_FALSE; r = ((glAreProgramsResidentNV = (PFNGLAREPROGRAMSRESIDENTNVPROC)glewGetProcAddress((const GLubyte*)"glAreProgramsResidentNV")) == NULL) || r; r = ((glBindProgramNV = (PFNGLBINDPROGRAMNVPROC)glewGetProcAddress((const GLubyte*)"glBindProgramNV")) == NULL) || r; r = ((glDeleteProgramsNV = (PFNGLDELETEPROGRAMSNVPROC)glewGetProcAddress((const GLubyte*)"glDeleteProgramsNV")) == NULL) || r; r = ((glExecuteProgramNV = (PFNGLEXECUTEPROGRAMNVPROC)glewGetProcAddress((const GLubyte*)"glExecuteProgramNV")) == NULL) || r; r = ((glGenProgramsNV = (PFNGLGENPROGRAMSNVPROC)glewGetProcAddress((const GLubyte*)"glGenProgramsNV")) == NULL) || r; r = ((glGetProgramParameterdvNV = (PFNGLGETPROGRAMPARAMETERDVNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramParameterdvNV")) == NULL) || r; r = ((glGetProgramParameterfvNV = (PFNGLGETPROGRAMPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramParameterfvNV")) == NULL) || r; r = ((glGetProgramStringNV = (PFNGLGETPROGRAMSTRINGNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramStringNV")) == NULL) || r; r = ((glGetProgramivNV = (PFNGLGETPROGRAMIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetProgramivNV")) == NULL) || r; r = ((glGetTrackMatrixivNV = (PFNGLGETTRACKMATRIXIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetTrackMatrixivNV")) == NULL) || r; r = ((glGetVertexAttribPointervNV = (PFNGLGETVERTEXATTRIBPOINTERVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribPointervNV")) == NULL) || r; r = ((glGetVertexAttribdvNV = (PFNGLGETVERTEXATTRIBDVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribdvNV")) == NULL) || r; r = ((glGetVertexAttribfvNV = (PFNGLGETVERTEXATTRIBFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribfvNV")) == NULL) || r; r = ((glGetVertexAttribivNV = (PFNGLGETVERTEXATTRIBIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVertexAttribivNV")) == NULL) || r; r = ((glIsProgramNV = (PFNGLISPROGRAMNVPROC)glewGetProcAddress((const GLubyte*)"glIsProgramNV")) == NULL) || r; r = ((glLoadProgramNV = (PFNGLLOADPROGRAMNVPROC)glewGetProcAddress((const GLubyte*)"glLoadProgramNV")) == NULL) || r; r = ((glProgramParameter4dNV = (PFNGLPROGRAMPARAMETER4DNVPROC)glewGetProcAddress((const GLubyte*)"glProgramParameter4dNV")) == NULL) || r; r = ((glProgramParameter4dvNV = (PFNGLPROGRAMPARAMETER4DVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramParameter4dvNV")) == NULL) || r; r = ((glProgramParameter4fNV = (PFNGLPROGRAMPARAMETER4FNVPROC)glewGetProcAddress((const GLubyte*)"glProgramParameter4fNV")) == NULL) || r; r = ((glProgramParameter4fvNV = (PFNGLPROGRAMPARAMETER4FVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramParameter4fvNV")) == NULL) || r; r = ((glProgramParameters4dvNV = (PFNGLPROGRAMPARAMETERS4DVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramParameters4dvNV")) == NULL) || r; r = ((glProgramParameters4fvNV = (PFNGLPROGRAMPARAMETERS4FVNVPROC)glewGetProcAddress((const GLubyte*)"glProgramParameters4fvNV")) == NULL) || r; r = ((glRequestResidentProgramsNV = (PFNGLREQUESTRESIDENTPROGRAMSNVPROC)glewGetProcAddress((const GLubyte*)"glRequestResidentProgramsNV")) == NULL) || r; r = ((glTrackMatrixNV = (PFNGLTRACKMATRIXNVPROC)glewGetProcAddress((const GLubyte*)"glTrackMatrixNV")) == NULL) || r; r = ((glVertexAttrib1dNV = (PFNGLVERTEXATTRIB1DNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1dNV")) == NULL) || r; r = ((glVertexAttrib1dvNV = (PFNGLVERTEXATTRIB1DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1dvNV")) == NULL) || r; r = ((glVertexAttrib1fNV = (PFNGLVERTEXATTRIB1FNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1fNV")) == NULL) || r; r = ((glVertexAttrib1fvNV = (PFNGLVERTEXATTRIB1FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1fvNV")) == NULL) || r; r = ((glVertexAttrib1sNV = (PFNGLVERTEXATTRIB1SNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1sNV")) == NULL) || r; r = ((glVertexAttrib1svNV = (PFNGLVERTEXATTRIB1SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib1svNV")) == NULL) || r; r = ((glVertexAttrib2dNV = (PFNGLVERTEXATTRIB2DNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2dNV")) == NULL) || r; r = ((glVertexAttrib2dvNV = (PFNGLVERTEXATTRIB2DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2dvNV")) == NULL) || r; r = ((glVertexAttrib2fNV = (PFNGLVERTEXATTRIB2FNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2fNV")) == NULL) || r; r = ((glVertexAttrib2fvNV = (PFNGLVERTEXATTRIB2FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2fvNV")) == NULL) || r; r = ((glVertexAttrib2sNV = (PFNGLVERTEXATTRIB2SNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2sNV")) == NULL) || r; r = ((glVertexAttrib2svNV = (PFNGLVERTEXATTRIB2SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib2svNV")) == NULL) || r; r = ((glVertexAttrib3dNV = (PFNGLVERTEXATTRIB3DNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3dNV")) == NULL) || r; r = ((glVertexAttrib3dvNV = (PFNGLVERTEXATTRIB3DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3dvNV")) == NULL) || r; r = ((glVertexAttrib3fNV = (PFNGLVERTEXATTRIB3FNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3fNV")) == NULL) || r; r = ((glVertexAttrib3fvNV = (PFNGLVERTEXATTRIB3FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3fvNV")) == NULL) || r; r = ((glVertexAttrib3sNV = (PFNGLVERTEXATTRIB3SNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3sNV")) == NULL) || r; r = ((glVertexAttrib3svNV = (PFNGLVERTEXATTRIB3SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib3svNV")) == NULL) || r; r = ((glVertexAttrib4dNV = (PFNGLVERTEXATTRIB4DNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4dNV")) == NULL) || r; r = ((glVertexAttrib4dvNV = (PFNGLVERTEXATTRIB4DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4dvNV")) == NULL) || r; r = ((glVertexAttrib4fNV = (PFNGLVERTEXATTRIB4FNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4fNV")) == NULL) || r; r = ((glVertexAttrib4fvNV = (PFNGLVERTEXATTRIB4FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4fvNV")) == NULL) || r; r = ((glVertexAttrib4sNV = (PFNGLVERTEXATTRIB4SNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4sNV")) == NULL) || r; r = ((glVertexAttrib4svNV = (PFNGLVERTEXATTRIB4SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4svNV")) == NULL) || r; r = ((glVertexAttrib4ubNV = (PFNGLVERTEXATTRIB4UBNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4ubNV")) == NULL) || r; r = ((glVertexAttrib4ubvNV = (PFNGLVERTEXATTRIB4UBVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttrib4ubvNV")) == NULL) || r; r = ((glVertexAttribPointerNV = (PFNGLVERTEXATTRIBPOINTERNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribPointerNV")) == NULL) || r; r = ((glVertexAttribs1dvNV = (PFNGLVERTEXATTRIBS1DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs1dvNV")) == NULL) || r; r = ((glVertexAttribs1fvNV = (PFNGLVERTEXATTRIBS1FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs1fvNV")) == NULL) || r; r = ((glVertexAttribs1svNV = (PFNGLVERTEXATTRIBS1SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs1svNV")) == NULL) || r; r = ((glVertexAttribs2dvNV = (PFNGLVERTEXATTRIBS2DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs2dvNV")) == NULL) || r; r = ((glVertexAttribs2fvNV = (PFNGLVERTEXATTRIBS2FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs2fvNV")) == NULL) || r; r = ((glVertexAttribs2svNV = (PFNGLVERTEXATTRIBS2SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs2svNV")) == NULL) || r; r = ((glVertexAttribs3dvNV = (PFNGLVERTEXATTRIBS3DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs3dvNV")) == NULL) || r; r = ((glVertexAttribs3fvNV = (PFNGLVERTEXATTRIBS3FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs3fvNV")) == NULL) || r; r = ((glVertexAttribs3svNV = (PFNGLVERTEXATTRIBS3SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs3svNV")) == NULL) || r; r = ((glVertexAttribs4dvNV = (PFNGLVERTEXATTRIBS4DVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs4dvNV")) == NULL) || r; r = ((glVertexAttribs4fvNV = (PFNGLVERTEXATTRIBS4FVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs4fvNV")) == NULL) || r; r = ((glVertexAttribs4svNV = (PFNGLVERTEXATTRIBS4SVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs4svNV")) == NULL) || r; r = ((glVertexAttribs4ubvNV = (PFNGLVERTEXATTRIBS4UBVNVPROC)glewGetProcAddress((const GLubyte*)"glVertexAttribs4ubvNV")) == NULL) || r; return r; } #endif /* GL_NV_vertex_program */ #ifdef GL_NV_video_capture static GLboolean _glewInit_GL_NV_video_capture () { GLboolean r = GL_FALSE; r = ((glBeginVideoCaptureNV = (PFNGLBEGINVIDEOCAPTURENVPROC)glewGetProcAddress((const GLubyte*)"glBeginVideoCaptureNV")) == NULL) || r; r = ((glBindVideoCaptureStreamBufferNV = (PFNGLBINDVIDEOCAPTURESTREAMBUFFERNVPROC)glewGetProcAddress((const GLubyte*)"glBindVideoCaptureStreamBufferNV")) == NULL) || r; r = ((glBindVideoCaptureStreamTextureNV = (PFNGLBINDVIDEOCAPTURESTREAMTEXTURENVPROC)glewGetProcAddress((const GLubyte*)"glBindVideoCaptureStreamTextureNV")) == NULL) || r; r = ((glEndVideoCaptureNV = (PFNGLENDVIDEOCAPTURENVPROC)glewGetProcAddress((const GLubyte*)"glEndVideoCaptureNV")) == NULL) || r; r = ((glGetVideoCaptureStreamdvNV = (PFNGLGETVIDEOCAPTURESTREAMDVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoCaptureStreamdvNV")) == NULL) || r; r = ((glGetVideoCaptureStreamfvNV = (PFNGLGETVIDEOCAPTURESTREAMFVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoCaptureStreamfvNV")) == NULL) || r; r = ((glGetVideoCaptureStreamivNV = (PFNGLGETVIDEOCAPTURESTREAMIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoCaptureStreamivNV")) == NULL) || r; r = ((glGetVideoCaptureivNV = (PFNGLGETVIDEOCAPTUREIVNVPROC)glewGetProcAddress((const GLubyte*)"glGetVideoCaptureivNV")) == NULL) || r; r = ((glVideoCaptureNV = (PFNGLVIDEOCAPTURENVPROC)glewGetProcAddress((const GLubyte*)"glVideoCaptureNV")) == NULL) || r; r = ((glVideoCaptureStreamParameterdvNV = (PFNGLVIDEOCAPTURESTREAMPARAMETERDVNVPROC)glewGetProcAddress((const GLubyte*)"glVideoCaptureStreamParameterdvNV")) == NULL) || r; r = ((glVideoCaptureStreamParameterfvNV = (PFNGLVIDEOCAPTURESTREAMPARAMETERFVNVPROC)glewGetProcAddress((const GLubyte*)"glVideoCaptureStreamParameterfvNV")) == NULL) || r; r = ((glVideoCaptureStreamParameterivNV = (PFNGLVIDEOCAPTURESTREAMPARAMETERIVNVPROC)glewGetProcAddress((const GLubyte*)"glVideoCaptureStreamParameterivNV")) == NULL) || r; return r; } #endif /* GL_NV_video_capture */ #ifdef GL_NV_viewport_array static GLboolean _glewInit_GL_NV_viewport_array () { GLboolean r = GL_FALSE; r = ((glDepthRangeArrayfvNV = (PFNGLDEPTHRANGEARRAYFVNVPROC)glewGetProcAddress((const GLubyte*)"glDepthRangeArrayfvNV")) == NULL) || r; r = ((glDepthRangeIndexedfNV = (PFNGLDEPTHRANGEINDEXEDFNVPROC)glewGetProcAddress((const GLubyte*)"glDepthRangeIndexedfNV")) == NULL) || r; r = ((glDisableiNV = (PFNGLDISABLEINVPROC)glewGetProcAddress((const GLubyte*)"glDisableiNV")) == NULL) || r; r = ((glEnableiNV = (PFNGLENABLEINVPROC)glewGetProcAddress((const GLubyte*)"glEnableiNV")) == NULL) || r; r = ((glGetFloati_vNV = (PFNGLGETFLOATI_VNVPROC)glewGetProcAddress((const GLubyte*)"glGetFloati_vNV")) == NULL) || r; r = ((glIsEnablediNV = (PFNGLISENABLEDINVPROC)glewGetProcAddress((const GLubyte*)"glIsEnablediNV")) == NULL) || r; r = ((glScissorArrayvNV = (PFNGLSCISSORARRAYVNVPROC)glewGetProcAddress((const GLubyte*)"glScissorArrayvNV")) == NULL) || r; r = ((glScissorIndexedNV = (PFNGLSCISSORINDEXEDNVPROC)glewGetProcAddress((const GLubyte*)"glScissorIndexedNV")) == NULL) || r; r = ((glScissorIndexedvNV = (PFNGLSCISSORINDEXEDVNVPROC)glewGetProcAddress((const GLubyte*)"glScissorIndexedvNV")) == NULL) || r; r = ((glViewportArrayvNV = (PFNGLVIEWPORTARRAYVNVPROC)glewGetProcAddress((const GLubyte*)"glViewportArrayvNV")) == NULL) || r; r = ((glViewportIndexedfNV = (PFNGLVIEWPORTINDEXEDFNVPROC)glewGetProcAddress((const GLubyte*)"glViewportIndexedfNV")) == NULL) || r; r = ((glViewportIndexedfvNV = (PFNGLVIEWPORTINDEXEDFVNVPROC)glewGetProcAddress((const GLubyte*)"glViewportIndexedfvNV")) == NULL) || r; return r; } #endif /* GL_NV_viewport_array */ #ifdef GL_NV_viewport_swizzle static GLboolean _glewInit_GL_NV_viewport_swizzle () { GLboolean r = GL_FALSE; r = ((glViewportSwizzleNV = (PFNGLVIEWPORTSWIZZLENVPROC)glewGetProcAddress((const GLubyte*)"glViewportSwizzleNV")) == NULL) || r; return r; } #endif /* GL_NV_viewport_swizzle */ #ifdef GL_OVR_multiview static GLboolean _glewInit_GL_OVR_multiview () { GLboolean r = GL_FALSE; r = ((glFramebufferTextureMultiviewOVR = (PFNGLFRAMEBUFFERTEXTUREMULTIVIEWOVRPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureMultiviewOVR")) == NULL) || r; return r; } #endif /* GL_OVR_multiview */ #ifdef GL_OVR_multiview_multisampled_render_to_texture static GLboolean _glewInit_GL_OVR_multiview_multisampled_render_to_texture () { GLboolean r = GL_FALSE; r = ((glFramebufferTextureMultisampleMultiviewOVR = (PFNGLFRAMEBUFFERTEXTUREMULTISAMPLEMULTIVIEWOVRPROC)glewGetProcAddress((const GLubyte*)"glFramebufferTextureMultisampleMultiviewOVR")) == NULL) || r; return r; } #endif /* GL_OVR_multiview_multisampled_render_to_texture */ #ifdef GL_QCOM_alpha_test static GLboolean _glewInit_GL_QCOM_alpha_test () { GLboolean r = GL_FALSE; r = ((glAlphaFuncQCOM = (PFNGLALPHAFUNCQCOMPROC)glewGetProcAddress((const GLubyte*)"glAlphaFuncQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_alpha_test */ #ifdef GL_QCOM_driver_control static GLboolean _glewInit_GL_QCOM_driver_control () { GLboolean r = GL_FALSE; r = ((glDisableDriverControlQCOM = (PFNGLDISABLEDRIVERCONTROLQCOMPROC)glewGetProcAddress((const GLubyte*)"glDisableDriverControlQCOM")) == NULL) || r; r = ((glEnableDriverControlQCOM = (PFNGLENABLEDRIVERCONTROLQCOMPROC)glewGetProcAddress((const GLubyte*)"glEnableDriverControlQCOM")) == NULL) || r; r = ((glGetDriverControlStringQCOM = (PFNGLGETDRIVERCONTROLSTRINGQCOMPROC)glewGetProcAddress((const GLubyte*)"glGetDriverControlStringQCOM")) == NULL) || r; r = ((glGetDriverControlsQCOM = (PFNGLGETDRIVERCONTROLSQCOMPROC)glewGetProcAddress((const GLubyte*)"glGetDriverControlsQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_driver_control */ #ifdef GL_QCOM_extended_get static GLboolean _glewInit_GL_QCOM_extended_get () { GLboolean r = GL_FALSE; r = ((glExtGetBufferPointervQCOM = (PFNGLEXTGETBUFFERPOINTERVQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetBufferPointervQCOM")) == NULL) || r; r = ((glExtGetBuffersQCOM = (PFNGLEXTGETBUFFERSQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetBuffersQCOM")) == NULL) || r; r = ((glExtGetFramebuffersQCOM = (PFNGLEXTGETFRAMEBUFFERSQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetFramebuffersQCOM")) == NULL) || r; r = ((glExtGetRenderbuffersQCOM = (PFNGLEXTGETRENDERBUFFERSQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetRenderbuffersQCOM")) == NULL) || r; r = ((glExtGetTexLevelParameterivQCOM = (PFNGLEXTGETTEXLEVELPARAMETERIVQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetTexLevelParameterivQCOM")) == NULL) || r; r = ((glExtGetTexSubImageQCOM = (PFNGLEXTGETTEXSUBIMAGEQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetTexSubImageQCOM")) == NULL) || r; r = ((glExtGetTexturesQCOM = (PFNGLEXTGETTEXTURESQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetTexturesQCOM")) == NULL) || r; r = ((glExtTexObjectStateOverrideiQCOM = (PFNGLEXTTEXOBJECTSTATEOVERRIDEIQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtTexObjectStateOverrideiQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_extended_get */ #ifdef GL_QCOM_extended_get2 static GLboolean _glewInit_GL_QCOM_extended_get2 () { GLboolean r = GL_FALSE; r = ((glExtGetProgramBinarySourceQCOM = (PFNGLEXTGETPROGRAMBINARYSOURCEQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetProgramBinarySourceQCOM")) == NULL) || r; r = ((glExtGetProgramsQCOM = (PFNGLEXTGETPROGRAMSQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetProgramsQCOM")) == NULL) || r; r = ((glExtGetShadersQCOM = (PFNGLEXTGETSHADERSQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtGetShadersQCOM")) == NULL) || r; r = ((glExtIsProgramBinaryQCOM = (PFNGLEXTISPROGRAMBINARYQCOMPROC)glewGetProcAddress((const GLubyte*)"glExtIsProgramBinaryQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_extended_get2 */ #ifdef GL_QCOM_framebuffer_foveated static GLboolean _glewInit_GL_QCOM_framebuffer_foveated () { GLboolean r = GL_FALSE; r = ((glFramebufferFoveationConfigQCOM = (PFNGLFRAMEBUFFERFOVEATIONCONFIGQCOMPROC)glewGetProcAddress((const GLubyte*)"glFramebufferFoveationConfigQCOM")) == NULL) || r; r = ((glFramebufferFoveationParametersQCOM = (PFNGLFRAMEBUFFERFOVEATIONPARAMETERSQCOMPROC)glewGetProcAddress((const GLubyte*)"glFramebufferFoveationParametersQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_framebuffer_foveated */ #ifdef GL_QCOM_shader_framebuffer_fetch_noncoherent static GLboolean _glewInit_GL_QCOM_shader_framebuffer_fetch_noncoherent () { GLboolean r = GL_FALSE; r = ((glFramebufferFetchBarrierQCOM = (PFNGLFRAMEBUFFERFETCHBARRIERQCOMPROC)glewGetProcAddress((const GLubyte*)"glFramebufferFetchBarrierQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_shader_framebuffer_fetch_noncoherent */ #ifdef GL_QCOM_tiled_rendering static GLboolean _glewInit_GL_QCOM_tiled_rendering () { GLboolean r = GL_FALSE; r = ((glEndTilingQCOM = (PFNGLENDTILINGQCOMPROC)glewGetProcAddress((const GLubyte*)"glEndTilingQCOM")) == NULL) || r; r = ((glStartTilingQCOM = (PFNGLSTARTTILINGQCOMPROC)glewGetProcAddress((const GLubyte*)"glStartTilingQCOM")) == NULL) || r; return r; } #endif /* GL_QCOM_tiled_rendering */ #ifdef GL_REGAL_ES1_0_compatibility static GLboolean _glewInit_GL_REGAL_ES1_0_compatibility () { GLboolean r = GL_FALSE; r = ((glAlphaFuncx = (PFNGLALPHAFUNCXPROC)glewGetProcAddress((const GLubyte*)"glAlphaFuncx")) == NULL) || r; r = ((glClearColorx = (PFNGLCLEARCOLORXPROC)glewGetProcAddress((const GLubyte*)"glClearColorx")) == NULL) || r; r = ((glClearDepthx = (PFNGLCLEARDEPTHXPROC)glewGetProcAddress((const GLubyte*)"glClearDepthx")) == NULL) || r; r = ((glColor4x = (PFNGLCOLOR4XPROC)glewGetProcAddress((const GLubyte*)"glColor4x")) == NULL) || r; r = ((glDepthRangex = (PFNGLDEPTHRANGEXPROC)glewGetProcAddress((const GLubyte*)"glDepthRangex")) == NULL) || r; r = ((glFogx = (PFNGLFOGXPROC)glewGetProcAddress((const GLubyte*)"glFogx")) == NULL) || r; r = ((glFogxv = (PFNGLFOGXVPROC)glewGetProcAddress((const GLubyte*)"glFogxv")) == NULL) || r; r = ((glFrustumf = (PFNGLFRUSTUMFPROC)glewGetProcAddress((const GLubyte*)"glFrustumf")) == NULL) || r; r = ((glFrustumx = (PFNGLFRUSTUMXPROC)glewGetProcAddress((const GLubyte*)"glFrustumx")) == NULL) || r; r = ((glLightModelx = (PFNGLLIGHTMODELXPROC)glewGetProcAddress((const GLubyte*)"glLightModelx")) == NULL) || r; r = ((glLightModelxv = (PFNGLLIGHTMODELXVPROC)glewGetProcAddress((const GLubyte*)"glLightModelxv")) == NULL) || r; r = ((glLightx = (PFNGLLIGHTXPROC)glewGetProcAddress((const GLubyte*)"glLightx")) == NULL) || r; r = ((glLightxv = (PFNGLLIGHTXVPROC)glewGetProcAddress((const GLubyte*)"glLightxv")) == NULL) || r; r = ((glLineWidthx = (PFNGLLINEWIDTHXPROC)glewGetProcAddress((const GLubyte*)"glLineWidthx")) == NULL) || r; r = ((glLoadMatrixx = (PFNGLLOADMATRIXXPROC)glewGetProcAddress((const GLubyte*)"glLoadMatrixx")) == NULL) || r; r = ((glMaterialx = (PFNGLMATERIALXPROC)glewGetProcAddress((const GLubyte*)"glMaterialx")) == NULL) || r; r = ((glMaterialxv = (PFNGLMATERIALXVPROC)glewGetProcAddress((const GLubyte*)"glMaterialxv")) == NULL) || r; r = ((glMultMatrixx = (PFNGLMULTMATRIXXPROC)glewGetProcAddress((const GLubyte*)"glMultMatrixx")) == NULL) || r; r = ((glMultiTexCoord4x = (PFNGLMULTITEXCOORD4XPROC)glewGetProcAddress((const GLubyte*)"glMultiTexCoord4x")) == NULL) || r; r = ((glNormal3x = (PFNGLNORMAL3XPROC)glewGetProcAddress((const GLubyte*)"glNormal3x")) == NULL) || r; r = ((glOrthof = (PFNGLORTHOFPROC)glewGetProcAddress((const GLubyte*)"glOrthof")) == NULL) || r; r = ((glOrthox = (PFNGLORTHOXPROC)glewGetProcAddress((const GLubyte*)"glOrthox")) == NULL) || r; r = ((glPointSizex = (PFNGLPOINTSIZEXPROC)glewGetProcAddress((const GLubyte*)"glPointSizex")) == NULL) || r; r = ((glPolygonOffsetx = (PFNGLPOLYGONOFFSETXPROC)glewGetProcAddress((const GLubyte*)"glPolygonOffsetx")) == NULL) || r; r = ((glRotatex = (PFNGLROTATEXPROC)glewGetProcAddress((const GLubyte*)"glRotatex")) == NULL) || r; r = ((glSampleCoveragex = (PFNGLSAMPLECOVERAGEXPROC)glewGetProcAddress((const GLubyte*)"glSampleCoveragex")) == NULL) || r; r = ((glScalex = (PFNGLSCALEXPROC)glewGetProcAddress((const GLubyte*)"glScalex")) == NULL) || r; r = ((glTexEnvx = (PFNGLTEXENVXPROC)glewGetProcAddress((const GLubyte*)"glTexEnvx")) == NULL) || r; r = ((glTexEnvxv = (PFNGLTEXENVXVPROC)glewGetProcAddress((const GLubyte*)"glTexEnvxv")) == NULL) || r; r = ((glTexParameterx = (PFNGLTEXPARAMETERXPROC)glewGetProcAddress((const GLubyte*)"glTexParameterx")) == NULL) || r; r = ((glTranslatex = (PFNGLTRANSLATEXPROC)glewGetProcAddress((const GLubyte*)"glTranslatex")) == NULL) || r; return r; } #endif /* GL_REGAL_ES1_0_compatibility */ #ifdef GL_REGAL_ES1_1_compatibility static GLboolean _glewInit_GL_REGAL_ES1_1_compatibility () { GLboolean r = GL_FALSE; r = ((glClipPlanef = (PFNGLCLIPPLANEFPROC)glewGetProcAddress((const GLubyte*)"glClipPlanef")) == NULL) || r; r = ((glClipPlanex = (PFNGLCLIPPLANEXPROC)glewGetProcAddress((const GLubyte*)"glClipPlanex")) == NULL) || r; r = ((glGetClipPlanef = (PFNGLGETCLIPPLANEFPROC)glewGetProcAddress((const GLubyte*)"glGetClipPlanef")) == NULL) || r; r = ((glGetClipPlanex = (PFNGLGETCLIPPLANEXPROC)glewGetProcAddress((const GLubyte*)"glGetClipPlanex")) == NULL) || r; r = ((glGetFixedv = (PFNGLGETFIXEDVPROC)glewGetProcAddress((const GLubyte*)"glGetFixedv")) == NULL) || r; r = ((glGetLightxv = (PFNGLGETLIGHTXVPROC)glewGetProcAddress((const GLubyte*)"glGetLightxv")) == NULL) || r; r = ((glGetMaterialxv = (PFNGLGETMATERIALXVPROC)glewGetProcAddress((const GLubyte*)"glGetMaterialxv")) == NULL) || r; r = ((glGetTexEnvxv = (PFNGLGETTEXENVXVPROC)glewGetProcAddress((const GLubyte*)"glGetTexEnvxv")) == NULL) || r; r = ((glGetTexParameterxv = (PFNGLGETTEXPARAMETERXVPROC)glewGetProcAddress((const GLubyte*)"glGetTexParameterxv")) == NULL) || r; r = ((glPointParameterx = (PFNGLPOINTPARAMETERXPROC)glewGetProcAddress((const GLubyte*)"glPointParameterx")) == NULL) || r; r = ((glPointParameterxv = (PFNGLPOINTPARAMETERXVPROC)glewGetProcAddress((const GLubyte*)"glPointParameterxv")) == NULL) || r; r = ((glPointSizePointerOES = (PFNGLPOINTSIZEPOINTEROESPROC)glewGetProcAddress((const GLubyte*)"glPointSizePointerOES")) == NULL) || r; r = ((glTexParameterxv = (PFNGLTEXPARAMETERXVPROC)glewGetProcAddress((const GLubyte*)"glTexParameterxv")) == NULL) || r; return r; } #endif /* GL_REGAL_ES1_1_compatibility */ #ifdef GL_REGAL_error_string static GLboolean _glewInit_GL_REGAL_error_string () { GLboolean r = GL_FALSE; r = ((glErrorStringREGAL = (PFNGLERRORSTRINGREGALPROC)glewGetProcAddress((const GLubyte*)"glErrorStringREGAL")) == NULL) || r; return r; } #endif /* GL_REGAL_error_string */ #ifdef GL_REGAL_extension_query static GLboolean _glewInit_GL_REGAL_extension_query () { GLboolean r = GL_FALSE; r = ((glGetExtensionREGAL = (PFNGLGETEXTENSIONREGALPROC)glewGetProcAddress((const GLubyte*)"glGetExtensionREGAL")) == NULL) || r; r = ((glIsSupportedREGAL = (PFNGLISSUPPORTEDREGALPROC)glewGetProcAddress((const GLubyte*)"glIsSupportedREGAL")) == NULL) || r; return r; } #endif /* GL_REGAL_extension_query */ #ifdef GL_REGAL_log static GLboolean _glewInit_GL_REGAL_log () { GLboolean r = GL_FALSE; r = ((glLogMessageCallbackREGAL = (PFNGLLOGMESSAGECALLBACKREGALPROC)glewGetProcAddress((const GLubyte*)"glLogMessageCallbackREGAL")) == NULL) || r; return r; } #endif /* GL_REGAL_log */ #ifdef GL_REGAL_proc_address static GLboolean _glewInit_GL_REGAL_proc_address () { GLboolean r = GL_FALSE; r = ((glGetProcAddressREGAL = (PFNGLGETPROCADDRESSREGALPROC)glewGetProcAddress((const GLubyte*)"glGetProcAddressREGAL")) == NULL) || r; return r; } #endif /* GL_REGAL_proc_address */ #ifdef GL_SGIS_detail_texture static GLboolean _glewInit_GL_SGIS_detail_texture () { GLboolean r = GL_FALSE; r = ((glDetailTexFuncSGIS = (PFNGLDETAILTEXFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glDetailTexFuncSGIS")) == NULL) || r; r = ((glGetDetailTexFuncSGIS = (PFNGLGETDETAILTEXFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glGetDetailTexFuncSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_detail_texture */ #ifdef GL_SGIS_fog_function static GLboolean _glewInit_GL_SGIS_fog_function () { GLboolean r = GL_FALSE; r = ((glFogFuncSGIS = (PFNGLFOGFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glFogFuncSGIS")) == NULL) || r; r = ((glGetFogFuncSGIS = (PFNGLGETFOGFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glGetFogFuncSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_fog_function */ #ifdef GL_SGIS_multisample static GLboolean _glewInit_GL_SGIS_multisample () { GLboolean r = GL_FALSE; r = ((glSampleMaskSGIS = (PFNGLSAMPLEMASKSGISPROC)glewGetProcAddress((const GLubyte*)"glSampleMaskSGIS")) == NULL) || r; r = ((glSamplePatternSGIS = (PFNGLSAMPLEPATTERNSGISPROC)glewGetProcAddress((const GLubyte*)"glSamplePatternSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_multisample */ #ifdef GL_SGIS_multitexture static GLboolean _glewInit_GL_SGIS_multitexture () { GLboolean r = GL_FALSE; r = ((glInterleavedTextureCoordSetsSGIS = (PFNGLINTERLEAVEDTEXTURECOORDSETSSGISPROC)glewGetProcAddress((const GLubyte*)"glInterleavedTextureCoordSetsSGIS")) == NULL) || r; r = ((glSelectTextureCoordSetSGIS = (PFNGLSELECTTEXTURECOORDSETSGISPROC)glewGetProcAddress((const GLubyte*)"glSelectTextureCoordSetSGIS")) == NULL) || r; r = ((glSelectTextureSGIS = (PFNGLSELECTTEXTURESGISPROC)glewGetProcAddress((const GLubyte*)"glSelectTextureSGIS")) == NULL) || r; r = ((glSelectTextureTransformSGIS = (PFNGLSELECTTEXTURETRANSFORMSGISPROC)glewGetProcAddress((const GLubyte*)"glSelectTextureTransformSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_multitexture */ #ifdef GL_SGIS_shared_multisample static GLboolean _glewInit_GL_SGIS_shared_multisample () { GLboolean r = GL_FALSE; r = ((glMultisampleSubRectPosSGIS = (PFNGLMULTISAMPLESUBRECTPOSSGISPROC)glewGetProcAddress((const GLubyte*)"glMultisampleSubRectPosSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_shared_multisample */ #ifdef GL_SGIS_sharpen_texture static GLboolean _glewInit_GL_SGIS_sharpen_texture () { GLboolean r = GL_FALSE; r = ((glGetSharpenTexFuncSGIS = (PFNGLGETSHARPENTEXFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glGetSharpenTexFuncSGIS")) == NULL) || r; r = ((glSharpenTexFuncSGIS = (PFNGLSHARPENTEXFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glSharpenTexFuncSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_sharpen_texture */ #ifdef GL_SGIS_texture4D static GLboolean _glewInit_GL_SGIS_texture4D () { GLboolean r = GL_FALSE; r = ((glTexImage4DSGIS = (PFNGLTEXIMAGE4DSGISPROC)glewGetProcAddress((const GLubyte*)"glTexImage4DSGIS")) == NULL) || r; r = ((glTexSubImage4DSGIS = (PFNGLTEXSUBIMAGE4DSGISPROC)glewGetProcAddress((const GLubyte*)"glTexSubImage4DSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_texture4D */ #ifdef GL_SGIS_texture_filter4 static GLboolean _glewInit_GL_SGIS_texture_filter4 () { GLboolean r = GL_FALSE; r = ((glGetTexFilterFuncSGIS = (PFNGLGETTEXFILTERFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glGetTexFilterFuncSGIS")) == NULL) || r; r = ((glTexFilterFuncSGIS = (PFNGLTEXFILTERFUNCSGISPROC)glewGetProcAddress((const GLubyte*)"glTexFilterFuncSGIS")) == NULL) || r; return r; } #endif /* GL_SGIS_texture_filter4 */ #ifdef GL_SGIX_async static GLboolean _glewInit_GL_SGIX_async () { GLboolean r = GL_FALSE; r = ((glAsyncMarkerSGIX = (PFNGLASYNCMARKERSGIXPROC)glewGetProcAddress((const GLubyte*)"glAsyncMarkerSGIX")) == NULL) || r; r = ((glDeleteAsyncMarkersSGIX = (PFNGLDELETEASYNCMARKERSSGIXPROC)glewGetProcAddress((const GLubyte*)"glDeleteAsyncMarkersSGIX")) == NULL) || r; r = ((glFinishAsyncSGIX = (PFNGLFINISHASYNCSGIXPROC)glewGetProcAddress((const GLubyte*)"glFinishAsyncSGIX")) == NULL) || r; r = ((glGenAsyncMarkersSGIX = (PFNGLGENASYNCMARKERSSGIXPROC)glewGetProcAddress((const GLubyte*)"glGenAsyncMarkersSGIX")) == NULL) || r; r = ((glIsAsyncMarkerSGIX = (PFNGLISASYNCMARKERSGIXPROC)glewGetProcAddress((const GLubyte*)"glIsAsyncMarkerSGIX")) == NULL) || r; r = ((glPollAsyncSGIX = (PFNGLPOLLASYNCSGIXPROC)glewGetProcAddress((const GLubyte*)"glPollAsyncSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_async */ #ifdef GL_SGIX_datapipe static GLboolean _glewInit_GL_SGIX_datapipe () { GLboolean r = GL_FALSE; r = ((glAddressSpace = (PFNGLADDRESSSPACEPROC)glewGetProcAddress((const GLubyte*)"glAddressSpace")) == NULL) || r; r = ((glDataPipe = (PFNGLDATAPIPEPROC)glewGetProcAddress((const GLubyte*)"glDataPipe")) == NULL) || r; return r; } #endif /* GL_SGIX_datapipe */ #ifdef GL_SGIX_flush_raster static GLboolean _glewInit_GL_SGIX_flush_raster () { GLboolean r = GL_FALSE; r = ((glFlushRasterSGIX = (PFNGLFLUSHRASTERSGIXPROC)glewGetProcAddress((const GLubyte*)"glFlushRasterSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_flush_raster */ #ifdef GL_SGIX_fog_layers static GLboolean _glewInit_GL_SGIX_fog_layers () { GLboolean r = GL_FALSE; r = ((glFogLayersSGIX = (PFNGLFOGLAYERSSGIXPROC)glewGetProcAddress((const GLubyte*)"glFogLayersSGIX")) == NULL) || r; r = ((glGetFogLayersSGIX = (PFNGLGETFOGLAYERSSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetFogLayersSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_fog_layers */ #ifdef GL_SGIX_fog_texture static GLboolean _glewInit_GL_SGIX_fog_texture () { GLboolean r = GL_FALSE; r = ((glTextureFogSGIX = (PFNGLTEXTUREFOGSGIXPROC)glewGetProcAddress((const GLubyte*)"glTextureFogSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_fog_texture */ #ifdef GL_SGIX_fragment_specular_lighting static GLboolean _glewInit_GL_SGIX_fragment_specular_lighting () { GLboolean r = GL_FALSE; r = ((glFragmentColorMaterialSGIX = (PFNGLFRAGMENTCOLORMATERIALSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentColorMaterialSGIX")) == NULL) || r; r = ((glFragmentLightModelfSGIX = (PFNGLFRAGMENTLIGHTMODELFSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModelfSGIX")) == NULL) || r; r = ((glFragmentLightModelfvSGIX = (PFNGLFRAGMENTLIGHTMODELFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModelfvSGIX")) == NULL) || r; r = ((glFragmentLightModeliSGIX = (PFNGLFRAGMENTLIGHTMODELISGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModeliSGIX")) == NULL) || r; r = ((glFragmentLightModelivSGIX = (PFNGLFRAGMENTLIGHTMODELIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightModelivSGIX")) == NULL) || r; r = ((glFragmentLightfSGIX = (PFNGLFRAGMENTLIGHTFSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightfSGIX")) == NULL) || r; r = ((glFragmentLightfvSGIX = (PFNGLFRAGMENTLIGHTFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightfvSGIX")) == NULL) || r; r = ((glFragmentLightiSGIX = (PFNGLFRAGMENTLIGHTISGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightiSGIX")) == NULL) || r; r = ((glFragmentLightivSGIX = (PFNGLFRAGMENTLIGHTIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentLightivSGIX")) == NULL) || r; r = ((glFragmentMaterialfSGIX = (PFNGLFRAGMENTMATERIALFSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialfSGIX")) == NULL) || r; r = ((glFragmentMaterialfvSGIX = (PFNGLFRAGMENTMATERIALFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialfvSGIX")) == NULL) || r; r = ((glFragmentMaterialiSGIX = (PFNGLFRAGMENTMATERIALISGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialiSGIX")) == NULL) || r; r = ((glFragmentMaterialivSGIX = (PFNGLFRAGMENTMATERIALIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glFragmentMaterialivSGIX")) == NULL) || r; r = ((glGetFragmentLightfvSGIX = (PFNGLGETFRAGMENTLIGHTFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentLightfvSGIX")) == NULL) || r; r = ((glGetFragmentLightivSGIX = (PFNGLGETFRAGMENTLIGHTIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentLightivSGIX")) == NULL) || r; r = ((glGetFragmentMaterialfvSGIX = (PFNGLGETFRAGMENTMATERIALFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentMaterialfvSGIX")) == NULL) || r; r = ((glGetFragmentMaterialivSGIX = (PFNGLGETFRAGMENTMATERIALIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetFragmentMaterialivSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_fragment_specular_lighting */ #ifdef GL_SGIX_framezoom static GLboolean _glewInit_GL_SGIX_framezoom () { GLboolean r = GL_FALSE; r = ((glFrameZoomSGIX = (PFNGLFRAMEZOOMSGIXPROC)glewGetProcAddress((const GLubyte*)"glFrameZoomSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_framezoom */ #ifdef GL_SGIX_igloo_interface static GLboolean _glewInit_GL_SGIX_igloo_interface () { GLboolean r = GL_FALSE; r = ((glIglooInterfaceSGIX = (PFNGLIGLOOINTERFACESGIXPROC)glewGetProcAddress((const GLubyte*)"glIglooInterfaceSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_igloo_interface */ #ifdef GL_SGIX_mpeg1 static GLboolean _glewInit_GL_SGIX_mpeg1 () { GLboolean r = GL_FALSE; r = ((glAllocMPEGPredictorsSGIX = (PFNGLALLOCMPEGPREDICTORSSGIXPROC)glewGetProcAddress((const GLubyte*)"glAllocMPEGPredictorsSGIX")) == NULL) || r; r = ((glDeleteMPEGPredictorsSGIX = (PFNGLDELETEMPEGPREDICTORSSGIXPROC)glewGetProcAddress((const GLubyte*)"glDeleteMPEGPredictorsSGIX")) == NULL) || r; r = ((glGenMPEGPredictorsSGIX = (PFNGLGENMPEGPREDICTORSSGIXPROC)glewGetProcAddress((const GLubyte*)"glGenMPEGPredictorsSGIX")) == NULL) || r; r = ((glGetMPEGParameterfvSGIX = (PFNGLGETMPEGPARAMETERFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetMPEGParameterfvSGIX")) == NULL) || r; r = ((glGetMPEGParameterivSGIX = (PFNGLGETMPEGPARAMETERIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetMPEGParameterivSGIX")) == NULL) || r; r = ((glGetMPEGPredictorSGIX = (PFNGLGETMPEGPREDICTORSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetMPEGPredictorSGIX")) == NULL) || r; r = ((glGetMPEGQuantTableubv = (PFNGLGETMPEGQUANTTABLEUBVPROC)glewGetProcAddress((const GLubyte*)"glGetMPEGQuantTableubv")) == NULL) || r; r = ((glIsMPEGPredictorSGIX = (PFNGLISMPEGPREDICTORSGIXPROC)glewGetProcAddress((const GLubyte*)"glIsMPEGPredictorSGIX")) == NULL) || r; r = ((glMPEGPredictorSGIX = (PFNGLMPEGPREDICTORSGIXPROC)glewGetProcAddress((const GLubyte*)"glMPEGPredictorSGIX")) == NULL) || r; r = ((glMPEGQuantTableubv = (PFNGLMPEGQUANTTABLEUBVPROC)glewGetProcAddress((const GLubyte*)"glMPEGQuantTableubv")) == NULL) || r; r = ((glSwapMPEGPredictorsSGIX = (PFNGLSWAPMPEGPREDICTORSSGIXPROC)glewGetProcAddress((const GLubyte*)"glSwapMPEGPredictorsSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_mpeg1 */ #ifdef GL_SGIX_nonlinear_lighting_pervertex static GLboolean _glewInit_GL_SGIX_nonlinear_lighting_pervertex () { GLboolean r = GL_FALSE; r = ((glGetNonlinLightfvSGIX = (PFNGLGETNONLINLIGHTFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetNonlinLightfvSGIX")) == NULL) || r; r = ((glGetNonlinMaterialfvSGIX = (PFNGLGETNONLINMATERIALFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetNonlinMaterialfvSGIX")) == NULL) || r; r = ((glNonlinLightfvSGIX = (PFNGLNONLINLIGHTFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glNonlinLightfvSGIX")) == NULL) || r; r = ((glNonlinMaterialfvSGIX = (PFNGLNONLINMATERIALFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glNonlinMaterialfvSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_nonlinear_lighting_pervertex */ #ifdef GL_SGIX_pixel_texture static GLboolean _glewInit_GL_SGIX_pixel_texture () { GLboolean r = GL_FALSE; r = ((glPixelTexGenSGIX = (PFNGLPIXELTEXGENSGIXPROC)glewGetProcAddress((const GLubyte*)"glPixelTexGenSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_pixel_texture */ #ifdef GL_SGIX_polynomial_ffd static GLboolean _glewInit_GL_SGIX_polynomial_ffd () { GLboolean r = GL_FALSE; r = ((glDeformSGIX = (PFNGLDEFORMSGIXPROC)glewGetProcAddress((const GLubyte*)"glDeformSGIX")) == NULL) || r; r = ((glLoadIdentityDeformationMapSGIX = (PFNGLLOADIDENTITYDEFORMATIONMAPSGIXPROC)glewGetProcAddress((const GLubyte*)"glLoadIdentityDeformationMapSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_polynomial_ffd */ #ifdef GL_SGIX_quad_mesh static GLboolean _glewInit_GL_SGIX_quad_mesh () { GLboolean r = GL_FALSE; r = ((glMeshBreadthSGIX = (PFNGLMESHBREADTHSGIXPROC)glewGetProcAddress((const GLubyte*)"glMeshBreadthSGIX")) == NULL) || r; r = ((glMeshStrideSGIX = (PFNGLMESHSTRIDESGIXPROC)glewGetProcAddress((const GLubyte*)"glMeshStrideSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_quad_mesh */ #ifdef GL_SGIX_reference_plane static GLboolean _glewInit_GL_SGIX_reference_plane () { GLboolean r = GL_FALSE; r = ((glReferencePlaneSGIX = (PFNGLREFERENCEPLANESGIXPROC)glewGetProcAddress((const GLubyte*)"glReferencePlaneSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_reference_plane */ #ifdef GL_SGIX_sprite static GLboolean _glewInit_GL_SGIX_sprite () { GLboolean r = GL_FALSE; r = ((glSpriteParameterfSGIX = (PFNGLSPRITEPARAMETERFSGIXPROC)glewGetProcAddress((const GLubyte*)"glSpriteParameterfSGIX")) == NULL) || r; r = ((glSpriteParameterfvSGIX = (PFNGLSPRITEPARAMETERFVSGIXPROC)glewGetProcAddress((const GLubyte*)"glSpriteParameterfvSGIX")) == NULL) || r; r = ((glSpriteParameteriSGIX = (PFNGLSPRITEPARAMETERISGIXPROC)glewGetProcAddress((const GLubyte*)"glSpriteParameteriSGIX")) == NULL) || r; r = ((glSpriteParameterivSGIX = (PFNGLSPRITEPARAMETERIVSGIXPROC)glewGetProcAddress((const GLubyte*)"glSpriteParameterivSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_sprite */ #ifdef GL_SGIX_tag_sample_buffer static GLboolean _glewInit_GL_SGIX_tag_sample_buffer () { GLboolean r = GL_FALSE; r = ((glTagSampleBufferSGIX = (PFNGLTAGSAMPLEBUFFERSGIXPROC)glewGetProcAddress((const GLubyte*)"glTagSampleBufferSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_tag_sample_buffer */ #ifdef GL_SGIX_vector_ops static GLboolean _glewInit_GL_SGIX_vector_ops () { GLboolean r = GL_FALSE; r = ((glGetVectorOperationSGIX = (PFNGLGETVECTOROPERATIONSGIXPROC)glewGetProcAddress((const GLubyte*)"glGetVectorOperationSGIX")) == NULL) || r; r = ((glVectorOperationSGIX = (PFNGLVECTOROPERATIONSGIXPROC)glewGetProcAddress((const GLubyte*)"glVectorOperationSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_vector_ops */ #ifdef GL_SGIX_vertex_array_object static GLboolean _glewInit_GL_SGIX_vertex_array_object () { GLboolean r = GL_FALSE; r = ((glAreVertexArraysResidentSGIX = (PFNGLAREVERTEXARRAYSRESIDENTSGIXPROC)glewGetProcAddress((const GLubyte*)"glAreVertexArraysResidentSGIX")) == NULL) || r; r = ((glBindVertexArraySGIX = (PFNGLBINDVERTEXARRAYSGIXPROC)glewGetProcAddress((const GLubyte*)"glBindVertexArraySGIX")) == NULL) || r; r = ((glDeleteVertexArraysSGIX = (PFNGLDELETEVERTEXARRAYSSGIXPROC)glewGetProcAddress((const GLubyte*)"glDeleteVertexArraysSGIX")) == NULL) || r; r = ((glGenVertexArraysSGIX = (PFNGLGENVERTEXARRAYSSGIXPROC)glewGetProcAddress((const GLubyte*)"glGenVertexArraysSGIX")) == NULL) || r; r = ((glIsVertexArraySGIX = (PFNGLISVERTEXARRAYSGIXPROC)glewGetProcAddress((const GLubyte*)"glIsVertexArraySGIX")) == NULL) || r; r = ((glPrioritizeVertexArraysSGIX = (PFNGLPRIORITIZEVERTEXARRAYSSGIXPROC)glewGetProcAddress((const GLubyte*)"glPrioritizeVertexArraysSGIX")) == NULL) || r; return r; } #endif /* GL_SGIX_vertex_array_object */ #ifdef GL_SGI_color_table static GLboolean _glewInit_GL_SGI_color_table () { GLboolean r = GL_FALSE; r = ((glColorTableParameterfvSGI = (PFNGLCOLORTABLEPARAMETERFVSGIPROC)glewGetProcAddress((const GLubyte*)"glColorTableParameterfvSGI")) == NULL) || r; r = ((glColorTableParameterivSGI = (PFNGLCOLORTABLEPARAMETERIVSGIPROC)glewGetProcAddress((const GLubyte*)"glColorTableParameterivSGI")) == NULL) || r; r = ((glColorTableSGI = (PFNGLCOLORTABLESGIPROC)glewGetProcAddress((const GLubyte*)"glColorTableSGI")) == NULL) || r; r = ((glCopyColorTableSGI = (PFNGLCOPYCOLORTABLESGIPROC)glewGetProcAddress((const GLubyte*)"glCopyColorTableSGI")) == NULL) || r; r = ((glGetColorTableParameterfvSGI = (PFNGLGETCOLORTABLEPARAMETERFVSGIPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableParameterfvSGI")) == NULL) || r; r = ((glGetColorTableParameterivSGI = (PFNGLGETCOLORTABLEPARAMETERIVSGIPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableParameterivSGI")) == NULL) || r; r = ((glGetColorTableSGI = (PFNGLGETCOLORTABLESGIPROC)glewGetProcAddress((const GLubyte*)"glGetColorTableSGI")) == NULL) || r; return r; } #endif /* GL_SGI_color_table */ #ifdef GL_SGI_fft static GLboolean _glewInit_GL_SGI_fft () { GLboolean r = GL_FALSE; r = ((glGetPixelTransformParameterfvSGI = (PFNGLGETPIXELTRANSFORMPARAMETERFVSGIPROC)glewGetProcAddress((const GLubyte*)"glGetPixelTransformParameterfvSGI")) == NULL) || r; r = ((glGetPixelTransformParameterivSGI = (PFNGLGETPIXELTRANSFORMPARAMETERIVSGIPROC)glewGetProcAddress((const GLubyte*)"glGetPixelTransformParameterivSGI")) == NULL) || r; r = ((glPixelTransformParameterfSGI = (PFNGLPIXELTRANSFORMPARAMETERFSGIPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameterfSGI")) == NULL) || r; r = ((glPixelTransformParameterfvSGI = (PFNGLPIXELTRANSFORMPARAMETERFVSGIPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameterfvSGI")) == NULL) || r; r = ((glPixelTransformParameteriSGI = (PFNGLPIXELTRANSFORMPARAMETERISGIPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameteriSGI")) == NULL) || r; r = ((glPixelTransformParameterivSGI = (PFNGLPIXELTRANSFORMPARAMETERIVSGIPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformParameterivSGI")) == NULL) || r; r = ((glPixelTransformSGI = (PFNGLPIXELTRANSFORMSGIPROC)glewGetProcAddress((const GLubyte*)"glPixelTransformSGI")) == NULL) || r; return r; } #endif /* GL_SGI_fft */ #ifdef GL_SUNX_constant_data static GLboolean _glewInit_GL_SUNX_constant_data () { GLboolean r = GL_FALSE; r = ((glFinishTextureSUNX = (PFNGLFINISHTEXTURESUNXPROC)glewGetProcAddress((const GLubyte*)"glFinishTextureSUNX")) == NULL) || r; return r; } #endif /* GL_SUNX_constant_data */ #ifdef GL_SUN_global_alpha static GLboolean _glewInit_GL_SUN_global_alpha () { GLboolean r = GL_FALSE; r = ((glGlobalAlphaFactorbSUN = (PFNGLGLOBALALPHAFACTORBSUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactorbSUN")) == NULL) || r; r = ((glGlobalAlphaFactordSUN = (PFNGLGLOBALALPHAFACTORDSUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactordSUN")) == NULL) || r; r = ((glGlobalAlphaFactorfSUN = (PFNGLGLOBALALPHAFACTORFSUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactorfSUN")) == NULL) || r; r = ((glGlobalAlphaFactoriSUN = (PFNGLGLOBALALPHAFACTORISUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactoriSUN")) == NULL) || r; r = ((glGlobalAlphaFactorsSUN = (PFNGLGLOBALALPHAFACTORSSUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactorsSUN")) == NULL) || r; r = ((glGlobalAlphaFactorubSUN = (PFNGLGLOBALALPHAFACTORUBSUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactorubSUN")) == NULL) || r; r = ((glGlobalAlphaFactoruiSUN = (PFNGLGLOBALALPHAFACTORUISUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactoruiSUN")) == NULL) || r; r = ((glGlobalAlphaFactorusSUN = (PFNGLGLOBALALPHAFACTORUSSUNPROC)glewGetProcAddress((const GLubyte*)"glGlobalAlphaFactorusSUN")) == NULL) || r; return r; } #endif /* GL_SUN_global_alpha */ #ifdef GL_SUN_read_video_pixels static GLboolean _glewInit_GL_SUN_read_video_pixels () { GLboolean r = GL_FALSE; r = ((glReadVideoPixelsSUN = (PFNGLREADVIDEOPIXELSSUNPROC)glewGetProcAddress((const GLubyte*)"glReadVideoPixelsSUN")) == NULL) || r; return r; } #endif /* GL_SUN_read_video_pixels */ #ifdef GL_SUN_triangle_list static GLboolean _glewInit_GL_SUN_triangle_list () { GLboolean r = GL_FALSE; r = ((glReplacementCodePointerSUN = (PFNGLREPLACEMENTCODEPOINTERSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodePointerSUN")) == NULL) || r; r = ((glReplacementCodeubSUN = (PFNGLREPLACEMENTCODEUBSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeubSUN")) == NULL) || r; r = ((glReplacementCodeubvSUN = (PFNGLREPLACEMENTCODEUBVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeubvSUN")) == NULL) || r; r = ((glReplacementCodeuiSUN = (PFNGLREPLACEMENTCODEUISUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiSUN")) == NULL) || r; r = ((glReplacementCodeuivSUN = (PFNGLREPLACEMENTCODEUIVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuivSUN")) == NULL) || r; r = ((glReplacementCodeusSUN = (PFNGLREPLACEMENTCODEUSSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeusSUN")) == NULL) || r; r = ((glReplacementCodeusvSUN = (PFNGLREPLACEMENTCODEUSVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeusvSUN")) == NULL) || r; return r; } #endif /* GL_SUN_triangle_list */ #ifdef GL_SUN_vertex static GLboolean _glewInit_GL_SUN_vertex () { GLboolean r = GL_FALSE; r = ((glColor3fVertex3fSUN = (PFNGLCOLOR3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glColor3fVertex3fSUN")) == NULL) || r; r = ((glColor3fVertex3fvSUN = (PFNGLCOLOR3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glColor3fVertex3fvSUN")) == NULL) || r; r = ((glColor4fNormal3fVertex3fSUN = (PFNGLCOLOR4FNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glColor4fNormal3fVertex3fSUN")) == NULL) || r; r = ((glColor4fNormal3fVertex3fvSUN = (PFNGLCOLOR4FNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glColor4fNormal3fVertex3fvSUN")) == NULL) || r; r = ((glColor4ubVertex2fSUN = (PFNGLCOLOR4UBVERTEX2FSUNPROC)glewGetProcAddress((const GLubyte*)"glColor4ubVertex2fSUN")) == NULL) || r; r = ((glColor4ubVertex2fvSUN = (PFNGLCOLOR4UBVERTEX2FVSUNPROC)glewGetProcAddress((const GLubyte*)"glColor4ubVertex2fvSUN")) == NULL) || r; r = ((glColor4ubVertex3fSUN = (PFNGLCOLOR4UBVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glColor4ubVertex3fSUN")) == NULL) || r; r = ((glColor4ubVertex3fvSUN = (PFNGLCOLOR4UBVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glColor4ubVertex3fvSUN")) == NULL) || r; r = ((glNormal3fVertex3fSUN = (PFNGLNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glNormal3fVertex3fSUN")) == NULL) || r; r = ((glNormal3fVertex3fvSUN = (PFNGLNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glNormal3fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiColor3fVertex3fSUN = (PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiColor3fVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiColor3fVertex3fvSUN = (PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiColor3fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiColor4fNormal3fVertex3fSUN = (PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiColor4fNormal3fVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiColor4fNormal3fVertex3fvSUN = (PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiColor4fNormal3fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiColor4ubVertex3fSUN = (PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiColor4ubVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiColor4ubVertex3fvSUN = (PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiColor4ubVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiNormal3fVertex3fSUN = (PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiNormal3fVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiNormal3fVertex3fvSUN = (PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiNormal3fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN = (PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN = (PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiTexCoord2fNormal3fVertex3fSUN = (PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiTexCoord2fNormal3fVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN = (PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiTexCoord2fVertex3fSUN = (PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiTexCoord2fVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiTexCoord2fVertex3fvSUN = (PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiTexCoord2fVertex3fvSUN")) == NULL) || r; r = ((glReplacementCodeuiVertex3fSUN = (PFNGLREPLACEMENTCODEUIVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiVertex3fSUN")) == NULL) || r; r = ((glReplacementCodeuiVertex3fvSUN = (PFNGLREPLACEMENTCODEUIVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glReplacementCodeuiVertex3fvSUN")) == NULL) || r; r = ((glTexCoord2fColor3fVertex3fSUN = (PFNGLTEXCOORD2FCOLOR3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fColor3fVertex3fSUN")) == NULL) || r; r = ((glTexCoord2fColor3fVertex3fvSUN = (PFNGLTEXCOORD2FCOLOR3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fColor3fVertex3fvSUN")) == NULL) || r; r = ((glTexCoord2fColor4fNormal3fVertex3fSUN = (PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fColor4fNormal3fVertex3fSUN")) == NULL) || r; r = ((glTexCoord2fColor4fNormal3fVertex3fvSUN = (PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fColor4fNormal3fVertex3fvSUN")) == NULL) || r; r = ((glTexCoord2fColor4ubVertex3fSUN = (PFNGLTEXCOORD2FCOLOR4UBVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fColor4ubVertex3fSUN")) == NULL) || r; r = ((glTexCoord2fColor4ubVertex3fvSUN = (PFNGLTEXCOORD2FCOLOR4UBVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fColor4ubVertex3fvSUN")) == NULL) || r; r = ((glTexCoord2fNormal3fVertex3fSUN = (PFNGLTEXCOORD2FNORMAL3FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fNormal3fVertex3fSUN")) == NULL) || r; r = ((glTexCoord2fNormal3fVertex3fvSUN = (PFNGLTEXCOORD2FNORMAL3FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fNormal3fVertex3fvSUN")) == NULL) || r; r = ((glTexCoord2fVertex3fSUN = (PFNGLTEXCOORD2FVERTEX3FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fVertex3fSUN")) == NULL) || r; r = ((glTexCoord2fVertex3fvSUN = (PFNGLTEXCOORD2FVERTEX3FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord2fVertex3fvSUN")) == NULL) || r; r = ((glTexCoord4fColor4fNormal3fVertex4fSUN = (PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord4fColor4fNormal3fVertex4fSUN")) == NULL) || r; r = ((glTexCoord4fColor4fNormal3fVertex4fvSUN = (PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord4fColor4fNormal3fVertex4fvSUN")) == NULL) || r; r = ((glTexCoord4fVertex4fSUN = (PFNGLTEXCOORD4FVERTEX4FSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord4fVertex4fSUN")) == NULL) || r; r = ((glTexCoord4fVertex4fvSUN = (PFNGLTEXCOORD4FVERTEX4FVSUNPROC)glewGetProcAddress((const GLubyte*)"glTexCoord4fVertex4fvSUN")) == NULL) || r; return r; } #endif /* GL_SUN_vertex */ #ifdef GL_WIN_swap_hint static GLboolean _glewInit_GL_WIN_swap_hint () { GLboolean r = GL_FALSE; r = ((glAddSwapHintRectWIN = (PFNGLADDSWAPHINTRECTWINPROC)glewGetProcAddress((const GLubyte*)"glAddSwapHintRectWIN")) == NULL) || r; return r; } #endif /* GL_WIN_swap_hint */ /* ------------------------------------------------------------------------- */ static int _glewExtensionCompare(const char *s1, const char *s2) { /* http://www.chanduthedev.com/2012/07/strcmp-implementation-in-c.html */ while (*s1 || *s2) { if (*s1 > *s2) return 1; if (*s1 < *s2) return -1; s1++; s2++; } return 0; } static ptrdiff_t _glewBsearchExtension(const char* name) { ptrdiff_t lo = 0, hi = sizeof(_glewExtensionLookup) / sizeof(char*) - 2; while (lo <= hi) { ptrdiff_t mid = (lo + hi) / 2; const int cmp = _glewExtensionCompare(name, _glewExtensionLookup[mid]); if (cmp < 0) hi = mid - 1; else if (cmp > 0) lo = mid + 1; else return mid; } return -1; } static GLboolean *_glewGetExtensionString(const char *name) { ptrdiff_t n = _glewBsearchExtension(name); if (n >= 0) return &_glewExtensionString[n]; return NULL; } static GLboolean *_glewGetExtensionEnable(const char *name) { ptrdiff_t n = _glewBsearchExtension(name); if (n >= 0) return _glewExtensionEnabled[n]; return NULL; } static const char *_glewNextSpace(const char *i) { const char *j = i; if (j) while (*j!=' ' && *j) ++j; return j; } static const char *_glewNextNonSpace(const char *i) { const char *j = i; if (j) while (*j==' ') ++j; return j; } GLboolean GLEWAPIENTRY glewGetExtension (const char* name) { GLboolean *enable = _glewGetExtensionString(name); if (enable) return *enable; return GL_FALSE; } /* ------------------------------------------------------------------------- */ typedef const GLubyte* (GLAPIENTRY * PFNGLGETSTRINGPROC) (GLenum name); typedef void (GLAPIENTRY * PFNGLGETINTEGERVPROC) (GLenum pname, GLint *params); static GLenum GLEWAPIENTRY glewContextInit () { PFNGLGETSTRINGPROC getString; const GLubyte* s; GLuint dot; GLint major, minor; size_t n; #ifdef _WIN32 getString = glGetString; #else getString = (PFNGLGETSTRINGPROC) glewGetProcAddress((const GLubyte*)"glGetString"); if (!getString) return GLEW_ERROR_NO_GL_VERSION; #endif /* query opengl version */ s = getString(GL_VERSION); dot = _glewStrCLen(s, '.'); if (dot == 0) return GLEW_ERROR_NO_GL_VERSION; major = s[dot-1]-'0'; minor = s[dot+1]-'0'; if (minor < 0 || minor > 9) minor = 0; if (major<0 || major>9) return GLEW_ERROR_NO_GL_VERSION; if (major == 1 && minor == 0) { return GLEW_ERROR_GL_VERSION_10_ONLY; } else { GLEW_VERSION_4_6 = ( major > 4 ) || ( major == 4 && minor >= 6 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_4_5 = GLEW_VERSION_4_4 == GL_TRUE || ( major == 4 && minor >= 5 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_4_4 = GLEW_VERSION_4_5 == GL_TRUE || ( major == 4 && minor >= 4 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_4_3 = GLEW_VERSION_4_4 == GL_TRUE || ( major == 4 && minor >= 3 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_4_2 = GLEW_VERSION_4_3 == GL_TRUE || ( major == 4 && minor >= 2 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_4_1 = GLEW_VERSION_4_2 == GL_TRUE || ( major == 4 && minor >= 1 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_4_0 = GLEW_VERSION_4_1 == GL_TRUE || ( major == 4 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_3_3 = GLEW_VERSION_4_0 == GL_TRUE || ( major == 3 && minor >= 3 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_3_2 = GLEW_VERSION_3_3 == GL_TRUE || ( major == 3 && minor >= 2 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_3_1 = GLEW_VERSION_3_2 == GL_TRUE || ( major == 3 && minor >= 1 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_3_0 = GLEW_VERSION_3_1 == GL_TRUE || ( major == 3 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_2_1 = GLEW_VERSION_3_0 == GL_TRUE || ( major == 2 && minor >= 1 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_2_0 = GLEW_VERSION_2_1 == GL_TRUE || ( major == 2 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_1_5 = GLEW_VERSION_2_0 == GL_TRUE || ( major == 1 && minor >= 5 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_1_4 = GLEW_VERSION_1_5 == GL_TRUE || ( major == 1 && minor >= 4 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_1_3 = GLEW_VERSION_1_4 == GL_TRUE || ( major == 1 && minor >= 3 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_1_2_1 = GLEW_VERSION_1_3 == GL_TRUE ? GL_TRUE : GL_FALSE; GLEW_VERSION_1_2 = GLEW_VERSION_1_2_1 == GL_TRUE || ( major == 1 && minor >= 2 ) ? GL_TRUE : GL_FALSE; GLEW_VERSION_1_1 = GLEW_VERSION_1_2 == GL_TRUE || ( major == 1 && minor >= 1 ) ? GL_TRUE : GL_FALSE; } for (n = 0; n < sizeof(_glewExtensionString) / sizeof(_glewExtensionString[0]); ++n) _glewExtensionString[n] = GL_FALSE; if (GLEW_VERSION_3_0) { GLint n = 0; GLint i; PFNGLGETINTEGERVPROC getIntegerv; PFNGLGETSTRINGIPROC getStringi; const char *ext; GLboolean *enable; #ifdef _WIN32 getIntegerv = glGetIntegerv; #else getIntegerv = (PFNGLGETINTEGERVPROC) glewGetProcAddress((const GLubyte*)"glGetIntegerv"); #endif if (getIntegerv) getIntegerv(GL_NUM_EXTENSIONS, &n); /* glGetStringi is OpenGL 3.0 */ getStringi = (PFNGLGETSTRINGIPROC) glewGetProcAddress((const GLubyte*)"glGetStringi"); if (getStringi) for (i = 0; i= (ptrdiff_t) sizeof(ext)) continue; _glewStrCopy(ext, i, ' '); /* Based on extension string(s), glewGetExtension purposes */ enable = _glewGetExtensionString(ext); if (enable) *enable = GL_TRUE; /* Based on extension string(s), experimental mode, glewIsSupported purposes */ enable = _glewGetExtensionEnable(ext); if (enable) *enable = GL_TRUE; } } } #ifdef GL_VERSION_1_2 if (glewExperimental || GLEW_VERSION_1_2) GLEW_VERSION_1_2 = !_glewInit_GL_VERSION_1_2(); #endif /* GL_VERSION_1_2 */ #ifdef GL_VERSION_1_3 if (glewExperimental || GLEW_VERSION_1_3) GLEW_VERSION_1_3 = !_glewInit_GL_VERSION_1_3(); #endif /* GL_VERSION_1_3 */ #ifdef GL_VERSION_1_4 if (glewExperimental || GLEW_VERSION_1_4) GLEW_VERSION_1_4 = !_glewInit_GL_VERSION_1_4(); #endif /* GL_VERSION_1_4 */ #ifdef GL_VERSION_1_5 if (glewExperimental || GLEW_VERSION_1_5) GLEW_VERSION_1_5 = !_glewInit_GL_VERSION_1_5(); #endif /* GL_VERSION_1_5 */ #ifdef GL_VERSION_2_0 if (glewExperimental || GLEW_VERSION_2_0) GLEW_VERSION_2_0 = !_glewInit_GL_VERSION_2_0(); #endif /* GL_VERSION_2_0 */ #ifdef GL_VERSION_2_1 if (glewExperimental || GLEW_VERSION_2_1) GLEW_VERSION_2_1 = !_glewInit_GL_VERSION_2_1(); #endif /* GL_VERSION_2_1 */ #ifdef GL_VERSION_3_0 if (glewExperimental || GLEW_VERSION_3_0) GLEW_VERSION_3_0 = !_glewInit_GL_VERSION_3_0(); #endif /* GL_VERSION_3_0 */ #ifdef GL_VERSION_3_1 if (glewExperimental || GLEW_VERSION_3_1) GLEW_VERSION_3_1 = !_glewInit_GL_VERSION_3_1(); #endif /* GL_VERSION_3_1 */ #ifdef GL_VERSION_3_2 if (glewExperimental || GLEW_VERSION_3_2) GLEW_VERSION_3_2 = !_glewInit_GL_VERSION_3_2(); #endif /* GL_VERSION_3_2 */ #ifdef GL_VERSION_3_3 if (glewExperimental || GLEW_VERSION_3_3) GLEW_VERSION_3_3 = !_glewInit_GL_VERSION_3_3(); #endif /* GL_VERSION_3_3 */ #ifdef GL_VERSION_4_0 if (glewExperimental || GLEW_VERSION_4_0) GLEW_VERSION_4_0 = !_glewInit_GL_VERSION_4_0(); #endif /* GL_VERSION_4_0 */ #ifdef GL_VERSION_4_5 if (glewExperimental || GLEW_VERSION_4_5) GLEW_VERSION_4_5 = !_glewInit_GL_VERSION_4_5(); #endif /* GL_VERSION_4_5 */ #ifdef GL_VERSION_4_6 if (glewExperimental || GLEW_VERSION_4_6) GLEW_VERSION_4_6 = !_glewInit_GL_VERSION_4_6(); #endif /* GL_VERSION_4_6 */ #ifdef GL_3DFX_tbuffer if (glewExperimental || GLEW_3DFX_tbuffer) GLEW_3DFX_tbuffer = !_glewInit_GL_3DFX_tbuffer(); #endif /* GL_3DFX_tbuffer */ #ifdef GL_AMD_debug_output if (glewExperimental || GLEW_AMD_debug_output) GLEW_AMD_debug_output = !_glewInit_GL_AMD_debug_output(); #endif /* GL_AMD_debug_output */ #ifdef GL_AMD_draw_buffers_blend if (glewExperimental || GLEW_AMD_draw_buffers_blend) GLEW_AMD_draw_buffers_blend = !_glewInit_GL_AMD_draw_buffers_blend(); #endif /* GL_AMD_draw_buffers_blend */ #ifdef GL_AMD_framebuffer_sample_positions if (glewExperimental || GLEW_AMD_framebuffer_sample_positions) GLEW_AMD_framebuffer_sample_positions = !_glewInit_GL_AMD_framebuffer_sample_positions(); #endif /* GL_AMD_framebuffer_sample_positions */ #ifdef GL_AMD_interleaved_elements if (glewExperimental || GLEW_AMD_interleaved_elements) GLEW_AMD_interleaved_elements = !_glewInit_GL_AMD_interleaved_elements(); #endif /* GL_AMD_interleaved_elements */ #ifdef GL_AMD_multi_draw_indirect if (glewExperimental || GLEW_AMD_multi_draw_indirect) GLEW_AMD_multi_draw_indirect = !_glewInit_GL_AMD_multi_draw_indirect(); #endif /* GL_AMD_multi_draw_indirect */ #ifdef GL_AMD_name_gen_delete if (glewExperimental || GLEW_AMD_name_gen_delete) GLEW_AMD_name_gen_delete = !_glewInit_GL_AMD_name_gen_delete(); #endif /* GL_AMD_name_gen_delete */ #ifdef GL_AMD_occlusion_query_event if (glewExperimental || GLEW_AMD_occlusion_query_event) GLEW_AMD_occlusion_query_event = !_glewInit_GL_AMD_occlusion_query_event(); #endif /* GL_AMD_occlusion_query_event */ #ifdef GL_AMD_performance_monitor if (glewExperimental || GLEW_AMD_performance_monitor) GLEW_AMD_performance_monitor = !_glewInit_GL_AMD_performance_monitor(); #endif /* GL_AMD_performance_monitor */ #ifdef GL_AMD_sample_positions if (glewExperimental || GLEW_AMD_sample_positions) GLEW_AMD_sample_positions = !_glewInit_GL_AMD_sample_positions(); #endif /* GL_AMD_sample_positions */ #ifdef GL_AMD_sparse_texture if (glewExperimental || GLEW_AMD_sparse_texture) GLEW_AMD_sparse_texture = !_glewInit_GL_AMD_sparse_texture(); #endif /* GL_AMD_sparse_texture */ #ifdef GL_AMD_stencil_operation_extended if (glewExperimental || GLEW_AMD_stencil_operation_extended) GLEW_AMD_stencil_operation_extended = !_glewInit_GL_AMD_stencil_operation_extended(); #endif /* GL_AMD_stencil_operation_extended */ #ifdef GL_AMD_vertex_shader_tessellator if (glewExperimental || GLEW_AMD_vertex_shader_tessellator) GLEW_AMD_vertex_shader_tessellator = !_glewInit_GL_AMD_vertex_shader_tessellator(); #endif /* GL_AMD_vertex_shader_tessellator */ #ifdef GL_ANGLE_framebuffer_blit if (glewExperimental || GLEW_ANGLE_framebuffer_blit) GLEW_ANGLE_framebuffer_blit = !_glewInit_GL_ANGLE_framebuffer_blit(); #endif /* GL_ANGLE_framebuffer_blit */ #ifdef GL_ANGLE_framebuffer_multisample if (glewExperimental || GLEW_ANGLE_framebuffer_multisample) GLEW_ANGLE_framebuffer_multisample = !_glewInit_GL_ANGLE_framebuffer_multisample(); #endif /* GL_ANGLE_framebuffer_multisample */ #ifdef GL_ANGLE_instanced_arrays if (glewExperimental || GLEW_ANGLE_instanced_arrays) GLEW_ANGLE_instanced_arrays = !_glewInit_GL_ANGLE_instanced_arrays(); #endif /* GL_ANGLE_instanced_arrays */ #ifdef GL_ANGLE_timer_query if (glewExperimental || GLEW_ANGLE_timer_query) GLEW_ANGLE_timer_query = !_glewInit_GL_ANGLE_timer_query(); #endif /* GL_ANGLE_timer_query */ #ifdef GL_ANGLE_translated_shader_source if (glewExperimental || GLEW_ANGLE_translated_shader_source) GLEW_ANGLE_translated_shader_source = !_glewInit_GL_ANGLE_translated_shader_source(); #endif /* GL_ANGLE_translated_shader_source */ #ifdef GL_APPLE_copy_texture_levels if (glewExperimental || GLEW_APPLE_copy_texture_levels) GLEW_APPLE_copy_texture_levels = !_glewInit_GL_APPLE_copy_texture_levels(); #endif /* GL_APPLE_copy_texture_levels */ #ifdef GL_APPLE_element_array if (glewExperimental || GLEW_APPLE_element_array) GLEW_APPLE_element_array = !_glewInit_GL_APPLE_element_array(); #endif /* GL_APPLE_element_array */ #ifdef GL_APPLE_fence if (glewExperimental || GLEW_APPLE_fence) GLEW_APPLE_fence = !_glewInit_GL_APPLE_fence(); #endif /* GL_APPLE_fence */ #ifdef GL_APPLE_flush_buffer_range if (glewExperimental || GLEW_APPLE_flush_buffer_range) GLEW_APPLE_flush_buffer_range = !_glewInit_GL_APPLE_flush_buffer_range(); #endif /* GL_APPLE_flush_buffer_range */ #ifdef GL_APPLE_framebuffer_multisample if (glewExperimental || GLEW_APPLE_framebuffer_multisample) GLEW_APPLE_framebuffer_multisample = !_glewInit_GL_APPLE_framebuffer_multisample(); #endif /* GL_APPLE_framebuffer_multisample */ #ifdef GL_APPLE_object_purgeable if (glewExperimental || GLEW_APPLE_object_purgeable) GLEW_APPLE_object_purgeable = !_glewInit_GL_APPLE_object_purgeable(); #endif /* GL_APPLE_object_purgeable */ #ifdef GL_APPLE_sync if (glewExperimental || GLEW_APPLE_sync) GLEW_APPLE_sync = !_glewInit_GL_APPLE_sync(); #endif /* GL_APPLE_sync */ #ifdef GL_APPLE_texture_range if (glewExperimental || GLEW_APPLE_texture_range) GLEW_APPLE_texture_range = !_glewInit_GL_APPLE_texture_range(); #endif /* GL_APPLE_texture_range */ #ifdef GL_APPLE_vertex_array_object if (glewExperimental || GLEW_APPLE_vertex_array_object) GLEW_APPLE_vertex_array_object = !_glewInit_GL_APPLE_vertex_array_object(); #endif /* GL_APPLE_vertex_array_object */ #ifdef GL_APPLE_vertex_array_range if (glewExperimental || GLEW_APPLE_vertex_array_range) GLEW_APPLE_vertex_array_range = !_glewInit_GL_APPLE_vertex_array_range(); #endif /* GL_APPLE_vertex_array_range */ #ifdef GL_APPLE_vertex_program_evaluators if (glewExperimental || GLEW_APPLE_vertex_program_evaluators) GLEW_APPLE_vertex_program_evaluators = !_glewInit_GL_APPLE_vertex_program_evaluators(); #endif /* GL_APPLE_vertex_program_evaluators */ #ifdef GL_ARB_ES2_compatibility if (glewExperimental || GLEW_ARB_ES2_compatibility) GLEW_ARB_ES2_compatibility = !_glewInit_GL_ARB_ES2_compatibility(); #endif /* GL_ARB_ES2_compatibility */ #ifdef GL_ARB_ES3_1_compatibility if (glewExperimental || GLEW_ARB_ES3_1_compatibility) GLEW_ARB_ES3_1_compatibility = !_glewInit_GL_ARB_ES3_1_compatibility(); #endif /* GL_ARB_ES3_1_compatibility */ #ifdef GL_ARB_ES3_2_compatibility if (glewExperimental || GLEW_ARB_ES3_2_compatibility) GLEW_ARB_ES3_2_compatibility = !_glewInit_GL_ARB_ES3_2_compatibility(); #endif /* GL_ARB_ES3_2_compatibility */ #ifdef GL_ARB_base_instance if (glewExperimental || GLEW_ARB_base_instance) GLEW_ARB_base_instance = !_glewInit_GL_ARB_base_instance(); #endif /* GL_ARB_base_instance */ #ifdef GL_ARB_bindless_texture if (glewExperimental || GLEW_ARB_bindless_texture) GLEW_ARB_bindless_texture = !_glewInit_GL_ARB_bindless_texture(); #endif /* GL_ARB_bindless_texture */ #ifdef GL_ARB_blend_func_extended if (glewExperimental || GLEW_ARB_blend_func_extended) GLEW_ARB_blend_func_extended = !_glewInit_GL_ARB_blend_func_extended(); #endif /* GL_ARB_blend_func_extended */ #ifdef GL_ARB_buffer_storage if (glewExperimental || GLEW_ARB_buffer_storage) GLEW_ARB_buffer_storage = !_glewInit_GL_ARB_buffer_storage(); #endif /* GL_ARB_buffer_storage */ #ifdef GL_ARB_cl_event if (glewExperimental || GLEW_ARB_cl_event) GLEW_ARB_cl_event = !_glewInit_GL_ARB_cl_event(); #endif /* GL_ARB_cl_event */ #ifdef GL_ARB_clear_buffer_object if (glewExperimental || GLEW_ARB_clear_buffer_object) GLEW_ARB_clear_buffer_object = !_glewInit_GL_ARB_clear_buffer_object(); #endif /* GL_ARB_clear_buffer_object */ #ifdef GL_ARB_clear_texture if (glewExperimental || GLEW_ARB_clear_texture) GLEW_ARB_clear_texture = !_glewInit_GL_ARB_clear_texture(); #endif /* GL_ARB_clear_texture */ #ifdef GL_ARB_clip_control if (glewExperimental || GLEW_ARB_clip_control) GLEW_ARB_clip_control = !_glewInit_GL_ARB_clip_control(); #endif /* GL_ARB_clip_control */ #ifdef GL_ARB_color_buffer_float if (glewExperimental || GLEW_ARB_color_buffer_float) GLEW_ARB_color_buffer_float = !_glewInit_GL_ARB_color_buffer_float(); #endif /* GL_ARB_color_buffer_float */ #ifdef GL_ARB_compute_shader if (glewExperimental || GLEW_ARB_compute_shader) GLEW_ARB_compute_shader = !_glewInit_GL_ARB_compute_shader(); #endif /* GL_ARB_compute_shader */ #ifdef GL_ARB_compute_variable_group_size if (glewExperimental || GLEW_ARB_compute_variable_group_size) GLEW_ARB_compute_variable_group_size = !_glewInit_GL_ARB_compute_variable_group_size(); #endif /* GL_ARB_compute_variable_group_size */ #ifdef GL_ARB_copy_buffer if (glewExperimental || GLEW_ARB_copy_buffer) GLEW_ARB_copy_buffer = !_glewInit_GL_ARB_copy_buffer(); #endif /* GL_ARB_copy_buffer */ #ifdef GL_ARB_copy_image if (glewExperimental || GLEW_ARB_copy_image) GLEW_ARB_copy_image = !_glewInit_GL_ARB_copy_image(); #endif /* GL_ARB_copy_image */ #ifdef GL_ARB_debug_output if (glewExperimental || GLEW_ARB_debug_output) GLEW_ARB_debug_output = !_glewInit_GL_ARB_debug_output(); #endif /* GL_ARB_debug_output */ #ifdef GL_ARB_direct_state_access if (glewExperimental || GLEW_ARB_direct_state_access) GLEW_ARB_direct_state_access = !_glewInit_GL_ARB_direct_state_access(); #endif /* GL_ARB_direct_state_access */ #ifdef GL_ARB_draw_buffers if (glewExperimental || GLEW_ARB_draw_buffers) GLEW_ARB_draw_buffers = !_glewInit_GL_ARB_draw_buffers(); #endif /* GL_ARB_draw_buffers */ #ifdef GL_ARB_draw_buffers_blend if (glewExperimental || GLEW_ARB_draw_buffers_blend) GLEW_ARB_draw_buffers_blend = !_glewInit_GL_ARB_draw_buffers_blend(); #endif /* GL_ARB_draw_buffers_blend */ #ifdef GL_ARB_draw_elements_base_vertex if (glewExperimental || GLEW_ARB_draw_elements_base_vertex) GLEW_ARB_draw_elements_base_vertex = !_glewInit_GL_ARB_draw_elements_base_vertex(); #endif /* GL_ARB_draw_elements_base_vertex */ #ifdef GL_ARB_draw_indirect if (glewExperimental || GLEW_ARB_draw_indirect) GLEW_ARB_draw_indirect = !_glewInit_GL_ARB_draw_indirect(); #endif /* GL_ARB_draw_indirect */ #ifdef GL_ARB_framebuffer_no_attachments if (glewExperimental || GLEW_ARB_framebuffer_no_attachments) GLEW_ARB_framebuffer_no_attachments = !_glewInit_GL_ARB_framebuffer_no_attachments(); #endif /* GL_ARB_framebuffer_no_attachments */ #ifdef GL_ARB_framebuffer_object if (glewExperimental || GLEW_ARB_framebuffer_object) GLEW_ARB_framebuffer_object = !_glewInit_GL_ARB_framebuffer_object(); #endif /* GL_ARB_framebuffer_object */ #ifdef GL_ARB_geometry_shader4 if (glewExperimental || GLEW_ARB_geometry_shader4) GLEW_ARB_geometry_shader4 = !_glewInit_GL_ARB_geometry_shader4(); #endif /* GL_ARB_geometry_shader4 */ #ifdef GL_ARB_get_program_binary if (glewExperimental || GLEW_ARB_get_program_binary) GLEW_ARB_get_program_binary = !_glewInit_GL_ARB_get_program_binary(); #endif /* GL_ARB_get_program_binary */ #ifdef GL_ARB_get_texture_sub_image if (glewExperimental || GLEW_ARB_get_texture_sub_image) GLEW_ARB_get_texture_sub_image = !_glewInit_GL_ARB_get_texture_sub_image(); #endif /* GL_ARB_get_texture_sub_image */ #ifdef GL_ARB_gl_spirv if (glewExperimental || GLEW_ARB_gl_spirv) GLEW_ARB_gl_spirv = !_glewInit_GL_ARB_gl_spirv(); #endif /* GL_ARB_gl_spirv */ #ifdef GL_ARB_gpu_shader_fp64 if (glewExperimental || GLEW_ARB_gpu_shader_fp64) GLEW_ARB_gpu_shader_fp64 = !_glewInit_GL_ARB_gpu_shader_fp64(); #endif /* GL_ARB_gpu_shader_fp64 */ #ifdef GL_ARB_gpu_shader_int64 if (glewExperimental || GLEW_ARB_gpu_shader_int64) GLEW_ARB_gpu_shader_int64 = !_glewInit_GL_ARB_gpu_shader_int64(); #endif /* GL_ARB_gpu_shader_int64 */ #ifdef GL_ARB_imaging if (glewExperimental || GLEW_ARB_imaging) GLEW_ARB_imaging = !_glewInit_GL_ARB_imaging(); #endif /* GL_ARB_imaging */ #ifdef GL_ARB_indirect_parameters if (glewExperimental || GLEW_ARB_indirect_parameters) GLEW_ARB_indirect_parameters = !_glewInit_GL_ARB_indirect_parameters(); #endif /* GL_ARB_indirect_parameters */ #ifdef GL_ARB_instanced_arrays if (glewExperimental || GLEW_ARB_instanced_arrays) GLEW_ARB_instanced_arrays = !_glewInit_GL_ARB_instanced_arrays(); #endif /* GL_ARB_instanced_arrays */ #ifdef GL_ARB_internalformat_query if (glewExperimental || GLEW_ARB_internalformat_query) GLEW_ARB_internalformat_query = !_glewInit_GL_ARB_internalformat_query(); #endif /* GL_ARB_internalformat_query */ #ifdef GL_ARB_internalformat_query2 if (glewExperimental || GLEW_ARB_internalformat_query2) GLEW_ARB_internalformat_query2 = !_glewInit_GL_ARB_internalformat_query2(); #endif /* GL_ARB_internalformat_query2 */ #ifdef GL_ARB_invalidate_subdata if (glewExperimental || GLEW_ARB_invalidate_subdata) GLEW_ARB_invalidate_subdata = !_glewInit_GL_ARB_invalidate_subdata(); #endif /* GL_ARB_invalidate_subdata */ #ifdef GL_ARB_map_buffer_range if (glewExperimental || GLEW_ARB_map_buffer_range) GLEW_ARB_map_buffer_range = !_glewInit_GL_ARB_map_buffer_range(); #endif /* GL_ARB_map_buffer_range */ #ifdef GL_ARB_matrix_palette if (glewExperimental || GLEW_ARB_matrix_palette) GLEW_ARB_matrix_palette = !_glewInit_GL_ARB_matrix_palette(); #endif /* GL_ARB_matrix_palette */ #ifdef GL_ARB_multi_bind if (glewExperimental || GLEW_ARB_multi_bind) GLEW_ARB_multi_bind = !_glewInit_GL_ARB_multi_bind(); #endif /* GL_ARB_multi_bind */ #ifdef GL_ARB_multi_draw_indirect if (glewExperimental || GLEW_ARB_multi_draw_indirect) GLEW_ARB_multi_draw_indirect = !_glewInit_GL_ARB_multi_draw_indirect(); #endif /* GL_ARB_multi_draw_indirect */ #ifdef GL_ARB_multisample if (glewExperimental || GLEW_ARB_multisample) GLEW_ARB_multisample = !_glewInit_GL_ARB_multisample(); #endif /* GL_ARB_multisample */ #ifdef GL_ARB_multitexture if (glewExperimental || GLEW_ARB_multitexture) GLEW_ARB_multitexture = !_glewInit_GL_ARB_multitexture(); #endif /* GL_ARB_multitexture */ #ifdef GL_ARB_occlusion_query if (glewExperimental || GLEW_ARB_occlusion_query) GLEW_ARB_occlusion_query = !_glewInit_GL_ARB_occlusion_query(); #endif /* GL_ARB_occlusion_query */ #ifdef GL_ARB_parallel_shader_compile if (glewExperimental || GLEW_ARB_parallel_shader_compile) GLEW_ARB_parallel_shader_compile = !_glewInit_GL_ARB_parallel_shader_compile(); #endif /* GL_ARB_parallel_shader_compile */ #ifdef GL_ARB_point_parameters if (glewExperimental || GLEW_ARB_point_parameters) GLEW_ARB_point_parameters = !_glewInit_GL_ARB_point_parameters(); #endif /* GL_ARB_point_parameters */ #ifdef GL_ARB_polygon_offset_clamp if (glewExperimental || GLEW_ARB_polygon_offset_clamp) GLEW_ARB_polygon_offset_clamp = !_glewInit_GL_ARB_polygon_offset_clamp(); #endif /* GL_ARB_polygon_offset_clamp */ #ifdef GL_ARB_program_interface_query if (glewExperimental || GLEW_ARB_program_interface_query) GLEW_ARB_program_interface_query = !_glewInit_GL_ARB_program_interface_query(); #endif /* GL_ARB_program_interface_query */ #ifdef GL_ARB_provoking_vertex if (glewExperimental || GLEW_ARB_provoking_vertex) GLEW_ARB_provoking_vertex = !_glewInit_GL_ARB_provoking_vertex(); #endif /* GL_ARB_provoking_vertex */ #ifdef GL_ARB_robustness if (glewExperimental || GLEW_ARB_robustness) GLEW_ARB_robustness = !_glewInit_GL_ARB_robustness(); #endif /* GL_ARB_robustness */ #ifdef GL_ARB_sample_locations if (glewExperimental || GLEW_ARB_sample_locations) GLEW_ARB_sample_locations = !_glewInit_GL_ARB_sample_locations(); #endif /* GL_ARB_sample_locations */ #ifdef GL_ARB_sample_shading if (glewExperimental || GLEW_ARB_sample_shading) GLEW_ARB_sample_shading = !_glewInit_GL_ARB_sample_shading(); #endif /* GL_ARB_sample_shading */ #ifdef GL_ARB_sampler_objects if (glewExperimental || GLEW_ARB_sampler_objects) GLEW_ARB_sampler_objects = !_glewInit_GL_ARB_sampler_objects(); #endif /* GL_ARB_sampler_objects */ #ifdef GL_ARB_separate_shader_objects if (glewExperimental || GLEW_ARB_separate_shader_objects) GLEW_ARB_separate_shader_objects = !_glewInit_GL_ARB_separate_shader_objects(); #endif /* GL_ARB_separate_shader_objects */ #ifdef GL_ARB_shader_atomic_counters if (glewExperimental || GLEW_ARB_shader_atomic_counters) GLEW_ARB_shader_atomic_counters = !_glewInit_GL_ARB_shader_atomic_counters(); #endif /* GL_ARB_shader_atomic_counters */ #ifdef GL_ARB_shader_image_load_store if (glewExperimental || GLEW_ARB_shader_image_load_store) GLEW_ARB_shader_image_load_store = !_glewInit_GL_ARB_shader_image_load_store(); #endif /* GL_ARB_shader_image_load_store */ #ifdef GL_ARB_shader_objects if (glewExperimental || GLEW_ARB_shader_objects) GLEW_ARB_shader_objects = !_glewInit_GL_ARB_shader_objects(); #endif /* GL_ARB_shader_objects */ #ifdef GL_ARB_shader_storage_buffer_object if (glewExperimental || GLEW_ARB_shader_storage_buffer_object) GLEW_ARB_shader_storage_buffer_object = !_glewInit_GL_ARB_shader_storage_buffer_object(); #endif /* GL_ARB_shader_storage_buffer_object */ #ifdef GL_ARB_shader_subroutine if (glewExperimental || GLEW_ARB_shader_subroutine) GLEW_ARB_shader_subroutine = !_glewInit_GL_ARB_shader_subroutine(); #endif /* GL_ARB_shader_subroutine */ #ifdef GL_ARB_shading_language_include if (glewExperimental || GLEW_ARB_shading_language_include) GLEW_ARB_shading_language_include = !_glewInit_GL_ARB_shading_language_include(); #endif /* GL_ARB_shading_language_include */ #ifdef GL_ARB_sparse_buffer if (glewExperimental || GLEW_ARB_sparse_buffer) GLEW_ARB_sparse_buffer = !_glewInit_GL_ARB_sparse_buffer(); #endif /* GL_ARB_sparse_buffer */ #ifdef GL_ARB_sparse_texture if (glewExperimental || GLEW_ARB_sparse_texture) GLEW_ARB_sparse_texture = !_glewInit_GL_ARB_sparse_texture(); #endif /* GL_ARB_sparse_texture */ #ifdef GL_ARB_sync if (glewExperimental || GLEW_ARB_sync) GLEW_ARB_sync = !_glewInit_GL_ARB_sync(); #endif /* GL_ARB_sync */ #ifdef GL_ARB_tessellation_shader if (glewExperimental || GLEW_ARB_tessellation_shader) GLEW_ARB_tessellation_shader = !_glewInit_GL_ARB_tessellation_shader(); #endif /* GL_ARB_tessellation_shader */ #ifdef GL_ARB_texture_barrier if (glewExperimental || GLEW_ARB_texture_barrier) GLEW_ARB_texture_barrier = !_glewInit_GL_ARB_texture_barrier(); #endif /* GL_ARB_texture_barrier */ #ifdef GL_ARB_texture_buffer_object if (glewExperimental || GLEW_ARB_texture_buffer_object) GLEW_ARB_texture_buffer_object = !_glewInit_GL_ARB_texture_buffer_object(); #endif /* GL_ARB_texture_buffer_object */ #ifdef GL_ARB_texture_buffer_range if (glewExperimental || GLEW_ARB_texture_buffer_range) GLEW_ARB_texture_buffer_range = !_glewInit_GL_ARB_texture_buffer_range(); #endif /* GL_ARB_texture_buffer_range */ #ifdef GL_ARB_texture_compression if (glewExperimental || GLEW_ARB_texture_compression) GLEW_ARB_texture_compression = !_glewInit_GL_ARB_texture_compression(); #endif /* GL_ARB_texture_compression */ #ifdef GL_ARB_texture_multisample if (glewExperimental || GLEW_ARB_texture_multisample) GLEW_ARB_texture_multisample = !_glewInit_GL_ARB_texture_multisample(); #endif /* GL_ARB_texture_multisample */ #ifdef GL_ARB_texture_storage if (glewExperimental || GLEW_ARB_texture_storage) GLEW_ARB_texture_storage = !_glewInit_GL_ARB_texture_storage(); #endif /* GL_ARB_texture_storage */ #ifdef GL_ARB_texture_storage_multisample if (glewExperimental || GLEW_ARB_texture_storage_multisample) GLEW_ARB_texture_storage_multisample = !_glewInit_GL_ARB_texture_storage_multisample(); #endif /* GL_ARB_texture_storage_multisample */ #ifdef GL_ARB_texture_view if (glewExperimental || GLEW_ARB_texture_view) GLEW_ARB_texture_view = !_glewInit_GL_ARB_texture_view(); #endif /* GL_ARB_texture_view */ #ifdef GL_ARB_timer_query if (glewExperimental || GLEW_ARB_timer_query) GLEW_ARB_timer_query = !_glewInit_GL_ARB_timer_query(); #endif /* GL_ARB_timer_query */ #ifdef GL_ARB_transform_feedback2 if (glewExperimental || GLEW_ARB_transform_feedback2) GLEW_ARB_transform_feedback2 = !_glewInit_GL_ARB_transform_feedback2(); #endif /* GL_ARB_transform_feedback2 */ #ifdef GL_ARB_transform_feedback3 if (glewExperimental || GLEW_ARB_transform_feedback3) GLEW_ARB_transform_feedback3 = !_glewInit_GL_ARB_transform_feedback3(); #endif /* GL_ARB_transform_feedback3 */ #ifdef GL_ARB_transform_feedback_instanced if (glewExperimental || GLEW_ARB_transform_feedback_instanced) GLEW_ARB_transform_feedback_instanced = !_glewInit_GL_ARB_transform_feedback_instanced(); #endif /* GL_ARB_transform_feedback_instanced */ #ifdef GL_ARB_transpose_matrix if (glewExperimental || GLEW_ARB_transpose_matrix) GLEW_ARB_transpose_matrix = !_glewInit_GL_ARB_transpose_matrix(); #endif /* GL_ARB_transpose_matrix */ #ifdef GL_ARB_uniform_buffer_object if (glewExperimental || GLEW_ARB_uniform_buffer_object) GLEW_ARB_uniform_buffer_object = !_glewInit_GL_ARB_uniform_buffer_object(); #endif /* GL_ARB_uniform_buffer_object */ #ifdef GL_ARB_vertex_array_object if (glewExperimental || GLEW_ARB_vertex_array_object) GLEW_ARB_vertex_array_object = !_glewInit_GL_ARB_vertex_array_object(); #endif /* GL_ARB_vertex_array_object */ #ifdef GL_ARB_vertex_attrib_64bit if (glewExperimental || GLEW_ARB_vertex_attrib_64bit) GLEW_ARB_vertex_attrib_64bit = !_glewInit_GL_ARB_vertex_attrib_64bit(); #endif /* GL_ARB_vertex_attrib_64bit */ #ifdef GL_ARB_vertex_attrib_binding if (glewExperimental || GLEW_ARB_vertex_attrib_binding) GLEW_ARB_vertex_attrib_binding = !_glewInit_GL_ARB_vertex_attrib_binding(); #endif /* GL_ARB_vertex_attrib_binding */ #ifdef GL_ARB_vertex_blend if (glewExperimental || GLEW_ARB_vertex_blend) GLEW_ARB_vertex_blend = !_glewInit_GL_ARB_vertex_blend(); #endif /* GL_ARB_vertex_blend */ #ifdef GL_ARB_vertex_buffer_object if (glewExperimental || GLEW_ARB_vertex_buffer_object) GLEW_ARB_vertex_buffer_object = !_glewInit_GL_ARB_vertex_buffer_object(); #endif /* GL_ARB_vertex_buffer_object */ #ifdef GL_ARB_vertex_program if (glewExperimental || GLEW_ARB_vertex_program) GLEW_ARB_vertex_program = !_glewInit_GL_ARB_vertex_program(); #endif /* GL_ARB_vertex_program */ #ifdef GL_ARB_vertex_shader if (glewExperimental || GLEW_ARB_vertex_shader) { GLEW_ARB_vertex_shader = !_glewInit_GL_ARB_vertex_shader(); _glewInit_GL_ARB_vertex_program(); } #endif /* GL_ARB_vertex_shader */ #ifdef GL_ARB_vertex_type_2_10_10_10_rev if (glewExperimental || GLEW_ARB_vertex_type_2_10_10_10_rev) GLEW_ARB_vertex_type_2_10_10_10_rev = !_glewInit_GL_ARB_vertex_type_2_10_10_10_rev(); #endif /* GL_ARB_vertex_type_2_10_10_10_rev */ #ifdef GL_ARB_viewport_array if (glewExperimental || GLEW_ARB_viewport_array) GLEW_ARB_viewport_array = !_glewInit_GL_ARB_viewport_array(); #endif /* GL_ARB_viewport_array */ #ifdef GL_ARB_window_pos if (glewExperimental || GLEW_ARB_window_pos) GLEW_ARB_window_pos = !_glewInit_GL_ARB_window_pos(); #endif /* GL_ARB_window_pos */ #ifdef GL_ATI_draw_buffers if (glewExperimental || GLEW_ATI_draw_buffers) GLEW_ATI_draw_buffers = !_glewInit_GL_ATI_draw_buffers(); #endif /* GL_ATI_draw_buffers */ #ifdef GL_ATI_element_array if (glewExperimental || GLEW_ATI_element_array) GLEW_ATI_element_array = !_glewInit_GL_ATI_element_array(); #endif /* GL_ATI_element_array */ #ifdef GL_ATI_envmap_bumpmap if (glewExperimental || GLEW_ATI_envmap_bumpmap) GLEW_ATI_envmap_bumpmap = !_glewInit_GL_ATI_envmap_bumpmap(); #endif /* GL_ATI_envmap_bumpmap */ #ifdef GL_ATI_fragment_shader if (glewExperimental || GLEW_ATI_fragment_shader) GLEW_ATI_fragment_shader = !_glewInit_GL_ATI_fragment_shader(); #endif /* GL_ATI_fragment_shader */ #ifdef GL_ATI_map_object_buffer if (glewExperimental || GLEW_ATI_map_object_buffer) GLEW_ATI_map_object_buffer = !_glewInit_GL_ATI_map_object_buffer(); #endif /* GL_ATI_map_object_buffer */ #ifdef GL_ATI_pn_triangles if (glewExperimental || GLEW_ATI_pn_triangles) GLEW_ATI_pn_triangles = !_glewInit_GL_ATI_pn_triangles(); #endif /* GL_ATI_pn_triangles */ #ifdef GL_ATI_separate_stencil if (glewExperimental || GLEW_ATI_separate_stencil) GLEW_ATI_separate_stencil = !_glewInit_GL_ATI_separate_stencil(); #endif /* GL_ATI_separate_stencil */ #ifdef GL_ATI_vertex_array_object if (glewExperimental || GLEW_ATI_vertex_array_object) GLEW_ATI_vertex_array_object = !_glewInit_GL_ATI_vertex_array_object(); #endif /* GL_ATI_vertex_array_object */ #ifdef GL_ATI_vertex_attrib_array_object if (glewExperimental || GLEW_ATI_vertex_attrib_array_object) GLEW_ATI_vertex_attrib_array_object = !_glewInit_GL_ATI_vertex_attrib_array_object(); #endif /* GL_ATI_vertex_attrib_array_object */ #ifdef GL_ATI_vertex_streams if (glewExperimental || GLEW_ATI_vertex_streams) GLEW_ATI_vertex_streams = !_glewInit_GL_ATI_vertex_streams(); #endif /* GL_ATI_vertex_streams */ #ifdef GL_EXT_base_instance if (glewExperimental || GLEW_EXT_base_instance) GLEW_EXT_base_instance = !_glewInit_GL_EXT_base_instance(); #endif /* GL_EXT_base_instance */ #ifdef GL_EXT_bindable_uniform if (glewExperimental || GLEW_EXT_bindable_uniform) GLEW_EXT_bindable_uniform = !_glewInit_GL_EXT_bindable_uniform(); #endif /* GL_EXT_bindable_uniform */ #ifdef GL_EXT_blend_color if (glewExperimental || GLEW_EXT_blend_color) GLEW_EXT_blend_color = !_glewInit_GL_EXT_blend_color(); #endif /* GL_EXT_blend_color */ #ifdef GL_EXT_blend_equation_separate if (glewExperimental || GLEW_EXT_blend_equation_separate) GLEW_EXT_blend_equation_separate = !_glewInit_GL_EXT_blend_equation_separate(); #endif /* GL_EXT_blend_equation_separate */ #ifdef GL_EXT_blend_func_extended if (glewExperimental || GLEW_EXT_blend_func_extended) GLEW_EXT_blend_func_extended = !_glewInit_GL_EXT_blend_func_extended(); #endif /* GL_EXT_blend_func_extended */ #ifdef GL_EXT_blend_func_separate if (glewExperimental || GLEW_EXT_blend_func_separate) GLEW_EXT_blend_func_separate = !_glewInit_GL_EXT_blend_func_separate(); #endif /* GL_EXT_blend_func_separate */ #ifdef GL_EXT_blend_minmax if (glewExperimental || GLEW_EXT_blend_minmax) GLEW_EXT_blend_minmax = !_glewInit_GL_EXT_blend_minmax(); #endif /* GL_EXT_blend_minmax */ #ifdef GL_EXT_buffer_storage if (glewExperimental || GLEW_EXT_buffer_storage) GLEW_EXT_buffer_storage = !_glewInit_GL_EXT_buffer_storage(); #endif /* GL_EXT_buffer_storage */ #ifdef GL_EXT_clear_texture if (glewExperimental || GLEW_EXT_clear_texture) GLEW_EXT_clear_texture = !_glewInit_GL_EXT_clear_texture(); #endif /* GL_EXT_clear_texture */ #ifdef GL_EXT_color_subtable if (glewExperimental || GLEW_EXT_color_subtable) GLEW_EXT_color_subtable = !_glewInit_GL_EXT_color_subtable(); #endif /* GL_EXT_color_subtable */ #ifdef GL_EXT_compiled_vertex_array if (glewExperimental || GLEW_EXT_compiled_vertex_array) GLEW_EXT_compiled_vertex_array = !_glewInit_GL_EXT_compiled_vertex_array(); #endif /* GL_EXT_compiled_vertex_array */ #ifdef GL_EXT_convolution if (glewExperimental || GLEW_EXT_convolution) GLEW_EXT_convolution = !_glewInit_GL_EXT_convolution(); #endif /* GL_EXT_convolution */ #ifdef GL_EXT_coordinate_frame if (glewExperimental || GLEW_EXT_coordinate_frame) GLEW_EXT_coordinate_frame = !_glewInit_GL_EXT_coordinate_frame(); #endif /* GL_EXT_coordinate_frame */ #ifdef GL_EXT_copy_image if (glewExperimental || GLEW_EXT_copy_image) GLEW_EXT_copy_image = !_glewInit_GL_EXT_copy_image(); #endif /* GL_EXT_copy_image */ #ifdef GL_EXT_copy_texture if (glewExperimental || GLEW_EXT_copy_texture) GLEW_EXT_copy_texture = !_glewInit_GL_EXT_copy_texture(); #endif /* GL_EXT_copy_texture */ #ifdef GL_EXT_cull_vertex if (glewExperimental || GLEW_EXT_cull_vertex) GLEW_EXT_cull_vertex = !_glewInit_GL_EXT_cull_vertex(); #endif /* GL_EXT_cull_vertex */ #ifdef GL_EXT_debug_label if (glewExperimental || GLEW_EXT_debug_label) GLEW_EXT_debug_label = !_glewInit_GL_EXT_debug_label(); #endif /* GL_EXT_debug_label */ #ifdef GL_EXT_debug_marker if (glewExperimental || GLEW_EXT_debug_marker) GLEW_EXT_debug_marker = !_glewInit_GL_EXT_debug_marker(); #endif /* GL_EXT_debug_marker */ #ifdef GL_EXT_depth_bounds_test if (glewExperimental || GLEW_EXT_depth_bounds_test) GLEW_EXT_depth_bounds_test = !_glewInit_GL_EXT_depth_bounds_test(); #endif /* GL_EXT_depth_bounds_test */ #ifdef GL_EXT_direct_state_access if (glewExperimental || GLEW_EXT_direct_state_access) GLEW_EXT_direct_state_access = !_glewInit_GL_EXT_direct_state_access(); #endif /* GL_EXT_direct_state_access */ #ifdef GL_EXT_discard_framebuffer if (glewExperimental || GLEW_EXT_discard_framebuffer) GLEW_EXT_discard_framebuffer = !_glewInit_GL_EXT_discard_framebuffer(); #endif /* GL_EXT_discard_framebuffer */ #ifdef GL_EXT_draw_buffers if (glewExperimental || GLEW_EXT_draw_buffers) GLEW_EXT_draw_buffers = !_glewInit_GL_EXT_draw_buffers(); #endif /* GL_EXT_draw_buffers */ #ifdef GL_EXT_draw_buffers2 if (glewExperimental || GLEW_EXT_draw_buffers2) GLEW_EXT_draw_buffers2 = !_glewInit_GL_EXT_draw_buffers2(); #endif /* GL_EXT_draw_buffers2 */ #ifdef GL_EXT_draw_buffers_indexed if (glewExperimental || GLEW_EXT_draw_buffers_indexed) GLEW_EXT_draw_buffers_indexed = !_glewInit_GL_EXT_draw_buffers_indexed(); #endif /* GL_EXT_draw_buffers_indexed */ #ifdef GL_EXT_draw_elements_base_vertex if (glewExperimental || GLEW_EXT_draw_elements_base_vertex) GLEW_EXT_draw_elements_base_vertex = !_glewInit_GL_EXT_draw_elements_base_vertex(); #endif /* GL_EXT_draw_elements_base_vertex */ #ifdef GL_EXT_draw_instanced if (glewExperimental || GLEW_EXT_draw_instanced) GLEW_EXT_draw_instanced = !_glewInit_GL_EXT_draw_instanced(); #endif /* GL_EXT_draw_instanced */ #ifdef GL_EXT_draw_range_elements if (glewExperimental || GLEW_EXT_draw_range_elements) GLEW_EXT_draw_range_elements = !_glewInit_GL_EXT_draw_range_elements(); #endif /* GL_EXT_draw_range_elements */ #ifdef GL_EXT_external_buffer if (glewExperimental || GLEW_EXT_external_buffer) GLEW_EXT_external_buffer = !_glewInit_GL_EXT_external_buffer(); #endif /* GL_EXT_external_buffer */ #ifdef GL_EXT_fog_coord if (glewExperimental || GLEW_EXT_fog_coord) GLEW_EXT_fog_coord = !_glewInit_GL_EXT_fog_coord(); #endif /* GL_EXT_fog_coord */ #ifdef GL_EXT_fragment_lighting if (glewExperimental || GLEW_EXT_fragment_lighting) GLEW_EXT_fragment_lighting = !_glewInit_GL_EXT_fragment_lighting(); #endif /* GL_EXT_fragment_lighting */ #ifdef GL_EXT_framebuffer_blit if (glewExperimental || GLEW_EXT_framebuffer_blit) GLEW_EXT_framebuffer_blit = !_glewInit_GL_EXT_framebuffer_blit(); #endif /* GL_EXT_framebuffer_blit */ #ifdef GL_EXT_framebuffer_multisample if (glewExperimental || GLEW_EXT_framebuffer_multisample) GLEW_EXT_framebuffer_multisample = !_glewInit_GL_EXT_framebuffer_multisample(); #endif /* GL_EXT_framebuffer_multisample */ #ifdef GL_EXT_framebuffer_object if (glewExperimental || GLEW_EXT_framebuffer_object) GLEW_EXT_framebuffer_object = !_glewInit_GL_EXT_framebuffer_object(); #endif /* GL_EXT_framebuffer_object */ #ifdef GL_EXT_geometry_shader4 if (glewExperimental || GLEW_EXT_geometry_shader4) GLEW_EXT_geometry_shader4 = !_glewInit_GL_EXT_geometry_shader4(); #endif /* GL_EXT_geometry_shader4 */ #ifdef GL_EXT_gpu_program_parameters if (glewExperimental || GLEW_EXT_gpu_program_parameters) GLEW_EXT_gpu_program_parameters = !_glewInit_GL_EXT_gpu_program_parameters(); #endif /* GL_EXT_gpu_program_parameters */ #ifdef GL_EXT_gpu_shader4 if (glewExperimental || GLEW_EXT_gpu_shader4) GLEW_EXT_gpu_shader4 = !_glewInit_GL_EXT_gpu_shader4(); #endif /* GL_EXT_gpu_shader4 */ #ifdef GL_EXT_histogram if (glewExperimental || GLEW_EXT_histogram) GLEW_EXT_histogram = !_glewInit_GL_EXT_histogram(); #endif /* GL_EXT_histogram */ #ifdef GL_EXT_index_func if (glewExperimental || GLEW_EXT_index_func) GLEW_EXT_index_func = !_glewInit_GL_EXT_index_func(); #endif /* GL_EXT_index_func */ #ifdef GL_EXT_index_material if (glewExperimental || GLEW_EXT_index_material) GLEW_EXT_index_material = !_glewInit_GL_EXT_index_material(); #endif /* GL_EXT_index_material */ #ifdef GL_EXT_instanced_arrays if (glewExperimental || GLEW_EXT_instanced_arrays) GLEW_EXT_instanced_arrays = !_glewInit_GL_EXT_instanced_arrays(); #endif /* GL_EXT_instanced_arrays */ #ifdef GL_EXT_light_texture if (glewExperimental || GLEW_EXT_light_texture) GLEW_EXT_light_texture = !_glewInit_GL_EXT_light_texture(); #endif /* GL_EXT_light_texture */ #ifdef GL_EXT_map_buffer_range if (glewExperimental || GLEW_EXT_map_buffer_range) GLEW_EXT_map_buffer_range = !_glewInit_GL_EXT_map_buffer_range(); #endif /* GL_EXT_map_buffer_range */ #ifdef GL_EXT_memory_object if (glewExperimental || GLEW_EXT_memory_object) GLEW_EXT_memory_object = !_glewInit_GL_EXT_memory_object(); #endif /* GL_EXT_memory_object */ #ifdef GL_EXT_memory_object_fd if (glewExperimental || GLEW_EXT_memory_object_fd) GLEW_EXT_memory_object_fd = !_glewInit_GL_EXT_memory_object_fd(); #endif /* GL_EXT_memory_object_fd */ #ifdef GL_EXT_memory_object_win32 if (glewExperimental || GLEW_EXT_memory_object_win32) GLEW_EXT_memory_object_win32 = !_glewInit_GL_EXT_memory_object_win32(); #endif /* GL_EXT_memory_object_win32 */ #ifdef GL_EXT_multi_draw_arrays if (glewExperimental || GLEW_EXT_multi_draw_arrays) GLEW_EXT_multi_draw_arrays = !_glewInit_GL_EXT_multi_draw_arrays(); #endif /* GL_EXT_multi_draw_arrays */ #ifdef GL_EXT_multi_draw_indirect if (glewExperimental || GLEW_EXT_multi_draw_indirect) GLEW_EXT_multi_draw_indirect = !_glewInit_GL_EXT_multi_draw_indirect(); #endif /* GL_EXT_multi_draw_indirect */ #ifdef GL_EXT_multisample if (glewExperimental || GLEW_EXT_multisample) GLEW_EXT_multisample = !_glewInit_GL_EXT_multisample(); #endif /* GL_EXT_multisample */ #ifdef GL_EXT_multisampled_render_to_texture if (glewExperimental || GLEW_EXT_multisampled_render_to_texture) GLEW_EXT_multisampled_render_to_texture = !_glewInit_GL_EXT_multisampled_render_to_texture(); #endif /* GL_EXT_multisampled_render_to_texture */ #ifdef GL_EXT_multiview_draw_buffers if (glewExperimental || GLEW_EXT_multiview_draw_buffers) GLEW_EXT_multiview_draw_buffers = !_glewInit_GL_EXT_multiview_draw_buffers(); #endif /* GL_EXT_multiview_draw_buffers */ #ifdef GL_EXT_paletted_texture if (glewExperimental || GLEW_EXT_paletted_texture) GLEW_EXT_paletted_texture = !_glewInit_GL_EXT_paletted_texture(); #endif /* GL_EXT_paletted_texture */ #ifdef GL_EXT_pixel_transform if (glewExperimental || GLEW_EXT_pixel_transform) GLEW_EXT_pixel_transform = !_glewInit_GL_EXT_pixel_transform(); #endif /* GL_EXT_pixel_transform */ #ifdef GL_EXT_point_parameters if (glewExperimental || GLEW_EXT_point_parameters) GLEW_EXT_point_parameters = !_glewInit_GL_EXT_point_parameters(); #endif /* GL_EXT_point_parameters */ #ifdef GL_EXT_polygon_offset if (glewExperimental || GLEW_EXT_polygon_offset) GLEW_EXT_polygon_offset = !_glewInit_GL_EXT_polygon_offset(); #endif /* GL_EXT_polygon_offset */ #ifdef GL_EXT_polygon_offset_clamp if (glewExperimental || GLEW_EXT_polygon_offset_clamp) GLEW_EXT_polygon_offset_clamp = !_glewInit_GL_EXT_polygon_offset_clamp(); #endif /* GL_EXT_polygon_offset_clamp */ #ifdef GL_EXT_provoking_vertex if (glewExperimental || GLEW_EXT_provoking_vertex) GLEW_EXT_provoking_vertex = !_glewInit_GL_EXT_provoking_vertex(); #endif /* GL_EXT_provoking_vertex */ #ifdef GL_EXT_raster_multisample if (glewExperimental || GLEW_EXT_raster_multisample) GLEW_EXT_raster_multisample = !_glewInit_GL_EXT_raster_multisample(); #endif /* GL_EXT_raster_multisample */ #ifdef GL_EXT_scene_marker if (glewExperimental || GLEW_EXT_scene_marker) GLEW_EXT_scene_marker = !_glewInit_GL_EXT_scene_marker(); #endif /* GL_EXT_scene_marker */ #ifdef GL_EXT_secondary_color if (glewExperimental || GLEW_EXT_secondary_color) GLEW_EXT_secondary_color = !_glewInit_GL_EXT_secondary_color(); #endif /* GL_EXT_secondary_color */ #ifdef GL_EXT_semaphore if (glewExperimental || GLEW_EXT_semaphore) GLEW_EXT_semaphore = !_glewInit_GL_EXT_semaphore(); #endif /* GL_EXT_semaphore */ #ifdef GL_EXT_semaphore_fd if (glewExperimental || GLEW_EXT_semaphore_fd) GLEW_EXT_semaphore_fd = !_glewInit_GL_EXT_semaphore_fd(); #endif /* GL_EXT_semaphore_fd */ #ifdef GL_EXT_semaphore_win32 if (glewExperimental || GLEW_EXT_semaphore_win32) GLEW_EXT_semaphore_win32 = !_glewInit_GL_EXT_semaphore_win32(); #endif /* GL_EXT_semaphore_win32 */ #ifdef GL_EXT_separate_shader_objects if (glewExperimental || GLEW_EXT_separate_shader_objects) GLEW_EXT_separate_shader_objects = !_glewInit_GL_EXT_separate_shader_objects(); #endif /* GL_EXT_separate_shader_objects */ #ifdef GL_EXT_shader_image_load_store if (glewExperimental || GLEW_EXT_shader_image_load_store) GLEW_EXT_shader_image_load_store = !_glewInit_GL_EXT_shader_image_load_store(); #endif /* GL_EXT_shader_image_load_store */ #ifdef GL_EXT_shader_pixel_local_storage2 if (glewExperimental || GLEW_EXT_shader_pixel_local_storage2) GLEW_EXT_shader_pixel_local_storage2 = !_glewInit_GL_EXT_shader_pixel_local_storage2(); #endif /* GL_EXT_shader_pixel_local_storage2 */ #ifdef GL_EXT_sparse_texture if (glewExperimental || GLEW_EXT_sparse_texture) GLEW_EXT_sparse_texture = !_glewInit_GL_EXT_sparse_texture(); #endif /* GL_EXT_sparse_texture */ #ifdef GL_EXT_stencil_two_side if (glewExperimental || GLEW_EXT_stencil_two_side) GLEW_EXT_stencil_two_side = !_glewInit_GL_EXT_stencil_two_side(); #endif /* GL_EXT_stencil_two_side */ #ifdef GL_EXT_subtexture if (glewExperimental || GLEW_EXT_subtexture) GLEW_EXT_subtexture = !_glewInit_GL_EXT_subtexture(); #endif /* GL_EXT_subtexture */ #ifdef GL_EXT_texture3D if (glewExperimental || GLEW_EXT_texture3D) GLEW_EXT_texture3D = !_glewInit_GL_EXT_texture3D(); #endif /* GL_EXT_texture3D */ #ifdef GL_EXT_texture_array if (glewExperimental || GLEW_EXT_texture_array) GLEW_EXT_texture_array = !_glewInit_GL_EXT_texture_array(); #endif /* GL_EXT_texture_array */ #ifdef GL_EXT_texture_buffer_object if (glewExperimental || GLEW_EXT_texture_buffer_object) GLEW_EXT_texture_buffer_object = !_glewInit_GL_EXT_texture_buffer_object(); #endif /* GL_EXT_texture_buffer_object */ #ifdef GL_EXT_texture_integer if (glewExperimental || GLEW_EXT_texture_integer) GLEW_EXT_texture_integer = !_glewInit_GL_EXT_texture_integer(); #endif /* GL_EXT_texture_integer */ #ifdef GL_EXT_texture_object if (glewExperimental || GLEW_EXT_texture_object) GLEW_EXT_texture_object = !_glewInit_GL_EXT_texture_object(); #endif /* GL_EXT_texture_object */ #ifdef GL_EXT_texture_perturb_normal if (glewExperimental || GLEW_EXT_texture_perturb_normal) GLEW_EXT_texture_perturb_normal = !_glewInit_GL_EXT_texture_perturb_normal(); #endif /* GL_EXT_texture_perturb_normal */ #ifdef GL_EXT_texture_storage if (glewExperimental || GLEW_EXT_texture_storage) GLEW_EXT_texture_storage = !_glewInit_GL_EXT_texture_storage(); #endif /* GL_EXT_texture_storage */ #ifdef GL_EXT_texture_view if (glewExperimental || GLEW_EXT_texture_view) GLEW_EXT_texture_view = !_glewInit_GL_EXT_texture_view(); #endif /* GL_EXT_texture_view */ #ifdef GL_EXT_timer_query if (glewExperimental || GLEW_EXT_timer_query) GLEW_EXT_timer_query = !_glewInit_GL_EXT_timer_query(); #endif /* GL_EXT_timer_query */ #ifdef GL_EXT_transform_feedback if (glewExperimental || GLEW_EXT_transform_feedback) GLEW_EXT_transform_feedback = !_glewInit_GL_EXT_transform_feedback(); #endif /* GL_EXT_transform_feedback */ #ifdef GL_EXT_vertex_array if (glewExperimental || GLEW_EXT_vertex_array) GLEW_EXT_vertex_array = !_glewInit_GL_EXT_vertex_array(); #endif /* GL_EXT_vertex_array */ #ifdef GL_EXT_vertex_array_setXXX if (glewExperimental || GLEW_EXT_vertex_array_setXXX) GLEW_EXT_vertex_array_setXXX = !_glewInit_GL_EXT_vertex_array_setXXX(); #endif /* GL_EXT_vertex_array_setXXX */ #ifdef GL_EXT_vertex_attrib_64bit if (glewExperimental || GLEW_EXT_vertex_attrib_64bit) GLEW_EXT_vertex_attrib_64bit = !_glewInit_GL_EXT_vertex_attrib_64bit(); #endif /* GL_EXT_vertex_attrib_64bit */ #ifdef GL_EXT_vertex_shader if (glewExperimental || GLEW_EXT_vertex_shader) GLEW_EXT_vertex_shader = !_glewInit_GL_EXT_vertex_shader(); #endif /* GL_EXT_vertex_shader */ #ifdef GL_EXT_vertex_weighting if (glewExperimental || GLEW_EXT_vertex_weighting) GLEW_EXT_vertex_weighting = !_glewInit_GL_EXT_vertex_weighting(); #endif /* GL_EXT_vertex_weighting */ #ifdef GL_EXT_win32_keyed_mutex if (glewExperimental || GLEW_EXT_win32_keyed_mutex) GLEW_EXT_win32_keyed_mutex = !_glewInit_GL_EXT_win32_keyed_mutex(); #endif /* GL_EXT_win32_keyed_mutex */ #ifdef GL_EXT_window_rectangles if (glewExperimental || GLEW_EXT_window_rectangles) GLEW_EXT_window_rectangles = !_glewInit_GL_EXT_window_rectangles(); #endif /* GL_EXT_window_rectangles */ #ifdef GL_EXT_x11_sync_object if (glewExperimental || GLEW_EXT_x11_sync_object) GLEW_EXT_x11_sync_object = !_glewInit_GL_EXT_x11_sync_object(); #endif /* GL_EXT_x11_sync_object */ #ifdef GL_GREMEDY_frame_terminator if (glewExperimental || GLEW_GREMEDY_frame_terminator) GLEW_GREMEDY_frame_terminator = !_glewInit_GL_GREMEDY_frame_terminator(); #endif /* GL_GREMEDY_frame_terminator */ #ifdef GL_GREMEDY_string_marker if (glewExperimental || GLEW_GREMEDY_string_marker) GLEW_GREMEDY_string_marker = !_glewInit_GL_GREMEDY_string_marker(); #endif /* GL_GREMEDY_string_marker */ #ifdef GL_HP_image_transform if (glewExperimental || GLEW_HP_image_transform) GLEW_HP_image_transform = !_glewInit_GL_HP_image_transform(); #endif /* GL_HP_image_transform */ #ifdef GL_IBM_multimode_draw_arrays if (glewExperimental || GLEW_IBM_multimode_draw_arrays) GLEW_IBM_multimode_draw_arrays = !_glewInit_GL_IBM_multimode_draw_arrays(); #endif /* GL_IBM_multimode_draw_arrays */ #ifdef GL_IBM_vertex_array_lists if (glewExperimental || GLEW_IBM_vertex_array_lists) GLEW_IBM_vertex_array_lists = !_glewInit_GL_IBM_vertex_array_lists(); #endif /* GL_IBM_vertex_array_lists */ #ifdef GL_INTEL_map_texture if (glewExperimental || GLEW_INTEL_map_texture) GLEW_INTEL_map_texture = !_glewInit_GL_INTEL_map_texture(); #endif /* GL_INTEL_map_texture */ #ifdef GL_INTEL_parallel_arrays if (glewExperimental || GLEW_INTEL_parallel_arrays) GLEW_INTEL_parallel_arrays = !_glewInit_GL_INTEL_parallel_arrays(); #endif /* GL_INTEL_parallel_arrays */ #ifdef GL_INTEL_performance_query if (glewExperimental || GLEW_INTEL_performance_query) GLEW_INTEL_performance_query = !_glewInit_GL_INTEL_performance_query(); #endif /* GL_INTEL_performance_query */ #ifdef GL_INTEL_texture_scissor if (glewExperimental || GLEW_INTEL_texture_scissor) GLEW_INTEL_texture_scissor = !_glewInit_GL_INTEL_texture_scissor(); #endif /* GL_INTEL_texture_scissor */ #ifdef GL_KHR_blend_equation_advanced if (glewExperimental || GLEW_KHR_blend_equation_advanced) GLEW_KHR_blend_equation_advanced = !_glewInit_GL_KHR_blend_equation_advanced(); #endif /* GL_KHR_blend_equation_advanced */ #ifdef GL_KHR_debug if (glewExperimental || GLEW_KHR_debug) GLEW_KHR_debug = !_glewInit_GL_KHR_debug(); #endif /* GL_KHR_debug */ #ifdef GL_KHR_parallel_shader_compile if (glewExperimental || GLEW_KHR_parallel_shader_compile) GLEW_KHR_parallel_shader_compile = !_glewInit_GL_KHR_parallel_shader_compile(); #endif /* GL_KHR_parallel_shader_compile */ #ifdef GL_KHR_robustness if (glewExperimental || GLEW_KHR_robustness) GLEW_KHR_robustness = !_glewInit_GL_KHR_robustness(); #endif /* GL_KHR_robustness */ #ifdef GL_KTX_buffer_region if (glewExperimental || GLEW_KTX_buffer_region) GLEW_KTX_buffer_region = !_glewInit_GL_KTX_buffer_region(); #endif /* GL_KTX_buffer_region */ #ifdef GL_MESA_resize_buffers if (glewExperimental || GLEW_MESA_resize_buffers) GLEW_MESA_resize_buffers = !_glewInit_GL_MESA_resize_buffers(); #endif /* GL_MESA_resize_buffers */ #ifdef GL_MESA_window_pos if (glewExperimental || GLEW_MESA_window_pos) GLEW_MESA_window_pos = !_glewInit_GL_MESA_window_pos(); #endif /* GL_MESA_window_pos */ #ifdef GL_NVX_conditional_render if (glewExperimental || GLEW_NVX_conditional_render) GLEW_NVX_conditional_render = !_glewInit_GL_NVX_conditional_render(); #endif /* GL_NVX_conditional_render */ #ifdef GL_NVX_linked_gpu_multicast if (glewExperimental || GLEW_NVX_linked_gpu_multicast) GLEW_NVX_linked_gpu_multicast = !_glewInit_GL_NVX_linked_gpu_multicast(); #endif /* GL_NVX_linked_gpu_multicast */ #ifdef GL_NV_3dvision_settings if (glewExperimental || GLEW_NV_3dvision_settings) GLEW_NV_3dvision_settings = !_glewInit_GL_NV_3dvision_settings(); #endif /* GL_NV_3dvision_settings */ #ifdef GL_NV_bindless_multi_draw_indirect if (glewExperimental || GLEW_NV_bindless_multi_draw_indirect) GLEW_NV_bindless_multi_draw_indirect = !_glewInit_GL_NV_bindless_multi_draw_indirect(); #endif /* GL_NV_bindless_multi_draw_indirect */ #ifdef GL_NV_bindless_multi_draw_indirect_count if (glewExperimental || GLEW_NV_bindless_multi_draw_indirect_count) GLEW_NV_bindless_multi_draw_indirect_count = !_glewInit_GL_NV_bindless_multi_draw_indirect_count(); #endif /* GL_NV_bindless_multi_draw_indirect_count */ #ifdef GL_NV_bindless_texture if (glewExperimental || GLEW_NV_bindless_texture) GLEW_NV_bindless_texture = !_glewInit_GL_NV_bindless_texture(); #endif /* GL_NV_bindless_texture */ #ifdef GL_NV_blend_equation_advanced if (glewExperimental || GLEW_NV_blend_equation_advanced) GLEW_NV_blend_equation_advanced = !_glewInit_GL_NV_blend_equation_advanced(); #endif /* GL_NV_blend_equation_advanced */ #ifdef GL_NV_clip_space_w_scaling if (glewExperimental || GLEW_NV_clip_space_w_scaling) GLEW_NV_clip_space_w_scaling = !_glewInit_GL_NV_clip_space_w_scaling(); #endif /* GL_NV_clip_space_w_scaling */ #ifdef GL_NV_command_list if (glewExperimental || GLEW_NV_command_list) GLEW_NV_command_list = !_glewInit_GL_NV_command_list(); #endif /* GL_NV_command_list */ #ifdef GL_NV_conditional_render if (glewExperimental || GLEW_NV_conditional_render) GLEW_NV_conditional_render = !_glewInit_GL_NV_conditional_render(); #endif /* GL_NV_conditional_render */ #ifdef GL_NV_conservative_raster if (glewExperimental || GLEW_NV_conservative_raster) GLEW_NV_conservative_raster = !_glewInit_GL_NV_conservative_raster(); #endif /* GL_NV_conservative_raster */ #ifdef GL_NV_conservative_raster_dilate if (glewExperimental || GLEW_NV_conservative_raster_dilate) GLEW_NV_conservative_raster_dilate = !_glewInit_GL_NV_conservative_raster_dilate(); #endif /* GL_NV_conservative_raster_dilate */ #ifdef GL_NV_conservative_raster_pre_snap_triangles if (glewExperimental || GLEW_NV_conservative_raster_pre_snap_triangles) GLEW_NV_conservative_raster_pre_snap_triangles = !_glewInit_GL_NV_conservative_raster_pre_snap_triangles(); #endif /* GL_NV_conservative_raster_pre_snap_triangles */ #ifdef GL_NV_copy_buffer if (glewExperimental || GLEW_NV_copy_buffer) GLEW_NV_copy_buffer = !_glewInit_GL_NV_copy_buffer(); #endif /* GL_NV_copy_buffer */ #ifdef GL_NV_copy_image if (glewExperimental || GLEW_NV_copy_image) GLEW_NV_copy_image = !_glewInit_GL_NV_copy_image(); #endif /* GL_NV_copy_image */ #ifdef GL_NV_depth_buffer_float if (glewExperimental || GLEW_NV_depth_buffer_float) GLEW_NV_depth_buffer_float = !_glewInit_GL_NV_depth_buffer_float(); #endif /* GL_NV_depth_buffer_float */ #ifdef GL_NV_draw_buffers if (glewExperimental || GLEW_NV_draw_buffers) GLEW_NV_draw_buffers = !_glewInit_GL_NV_draw_buffers(); #endif /* GL_NV_draw_buffers */ #ifdef GL_NV_draw_instanced if (glewExperimental || GLEW_NV_draw_instanced) GLEW_NV_draw_instanced = !_glewInit_GL_NV_draw_instanced(); #endif /* GL_NV_draw_instanced */ #ifdef GL_NV_draw_texture if (glewExperimental || GLEW_NV_draw_texture) GLEW_NV_draw_texture = !_glewInit_GL_NV_draw_texture(); #endif /* GL_NV_draw_texture */ #ifdef GL_NV_draw_vulkan_image if (glewExperimental || GLEW_NV_draw_vulkan_image) GLEW_NV_draw_vulkan_image = !_glewInit_GL_NV_draw_vulkan_image(); #endif /* GL_NV_draw_vulkan_image */ #ifdef GL_NV_evaluators if (glewExperimental || GLEW_NV_evaluators) GLEW_NV_evaluators = !_glewInit_GL_NV_evaluators(); #endif /* GL_NV_evaluators */ #ifdef GL_NV_explicit_multisample if (glewExperimental || GLEW_NV_explicit_multisample) GLEW_NV_explicit_multisample = !_glewInit_GL_NV_explicit_multisample(); #endif /* GL_NV_explicit_multisample */ #ifdef GL_NV_fence if (glewExperimental || GLEW_NV_fence) GLEW_NV_fence = !_glewInit_GL_NV_fence(); #endif /* GL_NV_fence */ #ifdef GL_NV_fragment_coverage_to_color if (glewExperimental || GLEW_NV_fragment_coverage_to_color) GLEW_NV_fragment_coverage_to_color = !_glewInit_GL_NV_fragment_coverage_to_color(); #endif /* GL_NV_fragment_coverage_to_color */ #ifdef GL_NV_fragment_program if (glewExperimental || GLEW_NV_fragment_program) GLEW_NV_fragment_program = !_glewInit_GL_NV_fragment_program(); #endif /* GL_NV_fragment_program */ #ifdef GL_NV_framebuffer_blit if (glewExperimental || GLEW_NV_framebuffer_blit) GLEW_NV_framebuffer_blit = !_glewInit_GL_NV_framebuffer_blit(); #endif /* GL_NV_framebuffer_blit */ #ifdef GL_NV_framebuffer_multisample if (glewExperimental || GLEW_NV_framebuffer_multisample) GLEW_NV_framebuffer_multisample = !_glewInit_GL_NV_framebuffer_multisample(); #endif /* GL_NV_framebuffer_multisample */ #ifdef GL_NV_framebuffer_multisample_coverage if (glewExperimental || GLEW_NV_framebuffer_multisample_coverage) GLEW_NV_framebuffer_multisample_coverage = !_glewInit_GL_NV_framebuffer_multisample_coverage(); #endif /* GL_NV_framebuffer_multisample_coverage */ #ifdef GL_NV_geometry_program4 if (glewExperimental || GLEW_NV_geometry_program4) GLEW_NV_geometry_program4 = !_glewInit_GL_NV_geometry_program4(); #endif /* GL_NV_geometry_program4 */ #ifdef GL_NV_gpu_multicast if (glewExperimental || GLEW_NV_gpu_multicast) GLEW_NV_gpu_multicast = !_glewInit_GL_NV_gpu_multicast(); #endif /* GL_NV_gpu_multicast */ #ifdef GL_NV_gpu_program4 if (glewExperimental || GLEW_NV_gpu_program4) GLEW_NV_gpu_program4 = !_glewInit_GL_NV_gpu_program4(); #endif /* GL_NV_gpu_program4 */ #ifdef GL_NV_gpu_shader5 if (glewExperimental || GLEW_NV_gpu_shader5) GLEW_NV_gpu_shader5 = !_glewInit_GL_NV_gpu_shader5(); #endif /* GL_NV_gpu_shader5 */ #ifdef GL_NV_half_float if (glewExperimental || GLEW_NV_half_float) GLEW_NV_half_float = !_glewInit_GL_NV_half_float(); #endif /* GL_NV_half_float */ #ifdef GL_NV_instanced_arrays if (glewExperimental || GLEW_NV_instanced_arrays) GLEW_NV_instanced_arrays = !_glewInit_GL_NV_instanced_arrays(); #endif /* GL_NV_instanced_arrays */ #ifdef GL_NV_internalformat_sample_query if (glewExperimental || GLEW_NV_internalformat_sample_query) GLEW_NV_internalformat_sample_query = !_glewInit_GL_NV_internalformat_sample_query(); #endif /* GL_NV_internalformat_sample_query */ #ifdef GL_NV_non_square_matrices if (glewExperimental || GLEW_NV_non_square_matrices) GLEW_NV_non_square_matrices = !_glewInit_GL_NV_non_square_matrices(); #endif /* GL_NV_non_square_matrices */ #ifdef GL_NV_occlusion_query if (glewExperimental || GLEW_NV_occlusion_query) GLEW_NV_occlusion_query = !_glewInit_GL_NV_occlusion_query(); #endif /* GL_NV_occlusion_query */ #ifdef GL_NV_parameter_buffer_object if (glewExperimental || GLEW_NV_parameter_buffer_object) GLEW_NV_parameter_buffer_object = !_glewInit_GL_NV_parameter_buffer_object(); #endif /* GL_NV_parameter_buffer_object */ #ifdef GL_NV_path_rendering if (glewExperimental || GLEW_NV_path_rendering) GLEW_NV_path_rendering = !_glewInit_GL_NV_path_rendering(); #endif /* GL_NV_path_rendering */ #ifdef GL_NV_pixel_data_range if (glewExperimental || GLEW_NV_pixel_data_range) GLEW_NV_pixel_data_range = !_glewInit_GL_NV_pixel_data_range(); #endif /* GL_NV_pixel_data_range */ #ifdef GL_NV_point_sprite if (glewExperimental || GLEW_NV_point_sprite) GLEW_NV_point_sprite = !_glewInit_GL_NV_point_sprite(); #endif /* GL_NV_point_sprite */ #ifdef GL_NV_polygon_mode if (glewExperimental || GLEW_NV_polygon_mode) GLEW_NV_polygon_mode = !_glewInit_GL_NV_polygon_mode(); #endif /* GL_NV_polygon_mode */ #ifdef GL_NV_present_video if (glewExperimental || GLEW_NV_present_video) GLEW_NV_present_video = !_glewInit_GL_NV_present_video(); #endif /* GL_NV_present_video */ #ifdef GL_NV_primitive_restart if (glewExperimental || GLEW_NV_primitive_restart) GLEW_NV_primitive_restart = !_glewInit_GL_NV_primitive_restart(); #endif /* GL_NV_primitive_restart */ #ifdef GL_NV_register_combiners if (glewExperimental || GLEW_NV_register_combiners) GLEW_NV_register_combiners = !_glewInit_GL_NV_register_combiners(); #endif /* GL_NV_register_combiners */ #ifdef GL_NV_register_combiners2 if (glewExperimental || GLEW_NV_register_combiners2) GLEW_NV_register_combiners2 = !_glewInit_GL_NV_register_combiners2(); #endif /* GL_NV_register_combiners2 */ #ifdef GL_NV_sample_locations if (glewExperimental || GLEW_NV_sample_locations) GLEW_NV_sample_locations = !_glewInit_GL_NV_sample_locations(); #endif /* GL_NV_sample_locations */ #ifdef GL_NV_shader_buffer_load if (glewExperimental || GLEW_NV_shader_buffer_load) GLEW_NV_shader_buffer_load = !_glewInit_GL_NV_shader_buffer_load(); #endif /* GL_NV_shader_buffer_load */ #ifdef GL_NV_texture_array if (glewExperimental || GLEW_NV_texture_array) GLEW_NV_texture_array = !_glewInit_GL_NV_texture_array(); #endif /* GL_NV_texture_array */ #ifdef GL_NV_texture_barrier if (glewExperimental || GLEW_NV_texture_barrier) GLEW_NV_texture_barrier = !_glewInit_GL_NV_texture_barrier(); #endif /* GL_NV_texture_barrier */ #ifdef GL_NV_texture_multisample if (glewExperimental || GLEW_NV_texture_multisample) GLEW_NV_texture_multisample = !_glewInit_GL_NV_texture_multisample(); #endif /* GL_NV_texture_multisample */ #ifdef GL_NV_transform_feedback if (glewExperimental || GLEW_NV_transform_feedback) GLEW_NV_transform_feedback = !_glewInit_GL_NV_transform_feedback(); #endif /* GL_NV_transform_feedback */ #ifdef GL_NV_transform_feedback2 if (glewExperimental || GLEW_NV_transform_feedback2) GLEW_NV_transform_feedback2 = !_glewInit_GL_NV_transform_feedback2(); #endif /* GL_NV_transform_feedback2 */ #ifdef GL_NV_vdpau_interop if (glewExperimental || GLEW_NV_vdpau_interop) GLEW_NV_vdpau_interop = !_glewInit_GL_NV_vdpau_interop(); #endif /* GL_NV_vdpau_interop */ #ifdef GL_NV_vertex_array_range if (glewExperimental || GLEW_NV_vertex_array_range) GLEW_NV_vertex_array_range = !_glewInit_GL_NV_vertex_array_range(); #endif /* GL_NV_vertex_array_range */ #ifdef GL_NV_vertex_attrib_integer_64bit if (glewExperimental || GLEW_NV_vertex_attrib_integer_64bit) GLEW_NV_vertex_attrib_integer_64bit = !_glewInit_GL_NV_vertex_attrib_integer_64bit(); #endif /* GL_NV_vertex_attrib_integer_64bit */ #ifdef GL_NV_vertex_buffer_unified_memory if (glewExperimental || GLEW_NV_vertex_buffer_unified_memory) GLEW_NV_vertex_buffer_unified_memory = !_glewInit_GL_NV_vertex_buffer_unified_memory(); #endif /* GL_NV_vertex_buffer_unified_memory */ #ifdef GL_NV_vertex_program if (glewExperimental || GLEW_NV_vertex_program) GLEW_NV_vertex_program = !_glewInit_GL_NV_vertex_program(); #endif /* GL_NV_vertex_program */ #ifdef GL_NV_video_capture if (glewExperimental || GLEW_NV_video_capture) GLEW_NV_video_capture = !_glewInit_GL_NV_video_capture(); #endif /* GL_NV_video_capture */ #ifdef GL_NV_viewport_array if (glewExperimental || GLEW_NV_viewport_array) GLEW_NV_viewport_array = !_glewInit_GL_NV_viewport_array(); #endif /* GL_NV_viewport_array */ #ifdef GL_NV_viewport_swizzle if (glewExperimental || GLEW_NV_viewport_swizzle) GLEW_NV_viewport_swizzle = !_glewInit_GL_NV_viewport_swizzle(); #endif /* GL_NV_viewport_swizzle */ #ifdef GL_OVR_multiview if (glewExperimental || GLEW_OVR_multiview) GLEW_OVR_multiview = !_glewInit_GL_OVR_multiview(); #endif /* GL_OVR_multiview */ #ifdef GL_OVR_multiview_multisampled_render_to_texture if (glewExperimental || GLEW_OVR_multiview_multisampled_render_to_texture) GLEW_OVR_multiview_multisampled_render_to_texture = !_glewInit_GL_OVR_multiview_multisampled_render_to_texture(); #endif /* GL_OVR_multiview_multisampled_render_to_texture */ #ifdef GL_QCOM_alpha_test if (glewExperimental || GLEW_QCOM_alpha_test) GLEW_QCOM_alpha_test = !_glewInit_GL_QCOM_alpha_test(); #endif /* GL_QCOM_alpha_test */ #ifdef GL_QCOM_driver_control if (glewExperimental || GLEW_QCOM_driver_control) GLEW_QCOM_driver_control = !_glewInit_GL_QCOM_driver_control(); #endif /* GL_QCOM_driver_control */ #ifdef GL_QCOM_extended_get if (glewExperimental || GLEW_QCOM_extended_get) GLEW_QCOM_extended_get = !_glewInit_GL_QCOM_extended_get(); #endif /* GL_QCOM_extended_get */ #ifdef GL_QCOM_extended_get2 if (glewExperimental || GLEW_QCOM_extended_get2) GLEW_QCOM_extended_get2 = !_glewInit_GL_QCOM_extended_get2(); #endif /* GL_QCOM_extended_get2 */ #ifdef GL_QCOM_framebuffer_foveated if (glewExperimental || GLEW_QCOM_framebuffer_foveated) GLEW_QCOM_framebuffer_foveated = !_glewInit_GL_QCOM_framebuffer_foveated(); #endif /* GL_QCOM_framebuffer_foveated */ #ifdef GL_QCOM_shader_framebuffer_fetch_noncoherent if (glewExperimental || GLEW_QCOM_shader_framebuffer_fetch_noncoherent) GLEW_QCOM_shader_framebuffer_fetch_noncoherent = !_glewInit_GL_QCOM_shader_framebuffer_fetch_noncoherent(); #endif /* GL_QCOM_shader_framebuffer_fetch_noncoherent */ #ifdef GL_QCOM_tiled_rendering if (glewExperimental || GLEW_QCOM_tiled_rendering) GLEW_QCOM_tiled_rendering = !_glewInit_GL_QCOM_tiled_rendering(); #endif /* GL_QCOM_tiled_rendering */ #ifdef GL_REGAL_ES1_0_compatibility if (glewExperimental || GLEW_REGAL_ES1_0_compatibility) GLEW_REGAL_ES1_0_compatibility = !_glewInit_GL_REGAL_ES1_0_compatibility(); #endif /* GL_REGAL_ES1_0_compatibility */ #ifdef GL_REGAL_ES1_1_compatibility if (glewExperimental || GLEW_REGAL_ES1_1_compatibility) GLEW_REGAL_ES1_1_compatibility = !_glewInit_GL_REGAL_ES1_1_compatibility(); #endif /* GL_REGAL_ES1_1_compatibility */ #ifdef GL_REGAL_error_string if (glewExperimental || GLEW_REGAL_error_string) GLEW_REGAL_error_string = !_glewInit_GL_REGAL_error_string(); #endif /* GL_REGAL_error_string */ #ifdef GL_REGAL_extension_query if (glewExperimental || GLEW_REGAL_extension_query) GLEW_REGAL_extension_query = !_glewInit_GL_REGAL_extension_query(); #endif /* GL_REGAL_extension_query */ #ifdef GL_REGAL_log if (glewExperimental || GLEW_REGAL_log) GLEW_REGAL_log = !_glewInit_GL_REGAL_log(); #endif /* GL_REGAL_log */ #ifdef GL_REGAL_proc_address if (glewExperimental || GLEW_REGAL_proc_address) GLEW_REGAL_proc_address = !_glewInit_GL_REGAL_proc_address(); #endif /* GL_REGAL_proc_address */ #ifdef GL_SGIS_detail_texture if (glewExperimental || GLEW_SGIS_detail_texture) GLEW_SGIS_detail_texture = !_glewInit_GL_SGIS_detail_texture(); #endif /* GL_SGIS_detail_texture */ #ifdef GL_SGIS_fog_function if (glewExperimental || GLEW_SGIS_fog_function) GLEW_SGIS_fog_function = !_glewInit_GL_SGIS_fog_function(); #endif /* GL_SGIS_fog_function */ #ifdef GL_SGIS_multisample if (glewExperimental || GLEW_SGIS_multisample) GLEW_SGIS_multisample = !_glewInit_GL_SGIS_multisample(); #endif /* GL_SGIS_multisample */ #ifdef GL_SGIS_multitexture if (glewExperimental || GLEW_SGIS_multitexture) GLEW_SGIS_multitexture = !_glewInit_GL_SGIS_multitexture(); #endif /* GL_SGIS_multitexture */ #ifdef GL_SGIS_shared_multisample if (glewExperimental || GLEW_SGIS_shared_multisample) GLEW_SGIS_shared_multisample = !_glewInit_GL_SGIS_shared_multisample(); #endif /* GL_SGIS_shared_multisample */ #ifdef GL_SGIS_sharpen_texture if (glewExperimental || GLEW_SGIS_sharpen_texture) GLEW_SGIS_sharpen_texture = !_glewInit_GL_SGIS_sharpen_texture(); #endif /* GL_SGIS_sharpen_texture */ #ifdef GL_SGIS_texture4D if (glewExperimental || GLEW_SGIS_texture4D) GLEW_SGIS_texture4D = !_glewInit_GL_SGIS_texture4D(); #endif /* GL_SGIS_texture4D */ #ifdef GL_SGIS_texture_filter4 if (glewExperimental || GLEW_SGIS_texture_filter4) GLEW_SGIS_texture_filter4 = !_glewInit_GL_SGIS_texture_filter4(); #endif /* GL_SGIS_texture_filter4 */ #ifdef GL_SGIX_async if (glewExperimental || GLEW_SGIX_async) GLEW_SGIX_async = !_glewInit_GL_SGIX_async(); #endif /* GL_SGIX_async */ #ifdef GL_SGIX_datapipe if (glewExperimental || GLEW_SGIX_datapipe) GLEW_SGIX_datapipe = !_glewInit_GL_SGIX_datapipe(); #endif /* GL_SGIX_datapipe */ #ifdef GL_SGIX_flush_raster if (glewExperimental || GLEW_SGIX_flush_raster) GLEW_SGIX_flush_raster = !_glewInit_GL_SGIX_flush_raster(); #endif /* GL_SGIX_flush_raster */ #ifdef GL_SGIX_fog_layers if (glewExperimental || GLEW_SGIX_fog_layers) GLEW_SGIX_fog_layers = !_glewInit_GL_SGIX_fog_layers(); #endif /* GL_SGIX_fog_layers */ #ifdef GL_SGIX_fog_texture if (glewExperimental || GLEW_SGIX_fog_texture) GLEW_SGIX_fog_texture = !_glewInit_GL_SGIX_fog_texture(); #endif /* GL_SGIX_fog_texture */ #ifdef GL_SGIX_fragment_specular_lighting if (glewExperimental || GLEW_SGIX_fragment_specular_lighting) GLEW_SGIX_fragment_specular_lighting = !_glewInit_GL_SGIX_fragment_specular_lighting(); #endif /* GL_SGIX_fragment_specular_lighting */ #ifdef GL_SGIX_framezoom if (glewExperimental || GLEW_SGIX_framezoom) GLEW_SGIX_framezoom = !_glewInit_GL_SGIX_framezoom(); #endif /* GL_SGIX_framezoom */ #ifdef GL_SGIX_igloo_interface if (glewExperimental || GLEW_SGIX_igloo_interface) GLEW_SGIX_igloo_interface = !_glewInit_GL_SGIX_igloo_interface(); #endif /* GL_SGIX_igloo_interface */ #ifdef GL_SGIX_mpeg1 if (glewExperimental || GLEW_SGIX_mpeg1) GLEW_SGIX_mpeg1 = !_glewInit_GL_SGIX_mpeg1(); #endif /* GL_SGIX_mpeg1 */ #ifdef GL_SGIX_nonlinear_lighting_pervertex if (glewExperimental || GLEW_SGIX_nonlinear_lighting_pervertex) GLEW_SGIX_nonlinear_lighting_pervertex = !_glewInit_GL_SGIX_nonlinear_lighting_pervertex(); #endif /* GL_SGIX_nonlinear_lighting_pervertex */ #ifdef GL_SGIX_pixel_texture if (glewExperimental || GLEW_SGIX_pixel_texture) GLEW_SGIX_pixel_texture = !_glewInit_GL_SGIX_pixel_texture(); #endif /* GL_SGIX_pixel_texture */ #ifdef GL_SGIX_polynomial_ffd if (glewExperimental || GLEW_SGIX_polynomial_ffd) GLEW_SGIX_polynomial_ffd = !_glewInit_GL_SGIX_polynomial_ffd(); #endif /* GL_SGIX_polynomial_ffd */ #ifdef GL_SGIX_quad_mesh if (glewExperimental || GLEW_SGIX_quad_mesh) GLEW_SGIX_quad_mesh = !_glewInit_GL_SGIX_quad_mesh(); #endif /* GL_SGIX_quad_mesh */ #ifdef GL_SGIX_reference_plane if (glewExperimental || GLEW_SGIX_reference_plane) GLEW_SGIX_reference_plane = !_glewInit_GL_SGIX_reference_plane(); #endif /* GL_SGIX_reference_plane */ #ifdef GL_SGIX_sprite if (glewExperimental || GLEW_SGIX_sprite) GLEW_SGIX_sprite = !_glewInit_GL_SGIX_sprite(); #endif /* GL_SGIX_sprite */ #ifdef GL_SGIX_tag_sample_buffer if (glewExperimental || GLEW_SGIX_tag_sample_buffer) GLEW_SGIX_tag_sample_buffer = !_glewInit_GL_SGIX_tag_sample_buffer(); #endif /* GL_SGIX_tag_sample_buffer */ #ifdef GL_SGIX_vector_ops if (glewExperimental || GLEW_SGIX_vector_ops) GLEW_SGIX_vector_ops = !_glewInit_GL_SGIX_vector_ops(); #endif /* GL_SGIX_vector_ops */ #ifdef GL_SGIX_vertex_array_object if (glewExperimental || GLEW_SGIX_vertex_array_object) GLEW_SGIX_vertex_array_object = !_glewInit_GL_SGIX_vertex_array_object(); #endif /* GL_SGIX_vertex_array_object */ #ifdef GL_SGI_color_table if (glewExperimental || GLEW_SGI_color_table) GLEW_SGI_color_table = !_glewInit_GL_SGI_color_table(); #endif /* GL_SGI_color_table */ #ifdef GL_SGI_fft if (glewExperimental || GLEW_SGI_fft) GLEW_SGI_fft = !_glewInit_GL_SGI_fft(); #endif /* GL_SGI_fft */ #ifdef GL_SUNX_constant_data if (glewExperimental || GLEW_SUNX_constant_data) GLEW_SUNX_constant_data = !_glewInit_GL_SUNX_constant_data(); #endif /* GL_SUNX_constant_data */ #ifdef GL_SUN_global_alpha if (glewExperimental || GLEW_SUN_global_alpha) GLEW_SUN_global_alpha = !_glewInit_GL_SUN_global_alpha(); #endif /* GL_SUN_global_alpha */ #ifdef GL_SUN_read_video_pixels if (glewExperimental || GLEW_SUN_read_video_pixels) GLEW_SUN_read_video_pixels = !_glewInit_GL_SUN_read_video_pixels(); #endif /* GL_SUN_read_video_pixels */ #ifdef GL_SUN_triangle_list if (glewExperimental || GLEW_SUN_triangle_list) GLEW_SUN_triangle_list = !_glewInit_GL_SUN_triangle_list(); #endif /* GL_SUN_triangle_list */ #ifdef GL_SUN_vertex if (glewExperimental || GLEW_SUN_vertex) GLEW_SUN_vertex = !_glewInit_GL_SUN_vertex(); #endif /* GL_SUN_vertex */ #ifdef GL_WIN_swap_hint if (glewExperimental || GLEW_WIN_swap_hint) GLEW_WIN_swap_hint = !_glewInit_GL_WIN_swap_hint(); #endif /* GL_WIN_swap_hint */ #ifdef GL_NV_fragment_program4 GLEW_NV_fragment_program4 = GLEW_NV_gpu_program4; #endif /* GL_NV_fragment_program4 */ #ifdef GL_NV_geometry_program4 GLEW_NV_geometry_program4 = GLEW_NV_gpu_program4; #endif /* GL_NV_geometry_program4 */ #ifdef GL_NV_tessellation_program5 GLEW_NV_tessellation_program5 = GLEW_NV_gpu_program5; #endif /* GL_NV_tessellation_program5 */ #ifdef GL_NV_vertex_program4 GLEW_NV_vertex_program4 = GLEW_NV_gpu_program4; #endif /* GL_NV_vertex_program4 */ return GLEW_OK; } #if defined(GLEW_OSMESA) #elif defined(GLEW_EGL) PFNEGLCHOOSECONFIGPROC __eglewChooseConfig = NULL; PFNEGLCOPYBUFFERSPROC __eglewCopyBuffers = NULL; PFNEGLCREATECONTEXTPROC __eglewCreateContext = NULL; PFNEGLCREATEPBUFFERSURFACEPROC __eglewCreatePbufferSurface = NULL; PFNEGLCREATEPIXMAPSURFACEPROC __eglewCreatePixmapSurface = NULL; PFNEGLCREATEWINDOWSURFACEPROC __eglewCreateWindowSurface = NULL; PFNEGLDESTROYCONTEXTPROC __eglewDestroyContext = NULL; PFNEGLDESTROYSURFACEPROC __eglewDestroySurface = NULL; PFNEGLGETCONFIGATTRIBPROC __eglewGetConfigAttrib = NULL; PFNEGLGETCONFIGSPROC __eglewGetConfigs = NULL; PFNEGLGETCURRENTDISPLAYPROC __eglewGetCurrentDisplay = NULL; PFNEGLGETCURRENTSURFACEPROC __eglewGetCurrentSurface = NULL; PFNEGLGETDISPLAYPROC __eglewGetDisplay = NULL; PFNEGLGETERRORPROC __eglewGetError = NULL; PFNEGLINITIALIZEPROC __eglewInitialize = NULL; PFNEGLMAKECURRENTPROC __eglewMakeCurrent = NULL; PFNEGLQUERYCONTEXTPROC __eglewQueryContext = NULL; PFNEGLQUERYSTRINGPROC __eglewQueryString = NULL; PFNEGLQUERYSURFACEPROC __eglewQuerySurface = NULL; PFNEGLSWAPBUFFERSPROC __eglewSwapBuffers = NULL; PFNEGLTERMINATEPROC __eglewTerminate = NULL; PFNEGLWAITGLPROC __eglewWaitGL = NULL; PFNEGLWAITNATIVEPROC __eglewWaitNative = NULL; PFNEGLBINDTEXIMAGEPROC __eglewBindTexImage = NULL; PFNEGLRELEASETEXIMAGEPROC __eglewReleaseTexImage = NULL; PFNEGLSURFACEATTRIBPROC __eglewSurfaceAttrib = NULL; PFNEGLSWAPINTERVALPROC __eglewSwapInterval = NULL; PFNEGLBINDAPIPROC __eglewBindAPI = NULL; PFNEGLCREATEPBUFFERFROMCLIENTBUFFERPROC __eglewCreatePbufferFromClientBuffer = NULL; PFNEGLQUERYAPIPROC __eglewQueryAPI = NULL; PFNEGLRELEASETHREADPROC __eglewReleaseThread = NULL; PFNEGLWAITCLIENTPROC __eglewWaitClient = NULL; PFNEGLGETCURRENTCONTEXTPROC __eglewGetCurrentContext = NULL; PFNEGLCLIENTWAITSYNCPROC __eglewClientWaitSync = NULL; PFNEGLCREATEIMAGEPROC __eglewCreateImage = NULL; PFNEGLCREATEPLATFORMPIXMAPSURFACEPROC __eglewCreatePlatformPixmapSurface = NULL; PFNEGLCREATEPLATFORMWINDOWSURFACEPROC __eglewCreatePlatformWindowSurface = NULL; PFNEGLCREATESYNCPROC __eglewCreateSync = NULL; PFNEGLDESTROYIMAGEPROC __eglewDestroyImage = NULL; PFNEGLDESTROYSYNCPROC __eglewDestroySync = NULL; PFNEGLGETPLATFORMDISPLAYPROC __eglewGetPlatformDisplay = NULL; PFNEGLGETSYNCATTRIBPROC __eglewGetSyncAttrib = NULL; PFNEGLWAITSYNCPROC __eglewWaitSync = NULL; PFNEGLSETBLOBCACHEFUNCSANDROIDPROC __eglewSetBlobCacheFuncsANDROID = NULL; PFNEGLCREATENATIVECLIENTBUFFERANDROIDPROC __eglewCreateNativeClientBufferANDROID = NULL; PFNEGLDUPNATIVEFENCEFDANDROIDPROC __eglewDupNativeFenceFDANDROID = NULL; PFNEGLPRESENTATIONTIMEANDROIDPROC __eglewPresentationTimeANDROID = NULL; PFNEGLQUERYSURFACEPOINTERANGLEPROC __eglewQuerySurfacePointerANGLE = NULL; PFNEGLQUERYDEVICESEXTPROC __eglewQueryDevicesEXT = NULL; PFNEGLQUERYDEVICEATTRIBEXTPROC __eglewQueryDeviceAttribEXT = NULL; PFNEGLQUERYDEVICESTRINGEXTPROC __eglewQueryDeviceStringEXT = NULL; PFNEGLQUERYDISPLAYATTRIBEXTPROC __eglewQueryDisplayAttribEXT = NULL; PFNEGLQUERYDMABUFFORMATSEXTPROC __eglewQueryDmaBufFormatsEXT = NULL; PFNEGLQUERYDMABUFMODIFIERSEXTPROC __eglewQueryDmaBufModifiersEXT = NULL; PFNEGLGETOUTPUTLAYERSEXTPROC __eglewGetOutputLayersEXT = NULL; PFNEGLGETOUTPUTPORTSEXTPROC __eglewGetOutputPortsEXT = NULL; PFNEGLOUTPUTLAYERATTRIBEXTPROC __eglewOutputLayerAttribEXT = NULL; PFNEGLOUTPUTPORTATTRIBEXTPROC __eglewOutputPortAttribEXT = NULL; PFNEGLQUERYOUTPUTLAYERATTRIBEXTPROC __eglewQueryOutputLayerAttribEXT = NULL; PFNEGLQUERYOUTPUTLAYERSTRINGEXTPROC __eglewQueryOutputLayerStringEXT = NULL; PFNEGLQUERYOUTPUTPORTATTRIBEXTPROC __eglewQueryOutputPortAttribEXT = NULL; PFNEGLQUERYOUTPUTPORTSTRINGEXTPROC __eglewQueryOutputPortStringEXT = NULL; PFNEGLCREATEPLATFORMPIXMAPSURFACEEXTPROC __eglewCreatePlatformPixmapSurfaceEXT = NULL; PFNEGLCREATEPLATFORMWINDOWSURFACEEXTPROC __eglewCreatePlatformWindowSurfaceEXT = NULL; PFNEGLGETPLATFORMDISPLAYEXTPROC __eglewGetPlatformDisplayEXT = NULL; PFNEGLSTREAMCONSUMEROUTPUTEXTPROC __eglewStreamConsumerOutputEXT = NULL; PFNEGLSWAPBUFFERSWITHDAMAGEEXTPROC __eglewSwapBuffersWithDamageEXT = NULL; PFNEGLCREATEPIXMAPSURFACEHIPROC __eglewCreatePixmapSurfaceHI = NULL; PFNEGLCREATESYNC64KHRPROC __eglewCreateSync64KHR = NULL; PFNEGLDEBUGMESSAGECONTROLKHRPROC __eglewDebugMessageControlKHR = NULL; PFNEGLLABELOBJECTKHRPROC __eglewLabelObjectKHR = NULL; PFNEGLQUERYDEBUGKHRPROC __eglewQueryDebugKHR = NULL; PFNEGLCREATEIMAGEKHRPROC __eglewCreateImageKHR = NULL; PFNEGLDESTROYIMAGEKHRPROC __eglewDestroyImageKHR = NULL; PFNEGLLOCKSURFACEKHRPROC __eglewLockSurfaceKHR = NULL; PFNEGLUNLOCKSURFACEKHRPROC __eglewUnlockSurfaceKHR = NULL; PFNEGLQUERYSURFACE64KHRPROC __eglewQuerySurface64KHR = NULL; PFNEGLSETDAMAGEREGIONKHRPROC __eglewSetDamageRegionKHR = NULL; PFNEGLCLIENTWAITSYNCKHRPROC __eglewClientWaitSyncKHR = NULL; PFNEGLCREATESYNCKHRPROC __eglewCreateSyncKHR = NULL; PFNEGLDESTROYSYNCKHRPROC __eglewDestroySyncKHR = NULL; PFNEGLGETSYNCATTRIBKHRPROC __eglewGetSyncAttribKHR = NULL; PFNEGLSIGNALSYNCKHRPROC __eglewSignalSyncKHR = NULL; PFNEGLCREATESTREAMKHRPROC __eglewCreateStreamKHR = NULL; PFNEGLDESTROYSTREAMKHRPROC __eglewDestroyStreamKHR = NULL; PFNEGLQUERYSTREAMKHRPROC __eglewQueryStreamKHR = NULL; PFNEGLQUERYSTREAMU64KHRPROC __eglewQueryStreamu64KHR = NULL; PFNEGLSTREAMATTRIBKHRPROC __eglewStreamAttribKHR = NULL; PFNEGLCREATESTREAMATTRIBKHRPROC __eglewCreateStreamAttribKHR = NULL; PFNEGLQUERYSTREAMATTRIBKHRPROC __eglewQueryStreamAttribKHR = NULL; PFNEGLSETSTREAMATTRIBKHRPROC __eglewSetStreamAttribKHR = NULL; PFNEGLSTREAMCONSUMERACQUIREATTRIBKHRPROC __eglewStreamConsumerAcquireAttribKHR = NULL; PFNEGLSTREAMCONSUMERRELEASEATTRIBKHRPROC __eglewStreamConsumerReleaseAttribKHR = NULL; PFNEGLSTREAMCONSUMERACQUIREKHRPROC __eglewStreamConsumerAcquireKHR = NULL; PFNEGLSTREAMCONSUMERGLTEXTUREEXTERNALKHRPROC __eglewStreamConsumerGLTextureExternalKHR = NULL; PFNEGLSTREAMCONSUMERRELEASEKHRPROC __eglewStreamConsumerReleaseKHR = NULL; PFNEGLCREATESTREAMFROMFILEDESCRIPTORKHRPROC __eglewCreateStreamFromFileDescriptorKHR = NULL; PFNEGLGETSTREAMFILEDESCRIPTORKHRPROC __eglewGetStreamFileDescriptorKHR = NULL; PFNEGLQUERYSTREAMTIMEKHRPROC __eglewQueryStreamTimeKHR = NULL; PFNEGLCREATESTREAMPRODUCERSURFACEKHRPROC __eglewCreateStreamProducerSurfaceKHR = NULL; PFNEGLSWAPBUFFERSWITHDAMAGEKHRPROC __eglewSwapBuffersWithDamageKHR = NULL; PFNEGLWAITSYNCKHRPROC __eglewWaitSyncKHR = NULL; PFNEGLCREATEDRMIMAGEMESAPROC __eglewCreateDRMImageMESA = NULL; PFNEGLEXPORTDRMIMAGEMESAPROC __eglewExportDRMImageMESA = NULL; PFNEGLEXPORTDMABUFIMAGEMESAPROC __eglewExportDMABUFImageMESA = NULL; PFNEGLEXPORTDMABUFIMAGEQUERYMESAPROC __eglewExportDMABUFImageQueryMESA = NULL; PFNEGLSWAPBUFFERSREGIONNOKPROC __eglewSwapBuffersRegionNOK = NULL; PFNEGLSWAPBUFFERSREGION2NOKPROC __eglewSwapBuffersRegion2NOK = NULL; PFNEGLQUERYNATIVEDISPLAYNVPROC __eglewQueryNativeDisplayNV = NULL; PFNEGLQUERYNATIVEPIXMAPNVPROC __eglewQueryNativePixmapNV = NULL; PFNEGLQUERYNATIVEWINDOWNVPROC __eglewQueryNativeWindowNV = NULL; PFNEGLPOSTSUBBUFFERNVPROC __eglewPostSubBufferNV = NULL; PFNEGLSTREAMCONSUMERGLTEXTUREEXTERNALATTRIBSNVPROC __eglewStreamConsumerGLTextureExternalAttribsNV = NULL; PFNEGLQUERYDISPLAYATTRIBNVPROC __eglewQueryDisplayAttribNV = NULL; PFNEGLQUERYSTREAMMETADATANVPROC __eglewQueryStreamMetadataNV = NULL; PFNEGLSETSTREAMMETADATANVPROC __eglewSetStreamMetadataNV = NULL; PFNEGLRESETSTREAMNVPROC __eglewResetStreamNV = NULL; PFNEGLCREATESTREAMSYNCNVPROC __eglewCreateStreamSyncNV = NULL; PFNEGLCLIENTWAITSYNCNVPROC __eglewClientWaitSyncNV = NULL; PFNEGLCREATEFENCESYNCNVPROC __eglewCreateFenceSyncNV = NULL; PFNEGLDESTROYSYNCNVPROC __eglewDestroySyncNV = NULL; PFNEGLFENCENVPROC __eglewFenceNV = NULL; PFNEGLGETSYNCATTRIBNVPROC __eglewGetSyncAttribNV = NULL; PFNEGLSIGNALSYNCNVPROC __eglewSignalSyncNV = NULL; PFNEGLGETSYSTEMTIMEFREQUENCYNVPROC __eglewGetSystemTimeFrequencyNV = NULL; PFNEGLGETSYSTEMTIMENVPROC __eglewGetSystemTimeNV = NULL; GLboolean __EGLEW_VERSION_1_0 = GL_FALSE; GLboolean __EGLEW_VERSION_1_1 = GL_FALSE; GLboolean __EGLEW_VERSION_1_2 = GL_FALSE; GLboolean __EGLEW_VERSION_1_3 = GL_FALSE; GLboolean __EGLEW_VERSION_1_4 = GL_FALSE; GLboolean __EGLEW_VERSION_1_5 = GL_FALSE; GLboolean __EGLEW_ANDROID_blob_cache = GL_FALSE; GLboolean __EGLEW_ANDROID_create_native_client_buffer = GL_FALSE; GLboolean __EGLEW_ANDROID_framebuffer_target = GL_FALSE; GLboolean __EGLEW_ANDROID_front_buffer_auto_refresh = GL_FALSE; GLboolean __EGLEW_ANDROID_image_native_buffer = GL_FALSE; GLboolean __EGLEW_ANDROID_native_fence_sync = GL_FALSE; GLboolean __EGLEW_ANDROID_presentation_time = GL_FALSE; GLboolean __EGLEW_ANDROID_recordable = GL_FALSE; GLboolean __EGLEW_ANGLE_d3d_share_handle_client_buffer = GL_FALSE; GLboolean __EGLEW_ANGLE_device_d3d = GL_FALSE; GLboolean __EGLEW_ANGLE_query_surface_pointer = GL_FALSE; GLboolean __EGLEW_ANGLE_surface_d3d_texture_2d_share_handle = GL_FALSE; GLboolean __EGLEW_ANGLE_window_fixed_size = GL_FALSE; GLboolean __EGLEW_ARM_implicit_external_sync = GL_FALSE; GLboolean __EGLEW_ARM_pixmap_multisample_discard = GL_FALSE; GLboolean __EGLEW_EXT_buffer_age = GL_FALSE; GLboolean __EGLEW_EXT_client_extensions = GL_FALSE; GLboolean __EGLEW_EXT_create_context_robustness = GL_FALSE; GLboolean __EGLEW_EXT_device_base = GL_FALSE; GLboolean __EGLEW_EXT_device_drm = GL_FALSE; GLboolean __EGLEW_EXT_device_enumeration = GL_FALSE; GLboolean __EGLEW_EXT_device_openwf = GL_FALSE; GLboolean __EGLEW_EXT_device_query = GL_FALSE; GLboolean __EGLEW_EXT_gl_colorspace_bt2020_linear = GL_FALSE; GLboolean __EGLEW_EXT_gl_colorspace_bt2020_pq = GL_FALSE; GLboolean __EGLEW_EXT_gl_colorspace_scrgb_linear = GL_FALSE; GLboolean __EGLEW_EXT_image_dma_buf_import = GL_FALSE; GLboolean __EGLEW_EXT_image_dma_buf_import_modifiers = GL_FALSE; GLboolean __EGLEW_EXT_multiview_window = GL_FALSE; GLboolean __EGLEW_EXT_output_base = GL_FALSE; GLboolean __EGLEW_EXT_output_drm = GL_FALSE; GLboolean __EGLEW_EXT_output_openwf = GL_FALSE; GLboolean __EGLEW_EXT_pixel_format_float = GL_FALSE; GLboolean __EGLEW_EXT_platform_base = GL_FALSE; GLboolean __EGLEW_EXT_platform_device = GL_FALSE; GLboolean __EGLEW_EXT_platform_wayland = GL_FALSE; GLboolean __EGLEW_EXT_platform_x11 = GL_FALSE; GLboolean __EGLEW_EXT_protected_content = GL_FALSE; GLboolean __EGLEW_EXT_protected_surface = GL_FALSE; GLboolean __EGLEW_EXT_stream_consumer_egloutput = GL_FALSE; GLboolean __EGLEW_EXT_surface_SMPTE2086_metadata = GL_FALSE; GLboolean __EGLEW_EXT_swap_buffers_with_damage = GL_FALSE; GLboolean __EGLEW_EXT_yuv_surface = GL_FALSE; GLboolean __EGLEW_HI_clientpixmap = GL_FALSE; GLboolean __EGLEW_HI_colorformats = GL_FALSE; GLboolean __EGLEW_IMG_context_priority = GL_FALSE; GLboolean __EGLEW_IMG_image_plane_attribs = GL_FALSE; GLboolean __EGLEW_KHR_cl_event = GL_FALSE; GLboolean __EGLEW_KHR_cl_event2 = GL_FALSE; GLboolean __EGLEW_KHR_client_get_all_proc_addresses = GL_FALSE; GLboolean __EGLEW_KHR_config_attribs = GL_FALSE; GLboolean __EGLEW_KHR_context_flush_control = GL_FALSE; GLboolean __EGLEW_KHR_create_context = GL_FALSE; GLboolean __EGLEW_KHR_create_context_no_error = GL_FALSE; GLboolean __EGLEW_KHR_debug = GL_FALSE; GLboolean __EGLEW_KHR_fence_sync = GL_FALSE; GLboolean __EGLEW_KHR_get_all_proc_addresses = GL_FALSE; GLboolean __EGLEW_KHR_gl_colorspace = GL_FALSE; GLboolean __EGLEW_KHR_gl_renderbuffer_image = GL_FALSE; GLboolean __EGLEW_KHR_gl_texture_2D_image = GL_FALSE; GLboolean __EGLEW_KHR_gl_texture_3D_image = GL_FALSE; GLboolean __EGLEW_KHR_gl_texture_cubemap_image = GL_FALSE; GLboolean __EGLEW_KHR_image = GL_FALSE; GLboolean __EGLEW_KHR_image_base = GL_FALSE; GLboolean __EGLEW_KHR_image_pixmap = GL_FALSE; GLboolean __EGLEW_KHR_lock_surface = GL_FALSE; GLboolean __EGLEW_KHR_lock_surface2 = GL_FALSE; GLboolean __EGLEW_KHR_lock_surface3 = GL_FALSE; GLboolean __EGLEW_KHR_mutable_render_buffer = GL_FALSE; GLboolean __EGLEW_KHR_no_config_context = GL_FALSE; GLboolean __EGLEW_KHR_partial_update = GL_FALSE; GLboolean __EGLEW_KHR_platform_android = GL_FALSE; GLboolean __EGLEW_KHR_platform_gbm = GL_FALSE; GLboolean __EGLEW_KHR_platform_wayland = GL_FALSE; GLboolean __EGLEW_KHR_platform_x11 = GL_FALSE; GLboolean __EGLEW_KHR_reusable_sync = GL_FALSE; GLboolean __EGLEW_KHR_stream = GL_FALSE; GLboolean __EGLEW_KHR_stream_attrib = GL_FALSE; GLboolean __EGLEW_KHR_stream_consumer_gltexture = GL_FALSE; GLboolean __EGLEW_KHR_stream_cross_process_fd = GL_FALSE; GLboolean __EGLEW_KHR_stream_fifo = GL_FALSE; GLboolean __EGLEW_KHR_stream_producer_aldatalocator = GL_FALSE; GLboolean __EGLEW_KHR_stream_producer_eglsurface = GL_FALSE; GLboolean __EGLEW_KHR_surfaceless_context = GL_FALSE; GLboolean __EGLEW_KHR_swap_buffers_with_damage = GL_FALSE; GLboolean __EGLEW_KHR_vg_parent_image = GL_FALSE; GLboolean __EGLEW_KHR_wait_sync = GL_FALSE; GLboolean __EGLEW_MESA_drm_image = GL_FALSE; GLboolean __EGLEW_MESA_image_dma_buf_export = GL_FALSE; GLboolean __EGLEW_MESA_platform_gbm = GL_FALSE; GLboolean __EGLEW_MESA_platform_surfaceless = GL_FALSE; GLboolean __EGLEW_NOK_swap_region = GL_FALSE; GLboolean __EGLEW_NOK_swap_region2 = GL_FALSE; GLboolean __EGLEW_NOK_texture_from_pixmap = GL_FALSE; GLboolean __EGLEW_NV_3dvision_surface = GL_FALSE; GLboolean __EGLEW_NV_coverage_sample = GL_FALSE; GLboolean __EGLEW_NV_coverage_sample_resolve = GL_FALSE; GLboolean __EGLEW_NV_cuda_event = GL_FALSE; GLboolean __EGLEW_NV_depth_nonlinear = GL_FALSE; GLboolean __EGLEW_NV_device_cuda = GL_FALSE; GLboolean __EGLEW_NV_native_query = GL_FALSE; GLboolean __EGLEW_NV_post_convert_rounding = GL_FALSE; GLboolean __EGLEW_NV_post_sub_buffer = GL_FALSE; GLboolean __EGLEW_NV_robustness_video_memory_purge = GL_FALSE; GLboolean __EGLEW_NV_stream_consumer_gltexture_yuv = GL_FALSE; GLboolean __EGLEW_NV_stream_cross_display = GL_FALSE; GLboolean __EGLEW_NV_stream_cross_object = GL_FALSE; GLboolean __EGLEW_NV_stream_cross_partition = GL_FALSE; GLboolean __EGLEW_NV_stream_cross_process = GL_FALSE; GLboolean __EGLEW_NV_stream_cross_system = GL_FALSE; GLboolean __EGLEW_NV_stream_fifo_next = GL_FALSE; GLboolean __EGLEW_NV_stream_fifo_synchronous = GL_FALSE; GLboolean __EGLEW_NV_stream_frame_limits = GL_FALSE; GLboolean __EGLEW_NV_stream_metadata = GL_FALSE; GLboolean __EGLEW_NV_stream_remote = GL_FALSE; GLboolean __EGLEW_NV_stream_reset = GL_FALSE; GLboolean __EGLEW_NV_stream_socket = GL_FALSE; GLboolean __EGLEW_NV_stream_socket_inet = GL_FALSE; GLboolean __EGLEW_NV_stream_socket_unix = GL_FALSE; GLboolean __EGLEW_NV_stream_sync = GL_FALSE; GLboolean __EGLEW_NV_sync = GL_FALSE; GLboolean __EGLEW_NV_system_time = GL_FALSE; GLboolean __EGLEW_TIZEN_image_native_buffer = GL_FALSE; GLboolean __EGLEW_TIZEN_image_native_surface = GL_FALSE; #ifdef EGL_VERSION_1_0 static GLboolean _glewInit_EGL_VERSION_1_0 () { GLboolean r = GL_FALSE; r = ((eglChooseConfig = (PFNEGLCHOOSECONFIGPROC)glewGetProcAddress((const GLubyte*)"eglChooseConfig")) == NULL) || r; r = ((eglCopyBuffers = (PFNEGLCOPYBUFFERSPROC)glewGetProcAddress((const GLubyte*)"eglCopyBuffers")) == NULL) || r; r = ((eglCreateContext = (PFNEGLCREATECONTEXTPROC)glewGetProcAddress((const GLubyte*)"eglCreateContext")) == NULL) || r; r = ((eglCreatePbufferSurface = (PFNEGLCREATEPBUFFERSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglCreatePbufferSurface")) == NULL) || r; r = ((eglCreatePixmapSurface = (PFNEGLCREATEPIXMAPSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglCreatePixmapSurface")) == NULL) || r; r = ((eglCreateWindowSurface = (PFNEGLCREATEWINDOWSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglCreateWindowSurface")) == NULL) || r; r = ((eglDestroyContext = (PFNEGLDESTROYCONTEXTPROC)glewGetProcAddress((const GLubyte*)"eglDestroyContext")) == NULL) || r; r = ((eglDestroySurface = (PFNEGLDESTROYSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglDestroySurface")) == NULL) || r; r = ((eglGetConfigAttrib = (PFNEGLGETCONFIGATTRIBPROC)glewGetProcAddress((const GLubyte*)"eglGetConfigAttrib")) == NULL) || r; r = ((eglGetConfigs = (PFNEGLGETCONFIGSPROC)glewGetProcAddress((const GLubyte*)"eglGetConfigs")) == NULL) || r; r = ((eglGetCurrentDisplay = (PFNEGLGETCURRENTDISPLAYPROC)glewGetProcAddress((const GLubyte*)"eglGetCurrentDisplay")) == NULL) || r; r = ((eglGetCurrentSurface = (PFNEGLGETCURRENTSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglGetCurrentSurface")) == NULL) || r; r = ((eglGetDisplay = (PFNEGLGETDISPLAYPROC)glewGetProcAddress((const GLubyte*)"eglGetDisplay")) == NULL) || r; r = ((eglGetError = (PFNEGLGETERRORPROC)glewGetProcAddress((const GLubyte*)"eglGetError")) == NULL) || r; r = ((eglInitialize = (PFNEGLINITIALIZEPROC)glewGetProcAddress((const GLubyte*)"eglInitialize")) == NULL) || r; r = ((eglMakeCurrent = (PFNEGLMAKECURRENTPROC)glewGetProcAddress((const GLubyte*)"eglMakeCurrent")) == NULL) || r; r = ((eglQueryContext = (PFNEGLQUERYCONTEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryContext")) == NULL) || r; r = ((eglQueryString = (PFNEGLQUERYSTRINGPROC)glewGetProcAddress((const GLubyte*)"eglQueryString")) == NULL) || r; r = ((eglQuerySurface = (PFNEGLQUERYSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglQuerySurface")) == NULL) || r; r = ((eglSwapBuffers = (PFNEGLSWAPBUFFERSPROC)glewGetProcAddress((const GLubyte*)"eglSwapBuffers")) == NULL) || r; r = ((eglTerminate = (PFNEGLTERMINATEPROC)glewGetProcAddress((const GLubyte*)"eglTerminate")) == NULL) || r; r = ((eglWaitGL = (PFNEGLWAITGLPROC)glewGetProcAddress((const GLubyte*)"eglWaitGL")) == NULL) || r; r = ((eglWaitNative = (PFNEGLWAITNATIVEPROC)glewGetProcAddress((const GLubyte*)"eglWaitNative")) == NULL) || r; return r; } #endif /* EGL_VERSION_1_0 */ #ifdef EGL_VERSION_1_1 static GLboolean _glewInit_EGL_VERSION_1_1 () { GLboolean r = GL_FALSE; r = ((eglBindTexImage = (PFNEGLBINDTEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"eglBindTexImage")) == NULL) || r; r = ((eglReleaseTexImage = (PFNEGLRELEASETEXIMAGEPROC)glewGetProcAddress((const GLubyte*)"eglReleaseTexImage")) == NULL) || r; r = ((eglSurfaceAttrib = (PFNEGLSURFACEATTRIBPROC)glewGetProcAddress((const GLubyte*)"eglSurfaceAttrib")) == NULL) || r; r = ((eglSwapInterval = (PFNEGLSWAPINTERVALPROC)glewGetProcAddress((const GLubyte*)"eglSwapInterval")) == NULL) || r; return r; } #endif /* EGL_VERSION_1_1 */ #ifdef EGL_VERSION_1_2 static GLboolean _glewInit_EGL_VERSION_1_2 () { GLboolean r = GL_FALSE; r = ((eglBindAPI = (PFNEGLBINDAPIPROC)glewGetProcAddress((const GLubyte*)"eglBindAPI")) == NULL) || r; r = ((eglCreatePbufferFromClientBuffer = (PFNEGLCREATEPBUFFERFROMCLIENTBUFFERPROC)glewGetProcAddress((const GLubyte*)"eglCreatePbufferFromClientBuffer")) == NULL) || r; r = ((eglQueryAPI = (PFNEGLQUERYAPIPROC)glewGetProcAddress((const GLubyte*)"eglQueryAPI")) == NULL) || r; r = ((eglReleaseThread = (PFNEGLRELEASETHREADPROC)glewGetProcAddress((const GLubyte*)"eglReleaseThread")) == NULL) || r; r = ((eglWaitClient = (PFNEGLWAITCLIENTPROC)glewGetProcAddress((const GLubyte*)"eglWaitClient")) == NULL) || r; return r; } #endif /* EGL_VERSION_1_2 */ #ifdef EGL_VERSION_1_4 static GLboolean _glewInit_EGL_VERSION_1_4 () { GLboolean r = GL_FALSE; r = ((eglGetCurrentContext = (PFNEGLGETCURRENTCONTEXTPROC)glewGetProcAddress((const GLubyte*)"eglGetCurrentContext")) == NULL) || r; return r; } #endif /* EGL_VERSION_1_4 */ #ifdef EGL_VERSION_1_5 static GLboolean _glewInit_EGL_VERSION_1_5 () { GLboolean r = GL_FALSE; r = ((eglClientWaitSync = (PFNEGLCLIENTWAITSYNCPROC)glewGetProcAddress((const GLubyte*)"eglClientWaitSync")) == NULL) || r; r = ((eglCreateImage = (PFNEGLCREATEIMAGEPROC)glewGetProcAddress((const GLubyte*)"eglCreateImage")) == NULL) || r; r = ((eglCreatePlatformPixmapSurface = (PFNEGLCREATEPLATFORMPIXMAPSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglCreatePlatformPixmapSurface")) == NULL) || r; r = ((eglCreatePlatformWindowSurface = (PFNEGLCREATEPLATFORMWINDOWSURFACEPROC)glewGetProcAddress((const GLubyte*)"eglCreatePlatformWindowSurface")) == NULL) || r; r = ((eglCreateSync = (PFNEGLCREATESYNCPROC)glewGetProcAddress((const GLubyte*)"eglCreateSync")) == NULL) || r; r = ((eglDestroyImage = (PFNEGLDESTROYIMAGEPROC)glewGetProcAddress((const GLubyte*)"eglDestroyImage")) == NULL) || r; r = ((eglDestroySync = (PFNEGLDESTROYSYNCPROC)glewGetProcAddress((const GLubyte*)"eglDestroySync")) == NULL) || r; r = ((eglGetPlatformDisplay = (PFNEGLGETPLATFORMDISPLAYPROC)glewGetProcAddress((const GLubyte*)"eglGetPlatformDisplay")) == NULL) || r; r = ((eglGetSyncAttrib = (PFNEGLGETSYNCATTRIBPROC)glewGetProcAddress((const GLubyte*)"eglGetSyncAttrib")) == NULL) || r; r = ((eglWaitSync = (PFNEGLWAITSYNCPROC)glewGetProcAddress((const GLubyte*)"eglWaitSync")) == NULL) || r; return r; } #endif /* EGL_VERSION_1_5 */ #ifdef EGL_ANDROID_blob_cache static GLboolean _glewInit_EGL_ANDROID_blob_cache () { GLboolean r = GL_FALSE; r = ((eglSetBlobCacheFuncsANDROID = (PFNEGLSETBLOBCACHEFUNCSANDROIDPROC)glewGetProcAddress((const GLubyte*)"eglSetBlobCacheFuncsANDROID")) == NULL) || r; return r; } #endif /* EGL_ANDROID_blob_cache */ #ifdef EGL_ANDROID_create_native_client_buffer static GLboolean _glewInit_EGL_ANDROID_create_native_client_buffer () { GLboolean r = GL_FALSE; r = ((eglCreateNativeClientBufferANDROID = (PFNEGLCREATENATIVECLIENTBUFFERANDROIDPROC)glewGetProcAddress((const GLubyte*)"eglCreateNativeClientBufferANDROID")) == NULL) || r; return r; } #endif /* EGL_ANDROID_create_native_client_buffer */ #ifdef EGL_ANDROID_native_fence_sync static GLboolean _glewInit_EGL_ANDROID_native_fence_sync () { GLboolean r = GL_FALSE; r = ((eglDupNativeFenceFDANDROID = (PFNEGLDUPNATIVEFENCEFDANDROIDPROC)glewGetProcAddress((const GLubyte*)"eglDupNativeFenceFDANDROID")) == NULL) || r; return r; } #endif /* EGL_ANDROID_native_fence_sync */ #ifdef EGL_ANDROID_presentation_time static GLboolean _glewInit_EGL_ANDROID_presentation_time () { GLboolean r = GL_FALSE; r = ((eglPresentationTimeANDROID = (PFNEGLPRESENTATIONTIMEANDROIDPROC)glewGetProcAddress((const GLubyte*)"eglPresentationTimeANDROID")) == NULL) || r; return r; } #endif /* EGL_ANDROID_presentation_time */ #ifdef EGL_ANGLE_query_surface_pointer static GLboolean _glewInit_EGL_ANGLE_query_surface_pointer () { GLboolean r = GL_FALSE; r = ((eglQuerySurfacePointerANGLE = (PFNEGLQUERYSURFACEPOINTERANGLEPROC)glewGetProcAddress((const GLubyte*)"eglQuerySurfacePointerANGLE")) == NULL) || r; return r; } #endif /* EGL_ANGLE_query_surface_pointer */ #ifdef EGL_EXT_device_enumeration static GLboolean _glewInit_EGL_EXT_device_enumeration () { GLboolean r = GL_FALSE; r = ((eglQueryDevicesEXT = (PFNEGLQUERYDEVICESEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryDevicesEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_device_enumeration */ #ifdef EGL_EXT_device_query static GLboolean _glewInit_EGL_EXT_device_query () { GLboolean r = GL_FALSE; r = ((eglQueryDeviceAttribEXT = (PFNEGLQUERYDEVICEATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryDeviceAttribEXT")) == NULL) || r; r = ((eglQueryDeviceStringEXT = (PFNEGLQUERYDEVICESTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryDeviceStringEXT")) == NULL) || r; r = ((eglQueryDisplayAttribEXT = (PFNEGLQUERYDISPLAYATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryDisplayAttribEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_device_query */ #ifdef EGL_EXT_image_dma_buf_import_modifiers static GLboolean _glewInit_EGL_EXT_image_dma_buf_import_modifiers () { GLboolean r = GL_FALSE; r = ((eglQueryDmaBufFormatsEXT = (PFNEGLQUERYDMABUFFORMATSEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryDmaBufFormatsEXT")) == NULL) || r; r = ((eglQueryDmaBufModifiersEXT = (PFNEGLQUERYDMABUFMODIFIERSEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryDmaBufModifiersEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_image_dma_buf_import_modifiers */ #ifdef EGL_EXT_output_base static GLboolean _glewInit_EGL_EXT_output_base () { GLboolean r = GL_FALSE; r = ((eglGetOutputLayersEXT = (PFNEGLGETOUTPUTLAYERSEXTPROC)glewGetProcAddress((const GLubyte*)"eglGetOutputLayersEXT")) == NULL) || r; r = ((eglGetOutputPortsEXT = (PFNEGLGETOUTPUTPORTSEXTPROC)glewGetProcAddress((const GLubyte*)"eglGetOutputPortsEXT")) == NULL) || r; r = ((eglOutputLayerAttribEXT = (PFNEGLOUTPUTLAYERATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"eglOutputLayerAttribEXT")) == NULL) || r; r = ((eglOutputPortAttribEXT = (PFNEGLOUTPUTPORTATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"eglOutputPortAttribEXT")) == NULL) || r; r = ((eglQueryOutputLayerAttribEXT = (PFNEGLQUERYOUTPUTLAYERATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryOutputLayerAttribEXT")) == NULL) || r; r = ((eglQueryOutputLayerStringEXT = (PFNEGLQUERYOUTPUTLAYERSTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryOutputLayerStringEXT")) == NULL) || r; r = ((eglQueryOutputPortAttribEXT = (PFNEGLQUERYOUTPUTPORTATTRIBEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryOutputPortAttribEXT")) == NULL) || r; r = ((eglQueryOutputPortStringEXT = (PFNEGLQUERYOUTPUTPORTSTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"eglQueryOutputPortStringEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_output_base */ #ifdef EGL_EXT_platform_base static GLboolean _glewInit_EGL_EXT_platform_base () { GLboolean r = GL_FALSE; r = ((eglCreatePlatformPixmapSurfaceEXT = (PFNEGLCREATEPLATFORMPIXMAPSURFACEEXTPROC)glewGetProcAddress((const GLubyte*)"eglCreatePlatformPixmapSurfaceEXT")) == NULL) || r; r = ((eglCreatePlatformWindowSurfaceEXT = (PFNEGLCREATEPLATFORMWINDOWSURFACEEXTPROC)glewGetProcAddress((const GLubyte*)"eglCreatePlatformWindowSurfaceEXT")) == NULL) || r; r = ((eglGetPlatformDisplayEXT = (PFNEGLGETPLATFORMDISPLAYEXTPROC)glewGetProcAddress((const GLubyte*)"eglGetPlatformDisplayEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_platform_base */ #ifdef EGL_EXT_stream_consumer_egloutput static GLboolean _glewInit_EGL_EXT_stream_consumer_egloutput () { GLboolean r = GL_FALSE; r = ((eglStreamConsumerOutputEXT = (PFNEGLSTREAMCONSUMEROUTPUTEXTPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerOutputEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_stream_consumer_egloutput */ #ifdef EGL_EXT_swap_buffers_with_damage static GLboolean _glewInit_EGL_EXT_swap_buffers_with_damage () { GLboolean r = GL_FALSE; r = ((eglSwapBuffersWithDamageEXT = (PFNEGLSWAPBUFFERSWITHDAMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"eglSwapBuffersWithDamageEXT")) == NULL) || r; return r; } #endif /* EGL_EXT_swap_buffers_with_damage */ #ifdef EGL_HI_clientpixmap static GLboolean _glewInit_EGL_HI_clientpixmap () { GLboolean r = GL_FALSE; r = ((eglCreatePixmapSurfaceHI = (PFNEGLCREATEPIXMAPSURFACEHIPROC)glewGetProcAddress((const GLubyte*)"eglCreatePixmapSurfaceHI")) == NULL) || r; return r; } #endif /* EGL_HI_clientpixmap */ #ifdef EGL_KHR_cl_event2 static GLboolean _glewInit_EGL_KHR_cl_event2 () { GLboolean r = GL_FALSE; r = ((eglCreateSync64KHR = (PFNEGLCREATESYNC64KHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateSync64KHR")) == NULL) || r; return r; } #endif /* EGL_KHR_cl_event2 */ #ifdef EGL_KHR_debug static GLboolean _glewInit_EGL_KHR_debug () { GLboolean r = GL_FALSE; r = ((eglDebugMessageControlKHR = (PFNEGLDEBUGMESSAGECONTROLKHRPROC)glewGetProcAddress((const GLubyte*)"eglDebugMessageControlKHR")) == NULL) || r; r = ((eglLabelObjectKHR = (PFNEGLLABELOBJECTKHRPROC)glewGetProcAddress((const GLubyte*)"eglLabelObjectKHR")) == NULL) || r; r = ((eglQueryDebugKHR = (PFNEGLQUERYDEBUGKHRPROC)glewGetProcAddress((const GLubyte*)"eglQueryDebugKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_debug */ #ifdef EGL_KHR_image static GLboolean _glewInit_EGL_KHR_image () { GLboolean r = GL_FALSE; r = ((eglCreateImageKHR = (PFNEGLCREATEIMAGEKHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateImageKHR")) == NULL) || r; r = ((eglDestroyImageKHR = (PFNEGLDESTROYIMAGEKHRPROC)glewGetProcAddress((const GLubyte*)"eglDestroyImageKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_image */ #ifdef EGL_KHR_lock_surface static GLboolean _glewInit_EGL_KHR_lock_surface () { GLboolean r = GL_FALSE; r = ((eglLockSurfaceKHR = (PFNEGLLOCKSURFACEKHRPROC)glewGetProcAddress((const GLubyte*)"eglLockSurfaceKHR")) == NULL) || r; r = ((eglUnlockSurfaceKHR = (PFNEGLUNLOCKSURFACEKHRPROC)glewGetProcAddress((const GLubyte*)"eglUnlockSurfaceKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_lock_surface */ #ifdef EGL_KHR_lock_surface3 static GLboolean _glewInit_EGL_KHR_lock_surface3 () { GLboolean r = GL_FALSE; r = ((eglQuerySurface64KHR = (PFNEGLQUERYSURFACE64KHRPROC)glewGetProcAddress((const GLubyte*)"eglQuerySurface64KHR")) == NULL) || r; return r; } #endif /* EGL_KHR_lock_surface3 */ #ifdef EGL_KHR_partial_update static GLboolean _glewInit_EGL_KHR_partial_update () { GLboolean r = GL_FALSE; r = ((eglSetDamageRegionKHR = (PFNEGLSETDAMAGEREGIONKHRPROC)glewGetProcAddress((const GLubyte*)"eglSetDamageRegionKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_partial_update */ #ifdef EGL_KHR_reusable_sync static GLboolean _glewInit_EGL_KHR_reusable_sync () { GLboolean r = GL_FALSE; r = ((eglClientWaitSyncKHR = (PFNEGLCLIENTWAITSYNCKHRPROC)glewGetProcAddress((const GLubyte*)"eglClientWaitSyncKHR")) == NULL) || r; r = ((eglCreateSyncKHR = (PFNEGLCREATESYNCKHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateSyncKHR")) == NULL) || r; r = ((eglDestroySyncKHR = (PFNEGLDESTROYSYNCKHRPROC)glewGetProcAddress((const GLubyte*)"eglDestroySyncKHR")) == NULL) || r; r = ((eglGetSyncAttribKHR = (PFNEGLGETSYNCATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglGetSyncAttribKHR")) == NULL) || r; r = ((eglSignalSyncKHR = (PFNEGLSIGNALSYNCKHRPROC)glewGetProcAddress((const GLubyte*)"eglSignalSyncKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_reusable_sync */ #ifdef EGL_KHR_stream static GLboolean _glewInit_EGL_KHR_stream () { GLboolean r = GL_FALSE; r = ((eglCreateStreamKHR = (PFNEGLCREATESTREAMKHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateStreamKHR")) == NULL) || r; r = ((eglDestroyStreamKHR = (PFNEGLDESTROYSTREAMKHRPROC)glewGetProcAddress((const GLubyte*)"eglDestroyStreamKHR")) == NULL) || r; r = ((eglQueryStreamKHR = (PFNEGLQUERYSTREAMKHRPROC)glewGetProcAddress((const GLubyte*)"eglQueryStreamKHR")) == NULL) || r; r = ((eglQueryStreamu64KHR = (PFNEGLQUERYSTREAMU64KHRPROC)glewGetProcAddress((const GLubyte*)"eglQueryStreamu64KHR")) == NULL) || r; r = ((eglStreamAttribKHR = (PFNEGLSTREAMATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglStreamAttribKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_stream */ #ifdef EGL_KHR_stream_attrib static GLboolean _glewInit_EGL_KHR_stream_attrib () { GLboolean r = GL_FALSE; r = ((eglCreateStreamAttribKHR = (PFNEGLCREATESTREAMATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateStreamAttribKHR")) == NULL) || r; r = ((eglQueryStreamAttribKHR = (PFNEGLQUERYSTREAMATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglQueryStreamAttribKHR")) == NULL) || r; r = ((eglSetStreamAttribKHR = (PFNEGLSETSTREAMATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglSetStreamAttribKHR")) == NULL) || r; r = ((eglStreamConsumerAcquireAttribKHR = (PFNEGLSTREAMCONSUMERACQUIREATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerAcquireAttribKHR")) == NULL) || r; r = ((eglStreamConsumerReleaseAttribKHR = (PFNEGLSTREAMCONSUMERRELEASEATTRIBKHRPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerReleaseAttribKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_stream_attrib */ #ifdef EGL_KHR_stream_consumer_gltexture static GLboolean _glewInit_EGL_KHR_stream_consumer_gltexture () { GLboolean r = GL_FALSE; r = ((eglStreamConsumerAcquireKHR = (PFNEGLSTREAMCONSUMERACQUIREKHRPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerAcquireKHR")) == NULL) || r; r = ((eglStreamConsumerGLTextureExternalKHR = (PFNEGLSTREAMCONSUMERGLTEXTUREEXTERNALKHRPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerGLTextureExternalKHR")) == NULL) || r; r = ((eglStreamConsumerReleaseKHR = (PFNEGLSTREAMCONSUMERRELEASEKHRPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerReleaseKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_stream_consumer_gltexture */ #ifdef EGL_KHR_stream_cross_process_fd static GLboolean _glewInit_EGL_KHR_stream_cross_process_fd () { GLboolean r = GL_FALSE; r = ((eglCreateStreamFromFileDescriptorKHR = (PFNEGLCREATESTREAMFROMFILEDESCRIPTORKHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateStreamFromFileDescriptorKHR")) == NULL) || r; r = ((eglGetStreamFileDescriptorKHR = (PFNEGLGETSTREAMFILEDESCRIPTORKHRPROC)glewGetProcAddress((const GLubyte*)"eglGetStreamFileDescriptorKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_stream_cross_process_fd */ #ifdef EGL_KHR_stream_fifo static GLboolean _glewInit_EGL_KHR_stream_fifo () { GLboolean r = GL_FALSE; r = ((eglQueryStreamTimeKHR = (PFNEGLQUERYSTREAMTIMEKHRPROC)glewGetProcAddress((const GLubyte*)"eglQueryStreamTimeKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_stream_fifo */ #ifdef EGL_KHR_stream_producer_eglsurface static GLboolean _glewInit_EGL_KHR_stream_producer_eglsurface () { GLboolean r = GL_FALSE; r = ((eglCreateStreamProducerSurfaceKHR = (PFNEGLCREATESTREAMPRODUCERSURFACEKHRPROC)glewGetProcAddress((const GLubyte*)"eglCreateStreamProducerSurfaceKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_stream_producer_eglsurface */ #ifdef EGL_KHR_swap_buffers_with_damage static GLboolean _glewInit_EGL_KHR_swap_buffers_with_damage () { GLboolean r = GL_FALSE; r = ((eglSwapBuffersWithDamageKHR = (PFNEGLSWAPBUFFERSWITHDAMAGEKHRPROC)glewGetProcAddress((const GLubyte*)"eglSwapBuffersWithDamageKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_swap_buffers_with_damage */ #ifdef EGL_KHR_wait_sync static GLboolean _glewInit_EGL_KHR_wait_sync () { GLboolean r = GL_FALSE; r = ((eglWaitSyncKHR = (PFNEGLWAITSYNCKHRPROC)glewGetProcAddress((const GLubyte*)"eglWaitSyncKHR")) == NULL) || r; return r; } #endif /* EGL_KHR_wait_sync */ #ifdef EGL_MESA_drm_image static GLboolean _glewInit_EGL_MESA_drm_image () { GLboolean r = GL_FALSE; r = ((eglCreateDRMImageMESA = (PFNEGLCREATEDRMIMAGEMESAPROC)glewGetProcAddress((const GLubyte*)"eglCreateDRMImageMESA")) == NULL) || r; r = ((eglExportDRMImageMESA = (PFNEGLEXPORTDRMIMAGEMESAPROC)glewGetProcAddress((const GLubyte*)"eglExportDRMImageMESA")) == NULL) || r; return r; } #endif /* EGL_MESA_drm_image */ #ifdef EGL_MESA_image_dma_buf_export static GLboolean _glewInit_EGL_MESA_image_dma_buf_export () { GLboolean r = GL_FALSE; r = ((eglExportDMABUFImageMESA = (PFNEGLEXPORTDMABUFIMAGEMESAPROC)glewGetProcAddress((const GLubyte*)"eglExportDMABUFImageMESA")) == NULL) || r; r = ((eglExportDMABUFImageQueryMESA = (PFNEGLEXPORTDMABUFIMAGEQUERYMESAPROC)glewGetProcAddress((const GLubyte*)"eglExportDMABUFImageQueryMESA")) == NULL) || r; return r; } #endif /* EGL_MESA_image_dma_buf_export */ #ifdef EGL_NOK_swap_region static GLboolean _glewInit_EGL_NOK_swap_region () { GLboolean r = GL_FALSE; r = ((eglSwapBuffersRegionNOK = (PFNEGLSWAPBUFFERSREGIONNOKPROC)glewGetProcAddress((const GLubyte*)"eglSwapBuffersRegionNOK")) == NULL) || r; return r; } #endif /* EGL_NOK_swap_region */ #ifdef EGL_NOK_swap_region2 static GLboolean _glewInit_EGL_NOK_swap_region2 () { GLboolean r = GL_FALSE; r = ((eglSwapBuffersRegion2NOK = (PFNEGLSWAPBUFFERSREGION2NOKPROC)glewGetProcAddress((const GLubyte*)"eglSwapBuffersRegion2NOK")) == NULL) || r; return r; } #endif /* EGL_NOK_swap_region2 */ #ifdef EGL_NV_native_query static GLboolean _glewInit_EGL_NV_native_query () { GLboolean r = GL_FALSE; r = ((eglQueryNativeDisplayNV = (PFNEGLQUERYNATIVEDISPLAYNVPROC)glewGetProcAddress((const GLubyte*)"eglQueryNativeDisplayNV")) == NULL) || r; r = ((eglQueryNativePixmapNV = (PFNEGLQUERYNATIVEPIXMAPNVPROC)glewGetProcAddress((const GLubyte*)"eglQueryNativePixmapNV")) == NULL) || r; r = ((eglQueryNativeWindowNV = (PFNEGLQUERYNATIVEWINDOWNVPROC)glewGetProcAddress((const GLubyte*)"eglQueryNativeWindowNV")) == NULL) || r; return r; } #endif /* EGL_NV_native_query */ #ifdef EGL_NV_post_sub_buffer static GLboolean _glewInit_EGL_NV_post_sub_buffer () { GLboolean r = GL_FALSE; r = ((eglPostSubBufferNV = (PFNEGLPOSTSUBBUFFERNVPROC)glewGetProcAddress((const GLubyte*)"eglPostSubBufferNV")) == NULL) || r; return r; } #endif /* EGL_NV_post_sub_buffer */ #ifdef EGL_NV_stream_consumer_gltexture_yuv static GLboolean _glewInit_EGL_NV_stream_consumer_gltexture_yuv () { GLboolean r = GL_FALSE; r = ((eglStreamConsumerGLTextureExternalAttribsNV = (PFNEGLSTREAMCONSUMERGLTEXTUREEXTERNALATTRIBSNVPROC)glewGetProcAddress((const GLubyte*)"eglStreamConsumerGLTextureExternalAttribsNV")) == NULL) || r; return r; } #endif /* EGL_NV_stream_consumer_gltexture_yuv */ #ifdef EGL_NV_stream_metadata static GLboolean _glewInit_EGL_NV_stream_metadata () { GLboolean r = GL_FALSE; r = ((eglQueryDisplayAttribNV = (PFNEGLQUERYDISPLAYATTRIBNVPROC)glewGetProcAddress((const GLubyte*)"eglQueryDisplayAttribNV")) == NULL) || r; r = ((eglQueryStreamMetadataNV = (PFNEGLQUERYSTREAMMETADATANVPROC)glewGetProcAddress((const GLubyte*)"eglQueryStreamMetadataNV")) == NULL) || r; r = ((eglSetStreamMetadataNV = (PFNEGLSETSTREAMMETADATANVPROC)glewGetProcAddress((const GLubyte*)"eglSetStreamMetadataNV")) == NULL) || r; return r; } #endif /* EGL_NV_stream_metadata */ #ifdef EGL_NV_stream_reset static GLboolean _glewInit_EGL_NV_stream_reset () { GLboolean r = GL_FALSE; r = ((eglResetStreamNV = (PFNEGLRESETSTREAMNVPROC)glewGetProcAddress((const GLubyte*)"eglResetStreamNV")) == NULL) || r; return r; } #endif /* EGL_NV_stream_reset */ #ifdef EGL_NV_stream_sync static GLboolean _glewInit_EGL_NV_stream_sync () { GLboolean r = GL_FALSE; r = ((eglCreateStreamSyncNV = (PFNEGLCREATESTREAMSYNCNVPROC)glewGetProcAddress((const GLubyte*)"eglCreateStreamSyncNV")) == NULL) || r; return r; } #endif /* EGL_NV_stream_sync */ #ifdef EGL_NV_sync static GLboolean _glewInit_EGL_NV_sync () { GLboolean r = GL_FALSE; r = ((eglClientWaitSyncNV = (PFNEGLCLIENTWAITSYNCNVPROC)glewGetProcAddress((const GLubyte*)"eglClientWaitSyncNV")) == NULL) || r; r = ((eglCreateFenceSyncNV = (PFNEGLCREATEFENCESYNCNVPROC)glewGetProcAddress((const GLubyte*)"eglCreateFenceSyncNV")) == NULL) || r; r = ((eglDestroySyncNV = (PFNEGLDESTROYSYNCNVPROC)glewGetProcAddress((const GLubyte*)"eglDestroySyncNV")) == NULL) || r; r = ((eglFenceNV = (PFNEGLFENCENVPROC)glewGetProcAddress((const GLubyte*)"eglFenceNV")) == NULL) || r; r = ((eglGetSyncAttribNV = (PFNEGLGETSYNCATTRIBNVPROC)glewGetProcAddress((const GLubyte*)"eglGetSyncAttribNV")) == NULL) || r; r = ((eglSignalSyncNV = (PFNEGLSIGNALSYNCNVPROC)glewGetProcAddress((const GLubyte*)"eglSignalSyncNV")) == NULL) || r; return r; } #endif /* EGL_NV_sync */ #ifdef EGL_NV_system_time static GLboolean _glewInit_EGL_NV_system_time () { GLboolean r = GL_FALSE; r = ((eglGetSystemTimeFrequencyNV = (PFNEGLGETSYSTEMTIMEFREQUENCYNVPROC)glewGetProcAddress((const GLubyte*)"eglGetSystemTimeFrequencyNV")) == NULL) || r; r = ((eglGetSystemTimeNV = (PFNEGLGETSYSTEMTIMENVPROC)glewGetProcAddress((const GLubyte*)"eglGetSystemTimeNV")) == NULL) || r; return r; } #endif /* EGL_NV_system_time */ /* ------------------------------------------------------------------------ */ GLboolean eglewGetExtension (const char* name) { const GLubyte* start; const GLubyte* end; start = (const GLubyte*) eglQueryString(eglGetCurrentDisplay(), EGL_EXTENSIONS); if (0 == start) return GL_FALSE; end = start + _glewStrLen(start); return _glewSearchExtension(name, start, end); } GLenum eglewInit (EGLDisplay display) { EGLint major, minor; const GLubyte* extStart; const GLubyte* extEnd; PFNEGLINITIALIZEPROC initialize = NULL; PFNEGLQUERYSTRINGPROC queryString = NULL; /* Load necessary entry points */ initialize = (PFNEGLINITIALIZEPROC) glewGetProcAddress("eglInitialize"); queryString = (PFNEGLQUERYSTRINGPROC) glewGetProcAddress("eglQueryString"); if (!initialize || !queryString) return 1; /* query EGK version */ if (initialize(display, &major, &minor) != EGL_TRUE) return 1; EGLEW_VERSION_1_5 = ( major > 1 ) || ( major == 1 && minor >= 5 ) ? GL_TRUE : GL_FALSE; EGLEW_VERSION_1_4 = EGLEW_VERSION_1_5 == GL_TRUE || ( major == 1 && minor >= 4 ) ? GL_TRUE : GL_FALSE; EGLEW_VERSION_1_3 = EGLEW_VERSION_1_4 == GL_TRUE || ( major == 1 && minor >= 3 ) ? GL_TRUE : GL_FALSE; EGLEW_VERSION_1_2 = EGLEW_VERSION_1_3 == GL_TRUE || ( major == 1 && minor >= 2 ) ? GL_TRUE : GL_FALSE; EGLEW_VERSION_1_1 = EGLEW_VERSION_1_2 == GL_TRUE || ( major == 1 && minor >= 1 ) ? GL_TRUE : GL_FALSE; EGLEW_VERSION_1_0 = EGLEW_VERSION_1_1 == GL_TRUE || ( major == 1 && minor >= 0 ) ? GL_TRUE : GL_FALSE; /* query EGL extension string */ extStart = (const GLubyte*) queryString(display, EGL_EXTENSIONS); if (extStart == 0) extStart = (const GLubyte *)""; extEnd = extStart + _glewStrLen(extStart); /* initialize extensions */ #ifdef EGL_VERSION_1_0 if (glewExperimental || EGLEW_VERSION_1_0) EGLEW_VERSION_1_0 = !_glewInit_EGL_VERSION_1_0(); #endif /* EGL_VERSION_1_0 */ #ifdef EGL_VERSION_1_1 if (glewExperimental || EGLEW_VERSION_1_1) EGLEW_VERSION_1_1 = !_glewInit_EGL_VERSION_1_1(); #endif /* EGL_VERSION_1_1 */ #ifdef EGL_VERSION_1_2 if (glewExperimental || EGLEW_VERSION_1_2) EGLEW_VERSION_1_2 = !_glewInit_EGL_VERSION_1_2(); #endif /* EGL_VERSION_1_2 */ #ifdef EGL_VERSION_1_4 if (glewExperimental || EGLEW_VERSION_1_4) EGLEW_VERSION_1_4 = !_glewInit_EGL_VERSION_1_4(); #endif /* EGL_VERSION_1_4 */ #ifdef EGL_VERSION_1_5 if (glewExperimental || EGLEW_VERSION_1_5) EGLEW_VERSION_1_5 = !_glewInit_EGL_VERSION_1_5(); #endif /* EGL_VERSION_1_5 */ #ifdef EGL_ANDROID_blob_cache EGLEW_ANDROID_blob_cache = _glewSearchExtension("EGL_ANDROID_blob_cache", extStart, extEnd); if (glewExperimental || EGLEW_ANDROID_blob_cache) EGLEW_ANDROID_blob_cache = !_glewInit_EGL_ANDROID_blob_cache(); #endif /* EGL_ANDROID_blob_cache */ #ifdef EGL_ANDROID_create_native_client_buffer EGLEW_ANDROID_create_native_client_buffer = _glewSearchExtension("EGL_ANDROID_create_native_client_buffer", extStart, extEnd); if (glewExperimental || EGLEW_ANDROID_create_native_client_buffer) EGLEW_ANDROID_create_native_client_buffer = !_glewInit_EGL_ANDROID_create_native_client_buffer(); #endif /* EGL_ANDROID_create_native_client_buffer */ #ifdef EGL_ANDROID_framebuffer_target EGLEW_ANDROID_framebuffer_target = _glewSearchExtension("EGL_ANDROID_framebuffer_target", extStart, extEnd); #endif /* EGL_ANDROID_framebuffer_target */ #ifdef EGL_ANDROID_front_buffer_auto_refresh EGLEW_ANDROID_front_buffer_auto_refresh = _glewSearchExtension("EGL_ANDROID_front_buffer_auto_refresh", extStart, extEnd); #endif /* EGL_ANDROID_front_buffer_auto_refresh */ #ifdef EGL_ANDROID_image_native_buffer EGLEW_ANDROID_image_native_buffer = _glewSearchExtension("EGL_ANDROID_image_native_buffer", extStart, extEnd); #endif /* EGL_ANDROID_image_native_buffer */ #ifdef EGL_ANDROID_native_fence_sync EGLEW_ANDROID_native_fence_sync = _glewSearchExtension("EGL_ANDROID_native_fence_sync", extStart, extEnd); if (glewExperimental || EGLEW_ANDROID_native_fence_sync) EGLEW_ANDROID_native_fence_sync = !_glewInit_EGL_ANDROID_native_fence_sync(); #endif /* EGL_ANDROID_native_fence_sync */ #ifdef EGL_ANDROID_presentation_time EGLEW_ANDROID_presentation_time = _glewSearchExtension("EGL_ANDROID_presentation_time", extStart, extEnd); if (glewExperimental || EGLEW_ANDROID_presentation_time) EGLEW_ANDROID_presentation_time = !_glewInit_EGL_ANDROID_presentation_time(); #endif /* EGL_ANDROID_presentation_time */ #ifdef EGL_ANDROID_recordable EGLEW_ANDROID_recordable = _glewSearchExtension("EGL_ANDROID_recordable", extStart, extEnd); #endif /* EGL_ANDROID_recordable */ #ifdef EGL_ANGLE_d3d_share_handle_client_buffer EGLEW_ANGLE_d3d_share_handle_client_buffer = _glewSearchExtension("EGL_ANGLE_d3d_share_handle_client_buffer", extStart, extEnd); #endif /* EGL_ANGLE_d3d_share_handle_client_buffer */ #ifdef EGL_ANGLE_device_d3d EGLEW_ANGLE_device_d3d = _glewSearchExtension("EGL_ANGLE_device_d3d", extStart, extEnd); #endif /* EGL_ANGLE_device_d3d */ #ifdef EGL_ANGLE_query_surface_pointer EGLEW_ANGLE_query_surface_pointer = _glewSearchExtension("EGL_ANGLE_query_surface_pointer", extStart, extEnd); if (glewExperimental || EGLEW_ANGLE_query_surface_pointer) EGLEW_ANGLE_query_surface_pointer = !_glewInit_EGL_ANGLE_query_surface_pointer(); #endif /* EGL_ANGLE_query_surface_pointer */ #ifdef EGL_ANGLE_surface_d3d_texture_2d_share_handle EGLEW_ANGLE_surface_d3d_texture_2d_share_handle = _glewSearchExtension("EGL_ANGLE_surface_d3d_texture_2d_share_handle", extStart, extEnd); #endif /* EGL_ANGLE_surface_d3d_texture_2d_share_handle */ #ifdef EGL_ANGLE_window_fixed_size EGLEW_ANGLE_window_fixed_size = _glewSearchExtension("EGL_ANGLE_window_fixed_size", extStart, extEnd); #endif /* EGL_ANGLE_window_fixed_size */ #ifdef EGL_ARM_implicit_external_sync EGLEW_ARM_implicit_external_sync = _glewSearchExtension("EGL_ARM_implicit_external_sync", extStart, extEnd); #endif /* EGL_ARM_implicit_external_sync */ #ifdef EGL_ARM_pixmap_multisample_discard EGLEW_ARM_pixmap_multisample_discard = _glewSearchExtension("EGL_ARM_pixmap_multisample_discard", extStart, extEnd); #endif /* EGL_ARM_pixmap_multisample_discard */ #ifdef EGL_EXT_buffer_age EGLEW_EXT_buffer_age = _glewSearchExtension("EGL_EXT_buffer_age", extStart, extEnd); #endif /* EGL_EXT_buffer_age */ #ifdef EGL_EXT_client_extensions EGLEW_EXT_client_extensions = _glewSearchExtension("EGL_EXT_client_extensions", extStart, extEnd); #endif /* EGL_EXT_client_extensions */ #ifdef EGL_EXT_create_context_robustness EGLEW_EXT_create_context_robustness = _glewSearchExtension("EGL_EXT_create_context_robustness", extStart, extEnd); #endif /* EGL_EXT_create_context_robustness */ #ifdef EGL_EXT_device_base EGLEW_EXT_device_base = _glewSearchExtension("EGL_EXT_device_base", extStart, extEnd); #endif /* EGL_EXT_device_base */ #ifdef EGL_EXT_device_drm EGLEW_EXT_device_drm = _glewSearchExtension("EGL_EXT_device_drm", extStart, extEnd); #endif /* EGL_EXT_device_drm */ #ifdef EGL_EXT_device_enumeration EGLEW_EXT_device_enumeration = _glewSearchExtension("EGL_EXT_device_enumeration", extStart, extEnd); if (glewExperimental || EGLEW_EXT_device_enumeration) EGLEW_EXT_device_enumeration = !_glewInit_EGL_EXT_device_enumeration(); #endif /* EGL_EXT_device_enumeration */ #ifdef EGL_EXT_device_openwf EGLEW_EXT_device_openwf = _glewSearchExtension("EGL_EXT_device_openwf", extStart, extEnd); #endif /* EGL_EXT_device_openwf */ #ifdef EGL_EXT_device_query EGLEW_EXT_device_query = _glewSearchExtension("EGL_EXT_device_query", extStart, extEnd); if (glewExperimental || EGLEW_EXT_device_query) EGLEW_EXT_device_query = !_glewInit_EGL_EXT_device_query(); #endif /* EGL_EXT_device_query */ #ifdef EGL_EXT_gl_colorspace_bt2020_linear EGLEW_EXT_gl_colorspace_bt2020_linear = _glewSearchExtension("EGL_EXT_gl_colorspace_bt2020_linear", extStart, extEnd); #endif /* EGL_EXT_gl_colorspace_bt2020_linear */ #ifdef EGL_EXT_gl_colorspace_bt2020_pq EGLEW_EXT_gl_colorspace_bt2020_pq = _glewSearchExtension("EGL_EXT_gl_colorspace_bt2020_pq", extStart, extEnd); #endif /* EGL_EXT_gl_colorspace_bt2020_pq */ #ifdef EGL_EXT_gl_colorspace_scrgb_linear EGLEW_EXT_gl_colorspace_scrgb_linear = _glewSearchExtension("EGL_EXT_gl_colorspace_scrgb_linear", extStart, extEnd); #endif /* EGL_EXT_gl_colorspace_scrgb_linear */ #ifdef EGL_EXT_image_dma_buf_import EGLEW_EXT_image_dma_buf_import = _glewSearchExtension("EGL_EXT_image_dma_buf_import", extStart, extEnd); #endif /* EGL_EXT_image_dma_buf_import */ #ifdef EGL_EXT_image_dma_buf_import_modifiers EGLEW_EXT_image_dma_buf_import_modifiers = _glewSearchExtension("EGL_EXT_image_dma_buf_import_modifiers", extStart, extEnd); if (glewExperimental || EGLEW_EXT_image_dma_buf_import_modifiers) EGLEW_EXT_image_dma_buf_import_modifiers = !_glewInit_EGL_EXT_image_dma_buf_import_modifiers(); #endif /* EGL_EXT_image_dma_buf_import_modifiers */ #ifdef EGL_EXT_multiview_window EGLEW_EXT_multiview_window = _glewSearchExtension("EGL_EXT_multiview_window", extStart, extEnd); #endif /* EGL_EXT_multiview_window */ #ifdef EGL_EXT_output_base EGLEW_EXT_output_base = _glewSearchExtension("EGL_EXT_output_base", extStart, extEnd); if (glewExperimental || EGLEW_EXT_output_base) EGLEW_EXT_output_base = !_glewInit_EGL_EXT_output_base(); #endif /* EGL_EXT_output_base */ #ifdef EGL_EXT_output_drm EGLEW_EXT_output_drm = _glewSearchExtension("EGL_EXT_output_drm", extStart, extEnd); #endif /* EGL_EXT_output_drm */ #ifdef EGL_EXT_output_openwf EGLEW_EXT_output_openwf = _glewSearchExtension("EGL_EXT_output_openwf", extStart, extEnd); #endif /* EGL_EXT_output_openwf */ #ifdef EGL_EXT_pixel_format_float EGLEW_EXT_pixel_format_float = _glewSearchExtension("EGL_EXT_pixel_format_float", extStart, extEnd); #endif /* EGL_EXT_pixel_format_float */ #ifdef EGL_EXT_platform_base EGLEW_EXT_platform_base = _glewSearchExtension("EGL_EXT_platform_base", extStart, extEnd); if (glewExperimental || EGLEW_EXT_platform_base) EGLEW_EXT_platform_base = !_glewInit_EGL_EXT_platform_base(); #endif /* EGL_EXT_platform_base */ #ifdef EGL_EXT_platform_device EGLEW_EXT_platform_device = _glewSearchExtension("EGL_EXT_platform_device", extStart, extEnd); #endif /* EGL_EXT_platform_device */ #ifdef EGL_EXT_platform_wayland EGLEW_EXT_platform_wayland = _glewSearchExtension("EGL_EXT_platform_wayland", extStart, extEnd); #endif /* EGL_EXT_platform_wayland */ #ifdef EGL_EXT_platform_x11 EGLEW_EXT_platform_x11 = _glewSearchExtension("EGL_EXT_platform_x11", extStart, extEnd); #endif /* EGL_EXT_platform_x11 */ #ifdef EGL_EXT_protected_content EGLEW_EXT_protected_content = _glewSearchExtension("EGL_EXT_protected_content", extStart, extEnd); #endif /* EGL_EXT_protected_content */ #ifdef EGL_EXT_protected_surface EGLEW_EXT_protected_surface = _glewSearchExtension("EGL_EXT_protected_surface", extStart, extEnd); #endif /* EGL_EXT_protected_surface */ #ifdef EGL_EXT_stream_consumer_egloutput EGLEW_EXT_stream_consumer_egloutput = _glewSearchExtension("EGL_EXT_stream_consumer_egloutput", extStart, extEnd); if (glewExperimental || EGLEW_EXT_stream_consumer_egloutput) EGLEW_EXT_stream_consumer_egloutput = !_glewInit_EGL_EXT_stream_consumer_egloutput(); #endif /* EGL_EXT_stream_consumer_egloutput */ #ifdef EGL_EXT_surface_SMPTE2086_metadata EGLEW_EXT_surface_SMPTE2086_metadata = _glewSearchExtension("EGL_EXT_surface_SMPTE2086_metadata", extStart, extEnd); #endif /* EGL_EXT_surface_SMPTE2086_metadata */ #ifdef EGL_EXT_swap_buffers_with_damage EGLEW_EXT_swap_buffers_with_damage = _glewSearchExtension("EGL_EXT_swap_buffers_with_damage", extStart, extEnd); if (glewExperimental || EGLEW_EXT_swap_buffers_with_damage) EGLEW_EXT_swap_buffers_with_damage = !_glewInit_EGL_EXT_swap_buffers_with_damage(); #endif /* EGL_EXT_swap_buffers_with_damage */ #ifdef EGL_EXT_yuv_surface EGLEW_EXT_yuv_surface = _glewSearchExtension("EGL_EXT_yuv_surface", extStart, extEnd); #endif /* EGL_EXT_yuv_surface */ #ifdef EGL_HI_clientpixmap EGLEW_HI_clientpixmap = _glewSearchExtension("EGL_HI_clientpixmap", extStart, extEnd); if (glewExperimental || EGLEW_HI_clientpixmap) EGLEW_HI_clientpixmap = !_glewInit_EGL_HI_clientpixmap(); #endif /* EGL_HI_clientpixmap */ #ifdef EGL_HI_colorformats EGLEW_HI_colorformats = _glewSearchExtension("EGL_HI_colorformats", extStart, extEnd); #endif /* EGL_HI_colorformats */ #ifdef EGL_IMG_context_priority EGLEW_IMG_context_priority = _glewSearchExtension("EGL_IMG_context_priority", extStart, extEnd); #endif /* EGL_IMG_context_priority */ #ifdef EGL_IMG_image_plane_attribs EGLEW_IMG_image_plane_attribs = _glewSearchExtension("EGL_IMG_image_plane_attribs", extStart, extEnd); #endif /* EGL_IMG_image_plane_attribs */ #ifdef EGL_KHR_cl_event EGLEW_KHR_cl_event = _glewSearchExtension("EGL_KHR_cl_event", extStart, extEnd); #endif /* EGL_KHR_cl_event */ #ifdef EGL_KHR_cl_event2 EGLEW_KHR_cl_event2 = _glewSearchExtension("EGL_KHR_cl_event2", extStart, extEnd); if (glewExperimental || EGLEW_KHR_cl_event2) EGLEW_KHR_cl_event2 = !_glewInit_EGL_KHR_cl_event2(); #endif /* EGL_KHR_cl_event2 */ #ifdef EGL_KHR_client_get_all_proc_addresses EGLEW_KHR_client_get_all_proc_addresses = _glewSearchExtension("EGL_KHR_client_get_all_proc_addresses", extStart, extEnd); #endif /* EGL_KHR_client_get_all_proc_addresses */ #ifdef EGL_KHR_config_attribs EGLEW_KHR_config_attribs = _glewSearchExtension("EGL_KHR_config_attribs", extStart, extEnd); #endif /* EGL_KHR_config_attribs */ #ifdef EGL_KHR_context_flush_control EGLEW_KHR_context_flush_control = _glewSearchExtension("EGL_KHR_context_flush_control", extStart, extEnd); #endif /* EGL_KHR_context_flush_control */ #ifdef EGL_KHR_create_context EGLEW_KHR_create_context = _glewSearchExtension("EGL_KHR_create_context", extStart, extEnd); #endif /* EGL_KHR_create_context */ #ifdef EGL_KHR_create_context_no_error EGLEW_KHR_create_context_no_error = _glewSearchExtension("EGL_KHR_create_context_no_error", extStart, extEnd); #endif /* EGL_KHR_create_context_no_error */ #ifdef EGL_KHR_debug EGLEW_KHR_debug = _glewSearchExtension("EGL_KHR_debug", extStart, extEnd); if (glewExperimental || EGLEW_KHR_debug) EGLEW_KHR_debug = !_glewInit_EGL_KHR_debug(); #endif /* EGL_KHR_debug */ #ifdef EGL_KHR_fence_sync EGLEW_KHR_fence_sync = _glewSearchExtension("EGL_KHR_fence_sync", extStart, extEnd); #endif /* EGL_KHR_fence_sync */ #ifdef EGL_KHR_get_all_proc_addresses EGLEW_KHR_get_all_proc_addresses = _glewSearchExtension("EGL_KHR_get_all_proc_addresses", extStart, extEnd); #endif /* EGL_KHR_get_all_proc_addresses */ #ifdef EGL_KHR_gl_colorspace EGLEW_KHR_gl_colorspace = _glewSearchExtension("EGL_KHR_gl_colorspace", extStart, extEnd); #endif /* EGL_KHR_gl_colorspace */ #ifdef EGL_KHR_gl_renderbuffer_image EGLEW_KHR_gl_renderbuffer_image = _glewSearchExtension("EGL_KHR_gl_renderbuffer_image", extStart, extEnd); #endif /* EGL_KHR_gl_renderbuffer_image */ #ifdef EGL_KHR_gl_texture_2D_image EGLEW_KHR_gl_texture_2D_image = _glewSearchExtension("EGL_KHR_gl_texture_2D_image", extStart, extEnd); #endif /* EGL_KHR_gl_texture_2D_image */ #ifdef EGL_KHR_gl_texture_3D_image EGLEW_KHR_gl_texture_3D_image = _glewSearchExtension("EGL_KHR_gl_texture_3D_image", extStart, extEnd); #endif /* EGL_KHR_gl_texture_3D_image */ #ifdef EGL_KHR_gl_texture_cubemap_image EGLEW_KHR_gl_texture_cubemap_image = _glewSearchExtension("EGL_KHR_gl_texture_cubemap_image", extStart, extEnd); #endif /* EGL_KHR_gl_texture_cubemap_image */ #ifdef EGL_KHR_image EGLEW_KHR_image = _glewSearchExtension("EGL_KHR_image", extStart, extEnd); if (glewExperimental || EGLEW_KHR_image) EGLEW_KHR_image = !_glewInit_EGL_KHR_image(); #endif /* EGL_KHR_image */ #ifdef EGL_KHR_image_base EGLEW_KHR_image_base = _glewSearchExtension("EGL_KHR_image_base", extStart, extEnd); #endif /* EGL_KHR_image_base */ #ifdef EGL_KHR_image_pixmap EGLEW_KHR_image_pixmap = _glewSearchExtension("EGL_KHR_image_pixmap", extStart, extEnd); #endif /* EGL_KHR_image_pixmap */ #ifdef EGL_KHR_lock_surface EGLEW_KHR_lock_surface = _glewSearchExtension("EGL_KHR_lock_surface", extStart, extEnd); if (glewExperimental || EGLEW_KHR_lock_surface) EGLEW_KHR_lock_surface = !_glewInit_EGL_KHR_lock_surface(); #endif /* EGL_KHR_lock_surface */ #ifdef EGL_KHR_lock_surface2 EGLEW_KHR_lock_surface2 = _glewSearchExtension("EGL_KHR_lock_surface2", extStart, extEnd); #endif /* EGL_KHR_lock_surface2 */ #ifdef EGL_KHR_lock_surface3 EGLEW_KHR_lock_surface3 = _glewSearchExtension("EGL_KHR_lock_surface3", extStart, extEnd); if (glewExperimental || EGLEW_KHR_lock_surface3) EGLEW_KHR_lock_surface3 = !_glewInit_EGL_KHR_lock_surface3(); #endif /* EGL_KHR_lock_surface3 */ #ifdef EGL_KHR_mutable_render_buffer EGLEW_KHR_mutable_render_buffer = _glewSearchExtension("EGL_KHR_mutable_render_buffer", extStart, extEnd); #endif /* EGL_KHR_mutable_render_buffer */ #ifdef EGL_KHR_no_config_context EGLEW_KHR_no_config_context = _glewSearchExtension("EGL_KHR_no_config_context", extStart, extEnd); #endif /* EGL_KHR_no_config_context */ #ifdef EGL_KHR_partial_update EGLEW_KHR_partial_update = _glewSearchExtension("EGL_KHR_partial_update", extStart, extEnd); if (glewExperimental || EGLEW_KHR_partial_update) EGLEW_KHR_partial_update = !_glewInit_EGL_KHR_partial_update(); #endif /* EGL_KHR_partial_update */ #ifdef EGL_KHR_platform_android EGLEW_KHR_platform_android = _glewSearchExtension("EGL_KHR_platform_android", extStart, extEnd); #endif /* EGL_KHR_platform_android */ #ifdef EGL_KHR_platform_gbm EGLEW_KHR_platform_gbm = _glewSearchExtension("EGL_KHR_platform_gbm", extStart, extEnd); #endif /* EGL_KHR_platform_gbm */ #ifdef EGL_KHR_platform_wayland EGLEW_KHR_platform_wayland = _glewSearchExtension("EGL_KHR_platform_wayland", extStart, extEnd); #endif /* EGL_KHR_platform_wayland */ #ifdef EGL_KHR_platform_x11 EGLEW_KHR_platform_x11 = _glewSearchExtension("EGL_KHR_platform_x11", extStart, extEnd); #endif /* EGL_KHR_platform_x11 */ #ifdef EGL_KHR_reusable_sync EGLEW_KHR_reusable_sync = _glewSearchExtension("EGL_KHR_reusable_sync", extStart, extEnd); if (glewExperimental || EGLEW_KHR_reusable_sync) EGLEW_KHR_reusable_sync = !_glewInit_EGL_KHR_reusable_sync(); #endif /* EGL_KHR_reusable_sync */ #ifdef EGL_KHR_stream EGLEW_KHR_stream = _glewSearchExtension("EGL_KHR_stream", extStart, extEnd); if (glewExperimental || EGLEW_KHR_stream) EGLEW_KHR_stream = !_glewInit_EGL_KHR_stream(); #endif /* EGL_KHR_stream */ #ifdef EGL_KHR_stream_attrib EGLEW_KHR_stream_attrib = _glewSearchExtension("EGL_KHR_stream_attrib", extStart, extEnd); if (glewExperimental || EGLEW_KHR_stream_attrib) EGLEW_KHR_stream_attrib = !_glewInit_EGL_KHR_stream_attrib(); #endif /* EGL_KHR_stream_attrib */ #ifdef EGL_KHR_stream_consumer_gltexture EGLEW_KHR_stream_consumer_gltexture = _glewSearchExtension("EGL_KHR_stream_consumer_gltexture", extStart, extEnd); if (glewExperimental || EGLEW_KHR_stream_consumer_gltexture) EGLEW_KHR_stream_consumer_gltexture = !_glewInit_EGL_KHR_stream_consumer_gltexture(); #endif /* EGL_KHR_stream_consumer_gltexture */ #ifdef EGL_KHR_stream_cross_process_fd EGLEW_KHR_stream_cross_process_fd = _glewSearchExtension("EGL_KHR_stream_cross_process_fd", extStart, extEnd); if (glewExperimental || EGLEW_KHR_stream_cross_process_fd) EGLEW_KHR_stream_cross_process_fd = !_glewInit_EGL_KHR_stream_cross_process_fd(); #endif /* EGL_KHR_stream_cross_process_fd */ #ifdef EGL_KHR_stream_fifo EGLEW_KHR_stream_fifo = _glewSearchExtension("EGL_KHR_stream_fifo", extStart, extEnd); if (glewExperimental || EGLEW_KHR_stream_fifo) EGLEW_KHR_stream_fifo = !_glewInit_EGL_KHR_stream_fifo(); #endif /* EGL_KHR_stream_fifo */ #ifdef EGL_KHR_stream_producer_aldatalocator EGLEW_KHR_stream_producer_aldatalocator = _glewSearchExtension("EGL_KHR_stream_producer_aldatalocator", extStart, extEnd); #endif /* EGL_KHR_stream_producer_aldatalocator */ #ifdef EGL_KHR_stream_producer_eglsurface EGLEW_KHR_stream_producer_eglsurface = _glewSearchExtension("EGL_KHR_stream_producer_eglsurface", extStart, extEnd); if (glewExperimental || EGLEW_KHR_stream_producer_eglsurface) EGLEW_KHR_stream_producer_eglsurface = !_glewInit_EGL_KHR_stream_producer_eglsurface(); #endif /* EGL_KHR_stream_producer_eglsurface */ #ifdef EGL_KHR_surfaceless_context EGLEW_KHR_surfaceless_context = _glewSearchExtension("EGL_KHR_surfaceless_context", extStart, extEnd); #endif /* EGL_KHR_surfaceless_context */ #ifdef EGL_KHR_swap_buffers_with_damage EGLEW_KHR_swap_buffers_with_damage = _glewSearchExtension("EGL_KHR_swap_buffers_with_damage", extStart, extEnd); if (glewExperimental || EGLEW_KHR_swap_buffers_with_damage) EGLEW_KHR_swap_buffers_with_damage = !_glewInit_EGL_KHR_swap_buffers_with_damage(); #endif /* EGL_KHR_swap_buffers_with_damage */ #ifdef EGL_KHR_vg_parent_image EGLEW_KHR_vg_parent_image = _glewSearchExtension("EGL_KHR_vg_parent_image", extStart, extEnd); #endif /* EGL_KHR_vg_parent_image */ #ifdef EGL_KHR_wait_sync EGLEW_KHR_wait_sync = _glewSearchExtension("EGL_KHR_wait_sync", extStart, extEnd); if (glewExperimental || EGLEW_KHR_wait_sync) EGLEW_KHR_wait_sync = !_glewInit_EGL_KHR_wait_sync(); #endif /* EGL_KHR_wait_sync */ #ifdef EGL_MESA_drm_image EGLEW_MESA_drm_image = _glewSearchExtension("EGL_MESA_drm_image", extStart, extEnd); if (glewExperimental || EGLEW_MESA_drm_image) EGLEW_MESA_drm_image = !_glewInit_EGL_MESA_drm_image(); #endif /* EGL_MESA_drm_image */ #ifdef EGL_MESA_image_dma_buf_export EGLEW_MESA_image_dma_buf_export = _glewSearchExtension("EGL_MESA_image_dma_buf_export", extStart, extEnd); if (glewExperimental || EGLEW_MESA_image_dma_buf_export) EGLEW_MESA_image_dma_buf_export = !_glewInit_EGL_MESA_image_dma_buf_export(); #endif /* EGL_MESA_image_dma_buf_export */ #ifdef EGL_MESA_platform_gbm EGLEW_MESA_platform_gbm = _glewSearchExtension("EGL_MESA_platform_gbm", extStart, extEnd); #endif /* EGL_MESA_platform_gbm */ #ifdef EGL_MESA_platform_surfaceless EGLEW_MESA_platform_surfaceless = _glewSearchExtension("EGL_MESA_platform_surfaceless", extStart, extEnd); #endif /* EGL_MESA_platform_surfaceless */ #ifdef EGL_NOK_swap_region EGLEW_NOK_swap_region = _glewSearchExtension("EGL_NOK_swap_region", extStart, extEnd); if (glewExperimental || EGLEW_NOK_swap_region) EGLEW_NOK_swap_region = !_glewInit_EGL_NOK_swap_region(); #endif /* EGL_NOK_swap_region */ #ifdef EGL_NOK_swap_region2 EGLEW_NOK_swap_region2 = _glewSearchExtension("EGL_NOK_swap_region2", extStart, extEnd); if (glewExperimental || EGLEW_NOK_swap_region2) EGLEW_NOK_swap_region2 = !_glewInit_EGL_NOK_swap_region2(); #endif /* EGL_NOK_swap_region2 */ #ifdef EGL_NOK_texture_from_pixmap EGLEW_NOK_texture_from_pixmap = _glewSearchExtension("EGL_NOK_texture_from_pixmap", extStart, extEnd); #endif /* EGL_NOK_texture_from_pixmap */ #ifdef EGL_NV_3dvision_surface EGLEW_NV_3dvision_surface = _glewSearchExtension("EGL_NV_3dvision_surface", extStart, extEnd); #endif /* EGL_NV_3dvision_surface */ #ifdef EGL_NV_coverage_sample EGLEW_NV_coverage_sample = _glewSearchExtension("EGL_NV_coverage_sample", extStart, extEnd); #endif /* EGL_NV_coverage_sample */ #ifdef EGL_NV_coverage_sample_resolve EGLEW_NV_coverage_sample_resolve = _glewSearchExtension("EGL_NV_coverage_sample_resolve", extStart, extEnd); #endif /* EGL_NV_coverage_sample_resolve */ #ifdef EGL_NV_cuda_event EGLEW_NV_cuda_event = _glewSearchExtension("EGL_NV_cuda_event", extStart, extEnd); #endif /* EGL_NV_cuda_event */ #ifdef EGL_NV_depth_nonlinear EGLEW_NV_depth_nonlinear = _glewSearchExtension("EGL_NV_depth_nonlinear", extStart, extEnd); #endif /* EGL_NV_depth_nonlinear */ #ifdef EGL_NV_device_cuda EGLEW_NV_device_cuda = _glewSearchExtension("EGL_NV_device_cuda", extStart, extEnd); #endif /* EGL_NV_device_cuda */ #ifdef EGL_NV_native_query EGLEW_NV_native_query = _glewSearchExtension("EGL_NV_native_query", extStart, extEnd); if (glewExperimental || EGLEW_NV_native_query) EGLEW_NV_native_query = !_glewInit_EGL_NV_native_query(); #endif /* EGL_NV_native_query */ #ifdef EGL_NV_post_convert_rounding EGLEW_NV_post_convert_rounding = _glewSearchExtension("EGL_NV_post_convert_rounding", extStart, extEnd); #endif /* EGL_NV_post_convert_rounding */ #ifdef EGL_NV_post_sub_buffer EGLEW_NV_post_sub_buffer = _glewSearchExtension("EGL_NV_post_sub_buffer", extStart, extEnd); if (glewExperimental || EGLEW_NV_post_sub_buffer) EGLEW_NV_post_sub_buffer = !_glewInit_EGL_NV_post_sub_buffer(); #endif /* EGL_NV_post_sub_buffer */ #ifdef EGL_NV_robustness_video_memory_purge EGLEW_NV_robustness_video_memory_purge = _glewSearchExtension("EGL_NV_robustness_video_memory_purge", extStart, extEnd); #endif /* EGL_NV_robustness_video_memory_purge */ #ifdef EGL_NV_stream_consumer_gltexture_yuv EGLEW_NV_stream_consumer_gltexture_yuv = _glewSearchExtension("EGL_NV_stream_consumer_gltexture_yuv", extStart, extEnd); if (glewExperimental || EGLEW_NV_stream_consumer_gltexture_yuv) EGLEW_NV_stream_consumer_gltexture_yuv = !_glewInit_EGL_NV_stream_consumer_gltexture_yuv(); #endif /* EGL_NV_stream_consumer_gltexture_yuv */ #ifdef EGL_NV_stream_cross_display EGLEW_NV_stream_cross_display = _glewSearchExtension("EGL_NV_stream_cross_display", extStart, extEnd); #endif /* EGL_NV_stream_cross_display */ #ifdef EGL_NV_stream_cross_object EGLEW_NV_stream_cross_object = _glewSearchExtension("EGL_NV_stream_cross_object", extStart, extEnd); #endif /* EGL_NV_stream_cross_object */ #ifdef EGL_NV_stream_cross_partition EGLEW_NV_stream_cross_partition = _glewSearchExtension("EGL_NV_stream_cross_partition", extStart, extEnd); #endif /* EGL_NV_stream_cross_partition */ #ifdef EGL_NV_stream_cross_process EGLEW_NV_stream_cross_process = _glewSearchExtension("EGL_NV_stream_cross_process", extStart, extEnd); #endif /* EGL_NV_stream_cross_process */ #ifdef EGL_NV_stream_cross_system EGLEW_NV_stream_cross_system = _glewSearchExtension("EGL_NV_stream_cross_system", extStart, extEnd); #endif /* EGL_NV_stream_cross_system */ #ifdef EGL_NV_stream_fifo_next EGLEW_NV_stream_fifo_next = _glewSearchExtension("EGL_NV_stream_fifo_next", extStart, extEnd); #endif /* EGL_NV_stream_fifo_next */ #ifdef EGL_NV_stream_fifo_synchronous EGLEW_NV_stream_fifo_synchronous = _glewSearchExtension("EGL_NV_stream_fifo_synchronous", extStart, extEnd); #endif /* EGL_NV_stream_fifo_synchronous */ #ifdef EGL_NV_stream_frame_limits EGLEW_NV_stream_frame_limits = _glewSearchExtension("EGL_NV_stream_frame_limits", extStart, extEnd); #endif /* EGL_NV_stream_frame_limits */ #ifdef EGL_NV_stream_metadata EGLEW_NV_stream_metadata = _glewSearchExtension("EGL_NV_stream_metadata", extStart, extEnd); if (glewExperimental || EGLEW_NV_stream_metadata) EGLEW_NV_stream_metadata = !_glewInit_EGL_NV_stream_metadata(); #endif /* EGL_NV_stream_metadata */ #ifdef EGL_NV_stream_remote EGLEW_NV_stream_remote = _glewSearchExtension("EGL_NV_stream_remote", extStart, extEnd); #endif /* EGL_NV_stream_remote */ #ifdef EGL_NV_stream_reset EGLEW_NV_stream_reset = _glewSearchExtension("EGL_NV_stream_reset", extStart, extEnd); if (glewExperimental || EGLEW_NV_stream_reset) EGLEW_NV_stream_reset = !_glewInit_EGL_NV_stream_reset(); #endif /* EGL_NV_stream_reset */ #ifdef EGL_NV_stream_socket EGLEW_NV_stream_socket = _glewSearchExtension("EGL_NV_stream_socket", extStart, extEnd); #endif /* EGL_NV_stream_socket */ #ifdef EGL_NV_stream_socket_inet EGLEW_NV_stream_socket_inet = _glewSearchExtension("EGL_NV_stream_socket_inet", extStart, extEnd); #endif /* EGL_NV_stream_socket_inet */ #ifdef EGL_NV_stream_socket_unix EGLEW_NV_stream_socket_unix = _glewSearchExtension("EGL_NV_stream_socket_unix", extStart, extEnd); #endif /* EGL_NV_stream_socket_unix */ #ifdef EGL_NV_stream_sync EGLEW_NV_stream_sync = _glewSearchExtension("EGL_NV_stream_sync", extStart, extEnd); if (glewExperimental || EGLEW_NV_stream_sync) EGLEW_NV_stream_sync = !_glewInit_EGL_NV_stream_sync(); #endif /* EGL_NV_stream_sync */ #ifdef EGL_NV_sync EGLEW_NV_sync = _glewSearchExtension("EGL_NV_sync", extStart, extEnd); if (glewExperimental || EGLEW_NV_sync) EGLEW_NV_sync = !_glewInit_EGL_NV_sync(); #endif /* EGL_NV_sync */ #ifdef EGL_NV_system_time EGLEW_NV_system_time = _glewSearchExtension("EGL_NV_system_time", extStart, extEnd); if (glewExperimental || EGLEW_NV_system_time) EGLEW_NV_system_time = !_glewInit_EGL_NV_system_time(); #endif /* EGL_NV_system_time */ #ifdef EGL_TIZEN_image_native_buffer EGLEW_TIZEN_image_native_buffer = _glewSearchExtension("EGL_TIZEN_image_native_buffer", extStart, extEnd); #endif /* EGL_TIZEN_image_native_buffer */ #ifdef EGL_TIZEN_image_native_surface EGLEW_TIZEN_image_native_surface = _glewSearchExtension("EGL_TIZEN_image_native_surface", extStart, extEnd); #endif /* EGL_TIZEN_image_native_surface */ return GLEW_OK; } #elif defined(_WIN32) PFNWGLSETSTEREOEMITTERSTATE3DLPROC __wglewSetStereoEmitterState3DL = NULL; PFNWGLBLITCONTEXTFRAMEBUFFERAMDPROC __wglewBlitContextFramebufferAMD = NULL; PFNWGLCREATEASSOCIATEDCONTEXTAMDPROC __wglewCreateAssociatedContextAMD = NULL; PFNWGLCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC __wglewCreateAssociatedContextAttribsAMD = NULL; PFNWGLDELETEASSOCIATEDCONTEXTAMDPROC __wglewDeleteAssociatedContextAMD = NULL; PFNWGLGETCONTEXTGPUIDAMDPROC __wglewGetContextGPUIDAMD = NULL; PFNWGLGETCURRENTASSOCIATEDCONTEXTAMDPROC __wglewGetCurrentAssociatedContextAMD = NULL; PFNWGLGETGPUIDSAMDPROC __wglewGetGPUIDsAMD = NULL; PFNWGLGETGPUINFOAMDPROC __wglewGetGPUInfoAMD = NULL; PFNWGLMAKEASSOCIATEDCONTEXTCURRENTAMDPROC __wglewMakeAssociatedContextCurrentAMD = NULL; PFNWGLCREATEBUFFERREGIONARBPROC __wglewCreateBufferRegionARB = NULL; PFNWGLDELETEBUFFERREGIONARBPROC __wglewDeleteBufferRegionARB = NULL; PFNWGLRESTOREBUFFERREGIONARBPROC __wglewRestoreBufferRegionARB = NULL; PFNWGLSAVEBUFFERREGIONARBPROC __wglewSaveBufferRegionARB = NULL; PFNWGLCREATECONTEXTATTRIBSARBPROC __wglewCreateContextAttribsARB = NULL; PFNWGLGETEXTENSIONSSTRINGARBPROC __wglewGetExtensionsStringARB = NULL; PFNWGLGETCURRENTREADDCARBPROC __wglewGetCurrentReadDCARB = NULL; PFNWGLMAKECONTEXTCURRENTARBPROC __wglewMakeContextCurrentARB = NULL; PFNWGLCREATEPBUFFERARBPROC __wglewCreatePbufferARB = NULL; PFNWGLDESTROYPBUFFERARBPROC __wglewDestroyPbufferARB = NULL; PFNWGLGETPBUFFERDCARBPROC __wglewGetPbufferDCARB = NULL; PFNWGLQUERYPBUFFERARBPROC __wglewQueryPbufferARB = NULL; PFNWGLRELEASEPBUFFERDCARBPROC __wglewReleasePbufferDCARB = NULL; PFNWGLCHOOSEPIXELFORMATARBPROC __wglewChoosePixelFormatARB = NULL; PFNWGLGETPIXELFORMATATTRIBFVARBPROC __wglewGetPixelFormatAttribfvARB = NULL; PFNWGLGETPIXELFORMATATTRIBIVARBPROC __wglewGetPixelFormatAttribivARB = NULL; PFNWGLBINDTEXIMAGEARBPROC __wglewBindTexImageARB = NULL; PFNWGLRELEASETEXIMAGEARBPROC __wglewReleaseTexImageARB = NULL; PFNWGLSETPBUFFERATTRIBARBPROC __wglewSetPbufferAttribARB = NULL; PFNWGLBINDDISPLAYCOLORTABLEEXTPROC __wglewBindDisplayColorTableEXT = NULL; PFNWGLCREATEDISPLAYCOLORTABLEEXTPROC __wglewCreateDisplayColorTableEXT = NULL; PFNWGLDESTROYDISPLAYCOLORTABLEEXTPROC __wglewDestroyDisplayColorTableEXT = NULL; PFNWGLLOADDISPLAYCOLORTABLEEXTPROC __wglewLoadDisplayColorTableEXT = NULL; PFNWGLGETEXTENSIONSSTRINGEXTPROC __wglewGetExtensionsStringEXT = NULL; PFNWGLGETCURRENTREADDCEXTPROC __wglewGetCurrentReadDCEXT = NULL; PFNWGLMAKECONTEXTCURRENTEXTPROC __wglewMakeContextCurrentEXT = NULL; PFNWGLCREATEPBUFFEREXTPROC __wglewCreatePbufferEXT = NULL; PFNWGLDESTROYPBUFFEREXTPROC __wglewDestroyPbufferEXT = NULL; PFNWGLGETPBUFFERDCEXTPROC __wglewGetPbufferDCEXT = NULL; PFNWGLQUERYPBUFFEREXTPROC __wglewQueryPbufferEXT = NULL; PFNWGLRELEASEPBUFFERDCEXTPROC __wglewReleasePbufferDCEXT = NULL; PFNWGLCHOOSEPIXELFORMATEXTPROC __wglewChoosePixelFormatEXT = NULL; PFNWGLGETPIXELFORMATATTRIBFVEXTPROC __wglewGetPixelFormatAttribfvEXT = NULL; PFNWGLGETPIXELFORMATATTRIBIVEXTPROC __wglewGetPixelFormatAttribivEXT = NULL; PFNWGLGETSWAPINTERVALEXTPROC __wglewGetSwapIntervalEXT = NULL; PFNWGLSWAPINTERVALEXTPROC __wglewSwapIntervalEXT = NULL; PFNWGLGETDIGITALVIDEOPARAMETERSI3DPROC __wglewGetDigitalVideoParametersI3D = NULL; PFNWGLSETDIGITALVIDEOPARAMETERSI3DPROC __wglewSetDigitalVideoParametersI3D = NULL; PFNWGLGETGAMMATABLEI3DPROC __wglewGetGammaTableI3D = NULL; PFNWGLGETGAMMATABLEPARAMETERSI3DPROC __wglewGetGammaTableParametersI3D = NULL; PFNWGLSETGAMMATABLEI3DPROC __wglewSetGammaTableI3D = NULL; PFNWGLSETGAMMATABLEPARAMETERSI3DPROC __wglewSetGammaTableParametersI3D = NULL; PFNWGLDISABLEGENLOCKI3DPROC __wglewDisableGenlockI3D = NULL; PFNWGLENABLEGENLOCKI3DPROC __wglewEnableGenlockI3D = NULL; PFNWGLGENLOCKSAMPLERATEI3DPROC __wglewGenlockSampleRateI3D = NULL; PFNWGLGENLOCKSOURCEDELAYI3DPROC __wglewGenlockSourceDelayI3D = NULL; PFNWGLGENLOCKSOURCEEDGEI3DPROC __wglewGenlockSourceEdgeI3D = NULL; PFNWGLGENLOCKSOURCEI3DPROC __wglewGenlockSourceI3D = NULL; PFNWGLGETGENLOCKSAMPLERATEI3DPROC __wglewGetGenlockSampleRateI3D = NULL; PFNWGLGETGENLOCKSOURCEDELAYI3DPROC __wglewGetGenlockSourceDelayI3D = NULL; PFNWGLGETGENLOCKSOURCEEDGEI3DPROC __wglewGetGenlockSourceEdgeI3D = NULL; PFNWGLGETGENLOCKSOURCEI3DPROC __wglewGetGenlockSourceI3D = NULL; PFNWGLISENABLEDGENLOCKI3DPROC __wglewIsEnabledGenlockI3D = NULL; PFNWGLQUERYGENLOCKMAXSOURCEDELAYI3DPROC __wglewQueryGenlockMaxSourceDelayI3D = NULL; PFNWGLASSOCIATEIMAGEBUFFEREVENTSI3DPROC __wglewAssociateImageBufferEventsI3D = NULL; PFNWGLCREATEIMAGEBUFFERI3DPROC __wglewCreateImageBufferI3D = NULL; PFNWGLDESTROYIMAGEBUFFERI3DPROC __wglewDestroyImageBufferI3D = NULL; PFNWGLRELEASEIMAGEBUFFEREVENTSI3DPROC __wglewReleaseImageBufferEventsI3D = NULL; PFNWGLDISABLEFRAMELOCKI3DPROC __wglewDisableFrameLockI3D = NULL; PFNWGLENABLEFRAMELOCKI3DPROC __wglewEnableFrameLockI3D = NULL; PFNWGLISENABLEDFRAMELOCKI3DPROC __wglewIsEnabledFrameLockI3D = NULL; PFNWGLQUERYFRAMELOCKMASTERI3DPROC __wglewQueryFrameLockMasterI3D = NULL; PFNWGLBEGINFRAMETRACKINGI3DPROC __wglewBeginFrameTrackingI3D = NULL; PFNWGLENDFRAMETRACKINGI3DPROC __wglewEndFrameTrackingI3D = NULL; PFNWGLGETFRAMEUSAGEI3DPROC __wglewGetFrameUsageI3D = NULL; PFNWGLQUERYFRAMETRACKINGI3DPROC __wglewQueryFrameTrackingI3D = NULL; PFNWGLDXCLOSEDEVICENVPROC __wglewDXCloseDeviceNV = NULL; PFNWGLDXLOCKOBJECTSNVPROC __wglewDXLockObjectsNV = NULL; PFNWGLDXOBJECTACCESSNVPROC __wglewDXObjectAccessNV = NULL; PFNWGLDXOPENDEVICENVPROC __wglewDXOpenDeviceNV = NULL; PFNWGLDXREGISTEROBJECTNVPROC __wglewDXRegisterObjectNV = NULL; PFNWGLDXSETRESOURCESHAREHANDLENVPROC __wglewDXSetResourceShareHandleNV = NULL; PFNWGLDXUNLOCKOBJECTSNVPROC __wglewDXUnlockObjectsNV = NULL; PFNWGLDXUNREGISTEROBJECTNVPROC __wglewDXUnregisterObjectNV = NULL; PFNWGLCOPYIMAGESUBDATANVPROC __wglewCopyImageSubDataNV = NULL; PFNWGLDELAYBEFORESWAPNVPROC __wglewDelayBeforeSwapNV = NULL; PFNWGLCREATEAFFINITYDCNVPROC __wglewCreateAffinityDCNV = NULL; PFNWGLDELETEDCNVPROC __wglewDeleteDCNV = NULL; PFNWGLENUMGPUDEVICESNVPROC __wglewEnumGpuDevicesNV = NULL; PFNWGLENUMGPUSFROMAFFINITYDCNVPROC __wglewEnumGpusFromAffinityDCNV = NULL; PFNWGLENUMGPUSNVPROC __wglewEnumGpusNV = NULL; PFNWGLBINDVIDEODEVICENVPROC __wglewBindVideoDeviceNV = NULL; PFNWGLENUMERATEVIDEODEVICESNVPROC __wglewEnumerateVideoDevicesNV = NULL; PFNWGLQUERYCURRENTCONTEXTNVPROC __wglewQueryCurrentContextNV = NULL; PFNWGLBINDSWAPBARRIERNVPROC __wglewBindSwapBarrierNV = NULL; PFNWGLJOINSWAPGROUPNVPROC __wglewJoinSwapGroupNV = NULL; PFNWGLQUERYFRAMECOUNTNVPROC __wglewQueryFrameCountNV = NULL; PFNWGLQUERYMAXSWAPGROUPSNVPROC __wglewQueryMaxSwapGroupsNV = NULL; PFNWGLQUERYSWAPGROUPNVPROC __wglewQuerySwapGroupNV = NULL; PFNWGLRESETFRAMECOUNTNVPROC __wglewResetFrameCountNV = NULL; PFNWGLALLOCATEMEMORYNVPROC __wglewAllocateMemoryNV = NULL; PFNWGLFREEMEMORYNVPROC __wglewFreeMemoryNV = NULL; PFNWGLBINDVIDEOCAPTUREDEVICENVPROC __wglewBindVideoCaptureDeviceNV = NULL; PFNWGLENUMERATEVIDEOCAPTUREDEVICESNVPROC __wglewEnumerateVideoCaptureDevicesNV = NULL; PFNWGLLOCKVIDEOCAPTUREDEVICENVPROC __wglewLockVideoCaptureDeviceNV = NULL; PFNWGLQUERYVIDEOCAPTUREDEVICENVPROC __wglewQueryVideoCaptureDeviceNV = NULL; PFNWGLRELEASEVIDEOCAPTUREDEVICENVPROC __wglewReleaseVideoCaptureDeviceNV = NULL; PFNWGLBINDVIDEOIMAGENVPROC __wglewBindVideoImageNV = NULL; PFNWGLGETVIDEODEVICENVPROC __wglewGetVideoDeviceNV = NULL; PFNWGLGETVIDEOINFONVPROC __wglewGetVideoInfoNV = NULL; PFNWGLRELEASEVIDEODEVICENVPROC __wglewReleaseVideoDeviceNV = NULL; PFNWGLRELEASEVIDEOIMAGENVPROC __wglewReleaseVideoImageNV = NULL; PFNWGLSENDPBUFFERTOVIDEONVPROC __wglewSendPbufferToVideoNV = NULL; PFNWGLGETMSCRATEOMLPROC __wglewGetMscRateOML = NULL; PFNWGLGETSYNCVALUESOMLPROC __wglewGetSyncValuesOML = NULL; PFNWGLSWAPBUFFERSMSCOMLPROC __wglewSwapBuffersMscOML = NULL; PFNWGLSWAPLAYERBUFFERSMSCOMLPROC __wglewSwapLayerBuffersMscOML = NULL; PFNWGLWAITFORMSCOMLPROC __wglewWaitForMscOML = NULL; PFNWGLWAITFORSBCOMLPROC __wglewWaitForSbcOML = NULL; GLboolean __WGLEW_3DFX_multisample = GL_FALSE; GLboolean __WGLEW_3DL_stereo_control = GL_FALSE; GLboolean __WGLEW_AMD_gpu_association = GL_FALSE; GLboolean __WGLEW_ARB_buffer_region = GL_FALSE; GLboolean __WGLEW_ARB_context_flush_control = GL_FALSE; GLboolean __WGLEW_ARB_create_context = GL_FALSE; GLboolean __WGLEW_ARB_create_context_no_error = GL_FALSE; GLboolean __WGLEW_ARB_create_context_profile = GL_FALSE; GLboolean __WGLEW_ARB_create_context_robustness = GL_FALSE; GLboolean __WGLEW_ARB_extensions_string = GL_FALSE; GLboolean __WGLEW_ARB_framebuffer_sRGB = GL_FALSE; GLboolean __WGLEW_ARB_make_current_read = GL_FALSE; GLboolean __WGLEW_ARB_multisample = GL_FALSE; GLboolean __WGLEW_ARB_pbuffer = GL_FALSE; GLboolean __WGLEW_ARB_pixel_format = GL_FALSE; GLboolean __WGLEW_ARB_pixel_format_float = GL_FALSE; GLboolean __WGLEW_ARB_render_texture = GL_FALSE; GLboolean __WGLEW_ARB_robustness_application_isolation = GL_FALSE; GLboolean __WGLEW_ARB_robustness_share_group_isolation = GL_FALSE; GLboolean __WGLEW_ATI_pixel_format_float = GL_FALSE; GLboolean __WGLEW_ATI_render_texture_rectangle = GL_FALSE; GLboolean __WGLEW_EXT_colorspace = GL_FALSE; GLboolean __WGLEW_EXT_create_context_es2_profile = GL_FALSE; GLboolean __WGLEW_EXT_create_context_es_profile = GL_FALSE; GLboolean __WGLEW_EXT_depth_float = GL_FALSE; GLboolean __WGLEW_EXT_display_color_table = GL_FALSE; GLboolean __WGLEW_EXT_extensions_string = GL_FALSE; GLboolean __WGLEW_EXT_framebuffer_sRGB = GL_FALSE; GLboolean __WGLEW_EXT_make_current_read = GL_FALSE; GLboolean __WGLEW_EXT_multisample = GL_FALSE; GLboolean __WGLEW_EXT_pbuffer = GL_FALSE; GLboolean __WGLEW_EXT_pixel_format = GL_FALSE; GLboolean __WGLEW_EXT_pixel_format_packed_float = GL_FALSE; GLboolean __WGLEW_EXT_swap_control = GL_FALSE; GLboolean __WGLEW_EXT_swap_control_tear = GL_FALSE; GLboolean __WGLEW_I3D_digital_video_control = GL_FALSE; GLboolean __WGLEW_I3D_gamma = GL_FALSE; GLboolean __WGLEW_I3D_genlock = GL_FALSE; GLboolean __WGLEW_I3D_image_buffer = GL_FALSE; GLboolean __WGLEW_I3D_swap_frame_lock = GL_FALSE; GLboolean __WGLEW_I3D_swap_frame_usage = GL_FALSE; GLboolean __WGLEW_NV_DX_interop = GL_FALSE; GLboolean __WGLEW_NV_DX_interop2 = GL_FALSE; GLboolean __WGLEW_NV_copy_image = GL_FALSE; GLboolean __WGLEW_NV_delay_before_swap = GL_FALSE; GLboolean __WGLEW_NV_float_buffer = GL_FALSE; GLboolean __WGLEW_NV_gpu_affinity = GL_FALSE; GLboolean __WGLEW_NV_multisample_coverage = GL_FALSE; GLboolean __WGLEW_NV_present_video = GL_FALSE; GLboolean __WGLEW_NV_render_depth_texture = GL_FALSE; GLboolean __WGLEW_NV_render_texture_rectangle = GL_FALSE; GLboolean __WGLEW_NV_swap_group = GL_FALSE; GLboolean __WGLEW_NV_vertex_array_range = GL_FALSE; GLboolean __WGLEW_NV_video_capture = GL_FALSE; GLboolean __WGLEW_NV_video_output = GL_FALSE; GLboolean __WGLEW_OML_sync_control = GL_FALSE; #ifdef WGL_3DL_stereo_control static GLboolean _glewInit_WGL_3DL_stereo_control () { GLboolean r = GL_FALSE; r = ((wglSetStereoEmitterState3DL = (PFNWGLSETSTEREOEMITTERSTATE3DLPROC)glewGetProcAddress((const GLubyte*)"wglSetStereoEmitterState3DL")) == NULL) || r; return r; } #endif /* WGL_3DL_stereo_control */ #ifdef WGL_AMD_gpu_association static GLboolean _glewInit_WGL_AMD_gpu_association () { GLboolean r = GL_FALSE; r = ((wglBlitContextFramebufferAMD = (PFNWGLBLITCONTEXTFRAMEBUFFERAMDPROC)glewGetProcAddress((const GLubyte*)"wglBlitContextFramebufferAMD")) == NULL) || r; r = ((wglCreateAssociatedContextAMD = (PFNWGLCREATEASSOCIATEDCONTEXTAMDPROC)glewGetProcAddress((const GLubyte*)"wglCreateAssociatedContextAMD")) == NULL) || r; r = ((wglCreateAssociatedContextAttribsAMD = (PFNWGLCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC)glewGetProcAddress((const GLubyte*)"wglCreateAssociatedContextAttribsAMD")) == NULL) || r; r = ((wglDeleteAssociatedContextAMD = (PFNWGLDELETEASSOCIATEDCONTEXTAMDPROC)glewGetProcAddress((const GLubyte*)"wglDeleteAssociatedContextAMD")) == NULL) || r; r = ((wglGetContextGPUIDAMD = (PFNWGLGETCONTEXTGPUIDAMDPROC)glewGetProcAddress((const GLubyte*)"wglGetContextGPUIDAMD")) == NULL) || r; r = ((wglGetCurrentAssociatedContextAMD = (PFNWGLGETCURRENTASSOCIATEDCONTEXTAMDPROC)glewGetProcAddress((const GLubyte*)"wglGetCurrentAssociatedContextAMD")) == NULL) || r; r = ((wglGetGPUIDsAMD = (PFNWGLGETGPUIDSAMDPROC)glewGetProcAddress((const GLubyte*)"wglGetGPUIDsAMD")) == NULL) || r; r = ((wglGetGPUInfoAMD = (PFNWGLGETGPUINFOAMDPROC)glewGetProcAddress((const GLubyte*)"wglGetGPUInfoAMD")) == NULL) || r; r = ((wglMakeAssociatedContextCurrentAMD = (PFNWGLMAKEASSOCIATEDCONTEXTCURRENTAMDPROC)glewGetProcAddress((const GLubyte*)"wglMakeAssociatedContextCurrentAMD")) == NULL) || r; return r; } #endif /* WGL_AMD_gpu_association */ #ifdef WGL_ARB_buffer_region static GLboolean _glewInit_WGL_ARB_buffer_region () { GLboolean r = GL_FALSE; r = ((wglCreateBufferRegionARB = (PFNWGLCREATEBUFFERREGIONARBPROC)glewGetProcAddress((const GLubyte*)"wglCreateBufferRegionARB")) == NULL) || r; r = ((wglDeleteBufferRegionARB = (PFNWGLDELETEBUFFERREGIONARBPROC)glewGetProcAddress((const GLubyte*)"wglDeleteBufferRegionARB")) == NULL) || r; r = ((wglRestoreBufferRegionARB = (PFNWGLRESTOREBUFFERREGIONARBPROC)glewGetProcAddress((const GLubyte*)"wglRestoreBufferRegionARB")) == NULL) || r; r = ((wglSaveBufferRegionARB = (PFNWGLSAVEBUFFERREGIONARBPROC)glewGetProcAddress((const GLubyte*)"wglSaveBufferRegionARB")) == NULL) || r; return r; } #endif /* WGL_ARB_buffer_region */ #ifdef WGL_ARB_create_context static GLboolean _glewInit_WGL_ARB_create_context () { GLboolean r = GL_FALSE; r = ((wglCreateContextAttribsARB = (PFNWGLCREATECONTEXTATTRIBSARBPROC)glewGetProcAddress((const GLubyte*)"wglCreateContextAttribsARB")) == NULL) || r; return r; } #endif /* WGL_ARB_create_context */ #ifdef WGL_ARB_extensions_string static GLboolean _glewInit_WGL_ARB_extensions_string () { GLboolean r = GL_FALSE; r = ((wglGetExtensionsStringARB = (PFNWGLGETEXTENSIONSSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"wglGetExtensionsStringARB")) == NULL) || r; return r; } #endif /* WGL_ARB_extensions_string */ #ifdef WGL_ARB_make_current_read static GLboolean _glewInit_WGL_ARB_make_current_read () { GLboolean r = GL_FALSE; r = ((wglGetCurrentReadDCARB = (PFNWGLGETCURRENTREADDCARBPROC)glewGetProcAddress((const GLubyte*)"wglGetCurrentReadDCARB")) == NULL) || r; r = ((wglMakeContextCurrentARB = (PFNWGLMAKECONTEXTCURRENTARBPROC)glewGetProcAddress((const GLubyte*)"wglMakeContextCurrentARB")) == NULL) || r; return r; } #endif /* WGL_ARB_make_current_read */ #ifdef WGL_ARB_pbuffer static GLboolean _glewInit_WGL_ARB_pbuffer () { GLboolean r = GL_FALSE; r = ((wglCreatePbufferARB = (PFNWGLCREATEPBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"wglCreatePbufferARB")) == NULL) || r; r = ((wglDestroyPbufferARB = (PFNWGLDESTROYPBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"wglDestroyPbufferARB")) == NULL) || r; r = ((wglGetPbufferDCARB = (PFNWGLGETPBUFFERDCARBPROC)glewGetProcAddress((const GLubyte*)"wglGetPbufferDCARB")) == NULL) || r; r = ((wglQueryPbufferARB = (PFNWGLQUERYPBUFFERARBPROC)glewGetProcAddress((const GLubyte*)"wglQueryPbufferARB")) == NULL) || r; r = ((wglReleasePbufferDCARB = (PFNWGLRELEASEPBUFFERDCARBPROC)glewGetProcAddress((const GLubyte*)"wglReleasePbufferDCARB")) == NULL) || r; return r; } #endif /* WGL_ARB_pbuffer */ #ifdef WGL_ARB_pixel_format static GLboolean _glewInit_WGL_ARB_pixel_format () { GLboolean r = GL_FALSE; r = ((wglChoosePixelFormatARB = (PFNWGLCHOOSEPIXELFORMATARBPROC)glewGetProcAddress((const GLubyte*)"wglChoosePixelFormatARB")) == NULL) || r; r = ((wglGetPixelFormatAttribfvARB = (PFNWGLGETPIXELFORMATATTRIBFVARBPROC)glewGetProcAddress((const GLubyte*)"wglGetPixelFormatAttribfvARB")) == NULL) || r; r = ((wglGetPixelFormatAttribivARB = (PFNWGLGETPIXELFORMATATTRIBIVARBPROC)glewGetProcAddress((const GLubyte*)"wglGetPixelFormatAttribivARB")) == NULL) || r; return r; } #endif /* WGL_ARB_pixel_format */ #ifdef WGL_ARB_render_texture static GLboolean _glewInit_WGL_ARB_render_texture () { GLboolean r = GL_FALSE; r = ((wglBindTexImageARB = (PFNWGLBINDTEXIMAGEARBPROC)glewGetProcAddress((const GLubyte*)"wglBindTexImageARB")) == NULL) || r; r = ((wglReleaseTexImageARB = (PFNWGLRELEASETEXIMAGEARBPROC)glewGetProcAddress((const GLubyte*)"wglReleaseTexImageARB")) == NULL) || r; r = ((wglSetPbufferAttribARB = (PFNWGLSETPBUFFERATTRIBARBPROC)glewGetProcAddress((const GLubyte*)"wglSetPbufferAttribARB")) == NULL) || r; return r; } #endif /* WGL_ARB_render_texture */ #ifdef WGL_EXT_display_color_table static GLboolean _glewInit_WGL_EXT_display_color_table () { GLboolean r = GL_FALSE; r = ((wglBindDisplayColorTableEXT = (PFNWGLBINDDISPLAYCOLORTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"wglBindDisplayColorTableEXT")) == NULL) || r; r = ((wglCreateDisplayColorTableEXT = (PFNWGLCREATEDISPLAYCOLORTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"wglCreateDisplayColorTableEXT")) == NULL) || r; r = ((wglDestroyDisplayColorTableEXT = (PFNWGLDESTROYDISPLAYCOLORTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"wglDestroyDisplayColorTableEXT")) == NULL) || r; r = ((wglLoadDisplayColorTableEXT = (PFNWGLLOADDISPLAYCOLORTABLEEXTPROC)glewGetProcAddress((const GLubyte*)"wglLoadDisplayColorTableEXT")) == NULL) || r; return r; } #endif /* WGL_EXT_display_color_table */ #ifdef WGL_EXT_extensions_string static GLboolean _glewInit_WGL_EXT_extensions_string () { GLboolean r = GL_FALSE; r = ((wglGetExtensionsStringEXT = (PFNWGLGETEXTENSIONSSTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetExtensionsStringEXT")) == NULL) || r; return r; } #endif /* WGL_EXT_extensions_string */ #ifdef WGL_EXT_make_current_read static GLboolean _glewInit_WGL_EXT_make_current_read () { GLboolean r = GL_FALSE; r = ((wglGetCurrentReadDCEXT = (PFNWGLGETCURRENTREADDCEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetCurrentReadDCEXT")) == NULL) || r; r = ((wglMakeContextCurrentEXT = (PFNWGLMAKECONTEXTCURRENTEXTPROC)glewGetProcAddress((const GLubyte*)"wglMakeContextCurrentEXT")) == NULL) || r; return r; } #endif /* WGL_EXT_make_current_read */ #ifdef WGL_EXT_pbuffer static GLboolean _glewInit_WGL_EXT_pbuffer () { GLboolean r = GL_FALSE; r = ((wglCreatePbufferEXT = (PFNWGLCREATEPBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"wglCreatePbufferEXT")) == NULL) || r; r = ((wglDestroyPbufferEXT = (PFNWGLDESTROYPBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"wglDestroyPbufferEXT")) == NULL) || r; r = ((wglGetPbufferDCEXT = (PFNWGLGETPBUFFERDCEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetPbufferDCEXT")) == NULL) || r; r = ((wglQueryPbufferEXT = (PFNWGLQUERYPBUFFEREXTPROC)glewGetProcAddress((const GLubyte*)"wglQueryPbufferEXT")) == NULL) || r; r = ((wglReleasePbufferDCEXT = (PFNWGLRELEASEPBUFFERDCEXTPROC)glewGetProcAddress((const GLubyte*)"wglReleasePbufferDCEXT")) == NULL) || r; return r; } #endif /* WGL_EXT_pbuffer */ #ifdef WGL_EXT_pixel_format static GLboolean _glewInit_WGL_EXT_pixel_format () { GLboolean r = GL_FALSE; r = ((wglChoosePixelFormatEXT = (PFNWGLCHOOSEPIXELFORMATEXTPROC)glewGetProcAddress((const GLubyte*)"wglChoosePixelFormatEXT")) == NULL) || r; r = ((wglGetPixelFormatAttribfvEXT = (PFNWGLGETPIXELFORMATATTRIBFVEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetPixelFormatAttribfvEXT")) == NULL) || r; r = ((wglGetPixelFormatAttribivEXT = (PFNWGLGETPIXELFORMATATTRIBIVEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetPixelFormatAttribivEXT")) == NULL) || r; return r; } #endif /* WGL_EXT_pixel_format */ #ifdef WGL_EXT_swap_control static GLboolean _glewInit_WGL_EXT_swap_control () { GLboolean r = GL_FALSE; r = ((wglGetSwapIntervalEXT = (PFNWGLGETSWAPINTERVALEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetSwapIntervalEXT")) == NULL) || r; r = ((wglSwapIntervalEXT = (PFNWGLSWAPINTERVALEXTPROC)glewGetProcAddress((const GLubyte*)"wglSwapIntervalEXT")) == NULL) || r; return r; } #endif /* WGL_EXT_swap_control */ #ifdef WGL_I3D_digital_video_control static GLboolean _glewInit_WGL_I3D_digital_video_control () { GLboolean r = GL_FALSE; r = ((wglGetDigitalVideoParametersI3D = (PFNWGLGETDIGITALVIDEOPARAMETERSI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetDigitalVideoParametersI3D")) == NULL) || r; r = ((wglSetDigitalVideoParametersI3D = (PFNWGLSETDIGITALVIDEOPARAMETERSI3DPROC)glewGetProcAddress((const GLubyte*)"wglSetDigitalVideoParametersI3D")) == NULL) || r; return r; } #endif /* WGL_I3D_digital_video_control */ #ifdef WGL_I3D_gamma static GLboolean _glewInit_WGL_I3D_gamma () { GLboolean r = GL_FALSE; r = ((wglGetGammaTableI3D = (PFNWGLGETGAMMATABLEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetGammaTableI3D")) == NULL) || r; r = ((wglGetGammaTableParametersI3D = (PFNWGLGETGAMMATABLEPARAMETERSI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetGammaTableParametersI3D")) == NULL) || r; r = ((wglSetGammaTableI3D = (PFNWGLSETGAMMATABLEI3DPROC)glewGetProcAddress((const GLubyte*)"wglSetGammaTableI3D")) == NULL) || r; r = ((wglSetGammaTableParametersI3D = (PFNWGLSETGAMMATABLEPARAMETERSI3DPROC)glewGetProcAddress((const GLubyte*)"wglSetGammaTableParametersI3D")) == NULL) || r; return r; } #endif /* WGL_I3D_gamma */ #ifdef WGL_I3D_genlock static GLboolean _glewInit_WGL_I3D_genlock () { GLboolean r = GL_FALSE; r = ((wglDisableGenlockI3D = (PFNWGLDISABLEGENLOCKI3DPROC)glewGetProcAddress((const GLubyte*)"wglDisableGenlockI3D")) == NULL) || r; r = ((wglEnableGenlockI3D = (PFNWGLENABLEGENLOCKI3DPROC)glewGetProcAddress((const GLubyte*)"wglEnableGenlockI3D")) == NULL) || r; r = ((wglGenlockSampleRateI3D = (PFNWGLGENLOCKSAMPLERATEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGenlockSampleRateI3D")) == NULL) || r; r = ((wglGenlockSourceDelayI3D = (PFNWGLGENLOCKSOURCEDELAYI3DPROC)glewGetProcAddress((const GLubyte*)"wglGenlockSourceDelayI3D")) == NULL) || r; r = ((wglGenlockSourceEdgeI3D = (PFNWGLGENLOCKSOURCEEDGEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGenlockSourceEdgeI3D")) == NULL) || r; r = ((wglGenlockSourceI3D = (PFNWGLGENLOCKSOURCEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGenlockSourceI3D")) == NULL) || r; r = ((wglGetGenlockSampleRateI3D = (PFNWGLGETGENLOCKSAMPLERATEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetGenlockSampleRateI3D")) == NULL) || r; r = ((wglGetGenlockSourceDelayI3D = (PFNWGLGETGENLOCKSOURCEDELAYI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetGenlockSourceDelayI3D")) == NULL) || r; r = ((wglGetGenlockSourceEdgeI3D = (PFNWGLGETGENLOCKSOURCEEDGEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetGenlockSourceEdgeI3D")) == NULL) || r; r = ((wglGetGenlockSourceI3D = (PFNWGLGETGENLOCKSOURCEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetGenlockSourceI3D")) == NULL) || r; r = ((wglIsEnabledGenlockI3D = (PFNWGLISENABLEDGENLOCKI3DPROC)glewGetProcAddress((const GLubyte*)"wglIsEnabledGenlockI3D")) == NULL) || r; r = ((wglQueryGenlockMaxSourceDelayI3D = (PFNWGLQUERYGENLOCKMAXSOURCEDELAYI3DPROC)glewGetProcAddress((const GLubyte*)"wglQueryGenlockMaxSourceDelayI3D")) == NULL) || r; return r; } #endif /* WGL_I3D_genlock */ #ifdef WGL_I3D_image_buffer static GLboolean _glewInit_WGL_I3D_image_buffer () { GLboolean r = GL_FALSE; r = ((wglAssociateImageBufferEventsI3D = (PFNWGLASSOCIATEIMAGEBUFFEREVENTSI3DPROC)glewGetProcAddress((const GLubyte*)"wglAssociateImageBufferEventsI3D")) == NULL) || r; r = ((wglCreateImageBufferI3D = (PFNWGLCREATEIMAGEBUFFERI3DPROC)glewGetProcAddress((const GLubyte*)"wglCreateImageBufferI3D")) == NULL) || r; r = ((wglDestroyImageBufferI3D = (PFNWGLDESTROYIMAGEBUFFERI3DPROC)glewGetProcAddress((const GLubyte*)"wglDestroyImageBufferI3D")) == NULL) || r; r = ((wglReleaseImageBufferEventsI3D = (PFNWGLRELEASEIMAGEBUFFEREVENTSI3DPROC)glewGetProcAddress((const GLubyte*)"wglReleaseImageBufferEventsI3D")) == NULL) || r; return r; } #endif /* WGL_I3D_image_buffer */ #ifdef WGL_I3D_swap_frame_lock static GLboolean _glewInit_WGL_I3D_swap_frame_lock () { GLboolean r = GL_FALSE; r = ((wglDisableFrameLockI3D = (PFNWGLDISABLEFRAMELOCKI3DPROC)glewGetProcAddress((const GLubyte*)"wglDisableFrameLockI3D")) == NULL) || r; r = ((wglEnableFrameLockI3D = (PFNWGLENABLEFRAMELOCKI3DPROC)glewGetProcAddress((const GLubyte*)"wglEnableFrameLockI3D")) == NULL) || r; r = ((wglIsEnabledFrameLockI3D = (PFNWGLISENABLEDFRAMELOCKI3DPROC)glewGetProcAddress((const GLubyte*)"wglIsEnabledFrameLockI3D")) == NULL) || r; r = ((wglQueryFrameLockMasterI3D = (PFNWGLQUERYFRAMELOCKMASTERI3DPROC)glewGetProcAddress((const GLubyte*)"wglQueryFrameLockMasterI3D")) == NULL) || r; return r; } #endif /* WGL_I3D_swap_frame_lock */ #ifdef WGL_I3D_swap_frame_usage static GLboolean _glewInit_WGL_I3D_swap_frame_usage () { GLboolean r = GL_FALSE; r = ((wglBeginFrameTrackingI3D = (PFNWGLBEGINFRAMETRACKINGI3DPROC)glewGetProcAddress((const GLubyte*)"wglBeginFrameTrackingI3D")) == NULL) || r; r = ((wglEndFrameTrackingI3D = (PFNWGLENDFRAMETRACKINGI3DPROC)glewGetProcAddress((const GLubyte*)"wglEndFrameTrackingI3D")) == NULL) || r; r = ((wglGetFrameUsageI3D = (PFNWGLGETFRAMEUSAGEI3DPROC)glewGetProcAddress((const GLubyte*)"wglGetFrameUsageI3D")) == NULL) || r; r = ((wglQueryFrameTrackingI3D = (PFNWGLQUERYFRAMETRACKINGI3DPROC)glewGetProcAddress((const GLubyte*)"wglQueryFrameTrackingI3D")) == NULL) || r; return r; } #endif /* WGL_I3D_swap_frame_usage */ #ifdef WGL_NV_DX_interop static GLboolean _glewInit_WGL_NV_DX_interop () { GLboolean r = GL_FALSE; r = ((wglDXCloseDeviceNV = (PFNWGLDXCLOSEDEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglDXCloseDeviceNV")) == NULL) || r; r = ((wglDXLockObjectsNV = (PFNWGLDXLOCKOBJECTSNVPROC)glewGetProcAddress((const GLubyte*)"wglDXLockObjectsNV")) == NULL) || r; r = ((wglDXObjectAccessNV = (PFNWGLDXOBJECTACCESSNVPROC)glewGetProcAddress((const GLubyte*)"wglDXObjectAccessNV")) == NULL) || r; r = ((wglDXOpenDeviceNV = (PFNWGLDXOPENDEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglDXOpenDeviceNV")) == NULL) || r; r = ((wglDXRegisterObjectNV = (PFNWGLDXREGISTEROBJECTNVPROC)glewGetProcAddress((const GLubyte*)"wglDXRegisterObjectNV")) == NULL) || r; r = ((wglDXSetResourceShareHandleNV = (PFNWGLDXSETRESOURCESHAREHANDLENVPROC)glewGetProcAddress((const GLubyte*)"wglDXSetResourceShareHandleNV")) == NULL) || r; r = ((wglDXUnlockObjectsNV = (PFNWGLDXUNLOCKOBJECTSNVPROC)glewGetProcAddress((const GLubyte*)"wglDXUnlockObjectsNV")) == NULL) || r; r = ((wglDXUnregisterObjectNV = (PFNWGLDXUNREGISTEROBJECTNVPROC)glewGetProcAddress((const GLubyte*)"wglDXUnregisterObjectNV")) == NULL) || r; return r; } #endif /* WGL_NV_DX_interop */ #ifdef WGL_NV_copy_image static GLboolean _glewInit_WGL_NV_copy_image () { GLboolean r = GL_FALSE; r = ((wglCopyImageSubDataNV = (PFNWGLCOPYIMAGESUBDATANVPROC)glewGetProcAddress((const GLubyte*)"wglCopyImageSubDataNV")) == NULL) || r; return r; } #endif /* WGL_NV_copy_image */ #ifdef WGL_NV_delay_before_swap static GLboolean _glewInit_WGL_NV_delay_before_swap () { GLboolean r = GL_FALSE; r = ((wglDelayBeforeSwapNV = (PFNWGLDELAYBEFORESWAPNVPROC)glewGetProcAddress((const GLubyte*)"wglDelayBeforeSwapNV")) == NULL) || r; return r; } #endif /* WGL_NV_delay_before_swap */ #ifdef WGL_NV_gpu_affinity static GLboolean _glewInit_WGL_NV_gpu_affinity () { GLboolean r = GL_FALSE; r = ((wglCreateAffinityDCNV = (PFNWGLCREATEAFFINITYDCNVPROC)glewGetProcAddress((const GLubyte*)"wglCreateAffinityDCNV")) == NULL) || r; r = ((wglDeleteDCNV = (PFNWGLDELETEDCNVPROC)glewGetProcAddress((const GLubyte*)"wglDeleteDCNV")) == NULL) || r; r = ((wglEnumGpuDevicesNV = (PFNWGLENUMGPUDEVICESNVPROC)glewGetProcAddress((const GLubyte*)"wglEnumGpuDevicesNV")) == NULL) || r; r = ((wglEnumGpusFromAffinityDCNV = (PFNWGLENUMGPUSFROMAFFINITYDCNVPROC)glewGetProcAddress((const GLubyte*)"wglEnumGpusFromAffinityDCNV")) == NULL) || r; r = ((wglEnumGpusNV = (PFNWGLENUMGPUSNVPROC)glewGetProcAddress((const GLubyte*)"wglEnumGpusNV")) == NULL) || r; return r; } #endif /* WGL_NV_gpu_affinity */ #ifdef WGL_NV_present_video static GLboolean _glewInit_WGL_NV_present_video () { GLboolean r = GL_FALSE; r = ((wglBindVideoDeviceNV = (PFNWGLBINDVIDEODEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglBindVideoDeviceNV")) == NULL) || r; r = ((wglEnumerateVideoDevicesNV = (PFNWGLENUMERATEVIDEODEVICESNVPROC)glewGetProcAddress((const GLubyte*)"wglEnumerateVideoDevicesNV")) == NULL) || r; r = ((wglQueryCurrentContextNV = (PFNWGLQUERYCURRENTCONTEXTNVPROC)glewGetProcAddress((const GLubyte*)"wglQueryCurrentContextNV")) == NULL) || r; return r; } #endif /* WGL_NV_present_video */ #ifdef WGL_NV_swap_group static GLboolean _glewInit_WGL_NV_swap_group () { GLboolean r = GL_FALSE; r = ((wglBindSwapBarrierNV = (PFNWGLBINDSWAPBARRIERNVPROC)glewGetProcAddress((const GLubyte*)"wglBindSwapBarrierNV")) == NULL) || r; r = ((wglJoinSwapGroupNV = (PFNWGLJOINSWAPGROUPNVPROC)glewGetProcAddress((const GLubyte*)"wglJoinSwapGroupNV")) == NULL) || r; r = ((wglQueryFrameCountNV = (PFNWGLQUERYFRAMECOUNTNVPROC)glewGetProcAddress((const GLubyte*)"wglQueryFrameCountNV")) == NULL) || r; r = ((wglQueryMaxSwapGroupsNV = (PFNWGLQUERYMAXSWAPGROUPSNVPROC)glewGetProcAddress((const GLubyte*)"wglQueryMaxSwapGroupsNV")) == NULL) || r; r = ((wglQuerySwapGroupNV = (PFNWGLQUERYSWAPGROUPNVPROC)glewGetProcAddress((const GLubyte*)"wglQuerySwapGroupNV")) == NULL) || r; r = ((wglResetFrameCountNV = (PFNWGLRESETFRAMECOUNTNVPROC)glewGetProcAddress((const GLubyte*)"wglResetFrameCountNV")) == NULL) || r; return r; } #endif /* WGL_NV_swap_group */ #ifdef WGL_NV_vertex_array_range static GLboolean _glewInit_WGL_NV_vertex_array_range () { GLboolean r = GL_FALSE; r = ((wglAllocateMemoryNV = (PFNWGLALLOCATEMEMORYNVPROC)glewGetProcAddress((const GLubyte*)"wglAllocateMemoryNV")) == NULL) || r; r = ((wglFreeMemoryNV = (PFNWGLFREEMEMORYNVPROC)glewGetProcAddress((const GLubyte*)"wglFreeMemoryNV")) == NULL) || r; return r; } #endif /* WGL_NV_vertex_array_range */ #ifdef WGL_NV_video_capture static GLboolean _glewInit_WGL_NV_video_capture () { GLboolean r = GL_FALSE; r = ((wglBindVideoCaptureDeviceNV = (PFNWGLBINDVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglBindVideoCaptureDeviceNV")) == NULL) || r; r = ((wglEnumerateVideoCaptureDevicesNV = (PFNWGLENUMERATEVIDEOCAPTUREDEVICESNVPROC)glewGetProcAddress((const GLubyte*)"wglEnumerateVideoCaptureDevicesNV")) == NULL) || r; r = ((wglLockVideoCaptureDeviceNV = (PFNWGLLOCKVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglLockVideoCaptureDeviceNV")) == NULL) || r; r = ((wglQueryVideoCaptureDeviceNV = (PFNWGLQUERYVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglQueryVideoCaptureDeviceNV")) == NULL) || r; r = ((wglReleaseVideoCaptureDeviceNV = (PFNWGLRELEASEVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglReleaseVideoCaptureDeviceNV")) == NULL) || r; return r; } #endif /* WGL_NV_video_capture */ #ifdef WGL_NV_video_output static GLboolean _glewInit_WGL_NV_video_output () { GLboolean r = GL_FALSE; r = ((wglBindVideoImageNV = (PFNWGLBINDVIDEOIMAGENVPROC)glewGetProcAddress((const GLubyte*)"wglBindVideoImageNV")) == NULL) || r; r = ((wglGetVideoDeviceNV = (PFNWGLGETVIDEODEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglGetVideoDeviceNV")) == NULL) || r; r = ((wglGetVideoInfoNV = (PFNWGLGETVIDEOINFONVPROC)glewGetProcAddress((const GLubyte*)"wglGetVideoInfoNV")) == NULL) || r; r = ((wglReleaseVideoDeviceNV = (PFNWGLRELEASEVIDEODEVICENVPROC)glewGetProcAddress((const GLubyte*)"wglReleaseVideoDeviceNV")) == NULL) || r; r = ((wglReleaseVideoImageNV = (PFNWGLRELEASEVIDEOIMAGENVPROC)glewGetProcAddress((const GLubyte*)"wglReleaseVideoImageNV")) == NULL) || r; r = ((wglSendPbufferToVideoNV = (PFNWGLSENDPBUFFERTOVIDEONVPROC)glewGetProcAddress((const GLubyte*)"wglSendPbufferToVideoNV")) == NULL) || r; return r; } #endif /* WGL_NV_video_output */ #ifdef WGL_OML_sync_control static GLboolean _glewInit_WGL_OML_sync_control () { GLboolean r = GL_FALSE; r = ((wglGetMscRateOML = (PFNWGLGETMSCRATEOMLPROC)glewGetProcAddress((const GLubyte*)"wglGetMscRateOML")) == NULL) || r; r = ((wglGetSyncValuesOML = (PFNWGLGETSYNCVALUESOMLPROC)glewGetProcAddress((const GLubyte*)"wglGetSyncValuesOML")) == NULL) || r; r = ((wglSwapBuffersMscOML = (PFNWGLSWAPBUFFERSMSCOMLPROC)glewGetProcAddress((const GLubyte*)"wglSwapBuffersMscOML")) == NULL) || r; r = ((wglSwapLayerBuffersMscOML = (PFNWGLSWAPLAYERBUFFERSMSCOMLPROC)glewGetProcAddress((const GLubyte*)"wglSwapLayerBuffersMscOML")) == NULL) || r; r = ((wglWaitForMscOML = (PFNWGLWAITFORMSCOMLPROC)glewGetProcAddress((const GLubyte*)"wglWaitForMscOML")) == NULL) || r; r = ((wglWaitForSbcOML = (PFNWGLWAITFORSBCOMLPROC)glewGetProcAddress((const GLubyte*)"wglWaitForSbcOML")) == NULL) || r; return r; } #endif /* WGL_OML_sync_control */ /* ------------------------------------------------------------------------- */ static PFNWGLGETEXTENSIONSSTRINGARBPROC _wglewGetExtensionsStringARB = NULL; static PFNWGLGETEXTENSIONSSTRINGEXTPROC _wglewGetExtensionsStringEXT = NULL; GLboolean GLEWAPIENTRY wglewGetExtension (const char* name) { const GLubyte* start; const GLubyte* end; if (_wglewGetExtensionsStringARB == NULL) if (_wglewGetExtensionsStringEXT == NULL) return GL_FALSE; else start = (const GLubyte*)_wglewGetExtensionsStringEXT(); else start = (const GLubyte*)_wglewGetExtensionsStringARB(wglGetCurrentDC()); if (start == 0) return GL_FALSE; end = start + _glewStrLen(start); return _glewSearchExtension(name, start, end); } GLenum GLEWAPIENTRY wglewInit () { GLboolean crippled; const GLubyte* extStart; const GLubyte* extEnd; /* find wgl extension string query functions */ _wglewGetExtensionsStringARB = (PFNWGLGETEXTENSIONSSTRINGARBPROC)glewGetProcAddress((const GLubyte*)"wglGetExtensionsStringARB"); _wglewGetExtensionsStringEXT = (PFNWGLGETEXTENSIONSSTRINGEXTPROC)glewGetProcAddress((const GLubyte*)"wglGetExtensionsStringEXT"); /* query wgl extension string */ if (_wglewGetExtensionsStringARB == NULL) if (_wglewGetExtensionsStringEXT == NULL) extStart = (const GLubyte*)""; else extStart = (const GLubyte*)_wglewGetExtensionsStringEXT(); else extStart = (const GLubyte*)_wglewGetExtensionsStringARB(wglGetCurrentDC()); extEnd = extStart + _glewStrLen(extStart); /* initialize extensions */ crippled = _wglewGetExtensionsStringARB == NULL && _wglewGetExtensionsStringEXT == NULL; #ifdef WGL_3DFX_multisample WGLEW_3DFX_multisample = _glewSearchExtension("WGL_3DFX_multisample", extStart, extEnd); #endif /* WGL_3DFX_multisample */ #ifdef WGL_3DL_stereo_control WGLEW_3DL_stereo_control = _glewSearchExtension("WGL_3DL_stereo_control", extStart, extEnd); if (glewExperimental || WGLEW_3DL_stereo_control|| crippled) WGLEW_3DL_stereo_control= !_glewInit_WGL_3DL_stereo_control(); #endif /* WGL_3DL_stereo_control */ #ifdef WGL_AMD_gpu_association WGLEW_AMD_gpu_association = _glewSearchExtension("WGL_AMD_gpu_association", extStart, extEnd); if (glewExperimental || WGLEW_AMD_gpu_association|| crippled) WGLEW_AMD_gpu_association= !_glewInit_WGL_AMD_gpu_association(); #endif /* WGL_AMD_gpu_association */ #ifdef WGL_ARB_buffer_region WGLEW_ARB_buffer_region = _glewSearchExtension("WGL_ARB_buffer_region", extStart, extEnd); if (glewExperimental || WGLEW_ARB_buffer_region|| crippled) WGLEW_ARB_buffer_region= !_glewInit_WGL_ARB_buffer_region(); #endif /* WGL_ARB_buffer_region */ #ifdef WGL_ARB_context_flush_control WGLEW_ARB_context_flush_control = _glewSearchExtension("WGL_ARB_context_flush_control", extStart, extEnd); #endif /* WGL_ARB_context_flush_control */ #ifdef WGL_ARB_create_context WGLEW_ARB_create_context = _glewSearchExtension("WGL_ARB_create_context", extStart, extEnd); if (glewExperimental || WGLEW_ARB_create_context|| crippled) WGLEW_ARB_create_context= !_glewInit_WGL_ARB_create_context(); #endif /* WGL_ARB_create_context */ #ifdef WGL_ARB_create_context_no_error WGLEW_ARB_create_context_no_error = _glewSearchExtension("WGL_ARB_create_context_no_error", extStart, extEnd); #endif /* WGL_ARB_create_context_no_error */ #ifdef WGL_ARB_create_context_profile WGLEW_ARB_create_context_profile = _glewSearchExtension("WGL_ARB_create_context_profile", extStart, extEnd); #endif /* WGL_ARB_create_context_profile */ #ifdef WGL_ARB_create_context_robustness WGLEW_ARB_create_context_robustness = _glewSearchExtension("WGL_ARB_create_context_robustness", extStart, extEnd); #endif /* WGL_ARB_create_context_robustness */ #ifdef WGL_ARB_extensions_string WGLEW_ARB_extensions_string = _glewSearchExtension("WGL_ARB_extensions_string", extStart, extEnd); if (glewExperimental || WGLEW_ARB_extensions_string|| crippled) WGLEW_ARB_extensions_string= !_glewInit_WGL_ARB_extensions_string(); #endif /* WGL_ARB_extensions_string */ #ifdef WGL_ARB_framebuffer_sRGB WGLEW_ARB_framebuffer_sRGB = _glewSearchExtension("WGL_ARB_framebuffer_sRGB", extStart, extEnd); #endif /* WGL_ARB_framebuffer_sRGB */ #ifdef WGL_ARB_make_current_read WGLEW_ARB_make_current_read = _glewSearchExtension("WGL_ARB_make_current_read", extStart, extEnd); if (glewExperimental || WGLEW_ARB_make_current_read|| crippled) WGLEW_ARB_make_current_read= !_glewInit_WGL_ARB_make_current_read(); #endif /* WGL_ARB_make_current_read */ #ifdef WGL_ARB_multisample WGLEW_ARB_multisample = _glewSearchExtension("WGL_ARB_multisample", extStart, extEnd); #endif /* WGL_ARB_multisample */ #ifdef WGL_ARB_pbuffer WGLEW_ARB_pbuffer = _glewSearchExtension("WGL_ARB_pbuffer", extStart, extEnd); if (glewExperimental || WGLEW_ARB_pbuffer|| crippled) WGLEW_ARB_pbuffer= !_glewInit_WGL_ARB_pbuffer(); #endif /* WGL_ARB_pbuffer */ #ifdef WGL_ARB_pixel_format WGLEW_ARB_pixel_format = _glewSearchExtension("WGL_ARB_pixel_format", extStart, extEnd); if (glewExperimental || WGLEW_ARB_pixel_format|| crippled) WGLEW_ARB_pixel_format= !_glewInit_WGL_ARB_pixel_format(); #endif /* WGL_ARB_pixel_format */ #ifdef WGL_ARB_pixel_format_float WGLEW_ARB_pixel_format_float = _glewSearchExtension("WGL_ARB_pixel_format_float", extStart, extEnd); #endif /* WGL_ARB_pixel_format_float */ #ifdef WGL_ARB_render_texture WGLEW_ARB_render_texture = _glewSearchExtension("WGL_ARB_render_texture", extStart, extEnd); if (glewExperimental || WGLEW_ARB_render_texture|| crippled) WGLEW_ARB_render_texture= !_glewInit_WGL_ARB_render_texture(); #endif /* WGL_ARB_render_texture */ #ifdef WGL_ARB_robustness_application_isolation WGLEW_ARB_robustness_application_isolation = _glewSearchExtension("WGL_ARB_robustness_application_isolation", extStart, extEnd); #endif /* WGL_ARB_robustness_application_isolation */ #ifdef WGL_ARB_robustness_share_group_isolation WGLEW_ARB_robustness_share_group_isolation = _glewSearchExtension("WGL_ARB_robustness_share_group_isolation", extStart, extEnd); #endif /* WGL_ARB_robustness_share_group_isolation */ #ifdef WGL_ATI_pixel_format_float WGLEW_ATI_pixel_format_float = _glewSearchExtension("WGL_ATI_pixel_format_float", extStart, extEnd); #endif /* WGL_ATI_pixel_format_float */ #ifdef WGL_ATI_render_texture_rectangle WGLEW_ATI_render_texture_rectangle = _glewSearchExtension("WGL_ATI_render_texture_rectangle", extStart, extEnd); #endif /* WGL_ATI_render_texture_rectangle */ #ifdef WGL_EXT_colorspace WGLEW_EXT_colorspace = _glewSearchExtension("WGL_EXT_colorspace", extStart, extEnd); #endif /* WGL_EXT_colorspace */ #ifdef WGL_EXT_create_context_es2_profile WGLEW_EXT_create_context_es2_profile = _glewSearchExtension("WGL_EXT_create_context_es2_profile", extStart, extEnd); #endif /* WGL_EXT_create_context_es2_profile */ #ifdef WGL_EXT_create_context_es_profile WGLEW_EXT_create_context_es_profile = _glewSearchExtension("WGL_EXT_create_context_es_profile", extStart, extEnd); #endif /* WGL_EXT_create_context_es_profile */ #ifdef WGL_EXT_depth_float WGLEW_EXT_depth_float = _glewSearchExtension("WGL_EXT_depth_float", extStart, extEnd); #endif /* WGL_EXT_depth_float */ #ifdef WGL_EXT_display_color_table WGLEW_EXT_display_color_table = _glewSearchExtension("WGL_EXT_display_color_table", extStart, extEnd); if (glewExperimental || WGLEW_EXT_display_color_table|| crippled) WGLEW_EXT_display_color_table= !_glewInit_WGL_EXT_display_color_table(); #endif /* WGL_EXT_display_color_table */ #ifdef WGL_EXT_extensions_string WGLEW_EXT_extensions_string = _glewSearchExtension("WGL_EXT_extensions_string", extStart, extEnd); if (glewExperimental || WGLEW_EXT_extensions_string|| crippled) WGLEW_EXT_extensions_string= !_glewInit_WGL_EXT_extensions_string(); #endif /* WGL_EXT_extensions_string */ #ifdef WGL_EXT_framebuffer_sRGB WGLEW_EXT_framebuffer_sRGB = _glewSearchExtension("WGL_EXT_framebuffer_sRGB", extStart, extEnd); #endif /* WGL_EXT_framebuffer_sRGB */ #ifdef WGL_EXT_make_current_read WGLEW_EXT_make_current_read = _glewSearchExtension("WGL_EXT_make_current_read", extStart, extEnd); if (glewExperimental || WGLEW_EXT_make_current_read|| crippled) WGLEW_EXT_make_current_read= !_glewInit_WGL_EXT_make_current_read(); #endif /* WGL_EXT_make_current_read */ #ifdef WGL_EXT_multisample WGLEW_EXT_multisample = _glewSearchExtension("WGL_EXT_multisample", extStart, extEnd); #endif /* WGL_EXT_multisample */ #ifdef WGL_EXT_pbuffer WGLEW_EXT_pbuffer = _glewSearchExtension("WGL_EXT_pbuffer", extStart, extEnd); if (glewExperimental || WGLEW_EXT_pbuffer|| crippled) WGLEW_EXT_pbuffer= !_glewInit_WGL_EXT_pbuffer(); #endif /* WGL_EXT_pbuffer */ #ifdef WGL_EXT_pixel_format WGLEW_EXT_pixel_format = _glewSearchExtension("WGL_EXT_pixel_format", extStart, extEnd); if (glewExperimental || WGLEW_EXT_pixel_format|| crippled) WGLEW_EXT_pixel_format= !_glewInit_WGL_EXT_pixel_format(); #endif /* WGL_EXT_pixel_format */ #ifdef WGL_EXT_pixel_format_packed_float WGLEW_EXT_pixel_format_packed_float = _glewSearchExtension("WGL_EXT_pixel_format_packed_float", extStart, extEnd); #endif /* WGL_EXT_pixel_format_packed_float */ #ifdef WGL_EXT_swap_control WGLEW_EXT_swap_control = _glewSearchExtension("WGL_EXT_swap_control", extStart, extEnd); if (glewExperimental || WGLEW_EXT_swap_control|| crippled) WGLEW_EXT_swap_control= !_glewInit_WGL_EXT_swap_control(); #endif /* WGL_EXT_swap_control */ #ifdef WGL_EXT_swap_control_tear WGLEW_EXT_swap_control_tear = _glewSearchExtension("WGL_EXT_swap_control_tear", extStart, extEnd); #endif /* WGL_EXT_swap_control_tear */ #ifdef WGL_I3D_digital_video_control WGLEW_I3D_digital_video_control = _glewSearchExtension("WGL_I3D_digital_video_control", extStart, extEnd); if (glewExperimental || WGLEW_I3D_digital_video_control|| crippled) WGLEW_I3D_digital_video_control= !_glewInit_WGL_I3D_digital_video_control(); #endif /* WGL_I3D_digital_video_control */ #ifdef WGL_I3D_gamma WGLEW_I3D_gamma = _glewSearchExtension("WGL_I3D_gamma", extStart, extEnd); if (glewExperimental || WGLEW_I3D_gamma|| crippled) WGLEW_I3D_gamma= !_glewInit_WGL_I3D_gamma(); #endif /* WGL_I3D_gamma */ #ifdef WGL_I3D_genlock WGLEW_I3D_genlock = _glewSearchExtension("WGL_I3D_genlock", extStart, extEnd); if (glewExperimental || WGLEW_I3D_genlock|| crippled) WGLEW_I3D_genlock= !_glewInit_WGL_I3D_genlock(); #endif /* WGL_I3D_genlock */ #ifdef WGL_I3D_image_buffer WGLEW_I3D_image_buffer = _glewSearchExtension("WGL_I3D_image_buffer", extStart, extEnd); if (glewExperimental || WGLEW_I3D_image_buffer|| crippled) WGLEW_I3D_image_buffer= !_glewInit_WGL_I3D_image_buffer(); #endif /* WGL_I3D_image_buffer */ #ifdef WGL_I3D_swap_frame_lock WGLEW_I3D_swap_frame_lock = _glewSearchExtension("WGL_I3D_swap_frame_lock", extStart, extEnd); if (glewExperimental || WGLEW_I3D_swap_frame_lock|| crippled) WGLEW_I3D_swap_frame_lock= !_glewInit_WGL_I3D_swap_frame_lock(); #endif /* WGL_I3D_swap_frame_lock */ #ifdef WGL_I3D_swap_frame_usage WGLEW_I3D_swap_frame_usage = _glewSearchExtension("WGL_I3D_swap_frame_usage", extStart, extEnd); if (glewExperimental || WGLEW_I3D_swap_frame_usage|| crippled) WGLEW_I3D_swap_frame_usage= !_glewInit_WGL_I3D_swap_frame_usage(); #endif /* WGL_I3D_swap_frame_usage */ #ifdef WGL_NV_DX_interop WGLEW_NV_DX_interop = _glewSearchExtension("WGL_NV_DX_interop", extStart, extEnd); if (glewExperimental || WGLEW_NV_DX_interop|| crippled) WGLEW_NV_DX_interop= !_glewInit_WGL_NV_DX_interop(); #endif /* WGL_NV_DX_interop */ #ifdef WGL_NV_DX_interop2 WGLEW_NV_DX_interop2 = _glewSearchExtension("WGL_NV_DX_interop2", extStart, extEnd); #endif /* WGL_NV_DX_interop2 */ #ifdef WGL_NV_copy_image WGLEW_NV_copy_image = _glewSearchExtension("WGL_NV_copy_image", extStart, extEnd); if (glewExperimental || WGLEW_NV_copy_image|| crippled) WGLEW_NV_copy_image= !_glewInit_WGL_NV_copy_image(); #endif /* WGL_NV_copy_image */ #ifdef WGL_NV_delay_before_swap WGLEW_NV_delay_before_swap = _glewSearchExtension("WGL_NV_delay_before_swap", extStart, extEnd); if (glewExperimental || WGLEW_NV_delay_before_swap|| crippled) WGLEW_NV_delay_before_swap= !_glewInit_WGL_NV_delay_before_swap(); #endif /* WGL_NV_delay_before_swap */ #ifdef WGL_NV_float_buffer WGLEW_NV_float_buffer = _glewSearchExtension("WGL_NV_float_buffer", extStart, extEnd); #endif /* WGL_NV_float_buffer */ #ifdef WGL_NV_gpu_affinity WGLEW_NV_gpu_affinity = _glewSearchExtension("WGL_NV_gpu_affinity", extStart, extEnd); if (glewExperimental || WGLEW_NV_gpu_affinity|| crippled) WGLEW_NV_gpu_affinity= !_glewInit_WGL_NV_gpu_affinity(); #endif /* WGL_NV_gpu_affinity */ #ifdef WGL_NV_multisample_coverage WGLEW_NV_multisample_coverage = _glewSearchExtension("WGL_NV_multisample_coverage", extStart, extEnd); #endif /* WGL_NV_multisample_coverage */ #ifdef WGL_NV_present_video WGLEW_NV_present_video = _glewSearchExtension("WGL_NV_present_video", extStart, extEnd); if (glewExperimental || WGLEW_NV_present_video|| crippled) WGLEW_NV_present_video= !_glewInit_WGL_NV_present_video(); #endif /* WGL_NV_present_video */ #ifdef WGL_NV_render_depth_texture WGLEW_NV_render_depth_texture = _glewSearchExtension("WGL_NV_render_depth_texture", extStart, extEnd); #endif /* WGL_NV_render_depth_texture */ #ifdef WGL_NV_render_texture_rectangle WGLEW_NV_render_texture_rectangle = _glewSearchExtension("WGL_NV_render_texture_rectangle", extStart, extEnd); #endif /* WGL_NV_render_texture_rectangle */ #ifdef WGL_NV_swap_group WGLEW_NV_swap_group = _glewSearchExtension("WGL_NV_swap_group", extStart, extEnd); if (glewExperimental || WGLEW_NV_swap_group|| crippled) WGLEW_NV_swap_group= !_glewInit_WGL_NV_swap_group(); #endif /* WGL_NV_swap_group */ #ifdef WGL_NV_vertex_array_range WGLEW_NV_vertex_array_range = _glewSearchExtension("WGL_NV_vertex_array_range", extStart, extEnd); if (glewExperimental || WGLEW_NV_vertex_array_range|| crippled) WGLEW_NV_vertex_array_range= !_glewInit_WGL_NV_vertex_array_range(); #endif /* WGL_NV_vertex_array_range */ #ifdef WGL_NV_video_capture WGLEW_NV_video_capture = _glewSearchExtension("WGL_NV_video_capture", extStart, extEnd); if (glewExperimental || WGLEW_NV_video_capture|| crippled) WGLEW_NV_video_capture= !_glewInit_WGL_NV_video_capture(); #endif /* WGL_NV_video_capture */ #ifdef WGL_NV_video_output WGLEW_NV_video_output = _glewSearchExtension("WGL_NV_video_output", extStart, extEnd); if (glewExperimental || WGLEW_NV_video_output|| crippled) WGLEW_NV_video_output= !_glewInit_WGL_NV_video_output(); #endif /* WGL_NV_video_output */ #ifdef WGL_OML_sync_control WGLEW_OML_sync_control = _glewSearchExtension("WGL_OML_sync_control", extStart, extEnd); if (glewExperimental || WGLEW_OML_sync_control|| crippled) WGLEW_OML_sync_control= !_glewInit_WGL_OML_sync_control(); #endif /* WGL_OML_sync_control */ return GLEW_OK; } #elif !defined(__ANDROID__) && !defined(__native_client__) && !defined(__HAIKU__) && (!defined(__APPLE__) || defined(GLEW_APPLE_GLX)) PFNGLXGETCURRENTDISPLAYPROC __glewXGetCurrentDisplay = NULL; PFNGLXCHOOSEFBCONFIGPROC __glewXChooseFBConfig = NULL; PFNGLXCREATENEWCONTEXTPROC __glewXCreateNewContext = NULL; PFNGLXCREATEPBUFFERPROC __glewXCreatePbuffer = NULL; PFNGLXCREATEPIXMAPPROC __glewXCreatePixmap = NULL; PFNGLXCREATEWINDOWPROC __glewXCreateWindow = NULL; PFNGLXDESTROYPBUFFERPROC __glewXDestroyPbuffer = NULL; PFNGLXDESTROYPIXMAPPROC __glewXDestroyPixmap = NULL; PFNGLXDESTROYWINDOWPROC __glewXDestroyWindow = NULL; PFNGLXGETCURRENTREADDRAWABLEPROC __glewXGetCurrentReadDrawable = NULL; PFNGLXGETFBCONFIGATTRIBPROC __glewXGetFBConfigAttrib = NULL; PFNGLXGETFBCONFIGSPROC __glewXGetFBConfigs = NULL; PFNGLXGETSELECTEDEVENTPROC __glewXGetSelectedEvent = NULL; PFNGLXGETVISUALFROMFBCONFIGPROC __glewXGetVisualFromFBConfig = NULL; PFNGLXMAKECONTEXTCURRENTPROC __glewXMakeContextCurrent = NULL; PFNGLXQUERYCONTEXTPROC __glewXQueryContext = NULL; PFNGLXQUERYDRAWABLEPROC __glewXQueryDrawable = NULL; PFNGLXSELECTEVENTPROC __glewXSelectEvent = NULL; PFNGLXBLITCONTEXTFRAMEBUFFERAMDPROC __glewXBlitContextFramebufferAMD = NULL; PFNGLXCREATEASSOCIATEDCONTEXTAMDPROC __glewXCreateAssociatedContextAMD = NULL; PFNGLXCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC __glewXCreateAssociatedContextAttribsAMD = NULL; PFNGLXDELETEASSOCIATEDCONTEXTAMDPROC __glewXDeleteAssociatedContextAMD = NULL; PFNGLXGETCONTEXTGPUIDAMDPROC __glewXGetContextGPUIDAMD = NULL; PFNGLXGETCURRENTASSOCIATEDCONTEXTAMDPROC __glewXGetCurrentAssociatedContextAMD = NULL; PFNGLXGETGPUIDSAMDPROC __glewXGetGPUIDsAMD = NULL; PFNGLXGETGPUINFOAMDPROC __glewXGetGPUInfoAMD = NULL; PFNGLXMAKEASSOCIATEDCONTEXTCURRENTAMDPROC __glewXMakeAssociatedContextCurrentAMD = NULL; PFNGLXCREATECONTEXTATTRIBSARBPROC __glewXCreateContextAttribsARB = NULL; PFNGLXBINDTEXIMAGEATIPROC __glewXBindTexImageATI = NULL; PFNGLXDRAWABLEATTRIBATIPROC __glewXDrawableAttribATI = NULL; PFNGLXRELEASETEXIMAGEATIPROC __glewXReleaseTexImageATI = NULL; PFNGLXFREECONTEXTEXTPROC __glewXFreeContextEXT = NULL; PFNGLXGETCONTEXTIDEXTPROC __glewXGetContextIDEXT = NULL; PFNGLXIMPORTCONTEXTEXTPROC __glewXImportContextEXT = NULL; PFNGLXQUERYCONTEXTINFOEXTPROC __glewXQueryContextInfoEXT = NULL; PFNGLXSWAPINTERVALEXTPROC __glewXSwapIntervalEXT = NULL; PFNGLXBINDTEXIMAGEEXTPROC __glewXBindTexImageEXT = NULL; PFNGLXRELEASETEXIMAGEEXTPROC __glewXReleaseTexImageEXT = NULL; PFNGLXGETAGPOFFSETMESAPROC __glewXGetAGPOffsetMESA = NULL; PFNGLXCOPYSUBBUFFERMESAPROC __glewXCopySubBufferMESA = NULL; PFNGLXCREATEGLXPIXMAPMESAPROC __glewXCreateGLXPixmapMESA = NULL; PFNGLXQUERYCURRENTRENDERERINTEGERMESAPROC __glewXQueryCurrentRendererIntegerMESA = NULL; PFNGLXQUERYCURRENTRENDERERSTRINGMESAPROC __glewXQueryCurrentRendererStringMESA = NULL; PFNGLXQUERYRENDERERINTEGERMESAPROC __glewXQueryRendererIntegerMESA = NULL; PFNGLXQUERYRENDERERSTRINGMESAPROC __glewXQueryRendererStringMESA = NULL; PFNGLXRELEASEBUFFERSMESAPROC __glewXReleaseBuffersMESA = NULL; PFNGLXSET3DFXMODEMESAPROC __glewXSet3DfxModeMESA = NULL; PFNGLXGETSWAPINTERVALMESAPROC __glewXGetSwapIntervalMESA = NULL; PFNGLXSWAPINTERVALMESAPROC __glewXSwapIntervalMESA = NULL; PFNGLXCOPYBUFFERSUBDATANVPROC __glewXCopyBufferSubDataNV = NULL; PFNGLXNAMEDCOPYBUFFERSUBDATANVPROC __glewXNamedCopyBufferSubDataNV = NULL; PFNGLXCOPYIMAGESUBDATANVPROC __glewXCopyImageSubDataNV = NULL; PFNGLXDELAYBEFORESWAPNVPROC __glewXDelayBeforeSwapNV = NULL; PFNGLXBINDVIDEODEVICENVPROC __glewXBindVideoDeviceNV = NULL; PFNGLXENUMERATEVIDEODEVICESNVPROC __glewXEnumerateVideoDevicesNV = NULL; PFNGLXBINDSWAPBARRIERNVPROC __glewXBindSwapBarrierNV = NULL; PFNGLXJOINSWAPGROUPNVPROC __glewXJoinSwapGroupNV = NULL; PFNGLXQUERYFRAMECOUNTNVPROC __glewXQueryFrameCountNV = NULL; PFNGLXQUERYMAXSWAPGROUPSNVPROC __glewXQueryMaxSwapGroupsNV = NULL; PFNGLXQUERYSWAPGROUPNVPROC __glewXQuerySwapGroupNV = NULL; PFNGLXRESETFRAMECOUNTNVPROC __glewXResetFrameCountNV = NULL; PFNGLXALLOCATEMEMORYNVPROC __glewXAllocateMemoryNV = NULL; PFNGLXFREEMEMORYNVPROC __glewXFreeMemoryNV = NULL; PFNGLXBINDVIDEOCAPTUREDEVICENVPROC __glewXBindVideoCaptureDeviceNV = NULL; PFNGLXENUMERATEVIDEOCAPTUREDEVICESNVPROC __glewXEnumerateVideoCaptureDevicesNV = NULL; PFNGLXLOCKVIDEOCAPTUREDEVICENVPROC __glewXLockVideoCaptureDeviceNV = NULL; PFNGLXQUERYVIDEOCAPTUREDEVICENVPROC __glewXQueryVideoCaptureDeviceNV = NULL; PFNGLXRELEASEVIDEOCAPTUREDEVICENVPROC __glewXReleaseVideoCaptureDeviceNV = NULL; PFNGLXBINDVIDEOIMAGENVPROC __glewXBindVideoImageNV = NULL; PFNGLXGETVIDEODEVICENVPROC __glewXGetVideoDeviceNV = NULL; PFNGLXGETVIDEOINFONVPROC __glewXGetVideoInfoNV = NULL; PFNGLXRELEASEVIDEODEVICENVPROC __glewXReleaseVideoDeviceNV = NULL; PFNGLXRELEASEVIDEOIMAGENVPROC __glewXReleaseVideoImageNV = NULL; PFNGLXSENDPBUFFERTOVIDEONVPROC __glewXSendPbufferToVideoNV = NULL; PFNGLXGETMSCRATEOMLPROC __glewXGetMscRateOML = NULL; PFNGLXGETSYNCVALUESOMLPROC __glewXGetSyncValuesOML = NULL; PFNGLXSWAPBUFFERSMSCOMLPROC __glewXSwapBuffersMscOML = NULL; PFNGLXWAITFORMSCOMLPROC __glewXWaitForMscOML = NULL; PFNGLXWAITFORSBCOMLPROC __glewXWaitForSbcOML = NULL; PFNGLXCHOOSEFBCONFIGSGIXPROC __glewXChooseFBConfigSGIX = NULL; PFNGLXCREATECONTEXTWITHCONFIGSGIXPROC __glewXCreateContextWithConfigSGIX = NULL; PFNGLXCREATEGLXPIXMAPWITHCONFIGSGIXPROC __glewXCreateGLXPixmapWithConfigSGIX = NULL; PFNGLXGETFBCONFIGATTRIBSGIXPROC __glewXGetFBConfigAttribSGIX = NULL; PFNGLXGETFBCONFIGFROMVISUALSGIXPROC __glewXGetFBConfigFromVisualSGIX = NULL; PFNGLXGETVISUALFROMFBCONFIGSGIXPROC __glewXGetVisualFromFBConfigSGIX = NULL; PFNGLXBINDHYPERPIPESGIXPROC __glewXBindHyperpipeSGIX = NULL; PFNGLXDESTROYHYPERPIPECONFIGSGIXPROC __glewXDestroyHyperpipeConfigSGIX = NULL; PFNGLXHYPERPIPEATTRIBSGIXPROC __glewXHyperpipeAttribSGIX = NULL; PFNGLXHYPERPIPECONFIGSGIXPROC __glewXHyperpipeConfigSGIX = NULL; PFNGLXQUERYHYPERPIPEATTRIBSGIXPROC __glewXQueryHyperpipeAttribSGIX = NULL; PFNGLXQUERYHYPERPIPEBESTATTRIBSGIXPROC __glewXQueryHyperpipeBestAttribSGIX = NULL; PFNGLXQUERYHYPERPIPECONFIGSGIXPROC __glewXQueryHyperpipeConfigSGIX = NULL; PFNGLXQUERYHYPERPIPENETWORKSGIXPROC __glewXQueryHyperpipeNetworkSGIX = NULL; PFNGLXCREATEGLXPBUFFERSGIXPROC __glewXCreateGLXPbufferSGIX = NULL; PFNGLXDESTROYGLXPBUFFERSGIXPROC __glewXDestroyGLXPbufferSGIX = NULL; PFNGLXGETSELECTEDEVENTSGIXPROC __glewXGetSelectedEventSGIX = NULL; PFNGLXQUERYGLXPBUFFERSGIXPROC __glewXQueryGLXPbufferSGIX = NULL; PFNGLXSELECTEVENTSGIXPROC __glewXSelectEventSGIX = NULL; PFNGLXBINDSWAPBARRIERSGIXPROC __glewXBindSwapBarrierSGIX = NULL; PFNGLXQUERYMAXSWAPBARRIERSSGIXPROC __glewXQueryMaxSwapBarriersSGIX = NULL; PFNGLXJOINSWAPGROUPSGIXPROC __glewXJoinSwapGroupSGIX = NULL; PFNGLXBINDCHANNELTOWINDOWSGIXPROC __glewXBindChannelToWindowSGIX = NULL; PFNGLXCHANNELRECTSGIXPROC __glewXChannelRectSGIX = NULL; PFNGLXCHANNELRECTSYNCSGIXPROC __glewXChannelRectSyncSGIX = NULL; PFNGLXQUERYCHANNELDELTASSGIXPROC __glewXQueryChannelDeltasSGIX = NULL; PFNGLXQUERYCHANNELRECTSGIXPROC __glewXQueryChannelRectSGIX = NULL; PFNGLXCUSHIONSGIPROC __glewXCushionSGI = NULL; PFNGLXGETCURRENTREADDRAWABLESGIPROC __glewXGetCurrentReadDrawableSGI = NULL; PFNGLXMAKECURRENTREADSGIPROC __glewXMakeCurrentReadSGI = NULL; PFNGLXSWAPINTERVALSGIPROC __glewXSwapIntervalSGI = NULL; PFNGLXGETVIDEOSYNCSGIPROC __glewXGetVideoSyncSGI = NULL; PFNGLXWAITVIDEOSYNCSGIPROC __glewXWaitVideoSyncSGI = NULL; PFNGLXGETTRANSPARENTINDEXSUNPROC __glewXGetTransparentIndexSUN = NULL; PFNGLXGETVIDEORESIZESUNPROC __glewXGetVideoResizeSUN = NULL; PFNGLXVIDEORESIZESUNPROC __glewXVideoResizeSUN = NULL; GLboolean __GLXEW_VERSION_1_0 = GL_FALSE; GLboolean __GLXEW_VERSION_1_1 = GL_FALSE; GLboolean __GLXEW_VERSION_1_2 = GL_FALSE; GLboolean __GLXEW_VERSION_1_3 = GL_FALSE; GLboolean __GLXEW_VERSION_1_4 = GL_FALSE; GLboolean __GLXEW_3DFX_multisample = GL_FALSE; GLboolean __GLXEW_AMD_gpu_association = GL_FALSE; GLboolean __GLXEW_ARB_context_flush_control = GL_FALSE; GLboolean __GLXEW_ARB_create_context = GL_FALSE; GLboolean __GLXEW_ARB_create_context_no_error = GL_FALSE; GLboolean __GLXEW_ARB_create_context_profile = GL_FALSE; GLboolean __GLXEW_ARB_create_context_robustness = GL_FALSE; GLboolean __GLXEW_ARB_fbconfig_float = GL_FALSE; GLboolean __GLXEW_ARB_framebuffer_sRGB = GL_FALSE; GLboolean __GLXEW_ARB_get_proc_address = GL_FALSE; GLboolean __GLXEW_ARB_multisample = GL_FALSE; GLboolean __GLXEW_ARB_robustness_application_isolation = GL_FALSE; GLboolean __GLXEW_ARB_robustness_share_group_isolation = GL_FALSE; GLboolean __GLXEW_ARB_vertex_buffer_object = GL_FALSE; GLboolean __GLXEW_ATI_pixel_format_float = GL_FALSE; GLboolean __GLXEW_ATI_render_texture = GL_FALSE; GLboolean __GLXEW_EXT_buffer_age = GL_FALSE; GLboolean __GLXEW_EXT_create_context_es2_profile = GL_FALSE; GLboolean __GLXEW_EXT_create_context_es_profile = GL_FALSE; GLboolean __GLXEW_EXT_fbconfig_packed_float = GL_FALSE; GLboolean __GLXEW_EXT_framebuffer_sRGB = GL_FALSE; GLboolean __GLXEW_EXT_import_context = GL_FALSE; GLboolean __GLXEW_EXT_libglvnd = GL_FALSE; GLboolean __GLXEW_EXT_scene_marker = GL_FALSE; GLboolean __GLXEW_EXT_stereo_tree = GL_FALSE; GLboolean __GLXEW_EXT_swap_control = GL_FALSE; GLboolean __GLXEW_EXT_swap_control_tear = GL_FALSE; GLboolean __GLXEW_EXT_texture_from_pixmap = GL_FALSE; GLboolean __GLXEW_EXT_visual_info = GL_FALSE; GLboolean __GLXEW_EXT_visual_rating = GL_FALSE; GLboolean __GLXEW_INTEL_swap_event = GL_FALSE; GLboolean __GLXEW_MESA_agp_offset = GL_FALSE; GLboolean __GLXEW_MESA_copy_sub_buffer = GL_FALSE; GLboolean __GLXEW_MESA_pixmap_colormap = GL_FALSE; GLboolean __GLXEW_MESA_query_renderer = GL_FALSE; GLboolean __GLXEW_MESA_release_buffers = GL_FALSE; GLboolean __GLXEW_MESA_set_3dfx_mode = GL_FALSE; GLboolean __GLXEW_MESA_swap_control = GL_FALSE; GLboolean __GLXEW_NV_copy_buffer = GL_FALSE; GLboolean __GLXEW_NV_copy_image = GL_FALSE; GLboolean __GLXEW_NV_delay_before_swap = GL_FALSE; GLboolean __GLXEW_NV_float_buffer = GL_FALSE; GLboolean __GLXEW_NV_multisample_coverage = GL_FALSE; GLboolean __GLXEW_NV_present_video = GL_FALSE; GLboolean __GLXEW_NV_robustness_video_memory_purge = GL_FALSE; GLboolean __GLXEW_NV_swap_group = GL_FALSE; GLboolean __GLXEW_NV_vertex_array_range = GL_FALSE; GLboolean __GLXEW_NV_video_capture = GL_FALSE; GLboolean __GLXEW_NV_video_out = GL_FALSE; GLboolean __GLXEW_OML_swap_method = GL_FALSE; GLboolean __GLXEW_OML_sync_control = GL_FALSE; GLboolean __GLXEW_SGIS_blended_overlay = GL_FALSE; GLboolean __GLXEW_SGIS_color_range = GL_FALSE; GLboolean __GLXEW_SGIS_multisample = GL_FALSE; GLboolean __GLXEW_SGIS_shared_multisample = GL_FALSE; GLboolean __GLXEW_SGIX_fbconfig = GL_FALSE; GLboolean __GLXEW_SGIX_hyperpipe = GL_FALSE; GLboolean __GLXEW_SGIX_pbuffer = GL_FALSE; GLboolean __GLXEW_SGIX_swap_barrier = GL_FALSE; GLboolean __GLXEW_SGIX_swap_group = GL_FALSE; GLboolean __GLXEW_SGIX_video_resize = GL_FALSE; GLboolean __GLXEW_SGIX_visual_select_group = GL_FALSE; GLboolean __GLXEW_SGI_cushion = GL_FALSE; GLboolean __GLXEW_SGI_make_current_read = GL_FALSE; GLboolean __GLXEW_SGI_swap_control = GL_FALSE; GLboolean __GLXEW_SGI_video_sync = GL_FALSE; GLboolean __GLXEW_SUN_get_transparent_index = GL_FALSE; GLboolean __GLXEW_SUN_video_resize = GL_FALSE; #ifdef GLX_VERSION_1_2 static GLboolean _glewInit_GLX_VERSION_1_2 () { GLboolean r = GL_FALSE; r = ((glXGetCurrentDisplay = (PFNGLXGETCURRENTDISPLAYPROC)glewGetProcAddress((const GLubyte*)"glXGetCurrentDisplay")) == NULL) || r; return r; } #endif /* GLX_VERSION_1_2 */ #ifdef GLX_VERSION_1_3 static GLboolean _glewInit_GLX_VERSION_1_3 () { GLboolean r = GL_FALSE; r = ((glXChooseFBConfig = (PFNGLXCHOOSEFBCONFIGPROC)glewGetProcAddress((const GLubyte*)"glXChooseFBConfig")) == NULL) || r; r = ((glXCreateNewContext = (PFNGLXCREATENEWCONTEXTPROC)glewGetProcAddress((const GLubyte*)"glXCreateNewContext")) == NULL) || r; r = ((glXCreatePbuffer = (PFNGLXCREATEPBUFFERPROC)glewGetProcAddress((const GLubyte*)"glXCreatePbuffer")) == NULL) || r; r = ((glXCreatePixmap = (PFNGLXCREATEPIXMAPPROC)glewGetProcAddress((const GLubyte*)"glXCreatePixmap")) == NULL) || r; r = ((glXCreateWindow = (PFNGLXCREATEWINDOWPROC)glewGetProcAddress((const GLubyte*)"glXCreateWindow")) == NULL) || r; r = ((glXDestroyPbuffer = (PFNGLXDESTROYPBUFFERPROC)glewGetProcAddress((const GLubyte*)"glXDestroyPbuffer")) == NULL) || r; r = ((glXDestroyPixmap = (PFNGLXDESTROYPIXMAPPROC)glewGetProcAddress((const GLubyte*)"glXDestroyPixmap")) == NULL) || r; r = ((glXDestroyWindow = (PFNGLXDESTROYWINDOWPROC)glewGetProcAddress((const GLubyte*)"glXDestroyWindow")) == NULL) || r; r = ((glXGetCurrentReadDrawable = (PFNGLXGETCURRENTREADDRAWABLEPROC)glewGetProcAddress((const GLubyte*)"glXGetCurrentReadDrawable")) == NULL) || r; r = ((glXGetFBConfigAttrib = (PFNGLXGETFBCONFIGATTRIBPROC)glewGetProcAddress((const GLubyte*)"glXGetFBConfigAttrib")) == NULL) || r; r = ((glXGetFBConfigs = (PFNGLXGETFBCONFIGSPROC)glewGetProcAddress((const GLubyte*)"glXGetFBConfigs")) == NULL) || r; r = ((glXGetSelectedEvent = (PFNGLXGETSELECTEDEVENTPROC)glewGetProcAddress((const GLubyte*)"glXGetSelectedEvent")) == NULL) || r; r = ((glXGetVisualFromFBConfig = (PFNGLXGETVISUALFROMFBCONFIGPROC)glewGetProcAddress((const GLubyte*)"glXGetVisualFromFBConfig")) == NULL) || r; r = ((glXMakeContextCurrent = (PFNGLXMAKECONTEXTCURRENTPROC)glewGetProcAddress((const GLubyte*)"glXMakeContextCurrent")) == NULL) || r; r = ((glXQueryContext = (PFNGLXQUERYCONTEXTPROC)glewGetProcAddress((const GLubyte*)"glXQueryContext")) == NULL) || r; r = ((glXQueryDrawable = (PFNGLXQUERYDRAWABLEPROC)glewGetProcAddress((const GLubyte*)"glXQueryDrawable")) == NULL) || r; r = ((glXSelectEvent = (PFNGLXSELECTEVENTPROC)glewGetProcAddress((const GLubyte*)"glXSelectEvent")) == NULL) || r; return r; } #endif /* GLX_VERSION_1_3 */ #ifdef GLX_AMD_gpu_association static GLboolean _glewInit_GLX_AMD_gpu_association () { GLboolean r = GL_FALSE; r = ((glXBlitContextFramebufferAMD = (PFNGLXBLITCONTEXTFRAMEBUFFERAMDPROC)glewGetProcAddress((const GLubyte*)"glXBlitContextFramebufferAMD")) == NULL) || r; r = ((glXCreateAssociatedContextAMD = (PFNGLXCREATEASSOCIATEDCONTEXTAMDPROC)glewGetProcAddress((const GLubyte*)"glXCreateAssociatedContextAMD")) == NULL) || r; r = ((glXCreateAssociatedContextAttribsAMD = (PFNGLXCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC)glewGetProcAddress((const GLubyte*)"glXCreateAssociatedContextAttribsAMD")) == NULL) || r; r = ((glXDeleteAssociatedContextAMD = (PFNGLXDELETEASSOCIATEDCONTEXTAMDPROC)glewGetProcAddress((const GLubyte*)"glXDeleteAssociatedContextAMD")) == NULL) || r; r = ((glXGetContextGPUIDAMD = (PFNGLXGETCONTEXTGPUIDAMDPROC)glewGetProcAddress((const GLubyte*)"glXGetContextGPUIDAMD")) == NULL) || r; r = ((glXGetCurrentAssociatedContextAMD = (PFNGLXGETCURRENTASSOCIATEDCONTEXTAMDPROC)glewGetProcAddress((const GLubyte*)"glXGetCurrentAssociatedContextAMD")) == NULL) || r; r = ((glXGetGPUIDsAMD = (PFNGLXGETGPUIDSAMDPROC)glewGetProcAddress((const GLubyte*)"glXGetGPUIDsAMD")) == NULL) || r; r = ((glXGetGPUInfoAMD = (PFNGLXGETGPUINFOAMDPROC)glewGetProcAddress((const GLubyte*)"glXGetGPUInfoAMD")) == NULL) || r; r = ((glXMakeAssociatedContextCurrentAMD = (PFNGLXMAKEASSOCIATEDCONTEXTCURRENTAMDPROC)glewGetProcAddress((const GLubyte*)"glXMakeAssociatedContextCurrentAMD")) == NULL) || r; return r; } #endif /* GLX_AMD_gpu_association */ #ifdef GLX_ARB_create_context static GLboolean _glewInit_GLX_ARB_create_context () { GLboolean r = GL_FALSE; r = ((glXCreateContextAttribsARB = (PFNGLXCREATECONTEXTATTRIBSARBPROC)glewGetProcAddress((const GLubyte*)"glXCreateContextAttribsARB")) == NULL) || r; return r; } #endif /* GLX_ARB_create_context */ #ifdef GLX_ATI_render_texture static GLboolean _glewInit_GLX_ATI_render_texture () { GLboolean r = GL_FALSE; r = ((glXBindTexImageATI = (PFNGLXBINDTEXIMAGEATIPROC)glewGetProcAddress((const GLubyte*)"glXBindTexImageATI")) == NULL) || r; r = ((glXDrawableAttribATI = (PFNGLXDRAWABLEATTRIBATIPROC)glewGetProcAddress((const GLubyte*)"glXDrawableAttribATI")) == NULL) || r; r = ((glXReleaseTexImageATI = (PFNGLXRELEASETEXIMAGEATIPROC)glewGetProcAddress((const GLubyte*)"glXReleaseTexImageATI")) == NULL) || r; return r; } #endif /* GLX_ATI_render_texture */ #ifdef GLX_EXT_import_context static GLboolean _glewInit_GLX_EXT_import_context () { GLboolean r = GL_FALSE; r = ((glXFreeContextEXT = (PFNGLXFREECONTEXTEXTPROC)glewGetProcAddress((const GLubyte*)"glXFreeContextEXT")) == NULL) || r; r = ((glXGetContextIDEXT = (PFNGLXGETCONTEXTIDEXTPROC)glewGetProcAddress((const GLubyte*)"glXGetContextIDEXT")) == NULL) || r; r = ((glXImportContextEXT = (PFNGLXIMPORTCONTEXTEXTPROC)glewGetProcAddress((const GLubyte*)"glXImportContextEXT")) == NULL) || r; r = ((glXQueryContextInfoEXT = (PFNGLXQUERYCONTEXTINFOEXTPROC)glewGetProcAddress((const GLubyte*)"glXQueryContextInfoEXT")) == NULL) || r; return r; } #endif /* GLX_EXT_import_context */ #ifdef GLX_EXT_swap_control static GLboolean _glewInit_GLX_EXT_swap_control () { GLboolean r = GL_FALSE; r = ((glXSwapIntervalEXT = (PFNGLXSWAPINTERVALEXTPROC)glewGetProcAddress((const GLubyte*)"glXSwapIntervalEXT")) == NULL) || r; return r; } #endif /* GLX_EXT_swap_control */ #ifdef GLX_EXT_texture_from_pixmap static GLboolean _glewInit_GLX_EXT_texture_from_pixmap () { GLboolean r = GL_FALSE; r = ((glXBindTexImageEXT = (PFNGLXBINDTEXIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glXBindTexImageEXT")) == NULL) || r; r = ((glXReleaseTexImageEXT = (PFNGLXRELEASETEXIMAGEEXTPROC)glewGetProcAddress((const GLubyte*)"glXReleaseTexImageEXT")) == NULL) || r; return r; } #endif /* GLX_EXT_texture_from_pixmap */ #ifdef GLX_MESA_agp_offset static GLboolean _glewInit_GLX_MESA_agp_offset () { GLboolean r = GL_FALSE; r = ((glXGetAGPOffsetMESA = (PFNGLXGETAGPOFFSETMESAPROC)glewGetProcAddress((const GLubyte*)"glXGetAGPOffsetMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_agp_offset */ #ifdef GLX_MESA_copy_sub_buffer static GLboolean _glewInit_GLX_MESA_copy_sub_buffer () { GLboolean r = GL_FALSE; r = ((glXCopySubBufferMESA = (PFNGLXCOPYSUBBUFFERMESAPROC)glewGetProcAddress((const GLubyte*)"glXCopySubBufferMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_copy_sub_buffer */ #ifdef GLX_MESA_pixmap_colormap static GLboolean _glewInit_GLX_MESA_pixmap_colormap () { GLboolean r = GL_FALSE; r = ((glXCreateGLXPixmapMESA = (PFNGLXCREATEGLXPIXMAPMESAPROC)glewGetProcAddress((const GLubyte*)"glXCreateGLXPixmapMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_pixmap_colormap */ #ifdef GLX_MESA_query_renderer static GLboolean _glewInit_GLX_MESA_query_renderer () { GLboolean r = GL_FALSE; r = ((glXQueryCurrentRendererIntegerMESA = (PFNGLXQUERYCURRENTRENDERERINTEGERMESAPROC)glewGetProcAddress((const GLubyte*)"glXQueryCurrentRendererIntegerMESA")) == NULL) || r; r = ((glXQueryCurrentRendererStringMESA = (PFNGLXQUERYCURRENTRENDERERSTRINGMESAPROC)glewGetProcAddress((const GLubyte*)"glXQueryCurrentRendererStringMESA")) == NULL) || r; r = ((glXQueryRendererIntegerMESA = (PFNGLXQUERYRENDERERINTEGERMESAPROC)glewGetProcAddress((const GLubyte*)"glXQueryRendererIntegerMESA")) == NULL) || r; r = ((glXQueryRendererStringMESA = (PFNGLXQUERYRENDERERSTRINGMESAPROC)glewGetProcAddress((const GLubyte*)"glXQueryRendererStringMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_query_renderer */ #ifdef GLX_MESA_release_buffers static GLboolean _glewInit_GLX_MESA_release_buffers () { GLboolean r = GL_FALSE; r = ((glXReleaseBuffersMESA = (PFNGLXRELEASEBUFFERSMESAPROC)glewGetProcAddress((const GLubyte*)"glXReleaseBuffersMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_release_buffers */ #ifdef GLX_MESA_set_3dfx_mode static GLboolean _glewInit_GLX_MESA_set_3dfx_mode () { GLboolean r = GL_FALSE; r = ((glXSet3DfxModeMESA = (PFNGLXSET3DFXMODEMESAPROC)glewGetProcAddress((const GLubyte*)"glXSet3DfxModeMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_set_3dfx_mode */ #ifdef GLX_MESA_swap_control static GLboolean _glewInit_GLX_MESA_swap_control () { GLboolean r = GL_FALSE; r = ((glXGetSwapIntervalMESA = (PFNGLXGETSWAPINTERVALMESAPROC)glewGetProcAddress((const GLubyte*)"glXGetSwapIntervalMESA")) == NULL) || r; r = ((glXSwapIntervalMESA = (PFNGLXSWAPINTERVALMESAPROC)glewGetProcAddress((const GLubyte*)"glXSwapIntervalMESA")) == NULL) || r; return r; } #endif /* GLX_MESA_swap_control */ #ifdef GLX_NV_copy_buffer static GLboolean _glewInit_GLX_NV_copy_buffer () { GLboolean r = GL_FALSE; r = ((glXCopyBufferSubDataNV = (PFNGLXCOPYBUFFERSUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glXCopyBufferSubDataNV")) == NULL) || r; r = ((glXNamedCopyBufferSubDataNV = (PFNGLXNAMEDCOPYBUFFERSUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glXNamedCopyBufferSubDataNV")) == NULL) || r; return r; } #endif /* GLX_NV_copy_buffer */ #ifdef GLX_NV_copy_image static GLboolean _glewInit_GLX_NV_copy_image () { GLboolean r = GL_FALSE; r = ((glXCopyImageSubDataNV = (PFNGLXCOPYIMAGESUBDATANVPROC)glewGetProcAddress((const GLubyte*)"glXCopyImageSubDataNV")) == NULL) || r; return r; } #endif /* GLX_NV_copy_image */ #ifdef GLX_NV_delay_before_swap static GLboolean _glewInit_GLX_NV_delay_before_swap () { GLboolean r = GL_FALSE; r = ((glXDelayBeforeSwapNV = (PFNGLXDELAYBEFORESWAPNVPROC)glewGetProcAddress((const GLubyte*)"glXDelayBeforeSwapNV")) == NULL) || r; return r; } #endif /* GLX_NV_delay_before_swap */ #ifdef GLX_NV_present_video static GLboolean _glewInit_GLX_NV_present_video () { GLboolean r = GL_FALSE; r = ((glXBindVideoDeviceNV = (PFNGLXBINDVIDEODEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXBindVideoDeviceNV")) == NULL) || r; r = ((glXEnumerateVideoDevicesNV = (PFNGLXENUMERATEVIDEODEVICESNVPROC)glewGetProcAddress((const GLubyte*)"glXEnumerateVideoDevicesNV")) == NULL) || r; return r; } #endif /* GLX_NV_present_video */ #ifdef GLX_NV_swap_group static GLboolean _glewInit_GLX_NV_swap_group () { GLboolean r = GL_FALSE; r = ((glXBindSwapBarrierNV = (PFNGLXBINDSWAPBARRIERNVPROC)glewGetProcAddress((const GLubyte*)"glXBindSwapBarrierNV")) == NULL) || r; r = ((glXJoinSwapGroupNV = (PFNGLXJOINSWAPGROUPNVPROC)glewGetProcAddress((const GLubyte*)"glXJoinSwapGroupNV")) == NULL) || r; r = ((glXQueryFrameCountNV = (PFNGLXQUERYFRAMECOUNTNVPROC)glewGetProcAddress((const GLubyte*)"glXQueryFrameCountNV")) == NULL) || r; r = ((glXQueryMaxSwapGroupsNV = (PFNGLXQUERYMAXSWAPGROUPSNVPROC)glewGetProcAddress((const GLubyte*)"glXQueryMaxSwapGroupsNV")) == NULL) || r; r = ((glXQuerySwapGroupNV = (PFNGLXQUERYSWAPGROUPNVPROC)glewGetProcAddress((const GLubyte*)"glXQuerySwapGroupNV")) == NULL) || r; r = ((glXResetFrameCountNV = (PFNGLXRESETFRAMECOUNTNVPROC)glewGetProcAddress((const GLubyte*)"glXResetFrameCountNV")) == NULL) || r; return r; } #endif /* GLX_NV_swap_group */ #ifdef GLX_NV_vertex_array_range static GLboolean _glewInit_GLX_NV_vertex_array_range () { GLboolean r = GL_FALSE; r = ((glXAllocateMemoryNV = (PFNGLXALLOCATEMEMORYNVPROC)glewGetProcAddress((const GLubyte*)"glXAllocateMemoryNV")) == NULL) || r; r = ((glXFreeMemoryNV = (PFNGLXFREEMEMORYNVPROC)glewGetProcAddress((const GLubyte*)"glXFreeMemoryNV")) == NULL) || r; return r; } #endif /* GLX_NV_vertex_array_range */ #ifdef GLX_NV_video_capture static GLboolean _glewInit_GLX_NV_video_capture () { GLboolean r = GL_FALSE; r = ((glXBindVideoCaptureDeviceNV = (PFNGLXBINDVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXBindVideoCaptureDeviceNV")) == NULL) || r; r = ((glXEnumerateVideoCaptureDevicesNV = (PFNGLXENUMERATEVIDEOCAPTUREDEVICESNVPROC)glewGetProcAddress((const GLubyte*)"glXEnumerateVideoCaptureDevicesNV")) == NULL) || r; r = ((glXLockVideoCaptureDeviceNV = (PFNGLXLOCKVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXLockVideoCaptureDeviceNV")) == NULL) || r; r = ((glXQueryVideoCaptureDeviceNV = (PFNGLXQUERYVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXQueryVideoCaptureDeviceNV")) == NULL) || r; r = ((glXReleaseVideoCaptureDeviceNV = (PFNGLXRELEASEVIDEOCAPTUREDEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXReleaseVideoCaptureDeviceNV")) == NULL) || r; return r; } #endif /* GLX_NV_video_capture */ #ifdef GLX_NV_video_out static GLboolean _glewInit_GLX_NV_video_out () { GLboolean r = GL_FALSE; r = ((glXBindVideoImageNV = (PFNGLXBINDVIDEOIMAGENVPROC)glewGetProcAddress((const GLubyte*)"glXBindVideoImageNV")) == NULL) || r; r = ((glXGetVideoDeviceNV = (PFNGLXGETVIDEODEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXGetVideoDeviceNV")) == NULL) || r; r = ((glXGetVideoInfoNV = (PFNGLXGETVIDEOINFONVPROC)glewGetProcAddress((const GLubyte*)"glXGetVideoInfoNV")) == NULL) || r; r = ((glXReleaseVideoDeviceNV = (PFNGLXRELEASEVIDEODEVICENVPROC)glewGetProcAddress((const GLubyte*)"glXReleaseVideoDeviceNV")) == NULL) || r; r = ((glXReleaseVideoImageNV = (PFNGLXRELEASEVIDEOIMAGENVPROC)glewGetProcAddress((const GLubyte*)"glXReleaseVideoImageNV")) == NULL) || r; r = ((glXSendPbufferToVideoNV = (PFNGLXSENDPBUFFERTOVIDEONVPROC)glewGetProcAddress((const GLubyte*)"glXSendPbufferToVideoNV")) == NULL) || r; return r; } #endif /* GLX_NV_video_out */ #ifdef GLX_OML_sync_control static GLboolean _glewInit_GLX_OML_sync_control () { GLboolean r = GL_FALSE; r = ((glXGetMscRateOML = (PFNGLXGETMSCRATEOMLPROC)glewGetProcAddress((const GLubyte*)"glXGetMscRateOML")) == NULL) || r; r = ((glXGetSyncValuesOML = (PFNGLXGETSYNCVALUESOMLPROC)glewGetProcAddress((const GLubyte*)"glXGetSyncValuesOML")) == NULL) || r; r = ((glXSwapBuffersMscOML = (PFNGLXSWAPBUFFERSMSCOMLPROC)glewGetProcAddress((const GLubyte*)"glXSwapBuffersMscOML")) == NULL) || r; r = ((glXWaitForMscOML = (PFNGLXWAITFORMSCOMLPROC)glewGetProcAddress((const GLubyte*)"glXWaitForMscOML")) == NULL) || r; r = ((glXWaitForSbcOML = (PFNGLXWAITFORSBCOMLPROC)glewGetProcAddress((const GLubyte*)"glXWaitForSbcOML")) == NULL) || r; return r; } #endif /* GLX_OML_sync_control */ #ifdef GLX_SGIX_fbconfig static GLboolean _glewInit_GLX_SGIX_fbconfig () { GLboolean r = GL_FALSE; r = ((glXChooseFBConfigSGIX = (PFNGLXCHOOSEFBCONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXChooseFBConfigSGIX")) == NULL) || r; r = ((glXCreateContextWithConfigSGIX = (PFNGLXCREATECONTEXTWITHCONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXCreateContextWithConfigSGIX")) == NULL) || r; r = ((glXCreateGLXPixmapWithConfigSGIX = (PFNGLXCREATEGLXPIXMAPWITHCONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXCreateGLXPixmapWithConfigSGIX")) == NULL) || r; r = ((glXGetFBConfigAttribSGIX = (PFNGLXGETFBCONFIGATTRIBSGIXPROC)glewGetProcAddress((const GLubyte*)"glXGetFBConfigAttribSGIX")) == NULL) || r; r = ((glXGetFBConfigFromVisualSGIX = (PFNGLXGETFBCONFIGFROMVISUALSGIXPROC)glewGetProcAddress((const GLubyte*)"glXGetFBConfigFromVisualSGIX")) == NULL) || r; r = ((glXGetVisualFromFBConfigSGIX = (PFNGLXGETVISUALFROMFBCONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXGetVisualFromFBConfigSGIX")) == NULL) || r; return r; } #endif /* GLX_SGIX_fbconfig */ #ifdef GLX_SGIX_hyperpipe static GLboolean _glewInit_GLX_SGIX_hyperpipe () { GLboolean r = GL_FALSE; r = ((glXBindHyperpipeSGIX = (PFNGLXBINDHYPERPIPESGIXPROC)glewGetProcAddress((const GLubyte*)"glXBindHyperpipeSGIX")) == NULL) || r; r = ((glXDestroyHyperpipeConfigSGIX = (PFNGLXDESTROYHYPERPIPECONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXDestroyHyperpipeConfigSGIX")) == NULL) || r; r = ((glXHyperpipeAttribSGIX = (PFNGLXHYPERPIPEATTRIBSGIXPROC)glewGetProcAddress((const GLubyte*)"glXHyperpipeAttribSGIX")) == NULL) || r; r = ((glXHyperpipeConfigSGIX = (PFNGLXHYPERPIPECONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXHyperpipeConfigSGIX")) == NULL) || r; r = ((glXQueryHyperpipeAttribSGIX = (PFNGLXQUERYHYPERPIPEATTRIBSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryHyperpipeAttribSGIX")) == NULL) || r; r = ((glXQueryHyperpipeBestAttribSGIX = (PFNGLXQUERYHYPERPIPEBESTATTRIBSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryHyperpipeBestAttribSGIX")) == NULL) || r; r = ((glXQueryHyperpipeConfigSGIX = (PFNGLXQUERYHYPERPIPECONFIGSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryHyperpipeConfigSGIX")) == NULL) || r; r = ((glXQueryHyperpipeNetworkSGIX = (PFNGLXQUERYHYPERPIPENETWORKSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryHyperpipeNetworkSGIX")) == NULL) || r; return r; } #endif /* GLX_SGIX_hyperpipe */ #ifdef GLX_SGIX_pbuffer static GLboolean _glewInit_GLX_SGIX_pbuffer () { GLboolean r = GL_FALSE; r = ((glXCreateGLXPbufferSGIX = (PFNGLXCREATEGLXPBUFFERSGIXPROC)glewGetProcAddress((const GLubyte*)"glXCreateGLXPbufferSGIX")) == NULL) || r; r = ((glXDestroyGLXPbufferSGIX = (PFNGLXDESTROYGLXPBUFFERSGIXPROC)glewGetProcAddress((const GLubyte*)"glXDestroyGLXPbufferSGIX")) == NULL) || r; r = ((glXGetSelectedEventSGIX = (PFNGLXGETSELECTEDEVENTSGIXPROC)glewGetProcAddress((const GLubyte*)"glXGetSelectedEventSGIX")) == NULL) || r; r = ((glXQueryGLXPbufferSGIX = (PFNGLXQUERYGLXPBUFFERSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryGLXPbufferSGIX")) == NULL) || r; r = ((glXSelectEventSGIX = (PFNGLXSELECTEVENTSGIXPROC)glewGetProcAddress((const GLubyte*)"glXSelectEventSGIX")) == NULL) || r; return r; } #endif /* GLX_SGIX_pbuffer */ #ifdef GLX_SGIX_swap_barrier static GLboolean _glewInit_GLX_SGIX_swap_barrier () { GLboolean r = GL_FALSE; r = ((glXBindSwapBarrierSGIX = (PFNGLXBINDSWAPBARRIERSGIXPROC)glewGetProcAddress((const GLubyte*)"glXBindSwapBarrierSGIX")) == NULL) || r; r = ((glXQueryMaxSwapBarriersSGIX = (PFNGLXQUERYMAXSWAPBARRIERSSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryMaxSwapBarriersSGIX")) == NULL) || r; return r; } #endif /* GLX_SGIX_swap_barrier */ #ifdef GLX_SGIX_swap_group static GLboolean _glewInit_GLX_SGIX_swap_group () { GLboolean r = GL_FALSE; r = ((glXJoinSwapGroupSGIX = (PFNGLXJOINSWAPGROUPSGIXPROC)glewGetProcAddress((const GLubyte*)"glXJoinSwapGroupSGIX")) == NULL) || r; return r; } #endif /* GLX_SGIX_swap_group */ #ifdef GLX_SGIX_video_resize static GLboolean _glewInit_GLX_SGIX_video_resize () { GLboolean r = GL_FALSE; r = ((glXBindChannelToWindowSGIX = (PFNGLXBINDCHANNELTOWINDOWSGIXPROC)glewGetProcAddress((const GLubyte*)"glXBindChannelToWindowSGIX")) == NULL) || r; r = ((glXChannelRectSGIX = (PFNGLXCHANNELRECTSGIXPROC)glewGetProcAddress((const GLubyte*)"glXChannelRectSGIX")) == NULL) || r; r = ((glXChannelRectSyncSGIX = (PFNGLXCHANNELRECTSYNCSGIXPROC)glewGetProcAddress((const GLubyte*)"glXChannelRectSyncSGIX")) == NULL) || r; r = ((glXQueryChannelDeltasSGIX = (PFNGLXQUERYCHANNELDELTASSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryChannelDeltasSGIX")) == NULL) || r; r = ((glXQueryChannelRectSGIX = (PFNGLXQUERYCHANNELRECTSGIXPROC)glewGetProcAddress((const GLubyte*)"glXQueryChannelRectSGIX")) == NULL) || r; return r; } #endif /* GLX_SGIX_video_resize */ #ifdef GLX_SGI_cushion static GLboolean _glewInit_GLX_SGI_cushion () { GLboolean r = GL_FALSE; r = ((glXCushionSGI = (PFNGLXCUSHIONSGIPROC)glewGetProcAddress((const GLubyte*)"glXCushionSGI")) == NULL) || r; return r; } #endif /* GLX_SGI_cushion */ #ifdef GLX_SGI_make_current_read static GLboolean _glewInit_GLX_SGI_make_current_read () { GLboolean r = GL_FALSE; r = ((glXGetCurrentReadDrawableSGI = (PFNGLXGETCURRENTREADDRAWABLESGIPROC)glewGetProcAddress((const GLubyte*)"glXGetCurrentReadDrawableSGI")) == NULL) || r; r = ((glXMakeCurrentReadSGI = (PFNGLXMAKECURRENTREADSGIPROC)glewGetProcAddress((const GLubyte*)"glXMakeCurrentReadSGI")) == NULL) || r; return r; } #endif /* GLX_SGI_make_current_read */ #ifdef GLX_SGI_swap_control static GLboolean _glewInit_GLX_SGI_swap_control () { GLboolean r = GL_FALSE; r = ((glXSwapIntervalSGI = (PFNGLXSWAPINTERVALSGIPROC)glewGetProcAddress((const GLubyte*)"glXSwapIntervalSGI")) == NULL) || r; return r; } #endif /* GLX_SGI_swap_control */ #ifdef GLX_SGI_video_sync static GLboolean _glewInit_GLX_SGI_video_sync () { GLboolean r = GL_FALSE; r = ((glXGetVideoSyncSGI = (PFNGLXGETVIDEOSYNCSGIPROC)glewGetProcAddress((const GLubyte*)"glXGetVideoSyncSGI")) == NULL) || r; r = ((glXWaitVideoSyncSGI = (PFNGLXWAITVIDEOSYNCSGIPROC)glewGetProcAddress((const GLubyte*)"glXWaitVideoSyncSGI")) == NULL) || r; return r; } #endif /* GLX_SGI_video_sync */ #ifdef GLX_SUN_get_transparent_index static GLboolean _glewInit_GLX_SUN_get_transparent_index () { GLboolean r = GL_FALSE; r = ((glXGetTransparentIndexSUN = (PFNGLXGETTRANSPARENTINDEXSUNPROC)glewGetProcAddress((const GLubyte*)"glXGetTransparentIndexSUN")) == NULL) || r; return r; } #endif /* GLX_SUN_get_transparent_index */ #ifdef GLX_SUN_video_resize static GLboolean _glewInit_GLX_SUN_video_resize () { GLboolean r = GL_FALSE; r = ((glXGetVideoResizeSUN = (PFNGLXGETVIDEORESIZESUNPROC)glewGetProcAddress((const GLubyte*)"glXGetVideoResizeSUN")) == NULL) || r; r = ((glXVideoResizeSUN = (PFNGLXVIDEORESIZESUNPROC)glewGetProcAddress((const GLubyte*)"glXVideoResizeSUN")) == NULL) || r; return r; } #endif /* GLX_SUN_video_resize */ /* ------------------------------------------------------------------------ */ GLboolean glxewGetExtension (const char* name) { const GLubyte* start; const GLubyte* end; if (glXGetCurrentDisplay == NULL) return GL_FALSE; start = (const GLubyte*)glXGetClientString(glXGetCurrentDisplay(), GLX_EXTENSIONS); if (0 == start) return GL_FALSE; end = start + _glewStrLen(start); return _glewSearchExtension(name, start, end); } GLenum glxewInit () { Display* display; int major, minor; const GLubyte* extStart; const GLubyte* extEnd; /* initialize core GLX 1.2 */ if (_glewInit_GLX_VERSION_1_2()) return GLEW_ERROR_GLX_VERSION_11_ONLY; /* check for a display */ display = glXGetCurrentDisplay(); if (display == NULL) return GLEW_ERROR_NO_GLX_DISPLAY; /* initialize flags */ GLXEW_VERSION_1_0 = GL_TRUE; GLXEW_VERSION_1_1 = GL_TRUE; GLXEW_VERSION_1_2 = GL_TRUE; GLXEW_VERSION_1_3 = GL_TRUE; GLXEW_VERSION_1_4 = GL_TRUE; /* query GLX version */ glXQueryVersion(display, &major, &minor); if (major == 1 && minor <= 3) { switch (minor) { case 3: GLXEW_VERSION_1_4 = GL_FALSE; break; case 2: GLXEW_VERSION_1_4 = GL_FALSE; GLXEW_VERSION_1_3 = GL_FALSE; break; default: return GLEW_ERROR_GLX_VERSION_11_ONLY; break; } } /* query GLX extension string */ extStart = 0; if (glXGetCurrentDisplay != NULL) extStart = (const GLubyte*)glXGetClientString(display, GLX_EXTENSIONS); if (extStart == 0) extStart = (const GLubyte *)""; extEnd = extStart + _glewStrLen(extStart); /* initialize extensions */ #ifdef GLX_VERSION_1_3 if (glewExperimental || GLXEW_VERSION_1_3) GLXEW_VERSION_1_3 = !_glewInit_GLX_VERSION_1_3(); #endif /* GLX_VERSION_1_3 */ #ifdef GLX_3DFX_multisample GLXEW_3DFX_multisample = _glewSearchExtension("GLX_3DFX_multisample", extStart, extEnd); #endif /* GLX_3DFX_multisample */ #ifdef GLX_AMD_gpu_association GLXEW_AMD_gpu_association = _glewSearchExtension("GLX_AMD_gpu_association", extStart, extEnd); if (glewExperimental || GLXEW_AMD_gpu_association) GLXEW_AMD_gpu_association = !_glewInit_GLX_AMD_gpu_association(); #endif /* GLX_AMD_gpu_association */ #ifdef GLX_ARB_context_flush_control GLXEW_ARB_context_flush_control = _glewSearchExtension("GLX_ARB_context_flush_control", extStart, extEnd); #endif /* GLX_ARB_context_flush_control */ #ifdef GLX_ARB_create_context GLXEW_ARB_create_context = _glewSearchExtension("GLX_ARB_create_context", extStart, extEnd); if (glewExperimental || GLXEW_ARB_create_context) GLXEW_ARB_create_context = !_glewInit_GLX_ARB_create_context(); #endif /* GLX_ARB_create_context */ #ifdef GLX_ARB_create_context_no_error GLXEW_ARB_create_context_no_error = _glewSearchExtension("GLX_ARB_create_context_no_error", extStart, extEnd); #endif /* GLX_ARB_create_context_no_error */ #ifdef GLX_ARB_create_context_profile GLXEW_ARB_create_context_profile = _glewSearchExtension("GLX_ARB_create_context_profile", extStart, extEnd); #endif /* GLX_ARB_create_context_profile */ #ifdef GLX_ARB_create_context_robustness GLXEW_ARB_create_context_robustness = _glewSearchExtension("GLX_ARB_create_context_robustness", extStart, extEnd); #endif /* GLX_ARB_create_context_robustness */ #ifdef GLX_ARB_fbconfig_float GLXEW_ARB_fbconfig_float = _glewSearchExtension("GLX_ARB_fbconfig_float", extStart, extEnd); #endif /* GLX_ARB_fbconfig_float */ #ifdef GLX_ARB_framebuffer_sRGB GLXEW_ARB_framebuffer_sRGB = _glewSearchExtension("GLX_ARB_framebuffer_sRGB", extStart, extEnd); #endif /* GLX_ARB_framebuffer_sRGB */ #ifdef GLX_ARB_get_proc_address GLXEW_ARB_get_proc_address = _glewSearchExtension("GLX_ARB_get_proc_address", extStart, extEnd); #endif /* GLX_ARB_get_proc_address */ #ifdef GLX_ARB_multisample GLXEW_ARB_multisample = _glewSearchExtension("GLX_ARB_multisample", extStart, extEnd); #endif /* GLX_ARB_multisample */ #ifdef GLX_ARB_robustness_application_isolation GLXEW_ARB_robustness_application_isolation = _glewSearchExtension("GLX_ARB_robustness_application_isolation", extStart, extEnd); #endif /* GLX_ARB_robustness_application_isolation */ #ifdef GLX_ARB_robustness_share_group_isolation GLXEW_ARB_robustness_share_group_isolation = _glewSearchExtension("GLX_ARB_robustness_share_group_isolation", extStart, extEnd); #endif /* GLX_ARB_robustness_share_group_isolation */ #ifdef GLX_ARB_vertex_buffer_object GLXEW_ARB_vertex_buffer_object = _glewSearchExtension("GLX_ARB_vertex_buffer_object", extStart, extEnd); #endif /* GLX_ARB_vertex_buffer_object */ #ifdef GLX_ATI_pixel_format_float GLXEW_ATI_pixel_format_float = _glewSearchExtension("GLX_ATI_pixel_format_float", extStart, extEnd); #endif /* GLX_ATI_pixel_format_float */ #ifdef GLX_ATI_render_texture GLXEW_ATI_render_texture = _glewSearchExtension("GLX_ATI_render_texture", extStart, extEnd); if (glewExperimental || GLXEW_ATI_render_texture) GLXEW_ATI_render_texture = !_glewInit_GLX_ATI_render_texture(); #endif /* GLX_ATI_render_texture */ #ifdef GLX_EXT_buffer_age GLXEW_EXT_buffer_age = _glewSearchExtension("GLX_EXT_buffer_age", extStart, extEnd); #endif /* GLX_EXT_buffer_age */ #ifdef GLX_EXT_create_context_es2_profile GLXEW_EXT_create_context_es2_profile = _glewSearchExtension("GLX_EXT_create_context_es2_profile", extStart, extEnd); #endif /* GLX_EXT_create_context_es2_profile */ #ifdef GLX_EXT_create_context_es_profile GLXEW_EXT_create_context_es_profile = _glewSearchExtension("GLX_EXT_create_context_es_profile", extStart, extEnd); #endif /* GLX_EXT_create_context_es_profile */ #ifdef GLX_EXT_fbconfig_packed_float GLXEW_EXT_fbconfig_packed_float = _glewSearchExtension("GLX_EXT_fbconfig_packed_float", extStart, extEnd); #endif /* GLX_EXT_fbconfig_packed_float */ #ifdef GLX_EXT_framebuffer_sRGB GLXEW_EXT_framebuffer_sRGB = _glewSearchExtension("GLX_EXT_framebuffer_sRGB", extStart, extEnd); #endif /* GLX_EXT_framebuffer_sRGB */ #ifdef GLX_EXT_import_context GLXEW_EXT_import_context = _glewSearchExtension("GLX_EXT_import_context", extStart, extEnd); if (glewExperimental || GLXEW_EXT_import_context) GLXEW_EXT_import_context = !_glewInit_GLX_EXT_import_context(); #endif /* GLX_EXT_import_context */ #ifdef GLX_EXT_libglvnd GLXEW_EXT_libglvnd = _glewSearchExtension("GLX_EXT_libglvnd", extStart, extEnd); #endif /* GLX_EXT_libglvnd */ #ifdef GLX_EXT_scene_marker GLXEW_EXT_scene_marker = _glewSearchExtension("GLX_EXT_scene_marker", extStart, extEnd); #endif /* GLX_EXT_scene_marker */ #ifdef GLX_EXT_stereo_tree GLXEW_EXT_stereo_tree = _glewSearchExtension("GLX_EXT_stereo_tree", extStart, extEnd); #endif /* GLX_EXT_stereo_tree */ #ifdef GLX_EXT_swap_control GLXEW_EXT_swap_control = _glewSearchExtension("GLX_EXT_swap_control", extStart, extEnd); if (glewExperimental || GLXEW_EXT_swap_control) GLXEW_EXT_swap_control = !_glewInit_GLX_EXT_swap_control(); #endif /* GLX_EXT_swap_control */ #ifdef GLX_EXT_swap_control_tear GLXEW_EXT_swap_control_tear = _glewSearchExtension("GLX_EXT_swap_control_tear", extStart, extEnd); #endif /* GLX_EXT_swap_control_tear */ #ifdef GLX_EXT_texture_from_pixmap GLXEW_EXT_texture_from_pixmap = _glewSearchExtension("GLX_EXT_texture_from_pixmap", extStart, extEnd); if (glewExperimental || GLXEW_EXT_texture_from_pixmap) GLXEW_EXT_texture_from_pixmap = !_glewInit_GLX_EXT_texture_from_pixmap(); #endif /* GLX_EXT_texture_from_pixmap */ #ifdef GLX_EXT_visual_info GLXEW_EXT_visual_info = _glewSearchExtension("GLX_EXT_visual_info", extStart, extEnd); #endif /* GLX_EXT_visual_info */ #ifdef GLX_EXT_visual_rating GLXEW_EXT_visual_rating = _glewSearchExtension("GLX_EXT_visual_rating", extStart, extEnd); #endif /* GLX_EXT_visual_rating */ #ifdef GLX_INTEL_swap_event GLXEW_INTEL_swap_event = _glewSearchExtension("GLX_INTEL_swap_event", extStart, extEnd); #endif /* GLX_INTEL_swap_event */ #ifdef GLX_MESA_agp_offset GLXEW_MESA_agp_offset = _glewSearchExtension("GLX_MESA_agp_offset", extStart, extEnd); if (glewExperimental || GLXEW_MESA_agp_offset) GLXEW_MESA_agp_offset = !_glewInit_GLX_MESA_agp_offset(); #endif /* GLX_MESA_agp_offset */ #ifdef GLX_MESA_copy_sub_buffer GLXEW_MESA_copy_sub_buffer = _glewSearchExtension("GLX_MESA_copy_sub_buffer", extStart, extEnd); if (glewExperimental || GLXEW_MESA_copy_sub_buffer) GLXEW_MESA_copy_sub_buffer = !_glewInit_GLX_MESA_copy_sub_buffer(); #endif /* GLX_MESA_copy_sub_buffer */ #ifdef GLX_MESA_pixmap_colormap GLXEW_MESA_pixmap_colormap = _glewSearchExtension("GLX_MESA_pixmap_colormap", extStart, extEnd); if (glewExperimental || GLXEW_MESA_pixmap_colormap) GLXEW_MESA_pixmap_colormap = !_glewInit_GLX_MESA_pixmap_colormap(); #endif /* GLX_MESA_pixmap_colormap */ #ifdef GLX_MESA_query_renderer GLXEW_MESA_query_renderer = _glewSearchExtension("GLX_MESA_query_renderer", extStart, extEnd); if (glewExperimental || GLXEW_MESA_query_renderer) GLXEW_MESA_query_renderer = !_glewInit_GLX_MESA_query_renderer(); #endif /* GLX_MESA_query_renderer */ #ifdef GLX_MESA_release_buffers GLXEW_MESA_release_buffers = _glewSearchExtension("GLX_MESA_release_buffers", extStart, extEnd); if (glewExperimental || GLXEW_MESA_release_buffers) GLXEW_MESA_release_buffers = !_glewInit_GLX_MESA_release_buffers(); #endif /* GLX_MESA_release_buffers */ #ifdef GLX_MESA_set_3dfx_mode GLXEW_MESA_set_3dfx_mode = _glewSearchExtension("GLX_MESA_set_3dfx_mode", extStart, extEnd); if (glewExperimental || GLXEW_MESA_set_3dfx_mode) GLXEW_MESA_set_3dfx_mode = !_glewInit_GLX_MESA_set_3dfx_mode(); #endif /* GLX_MESA_set_3dfx_mode */ #ifdef GLX_MESA_swap_control GLXEW_MESA_swap_control = _glewSearchExtension("GLX_MESA_swap_control", extStart, extEnd); if (glewExperimental || GLXEW_MESA_swap_control) GLXEW_MESA_swap_control = !_glewInit_GLX_MESA_swap_control(); #endif /* GLX_MESA_swap_control */ #ifdef GLX_NV_copy_buffer GLXEW_NV_copy_buffer = _glewSearchExtension("GLX_NV_copy_buffer", extStart, extEnd); if (glewExperimental || GLXEW_NV_copy_buffer) GLXEW_NV_copy_buffer = !_glewInit_GLX_NV_copy_buffer(); #endif /* GLX_NV_copy_buffer */ #ifdef GLX_NV_copy_image GLXEW_NV_copy_image = _glewSearchExtension("GLX_NV_copy_image", extStart, extEnd); if (glewExperimental || GLXEW_NV_copy_image) GLXEW_NV_copy_image = !_glewInit_GLX_NV_copy_image(); #endif /* GLX_NV_copy_image */ #ifdef GLX_NV_delay_before_swap GLXEW_NV_delay_before_swap = _glewSearchExtension("GLX_NV_delay_before_swap", extStart, extEnd); if (glewExperimental || GLXEW_NV_delay_before_swap) GLXEW_NV_delay_before_swap = !_glewInit_GLX_NV_delay_before_swap(); #endif /* GLX_NV_delay_before_swap */ #ifdef GLX_NV_float_buffer GLXEW_NV_float_buffer = _glewSearchExtension("GLX_NV_float_buffer", extStart, extEnd); #endif /* GLX_NV_float_buffer */ #ifdef GLX_NV_multisample_coverage GLXEW_NV_multisample_coverage = _glewSearchExtension("GLX_NV_multisample_coverage", extStart, extEnd); #endif /* GLX_NV_multisample_coverage */ #ifdef GLX_NV_present_video GLXEW_NV_present_video = _glewSearchExtension("GLX_NV_present_video", extStart, extEnd); if (glewExperimental || GLXEW_NV_present_video) GLXEW_NV_present_video = !_glewInit_GLX_NV_present_video(); #endif /* GLX_NV_present_video */ #ifdef GLX_NV_robustness_video_memory_purge GLXEW_NV_robustness_video_memory_purge = _glewSearchExtension("GLX_NV_robustness_video_memory_purge", extStart, extEnd); #endif /* GLX_NV_robustness_video_memory_purge */ #ifdef GLX_NV_swap_group GLXEW_NV_swap_group = _glewSearchExtension("GLX_NV_swap_group", extStart, extEnd); if (glewExperimental || GLXEW_NV_swap_group) GLXEW_NV_swap_group = !_glewInit_GLX_NV_swap_group(); #endif /* GLX_NV_swap_group */ #ifdef GLX_NV_vertex_array_range GLXEW_NV_vertex_array_range = _glewSearchExtension("GLX_NV_vertex_array_range", extStart, extEnd); if (glewExperimental || GLXEW_NV_vertex_array_range) GLXEW_NV_vertex_array_range = !_glewInit_GLX_NV_vertex_array_range(); #endif /* GLX_NV_vertex_array_range */ #ifdef GLX_NV_video_capture GLXEW_NV_video_capture = _glewSearchExtension("GLX_NV_video_capture", extStart, extEnd); if (glewExperimental || GLXEW_NV_video_capture) GLXEW_NV_video_capture = !_glewInit_GLX_NV_video_capture(); #endif /* GLX_NV_video_capture */ #ifdef GLX_NV_video_out GLXEW_NV_video_out = _glewSearchExtension("GLX_NV_video_out", extStart, extEnd); if (glewExperimental || GLXEW_NV_video_out) GLXEW_NV_video_out = !_glewInit_GLX_NV_video_out(); #endif /* GLX_NV_video_out */ #ifdef GLX_OML_swap_method GLXEW_OML_swap_method = _glewSearchExtension("GLX_OML_swap_method", extStart, extEnd); #endif /* GLX_OML_swap_method */ #ifdef GLX_OML_sync_control GLXEW_OML_sync_control = _glewSearchExtension("GLX_OML_sync_control", extStart, extEnd); if (glewExperimental || GLXEW_OML_sync_control) GLXEW_OML_sync_control = !_glewInit_GLX_OML_sync_control(); #endif /* GLX_OML_sync_control */ #ifdef GLX_SGIS_blended_overlay GLXEW_SGIS_blended_overlay = _glewSearchExtension("GLX_SGIS_blended_overlay", extStart, extEnd); #endif /* GLX_SGIS_blended_overlay */ #ifdef GLX_SGIS_color_range GLXEW_SGIS_color_range = _glewSearchExtension("GLX_SGIS_color_range", extStart, extEnd); #endif /* GLX_SGIS_color_range */ #ifdef GLX_SGIS_multisample GLXEW_SGIS_multisample = _glewSearchExtension("GLX_SGIS_multisample", extStart, extEnd); #endif /* GLX_SGIS_multisample */ #ifdef GLX_SGIS_shared_multisample GLXEW_SGIS_shared_multisample = _glewSearchExtension("GLX_SGIS_shared_multisample", extStart, extEnd); #endif /* GLX_SGIS_shared_multisample */ #ifdef GLX_SGIX_fbconfig GLXEW_SGIX_fbconfig = _glewSearchExtension("GLX_SGIX_fbconfig", extStart, extEnd); if (glewExperimental || GLXEW_SGIX_fbconfig) GLXEW_SGIX_fbconfig = !_glewInit_GLX_SGIX_fbconfig(); #endif /* GLX_SGIX_fbconfig */ #ifdef GLX_SGIX_hyperpipe GLXEW_SGIX_hyperpipe = _glewSearchExtension("GLX_SGIX_hyperpipe", extStart, extEnd); if (glewExperimental || GLXEW_SGIX_hyperpipe) GLXEW_SGIX_hyperpipe = !_glewInit_GLX_SGIX_hyperpipe(); #endif /* GLX_SGIX_hyperpipe */ #ifdef GLX_SGIX_pbuffer GLXEW_SGIX_pbuffer = _glewSearchExtension("GLX_SGIX_pbuffer", extStart, extEnd); if (glewExperimental || GLXEW_SGIX_pbuffer) GLXEW_SGIX_pbuffer = !_glewInit_GLX_SGIX_pbuffer(); #endif /* GLX_SGIX_pbuffer */ #ifdef GLX_SGIX_swap_barrier GLXEW_SGIX_swap_barrier = _glewSearchExtension("GLX_SGIX_swap_barrier", extStart, extEnd); if (glewExperimental || GLXEW_SGIX_swap_barrier) GLXEW_SGIX_swap_barrier = !_glewInit_GLX_SGIX_swap_barrier(); #endif /* GLX_SGIX_swap_barrier */ #ifdef GLX_SGIX_swap_group GLXEW_SGIX_swap_group = _glewSearchExtension("GLX_SGIX_swap_group", extStart, extEnd); if (glewExperimental || GLXEW_SGIX_swap_group) GLXEW_SGIX_swap_group = !_glewInit_GLX_SGIX_swap_group(); #endif /* GLX_SGIX_swap_group */ #ifdef GLX_SGIX_video_resize GLXEW_SGIX_video_resize = _glewSearchExtension("GLX_SGIX_video_resize", extStart, extEnd); if (glewExperimental || GLXEW_SGIX_video_resize) GLXEW_SGIX_video_resize = !_glewInit_GLX_SGIX_video_resize(); #endif /* GLX_SGIX_video_resize */ #ifdef GLX_SGIX_visual_select_group GLXEW_SGIX_visual_select_group = _glewSearchExtension("GLX_SGIX_visual_select_group", extStart, extEnd); #endif /* GLX_SGIX_visual_select_group */ #ifdef GLX_SGI_cushion GLXEW_SGI_cushion = _glewSearchExtension("GLX_SGI_cushion", extStart, extEnd); if (glewExperimental || GLXEW_SGI_cushion) GLXEW_SGI_cushion = !_glewInit_GLX_SGI_cushion(); #endif /* GLX_SGI_cushion */ #ifdef GLX_SGI_make_current_read GLXEW_SGI_make_current_read = _glewSearchExtension("GLX_SGI_make_current_read", extStart, extEnd); if (glewExperimental || GLXEW_SGI_make_current_read) GLXEW_SGI_make_current_read = !_glewInit_GLX_SGI_make_current_read(); #endif /* GLX_SGI_make_current_read */ #ifdef GLX_SGI_swap_control GLXEW_SGI_swap_control = _glewSearchExtension("GLX_SGI_swap_control", extStart, extEnd); if (glewExperimental || GLXEW_SGI_swap_control) GLXEW_SGI_swap_control = !_glewInit_GLX_SGI_swap_control(); #endif /* GLX_SGI_swap_control */ #ifdef GLX_SGI_video_sync GLXEW_SGI_video_sync = _glewSearchExtension("GLX_SGI_video_sync", extStart, extEnd); if (glewExperimental || GLXEW_SGI_video_sync) GLXEW_SGI_video_sync = !_glewInit_GLX_SGI_video_sync(); #endif /* GLX_SGI_video_sync */ #ifdef GLX_SUN_get_transparent_index GLXEW_SUN_get_transparent_index = _glewSearchExtension("GLX_SUN_get_transparent_index", extStart, extEnd); if (glewExperimental || GLXEW_SUN_get_transparent_index) GLXEW_SUN_get_transparent_index = !_glewInit_GLX_SUN_get_transparent_index(); #endif /* GLX_SUN_get_transparent_index */ #ifdef GLX_SUN_video_resize GLXEW_SUN_video_resize = _glewSearchExtension("GLX_SUN_video_resize", extStart, extEnd); if (glewExperimental || GLXEW_SUN_video_resize) GLXEW_SUN_video_resize = !_glewInit_GLX_SUN_video_resize(); #endif /* GLX_SUN_video_resize */ return GLEW_OK; } #endif /* !defined(__ANDROID__) && !defined(__native_client__) && !defined(__HAIKU__) && (!defined(__APPLE__) || defined(GLEW_APPLE_GLX)) */ /* ------------------------------------------------------------------------ */ const GLubyte * GLEWAPIENTRY glewGetErrorString (GLenum error) { static const GLubyte* _glewErrorString[] = { (const GLubyte*)"No error", (const GLubyte*)"Missing GL version", (const GLubyte*)"GL 1.1 and up are not supported", (const GLubyte*)"GLX 1.2 and up are not supported", (const GLubyte*)"Unknown error" }; const size_t max_error = sizeof(_glewErrorString)/sizeof(*_glewErrorString) - 1; return _glewErrorString[(size_t)error > max_error ? max_error : (size_t)error]; } const GLubyte * GLEWAPIENTRY glewGetString (GLenum name) { static const GLubyte* _glewString[] = { (const GLubyte*)NULL, (const GLubyte*)"2.1.0", (const GLubyte*)"2", (const GLubyte*)"1", (const GLubyte*)"0" }; const size_t max_string = sizeof(_glewString)/sizeof(*_glewString) - 1; return _glewString[(size_t)name > max_string ? 0 : (size_t)name]; } /* ------------------------------------------------------------------------ */ GLboolean glewExperimental = GL_FALSE; GLenum GLEWAPIENTRY glewInit (void) { GLenum r; #if defined(GLEW_EGL) PFNEGLGETCURRENTDISPLAYPROC getCurrentDisplay = NULL; #endif r = glewContextInit(); if ( r != 0 ) return r; #if defined(GLEW_EGL) getCurrentDisplay = (PFNEGLGETCURRENTDISPLAYPROC) glewGetProcAddress("eglGetCurrentDisplay"); return eglewInit(getCurrentDisplay()); #elif defined(GLEW_OSMESA) || defined(__ANDROID__) || defined(__native_client__) || defined(__HAIKU__) return r; #elif defined(_WIN32) return wglewInit(); #elif !defined(__APPLE__) || defined(GLEW_APPLE_GLX) /* _UNIX */ return glxewInit(); #else return r; #endif /* _WIN32 */ } #if defined(_WIN32) && defined(GLEW_BUILD) && defined(__GNUC__) /* GCC requires a DLL entry point even without any standard library included. */ /* Types extracted from windows.h to avoid polluting the rest of the file. */ int __stdcall DllMainCRTStartup(void* instance, unsigned reason, void* reserved) { (void) instance; (void) reason; (void) reserved; return 1; } #endif GLboolean GLEWAPIENTRY glewIsSupported (const char* name) { const GLubyte* pos = (const GLubyte*)name; GLuint len = _glewStrLen(pos); GLboolean ret = GL_TRUE; while (ret && len > 0) { if (_glewStrSame1(&pos, &len, (const GLubyte*)"GL_", 3)) { if (_glewStrSame2(&pos, &len, (const GLubyte*)"VERSION_", 8)) { #ifdef GL_VERSION_1_2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_2", 3)) { ret = GLEW_VERSION_1_2; continue; } #endif #ifdef GL_VERSION_1_2_1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_2_1", 5)) { ret = GLEW_VERSION_1_2_1; continue; } #endif #ifdef GL_VERSION_1_3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_3", 3)) { ret = GLEW_VERSION_1_3; continue; } #endif #ifdef GL_VERSION_1_4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_4", 3)) { ret = GLEW_VERSION_1_4; continue; } #endif #ifdef GL_VERSION_1_5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_5", 3)) { ret = GLEW_VERSION_1_5; continue; } #endif #ifdef GL_VERSION_2_0 if (_glewStrSame3(&pos, &len, (const GLubyte*)"2_0", 3)) { ret = GLEW_VERSION_2_0; continue; } #endif #ifdef GL_VERSION_2_1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"2_1", 3)) { ret = GLEW_VERSION_2_1; continue; } #endif #ifdef GL_VERSION_3_0 if (_glewStrSame3(&pos, &len, (const GLubyte*)"3_0", 3)) { ret = GLEW_VERSION_3_0; continue; } #endif #ifdef GL_VERSION_3_1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"3_1", 3)) { ret = GLEW_VERSION_3_1; continue; } #endif #ifdef GL_VERSION_3_2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"3_2", 3)) { ret = GLEW_VERSION_3_2; continue; } #endif #ifdef GL_VERSION_3_3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"3_3", 3)) { ret = GLEW_VERSION_3_3; continue; } #endif #ifdef GL_VERSION_4_0 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_0", 3)) { ret = GLEW_VERSION_4_0; continue; } #endif #ifdef GL_VERSION_4_1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_1", 3)) { ret = GLEW_VERSION_4_1; continue; } #endif #ifdef GL_VERSION_4_2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_2", 3)) { ret = GLEW_VERSION_4_2; continue; } #endif #ifdef GL_VERSION_4_3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_3", 3)) { ret = GLEW_VERSION_4_3; continue; } #endif #ifdef GL_VERSION_4_4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_4", 3)) { ret = GLEW_VERSION_4_4; continue; } #endif #ifdef GL_VERSION_4_5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_5", 3)) { ret = GLEW_VERSION_4_5; continue; } #endif #ifdef GL_VERSION_4_6 if (_glewStrSame3(&pos, &len, (const GLubyte*)"4_6", 3)) { ret = GLEW_VERSION_4_6; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"3DFX_", 5)) { #ifdef GL_3DFX_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLEW_3DFX_multisample; continue; } #endif #ifdef GL_3DFX_tbuffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"tbuffer", 7)) { ret = GLEW_3DFX_tbuffer; continue; } #endif #ifdef GL_3DFX_texture_compression_FXT1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_FXT1", 24)) { ret = GLEW_3DFX_texture_compression_FXT1; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"AMD_", 4)) { #ifdef GL_AMD_blend_minmax_factor if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_minmax_factor", 19)) { ret = GLEW_AMD_blend_minmax_factor; continue; } #endif #ifdef GL_AMD_compressed_3DC_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"compressed_3DC_texture", 22)) { ret = GLEW_AMD_compressed_3DC_texture; continue; } #endif #ifdef GL_AMD_compressed_ATC_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"compressed_ATC_texture", 22)) { ret = GLEW_AMD_compressed_ATC_texture; continue; } #endif #ifdef GL_AMD_conservative_depth if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_depth", 18)) { ret = GLEW_AMD_conservative_depth; continue; } #endif #ifdef GL_AMD_debug_output if (_glewStrSame3(&pos, &len, (const GLubyte*)"debug_output", 12)) { ret = GLEW_AMD_debug_output; continue; } #endif #ifdef GL_AMD_depth_clamp_separate if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_clamp_separate", 20)) { ret = GLEW_AMD_depth_clamp_separate; continue; } #endif #ifdef GL_AMD_draw_buffers_blend if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers_blend", 18)) { ret = GLEW_AMD_draw_buffers_blend; continue; } #endif #ifdef GL_AMD_framebuffer_sample_positions if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sample_positions", 28)) { ret = GLEW_AMD_framebuffer_sample_positions; continue; } #endif #ifdef GL_AMD_gcn_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"gcn_shader", 10)) { ret = GLEW_AMD_gcn_shader; continue; } #endif #ifdef GL_AMD_gpu_shader_half_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader_half_float", 21)) { ret = GLEW_AMD_gpu_shader_half_float; continue; } #endif #ifdef GL_AMD_gpu_shader_int16 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader_int16", 16)) { ret = GLEW_AMD_gpu_shader_int16; continue; } #endif #ifdef GL_AMD_gpu_shader_int64 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader_int64", 16)) { ret = GLEW_AMD_gpu_shader_int64; continue; } #endif #ifdef GL_AMD_interleaved_elements if (_glewStrSame3(&pos, &len, (const GLubyte*)"interleaved_elements", 20)) { ret = GLEW_AMD_interleaved_elements; continue; } #endif #ifdef GL_AMD_multi_draw_indirect if (_glewStrSame3(&pos, &len, (const GLubyte*)"multi_draw_indirect", 19)) { ret = GLEW_AMD_multi_draw_indirect; continue; } #endif #ifdef GL_AMD_name_gen_delete if (_glewStrSame3(&pos, &len, (const GLubyte*)"name_gen_delete", 15)) { ret = GLEW_AMD_name_gen_delete; continue; } #endif #ifdef GL_AMD_occlusion_query_event if (_glewStrSame3(&pos, &len, (const GLubyte*)"occlusion_query_event", 21)) { ret = GLEW_AMD_occlusion_query_event; continue; } #endif #ifdef GL_AMD_performance_monitor if (_glewStrSame3(&pos, &len, (const GLubyte*)"performance_monitor", 19)) { ret = GLEW_AMD_performance_monitor; continue; } #endif #ifdef GL_AMD_pinned_memory if (_glewStrSame3(&pos, &len, (const GLubyte*)"pinned_memory", 13)) { ret = GLEW_AMD_pinned_memory; continue; } #endif #ifdef GL_AMD_program_binary_Z400 if (_glewStrSame3(&pos, &len, (const GLubyte*)"program_binary_Z400", 19)) { ret = GLEW_AMD_program_binary_Z400; continue; } #endif #ifdef GL_AMD_query_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"query_buffer_object", 19)) { ret = GLEW_AMD_query_buffer_object; continue; } #endif #ifdef GL_AMD_sample_positions if (_glewStrSame3(&pos, &len, (const GLubyte*)"sample_positions", 16)) { ret = GLEW_AMD_sample_positions; continue; } #endif #ifdef GL_AMD_seamless_cubemap_per_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"seamless_cubemap_per_texture", 28)) { ret = GLEW_AMD_seamless_cubemap_per_texture; continue; } #endif #ifdef GL_AMD_shader_atomic_counter_ops if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_counter_ops", 25)) { ret = GLEW_AMD_shader_atomic_counter_ops; continue; } #endif #ifdef GL_AMD_shader_ballot if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_ballot", 13)) { ret = GLEW_AMD_shader_ballot; continue; } #endif #ifdef GL_AMD_shader_explicit_vertex_parameter if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_explicit_vertex_parameter", 32)) { ret = GLEW_AMD_shader_explicit_vertex_parameter; continue; } #endif #ifdef GL_AMD_shader_stencil_export if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_stencil_export", 21)) { ret = GLEW_AMD_shader_stencil_export; continue; } #endif #ifdef GL_AMD_shader_stencil_value_export if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_stencil_value_export", 27)) { ret = GLEW_AMD_shader_stencil_value_export; continue; } #endif #ifdef GL_AMD_shader_trinary_minmax if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_trinary_minmax", 21)) { ret = GLEW_AMD_shader_trinary_minmax; continue; } #endif #ifdef GL_AMD_sparse_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_texture", 14)) { ret = GLEW_AMD_sparse_texture; continue; } #endif #ifdef GL_AMD_stencil_operation_extended if (_glewStrSame3(&pos, &len, (const GLubyte*)"stencil_operation_extended", 26)) { ret = GLEW_AMD_stencil_operation_extended; continue; } #endif #ifdef GL_AMD_texture_gather_bias_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_gather_bias_lod", 23)) { ret = GLEW_AMD_texture_gather_bias_lod; continue; } #endif #ifdef GL_AMD_texture_texture4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_texture4", 16)) { ret = GLEW_AMD_texture_texture4; continue; } #endif #ifdef GL_AMD_transform_feedback3_lines_triangles if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback3_lines_triangles", 35)) { ret = GLEW_AMD_transform_feedback3_lines_triangles; continue; } #endif #ifdef GL_AMD_transform_feedback4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback4", 19)) { ret = GLEW_AMD_transform_feedback4; continue; } #endif #ifdef GL_AMD_vertex_shader_layer if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_shader_layer", 19)) { ret = GLEW_AMD_vertex_shader_layer; continue; } #endif #ifdef GL_AMD_vertex_shader_tessellator if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_shader_tessellator", 25)) { ret = GLEW_AMD_vertex_shader_tessellator; continue; } #endif #ifdef GL_AMD_vertex_shader_viewport_index if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_shader_viewport_index", 28)) { ret = GLEW_AMD_vertex_shader_viewport_index; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ANDROID_", 8)) { #ifdef GL_ANDROID_extension_pack_es31a if (_glewStrSame3(&pos, &len, (const GLubyte*)"extension_pack_es31a", 20)) { ret = GLEW_ANDROID_extension_pack_es31a; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ANGLE_", 6)) { #ifdef GL_ANGLE_depth_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_texture", 13)) { ret = GLEW_ANGLE_depth_texture; continue; } #endif #ifdef GL_ANGLE_framebuffer_blit if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_blit", 16)) { ret = GLEW_ANGLE_framebuffer_blit; continue; } #endif #ifdef GL_ANGLE_framebuffer_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_multisample", 23)) { ret = GLEW_ANGLE_framebuffer_multisample; continue; } #endif #ifdef GL_ANGLE_instanced_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"instanced_arrays", 16)) { ret = GLEW_ANGLE_instanced_arrays; continue; } #endif #ifdef GL_ANGLE_pack_reverse_row_order if (_glewStrSame3(&pos, &len, (const GLubyte*)"pack_reverse_row_order", 22)) { ret = GLEW_ANGLE_pack_reverse_row_order; continue; } #endif #ifdef GL_ANGLE_program_binary if (_glewStrSame3(&pos, &len, (const GLubyte*)"program_binary", 14)) { ret = GLEW_ANGLE_program_binary; continue; } #endif #ifdef GL_ANGLE_texture_compression_dxt1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_dxt1", 24)) { ret = GLEW_ANGLE_texture_compression_dxt1; continue; } #endif #ifdef GL_ANGLE_texture_compression_dxt3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_dxt3", 24)) { ret = GLEW_ANGLE_texture_compression_dxt3; continue; } #endif #ifdef GL_ANGLE_texture_compression_dxt5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_dxt5", 24)) { ret = GLEW_ANGLE_texture_compression_dxt5; continue; } #endif #ifdef GL_ANGLE_texture_usage if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_usage", 13)) { ret = GLEW_ANGLE_texture_usage; continue; } #endif #ifdef GL_ANGLE_timer_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"timer_query", 11)) { ret = GLEW_ANGLE_timer_query; continue; } #endif #ifdef GL_ANGLE_translated_shader_source if (_glewStrSame3(&pos, &len, (const GLubyte*)"translated_shader_source", 24)) { ret = GLEW_ANGLE_translated_shader_source; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"APPLE_", 6)) { #ifdef GL_APPLE_aux_depth_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"aux_depth_stencil", 17)) { ret = GLEW_APPLE_aux_depth_stencil; continue; } #endif #ifdef GL_APPLE_client_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"client_storage", 14)) { ret = GLEW_APPLE_client_storage; continue; } #endif #ifdef GL_APPLE_clip_distance if (_glewStrSame3(&pos, &len, (const GLubyte*)"clip_distance", 13)) { ret = GLEW_APPLE_clip_distance; continue; } #endif #ifdef GL_APPLE_color_buffer_packed_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_buffer_packed_float", 25)) { ret = GLEW_APPLE_color_buffer_packed_float; continue; } #endif #ifdef GL_APPLE_copy_texture_levels if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_texture_levels", 19)) { ret = GLEW_APPLE_copy_texture_levels; continue; } #endif #ifdef GL_APPLE_element_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"element_array", 13)) { ret = GLEW_APPLE_element_array; continue; } #endif #ifdef GL_APPLE_fence if (_glewStrSame3(&pos, &len, (const GLubyte*)"fence", 5)) { ret = GLEW_APPLE_fence; continue; } #endif #ifdef GL_APPLE_float_pixels if (_glewStrSame3(&pos, &len, (const GLubyte*)"float_pixels", 12)) { ret = GLEW_APPLE_float_pixels; continue; } #endif #ifdef GL_APPLE_flush_buffer_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"flush_buffer_range", 18)) { ret = GLEW_APPLE_flush_buffer_range; continue; } #endif #ifdef GL_APPLE_framebuffer_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_multisample", 23)) { ret = GLEW_APPLE_framebuffer_multisample; continue; } #endif #ifdef GL_APPLE_object_purgeable if (_glewStrSame3(&pos, &len, (const GLubyte*)"object_purgeable", 16)) { ret = GLEW_APPLE_object_purgeable; continue; } #endif #ifdef GL_APPLE_pixel_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_buffer", 12)) { ret = GLEW_APPLE_pixel_buffer; continue; } #endif #ifdef GL_APPLE_rgb_422 if (_glewStrSame3(&pos, &len, (const GLubyte*)"rgb_422", 7)) { ret = GLEW_APPLE_rgb_422; continue; } #endif #ifdef GL_APPLE_row_bytes if (_glewStrSame3(&pos, &len, (const GLubyte*)"row_bytes", 9)) { ret = GLEW_APPLE_row_bytes; continue; } #endif #ifdef GL_APPLE_specular_vector if (_glewStrSame3(&pos, &len, (const GLubyte*)"specular_vector", 15)) { ret = GLEW_APPLE_specular_vector; continue; } #endif #ifdef GL_APPLE_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"sync", 4)) { ret = GLEW_APPLE_sync; continue; } #endif #ifdef GL_APPLE_texture_2D_limited_npot if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_2D_limited_npot", 23)) { ret = GLEW_APPLE_texture_2D_limited_npot; continue; } #endif #ifdef GL_APPLE_texture_format_BGRA8888 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_format_BGRA8888", 23)) { ret = GLEW_APPLE_texture_format_BGRA8888; continue; } #endif #ifdef GL_APPLE_texture_max_level if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_max_level", 17)) { ret = GLEW_APPLE_texture_max_level; continue; } #endif #ifdef GL_APPLE_texture_packed_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_packed_float", 20)) { ret = GLEW_APPLE_texture_packed_float; continue; } #endif #ifdef GL_APPLE_texture_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_range", 13)) { ret = GLEW_APPLE_texture_range; continue; } #endif #ifdef GL_APPLE_transform_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_hint", 14)) { ret = GLEW_APPLE_transform_hint; continue; } #endif #ifdef GL_APPLE_vertex_array_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_object", 19)) { ret = GLEW_APPLE_vertex_array_object; continue; } #endif #ifdef GL_APPLE_vertex_array_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_range", 18)) { ret = GLEW_APPLE_vertex_array_range; continue; } #endif #ifdef GL_APPLE_vertex_program_evaluators if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program_evaluators", 25)) { ret = GLEW_APPLE_vertex_program_evaluators; continue; } #endif #ifdef GL_APPLE_ycbcr_422 if (_glewStrSame3(&pos, &len, (const GLubyte*)"ycbcr_422", 9)) { ret = GLEW_APPLE_ycbcr_422; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ARB_", 4)) { #ifdef GL_ARB_ES2_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"ES2_compatibility", 17)) { ret = GLEW_ARB_ES2_compatibility; continue; } #endif #ifdef GL_ARB_ES3_1_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"ES3_1_compatibility", 19)) { ret = GLEW_ARB_ES3_1_compatibility; continue; } #endif #ifdef GL_ARB_ES3_2_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"ES3_2_compatibility", 19)) { ret = GLEW_ARB_ES3_2_compatibility; continue; } #endif #ifdef GL_ARB_ES3_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"ES3_compatibility", 17)) { ret = GLEW_ARB_ES3_compatibility; continue; } #endif #ifdef GL_ARB_arrays_of_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"arrays_of_arrays", 16)) { ret = GLEW_ARB_arrays_of_arrays; continue; } #endif #ifdef GL_ARB_base_instance if (_glewStrSame3(&pos, &len, (const GLubyte*)"base_instance", 13)) { ret = GLEW_ARB_base_instance; continue; } #endif #ifdef GL_ARB_bindless_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"bindless_texture", 16)) { ret = GLEW_ARB_bindless_texture; continue; } #endif #ifdef GL_ARB_blend_func_extended if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_func_extended", 19)) { ret = GLEW_ARB_blend_func_extended; continue; } #endif #ifdef GL_ARB_buffer_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"buffer_storage", 14)) { ret = GLEW_ARB_buffer_storage; continue; } #endif #ifdef GL_ARB_cl_event if (_glewStrSame3(&pos, &len, (const GLubyte*)"cl_event", 8)) { ret = GLEW_ARB_cl_event; continue; } #endif #ifdef GL_ARB_clear_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"clear_buffer_object", 19)) { ret = GLEW_ARB_clear_buffer_object; continue; } #endif #ifdef GL_ARB_clear_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"clear_texture", 13)) { ret = GLEW_ARB_clear_texture; continue; } #endif #ifdef GL_ARB_clip_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"clip_control", 12)) { ret = GLEW_ARB_clip_control; continue; } #endif #ifdef GL_ARB_color_buffer_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_buffer_float", 18)) { ret = GLEW_ARB_color_buffer_float; continue; } #endif #ifdef GL_ARB_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"compatibility", 13)) { ret = GLEW_ARB_compatibility; continue; } #endif #ifdef GL_ARB_compressed_texture_pixel_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"compressed_texture_pixel_storage", 32)) { ret = GLEW_ARB_compressed_texture_pixel_storage; continue; } #endif #ifdef GL_ARB_compute_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"compute_shader", 14)) { ret = GLEW_ARB_compute_shader; continue; } #endif #ifdef GL_ARB_compute_variable_group_size if (_glewStrSame3(&pos, &len, (const GLubyte*)"compute_variable_group_size", 27)) { ret = GLEW_ARB_compute_variable_group_size; continue; } #endif #ifdef GL_ARB_conditional_render_inverted if (_glewStrSame3(&pos, &len, (const GLubyte*)"conditional_render_inverted", 27)) { ret = GLEW_ARB_conditional_render_inverted; continue; } #endif #ifdef GL_ARB_conservative_depth if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_depth", 18)) { ret = GLEW_ARB_conservative_depth; continue; } #endif #ifdef GL_ARB_copy_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_buffer", 11)) { ret = GLEW_ARB_copy_buffer; continue; } #endif #ifdef GL_ARB_copy_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_image", 10)) { ret = GLEW_ARB_copy_image; continue; } #endif #ifdef GL_ARB_cull_distance if (_glewStrSame3(&pos, &len, (const GLubyte*)"cull_distance", 13)) { ret = GLEW_ARB_cull_distance; continue; } #endif #ifdef GL_ARB_debug_output if (_glewStrSame3(&pos, &len, (const GLubyte*)"debug_output", 12)) { ret = GLEW_ARB_debug_output; continue; } #endif #ifdef GL_ARB_depth_buffer_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_buffer_float", 18)) { ret = GLEW_ARB_depth_buffer_float; continue; } #endif #ifdef GL_ARB_depth_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_clamp", 11)) { ret = GLEW_ARB_depth_clamp; continue; } #endif #ifdef GL_ARB_depth_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_texture", 13)) { ret = GLEW_ARB_depth_texture; continue; } #endif #ifdef GL_ARB_derivative_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"derivative_control", 18)) { ret = GLEW_ARB_derivative_control; continue; } #endif #ifdef GL_ARB_direct_state_access if (_glewStrSame3(&pos, &len, (const GLubyte*)"direct_state_access", 19)) { ret = GLEW_ARB_direct_state_access; continue; } #endif #ifdef GL_ARB_draw_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers", 12)) { ret = GLEW_ARB_draw_buffers; continue; } #endif #ifdef GL_ARB_draw_buffers_blend if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers_blend", 18)) { ret = GLEW_ARB_draw_buffers_blend; continue; } #endif #ifdef GL_ARB_draw_elements_base_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_elements_base_vertex", 25)) { ret = GLEW_ARB_draw_elements_base_vertex; continue; } #endif #ifdef GL_ARB_draw_indirect if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_indirect", 13)) { ret = GLEW_ARB_draw_indirect; continue; } #endif #ifdef GL_ARB_draw_instanced if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_instanced", 14)) { ret = GLEW_ARB_draw_instanced; continue; } #endif #ifdef GL_ARB_enhanced_layouts if (_glewStrSame3(&pos, &len, (const GLubyte*)"enhanced_layouts", 16)) { ret = GLEW_ARB_enhanced_layouts; continue; } #endif #ifdef GL_ARB_explicit_attrib_location if (_glewStrSame3(&pos, &len, (const GLubyte*)"explicit_attrib_location", 24)) { ret = GLEW_ARB_explicit_attrib_location; continue; } #endif #ifdef GL_ARB_explicit_uniform_location if (_glewStrSame3(&pos, &len, (const GLubyte*)"explicit_uniform_location", 25)) { ret = GLEW_ARB_explicit_uniform_location; continue; } #endif #ifdef GL_ARB_fragment_coord_conventions if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_coord_conventions", 26)) { ret = GLEW_ARB_fragment_coord_conventions; continue; } #endif #ifdef GL_ARB_fragment_layer_viewport if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_layer_viewport", 23)) { ret = GLEW_ARB_fragment_layer_viewport; continue; } #endif #ifdef GL_ARB_fragment_program if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_program", 16)) { ret = GLEW_ARB_fragment_program; continue; } #endif #ifdef GL_ARB_fragment_program_shadow if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_program_shadow", 23)) { ret = GLEW_ARB_fragment_program_shadow; continue; } #endif #ifdef GL_ARB_fragment_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_shader", 15)) { ret = GLEW_ARB_fragment_shader; continue; } #endif #ifdef GL_ARB_fragment_shader_interlock if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_shader_interlock", 25)) { ret = GLEW_ARB_fragment_shader_interlock; continue; } #endif #ifdef GL_ARB_framebuffer_no_attachments if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_no_attachments", 26)) { ret = GLEW_ARB_framebuffer_no_attachments; continue; } #endif #ifdef GL_ARB_framebuffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_object", 18)) { ret = GLEW_ARB_framebuffer_object; continue; } #endif #ifdef GL_ARB_framebuffer_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sRGB", 16)) { ret = GLEW_ARB_framebuffer_sRGB; continue; } #endif #ifdef GL_ARB_geometry_shader4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_shader4", 16)) { ret = GLEW_ARB_geometry_shader4; continue; } #endif #ifdef GL_ARB_get_program_binary if (_glewStrSame3(&pos, &len, (const GLubyte*)"get_program_binary", 18)) { ret = GLEW_ARB_get_program_binary; continue; } #endif #ifdef GL_ARB_get_texture_sub_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"get_texture_sub_image", 21)) { ret = GLEW_ARB_get_texture_sub_image; continue; } #endif #ifdef GL_ARB_gl_spirv if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_spirv", 8)) { ret = GLEW_ARB_gl_spirv; continue; } #endif #ifdef GL_ARB_gpu_shader5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader5", 11)) { ret = GLEW_ARB_gpu_shader5; continue; } #endif #ifdef GL_ARB_gpu_shader_fp64 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader_fp64", 15)) { ret = GLEW_ARB_gpu_shader_fp64; continue; } #endif #ifdef GL_ARB_gpu_shader_int64 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader_int64", 16)) { ret = GLEW_ARB_gpu_shader_int64; continue; } #endif #ifdef GL_ARB_half_float_pixel if (_glewStrSame3(&pos, &len, (const GLubyte*)"half_float_pixel", 16)) { ret = GLEW_ARB_half_float_pixel; continue; } #endif #ifdef GL_ARB_half_float_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"half_float_vertex", 17)) { ret = GLEW_ARB_half_float_vertex; continue; } #endif #ifdef GL_ARB_imaging if (_glewStrSame3(&pos, &len, (const GLubyte*)"imaging", 7)) { ret = GLEW_ARB_imaging; continue; } #endif #ifdef GL_ARB_indirect_parameters if (_glewStrSame3(&pos, &len, (const GLubyte*)"indirect_parameters", 19)) { ret = GLEW_ARB_indirect_parameters; continue; } #endif #ifdef GL_ARB_instanced_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"instanced_arrays", 16)) { ret = GLEW_ARB_instanced_arrays; continue; } #endif #ifdef GL_ARB_internalformat_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"internalformat_query", 20)) { ret = GLEW_ARB_internalformat_query; continue; } #endif #ifdef GL_ARB_internalformat_query2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"internalformat_query2", 21)) { ret = GLEW_ARB_internalformat_query2; continue; } #endif #ifdef GL_ARB_invalidate_subdata if (_glewStrSame3(&pos, &len, (const GLubyte*)"invalidate_subdata", 18)) { ret = GLEW_ARB_invalidate_subdata; continue; } #endif #ifdef GL_ARB_map_buffer_alignment if (_glewStrSame3(&pos, &len, (const GLubyte*)"map_buffer_alignment", 20)) { ret = GLEW_ARB_map_buffer_alignment; continue; } #endif #ifdef GL_ARB_map_buffer_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"map_buffer_range", 16)) { ret = GLEW_ARB_map_buffer_range; continue; } #endif #ifdef GL_ARB_matrix_palette if (_glewStrSame3(&pos, &len, (const GLubyte*)"matrix_palette", 14)) { ret = GLEW_ARB_matrix_palette; continue; } #endif #ifdef GL_ARB_multi_bind if (_glewStrSame3(&pos, &len, (const GLubyte*)"multi_bind", 10)) { ret = GLEW_ARB_multi_bind; continue; } #endif #ifdef GL_ARB_multi_draw_indirect if (_glewStrSame3(&pos, &len, (const GLubyte*)"multi_draw_indirect", 19)) { ret = GLEW_ARB_multi_draw_indirect; continue; } #endif #ifdef GL_ARB_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLEW_ARB_multisample; continue; } #endif #ifdef GL_ARB_multitexture if (_glewStrSame3(&pos, &len, (const GLubyte*)"multitexture", 12)) { ret = GLEW_ARB_multitexture; continue; } #endif #ifdef GL_ARB_occlusion_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"occlusion_query", 15)) { ret = GLEW_ARB_occlusion_query; continue; } #endif #ifdef GL_ARB_occlusion_query2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"occlusion_query2", 16)) { ret = GLEW_ARB_occlusion_query2; continue; } #endif #ifdef GL_ARB_parallel_shader_compile if (_glewStrSame3(&pos, &len, (const GLubyte*)"parallel_shader_compile", 23)) { ret = GLEW_ARB_parallel_shader_compile; continue; } #endif #ifdef GL_ARB_pipeline_statistics_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"pipeline_statistics_query", 25)) { ret = GLEW_ARB_pipeline_statistics_query; continue; } #endif #ifdef GL_ARB_pixel_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_buffer_object", 19)) { ret = GLEW_ARB_pixel_buffer_object; continue; } #endif #ifdef GL_ARB_point_parameters if (_glewStrSame3(&pos, &len, (const GLubyte*)"point_parameters", 16)) { ret = GLEW_ARB_point_parameters; continue; } #endif #ifdef GL_ARB_point_sprite if (_glewStrSame3(&pos, &len, (const GLubyte*)"point_sprite", 12)) { ret = GLEW_ARB_point_sprite; continue; } #endif #ifdef GL_ARB_polygon_offset_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"polygon_offset_clamp", 20)) { ret = GLEW_ARB_polygon_offset_clamp; continue; } #endif #ifdef GL_ARB_post_depth_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"post_depth_coverage", 19)) { ret = GLEW_ARB_post_depth_coverage; continue; } #endif #ifdef GL_ARB_program_interface_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"program_interface_query", 23)) { ret = GLEW_ARB_program_interface_query; continue; } #endif #ifdef GL_ARB_provoking_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"provoking_vertex", 16)) { ret = GLEW_ARB_provoking_vertex; continue; } #endif #ifdef GL_ARB_query_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"query_buffer_object", 19)) { ret = GLEW_ARB_query_buffer_object; continue; } #endif #ifdef GL_ARB_robust_buffer_access_behavior if (_glewStrSame3(&pos, &len, (const GLubyte*)"robust_buffer_access_behavior", 29)) { ret = GLEW_ARB_robust_buffer_access_behavior; continue; } #endif #ifdef GL_ARB_robustness if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness", 10)) { ret = GLEW_ARB_robustness; continue; } #endif #ifdef GL_ARB_robustness_application_isolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_application_isolation", 32)) { ret = GLEW_ARB_robustness_application_isolation; continue; } #endif #ifdef GL_ARB_robustness_share_group_isolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_share_group_isolation", 32)) { ret = GLEW_ARB_robustness_share_group_isolation; continue; } #endif #ifdef GL_ARB_sample_locations if (_glewStrSame3(&pos, &len, (const GLubyte*)"sample_locations", 16)) { ret = GLEW_ARB_sample_locations; continue; } #endif #ifdef GL_ARB_sample_shading if (_glewStrSame3(&pos, &len, (const GLubyte*)"sample_shading", 14)) { ret = GLEW_ARB_sample_shading; continue; } #endif #ifdef GL_ARB_sampler_objects if (_glewStrSame3(&pos, &len, (const GLubyte*)"sampler_objects", 15)) { ret = GLEW_ARB_sampler_objects; continue; } #endif #ifdef GL_ARB_seamless_cube_map if (_glewStrSame3(&pos, &len, (const GLubyte*)"seamless_cube_map", 17)) { ret = GLEW_ARB_seamless_cube_map; continue; } #endif #ifdef GL_ARB_seamless_cubemap_per_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"seamless_cubemap_per_texture", 28)) { ret = GLEW_ARB_seamless_cubemap_per_texture; continue; } #endif #ifdef GL_ARB_separate_shader_objects if (_glewStrSame3(&pos, &len, (const GLubyte*)"separate_shader_objects", 23)) { ret = GLEW_ARB_separate_shader_objects; continue; } #endif #ifdef GL_ARB_shader_atomic_counter_ops if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_counter_ops", 25)) { ret = GLEW_ARB_shader_atomic_counter_ops; continue; } #endif #ifdef GL_ARB_shader_atomic_counters if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_counters", 22)) { ret = GLEW_ARB_shader_atomic_counters; continue; } #endif #ifdef GL_ARB_shader_ballot if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_ballot", 13)) { ret = GLEW_ARB_shader_ballot; continue; } #endif #ifdef GL_ARB_shader_bit_encoding if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_bit_encoding", 19)) { ret = GLEW_ARB_shader_bit_encoding; continue; } #endif #ifdef GL_ARB_shader_clock if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_clock", 12)) { ret = GLEW_ARB_shader_clock; continue; } #endif #ifdef GL_ARB_shader_draw_parameters if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_draw_parameters", 22)) { ret = GLEW_ARB_shader_draw_parameters; continue; } #endif #ifdef GL_ARB_shader_group_vote if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_group_vote", 17)) { ret = GLEW_ARB_shader_group_vote; continue; } #endif #ifdef GL_ARB_shader_image_load_store if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_image_load_store", 23)) { ret = GLEW_ARB_shader_image_load_store; continue; } #endif #ifdef GL_ARB_shader_image_size if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_image_size", 17)) { ret = GLEW_ARB_shader_image_size; continue; } #endif #ifdef GL_ARB_shader_objects if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_objects", 14)) { ret = GLEW_ARB_shader_objects; continue; } #endif #ifdef GL_ARB_shader_precision if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_precision", 16)) { ret = GLEW_ARB_shader_precision; continue; } #endif #ifdef GL_ARB_shader_stencil_export if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_stencil_export", 21)) { ret = GLEW_ARB_shader_stencil_export; continue; } #endif #ifdef GL_ARB_shader_storage_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_storage_buffer_object", 28)) { ret = GLEW_ARB_shader_storage_buffer_object; continue; } #endif #ifdef GL_ARB_shader_subroutine if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_subroutine", 17)) { ret = GLEW_ARB_shader_subroutine; continue; } #endif #ifdef GL_ARB_shader_texture_image_samples if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_texture_image_samples", 28)) { ret = GLEW_ARB_shader_texture_image_samples; continue; } #endif #ifdef GL_ARB_shader_texture_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_texture_lod", 18)) { ret = GLEW_ARB_shader_texture_lod; continue; } #endif #ifdef GL_ARB_shader_viewport_layer_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_viewport_layer_array", 27)) { ret = GLEW_ARB_shader_viewport_layer_array; continue; } #endif #ifdef GL_ARB_shading_language_100 if (_glewStrSame3(&pos, &len, (const GLubyte*)"shading_language_100", 20)) { ret = GLEW_ARB_shading_language_100; continue; } #endif #ifdef GL_ARB_shading_language_420pack if (_glewStrSame3(&pos, &len, (const GLubyte*)"shading_language_420pack", 24)) { ret = GLEW_ARB_shading_language_420pack; continue; } #endif #ifdef GL_ARB_shading_language_include if (_glewStrSame3(&pos, &len, (const GLubyte*)"shading_language_include", 24)) { ret = GLEW_ARB_shading_language_include; continue; } #endif #ifdef GL_ARB_shading_language_packing if (_glewStrSame3(&pos, &len, (const GLubyte*)"shading_language_packing", 24)) { ret = GLEW_ARB_shading_language_packing; continue; } #endif #ifdef GL_ARB_shadow if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow", 6)) { ret = GLEW_ARB_shadow; continue; } #endif #ifdef GL_ARB_shadow_ambient if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow_ambient", 14)) { ret = GLEW_ARB_shadow_ambient; continue; } #endif #ifdef GL_ARB_sparse_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_buffer", 13)) { ret = GLEW_ARB_sparse_buffer; continue; } #endif #ifdef GL_ARB_sparse_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_texture", 14)) { ret = GLEW_ARB_sparse_texture; continue; } #endif #ifdef GL_ARB_sparse_texture2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_texture2", 15)) { ret = GLEW_ARB_sparse_texture2; continue; } #endif #ifdef GL_ARB_sparse_texture_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_texture_clamp", 20)) { ret = GLEW_ARB_sparse_texture_clamp; continue; } #endif #ifdef GL_ARB_spirv_extensions if (_glewStrSame3(&pos, &len, (const GLubyte*)"spirv_extensions", 16)) { ret = GLEW_ARB_spirv_extensions; continue; } #endif #ifdef GL_ARB_stencil_texturing if (_glewStrSame3(&pos, &len, (const GLubyte*)"stencil_texturing", 17)) { ret = GLEW_ARB_stencil_texturing; continue; } #endif #ifdef GL_ARB_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"sync", 4)) { ret = GLEW_ARB_sync; continue; } #endif #ifdef GL_ARB_tessellation_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"tessellation_shader", 19)) { ret = GLEW_ARB_tessellation_shader; continue; } #endif #ifdef GL_ARB_texture_barrier if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_barrier", 15)) { ret = GLEW_ARB_texture_barrier; continue; } #endif #ifdef GL_ARB_texture_border_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_border_clamp", 20)) { ret = GLEW_ARB_texture_border_clamp; continue; } #endif #ifdef GL_ARB_texture_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_buffer_object", 21)) { ret = GLEW_ARB_texture_buffer_object; continue; } #endif #ifdef GL_ARB_texture_buffer_object_rgb32 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_buffer_object_rgb32", 27)) { ret = GLEW_ARB_texture_buffer_object_rgb32; continue; } #endif #ifdef GL_ARB_texture_buffer_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_buffer_range", 20)) { ret = GLEW_ARB_texture_buffer_range; continue; } #endif #ifdef GL_ARB_texture_compression if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression", 19)) { ret = GLEW_ARB_texture_compression; continue; } #endif #ifdef GL_ARB_texture_compression_bptc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_bptc", 24)) { ret = GLEW_ARB_texture_compression_bptc; continue; } #endif #ifdef GL_ARB_texture_compression_rgtc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_rgtc", 24)) { ret = GLEW_ARB_texture_compression_rgtc; continue; } #endif #ifdef GL_ARB_texture_cube_map if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_cube_map", 16)) { ret = GLEW_ARB_texture_cube_map; continue; } #endif #ifdef GL_ARB_texture_cube_map_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_cube_map_array", 22)) { ret = GLEW_ARB_texture_cube_map_array; continue; } #endif #ifdef GL_ARB_texture_env_add if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_add", 15)) { ret = GLEW_ARB_texture_env_add; continue; } #endif #ifdef GL_ARB_texture_env_combine if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_combine", 19)) { ret = GLEW_ARB_texture_env_combine; continue; } #endif #ifdef GL_ARB_texture_env_crossbar if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_crossbar", 20)) { ret = GLEW_ARB_texture_env_crossbar; continue; } #endif #ifdef GL_ARB_texture_env_dot3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_dot3", 16)) { ret = GLEW_ARB_texture_env_dot3; continue; } #endif #ifdef GL_ARB_texture_filter_anisotropic if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_filter_anisotropic", 26)) { ret = GLEW_ARB_texture_filter_anisotropic; continue; } #endif #ifdef GL_ARB_texture_filter_minmax if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_filter_minmax", 21)) { ret = GLEW_ARB_texture_filter_minmax; continue; } #endif #ifdef GL_ARB_texture_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_float", 13)) { ret = GLEW_ARB_texture_float; continue; } #endif #ifdef GL_ARB_texture_gather if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_gather", 14)) { ret = GLEW_ARB_texture_gather; continue; } #endif #ifdef GL_ARB_texture_mirror_clamp_to_edge if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_mirror_clamp_to_edge", 28)) { ret = GLEW_ARB_texture_mirror_clamp_to_edge; continue; } #endif #ifdef GL_ARB_texture_mirrored_repeat if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_mirrored_repeat", 23)) { ret = GLEW_ARB_texture_mirrored_repeat; continue; } #endif #ifdef GL_ARB_texture_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_multisample", 19)) { ret = GLEW_ARB_texture_multisample; continue; } #endif #ifdef GL_ARB_texture_non_power_of_two if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_non_power_of_two", 24)) { ret = GLEW_ARB_texture_non_power_of_two; continue; } #endif #ifdef GL_ARB_texture_query_levels if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_query_levels", 20)) { ret = GLEW_ARB_texture_query_levels; continue; } #endif #ifdef GL_ARB_texture_query_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_query_lod", 17)) { ret = GLEW_ARB_texture_query_lod; continue; } #endif #ifdef GL_ARB_texture_rectangle if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rectangle", 17)) { ret = GLEW_ARB_texture_rectangle; continue; } #endif #ifdef GL_ARB_texture_rg if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rg", 10)) { ret = GLEW_ARB_texture_rg; continue; } #endif #ifdef GL_ARB_texture_rgb10_a2ui if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rgb10_a2ui", 18)) { ret = GLEW_ARB_texture_rgb10_a2ui; continue; } #endif #ifdef GL_ARB_texture_stencil8 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_stencil8", 16)) { ret = GLEW_ARB_texture_stencil8; continue; } #endif #ifdef GL_ARB_texture_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_storage", 15)) { ret = GLEW_ARB_texture_storage; continue; } #endif #ifdef GL_ARB_texture_storage_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_storage_multisample", 27)) { ret = GLEW_ARB_texture_storage_multisample; continue; } #endif #ifdef GL_ARB_texture_swizzle if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_swizzle", 15)) { ret = GLEW_ARB_texture_swizzle; continue; } #endif #ifdef GL_ARB_texture_view if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_view", 12)) { ret = GLEW_ARB_texture_view; continue; } #endif #ifdef GL_ARB_timer_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"timer_query", 11)) { ret = GLEW_ARB_timer_query; continue; } #endif #ifdef GL_ARB_transform_feedback2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback2", 19)) { ret = GLEW_ARB_transform_feedback2; continue; } #endif #ifdef GL_ARB_transform_feedback3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback3", 19)) { ret = GLEW_ARB_transform_feedback3; continue; } #endif #ifdef GL_ARB_transform_feedback_instanced if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback_instanced", 28)) { ret = GLEW_ARB_transform_feedback_instanced; continue; } #endif #ifdef GL_ARB_transform_feedback_overflow_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback_overflow_query", 33)) { ret = GLEW_ARB_transform_feedback_overflow_query; continue; } #endif #ifdef GL_ARB_transpose_matrix if (_glewStrSame3(&pos, &len, (const GLubyte*)"transpose_matrix", 16)) { ret = GLEW_ARB_transpose_matrix; continue; } #endif #ifdef GL_ARB_uniform_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"uniform_buffer_object", 21)) { ret = GLEW_ARB_uniform_buffer_object; continue; } #endif #ifdef GL_ARB_vertex_array_bgra if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_bgra", 17)) { ret = GLEW_ARB_vertex_array_bgra; continue; } #endif #ifdef GL_ARB_vertex_array_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_object", 19)) { ret = GLEW_ARB_vertex_array_object; continue; } #endif #ifdef GL_ARB_vertex_attrib_64bit if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_attrib_64bit", 19)) { ret = GLEW_ARB_vertex_attrib_64bit; continue; } #endif #ifdef GL_ARB_vertex_attrib_binding if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_attrib_binding", 21)) { ret = GLEW_ARB_vertex_attrib_binding; continue; } #endif #ifdef GL_ARB_vertex_blend if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_blend", 12)) { ret = GLEW_ARB_vertex_blend; continue; } #endif #ifdef GL_ARB_vertex_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_buffer_object", 20)) { ret = GLEW_ARB_vertex_buffer_object; continue; } #endif #ifdef GL_ARB_vertex_program if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program", 14)) { ret = GLEW_ARB_vertex_program; continue; } #endif #ifdef GL_ARB_vertex_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_shader", 13)) { ret = GLEW_ARB_vertex_shader; continue; } #endif #ifdef GL_ARB_vertex_type_10f_11f_11f_rev if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_type_10f_11f_11f_rev", 27)) { ret = GLEW_ARB_vertex_type_10f_11f_11f_rev; continue; } #endif #ifdef GL_ARB_vertex_type_2_10_10_10_rev if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_type_2_10_10_10_rev", 26)) { ret = GLEW_ARB_vertex_type_2_10_10_10_rev; continue; } #endif #ifdef GL_ARB_viewport_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"viewport_array", 14)) { ret = GLEW_ARB_viewport_array; continue; } #endif #ifdef GL_ARB_window_pos if (_glewStrSame3(&pos, &len, (const GLubyte*)"window_pos", 10)) { ret = GLEW_ARB_window_pos; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ARM_", 4)) { #ifdef GL_ARM_mali_program_binary if (_glewStrSame3(&pos, &len, (const GLubyte*)"mali_program_binary", 19)) { ret = GLEW_ARM_mali_program_binary; continue; } #endif #ifdef GL_ARM_mali_shader_binary if (_glewStrSame3(&pos, &len, (const GLubyte*)"mali_shader_binary", 18)) { ret = GLEW_ARM_mali_shader_binary; continue; } #endif #ifdef GL_ARM_rgba8 if (_glewStrSame3(&pos, &len, (const GLubyte*)"rgba8", 5)) { ret = GLEW_ARM_rgba8; continue; } #endif #ifdef GL_ARM_shader_framebuffer_fetch if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_framebuffer_fetch", 24)) { ret = GLEW_ARM_shader_framebuffer_fetch; continue; } #endif #ifdef GL_ARM_shader_framebuffer_fetch_depth_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_framebuffer_fetch_depth_stencil", 38)) { ret = GLEW_ARM_shader_framebuffer_fetch_depth_stencil; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ATIX_", 5)) { #ifdef GL_ATIX_point_sprites if (_glewStrSame3(&pos, &len, (const GLubyte*)"point_sprites", 13)) { ret = GLEW_ATIX_point_sprites; continue; } #endif #ifdef GL_ATIX_texture_env_combine3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_combine3", 20)) { ret = GLEW_ATIX_texture_env_combine3; continue; } #endif #ifdef GL_ATIX_texture_env_route if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_route", 17)) { ret = GLEW_ATIX_texture_env_route; continue; } #endif #ifdef GL_ATIX_vertex_shader_output_point_size if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_shader_output_point_size", 31)) { ret = GLEW_ATIX_vertex_shader_output_point_size; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ATI_", 4)) { #ifdef GL_ATI_draw_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers", 12)) { ret = GLEW_ATI_draw_buffers; continue; } #endif #ifdef GL_ATI_element_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"element_array", 13)) { ret = GLEW_ATI_element_array; continue; } #endif #ifdef GL_ATI_envmap_bumpmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"envmap_bumpmap", 14)) { ret = GLEW_ATI_envmap_bumpmap; continue; } #endif #ifdef GL_ATI_fragment_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_shader", 15)) { ret = GLEW_ATI_fragment_shader; continue; } #endif #ifdef GL_ATI_map_object_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"map_object_buffer", 17)) { ret = GLEW_ATI_map_object_buffer; continue; } #endif #ifdef GL_ATI_meminfo if (_glewStrSame3(&pos, &len, (const GLubyte*)"meminfo", 7)) { ret = GLEW_ATI_meminfo; continue; } #endif #ifdef GL_ATI_pn_triangles if (_glewStrSame3(&pos, &len, (const GLubyte*)"pn_triangles", 12)) { ret = GLEW_ATI_pn_triangles; continue; } #endif #ifdef GL_ATI_separate_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"separate_stencil", 16)) { ret = GLEW_ATI_separate_stencil; continue; } #endif #ifdef GL_ATI_shader_texture_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_texture_lod", 18)) { ret = GLEW_ATI_shader_texture_lod; continue; } #endif #ifdef GL_ATI_text_fragment_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"text_fragment_shader", 20)) { ret = GLEW_ATI_text_fragment_shader; continue; } #endif #ifdef GL_ATI_texture_compression_3dc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_3dc", 23)) { ret = GLEW_ATI_texture_compression_3dc; continue; } #endif #ifdef GL_ATI_texture_env_combine3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_combine3", 20)) { ret = GLEW_ATI_texture_env_combine3; continue; } #endif #ifdef GL_ATI_texture_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_float", 13)) { ret = GLEW_ATI_texture_float; continue; } #endif #ifdef GL_ATI_texture_mirror_once if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_mirror_once", 19)) { ret = GLEW_ATI_texture_mirror_once; continue; } #endif #ifdef GL_ATI_vertex_array_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_object", 19)) { ret = GLEW_ATI_vertex_array_object; continue; } #endif #ifdef GL_ATI_vertex_attrib_array_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_attrib_array_object", 26)) { ret = GLEW_ATI_vertex_attrib_array_object; continue; } #endif #ifdef GL_ATI_vertex_streams if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_streams", 14)) { ret = GLEW_ATI_vertex_streams; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"EGL_", 4)) { #ifdef GL_EGL_KHR_context_flush_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"KHR_context_flush_control", 25)) { ret = GLEW_EGL_KHR_context_flush_control; continue; } #endif #ifdef GL_EGL_NV_robustness_video_memory_purge if (_glewStrSame3(&pos, &len, (const GLubyte*)"NV_robustness_video_memory_purge", 32)) { ret = GLEW_EGL_NV_robustness_video_memory_purge; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"EXT_", 4)) { #ifdef GL_EXT_422_pixels if (_glewStrSame3(&pos, &len, (const GLubyte*)"422_pixels", 10)) { ret = GLEW_EXT_422_pixels; continue; } #endif #ifdef GL_EXT_Cg_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"Cg_shader", 9)) { ret = GLEW_EXT_Cg_shader; continue; } #endif #ifdef GL_EXT_EGL_image_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"EGL_image_array", 15)) { ret = GLEW_EXT_EGL_image_array; continue; } #endif #ifdef GL_EXT_YUV_target if (_glewStrSame3(&pos, &len, (const GLubyte*)"YUV_target", 10)) { ret = GLEW_EXT_YUV_target; continue; } #endif #ifdef GL_EXT_abgr if (_glewStrSame3(&pos, &len, (const GLubyte*)"abgr", 4)) { ret = GLEW_EXT_abgr; continue; } #endif #ifdef GL_EXT_base_instance if (_glewStrSame3(&pos, &len, (const GLubyte*)"base_instance", 13)) { ret = GLEW_EXT_base_instance; continue; } #endif #ifdef GL_EXT_bgra if (_glewStrSame3(&pos, &len, (const GLubyte*)"bgra", 4)) { ret = GLEW_EXT_bgra; continue; } #endif #ifdef GL_EXT_bindable_uniform if (_glewStrSame3(&pos, &len, (const GLubyte*)"bindable_uniform", 16)) { ret = GLEW_EXT_bindable_uniform; continue; } #endif #ifdef GL_EXT_blend_color if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_color", 11)) { ret = GLEW_EXT_blend_color; continue; } #endif #ifdef GL_EXT_blend_equation_separate if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_equation_separate", 23)) { ret = GLEW_EXT_blend_equation_separate; continue; } #endif #ifdef GL_EXT_blend_func_extended if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_func_extended", 19)) { ret = GLEW_EXT_blend_func_extended; continue; } #endif #ifdef GL_EXT_blend_func_separate if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_func_separate", 19)) { ret = GLEW_EXT_blend_func_separate; continue; } #endif #ifdef GL_EXT_blend_logic_op if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_logic_op", 14)) { ret = GLEW_EXT_blend_logic_op; continue; } #endif #ifdef GL_EXT_blend_minmax if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_minmax", 12)) { ret = GLEW_EXT_blend_minmax; continue; } #endif #ifdef GL_EXT_blend_subtract if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_subtract", 14)) { ret = GLEW_EXT_blend_subtract; continue; } #endif #ifdef GL_EXT_buffer_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"buffer_storage", 14)) { ret = GLEW_EXT_buffer_storage; continue; } #endif #ifdef GL_EXT_clear_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"clear_texture", 13)) { ret = GLEW_EXT_clear_texture; continue; } #endif #ifdef GL_EXT_clip_cull_distance if (_glewStrSame3(&pos, &len, (const GLubyte*)"clip_cull_distance", 18)) { ret = GLEW_EXT_clip_cull_distance; continue; } #endif #ifdef GL_EXT_clip_volume_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"clip_volume_hint", 16)) { ret = GLEW_EXT_clip_volume_hint; continue; } #endif #ifdef GL_EXT_cmyka if (_glewStrSame3(&pos, &len, (const GLubyte*)"cmyka", 5)) { ret = GLEW_EXT_cmyka; continue; } #endif #ifdef GL_EXT_color_buffer_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_buffer_float", 18)) { ret = GLEW_EXT_color_buffer_float; continue; } #endif #ifdef GL_EXT_color_buffer_half_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_buffer_half_float", 23)) { ret = GLEW_EXT_color_buffer_half_float; continue; } #endif #ifdef GL_EXT_color_subtable if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_subtable", 14)) { ret = GLEW_EXT_color_subtable; continue; } #endif #ifdef GL_EXT_compiled_vertex_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"compiled_vertex_array", 21)) { ret = GLEW_EXT_compiled_vertex_array; continue; } #endif #ifdef GL_EXT_compressed_ETC1_RGB8_sub_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"compressed_ETC1_RGB8_sub_texture", 32)) { ret = GLEW_EXT_compressed_ETC1_RGB8_sub_texture; continue; } #endif #ifdef GL_EXT_conservative_depth if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_depth", 18)) { ret = GLEW_EXT_conservative_depth; continue; } #endif #ifdef GL_EXT_convolution if (_glewStrSame3(&pos, &len, (const GLubyte*)"convolution", 11)) { ret = GLEW_EXT_convolution; continue; } #endif #ifdef GL_EXT_coordinate_frame if (_glewStrSame3(&pos, &len, (const GLubyte*)"coordinate_frame", 16)) { ret = GLEW_EXT_coordinate_frame; continue; } #endif #ifdef GL_EXT_copy_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_image", 10)) { ret = GLEW_EXT_copy_image; continue; } #endif #ifdef GL_EXT_copy_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_texture", 12)) { ret = GLEW_EXT_copy_texture; continue; } #endif #ifdef GL_EXT_cull_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"cull_vertex", 11)) { ret = GLEW_EXT_cull_vertex; continue; } #endif #ifdef GL_EXT_debug_label if (_glewStrSame3(&pos, &len, (const GLubyte*)"debug_label", 11)) { ret = GLEW_EXT_debug_label; continue; } #endif #ifdef GL_EXT_debug_marker if (_glewStrSame3(&pos, &len, (const GLubyte*)"debug_marker", 12)) { ret = GLEW_EXT_debug_marker; continue; } #endif #ifdef GL_EXT_depth_bounds_test if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_bounds_test", 17)) { ret = GLEW_EXT_depth_bounds_test; continue; } #endif #ifdef GL_EXT_direct_state_access if (_glewStrSame3(&pos, &len, (const GLubyte*)"direct_state_access", 19)) { ret = GLEW_EXT_direct_state_access; continue; } #endif #ifdef GL_EXT_discard_framebuffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"discard_framebuffer", 19)) { ret = GLEW_EXT_discard_framebuffer; continue; } #endif #ifdef GL_EXT_draw_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers", 12)) { ret = GLEW_EXT_draw_buffers; continue; } #endif #ifdef GL_EXT_draw_buffers2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers2", 13)) { ret = GLEW_EXT_draw_buffers2; continue; } #endif #ifdef GL_EXT_draw_buffers_indexed if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers_indexed", 20)) { ret = GLEW_EXT_draw_buffers_indexed; continue; } #endif #ifdef GL_EXT_draw_elements_base_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_elements_base_vertex", 25)) { ret = GLEW_EXT_draw_elements_base_vertex; continue; } #endif #ifdef GL_EXT_draw_instanced if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_instanced", 14)) { ret = GLEW_EXT_draw_instanced; continue; } #endif #ifdef GL_EXT_draw_range_elements if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_range_elements", 19)) { ret = GLEW_EXT_draw_range_elements; continue; } #endif #ifdef GL_EXT_external_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"external_buffer", 15)) { ret = GLEW_EXT_external_buffer; continue; } #endif #ifdef GL_EXT_float_blend if (_glewStrSame3(&pos, &len, (const GLubyte*)"float_blend", 11)) { ret = GLEW_EXT_float_blend; continue; } #endif #ifdef GL_EXT_fog_coord if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_coord", 9)) { ret = GLEW_EXT_fog_coord; continue; } #endif #ifdef GL_EXT_frag_depth if (_glewStrSame3(&pos, &len, (const GLubyte*)"frag_depth", 10)) { ret = GLEW_EXT_frag_depth; continue; } #endif #ifdef GL_EXT_fragment_lighting if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_lighting", 17)) { ret = GLEW_EXT_fragment_lighting; continue; } #endif #ifdef GL_EXT_framebuffer_blit if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_blit", 16)) { ret = GLEW_EXT_framebuffer_blit; continue; } #endif #ifdef GL_EXT_framebuffer_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_multisample", 23)) { ret = GLEW_EXT_framebuffer_multisample; continue; } #endif #ifdef GL_EXT_framebuffer_multisample_blit_scaled if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_multisample_blit_scaled", 35)) { ret = GLEW_EXT_framebuffer_multisample_blit_scaled; continue; } #endif #ifdef GL_EXT_framebuffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_object", 18)) { ret = GLEW_EXT_framebuffer_object; continue; } #endif #ifdef GL_EXT_framebuffer_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sRGB", 16)) { ret = GLEW_EXT_framebuffer_sRGB; continue; } #endif #ifdef GL_EXT_geometry_point_size if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_point_size", 19)) { ret = GLEW_EXT_geometry_point_size; continue; } #endif #ifdef GL_EXT_geometry_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_shader", 15)) { ret = GLEW_EXT_geometry_shader; continue; } #endif #ifdef GL_EXT_geometry_shader4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_shader4", 16)) { ret = GLEW_EXT_geometry_shader4; continue; } #endif #ifdef GL_EXT_gpu_program_parameters if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_program_parameters", 22)) { ret = GLEW_EXT_gpu_program_parameters; continue; } #endif #ifdef GL_EXT_gpu_shader4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader4", 11)) { ret = GLEW_EXT_gpu_shader4; continue; } #endif #ifdef GL_EXT_gpu_shader5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader5", 11)) { ret = GLEW_EXT_gpu_shader5; continue; } #endif #ifdef GL_EXT_histogram if (_glewStrSame3(&pos, &len, (const GLubyte*)"histogram", 9)) { ret = GLEW_EXT_histogram; continue; } #endif #ifdef GL_EXT_index_array_formats if (_glewStrSame3(&pos, &len, (const GLubyte*)"index_array_formats", 19)) { ret = GLEW_EXT_index_array_formats; continue; } #endif #ifdef GL_EXT_index_func if (_glewStrSame3(&pos, &len, (const GLubyte*)"index_func", 10)) { ret = GLEW_EXT_index_func; continue; } #endif #ifdef GL_EXT_index_material if (_glewStrSame3(&pos, &len, (const GLubyte*)"index_material", 14)) { ret = GLEW_EXT_index_material; continue; } #endif #ifdef GL_EXT_index_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"index_texture", 13)) { ret = GLEW_EXT_index_texture; continue; } #endif #ifdef GL_EXT_instanced_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"instanced_arrays", 16)) { ret = GLEW_EXT_instanced_arrays; continue; } #endif #ifdef GL_EXT_light_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"light_texture", 13)) { ret = GLEW_EXT_light_texture; continue; } #endif #ifdef GL_EXT_map_buffer_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"map_buffer_range", 16)) { ret = GLEW_EXT_map_buffer_range; continue; } #endif #ifdef GL_EXT_memory_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"memory_object", 13)) { ret = GLEW_EXT_memory_object; continue; } #endif #ifdef GL_EXT_memory_object_fd if (_glewStrSame3(&pos, &len, (const GLubyte*)"memory_object_fd", 16)) { ret = GLEW_EXT_memory_object_fd; continue; } #endif #ifdef GL_EXT_memory_object_win32 if (_glewStrSame3(&pos, &len, (const GLubyte*)"memory_object_win32", 19)) { ret = GLEW_EXT_memory_object_win32; continue; } #endif #ifdef GL_EXT_misc_attribute if (_glewStrSame3(&pos, &len, (const GLubyte*)"misc_attribute", 14)) { ret = GLEW_EXT_misc_attribute; continue; } #endif #ifdef GL_EXT_multi_draw_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"multi_draw_arrays", 17)) { ret = GLEW_EXT_multi_draw_arrays; continue; } #endif #ifdef GL_EXT_multi_draw_indirect if (_glewStrSame3(&pos, &len, (const GLubyte*)"multi_draw_indirect", 19)) { ret = GLEW_EXT_multi_draw_indirect; continue; } #endif #ifdef GL_EXT_multiple_textures if (_glewStrSame3(&pos, &len, (const GLubyte*)"multiple_textures", 17)) { ret = GLEW_EXT_multiple_textures; continue; } #endif #ifdef GL_EXT_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLEW_EXT_multisample; continue; } #endif #ifdef GL_EXT_multisample_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample_compatibility", 25)) { ret = GLEW_EXT_multisample_compatibility; continue; } #endif #ifdef GL_EXT_multisampled_render_to_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisampled_render_to_texture", 30)) { ret = GLEW_EXT_multisampled_render_to_texture; continue; } #endif #ifdef GL_EXT_multisampled_render_to_texture2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisampled_render_to_texture2", 31)) { ret = GLEW_EXT_multisampled_render_to_texture2; continue; } #endif #ifdef GL_EXT_multiview_draw_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"multiview_draw_buffers", 22)) { ret = GLEW_EXT_multiview_draw_buffers; continue; } #endif #ifdef GL_EXT_packed_depth_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_depth_stencil", 20)) { ret = GLEW_EXT_packed_depth_stencil; continue; } #endif #ifdef GL_EXT_packed_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_float", 12)) { ret = GLEW_EXT_packed_float; continue; } #endif #ifdef GL_EXT_packed_pixels if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_pixels", 13)) { ret = GLEW_EXT_packed_pixels; continue; } #endif #ifdef GL_EXT_paletted_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"paletted_texture", 16)) { ret = GLEW_EXT_paletted_texture; continue; } #endif #ifdef GL_EXT_pixel_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_buffer_object", 19)) { ret = GLEW_EXT_pixel_buffer_object; continue; } #endif #ifdef GL_EXT_pixel_transform if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_transform", 15)) { ret = GLEW_EXT_pixel_transform; continue; } #endif #ifdef GL_EXT_pixel_transform_color_table if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_transform_color_table", 27)) { ret = GLEW_EXT_pixel_transform_color_table; continue; } #endif #ifdef GL_EXT_point_parameters if (_glewStrSame3(&pos, &len, (const GLubyte*)"point_parameters", 16)) { ret = GLEW_EXT_point_parameters; continue; } #endif #ifdef GL_EXT_polygon_offset if (_glewStrSame3(&pos, &len, (const GLubyte*)"polygon_offset", 14)) { ret = GLEW_EXT_polygon_offset; continue; } #endif #ifdef GL_EXT_polygon_offset_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"polygon_offset_clamp", 20)) { ret = GLEW_EXT_polygon_offset_clamp; continue; } #endif #ifdef GL_EXT_post_depth_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"post_depth_coverage", 19)) { ret = GLEW_EXT_post_depth_coverage; continue; } #endif #ifdef GL_EXT_provoking_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"provoking_vertex", 16)) { ret = GLEW_EXT_provoking_vertex; continue; } #endif #ifdef GL_EXT_pvrtc_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"pvrtc_sRGB", 10)) { ret = GLEW_EXT_pvrtc_sRGB; continue; } #endif #ifdef GL_EXT_raster_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"raster_multisample", 18)) { ret = GLEW_EXT_raster_multisample; continue; } #endif #ifdef GL_EXT_read_format_bgra if (_glewStrSame3(&pos, &len, (const GLubyte*)"read_format_bgra", 16)) { ret = GLEW_EXT_read_format_bgra; continue; } #endif #ifdef GL_EXT_render_snorm if (_glewStrSame3(&pos, &len, (const GLubyte*)"render_snorm", 12)) { ret = GLEW_EXT_render_snorm; continue; } #endif #ifdef GL_EXT_rescale_normal if (_glewStrSame3(&pos, &len, (const GLubyte*)"rescale_normal", 14)) { ret = GLEW_EXT_rescale_normal; continue; } #endif #ifdef GL_EXT_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"sRGB", 4)) { ret = GLEW_EXT_sRGB; continue; } #endif #ifdef GL_EXT_sRGB_write_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"sRGB_write_control", 18)) { ret = GLEW_EXT_sRGB_write_control; continue; } #endif #ifdef GL_EXT_scene_marker if (_glewStrSame3(&pos, &len, (const GLubyte*)"scene_marker", 12)) { ret = GLEW_EXT_scene_marker; continue; } #endif #ifdef GL_EXT_secondary_color if (_glewStrSame3(&pos, &len, (const GLubyte*)"secondary_color", 15)) { ret = GLEW_EXT_secondary_color; continue; } #endif #ifdef GL_EXT_semaphore if (_glewStrSame3(&pos, &len, (const GLubyte*)"semaphore", 9)) { ret = GLEW_EXT_semaphore; continue; } #endif #ifdef GL_EXT_semaphore_fd if (_glewStrSame3(&pos, &len, (const GLubyte*)"semaphore_fd", 12)) { ret = GLEW_EXT_semaphore_fd; continue; } #endif #ifdef GL_EXT_semaphore_win32 if (_glewStrSame3(&pos, &len, (const GLubyte*)"semaphore_win32", 15)) { ret = GLEW_EXT_semaphore_win32; continue; } #endif #ifdef GL_EXT_separate_shader_objects if (_glewStrSame3(&pos, &len, (const GLubyte*)"separate_shader_objects", 23)) { ret = GLEW_EXT_separate_shader_objects; continue; } #endif #ifdef GL_EXT_separate_specular_color if (_glewStrSame3(&pos, &len, (const GLubyte*)"separate_specular_color", 23)) { ret = GLEW_EXT_separate_specular_color; continue; } #endif #ifdef GL_EXT_shader_framebuffer_fetch if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_framebuffer_fetch", 24)) { ret = GLEW_EXT_shader_framebuffer_fetch; continue; } #endif #ifdef GL_EXT_shader_group_vote if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_group_vote", 17)) { ret = GLEW_EXT_shader_group_vote; continue; } #endif #ifdef GL_EXT_shader_image_load_formatted if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_image_load_formatted", 27)) { ret = GLEW_EXT_shader_image_load_formatted; continue; } #endif #ifdef GL_EXT_shader_image_load_store if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_image_load_store", 23)) { ret = GLEW_EXT_shader_image_load_store; continue; } #endif #ifdef GL_EXT_shader_implicit_conversions if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_implicit_conversions", 27)) { ret = GLEW_EXT_shader_implicit_conversions; continue; } #endif #ifdef GL_EXT_shader_integer_mix if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_integer_mix", 18)) { ret = GLEW_EXT_shader_integer_mix; continue; } #endif #ifdef GL_EXT_shader_io_blocks if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_io_blocks", 16)) { ret = GLEW_EXT_shader_io_blocks; continue; } #endif #ifdef GL_EXT_shader_non_constant_global_initializers if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_non_constant_global_initializers", 39)) { ret = GLEW_EXT_shader_non_constant_global_initializers; continue; } #endif #ifdef GL_EXT_shader_pixel_local_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_pixel_local_storage", 26)) { ret = GLEW_EXT_shader_pixel_local_storage; continue; } #endif #ifdef GL_EXT_shader_pixel_local_storage2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_pixel_local_storage2", 27)) { ret = GLEW_EXT_shader_pixel_local_storage2; continue; } #endif #ifdef GL_EXT_shader_texture_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_texture_lod", 18)) { ret = GLEW_EXT_shader_texture_lod; continue; } #endif #ifdef GL_EXT_shadow_funcs if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow_funcs", 12)) { ret = GLEW_EXT_shadow_funcs; continue; } #endif #ifdef GL_EXT_shadow_samplers if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow_samplers", 15)) { ret = GLEW_EXT_shadow_samplers; continue; } #endif #ifdef GL_EXT_shared_texture_palette if (_glewStrSame3(&pos, &len, (const GLubyte*)"shared_texture_palette", 22)) { ret = GLEW_EXT_shared_texture_palette; continue; } #endif #ifdef GL_EXT_sparse_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_texture", 14)) { ret = GLEW_EXT_sparse_texture; continue; } #endif #ifdef GL_EXT_sparse_texture2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"sparse_texture2", 15)) { ret = GLEW_EXT_sparse_texture2; continue; } #endif #ifdef GL_EXT_stencil_clear_tag if (_glewStrSame3(&pos, &len, (const GLubyte*)"stencil_clear_tag", 17)) { ret = GLEW_EXT_stencil_clear_tag; continue; } #endif #ifdef GL_EXT_stencil_two_side if (_glewStrSame3(&pos, &len, (const GLubyte*)"stencil_two_side", 16)) { ret = GLEW_EXT_stencil_two_side; continue; } #endif #ifdef GL_EXT_stencil_wrap if (_glewStrSame3(&pos, &len, (const GLubyte*)"stencil_wrap", 12)) { ret = GLEW_EXT_stencil_wrap; continue; } #endif #ifdef GL_EXT_subtexture if (_glewStrSame3(&pos, &len, (const GLubyte*)"subtexture", 10)) { ret = GLEW_EXT_subtexture; continue; } #endif #ifdef GL_EXT_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture", 7)) { ret = GLEW_EXT_texture; continue; } #endif #ifdef GL_EXT_texture3D if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture3D", 9)) { ret = GLEW_EXT_texture3D; continue; } #endif #ifdef GL_EXT_texture_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_array", 13)) { ret = GLEW_EXT_texture_array; continue; } #endif #ifdef GL_EXT_texture_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_buffer_object", 21)) { ret = GLEW_EXT_texture_buffer_object; continue; } #endif #ifdef GL_EXT_texture_compression_astc_decode_mode if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_astc_decode_mode", 36)) { ret = GLEW_EXT_texture_compression_astc_decode_mode; continue; } #endif #ifdef GL_EXT_texture_compression_astc_decode_mode_rgb9e5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_astc_decode_mode_rgb9e5", 43)) { ret = GLEW_EXT_texture_compression_astc_decode_mode_rgb9e5; continue; } #endif #ifdef GL_EXT_texture_compression_bptc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_bptc", 24)) { ret = GLEW_EXT_texture_compression_bptc; continue; } #endif #ifdef GL_EXT_texture_compression_dxt1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_dxt1", 24)) { ret = GLEW_EXT_texture_compression_dxt1; continue; } #endif #ifdef GL_EXT_texture_compression_latc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_latc", 24)) { ret = GLEW_EXT_texture_compression_latc; continue; } #endif #ifdef GL_EXT_texture_compression_rgtc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_rgtc", 24)) { ret = GLEW_EXT_texture_compression_rgtc; continue; } #endif #ifdef GL_EXT_texture_compression_s3tc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_s3tc", 24)) { ret = GLEW_EXT_texture_compression_s3tc; continue; } #endif #ifdef GL_EXT_texture_cube_map if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_cube_map", 16)) { ret = GLEW_EXT_texture_cube_map; continue; } #endif #ifdef GL_EXT_texture_cube_map_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_cube_map_array", 22)) { ret = GLEW_EXT_texture_cube_map_array; continue; } #endif #ifdef GL_EXT_texture_edge_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_edge_clamp", 18)) { ret = GLEW_EXT_texture_edge_clamp; continue; } #endif #ifdef GL_EXT_texture_env if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env", 11)) { ret = GLEW_EXT_texture_env; continue; } #endif #ifdef GL_EXT_texture_env_add if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_add", 15)) { ret = GLEW_EXT_texture_env_add; continue; } #endif #ifdef GL_EXT_texture_env_combine if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_combine", 19)) { ret = GLEW_EXT_texture_env_combine; continue; } #endif #ifdef GL_EXT_texture_env_dot3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_dot3", 16)) { ret = GLEW_EXT_texture_env_dot3; continue; } #endif #ifdef GL_EXT_texture_filter_anisotropic if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_filter_anisotropic", 26)) { ret = GLEW_EXT_texture_filter_anisotropic; continue; } #endif #ifdef GL_EXT_texture_filter_minmax if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_filter_minmax", 21)) { ret = GLEW_EXT_texture_filter_minmax; continue; } #endif #ifdef GL_EXT_texture_format_BGRA8888 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_format_BGRA8888", 23)) { ret = GLEW_EXT_texture_format_BGRA8888; continue; } #endif #ifdef GL_EXT_texture_integer if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_integer", 15)) { ret = GLEW_EXT_texture_integer; continue; } #endif #ifdef GL_EXT_texture_lod_bias if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_lod_bias", 16)) { ret = GLEW_EXT_texture_lod_bias; continue; } #endif #ifdef GL_EXT_texture_mirror_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_mirror_clamp", 20)) { ret = GLEW_EXT_texture_mirror_clamp; continue; } #endif #ifdef GL_EXT_texture_norm16 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_norm16", 14)) { ret = GLEW_EXT_texture_norm16; continue; } #endif #ifdef GL_EXT_texture_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_object", 14)) { ret = GLEW_EXT_texture_object; continue; } #endif #ifdef GL_EXT_texture_perturb_normal if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_perturb_normal", 22)) { ret = GLEW_EXT_texture_perturb_normal; continue; } #endif #ifdef GL_EXT_texture_rectangle if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rectangle", 17)) { ret = GLEW_EXT_texture_rectangle; continue; } #endif #ifdef GL_EXT_texture_rg if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rg", 10)) { ret = GLEW_EXT_texture_rg; continue; } #endif #ifdef GL_EXT_texture_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_sRGB", 12)) { ret = GLEW_EXT_texture_sRGB; continue; } #endif #ifdef GL_EXT_texture_sRGB_R8 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_sRGB_R8", 15)) { ret = GLEW_EXT_texture_sRGB_R8; continue; } #endif #ifdef GL_EXT_texture_sRGB_RG8 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_sRGB_RG8", 16)) { ret = GLEW_EXT_texture_sRGB_RG8; continue; } #endif #ifdef GL_EXT_texture_sRGB_decode if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_sRGB_decode", 19)) { ret = GLEW_EXT_texture_sRGB_decode; continue; } #endif #ifdef GL_EXT_texture_shared_exponent if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_shared_exponent", 23)) { ret = GLEW_EXT_texture_shared_exponent; continue; } #endif #ifdef GL_EXT_texture_snorm if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_snorm", 13)) { ret = GLEW_EXT_texture_snorm; continue; } #endif #ifdef GL_EXT_texture_storage if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_storage", 15)) { ret = GLEW_EXT_texture_storage; continue; } #endif #ifdef GL_EXT_texture_swizzle if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_swizzle", 15)) { ret = GLEW_EXT_texture_swizzle; continue; } #endif #ifdef GL_EXT_texture_type_2_10_10_10_REV if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_type_2_10_10_10_REV", 27)) { ret = GLEW_EXT_texture_type_2_10_10_10_REV; continue; } #endif #ifdef GL_EXT_texture_view if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_view", 12)) { ret = GLEW_EXT_texture_view; continue; } #endif #ifdef GL_EXT_timer_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"timer_query", 11)) { ret = GLEW_EXT_timer_query; continue; } #endif #ifdef GL_EXT_transform_feedback if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback", 18)) { ret = GLEW_EXT_transform_feedback; continue; } #endif #ifdef GL_EXT_unpack_subimage if (_glewStrSame3(&pos, &len, (const GLubyte*)"unpack_subimage", 15)) { ret = GLEW_EXT_unpack_subimage; continue; } #endif #ifdef GL_EXT_vertex_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array", 12)) { ret = GLEW_EXT_vertex_array; continue; } #endif #ifdef GL_EXT_vertex_array_bgra if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_bgra", 17)) { ret = GLEW_EXT_vertex_array_bgra; continue; } #endif #ifdef GL_EXT_vertex_array_setXXX if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_setXXX", 19)) { ret = GLEW_EXT_vertex_array_setXXX; continue; } #endif #ifdef GL_EXT_vertex_attrib_64bit if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_attrib_64bit", 19)) { ret = GLEW_EXT_vertex_attrib_64bit; continue; } #endif #ifdef GL_EXT_vertex_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_shader", 13)) { ret = GLEW_EXT_vertex_shader; continue; } #endif #ifdef GL_EXT_vertex_weighting if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_weighting", 16)) { ret = GLEW_EXT_vertex_weighting; continue; } #endif #ifdef GL_EXT_win32_keyed_mutex if (_glewStrSame3(&pos, &len, (const GLubyte*)"win32_keyed_mutex", 17)) { ret = GLEW_EXT_win32_keyed_mutex; continue; } #endif #ifdef GL_EXT_window_rectangles if (_glewStrSame3(&pos, &len, (const GLubyte*)"window_rectangles", 17)) { ret = GLEW_EXT_window_rectangles; continue; } #endif #ifdef GL_EXT_x11_sync_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"x11_sync_object", 15)) { ret = GLEW_EXT_x11_sync_object; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"GREMEDY_", 8)) { #ifdef GL_GREMEDY_frame_terminator if (_glewStrSame3(&pos, &len, (const GLubyte*)"frame_terminator", 16)) { ret = GLEW_GREMEDY_frame_terminator; continue; } #endif #ifdef GL_GREMEDY_string_marker if (_glewStrSame3(&pos, &len, (const GLubyte*)"string_marker", 13)) { ret = GLEW_GREMEDY_string_marker; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"HP_", 3)) { #ifdef GL_HP_convolution_border_modes if (_glewStrSame3(&pos, &len, (const GLubyte*)"convolution_border_modes", 24)) { ret = GLEW_HP_convolution_border_modes; continue; } #endif #ifdef GL_HP_image_transform if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_transform", 15)) { ret = GLEW_HP_image_transform; continue; } #endif #ifdef GL_HP_occlusion_test if (_glewStrSame3(&pos, &len, (const GLubyte*)"occlusion_test", 14)) { ret = GLEW_HP_occlusion_test; continue; } #endif #ifdef GL_HP_texture_lighting if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_lighting", 16)) { ret = GLEW_HP_texture_lighting; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"IBM_", 4)) { #ifdef GL_IBM_cull_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"cull_vertex", 11)) { ret = GLEW_IBM_cull_vertex; continue; } #endif #ifdef GL_IBM_multimode_draw_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"multimode_draw_arrays", 21)) { ret = GLEW_IBM_multimode_draw_arrays; continue; } #endif #ifdef GL_IBM_rasterpos_clip if (_glewStrSame3(&pos, &len, (const GLubyte*)"rasterpos_clip", 14)) { ret = GLEW_IBM_rasterpos_clip; continue; } #endif #ifdef GL_IBM_static_data if (_glewStrSame3(&pos, &len, (const GLubyte*)"static_data", 11)) { ret = GLEW_IBM_static_data; continue; } #endif #ifdef GL_IBM_texture_mirrored_repeat if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_mirrored_repeat", 23)) { ret = GLEW_IBM_texture_mirrored_repeat; continue; } #endif #ifdef GL_IBM_vertex_array_lists if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_lists", 18)) { ret = GLEW_IBM_vertex_array_lists; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"INGR_", 5)) { #ifdef GL_INGR_color_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_clamp", 11)) { ret = GLEW_INGR_color_clamp; continue; } #endif #ifdef GL_INGR_interlace_read if (_glewStrSame3(&pos, &len, (const GLubyte*)"interlace_read", 14)) { ret = GLEW_INGR_interlace_read; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"INTEL_", 6)) { #ifdef GL_INTEL_conservative_rasterization if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_rasterization", 26)) { ret = GLEW_INTEL_conservative_rasterization; continue; } #endif #ifdef GL_INTEL_fragment_shader_ordering if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_shader_ordering", 24)) { ret = GLEW_INTEL_fragment_shader_ordering; continue; } #endif #ifdef GL_INTEL_framebuffer_CMAA if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_CMAA", 16)) { ret = GLEW_INTEL_framebuffer_CMAA; continue; } #endif #ifdef GL_INTEL_map_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"map_texture", 11)) { ret = GLEW_INTEL_map_texture; continue; } #endif #ifdef GL_INTEL_parallel_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"parallel_arrays", 15)) { ret = GLEW_INTEL_parallel_arrays; continue; } #endif #ifdef GL_INTEL_performance_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"performance_query", 17)) { ret = GLEW_INTEL_performance_query; continue; } #endif #ifdef GL_INTEL_texture_scissor if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_scissor", 15)) { ret = GLEW_INTEL_texture_scissor; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"KHR_", 4)) { #ifdef GL_KHR_blend_equation_advanced if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_equation_advanced", 23)) { ret = GLEW_KHR_blend_equation_advanced; continue; } #endif #ifdef GL_KHR_blend_equation_advanced_coherent if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_equation_advanced_coherent", 32)) { ret = GLEW_KHR_blend_equation_advanced_coherent; continue; } #endif #ifdef GL_KHR_context_flush_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"context_flush_control", 21)) { ret = GLEW_KHR_context_flush_control; continue; } #endif #ifdef GL_KHR_debug if (_glewStrSame3(&pos, &len, (const GLubyte*)"debug", 5)) { ret = GLEW_KHR_debug; continue; } #endif #ifdef GL_KHR_no_error if (_glewStrSame3(&pos, &len, (const GLubyte*)"no_error", 8)) { ret = GLEW_KHR_no_error; continue; } #endif #ifdef GL_KHR_parallel_shader_compile if (_glewStrSame3(&pos, &len, (const GLubyte*)"parallel_shader_compile", 23)) { ret = GLEW_KHR_parallel_shader_compile; continue; } #endif #ifdef GL_KHR_robust_buffer_access_behavior if (_glewStrSame3(&pos, &len, (const GLubyte*)"robust_buffer_access_behavior", 29)) { ret = GLEW_KHR_robust_buffer_access_behavior; continue; } #endif #ifdef GL_KHR_robustness if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness", 10)) { ret = GLEW_KHR_robustness; continue; } #endif #ifdef GL_KHR_texture_compression_astc_hdr if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_astc_hdr", 28)) { ret = GLEW_KHR_texture_compression_astc_hdr; continue; } #endif #ifdef GL_KHR_texture_compression_astc_ldr if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_astc_ldr", 28)) { ret = GLEW_KHR_texture_compression_astc_ldr; continue; } #endif #ifdef GL_KHR_texture_compression_astc_sliced_3d if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_astc_sliced_3d", 34)) { ret = GLEW_KHR_texture_compression_astc_sliced_3d; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"KTX_", 4)) { #ifdef GL_KTX_buffer_region if (_glewStrSame3(&pos, &len, (const GLubyte*)"buffer_region", 13)) { ret = GLEW_KTX_buffer_region; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"MESAX_", 6)) { #ifdef GL_MESAX_texture_stack if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_stack", 13)) { ret = GLEW_MESAX_texture_stack; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"MESA_", 5)) { #ifdef GL_MESA_pack_invert if (_glewStrSame3(&pos, &len, (const GLubyte*)"pack_invert", 11)) { ret = GLEW_MESA_pack_invert; continue; } #endif #ifdef GL_MESA_resize_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"resize_buffers", 14)) { ret = GLEW_MESA_resize_buffers; continue; } #endif #ifdef GL_MESA_shader_integer_functions if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_integer_functions", 24)) { ret = GLEW_MESA_shader_integer_functions; continue; } #endif #ifdef GL_MESA_window_pos if (_glewStrSame3(&pos, &len, (const GLubyte*)"window_pos", 10)) { ret = GLEW_MESA_window_pos; continue; } #endif #ifdef GL_MESA_ycbcr_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"ycbcr_texture", 13)) { ret = GLEW_MESA_ycbcr_texture; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"NVX_", 4)) { #ifdef GL_NVX_blend_equation_advanced_multi_draw_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_equation_advanced_multi_draw_buffers", 42)) { ret = GLEW_NVX_blend_equation_advanced_multi_draw_buffers; continue; } #endif #ifdef GL_NVX_conditional_render if (_glewStrSame3(&pos, &len, (const GLubyte*)"conditional_render", 18)) { ret = GLEW_NVX_conditional_render; continue; } #endif #ifdef GL_NVX_gpu_memory_info if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_memory_info", 15)) { ret = GLEW_NVX_gpu_memory_info; continue; } #endif #ifdef GL_NVX_linked_gpu_multicast if (_glewStrSame3(&pos, &len, (const GLubyte*)"linked_gpu_multicast", 20)) { ret = GLEW_NVX_linked_gpu_multicast; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"NV_", 3)) { #ifdef GL_NV_3dvision_settings if (_glewStrSame3(&pos, &len, (const GLubyte*)"3dvision_settings", 17)) { ret = GLEW_NV_3dvision_settings; continue; } #endif #ifdef GL_NV_EGL_stream_consumer_external if (_glewStrSame3(&pos, &len, (const GLubyte*)"EGL_stream_consumer_external", 28)) { ret = GLEW_NV_EGL_stream_consumer_external; continue; } #endif #ifdef GL_NV_alpha_to_coverage_dither_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"alpha_to_coverage_dither_control", 32)) { ret = GLEW_NV_alpha_to_coverage_dither_control; continue; } #endif #ifdef GL_NV_bgr if (_glewStrSame3(&pos, &len, (const GLubyte*)"bgr", 3)) { ret = GLEW_NV_bgr; continue; } #endif #ifdef GL_NV_bindless_multi_draw_indirect if (_glewStrSame3(&pos, &len, (const GLubyte*)"bindless_multi_draw_indirect", 28)) { ret = GLEW_NV_bindless_multi_draw_indirect; continue; } #endif #ifdef GL_NV_bindless_multi_draw_indirect_count if (_glewStrSame3(&pos, &len, (const GLubyte*)"bindless_multi_draw_indirect_count", 34)) { ret = GLEW_NV_bindless_multi_draw_indirect_count; continue; } #endif #ifdef GL_NV_bindless_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"bindless_texture", 16)) { ret = GLEW_NV_bindless_texture; continue; } #endif #ifdef GL_NV_blend_equation_advanced if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_equation_advanced", 23)) { ret = GLEW_NV_blend_equation_advanced; continue; } #endif #ifdef GL_NV_blend_equation_advanced_coherent if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_equation_advanced_coherent", 32)) { ret = GLEW_NV_blend_equation_advanced_coherent; continue; } #endif #ifdef GL_NV_blend_minmax_factor if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_minmax_factor", 19)) { ret = GLEW_NV_blend_minmax_factor; continue; } #endif #ifdef GL_NV_blend_square if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_square", 12)) { ret = GLEW_NV_blend_square; continue; } #endif #ifdef GL_NV_clip_space_w_scaling if (_glewStrSame3(&pos, &len, (const GLubyte*)"clip_space_w_scaling", 20)) { ret = GLEW_NV_clip_space_w_scaling; continue; } #endif #ifdef GL_NV_command_list if (_glewStrSame3(&pos, &len, (const GLubyte*)"command_list", 12)) { ret = GLEW_NV_command_list; continue; } #endif #ifdef GL_NV_compute_program5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"compute_program5", 16)) { ret = GLEW_NV_compute_program5; continue; } #endif #ifdef GL_NV_conditional_render if (_glewStrSame3(&pos, &len, (const GLubyte*)"conditional_render", 18)) { ret = GLEW_NV_conditional_render; continue; } #endif #ifdef GL_NV_conservative_raster if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_raster", 19)) { ret = GLEW_NV_conservative_raster; continue; } #endif #ifdef GL_NV_conservative_raster_dilate if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_raster_dilate", 26)) { ret = GLEW_NV_conservative_raster_dilate; continue; } #endif #ifdef GL_NV_conservative_raster_pre_snap_triangles if (_glewStrSame3(&pos, &len, (const GLubyte*)"conservative_raster_pre_snap_triangles", 38)) { ret = GLEW_NV_conservative_raster_pre_snap_triangles; continue; } #endif #ifdef GL_NV_copy_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_buffer", 11)) { ret = GLEW_NV_copy_buffer; continue; } #endif #ifdef GL_NV_copy_depth_to_color if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_depth_to_color", 19)) { ret = GLEW_NV_copy_depth_to_color; continue; } #endif #ifdef GL_NV_copy_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_image", 10)) { ret = GLEW_NV_copy_image; continue; } #endif #ifdef GL_NV_deep_texture3D if (_glewStrSame3(&pos, &len, (const GLubyte*)"deep_texture3D", 14)) { ret = GLEW_NV_deep_texture3D; continue; } #endif #ifdef GL_NV_depth_buffer_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_buffer_float", 18)) { ret = GLEW_NV_depth_buffer_float; continue; } #endif #ifdef GL_NV_depth_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_clamp", 11)) { ret = GLEW_NV_depth_clamp; continue; } #endif #ifdef GL_NV_depth_range_unclamped if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_range_unclamped", 21)) { ret = GLEW_NV_depth_range_unclamped; continue; } #endif #ifdef GL_NV_draw_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_buffers", 12)) { ret = GLEW_NV_draw_buffers; continue; } #endif #ifdef GL_NV_draw_instanced if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_instanced", 14)) { ret = GLEW_NV_draw_instanced; continue; } #endif #ifdef GL_NV_draw_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_texture", 12)) { ret = GLEW_NV_draw_texture; continue; } #endif #ifdef GL_NV_draw_vulkan_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"draw_vulkan_image", 17)) { ret = GLEW_NV_draw_vulkan_image; continue; } #endif #ifdef GL_NV_evaluators if (_glewStrSame3(&pos, &len, (const GLubyte*)"evaluators", 10)) { ret = GLEW_NV_evaluators; continue; } #endif #ifdef GL_NV_explicit_attrib_location if (_glewStrSame3(&pos, &len, (const GLubyte*)"explicit_attrib_location", 24)) { ret = GLEW_NV_explicit_attrib_location; continue; } #endif #ifdef GL_NV_explicit_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"explicit_multisample", 20)) { ret = GLEW_NV_explicit_multisample; continue; } #endif #ifdef GL_NV_fbo_color_attachments if (_glewStrSame3(&pos, &len, (const GLubyte*)"fbo_color_attachments", 21)) { ret = GLEW_NV_fbo_color_attachments; continue; } #endif #ifdef GL_NV_fence if (_glewStrSame3(&pos, &len, (const GLubyte*)"fence", 5)) { ret = GLEW_NV_fence; continue; } #endif #ifdef GL_NV_fill_rectangle if (_glewStrSame3(&pos, &len, (const GLubyte*)"fill_rectangle", 14)) { ret = GLEW_NV_fill_rectangle; continue; } #endif #ifdef GL_NV_float_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"float_buffer", 12)) { ret = GLEW_NV_float_buffer; continue; } #endif #ifdef GL_NV_fog_distance if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_distance", 12)) { ret = GLEW_NV_fog_distance; continue; } #endif #ifdef GL_NV_fragment_coverage_to_color if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_coverage_to_color", 26)) { ret = GLEW_NV_fragment_coverage_to_color; continue; } #endif #ifdef GL_NV_fragment_program if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_program", 16)) { ret = GLEW_NV_fragment_program; continue; } #endif #ifdef GL_NV_fragment_program2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_program2", 17)) { ret = GLEW_NV_fragment_program2; continue; } #endif #ifdef GL_NV_fragment_program4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_program4", 17)) { ret = GLEW_NV_fragment_program4; continue; } #endif #ifdef GL_NV_fragment_program_option if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_program_option", 23)) { ret = GLEW_NV_fragment_program_option; continue; } #endif #ifdef GL_NV_fragment_shader_interlock if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_shader_interlock", 25)) { ret = GLEW_NV_fragment_shader_interlock; continue; } #endif #ifdef GL_NV_framebuffer_blit if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_blit", 16)) { ret = GLEW_NV_framebuffer_blit; continue; } #endif #ifdef GL_NV_framebuffer_mixed_samples if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_mixed_samples", 25)) { ret = GLEW_NV_framebuffer_mixed_samples; continue; } #endif #ifdef GL_NV_framebuffer_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_multisample", 23)) { ret = GLEW_NV_framebuffer_multisample; continue; } #endif #ifdef GL_NV_framebuffer_multisample_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_multisample_coverage", 32)) { ret = GLEW_NV_framebuffer_multisample_coverage; continue; } #endif #ifdef GL_NV_generate_mipmap_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"generate_mipmap_sRGB", 20)) { ret = GLEW_NV_generate_mipmap_sRGB; continue; } #endif #ifdef GL_NV_geometry_program4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_program4", 17)) { ret = GLEW_NV_geometry_program4; continue; } #endif #ifdef GL_NV_geometry_shader4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_shader4", 16)) { ret = GLEW_NV_geometry_shader4; continue; } #endif #ifdef GL_NV_geometry_shader_passthrough if (_glewStrSame3(&pos, &len, (const GLubyte*)"geometry_shader_passthrough", 27)) { ret = GLEW_NV_geometry_shader_passthrough; continue; } #endif #ifdef GL_NV_gpu_multicast if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_multicast", 13)) { ret = GLEW_NV_gpu_multicast; continue; } #endif #ifdef GL_NV_gpu_program4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_program4", 12)) { ret = GLEW_NV_gpu_program4; continue; } #endif #ifdef GL_NV_gpu_program5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_program5", 12)) { ret = GLEW_NV_gpu_program5; continue; } #endif #ifdef GL_NV_gpu_program5_mem_extended if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_program5_mem_extended", 25)) { ret = GLEW_NV_gpu_program5_mem_extended; continue; } #endif #ifdef GL_NV_gpu_program_fp64 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_program_fp64", 16)) { ret = GLEW_NV_gpu_program_fp64; continue; } #endif #ifdef GL_NV_gpu_shader5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_shader5", 11)) { ret = GLEW_NV_gpu_shader5; continue; } #endif #ifdef GL_NV_half_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"half_float", 10)) { ret = GLEW_NV_half_float; continue; } #endif #ifdef GL_NV_image_formats if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_formats", 13)) { ret = GLEW_NV_image_formats; continue; } #endif #ifdef GL_NV_instanced_arrays if (_glewStrSame3(&pos, &len, (const GLubyte*)"instanced_arrays", 16)) { ret = GLEW_NV_instanced_arrays; continue; } #endif #ifdef GL_NV_internalformat_sample_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"internalformat_sample_query", 27)) { ret = GLEW_NV_internalformat_sample_query; continue; } #endif #ifdef GL_NV_light_max_exponent if (_glewStrSame3(&pos, &len, (const GLubyte*)"light_max_exponent", 18)) { ret = GLEW_NV_light_max_exponent; continue; } #endif #ifdef GL_NV_multisample_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample_coverage", 20)) { ret = GLEW_NV_multisample_coverage; continue; } #endif #ifdef GL_NV_multisample_filter_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample_filter_hint", 23)) { ret = GLEW_NV_multisample_filter_hint; continue; } #endif #ifdef GL_NV_non_square_matrices if (_glewStrSame3(&pos, &len, (const GLubyte*)"non_square_matrices", 19)) { ret = GLEW_NV_non_square_matrices; continue; } #endif #ifdef GL_NV_occlusion_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"occlusion_query", 15)) { ret = GLEW_NV_occlusion_query; continue; } #endif #ifdef GL_NV_pack_subimage if (_glewStrSame3(&pos, &len, (const GLubyte*)"pack_subimage", 13)) { ret = GLEW_NV_pack_subimage; continue; } #endif #ifdef GL_NV_packed_depth_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_depth_stencil", 20)) { ret = GLEW_NV_packed_depth_stencil; continue; } #endif #ifdef GL_NV_packed_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_float", 12)) { ret = GLEW_NV_packed_float; continue; } #endif #ifdef GL_NV_packed_float_linear if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_float_linear", 19)) { ret = GLEW_NV_packed_float_linear; continue; } #endif #ifdef GL_NV_parameter_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"parameter_buffer_object", 23)) { ret = GLEW_NV_parameter_buffer_object; continue; } #endif #ifdef GL_NV_parameter_buffer_object2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"parameter_buffer_object2", 24)) { ret = GLEW_NV_parameter_buffer_object2; continue; } #endif #ifdef GL_NV_path_rendering if (_glewStrSame3(&pos, &len, (const GLubyte*)"path_rendering", 14)) { ret = GLEW_NV_path_rendering; continue; } #endif #ifdef GL_NV_path_rendering_shared_edge if (_glewStrSame3(&pos, &len, (const GLubyte*)"path_rendering_shared_edge", 26)) { ret = GLEW_NV_path_rendering_shared_edge; continue; } #endif #ifdef GL_NV_pixel_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_buffer_object", 19)) { ret = GLEW_NV_pixel_buffer_object; continue; } #endif #ifdef GL_NV_pixel_data_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_data_range", 16)) { ret = GLEW_NV_pixel_data_range; continue; } #endif #ifdef GL_NV_platform_binary if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_binary", 15)) { ret = GLEW_NV_platform_binary; continue; } #endif #ifdef GL_NV_point_sprite if (_glewStrSame3(&pos, &len, (const GLubyte*)"point_sprite", 12)) { ret = GLEW_NV_point_sprite; continue; } #endif #ifdef GL_NV_polygon_mode if (_glewStrSame3(&pos, &len, (const GLubyte*)"polygon_mode", 12)) { ret = GLEW_NV_polygon_mode; continue; } #endif #ifdef GL_NV_present_video if (_glewStrSame3(&pos, &len, (const GLubyte*)"present_video", 13)) { ret = GLEW_NV_present_video; continue; } #endif #ifdef GL_NV_primitive_restart if (_glewStrSame3(&pos, &len, (const GLubyte*)"primitive_restart", 17)) { ret = GLEW_NV_primitive_restart; continue; } #endif #ifdef GL_NV_read_depth if (_glewStrSame3(&pos, &len, (const GLubyte*)"read_depth", 10)) { ret = GLEW_NV_read_depth; continue; } #endif #ifdef GL_NV_read_depth_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"read_depth_stencil", 18)) { ret = GLEW_NV_read_depth_stencil; continue; } #endif #ifdef GL_NV_read_stencil if (_glewStrSame3(&pos, &len, (const GLubyte*)"read_stencil", 12)) { ret = GLEW_NV_read_stencil; continue; } #endif #ifdef GL_NV_register_combiners if (_glewStrSame3(&pos, &len, (const GLubyte*)"register_combiners", 18)) { ret = GLEW_NV_register_combiners; continue; } #endif #ifdef GL_NV_register_combiners2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"register_combiners2", 19)) { ret = GLEW_NV_register_combiners2; continue; } #endif #ifdef GL_NV_robustness_video_memory_purge if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_video_memory_purge", 29)) { ret = GLEW_NV_robustness_video_memory_purge; continue; } #endif #ifdef GL_NV_sRGB_formats if (_glewStrSame3(&pos, &len, (const GLubyte*)"sRGB_formats", 12)) { ret = GLEW_NV_sRGB_formats; continue; } #endif #ifdef GL_NV_sample_locations if (_glewStrSame3(&pos, &len, (const GLubyte*)"sample_locations", 16)) { ret = GLEW_NV_sample_locations; continue; } #endif #ifdef GL_NV_sample_mask_override_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"sample_mask_override_coverage", 29)) { ret = GLEW_NV_sample_mask_override_coverage; continue; } #endif #ifdef GL_NV_shader_atomic_counters if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_counters", 22)) { ret = GLEW_NV_shader_atomic_counters; continue; } #endif #ifdef GL_NV_shader_atomic_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_float", 19)) { ret = GLEW_NV_shader_atomic_float; continue; } #endif #ifdef GL_NV_shader_atomic_float64 if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_float64", 21)) { ret = GLEW_NV_shader_atomic_float64; continue; } #endif #ifdef GL_NV_shader_atomic_fp16_vector if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_fp16_vector", 25)) { ret = GLEW_NV_shader_atomic_fp16_vector; continue; } #endif #ifdef GL_NV_shader_atomic_int64 if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_atomic_int64", 19)) { ret = GLEW_NV_shader_atomic_int64; continue; } #endif #ifdef GL_NV_shader_buffer_load if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_buffer_load", 18)) { ret = GLEW_NV_shader_buffer_load; continue; } #endif #ifdef GL_NV_shader_noperspective_interpolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_noperspective_interpolation", 34)) { ret = GLEW_NV_shader_noperspective_interpolation; continue; } #endif #ifdef GL_NV_shader_storage_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_storage_buffer_object", 28)) { ret = GLEW_NV_shader_storage_buffer_object; continue; } #endif #ifdef GL_NV_shader_thread_group if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_thread_group", 19)) { ret = GLEW_NV_shader_thread_group; continue; } #endif #ifdef GL_NV_shader_thread_shuffle if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_thread_shuffle", 21)) { ret = GLEW_NV_shader_thread_shuffle; continue; } #endif #ifdef GL_NV_shadow_samplers_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow_samplers_array", 21)) { ret = GLEW_NV_shadow_samplers_array; continue; } #endif #ifdef GL_NV_shadow_samplers_cube if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow_samplers_cube", 20)) { ret = GLEW_NV_shadow_samplers_cube; continue; } #endif #ifdef GL_NV_stereo_view_rendering if (_glewStrSame3(&pos, &len, (const GLubyte*)"stereo_view_rendering", 21)) { ret = GLEW_NV_stereo_view_rendering; continue; } #endif #ifdef GL_NV_tessellation_program5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"tessellation_program5", 21)) { ret = GLEW_NV_tessellation_program5; continue; } #endif #ifdef GL_NV_texgen_emboss if (_glewStrSame3(&pos, &len, (const GLubyte*)"texgen_emboss", 13)) { ret = GLEW_NV_texgen_emboss; continue; } #endif #ifdef GL_NV_texgen_reflection if (_glewStrSame3(&pos, &len, (const GLubyte*)"texgen_reflection", 17)) { ret = GLEW_NV_texgen_reflection; continue; } #endif #ifdef GL_NV_texture_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_array", 13)) { ret = GLEW_NV_texture_array; continue; } #endif #ifdef GL_NV_texture_barrier if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_barrier", 15)) { ret = GLEW_NV_texture_barrier; continue; } #endif #ifdef GL_NV_texture_border_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_border_clamp", 20)) { ret = GLEW_NV_texture_border_clamp; continue; } #endif #ifdef GL_NV_texture_compression_latc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_latc", 24)) { ret = GLEW_NV_texture_compression_latc; continue; } #endif #ifdef GL_NV_texture_compression_s3tc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_s3tc", 24)) { ret = GLEW_NV_texture_compression_s3tc; continue; } #endif #ifdef GL_NV_texture_compression_s3tc_update if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_s3tc_update", 31)) { ret = GLEW_NV_texture_compression_s3tc_update; continue; } #endif #ifdef GL_NV_texture_compression_vtc if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_compression_vtc", 23)) { ret = GLEW_NV_texture_compression_vtc; continue; } #endif #ifdef GL_NV_texture_env_combine4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_env_combine4", 20)) { ret = GLEW_NV_texture_env_combine4; continue; } #endif #ifdef GL_NV_texture_expand_normal if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_expand_normal", 21)) { ret = GLEW_NV_texture_expand_normal; continue; } #endif #ifdef GL_NV_texture_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_multisample", 19)) { ret = GLEW_NV_texture_multisample; continue; } #endif #ifdef GL_NV_texture_npot_2D_mipmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_npot_2D_mipmap", 22)) { ret = GLEW_NV_texture_npot_2D_mipmap; continue; } #endif #ifdef GL_NV_texture_rectangle if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rectangle", 17)) { ret = GLEW_NV_texture_rectangle; continue; } #endif #ifdef GL_NV_texture_rectangle_compressed if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_rectangle_compressed", 28)) { ret = GLEW_NV_texture_rectangle_compressed; continue; } #endif #ifdef GL_NV_texture_shader if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_shader", 14)) { ret = GLEW_NV_texture_shader; continue; } #endif #ifdef GL_NV_texture_shader2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_shader2", 15)) { ret = GLEW_NV_texture_shader2; continue; } #endif #ifdef GL_NV_texture_shader3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_shader3", 15)) { ret = GLEW_NV_texture_shader3; continue; } #endif #ifdef GL_NV_transform_feedback if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback", 18)) { ret = GLEW_NV_transform_feedback; continue; } #endif #ifdef GL_NV_transform_feedback2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"transform_feedback2", 19)) { ret = GLEW_NV_transform_feedback2; continue; } #endif #ifdef GL_NV_uniform_buffer_unified_memory if (_glewStrSame3(&pos, &len, (const GLubyte*)"uniform_buffer_unified_memory", 29)) { ret = GLEW_NV_uniform_buffer_unified_memory; continue; } #endif #ifdef GL_NV_vdpau_interop if (_glewStrSame3(&pos, &len, (const GLubyte*)"vdpau_interop", 13)) { ret = GLEW_NV_vdpau_interop; continue; } #endif #ifdef GL_NV_vertex_array_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_range", 18)) { ret = GLEW_NV_vertex_array_range; continue; } #endif #ifdef GL_NV_vertex_array_range2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_range2", 19)) { ret = GLEW_NV_vertex_array_range2; continue; } #endif #ifdef GL_NV_vertex_attrib_integer_64bit if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_attrib_integer_64bit", 27)) { ret = GLEW_NV_vertex_attrib_integer_64bit; continue; } #endif #ifdef GL_NV_vertex_buffer_unified_memory if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_buffer_unified_memory", 28)) { ret = GLEW_NV_vertex_buffer_unified_memory; continue; } #endif #ifdef GL_NV_vertex_program if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program", 14)) { ret = GLEW_NV_vertex_program; continue; } #endif #ifdef GL_NV_vertex_program1_1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program1_1", 17)) { ret = GLEW_NV_vertex_program1_1; continue; } #endif #ifdef GL_NV_vertex_program2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program2", 15)) { ret = GLEW_NV_vertex_program2; continue; } #endif #ifdef GL_NV_vertex_program2_option if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program2_option", 22)) { ret = GLEW_NV_vertex_program2_option; continue; } #endif #ifdef GL_NV_vertex_program3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program3", 15)) { ret = GLEW_NV_vertex_program3; continue; } #endif #ifdef GL_NV_vertex_program4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_program4", 15)) { ret = GLEW_NV_vertex_program4; continue; } #endif #ifdef GL_NV_video_capture if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_capture", 13)) { ret = GLEW_NV_video_capture; continue; } #endif #ifdef GL_NV_viewport_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"viewport_array", 14)) { ret = GLEW_NV_viewport_array; continue; } #endif #ifdef GL_NV_viewport_array2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"viewport_array2", 15)) { ret = GLEW_NV_viewport_array2; continue; } #endif #ifdef GL_NV_viewport_swizzle if (_glewStrSame3(&pos, &len, (const GLubyte*)"viewport_swizzle", 16)) { ret = GLEW_NV_viewport_swizzle; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"OES_", 4)) { #ifdef GL_OES_byte_coordinates if (_glewStrSame3(&pos, &len, (const GLubyte*)"byte_coordinates", 16)) { ret = GLEW_OES_byte_coordinates; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"OML_", 4)) { #ifdef GL_OML_interlace if (_glewStrSame3(&pos, &len, (const GLubyte*)"interlace", 9)) { ret = GLEW_OML_interlace; continue; } #endif #ifdef GL_OML_resample if (_glewStrSame3(&pos, &len, (const GLubyte*)"resample", 8)) { ret = GLEW_OML_resample; continue; } #endif #ifdef GL_OML_subsample if (_glewStrSame3(&pos, &len, (const GLubyte*)"subsample", 9)) { ret = GLEW_OML_subsample; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"OVR_", 4)) { #ifdef GL_OVR_multiview if (_glewStrSame3(&pos, &len, (const GLubyte*)"multiview", 9)) { ret = GLEW_OVR_multiview; continue; } #endif #ifdef GL_OVR_multiview2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"multiview2", 10)) { ret = GLEW_OVR_multiview2; continue; } #endif #ifdef GL_OVR_multiview_multisampled_render_to_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"multiview_multisampled_render_to_texture", 40)) { ret = GLEW_OVR_multiview_multisampled_render_to_texture; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"PGI_", 4)) { #ifdef GL_PGI_misc_hints if (_glewStrSame3(&pos, &len, (const GLubyte*)"misc_hints", 10)) { ret = GLEW_PGI_misc_hints; continue; } #endif #ifdef GL_PGI_vertex_hints if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_hints", 12)) { ret = GLEW_PGI_vertex_hints; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"QCOM_", 5)) { #ifdef GL_QCOM_alpha_test if (_glewStrSame3(&pos, &len, (const GLubyte*)"alpha_test", 10)) { ret = GLEW_QCOM_alpha_test; continue; } #endif #ifdef GL_QCOM_binning_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"binning_control", 15)) { ret = GLEW_QCOM_binning_control; continue; } #endif #ifdef GL_QCOM_driver_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"driver_control", 14)) { ret = GLEW_QCOM_driver_control; continue; } #endif #ifdef GL_QCOM_extended_get if (_glewStrSame3(&pos, &len, (const GLubyte*)"extended_get", 12)) { ret = GLEW_QCOM_extended_get; continue; } #endif #ifdef GL_QCOM_extended_get2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"extended_get2", 13)) { ret = GLEW_QCOM_extended_get2; continue; } #endif #ifdef GL_QCOM_framebuffer_foveated if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_foveated", 20)) { ret = GLEW_QCOM_framebuffer_foveated; continue; } #endif #ifdef GL_QCOM_perfmon_global_mode if (_glewStrSame3(&pos, &len, (const GLubyte*)"perfmon_global_mode", 19)) { ret = GLEW_QCOM_perfmon_global_mode; continue; } #endif #ifdef GL_QCOM_shader_framebuffer_fetch_noncoherent if (_glewStrSame3(&pos, &len, (const GLubyte*)"shader_framebuffer_fetch_noncoherent", 36)) { ret = GLEW_QCOM_shader_framebuffer_fetch_noncoherent; continue; } #endif #ifdef GL_QCOM_tiled_rendering if (_glewStrSame3(&pos, &len, (const GLubyte*)"tiled_rendering", 15)) { ret = GLEW_QCOM_tiled_rendering; continue; } #endif #ifdef GL_QCOM_writeonly_rendering if (_glewStrSame3(&pos, &len, (const GLubyte*)"writeonly_rendering", 19)) { ret = GLEW_QCOM_writeonly_rendering; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"REGAL_", 6)) { #ifdef GL_REGAL_ES1_0_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"ES1_0_compatibility", 19)) { ret = GLEW_REGAL_ES1_0_compatibility; continue; } #endif #ifdef GL_REGAL_ES1_1_compatibility if (_glewStrSame3(&pos, &len, (const GLubyte*)"ES1_1_compatibility", 19)) { ret = GLEW_REGAL_ES1_1_compatibility; continue; } #endif #ifdef GL_REGAL_enable if (_glewStrSame3(&pos, &len, (const GLubyte*)"enable", 6)) { ret = GLEW_REGAL_enable; continue; } #endif #ifdef GL_REGAL_error_string if (_glewStrSame3(&pos, &len, (const GLubyte*)"error_string", 12)) { ret = GLEW_REGAL_error_string; continue; } #endif #ifdef GL_REGAL_extension_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"extension_query", 15)) { ret = GLEW_REGAL_extension_query; continue; } #endif #ifdef GL_REGAL_log if (_glewStrSame3(&pos, &len, (const GLubyte*)"log", 3)) { ret = GLEW_REGAL_log; continue; } #endif #ifdef GL_REGAL_proc_address if (_glewStrSame3(&pos, &len, (const GLubyte*)"proc_address", 12)) { ret = GLEW_REGAL_proc_address; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"REND_", 5)) { #ifdef GL_REND_screen_coordinates if (_glewStrSame3(&pos, &len, (const GLubyte*)"screen_coordinates", 18)) { ret = GLEW_REND_screen_coordinates; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"S3_", 3)) { #ifdef GL_S3_s3tc if (_glewStrSame3(&pos, &len, (const GLubyte*)"s3tc", 4)) { ret = GLEW_S3_s3tc; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SGIS_", 5)) { #ifdef GL_SGIS_clip_band_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"clip_band_hint", 14)) { ret = GLEW_SGIS_clip_band_hint; continue; } #endif #ifdef GL_SGIS_color_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_range", 11)) { ret = GLEW_SGIS_color_range; continue; } #endif #ifdef GL_SGIS_detail_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"detail_texture", 14)) { ret = GLEW_SGIS_detail_texture; continue; } #endif #ifdef GL_SGIS_fog_function if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_function", 12)) { ret = GLEW_SGIS_fog_function; continue; } #endif #ifdef GL_SGIS_generate_mipmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"generate_mipmap", 15)) { ret = GLEW_SGIS_generate_mipmap; continue; } #endif #ifdef GL_SGIS_line_texgen if (_glewStrSame3(&pos, &len, (const GLubyte*)"line_texgen", 11)) { ret = GLEW_SGIS_line_texgen; continue; } #endif #ifdef GL_SGIS_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLEW_SGIS_multisample; continue; } #endif #ifdef GL_SGIS_multitexture if (_glewStrSame3(&pos, &len, (const GLubyte*)"multitexture", 12)) { ret = GLEW_SGIS_multitexture; continue; } #endif #ifdef GL_SGIS_pixel_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_texture", 13)) { ret = GLEW_SGIS_pixel_texture; continue; } #endif #ifdef GL_SGIS_point_line_texgen if (_glewStrSame3(&pos, &len, (const GLubyte*)"point_line_texgen", 17)) { ret = GLEW_SGIS_point_line_texgen; continue; } #endif #ifdef GL_SGIS_shared_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"shared_multisample", 18)) { ret = GLEW_SGIS_shared_multisample; continue; } #endif #ifdef GL_SGIS_sharpen_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"sharpen_texture", 15)) { ret = GLEW_SGIS_sharpen_texture; continue; } #endif #ifdef GL_SGIS_texture4D if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture4D", 9)) { ret = GLEW_SGIS_texture4D; continue; } #endif #ifdef GL_SGIS_texture_border_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_border_clamp", 20)) { ret = GLEW_SGIS_texture_border_clamp; continue; } #endif #ifdef GL_SGIS_texture_edge_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_edge_clamp", 18)) { ret = GLEW_SGIS_texture_edge_clamp; continue; } #endif #ifdef GL_SGIS_texture_filter4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_filter4", 15)) { ret = GLEW_SGIS_texture_filter4; continue; } #endif #ifdef GL_SGIS_texture_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_lod", 11)) { ret = GLEW_SGIS_texture_lod; continue; } #endif #ifdef GL_SGIS_texture_select if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_select", 14)) { ret = GLEW_SGIS_texture_select; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SGIX_", 5)) { #ifdef GL_SGIX_async if (_glewStrSame3(&pos, &len, (const GLubyte*)"async", 5)) { ret = GLEW_SGIX_async; continue; } #endif #ifdef GL_SGIX_async_histogram if (_glewStrSame3(&pos, &len, (const GLubyte*)"async_histogram", 15)) { ret = GLEW_SGIX_async_histogram; continue; } #endif #ifdef GL_SGIX_async_pixel if (_glewStrSame3(&pos, &len, (const GLubyte*)"async_pixel", 11)) { ret = GLEW_SGIX_async_pixel; continue; } #endif #ifdef GL_SGIX_bali_g_instruments if (_glewStrSame3(&pos, &len, (const GLubyte*)"bali_g_instruments", 18)) { ret = GLEW_SGIX_bali_g_instruments; continue; } #endif #ifdef GL_SGIX_bali_r_instruments if (_glewStrSame3(&pos, &len, (const GLubyte*)"bali_r_instruments", 18)) { ret = GLEW_SGIX_bali_r_instruments; continue; } #endif #ifdef GL_SGIX_bali_timer_instruments if (_glewStrSame3(&pos, &len, (const GLubyte*)"bali_timer_instruments", 22)) { ret = GLEW_SGIX_bali_timer_instruments; continue; } #endif #ifdef GL_SGIX_blend_alpha_minmax if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_alpha_minmax", 18)) { ret = GLEW_SGIX_blend_alpha_minmax; continue; } #endif #ifdef GL_SGIX_blend_cadd if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_cadd", 10)) { ret = GLEW_SGIX_blend_cadd; continue; } #endif #ifdef GL_SGIX_blend_cmultiply if (_glewStrSame3(&pos, &len, (const GLubyte*)"blend_cmultiply", 15)) { ret = GLEW_SGIX_blend_cmultiply; continue; } #endif #ifdef GL_SGIX_calligraphic_fragment if (_glewStrSame3(&pos, &len, (const GLubyte*)"calligraphic_fragment", 21)) { ret = GLEW_SGIX_calligraphic_fragment; continue; } #endif #ifdef GL_SGIX_clipmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"clipmap", 7)) { ret = GLEW_SGIX_clipmap; continue; } #endif #ifdef GL_SGIX_color_matrix_accuracy if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_matrix_accuracy", 21)) { ret = GLEW_SGIX_color_matrix_accuracy; continue; } #endif #ifdef GL_SGIX_color_table_index_mode if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_table_index_mode", 22)) { ret = GLEW_SGIX_color_table_index_mode; continue; } #endif #ifdef GL_SGIX_complex_polar if (_glewStrSame3(&pos, &len, (const GLubyte*)"complex_polar", 13)) { ret = GLEW_SGIX_complex_polar; continue; } #endif #ifdef GL_SGIX_convolution_accuracy if (_glewStrSame3(&pos, &len, (const GLubyte*)"convolution_accuracy", 20)) { ret = GLEW_SGIX_convolution_accuracy; continue; } #endif #ifdef GL_SGIX_cube_map if (_glewStrSame3(&pos, &len, (const GLubyte*)"cube_map", 8)) { ret = GLEW_SGIX_cube_map; continue; } #endif #ifdef GL_SGIX_cylinder_texgen if (_glewStrSame3(&pos, &len, (const GLubyte*)"cylinder_texgen", 15)) { ret = GLEW_SGIX_cylinder_texgen; continue; } #endif #ifdef GL_SGIX_datapipe if (_glewStrSame3(&pos, &len, (const GLubyte*)"datapipe", 8)) { ret = GLEW_SGIX_datapipe; continue; } #endif #ifdef GL_SGIX_decimation if (_glewStrSame3(&pos, &len, (const GLubyte*)"decimation", 10)) { ret = GLEW_SGIX_decimation; continue; } #endif #ifdef GL_SGIX_depth_pass_instrument if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_pass_instrument", 21)) { ret = GLEW_SGIX_depth_pass_instrument; continue; } #endif #ifdef GL_SGIX_depth_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_texture", 13)) { ret = GLEW_SGIX_depth_texture; continue; } #endif #ifdef GL_SGIX_dvc if (_glewStrSame3(&pos, &len, (const GLubyte*)"dvc", 3)) { ret = GLEW_SGIX_dvc; continue; } #endif #ifdef GL_SGIX_flush_raster if (_glewStrSame3(&pos, &len, (const GLubyte*)"flush_raster", 12)) { ret = GLEW_SGIX_flush_raster; continue; } #endif #ifdef GL_SGIX_fog_blend if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_blend", 9)) { ret = GLEW_SGIX_fog_blend; continue; } #endif #ifdef GL_SGIX_fog_factor_to_alpha if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_factor_to_alpha", 19)) { ret = GLEW_SGIX_fog_factor_to_alpha; continue; } #endif #ifdef GL_SGIX_fog_layers if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_layers", 10)) { ret = GLEW_SGIX_fog_layers; continue; } #endif #ifdef GL_SGIX_fog_offset if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_offset", 10)) { ret = GLEW_SGIX_fog_offset; continue; } #endif #ifdef GL_SGIX_fog_patchy if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_patchy", 10)) { ret = GLEW_SGIX_fog_patchy; continue; } #endif #ifdef GL_SGIX_fog_scale if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_scale", 9)) { ret = GLEW_SGIX_fog_scale; continue; } #endif #ifdef GL_SGIX_fog_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"fog_texture", 11)) { ret = GLEW_SGIX_fog_texture; continue; } #endif #ifdef GL_SGIX_fragment_lighting_space if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_lighting_space", 23)) { ret = GLEW_SGIX_fragment_lighting_space; continue; } #endif #ifdef GL_SGIX_fragment_specular_lighting if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragment_specular_lighting", 26)) { ret = GLEW_SGIX_fragment_specular_lighting; continue; } #endif #ifdef GL_SGIX_fragments_instrument if (_glewStrSame3(&pos, &len, (const GLubyte*)"fragments_instrument", 20)) { ret = GLEW_SGIX_fragments_instrument; continue; } #endif #ifdef GL_SGIX_framezoom if (_glewStrSame3(&pos, &len, (const GLubyte*)"framezoom", 9)) { ret = GLEW_SGIX_framezoom; continue; } #endif #ifdef GL_SGIX_icc_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"icc_texture", 11)) { ret = GLEW_SGIX_icc_texture; continue; } #endif #ifdef GL_SGIX_igloo_interface if (_glewStrSame3(&pos, &len, (const GLubyte*)"igloo_interface", 15)) { ret = GLEW_SGIX_igloo_interface; continue; } #endif #ifdef GL_SGIX_image_compression if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_compression", 17)) { ret = GLEW_SGIX_image_compression; continue; } #endif #ifdef GL_SGIX_impact_pixel_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"impact_pixel_texture", 20)) { ret = GLEW_SGIX_impact_pixel_texture; continue; } #endif #ifdef GL_SGIX_instrument_error if (_glewStrSame3(&pos, &len, (const GLubyte*)"instrument_error", 16)) { ret = GLEW_SGIX_instrument_error; continue; } #endif #ifdef GL_SGIX_interlace if (_glewStrSame3(&pos, &len, (const GLubyte*)"interlace", 9)) { ret = GLEW_SGIX_interlace; continue; } #endif #ifdef GL_SGIX_ir_instrument1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"ir_instrument1", 14)) { ret = GLEW_SGIX_ir_instrument1; continue; } #endif #ifdef GL_SGIX_line_quality_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"line_quality_hint", 17)) { ret = GLEW_SGIX_line_quality_hint; continue; } #endif #ifdef GL_SGIX_list_priority if (_glewStrSame3(&pos, &len, (const GLubyte*)"list_priority", 13)) { ret = GLEW_SGIX_list_priority; continue; } #endif #ifdef GL_SGIX_mpeg1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"mpeg1", 5)) { ret = GLEW_SGIX_mpeg1; continue; } #endif #ifdef GL_SGIX_mpeg2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"mpeg2", 5)) { ret = GLEW_SGIX_mpeg2; continue; } #endif #ifdef GL_SGIX_nonlinear_lighting_pervertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"nonlinear_lighting_pervertex", 28)) { ret = GLEW_SGIX_nonlinear_lighting_pervertex; continue; } #endif #ifdef GL_SGIX_nurbs_eval if (_glewStrSame3(&pos, &len, (const GLubyte*)"nurbs_eval", 10)) { ret = GLEW_SGIX_nurbs_eval; continue; } #endif #ifdef GL_SGIX_occlusion_instrument if (_glewStrSame3(&pos, &len, (const GLubyte*)"occlusion_instrument", 20)) { ret = GLEW_SGIX_occlusion_instrument; continue; } #endif #ifdef GL_SGIX_packed_6bytes if (_glewStrSame3(&pos, &len, (const GLubyte*)"packed_6bytes", 13)) { ret = GLEW_SGIX_packed_6bytes; continue; } #endif #ifdef GL_SGIX_pixel_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_texture", 13)) { ret = GLEW_SGIX_pixel_texture; continue; } #endif #ifdef GL_SGIX_pixel_texture_bits if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_texture_bits", 18)) { ret = GLEW_SGIX_pixel_texture_bits; continue; } #endif #ifdef GL_SGIX_pixel_texture_lod if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_texture_lod", 17)) { ret = GLEW_SGIX_pixel_texture_lod; continue; } #endif #ifdef GL_SGIX_pixel_tiles if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_tiles", 11)) { ret = GLEW_SGIX_pixel_tiles; continue; } #endif #ifdef GL_SGIX_polynomial_ffd if (_glewStrSame3(&pos, &len, (const GLubyte*)"polynomial_ffd", 14)) { ret = GLEW_SGIX_polynomial_ffd; continue; } #endif #ifdef GL_SGIX_quad_mesh if (_glewStrSame3(&pos, &len, (const GLubyte*)"quad_mesh", 9)) { ret = GLEW_SGIX_quad_mesh; continue; } #endif #ifdef GL_SGIX_reference_plane if (_glewStrSame3(&pos, &len, (const GLubyte*)"reference_plane", 15)) { ret = GLEW_SGIX_reference_plane; continue; } #endif #ifdef GL_SGIX_resample if (_glewStrSame3(&pos, &len, (const GLubyte*)"resample", 8)) { ret = GLEW_SGIX_resample; continue; } #endif #ifdef GL_SGIX_scalebias_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"scalebias_hint", 14)) { ret = GLEW_SGIX_scalebias_hint; continue; } #endif #ifdef GL_SGIX_shadow if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow", 6)) { ret = GLEW_SGIX_shadow; continue; } #endif #ifdef GL_SGIX_shadow_ambient if (_glewStrSame3(&pos, &len, (const GLubyte*)"shadow_ambient", 14)) { ret = GLEW_SGIX_shadow_ambient; continue; } #endif #ifdef GL_SGIX_slim if (_glewStrSame3(&pos, &len, (const GLubyte*)"slim", 4)) { ret = GLEW_SGIX_slim; continue; } #endif #ifdef GL_SGIX_spotlight_cutoff if (_glewStrSame3(&pos, &len, (const GLubyte*)"spotlight_cutoff", 16)) { ret = GLEW_SGIX_spotlight_cutoff; continue; } #endif #ifdef GL_SGIX_sprite if (_glewStrSame3(&pos, &len, (const GLubyte*)"sprite", 6)) { ret = GLEW_SGIX_sprite; continue; } #endif #ifdef GL_SGIX_subdiv_patch if (_glewStrSame3(&pos, &len, (const GLubyte*)"subdiv_patch", 12)) { ret = GLEW_SGIX_subdiv_patch; continue; } #endif #ifdef GL_SGIX_subsample if (_glewStrSame3(&pos, &len, (const GLubyte*)"subsample", 9)) { ret = GLEW_SGIX_subsample; continue; } #endif #ifdef GL_SGIX_tag_sample_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"tag_sample_buffer", 17)) { ret = GLEW_SGIX_tag_sample_buffer; continue; } #endif #ifdef GL_SGIX_texture_add_env if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_add_env", 15)) { ret = GLEW_SGIX_texture_add_env; continue; } #endif #ifdef GL_SGIX_texture_coordinate_clamp if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_coordinate_clamp", 24)) { ret = GLEW_SGIX_texture_coordinate_clamp; continue; } #endif #ifdef GL_SGIX_texture_lod_bias if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_lod_bias", 16)) { ret = GLEW_SGIX_texture_lod_bias; continue; } #endif #ifdef GL_SGIX_texture_mipmap_anisotropic if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_mipmap_anisotropic", 26)) { ret = GLEW_SGIX_texture_mipmap_anisotropic; continue; } #endif #ifdef GL_SGIX_texture_multi_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_multi_buffer", 20)) { ret = GLEW_SGIX_texture_multi_buffer; continue; } #endif #ifdef GL_SGIX_texture_phase if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_phase", 13)) { ret = GLEW_SGIX_texture_phase; continue; } #endif #ifdef GL_SGIX_texture_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_range", 13)) { ret = GLEW_SGIX_texture_range; continue; } #endif #ifdef GL_SGIX_texture_scale_bias if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_scale_bias", 18)) { ret = GLEW_SGIX_texture_scale_bias; continue; } #endif #ifdef GL_SGIX_texture_supersample if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_supersample", 19)) { ret = GLEW_SGIX_texture_supersample; continue; } #endif #ifdef GL_SGIX_vector_ops if (_glewStrSame3(&pos, &len, (const GLubyte*)"vector_ops", 10)) { ret = GLEW_SGIX_vector_ops; continue; } #endif #ifdef GL_SGIX_vertex_array_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_object", 19)) { ret = GLEW_SGIX_vertex_array_object; continue; } #endif #ifdef GL_SGIX_vertex_preclip if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_preclip", 14)) { ret = GLEW_SGIX_vertex_preclip; continue; } #endif #ifdef GL_SGIX_vertex_preclip_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_preclip_hint", 19)) { ret = GLEW_SGIX_vertex_preclip_hint; continue; } #endif #ifdef GL_SGIX_ycrcb if (_glewStrSame3(&pos, &len, (const GLubyte*)"ycrcb", 5)) { ret = GLEW_SGIX_ycrcb; continue; } #endif #ifdef GL_SGIX_ycrcb_subsample if (_glewStrSame3(&pos, &len, (const GLubyte*)"ycrcb_subsample", 15)) { ret = GLEW_SGIX_ycrcb_subsample; continue; } #endif #ifdef GL_SGIX_ycrcba if (_glewStrSame3(&pos, &len, (const GLubyte*)"ycrcba", 6)) { ret = GLEW_SGIX_ycrcba; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SGI_", 4)) { #ifdef GL_SGI_color_matrix if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_matrix", 12)) { ret = GLEW_SGI_color_matrix; continue; } #endif #ifdef GL_SGI_color_table if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_table", 11)) { ret = GLEW_SGI_color_table; continue; } #endif #ifdef GL_SGI_complex if (_glewStrSame3(&pos, &len, (const GLubyte*)"complex", 7)) { ret = GLEW_SGI_complex; continue; } #endif #ifdef GL_SGI_complex_type if (_glewStrSame3(&pos, &len, (const GLubyte*)"complex_type", 12)) { ret = GLEW_SGI_complex_type; continue; } #endif #ifdef GL_SGI_fft if (_glewStrSame3(&pos, &len, (const GLubyte*)"fft", 3)) { ret = GLEW_SGI_fft; continue; } #endif #ifdef GL_SGI_texture_color_table if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_color_table", 19)) { ret = GLEW_SGI_texture_color_table; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SUNX_", 5)) { #ifdef GL_SUNX_constant_data if (_glewStrSame3(&pos, &len, (const GLubyte*)"constant_data", 13)) { ret = GLEW_SUNX_constant_data; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SUN_", 4)) { #ifdef GL_SUN_convolution_border_modes if (_glewStrSame3(&pos, &len, (const GLubyte*)"convolution_border_modes", 24)) { ret = GLEW_SUN_convolution_border_modes; continue; } #endif #ifdef GL_SUN_global_alpha if (_glewStrSame3(&pos, &len, (const GLubyte*)"global_alpha", 12)) { ret = GLEW_SUN_global_alpha; continue; } #endif #ifdef GL_SUN_mesh_array if (_glewStrSame3(&pos, &len, (const GLubyte*)"mesh_array", 10)) { ret = GLEW_SUN_mesh_array; continue; } #endif #ifdef GL_SUN_read_video_pixels if (_glewStrSame3(&pos, &len, (const GLubyte*)"read_video_pixels", 17)) { ret = GLEW_SUN_read_video_pixels; continue; } #endif #ifdef GL_SUN_slice_accum if (_glewStrSame3(&pos, &len, (const GLubyte*)"slice_accum", 11)) { ret = GLEW_SUN_slice_accum; continue; } #endif #ifdef GL_SUN_triangle_list if (_glewStrSame3(&pos, &len, (const GLubyte*)"triangle_list", 13)) { ret = GLEW_SUN_triangle_list; continue; } #endif #ifdef GL_SUN_vertex if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex", 6)) { ret = GLEW_SUN_vertex; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"WIN_", 4)) { #ifdef GL_WIN_phong_shading if (_glewStrSame3(&pos, &len, (const GLubyte*)"phong_shading", 13)) { ret = GLEW_WIN_phong_shading; continue; } #endif #ifdef GL_WIN_scene_markerXXX if (_glewStrSame3(&pos, &len, (const GLubyte*)"scene_markerXXX", 15)) { ret = GLEW_WIN_scene_markerXXX; continue; } #endif #ifdef GL_WIN_specular_fog if (_glewStrSame3(&pos, &len, (const GLubyte*)"specular_fog", 12)) { ret = GLEW_WIN_specular_fog; continue; } #endif #ifdef GL_WIN_swap_hint if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_hint", 9)) { ret = GLEW_WIN_swap_hint; continue; } #endif } } ret = (len == 0); } return ret; } #if defined(_WIN32) && !defined(GLEW_EGL) && !defined(GLEW_OSMESA) GLboolean GLEWAPIENTRY wglewIsSupported (const char* name) { const GLubyte* pos = (const GLubyte*)name; GLuint len = _glewStrLen(pos); GLboolean ret = GL_TRUE; while (ret && len > 0) { if (_glewStrSame1(&pos, &len, (const GLubyte*)"WGL_", 4)) { if (_glewStrSame2(&pos, &len, (const GLubyte*)"3DFX_", 5)) { #ifdef WGL_3DFX_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = WGLEW_3DFX_multisample; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"3DL_", 4)) { #ifdef WGL_3DL_stereo_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"stereo_control", 14)) { ret = WGLEW_3DL_stereo_control; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"AMD_", 4)) { #ifdef WGL_AMD_gpu_association if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_association", 15)) { ret = WGLEW_AMD_gpu_association; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ARB_", 4)) { #ifdef WGL_ARB_buffer_region if (_glewStrSame3(&pos, &len, (const GLubyte*)"buffer_region", 13)) { ret = WGLEW_ARB_buffer_region; continue; } #endif #ifdef WGL_ARB_context_flush_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"context_flush_control", 21)) { ret = WGLEW_ARB_context_flush_control; continue; } #endif #ifdef WGL_ARB_create_context if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context", 14)) { ret = WGLEW_ARB_create_context; continue; } #endif #ifdef WGL_ARB_create_context_no_error if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_no_error", 23)) { ret = WGLEW_ARB_create_context_no_error; continue; } #endif #ifdef WGL_ARB_create_context_profile if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_profile", 22)) { ret = WGLEW_ARB_create_context_profile; continue; } #endif #ifdef WGL_ARB_create_context_robustness if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_robustness", 25)) { ret = WGLEW_ARB_create_context_robustness; continue; } #endif #ifdef WGL_ARB_extensions_string if (_glewStrSame3(&pos, &len, (const GLubyte*)"extensions_string", 17)) { ret = WGLEW_ARB_extensions_string; continue; } #endif #ifdef WGL_ARB_framebuffer_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sRGB", 16)) { ret = WGLEW_ARB_framebuffer_sRGB; continue; } #endif #ifdef WGL_ARB_make_current_read if (_glewStrSame3(&pos, &len, (const GLubyte*)"make_current_read", 17)) { ret = WGLEW_ARB_make_current_read; continue; } #endif #ifdef WGL_ARB_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = WGLEW_ARB_multisample; continue; } #endif #ifdef WGL_ARB_pbuffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"pbuffer", 7)) { ret = WGLEW_ARB_pbuffer; continue; } #endif #ifdef WGL_ARB_pixel_format if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format", 12)) { ret = WGLEW_ARB_pixel_format; continue; } #endif #ifdef WGL_ARB_pixel_format_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format_float", 18)) { ret = WGLEW_ARB_pixel_format_float; continue; } #endif #ifdef WGL_ARB_render_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"render_texture", 14)) { ret = WGLEW_ARB_render_texture; continue; } #endif #ifdef WGL_ARB_robustness_application_isolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_application_isolation", 32)) { ret = WGLEW_ARB_robustness_application_isolation; continue; } #endif #ifdef WGL_ARB_robustness_share_group_isolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_share_group_isolation", 32)) { ret = WGLEW_ARB_robustness_share_group_isolation; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ATI_", 4)) { #ifdef WGL_ATI_pixel_format_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format_float", 18)) { ret = WGLEW_ATI_pixel_format_float; continue; } #endif #ifdef WGL_ATI_render_texture_rectangle if (_glewStrSame3(&pos, &len, (const GLubyte*)"render_texture_rectangle", 24)) { ret = WGLEW_ATI_render_texture_rectangle; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"EXT_", 4)) { #ifdef WGL_EXT_colorspace if (_glewStrSame3(&pos, &len, (const GLubyte*)"colorspace", 10)) { ret = WGLEW_EXT_colorspace; continue; } #endif #ifdef WGL_EXT_create_context_es2_profile if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_es2_profile", 26)) { ret = WGLEW_EXT_create_context_es2_profile; continue; } #endif #ifdef WGL_EXT_create_context_es_profile if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_es_profile", 25)) { ret = WGLEW_EXT_create_context_es_profile; continue; } #endif #ifdef WGL_EXT_depth_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_float", 11)) { ret = WGLEW_EXT_depth_float; continue; } #endif #ifdef WGL_EXT_display_color_table if (_glewStrSame3(&pos, &len, (const GLubyte*)"display_color_table", 19)) { ret = WGLEW_EXT_display_color_table; continue; } #endif #ifdef WGL_EXT_extensions_string if (_glewStrSame3(&pos, &len, (const GLubyte*)"extensions_string", 17)) { ret = WGLEW_EXT_extensions_string; continue; } #endif #ifdef WGL_EXT_framebuffer_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sRGB", 16)) { ret = WGLEW_EXT_framebuffer_sRGB; continue; } #endif #ifdef WGL_EXT_make_current_read if (_glewStrSame3(&pos, &len, (const GLubyte*)"make_current_read", 17)) { ret = WGLEW_EXT_make_current_read; continue; } #endif #ifdef WGL_EXT_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = WGLEW_EXT_multisample; continue; } #endif #ifdef WGL_EXT_pbuffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"pbuffer", 7)) { ret = WGLEW_EXT_pbuffer; continue; } #endif #ifdef WGL_EXT_pixel_format if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format", 12)) { ret = WGLEW_EXT_pixel_format; continue; } #endif #ifdef WGL_EXT_pixel_format_packed_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format_packed_float", 25)) { ret = WGLEW_EXT_pixel_format_packed_float; continue; } #endif #ifdef WGL_EXT_swap_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_control", 12)) { ret = WGLEW_EXT_swap_control; continue; } #endif #ifdef WGL_EXT_swap_control_tear if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_control_tear", 17)) { ret = WGLEW_EXT_swap_control_tear; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"I3D_", 4)) { #ifdef WGL_I3D_digital_video_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"digital_video_control", 21)) { ret = WGLEW_I3D_digital_video_control; continue; } #endif #ifdef WGL_I3D_gamma if (_glewStrSame3(&pos, &len, (const GLubyte*)"gamma", 5)) { ret = WGLEW_I3D_gamma; continue; } #endif #ifdef WGL_I3D_genlock if (_glewStrSame3(&pos, &len, (const GLubyte*)"genlock", 7)) { ret = WGLEW_I3D_genlock; continue; } #endif #ifdef WGL_I3D_image_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_buffer", 12)) { ret = WGLEW_I3D_image_buffer; continue; } #endif #ifdef WGL_I3D_swap_frame_lock if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_frame_lock", 15)) { ret = WGLEW_I3D_swap_frame_lock; continue; } #endif #ifdef WGL_I3D_swap_frame_usage if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_frame_usage", 16)) { ret = WGLEW_I3D_swap_frame_usage; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"NV_", 3)) { #ifdef WGL_NV_DX_interop if (_glewStrSame3(&pos, &len, (const GLubyte*)"DX_interop", 10)) { ret = WGLEW_NV_DX_interop; continue; } #endif #ifdef WGL_NV_DX_interop2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"DX_interop2", 11)) { ret = WGLEW_NV_DX_interop2; continue; } #endif #ifdef WGL_NV_copy_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_image", 10)) { ret = WGLEW_NV_copy_image; continue; } #endif #ifdef WGL_NV_delay_before_swap if (_glewStrSame3(&pos, &len, (const GLubyte*)"delay_before_swap", 17)) { ret = WGLEW_NV_delay_before_swap; continue; } #endif #ifdef WGL_NV_float_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"float_buffer", 12)) { ret = WGLEW_NV_float_buffer; continue; } #endif #ifdef WGL_NV_gpu_affinity if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_affinity", 12)) { ret = WGLEW_NV_gpu_affinity; continue; } #endif #ifdef WGL_NV_multisample_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample_coverage", 20)) { ret = WGLEW_NV_multisample_coverage; continue; } #endif #ifdef WGL_NV_present_video if (_glewStrSame3(&pos, &len, (const GLubyte*)"present_video", 13)) { ret = WGLEW_NV_present_video; continue; } #endif #ifdef WGL_NV_render_depth_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"render_depth_texture", 20)) { ret = WGLEW_NV_render_depth_texture; continue; } #endif #ifdef WGL_NV_render_texture_rectangle if (_glewStrSame3(&pos, &len, (const GLubyte*)"render_texture_rectangle", 24)) { ret = WGLEW_NV_render_texture_rectangle; continue; } #endif #ifdef WGL_NV_swap_group if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_group", 10)) { ret = WGLEW_NV_swap_group; continue; } #endif #ifdef WGL_NV_vertex_array_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_range", 18)) { ret = WGLEW_NV_vertex_array_range; continue; } #endif #ifdef WGL_NV_video_capture if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_capture", 13)) { ret = WGLEW_NV_video_capture; continue; } #endif #ifdef WGL_NV_video_output if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_output", 12)) { ret = WGLEW_NV_video_output; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"OML_", 4)) { #ifdef WGL_OML_sync_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"sync_control", 12)) { ret = WGLEW_OML_sync_control; continue; } #endif } } ret = (len == 0); } return ret; } #elif !defined(GLEW_OSMESA) && !defined(GLEW_EGL) && !defined(__ANDROID__) && !defined(__native_client__) && !defined(__HAIKU__) && !defined(__APPLE__) || defined(GLEW_APPLE_GLX) GLboolean glxewIsSupported (const char* name) { const GLubyte* pos = (const GLubyte*)name; GLuint len = _glewStrLen(pos); GLboolean ret = GL_TRUE; while (ret && len > 0) { if(_glewStrSame1(&pos, &len, (const GLubyte*)"GLX_", 4)) { if (_glewStrSame2(&pos, &len, (const GLubyte*)"VERSION_", 8)) { #ifdef GLX_VERSION_1_2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_2", 3)) { ret = GLXEW_VERSION_1_2; continue; } #endif #ifdef GLX_VERSION_1_3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_3", 3)) { ret = GLXEW_VERSION_1_3; continue; } #endif #ifdef GLX_VERSION_1_4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_4", 3)) { ret = GLXEW_VERSION_1_4; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"3DFX_", 5)) { #ifdef GLX_3DFX_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLXEW_3DFX_multisample; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"AMD_", 4)) { #ifdef GLX_AMD_gpu_association if (_glewStrSame3(&pos, &len, (const GLubyte*)"gpu_association", 15)) { ret = GLXEW_AMD_gpu_association; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ARB_", 4)) { #ifdef GLX_ARB_context_flush_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"context_flush_control", 21)) { ret = GLXEW_ARB_context_flush_control; continue; } #endif #ifdef GLX_ARB_create_context if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context", 14)) { ret = GLXEW_ARB_create_context; continue; } #endif #ifdef GLX_ARB_create_context_no_error if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_no_error", 23)) { ret = GLXEW_ARB_create_context_no_error; continue; } #endif #ifdef GLX_ARB_create_context_profile if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_profile", 22)) { ret = GLXEW_ARB_create_context_profile; continue; } #endif #ifdef GLX_ARB_create_context_robustness if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_robustness", 25)) { ret = GLXEW_ARB_create_context_robustness; continue; } #endif #ifdef GLX_ARB_fbconfig_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"fbconfig_float", 14)) { ret = GLXEW_ARB_fbconfig_float; continue; } #endif #ifdef GLX_ARB_framebuffer_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sRGB", 16)) { ret = GLXEW_ARB_framebuffer_sRGB; continue; } #endif #ifdef GLX_ARB_get_proc_address if (_glewStrSame3(&pos, &len, (const GLubyte*)"get_proc_address", 16)) { ret = GLXEW_ARB_get_proc_address; continue; } #endif #ifdef GLX_ARB_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLXEW_ARB_multisample; continue; } #endif #ifdef GLX_ARB_robustness_application_isolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_application_isolation", 32)) { ret = GLXEW_ARB_robustness_application_isolation; continue; } #endif #ifdef GLX_ARB_robustness_share_group_isolation if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_share_group_isolation", 32)) { ret = GLXEW_ARB_robustness_share_group_isolation; continue; } #endif #ifdef GLX_ARB_vertex_buffer_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_buffer_object", 20)) { ret = GLXEW_ARB_vertex_buffer_object; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ATI_", 4)) { #ifdef GLX_ATI_pixel_format_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format_float", 18)) { ret = GLXEW_ATI_pixel_format_float; continue; } #endif #ifdef GLX_ATI_render_texture if (_glewStrSame3(&pos, &len, (const GLubyte*)"render_texture", 14)) { ret = GLXEW_ATI_render_texture; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"EXT_", 4)) { #ifdef GLX_EXT_buffer_age if (_glewStrSame3(&pos, &len, (const GLubyte*)"buffer_age", 10)) { ret = GLXEW_EXT_buffer_age; continue; } #endif #ifdef GLX_EXT_create_context_es2_profile if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_es2_profile", 26)) { ret = GLXEW_EXT_create_context_es2_profile; continue; } #endif #ifdef GLX_EXT_create_context_es_profile if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_es_profile", 25)) { ret = GLXEW_EXT_create_context_es_profile; continue; } #endif #ifdef GLX_EXT_fbconfig_packed_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"fbconfig_packed_float", 21)) { ret = GLXEW_EXT_fbconfig_packed_float; continue; } #endif #ifdef GLX_EXT_framebuffer_sRGB if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_sRGB", 16)) { ret = GLXEW_EXT_framebuffer_sRGB; continue; } #endif #ifdef GLX_EXT_import_context if (_glewStrSame3(&pos, &len, (const GLubyte*)"import_context", 14)) { ret = GLXEW_EXT_import_context; continue; } #endif #ifdef GLX_EXT_libglvnd if (_glewStrSame3(&pos, &len, (const GLubyte*)"libglvnd", 8)) { ret = GLXEW_EXT_libglvnd; continue; } #endif #ifdef GLX_EXT_scene_marker if (_glewStrSame3(&pos, &len, (const GLubyte*)"scene_marker", 12)) { ret = GLXEW_EXT_scene_marker; continue; } #endif #ifdef GLX_EXT_stereo_tree if (_glewStrSame3(&pos, &len, (const GLubyte*)"stereo_tree", 11)) { ret = GLXEW_EXT_stereo_tree; continue; } #endif #ifdef GLX_EXT_swap_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_control", 12)) { ret = GLXEW_EXT_swap_control; continue; } #endif #ifdef GLX_EXT_swap_control_tear if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_control_tear", 17)) { ret = GLXEW_EXT_swap_control_tear; continue; } #endif #ifdef GLX_EXT_texture_from_pixmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_from_pixmap", 19)) { ret = GLXEW_EXT_texture_from_pixmap; continue; } #endif #ifdef GLX_EXT_visual_info if (_glewStrSame3(&pos, &len, (const GLubyte*)"visual_info", 11)) { ret = GLXEW_EXT_visual_info; continue; } #endif #ifdef GLX_EXT_visual_rating if (_glewStrSame3(&pos, &len, (const GLubyte*)"visual_rating", 13)) { ret = GLXEW_EXT_visual_rating; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"INTEL_", 6)) { #ifdef GLX_INTEL_swap_event if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_event", 10)) { ret = GLXEW_INTEL_swap_event; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"MESA_", 5)) { #ifdef GLX_MESA_agp_offset if (_glewStrSame3(&pos, &len, (const GLubyte*)"agp_offset", 10)) { ret = GLXEW_MESA_agp_offset; continue; } #endif #ifdef GLX_MESA_copy_sub_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_sub_buffer", 15)) { ret = GLXEW_MESA_copy_sub_buffer; continue; } #endif #ifdef GLX_MESA_pixmap_colormap if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixmap_colormap", 15)) { ret = GLXEW_MESA_pixmap_colormap; continue; } #endif #ifdef GLX_MESA_query_renderer if (_glewStrSame3(&pos, &len, (const GLubyte*)"query_renderer", 14)) { ret = GLXEW_MESA_query_renderer; continue; } #endif #ifdef GLX_MESA_release_buffers if (_glewStrSame3(&pos, &len, (const GLubyte*)"release_buffers", 15)) { ret = GLXEW_MESA_release_buffers; continue; } #endif #ifdef GLX_MESA_set_3dfx_mode if (_glewStrSame3(&pos, &len, (const GLubyte*)"set_3dfx_mode", 13)) { ret = GLXEW_MESA_set_3dfx_mode; continue; } #endif #ifdef GLX_MESA_swap_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_control", 12)) { ret = GLXEW_MESA_swap_control; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"NV_", 3)) { #ifdef GLX_NV_copy_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_buffer", 11)) { ret = GLXEW_NV_copy_buffer; continue; } #endif #ifdef GLX_NV_copy_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"copy_image", 10)) { ret = GLXEW_NV_copy_image; continue; } #endif #ifdef GLX_NV_delay_before_swap if (_glewStrSame3(&pos, &len, (const GLubyte*)"delay_before_swap", 17)) { ret = GLXEW_NV_delay_before_swap; continue; } #endif #ifdef GLX_NV_float_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"float_buffer", 12)) { ret = GLXEW_NV_float_buffer; continue; } #endif #ifdef GLX_NV_multisample_coverage if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample_coverage", 20)) { ret = GLXEW_NV_multisample_coverage; continue; } #endif #ifdef GLX_NV_present_video if (_glewStrSame3(&pos, &len, (const GLubyte*)"present_video", 13)) { ret = GLXEW_NV_present_video; continue; } #endif #ifdef GLX_NV_robustness_video_memory_purge if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_video_memory_purge", 29)) { ret = GLXEW_NV_robustness_video_memory_purge; continue; } #endif #ifdef GLX_NV_swap_group if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_group", 10)) { ret = GLXEW_NV_swap_group; continue; } #endif #ifdef GLX_NV_vertex_array_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"vertex_array_range", 18)) { ret = GLXEW_NV_vertex_array_range; continue; } #endif #ifdef GLX_NV_video_capture if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_capture", 13)) { ret = GLXEW_NV_video_capture; continue; } #endif #ifdef GLX_NV_video_out if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_out", 9)) { ret = GLXEW_NV_video_out; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"OML_", 4)) { #ifdef GLX_OML_swap_method if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_method", 11)) { ret = GLXEW_OML_swap_method; continue; } #endif #ifdef GLX_OML_sync_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"sync_control", 12)) { ret = GLXEW_OML_sync_control; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SGIS_", 5)) { #ifdef GLX_SGIS_blended_overlay if (_glewStrSame3(&pos, &len, (const GLubyte*)"blended_overlay", 15)) { ret = GLXEW_SGIS_blended_overlay; continue; } #endif #ifdef GLX_SGIS_color_range if (_glewStrSame3(&pos, &len, (const GLubyte*)"color_range", 11)) { ret = GLXEW_SGIS_color_range; continue; } #endif #ifdef GLX_SGIS_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"multisample", 11)) { ret = GLXEW_SGIS_multisample; continue; } #endif #ifdef GLX_SGIS_shared_multisample if (_glewStrSame3(&pos, &len, (const GLubyte*)"shared_multisample", 18)) { ret = GLXEW_SGIS_shared_multisample; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SGIX_", 5)) { #ifdef GLX_SGIX_fbconfig if (_glewStrSame3(&pos, &len, (const GLubyte*)"fbconfig", 8)) { ret = GLXEW_SGIX_fbconfig; continue; } #endif #ifdef GLX_SGIX_hyperpipe if (_glewStrSame3(&pos, &len, (const GLubyte*)"hyperpipe", 9)) { ret = GLXEW_SGIX_hyperpipe; continue; } #endif #ifdef GLX_SGIX_pbuffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"pbuffer", 7)) { ret = GLXEW_SGIX_pbuffer; continue; } #endif #ifdef GLX_SGIX_swap_barrier if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_barrier", 12)) { ret = GLXEW_SGIX_swap_barrier; continue; } #endif #ifdef GLX_SGIX_swap_group if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_group", 10)) { ret = GLXEW_SGIX_swap_group; continue; } #endif #ifdef GLX_SGIX_video_resize if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_resize", 12)) { ret = GLXEW_SGIX_video_resize; continue; } #endif #ifdef GLX_SGIX_visual_select_group if (_glewStrSame3(&pos, &len, (const GLubyte*)"visual_select_group", 19)) { ret = GLXEW_SGIX_visual_select_group; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SGI_", 4)) { #ifdef GLX_SGI_cushion if (_glewStrSame3(&pos, &len, (const GLubyte*)"cushion", 7)) { ret = GLXEW_SGI_cushion; continue; } #endif #ifdef GLX_SGI_make_current_read if (_glewStrSame3(&pos, &len, (const GLubyte*)"make_current_read", 17)) { ret = GLXEW_SGI_make_current_read; continue; } #endif #ifdef GLX_SGI_swap_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_control", 12)) { ret = GLXEW_SGI_swap_control; continue; } #endif #ifdef GLX_SGI_video_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_sync", 10)) { ret = GLXEW_SGI_video_sync; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"SUN_", 4)) { #ifdef GLX_SUN_get_transparent_index if (_glewStrSame3(&pos, &len, (const GLubyte*)"get_transparent_index", 21)) { ret = GLXEW_SUN_get_transparent_index; continue; } #endif #ifdef GLX_SUN_video_resize if (_glewStrSame3(&pos, &len, (const GLubyte*)"video_resize", 12)) { ret = GLXEW_SUN_video_resize; continue; } #endif } } ret = (len == 0); } return ret; } #elif defined(GLEW_EGL) GLboolean eglewIsSupported (const char* name) { const GLubyte* pos = (const GLubyte*)name; GLuint len = _glewStrLen(pos); GLboolean ret = GL_TRUE; while (ret && len > 0) { if(_glewStrSame1(&pos, &len, (const GLubyte*)"EGL_", 4)) { if (_glewStrSame2(&pos, &len, (const GLubyte*)"VERSION_", 8)) { #ifdef EGL_VERSION_1_0 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_0", 3)) { ret = EGLEW_VERSION_1_0; continue; } #endif #ifdef EGL_VERSION_1_1 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_1", 3)) { ret = EGLEW_VERSION_1_1; continue; } #endif #ifdef EGL_VERSION_1_2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_2", 3)) { ret = EGLEW_VERSION_1_2; continue; } #endif #ifdef EGL_VERSION_1_3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_3", 3)) { ret = EGLEW_VERSION_1_3; continue; } #endif #ifdef EGL_VERSION_1_4 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_4", 3)) { ret = EGLEW_VERSION_1_4; continue; } #endif #ifdef EGL_VERSION_1_5 if (_glewStrSame3(&pos, &len, (const GLubyte*)"1_5", 3)) { ret = EGLEW_VERSION_1_5; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ANDROID_", 8)) { #ifdef EGL_ANDROID_blob_cache if (_glewStrSame3(&pos, &len, (const GLubyte*)"blob_cache", 10)) { ret = EGLEW_ANDROID_blob_cache; continue; } #endif #ifdef EGL_ANDROID_create_native_client_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_native_client_buffer", 27)) { ret = EGLEW_ANDROID_create_native_client_buffer; continue; } #endif #ifdef EGL_ANDROID_framebuffer_target if (_glewStrSame3(&pos, &len, (const GLubyte*)"framebuffer_target", 18)) { ret = EGLEW_ANDROID_framebuffer_target; continue; } #endif #ifdef EGL_ANDROID_front_buffer_auto_refresh if (_glewStrSame3(&pos, &len, (const GLubyte*)"front_buffer_auto_refresh", 25)) { ret = EGLEW_ANDROID_front_buffer_auto_refresh; continue; } #endif #ifdef EGL_ANDROID_image_native_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_native_buffer", 19)) { ret = EGLEW_ANDROID_image_native_buffer; continue; } #endif #ifdef EGL_ANDROID_native_fence_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"native_fence_sync", 17)) { ret = EGLEW_ANDROID_native_fence_sync; continue; } #endif #ifdef EGL_ANDROID_presentation_time if (_glewStrSame3(&pos, &len, (const GLubyte*)"presentation_time", 17)) { ret = EGLEW_ANDROID_presentation_time; continue; } #endif #ifdef EGL_ANDROID_recordable if (_glewStrSame3(&pos, &len, (const GLubyte*)"recordable", 10)) { ret = EGLEW_ANDROID_recordable; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ANGLE_", 6)) { #ifdef EGL_ANGLE_d3d_share_handle_client_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"d3d_share_handle_client_buffer", 30)) { ret = EGLEW_ANGLE_d3d_share_handle_client_buffer; continue; } #endif #ifdef EGL_ANGLE_device_d3d if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_d3d", 10)) { ret = EGLEW_ANGLE_device_d3d; continue; } #endif #ifdef EGL_ANGLE_query_surface_pointer if (_glewStrSame3(&pos, &len, (const GLubyte*)"query_surface_pointer", 21)) { ret = EGLEW_ANGLE_query_surface_pointer; continue; } #endif #ifdef EGL_ANGLE_surface_d3d_texture_2d_share_handle if (_glewStrSame3(&pos, &len, (const GLubyte*)"surface_d3d_texture_2d_share_handle", 35)) { ret = EGLEW_ANGLE_surface_d3d_texture_2d_share_handle; continue; } #endif #ifdef EGL_ANGLE_window_fixed_size if (_glewStrSame3(&pos, &len, (const GLubyte*)"window_fixed_size", 17)) { ret = EGLEW_ANGLE_window_fixed_size; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"ARM_", 4)) { #ifdef EGL_ARM_implicit_external_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"implicit_external_sync", 22)) { ret = EGLEW_ARM_implicit_external_sync; continue; } #endif #ifdef EGL_ARM_pixmap_multisample_discard if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixmap_multisample_discard", 26)) { ret = EGLEW_ARM_pixmap_multisample_discard; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"EXT_", 4)) { #ifdef EGL_EXT_buffer_age if (_glewStrSame3(&pos, &len, (const GLubyte*)"buffer_age", 10)) { ret = EGLEW_EXT_buffer_age; continue; } #endif #ifdef EGL_EXT_client_extensions if (_glewStrSame3(&pos, &len, (const GLubyte*)"client_extensions", 17)) { ret = EGLEW_EXT_client_extensions; continue; } #endif #ifdef EGL_EXT_create_context_robustness if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_robustness", 25)) { ret = EGLEW_EXT_create_context_robustness; continue; } #endif #ifdef EGL_EXT_device_base if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_base", 11)) { ret = EGLEW_EXT_device_base; continue; } #endif #ifdef EGL_EXT_device_drm if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_drm", 10)) { ret = EGLEW_EXT_device_drm; continue; } #endif #ifdef EGL_EXT_device_enumeration if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_enumeration", 18)) { ret = EGLEW_EXT_device_enumeration; continue; } #endif #ifdef EGL_EXT_device_openwf if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_openwf", 13)) { ret = EGLEW_EXT_device_openwf; continue; } #endif #ifdef EGL_EXT_device_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_query", 12)) { ret = EGLEW_EXT_device_query; continue; } #endif #ifdef EGL_EXT_gl_colorspace_bt2020_linear if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_colorspace_bt2020_linear", 27)) { ret = EGLEW_EXT_gl_colorspace_bt2020_linear; continue; } #endif #ifdef EGL_EXT_gl_colorspace_bt2020_pq if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_colorspace_bt2020_pq", 23)) { ret = EGLEW_EXT_gl_colorspace_bt2020_pq; continue; } #endif #ifdef EGL_EXT_gl_colorspace_scrgb_linear if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_colorspace_scrgb_linear", 26)) { ret = EGLEW_EXT_gl_colorspace_scrgb_linear; continue; } #endif #ifdef EGL_EXT_image_dma_buf_import if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_dma_buf_import", 20)) { ret = EGLEW_EXT_image_dma_buf_import; continue; } #endif #ifdef EGL_EXT_image_dma_buf_import_modifiers if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_dma_buf_import_modifiers", 30)) { ret = EGLEW_EXT_image_dma_buf_import_modifiers; continue; } #endif #ifdef EGL_EXT_multiview_window if (_glewStrSame3(&pos, &len, (const GLubyte*)"multiview_window", 16)) { ret = EGLEW_EXT_multiview_window; continue; } #endif #ifdef EGL_EXT_output_base if (_glewStrSame3(&pos, &len, (const GLubyte*)"output_base", 11)) { ret = EGLEW_EXT_output_base; continue; } #endif #ifdef EGL_EXT_output_drm if (_glewStrSame3(&pos, &len, (const GLubyte*)"output_drm", 10)) { ret = EGLEW_EXT_output_drm; continue; } #endif #ifdef EGL_EXT_output_openwf if (_glewStrSame3(&pos, &len, (const GLubyte*)"output_openwf", 13)) { ret = EGLEW_EXT_output_openwf; continue; } #endif #ifdef EGL_EXT_pixel_format_float if (_glewStrSame3(&pos, &len, (const GLubyte*)"pixel_format_float", 18)) { ret = EGLEW_EXT_pixel_format_float; continue; } #endif #ifdef EGL_EXT_platform_base if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_base", 13)) { ret = EGLEW_EXT_platform_base; continue; } #endif #ifdef EGL_EXT_platform_device if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_device", 15)) { ret = EGLEW_EXT_platform_device; continue; } #endif #ifdef EGL_EXT_platform_wayland if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_wayland", 16)) { ret = EGLEW_EXT_platform_wayland; continue; } #endif #ifdef EGL_EXT_platform_x11 if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_x11", 12)) { ret = EGLEW_EXT_platform_x11; continue; } #endif #ifdef EGL_EXT_protected_content if (_glewStrSame3(&pos, &len, (const GLubyte*)"protected_content", 17)) { ret = EGLEW_EXT_protected_content; continue; } #endif #ifdef EGL_EXT_protected_surface if (_glewStrSame3(&pos, &len, (const GLubyte*)"protected_surface", 17)) { ret = EGLEW_EXT_protected_surface; continue; } #endif #ifdef EGL_EXT_stream_consumer_egloutput if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_consumer_egloutput", 25)) { ret = EGLEW_EXT_stream_consumer_egloutput; continue; } #endif #ifdef EGL_EXT_surface_SMPTE2086_metadata if (_glewStrSame3(&pos, &len, (const GLubyte*)"surface_SMPTE2086_metadata", 26)) { ret = EGLEW_EXT_surface_SMPTE2086_metadata; continue; } #endif #ifdef EGL_EXT_swap_buffers_with_damage if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_buffers_with_damage", 24)) { ret = EGLEW_EXT_swap_buffers_with_damage; continue; } #endif #ifdef EGL_EXT_yuv_surface if (_glewStrSame3(&pos, &len, (const GLubyte*)"yuv_surface", 11)) { ret = EGLEW_EXT_yuv_surface; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"HI_", 3)) { #ifdef EGL_HI_clientpixmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"clientpixmap", 12)) { ret = EGLEW_HI_clientpixmap; continue; } #endif #ifdef EGL_HI_colorformats if (_glewStrSame3(&pos, &len, (const GLubyte*)"colorformats", 12)) { ret = EGLEW_HI_colorformats; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"IMG_", 4)) { #ifdef EGL_IMG_context_priority if (_glewStrSame3(&pos, &len, (const GLubyte*)"context_priority", 16)) { ret = EGLEW_IMG_context_priority; continue; } #endif #ifdef EGL_IMG_image_plane_attribs if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_plane_attribs", 19)) { ret = EGLEW_IMG_image_plane_attribs; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"KHR_", 4)) { #ifdef EGL_KHR_cl_event if (_glewStrSame3(&pos, &len, (const GLubyte*)"cl_event", 8)) { ret = EGLEW_KHR_cl_event; continue; } #endif #ifdef EGL_KHR_cl_event2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"cl_event2", 9)) { ret = EGLEW_KHR_cl_event2; continue; } #endif #ifdef EGL_KHR_client_get_all_proc_addresses if (_glewStrSame3(&pos, &len, (const GLubyte*)"client_get_all_proc_addresses", 29)) { ret = EGLEW_KHR_client_get_all_proc_addresses; continue; } #endif #ifdef EGL_KHR_config_attribs if (_glewStrSame3(&pos, &len, (const GLubyte*)"config_attribs", 14)) { ret = EGLEW_KHR_config_attribs; continue; } #endif #ifdef EGL_KHR_context_flush_control if (_glewStrSame3(&pos, &len, (const GLubyte*)"context_flush_control", 21)) { ret = EGLEW_KHR_context_flush_control; continue; } #endif #ifdef EGL_KHR_create_context if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context", 14)) { ret = EGLEW_KHR_create_context; continue; } #endif #ifdef EGL_KHR_create_context_no_error if (_glewStrSame3(&pos, &len, (const GLubyte*)"create_context_no_error", 23)) { ret = EGLEW_KHR_create_context_no_error; continue; } #endif #ifdef EGL_KHR_debug if (_glewStrSame3(&pos, &len, (const GLubyte*)"debug", 5)) { ret = EGLEW_KHR_debug; continue; } #endif #ifdef EGL_KHR_fence_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"fence_sync", 10)) { ret = EGLEW_KHR_fence_sync; continue; } #endif #ifdef EGL_KHR_get_all_proc_addresses if (_glewStrSame3(&pos, &len, (const GLubyte*)"get_all_proc_addresses", 22)) { ret = EGLEW_KHR_get_all_proc_addresses; continue; } #endif #ifdef EGL_KHR_gl_colorspace if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_colorspace", 13)) { ret = EGLEW_KHR_gl_colorspace; continue; } #endif #ifdef EGL_KHR_gl_renderbuffer_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_renderbuffer_image", 21)) { ret = EGLEW_KHR_gl_renderbuffer_image; continue; } #endif #ifdef EGL_KHR_gl_texture_2D_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_texture_2D_image", 19)) { ret = EGLEW_KHR_gl_texture_2D_image; continue; } #endif #ifdef EGL_KHR_gl_texture_3D_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_texture_3D_image", 19)) { ret = EGLEW_KHR_gl_texture_3D_image; continue; } #endif #ifdef EGL_KHR_gl_texture_cubemap_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"gl_texture_cubemap_image", 24)) { ret = EGLEW_KHR_gl_texture_cubemap_image; continue; } #endif #ifdef EGL_KHR_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"image", 5)) { ret = EGLEW_KHR_image; continue; } #endif #ifdef EGL_KHR_image_base if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_base", 10)) { ret = EGLEW_KHR_image_base; continue; } #endif #ifdef EGL_KHR_image_pixmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_pixmap", 12)) { ret = EGLEW_KHR_image_pixmap; continue; } #endif #ifdef EGL_KHR_lock_surface if (_glewStrSame3(&pos, &len, (const GLubyte*)"lock_surface", 12)) { ret = EGLEW_KHR_lock_surface; continue; } #endif #ifdef EGL_KHR_lock_surface2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"lock_surface2", 13)) { ret = EGLEW_KHR_lock_surface2; continue; } #endif #ifdef EGL_KHR_lock_surface3 if (_glewStrSame3(&pos, &len, (const GLubyte*)"lock_surface3", 13)) { ret = EGLEW_KHR_lock_surface3; continue; } #endif #ifdef EGL_KHR_mutable_render_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"mutable_render_buffer", 21)) { ret = EGLEW_KHR_mutable_render_buffer; continue; } #endif #ifdef EGL_KHR_no_config_context if (_glewStrSame3(&pos, &len, (const GLubyte*)"no_config_context", 17)) { ret = EGLEW_KHR_no_config_context; continue; } #endif #ifdef EGL_KHR_partial_update if (_glewStrSame3(&pos, &len, (const GLubyte*)"partial_update", 14)) { ret = EGLEW_KHR_partial_update; continue; } #endif #ifdef EGL_KHR_platform_android if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_android", 16)) { ret = EGLEW_KHR_platform_android; continue; } #endif #ifdef EGL_KHR_platform_gbm if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_gbm", 12)) { ret = EGLEW_KHR_platform_gbm; continue; } #endif #ifdef EGL_KHR_platform_wayland if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_wayland", 16)) { ret = EGLEW_KHR_platform_wayland; continue; } #endif #ifdef EGL_KHR_platform_x11 if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_x11", 12)) { ret = EGLEW_KHR_platform_x11; continue; } #endif #ifdef EGL_KHR_reusable_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"reusable_sync", 13)) { ret = EGLEW_KHR_reusable_sync; continue; } #endif #ifdef EGL_KHR_stream if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream", 6)) { ret = EGLEW_KHR_stream; continue; } #endif #ifdef EGL_KHR_stream_attrib if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_attrib", 13)) { ret = EGLEW_KHR_stream_attrib; continue; } #endif #ifdef EGL_KHR_stream_consumer_gltexture if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_consumer_gltexture", 25)) { ret = EGLEW_KHR_stream_consumer_gltexture; continue; } #endif #ifdef EGL_KHR_stream_cross_process_fd if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_cross_process_fd", 23)) { ret = EGLEW_KHR_stream_cross_process_fd; continue; } #endif #ifdef EGL_KHR_stream_fifo if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_fifo", 11)) { ret = EGLEW_KHR_stream_fifo; continue; } #endif #ifdef EGL_KHR_stream_producer_aldatalocator if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_producer_aldatalocator", 29)) { ret = EGLEW_KHR_stream_producer_aldatalocator; continue; } #endif #ifdef EGL_KHR_stream_producer_eglsurface if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_producer_eglsurface", 26)) { ret = EGLEW_KHR_stream_producer_eglsurface; continue; } #endif #ifdef EGL_KHR_surfaceless_context if (_glewStrSame3(&pos, &len, (const GLubyte*)"surfaceless_context", 19)) { ret = EGLEW_KHR_surfaceless_context; continue; } #endif #ifdef EGL_KHR_swap_buffers_with_damage if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_buffers_with_damage", 24)) { ret = EGLEW_KHR_swap_buffers_with_damage; continue; } #endif #ifdef EGL_KHR_vg_parent_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"vg_parent_image", 15)) { ret = EGLEW_KHR_vg_parent_image; continue; } #endif #ifdef EGL_KHR_wait_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"wait_sync", 9)) { ret = EGLEW_KHR_wait_sync; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"MESA_", 5)) { #ifdef EGL_MESA_drm_image if (_glewStrSame3(&pos, &len, (const GLubyte*)"drm_image", 9)) { ret = EGLEW_MESA_drm_image; continue; } #endif #ifdef EGL_MESA_image_dma_buf_export if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_dma_buf_export", 20)) { ret = EGLEW_MESA_image_dma_buf_export; continue; } #endif #ifdef EGL_MESA_platform_gbm if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_gbm", 12)) { ret = EGLEW_MESA_platform_gbm; continue; } #endif #ifdef EGL_MESA_platform_surfaceless if (_glewStrSame3(&pos, &len, (const GLubyte*)"platform_surfaceless", 20)) { ret = EGLEW_MESA_platform_surfaceless; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"NOK_", 4)) { #ifdef EGL_NOK_swap_region if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_region", 11)) { ret = EGLEW_NOK_swap_region; continue; } #endif #ifdef EGL_NOK_swap_region2 if (_glewStrSame3(&pos, &len, (const GLubyte*)"swap_region2", 12)) { ret = EGLEW_NOK_swap_region2; continue; } #endif #ifdef EGL_NOK_texture_from_pixmap if (_glewStrSame3(&pos, &len, (const GLubyte*)"texture_from_pixmap", 19)) { ret = EGLEW_NOK_texture_from_pixmap; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"NV_", 3)) { #ifdef EGL_NV_3dvision_surface if (_glewStrSame3(&pos, &len, (const GLubyte*)"3dvision_surface", 16)) { ret = EGLEW_NV_3dvision_surface; continue; } #endif #ifdef EGL_NV_coverage_sample if (_glewStrSame3(&pos, &len, (const GLubyte*)"coverage_sample", 15)) { ret = EGLEW_NV_coverage_sample; continue; } #endif #ifdef EGL_NV_coverage_sample_resolve if (_glewStrSame3(&pos, &len, (const GLubyte*)"coverage_sample_resolve", 23)) { ret = EGLEW_NV_coverage_sample_resolve; continue; } #endif #ifdef EGL_NV_cuda_event if (_glewStrSame3(&pos, &len, (const GLubyte*)"cuda_event", 10)) { ret = EGLEW_NV_cuda_event; continue; } #endif #ifdef EGL_NV_depth_nonlinear if (_glewStrSame3(&pos, &len, (const GLubyte*)"depth_nonlinear", 15)) { ret = EGLEW_NV_depth_nonlinear; continue; } #endif #ifdef EGL_NV_device_cuda if (_glewStrSame3(&pos, &len, (const GLubyte*)"device_cuda", 11)) { ret = EGLEW_NV_device_cuda; continue; } #endif #ifdef EGL_NV_native_query if (_glewStrSame3(&pos, &len, (const GLubyte*)"native_query", 12)) { ret = EGLEW_NV_native_query; continue; } #endif #ifdef EGL_NV_post_convert_rounding if (_glewStrSame3(&pos, &len, (const GLubyte*)"post_convert_rounding", 21)) { ret = EGLEW_NV_post_convert_rounding; continue; } #endif #ifdef EGL_NV_post_sub_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"post_sub_buffer", 15)) { ret = EGLEW_NV_post_sub_buffer; continue; } #endif #ifdef EGL_NV_robustness_video_memory_purge if (_glewStrSame3(&pos, &len, (const GLubyte*)"robustness_video_memory_purge", 29)) { ret = EGLEW_NV_robustness_video_memory_purge; continue; } #endif #ifdef EGL_NV_stream_consumer_gltexture_yuv if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_consumer_gltexture_yuv", 29)) { ret = EGLEW_NV_stream_consumer_gltexture_yuv; continue; } #endif #ifdef EGL_NV_stream_cross_display if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_cross_display", 20)) { ret = EGLEW_NV_stream_cross_display; continue; } #endif #ifdef EGL_NV_stream_cross_object if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_cross_object", 19)) { ret = EGLEW_NV_stream_cross_object; continue; } #endif #ifdef EGL_NV_stream_cross_partition if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_cross_partition", 22)) { ret = EGLEW_NV_stream_cross_partition; continue; } #endif #ifdef EGL_NV_stream_cross_process if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_cross_process", 20)) { ret = EGLEW_NV_stream_cross_process; continue; } #endif #ifdef EGL_NV_stream_cross_system if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_cross_system", 19)) { ret = EGLEW_NV_stream_cross_system; continue; } #endif #ifdef EGL_NV_stream_fifo_next if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_fifo_next", 16)) { ret = EGLEW_NV_stream_fifo_next; continue; } #endif #ifdef EGL_NV_stream_fifo_synchronous if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_fifo_synchronous", 23)) { ret = EGLEW_NV_stream_fifo_synchronous; continue; } #endif #ifdef EGL_NV_stream_frame_limits if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_frame_limits", 19)) { ret = EGLEW_NV_stream_frame_limits; continue; } #endif #ifdef EGL_NV_stream_metadata if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_metadata", 15)) { ret = EGLEW_NV_stream_metadata; continue; } #endif #ifdef EGL_NV_stream_remote if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_remote", 13)) { ret = EGLEW_NV_stream_remote; continue; } #endif #ifdef EGL_NV_stream_reset if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_reset", 12)) { ret = EGLEW_NV_stream_reset; continue; } #endif #ifdef EGL_NV_stream_socket if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_socket", 13)) { ret = EGLEW_NV_stream_socket; continue; } #endif #ifdef EGL_NV_stream_socket_inet if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_socket_inet", 18)) { ret = EGLEW_NV_stream_socket_inet; continue; } #endif #ifdef EGL_NV_stream_socket_unix if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_socket_unix", 18)) { ret = EGLEW_NV_stream_socket_unix; continue; } #endif #ifdef EGL_NV_stream_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"stream_sync", 11)) { ret = EGLEW_NV_stream_sync; continue; } #endif #ifdef EGL_NV_sync if (_glewStrSame3(&pos, &len, (const GLubyte*)"sync", 4)) { ret = EGLEW_NV_sync; continue; } #endif #ifdef EGL_NV_system_time if (_glewStrSame3(&pos, &len, (const GLubyte*)"system_time", 11)) { ret = EGLEW_NV_system_time; continue; } #endif } if (_glewStrSame2(&pos, &len, (const GLubyte*)"TIZEN_", 6)) { #ifdef EGL_TIZEN_image_native_buffer if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_native_buffer", 19)) { ret = EGLEW_TIZEN_image_native_buffer; continue; } #endif #ifdef EGL_TIZEN_image_native_surface if (_glewStrSame3(&pos, &len, (const GLubyte*)"image_native_surface", 20)) { ret = EGLEW_TIZEN_image_native_surface; continue; } #endif } } ret = (len == 0); } return ret; } #endif /* _WIN32 */ asymptote-2.62/GL/glew.h0000644000000000000000000441545113607467113013625 0ustar rootroot/* ** The OpenGL Extension Wrangler Library ** Copyright (C) 2008-2017, Nigel Stewart ** Copyright (C) 2002-2008, Milan Ikits ** Copyright (C) 2002-2008, Marcelo E. Magallon ** Copyright (C) 2002, Lev Povalahev ** All rights reserved. ** ** Redistribution and use in source and binary forms, with or without ** modification, are permitted provided that the following conditions are met: ** ** * Redistributions of source code must retain the above copyright notice, ** this list of conditions and the following disclaimer. ** * Redistributions in binary form must reproduce the above copyright notice, ** this list of conditions and the following disclaimer in the documentation ** and/or other materials provided with the distribution. ** * The name of the author may be used to endorse or promote products ** derived from this software without specific prior written permission. ** ** THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" ** AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE ** IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ** ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE ** LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR ** CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF ** SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS ** INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN ** CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ** ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF ** THE POSSIBILITY OF SUCH DAMAGE. */ /* * Mesa 3-D graphics library * Version: 7.0 * * Copyright (C) 1999-2007 Brian Paul All Rights Reserved. * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, including without limitation * the rights to use, copy, modify, merge, publish, distribute, sublicense, * and/or sell copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included * in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS * OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL * BRIAN PAUL BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN * AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN * CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ /* ** Copyright (c) 2007 The Khronos Group Inc. ** ** Permission is hereby granted, free of charge, to any person obtaining a ** copy of this software and/or associated documentation files (the ** "Materials"), to deal in the Materials without restriction, including ** without limitation the rights to use, copy, modify, merge, publish, ** distribute, sublicense, and/or sell copies of the Materials, and to ** permit persons to whom the Materials are furnished to do so, subject to ** the following conditions: ** ** The above copyright notice and this permission notice shall be included ** in all copies or substantial portions of the Materials. ** ** THE MATERIALS ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, ** EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF ** MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. ** IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY ** CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, ** TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE ** MATERIALS OR THE USE OR OTHER DEALINGS IN THE MATERIALS. */ #ifndef __glew_h__ #define __glew_h__ #define __GLEW_H__ #if defined(__gl_h_) || defined(__GL_H__) || defined(_GL_H) || defined(__X_GL_H) #error gl.h included before glew.h #endif #if defined(__gl2_h_) #error gl2.h included before glew.h #endif #if defined(__gltypes_h_) #error gltypes.h included before glew.h #endif #if defined(__REGAL_H__) #error Regal.h included before glew.h #endif #if defined(__glext_h_) || defined(__GLEXT_H_) #error glext.h included before glew.h #endif #if defined(__gl_ATI_h_) #error glATI.h included before glew.h #endif #define __gl_h_ #define __gl2_h_ #define __GL_H__ #define _GL_H #define __gltypes_h_ #define __REGAL_H__ #define __X_GL_H #define __glext_h_ #define __GLEXT_H_ #define __gl_ATI_h_ #if defined(_WIN32) /* * GLEW does not include to avoid name space pollution. * GL needs GLAPI and GLAPIENTRY, GLU needs APIENTRY, CALLBACK, and wchar_t * defined properly. */ /* and */ #ifdef APIENTRY # ifndef GLAPIENTRY # define GLAPIENTRY APIENTRY # endif # ifndef GLEWAPIENTRY # define GLEWAPIENTRY APIENTRY # endif #else #define GLEW_APIENTRY_DEFINED # if defined(__MINGW32__) || defined(__CYGWIN__) || (_MSC_VER >= 800) || defined(_STDCALL_SUPPORTED) || defined(__BORLANDC__) # define APIENTRY __stdcall # ifndef GLAPIENTRY # define GLAPIENTRY __stdcall # endif # ifndef GLEWAPIENTRY # define GLEWAPIENTRY __stdcall # endif # else # define APIENTRY # endif #endif #ifndef GLAPI # if defined(__MINGW32__) || defined(__CYGWIN__) # define GLAPI extern # endif #endif /* */ #ifndef CALLBACK #define GLEW_CALLBACK_DEFINED # if defined(__MINGW32__) || defined(__CYGWIN__) # define CALLBACK __attribute__ ((__stdcall__)) # elif (defined(_M_MRX000) || defined(_M_IX86) || defined(_M_ALPHA) || defined(_M_PPC)) && !defined(MIDL_PASS) # define CALLBACK __stdcall # else # define CALLBACK # endif #endif /* and */ #ifndef WINGDIAPI #define GLEW_WINGDIAPI_DEFINED #define WINGDIAPI __declspec(dllimport) #endif /* */ #if (defined(_MSC_VER) || defined(__BORLANDC__)) && !defined(_WCHAR_T_DEFINED) typedef unsigned short wchar_t; # define _WCHAR_T_DEFINED #endif /* */ #if !defined(_W64) # if !defined(__midl) && (defined(_X86_) || defined(_M_IX86)) && defined(_MSC_VER) && _MSC_VER >= 1300 # define _W64 __w64 # else # define _W64 # endif #endif #if !defined(_PTRDIFF_T_DEFINED) && !defined(_PTRDIFF_T_) && !defined(__MINGW64__) # ifdef _WIN64 typedef __int64 ptrdiff_t; # else typedef _W64 int ptrdiff_t; # endif # define _PTRDIFF_T_DEFINED # define _PTRDIFF_T_ #endif #ifndef GLAPI # if defined(__MINGW32__) || defined(__CYGWIN__) # define GLAPI extern # else # define GLAPI WINGDIAPI # endif #endif /* * GLEW_STATIC is defined for static library. * GLEW_BUILD is defined for building the DLL library. */ #ifdef GLEW_STATIC # define GLEWAPI extern #else # ifdef GLEW_BUILD # define GLEWAPI extern __declspec(dllexport) # else # define GLEWAPI extern __declspec(dllimport) # endif #endif #else /* _UNIX */ /* * Needed for ptrdiff_t in turn needed by VBO. This is defined by ISO * C. On my system, this amounts to _3 lines_ of included code, all of * them pretty much harmless. If you know of a way of detecting 32 vs * 64 _targets_ at compile time you are free to replace this with * something that's portable. For now, _this_ is the portable solution. * (mem, 2004-01-04) */ #include /* SGI MIPSPro doesn't like stdint.h in C++ mode */ /* ID: 3376260 Solaris 9 has inttypes.h, but not stdint.h */ #if (defined(__sgi) || defined(__sun)) && !defined(__GNUC__) #include #else #include #endif #define GLEW_APIENTRY_DEFINED #define APIENTRY /* * GLEW_STATIC is defined for static library. */ #ifdef GLEW_STATIC # define GLEWAPI extern #else # if defined(__GNUC__) && __GNUC__>=4 # define GLEWAPI extern __attribute__ ((visibility("default"))) # elif defined(__SUNPRO_C) || defined(__SUNPRO_CC) # define GLEWAPI extern __global # else # define GLEWAPI extern # endif #endif /* */ #ifndef GLAPI #define GLAPI extern #endif #endif /* _WIN32 */ #ifndef GLAPIENTRY #define GLAPIENTRY #endif #ifndef GLEWAPIENTRY #define GLEWAPIENTRY #endif #define GLEW_VAR_EXPORT GLEWAPI #define GLEW_FUN_EXPORT GLEWAPI #ifdef __cplusplus extern "C" { #endif /* ----------------------------- GL_VERSION_1_1 ---------------------------- */ #ifndef GL_VERSION_1_1 #define GL_VERSION_1_1 1 typedef unsigned int GLenum; typedef unsigned int GLbitfield; typedef unsigned int GLuint; typedef int GLint; typedef int GLsizei; typedef unsigned char GLboolean; typedef signed char GLbyte; typedef short GLshort; typedef unsigned char GLubyte; typedef unsigned short GLushort; typedef unsigned long GLulong; typedef float GLfloat; typedef float GLclampf; typedef double GLdouble; typedef double GLclampd; typedef void GLvoid; #if defined(_MSC_VER) && _MSC_VER < 1400 typedef __int64 GLint64EXT; typedef unsigned __int64 GLuint64EXT; #elif defined(_MSC_VER) || defined(__BORLANDC__) typedef signed long long GLint64EXT; typedef unsigned long long GLuint64EXT; #else # if defined(__MINGW32__) || defined(__CYGWIN__) #include # endif typedef int64_t GLint64EXT; typedef uint64_t GLuint64EXT; #endif typedef GLint64EXT GLint64; typedef GLuint64EXT GLuint64; typedef struct __GLsync *GLsync; typedef char GLchar; #define GL_ZERO 0 #define GL_FALSE 0 #define GL_LOGIC_OP 0x0BF1 #define GL_NONE 0 #define GL_TEXTURE_COMPONENTS 0x1003 #define GL_NO_ERROR 0 #define GL_POINTS 0x0000 #define GL_CURRENT_BIT 0x00000001 #define GL_TRUE 1 #define GL_ONE 1 #define GL_CLIENT_PIXEL_STORE_BIT 0x00000001 #define GL_LINES 0x0001 #define GL_LINE_LOOP 0x0002 #define GL_POINT_BIT 0x00000002 #define GL_CLIENT_VERTEX_ARRAY_BIT 0x00000002 #define GL_LINE_STRIP 0x0003 #define GL_LINE_BIT 0x00000004 #define GL_TRIANGLES 0x0004 #define GL_TRIANGLE_STRIP 0x0005 #define GL_TRIANGLE_FAN 0x0006 #define GL_QUADS 0x0007 #define GL_QUAD_STRIP 0x0008 #define GL_POLYGON_BIT 0x00000008 #define GL_POLYGON 0x0009 #define GL_POLYGON_STIPPLE_BIT 0x00000010 #define GL_PIXEL_MODE_BIT 0x00000020 #define GL_LIGHTING_BIT 0x00000040 #define GL_FOG_BIT 0x00000080 #define GL_DEPTH_BUFFER_BIT 0x00000100 #define GL_ACCUM 0x0100 #define GL_LOAD 0x0101 #define GL_RETURN 0x0102 #define GL_MULT 0x0103 #define GL_ADD 0x0104 #define GL_NEVER 0x0200 #define GL_ACCUM_BUFFER_BIT 0x00000200 #define GL_LESS 0x0201 #define GL_EQUAL 0x0202 #define GL_LEQUAL 0x0203 #define GL_GREATER 0x0204 #define GL_NOTEQUAL 0x0205 #define GL_GEQUAL 0x0206 #define GL_ALWAYS 0x0207 #define GL_SRC_COLOR 0x0300 #define GL_ONE_MINUS_SRC_COLOR 0x0301 #define GL_SRC_ALPHA 0x0302 #define GL_ONE_MINUS_SRC_ALPHA 0x0303 #define GL_DST_ALPHA 0x0304 #define GL_ONE_MINUS_DST_ALPHA 0x0305 #define GL_DST_COLOR 0x0306 #define GL_ONE_MINUS_DST_COLOR 0x0307 #define GL_SRC_ALPHA_SATURATE 0x0308 #define GL_STENCIL_BUFFER_BIT 0x00000400 #define GL_FRONT_LEFT 0x0400 #define GL_FRONT_RIGHT 0x0401 #define GL_BACK_LEFT 0x0402 #define GL_BACK_RIGHT 0x0403 #define GL_FRONT 0x0404 #define GL_BACK 0x0405 #define GL_LEFT 0x0406 #define GL_RIGHT 0x0407 #define GL_FRONT_AND_BACK 0x0408 #define GL_AUX0 0x0409 #define GL_AUX1 0x040A #define GL_AUX2 0x040B #define GL_AUX3 0x040C #define GL_INVALID_ENUM 0x0500 #define GL_INVALID_VALUE 0x0501 #define GL_INVALID_OPERATION 0x0502 #define GL_STACK_OVERFLOW 0x0503 #define GL_STACK_UNDERFLOW 0x0504 #define GL_OUT_OF_MEMORY 0x0505 #define GL_2D 0x0600 #define GL_3D 0x0601 #define GL_3D_COLOR 0x0602 #define GL_3D_COLOR_TEXTURE 0x0603 #define GL_4D_COLOR_TEXTURE 0x0604 #define GL_PASS_THROUGH_TOKEN 0x0700 #define GL_POINT_TOKEN 0x0701 #define GL_LINE_TOKEN 0x0702 #define GL_POLYGON_TOKEN 0x0703 #define GL_BITMAP_TOKEN 0x0704 #define GL_DRAW_PIXEL_TOKEN 0x0705 #define GL_COPY_PIXEL_TOKEN 0x0706 #define GL_LINE_RESET_TOKEN 0x0707 #define GL_EXP 0x0800 #define GL_VIEWPORT_BIT 0x00000800 #define GL_EXP2 0x0801 #define GL_CW 0x0900 #define GL_CCW 0x0901 #define GL_COEFF 0x0A00 #define GL_ORDER 0x0A01 #define GL_DOMAIN 0x0A02 #define GL_CURRENT_COLOR 0x0B00 #define GL_CURRENT_INDEX 0x0B01 #define GL_CURRENT_NORMAL 0x0B02 #define GL_CURRENT_TEXTURE_COORDS 0x0B03 #define GL_CURRENT_RASTER_COLOR 0x0B04 #define GL_CURRENT_RASTER_INDEX 0x0B05 #define GL_CURRENT_RASTER_TEXTURE_COORDS 0x0B06 #define GL_CURRENT_RASTER_POSITION 0x0B07 #define GL_CURRENT_RASTER_POSITION_VALID 0x0B08 #define GL_CURRENT_RASTER_DISTANCE 0x0B09 #define GL_POINT_SMOOTH 0x0B10 #define GL_POINT_SIZE 0x0B11 #define GL_POINT_SIZE_RANGE 0x0B12 #define GL_POINT_SIZE_GRANULARITY 0x0B13 #define GL_LINE_SMOOTH 0x0B20 #define GL_LINE_WIDTH 0x0B21 #define GL_LINE_WIDTH_RANGE 0x0B22 #define GL_LINE_WIDTH_GRANULARITY 0x0B23 #define GL_LINE_STIPPLE 0x0B24 #define GL_LINE_STIPPLE_PATTERN 0x0B25 #define GL_LINE_STIPPLE_REPEAT 0x0B26 #define GL_LIST_MODE 0x0B30 #define GL_MAX_LIST_NESTING 0x0B31 #define GL_LIST_BASE 0x0B32 #define GL_LIST_INDEX 0x0B33 #define GL_POLYGON_MODE 0x0B40 #define GL_POLYGON_SMOOTH 0x0B41 #define GL_POLYGON_STIPPLE 0x0B42 #define GL_EDGE_FLAG 0x0B43 #define GL_CULL_FACE 0x0B44 #define GL_CULL_FACE_MODE 0x0B45 #define GL_FRONT_FACE 0x0B46 #define GL_LIGHTING 0x0B50 #define GL_LIGHT_MODEL_LOCAL_VIEWER 0x0B51 #define GL_LIGHT_MODEL_TWO_SIDE 0x0B52 #define GL_LIGHT_MODEL_AMBIENT 0x0B53 #define GL_SHADE_MODEL 0x0B54 #define GL_COLOR_MATERIAL_FACE 0x0B55 #define GL_COLOR_MATERIAL_PARAMETER 0x0B56 #define GL_COLOR_MATERIAL 0x0B57 #define GL_FOG 0x0B60 #define GL_FOG_INDEX 0x0B61 #define GL_FOG_DENSITY 0x0B62 #define GL_FOG_START 0x0B63 #define GL_FOG_END 0x0B64 #define GL_FOG_MODE 0x0B65 #define GL_FOG_COLOR 0x0B66 #define GL_DEPTH_RANGE 0x0B70 #define GL_DEPTH_TEST 0x0B71 #define GL_DEPTH_WRITEMASK 0x0B72 #define GL_DEPTH_CLEAR_VALUE 0x0B73 #define GL_DEPTH_FUNC 0x0B74 #define GL_ACCUM_CLEAR_VALUE 0x0B80 #define GL_STENCIL_TEST 0x0B90 #define GL_STENCIL_CLEAR_VALUE 0x0B91 #define GL_STENCIL_FUNC 0x0B92 #define GL_STENCIL_VALUE_MASK 0x0B93 #define GL_STENCIL_FAIL 0x0B94 #define GL_STENCIL_PASS_DEPTH_FAIL 0x0B95 #define GL_STENCIL_PASS_DEPTH_PASS 0x0B96 #define GL_STENCIL_REF 0x0B97 #define GL_STENCIL_WRITEMASK 0x0B98 #define GL_MATRIX_MODE 0x0BA0 #define GL_NORMALIZE 0x0BA1 #define GL_VIEWPORT 0x0BA2 #define GL_MODELVIEW_STACK_DEPTH 0x0BA3 #define GL_PROJECTION_STACK_DEPTH 0x0BA4 #define GL_TEXTURE_STACK_DEPTH 0x0BA5 #define GL_MODELVIEW_MATRIX 0x0BA6 #define GL_PROJECTION_MATRIX 0x0BA7 #define GL_TEXTURE_MATRIX 0x0BA8 #define GL_ATTRIB_STACK_DEPTH 0x0BB0 #define GL_CLIENT_ATTRIB_STACK_DEPTH 0x0BB1 #define GL_ALPHA_TEST 0x0BC0 #define GL_ALPHA_TEST_FUNC 0x0BC1 #define GL_ALPHA_TEST_REF 0x0BC2 #define GL_DITHER 0x0BD0 #define GL_BLEND_DST 0x0BE0 #define GL_BLEND_SRC 0x0BE1 #define GL_BLEND 0x0BE2 #define GL_LOGIC_OP_MODE 0x0BF0 #define GL_INDEX_LOGIC_OP 0x0BF1 #define GL_COLOR_LOGIC_OP 0x0BF2 #define GL_AUX_BUFFERS 0x0C00 #define GL_DRAW_BUFFER 0x0C01 #define GL_READ_BUFFER 0x0C02 #define GL_SCISSOR_BOX 0x0C10 #define GL_SCISSOR_TEST 0x0C11 #define GL_INDEX_CLEAR_VALUE 0x0C20 #define GL_INDEX_WRITEMASK 0x0C21 #define GL_COLOR_CLEAR_VALUE 0x0C22 #define GL_COLOR_WRITEMASK 0x0C23 #define GL_INDEX_MODE 0x0C30 #define GL_RGBA_MODE 0x0C31 #define GL_DOUBLEBUFFER 0x0C32 #define GL_STEREO 0x0C33 #define GL_RENDER_MODE 0x0C40 #define GL_PERSPECTIVE_CORRECTION_HINT 0x0C50 #define GL_POINT_SMOOTH_HINT 0x0C51 #define GL_LINE_SMOOTH_HINT 0x0C52 #define GL_POLYGON_SMOOTH_HINT 0x0C53 #define GL_FOG_HINT 0x0C54 #define GL_TEXTURE_GEN_S 0x0C60 #define GL_TEXTURE_GEN_T 0x0C61 #define GL_TEXTURE_GEN_R 0x0C62 #define GL_TEXTURE_GEN_Q 0x0C63 #define GL_PIXEL_MAP_I_TO_I 0x0C70 #define GL_PIXEL_MAP_S_TO_S 0x0C71 #define GL_PIXEL_MAP_I_TO_R 0x0C72 #define GL_PIXEL_MAP_I_TO_G 0x0C73 #define GL_PIXEL_MAP_I_TO_B 0x0C74 #define GL_PIXEL_MAP_I_TO_A 0x0C75 #define GL_PIXEL_MAP_R_TO_R 0x0C76 #define GL_PIXEL_MAP_G_TO_G 0x0C77 #define GL_PIXEL_MAP_B_TO_B 0x0C78 #define GL_PIXEL_MAP_A_TO_A 0x0C79 #define GL_PIXEL_MAP_I_TO_I_SIZE 0x0CB0 #define GL_PIXEL_MAP_S_TO_S_SIZE 0x0CB1 #define GL_PIXEL_MAP_I_TO_R_SIZE 0x0CB2 #define GL_PIXEL_MAP_I_TO_G_SIZE 0x0CB3 #define GL_PIXEL_MAP_I_TO_B_SIZE 0x0CB4 #define GL_PIXEL_MAP_I_TO_A_SIZE 0x0CB5 #define GL_PIXEL_MAP_R_TO_R_SIZE 0x0CB6 #define GL_PIXEL_MAP_G_TO_G_SIZE 0x0CB7 #define GL_PIXEL_MAP_B_TO_B_SIZE 0x0CB8 #define GL_PIXEL_MAP_A_TO_A_SIZE 0x0CB9 #define GL_UNPACK_SWAP_BYTES 0x0CF0 #define GL_UNPACK_LSB_FIRST 0x0CF1 #define GL_UNPACK_ROW_LENGTH 0x0CF2 #define GL_UNPACK_SKIP_ROWS 0x0CF3 #define GL_UNPACK_SKIP_PIXELS 0x0CF4 #define GL_UNPACK_ALIGNMENT 0x0CF5 #define GL_PACK_SWAP_BYTES 0x0D00 #define GL_PACK_LSB_FIRST 0x0D01 #define GL_PACK_ROW_LENGTH 0x0D02 #define GL_PACK_SKIP_ROWS 0x0D03 #define GL_PACK_SKIP_PIXELS 0x0D04 #define GL_PACK_ALIGNMENT 0x0D05 #define GL_MAP_COLOR 0x0D10 #define GL_MAP_STENCIL 0x0D11 #define GL_INDEX_SHIFT 0x0D12 #define GL_INDEX_OFFSET 0x0D13 #define GL_RED_SCALE 0x0D14 #define GL_RED_BIAS 0x0D15 #define GL_ZOOM_X 0x0D16 #define GL_ZOOM_Y 0x0D17 #define GL_GREEN_SCALE 0x0D18 #define GL_GREEN_BIAS 0x0D19 #define GL_BLUE_SCALE 0x0D1A #define GL_BLUE_BIAS 0x0D1B #define GL_ALPHA_SCALE 0x0D1C #define GL_ALPHA_BIAS 0x0D1D #define GL_DEPTH_SCALE 0x0D1E #define GL_DEPTH_BIAS 0x0D1F #define GL_MAX_EVAL_ORDER 0x0D30 #define GL_MAX_LIGHTS 0x0D31 #define GL_MAX_CLIP_PLANES 0x0D32 #define GL_MAX_TEXTURE_SIZE 0x0D33 #define GL_MAX_PIXEL_MAP_TABLE 0x0D34 #define GL_MAX_ATTRIB_STACK_DEPTH 0x0D35 #define GL_MAX_MODELVIEW_STACK_DEPTH 0x0D36 #define GL_MAX_NAME_STACK_DEPTH 0x0D37 #define GL_MAX_PROJECTION_STACK_DEPTH 0x0D38 #define GL_MAX_TEXTURE_STACK_DEPTH 0x0D39 #define GL_MAX_VIEWPORT_DIMS 0x0D3A #define GL_MAX_CLIENT_ATTRIB_STACK_DEPTH 0x0D3B #define GL_SUBPIXEL_BITS 0x0D50 #define GL_INDEX_BITS 0x0D51 #define GL_RED_BITS 0x0D52 #define GL_GREEN_BITS 0x0D53 #define GL_BLUE_BITS 0x0D54 #define GL_ALPHA_BITS 0x0D55 #define GL_DEPTH_BITS 0x0D56 #define GL_STENCIL_BITS 0x0D57 #define GL_ACCUM_RED_BITS 0x0D58 #define GL_ACCUM_GREEN_BITS 0x0D59 #define GL_ACCUM_BLUE_BITS 0x0D5A #define GL_ACCUM_ALPHA_BITS 0x0D5B #define GL_NAME_STACK_DEPTH 0x0D70 #define GL_AUTO_NORMAL 0x0D80 #define GL_MAP1_COLOR_4 0x0D90 #define GL_MAP1_INDEX 0x0D91 #define GL_MAP1_NORMAL 0x0D92 #define GL_MAP1_TEXTURE_COORD_1 0x0D93 #define GL_MAP1_TEXTURE_COORD_2 0x0D94 #define GL_MAP1_TEXTURE_COORD_3 0x0D95 #define GL_MAP1_TEXTURE_COORD_4 0x0D96 #define GL_MAP1_VERTEX_3 0x0D97 #define GL_MAP1_VERTEX_4 0x0D98 #define GL_MAP2_COLOR_4 0x0DB0 #define GL_MAP2_INDEX 0x0DB1 #define GL_MAP2_NORMAL 0x0DB2 #define GL_MAP2_TEXTURE_COORD_1 0x0DB3 #define GL_MAP2_TEXTURE_COORD_2 0x0DB4 #define GL_MAP2_TEXTURE_COORD_3 0x0DB5 #define GL_MAP2_TEXTURE_COORD_4 0x0DB6 #define GL_MAP2_VERTEX_3 0x0DB7 #define GL_MAP2_VERTEX_4 0x0DB8 #define GL_MAP1_GRID_DOMAIN 0x0DD0 #define GL_MAP1_GRID_SEGMENTS 0x0DD1 #define GL_MAP2_GRID_DOMAIN 0x0DD2 #define GL_MAP2_GRID_SEGMENTS 0x0DD3 #define GL_TEXTURE_1D 0x0DE0 #define GL_TEXTURE_2D 0x0DE1 #define GL_FEEDBACK_BUFFER_POINTER 0x0DF0 #define GL_FEEDBACK_BUFFER_SIZE 0x0DF1 #define GL_FEEDBACK_BUFFER_TYPE 0x0DF2 #define GL_SELECTION_BUFFER_POINTER 0x0DF3 #define GL_SELECTION_BUFFER_SIZE 0x0DF4 #define GL_TEXTURE_WIDTH 0x1000 #define GL_TRANSFORM_BIT 0x00001000 #define GL_TEXTURE_HEIGHT 0x1001 #define GL_TEXTURE_INTERNAL_FORMAT 0x1003 #define GL_TEXTURE_BORDER_COLOR 0x1004 #define GL_TEXTURE_BORDER 0x1005 #define GL_DONT_CARE 0x1100 #define GL_FASTEST 0x1101 #define GL_NICEST 0x1102 #define GL_AMBIENT 0x1200 #define GL_DIFFUSE 0x1201 #define GL_SPECULAR 0x1202 #define GL_POSITION 0x1203 #define GL_SPOT_DIRECTION 0x1204 #define GL_SPOT_EXPONENT 0x1205 #define GL_SPOT_CUTOFF 0x1206 #define GL_CONSTANT_ATTENUATION 0x1207 #define GL_LINEAR_ATTENUATION 0x1208 #define GL_QUADRATIC_ATTENUATION 0x1209 #define GL_COMPILE 0x1300 #define GL_COMPILE_AND_EXECUTE 0x1301 #define GL_BYTE 0x1400 #define GL_UNSIGNED_BYTE 0x1401 #define GL_SHORT 0x1402 #define GL_UNSIGNED_SHORT 0x1403 #define GL_INT 0x1404 #define GL_UNSIGNED_INT 0x1405 #define GL_FLOAT 0x1406 #define GL_2_BYTES 0x1407 #define GL_3_BYTES 0x1408 #define GL_4_BYTES 0x1409 #define GL_DOUBLE 0x140A #define GL_CLEAR 0x1500 #define GL_AND 0x1501 #define GL_AND_REVERSE 0x1502 #define GL_COPY 0x1503 #define GL_AND_INVERTED 0x1504 #define GL_NOOP 0x1505 #define GL_XOR 0x1506 #define GL_OR 0x1507 #define GL_NOR 0x1508 #define GL_EQUIV 0x1509 #define GL_INVERT 0x150A #define GL_OR_REVERSE 0x150B #define GL_COPY_INVERTED 0x150C #define GL_OR_INVERTED 0x150D #define GL_NAND 0x150E #define GL_SET 0x150F #define GL_EMISSION 0x1600 #define GL_SHININESS 0x1601 #define GL_AMBIENT_AND_DIFFUSE 0x1602 #define GL_COLOR_INDEXES 0x1603 #define GL_MODELVIEW 0x1700 #define GL_PROJECTION 0x1701 #define GL_TEXTURE 0x1702 #define GL_COLOR 0x1800 #define GL_DEPTH 0x1801 #define GL_STENCIL 0x1802 #define GL_COLOR_INDEX 0x1900 #define GL_STENCIL_INDEX 0x1901 #define GL_DEPTH_COMPONENT 0x1902 #define GL_RED 0x1903 #define GL_GREEN 0x1904 #define GL_BLUE 0x1905 #define GL_ALPHA 0x1906 #define GL_RGB 0x1907 #define GL_RGBA 0x1908 #define GL_LUMINANCE 0x1909 #define GL_LUMINANCE_ALPHA 0x190A #define GL_BITMAP 0x1A00 #define GL_POINT 0x1B00 #define GL_LINE 0x1B01 #define GL_FILL 0x1B02 #define GL_RENDER 0x1C00 #define GL_FEEDBACK 0x1C01 #define GL_SELECT 0x1C02 #define GL_FLAT 0x1D00 #define GL_SMOOTH 0x1D01 #define GL_KEEP 0x1E00 #define GL_REPLACE 0x1E01 #define GL_INCR 0x1E02 #define GL_DECR 0x1E03 #define GL_VENDOR 0x1F00 #define GL_RENDERER 0x1F01 #define GL_VERSION 0x1F02 #define GL_EXTENSIONS 0x1F03 #define GL_S 0x2000 #define GL_ENABLE_BIT 0x00002000 #define GL_T 0x2001 #define GL_R 0x2002 #define GL_Q 0x2003 #define GL_MODULATE 0x2100 #define GL_DECAL 0x2101 #define GL_TEXTURE_ENV_MODE 0x2200 #define GL_TEXTURE_ENV_COLOR 0x2201 #define GL_TEXTURE_ENV 0x2300 #define GL_EYE_LINEAR 0x2400 #define GL_OBJECT_LINEAR 0x2401 #define GL_SPHERE_MAP 0x2402 #define GL_TEXTURE_GEN_MODE 0x2500 #define GL_OBJECT_PLANE 0x2501 #define GL_EYE_PLANE 0x2502 #define GL_NEAREST 0x2600 #define GL_LINEAR 0x2601 #define GL_NEAREST_MIPMAP_NEAREST 0x2700 #define GL_LINEAR_MIPMAP_NEAREST 0x2701 #define GL_NEAREST_MIPMAP_LINEAR 0x2702 #define GL_LINEAR_MIPMAP_LINEAR 0x2703 #define GL_TEXTURE_MAG_FILTER 0x2800 #define GL_TEXTURE_MIN_FILTER 0x2801 #define GL_TEXTURE_WRAP_S 0x2802 #define GL_TEXTURE_WRAP_T 0x2803 #define GL_CLAMP 0x2900 #define GL_REPEAT 0x2901 #define GL_POLYGON_OFFSET_UNITS 0x2A00 #define GL_POLYGON_OFFSET_POINT 0x2A01 #define GL_POLYGON_OFFSET_LINE 0x2A02 #define GL_R3_G3_B2 0x2A10 #define GL_V2F 0x2A20 #define GL_V3F 0x2A21 #define GL_C4UB_V2F 0x2A22 #define GL_C4UB_V3F 0x2A23 #define GL_C3F_V3F 0x2A24 #define GL_N3F_V3F 0x2A25 #define GL_C4F_N3F_V3F 0x2A26 #define GL_T2F_V3F 0x2A27 #define GL_T4F_V4F 0x2A28 #define GL_T2F_C4UB_V3F 0x2A29 #define GL_T2F_C3F_V3F 0x2A2A #define GL_T2F_N3F_V3F 0x2A2B #define GL_T2F_C4F_N3F_V3F 0x2A2C #define GL_T4F_C4F_N3F_V4F 0x2A2D #define GL_CLIP_PLANE0 0x3000 #define GL_CLIP_PLANE1 0x3001 #define GL_CLIP_PLANE2 0x3002 #define GL_CLIP_PLANE3 0x3003 #define GL_CLIP_PLANE4 0x3004 #define GL_CLIP_PLANE5 0x3005 #define GL_LIGHT0 0x4000 #define GL_COLOR_BUFFER_BIT 0x00004000 #define GL_LIGHT1 0x4001 #define GL_LIGHT2 0x4002 #define GL_LIGHT3 0x4003 #define GL_LIGHT4 0x4004 #define GL_LIGHT5 0x4005 #define GL_LIGHT6 0x4006 #define GL_LIGHT7 0x4007 #define GL_HINT_BIT 0x00008000 #define GL_POLYGON_OFFSET_FILL 0x8037 #define GL_POLYGON_OFFSET_FACTOR 0x8038 #define GL_ALPHA4 0x803B #define GL_ALPHA8 0x803C #define GL_ALPHA12 0x803D #define GL_ALPHA16 0x803E #define GL_LUMINANCE4 0x803F #define GL_LUMINANCE8 0x8040 #define GL_LUMINANCE12 0x8041 #define GL_LUMINANCE16 0x8042 #define GL_LUMINANCE4_ALPHA4 0x8043 #define GL_LUMINANCE6_ALPHA2 0x8044 #define GL_LUMINANCE8_ALPHA8 0x8045 #define GL_LUMINANCE12_ALPHA4 0x8046 #define GL_LUMINANCE12_ALPHA12 0x8047 #define GL_LUMINANCE16_ALPHA16 0x8048 #define GL_INTENSITY 0x8049 #define GL_INTENSITY4 0x804A #define GL_INTENSITY8 0x804B #define GL_INTENSITY12 0x804C #define GL_INTENSITY16 0x804D #define GL_RGB4 0x804F #define GL_RGB5 0x8050 #define GL_RGB8 0x8051 #define GL_RGB10 0x8052 #define GL_RGB12 0x8053 #define GL_RGB16 0x8054 #define GL_RGBA2 0x8055 #define GL_RGBA4 0x8056 #define GL_RGB5_A1 0x8057 #define GL_RGBA8 0x8058 #define GL_RGB10_A2 0x8059 #define GL_RGBA12 0x805A #define GL_RGBA16 0x805B #define GL_TEXTURE_RED_SIZE 0x805C #define GL_TEXTURE_GREEN_SIZE 0x805D #define GL_TEXTURE_BLUE_SIZE 0x805E #define GL_TEXTURE_ALPHA_SIZE 0x805F #define GL_TEXTURE_LUMINANCE_SIZE 0x8060 #define GL_TEXTURE_INTENSITY_SIZE 0x8061 #define GL_PROXY_TEXTURE_1D 0x8063 #define GL_PROXY_TEXTURE_2D 0x8064 #define GL_TEXTURE_PRIORITY 0x8066 #define GL_TEXTURE_RESIDENT 0x8067 #define GL_TEXTURE_BINDING_1D 0x8068 #define GL_TEXTURE_BINDING_2D 0x8069 #define GL_VERTEX_ARRAY 0x8074 #define GL_NORMAL_ARRAY 0x8075 #define GL_COLOR_ARRAY 0x8076 #define GL_INDEX_ARRAY 0x8077 #define GL_TEXTURE_COORD_ARRAY 0x8078 #define GL_EDGE_FLAG_ARRAY 0x8079 #define GL_VERTEX_ARRAY_SIZE 0x807A #define GL_VERTEX_ARRAY_TYPE 0x807B #define GL_VERTEX_ARRAY_STRIDE 0x807C #define GL_NORMAL_ARRAY_TYPE 0x807E #define GL_NORMAL_ARRAY_STRIDE 0x807F #define GL_COLOR_ARRAY_SIZE 0x8081 #define GL_COLOR_ARRAY_TYPE 0x8082 #define GL_COLOR_ARRAY_STRIDE 0x8083 #define GL_INDEX_ARRAY_TYPE 0x8085 #define GL_INDEX_ARRAY_STRIDE 0x8086 #define GL_TEXTURE_COORD_ARRAY_SIZE 0x8088 #define GL_TEXTURE_COORD_ARRAY_TYPE 0x8089 #define GL_TEXTURE_COORD_ARRAY_STRIDE 0x808A #define GL_EDGE_FLAG_ARRAY_STRIDE 0x808C #define GL_VERTEX_ARRAY_POINTER 0x808E #define GL_NORMAL_ARRAY_POINTER 0x808F #define GL_COLOR_ARRAY_POINTER 0x8090 #define GL_INDEX_ARRAY_POINTER 0x8091 #define GL_TEXTURE_COORD_ARRAY_POINTER 0x8092 #define GL_EDGE_FLAG_ARRAY_POINTER 0x8093 #define GL_COLOR_INDEX1_EXT 0x80E2 #define GL_COLOR_INDEX2_EXT 0x80E3 #define GL_COLOR_INDEX4_EXT 0x80E4 #define GL_COLOR_INDEX8_EXT 0x80E5 #define GL_COLOR_INDEX12_EXT 0x80E6 #define GL_COLOR_INDEX16_EXT 0x80E7 #define GL_EVAL_BIT 0x00010000 #define GL_LIST_BIT 0x00020000 #define GL_TEXTURE_BIT 0x00040000 #define GL_SCISSOR_BIT 0x00080000 #define GL_ALL_ATTRIB_BITS 0x000fffff #define GL_CLIENT_ALL_ATTRIB_BITS 0xffffffff GLAPI void GLAPIENTRY glAccum (GLenum op, GLfloat value); GLAPI void GLAPIENTRY glAlphaFunc (GLenum func, GLclampf ref); GLAPI GLboolean GLAPIENTRY glAreTexturesResident (GLsizei n, const GLuint *textures, GLboolean *residences); GLAPI void GLAPIENTRY glArrayElement (GLint i); GLAPI void GLAPIENTRY glBegin (GLenum mode); GLAPI void GLAPIENTRY glBindTexture (GLenum target, GLuint texture); GLAPI void GLAPIENTRY glBitmap (GLsizei width, GLsizei height, GLfloat xorig, GLfloat yorig, GLfloat xmove, GLfloat ymove, const GLubyte *bitmap); GLAPI void GLAPIENTRY glBlendFunc (GLenum sfactor, GLenum dfactor); GLAPI void GLAPIENTRY glCallList (GLuint list); GLAPI void GLAPIENTRY glCallLists (GLsizei n, GLenum type, const void *lists); GLAPI void GLAPIENTRY glClear (GLbitfield mask); GLAPI void GLAPIENTRY glClearAccum (GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha); GLAPI void GLAPIENTRY glClearColor (GLclampf red, GLclampf green, GLclampf blue, GLclampf alpha); GLAPI void GLAPIENTRY glClearDepth (GLclampd depth); GLAPI void GLAPIENTRY glClearIndex (GLfloat c); GLAPI void GLAPIENTRY glClearStencil (GLint s); GLAPI void GLAPIENTRY glClipPlane (GLenum plane, const GLdouble *equation); GLAPI void GLAPIENTRY glColor3b (GLbyte red, GLbyte green, GLbyte blue); GLAPI void GLAPIENTRY glColor3bv (const GLbyte *v); GLAPI void GLAPIENTRY glColor3d (GLdouble red, GLdouble green, GLdouble blue); GLAPI void GLAPIENTRY glColor3dv (const GLdouble *v); GLAPI void GLAPIENTRY glColor3f (GLfloat red, GLfloat green, GLfloat blue); GLAPI void GLAPIENTRY glColor3fv (const GLfloat *v); GLAPI void GLAPIENTRY glColor3i (GLint red, GLint green, GLint blue); GLAPI void GLAPIENTRY glColor3iv (const GLint *v); GLAPI void GLAPIENTRY glColor3s (GLshort red, GLshort green, GLshort blue); GLAPI void GLAPIENTRY glColor3sv (const GLshort *v); GLAPI void GLAPIENTRY glColor3ub (GLubyte red, GLubyte green, GLubyte blue); GLAPI void GLAPIENTRY glColor3ubv (const GLubyte *v); GLAPI void GLAPIENTRY glColor3ui (GLuint red, GLuint green, GLuint blue); GLAPI void GLAPIENTRY glColor3uiv (const GLuint *v); GLAPI void GLAPIENTRY glColor3us (GLushort red, GLushort green, GLushort blue); GLAPI void GLAPIENTRY glColor3usv (const GLushort *v); GLAPI void GLAPIENTRY glColor4b (GLbyte red, GLbyte green, GLbyte blue, GLbyte alpha); GLAPI void GLAPIENTRY glColor4bv (const GLbyte *v); GLAPI void GLAPIENTRY glColor4d (GLdouble red, GLdouble green, GLdouble blue, GLdouble alpha); GLAPI void GLAPIENTRY glColor4dv (const GLdouble *v); GLAPI void GLAPIENTRY glColor4f (GLfloat red, GLfloat green, GLfloat blue, GLfloat alpha); GLAPI void GLAPIENTRY glColor4fv (const GLfloat *v); GLAPI void GLAPIENTRY glColor4i (GLint red, GLint green, GLint blue, GLint alpha); GLAPI void GLAPIENTRY glColor4iv (const GLint *v); GLAPI void GLAPIENTRY glColor4s (GLshort red, GLshort green, GLshort blue, GLshort alpha); GLAPI void GLAPIENTRY glColor4sv (const GLshort *v); GLAPI void GLAPIENTRY glColor4ub (GLubyte red, GLubyte green, GLubyte blue, GLubyte alpha); GLAPI void GLAPIENTRY glColor4ubv (const GLubyte *v); GLAPI void GLAPIENTRY glColor4ui (GLuint red, GLuint green, GLuint blue, GLuint alpha); GLAPI void GLAPIENTRY glColor4uiv (const GLuint *v); GLAPI void GLAPIENTRY glColor4us (GLushort red, GLushort green, GLushort blue, GLushort alpha); GLAPI void GLAPIENTRY glColor4usv (const GLushort *v); GLAPI void GLAPIENTRY glColorMask (GLboolean red, GLboolean green, GLboolean blue, GLboolean alpha); GLAPI void GLAPIENTRY glColorMaterial (GLenum face, GLenum mode); GLAPI void GLAPIENTRY glColorPointer (GLint size, GLenum type, GLsizei stride, const void *pointer); GLAPI void GLAPIENTRY glCopyPixels (GLint x, GLint y, GLsizei width, GLsizei height, GLenum type); GLAPI void GLAPIENTRY glCopyTexImage1D (GLenum target, GLint level, GLenum internalFormat, GLint x, GLint y, GLsizei width, GLint border); GLAPI void GLAPIENTRY glCopyTexImage2D (GLenum target, GLint level, GLenum internalFormat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border); GLAPI void GLAPIENTRY glCopyTexSubImage1D (GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width); GLAPI void GLAPIENTRY glCopyTexSubImage2D (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height); GLAPI void GLAPIENTRY glCullFace (GLenum mode); GLAPI void GLAPIENTRY glDeleteLists (GLuint list, GLsizei range); GLAPI void GLAPIENTRY glDeleteTextures (GLsizei n, const GLuint *textures); GLAPI void GLAPIENTRY glDepthFunc (GLenum func); GLAPI void GLAPIENTRY glDepthMask (GLboolean flag); GLAPI void GLAPIENTRY glDepthRange (GLclampd zNear, GLclampd zFar); GLAPI void GLAPIENTRY glDisable (GLenum cap); GLAPI void GLAPIENTRY glDisableClientState (GLenum array); GLAPI void GLAPIENTRY glDrawArrays (GLenum mode, GLint first, GLsizei count); GLAPI void GLAPIENTRY glDrawBuffer (GLenum mode); GLAPI void GLAPIENTRY glDrawElements (GLenum mode, GLsizei count, GLenum type, const void *indices); GLAPI void GLAPIENTRY glDrawPixels (GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); GLAPI void GLAPIENTRY glEdgeFlag (GLboolean flag); GLAPI void GLAPIENTRY glEdgeFlagPointer (GLsizei stride, const void *pointer); GLAPI void GLAPIENTRY glEdgeFlagv (const GLboolean *flag); GLAPI void GLAPIENTRY glEnable (GLenum cap); GLAPI void GLAPIENTRY glEnableClientState (GLenum array); GLAPI void GLAPIENTRY glEnd (void); GLAPI void GLAPIENTRY glEndList (void); GLAPI void GLAPIENTRY glEvalCoord1d (GLdouble u); GLAPI void GLAPIENTRY glEvalCoord1dv (const GLdouble *u); GLAPI void GLAPIENTRY glEvalCoord1f (GLfloat u); GLAPI void GLAPIENTRY glEvalCoord1fv (const GLfloat *u); GLAPI void GLAPIENTRY glEvalCoord2d (GLdouble u, GLdouble v); GLAPI void GLAPIENTRY glEvalCoord2dv (const GLdouble *u); GLAPI void GLAPIENTRY glEvalCoord2f (GLfloat u, GLfloat v); GLAPI void GLAPIENTRY glEvalCoord2fv (const GLfloat *u); GLAPI void GLAPIENTRY glEvalMesh1 (GLenum mode, GLint i1, GLint i2); GLAPI void GLAPIENTRY glEvalMesh2 (GLenum mode, GLint i1, GLint i2, GLint j1, GLint j2); GLAPI void GLAPIENTRY glEvalPoint1 (GLint i); GLAPI void GLAPIENTRY glEvalPoint2 (GLint i, GLint j); GLAPI void GLAPIENTRY glFeedbackBuffer (GLsizei size, GLenum type, GLfloat *buffer); GLAPI void GLAPIENTRY glFinish (void); GLAPI void GLAPIENTRY glFlush (void); GLAPI void GLAPIENTRY glFogf (GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glFogfv (GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glFogi (GLenum pname, GLint param); GLAPI void GLAPIENTRY glFogiv (GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glFrontFace (GLenum mode); GLAPI void GLAPIENTRY glFrustum (GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar); GLAPI GLuint GLAPIENTRY glGenLists (GLsizei range); GLAPI void GLAPIENTRY glGenTextures (GLsizei n, GLuint *textures); GLAPI void GLAPIENTRY glGetBooleanv (GLenum pname, GLboolean *params); GLAPI void GLAPIENTRY glGetClipPlane (GLenum plane, GLdouble *equation); GLAPI void GLAPIENTRY glGetDoublev (GLenum pname, GLdouble *params); GLAPI GLenum GLAPIENTRY glGetError (void); GLAPI void GLAPIENTRY glGetFloatv (GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetIntegerv (GLenum pname, GLint *params); GLAPI void GLAPIENTRY glGetLightfv (GLenum light, GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetLightiv (GLenum light, GLenum pname, GLint *params); GLAPI void GLAPIENTRY glGetMapdv (GLenum target, GLenum query, GLdouble *v); GLAPI void GLAPIENTRY glGetMapfv (GLenum target, GLenum query, GLfloat *v); GLAPI void GLAPIENTRY glGetMapiv (GLenum target, GLenum query, GLint *v); GLAPI void GLAPIENTRY glGetMaterialfv (GLenum face, GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetMaterialiv (GLenum face, GLenum pname, GLint *params); GLAPI void GLAPIENTRY glGetPixelMapfv (GLenum map, GLfloat *values); GLAPI void GLAPIENTRY glGetPixelMapuiv (GLenum map, GLuint *values); GLAPI void GLAPIENTRY glGetPixelMapusv (GLenum map, GLushort *values); GLAPI void GLAPIENTRY glGetPointerv (GLenum pname, void* *params); GLAPI void GLAPIENTRY glGetPolygonStipple (GLubyte *mask); GLAPI const GLubyte * GLAPIENTRY glGetString (GLenum name); GLAPI void GLAPIENTRY glGetTexEnvfv (GLenum target, GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetTexEnviv (GLenum target, GLenum pname, GLint *params); GLAPI void GLAPIENTRY glGetTexGendv (GLenum coord, GLenum pname, GLdouble *params); GLAPI void GLAPIENTRY glGetTexGenfv (GLenum coord, GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetTexGeniv (GLenum coord, GLenum pname, GLint *params); GLAPI void GLAPIENTRY glGetTexImage (GLenum target, GLint level, GLenum format, GLenum type, void *pixels); GLAPI void GLAPIENTRY glGetTexLevelParameterfv (GLenum target, GLint level, GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetTexLevelParameteriv (GLenum target, GLint level, GLenum pname, GLint *params); GLAPI void GLAPIENTRY glGetTexParameterfv (GLenum target, GLenum pname, GLfloat *params); GLAPI void GLAPIENTRY glGetTexParameteriv (GLenum target, GLenum pname, GLint *params); GLAPI void GLAPIENTRY glHint (GLenum target, GLenum mode); GLAPI void GLAPIENTRY glIndexMask (GLuint mask); GLAPI void GLAPIENTRY glIndexPointer (GLenum type, GLsizei stride, const void *pointer); GLAPI void GLAPIENTRY glIndexd (GLdouble c); GLAPI void GLAPIENTRY glIndexdv (const GLdouble *c); GLAPI void GLAPIENTRY glIndexf (GLfloat c); GLAPI void GLAPIENTRY glIndexfv (const GLfloat *c); GLAPI void GLAPIENTRY glIndexi (GLint c); GLAPI void GLAPIENTRY glIndexiv (const GLint *c); GLAPI void GLAPIENTRY glIndexs (GLshort c); GLAPI void GLAPIENTRY glIndexsv (const GLshort *c); GLAPI void GLAPIENTRY glIndexub (GLubyte c); GLAPI void GLAPIENTRY glIndexubv (const GLubyte *c); GLAPI void GLAPIENTRY glInitNames (void); GLAPI void GLAPIENTRY glInterleavedArrays (GLenum format, GLsizei stride, const void *pointer); GLAPI GLboolean GLAPIENTRY glIsEnabled (GLenum cap); GLAPI GLboolean GLAPIENTRY glIsList (GLuint list); GLAPI GLboolean GLAPIENTRY glIsTexture (GLuint texture); GLAPI void GLAPIENTRY glLightModelf (GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glLightModelfv (GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glLightModeli (GLenum pname, GLint param); GLAPI void GLAPIENTRY glLightModeliv (GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glLightf (GLenum light, GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glLightfv (GLenum light, GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glLighti (GLenum light, GLenum pname, GLint param); GLAPI void GLAPIENTRY glLightiv (GLenum light, GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glLineStipple (GLint factor, GLushort pattern); GLAPI void GLAPIENTRY glLineWidth (GLfloat width); GLAPI void GLAPIENTRY glListBase (GLuint base); GLAPI void GLAPIENTRY glLoadIdentity (void); GLAPI void GLAPIENTRY glLoadMatrixd (const GLdouble *m); GLAPI void GLAPIENTRY glLoadMatrixf (const GLfloat *m); GLAPI void GLAPIENTRY glLoadName (GLuint name); GLAPI void GLAPIENTRY glLogicOp (GLenum opcode); GLAPI void GLAPIENTRY glMap1d (GLenum target, GLdouble u1, GLdouble u2, GLint stride, GLint order, const GLdouble *points); GLAPI void GLAPIENTRY glMap1f (GLenum target, GLfloat u1, GLfloat u2, GLint stride, GLint order, const GLfloat *points); GLAPI void GLAPIENTRY glMap2d (GLenum target, GLdouble u1, GLdouble u2, GLint ustride, GLint uorder, GLdouble v1, GLdouble v2, GLint vstride, GLint vorder, const GLdouble *points); GLAPI void GLAPIENTRY glMap2f (GLenum target, GLfloat u1, GLfloat u2, GLint ustride, GLint uorder, GLfloat v1, GLfloat v2, GLint vstride, GLint vorder, const GLfloat *points); GLAPI void GLAPIENTRY glMapGrid1d (GLint un, GLdouble u1, GLdouble u2); GLAPI void GLAPIENTRY glMapGrid1f (GLint un, GLfloat u1, GLfloat u2); GLAPI void GLAPIENTRY glMapGrid2d (GLint un, GLdouble u1, GLdouble u2, GLint vn, GLdouble v1, GLdouble v2); GLAPI void GLAPIENTRY glMapGrid2f (GLint un, GLfloat u1, GLfloat u2, GLint vn, GLfloat v1, GLfloat v2); GLAPI void GLAPIENTRY glMaterialf (GLenum face, GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glMaterialfv (GLenum face, GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glMateriali (GLenum face, GLenum pname, GLint param); GLAPI void GLAPIENTRY glMaterialiv (GLenum face, GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glMatrixMode (GLenum mode); GLAPI void GLAPIENTRY glMultMatrixd (const GLdouble *m); GLAPI void GLAPIENTRY glMultMatrixf (const GLfloat *m); GLAPI void GLAPIENTRY glNewList (GLuint list, GLenum mode); GLAPI void GLAPIENTRY glNormal3b (GLbyte nx, GLbyte ny, GLbyte nz); GLAPI void GLAPIENTRY glNormal3bv (const GLbyte *v); GLAPI void GLAPIENTRY glNormal3d (GLdouble nx, GLdouble ny, GLdouble nz); GLAPI void GLAPIENTRY glNormal3dv (const GLdouble *v); GLAPI void GLAPIENTRY glNormal3f (GLfloat nx, GLfloat ny, GLfloat nz); GLAPI void GLAPIENTRY glNormal3fv (const GLfloat *v); GLAPI void GLAPIENTRY glNormal3i (GLint nx, GLint ny, GLint nz); GLAPI void GLAPIENTRY glNormal3iv (const GLint *v); GLAPI void GLAPIENTRY glNormal3s (GLshort nx, GLshort ny, GLshort nz); GLAPI void GLAPIENTRY glNormal3sv (const GLshort *v); GLAPI void GLAPIENTRY glNormalPointer (GLenum type, GLsizei stride, const void *pointer); GLAPI void GLAPIENTRY glOrtho (GLdouble left, GLdouble right, GLdouble bottom, GLdouble top, GLdouble zNear, GLdouble zFar); GLAPI void GLAPIENTRY glPassThrough (GLfloat token); GLAPI void GLAPIENTRY glPixelMapfv (GLenum map, GLsizei mapsize, const GLfloat *values); GLAPI void GLAPIENTRY glPixelMapuiv (GLenum map, GLsizei mapsize, const GLuint *values); GLAPI void GLAPIENTRY glPixelMapusv (GLenum map, GLsizei mapsize, const GLushort *values); GLAPI void GLAPIENTRY glPixelStoref (GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glPixelStorei (GLenum pname, GLint param); GLAPI void GLAPIENTRY glPixelTransferf (GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glPixelTransferi (GLenum pname, GLint param); GLAPI void GLAPIENTRY glPixelZoom (GLfloat xfactor, GLfloat yfactor); GLAPI void GLAPIENTRY glPointSize (GLfloat size); GLAPI void GLAPIENTRY glPolygonMode (GLenum face, GLenum mode); GLAPI void GLAPIENTRY glPolygonOffset (GLfloat factor, GLfloat units); GLAPI void GLAPIENTRY glPolygonStipple (const GLubyte *mask); GLAPI void GLAPIENTRY glPopAttrib (void); GLAPI void GLAPIENTRY glPopClientAttrib (void); GLAPI void GLAPIENTRY glPopMatrix (void); GLAPI void GLAPIENTRY glPopName (void); GLAPI void GLAPIENTRY glPrioritizeTextures (GLsizei n, const GLuint *textures, const GLclampf *priorities); GLAPI void GLAPIENTRY glPushAttrib (GLbitfield mask); GLAPI void GLAPIENTRY glPushClientAttrib (GLbitfield mask); GLAPI void GLAPIENTRY glPushMatrix (void); GLAPI void GLAPIENTRY glPushName (GLuint name); GLAPI void GLAPIENTRY glRasterPos2d (GLdouble x, GLdouble y); GLAPI void GLAPIENTRY glRasterPos2dv (const GLdouble *v); GLAPI void GLAPIENTRY glRasterPos2f (GLfloat x, GLfloat y); GLAPI void GLAPIENTRY glRasterPos2fv (const GLfloat *v); GLAPI void GLAPIENTRY glRasterPos2i (GLint x, GLint y); GLAPI void GLAPIENTRY glRasterPos2iv (const GLint *v); GLAPI void GLAPIENTRY glRasterPos2s (GLshort x, GLshort y); GLAPI void GLAPIENTRY glRasterPos2sv (const GLshort *v); GLAPI void GLAPIENTRY glRasterPos3d (GLdouble x, GLdouble y, GLdouble z); GLAPI void GLAPIENTRY glRasterPos3dv (const GLdouble *v); GLAPI void GLAPIENTRY glRasterPos3f (GLfloat x, GLfloat y, GLfloat z); GLAPI void GLAPIENTRY glRasterPos3fv (const GLfloat *v); GLAPI void GLAPIENTRY glRasterPos3i (GLint x, GLint y, GLint z); GLAPI void GLAPIENTRY glRasterPos3iv (const GLint *v); GLAPI void GLAPIENTRY glRasterPos3s (GLshort x, GLshort y, GLshort z); GLAPI void GLAPIENTRY glRasterPos3sv (const GLshort *v); GLAPI void GLAPIENTRY glRasterPos4d (GLdouble x, GLdouble y, GLdouble z, GLdouble w); GLAPI void GLAPIENTRY glRasterPos4dv (const GLdouble *v); GLAPI void GLAPIENTRY glRasterPos4f (GLfloat x, GLfloat y, GLfloat z, GLfloat w); GLAPI void GLAPIENTRY glRasterPos4fv (const GLfloat *v); GLAPI void GLAPIENTRY glRasterPos4i (GLint x, GLint y, GLint z, GLint w); GLAPI void GLAPIENTRY glRasterPos4iv (const GLint *v); GLAPI void GLAPIENTRY glRasterPos4s (GLshort x, GLshort y, GLshort z, GLshort w); GLAPI void GLAPIENTRY glRasterPos4sv (const GLshort *v); GLAPI void GLAPIENTRY glReadBuffer (GLenum mode); GLAPI void GLAPIENTRY glReadPixels (GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, void *pixels); GLAPI void GLAPIENTRY glRectd (GLdouble x1, GLdouble y1, GLdouble x2, GLdouble y2); GLAPI void GLAPIENTRY glRectdv (const GLdouble *v1, const GLdouble *v2); GLAPI void GLAPIENTRY glRectf (GLfloat x1, GLfloat y1, GLfloat x2, GLfloat y2); GLAPI void GLAPIENTRY glRectfv (const GLfloat *v1, const GLfloat *v2); GLAPI void GLAPIENTRY glRecti (GLint x1, GLint y1, GLint x2, GLint y2); GLAPI void GLAPIENTRY glRectiv (const GLint *v1, const GLint *v2); GLAPI void GLAPIENTRY glRects (GLshort x1, GLshort y1, GLshort x2, GLshort y2); GLAPI void GLAPIENTRY glRectsv (const GLshort *v1, const GLshort *v2); GLAPI GLint GLAPIENTRY glRenderMode (GLenum mode); GLAPI void GLAPIENTRY glRotated (GLdouble angle, GLdouble x, GLdouble y, GLdouble z); GLAPI void GLAPIENTRY glRotatef (GLfloat angle, GLfloat x, GLfloat y, GLfloat z); GLAPI void GLAPIENTRY glScaled (GLdouble x, GLdouble y, GLdouble z); GLAPI void GLAPIENTRY glScalef (GLfloat x, GLfloat y, GLfloat z); GLAPI void GLAPIENTRY glScissor (GLint x, GLint y, GLsizei width, GLsizei height); GLAPI void GLAPIENTRY glSelectBuffer (GLsizei size, GLuint *buffer); GLAPI void GLAPIENTRY glShadeModel (GLenum mode); GLAPI void GLAPIENTRY glStencilFunc (GLenum func, GLint ref, GLuint mask); GLAPI void GLAPIENTRY glStencilMask (GLuint mask); GLAPI void GLAPIENTRY glStencilOp (GLenum fail, GLenum zfail, GLenum zpass); GLAPI void GLAPIENTRY glTexCoord1d (GLdouble s); GLAPI void GLAPIENTRY glTexCoord1dv (const GLdouble *v); GLAPI void GLAPIENTRY glTexCoord1f (GLfloat s); GLAPI void GLAPIENTRY glTexCoord1fv (const GLfloat *v); GLAPI void GLAPIENTRY glTexCoord1i (GLint s); GLAPI void GLAPIENTRY glTexCoord1iv (const GLint *v); GLAPI void GLAPIENTRY glTexCoord1s (GLshort s); GLAPI void GLAPIENTRY glTexCoord1sv (const GLshort *v); GLAPI void GLAPIENTRY glTexCoord2d (GLdouble s, GLdouble t); GLAPI void GLAPIENTRY glTexCoord2dv (const GLdouble *v); GLAPI void GLAPIENTRY glTexCoord2f (GLfloat s, GLfloat t); GLAPI void GLAPIENTRY glTexCoord2fv (const GLfloat *v); GLAPI void GLAPIENTRY glTexCoord2i (GLint s, GLint t); GLAPI void GLAPIENTRY glTexCoord2iv (const GLint *v); GLAPI void GLAPIENTRY glTexCoord2s (GLshort s, GLshort t); GLAPI void GLAPIENTRY glTexCoord2sv (const GLshort *v); GLAPI void GLAPIENTRY glTexCoord3d (GLdouble s, GLdouble t, GLdouble r); GLAPI void GLAPIENTRY glTexCoord3dv (const GLdouble *v); GLAPI void GLAPIENTRY glTexCoord3f (GLfloat s, GLfloat t, GLfloat r); GLAPI void GLAPIENTRY glTexCoord3fv (const GLfloat *v); GLAPI void GLAPIENTRY glTexCoord3i (GLint s, GLint t, GLint r); GLAPI void GLAPIENTRY glTexCoord3iv (const GLint *v); GLAPI void GLAPIENTRY glTexCoord3s (GLshort s, GLshort t, GLshort r); GLAPI void GLAPIENTRY glTexCoord3sv (const GLshort *v); GLAPI void GLAPIENTRY glTexCoord4d (GLdouble s, GLdouble t, GLdouble r, GLdouble q); GLAPI void GLAPIENTRY glTexCoord4dv (const GLdouble *v); GLAPI void GLAPIENTRY glTexCoord4f (GLfloat s, GLfloat t, GLfloat r, GLfloat q); GLAPI void GLAPIENTRY glTexCoord4fv (const GLfloat *v); GLAPI void GLAPIENTRY glTexCoord4i (GLint s, GLint t, GLint r, GLint q); GLAPI void GLAPIENTRY glTexCoord4iv (const GLint *v); GLAPI void GLAPIENTRY glTexCoord4s (GLshort s, GLshort t, GLshort r, GLshort q); GLAPI void GLAPIENTRY glTexCoord4sv (const GLshort *v); GLAPI void GLAPIENTRY glTexCoordPointer (GLint size, GLenum type, GLsizei stride, const void *pointer); GLAPI void GLAPIENTRY glTexEnvf (GLenum target, GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glTexEnvfv (GLenum target, GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glTexEnvi (GLenum target, GLenum pname, GLint param); GLAPI void GLAPIENTRY glTexEnviv (GLenum target, GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glTexGend (GLenum coord, GLenum pname, GLdouble param); GLAPI void GLAPIENTRY glTexGendv (GLenum coord, GLenum pname, const GLdouble *params); GLAPI void GLAPIENTRY glTexGenf (GLenum coord, GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glTexGenfv (GLenum coord, GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glTexGeni (GLenum coord, GLenum pname, GLint param); GLAPI void GLAPIENTRY glTexGeniv (GLenum coord, GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glTexImage1D (GLenum target, GLint level, GLint internalformat, GLsizei width, GLint border, GLenum format, GLenum type, const void *pixels); GLAPI void GLAPIENTRY glTexImage2D (GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const void *pixels); GLAPI void GLAPIENTRY glTexParameterf (GLenum target, GLenum pname, GLfloat param); GLAPI void GLAPIENTRY glTexParameterfv (GLenum target, GLenum pname, const GLfloat *params); GLAPI void GLAPIENTRY glTexParameteri (GLenum target, GLenum pname, GLint param); GLAPI void GLAPIENTRY glTexParameteriv (GLenum target, GLenum pname, const GLint *params); GLAPI void GLAPIENTRY glTexSubImage1D (GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void *pixels); GLAPI void GLAPIENTRY glTexSubImage2D (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); GLAPI void GLAPIENTRY glTranslated (GLdouble x, GLdouble y, GLdouble z); GLAPI void GLAPIENTRY glTranslatef (GLfloat x, GLfloat y, GLfloat z); GLAPI void GLAPIENTRY glVertex2d (GLdouble x, GLdouble y); GLAPI void GLAPIENTRY glVertex2dv (const GLdouble *v); GLAPI void GLAPIENTRY glVertex2f (GLfloat x, GLfloat y); GLAPI void GLAPIENTRY glVertex2fv (const GLfloat *v); GLAPI void GLAPIENTRY glVertex2i (GLint x, GLint y); GLAPI void GLAPIENTRY glVertex2iv (const GLint *v); GLAPI void GLAPIENTRY glVertex2s (GLshort x, GLshort y); GLAPI void GLAPIENTRY glVertex2sv (const GLshort *v); GLAPI void GLAPIENTRY glVertex3d (GLdouble x, GLdouble y, GLdouble z); GLAPI void GLAPIENTRY glVertex3dv (const GLdouble *v); GLAPI void GLAPIENTRY glVertex3f (GLfloat x, GLfloat y, GLfloat z); GLAPI void GLAPIENTRY glVertex3fv (const GLfloat *v); GLAPI void GLAPIENTRY glVertex3i (GLint x, GLint y, GLint z); GLAPI void GLAPIENTRY glVertex3iv (const GLint *v); GLAPI void GLAPIENTRY glVertex3s (GLshort x, GLshort y, GLshort z); GLAPI void GLAPIENTRY glVertex3sv (const GLshort *v); GLAPI void GLAPIENTRY glVertex4d (GLdouble x, GLdouble y, GLdouble z, GLdouble w); GLAPI void GLAPIENTRY glVertex4dv (const GLdouble *v); GLAPI void GLAPIENTRY glVertex4f (GLfloat x, GLfloat y, GLfloat z, GLfloat w); GLAPI void GLAPIENTRY glVertex4fv (const GLfloat *v); GLAPI void GLAPIENTRY glVertex4i (GLint x, GLint y, GLint z, GLint w); GLAPI void GLAPIENTRY glVertex4iv (const GLint *v); GLAPI void GLAPIENTRY glVertex4s (GLshort x, GLshort y, GLshort z, GLshort w); GLAPI void GLAPIENTRY glVertex4sv (const GLshort *v); GLAPI void GLAPIENTRY glVertexPointer (GLint size, GLenum type, GLsizei stride, const void *pointer); GLAPI void GLAPIENTRY glViewport (GLint x, GLint y, GLsizei width, GLsizei height); #define GLEW_VERSION_1_1 GLEW_GET_VAR(__GLEW_VERSION_1_1) #endif /* GL_VERSION_1_1 */ /* ---------------------------------- GLU ---------------------------------- */ #ifndef GLEW_NO_GLU # ifdef __APPLE__ # include # if defined(__IPHONE_OS_VERSION_MIN_REQUIRED) # define GLEW_NO_GLU # endif # endif #endif #ifndef GLEW_NO_GLU /* this is where we can safely include GLU */ # if defined(__APPLE__) && defined(__MACH__) # include # else # include # endif #endif /* ----------------------------- GL_VERSION_1_2 ---------------------------- */ #ifndef GL_VERSION_1_2 #define GL_VERSION_1_2 1 #define GL_SMOOTH_POINT_SIZE_RANGE 0x0B12 #define GL_SMOOTH_POINT_SIZE_GRANULARITY 0x0B13 #define GL_SMOOTH_LINE_WIDTH_RANGE 0x0B22 #define GL_SMOOTH_LINE_WIDTH_GRANULARITY 0x0B23 #define GL_UNSIGNED_BYTE_3_3_2 0x8032 #define GL_UNSIGNED_SHORT_4_4_4_4 0x8033 #define GL_UNSIGNED_SHORT_5_5_5_1 0x8034 #define GL_UNSIGNED_INT_8_8_8_8 0x8035 #define GL_UNSIGNED_INT_10_10_10_2 0x8036 #define GL_RESCALE_NORMAL 0x803A #define GL_TEXTURE_BINDING_3D 0x806A #define GL_PACK_SKIP_IMAGES 0x806B #define GL_PACK_IMAGE_HEIGHT 0x806C #define GL_UNPACK_SKIP_IMAGES 0x806D #define GL_UNPACK_IMAGE_HEIGHT 0x806E #define GL_TEXTURE_3D 0x806F #define GL_PROXY_TEXTURE_3D 0x8070 #define GL_TEXTURE_DEPTH 0x8071 #define GL_TEXTURE_WRAP_R 0x8072 #define GL_MAX_3D_TEXTURE_SIZE 0x8073 #define GL_BGR 0x80E0 #define GL_BGRA 0x80E1 #define GL_MAX_ELEMENTS_VERTICES 0x80E8 #define GL_MAX_ELEMENTS_INDICES 0x80E9 #define GL_CLAMP_TO_EDGE 0x812F #define GL_TEXTURE_MIN_LOD 0x813A #define GL_TEXTURE_MAX_LOD 0x813B #define GL_TEXTURE_BASE_LEVEL 0x813C #define GL_TEXTURE_MAX_LEVEL 0x813D #define GL_LIGHT_MODEL_COLOR_CONTROL 0x81F8 #define GL_SINGLE_COLOR 0x81F9 #define GL_SEPARATE_SPECULAR_COLOR 0x81FA #define GL_UNSIGNED_BYTE_2_3_3_REV 0x8362 #define GL_UNSIGNED_SHORT_5_6_5 0x8363 #define GL_UNSIGNED_SHORT_5_6_5_REV 0x8364 #define GL_UNSIGNED_SHORT_4_4_4_4_REV 0x8365 #define GL_UNSIGNED_SHORT_1_5_5_5_REV 0x8366 #define GL_UNSIGNED_INT_8_8_8_8_REV 0x8367 #define GL_ALIASED_POINT_SIZE_RANGE 0x846D #define GL_ALIASED_LINE_WIDTH_RANGE 0x846E typedef void (GLAPIENTRY * PFNGLCOPYTEXSUBIMAGE3DPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLDRAWRANGEELEMENTSPROC) (GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const void *indices); typedef void (GLAPIENTRY * PFNGLTEXIMAGE3DPROC) (GLenum target, GLint level, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXSUBIMAGE3DPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *pixels); #define glCopyTexSubImage3D GLEW_GET_FUN(__glewCopyTexSubImage3D) #define glDrawRangeElements GLEW_GET_FUN(__glewDrawRangeElements) #define glTexImage3D GLEW_GET_FUN(__glewTexImage3D) #define glTexSubImage3D GLEW_GET_FUN(__glewTexSubImage3D) #define GLEW_VERSION_1_2 GLEW_GET_VAR(__GLEW_VERSION_1_2) #endif /* GL_VERSION_1_2 */ /* ---------------------------- GL_VERSION_1_2_1 --------------------------- */ #ifndef GL_VERSION_1_2_1 #define GL_VERSION_1_2_1 1 #define GLEW_VERSION_1_2_1 GLEW_GET_VAR(__GLEW_VERSION_1_2_1) #endif /* GL_VERSION_1_2_1 */ /* ----------------------------- GL_VERSION_1_3 ---------------------------- */ #ifndef GL_VERSION_1_3 #define GL_VERSION_1_3 1 #define GL_MULTISAMPLE 0x809D #define GL_SAMPLE_ALPHA_TO_COVERAGE 0x809E #define GL_SAMPLE_ALPHA_TO_ONE 0x809F #define GL_SAMPLE_COVERAGE 0x80A0 #define GL_SAMPLE_BUFFERS 0x80A8 #define GL_SAMPLES 0x80A9 #define GL_SAMPLE_COVERAGE_VALUE 0x80AA #define GL_SAMPLE_COVERAGE_INVERT 0x80AB #define GL_CLAMP_TO_BORDER 0x812D #define GL_TEXTURE0 0x84C0 #define GL_TEXTURE1 0x84C1 #define GL_TEXTURE2 0x84C2 #define GL_TEXTURE3 0x84C3 #define GL_TEXTURE4 0x84C4 #define GL_TEXTURE5 0x84C5 #define GL_TEXTURE6 0x84C6 #define GL_TEXTURE7 0x84C7 #define GL_TEXTURE8 0x84C8 #define GL_TEXTURE9 0x84C9 #define GL_TEXTURE10 0x84CA #define GL_TEXTURE11 0x84CB #define GL_TEXTURE12 0x84CC #define GL_TEXTURE13 0x84CD #define GL_TEXTURE14 0x84CE #define GL_TEXTURE15 0x84CF #define GL_TEXTURE16 0x84D0 #define GL_TEXTURE17 0x84D1 #define GL_TEXTURE18 0x84D2 #define GL_TEXTURE19 0x84D3 #define GL_TEXTURE20 0x84D4 #define GL_TEXTURE21 0x84D5 #define GL_TEXTURE22 0x84D6 #define GL_TEXTURE23 0x84D7 #define GL_TEXTURE24 0x84D8 #define GL_TEXTURE25 0x84D9 #define GL_TEXTURE26 0x84DA #define GL_TEXTURE27 0x84DB #define GL_TEXTURE28 0x84DC #define GL_TEXTURE29 0x84DD #define GL_TEXTURE30 0x84DE #define GL_TEXTURE31 0x84DF #define GL_ACTIVE_TEXTURE 0x84E0 #define GL_CLIENT_ACTIVE_TEXTURE 0x84E1 #define GL_MAX_TEXTURE_UNITS 0x84E2 #define GL_TRANSPOSE_MODELVIEW_MATRIX 0x84E3 #define GL_TRANSPOSE_PROJECTION_MATRIX 0x84E4 #define GL_TRANSPOSE_TEXTURE_MATRIX 0x84E5 #define GL_TRANSPOSE_COLOR_MATRIX 0x84E6 #define GL_SUBTRACT 0x84E7 #define GL_COMPRESSED_ALPHA 0x84E9 #define GL_COMPRESSED_LUMINANCE 0x84EA #define GL_COMPRESSED_LUMINANCE_ALPHA 0x84EB #define GL_COMPRESSED_INTENSITY 0x84EC #define GL_COMPRESSED_RGB 0x84ED #define GL_COMPRESSED_RGBA 0x84EE #define GL_TEXTURE_COMPRESSION_HINT 0x84EF #define GL_NORMAL_MAP 0x8511 #define GL_REFLECTION_MAP 0x8512 #define GL_TEXTURE_CUBE_MAP 0x8513 #define GL_TEXTURE_BINDING_CUBE_MAP 0x8514 #define GL_TEXTURE_CUBE_MAP_POSITIVE_X 0x8515 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_X 0x8516 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Y 0x8517 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Y 0x8518 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Z 0x8519 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Z 0x851A #define GL_PROXY_TEXTURE_CUBE_MAP 0x851B #define GL_MAX_CUBE_MAP_TEXTURE_SIZE 0x851C #define GL_COMBINE 0x8570 #define GL_COMBINE_RGB 0x8571 #define GL_COMBINE_ALPHA 0x8572 #define GL_RGB_SCALE 0x8573 #define GL_ADD_SIGNED 0x8574 #define GL_INTERPOLATE 0x8575 #define GL_CONSTANT 0x8576 #define GL_PRIMARY_COLOR 0x8577 #define GL_PREVIOUS 0x8578 #define GL_SOURCE0_RGB 0x8580 #define GL_SOURCE1_RGB 0x8581 #define GL_SOURCE2_RGB 0x8582 #define GL_SOURCE0_ALPHA 0x8588 #define GL_SOURCE1_ALPHA 0x8589 #define GL_SOURCE2_ALPHA 0x858A #define GL_OPERAND0_RGB 0x8590 #define GL_OPERAND1_RGB 0x8591 #define GL_OPERAND2_RGB 0x8592 #define GL_OPERAND0_ALPHA 0x8598 #define GL_OPERAND1_ALPHA 0x8599 #define GL_OPERAND2_ALPHA 0x859A #define GL_TEXTURE_COMPRESSED_IMAGE_SIZE 0x86A0 #define GL_TEXTURE_COMPRESSED 0x86A1 #define GL_NUM_COMPRESSED_TEXTURE_FORMATS 0x86A2 #define GL_COMPRESSED_TEXTURE_FORMATS 0x86A3 #define GL_DOT3_RGB 0x86AE #define GL_DOT3_RGBA 0x86AF #define GL_MULTISAMPLE_BIT 0x20000000 typedef void (GLAPIENTRY * PFNGLACTIVETEXTUREPROC) (GLenum texture); typedef void (GLAPIENTRY * PFNGLCLIENTACTIVETEXTUREPROC) (GLenum texture); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE1DPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE2DPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE3DPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE1DPROC) (GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE2DPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE3DPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLGETCOMPRESSEDTEXIMAGEPROC) (GLenum target, GLint lod, void *img); typedef void (GLAPIENTRY * PFNGLLOADTRANSPOSEMATRIXDPROC) (const GLdouble m[16]); typedef void (GLAPIENTRY * PFNGLLOADTRANSPOSEMATRIXFPROC) (const GLfloat m[16]); typedef void (GLAPIENTRY * PFNGLMULTTRANSPOSEMATRIXDPROC) (const GLdouble m[16]); typedef void (GLAPIENTRY * PFNGLMULTTRANSPOSEMATRIXFPROC) (const GLfloat m[16]); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1DPROC) (GLenum target, GLdouble s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1DVPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1FPROC) (GLenum target, GLfloat s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1FVPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1IPROC) (GLenum target, GLint s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1IVPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1SPROC) (GLenum target, GLshort s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1SVPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2DPROC) (GLenum target, GLdouble s, GLdouble t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2DVPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2FPROC) (GLenum target, GLfloat s, GLfloat t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2FVPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2IPROC) (GLenum target, GLint s, GLint t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2IVPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2SPROC) (GLenum target, GLshort s, GLshort t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2SVPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3DPROC) (GLenum target, GLdouble s, GLdouble t, GLdouble r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3DVPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3FPROC) (GLenum target, GLfloat s, GLfloat t, GLfloat r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3FVPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3IPROC) (GLenum target, GLint s, GLint t, GLint r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3IVPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3SPROC) (GLenum target, GLshort s, GLshort t, GLshort r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3SVPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4DPROC) (GLenum target, GLdouble s, GLdouble t, GLdouble r, GLdouble q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4DVPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4FPROC) (GLenum target, GLfloat s, GLfloat t, GLfloat r, GLfloat q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4FVPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4IPROC) (GLenum target, GLint s, GLint t, GLint r, GLint q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4IVPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4SPROC) (GLenum target, GLshort s, GLshort t, GLshort r, GLshort q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4SVPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLSAMPLECOVERAGEPROC) (GLclampf value, GLboolean invert); #define glActiveTexture GLEW_GET_FUN(__glewActiveTexture) #define glClientActiveTexture GLEW_GET_FUN(__glewClientActiveTexture) #define glCompressedTexImage1D GLEW_GET_FUN(__glewCompressedTexImage1D) #define glCompressedTexImage2D GLEW_GET_FUN(__glewCompressedTexImage2D) #define glCompressedTexImage3D GLEW_GET_FUN(__glewCompressedTexImage3D) #define glCompressedTexSubImage1D GLEW_GET_FUN(__glewCompressedTexSubImage1D) #define glCompressedTexSubImage2D GLEW_GET_FUN(__glewCompressedTexSubImage2D) #define glCompressedTexSubImage3D GLEW_GET_FUN(__glewCompressedTexSubImage3D) #define glGetCompressedTexImage GLEW_GET_FUN(__glewGetCompressedTexImage) #define glLoadTransposeMatrixd GLEW_GET_FUN(__glewLoadTransposeMatrixd) #define glLoadTransposeMatrixf GLEW_GET_FUN(__glewLoadTransposeMatrixf) #define glMultTransposeMatrixd GLEW_GET_FUN(__glewMultTransposeMatrixd) #define glMultTransposeMatrixf GLEW_GET_FUN(__glewMultTransposeMatrixf) #define glMultiTexCoord1d GLEW_GET_FUN(__glewMultiTexCoord1d) #define glMultiTexCoord1dv GLEW_GET_FUN(__glewMultiTexCoord1dv) #define glMultiTexCoord1f GLEW_GET_FUN(__glewMultiTexCoord1f) #define glMultiTexCoord1fv GLEW_GET_FUN(__glewMultiTexCoord1fv) #define glMultiTexCoord1i GLEW_GET_FUN(__glewMultiTexCoord1i) #define glMultiTexCoord1iv GLEW_GET_FUN(__glewMultiTexCoord1iv) #define glMultiTexCoord1s GLEW_GET_FUN(__glewMultiTexCoord1s) #define glMultiTexCoord1sv GLEW_GET_FUN(__glewMultiTexCoord1sv) #define glMultiTexCoord2d GLEW_GET_FUN(__glewMultiTexCoord2d) #define glMultiTexCoord2dv GLEW_GET_FUN(__glewMultiTexCoord2dv) #define glMultiTexCoord2f GLEW_GET_FUN(__glewMultiTexCoord2f) #define glMultiTexCoord2fv GLEW_GET_FUN(__glewMultiTexCoord2fv) #define glMultiTexCoord2i GLEW_GET_FUN(__glewMultiTexCoord2i) #define glMultiTexCoord2iv GLEW_GET_FUN(__glewMultiTexCoord2iv) #define glMultiTexCoord2s GLEW_GET_FUN(__glewMultiTexCoord2s) #define glMultiTexCoord2sv GLEW_GET_FUN(__glewMultiTexCoord2sv) #define glMultiTexCoord3d GLEW_GET_FUN(__glewMultiTexCoord3d) #define glMultiTexCoord3dv GLEW_GET_FUN(__glewMultiTexCoord3dv) #define glMultiTexCoord3f GLEW_GET_FUN(__glewMultiTexCoord3f) #define glMultiTexCoord3fv GLEW_GET_FUN(__glewMultiTexCoord3fv) #define glMultiTexCoord3i GLEW_GET_FUN(__glewMultiTexCoord3i) #define glMultiTexCoord3iv GLEW_GET_FUN(__glewMultiTexCoord3iv) #define glMultiTexCoord3s GLEW_GET_FUN(__glewMultiTexCoord3s) #define glMultiTexCoord3sv GLEW_GET_FUN(__glewMultiTexCoord3sv) #define glMultiTexCoord4d GLEW_GET_FUN(__glewMultiTexCoord4d) #define glMultiTexCoord4dv GLEW_GET_FUN(__glewMultiTexCoord4dv) #define glMultiTexCoord4f GLEW_GET_FUN(__glewMultiTexCoord4f) #define glMultiTexCoord4fv GLEW_GET_FUN(__glewMultiTexCoord4fv) #define glMultiTexCoord4i GLEW_GET_FUN(__glewMultiTexCoord4i) #define glMultiTexCoord4iv GLEW_GET_FUN(__glewMultiTexCoord4iv) #define glMultiTexCoord4s GLEW_GET_FUN(__glewMultiTexCoord4s) #define glMultiTexCoord4sv GLEW_GET_FUN(__glewMultiTexCoord4sv) #define glSampleCoverage GLEW_GET_FUN(__glewSampleCoverage) #define GLEW_VERSION_1_3 GLEW_GET_VAR(__GLEW_VERSION_1_3) #endif /* GL_VERSION_1_3 */ /* ----------------------------- GL_VERSION_1_4 ---------------------------- */ #ifndef GL_VERSION_1_4 #define GL_VERSION_1_4 1 #define GL_BLEND_DST_RGB 0x80C8 #define GL_BLEND_SRC_RGB 0x80C9 #define GL_BLEND_DST_ALPHA 0x80CA #define GL_BLEND_SRC_ALPHA 0x80CB #define GL_POINT_SIZE_MIN 0x8126 #define GL_POINT_SIZE_MAX 0x8127 #define GL_POINT_FADE_THRESHOLD_SIZE 0x8128 #define GL_POINT_DISTANCE_ATTENUATION 0x8129 #define GL_GENERATE_MIPMAP 0x8191 #define GL_GENERATE_MIPMAP_HINT 0x8192 #define GL_DEPTH_COMPONENT16 0x81A5 #define GL_DEPTH_COMPONENT24 0x81A6 #define GL_DEPTH_COMPONENT32 0x81A7 #define GL_MIRRORED_REPEAT 0x8370 #define GL_FOG_COORDINATE_SOURCE 0x8450 #define GL_FOG_COORDINATE 0x8451 #define GL_FRAGMENT_DEPTH 0x8452 #define GL_CURRENT_FOG_COORDINATE 0x8453 #define GL_FOG_COORDINATE_ARRAY_TYPE 0x8454 #define GL_FOG_COORDINATE_ARRAY_STRIDE 0x8455 #define GL_FOG_COORDINATE_ARRAY_POINTER 0x8456 #define GL_FOG_COORDINATE_ARRAY 0x8457 #define GL_COLOR_SUM 0x8458 #define GL_CURRENT_SECONDARY_COLOR 0x8459 #define GL_SECONDARY_COLOR_ARRAY_SIZE 0x845A #define GL_SECONDARY_COLOR_ARRAY_TYPE 0x845B #define GL_SECONDARY_COLOR_ARRAY_STRIDE 0x845C #define GL_SECONDARY_COLOR_ARRAY_POINTER 0x845D #define GL_SECONDARY_COLOR_ARRAY 0x845E #define GL_MAX_TEXTURE_LOD_BIAS 0x84FD #define GL_TEXTURE_FILTER_CONTROL 0x8500 #define GL_TEXTURE_LOD_BIAS 0x8501 #define GL_INCR_WRAP 0x8507 #define GL_DECR_WRAP 0x8508 #define GL_TEXTURE_DEPTH_SIZE 0x884A #define GL_DEPTH_TEXTURE_MODE 0x884B #define GL_TEXTURE_COMPARE_MODE 0x884C #define GL_TEXTURE_COMPARE_FUNC 0x884D #define GL_COMPARE_R_TO_TEXTURE 0x884E typedef void (GLAPIENTRY * PFNGLBLENDCOLORPROC) (GLclampf red, GLclampf green, GLclampf blue, GLclampf alpha); typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONPROC) (GLenum mode); typedef void (GLAPIENTRY * PFNGLBLENDFUNCSEPARATEPROC) (GLenum sfactorRGB, GLenum dfactorRGB, GLenum sfactorAlpha, GLenum dfactorAlpha); typedef void (GLAPIENTRY * PFNGLFOGCOORDPOINTERPROC) (GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLFOGCOORDDPROC) (GLdouble coord); typedef void (GLAPIENTRY * PFNGLFOGCOORDDVPROC) (const GLdouble *coord); typedef void (GLAPIENTRY * PFNGLFOGCOORDFPROC) (GLfloat coord); typedef void (GLAPIENTRY * PFNGLFOGCOORDFVPROC) (const GLfloat *coord); typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSPROC) (GLenum mode, const GLint *first, const GLsizei *count, GLsizei drawcount); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSPROC) (GLenum mode, const GLsizei *count, GLenum type, const void *const* indices, GLsizei drawcount); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERFPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERFVPROC) (GLenum pname, const GLfloat *params); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERIPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERIVPROC) (GLenum pname, const GLint *params); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3BPROC) (GLbyte red, GLbyte green, GLbyte blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3BVPROC) (const GLbyte *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3DPROC) (GLdouble red, GLdouble green, GLdouble blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3DVPROC) (const GLdouble *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3FPROC) (GLfloat red, GLfloat green, GLfloat blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3FVPROC) (const GLfloat *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3IPROC) (GLint red, GLint green, GLint blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3IVPROC) (const GLint *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3SPROC) (GLshort red, GLshort green, GLshort blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3SVPROC) (const GLshort *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UBPROC) (GLubyte red, GLubyte green, GLubyte blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UBVPROC) (const GLubyte *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UIPROC) (GLuint red, GLuint green, GLuint blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UIVPROC) (const GLuint *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3USPROC) (GLushort red, GLushort green, GLushort blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3USVPROC) (const GLushort *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLORPOINTERPROC) (GLint size, GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2DPROC) (GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2DVPROC) (const GLdouble *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2FPROC) (GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2FVPROC) (const GLfloat *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2IPROC) (GLint x, GLint y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2IVPROC) (const GLint *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2SPROC) (GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2SVPROC) (const GLshort *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3DPROC) (GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3DVPROC) (const GLdouble *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3FPROC) (GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3FVPROC) (const GLfloat *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3IPROC) (GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3IVPROC) (const GLint *p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3SPROC) (GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3SVPROC) (const GLshort *p); #define glBlendColor GLEW_GET_FUN(__glewBlendColor) #define glBlendEquation GLEW_GET_FUN(__glewBlendEquation) #define glBlendFuncSeparate GLEW_GET_FUN(__glewBlendFuncSeparate) #define glFogCoordPointer GLEW_GET_FUN(__glewFogCoordPointer) #define glFogCoordd GLEW_GET_FUN(__glewFogCoordd) #define glFogCoorddv GLEW_GET_FUN(__glewFogCoorddv) #define glFogCoordf GLEW_GET_FUN(__glewFogCoordf) #define glFogCoordfv GLEW_GET_FUN(__glewFogCoordfv) #define glMultiDrawArrays GLEW_GET_FUN(__glewMultiDrawArrays) #define glMultiDrawElements GLEW_GET_FUN(__glewMultiDrawElements) #define glPointParameterf GLEW_GET_FUN(__glewPointParameterf) #define glPointParameterfv GLEW_GET_FUN(__glewPointParameterfv) #define glPointParameteri GLEW_GET_FUN(__glewPointParameteri) #define glPointParameteriv GLEW_GET_FUN(__glewPointParameteriv) #define glSecondaryColor3b GLEW_GET_FUN(__glewSecondaryColor3b) #define glSecondaryColor3bv GLEW_GET_FUN(__glewSecondaryColor3bv) #define glSecondaryColor3d GLEW_GET_FUN(__glewSecondaryColor3d) #define glSecondaryColor3dv GLEW_GET_FUN(__glewSecondaryColor3dv) #define glSecondaryColor3f GLEW_GET_FUN(__glewSecondaryColor3f) #define glSecondaryColor3fv GLEW_GET_FUN(__glewSecondaryColor3fv) #define glSecondaryColor3i GLEW_GET_FUN(__glewSecondaryColor3i) #define glSecondaryColor3iv GLEW_GET_FUN(__glewSecondaryColor3iv) #define glSecondaryColor3s GLEW_GET_FUN(__glewSecondaryColor3s) #define glSecondaryColor3sv GLEW_GET_FUN(__glewSecondaryColor3sv) #define glSecondaryColor3ub GLEW_GET_FUN(__glewSecondaryColor3ub) #define glSecondaryColor3ubv GLEW_GET_FUN(__glewSecondaryColor3ubv) #define glSecondaryColor3ui GLEW_GET_FUN(__glewSecondaryColor3ui) #define glSecondaryColor3uiv GLEW_GET_FUN(__glewSecondaryColor3uiv) #define glSecondaryColor3us GLEW_GET_FUN(__glewSecondaryColor3us) #define glSecondaryColor3usv GLEW_GET_FUN(__glewSecondaryColor3usv) #define glSecondaryColorPointer GLEW_GET_FUN(__glewSecondaryColorPointer) #define glWindowPos2d GLEW_GET_FUN(__glewWindowPos2d) #define glWindowPos2dv GLEW_GET_FUN(__glewWindowPos2dv) #define glWindowPos2f GLEW_GET_FUN(__glewWindowPos2f) #define glWindowPos2fv GLEW_GET_FUN(__glewWindowPos2fv) #define glWindowPos2i GLEW_GET_FUN(__glewWindowPos2i) #define glWindowPos2iv GLEW_GET_FUN(__glewWindowPos2iv) #define glWindowPos2s GLEW_GET_FUN(__glewWindowPos2s) #define glWindowPos2sv GLEW_GET_FUN(__glewWindowPos2sv) #define glWindowPos3d GLEW_GET_FUN(__glewWindowPos3d) #define glWindowPos3dv GLEW_GET_FUN(__glewWindowPos3dv) #define glWindowPos3f GLEW_GET_FUN(__glewWindowPos3f) #define glWindowPos3fv GLEW_GET_FUN(__glewWindowPos3fv) #define glWindowPos3i GLEW_GET_FUN(__glewWindowPos3i) #define glWindowPos3iv GLEW_GET_FUN(__glewWindowPos3iv) #define glWindowPos3s GLEW_GET_FUN(__glewWindowPos3s) #define glWindowPos3sv GLEW_GET_FUN(__glewWindowPos3sv) #define GLEW_VERSION_1_4 GLEW_GET_VAR(__GLEW_VERSION_1_4) #endif /* GL_VERSION_1_4 */ /* ----------------------------- GL_VERSION_1_5 ---------------------------- */ #ifndef GL_VERSION_1_5 #define GL_VERSION_1_5 1 #define GL_CURRENT_FOG_COORD GL_CURRENT_FOG_COORDINATE #define GL_FOG_COORD GL_FOG_COORDINATE #define GL_FOG_COORD_ARRAY GL_FOG_COORDINATE_ARRAY #define GL_FOG_COORD_ARRAY_BUFFER_BINDING GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING #define GL_FOG_COORD_ARRAY_POINTER GL_FOG_COORDINATE_ARRAY_POINTER #define GL_FOG_COORD_ARRAY_STRIDE GL_FOG_COORDINATE_ARRAY_STRIDE #define GL_FOG_COORD_ARRAY_TYPE GL_FOG_COORDINATE_ARRAY_TYPE #define GL_FOG_COORD_SRC GL_FOG_COORDINATE_SOURCE #define GL_SRC0_ALPHA GL_SOURCE0_ALPHA #define GL_SRC0_RGB GL_SOURCE0_RGB #define GL_SRC1_ALPHA GL_SOURCE1_ALPHA #define GL_SRC1_RGB GL_SOURCE1_RGB #define GL_SRC2_ALPHA GL_SOURCE2_ALPHA #define GL_SRC2_RGB GL_SOURCE2_RGB #define GL_BUFFER_SIZE 0x8764 #define GL_BUFFER_USAGE 0x8765 #define GL_QUERY_COUNTER_BITS 0x8864 #define GL_CURRENT_QUERY 0x8865 #define GL_QUERY_RESULT 0x8866 #define GL_QUERY_RESULT_AVAILABLE 0x8867 #define GL_ARRAY_BUFFER 0x8892 #define GL_ELEMENT_ARRAY_BUFFER 0x8893 #define GL_ARRAY_BUFFER_BINDING 0x8894 #define GL_ELEMENT_ARRAY_BUFFER_BINDING 0x8895 #define GL_VERTEX_ARRAY_BUFFER_BINDING 0x8896 #define GL_NORMAL_ARRAY_BUFFER_BINDING 0x8897 #define GL_COLOR_ARRAY_BUFFER_BINDING 0x8898 #define GL_INDEX_ARRAY_BUFFER_BINDING 0x8899 #define GL_TEXTURE_COORD_ARRAY_BUFFER_BINDING 0x889A #define GL_EDGE_FLAG_ARRAY_BUFFER_BINDING 0x889B #define GL_SECONDARY_COLOR_ARRAY_BUFFER_BINDING 0x889C #define GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING 0x889D #define GL_WEIGHT_ARRAY_BUFFER_BINDING 0x889E #define GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING 0x889F #define GL_READ_ONLY 0x88B8 #define GL_WRITE_ONLY 0x88B9 #define GL_READ_WRITE 0x88BA #define GL_BUFFER_ACCESS 0x88BB #define GL_BUFFER_MAPPED 0x88BC #define GL_BUFFER_MAP_POINTER 0x88BD #define GL_STREAM_DRAW 0x88E0 #define GL_STREAM_READ 0x88E1 #define GL_STREAM_COPY 0x88E2 #define GL_STATIC_DRAW 0x88E4 #define GL_STATIC_READ 0x88E5 #define GL_STATIC_COPY 0x88E6 #define GL_DYNAMIC_DRAW 0x88E8 #define GL_DYNAMIC_READ 0x88E9 #define GL_DYNAMIC_COPY 0x88EA #define GL_SAMPLES_PASSED 0x8914 typedef ptrdiff_t GLintptr; typedef ptrdiff_t GLsizeiptr; typedef void (GLAPIENTRY * PFNGLBEGINQUERYPROC) (GLenum target, GLuint id); typedef void (GLAPIENTRY * PFNGLBINDBUFFERPROC) (GLenum target, GLuint buffer); typedef void (GLAPIENTRY * PFNGLBUFFERDATAPROC) (GLenum target, GLsizeiptr size, const void* data, GLenum usage); typedef void (GLAPIENTRY * PFNGLBUFFERSUBDATAPROC) (GLenum target, GLintptr offset, GLsizeiptr size, const void* data); typedef void (GLAPIENTRY * PFNGLDELETEBUFFERSPROC) (GLsizei n, const GLuint* buffers); typedef void (GLAPIENTRY * PFNGLDELETEQUERIESPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLENDQUERYPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLGENBUFFERSPROC) (GLsizei n, GLuint* buffers); typedef void (GLAPIENTRY * PFNGLGENQUERIESPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLGETBUFFERPARAMETERIVPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETBUFFERPOINTERVPROC) (GLenum target, GLenum pname, void** params); typedef void (GLAPIENTRY * PFNGLGETBUFFERSUBDATAPROC) (GLenum target, GLintptr offset, GLsizeiptr size, void* data); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTIVPROC) (GLuint id, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTUIVPROC) (GLuint id, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYIVPROC) (GLenum target, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISBUFFERPROC) (GLuint buffer); typedef GLboolean (GLAPIENTRY * PFNGLISQUERYPROC) (GLuint id); typedef void* (GLAPIENTRY * PFNGLMAPBUFFERPROC) (GLenum target, GLenum access); typedef GLboolean (GLAPIENTRY * PFNGLUNMAPBUFFERPROC) (GLenum target); #define glBeginQuery GLEW_GET_FUN(__glewBeginQuery) #define glBindBuffer GLEW_GET_FUN(__glewBindBuffer) #define glBufferData GLEW_GET_FUN(__glewBufferData) #define glBufferSubData GLEW_GET_FUN(__glewBufferSubData) #define glDeleteBuffers GLEW_GET_FUN(__glewDeleteBuffers) #define glDeleteQueries GLEW_GET_FUN(__glewDeleteQueries) #define glEndQuery GLEW_GET_FUN(__glewEndQuery) #define glGenBuffers GLEW_GET_FUN(__glewGenBuffers) #define glGenQueries GLEW_GET_FUN(__glewGenQueries) #define glGetBufferParameteriv GLEW_GET_FUN(__glewGetBufferParameteriv) #define glGetBufferPointerv GLEW_GET_FUN(__glewGetBufferPointerv) #define glGetBufferSubData GLEW_GET_FUN(__glewGetBufferSubData) #define glGetQueryObjectiv GLEW_GET_FUN(__glewGetQueryObjectiv) #define glGetQueryObjectuiv GLEW_GET_FUN(__glewGetQueryObjectuiv) #define glGetQueryiv GLEW_GET_FUN(__glewGetQueryiv) #define glIsBuffer GLEW_GET_FUN(__glewIsBuffer) #define glIsQuery GLEW_GET_FUN(__glewIsQuery) #define glMapBuffer GLEW_GET_FUN(__glewMapBuffer) #define glUnmapBuffer GLEW_GET_FUN(__glewUnmapBuffer) #define GLEW_VERSION_1_5 GLEW_GET_VAR(__GLEW_VERSION_1_5) #endif /* GL_VERSION_1_5 */ /* ----------------------------- GL_VERSION_2_0 ---------------------------- */ #ifndef GL_VERSION_2_0 #define GL_VERSION_2_0 1 #define GL_BLEND_EQUATION_RGB GL_BLEND_EQUATION #define GL_VERTEX_ATTRIB_ARRAY_ENABLED 0x8622 #define GL_VERTEX_ATTRIB_ARRAY_SIZE 0x8623 #define GL_VERTEX_ATTRIB_ARRAY_STRIDE 0x8624 #define GL_VERTEX_ATTRIB_ARRAY_TYPE 0x8625 #define GL_CURRENT_VERTEX_ATTRIB 0x8626 #define GL_VERTEX_PROGRAM_POINT_SIZE 0x8642 #define GL_VERTEX_PROGRAM_TWO_SIDE 0x8643 #define GL_VERTEX_ATTRIB_ARRAY_POINTER 0x8645 #define GL_STENCIL_BACK_FUNC 0x8800 #define GL_STENCIL_BACK_FAIL 0x8801 #define GL_STENCIL_BACK_PASS_DEPTH_FAIL 0x8802 #define GL_STENCIL_BACK_PASS_DEPTH_PASS 0x8803 #define GL_MAX_DRAW_BUFFERS 0x8824 #define GL_DRAW_BUFFER0 0x8825 #define GL_DRAW_BUFFER1 0x8826 #define GL_DRAW_BUFFER2 0x8827 #define GL_DRAW_BUFFER3 0x8828 #define GL_DRAW_BUFFER4 0x8829 #define GL_DRAW_BUFFER5 0x882A #define GL_DRAW_BUFFER6 0x882B #define GL_DRAW_BUFFER7 0x882C #define GL_DRAW_BUFFER8 0x882D #define GL_DRAW_BUFFER9 0x882E #define GL_DRAW_BUFFER10 0x882F #define GL_DRAW_BUFFER11 0x8830 #define GL_DRAW_BUFFER12 0x8831 #define GL_DRAW_BUFFER13 0x8832 #define GL_DRAW_BUFFER14 0x8833 #define GL_DRAW_BUFFER15 0x8834 #define GL_BLEND_EQUATION_ALPHA 0x883D #define GL_POINT_SPRITE 0x8861 #define GL_COORD_REPLACE 0x8862 #define GL_MAX_VERTEX_ATTRIBS 0x8869 #define GL_VERTEX_ATTRIB_ARRAY_NORMALIZED 0x886A #define GL_MAX_TEXTURE_COORDS 0x8871 #define GL_MAX_TEXTURE_IMAGE_UNITS 0x8872 #define GL_FRAGMENT_SHADER 0x8B30 #define GL_VERTEX_SHADER 0x8B31 #define GL_MAX_FRAGMENT_UNIFORM_COMPONENTS 0x8B49 #define GL_MAX_VERTEX_UNIFORM_COMPONENTS 0x8B4A #define GL_MAX_VARYING_FLOATS 0x8B4B #define GL_MAX_VERTEX_TEXTURE_IMAGE_UNITS 0x8B4C #define GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS 0x8B4D #define GL_SHADER_TYPE 0x8B4F #define GL_FLOAT_VEC2 0x8B50 #define GL_FLOAT_VEC3 0x8B51 #define GL_FLOAT_VEC4 0x8B52 #define GL_INT_VEC2 0x8B53 #define GL_INT_VEC3 0x8B54 #define GL_INT_VEC4 0x8B55 #define GL_BOOL 0x8B56 #define GL_BOOL_VEC2 0x8B57 #define GL_BOOL_VEC3 0x8B58 #define GL_BOOL_VEC4 0x8B59 #define GL_FLOAT_MAT2 0x8B5A #define GL_FLOAT_MAT3 0x8B5B #define GL_FLOAT_MAT4 0x8B5C #define GL_SAMPLER_1D 0x8B5D #define GL_SAMPLER_2D 0x8B5E #define GL_SAMPLER_3D 0x8B5F #define GL_SAMPLER_CUBE 0x8B60 #define GL_SAMPLER_1D_SHADOW 0x8B61 #define GL_SAMPLER_2D_SHADOW 0x8B62 #define GL_DELETE_STATUS 0x8B80 #define GL_COMPILE_STATUS 0x8B81 #define GL_LINK_STATUS 0x8B82 #define GL_VALIDATE_STATUS 0x8B83 #define GL_INFO_LOG_LENGTH 0x8B84 #define GL_ATTACHED_SHADERS 0x8B85 #define GL_ACTIVE_UNIFORMS 0x8B86 #define GL_ACTIVE_UNIFORM_MAX_LENGTH 0x8B87 #define GL_SHADER_SOURCE_LENGTH 0x8B88 #define GL_ACTIVE_ATTRIBUTES 0x8B89 #define GL_ACTIVE_ATTRIBUTE_MAX_LENGTH 0x8B8A #define GL_FRAGMENT_SHADER_DERIVATIVE_HINT 0x8B8B #define GL_SHADING_LANGUAGE_VERSION 0x8B8C #define GL_CURRENT_PROGRAM 0x8B8D #define GL_POINT_SPRITE_COORD_ORIGIN 0x8CA0 #define GL_LOWER_LEFT 0x8CA1 #define GL_UPPER_LEFT 0x8CA2 #define GL_STENCIL_BACK_REF 0x8CA3 #define GL_STENCIL_BACK_VALUE_MASK 0x8CA4 #define GL_STENCIL_BACK_WRITEMASK 0x8CA5 typedef void (GLAPIENTRY * PFNGLATTACHSHADERPROC) (GLuint program, GLuint shader); typedef void (GLAPIENTRY * PFNGLBINDATTRIBLOCATIONPROC) (GLuint program, GLuint index, const GLchar* name); typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONSEPARATEPROC) (GLenum modeRGB, GLenum modeAlpha); typedef void (GLAPIENTRY * PFNGLCOMPILESHADERPROC) (GLuint shader); typedef GLuint (GLAPIENTRY * PFNGLCREATEPROGRAMPROC) (void); typedef GLuint (GLAPIENTRY * PFNGLCREATESHADERPROC) (GLenum type); typedef void (GLAPIENTRY * PFNGLDELETEPROGRAMPROC) (GLuint program); typedef void (GLAPIENTRY * PFNGLDELETESHADERPROC) (GLuint shader); typedef void (GLAPIENTRY * PFNGLDETACHSHADERPROC) (GLuint program, GLuint shader); typedef void (GLAPIENTRY * PFNGLDISABLEVERTEXATTRIBARRAYPROC) (GLuint index); typedef void (GLAPIENTRY * PFNGLDRAWBUFFERSPROC) (GLsizei n, const GLenum* bufs); typedef void (GLAPIENTRY * PFNGLENABLEVERTEXATTRIBARRAYPROC) (GLuint index); typedef void (GLAPIENTRY * PFNGLGETACTIVEATTRIBPROC) (GLuint program, GLuint index, GLsizei maxLength, GLsizei* length, GLint* size, GLenum* type, GLchar* name); typedef void (GLAPIENTRY * PFNGLGETACTIVEUNIFORMPROC) (GLuint program, GLuint index, GLsizei maxLength, GLsizei* length, GLint* size, GLenum* type, GLchar* name); typedef void (GLAPIENTRY * PFNGLGETATTACHEDSHADERSPROC) (GLuint program, GLsizei maxCount, GLsizei* count, GLuint* shaders); typedef GLint (GLAPIENTRY * PFNGLGETATTRIBLOCATIONPROC) (GLuint program, const GLchar* name); typedef void (GLAPIENTRY * PFNGLGETPROGRAMINFOLOGPROC) (GLuint program, GLsizei bufSize, GLsizei* length, GLchar* infoLog); typedef void (GLAPIENTRY * PFNGLGETPROGRAMIVPROC) (GLuint program, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETSHADERINFOLOGPROC) (GLuint shader, GLsizei bufSize, GLsizei* length, GLchar* infoLog); typedef void (GLAPIENTRY * PFNGLGETSHADERSOURCEPROC) (GLuint obj, GLsizei maxLength, GLsizei* length, GLchar* source); typedef void (GLAPIENTRY * PFNGLGETSHADERIVPROC) (GLuint shader, GLenum pname, GLint* param); typedef GLint (GLAPIENTRY * PFNGLGETUNIFORMLOCATIONPROC) (GLuint program, const GLchar* name); typedef void (GLAPIENTRY * PFNGLGETUNIFORMFVPROC) (GLuint program, GLint location, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETUNIFORMIVPROC) (GLuint program, GLint location, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBPOINTERVPROC) (GLuint index, GLenum pname, void** pointer); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBDVPROC) (GLuint index, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBFVPROC) (GLuint index, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIVPROC) (GLuint index, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISPROGRAMPROC) (GLuint program); typedef GLboolean (GLAPIENTRY * PFNGLISSHADERPROC) (GLuint shader); typedef void (GLAPIENTRY * PFNGLLINKPROGRAMPROC) (GLuint program); typedef void (GLAPIENTRY * PFNGLSHADERSOURCEPROC) (GLuint shader, GLsizei count, const GLchar *const* string, const GLint* length); typedef void (GLAPIENTRY * PFNGLSTENCILFUNCSEPARATEPROC) (GLenum frontfunc, GLenum backfunc, GLint ref, GLuint mask); typedef void (GLAPIENTRY * PFNGLSTENCILMASKSEPARATEPROC) (GLenum face, GLuint mask); typedef void (GLAPIENTRY * PFNGLSTENCILOPSEPARATEPROC) (GLenum face, GLenum sfail, GLenum dpfail, GLenum dppass); typedef void (GLAPIENTRY * PFNGLUNIFORM1FPROC) (GLint location, GLfloat v0); typedef void (GLAPIENTRY * PFNGLUNIFORM1FVPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM1IPROC) (GLint location, GLint v0); typedef void (GLAPIENTRY * PFNGLUNIFORM1IVPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2FPROC) (GLint location, GLfloat v0, GLfloat v1); typedef void (GLAPIENTRY * PFNGLUNIFORM2FVPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2IPROC) (GLint location, GLint v0, GLint v1); typedef void (GLAPIENTRY * PFNGLUNIFORM2IVPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3FPROC) (GLint location, GLfloat v0, GLfloat v1, GLfloat v2); typedef void (GLAPIENTRY * PFNGLUNIFORM3FVPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3IPROC) (GLint location, GLint v0, GLint v1, GLint v2); typedef void (GLAPIENTRY * PFNGLUNIFORM3IVPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4FPROC) (GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3); typedef void (GLAPIENTRY * PFNGLUNIFORM4FVPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4IPROC) (GLint location, GLint v0, GLint v1, GLint v2, GLint v3); typedef void (GLAPIENTRY * PFNGLUNIFORM4IVPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUSEPROGRAMPROC) (GLuint program); typedef void (GLAPIENTRY * PFNGLVALIDATEPROGRAMPROC) (GLuint program); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1DPROC) (GLuint index, GLdouble x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1FPROC) (GLuint index, GLfloat x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1FVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1SPROC) (GLuint index, GLshort x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1SVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2DPROC) (GLuint index, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2FPROC) (GLuint index, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2FVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2SPROC) (GLuint index, GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2SVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3DPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3FPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3FVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3SPROC) (GLuint index, GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3SVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NBVPROC) (GLuint index, const GLbyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NIVPROC) (GLuint index, const GLint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NSVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUBPROC) (GLuint index, GLubyte x, GLubyte y, GLubyte z, GLubyte w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUBVPROC) (GLuint index, const GLubyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUIVPROC) (GLuint index, const GLuint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUSVPROC) (GLuint index, const GLushort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4BVPROC) (GLuint index, const GLbyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4DPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4FPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4FVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4IVPROC) (GLuint index, const GLint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4SPROC) (GLuint index, GLshort x, GLshort y, GLshort z, GLshort w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4SVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4UBVPROC) (GLuint index, const GLubyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4UIVPROC) (GLuint index, const GLuint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4USVPROC) (GLuint index, const GLushort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBPOINTERPROC) (GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, const void* pointer); #define glAttachShader GLEW_GET_FUN(__glewAttachShader) #define glBindAttribLocation GLEW_GET_FUN(__glewBindAttribLocation) #define glBlendEquationSeparate GLEW_GET_FUN(__glewBlendEquationSeparate) #define glCompileShader GLEW_GET_FUN(__glewCompileShader) #define glCreateProgram GLEW_GET_FUN(__glewCreateProgram) #define glCreateShader GLEW_GET_FUN(__glewCreateShader) #define glDeleteProgram GLEW_GET_FUN(__glewDeleteProgram) #define glDeleteShader GLEW_GET_FUN(__glewDeleteShader) #define glDetachShader GLEW_GET_FUN(__glewDetachShader) #define glDisableVertexAttribArray GLEW_GET_FUN(__glewDisableVertexAttribArray) #define glDrawBuffers GLEW_GET_FUN(__glewDrawBuffers) #define glEnableVertexAttribArray GLEW_GET_FUN(__glewEnableVertexAttribArray) #define glGetActiveAttrib GLEW_GET_FUN(__glewGetActiveAttrib) #define glGetActiveUniform GLEW_GET_FUN(__glewGetActiveUniform) #define glGetAttachedShaders GLEW_GET_FUN(__glewGetAttachedShaders) #define glGetAttribLocation GLEW_GET_FUN(__glewGetAttribLocation) #define glGetProgramInfoLog GLEW_GET_FUN(__glewGetProgramInfoLog) #define glGetProgramiv GLEW_GET_FUN(__glewGetProgramiv) #define glGetShaderInfoLog GLEW_GET_FUN(__glewGetShaderInfoLog) #define glGetShaderSource GLEW_GET_FUN(__glewGetShaderSource) #define glGetShaderiv GLEW_GET_FUN(__glewGetShaderiv) #define glGetUniformLocation GLEW_GET_FUN(__glewGetUniformLocation) #define glGetUniformfv GLEW_GET_FUN(__glewGetUniformfv) #define glGetUniformiv GLEW_GET_FUN(__glewGetUniformiv) #define glGetVertexAttribPointerv GLEW_GET_FUN(__glewGetVertexAttribPointerv) #define glGetVertexAttribdv GLEW_GET_FUN(__glewGetVertexAttribdv) #define glGetVertexAttribfv GLEW_GET_FUN(__glewGetVertexAttribfv) #define glGetVertexAttribiv GLEW_GET_FUN(__glewGetVertexAttribiv) #define glIsProgram GLEW_GET_FUN(__glewIsProgram) #define glIsShader GLEW_GET_FUN(__glewIsShader) #define glLinkProgram GLEW_GET_FUN(__glewLinkProgram) #define glShaderSource GLEW_GET_FUN(__glewShaderSource) #define glStencilFuncSeparate GLEW_GET_FUN(__glewStencilFuncSeparate) #define glStencilMaskSeparate GLEW_GET_FUN(__glewStencilMaskSeparate) #define glStencilOpSeparate GLEW_GET_FUN(__glewStencilOpSeparate) #define glUniform1f GLEW_GET_FUN(__glewUniform1f) #define glUniform1fv GLEW_GET_FUN(__glewUniform1fv) #define glUniform1i GLEW_GET_FUN(__glewUniform1i) #define glUniform1iv GLEW_GET_FUN(__glewUniform1iv) #define glUniform2f GLEW_GET_FUN(__glewUniform2f) #define glUniform2fv GLEW_GET_FUN(__glewUniform2fv) #define glUniform2i GLEW_GET_FUN(__glewUniform2i) #define glUniform2iv GLEW_GET_FUN(__glewUniform2iv) #define glUniform3f GLEW_GET_FUN(__glewUniform3f) #define glUniform3fv GLEW_GET_FUN(__glewUniform3fv) #define glUniform3i GLEW_GET_FUN(__glewUniform3i) #define glUniform3iv GLEW_GET_FUN(__glewUniform3iv) #define glUniform4f GLEW_GET_FUN(__glewUniform4f) #define glUniform4fv GLEW_GET_FUN(__glewUniform4fv) #define glUniform4i GLEW_GET_FUN(__glewUniform4i) #define glUniform4iv GLEW_GET_FUN(__glewUniform4iv) #define glUniformMatrix2fv GLEW_GET_FUN(__glewUniformMatrix2fv) #define glUniformMatrix3fv GLEW_GET_FUN(__glewUniformMatrix3fv) #define glUniformMatrix4fv GLEW_GET_FUN(__glewUniformMatrix4fv) #define glUseProgram GLEW_GET_FUN(__glewUseProgram) #define glValidateProgram GLEW_GET_FUN(__glewValidateProgram) #define glVertexAttrib1d GLEW_GET_FUN(__glewVertexAttrib1d) #define glVertexAttrib1dv GLEW_GET_FUN(__glewVertexAttrib1dv) #define glVertexAttrib1f GLEW_GET_FUN(__glewVertexAttrib1f) #define glVertexAttrib1fv GLEW_GET_FUN(__glewVertexAttrib1fv) #define glVertexAttrib1s GLEW_GET_FUN(__glewVertexAttrib1s) #define glVertexAttrib1sv GLEW_GET_FUN(__glewVertexAttrib1sv) #define glVertexAttrib2d GLEW_GET_FUN(__glewVertexAttrib2d) #define glVertexAttrib2dv GLEW_GET_FUN(__glewVertexAttrib2dv) #define glVertexAttrib2f GLEW_GET_FUN(__glewVertexAttrib2f) #define glVertexAttrib2fv GLEW_GET_FUN(__glewVertexAttrib2fv) #define glVertexAttrib2s GLEW_GET_FUN(__glewVertexAttrib2s) #define glVertexAttrib2sv GLEW_GET_FUN(__glewVertexAttrib2sv) #define glVertexAttrib3d GLEW_GET_FUN(__glewVertexAttrib3d) #define glVertexAttrib3dv GLEW_GET_FUN(__glewVertexAttrib3dv) #define glVertexAttrib3f GLEW_GET_FUN(__glewVertexAttrib3f) #define glVertexAttrib3fv GLEW_GET_FUN(__glewVertexAttrib3fv) #define glVertexAttrib3s GLEW_GET_FUN(__glewVertexAttrib3s) #define glVertexAttrib3sv GLEW_GET_FUN(__glewVertexAttrib3sv) #define glVertexAttrib4Nbv GLEW_GET_FUN(__glewVertexAttrib4Nbv) #define glVertexAttrib4Niv GLEW_GET_FUN(__glewVertexAttrib4Niv) #define glVertexAttrib4Nsv GLEW_GET_FUN(__glewVertexAttrib4Nsv) #define glVertexAttrib4Nub GLEW_GET_FUN(__glewVertexAttrib4Nub) #define glVertexAttrib4Nubv GLEW_GET_FUN(__glewVertexAttrib4Nubv) #define glVertexAttrib4Nuiv GLEW_GET_FUN(__glewVertexAttrib4Nuiv) #define glVertexAttrib4Nusv GLEW_GET_FUN(__glewVertexAttrib4Nusv) #define glVertexAttrib4bv GLEW_GET_FUN(__glewVertexAttrib4bv) #define glVertexAttrib4d GLEW_GET_FUN(__glewVertexAttrib4d) #define glVertexAttrib4dv GLEW_GET_FUN(__glewVertexAttrib4dv) #define glVertexAttrib4f GLEW_GET_FUN(__glewVertexAttrib4f) #define glVertexAttrib4fv GLEW_GET_FUN(__glewVertexAttrib4fv) #define glVertexAttrib4iv GLEW_GET_FUN(__glewVertexAttrib4iv) #define glVertexAttrib4s GLEW_GET_FUN(__glewVertexAttrib4s) #define glVertexAttrib4sv GLEW_GET_FUN(__glewVertexAttrib4sv) #define glVertexAttrib4ubv GLEW_GET_FUN(__glewVertexAttrib4ubv) #define glVertexAttrib4uiv GLEW_GET_FUN(__glewVertexAttrib4uiv) #define glVertexAttrib4usv GLEW_GET_FUN(__glewVertexAttrib4usv) #define glVertexAttribPointer GLEW_GET_FUN(__glewVertexAttribPointer) #define GLEW_VERSION_2_0 GLEW_GET_VAR(__GLEW_VERSION_2_0) #endif /* GL_VERSION_2_0 */ /* ----------------------------- GL_VERSION_2_1 ---------------------------- */ #ifndef GL_VERSION_2_1 #define GL_VERSION_2_1 1 #define GL_CURRENT_RASTER_SECONDARY_COLOR 0x845F #define GL_PIXEL_PACK_BUFFER 0x88EB #define GL_PIXEL_UNPACK_BUFFER 0x88EC #define GL_PIXEL_PACK_BUFFER_BINDING 0x88ED #define GL_PIXEL_UNPACK_BUFFER_BINDING 0x88EF #define GL_FLOAT_MAT2x3 0x8B65 #define GL_FLOAT_MAT2x4 0x8B66 #define GL_FLOAT_MAT3x2 0x8B67 #define GL_FLOAT_MAT3x4 0x8B68 #define GL_FLOAT_MAT4x2 0x8B69 #define GL_FLOAT_MAT4x3 0x8B6A #define GL_SRGB 0x8C40 #define GL_SRGB8 0x8C41 #define GL_SRGB_ALPHA 0x8C42 #define GL_SRGB8_ALPHA8 0x8C43 #define GL_SLUMINANCE_ALPHA 0x8C44 #define GL_SLUMINANCE8_ALPHA8 0x8C45 #define GL_SLUMINANCE 0x8C46 #define GL_SLUMINANCE8 0x8C47 #define GL_COMPRESSED_SRGB 0x8C48 #define GL_COMPRESSED_SRGB_ALPHA 0x8C49 #define GL_COMPRESSED_SLUMINANCE 0x8C4A #define GL_COMPRESSED_SLUMINANCE_ALPHA 0x8C4B typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2X3FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2X4FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3X2FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3X4FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4X2FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4X3FVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat *value); #define glUniformMatrix2x3fv GLEW_GET_FUN(__glewUniformMatrix2x3fv) #define glUniformMatrix2x4fv GLEW_GET_FUN(__glewUniformMatrix2x4fv) #define glUniformMatrix3x2fv GLEW_GET_FUN(__glewUniformMatrix3x2fv) #define glUniformMatrix3x4fv GLEW_GET_FUN(__glewUniformMatrix3x4fv) #define glUniformMatrix4x2fv GLEW_GET_FUN(__glewUniformMatrix4x2fv) #define glUniformMatrix4x3fv GLEW_GET_FUN(__glewUniformMatrix4x3fv) #define GLEW_VERSION_2_1 GLEW_GET_VAR(__GLEW_VERSION_2_1) #endif /* GL_VERSION_2_1 */ /* ----------------------------- GL_VERSION_3_0 ---------------------------- */ #ifndef GL_VERSION_3_0 #define GL_VERSION_3_0 1 #define GL_CLIP_DISTANCE0 GL_CLIP_PLANE0 #define GL_CLIP_DISTANCE1 GL_CLIP_PLANE1 #define GL_CLIP_DISTANCE2 GL_CLIP_PLANE2 #define GL_CLIP_DISTANCE3 GL_CLIP_PLANE3 #define GL_CLIP_DISTANCE4 GL_CLIP_PLANE4 #define GL_CLIP_DISTANCE5 GL_CLIP_PLANE5 #define GL_COMPARE_REF_TO_TEXTURE GL_COMPARE_R_TO_TEXTURE_ARB #define GL_MAX_CLIP_DISTANCES GL_MAX_CLIP_PLANES #define GL_MAX_VARYING_COMPONENTS GL_MAX_VARYING_FLOATS #define GL_CONTEXT_FLAG_FORWARD_COMPATIBLE_BIT 0x0001 #define GL_MAJOR_VERSION 0x821B #define GL_MINOR_VERSION 0x821C #define GL_NUM_EXTENSIONS 0x821D #define GL_CONTEXT_FLAGS 0x821E #define GL_DEPTH_BUFFER 0x8223 #define GL_STENCIL_BUFFER 0x8224 #define GL_RGBA32F 0x8814 #define GL_RGB32F 0x8815 #define GL_RGBA16F 0x881A #define GL_RGB16F 0x881B #define GL_VERTEX_ATTRIB_ARRAY_INTEGER 0x88FD #define GL_MAX_ARRAY_TEXTURE_LAYERS 0x88FF #define GL_MIN_PROGRAM_TEXEL_OFFSET 0x8904 #define GL_MAX_PROGRAM_TEXEL_OFFSET 0x8905 #define GL_CLAMP_VERTEX_COLOR 0x891A #define GL_CLAMP_FRAGMENT_COLOR 0x891B #define GL_CLAMP_READ_COLOR 0x891C #define GL_FIXED_ONLY 0x891D #define GL_TEXTURE_RED_TYPE 0x8C10 #define GL_TEXTURE_GREEN_TYPE 0x8C11 #define GL_TEXTURE_BLUE_TYPE 0x8C12 #define GL_TEXTURE_ALPHA_TYPE 0x8C13 #define GL_TEXTURE_LUMINANCE_TYPE 0x8C14 #define GL_TEXTURE_INTENSITY_TYPE 0x8C15 #define GL_TEXTURE_DEPTH_TYPE 0x8C16 #define GL_TEXTURE_1D_ARRAY 0x8C18 #define GL_PROXY_TEXTURE_1D_ARRAY 0x8C19 #define GL_TEXTURE_2D_ARRAY 0x8C1A #define GL_PROXY_TEXTURE_2D_ARRAY 0x8C1B #define GL_TEXTURE_BINDING_1D_ARRAY 0x8C1C #define GL_TEXTURE_BINDING_2D_ARRAY 0x8C1D #define GL_R11F_G11F_B10F 0x8C3A #define GL_UNSIGNED_INT_10F_11F_11F_REV 0x8C3B #define GL_RGB9_E5 0x8C3D #define GL_UNSIGNED_INT_5_9_9_9_REV 0x8C3E #define GL_TEXTURE_SHARED_SIZE 0x8C3F #define GL_TRANSFORM_FEEDBACK_VARYING_MAX_LENGTH 0x8C76 #define GL_TRANSFORM_FEEDBACK_BUFFER_MODE 0x8C7F #define GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS 0x8C80 #define GL_TRANSFORM_FEEDBACK_VARYINGS 0x8C83 #define GL_TRANSFORM_FEEDBACK_BUFFER_START 0x8C84 #define GL_TRANSFORM_FEEDBACK_BUFFER_SIZE 0x8C85 #define GL_PRIMITIVES_GENERATED 0x8C87 #define GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN 0x8C88 #define GL_RASTERIZER_DISCARD 0x8C89 #define GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS 0x8C8A #define GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS 0x8C8B #define GL_INTERLEAVED_ATTRIBS 0x8C8C #define GL_SEPARATE_ATTRIBS 0x8C8D #define GL_TRANSFORM_FEEDBACK_BUFFER 0x8C8E #define GL_TRANSFORM_FEEDBACK_BUFFER_BINDING 0x8C8F #define GL_RGBA32UI 0x8D70 #define GL_RGB32UI 0x8D71 #define GL_RGBA16UI 0x8D76 #define GL_RGB16UI 0x8D77 #define GL_RGBA8UI 0x8D7C #define GL_RGB8UI 0x8D7D #define GL_RGBA32I 0x8D82 #define GL_RGB32I 0x8D83 #define GL_RGBA16I 0x8D88 #define GL_RGB16I 0x8D89 #define GL_RGBA8I 0x8D8E #define GL_RGB8I 0x8D8F #define GL_RED_INTEGER 0x8D94 #define GL_GREEN_INTEGER 0x8D95 #define GL_BLUE_INTEGER 0x8D96 #define GL_ALPHA_INTEGER 0x8D97 #define GL_RGB_INTEGER 0x8D98 #define GL_RGBA_INTEGER 0x8D99 #define GL_BGR_INTEGER 0x8D9A #define GL_BGRA_INTEGER 0x8D9B #define GL_SAMPLER_1D_ARRAY 0x8DC0 #define GL_SAMPLER_2D_ARRAY 0x8DC1 #define GL_SAMPLER_1D_ARRAY_SHADOW 0x8DC3 #define GL_SAMPLER_2D_ARRAY_SHADOW 0x8DC4 #define GL_SAMPLER_CUBE_SHADOW 0x8DC5 #define GL_UNSIGNED_INT_VEC2 0x8DC6 #define GL_UNSIGNED_INT_VEC3 0x8DC7 #define GL_UNSIGNED_INT_VEC4 0x8DC8 #define GL_INT_SAMPLER_1D 0x8DC9 #define GL_INT_SAMPLER_2D 0x8DCA #define GL_INT_SAMPLER_3D 0x8DCB #define GL_INT_SAMPLER_CUBE 0x8DCC #define GL_INT_SAMPLER_1D_ARRAY 0x8DCE #define GL_INT_SAMPLER_2D_ARRAY 0x8DCF #define GL_UNSIGNED_INT_SAMPLER_1D 0x8DD1 #define GL_UNSIGNED_INT_SAMPLER_2D 0x8DD2 #define GL_UNSIGNED_INT_SAMPLER_3D 0x8DD3 #define GL_UNSIGNED_INT_SAMPLER_CUBE 0x8DD4 #define GL_UNSIGNED_INT_SAMPLER_1D_ARRAY 0x8DD6 #define GL_UNSIGNED_INT_SAMPLER_2D_ARRAY 0x8DD7 #define GL_QUERY_WAIT 0x8E13 #define GL_QUERY_NO_WAIT 0x8E14 #define GL_QUERY_BY_REGION_WAIT 0x8E15 #define GL_QUERY_BY_REGION_NO_WAIT 0x8E16 typedef void (GLAPIENTRY * PFNGLBEGINCONDITIONALRENDERPROC) (GLuint id, GLenum mode); typedef void (GLAPIENTRY * PFNGLBEGINTRANSFORMFEEDBACKPROC) (GLenum primitiveMode); typedef void (GLAPIENTRY * PFNGLBINDFRAGDATALOCATIONPROC) (GLuint program, GLuint colorNumber, const GLchar* name); typedef void (GLAPIENTRY * PFNGLCLAMPCOLORPROC) (GLenum target, GLenum clamp); typedef void (GLAPIENTRY * PFNGLCLEARBUFFERFIPROC) (GLenum buffer, GLint drawBuffer, GLfloat depth, GLint stencil); typedef void (GLAPIENTRY * PFNGLCLEARBUFFERFVPROC) (GLenum buffer, GLint drawBuffer, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLCLEARBUFFERIVPROC) (GLenum buffer, GLint drawBuffer, const GLint* value); typedef void (GLAPIENTRY * PFNGLCLEARBUFFERUIVPROC) (GLenum buffer, GLint drawBuffer, const GLuint* value); typedef void (GLAPIENTRY * PFNGLCOLORMASKIPROC) (GLuint buf, GLboolean red, GLboolean green, GLboolean blue, GLboolean alpha); typedef void (GLAPIENTRY * PFNGLDISABLEIPROC) (GLenum cap, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEIPROC) (GLenum cap, GLuint index); typedef void (GLAPIENTRY * PFNGLENDCONDITIONALRENDERPROC) (void); typedef void (GLAPIENTRY * PFNGLENDTRANSFORMFEEDBACKPROC) (void); typedef void (GLAPIENTRY * PFNGLGETBOOLEANI_VPROC) (GLenum pname, GLuint index, GLboolean* data); typedef GLint (GLAPIENTRY * PFNGLGETFRAGDATALOCATIONPROC) (GLuint program, const GLchar* name); typedef const GLubyte* (GLAPIENTRY * PFNGLGETSTRINGIPROC) (GLenum name, GLuint index); typedef void (GLAPIENTRY * PFNGLGETTEXPARAMETERIIVPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTEXPARAMETERIUIVPROC) (GLenum target, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETTRANSFORMFEEDBACKVARYINGPROC) (GLuint program, GLuint index, GLsizei bufSize, GLsizei * length, GLsizei * size, GLenum * type, GLchar * name); typedef void (GLAPIENTRY * PFNGLGETUNIFORMUIVPROC) (GLuint program, GLint location, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIIVPROC) (GLuint index, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIUIVPROC) (GLuint index, GLenum pname, GLuint* params); typedef GLboolean (GLAPIENTRY * PFNGLISENABLEDIPROC) (GLenum cap, GLuint index); typedef void (GLAPIENTRY * PFNGLTEXPARAMETERIIVPROC) (GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLTEXPARAMETERIUIVPROC) (GLenum target, GLenum pname, const GLuint* params); typedef void (GLAPIENTRY * PFNGLTRANSFORMFEEDBACKVARYINGSPROC) (GLuint program, GLsizei count, const GLchar *const* varyings, GLenum bufferMode); typedef void (GLAPIENTRY * PFNGLUNIFORM1UIPROC) (GLint location, GLuint v0); typedef void (GLAPIENTRY * PFNGLUNIFORM1UIVPROC) (GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2UIPROC) (GLint location, GLuint v0, GLuint v1); typedef void (GLAPIENTRY * PFNGLUNIFORM2UIVPROC) (GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3UIPROC) (GLint location, GLuint v0, GLuint v1, GLuint v2); typedef void (GLAPIENTRY * PFNGLUNIFORM3UIVPROC) (GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4UIPROC) (GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3); typedef void (GLAPIENTRY * PFNGLUNIFORM4UIVPROC) (GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1IPROC) (GLuint index, GLint v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1IVPROC) (GLuint index, const GLint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1UIPROC) (GLuint index, GLuint v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1UIVPROC) (GLuint index, const GLuint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2IPROC) (GLuint index, GLint v0, GLint v1); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2IVPROC) (GLuint index, const GLint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2UIPROC) (GLuint index, GLuint v0, GLuint v1); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2UIVPROC) (GLuint index, const GLuint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3IPROC) (GLuint index, GLint v0, GLint v1, GLint v2); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3IVPROC) (GLuint index, const GLint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3UIPROC) (GLuint index, GLuint v0, GLuint v1, GLuint v2); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3UIVPROC) (GLuint index, const GLuint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4BVPROC) (GLuint index, const GLbyte* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4IPROC) (GLuint index, GLint v0, GLint v1, GLint v2, GLint v3); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4IVPROC) (GLuint index, const GLint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4SVPROC) (GLuint index, const GLshort* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4UBVPROC) (GLuint index, const GLubyte* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4UIPROC) (GLuint index, GLuint v0, GLuint v1, GLuint v2, GLuint v3); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4UIVPROC) (GLuint index, const GLuint* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4USVPROC) (GLuint index, const GLushort* v0); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBIPOINTERPROC) (GLuint index, GLint size, GLenum type, GLsizei stride, const void*pointer); #define glBeginConditionalRender GLEW_GET_FUN(__glewBeginConditionalRender) #define glBeginTransformFeedback GLEW_GET_FUN(__glewBeginTransformFeedback) #define glBindFragDataLocation GLEW_GET_FUN(__glewBindFragDataLocation) #define glClampColor GLEW_GET_FUN(__glewClampColor) #define glClearBufferfi GLEW_GET_FUN(__glewClearBufferfi) #define glClearBufferfv GLEW_GET_FUN(__glewClearBufferfv) #define glClearBufferiv GLEW_GET_FUN(__glewClearBufferiv) #define glClearBufferuiv GLEW_GET_FUN(__glewClearBufferuiv) #define glColorMaski GLEW_GET_FUN(__glewColorMaski) #define glDisablei GLEW_GET_FUN(__glewDisablei) #define glEnablei GLEW_GET_FUN(__glewEnablei) #define glEndConditionalRender GLEW_GET_FUN(__glewEndConditionalRender) #define glEndTransformFeedback GLEW_GET_FUN(__glewEndTransformFeedback) #define glGetBooleani_v GLEW_GET_FUN(__glewGetBooleani_v) #define glGetFragDataLocation GLEW_GET_FUN(__glewGetFragDataLocation) #define glGetStringi GLEW_GET_FUN(__glewGetStringi) #define glGetTexParameterIiv GLEW_GET_FUN(__glewGetTexParameterIiv) #define glGetTexParameterIuiv GLEW_GET_FUN(__glewGetTexParameterIuiv) #define glGetTransformFeedbackVarying GLEW_GET_FUN(__glewGetTransformFeedbackVarying) #define glGetUniformuiv GLEW_GET_FUN(__glewGetUniformuiv) #define glGetVertexAttribIiv GLEW_GET_FUN(__glewGetVertexAttribIiv) #define glGetVertexAttribIuiv GLEW_GET_FUN(__glewGetVertexAttribIuiv) #define glIsEnabledi GLEW_GET_FUN(__glewIsEnabledi) #define glTexParameterIiv GLEW_GET_FUN(__glewTexParameterIiv) #define glTexParameterIuiv GLEW_GET_FUN(__glewTexParameterIuiv) #define glTransformFeedbackVaryings GLEW_GET_FUN(__glewTransformFeedbackVaryings) #define glUniform1ui GLEW_GET_FUN(__glewUniform1ui) #define glUniform1uiv GLEW_GET_FUN(__glewUniform1uiv) #define glUniform2ui GLEW_GET_FUN(__glewUniform2ui) #define glUniform2uiv GLEW_GET_FUN(__glewUniform2uiv) #define glUniform3ui GLEW_GET_FUN(__glewUniform3ui) #define glUniform3uiv GLEW_GET_FUN(__glewUniform3uiv) #define glUniform4ui GLEW_GET_FUN(__glewUniform4ui) #define glUniform4uiv GLEW_GET_FUN(__glewUniform4uiv) #define glVertexAttribI1i GLEW_GET_FUN(__glewVertexAttribI1i) #define glVertexAttribI1iv GLEW_GET_FUN(__glewVertexAttribI1iv) #define glVertexAttribI1ui GLEW_GET_FUN(__glewVertexAttribI1ui) #define glVertexAttribI1uiv GLEW_GET_FUN(__glewVertexAttribI1uiv) #define glVertexAttribI2i GLEW_GET_FUN(__glewVertexAttribI2i) #define glVertexAttribI2iv GLEW_GET_FUN(__glewVertexAttribI2iv) #define glVertexAttribI2ui GLEW_GET_FUN(__glewVertexAttribI2ui) #define glVertexAttribI2uiv GLEW_GET_FUN(__glewVertexAttribI2uiv) #define glVertexAttribI3i GLEW_GET_FUN(__glewVertexAttribI3i) #define glVertexAttribI3iv GLEW_GET_FUN(__glewVertexAttribI3iv) #define glVertexAttribI3ui GLEW_GET_FUN(__glewVertexAttribI3ui) #define glVertexAttribI3uiv GLEW_GET_FUN(__glewVertexAttribI3uiv) #define glVertexAttribI4bv GLEW_GET_FUN(__glewVertexAttribI4bv) #define glVertexAttribI4i GLEW_GET_FUN(__glewVertexAttribI4i) #define glVertexAttribI4iv GLEW_GET_FUN(__glewVertexAttribI4iv) #define glVertexAttribI4sv GLEW_GET_FUN(__glewVertexAttribI4sv) #define glVertexAttribI4ubv GLEW_GET_FUN(__glewVertexAttribI4ubv) #define glVertexAttribI4ui GLEW_GET_FUN(__glewVertexAttribI4ui) #define glVertexAttribI4uiv GLEW_GET_FUN(__glewVertexAttribI4uiv) #define glVertexAttribI4usv GLEW_GET_FUN(__glewVertexAttribI4usv) #define glVertexAttribIPointer GLEW_GET_FUN(__glewVertexAttribIPointer) #define GLEW_VERSION_3_0 GLEW_GET_VAR(__GLEW_VERSION_3_0) #endif /* GL_VERSION_3_0 */ /* ----------------------------- GL_VERSION_3_1 ---------------------------- */ #ifndef GL_VERSION_3_1 #define GL_VERSION_3_1 1 #define GL_TEXTURE_RECTANGLE 0x84F5 #define GL_TEXTURE_BINDING_RECTANGLE 0x84F6 #define GL_PROXY_TEXTURE_RECTANGLE 0x84F7 #define GL_MAX_RECTANGLE_TEXTURE_SIZE 0x84F8 #define GL_SAMPLER_2D_RECT 0x8B63 #define GL_SAMPLER_2D_RECT_SHADOW 0x8B64 #define GL_TEXTURE_BUFFER 0x8C2A #define GL_MAX_TEXTURE_BUFFER_SIZE 0x8C2B #define GL_TEXTURE_BINDING_BUFFER 0x8C2C #define GL_TEXTURE_BUFFER_DATA_STORE_BINDING 0x8C2D #define GL_TEXTURE_BUFFER_FORMAT 0x8C2E #define GL_SAMPLER_BUFFER 0x8DC2 #define GL_INT_SAMPLER_2D_RECT 0x8DCD #define GL_INT_SAMPLER_BUFFER 0x8DD0 #define GL_UNSIGNED_INT_SAMPLER_2D_RECT 0x8DD5 #define GL_UNSIGNED_INT_SAMPLER_BUFFER 0x8DD8 #define GL_RED_SNORM 0x8F90 #define GL_RG_SNORM 0x8F91 #define GL_RGB_SNORM 0x8F92 #define GL_RGBA_SNORM 0x8F93 #define GL_R8_SNORM 0x8F94 #define GL_RG8_SNORM 0x8F95 #define GL_RGB8_SNORM 0x8F96 #define GL_RGBA8_SNORM 0x8F97 #define GL_R16_SNORM 0x8F98 #define GL_RG16_SNORM 0x8F99 #define GL_RGB16_SNORM 0x8F9A #define GL_RGBA16_SNORM 0x8F9B #define GL_SIGNED_NORMALIZED 0x8F9C #define GL_PRIMITIVE_RESTART 0x8F9D #define GL_PRIMITIVE_RESTART_INDEX 0x8F9E #define GL_BUFFER_ACCESS_FLAGS 0x911F #define GL_BUFFER_MAP_LENGTH 0x9120 #define GL_BUFFER_MAP_OFFSET 0x9121 typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDPROC) (GLenum mode, GLint first, GLsizei count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDPROC) (GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLPRIMITIVERESTARTINDEXPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLTEXBUFFERPROC) (GLenum target, GLenum internalFormat, GLuint buffer); #define glDrawArraysInstanced GLEW_GET_FUN(__glewDrawArraysInstanced) #define glDrawElementsInstanced GLEW_GET_FUN(__glewDrawElementsInstanced) #define glPrimitiveRestartIndex GLEW_GET_FUN(__glewPrimitiveRestartIndex) #define glTexBuffer GLEW_GET_FUN(__glewTexBuffer) #define GLEW_VERSION_3_1 GLEW_GET_VAR(__GLEW_VERSION_3_1) #endif /* GL_VERSION_3_1 */ /* ----------------------------- GL_VERSION_3_2 ---------------------------- */ #ifndef GL_VERSION_3_2 #define GL_VERSION_3_2 1 #define GL_CONTEXT_CORE_PROFILE_BIT 0x00000001 #define GL_CONTEXT_COMPATIBILITY_PROFILE_BIT 0x00000002 #define GL_LINES_ADJACENCY 0x000A #define GL_LINE_STRIP_ADJACENCY 0x000B #define GL_TRIANGLES_ADJACENCY 0x000C #define GL_TRIANGLE_STRIP_ADJACENCY 0x000D #define GL_PROGRAM_POINT_SIZE 0x8642 #define GL_GEOMETRY_VERTICES_OUT 0x8916 #define GL_GEOMETRY_INPUT_TYPE 0x8917 #define GL_GEOMETRY_OUTPUT_TYPE 0x8918 #define GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS 0x8C29 #define GL_FRAMEBUFFER_ATTACHMENT_LAYERED 0x8DA7 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS 0x8DA8 #define GL_GEOMETRY_SHADER 0x8DD9 #define GL_MAX_GEOMETRY_UNIFORM_COMPONENTS 0x8DDF #define GL_MAX_GEOMETRY_OUTPUT_VERTICES 0x8DE0 #define GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS 0x8DE1 #define GL_MAX_VERTEX_OUTPUT_COMPONENTS 0x9122 #define GL_MAX_GEOMETRY_INPUT_COMPONENTS 0x9123 #define GL_MAX_GEOMETRY_OUTPUT_COMPONENTS 0x9124 #define GL_MAX_FRAGMENT_INPUT_COMPONENTS 0x9125 #define GL_CONTEXT_PROFILE_MASK 0x9126 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLGETBUFFERPARAMETERI64VPROC) (GLenum target, GLenum value, GLint64 * data); typedef void (GLAPIENTRY * PFNGLGETINTEGER64I_VPROC) (GLenum pname, GLuint index, GLint64 * data); #define glFramebufferTexture GLEW_GET_FUN(__glewFramebufferTexture) #define glGetBufferParameteri64v GLEW_GET_FUN(__glewGetBufferParameteri64v) #define glGetInteger64i_v GLEW_GET_FUN(__glewGetInteger64i_v) #define GLEW_VERSION_3_2 GLEW_GET_VAR(__GLEW_VERSION_3_2) #endif /* GL_VERSION_3_2 */ /* ----------------------------- GL_VERSION_3_3 ---------------------------- */ #ifndef GL_VERSION_3_3 #define GL_VERSION_3_3 1 #define GL_VERTEX_ATTRIB_ARRAY_DIVISOR 0x88FE #define GL_RGB10_A2UI 0x906F typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBDIVISORPROC) (GLuint index, GLuint divisor); #define glVertexAttribDivisor GLEW_GET_FUN(__glewVertexAttribDivisor) #define GLEW_VERSION_3_3 GLEW_GET_VAR(__GLEW_VERSION_3_3) #endif /* GL_VERSION_3_3 */ /* ----------------------------- GL_VERSION_4_0 ---------------------------- */ #ifndef GL_VERSION_4_0 #define GL_VERSION_4_0 1 #define GL_SAMPLE_SHADING 0x8C36 #define GL_MIN_SAMPLE_SHADING_VALUE 0x8C37 #define GL_MIN_PROGRAM_TEXTURE_GATHER_OFFSET 0x8E5E #define GL_MAX_PROGRAM_TEXTURE_GATHER_OFFSET 0x8E5F #define GL_MAX_PROGRAM_TEXTURE_GATHER_COMPONENTS 0x8F9F #define GL_TEXTURE_CUBE_MAP_ARRAY 0x9009 #define GL_TEXTURE_BINDING_CUBE_MAP_ARRAY 0x900A #define GL_PROXY_TEXTURE_CUBE_MAP_ARRAY 0x900B #define GL_SAMPLER_CUBE_MAP_ARRAY 0x900C #define GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW 0x900D #define GL_INT_SAMPLER_CUBE_MAP_ARRAY 0x900E #define GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY 0x900F typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONSEPARATEIPROC) (GLuint buf, GLenum modeRGB, GLenum modeAlpha); typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONIPROC) (GLuint buf, GLenum mode); typedef void (GLAPIENTRY * PFNGLBLENDFUNCSEPARATEIPROC) (GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha); typedef void (GLAPIENTRY * PFNGLBLENDFUNCIPROC) (GLuint buf, GLenum src, GLenum dst); typedef void (GLAPIENTRY * PFNGLMINSAMPLESHADINGPROC) (GLclampf value); #define glBlendEquationSeparatei GLEW_GET_FUN(__glewBlendEquationSeparatei) #define glBlendEquationi GLEW_GET_FUN(__glewBlendEquationi) #define glBlendFuncSeparatei GLEW_GET_FUN(__glewBlendFuncSeparatei) #define glBlendFunci GLEW_GET_FUN(__glewBlendFunci) #define glMinSampleShading GLEW_GET_FUN(__glewMinSampleShading) #define GLEW_VERSION_4_0 GLEW_GET_VAR(__GLEW_VERSION_4_0) #endif /* GL_VERSION_4_0 */ /* ----------------------------- GL_VERSION_4_1 ---------------------------- */ #ifndef GL_VERSION_4_1 #define GL_VERSION_4_1 1 #define GLEW_VERSION_4_1 GLEW_GET_VAR(__GLEW_VERSION_4_1) #endif /* GL_VERSION_4_1 */ /* ----------------------------- GL_VERSION_4_2 ---------------------------- */ #ifndef GL_VERSION_4_2 #define GL_VERSION_4_2 1 #define GL_TRANSFORM_FEEDBACK_PAUSED 0x8E23 #define GL_TRANSFORM_FEEDBACK_ACTIVE 0x8E24 #define GL_COMPRESSED_RGBA_BPTC_UNORM 0x8E8C #define GL_COMPRESSED_SRGB_ALPHA_BPTC_UNORM 0x8E8D #define GL_COMPRESSED_RGB_BPTC_SIGNED_FLOAT 0x8E8E #define GL_COMPRESSED_RGB_BPTC_UNSIGNED_FLOAT 0x8E8F #define GL_COPY_READ_BUFFER_BINDING 0x8F36 #define GL_COPY_WRITE_BUFFER_BINDING 0x8F37 #define GLEW_VERSION_4_2 GLEW_GET_VAR(__GLEW_VERSION_4_2) #endif /* GL_VERSION_4_2 */ /* ----------------------------- GL_VERSION_4_3 ---------------------------- */ #ifndef GL_VERSION_4_3 #define GL_VERSION_4_3 1 #define GL_NUM_SHADING_LANGUAGE_VERSIONS 0x82E9 #define GL_VERTEX_ATTRIB_ARRAY_LONG 0x874E #define GLEW_VERSION_4_3 GLEW_GET_VAR(__GLEW_VERSION_4_3) #endif /* GL_VERSION_4_3 */ /* ----------------------------- GL_VERSION_4_4 ---------------------------- */ #ifndef GL_VERSION_4_4 #define GL_VERSION_4_4 1 #define GL_PRIMITIVE_RESTART_FOR_PATCHES_SUPPORTED 0x8221 #define GL_MAX_VERTEX_ATTRIB_STRIDE 0x82E5 #define GL_TEXTURE_BUFFER_BINDING 0x8C2A #define GLEW_VERSION_4_4 GLEW_GET_VAR(__GLEW_VERSION_4_4) #endif /* GL_VERSION_4_4 */ /* ----------------------------- GL_VERSION_4_5 ---------------------------- */ #ifndef GL_VERSION_4_5 #define GL_VERSION_4_5 1 #define GL_CONTEXT_FLAG_ROBUST_ACCESS_BIT 0x00000004 typedef GLenum (GLAPIENTRY * PFNGLGETGRAPHICSRESETSTATUSPROC) (void); typedef void (GLAPIENTRY * PFNGLGETNCOMPRESSEDTEXIMAGEPROC) (GLenum target, GLint lod, GLsizei bufSize, GLvoid *pixels); typedef void (GLAPIENTRY * PFNGLGETNTEXIMAGEPROC) (GLenum tex, GLint level, GLenum format, GLenum type, GLsizei bufSize, GLvoid *pixels); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMDVPROC) (GLuint program, GLint location, GLsizei bufSize, GLdouble *params); #define glGetGraphicsResetStatus GLEW_GET_FUN(__glewGetGraphicsResetStatus) #define glGetnCompressedTexImage GLEW_GET_FUN(__glewGetnCompressedTexImage) #define glGetnTexImage GLEW_GET_FUN(__glewGetnTexImage) #define glGetnUniformdv GLEW_GET_FUN(__glewGetnUniformdv) #define GLEW_VERSION_4_5 GLEW_GET_VAR(__GLEW_VERSION_4_5) #endif /* GL_VERSION_4_5 */ /* ----------------------------- GL_VERSION_4_6 ---------------------------- */ #ifndef GL_VERSION_4_6 #define GL_VERSION_4_6 1 #define GL_CONTEXT_FLAG_NO_ERROR_BIT 0x00000008 #define GL_PARAMETER_BUFFER 0x80EE #define GL_PARAMETER_BUFFER_BINDING 0x80EF #define GL_TRANSFORM_FEEDBACK_OVERFLOW 0x82EC #define GL_TRANSFORM_FEEDBACK_STREAM_OVERFLOW 0x82ED #define GL_VERTICES_SUBMITTED 0x82EE #define GL_PRIMITIVES_SUBMITTED 0x82EF #define GL_VERTEX_SHADER_INVOCATIONS 0x82F0 #define GL_TESS_CONTROL_SHADER_PATCHES 0x82F1 #define GL_TESS_EVALUATION_SHADER_INVOCATIONS 0x82F2 #define GL_GEOMETRY_SHADER_PRIMITIVES_EMITTED 0x82F3 #define GL_FRAGMENT_SHADER_INVOCATIONS 0x82F4 #define GL_COMPUTE_SHADER_INVOCATIONS 0x82F5 #define GL_CLIPPING_INPUT_PRIMITIVES 0x82F6 #define GL_CLIPPING_OUTPUT_PRIMITIVES 0x82F7 #define GL_TEXTURE_MAX_ANISOTROPY 0x84FE #define GL_MAX_TEXTURE_MAX_ANISOTROPY 0x84FF #define GL_POLYGON_OFFSET_CLAMP 0x8E1B #define GL_SHADER_BINARY_FORMAT_SPIR_V 0x9551 #define GL_SPIR_V_BINARY 0x9552 #define GL_SPIR_V_EXTENSIONS 0x9553 #define GL_NUM_SPIR_V_EXTENSIONS 0x9554 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTCOUNTPROC) (GLenum mode, const GLvoid *indirect, GLintptr drawcount, GLsizei maxdrawcount, GLsizei stride); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTPROC) (GLenum mode, GLenum type, const GLvoid *indirect, GLintptr drawcount, GLsizei maxdrawcount, GLsizei stride); typedef void (GLAPIENTRY * PFNGLSPECIALIZESHADERPROC) (GLuint shader, const GLchar *pEntryPoint, GLuint numSpecializationConstants, const GLuint *pConstantIndex, const GLuint *pConstantValue); #define glMultiDrawArraysIndirectCount GLEW_GET_FUN(__glewMultiDrawArraysIndirectCount) #define glMultiDrawElementsIndirectCount GLEW_GET_FUN(__glewMultiDrawElementsIndirectCount) #define glSpecializeShader GLEW_GET_FUN(__glewSpecializeShader) #define GLEW_VERSION_4_6 GLEW_GET_VAR(__GLEW_VERSION_4_6) #endif /* GL_VERSION_4_6 */ /* -------------------------- GL_3DFX_multisample -------------------------- */ #ifndef GL_3DFX_multisample #define GL_3DFX_multisample 1 #define GL_MULTISAMPLE_3DFX 0x86B2 #define GL_SAMPLE_BUFFERS_3DFX 0x86B3 #define GL_SAMPLES_3DFX 0x86B4 #define GL_MULTISAMPLE_BIT_3DFX 0x20000000 #define GLEW_3DFX_multisample GLEW_GET_VAR(__GLEW_3DFX_multisample) #endif /* GL_3DFX_multisample */ /* ---------------------------- GL_3DFX_tbuffer ---------------------------- */ #ifndef GL_3DFX_tbuffer #define GL_3DFX_tbuffer 1 typedef void (GLAPIENTRY * PFNGLTBUFFERMASK3DFXPROC) (GLuint mask); #define glTbufferMask3DFX GLEW_GET_FUN(__glewTbufferMask3DFX) #define GLEW_3DFX_tbuffer GLEW_GET_VAR(__GLEW_3DFX_tbuffer) #endif /* GL_3DFX_tbuffer */ /* -------------------- GL_3DFX_texture_compression_FXT1 ------------------- */ #ifndef GL_3DFX_texture_compression_FXT1 #define GL_3DFX_texture_compression_FXT1 1 #define GL_COMPRESSED_RGB_FXT1_3DFX 0x86B0 #define GL_COMPRESSED_RGBA_FXT1_3DFX 0x86B1 #define GLEW_3DFX_texture_compression_FXT1 GLEW_GET_VAR(__GLEW_3DFX_texture_compression_FXT1) #endif /* GL_3DFX_texture_compression_FXT1 */ /* ----------------------- GL_AMD_blend_minmax_factor ---------------------- */ #ifndef GL_AMD_blend_minmax_factor #define GL_AMD_blend_minmax_factor 1 #define GL_FACTOR_MIN_AMD 0x901C #define GL_FACTOR_MAX_AMD 0x901D #define GLEW_AMD_blend_minmax_factor GLEW_GET_VAR(__GLEW_AMD_blend_minmax_factor) #endif /* GL_AMD_blend_minmax_factor */ /* --------------------- GL_AMD_compressed_3DC_texture --------------------- */ #ifndef GL_AMD_compressed_3DC_texture #define GL_AMD_compressed_3DC_texture 1 #define GL_3DC_X_AMD 0x87F9 #define GL_3DC_XY_AMD 0x87FA #define GLEW_AMD_compressed_3DC_texture GLEW_GET_VAR(__GLEW_AMD_compressed_3DC_texture) #endif /* GL_AMD_compressed_3DC_texture */ /* --------------------- GL_AMD_compressed_ATC_texture --------------------- */ #ifndef GL_AMD_compressed_ATC_texture #define GL_AMD_compressed_ATC_texture 1 #define GL_ATC_RGBA_INTERPOLATED_ALPHA_AMD 0x87EE #define GL_ATC_RGB_AMD 0x8C92 #define GL_ATC_RGBA_EXPLICIT_ALPHA_AMD 0x8C93 #define GLEW_AMD_compressed_ATC_texture GLEW_GET_VAR(__GLEW_AMD_compressed_ATC_texture) #endif /* GL_AMD_compressed_ATC_texture */ /* ----------------------- GL_AMD_conservative_depth ----------------------- */ #ifndef GL_AMD_conservative_depth #define GL_AMD_conservative_depth 1 #define GLEW_AMD_conservative_depth GLEW_GET_VAR(__GLEW_AMD_conservative_depth) #endif /* GL_AMD_conservative_depth */ /* -------------------------- GL_AMD_debug_output -------------------------- */ #ifndef GL_AMD_debug_output #define GL_AMD_debug_output 1 #define GL_MAX_DEBUG_MESSAGE_LENGTH_AMD 0x9143 #define GL_MAX_DEBUG_LOGGED_MESSAGES_AMD 0x9144 #define GL_DEBUG_LOGGED_MESSAGES_AMD 0x9145 #define GL_DEBUG_SEVERITY_HIGH_AMD 0x9146 #define GL_DEBUG_SEVERITY_MEDIUM_AMD 0x9147 #define GL_DEBUG_SEVERITY_LOW_AMD 0x9148 #define GL_DEBUG_CATEGORY_API_ERROR_AMD 0x9149 #define GL_DEBUG_CATEGORY_WINDOW_SYSTEM_AMD 0x914A #define GL_DEBUG_CATEGORY_DEPRECATION_AMD 0x914B #define GL_DEBUG_CATEGORY_UNDEFINED_BEHAVIOR_AMD 0x914C #define GL_DEBUG_CATEGORY_PERFORMANCE_AMD 0x914D #define GL_DEBUG_CATEGORY_SHADER_COMPILER_AMD 0x914E #define GL_DEBUG_CATEGORY_APPLICATION_AMD 0x914F #define GL_DEBUG_CATEGORY_OTHER_AMD 0x9150 typedef void (GLAPIENTRY *GLDEBUGPROCAMD)(GLuint id, GLenum category, GLenum severity, GLsizei length, const GLchar* message, void* userParam); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGECALLBACKAMDPROC) (GLDEBUGPROCAMD callback, void *userParam); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGEENABLEAMDPROC) (GLenum category, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGEINSERTAMDPROC) (GLenum category, GLenum severity, GLuint id, GLsizei length, const GLchar* buf); typedef GLuint (GLAPIENTRY * PFNGLGETDEBUGMESSAGELOGAMDPROC) (GLuint count, GLsizei bufsize, GLenum* categories, GLuint* severities, GLuint* ids, GLsizei* lengths, GLchar* message); #define glDebugMessageCallbackAMD GLEW_GET_FUN(__glewDebugMessageCallbackAMD) #define glDebugMessageEnableAMD GLEW_GET_FUN(__glewDebugMessageEnableAMD) #define glDebugMessageInsertAMD GLEW_GET_FUN(__glewDebugMessageInsertAMD) #define glGetDebugMessageLogAMD GLEW_GET_FUN(__glewGetDebugMessageLogAMD) #define GLEW_AMD_debug_output GLEW_GET_VAR(__GLEW_AMD_debug_output) #endif /* GL_AMD_debug_output */ /* ---------------------- GL_AMD_depth_clamp_separate ---------------------- */ #ifndef GL_AMD_depth_clamp_separate #define GL_AMD_depth_clamp_separate 1 #define GL_DEPTH_CLAMP_NEAR_AMD 0x901E #define GL_DEPTH_CLAMP_FAR_AMD 0x901F #define GLEW_AMD_depth_clamp_separate GLEW_GET_VAR(__GLEW_AMD_depth_clamp_separate) #endif /* GL_AMD_depth_clamp_separate */ /* ----------------------- GL_AMD_draw_buffers_blend ----------------------- */ #ifndef GL_AMD_draw_buffers_blend #define GL_AMD_draw_buffers_blend 1 typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONINDEXEDAMDPROC) (GLuint buf, GLenum mode); typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONSEPARATEINDEXEDAMDPROC) (GLuint buf, GLenum modeRGB, GLenum modeAlpha); typedef void (GLAPIENTRY * PFNGLBLENDFUNCINDEXEDAMDPROC) (GLuint buf, GLenum src, GLenum dst); typedef void (GLAPIENTRY * PFNGLBLENDFUNCSEPARATEINDEXEDAMDPROC) (GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha); #define glBlendEquationIndexedAMD GLEW_GET_FUN(__glewBlendEquationIndexedAMD) #define glBlendEquationSeparateIndexedAMD GLEW_GET_FUN(__glewBlendEquationSeparateIndexedAMD) #define glBlendFuncIndexedAMD GLEW_GET_FUN(__glewBlendFuncIndexedAMD) #define glBlendFuncSeparateIndexedAMD GLEW_GET_FUN(__glewBlendFuncSeparateIndexedAMD) #define GLEW_AMD_draw_buffers_blend GLEW_GET_VAR(__GLEW_AMD_draw_buffers_blend) #endif /* GL_AMD_draw_buffers_blend */ /* ------------------ GL_AMD_framebuffer_sample_positions ------------------ */ #ifndef GL_AMD_framebuffer_sample_positions #define GL_AMD_framebuffer_sample_positions 1 #define GL_SUBSAMPLE_DISTANCE_AMD 0x883F #define GL_PIXELS_PER_SAMPLE_PATTERN_X_AMD 0x91AE #define GL_PIXELS_PER_SAMPLE_PATTERN_Y_AMD 0x91AF #define GL_ALL_PIXELS_AMD 0xFFFFFFFF typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC) (GLenum target, GLuint numsamples, GLuint pixelindex, const GLfloat* values); typedef void (GLAPIENTRY * PFNGLGETFRAMEBUFFERPARAMETERFVAMDPROC) (GLenum target, GLenum pname, GLuint numsamples, GLuint pixelindex, GLsizei size, GLfloat* values); typedef void (GLAPIENTRY * PFNGLGETNAMEDFRAMEBUFFERPARAMETERFVAMDPROC) (GLuint framebuffer, GLenum pname, GLuint numsamples, GLuint pixelindex, GLsizei size, GLfloat* values); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC) (GLuint framebuffer, GLuint numsamples, GLuint pixelindex, const GLfloat* values); #define glFramebufferSamplePositionsfvAMD GLEW_GET_FUN(__glewFramebufferSamplePositionsfvAMD) #define glGetFramebufferParameterfvAMD GLEW_GET_FUN(__glewGetFramebufferParameterfvAMD) #define glGetNamedFramebufferParameterfvAMD GLEW_GET_FUN(__glewGetNamedFramebufferParameterfvAMD) #define glNamedFramebufferSamplePositionsfvAMD GLEW_GET_FUN(__glewNamedFramebufferSamplePositionsfvAMD) #define GLEW_AMD_framebuffer_sample_positions GLEW_GET_VAR(__GLEW_AMD_framebuffer_sample_positions) #endif /* GL_AMD_framebuffer_sample_positions */ /* --------------------------- GL_AMD_gcn_shader --------------------------- */ #ifndef GL_AMD_gcn_shader #define GL_AMD_gcn_shader 1 #define GLEW_AMD_gcn_shader GLEW_GET_VAR(__GLEW_AMD_gcn_shader) #endif /* GL_AMD_gcn_shader */ /* ---------------------- GL_AMD_gpu_shader_half_float --------------------- */ #ifndef GL_AMD_gpu_shader_half_float #define GL_AMD_gpu_shader_half_float 1 #define GL_FLOAT16_NV 0x8FF8 #define GL_FLOAT16_VEC2_NV 0x8FF9 #define GL_FLOAT16_VEC3_NV 0x8FFA #define GL_FLOAT16_VEC4_NV 0x8FFB #define GL_FLOAT16_MAT2_AMD 0x91C5 #define GL_FLOAT16_MAT3_AMD 0x91C6 #define GL_FLOAT16_MAT4_AMD 0x91C7 #define GL_FLOAT16_MAT2x3_AMD 0x91C8 #define GL_FLOAT16_MAT2x4_AMD 0x91C9 #define GL_FLOAT16_MAT3x2_AMD 0x91CA #define GL_FLOAT16_MAT3x4_AMD 0x91CB #define GL_FLOAT16_MAT4x2_AMD 0x91CC #define GL_FLOAT16_MAT4x3_AMD 0x91CD #define GLEW_AMD_gpu_shader_half_float GLEW_GET_VAR(__GLEW_AMD_gpu_shader_half_float) #endif /* GL_AMD_gpu_shader_half_float */ /* ------------------------ GL_AMD_gpu_shader_int16 ------------------------ */ #ifndef GL_AMD_gpu_shader_int16 #define GL_AMD_gpu_shader_int16 1 #define GLEW_AMD_gpu_shader_int16 GLEW_GET_VAR(__GLEW_AMD_gpu_shader_int16) #endif /* GL_AMD_gpu_shader_int16 */ /* ------------------------ GL_AMD_gpu_shader_int64 ------------------------ */ #ifndef GL_AMD_gpu_shader_int64 #define GL_AMD_gpu_shader_int64 1 #define GLEW_AMD_gpu_shader_int64 GLEW_GET_VAR(__GLEW_AMD_gpu_shader_int64) #endif /* GL_AMD_gpu_shader_int64 */ /* ---------------------- GL_AMD_interleaved_elements ---------------------- */ #ifndef GL_AMD_interleaved_elements #define GL_AMD_interleaved_elements 1 #define GL_RED 0x1903 #define GL_GREEN 0x1904 #define GL_BLUE 0x1905 #define GL_ALPHA 0x1906 #define GL_RG8UI 0x8238 #define GL_RG16UI 0x823A #define GL_RGBA8UI 0x8D7C #define GL_VERTEX_ELEMENT_SWIZZLE_AMD 0x91A4 #define GL_VERTEX_ID_SWIZZLE_AMD 0x91A5 typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBPARAMETERIAMDPROC) (GLuint index, GLenum pname, GLint param); #define glVertexAttribParameteriAMD GLEW_GET_FUN(__glewVertexAttribParameteriAMD) #define GLEW_AMD_interleaved_elements GLEW_GET_VAR(__GLEW_AMD_interleaved_elements) #endif /* GL_AMD_interleaved_elements */ /* ----------------------- GL_AMD_multi_draw_indirect ---------------------- */ #ifndef GL_AMD_multi_draw_indirect #define GL_AMD_multi_draw_indirect 1 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTAMDPROC) (GLenum mode, const void *indirect, GLsizei primcount, GLsizei stride); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTAMDPROC) (GLenum mode, GLenum type, const void *indirect, GLsizei primcount, GLsizei stride); #define glMultiDrawArraysIndirectAMD GLEW_GET_FUN(__glewMultiDrawArraysIndirectAMD) #define glMultiDrawElementsIndirectAMD GLEW_GET_FUN(__glewMultiDrawElementsIndirectAMD) #define GLEW_AMD_multi_draw_indirect GLEW_GET_VAR(__GLEW_AMD_multi_draw_indirect) #endif /* GL_AMD_multi_draw_indirect */ /* ------------------------- GL_AMD_name_gen_delete ------------------------ */ #ifndef GL_AMD_name_gen_delete #define GL_AMD_name_gen_delete 1 #define GL_DATA_BUFFER_AMD 0x9151 #define GL_PERFORMANCE_MONITOR_AMD 0x9152 #define GL_QUERY_OBJECT_AMD 0x9153 #define GL_VERTEX_ARRAY_OBJECT_AMD 0x9154 #define GL_SAMPLER_OBJECT_AMD 0x9155 typedef void (GLAPIENTRY * PFNGLDELETENAMESAMDPROC) (GLenum identifier, GLuint num, const GLuint* names); typedef void (GLAPIENTRY * PFNGLGENNAMESAMDPROC) (GLenum identifier, GLuint num, GLuint* names); typedef GLboolean (GLAPIENTRY * PFNGLISNAMEAMDPROC) (GLenum identifier, GLuint name); #define glDeleteNamesAMD GLEW_GET_FUN(__glewDeleteNamesAMD) #define glGenNamesAMD GLEW_GET_FUN(__glewGenNamesAMD) #define glIsNameAMD GLEW_GET_FUN(__glewIsNameAMD) #define GLEW_AMD_name_gen_delete GLEW_GET_VAR(__GLEW_AMD_name_gen_delete) #endif /* GL_AMD_name_gen_delete */ /* ---------------------- GL_AMD_occlusion_query_event --------------------- */ #ifndef GL_AMD_occlusion_query_event #define GL_AMD_occlusion_query_event 1 #define GL_QUERY_DEPTH_PASS_EVENT_BIT_AMD 0x00000001 #define GL_QUERY_DEPTH_FAIL_EVENT_BIT_AMD 0x00000002 #define GL_QUERY_STENCIL_FAIL_EVENT_BIT_AMD 0x00000004 #define GL_QUERY_DEPTH_BOUNDS_FAIL_EVENT_BIT_AMD 0x00000008 #define GL_OCCLUSION_QUERY_EVENT_MASK_AMD 0x874F #define GL_QUERY_ALL_EVENT_BITS_AMD 0xFFFFFFFF typedef void (GLAPIENTRY * PFNGLQUERYOBJECTPARAMETERUIAMDPROC) (GLenum target, GLuint id, GLenum pname, GLuint param); #define glQueryObjectParameteruiAMD GLEW_GET_FUN(__glewQueryObjectParameteruiAMD) #define GLEW_AMD_occlusion_query_event GLEW_GET_VAR(__GLEW_AMD_occlusion_query_event) #endif /* GL_AMD_occlusion_query_event */ /* ----------------------- GL_AMD_performance_monitor ---------------------- */ #ifndef GL_AMD_performance_monitor #define GL_AMD_performance_monitor 1 #define GL_COUNTER_TYPE_AMD 0x8BC0 #define GL_COUNTER_RANGE_AMD 0x8BC1 #define GL_UNSIGNED_INT64_AMD 0x8BC2 #define GL_PERCENTAGE_AMD 0x8BC3 #define GL_PERFMON_RESULT_AVAILABLE_AMD 0x8BC4 #define GL_PERFMON_RESULT_SIZE_AMD 0x8BC5 #define GL_PERFMON_RESULT_AMD 0x8BC6 typedef void (GLAPIENTRY * PFNGLBEGINPERFMONITORAMDPROC) (GLuint monitor); typedef void (GLAPIENTRY * PFNGLDELETEPERFMONITORSAMDPROC) (GLsizei n, GLuint* monitors); typedef void (GLAPIENTRY * PFNGLENDPERFMONITORAMDPROC) (GLuint monitor); typedef void (GLAPIENTRY * PFNGLGENPERFMONITORSAMDPROC) (GLsizei n, GLuint* monitors); typedef void (GLAPIENTRY * PFNGLGETPERFMONITORCOUNTERDATAAMDPROC) (GLuint monitor, GLenum pname, GLsizei dataSize, GLuint* data, GLint *bytesWritten); typedef void (GLAPIENTRY * PFNGLGETPERFMONITORCOUNTERINFOAMDPROC) (GLuint group, GLuint counter, GLenum pname, void *data); typedef void (GLAPIENTRY * PFNGLGETPERFMONITORCOUNTERSTRINGAMDPROC) (GLuint group, GLuint counter, GLsizei bufSize, GLsizei* length, GLchar *counterString); typedef void (GLAPIENTRY * PFNGLGETPERFMONITORCOUNTERSAMDPROC) (GLuint group, GLint* numCounters, GLint *maxActiveCounters, GLsizei countersSize, GLuint *counters); typedef void (GLAPIENTRY * PFNGLGETPERFMONITORGROUPSTRINGAMDPROC) (GLuint group, GLsizei bufSize, GLsizei* length, GLchar *groupString); typedef void (GLAPIENTRY * PFNGLGETPERFMONITORGROUPSAMDPROC) (GLint* numGroups, GLsizei groupsSize, GLuint *groups); typedef void (GLAPIENTRY * PFNGLSELECTPERFMONITORCOUNTERSAMDPROC) (GLuint monitor, GLboolean enable, GLuint group, GLint numCounters, GLuint* counterList); #define glBeginPerfMonitorAMD GLEW_GET_FUN(__glewBeginPerfMonitorAMD) #define glDeletePerfMonitorsAMD GLEW_GET_FUN(__glewDeletePerfMonitorsAMD) #define glEndPerfMonitorAMD GLEW_GET_FUN(__glewEndPerfMonitorAMD) #define glGenPerfMonitorsAMD GLEW_GET_FUN(__glewGenPerfMonitorsAMD) #define glGetPerfMonitorCounterDataAMD GLEW_GET_FUN(__glewGetPerfMonitorCounterDataAMD) #define glGetPerfMonitorCounterInfoAMD GLEW_GET_FUN(__glewGetPerfMonitorCounterInfoAMD) #define glGetPerfMonitorCounterStringAMD GLEW_GET_FUN(__glewGetPerfMonitorCounterStringAMD) #define glGetPerfMonitorCountersAMD GLEW_GET_FUN(__glewGetPerfMonitorCountersAMD) #define glGetPerfMonitorGroupStringAMD GLEW_GET_FUN(__glewGetPerfMonitorGroupStringAMD) #define glGetPerfMonitorGroupsAMD GLEW_GET_FUN(__glewGetPerfMonitorGroupsAMD) #define glSelectPerfMonitorCountersAMD GLEW_GET_FUN(__glewSelectPerfMonitorCountersAMD) #define GLEW_AMD_performance_monitor GLEW_GET_VAR(__GLEW_AMD_performance_monitor) #endif /* GL_AMD_performance_monitor */ /* -------------------------- GL_AMD_pinned_memory ------------------------- */ #ifndef GL_AMD_pinned_memory #define GL_AMD_pinned_memory 1 #define GL_EXTERNAL_VIRTUAL_MEMORY_BUFFER_AMD 0x9160 #define GLEW_AMD_pinned_memory GLEW_GET_VAR(__GLEW_AMD_pinned_memory) #endif /* GL_AMD_pinned_memory */ /* ----------------------- GL_AMD_program_binary_Z400 ---------------------- */ #ifndef GL_AMD_program_binary_Z400 #define GL_AMD_program_binary_Z400 1 #define GL_Z400_BINARY_AMD 0x8740 #define GLEW_AMD_program_binary_Z400 GLEW_GET_VAR(__GLEW_AMD_program_binary_Z400) #endif /* GL_AMD_program_binary_Z400 */ /* ----------------------- GL_AMD_query_buffer_object ---------------------- */ #ifndef GL_AMD_query_buffer_object #define GL_AMD_query_buffer_object 1 #define GL_QUERY_BUFFER_AMD 0x9192 #define GL_QUERY_BUFFER_BINDING_AMD 0x9193 #define GL_QUERY_RESULT_NO_WAIT_AMD 0x9194 #define GLEW_AMD_query_buffer_object GLEW_GET_VAR(__GLEW_AMD_query_buffer_object) #endif /* GL_AMD_query_buffer_object */ /* ------------------------ GL_AMD_sample_positions ------------------------ */ #ifndef GL_AMD_sample_positions #define GL_AMD_sample_positions 1 #define GL_SUBSAMPLE_DISTANCE_AMD 0x883F typedef void (GLAPIENTRY * PFNGLSETMULTISAMPLEFVAMDPROC) (GLenum pname, GLuint index, const GLfloat* val); #define glSetMultisamplefvAMD GLEW_GET_FUN(__glewSetMultisamplefvAMD) #define GLEW_AMD_sample_positions GLEW_GET_VAR(__GLEW_AMD_sample_positions) #endif /* GL_AMD_sample_positions */ /* ------------------ GL_AMD_seamless_cubemap_per_texture ------------------ */ #ifndef GL_AMD_seamless_cubemap_per_texture #define GL_AMD_seamless_cubemap_per_texture 1 #define GL_TEXTURE_CUBE_MAP_SEAMLESS 0x884F #define GLEW_AMD_seamless_cubemap_per_texture GLEW_GET_VAR(__GLEW_AMD_seamless_cubemap_per_texture) #endif /* GL_AMD_seamless_cubemap_per_texture */ /* -------------------- GL_AMD_shader_atomic_counter_ops ------------------- */ #ifndef GL_AMD_shader_atomic_counter_ops #define GL_AMD_shader_atomic_counter_ops 1 #define GLEW_AMD_shader_atomic_counter_ops GLEW_GET_VAR(__GLEW_AMD_shader_atomic_counter_ops) #endif /* GL_AMD_shader_atomic_counter_ops */ /* -------------------------- GL_AMD_shader_ballot ------------------------- */ #ifndef GL_AMD_shader_ballot #define GL_AMD_shader_ballot 1 #define GLEW_AMD_shader_ballot GLEW_GET_VAR(__GLEW_AMD_shader_ballot) #endif /* GL_AMD_shader_ballot */ /* ---------------- GL_AMD_shader_explicit_vertex_parameter ---------------- */ #ifndef GL_AMD_shader_explicit_vertex_parameter #define GL_AMD_shader_explicit_vertex_parameter 1 #define GLEW_AMD_shader_explicit_vertex_parameter GLEW_GET_VAR(__GLEW_AMD_shader_explicit_vertex_parameter) #endif /* GL_AMD_shader_explicit_vertex_parameter */ /* ---------------------- GL_AMD_shader_stencil_export --------------------- */ #ifndef GL_AMD_shader_stencil_export #define GL_AMD_shader_stencil_export 1 #define GLEW_AMD_shader_stencil_export GLEW_GET_VAR(__GLEW_AMD_shader_stencil_export) #endif /* GL_AMD_shader_stencil_export */ /* ------------------- GL_AMD_shader_stencil_value_export ------------------ */ #ifndef GL_AMD_shader_stencil_value_export #define GL_AMD_shader_stencil_value_export 1 #define GLEW_AMD_shader_stencil_value_export GLEW_GET_VAR(__GLEW_AMD_shader_stencil_value_export) #endif /* GL_AMD_shader_stencil_value_export */ /* ---------------------- GL_AMD_shader_trinary_minmax --------------------- */ #ifndef GL_AMD_shader_trinary_minmax #define GL_AMD_shader_trinary_minmax 1 #define GLEW_AMD_shader_trinary_minmax GLEW_GET_VAR(__GLEW_AMD_shader_trinary_minmax) #endif /* GL_AMD_shader_trinary_minmax */ /* ------------------------- GL_AMD_sparse_texture ------------------------- */ #ifndef GL_AMD_sparse_texture #define GL_AMD_sparse_texture 1 #define GL_TEXTURE_STORAGE_SPARSE_BIT_AMD 0x00000001 #define GL_VIRTUAL_PAGE_SIZE_X_AMD 0x9195 #define GL_VIRTUAL_PAGE_SIZE_Y_AMD 0x9196 #define GL_VIRTUAL_PAGE_SIZE_Z_AMD 0x9197 #define GL_MAX_SPARSE_TEXTURE_SIZE_AMD 0x9198 #define GL_MAX_SPARSE_3D_TEXTURE_SIZE_AMD 0x9199 #define GL_MAX_SPARSE_ARRAY_TEXTURE_LAYERS 0x919A #define GL_MIN_SPARSE_LEVEL_AMD 0x919B #define GL_MIN_LOD_WARNING_AMD 0x919C typedef void (GLAPIENTRY * PFNGLTEXSTORAGESPARSEAMDPROC) (GLenum target, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLsizei layers, GLbitfield flags); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGESPARSEAMDPROC) (GLuint texture, GLenum target, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLsizei layers, GLbitfield flags); #define glTexStorageSparseAMD GLEW_GET_FUN(__glewTexStorageSparseAMD) #define glTextureStorageSparseAMD GLEW_GET_FUN(__glewTextureStorageSparseAMD) #define GLEW_AMD_sparse_texture GLEW_GET_VAR(__GLEW_AMD_sparse_texture) #endif /* GL_AMD_sparse_texture */ /* ------------------- GL_AMD_stencil_operation_extended ------------------- */ #ifndef GL_AMD_stencil_operation_extended #define GL_AMD_stencil_operation_extended 1 #define GL_SET_AMD 0x874A #define GL_REPLACE_VALUE_AMD 0x874B #define GL_STENCIL_OP_VALUE_AMD 0x874C #define GL_STENCIL_BACK_OP_VALUE_AMD 0x874D typedef void (GLAPIENTRY * PFNGLSTENCILOPVALUEAMDPROC) (GLenum face, GLuint value); #define glStencilOpValueAMD GLEW_GET_FUN(__glewStencilOpValueAMD) #define GLEW_AMD_stencil_operation_extended GLEW_GET_VAR(__GLEW_AMD_stencil_operation_extended) #endif /* GL_AMD_stencil_operation_extended */ /* --------------------- GL_AMD_texture_gather_bias_lod -------------------- */ #ifndef GL_AMD_texture_gather_bias_lod #define GL_AMD_texture_gather_bias_lod 1 #define GLEW_AMD_texture_gather_bias_lod GLEW_GET_VAR(__GLEW_AMD_texture_gather_bias_lod) #endif /* GL_AMD_texture_gather_bias_lod */ /* ------------------------ GL_AMD_texture_texture4 ------------------------ */ #ifndef GL_AMD_texture_texture4 #define GL_AMD_texture_texture4 1 #define GLEW_AMD_texture_texture4 GLEW_GET_VAR(__GLEW_AMD_texture_texture4) #endif /* GL_AMD_texture_texture4 */ /* --------------- GL_AMD_transform_feedback3_lines_triangles -------------- */ #ifndef GL_AMD_transform_feedback3_lines_triangles #define GL_AMD_transform_feedback3_lines_triangles 1 #define GLEW_AMD_transform_feedback3_lines_triangles GLEW_GET_VAR(__GLEW_AMD_transform_feedback3_lines_triangles) #endif /* GL_AMD_transform_feedback3_lines_triangles */ /* ----------------------- GL_AMD_transform_feedback4 ---------------------- */ #ifndef GL_AMD_transform_feedback4 #define GL_AMD_transform_feedback4 1 #define GL_STREAM_RASTERIZATION_AMD 0x91A0 #define GLEW_AMD_transform_feedback4 GLEW_GET_VAR(__GLEW_AMD_transform_feedback4) #endif /* GL_AMD_transform_feedback4 */ /* ----------------------- GL_AMD_vertex_shader_layer ---------------------- */ #ifndef GL_AMD_vertex_shader_layer #define GL_AMD_vertex_shader_layer 1 #define GLEW_AMD_vertex_shader_layer GLEW_GET_VAR(__GLEW_AMD_vertex_shader_layer) #endif /* GL_AMD_vertex_shader_layer */ /* -------------------- GL_AMD_vertex_shader_tessellator ------------------- */ #ifndef GL_AMD_vertex_shader_tessellator #define GL_AMD_vertex_shader_tessellator 1 #define GL_SAMPLER_BUFFER_AMD 0x9001 #define GL_INT_SAMPLER_BUFFER_AMD 0x9002 #define GL_UNSIGNED_INT_SAMPLER_BUFFER_AMD 0x9003 #define GL_TESSELLATION_MODE_AMD 0x9004 #define GL_TESSELLATION_FACTOR_AMD 0x9005 #define GL_DISCRETE_AMD 0x9006 #define GL_CONTINUOUS_AMD 0x9007 typedef void (GLAPIENTRY * PFNGLTESSELLATIONFACTORAMDPROC) (GLfloat factor); typedef void (GLAPIENTRY * PFNGLTESSELLATIONMODEAMDPROC) (GLenum mode); #define glTessellationFactorAMD GLEW_GET_FUN(__glewTessellationFactorAMD) #define glTessellationModeAMD GLEW_GET_FUN(__glewTessellationModeAMD) #define GLEW_AMD_vertex_shader_tessellator GLEW_GET_VAR(__GLEW_AMD_vertex_shader_tessellator) #endif /* GL_AMD_vertex_shader_tessellator */ /* ------------------ GL_AMD_vertex_shader_viewport_index ------------------ */ #ifndef GL_AMD_vertex_shader_viewport_index #define GL_AMD_vertex_shader_viewport_index 1 #define GLEW_AMD_vertex_shader_viewport_index GLEW_GET_VAR(__GLEW_AMD_vertex_shader_viewport_index) #endif /* GL_AMD_vertex_shader_viewport_index */ /* -------------------- GL_ANDROID_extension_pack_es31a -------------------- */ #ifndef GL_ANDROID_extension_pack_es31a #define GL_ANDROID_extension_pack_es31a 1 #define GLEW_ANDROID_extension_pack_es31a GLEW_GET_VAR(__GLEW_ANDROID_extension_pack_es31a) #endif /* GL_ANDROID_extension_pack_es31a */ /* ------------------------- GL_ANGLE_depth_texture ------------------------ */ #ifndef GL_ANGLE_depth_texture #define GL_ANGLE_depth_texture 1 #define GLEW_ANGLE_depth_texture GLEW_GET_VAR(__GLEW_ANGLE_depth_texture) #endif /* GL_ANGLE_depth_texture */ /* ----------------------- GL_ANGLE_framebuffer_blit ----------------------- */ #ifndef GL_ANGLE_framebuffer_blit #define GL_ANGLE_framebuffer_blit 1 #define GL_DRAW_FRAMEBUFFER_BINDING_ANGLE 0x8CA6 #define GL_READ_FRAMEBUFFER_ANGLE 0x8CA8 #define GL_DRAW_FRAMEBUFFER_ANGLE 0x8CA9 #define GL_READ_FRAMEBUFFER_BINDING_ANGLE 0x8CAA typedef void (GLAPIENTRY * PFNGLBLITFRAMEBUFFERANGLEPROC) (GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); #define glBlitFramebufferANGLE GLEW_GET_FUN(__glewBlitFramebufferANGLE) #define GLEW_ANGLE_framebuffer_blit GLEW_GET_VAR(__GLEW_ANGLE_framebuffer_blit) #endif /* GL_ANGLE_framebuffer_blit */ /* -------------------- GL_ANGLE_framebuffer_multisample ------------------- */ #ifndef GL_ANGLE_framebuffer_multisample #define GL_ANGLE_framebuffer_multisample 1 #define GL_RENDERBUFFER_SAMPLES_ANGLE 0x8CAB #define GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_ANGLE 0x8D56 #define GL_MAX_SAMPLES_ANGLE 0x8D57 typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEMULTISAMPLEANGLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); #define glRenderbufferStorageMultisampleANGLE GLEW_GET_FUN(__glewRenderbufferStorageMultisampleANGLE) #define GLEW_ANGLE_framebuffer_multisample GLEW_GET_VAR(__GLEW_ANGLE_framebuffer_multisample) #endif /* GL_ANGLE_framebuffer_multisample */ /* ----------------------- GL_ANGLE_instanced_arrays ----------------------- */ #ifndef GL_ANGLE_instanced_arrays #define GL_ANGLE_instanced_arrays 1 #define GL_VERTEX_ATTRIB_ARRAY_DIVISOR_ANGLE 0x88FE typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDANGLEPROC) (GLenum mode, GLint first, GLsizei count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDANGLEPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBDIVISORANGLEPROC) (GLuint index, GLuint divisor); #define glDrawArraysInstancedANGLE GLEW_GET_FUN(__glewDrawArraysInstancedANGLE) #define glDrawElementsInstancedANGLE GLEW_GET_FUN(__glewDrawElementsInstancedANGLE) #define glVertexAttribDivisorANGLE GLEW_GET_FUN(__glewVertexAttribDivisorANGLE) #define GLEW_ANGLE_instanced_arrays GLEW_GET_VAR(__GLEW_ANGLE_instanced_arrays) #endif /* GL_ANGLE_instanced_arrays */ /* -------------------- GL_ANGLE_pack_reverse_row_order -------------------- */ #ifndef GL_ANGLE_pack_reverse_row_order #define GL_ANGLE_pack_reverse_row_order 1 #define GL_PACK_REVERSE_ROW_ORDER_ANGLE 0x93A4 #define GLEW_ANGLE_pack_reverse_row_order GLEW_GET_VAR(__GLEW_ANGLE_pack_reverse_row_order) #endif /* GL_ANGLE_pack_reverse_row_order */ /* ------------------------ GL_ANGLE_program_binary ------------------------ */ #ifndef GL_ANGLE_program_binary #define GL_ANGLE_program_binary 1 #define GL_PROGRAM_BINARY_ANGLE 0x93A6 #define GLEW_ANGLE_program_binary GLEW_GET_VAR(__GLEW_ANGLE_program_binary) #endif /* GL_ANGLE_program_binary */ /* ------------------- GL_ANGLE_texture_compression_dxt1 ------------------- */ #ifndef GL_ANGLE_texture_compression_dxt1 #define GL_ANGLE_texture_compression_dxt1 1 #define GL_COMPRESSED_RGB_S3TC_DXT1_ANGLE 0x83F0 #define GL_COMPRESSED_RGBA_S3TC_DXT1_ANGLE 0x83F1 #define GL_COMPRESSED_RGBA_S3TC_DXT3_ANGLE 0x83F2 #define GL_COMPRESSED_RGBA_S3TC_DXT5_ANGLE 0x83F3 #define GLEW_ANGLE_texture_compression_dxt1 GLEW_GET_VAR(__GLEW_ANGLE_texture_compression_dxt1) #endif /* GL_ANGLE_texture_compression_dxt1 */ /* ------------------- GL_ANGLE_texture_compression_dxt3 ------------------- */ #ifndef GL_ANGLE_texture_compression_dxt3 #define GL_ANGLE_texture_compression_dxt3 1 #define GL_COMPRESSED_RGB_S3TC_DXT1_ANGLE 0x83F0 #define GL_COMPRESSED_RGBA_S3TC_DXT1_ANGLE 0x83F1 #define GL_COMPRESSED_RGBA_S3TC_DXT3_ANGLE 0x83F2 #define GL_COMPRESSED_RGBA_S3TC_DXT5_ANGLE 0x83F3 #define GLEW_ANGLE_texture_compression_dxt3 GLEW_GET_VAR(__GLEW_ANGLE_texture_compression_dxt3) #endif /* GL_ANGLE_texture_compression_dxt3 */ /* ------------------- GL_ANGLE_texture_compression_dxt5 ------------------- */ #ifndef GL_ANGLE_texture_compression_dxt5 #define GL_ANGLE_texture_compression_dxt5 1 #define GL_COMPRESSED_RGB_S3TC_DXT1_ANGLE 0x83F0 #define GL_COMPRESSED_RGBA_S3TC_DXT1_ANGLE 0x83F1 #define GL_COMPRESSED_RGBA_S3TC_DXT3_ANGLE 0x83F2 #define GL_COMPRESSED_RGBA_S3TC_DXT5_ANGLE 0x83F3 #define GLEW_ANGLE_texture_compression_dxt5 GLEW_GET_VAR(__GLEW_ANGLE_texture_compression_dxt5) #endif /* GL_ANGLE_texture_compression_dxt5 */ /* ------------------------- GL_ANGLE_texture_usage ------------------------ */ #ifndef GL_ANGLE_texture_usage #define GL_ANGLE_texture_usage 1 #define GL_TEXTURE_USAGE_ANGLE 0x93A2 #define GL_FRAMEBUFFER_ATTACHMENT_ANGLE 0x93A3 #define GLEW_ANGLE_texture_usage GLEW_GET_VAR(__GLEW_ANGLE_texture_usage) #endif /* GL_ANGLE_texture_usage */ /* -------------------------- GL_ANGLE_timer_query ------------------------- */ #ifndef GL_ANGLE_timer_query #define GL_ANGLE_timer_query 1 #define GL_QUERY_COUNTER_BITS_ANGLE 0x8864 #define GL_CURRENT_QUERY_ANGLE 0x8865 #define GL_QUERY_RESULT_ANGLE 0x8866 #define GL_QUERY_RESULT_AVAILABLE_ANGLE 0x8867 #define GL_TIME_ELAPSED_ANGLE 0x88BF #define GL_TIMESTAMP_ANGLE 0x8E28 typedef void (GLAPIENTRY * PFNGLBEGINQUERYANGLEPROC) (GLenum target, GLuint id); typedef void (GLAPIENTRY * PFNGLDELETEQUERIESANGLEPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLENDQUERYANGLEPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLGENQUERIESANGLEPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTI64VANGLEPROC) (GLuint id, GLenum pname, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTIVANGLEPROC) (GLuint id, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTUI64VANGLEPROC) (GLuint id, GLenum pname, GLuint64* params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTUIVANGLEPROC) (GLuint id, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYIVANGLEPROC) (GLenum target, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISQUERYANGLEPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLQUERYCOUNTERANGLEPROC) (GLuint id, GLenum target); #define glBeginQueryANGLE GLEW_GET_FUN(__glewBeginQueryANGLE) #define glDeleteQueriesANGLE GLEW_GET_FUN(__glewDeleteQueriesANGLE) #define glEndQueryANGLE GLEW_GET_FUN(__glewEndQueryANGLE) #define glGenQueriesANGLE GLEW_GET_FUN(__glewGenQueriesANGLE) #define glGetQueryObjecti64vANGLE GLEW_GET_FUN(__glewGetQueryObjecti64vANGLE) #define glGetQueryObjectivANGLE GLEW_GET_FUN(__glewGetQueryObjectivANGLE) #define glGetQueryObjectui64vANGLE GLEW_GET_FUN(__glewGetQueryObjectui64vANGLE) #define glGetQueryObjectuivANGLE GLEW_GET_FUN(__glewGetQueryObjectuivANGLE) #define glGetQueryivANGLE GLEW_GET_FUN(__glewGetQueryivANGLE) #define glIsQueryANGLE GLEW_GET_FUN(__glewIsQueryANGLE) #define glQueryCounterANGLE GLEW_GET_FUN(__glewQueryCounterANGLE) #define GLEW_ANGLE_timer_query GLEW_GET_VAR(__GLEW_ANGLE_timer_query) #endif /* GL_ANGLE_timer_query */ /* ------------------- GL_ANGLE_translated_shader_source ------------------- */ #ifndef GL_ANGLE_translated_shader_source #define GL_ANGLE_translated_shader_source 1 #define GL_TRANSLATED_SHADER_SOURCE_LENGTH_ANGLE 0x93A0 typedef void (GLAPIENTRY * PFNGLGETTRANSLATEDSHADERSOURCEANGLEPROC) (GLuint shader, GLsizei bufsize, GLsizei* length, GLchar* source); #define glGetTranslatedShaderSourceANGLE GLEW_GET_FUN(__glewGetTranslatedShaderSourceANGLE) #define GLEW_ANGLE_translated_shader_source GLEW_GET_VAR(__GLEW_ANGLE_translated_shader_source) #endif /* GL_ANGLE_translated_shader_source */ /* ----------------------- GL_APPLE_aux_depth_stencil ---------------------- */ #ifndef GL_APPLE_aux_depth_stencil #define GL_APPLE_aux_depth_stencil 1 #define GL_AUX_DEPTH_STENCIL_APPLE 0x8A14 #define GLEW_APPLE_aux_depth_stencil GLEW_GET_VAR(__GLEW_APPLE_aux_depth_stencil) #endif /* GL_APPLE_aux_depth_stencil */ /* ------------------------ GL_APPLE_client_storage ------------------------ */ #ifndef GL_APPLE_client_storage #define GL_APPLE_client_storage 1 #define GL_UNPACK_CLIENT_STORAGE_APPLE 0x85B2 #define GLEW_APPLE_client_storage GLEW_GET_VAR(__GLEW_APPLE_client_storage) #endif /* GL_APPLE_client_storage */ /* ------------------------- GL_APPLE_clip_distance ------------------------ */ #ifndef GL_APPLE_clip_distance #define GL_APPLE_clip_distance 1 #define GL_MAX_CLIP_DISTANCES_APPLE 0x0D32 #define GL_CLIP_DISTANCE0_APPLE 0x3000 #define GL_CLIP_DISTANCE1_APPLE 0x3001 #define GL_CLIP_DISTANCE2_APPLE 0x3002 #define GL_CLIP_DISTANCE3_APPLE 0x3003 #define GL_CLIP_DISTANCE4_APPLE 0x3004 #define GL_CLIP_DISTANCE5_APPLE 0x3005 #define GL_CLIP_DISTANCE6_APPLE 0x3006 #define GL_CLIP_DISTANCE7_APPLE 0x3007 #define GLEW_APPLE_clip_distance GLEW_GET_VAR(__GLEW_APPLE_clip_distance) #endif /* GL_APPLE_clip_distance */ /* ------------------- GL_APPLE_color_buffer_packed_float ------------------ */ #ifndef GL_APPLE_color_buffer_packed_float #define GL_APPLE_color_buffer_packed_float 1 #define GLEW_APPLE_color_buffer_packed_float GLEW_GET_VAR(__GLEW_APPLE_color_buffer_packed_float) #endif /* GL_APPLE_color_buffer_packed_float */ /* ---------------------- GL_APPLE_copy_texture_levels --------------------- */ #ifndef GL_APPLE_copy_texture_levels #define GL_APPLE_copy_texture_levels 1 typedef void (GLAPIENTRY * PFNGLCOPYTEXTURELEVELSAPPLEPROC) (GLuint destinationTexture, GLuint sourceTexture, GLint sourceBaseLevel, GLsizei sourceLevelCount); #define glCopyTextureLevelsAPPLE GLEW_GET_FUN(__glewCopyTextureLevelsAPPLE) #define GLEW_APPLE_copy_texture_levels GLEW_GET_VAR(__GLEW_APPLE_copy_texture_levels) #endif /* GL_APPLE_copy_texture_levels */ /* ------------------------- GL_APPLE_element_array ------------------------ */ #ifndef GL_APPLE_element_array #define GL_APPLE_element_array 1 #define GL_ELEMENT_ARRAY_APPLE 0x8A0C #define GL_ELEMENT_ARRAY_TYPE_APPLE 0x8A0D #define GL_ELEMENT_ARRAY_POINTER_APPLE 0x8A0E typedef void (GLAPIENTRY * PFNGLDRAWELEMENTARRAYAPPLEPROC) (GLenum mode, GLint first, GLsizei count); typedef void (GLAPIENTRY * PFNGLDRAWRANGEELEMENTARRAYAPPLEPROC) (GLenum mode, GLuint start, GLuint end, GLint first, GLsizei count); typedef void (GLAPIENTRY * PFNGLELEMENTPOINTERAPPLEPROC) (GLenum type, const void *pointer); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTARRAYAPPLEPROC) (GLenum mode, const GLint* first, const GLsizei *count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLMULTIDRAWRANGEELEMENTARRAYAPPLEPROC) (GLenum mode, GLuint start, GLuint end, const GLint* first, const GLsizei *count, GLsizei primcount); #define glDrawElementArrayAPPLE GLEW_GET_FUN(__glewDrawElementArrayAPPLE) #define glDrawRangeElementArrayAPPLE GLEW_GET_FUN(__glewDrawRangeElementArrayAPPLE) #define glElementPointerAPPLE GLEW_GET_FUN(__glewElementPointerAPPLE) #define glMultiDrawElementArrayAPPLE GLEW_GET_FUN(__glewMultiDrawElementArrayAPPLE) #define glMultiDrawRangeElementArrayAPPLE GLEW_GET_FUN(__glewMultiDrawRangeElementArrayAPPLE) #define GLEW_APPLE_element_array GLEW_GET_VAR(__GLEW_APPLE_element_array) #endif /* GL_APPLE_element_array */ /* ----------------------------- GL_APPLE_fence ---------------------------- */ #ifndef GL_APPLE_fence #define GL_APPLE_fence 1 #define GL_DRAW_PIXELS_APPLE 0x8A0A #define GL_FENCE_APPLE 0x8A0B typedef void (GLAPIENTRY * PFNGLDELETEFENCESAPPLEPROC) (GLsizei n, const GLuint* fences); typedef void (GLAPIENTRY * PFNGLFINISHFENCEAPPLEPROC) (GLuint fence); typedef void (GLAPIENTRY * PFNGLFINISHOBJECTAPPLEPROC) (GLenum object, GLint name); typedef void (GLAPIENTRY * PFNGLGENFENCESAPPLEPROC) (GLsizei n, GLuint* fences); typedef GLboolean (GLAPIENTRY * PFNGLISFENCEAPPLEPROC) (GLuint fence); typedef void (GLAPIENTRY * PFNGLSETFENCEAPPLEPROC) (GLuint fence); typedef GLboolean (GLAPIENTRY * PFNGLTESTFENCEAPPLEPROC) (GLuint fence); typedef GLboolean (GLAPIENTRY * PFNGLTESTOBJECTAPPLEPROC) (GLenum object, GLuint name); #define glDeleteFencesAPPLE GLEW_GET_FUN(__glewDeleteFencesAPPLE) #define glFinishFenceAPPLE GLEW_GET_FUN(__glewFinishFenceAPPLE) #define glFinishObjectAPPLE GLEW_GET_FUN(__glewFinishObjectAPPLE) #define glGenFencesAPPLE GLEW_GET_FUN(__glewGenFencesAPPLE) #define glIsFenceAPPLE GLEW_GET_FUN(__glewIsFenceAPPLE) #define glSetFenceAPPLE GLEW_GET_FUN(__glewSetFenceAPPLE) #define glTestFenceAPPLE GLEW_GET_FUN(__glewTestFenceAPPLE) #define glTestObjectAPPLE GLEW_GET_FUN(__glewTestObjectAPPLE) #define GLEW_APPLE_fence GLEW_GET_VAR(__GLEW_APPLE_fence) #endif /* GL_APPLE_fence */ /* ------------------------- GL_APPLE_float_pixels ------------------------- */ #ifndef GL_APPLE_float_pixels #define GL_APPLE_float_pixels 1 #define GL_HALF_APPLE 0x140B #define GL_RGBA_FLOAT32_APPLE 0x8814 #define GL_RGB_FLOAT32_APPLE 0x8815 #define GL_ALPHA_FLOAT32_APPLE 0x8816 #define GL_INTENSITY_FLOAT32_APPLE 0x8817 #define GL_LUMINANCE_FLOAT32_APPLE 0x8818 #define GL_LUMINANCE_ALPHA_FLOAT32_APPLE 0x8819 #define GL_RGBA_FLOAT16_APPLE 0x881A #define GL_RGB_FLOAT16_APPLE 0x881B #define GL_ALPHA_FLOAT16_APPLE 0x881C #define GL_INTENSITY_FLOAT16_APPLE 0x881D #define GL_LUMINANCE_FLOAT16_APPLE 0x881E #define GL_LUMINANCE_ALPHA_FLOAT16_APPLE 0x881F #define GL_COLOR_FLOAT_APPLE 0x8A0F #define GLEW_APPLE_float_pixels GLEW_GET_VAR(__GLEW_APPLE_float_pixels) #endif /* GL_APPLE_float_pixels */ /* ---------------------- GL_APPLE_flush_buffer_range ---------------------- */ #ifndef GL_APPLE_flush_buffer_range #define GL_APPLE_flush_buffer_range 1 #define GL_BUFFER_SERIALIZED_MODIFY_APPLE 0x8A12 #define GL_BUFFER_FLUSHING_UNMAP_APPLE 0x8A13 typedef void (GLAPIENTRY * PFNGLBUFFERPARAMETERIAPPLEPROC) (GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLFLUSHMAPPEDBUFFERRANGEAPPLEPROC) (GLenum target, GLintptr offset, GLsizeiptr size); #define glBufferParameteriAPPLE GLEW_GET_FUN(__glewBufferParameteriAPPLE) #define glFlushMappedBufferRangeAPPLE GLEW_GET_FUN(__glewFlushMappedBufferRangeAPPLE) #define GLEW_APPLE_flush_buffer_range GLEW_GET_VAR(__GLEW_APPLE_flush_buffer_range) #endif /* GL_APPLE_flush_buffer_range */ /* -------------------- GL_APPLE_framebuffer_multisample ------------------- */ #ifndef GL_APPLE_framebuffer_multisample #define GL_APPLE_framebuffer_multisample 1 #define GL_DRAW_FRAMEBUFFER_BINDING_APPLE 0x8CA6 #define GL_READ_FRAMEBUFFER_APPLE 0x8CA8 #define GL_DRAW_FRAMEBUFFER_APPLE 0x8CA9 #define GL_READ_FRAMEBUFFER_BINDING_APPLE 0x8CAA #define GL_RENDERBUFFER_SAMPLES_APPLE 0x8CAB #define GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_APPLE 0x8D56 #define GL_MAX_SAMPLES_APPLE 0x8D57 typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEMULTISAMPLEAPPLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLRESOLVEMULTISAMPLEFRAMEBUFFERAPPLEPROC) (void); #define glRenderbufferStorageMultisampleAPPLE GLEW_GET_FUN(__glewRenderbufferStorageMultisampleAPPLE) #define glResolveMultisampleFramebufferAPPLE GLEW_GET_FUN(__glewResolveMultisampleFramebufferAPPLE) #define GLEW_APPLE_framebuffer_multisample GLEW_GET_VAR(__GLEW_APPLE_framebuffer_multisample) #endif /* GL_APPLE_framebuffer_multisample */ /* ----------------------- GL_APPLE_object_purgeable ----------------------- */ #ifndef GL_APPLE_object_purgeable #define GL_APPLE_object_purgeable 1 #define GL_BUFFER_OBJECT_APPLE 0x85B3 #define GL_RELEASED_APPLE 0x8A19 #define GL_VOLATILE_APPLE 0x8A1A #define GL_RETAINED_APPLE 0x8A1B #define GL_UNDEFINED_APPLE 0x8A1C #define GL_PURGEABLE_APPLE 0x8A1D typedef void (GLAPIENTRY * PFNGLGETOBJECTPARAMETERIVAPPLEPROC) (GLenum objectType, GLuint name, GLenum pname, GLint* params); typedef GLenum (GLAPIENTRY * PFNGLOBJECTPURGEABLEAPPLEPROC) (GLenum objectType, GLuint name, GLenum option); typedef GLenum (GLAPIENTRY * PFNGLOBJECTUNPURGEABLEAPPLEPROC) (GLenum objectType, GLuint name, GLenum option); #define glGetObjectParameterivAPPLE GLEW_GET_FUN(__glewGetObjectParameterivAPPLE) #define glObjectPurgeableAPPLE GLEW_GET_FUN(__glewObjectPurgeableAPPLE) #define glObjectUnpurgeableAPPLE GLEW_GET_FUN(__glewObjectUnpurgeableAPPLE) #define GLEW_APPLE_object_purgeable GLEW_GET_VAR(__GLEW_APPLE_object_purgeable) #endif /* GL_APPLE_object_purgeable */ /* ------------------------- GL_APPLE_pixel_buffer ------------------------- */ #ifndef GL_APPLE_pixel_buffer #define GL_APPLE_pixel_buffer 1 #define GL_MIN_PBUFFER_VIEWPORT_DIMS_APPLE 0x8A10 #define GLEW_APPLE_pixel_buffer GLEW_GET_VAR(__GLEW_APPLE_pixel_buffer) #endif /* GL_APPLE_pixel_buffer */ /* ---------------------------- GL_APPLE_rgb_422 --------------------------- */ #ifndef GL_APPLE_rgb_422 #define GL_APPLE_rgb_422 1 #define GL_UNSIGNED_SHORT_8_8_APPLE 0x85BA #define GL_UNSIGNED_SHORT_8_8_REV_APPLE 0x85BB #define GL_RGB_422_APPLE 0x8A1F #define GL_RGB_RAW_422_APPLE 0x8A51 #define GLEW_APPLE_rgb_422 GLEW_GET_VAR(__GLEW_APPLE_rgb_422) #endif /* GL_APPLE_rgb_422 */ /* --------------------------- GL_APPLE_row_bytes -------------------------- */ #ifndef GL_APPLE_row_bytes #define GL_APPLE_row_bytes 1 #define GL_PACK_ROW_BYTES_APPLE 0x8A15 #define GL_UNPACK_ROW_BYTES_APPLE 0x8A16 #define GLEW_APPLE_row_bytes GLEW_GET_VAR(__GLEW_APPLE_row_bytes) #endif /* GL_APPLE_row_bytes */ /* ------------------------ GL_APPLE_specular_vector ----------------------- */ #ifndef GL_APPLE_specular_vector #define GL_APPLE_specular_vector 1 #define GL_LIGHT_MODEL_SPECULAR_VECTOR_APPLE 0x85B0 #define GLEW_APPLE_specular_vector GLEW_GET_VAR(__GLEW_APPLE_specular_vector) #endif /* GL_APPLE_specular_vector */ /* ----------------------------- GL_APPLE_sync ----------------------------- */ #ifndef GL_APPLE_sync #define GL_APPLE_sync 1 #define GL_SYNC_FLUSH_COMMANDS_BIT_APPLE 0x00000001 #define GL_SYNC_OBJECT_APPLE 0x8A53 #define GL_MAX_SERVER_WAIT_TIMEOUT_APPLE 0x9111 #define GL_OBJECT_TYPE_APPLE 0x9112 #define GL_SYNC_CONDITION_APPLE 0x9113 #define GL_SYNC_STATUS_APPLE 0x9114 #define GL_SYNC_FLAGS_APPLE 0x9115 #define GL_SYNC_FENCE_APPLE 0x9116 #define GL_SYNC_GPU_COMMANDS_COMPLETE_APPLE 0x9117 #define GL_UNSIGNALED_APPLE 0x9118 #define GL_SIGNALED_APPLE 0x9119 #define GL_ALREADY_SIGNALED_APPLE 0x911A #define GL_TIMEOUT_EXPIRED_APPLE 0x911B #define GL_CONDITION_SATISFIED_APPLE 0x911C #define GL_WAIT_FAILED_APPLE 0x911D #define GL_TIMEOUT_IGNORED_APPLE 0xFFFFFFFFFFFFFFFFull typedef GLenum (GLAPIENTRY * PFNGLCLIENTWAITSYNCAPPLEPROC) (GLsync GLsync, GLbitfield flags, GLuint64 timeout); typedef void (GLAPIENTRY * PFNGLDELETESYNCAPPLEPROC) (GLsync GLsync); typedef GLsync (GLAPIENTRY * PFNGLFENCESYNCAPPLEPROC) (GLenum condition, GLbitfield flags); typedef void (GLAPIENTRY * PFNGLGETINTEGER64VAPPLEPROC) (GLenum pname, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETSYNCIVAPPLEPROC) (GLsync GLsync, GLenum pname, GLsizei bufSize, GLsizei* length, GLint *values); typedef GLboolean (GLAPIENTRY * PFNGLISSYNCAPPLEPROC) (GLsync GLsync); typedef void (GLAPIENTRY * PFNGLWAITSYNCAPPLEPROC) (GLsync GLsync, GLbitfield flags, GLuint64 timeout); #define glClientWaitSyncAPPLE GLEW_GET_FUN(__glewClientWaitSyncAPPLE) #define glDeleteSyncAPPLE GLEW_GET_FUN(__glewDeleteSyncAPPLE) #define glFenceSyncAPPLE GLEW_GET_FUN(__glewFenceSyncAPPLE) #define glGetInteger64vAPPLE GLEW_GET_FUN(__glewGetInteger64vAPPLE) #define glGetSyncivAPPLE GLEW_GET_FUN(__glewGetSyncivAPPLE) #define glIsSyncAPPLE GLEW_GET_FUN(__glewIsSyncAPPLE) #define glWaitSyncAPPLE GLEW_GET_FUN(__glewWaitSyncAPPLE) #define GLEW_APPLE_sync GLEW_GET_VAR(__GLEW_APPLE_sync) #endif /* GL_APPLE_sync */ /* -------------------- GL_APPLE_texture_2D_limited_npot ------------------- */ #ifndef GL_APPLE_texture_2D_limited_npot #define GL_APPLE_texture_2D_limited_npot 1 #define GLEW_APPLE_texture_2D_limited_npot GLEW_GET_VAR(__GLEW_APPLE_texture_2D_limited_npot) #endif /* GL_APPLE_texture_2D_limited_npot */ /* -------------------- GL_APPLE_texture_format_BGRA8888 ------------------- */ #ifndef GL_APPLE_texture_format_BGRA8888 #define GL_APPLE_texture_format_BGRA8888 1 #define GL_BGRA_EXT 0x80E1 #define GL_BGRA8_EXT 0x93A1 #define GLEW_APPLE_texture_format_BGRA8888 GLEW_GET_VAR(__GLEW_APPLE_texture_format_BGRA8888) #endif /* GL_APPLE_texture_format_BGRA8888 */ /* ----------------------- GL_APPLE_texture_max_level ---------------------- */ #ifndef GL_APPLE_texture_max_level #define GL_APPLE_texture_max_level 1 #define GL_TEXTURE_MAX_LEVEL_APPLE 0x813D #define GLEW_APPLE_texture_max_level GLEW_GET_VAR(__GLEW_APPLE_texture_max_level) #endif /* GL_APPLE_texture_max_level */ /* --------------------- GL_APPLE_texture_packed_float --------------------- */ #ifndef GL_APPLE_texture_packed_float #define GL_APPLE_texture_packed_float 1 #define GL_R11F_G11F_B10F_APPLE 0x8C3A #define GL_UNSIGNED_INT_10F_11F_11F_REV_APPLE 0x8C3B #define GL_RGB9_E5_APPLE 0x8C3D #define GL_UNSIGNED_INT_5_9_9_9_REV_APPLE 0x8C3E #define GLEW_APPLE_texture_packed_float GLEW_GET_VAR(__GLEW_APPLE_texture_packed_float) #endif /* GL_APPLE_texture_packed_float */ /* ------------------------- GL_APPLE_texture_range ------------------------ */ #ifndef GL_APPLE_texture_range #define GL_APPLE_texture_range 1 #define GL_TEXTURE_RANGE_LENGTH_APPLE 0x85B7 #define GL_TEXTURE_RANGE_POINTER_APPLE 0x85B8 #define GL_TEXTURE_STORAGE_HINT_APPLE 0x85BC #define GL_STORAGE_PRIVATE_APPLE 0x85BD #define GL_STORAGE_CACHED_APPLE 0x85BE #define GL_STORAGE_SHARED_APPLE 0x85BF typedef void (GLAPIENTRY * PFNGLGETTEXPARAMETERPOINTERVAPPLEPROC) (GLenum target, GLenum pname, void **params); typedef void (GLAPIENTRY * PFNGLTEXTURERANGEAPPLEPROC) (GLenum target, GLsizei length, void *pointer); #define glGetTexParameterPointervAPPLE GLEW_GET_FUN(__glewGetTexParameterPointervAPPLE) #define glTextureRangeAPPLE GLEW_GET_FUN(__glewTextureRangeAPPLE) #define GLEW_APPLE_texture_range GLEW_GET_VAR(__GLEW_APPLE_texture_range) #endif /* GL_APPLE_texture_range */ /* ------------------------ GL_APPLE_transform_hint ------------------------ */ #ifndef GL_APPLE_transform_hint #define GL_APPLE_transform_hint 1 #define GL_TRANSFORM_HINT_APPLE 0x85B1 #define GLEW_APPLE_transform_hint GLEW_GET_VAR(__GLEW_APPLE_transform_hint) #endif /* GL_APPLE_transform_hint */ /* ---------------------- GL_APPLE_vertex_array_object --------------------- */ #ifndef GL_APPLE_vertex_array_object #define GL_APPLE_vertex_array_object 1 #define GL_VERTEX_ARRAY_BINDING_APPLE 0x85B5 typedef void (GLAPIENTRY * PFNGLBINDVERTEXARRAYAPPLEPROC) (GLuint array); typedef void (GLAPIENTRY * PFNGLDELETEVERTEXARRAYSAPPLEPROC) (GLsizei n, const GLuint* arrays); typedef void (GLAPIENTRY * PFNGLGENVERTEXARRAYSAPPLEPROC) (GLsizei n, const GLuint* arrays); typedef GLboolean (GLAPIENTRY * PFNGLISVERTEXARRAYAPPLEPROC) (GLuint array); #define glBindVertexArrayAPPLE GLEW_GET_FUN(__glewBindVertexArrayAPPLE) #define glDeleteVertexArraysAPPLE GLEW_GET_FUN(__glewDeleteVertexArraysAPPLE) #define glGenVertexArraysAPPLE GLEW_GET_FUN(__glewGenVertexArraysAPPLE) #define glIsVertexArrayAPPLE GLEW_GET_FUN(__glewIsVertexArrayAPPLE) #define GLEW_APPLE_vertex_array_object GLEW_GET_VAR(__GLEW_APPLE_vertex_array_object) #endif /* GL_APPLE_vertex_array_object */ /* ---------------------- GL_APPLE_vertex_array_range ---------------------- */ #ifndef GL_APPLE_vertex_array_range #define GL_APPLE_vertex_array_range 1 #define GL_VERTEX_ARRAY_RANGE_APPLE 0x851D #define GL_VERTEX_ARRAY_RANGE_LENGTH_APPLE 0x851E #define GL_VERTEX_ARRAY_STORAGE_HINT_APPLE 0x851F #define GL_MAX_VERTEX_ARRAY_RANGE_ELEMENT_APPLE 0x8520 #define GL_VERTEX_ARRAY_RANGE_POINTER_APPLE 0x8521 #define GL_STORAGE_CLIENT_APPLE 0x85B4 #define GL_STORAGE_CACHED_APPLE 0x85BE #define GL_STORAGE_SHARED_APPLE 0x85BF typedef void (GLAPIENTRY * PFNGLFLUSHVERTEXARRAYRANGEAPPLEPROC) (GLsizei length, void *pointer); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYPARAMETERIAPPLEPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYRANGEAPPLEPROC) (GLsizei length, void *pointer); #define glFlushVertexArrayRangeAPPLE GLEW_GET_FUN(__glewFlushVertexArrayRangeAPPLE) #define glVertexArrayParameteriAPPLE GLEW_GET_FUN(__glewVertexArrayParameteriAPPLE) #define glVertexArrayRangeAPPLE GLEW_GET_FUN(__glewVertexArrayRangeAPPLE) #define GLEW_APPLE_vertex_array_range GLEW_GET_VAR(__GLEW_APPLE_vertex_array_range) #endif /* GL_APPLE_vertex_array_range */ /* ------------------- GL_APPLE_vertex_program_evaluators ------------------ */ #ifndef GL_APPLE_vertex_program_evaluators #define GL_APPLE_vertex_program_evaluators 1 #define GL_VERTEX_ATTRIB_MAP1_APPLE 0x8A00 #define GL_VERTEX_ATTRIB_MAP2_APPLE 0x8A01 #define GL_VERTEX_ATTRIB_MAP1_SIZE_APPLE 0x8A02 #define GL_VERTEX_ATTRIB_MAP1_COEFF_APPLE 0x8A03 #define GL_VERTEX_ATTRIB_MAP1_ORDER_APPLE 0x8A04 #define GL_VERTEX_ATTRIB_MAP1_DOMAIN_APPLE 0x8A05 #define GL_VERTEX_ATTRIB_MAP2_SIZE_APPLE 0x8A06 #define GL_VERTEX_ATTRIB_MAP2_COEFF_APPLE 0x8A07 #define GL_VERTEX_ATTRIB_MAP2_ORDER_APPLE 0x8A08 #define GL_VERTEX_ATTRIB_MAP2_DOMAIN_APPLE 0x8A09 typedef void (GLAPIENTRY * PFNGLDISABLEVERTEXATTRIBAPPLEPROC) (GLuint index, GLenum pname); typedef void (GLAPIENTRY * PFNGLENABLEVERTEXATTRIBAPPLEPROC) (GLuint index, GLenum pname); typedef GLboolean (GLAPIENTRY * PFNGLISVERTEXATTRIBENABLEDAPPLEPROC) (GLuint index, GLenum pname); typedef void (GLAPIENTRY * PFNGLMAPVERTEXATTRIB1DAPPLEPROC) (GLuint index, GLuint size, GLdouble u1, GLdouble u2, GLint stride, GLint order, const GLdouble* points); typedef void (GLAPIENTRY * PFNGLMAPVERTEXATTRIB1FAPPLEPROC) (GLuint index, GLuint size, GLfloat u1, GLfloat u2, GLint stride, GLint order, const GLfloat* points); typedef void (GLAPIENTRY * PFNGLMAPVERTEXATTRIB2DAPPLEPROC) (GLuint index, GLuint size, GLdouble u1, GLdouble u2, GLint ustride, GLint uorder, GLdouble v1, GLdouble v2, GLint vstride, GLint vorder, const GLdouble* points); typedef void (GLAPIENTRY * PFNGLMAPVERTEXATTRIB2FAPPLEPROC) (GLuint index, GLuint size, GLfloat u1, GLfloat u2, GLint ustride, GLint uorder, GLfloat v1, GLfloat v2, GLint vstride, GLint vorder, const GLfloat* points); #define glDisableVertexAttribAPPLE GLEW_GET_FUN(__glewDisableVertexAttribAPPLE) #define glEnableVertexAttribAPPLE GLEW_GET_FUN(__glewEnableVertexAttribAPPLE) #define glIsVertexAttribEnabledAPPLE GLEW_GET_FUN(__glewIsVertexAttribEnabledAPPLE) #define glMapVertexAttrib1dAPPLE GLEW_GET_FUN(__glewMapVertexAttrib1dAPPLE) #define glMapVertexAttrib1fAPPLE GLEW_GET_FUN(__glewMapVertexAttrib1fAPPLE) #define glMapVertexAttrib2dAPPLE GLEW_GET_FUN(__glewMapVertexAttrib2dAPPLE) #define glMapVertexAttrib2fAPPLE GLEW_GET_FUN(__glewMapVertexAttrib2fAPPLE) #define GLEW_APPLE_vertex_program_evaluators GLEW_GET_VAR(__GLEW_APPLE_vertex_program_evaluators) #endif /* GL_APPLE_vertex_program_evaluators */ /* --------------------------- GL_APPLE_ycbcr_422 -------------------------- */ #ifndef GL_APPLE_ycbcr_422 #define GL_APPLE_ycbcr_422 1 #define GL_YCBCR_422_APPLE 0x85B9 #define GLEW_APPLE_ycbcr_422 GLEW_GET_VAR(__GLEW_APPLE_ycbcr_422) #endif /* GL_APPLE_ycbcr_422 */ /* ------------------------ GL_ARB_ES2_compatibility ----------------------- */ #ifndef GL_ARB_ES2_compatibility #define GL_ARB_ES2_compatibility 1 #define GL_FIXED 0x140C #define GL_IMPLEMENTATION_COLOR_READ_TYPE 0x8B9A #define GL_IMPLEMENTATION_COLOR_READ_FORMAT 0x8B9B #define GL_RGB565 0x8D62 #define GL_LOW_FLOAT 0x8DF0 #define GL_MEDIUM_FLOAT 0x8DF1 #define GL_HIGH_FLOAT 0x8DF2 #define GL_LOW_INT 0x8DF3 #define GL_MEDIUM_INT 0x8DF4 #define GL_HIGH_INT 0x8DF5 #define GL_SHADER_BINARY_FORMATS 0x8DF8 #define GL_NUM_SHADER_BINARY_FORMATS 0x8DF9 #define GL_SHADER_COMPILER 0x8DFA #define GL_MAX_VERTEX_UNIFORM_VECTORS 0x8DFB #define GL_MAX_VARYING_VECTORS 0x8DFC #define GL_MAX_FRAGMENT_UNIFORM_VECTORS 0x8DFD typedef int GLfixed; typedef void (GLAPIENTRY * PFNGLCLEARDEPTHFPROC) (GLclampf d); typedef void (GLAPIENTRY * PFNGLDEPTHRANGEFPROC) (GLclampf n, GLclampf f); typedef void (GLAPIENTRY * PFNGLGETSHADERPRECISIONFORMATPROC) (GLenum shadertype, GLenum precisiontype, GLint* range, GLint *precision); typedef void (GLAPIENTRY * PFNGLRELEASESHADERCOMPILERPROC) (void); typedef void (GLAPIENTRY * PFNGLSHADERBINARYPROC) (GLsizei count, const GLuint* shaders, GLenum binaryformat, const void*binary, GLsizei length); #define glClearDepthf GLEW_GET_FUN(__glewClearDepthf) #define glDepthRangef GLEW_GET_FUN(__glewDepthRangef) #define glGetShaderPrecisionFormat GLEW_GET_FUN(__glewGetShaderPrecisionFormat) #define glReleaseShaderCompiler GLEW_GET_FUN(__glewReleaseShaderCompiler) #define glShaderBinary GLEW_GET_FUN(__glewShaderBinary) #define GLEW_ARB_ES2_compatibility GLEW_GET_VAR(__GLEW_ARB_ES2_compatibility) #endif /* GL_ARB_ES2_compatibility */ /* ----------------------- GL_ARB_ES3_1_compatibility ---------------------- */ #ifndef GL_ARB_ES3_1_compatibility #define GL_ARB_ES3_1_compatibility 1 typedef void (GLAPIENTRY * PFNGLMEMORYBARRIERBYREGIONPROC) (GLbitfield barriers); #define glMemoryBarrierByRegion GLEW_GET_FUN(__glewMemoryBarrierByRegion) #define GLEW_ARB_ES3_1_compatibility GLEW_GET_VAR(__GLEW_ARB_ES3_1_compatibility) #endif /* GL_ARB_ES3_1_compatibility */ /* ----------------------- GL_ARB_ES3_2_compatibility ---------------------- */ #ifndef GL_ARB_ES3_2_compatibility #define GL_ARB_ES3_2_compatibility 1 #define GL_PRIMITIVE_BOUNDING_BOX_ARB 0x92BE #define GL_MULTISAMPLE_LINE_WIDTH_RANGE_ARB 0x9381 #define GL_MULTISAMPLE_LINE_WIDTH_GRANULARITY_ARB 0x9382 typedef void (GLAPIENTRY * PFNGLPRIMITIVEBOUNDINGBOXARBPROC) (GLfloat minX, GLfloat minY, GLfloat minZ, GLfloat minW, GLfloat maxX, GLfloat maxY, GLfloat maxZ, GLfloat maxW); #define glPrimitiveBoundingBoxARB GLEW_GET_FUN(__glewPrimitiveBoundingBoxARB) #define GLEW_ARB_ES3_2_compatibility GLEW_GET_VAR(__GLEW_ARB_ES3_2_compatibility) #endif /* GL_ARB_ES3_2_compatibility */ /* ------------------------ GL_ARB_ES3_compatibility ----------------------- */ #ifndef GL_ARB_ES3_compatibility #define GL_ARB_ES3_compatibility 1 #define GL_TEXTURE_IMMUTABLE_LEVELS 0x82DF #define GL_PRIMITIVE_RESTART_FIXED_INDEX 0x8D69 #define GL_ANY_SAMPLES_PASSED_CONSERVATIVE 0x8D6A #define GL_MAX_ELEMENT_INDEX 0x8D6B #define GL_COMPRESSED_R11_EAC 0x9270 #define GL_COMPRESSED_SIGNED_R11_EAC 0x9271 #define GL_COMPRESSED_RG11_EAC 0x9272 #define GL_COMPRESSED_SIGNED_RG11_EAC 0x9273 #define GL_COMPRESSED_RGB8_ETC2 0x9274 #define GL_COMPRESSED_SRGB8_ETC2 0x9275 #define GL_COMPRESSED_RGB8_PUNCHTHROUGH_ALPHA1_ETC2 0x9276 #define GL_COMPRESSED_SRGB8_PUNCHTHROUGH_ALPHA1_ETC2 0x9277 #define GL_COMPRESSED_RGBA8_ETC2_EAC 0x9278 #define GL_COMPRESSED_SRGB8_ALPHA8_ETC2_EAC 0x9279 #define GLEW_ARB_ES3_compatibility GLEW_GET_VAR(__GLEW_ARB_ES3_compatibility) #endif /* GL_ARB_ES3_compatibility */ /* ------------------------ GL_ARB_arrays_of_arrays ------------------------ */ #ifndef GL_ARB_arrays_of_arrays #define GL_ARB_arrays_of_arrays 1 #define GLEW_ARB_arrays_of_arrays GLEW_GET_VAR(__GLEW_ARB_arrays_of_arrays) #endif /* GL_ARB_arrays_of_arrays */ /* -------------------------- GL_ARB_base_instance ------------------------- */ #ifndef GL_ARB_base_instance #define GL_ARB_base_instance 1 typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEPROC) (GLenum mode, GLint first, GLsizei count, GLsizei primcount, GLuint baseinstance); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei primcount, GLuint baseinstance); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei primcount, GLint basevertex, GLuint baseinstance); #define glDrawArraysInstancedBaseInstance GLEW_GET_FUN(__glewDrawArraysInstancedBaseInstance) #define glDrawElementsInstancedBaseInstance GLEW_GET_FUN(__glewDrawElementsInstancedBaseInstance) #define glDrawElementsInstancedBaseVertexBaseInstance GLEW_GET_FUN(__glewDrawElementsInstancedBaseVertexBaseInstance) #define GLEW_ARB_base_instance GLEW_GET_VAR(__GLEW_ARB_base_instance) #endif /* GL_ARB_base_instance */ /* ------------------------ GL_ARB_bindless_texture ------------------------ */ #ifndef GL_ARB_bindless_texture #define GL_ARB_bindless_texture 1 #define GL_UNSIGNED_INT64_ARB 0x140F typedef GLuint64 (GLAPIENTRY * PFNGLGETIMAGEHANDLEARBPROC) (GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum format); typedef GLuint64 (GLAPIENTRY * PFNGLGETTEXTUREHANDLEARBPROC) (GLuint texture); typedef GLuint64 (GLAPIENTRY * PFNGLGETTEXTURESAMPLERHANDLEARBPROC) (GLuint texture, GLuint sampler); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBLUI64VARBPROC) (GLuint index, GLenum pname, GLuint64EXT* params); typedef GLboolean (GLAPIENTRY * PFNGLISIMAGEHANDLERESIDENTARBPROC) (GLuint64 handle); typedef GLboolean (GLAPIENTRY * PFNGLISTEXTUREHANDLERESIDENTARBPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLMAKEIMAGEHANDLENONRESIDENTARBPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLMAKEIMAGEHANDLERESIDENTARBPROC) (GLuint64 handle, GLenum access); typedef void (GLAPIENTRY * PFNGLMAKETEXTUREHANDLENONRESIDENTARBPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLMAKETEXTUREHANDLERESIDENTARBPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMHANDLEUI64ARBPROC) (GLuint program, GLint location, GLuint64 value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMHANDLEUI64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLuint64* values); typedef void (GLAPIENTRY * PFNGLUNIFORMHANDLEUI64ARBPROC) (GLint location, GLuint64 value); typedef void (GLAPIENTRY * PFNGLUNIFORMHANDLEUI64VARBPROC) (GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1UI64ARBPROC) (GLuint index, GLuint64EXT x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1UI64VARBPROC) (GLuint index, const GLuint64EXT* v); #define glGetImageHandleARB GLEW_GET_FUN(__glewGetImageHandleARB) #define glGetTextureHandleARB GLEW_GET_FUN(__glewGetTextureHandleARB) #define glGetTextureSamplerHandleARB GLEW_GET_FUN(__glewGetTextureSamplerHandleARB) #define glGetVertexAttribLui64vARB GLEW_GET_FUN(__glewGetVertexAttribLui64vARB) #define glIsImageHandleResidentARB GLEW_GET_FUN(__glewIsImageHandleResidentARB) #define glIsTextureHandleResidentARB GLEW_GET_FUN(__glewIsTextureHandleResidentARB) #define glMakeImageHandleNonResidentARB GLEW_GET_FUN(__glewMakeImageHandleNonResidentARB) #define glMakeImageHandleResidentARB GLEW_GET_FUN(__glewMakeImageHandleResidentARB) #define glMakeTextureHandleNonResidentARB GLEW_GET_FUN(__glewMakeTextureHandleNonResidentARB) #define glMakeTextureHandleResidentARB GLEW_GET_FUN(__glewMakeTextureHandleResidentARB) #define glProgramUniformHandleui64ARB GLEW_GET_FUN(__glewProgramUniformHandleui64ARB) #define glProgramUniformHandleui64vARB GLEW_GET_FUN(__glewProgramUniformHandleui64vARB) #define glUniformHandleui64ARB GLEW_GET_FUN(__glewUniformHandleui64ARB) #define glUniformHandleui64vARB GLEW_GET_FUN(__glewUniformHandleui64vARB) #define glVertexAttribL1ui64ARB GLEW_GET_FUN(__glewVertexAttribL1ui64ARB) #define glVertexAttribL1ui64vARB GLEW_GET_FUN(__glewVertexAttribL1ui64vARB) #define GLEW_ARB_bindless_texture GLEW_GET_VAR(__GLEW_ARB_bindless_texture) #endif /* GL_ARB_bindless_texture */ /* ----------------------- GL_ARB_blend_func_extended ---------------------- */ #ifndef GL_ARB_blend_func_extended #define GL_ARB_blend_func_extended 1 #define GL_SRC1_COLOR 0x88F9 #define GL_ONE_MINUS_SRC1_COLOR 0x88FA #define GL_ONE_MINUS_SRC1_ALPHA 0x88FB #define GL_MAX_DUAL_SOURCE_DRAW_BUFFERS 0x88FC typedef void (GLAPIENTRY * PFNGLBINDFRAGDATALOCATIONINDEXEDPROC) (GLuint program, GLuint colorNumber, GLuint index, const GLchar * name); typedef GLint (GLAPIENTRY * PFNGLGETFRAGDATAINDEXPROC) (GLuint program, const GLchar * name); #define glBindFragDataLocationIndexed GLEW_GET_FUN(__glewBindFragDataLocationIndexed) #define glGetFragDataIndex GLEW_GET_FUN(__glewGetFragDataIndex) #define GLEW_ARB_blend_func_extended GLEW_GET_VAR(__GLEW_ARB_blend_func_extended) #endif /* GL_ARB_blend_func_extended */ /* ------------------------- GL_ARB_buffer_storage ------------------------- */ #ifndef GL_ARB_buffer_storage #define GL_ARB_buffer_storage 1 #define GL_MAP_READ_BIT 0x0001 #define GL_MAP_WRITE_BIT 0x0002 #define GL_MAP_PERSISTENT_BIT 0x00000040 #define GL_MAP_COHERENT_BIT 0x00000080 #define GL_DYNAMIC_STORAGE_BIT 0x0100 #define GL_CLIENT_STORAGE_BIT 0x0200 #define GL_CLIENT_MAPPED_BUFFER_BARRIER_BIT 0x00004000 #define GL_BUFFER_IMMUTABLE_STORAGE 0x821F #define GL_BUFFER_STORAGE_FLAGS 0x8220 typedef void (GLAPIENTRY * PFNGLBUFFERSTORAGEPROC) (GLenum target, GLsizeiptr size, const void *data, GLbitfield flags); #define glBufferStorage GLEW_GET_FUN(__glewBufferStorage) #define GLEW_ARB_buffer_storage GLEW_GET_VAR(__GLEW_ARB_buffer_storage) #endif /* GL_ARB_buffer_storage */ /* ---------------------------- GL_ARB_cl_event ---------------------------- */ #ifndef GL_ARB_cl_event #define GL_ARB_cl_event 1 #define GL_SYNC_CL_EVENT_ARB 0x8240 #define GL_SYNC_CL_EVENT_COMPLETE_ARB 0x8241 typedef struct _cl_context *cl_context; typedef struct _cl_event *cl_event; typedef GLsync (GLAPIENTRY * PFNGLCREATESYNCFROMCLEVENTARBPROC) (cl_context context, cl_event event, GLbitfield flags); #define glCreateSyncFromCLeventARB GLEW_GET_FUN(__glewCreateSyncFromCLeventARB) #define GLEW_ARB_cl_event GLEW_GET_VAR(__GLEW_ARB_cl_event) #endif /* GL_ARB_cl_event */ /* ----------------------- GL_ARB_clear_buffer_object ---------------------- */ #ifndef GL_ARB_clear_buffer_object #define GL_ARB_clear_buffer_object 1 typedef void (GLAPIENTRY * PFNGLCLEARBUFFERDATAPROC) (GLenum target, GLenum internalformat, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARBUFFERSUBDATAPROC) (GLenum target, GLenum internalformat, GLintptr offset, GLsizeiptr size, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDBUFFERDATAEXTPROC) (GLuint buffer, GLenum internalformat, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDBUFFERSUBDATAEXTPROC) (GLuint buffer, GLenum internalformat, GLintptr offset, GLsizeiptr size, GLenum format, GLenum type, const void *data); #define glClearBufferData GLEW_GET_FUN(__glewClearBufferData) #define glClearBufferSubData GLEW_GET_FUN(__glewClearBufferSubData) #define glClearNamedBufferDataEXT GLEW_GET_FUN(__glewClearNamedBufferDataEXT) #define glClearNamedBufferSubDataEXT GLEW_GET_FUN(__glewClearNamedBufferSubDataEXT) #define GLEW_ARB_clear_buffer_object GLEW_GET_VAR(__GLEW_ARB_clear_buffer_object) #endif /* GL_ARB_clear_buffer_object */ /* -------------------------- GL_ARB_clear_texture ------------------------- */ #ifndef GL_ARB_clear_texture #define GL_ARB_clear_texture 1 #define GL_CLEAR_TEXTURE 0x9365 typedef void (GLAPIENTRY * PFNGLCLEARTEXIMAGEPROC) (GLuint texture, GLint level, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARTEXSUBIMAGEPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *data); #define glClearTexImage GLEW_GET_FUN(__glewClearTexImage) #define glClearTexSubImage GLEW_GET_FUN(__glewClearTexSubImage) #define GLEW_ARB_clear_texture GLEW_GET_VAR(__GLEW_ARB_clear_texture) #endif /* GL_ARB_clear_texture */ /* -------------------------- GL_ARB_clip_control -------------------------- */ #ifndef GL_ARB_clip_control #define GL_ARB_clip_control 1 #define GL_LOWER_LEFT 0x8CA1 #define GL_UPPER_LEFT 0x8CA2 #define GL_CLIP_ORIGIN 0x935C #define GL_CLIP_DEPTH_MODE 0x935D #define GL_NEGATIVE_ONE_TO_ONE 0x935E #define GL_ZERO_TO_ONE 0x935F typedef void (GLAPIENTRY * PFNGLCLIPCONTROLPROC) (GLenum origin, GLenum depth); #define glClipControl GLEW_GET_FUN(__glewClipControl) #define GLEW_ARB_clip_control GLEW_GET_VAR(__GLEW_ARB_clip_control) #endif /* GL_ARB_clip_control */ /* ----------------------- GL_ARB_color_buffer_float ----------------------- */ #ifndef GL_ARB_color_buffer_float #define GL_ARB_color_buffer_float 1 #define GL_RGBA_FLOAT_MODE_ARB 0x8820 #define GL_CLAMP_VERTEX_COLOR_ARB 0x891A #define GL_CLAMP_FRAGMENT_COLOR_ARB 0x891B #define GL_CLAMP_READ_COLOR_ARB 0x891C #define GL_FIXED_ONLY_ARB 0x891D typedef void (GLAPIENTRY * PFNGLCLAMPCOLORARBPROC) (GLenum target, GLenum clamp); #define glClampColorARB GLEW_GET_FUN(__glewClampColorARB) #define GLEW_ARB_color_buffer_float GLEW_GET_VAR(__GLEW_ARB_color_buffer_float) #endif /* GL_ARB_color_buffer_float */ /* -------------------------- GL_ARB_compatibility ------------------------- */ #ifndef GL_ARB_compatibility #define GL_ARB_compatibility 1 #define GLEW_ARB_compatibility GLEW_GET_VAR(__GLEW_ARB_compatibility) #endif /* GL_ARB_compatibility */ /* ---------------- GL_ARB_compressed_texture_pixel_storage ---------------- */ #ifndef GL_ARB_compressed_texture_pixel_storage #define GL_ARB_compressed_texture_pixel_storage 1 #define GL_UNPACK_COMPRESSED_BLOCK_WIDTH 0x9127 #define GL_UNPACK_COMPRESSED_BLOCK_HEIGHT 0x9128 #define GL_UNPACK_COMPRESSED_BLOCK_DEPTH 0x9129 #define GL_UNPACK_COMPRESSED_BLOCK_SIZE 0x912A #define GL_PACK_COMPRESSED_BLOCK_WIDTH 0x912B #define GL_PACK_COMPRESSED_BLOCK_HEIGHT 0x912C #define GL_PACK_COMPRESSED_BLOCK_DEPTH 0x912D #define GL_PACK_COMPRESSED_BLOCK_SIZE 0x912E #define GLEW_ARB_compressed_texture_pixel_storage GLEW_GET_VAR(__GLEW_ARB_compressed_texture_pixel_storage) #endif /* GL_ARB_compressed_texture_pixel_storage */ /* ------------------------- GL_ARB_compute_shader ------------------------- */ #ifndef GL_ARB_compute_shader #define GL_ARB_compute_shader 1 #define GL_COMPUTE_SHADER_BIT 0x00000020 #define GL_MAX_COMPUTE_SHARED_MEMORY_SIZE 0x8262 #define GL_MAX_COMPUTE_UNIFORM_COMPONENTS 0x8263 #define GL_MAX_COMPUTE_ATOMIC_COUNTER_BUFFERS 0x8264 #define GL_MAX_COMPUTE_ATOMIC_COUNTERS 0x8265 #define GL_MAX_COMBINED_COMPUTE_UNIFORM_COMPONENTS 0x8266 #define GL_COMPUTE_WORK_GROUP_SIZE 0x8267 #define GL_MAX_COMPUTE_WORK_GROUP_INVOCATIONS 0x90EB #define GL_UNIFORM_BLOCK_REFERENCED_BY_COMPUTE_SHADER 0x90EC #define GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_COMPUTE_SHADER 0x90ED #define GL_DISPATCH_INDIRECT_BUFFER 0x90EE #define GL_DISPATCH_INDIRECT_BUFFER_BINDING 0x90EF #define GL_COMPUTE_SHADER 0x91B9 #define GL_MAX_COMPUTE_UNIFORM_BLOCKS 0x91BB #define GL_MAX_COMPUTE_TEXTURE_IMAGE_UNITS 0x91BC #define GL_MAX_COMPUTE_IMAGE_UNIFORMS 0x91BD #define GL_MAX_COMPUTE_WORK_GROUP_COUNT 0x91BE #define GL_MAX_COMPUTE_WORK_GROUP_SIZE 0x91BF typedef void (GLAPIENTRY * PFNGLDISPATCHCOMPUTEPROC) (GLuint num_groups_x, GLuint num_groups_y, GLuint num_groups_z); typedef void (GLAPIENTRY * PFNGLDISPATCHCOMPUTEINDIRECTPROC) (GLintptr indirect); #define glDispatchCompute GLEW_GET_FUN(__glewDispatchCompute) #define glDispatchComputeIndirect GLEW_GET_FUN(__glewDispatchComputeIndirect) #define GLEW_ARB_compute_shader GLEW_GET_VAR(__GLEW_ARB_compute_shader) #endif /* GL_ARB_compute_shader */ /* ------------------- GL_ARB_compute_variable_group_size ------------------ */ #ifndef GL_ARB_compute_variable_group_size #define GL_ARB_compute_variable_group_size 1 #define GL_MAX_COMPUTE_FIXED_GROUP_INVOCATIONS_ARB 0x90EB #define GL_MAX_COMPUTE_FIXED_GROUP_SIZE_ARB 0x91BF #define GL_MAX_COMPUTE_VARIABLE_GROUP_INVOCATIONS_ARB 0x9344 #define GL_MAX_COMPUTE_VARIABLE_GROUP_SIZE_ARB 0x9345 typedef void (GLAPIENTRY * PFNGLDISPATCHCOMPUTEGROUPSIZEARBPROC) (GLuint num_groups_x, GLuint num_groups_y, GLuint num_groups_z, GLuint group_size_x, GLuint group_size_y, GLuint group_size_z); #define glDispatchComputeGroupSizeARB GLEW_GET_FUN(__glewDispatchComputeGroupSizeARB) #define GLEW_ARB_compute_variable_group_size GLEW_GET_VAR(__GLEW_ARB_compute_variable_group_size) #endif /* GL_ARB_compute_variable_group_size */ /* ------------------- GL_ARB_conditional_render_inverted ------------------ */ #ifndef GL_ARB_conditional_render_inverted #define GL_ARB_conditional_render_inverted 1 #define GL_QUERY_WAIT_INVERTED 0x8E17 #define GL_QUERY_NO_WAIT_INVERTED 0x8E18 #define GL_QUERY_BY_REGION_WAIT_INVERTED 0x8E19 #define GL_QUERY_BY_REGION_NO_WAIT_INVERTED 0x8E1A #define GLEW_ARB_conditional_render_inverted GLEW_GET_VAR(__GLEW_ARB_conditional_render_inverted) #endif /* GL_ARB_conditional_render_inverted */ /* ----------------------- GL_ARB_conservative_depth ----------------------- */ #ifndef GL_ARB_conservative_depth #define GL_ARB_conservative_depth 1 #define GLEW_ARB_conservative_depth GLEW_GET_VAR(__GLEW_ARB_conservative_depth) #endif /* GL_ARB_conservative_depth */ /* --------------------------- GL_ARB_copy_buffer -------------------------- */ #ifndef GL_ARB_copy_buffer #define GL_ARB_copy_buffer 1 #define GL_COPY_READ_BUFFER 0x8F36 #define GL_COPY_WRITE_BUFFER 0x8F37 typedef void (GLAPIENTRY * PFNGLCOPYBUFFERSUBDATAPROC) (GLenum readtarget, GLenum writetarget, GLintptr readoffset, GLintptr writeoffset, GLsizeiptr size); #define glCopyBufferSubData GLEW_GET_FUN(__glewCopyBufferSubData) #define GLEW_ARB_copy_buffer GLEW_GET_VAR(__GLEW_ARB_copy_buffer) #endif /* GL_ARB_copy_buffer */ /* --------------------------- GL_ARB_copy_image --------------------------- */ #ifndef GL_ARB_copy_image #define GL_ARB_copy_image 1 typedef void (GLAPIENTRY * PFNGLCOPYIMAGESUBDATAPROC) (GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei srcWidth, GLsizei srcHeight, GLsizei srcDepth); #define glCopyImageSubData GLEW_GET_FUN(__glewCopyImageSubData) #define GLEW_ARB_copy_image GLEW_GET_VAR(__GLEW_ARB_copy_image) #endif /* GL_ARB_copy_image */ /* -------------------------- GL_ARB_cull_distance ------------------------- */ #ifndef GL_ARB_cull_distance #define GL_ARB_cull_distance 1 #define GL_MAX_CULL_DISTANCES 0x82F9 #define GL_MAX_COMBINED_CLIP_AND_CULL_DISTANCES 0x82FA #define GLEW_ARB_cull_distance GLEW_GET_VAR(__GLEW_ARB_cull_distance) #endif /* GL_ARB_cull_distance */ /* -------------------------- GL_ARB_debug_output -------------------------- */ #ifndef GL_ARB_debug_output #define GL_ARB_debug_output 1 #define GL_DEBUG_OUTPUT_SYNCHRONOUS_ARB 0x8242 #define GL_DEBUG_NEXT_LOGGED_MESSAGE_LENGTH_ARB 0x8243 #define GL_DEBUG_CALLBACK_FUNCTION_ARB 0x8244 #define GL_DEBUG_CALLBACK_USER_PARAM_ARB 0x8245 #define GL_DEBUG_SOURCE_API_ARB 0x8246 #define GL_DEBUG_SOURCE_WINDOW_SYSTEM_ARB 0x8247 #define GL_DEBUG_SOURCE_SHADER_COMPILER_ARB 0x8248 #define GL_DEBUG_SOURCE_THIRD_PARTY_ARB 0x8249 #define GL_DEBUG_SOURCE_APPLICATION_ARB 0x824A #define GL_DEBUG_SOURCE_OTHER_ARB 0x824B #define GL_DEBUG_TYPE_ERROR_ARB 0x824C #define GL_DEBUG_TYPE_DEPRECATED_BEHAVIOR_ARB 0x824D #define GL_DEBUG_TYPE_UNDEFINED_BEHAVIOR_ARB 0x824E #define GL_DEBUG_TYPE_PORTABILITY_ARB 0x824F #define GL_DEBUG_TYPE_PERFORMANCE_ARB 0x8250 #define GL_DEBUG_TYPE_OTHER_ARB 0x8251 #define GL_MAX_DEBUG_MESSAGE_LENGTH_ARB 0x9143 #define GL_MAX_DEBUG_LOGGED_MESSAGES_ARB 0x9144 #define GL_DEBUG_LOGGED_MESSAGES_ARB 0x9145 #define GL_DEBUG_SEVERITY_HIGH_ARB 0x9146 #define GL_DEBUG_SEVERITY_MEDIUM_ARB 0x9147 #define GL_DEBUG_SEVERITY_LOW_ARB 0x9148 typedef void (GLAPIENTRY *GLDEBUGPROCARB)(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* message, const void* userParam); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGECALLBACKARBPROC) (GLDEBUGPROCARB callback, const void *userParam); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGECONTROLARBPROC) (GLenum source, GLenum type, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGEINSERTARBPROC) (GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* buf); typedef GLuint (GLAPIENTRY * PFNGLGETDEBUGMESSAGELOGARBPROC) (GLuint count, GLsizei bufSize, GLenum* sources, GLenum* types, GLuint* ids, GLenum* severities, GLsizei* lengths, GLchar* messageLog); #define glDebugMessageCallbackARB GLEW_GET_FUN(__glewDebugMessageCallbackARB) #define glDebugMessageControlARB GLEW_GET_FUN(__glewDebugMessageControlARB) #define glDebugMessageInsertARB GLEW_GET_FUN(__glewDebugMessageInsertARB) #define glGetDebugMessageLogARB GLEW_GET_FUN(__glewGetDebugMessageLogARB) #define GLEW_ARB_debug_output GLEW_GET_VAR(__GLEW_ARB_debug_output) #endif /* GL_ARB_debug_output */ /* ----------------------- GL_ARB_depth_buffer_float ----------------------- */ #ifndef GL_ARB_depth_buffer_float #define GL_ARB_depth_buffer_float 1 #define GL_DEPTH_COMPONENT32F 0x8CAC #define GL_DEPTH32F_STENCIL8 0x8CAD #define GL_FLOAT_32_UNSIGNED_INT_24_8_REV 0x8DAD #define GLEW_ARB_depth_buffer_float GLEW_GET_VAR(__GLEW_ARB_depth_buffer_float) #endif /* GL_ARB_depth_buffer_float */ /* --------------------------- GL_ARB_depth_clamp -------------------------- */ #ifndef GL_ARB_depth_clamp #define GL_ARB_depth_clamp 1 #define GL_DEPTH_CLAMP 0x864F #define GLEW_ARB_depth_clamp GLEW_GET_VAR(__GLEW_ARB_depth_clamp) #endif /* GL_ARB_depth_clamp */ /* -------------------------- GL_ARB_depth_texture ------------------------- */ #ifndef GL_ARB_depth_texture #define GL_ARB_depth_texture 1 #define GL_DEPTH_COMPONENT16_ARB 0x81A5 #define GL_DEPTH_COMPONENT24_ARB 0x81A6 #define GL_DEPTH_COMPONENT32_ARB 0x81A7 #define GL_TEXTURE_DEPTH_SIZE_ARB 0x884A #define GL_DEPTH_TEXTURE_MODE_ARB 0x884B #define GLEW_ARB_depth_texture GLEW_GET_VAR(__GLEW_ARB_depth_texture) #endif /* GL_ARB_depth_texture */ /* ----------------------- GL_ARB_derivative_control ----------------------- */ #ifndef GL_ARB_derivative_control #define GL_ARB_derivative_control 1 #define GLEW_ARB_derivative_control GLEW_GET_VAR(__GLEW_ARB_derivative_control) #endif /* GL_ARB_derivative_control */ /* ----------------------- GL_ARB_direct_state_access ---------------------- */ #ifndef GL_ARB_direct_state_access #define GL_ARB_direct_state_access 1 #define GL_TEXTURE_TARGET 0x1006 #define GL_QUERY_TARGET 0x82EA typedef void (GLAPIENTRY * PFNGLBINDTEXTUREUNITPROC) (GLuint unit, GLuint texture); typedef void (GLAPIENTRY * PFNGLBLITNAMEDFRAMEBUFFERPROC) (GLuint readFramebuffer, GLuint drawFramebuffer, GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); typedef GLenum (GLAPIENTRY * PFNGLCHECKNAMEDFRAMEBUFFERSTATUSPROC) (GLuint framebuffer, GLenum target); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDBUFFERDATAPROC) (GLuint buffer, GLenum internalformat, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDBUFFERSUBDATAPROC) (GLuint buffer, GLenum internalformat, GLintptr offset, GLsizeiptr size, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDFRAMEBUFFERFIPROC) (GLuint framebuffer, GLenum buffer, GLint drawbuffer, GLfloat depth, GLint stencil); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDFRAMEBUFFERFVPROC) (GLuint framebuffer, GLenum buffer, GLint drawbuffer, GLfloat* value); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDFRAMEBUFFERIVPROC) (GLuint framebuffer, GLenum buffer, GLint drawbuffer, const GLint* value); typedef void (GLAPIENTRY * PFNGLCLEARNAMEDFRAMEBUFFERUIVPROC) (GLuint framebuffer, GLenum buffer, GLint drawbuffer, const GLuint* value); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTURESUBIMAGE1DPROC) (GLuint texture, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTURESUBIMAGE2DPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTURESUBIMAGE3DPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOPYNAMEDBUFFERSUBDATAPROC) (GLuint readBuffer, GLuint writeBuffer, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLCOPYTEXTURESUBIMAGE1DPROC) (GLuint texture, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYTEXTURESUBIMAGE2DPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLCOPYTEXTURESUBIMAGE3DPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLCREATEBUFFERSPROC) (GLsizei n, GLuint* buffers); typedef void (GLAPIENTRY * PFNGLCREATEFRAMEBUFFERSPROC) (GLsizei n, GLuint* framebuffers); typedef void (GLAPIENTRY * PFNGLCREATEPROGRAMPIPELINESPROC) (GLsizei n, GLuint* pipelines); typedef void (GLAPIENTRY * PFNGLCREATEQUERIESPROC) (GLenum target, GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLCREATERENDERBUFFERSPROC) (GLsizei n, GLuint* renderbuffers); typedef void (GLAPIENTRY * PFNGLCREATESAMPLERSPROC) (GLsizei n, GLuint* samplers); typedef void (GLAPIENTRY * PFNGLCREATETEXTURESPROC) (GLenum target, GLsizei n, GLuint* textures); typedef void (GLAPIENTRY * PFNGLCREATETRANSFORMFEEDBACKSPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLCREATEVERTEXARRAYSPROC) (GLsizei n, GLuint* arrays); typedef void (GLAPIENTRY * PFNGLDISABLEVERTEXARRAYATTRIBPROC) (GLuint vaobj, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEVERTEXARRAYATTRIBPROC) (GLuint vaobj, GLuint index); typedef void (GLAPIENTRY * PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEPROC) (GLuint buffer, GLintptr offset, GLsizeiptr length); typedef void (GLAPIENTRY * PFNGLGENERATETEXTUREMIPMAPPROC) (GLuint texture); typedef void (GLAPIENTRY * PFNGLGETCOMPRESSEDTEXTUREIMAGEPROC) (GLuint texture, GLint level, GLsizei bufSize, void *pixels); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERPARAMETERI64VPROC) (GLuint buffer, GLenum pname, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERPARAMETERIVPROC) (GLuint buffer, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERPOINTERVPROC) (GLuint buffer, GLenum pname, void** params); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERSUBDATAPROC) (GLuint buffer, GLintptr offset, GLsizeiptr size, void *data); typedef void (GLAPIENTRY * PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVPROC) (GLuint framebuffer, GLenum attachment, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVPROC) (GLuint framebuffer, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETNAMEDRENDERBUFFERPARAMETERIVPROC) (GLuint renderbuffer, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYBUFFEROBJECTI64VPROC) (GLuint id, GLuint buffer, GLenum pname, GLintptr offset); typedef void (GLAPIENTRY * PFNGLGETQUERYBUFFEROBJECTIVPROC) (GLuint id, GLuint buffer, GLenum pname, GLintptr offset); typedef void (GLAPIENTRY * PFNGLGETQUERYBUFFEROBJECTUI64VPROC) (GLuint id, GLuint buffer, GLenum pname, GLintptr offset); typedef void (GLAPIENTRY * PFNGLGETQUERYBUFFEROBJECTUIVPROC) (GLuint id, GLuint buffer, GLenum pname, GLintptr offset); typedef void (GLAPIENTRY * PFNGLGETTEXTUREIMAGEPROC) (GLuint texture, GLint level, GLenum format, GLenum type, GLsizei bufSize, void *pixels); typedef void (GLAPIENTRY * PFNGLGETTEXTURELEVELPARAMETERFVPROC) (GLuint texture, GLint level, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETTEXTURELEVELPARAMETERIVPROC) (GLuint texture, GLint level, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERIIVPROC) (GLuint texture, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERIUIVPROC) (GLuint texture, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERFVPROC) (GLuint texture, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERIVPROC) (GLuint texture, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTRANSFORMFEEDBACKI64_VPROC) (GLuint xfb, GLenum pname, GLuint index, GLint64* param); typedef void (GLAPIENTRY * PFNGLGETTRANSFORMFEEDBACKI_VPROC) (GLuint xfb, GLenum pname, GLuint index, GLint* param); typedef void (GLAPIENTRY * PFNGLGETTRANSFORMFEEDBACKIVPROC) (GLuint xfb, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYINDEXED64IVPROC) (GLuint vaobj, GLuint index, GLenum pname, GLint64* param); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYINDEXEDIVPROC) (GLuint vaobj, GLuint index, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYIVPROC) (GLuint vaobj, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLINVALIDATENAMEDFRAMEBUFFERDATAPROC) (GLuint framebuffer, GLsizei numAttachments, const GLenum* attachments); typedef void (GLAPIENTRY * PFNGLINVALIDATENAMEDFRAMEBUFFERSUBDATAPROC) (GLuint framebuffer, GLsizei numAttachments, const GLenum* attachments, GLint x, GLint y, GLsizei width, GLsizei height); typedef void * (GLAPIENTRY * PFNGLMAPNAMEDBUFFERPROC) (GLuint buffer, GLenum access); typedef void * (GLAPIENTRY * PFNGLMAPNAMEDBUFFERRANGEPROC) (GLuint buffer, GLintptr offset, GLsizeiptr length, GLbitfield access); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERDATAPROC) (GLuint buffer, GLsizeiptr size, const void *data, GLenum usage); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERSTORAGEPROC) (GLuint buffer, GLsizeiptr size, const void *data, GLbitfield flags); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERSUBDATAPROC) (GLuint buffer, GLintptr offset, GLsizeiptr size, const void *data); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERDRAWBUFFERPROC) (GLuint framebuffer, GLenum mode); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERDRAWBUFFERSPROC) (GLuint framebuffer, GLsizei n, const GLenum* bufs); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERPARAMETERIPROC) (GLuint framebuffer, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERREADBUFFERPROC) (GLuint framebuffer, GLenum mode); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERRENDERBUFFERPROC) (GLuint framebuffer, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTUREPROC) (GLuint framebuffer, GLenum attachment, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTURELAYERPROC) (GLuint framebuffer, GLenum attachment, GLuint texture, GLint level, GLint layer); typedef void (GLAPIENTRY * PFNGLNAMEDRENDERBUFFERSTORAGEPROC) (GLuint renderbuffer, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEPROC) (GLuint renderbuffer, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLTEXTUREBUFFERPROC) (GLuint texture, GLenum internalformat, GLuint buffer); typedef void (GLAPIENTRY * PFNGLTEXTUREBUFFERRANGEPROC) (GLuint texture, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIIVPROC) (GLuint texture, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIUIVPROC) (GLuint texture, GLenum pname, const GLuint* params); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERFPROC) (GLuint texture, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERFVPROC) (GLuint texture, GLenum pname, const GLfloat* param); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIPROC) (GLuint texture, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIVPROC) (GLuint texture, GLenum pname, const GLint* param); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE1DPROC) (GLuint texture, GLsizei levels, GLenum internalformat, GLsizei width); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE2DPROC) (GLuint texture, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE2DMULTISAMPLEPROC) (GLuint texture, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE3DPROC) (GLuint texture, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE3DMULTISAMPLEPROC) (GLuint texture, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations); typedef void (GLAPIENTRY * PFNGLTEXTURESUBIMAGE1DPROC) (GLuint texture, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTURESUBIMAGE2DPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTURESUBIMAGE3DPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTRANSFORMFEEDBACKBUFFERBASEPROC) (GLuint xfb, GLuint index, GLuint buffer); typedef void (GLAPIENTRY * PFNGLTRANSFORMFEEDBACKBUFFERRANGEPROC) (GLuint xfb, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size); typedef GLboolean (GLAPIENTRY * PFNGLUNMAPNAMEDBUFFERPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYATTRIBBINDINGPROC) (GLuint vaobj, GLuint attribindex, GLuint bindingindex); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYATTRIBFORMATPROC) (GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLboolean normalized, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYATTRIBIFORMATPROC) (GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYATTRIBLFORMATPROC) (GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYBINDINGDIVISORPROC) (GLuint vaobj, GLuint bindingindex, GLuint divisor); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYELEMENTBUFFERPROC) (GLuint vaobj, GLuint buffer); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXBUFFERPROC) (GLuint vaobj, GLuint bindingindex, GLuint buffer, GLintptr offset, GLsizei stride); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXBUFFERSPROC) (GLuint vaobj, GLuint first, GLsizei count, const GLuint* buffers, const GLintptr *offsets, const GLsizei *strides); #define glBindTextureUnit GLEW_GET_FUN(__glewBindTextureUnit) #define glBlitNamedFramebuffer GLEW_GET_FUN(__glewBlitNamedFramebuffer) #define glCheckNamedFramebufferStatus GLEW_GET_FUN(__glewCheckNamedFramebufferStatus) #define glClearNamedBufferData GLEW_GET_FUN(__glewClearNamedBufferData) #define glClearNamedBufferSubData GLEW_GET_FUN(__glewClearNamedBufferSubData) #define glClearNamedFramebufferfi GLEW_GET_FUN(__glewClearNamedFramebufferfi) #define glClearNamedFramebufferfv GLEW_GET_FUN(__glewClearNamedFramebufferfv) #define glClearNamedFramebufferiv GLEW_GET_FUN(__glewClearNamedFramebufferiv) #define glClearNamedFramebufferuiv GLEW_GET_FUN(__glewClearNamedFramebufferuiv) #define glCompressedTextureSubImage1D GLEW_GET_FUN(__glewCompressedTextureSubImage1D) #define glCompressedTextureSubImage2D GLEW_GET_FUN(__glewCompressedTextureSubImage2D) #define glCompressedTextureSubImage3D GLEW_GET_FUN(__glewCompressedTextureSubImage3D) #define glCopyNamedBufferSubData GLEW_GET_FUN(__glewCopyNamedBufferSubData) #define glCopyTextureSubImage1D GLEW_GET_FUN(__glewCopyTextureSubImage1D) #define glCopyTextureSubImage2D GLEW_GET_FUN(__glewCopyTextureSubImage2D) #define glCopyTextureSubImage3D GLEW_GET_FUN(__glewCopyTextureSubImage3D) #define glCreateBuffers GLEW_GET_FUN(__glewCreateBuffers) #define glCreateFramebuffers GLEW_GET_FUN(__glewCreateFramebuffers) #define glCreateProgramPipelines GLEW_GET_FUN(__glewCreateProgramPipelines) #define glCreateQueries GLEW_GET_FUN(__glewCreateQueries) #define glCreateRenderbuffers GLEW_GET_FUN(__glewCreateRenderbuffers) #define glCreateSamplers GLEW_GET_FUN(__glewCreateSamplers) #define glCreateTextures GLEW_GET_FUN(__glewCreateTextures) #define glCreateTransformFeedbacks GLEW_GET_FUN(__glewCreateTransformFeedbacks) #define glCreateVertexArrays GLEW_GET_FUN(__glewCreateVertexArrays) #define glDisableVertexArrayAttrib GLEW_GET_FUN(__glewDisableVertexArrayAttrib) #define glEnableVertexArrayAttrib GLEW_GET_FUN(__glewEnableVertexArrayAttrib) #define glFlushMappedNamedBufferRange GLEW_GET_FUN(__glewFlushMappedNamedBufferRange) #define glGenerateTextureMipmap GLEW_GET_FUN(__glewGenerateTextureMipmap) #define glGetCompressedTextureImage GLEW_GET_FUN(__glewGetCompressedTextureImage) #define glGetNamedBufferParameteri64v GLEW_GET_FUN(__glewGetNamedBufferParameteri64v) #define glGetNamedBufferParameteriv GLEW_GET_FUN(__glewGetNamedBufferParameteriv) #define glGetNamedBufferPointerv GLEW_GET_FUN(__glewGetNamedBufferPointerv) #define glGetNamedBufferSubData GLEW_GET_FUN(__glewGetNamedBufferSubData) #define glGetNamedFramebufferAttachmentParameteriv GLEW_GET_FUN(__glewGetNamedFramebufferAttachmentParameteriv) #define glGetNamedFramebufferParameteriv GLEW_GET_FUN(__glewGetNamedFramebufferParameteriv) #define glGetNamedRenderbufferParameteriv GLEW_GET_FUN(__glewGetNamedRenderbufferParameteriv) #define glGetQueryBufferObjecti64v GLEW_GET_FUN(__glewGetQueryBufferObjecti64v) #define glGetQueryBufferObjectiv GLEW_GET_FUN(__glewGetQueryBufferObjectiv) #define glGetQueryBufferObjectui64v GLEW_GET_FUN(__glewGetQueryBufferObjectui64v) #define glGetQueryBufferObjectuiv GLEW_GET_FUN(__glewGetQueryBufferObjectuiv) #define glGetTextureImage GLEW_GET_FUN(__glewGetTextureImage) #define glGetTextureLevelParameterfv GLEW_GET_FUN(__glewGetTextureLevelParameterfv) #define glGetTextureLevelParameteriv GLEW_GET_FUN(__glewGetTextureLevelParameteriv) #define glGetTextureParameterIiv GLEW_GET_FUN(__glewGetTextureParameterIiv) #define glGetTextureParameterIuiv GLEW_GET_FUN(__glewGetTextureParameterIuiv) #define glGetTextureParameterfv GLEW_GET_FUN(__glewGetTextureParameterfv) #define glGetTextureParameteriv GLEW_GET_FUN(__glewGetTextureParameteriv) #define glGetTransformFeedbacki64_v GLEW_GET_FUN(__glewGetTransformFeedbacki64_v) #define glGetTransformFeedbacki_v GLEW_GET_FUN(__glewGetTransformFeedbacki_v) #define glGetTransformFeedbackiv GLEW_GET_FUN(__glewGetTransformFeedbackiv) #define glGetVertexArrayIndexed64iv GLEW_GET_FUN(__glewGetVertexArrayIndexed64iv) #define glGetVertexArrayIndexediv GLEW_GET_FUN(__glewGetVertexArrayIndexediv) #define glGetVertexArrayiv GLEW_GET_FUN(__glewGetVertexArrayiv) #define glInvalidateNamedFramebufferData GLEW_GET_FUN(__glewInvalidateNamedFramebufferData) #define glInvalidateNamedFramebufferSubData GLEW_GET_FUN(__glewInvalidateNamedFramebufferSubData) #define glMapNamedBuffer GLEW_GET_FUN(__glewMapNamedBuffer) #define glMapNamedBufferRange GLEW_GET_FUN(__glewMapNamedBufferRange) #define glNamedBufferData GLEW_GET_FUN(__glewNamedBufferData) #define glNamedBufferStorage GLEW_GET_FUN(__glewNamedBufferStorage) #define glNamedBufferSubData GLEW_GET_FUN(__glewNamedBufferSubData) #define glNamedFramebufferDrawBuffer GLEW_GET_FUN(__glewNamedFramebufferDrawBuffer) #define glNamedFramebufferDrawBuffers GLEW_GET_FUN(__glewNamedFramebufferDrawBuffers) #define glNamedFramebufferParameteri GLEW_GET_FUN(__glewNamedFramebufferParameteri) #define glNamedFramebufferReadBuffer GLEW_GET_FUN(__glewNamedFramebufferReadBuffer) #define glNamedFramebufferRenderbuffer GLEW_GET_FUN(__glewNamedFramebufferRenderbuffer) #define glNamedFramebufferTexture GLEW_GET_FUN(__glewNamedFramebufferTexture) #define glNamedFramebufferTextureLayer GLEW_GET_FUN(__glewNamedFramebufferTextureLayer) #define glNamedRenderbufferStorage GLEW_GET_FUN(__glewNamedRenderbufferStorage) #define glNamedRenderbufferStorageMultisample GLEW_GET_FUN(__glewNamedRenderbufferStorageMultisample) #define glTextureBuffer GLEW_GET_FUN(__glewTextureBuffer) #define glTextureBufferRange GLEW_GET_FUN(__glewTextureBufferRange) #define glTextureParameterIiv GLEW_GET_FUN(__glewTextureParameterIiv) #define glTextureParameterIuiv GLEW_GET_FUN(__glewTextureParameterIuiv) #define glTextureParameterf GLEW_GET_FUN(__glewTextureParameterf) #define glTextureParameterfv GLEW_GET_FUN(__glewTextureParameterfv) #define glTextureParameteri GLEW_GET_FUN(__glewTextureParameteri) #define glTextureParameteriv GLEW_GET_FUN(__glewTextureParameteriv) #define glTextureStorage1D GLEW_GET_FUN(__glewTextureStorage1D) #define glTextureStorage2D GLEW_GET_FUN(__glewTextureStorage2D) #define glTextureStorage2DMultisample GLEW_GET_FUN(__glewTextureStorage2DMultisample) #define glTextureStorage3D GLEW_GET_FUN(__glewTextureStorage3D) #define glTextureStorage3DMultisample GLEW_GET_FUN(__glewTextureStorage3DMultisample) #define glTextureSubImage1D GLEW_GET_FUN(__glewTextureSubImage1D) #define glTextureSubImage2D GLEW_GET_FUN(__glewTextureSubImage2D) #define glTextureSubImage3D GLEW_GET_FUN(__glewTextureSubImage3D) #define glTransformFeedbackBufferBase GLEW_GET_FUN(__glewTransformFeedbackBufferBase) #define glTransformFeedbackBufferRange GLEW_GET_FUN(__glewTransformFeedbackBufferRange) #define glUnmapNamedBuffer GLEW_GET_FUN(__glewUnmapNamedBuffer) #define glVertexArrayAttribBinding GLEW_GET_FUN(__glewVertexArrayAttribBinding) #define glVertexArrayAttribFormat GLEW_GET_FUN(__glewVertexArrayAttribFormat) #define glVertexArrayAttribIFormat GLEW_GET_FUN(__glewVertexArrayAttribIFormat) #define glVertexArrayAttribLFormat GLEW_GET_FUN(__glewVertexArrayAttribLFormat) #define glVertexArrayBindingDivisor GLEW_GET_FUN(__glewVertexArrayBindingDivisor) #define glVertexArrayElementBuffer GLEW_GET_FUN(__glewVertexArrayElementBuffer) #define glVertexArrayVertexBuffer GLEW_GET_FUN(__glewVertexArrayVertexBuffer) #define glVertexArrayVertexBuffers GLEW_GET_FUN(__glewVertexArrayVertexBuffers) #define GLEW_ARB_direct_state_access GLEW_GET_VAR(__GLEW_ARB_direct_state_access) #endif /* GL_ARB_direct_state_access */ /* -------------------------- GL_ARB_draw_buffers -------------------------- */ #ifndef GL_ARB_draw_buffers #define GL_ARB_draw_buffers 1 #define GL_MAX_DRAW_BUFFERS_ARB 0x8824 #define GL_DRAW_BUFFER0_ARB 0x8825 #define GL_DRAW_BUFFER1_ARB 0x8826 #define GL_DRAW_BUFFER2_ARB 0x8827 #define GL_DRAW_BUFFER3_ARB 0x8828 #define GL_DRAW_BUFFER4_ARB 0x8829 #define GL_DRAW_BUFFER5_ARB 0x882A #define GL_DRAW_BUFFER6_ARB 0x882B #define GL_DRAW_BUFFER7_ARB 0x882C #define GL_DRAW_BUFFER8_ARB 0x882D #define GL_DRAW_BUFFER9_ARB 0x882E #define GL_DRAW_BUFFER10_ARB 0x882F #define GL_DRAW_BUFFER11_ARB 0x8830 #define GL_DRAW_BUFFER12_ARB 0x8831 #define GL_DRAW_BUFFER13_ARB 0x8832 #define GL_DRAW_BUFFER14_ARB 0x8833 #define GL_DRAW_BUFFER15_ARB 0x8834 typedef void (GLAPIENTRY * PFNGLDRAWBUFFERSARBPROC) (GLsizei n, const GLenum* bufs); #define glDrawBuffersARB GLEW_GET_FUN(__glewDrawBuffersARB) #define GLEW_ARB_draw_buffers GLEW_GET_VAR(__GLEW_ARB_draw_buffers) #endif /* GL_ARB_draw_buffers */ /* ----------------------- GL_ARB_draw_buffers_blend ----------------------- */ #ifndef GL_ARB_draw_buffers_blend #define GL_ARB_draw_buffers_blend 1 typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONSEPARATEIARBPROC) (GLuint buf, GLenum modeRGB, GLenum modeAlpha); typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONIARBPROC) (GLuint buf, GLenum mode); typedef void (GLAPIENTRY * PFNGLBLENDFUNCSEPARATEIARBPROC) (GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha); typedef void (GLAPIENTRY * PFNGLBLENDFUNCIARBPROC) (GLuint buf, GLenum src, GLenum dst); #define glBlendEquationSeparateiARB GLEW_GET_FUN(__glewBlendEquationSeparateiARB) #define glBlendEquationiARB GLEW_GET_FUN(__glewBlendEquationiARB) #define glBlendFuncSeparateiARB GLEW_GET_FUN(__glewBlendFuncSeparateiARB) #define glBlendFunciARB GLEW_GET_FUN(__glewBlendFunciARB) #define GLEW_ARB_draw_buffers_blend GLEW_GET_VAR(__GLEW_ARB_draw_buffers_blend) #endif /* GL_ARB_draw_buffers_blend */ /* -------------------- GL_ARB_draw_elements_base_vertex ------------------- */ #ifndef GL_ARB_draw_elements_base_vertex #define GL_ARB_draw_elements_base_vertex 1 typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSBASEVERTEXPROC) (GLenum mode, GLsizei count, GLenum type, void *indices, GLint basevertex); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei primcount, GLint basevertex); typedef void (GLAPIENTRY * PFNGLDRAWRANGEELEMENTSBASEVERTEXPROC) (GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, void *indices, GLint basevertex); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSBASEVERTEXPROC) (GLenum mode, GLsizei* count, GLenum type, void**indices, GLsizei primcount, GLint *basevertex); #define glDrawElementsBaseVertex GLEW_GET_FUN(__glewDrawElementsBaseVertex) #define glDrawElementsInstancedBaseVertex GLEW_GET_FUN(__glewDrawElementsInstancedBaseVertex) #define glDrawRangeElementsBaseVertex GLEW_GET_FUN(__glewDrawRangeElementsBaseVertex) #define glMultiDrawElementsBaseVertex GLEW_GET_FUN(__glewMultiDrawElementsBaseVertex) #define GLEW_ARB_draw_elements_base_vertex GLEW_GET_VAR(__GLEW_ARB_draw_elements_base_vertex) #endif /* GL_ARB_draw_elements_base_vertex */ /* -------------------------- GL_ARB_draw_indirect ------------------------- */ #ifndef GL_ARB_draw_indirect #define GL_ARB_draw_indirect 1 #define GL_DRAW_INDIRECT_BUFFER 0x8F3F #define GL_DRAW_INDIRECT_BUFFER_BINDING 0x8F43 typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINDIRECTPROC) (GLenum mode, const void *indirect); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINDIRECTPROC) (GLenum mode, GLenum type, const void *indirect); #define glDrawArraysIndirect GLEW_GET_FUN(__glewDrawArraysIndirect) #define glDrawElementsIndirect GLEW_GET_FUN(__glewDrawElementsIndirect) #define GLEW_ARB_draw_indirect GLEW_GET_VAR(__GLEW_ARB_draw_indirect) #endif /* GL_ARB_draw_indirect */ /* ------------------------- GL_ARB_draw_instanced ------------------------- */ #ifndef GL_ARB_draw_instanced #define GL_ARB_draw_instanced 1 #define GLEW_ARB_draw_instanced GLEW_GET_VAR(__GLEW_ARB_draw_instanced) #endif /* GL_ARB_draw_instanced */ /* ------------------------ GL_ARB_enhanced_layouts ------------------------ */ #ifndef GL_ARB_enhanced_layouts #define GL_ARB_enhanced_layouts 1 #define GL_LOCATION_COMPONENT 0x934A #define GL_TRANSFORM_FEEDBACK_BUFFER_INDEX 0x934B #define GL_TRANSFORM_FEEDBACK_BUFFER_STRIDE 0x934C #define GLEW_ARB_enhanced_layouts GLEW_GET_VAR(__GLEW_ARB_enhanced_layouts) #endif /* GL_ARB_enhanced_layouts */ /* -------------------- GL_ARB_explicit_attrib_location -------------------- */ #ifndef GL_ARB_explicit_attrib_location #define GL_ARB_explicit_attrib_location 1 #define GLEW_ARB_explicit_attrib_location GLEW_GET_VAR(__GLEW_ARB_explicit_attrib_location) #endif /* GL_ARB_explicit_attrib_location */ /* -------------------- GL_ARB_explicit_uniform_location ------------------- */ #ifndef GL_ARB_explicit_uniform_location #define GL_ARB_explicit_uniform_location 1 #define GL_MAX_UNIFORM_LOCATIONS 0x826E #define GLEW_ARB_explicit_uniform_location GLEW_GET_VAR(__GLEW_ARB_explicit_uniform_location) #endif /* GL_ARB_explicit_uniform_location */ /* ------------------- GL_ARB_fragment_coord_conventions ------------------- */ #ifndef GL_ARB_fragment_coord_conventions #define GL_ARB_fragment_coord_conventions 1 #define GLEW_ARB_fragment_coord_conventions GLEW_GET_VAR(__GLEW_ARB_fragment_coord_conventions) #endif /* GL_ARB_fragment_coord_conventions */ /* --------------------- GL_ARB_fragment_layer_viewport -------------------- */ #ifndef GL_ARB_fragment_layer_viewport #define GL_ARB_fragment_layer_viewport 1 #define GLEW_ARB_fragment_layer_viewport GLEW_GET_VAR(__GLEW_ARB_fragment_layer_viewport) #endif /* GL_ARB_fragment_layer_viewport */ /* ------------------------ GL_ARB_fragment_program ------------------------ */ #ifndef GL_ARB_fragment_program #define GL_ARB_fragment_program 1 #define GL_FRAGMENT_PROGRAM_ARB 0x8804 #define GL_PROGRAM_ALU_INSTRUCTIONS_ARB 0x8805 #define GL_PROGRAM_TEX_INSTRUCTIONS_ARB 0x8806 #define GL_PROGRAM_TEX_INDIRECTIONS_ARB 0x8807 #define GL_PROGRAM_NATIVE_ALU_INSTRUCTIONS_ARB 0x8808 #define GL_PROGRAM_NATIVE_TEX_INSTRUCTIONS_ARB 0x8809 #define GL_PROGRAM_NATIVE_TEX_INDIRECTIONS_ARB 0x880A #define GL_MAX_PROGRAM_ALU_INSTRUCTIONS_ARB 0x880B #define GL_MAX_PROGRAM_TEX_INSTRUCTIONS_ARB 0x880C #define GL_MAX_PROGRAM_TEX_INDIRECTIONS_ARB 0x880D #define GL_MAX_PROGRAM_NATIVE_ALU_INSTRUCTIONS_ARB 0x880E #define GL_MAX_PROGRAM_NATIVE_TEX_INSTRUCTIONS_ARB 0x880F #define GL_MAX_PROGRAM_NATIVE_TEX_INDIRECTIONS_ARB 0x8810 #define GL_MAX_TEXTURE_COORDS_ARB 0x8871 #define GL_MAX_TEXTURE_IMAGE_UNITS_ARB 0x8872 #define GLEW_ARB_fragment_program GLEW_GET_VAR(__GLEW_ARB_fragment_program) #endif /* GL_ARB_fragment_program */ /* --------------------- GL_ARB_fragment_program_shadow -------------------- */ #ifndef GL_ARB_fragment_program_shadow #define GL_ARB_fragment_program_shadow 1 #define GLEW_ARB_fragment_program_shadow GLEW_GET_VAR(__GLEW_ARB_fragment_program_shadow) #endif /* GL_ARB_fragment_program_shadow */ /* ------------------------- GL_ARB_fragment_shader ------------------------ */ #ifndef GL_ARB_fragment_shader #define GL_ARB_fragment_shader 1 #define GL_FRAGMENT_SHADER_ARB 0x8B30 #define GL_MAX_FRAGMENT_UNIFORM_COMPONENTS_ARB 0x8B49 #define GL_FRAGMENT_SHADER_DERIVATIVE_HINT_ARB 0x8B8B #define GLEW_ARB_fragment_shader GLEW_GET_VAR(__GLEW_ARB_fragment_shader) #endif /* GL_ARB_fragment_shader */ /* -------------------- GL_ARB_fragment_shader_interlock ------------------- */ #ifndef GL_ARB_fragment_shader_interlock #define GL_ARB_fragment_shader_interlock 1 #define GLEW_ARB_fragment_shader_interlock GLEW_GET_VAR(__GLEW_ARB_fragment_shader_interlock) #endif /* GL_ARB_fragment_shader_interlock */ /* ------------------- GL_ARB_framebuffer_no_attachments ------------------- */ #ifndef GL_ARB_framebuffer_no_attachments #define GL_ARB_framebuffer_no_attachments 1 #define GL_FRAMEBUFFER_DEFAULT_WIDTH 0x9310 #define GL_FRAMEBUFFER_DEFAULT_HEIGHT 0x9311 #define GL_FRAMEBUFFER_DEFAULT_LAYERS 0x9312 #define GL_FRAMEBUFFER_DEFAULT_SAMPLES 0x9313 #define GL_FRAMEBUFFER_DEFAULT_FIXED_SAMPLE_LOCATIONS 0x9314 #define GL_MAX_FRAMEBUFFER_WIDTH 0x9315 #define GL_MAX_FRAMEBUFFER_HEIGHT 0x9316 #define GL_MAX_FRAMEBUFFER_LAYERS 0x9317 #define GL_MAX_FRAMEBUFFER_SAMPLES 0x9318 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERPARAMETERIPROC) (GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLGETFRAMEBUFFERPARAMETERIVPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVEXTPROC) (GLuint framebuffer, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERPARAMETERIEXTPROC) (GLuint framebuffer, GLenum pname, GLint param); #define glFramebufferParameteri GLEW_GET_FUN(__glewFramebufferParameteri) #define glGetFramebufferParameteriv GLEW_GET_FUN(__glewGetFramebufferParameteriv) #define glGetNamedFramebufferParameterivEXT GLEW_GET_FUN(__glewGetNamedFramebufferParameterivEXT) #define glNamedFramebufferParameteriEXT GLEW_GET_FUN(__glewNamedFramebufferParameteriEXT) #define GLEW_ARB_framebuffer_no_attachments GLEW_GET_VAR(__GLEW_ARB_framebuffer_no_attachments) #endif /* GL_ARB_framebuffer_no_attachments */ /* ----------------------- GL_ARB_framebuffer_object ----------------------- */ #ifndef GL_ARB_framebuffer_object #define GL_ARB_framebuffer_object 1 #define GL_INVALID_FRAMEBUFFER_OPERATION 0x0506 #define GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING 0x8210 #define GL_FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE 0x8211 #define GL_FRAMEBUFFER_ATTACHMENT_RED_SIZE 0x8212 #define GL_FRAMEBUFFER_ATTACHMENT_GREEN_SIZE 0x8213 #define GL_FRAMEBUFFER_ATTACHMENT_BLUE_SIZE 0x8214 #define GL_FRAMEBUFFER_ATTACHMENT_ALPHA_SIZE 0x8215 #define GL_FRAMEBUFFER_ATTACHMENT_DEPTH_SIZE 0x8216 #define GL_FRAMEBUFFER_ATTACHMENT_STENCIL_SIZE 0x8217 #define GL_FRAMEBUFFER_DEFAULT 0x8218 #define GL_FRAMEBUFFER_UNDEFINED 0x8219 #define GL_DEPTH_STENCIL_ATTACHMENT 0x821A #define GL_INDEX 0x8222 #define GL_MAX_RENDERBUFFER_SIZE 0x84E8 #define GL_DEPTH_STENCIL 0x84F9 #define GL_UNSIGNED_INT_24_8 0x84FA #define GL_DEPTH24_STENCIL8 0x88F0 #define GL_TEXTURE_STENCIL_SIZE 0x88F1 #define GL_UNSIGNED_NORMALIZED 0x8C17 #define GL_SRGB 0x8C40 #define GL_DRAW_FRAMEBUFFER_BINDING 0x8CA6 #define GL_FRAMEBUFFER_BINDING 0x8CA6 #define GL_RENDERBUFFER_BINDING 0x8CA7 #define GL_READ_FRAMEBUFFER 0x8CA8 #define GL_DRAW_FRAMEBUFFER 0x8CA9 #define GL_READ_FRAMEBUFFER_BINDING 0x8CAA #define GL_RENDERBUFFER_SAMPLES 0x8CAB #define GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE 0x8CD0 #define GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME 0x8CD1 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL 0x8CD2 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE 0x8CD3 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER 0x8CD4 #define GL_FRAMEBUFFER_COMPLETE 0x8CD5 #define GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT 0x8CD6 #define GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT 0x8CD7 #define GL_FRAMEBUFFER_INCOMPLETE_DRAW_BUFFER 0x8CDB #define GL_FRAMEBUFFER_INCOMPLETE_READ_BUFFER 0x8CDC #define GL_FRAMEBUFFER_UNSUPPORTED 0x8CDD #define GL_MAX_COLOR_ATTACHMENTS 0x8CDF #define GL_COLOR_ATTACHMENT0 0x8CE0 #define GL_COLOR_ATTACHMENT1 0x8CE1 #define GL_COLOR_ATTACHMENT2 0x8CE2 #define GL_COLOR_ATTACHMENT3 0x8CE3 #define GL_COLOR_ATTACHMENT4 0x8CE4 #define GL_COLOR_ATTACHMENT5 0x8CE5 #define GL_COLOR_ATTACHMENT6 0x8CE6 #define GL_COLOR_ATTACHMENT7 0x8CE7 #define GL_COLOR_ATTACHMENT8 0x8CE8 #define GL_COLOR_ATTACHMENT9 0x8CE9 #define GL_COLOR_ATTACHMENT10 0x8CEA #define GL_COLOR_ATTACHMENT11 0x8CEB #define GL_COLOR_ATTACHMENT12 0x8CEC #define GL_COLOR_ATTACHMENT13 0x8CED #define GL_COLOR_ATTACHMENT14 0x8CEE #define GL_COLOR_ATTACHMENT15 0x8CEF #define GL_DEPTH_ATTACHMENT 0x8D00 #define GL_STENCIL_ATTACHMENT 0x8D20 #define GL_FRAMEBUFFER 0x8D40 #define GL_RENDERBUFFER 0x8D41 #define GL_RENDERBUFFER_WIDTH 0x8D42 #define GL_RENDERBUFFER_HEIGHT 0x8D43 #define GL_RENDERBUFFER_INTERNAL_FORMAT 0x8D44 #define GL_STENCIL_INDEX1 0x8D46 #define GL_STENCIL_INDEX4 0x8D47 #define GL_STENCIL_INDEX8 0x8D48 #define GL_STENCIL_INDEX16 0x8D49 #define GL_RENDERBUFFER_RED_SIZE 0x8D50 #define GL_RENDERBUFFER_GREEN_SIZE 0x8D51 #define GL_RENDERBUFFER_BLUE_SIZE 0x8D52 #define GL_RENDERBUFFER_ALPHA_SIZE 0x8D53 #define GL_RENDERBUFFER_DEPTH_SIZE 0x8D54 #define GL_RENDERBUFFER_STENCIL_SIZE 0x8D55 #define GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE 0x8D56 #define GL_MAX_SAMPLES 0x8D57 typedef void (GLAPIENTRY * PFNGLBINDFRAMEBUFFERPROC) (GLenum target, GLuint framebuffer); typedef void (GLAPIENTRY * PFNGLBINDRENDERBUFFERPROC) (GLenum target, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLBLITFRAMEBUFFERPROC) (GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); typedef GLenum (GLAPIENTRY * PFNGLCHECKFRAMEBUFFERSTATUSPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLDELETEFRAMEBUFFERSPROC) (GLsizei n, const GLuint* framebuffers); typedef void (GLAPIENTRY * PFNGLDELETERENDERBUFFERSPROC) (GLsizei n, const GLuint* renderbuffers); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERRENDERBUFFERPROC) (GLenum target, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE1DPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE2DPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE3DPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint layer); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURELAYERPROC) (GLenum target,GLenum attachment, GLuint texture,GLint level,GLint layer); typedef void (GLAPIENTRY * PFNGLGENFRAMEBUFFERSPROC) (GLsizei n, GLuint* framebuffers); typedef void (GLAPIENTRY * PFNGLGENRENDERBUFFERSPROC) (GLsizei n, GLuint* renderbuffers); typedef void (GLAPIENTRY * PFNGLGENERATEMIPMAPPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVPROC) (GLenum target, GLenum attachment, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETRENDERBUFFERPARAMETERIVPROC) (GLenum target, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISFRAMEBUFFERPROC) (GLuint framebuffer); typedef GLboolean (GLAPIENTRY * PFNGLISRENDERBUFFERPROC) (GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEPROC) (GLenum target, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEMULTISAMPLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); #define glBindFramebuffer GLEW_GET_FUN(__glewBindFramebuffer) #define glBindRenderbuffer GLEW_GET_FUN(__glewBindRenderbuffer) #define glBlitFramebuffer GLEW_GET_FUN(__glewBlitFramebuffer) #define glCheckFramebufferStatus GLEW_GET_FUN(__glewCheckFramebufferStatus) #define glDeleteFramebuffers GLEW_GET_FUN(__glewDeleteFramebuffers) #define glDeleteRenderbuffers GLEW_GET_FUN(__glewDeleteRenderbuffers) #define glFramebufferRenderbuffer GLEW_GET_FUN(__glewFramebufferRenderbuffer) #define glFramebufferTexture1D GLEW_GET_FUN(__glewFramebufferTexture1D) #define glFramebufferTexture2D GLEW_GET_FUN(__glewFramebufferTexture2D) #define glFramebufferTexture3D GLEW_GET_FUN(__glewFramebufferTexture3D) #define glFramebufferTextureLayer GLEW_GET_FUN(__glewFramebufferTextureLayer) #define glGenFramebuffers GLEW_GET_FUN(__glewGenFramebuffers) #define glGenRenderbuffers GLEW_GET_FUN(__glewGenRenderbuffers) #define glGenerateMipmap GLEW_GET_FUN(__glewGenerateMipmap) #define glGetFramebufferAttachmentParameteriv GLEW_GET_FUN(__glewGetFramebufferAttachmentParameteriv) #define glGetRenderbufferParameteriv GLEW_GET_FUN(__glewGetRenderbufferParameteriv) #define glIsFramebuffer GLEW_GET_FUN(__glewIsFramebuffer) #define glIsRenderbuffer GLEW_GET_FUN(__glewIsRenderbuffer) #define glRenderbufferStorage GLEW_GET_FUN(__glewRenderbufferStorage) #define glRenderbufferStorageMultisample GLEW_GET_FUN(__glewRenderbufferStorageMultisample) #define GLEW_ARB_framebuffer_object GLEW_GET_VAR(__GLEW_ARB_framebuffer_object) #endif /* GL_ARB_framebuffer_object */ /* ------------------------ GL_ARB_framebuffer_sRGB ------------------------ */ #ifndef GL_ARB_framebuffer_sRGB #define GL_ARB_framebuffer_sRGB 1 #define GL_FRAMEBUFFER_SRGB 0x8DB9 #define GLEW_ARB_framebuffer_sRGB GLEW_GET_VAR(__GLEW_ARB_framebuffer_sRGB) #endif /* GL_ARB_framebuffer_sRGB */ /* ------------------------ GL_ARB_geometry_shader4 ------------------------ */ #ifndef GL_ARB_geometry_shader4 #define GL_ARB_geometry_shader4 1 #define GL_LINES_ADJACENCY_ARB 0xA #define GL_LINE_STRIP_ADJACENCY_ARB 0xB #define GL_TRIANGLES_ADJACENCY_ARB 0xC #define GL_TRIANGLE_STRIP_ADJACENCY_ARB 0xD #define GL_PROGRAM_POINT_SIZE_ARB 0x8642 #define GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_ARB 0x8C29 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER 0x8CD4 #define GL_FRAMEBUFFER_ATTACHMENT_LAYERED_ARB 0x8DA7 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_ARB 0x8DA8 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_COUNT_ARB 0x8DA9 #define GL_GEOMETRY_SHADER_ARB 0x8DD9 #define GL_GEOMETRY_VERTICES_OUT_ARB 0x8DDA #define GL_GEOMETRY_INPUT_TYPE_ARB 0x8DDB #define GL_GEOMETRY_OUTPUT_TYPE_ARB 0x8DDC #define GL_MAX_GEOMETRY_VARYING_COMPONENTS_ARB 0x8DDD #define GL_MAX_VERTEX_VARYING_COMPONENTS_ARB 0x8DDE #define GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_ARB 0x8DDF #define GL_MAX_GEOMETRY_OUTPUT_VERTICES_ARB 0x8DE0 #define GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_ARB 0x8DE1 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREARBPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREFACEARBPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLenum face); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURELAYERARBPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETERIARBPROC) (GLuint program, GLenum pname, GLint value); #define glFramebufferTextureARB GLEW_GET_FUN(__glewFramebufferTextureARB) #define glFramebufferTextureFaceARB GLEW_GET_FUN(__glewFramebufferTextureFaceARB) #define glFramebufferTextureLayerARB GLEW_GET_FUN(__glewFramebufferTextureLayerARB) #define glProgramParameteriARB GLEW_GET_FUN(__glewProgramParameteriARB) #define GLEW_ARB_geometry_shader4 GLEW_GET_VAR(__GLEW_ARB_geometry_shader4) #endif /* GL_ARB_geometry_shader4 */ /* ----------------------- GL_ARB_get_program_binary ----------------------- */ #ifndef GL_ARB_get_program_binary #define GL_ARB_get_program_binary 1 #define GL_PROGRAM_BINARY_RETRIEVABLE_HINT 0x8257 #define GL_PROGRAM_BINARY_LENGTH 0x8741 #define GL_NUM_PROGRAM_BINARY_FORMATS 0x87FE #define GL_PROGRAM_BINARY_FORMATS 0x87FF typedef void (GLAPIENTRY * PFNGLGETPROGRAMBINARYPROC) (GLuint program, GLsizei bufSize, GLsizei* length, GLenum *binaryFormat, void*binary); typedef void (GLAPIENTRY * PFNGLPROGRAMBINARYPROC) (GLuint program, GLenum binaryFormat, const void *binary, GLsizei length); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETERIPROC) (GLuint program, GLenum pname, GLint value); #define glGetProgramBinary GLEW_GET_FUN(__glewGetProgramBinary) #define glProgramBinary GLEW_GET_FUN(__glewProgramBinary) #define glProgramParameteri GLEW_GET_FUN(__glewProgramParameteri) #define GLEW_ARB_get_program_binary GLEW_GET_VAR(__GLEW_ARB_get_program_binary) #endif /* GL_ARB_get_program_binary */ /* ---------------------- GL_ARB_get_texture_sub_image --------------------- */ #ifndef GL_ARB_get_texture_sub_image #define GL_ARB_get_texture_sub_image 1 typedef void (GLAPIENTRY * PFNGLGETCOMPRESSEDTEXTURESUBIMAGEPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLsizei bufSize, void *pixels); typedef void (GLAPIENTRY * PFNGLGETTEXTURESUBIMAGEPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, GLsizei bufSize, void *pixels); #define glGetCompressedTextureSubImage GLEW_GET_FUN(__glewGetCompressedTextureSubImage) #define glGetTextureSubImage GLEW_GET_FUN(__glewGetTextureSubImage) #define GLEW_ARB_get_texture_sub_image GLEW_GET_VAR(__GLEW_ARB_get_texture_sub_image) #endif /* GL_ARB_get_texture_sub_image */ /* ---------------------------- GL_ARB_gl_spirv ---------------------------- */ #ifndef GL_ARB_gl_spirv #define GL_ARB_gl_spirv 1 #define GL_SHADER_BINARY_FORMAT_SPIR_V_ARB 0x9551 #define GL_SPIR_V_BINARY_ARB 0x9552 typedef void (GLAPIENTRY * PFNGLSPECIALIZESHADERARBPROC) (GLuint shader, const GLchar* pEntryPoint, GLuint numSpecializationConstants, const GLuint* pConstantIndex, const GLuint* pConstantValue); #define glSpecializeShaderARB GLEW_GET_FUN(__glewSpecializeShaderARB) #define GLEW_ARB_gl_spirv GLEW_GET_VAR(__GLEW_ARB_gl_spirv) #endif /* GL_ARB_gl_spirv */ /* --------------------------- GL_ARB_gpu_shader5 -------------------------- */ #ifndef GL_ARB_gpu_shader5 #define GL_ARB_gpu_shader5 1 #define GL_GEOMETRY_SHADER_INVOCATIONS 0x887F #define GL_MAX_GEOMETRY_SHADER_INVOCATIONS 0x8E5A #define GL_MIN_FRAGMENT_INTERPOLATION_OFFSET 0x8E5B #define GL_MAX_FRAGMENT_INTERPOLATION_OFFSET 0x8E5C #define GL_FRAGMENT_INTERPOLATION_OFFSET_BITS 0x8E5D #define GL_MAX_VERTEX_STREAMS 0x8E71 #define GLEW_ARB_gpu_shader5 GLEW_GET_VAR(__GLEW_ARB_gpu_shader5) #endif /* GL_ARB_gpu_shader5 */ /* ------------------------- GL_ARB_gpu_shader_fp64 ------------------------ */ #ifndef GL_ARB_gpu_shader_fp64 #define GL_ARB_gpu_shader_fp64 1 #define GL_DOUBLE_MAT2 0x8F46 #define GL_DOUBLE_MAT3 0x8F47 #define GL_DOUBLE_MAT4 0x8F48 #define GL_DOUBLE_MAT2x3 0x8F49 #define GL_DOUBLE_MAT2x4 0x8F4A #define GL_DOUBLE_MAT3x2 0x8F4B #define GL_DOUBLE_MAT3x4 0x8F4C #define GL_DOUBLE_MAT4x2 0x8F4D #define GL_DOUBLE_MAT4x3 0x8F4E #define GL_DOUBLE_VEC2 0x8FFC #define GL_DOUBLE_VEC3 0x8FFD #define GL_DOUBLE_VEC4 0x8FFE typedef void (GLAPIENTRY * PFNGLGETUNIFORMDVPROC) (GLuint program, GLint location, GLdouble* params); typedef void (GLAPIENTRY * PFNGLUNIFORM1DPROC) (GLint location, GLdouble x); typedef void (GLAPIENTRY * PFNGLUNIFORM1DVPROC) (GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2DPROC) (GLint location, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLUNIFORM2DVPROC) (GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3DPROC) (GLint location, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLUNIFORM3DVPROC) (GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4DPROC) (GLint location, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLUNIFORM4DVPROC) (GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2X3DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2X4DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3X2DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3X4DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4X2DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4X3DVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); #define glGetUniformdv GLEW_GET_FUN(__glewGetUniformdv) #define glUniform1d GLEW_GET_FUN(__glewUniform1d) #define glUniform1dv GLEW_GET_FUN(__glewUniform1dv) #define glUniform2d GLEW_GET_FUN(__glewUniform2d) #define glUniform2dv GLEW_GET_FUN(__glewUniform2dv) #define glUniform3d GLEW_GET_FUN(__glewUniform3d) #define glUniform3dv GLEW_GET_FUN(__glewUniform3dv) #define glUniform4d GLEW_GET_FUN(__glewUniform4d) #define glUniform4dv GLEW_GET_FUN(__glewUniform4dv) #define glUniformMatrix2dv GLEW_GET_FUN(__glewUniformMatrix2dv) #define glUniformMatrix2x3dv GLEW_GET_FUN(__glewUniformMatrix2x3dv) #define glUniformMatrix2x4dv GLEW_GET_FUN(__glewUniformMatrix2x4dv) #define glUniformMatrix3dv GLEW_GET_FUN(__glewUniformMatrix3dv) #define glUniformMatrix3x2dv GLEW_GET_FUN(__glewUniformMatrix3x2dv) #define glUniformMatrix3x4dv GLEW_GET_FUN(__glewUniformMatrix3x4dv) #define glUniformMatrix4dv GLEW_GET_FUN(__glewUniformMatrix4dv) #define glUniformMatrix4x2dv GLEW_GET_FUN(__glewUniformMatrix4x2dv) #define glUniformMatrix4x3dv GLEW_GET_FUN(__glewUniformMatrix4x3dv) #define GLEW_ARB_gpu_shader_fp64 GLEW_GET_VAR(__GLEW_ARB_gpu_shader_fp64) #endif /* GL_ARB_gpu_shader_fp64 */ /* ------------------------ GL_ARB_gpu_shader_int64 ------------------------ */ #ifndef GL_ARB_gpu_shader_int64 #define GL_ARB_gpu_shader_int64 1 #define GL_INT64_ARB 0x140E #define GL_UNSIGNED_INT64_ARB 0x140F #define GL_INT64_VEC2_ARB 0x8FE9 #define GL_INT64_VEC3_ARB 0x8FEA #define GL_INT64_VEC4_ARB 0x8FEB #define GL_UNSIGNED_INT64_VEC2_ARB 0x8FF5 #define GL_UNSIGNED_INT64_VEC3_ARB 0x8FF6 #define GL_UNSIGNED_INT64_VEC4_ARB 0x8FF7 typedef void (GLAPIENTRY * PFNGLGETUNIFORMI64VARBPROC) (GLuint program, GLint location, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETUNIFORMUI64VARBPROC) (GLuint program, GLint location, GLuint64* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMI64VARBPROC) (GLuint program, GLint location, GLsizei bufSize, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMUI64VARBPROC) (GLuint program, GLint location, GLsizei bufSize, GLuint64* params); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1I64ARBPROC) (GLuint program, GLint location, GLint64 x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1I64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UI64ARBPROC) (GLuint program, GLint location, GLuint64 x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UI64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2I64ARBPROC) (GLuint program, GLint location, GLint64 x, GLint64 y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2I64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UI64ARBPROC) (GLuint program, GLint location, GLuint64 x, GLuint64 y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UI64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3I64ARBPROC) (GLuint program, GLint location, GLint64 x, GLint64 y, GLint64 z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3I64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UI64ARBPROC) (GLuint program, GLint location, GLuint64 x, GLuint64 y, GLuint64 z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UI64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4I64ARBPROC) (GLuint program, GLint location, GLint64 x, GLint64 y, GLint64 z, GLint64 w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4I64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UI64ARBPROC) (GLuint program, GLint location, GLuint64 x, GLuint64 y, GLuint64 z, GLuint64 w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UI64VARBPROC) (GLuint program, GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM1I64ARBPROC) (GLint location, GLint64 x); typedef void (GLAPIENTRY * PFNGLUNIFORM1I64VARBPROC) (GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM1UI64ARBPROC) (GLint location, GLuint64 x); typedef void (GLAPIENTRY * PFNGLUNIFORM1UI64VARBPROC) (GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2I64ARBPROC) (GLint location, GLint64 x, GLint64 y); typedef void (GLAPIENTRY * PFNGLUNIFORM2I64VARBPROC) (GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2UI64ARBPROC) (GLint location, GLuint64 x, GLuint64 y); typedef void (GLAPIENTRY * PFNGLUNIFORM2UI64VARBPROC) (GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3I64ARBPROC) (GLint location, GLint64 x, GLint64 y, GLint64 z); typedef void (GLAPIENTRY * PFNGLUNIFORM3I64VARBPROC) (GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3UI64ARBPROC) (GLint location, GLuint64 x, GLuint64 y, GLuint64 z); typedef void (GLAPIENTRY * PFNGLUNIFORM3UI64VARBPROC) (GLint location, GLsizei count, const GLuint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4I64ARBPROC) (GLint location, GLint64 x, GLint64 y, GLint64 z, GLint64 w); typedef void (GLAPIENTRY * PFNGLUNIFORM4I64VARBPROC) (GLint location, GLsizei count, const GLint64* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4UI64ARBPROC) (GLint location, GLuint64 x, GLuint64 y, GLuint64 z, GLuint64 w); typedef void (GLAPIENTRY * PFNGLUNIFORM4UI64VARBPROC) (GLint location, GLsizei count, const GLuint64* value); #define glGetUniformi64vARB GLEW_GET_FUN(__glewGetUniformi64vARB) #define glGetUniformui64vARB GLEW_GET_FUN(__glewGetUniformui64vARB) #define glGetnUniformi64vARB GLEW_GET_FUN(__glewGetnUniformi64vARB) #define glGetnUniformui64vARB GLEW_GET_FUN(__glewGetnUniformui64vARB) #define glProgramUniform1i64ARB GLEW_GET_FUN(__glewProgramUniform1i64ARB) #define glProgramUniform1i64vARB GLEW_GET_FUN(__glewProgramUniform1i64vARB) #define glProgramUniform1ui64ARB GLEW_GET_FUN(__glewProgramUniform1ui64ARB) #define glProgramUniform1ui64vARB GLEW_GET_FUN(__glewProgramUniform1ui64vARB) #define glProgramUniform2i64ARB GLEW_GET_FUN(__glewProgramUniform2i64ARB) #define glProgramUniform2i64vARB GLEW_GET_FUN(__glewProgramUniform2i64vARB) #define glProgramUniform2ui64ARB GLEW_GET_FUN(__glewProgramUniform2ui64ARB) #define glProgramUniform2ui64vARB GLEW_GET_FUN(__glewProgramUniform2ui64vARB) #define glProgramUniform3i64ARB GLEW_GET_FUN(__glewProgramUniform3i64ARB) #define glProgramUniform3i64vARB GLEW_GET_FUN(__glewProgramUniform3i64vARB) #define glProgramUniform3ui64ARB GLEW_GET_FUN(__glewProgramUniform3ui64ARB) #define glProgramUniform3ui64vARB GLEW_GET_FUN(__glewProgramUniform3ui64vARB) #define glProgramUniform4i64ARB GLEW_GET_FUN(__glewProgramUniform4i64ARB) #define glProgramUniform4i64vARB GLEW_GET_FUN(__glewProgramUniform4i64vARB) #define glProgramUniform4ui64ARB GLEW_GET_FUN(__glewProgramUniform4ui64ARB) #define glProgramUniform4ui64vARB GLEW_GET_FUN(__glewProgramUniform4ui64vARB) #define glUniform1i64ARB GLEW_GET_FUN(__glewUniform1i64ARB) #define glUniform1i64vARB GLEW_GET_FUN(__glewUniform1i64vARB) #define glUniform1ui64ARB GLEW_GET_FUN(__glewUniform1ui64ARB) #define glUniform1ui64vARB GLEW_GET_FUN(__glewUniform1ui64vARB) #define glUniform2i64ARB GLEW_GET_FUN(__glewUniform2i64ARB) #define glUniform2i64vARB GLEW_GET_FUN(__glewUniform2i64vARB) #define glUniform2ui64ARB GLEW_GET_FUN(__glewUniform2ui64ARB) #define glUniform2ui64vARB GLEW_GET_FUN(__glewUniform2ui64vARB) #define glUniform3i64ARB GLEW_GET_FUN(__glewUniform3i64ARB) #define glUniform3i64vARB GLEW_GET_FUN(__glewUniform3i64vARB) #define glUniform3ui64ARB GLEW_GET_FUN(__glewUniform3ui64ARB) #define glUniform3ui64vARB GLEW_GET_FUN(__glewUniform3ui64vARB) #define glUniform4i64ARB GLEW_GET_FUN(__glewUniform4i64ARB) #define glUniform4i64vARB GLEW_GET_FUN(__glewUniform4i64vARB) #define glUniform4ui64ARB GLEW_GET_FUN(__glewUniform4ui64ARB) #define glUniform4ui64vARB GLEW_GET_FUN(__glewUniform4ui64vARB) #define GLEW_ARB_gpu_shader_int64 GLEW_GET_VAR(__GLEW_ARB_gpu_shader_int64) #endif /* GL_ARB_gpu_shader_int64 */ /* ------------------------ GL_ARB_half_float_pixel ------------------------ */ #ifndef GL_ARB_half_float_pixel #define GL_ARB_half_float_pixel 1 #define GL_HALF_FLOAT_ARB 0x140B #define GLEW_ARB_half_float_pixel GLEW_GET_VAR(__GLEW_ARB_half_float_pixel) #endif /* GL_ARB_half_float_pixel */ /* ------------------------ GL_ARB_half_float_vertex ----------------------- */ #ifndef GL_ARB_half_float_vertex #define GL_ARB_half_float_vertex 1 #define GL_HALF_FLOAT 0x140B #define GLEW_ARB_half_float_vertex GLEW_GET_VAR(__GLEW_ARB_half_float_vertex) #endif /* GL_ARB_half_float_vertex */ /* ----------------------------- GL_ARB_imaging ---------------------------- */ #ifndef GL_ARB_imaging #define GL_ARB_imaging 1 #define GL_CONSTANT_COLOR 0x8001 #define GL_ONE_MINUS_CONSTANT_COLOR 0x8002 #define GL_CONSTANT_ALPHA 0x8003 #define GL_ONE_MINUS_CONSTANT_ALPHA 0x8004 #define GL_BLEND_COLOR 0x8005 #define GL_FUNC_ADD 0x8006 #define GL_MIN 0x8007 #define GL_MAX 0x8008 #define GL_BLEND_EQUATION 0x8009 #define GL_FUNC_SUBTRACT 0x800A #define GL_FUNC_REVERSE_SUBTRACT 0x800B #define GL_CONVOLUTION_1D 0x8010 #define GL_CONVOLUTION_2D 0x8011 #define GL_SEPARABLE_2D 0x8012 #define GL_CONVOLUTION_BORDER_MODE 0x8013 #define GL_CONVOLUTION_FILTER_SCALE 0x8014 #define GL_CONVOLUTION_FILTER_BIAS 0x8015 #define GL_REDUCE 0x8016 #define GL_CONVOLUTION_FORMAT 0x8017 #define GL_CONVOLUTION_WIDTH 0x8018 #define GL_CONVOLUTION_HEIGHT 0x8019 #define GL_MAX_CONVOLUTION_WIDTH 0x801A #define GL_MAX_CONVOLUTION_HEIGHT 0x801B #define GL_POST_CONVOLUTION_RED_SCALE 0x801C #define GL_POST_CONVOLUTION_GREEN_SCALE 0x801D #define GL_POST_CONVOLUTION_BLUE_SCALE 0x801E #define GL_POST_CONVOLUTION_ALPHA_SCALE 0x801F #define GL_POST_CONVOLUTION_RED_BIAS 0x8020 #define GL_POST_CONVOLUTION_GREEN_BIAS 0x8021 #define GL_POST_CONVOLUTION_BLUE_BIAS 0x8022 #define GL_POST_CONVOLUTION_ALPHA_BIAS 0x8023 #define GL_HISTOGRAM 0x8024 #define GL_PROXY_HISTOGRAM 0x8025 #define GL_HISTOGRAM_WIDTH 0x8026 #define GL_HISTOGRAM_FORMAT 0x8027 #define GL_HISTOGRAM_RED_SIZE 0x8028 #define GL_HISTOGRAM_GREEN_SIZE 0x8029 #define GL_HISTOGRAM_BLUE_SIZE 0x802A #define GL_HISTOGRAM_ALPHA_SIZE 0x802B #define GL_HISTOGRAM_LUMINANCE_SIZE 0x802C #define GL_HISTOGRAM_SINK 0x802D #define GL_MINMAX 0x802E #define GL_MINMAX_FORMAT 0x802F #define GL_MINMAX_SINK 0x8030 #define GL_TABLE_TOO_LARGE 0x8031 #define GL_COLOR_MATRIX 0x80B1 #define GL_COLOR_MATRIX_STACK_DEPTH 0x80B2 #define GL_MAX_COLOR_MATRIX_STACK_DEPTH 0x80B3 #define GL_POST_COLOR_MATRIX_RED_SCALE 0x80B4 #define GL_POST_COLOR_MATRIX_GREEN_SCALE 0x80B5 #define GL_POST_COLOR_MATRIX_BLUE_SCALE 0x80B6 #define GL_POST_COLOR_MATRIX_ALPHA_SCALE 0x80B7 #define GL_POST_COLOR_MATRIX_RED_BIAS 0x80B8 #define GL_POST_COLOR_MATRIX_GREEN_BIAS 0x80B9 #define GL_POST_COLOR_MATRIX_BLUE_BIAS 0x80BA #define GL_POST_COLOR_MATRIX_ALPHA_BIAS 0x80BB #define GL_COLOR_TABLE 0x80D0 #define GL_POST_CONVOLUTION_COLOR_TABLE 0x80D1 #define GL_POST_COLOR_MATRIX_COLOR_TABLE 0x80D2 #define GL_PROXY_COLOR_TABLE 0x80D3 #define GL_PROXY_POST_CONVOLUTION_COLOR_TABLE 0x80D4 #define GL_PROXY_POST_COLOR_MATRIX_COLOR_TABLE 0x80D5 #define GL_COLOR_TABLE_SCALE 0x80D6 #define GL_COLOR_TABLE_BIAS 0x80D7 #define GL_COLOR_TABLE_FORMAT 0x80D8 #define GL_COLOR_TABLE_WIDTH 0x80D9 #define GL_COLOR_TABLE_RED_SIZE 0x80DA #define GL_COLOR_TABLE_GREEN_SIZE 0x80DB #define GL_COLOR_TABLE_BLUE_SIZE 0x80DC #define GL_COLOR_TABLE_ALPHA_SIZE 0x80DD #define GL_COLOR_TABLE_LUMINANCE_SIZE 0x80DE #define GL_COLOR_TABLE_INTENSITY_SIZE 0x80DF #define GL_IGNORE_BORDER 0x8150 #define GL_CONSTANT_BORDER 0x8151 #define GL_WRAP_BORDER 0x8152 #define GL_REPLICATE_BORDER 0x8153 #define GL_CONVOLUTION_BORDER_COLOR 0x8154 typedef void (GLAPIENTRY * PFNGLCOLORSUBTABLEPROC) (GLenum target, GLsizei start, GLsizei count, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCOLORTABLEPROC) (GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void *table); typedef void (GLAPIENTRY * PFNGLCOLORTABLEPARAMETERFVPROC) (GLenum target, GLenum pname, const GLfloat *params); typedef void (GLAPIENTRY * PFNGLCOLORTABLEPARAMETERIVPROC) (GLenum target, GLenum pname, const GLint *params); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONFILTER1DPROC) (GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void *image); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONFILTER2DPROC) (GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *image); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERFPROC) (GLenum target, GLenum pname, GLfloat params); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERFVPROC) (GLenum target, GLenum pname, const GLfloat *params); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERIPROC) (GLenum target, GLenum pname, GLint params); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERIVPROC) (GLenum target, GLenum pname, const GLint *params); typedef void (GLAPIENTRY * PFNGLCOPYCOLORSUBTABLEPROC) (GLenum target, GLsizei start, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYCOLORTABLEPROC) (GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYCONVOLUTIONFILTER1DPROC) (GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYCONVOLUTIONFILTER2DPROC) (GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPROC) (GLenum target, GLenum format, GLenum type, void *table); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPARAMETERFVPROC) (GLenum target, GLenum pname, GLfloat *params); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPARAMETERIVPROC) (GLenum target, GLenum pname, GLint *params); typedef void (GLAPIENTRY * PFNGLGETCONVOLUTIONFILTERPROC) (GLenum target, GLenum format, GLenum type, void *image); typedef void (GLAPIENTRY * PFNGLGETCONVOLUTIONPARAMETERFVPROC) (GLenum target, GLenum pname, GLfloat *params); typedef void (GLAPIENTRY * PFNGLGETCONVOLUTIONPARAMETERIVPROC) (GLenum target, GLenum pname, GLint *params); typedef void (GLAPIENTRY * PFNGLGETHISTOGRAMPROC) (GLenum target, GLboolean reset, GLenum format, GLenum type, void *values); typedef void (GLAPIENTRY * PFNGLGETHISTOGRAMPARAMETERFVPROC) (GLenum target, GLenum pname, GLfloat *params); typedef void (GLAPIENTRY * PFNGLGETHISTOGRAMPARAMETERIVPROC) (GLenum target, GLenum pname, GLint *params); typedef void (GLAPIENTRY * PFNGLGETMINMAXPROC) (GLenum target, GLboolean reset, GLenum format, GLenum types, void *values); typedef void (GLAPIENTRY * PFNGLGETMINMAXPARAMETERFVPROC) (GLenum target, GLenum pname, GLfloat *params); typedef void (GLAPIENTRY * PFNGLGETMINMAXPARAMETERIVPROC) (GLenum target, GLenum pname, GLint *params); typedef void (GLAPIENTRY * PFNGLGETSEPARABLEFILTERPROC) (GLenum target, GLenum format, GLenum type, void *row, void *column, void *span); typedef void (GLAPIENTRY * PFNGLHISTOGRAMPROC) (GLenum target, GLsizei width, GLenum internalformat, GLboolean sink); typedef void (GLAPIENTRY * PFNGLMINMAXPROC) (GLenum target, GLenum internalformat, GLboolean sink); typedef void (GLAPIENTRY * PFNGLRESETHISTOGRAMPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLRESETMINMAXPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLSEPARABLEFILTER2DPROC) (GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *row, const void *column); #define glColorSubTable GLEW_GET_FUN(__glewColorSubTable) #define glColorTable GLEW_GET_FUN(__glewColorTable) #define glColorTableParameterfv GLEW_GET_FUN(__glewColorTableParameterfv) #define glColorTableParameteriv GLEW_GET_FUN(__glewColorTableParameteriv) #define glConvolutionFilter1D GLEW_GET_FUN(__glewConvolutionFilter1D) #define glConvolutionFilter2D GLEW_GET_FUN(__glewConvolutionFilter2D) #define glConvolutionParameterf GLEW_GET_FUN(__glewConvolutionParameterf) #define glConvolutionParameterfv GLEW_GET_FUN(__glewConvolutionParameterfv) #define glConvolutionParameteri GLEW_GET_FUN(__glewConvolutionParameteri) #define glConvolutionParameteriv GLEW_GET_FUN(__glewConvolutionParameteriv) #define glCopyColorSubTable GLEW_GET_FUN(__glewCopyColorSubTable) #define glCopyColorTable GLEW_GET_FUN(__glewCopyColorTable) #define glCopyConvolutionFilter1D GLEW_GET_FUN(__glewCopyConvolutionFilter1D) #define glCopyConvolutionFilter2D GLEW_GET_FUN(__glewCopyConvolutionFilter2D) #define glGetColorTable GLEW_GET_FUN(__glewGetColorTable) #define glGetColorTableParameterfv GLEW_GET_FUN(__glewGetColorTableParameterfv) #define glGetColorTableParameteriv GLEW_GET_FUN(__glewGetColorTableParameteriv) #define glGetConvolutionFilter GLEW_GET_FUN(__glewGetConvolutionFilter) #define glGetConvolutionParameterfv GLEW_GET_FUN(__glewGetConvolutionParameterfv) #define glGetConvolutionParameteriv GLEW_GET_FUN(__glewGetConvolutionParameteriv) #define glGetHistogram GLEW_GET_FUN(__glewGetHistogram) #define glGetHistogramParameterfv GLEW_GET_FUN(__glewGetHistogramParameterfv) #define glGetHistogramParameteriv GLEW_GET_FUN(__glewGetHistogramParameteriv) #define glGetMinmax GLEW_GET_FUN(__glewGetMinmax) #define glGetMinmaxParameterfv GLEW_GET_FUN(__glewGetMinmaxParameterfv) #define glGetMinmaxParameteriv GLEW_GET_FUN(__glewGetMinmaxParameteriv) #define glGetSeparableFilter GLEW_GET_FUN(__glewGetSeparableFilter) #define glHistogram GLEW_GET_FUN(__glewHistogram) #define glMinmax GLEW_GET_FUN(__glewMinmax) #define glResetHistogram GLEW_GET_FUN(__glewResetHistogram) #define glResetMinmax GLEW_GET_FUN(__glewResetMinmax) #define glSeparableFilter2D GLEW_GET_FUN(__glewSeparableFilter2D) #define GLEW_ARB_imaging GLEW_GET_VAR(__GLEW_ARB_imaging) #endif /* GL_ARB_imaging */ /* ----------------------- GL_ARB_indirect_parameters ---------------------- */ #ifndef GL_ARB_indirect_parameters #define GL_ARB_indirect_parameters 1 #define GL_PARAMETER_BUFFER_ARB 0x80EE #define GL_PARAMETER_BUFFER_BINDING_ARB 0x80EF typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTCOUNTARBPROC) (GLenum mode, const void *indirect, GLintptr drawcount, GLsizei maxdrawcount, GLsizei stride); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTARBPROC) (GLenum mode, GLenum type, const void *indirect, GLintptr drawcount, GLsizei maxdrawcount, GLsizei stride); #define glMultiDrawArraysIndirectCountARB GLEW_GET_FUN(__glewMultiDrawArraysIndirectCountARB) #define glMultiDrawElementsIndirectCountARB GLEW_GET_FUN(__glewMultiDrawElementsIndirectCountARB) #define GLEW_ARB_indirect_parameters GLEW_GET_VAR(__GLEW_ARB_indirect_parameters) #endif /* GL_ARB_indirect_parameters */ /* ------------------------ GL_ARB_instanced_arrays ------------------------ */ #ifndef GL_ARB_instanced_arrays #define GL_ARB_instanced_arrays 1 #define GL_VERTEX_ATTRIB_ARRAY_DIVISOR_ARB 0x88FE typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDARBPROC) (GLenum mode, GLint first, GLsizei count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDARBPROC) (GLenum mode, GLsizei count, GLenum type, const void* indices, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBDIVISORARBPROC) (GLuint index, GLuint divisor); #define glDrawArraysInstancedARB GLEW_GET_FUN(__glewDrawArraysInstancedARB) #define glDrawElementsInstancedARB GLEW_GET_FUN(__glewDrawElementsInstancedARB) #define glVertexAttribDivisorARB GLEW_GET_FUN(__glewVertexAttribDivisorARB) #define GLEW_ARB_instanced_arrays GLEW_GET_VAR(__GLEW_ARB_instanced_arrays) #endif /* GL_ARB_instanced_arrays */ /* ---------------------- GL_ARB_internalformat_query ---------------------- */ #ifndef GL_ARB_internalformat_query #define GL_ARB_internalformat_query 1 #define GL_NUM_SAMPLE_COUNTS 0x9380 typedef void (GLAPIENTRY * PFNGLGETINTERNALFORMATIVPROC) (GLenum target, GLenum internalformat, GLenum pname, GLsizei bufSize, GLint* params); #define glGetInternalformativ GLEW_GET_FUN(__glewGetInternalformativ) #define GLEW_ARB_internalformat_query GLEW_GET_VAR(__GLEW_ARB_internalformat_query) #endif /* GL_ARB_internalformat_query */ /* ---------------------- GL_ARB_internalformat_query2 --------------------- */ #ifndef GL_ARB_internalformat_query2 #define GL_ARB_internalformat_query2 1 #define GL_INTERNALFORMAT_SUPPORTED 0x826F #define GL_INTERNALFORMAT_PREFERRED 0x8270 #define GL_INTERNALFORMAT_RED_SIZE 0x8271 #define GL_INTERNALFORMAT_GREEN_SIZE 0x8272 #define GL_INTERNALFORMAT_BLUE_SIZE 0x8273 #define GL_INTERNALFORMAT_ALPHA_SIZE 0x8274 #define GL_INTERNALFORMAT_DEPTH_SIZE 0x8275 #define GL_INTERNALFORMAT_STENCIL_SIZE 0x8276 #define GL_INTERNALFORMAT_SHARED_SIZE 0x8277 #define GL_INTERNALFORMAT_RED_TYPE 0x8278 #define GL_INTERNALFORMAT_GREEN_TYPE 0x8279 #define GL_INTERNALFORMAT_BLUE_TYPE 0x827A #define GL_INTERNALFORMAT_ALPHA_TYPE 0x827B #define GL_INTERNALFORMAT_DEPTH_TYPE 0x827C #define GL_INTERNALFORMAT_STENCIL_TYPE 0x827D #define GL_MAX_WIDTH 0x827E #define GL_MAX_HEIGHT 0x827F #define GL_MAX_DEPTH 0x8280 #define GL_MAX_LAYERS 0x8281 #define GL_MAX_COMBINED_DIMENSIONS 0x8282 #define GL_COLOR_COMPONENTS 0x8283 #define GL_DEPTH_COMPONENTS 0x8284 #define GL_STENCIL_COMPONENTS 0x8285 #define GL_COLOR_RENDERABLE 0x8286 #define GL_DEPTH_RENDERABLE 0x8287 #define GL_STENCIL_RENDERABLE 0x8288 #define GL_FRAMEBUFFER_RENDERABLE 0x8289 #define GL_FRAMEBUFFER_RENDERABLE_LAYERED 0x828A #define GL_FRAMEBUFFER_BLEND 0x828B #define GL_READ_PIXELS 0x828C #define GL_READ_PIXELS_FORMAT 0x828D #define GL_READ_PIXELS_TYPE 0x828E #define GL_TEXTURE_IMAGE_FORMAT 0x828F #define GL_TEXTURE_IMAGE_TYPE 0x8290 #define GL_GET_TEXTURE_IMAGE_FORMAT 0x8291 #define GL_GET_TEXTURE_IMAGE_TYPE 0x8292 #define GL_MIPMAP 0x8293 #define GL_MANUAL_GENERATE_MIPMAP 0x8294 #define GL_AUTO_GENERATE_MIPMAP 0x8295 #define GL_COLOR_ENCODING 0x8296 #define GL_SRGB_READ 0x8297 #define GL_SRGB_WRITE 0x8298 #define GL_SRGB_DECODE_ARB 0x8299 #define GL_FILTER 0x829A #define GL_VERTEX_TEXTURE 0x829B #define GL_TESS_CONTROL_TEXTURE 0x829C #define GL_TESS_EVALUATION_TEXTURE 0x829D #define GL_GEOMETRY_TEXTURE 0x829E #define GL_FRAGMENT_TEXTURE 0x829F #define GL_COMPUTE_TEXTURE 0x82A0 #define GL_TEXTURE_SHADOW 0x82A1 #define GL_TEXTURE_GATHER 0x82A2 #define GL_TEXTURE_GATHER_SHADOW 0x82A3 #define GL_SHADER_IMAGE_LOAD 0x82A4 #define GL_SHADER_IMAGE_STORE 0x82A5 #define GL_SHADER_IMAGE_ATOMIC 0x82A6 #define GL_IMAGE_TEXEL_SIZE 0x82A7 #define GL_IMAGE_COMPATIBILITY_CLASS 0x82A8 #define GL_IMAGE_PIXEL_FORMAT 0x82A9 #define GL_IMAGE_PIXEL_TYPE 0x82AA #define GL_SIMULTANEOUS_TEXTURE_AND_DEPTH_TEST 0x82AC #define GL_SIMULTANEOUS_TEXTURE_AND_STENCIL_TEST 0x82AD #define GL_SIMULTANEOUS_TEXTURE_AND_DEPTH_WRITE 0x82AE #define GL_SIMULTANEOUS_TEXTURE_AND_STENCIL_WRITE 0x82AF #define GL_TEXTURE_COMPRESSED_BLOCK_WIDTH 0x82B1 #define GL_TEXTURE_COMPRESSED_BLOCK_HEIGHT 0x82B2 #define GL_TEXTURE_COMPRESSED_BLOCK_SIZE 0x82B3 #define GL_CLEAR_BUFFER 0x82B4 #define GL_TEXTURE_VIEW 0x82B5 #define GL_VIEW_COMPATIBILITY_CLASS 0x82B6 #define GL_FULL_SUPPORT 0x82B7 #define GL_CAVEAT_SUPPORT 0x82B8 #define GL_IMAGE_CLASS_4_X_32 0x82B9 #define GL_IMAGE_CLASS_2_X_32 0x82BA #define GL_IMAGE_CLASS_1_X_32 0x82BB #define GL_IMAGE_CLASS_4_X_16 0x82BC #define GL_IMAGE_CLASS_2_X_16 0x82BD #define GL_IMAGE_CLASS_1_X_16 0x82BE #define GL_IMAGE_CLASS_4_X_8 0x82BF #define GL_IMAGE_CLASS_2_X_8 0x82C0 #define GL_IMAGE_CLASS_1_X_8 0x82C1 #define GL_IMAGE_CLASS_11_11_10 0x82C2 #define GL_IMAGE_CLASS_10_10_10_2 0x82C3 #define GL_VIEW_CLASS_128_BITS 0x82C4 #define GL_VIEW_CLASS_96_BITS 0x82C5 #define GL_VIEW_CLASS_64_BITS 0x82C6 #define GL_VIEW_CLASS_48_BITS 0x82C7 #define GL_VIEW_CLASS_32_BITS 0x82C8 #define GL_VIEW_CLASS_24_BITS 0x82C9 #define GL_VIEW_CLASS_16_BITS 0x82CA #define GL_VIEW_CLASS_8_BITS 0x82CB #define GL_VIEW_CLASS_S3TC_DXT1_RGB 0x82CC #define GL_VIEW_CLASS_S3TC_DXT1_RGBA 0x82CD #define GL_VIEW_CLASS_S3TC_DXT3_RGBA 0x82CE #define GL_VIEW_CLASS_S3TC_DXT5_RGBA 0x82CF #define GL_VIEW_CLASS_RGTC1_RED 0x82D0 #define GL_VIEW_CLASS_RGTC2_RG 0x82D1 #define GL_VIEW_CLASS_BPTC_UNORM 0x82D2 #define GL_VIEW_CLASS_BPTC_FLOAT 0x82D3 typedef void (GLAPIENTRY * PFNGLGETINTERNALFORMATI64VPROC) (GLenum target, GLenum internalformat, GLenum pname, GLsizei bufSize, GLint64* params); #define glGetInternalformati64v GLEW_GET_FUN(__glewGetInternalformati64v) #define GLEW_ARB_internalformat_query2 GLEW_GET_VAR(__GLEW_ARB_internalformat_query2) #endif /* GL_ARB_internalformat_query2 */ /* ----------------------- GL_ARB_invalidate_subdata ----------------------- */ #ifndef GL_ARB_invalidate_subdata #define GL_ARB_invalidate_subdata 1 typedef void (GLAPIENTRY * PFNGLINVALIDATEBUFFERDATAPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLINVALIDATEBUFFERSUBDATAPROC) (GLuint buffer, GLintptr offset, GLsizeiptr length); typedef void (GLAPIENTRY * PFNGLINVALIDATEFRAMEBUFFERPROC) (GLenum target, GLsizei numAttachments, const GLenum* attachments); typedef void (GLAPIENTRY * PFNGLINVALIDATESUBFRAMEBUFFERPROC) (GLenum target, GLsizei numAttachments, const GLenum* attachments, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLINVALIDATETEXIMAGEPROC) (GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLINVALIDATETEXSUBIMAGEPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth); #define glInvalidateBufferData GLEW_GET_FUN(__glewInvalidateBufferData) #define glInvalidateBufferSubData GLEW_GET_FUN(__glewInvalidateBufferSubData) #define glInvalidateFramebuffer GLEW_GET_FUN(__glewInvalidateFramebuffer) #define glInvalidateSubFramebuffer GLEW_GET_FUN(__glewInvalidateSubFramebuffer) #define glInvalidateTexImage GLEW_GET_FUN(__glewInvalidateTexImage) #define glInvalidateTexSubImage GLEW_GET_FUN(__glewInvalidateTexSubImage) #define GLEW_ARB_invalidate_subdata GLEW_GET_VAR(__GLEW_ARB_invalidate_subdata) #endif /* GL_ARB_invalidate_subdata */ /* ---------------------- GL_ARB_map_buffer_alignment ---------------------- */ #ifndef GL_ARB_map_buffer_alignment #define GL_ARB_map_buffer_alignment 1 #define GL_MIN_MAP_BUFFER_ALIGNMENT 0x90BC #define GLEW_ARB_map_buffer_alignment GLEW_GET_VAR(__GLEW_ARB_map_buffer_alignment) #endif /* GL_ARB_map_buffer_alignment */ /* ------------------------ GL_ARB_map_buffer_range ------------------------ */ #ifndef GL_ARB_map_buffer_range #define GL_ARB_map_buffer_range 1 #define GL_MAP_READ_BIT 0x0001 #define GL_MAP_WRITE_BIT 0x0002 #define GL_MAP_INVALIDATE_RANGE_BIT 0x0004 #define GL_MAP_INVALIDATE_BUFFER_BIT 0x0008 #define GL_MAP_FLUSH_EXPLICIT_BIT 0x0010 #define GL_MAP_UNSYNCHRONIZED_BIT 0x0020 typedef void (GLAPIENTRY * PFNGLFLUSHMAPPEDBUFFERRANGEPROC) (GLenum target, GLintptr offset, GLsizeiptr length); typedef void * (GLAPIENTRY * PFNGLMAPBUFFERRANGEPROC) (GLenum target, GLintptr offset, GLsizeiptr length, GLbitfield access); #define glFlushMappedBufferRange GLEW_GET_FUN(__glewFlushMappedBufferRange) #define glMapBufferRange GLEW_GET_FUN(__glewMapBufferRange) #define GLEW_ARB_map_buffer_range GLEW_GET_VAR(__GLEW_ARB_map_buffer_range) #endif /* GL_ARB_map_buffer_range */ /* ------------------------- GL_ARB_matrix_palette ------------------------- */ #ifndef GL_ARB_matrix_palette #define GL_ARB_matrix_palette 1 #define GL_MATRIX_PALETTE_ARB 0x8840 #define GL_MAX_MATRIX_PALETTE_STACK_DEPTH_ARB 0x8841 #define GL_MAX_PALETTE_MATRICES_ARB 0x8842 #define GL_CURRENT_PALETTE_MATRIX_ARB 0x8843 #define GL_MATRIX_INDEX_ARRAY_ARB 0x8844 #define GL_CURRENT_MATRIX_INDEX_ARB 0x8845 #define GL_MATRIX_INDEX_ARRAY_SIZE_ARB 0x8846 #define GL_MATRIX_INDEX_ARRAY_TYPE_ARB 0x8847 #define GL_MATRIX_INDEX_ARRAY_STRIDE_ARB 0x8848 #define GL_MATRIX_INDEX_ARRAY_POINTER_ARB 0x8849 typedef void (GLAPIENTRY * PFNGLCURRENTPALETTEMATRIXARBPROC) (GLint index); typedef void (GLAPIENTRY * PFNGLMATRIXINDEXPOINTERARBPROC) (GLint size, GLenum type, GLsizei stride, void *pointer); typedef void (GLAPIENTRY * PFNGLMATRIXINDEXUBVARBPROC) (GLint size, GLubyte *indices); typedef void (GLAPIENTRY * PFNGLMATRIXINDEXUIVARBPROC) (GLint size, GLuint *indices); typedef void (GLAPIENTRY * PFNGLMATRIXINDEXUSVARBPROC) (GLint size, GLushort *indices); #define glCurrentPaletteMatrixARB GLEW_GET_FUN(__glewCurrentPaletteMatrixARB) #define glMatrixIndexPointerARB GLEW_GET_FUN(__glewMatrixIndexPointerARB) #define glMatrixIndexubvARB GLEW_GET_FUN(__glewMatrixIndexubvARB) #define glMatrixIndexuivARB GLEW_GET_FUN(__glewMatrixIndexuivARB) #define glMatrixIndexusvARB GLEW_GET_FUN(__glewMatrixIndexusvARB) #define GLEW_ARB_matrix_palette GLEW_GET_VAR(__GLEW_ARB_matrix_palette) #endif /* GL_ARB_matrix_palette */ /* --------------------------- GL_ARB_multi_bind --------------------------- */ #ifndef GL_ARB_multi_bind #define GL_ARB_multi_bind 1 typedef void (GLAPIENTRY * PFNGLBINDBUFFERSBASEPROC) (GLenum target, GLuint first, GLsizei count, const GLuint* buffers); typedef void (GLAPIENTRY * PFNGLBINDBUFFERSRANGEPROC) (GLenum target, GLuint first, GLsizei count, const GLuint* buffers, const GLintptr *offsets, const GLsizeiptr *sizes); typedef void (GLAPIENTRY * PFNGLBINDIMAGETEXTURESPROC) (GLuint first, GLsizei count, const GLuint* textures); typedef void (GLAPIENTRY * PFNGLBINDSAMPLERSPROC) (GLuint first, GLsizei count, const GLuint* samplers); typedef void (GLAPIENTRY * PFNGLBINDTEXTURESPROC) (GLuint first, GLsizei count, const GLuint* textures); typedef void (GLAPIENTRY * PFNGLBINDVERTEXBUFFERSPROC) (GLuint first, GLsizei count, const GLuint* buffers, const GLintptr *offsets, const GLsizei *strides); #define glBindBuffersBase GLEW_GET_FUN(__glewBindBuffersBase) #define glBindBuffersRange GLEW_GET_FUN(__glewBindBuffersRange) #define glBindImageTextures GLEW_GET_FUN(__glewBindImageTextures) #define glBindSamplers GLEW_GET_FUN(__glewBindSamplers) #define glBindTextures GLEW_GET_FUN(__glewBindTextures) #define glBindVertexBuffers GLEW_GET_FUN(__glewBindVertexBuffers) #define GLEW_ARB_multi_bind GLEW_GET_VAR(__GLEW_ARB_multi_bind) #endif /* GL_ARB_multi_bind */ /* ----------------------- GL_ARB_multi_draw_indirect ---------------------- */ #ifndef GL_ARB_multi_draw_indirect #define GL_ARB_multi_draw_indirect 1 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTPROC) (GLenum mode, const void *indirect, GLsizei primcount, GLsizei stride); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTPROC) (GLenum mode, GLenum type, const void *indirect, GLsizei primcount, GLsizei stride); #define glMultiDrawArraysIndirect GLEW_GET_FUN(__glewMultiDrawArraysIndirect) #define glMultiDrawElementsIndirect GLEW_GET_FUN(__glewMultiDrawElementsIndirect) #define GLEW_ARB_multi_draw_indirect GLEW_GET_VAR(__GLEW_ARB_multi_draw_indirect) #endif /* GL_ARB_multi_draw_indirect */ /* --------------------------- GL_ARB_multisample -------------------------- */ #ifndef GL_ARB_multisample #define GL_ARB_multisample 1 #define GL_MULTISAMPLE_ARB 0x809D #define GL_SAMPLE_ALPHA_TO_COVERAGE_ARB 0x809E #define GL_SAMPLE_ALPHA_TO_ONE_ARB 0x809F #define GL_SAMPLE_COVERAGE_ARB 0x80A0 #define GL_SAMPLE_BUFFERS_ARB 0x80A8 #define GL_SAMPLES_ARB 0x80A9 #define GL_SAMPLE_COVERAGE_VALUE_ARB 0x80AA #define GL_SAMPLE_COVERAGE_INVERT_ARB 0x80AB #define GL_MULTISAMPLE_BIT_ARB 0x20000000 typedef void (GLAPIENTRY * PFNGLSAMPLECOVERAGEARBPROC) (GLclampf value, GLboolean invert); #define glSampleCoverageARB GLEW_GET_FUN(__glewSampleCoverageARB) #define GLEW_ARB_multisample GLEW_GET_VAR(__GLEW_ARB_multisample) #endif /* GL_ARB_multisample */ /* -------------------------- GL_ARB_multitexture -------------------------- */ #ifndef GL_ARB_multitexture #define GL_ARB_multitexture 1 #define GL_TEXTURE0_ARB 0x84C0 #define GL_TEXTURE1_ARB 0x84C1 #define GL_TEXTURE2_ARB 0x84C2 #define GL_TEXTURE3_ARB 0x84C3 #define GL_TEXTURE4_ARB 0x84C4 #define GL_TEXTURE5_ARB 0x84C5 #define GL_TEXTURE6_ARB 0x84C6 #define GL_TEXTURE7_ARB 0x84C7 #define GL_TEXTURE8_ARB 0x84C8 #define GL_TEXTURE9_ARB 0x84C9 #define GL_TEXTURE10_ARB 0x84CA #define GL_TEXTURE11_ARB 0x84CB #define GL_TEXTURE12_ARB 0x84CC #define GL_TEXTURE13_ARB 0x84CD #define GL_TEXTURE14_ARB 0x84CE #define GL_TEXTURE15_ARB 0x84CF #define GL_TEXTURE16_ARB 0x84D0 #define GL_TEXTURE17_ARB 0x84D1 #define GL_TEXTURE18_ARB 0x84D2 #define GL_TEXTURE19_ARB 0x84D3 #define GL_TEXTURE20_ARB 0x84D4 #define GL_TEXTURE21_ARB 0x84D5 #define GL_TEXTURE22_ARB 0x84D6 #define GL_TEXTURE23_ARB 0x84D7 #define GL_TEXTURE24_ARB 0x84D8 #define GL_TEXTURE25_ARB 0x84D9 #define GL_TEXTURE26_ARB 0x84DA #define GL_TEXTURE27_ARB 0x84DB #define GL_TEXTURE28_ARB 0x84DC #define GL_TEXTURE29_ARB 0x84DD #define GL_TEXTURE30_ARB 0x84DE #define GL_TEXTURE31_ARB 0x84DF #define GL_ACTIVE_TEXTURE_ARB 0x84E0 #define GL_CLIENT_ACTIVE_TEXTURE_ARB 0x84E1 #define GL_MAX_TEXTURE_UNITS_ARB 0x84E2 typedef void (GLAPIENTRY * PFNGLACTIVETEXTUREARBPROC) (GLenum texture); typedef void (GLAPIENTRY * PFNGLCLIENTACTIVETEXTUREARBPROC) (GLenum texture); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1DARBPROC) (GLenum target, GLdouble s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1DVARBPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1FARBPROC) (GLenum target, GLfloat s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1FVARBPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1IARBPROC) (GLenum target, GLint s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1IVARBPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1SARBPROC) (GLenum target, GLshort s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1SVARBPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2DARBPROC) (GLenum target, GLdouble s, GLdouble t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2DVARBPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2FARBPROC) (GLenum target, GLfloat s, GLfloat t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2FVARBPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2IARBPROC) (GLenum target, GLint s, GLint t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2IVARBPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2SARBPROC) (GLenum target, GLshort s, GLshort t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2SVARBPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3DARBPROC) (GLenum target, GLdouble s, GLdouble t, GLdouble r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3DVARBPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3FARBPROC) (GLenum target, GLfloat s, GLfloat t, GLfloat r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3FVARBPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3IARBPROC) (GLenum target, GLint s, GLint t, GLint r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3IVARBPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3SARBPROC) (GLenum target, GLshort s, GLshort t, GLshort r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3SVARBPROC) (GLenum target, const GLshort *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4DARBPROC) (GLenum target, GLdouble s, GLdouble t, GLdouble r, GLdouble q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4DVARBPROC) (GLenum target, const GLdouble *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4FARBPROC) (GLenum target, GLfloat s, GLfloat t, GLfloat r, GLfloat q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4FVARBPROC) (GLenum target, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4IARBPROC) (GLenum target, GLint s, GLint t, GLint r, GLint q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4IVARBPROC) (GLenum target, const GLint *v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4SARBPROC) (GLenum target, GLshort s, GLshort t, GLshort r, GLshort q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4SVARBPROC) (GLenum target, const GLshort *v); #define glActiveTextureARB GLEW_GET_FUN(__glewActiveTextureARB) #define glClientActiveTextureARB GLEW_GET_FUN(__glewClientActiveTextureARB) #define glMultiTexCoord1dARB GLEW_GET_FUN(__glewMultiTexCoord1dARB) #define glMultiTexCoord1dvARB GLEW_GET_FUN(__glewMultiTexCoord1dvARB) #define glMultiTexCoord1fARB GLEW_GET_FUN(__glewMultiTexCoord1fARB) #define glMultiTexCoord1fvARB GLEW_GET_FUN(__glewMultiTexCoord1fvARB) #define glMultiTexCoord1iARB GLEW_GET_FUN(__glewMultiTexCoord1iARB) #define glMultiTexCoord1ivARB GLEW_GET_FUN(__glewMultiTexCoord1ivARB) #define glMultiTexCoord1sARB GLEW_GET_FUN(__glewMultiTexCoord1sARB) #define glMultiTexCoord1svARB GLEW_GET_FUN(__glewMultiTexCoord1svARB) #define glMultiTexCoord2dARB GLEW_GET_FUN(__glewMultiTexCoord2dARB) #define glMultiTexCoord2dvARB GLEW_GET_FUN(__glewMultiTexCoord2dvARB) #define glMultiTexCoord2fARB GLEW_GET_FUN(__glewMultiTexCoord2fARB) #define glMultiTexCoord2fvARB GLEW_GET_FUN(__glewMultiTexCoord2fvARB) #define glMultiTexCoord2iARB GLEW_GET_FUN(__glewMultiTexCoord2iARB) #define glMultiTexCoord2ivARB GLEW_GET_FUN(__glewMultiTexCoord2ivARB) #define glMultiTexCoord2sARB GLEW_GET_FUN(__glewMultiTexCoord2sARB) #define glMultiTexCoord2svARB GLEW_GET_FUN(__glewMultiTexCoord2svARB) #define glMultiTexCoord3dARB GLEW_GET_FUN(__glewMultiTexCoord3dARB) #define glMultiTexCoord3dvARB GLEW_GET_FUN(__glewMultiTexCoord3dvARB) #define glMultiTexCoord3fARB GLEW_GET_FUN(__glewMultiTexCoord3fARB) #define glMultiTexCoord3fvARB GLEW_GET_FUN(__glewMultiTexCoord3fvARB) #define glMultiTexCoord3iARB GLEW_GET_FUN(__glewMultiTexCoord3iARB) #define glMultiTexCoord3ivARB GLEW_GET_FUN(__glewMultiTexCoord3ivARB) #define glMultiTexCoord3sARB GLEW_GET_FUN(__glewMultiTexCoord3sARB) #define glMultiTexCoord3svARB GLEW_GET_FUN(__glewMultiTexCoord3svARB) #define glMultiTexCoord4dARB GLEW_GET_FUN(__glewMultiTexCoord4dARB) #define glMultiTexCoord4dvARB GLEW_GET_FUN(__glewMultiTexCoord4dvARB) #define glMultiTexCoord4fARB GLEW_GET_FUN(__glewMultiTexCoord4fARB) #define glMultiTexCoord4fvARB GLEW_GET_FUN(__glewMultiTexCoord4fvARB) #define glMultiTexCoord4iARB GLEW_GET_FUN(__glewMultiTexCoord4iARB) #define glMultiTexCoord4ivARB GLEW_GET_FUN(__glewMultiTexCoord4ivARB) #define glMultiTexCoord4sARB GLEW_GET_FUN(__glewMultiTexCoord4sARB) #define glMultiTexCoord4svARB GLEW_GET_FUN(__glewMultiTexCoord4svARB) #define GLEW_ARB_multitexture GLEW_GET_VAR(__GLEW_ARB_multitexture) #endif /* GL_ARB_multitexture */ /* ------------------------- GL_ARB_occlusion_query ------------------------ */ #ifndef GL_ARB_occlusion_query #define GL_ARB_occlusion_query 1 #define GL_QUERY_COUNTER_BITS_ARB 0x8864 #define GL_CURRENT_QUERY_ARB 0x8865 #define GL_QUERY_RESULT_ARB 0x8866 #define GL_QUERY_RESULT_AVAILABLE_ARB 0x8867 #define GL_SAMPLES_PASSED_ARB 0x8914 typedef void (GLAPIENTRY * PFNGLBEGINQUERYARBPROC) (GLenum target, GLuint id); typedef void (GLAPIENTRY * PFNGLDELETEQUERIESARBPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLENDQUERYARBPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLGENQUERIESARBPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTIVARBPROC) (GLuint id, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTUIVARBPROC) (GLuint id, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETQUERYIVARBPROC) (GLenum target, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISQUERYARBPROC) (GLuint id); #define glBeginQueryARB GLEW_GET_FUN(__glewBeginQueryARB) #define glDeleteQueriesARB GLEW_GET_FUN(__glewDeleteQueriesARB) #define glEndQueryARB GLEW_GET_FUN(__glewEndQueryARB) #define glGenQueriesARB GLEW_GET_FUN(__glewGenQueriesARB) #define glGetQueryObjectivARB GLEW_GET_FUN(__glewGetQueryObjectivARB) #define glGetQueryObjectuivARB GLEW_GET_FUN(__glewGetQueryObjectuivARB) #define glGetQueryivARB GLEW_GET_FUN(__glewGetQueryivARB) #define glIsQueryARB GLEW_GET_FUN(__glewIsQueryARB) #define GLEW_ARB_occlusion_query GLEW_GET_VAR(__GLEW_ARB_occlusion_query) #endif /* GL_ARB_occlusion_query */ /* ------------------------ GL_ARB_occlusion_query2 ------------------------ */ #ifndef GL_ARB_occlusion_query2 #define GL_ARB_occlusion_query2 1 #define GL_ANY_SAMPLES_PASSED 0x8C2F #define GLEW_ARB_occlusion_query2 GLEW_GET_VAR(__GLEW_ARB_occlusion_query2) #endif /* GL_ARB_occlusion_query2 */ /* --------------------- GL_ARB_parallel_shader_compile -------------------- */ #ifndef GL_ARB_parallel_shader_compile #define GL_ARB_parallel_shader_compile 1 #define GL_MAX_SHADER_COMPILER_THREADS_ARB 0x91B0 #define GL_COMPLETION_STATUS_ARB 0x91B1 typedef void (GLAPIENTRY * PFNGLMAXSHADERCOMPILERTHREADSARBPROC) (GLuint count); #define glMaxShaderCompilerThreadsARB GLEW_GET_FUN(__glewMaxShaderCompilerThreadsARB) #define GLEW_ARB_parallel_shader_compile GLEW_GET_VAR(__GLEW_ARB_parallel_shader_compile) #endif /* GL_ARB_parallel_shader_compile */ /* -------------------- GL_ARB_pipeline_statistics_query ------------------- */ #ifndef GL_ARB_pipeline_statistics_query #define GL_ARB_pipeline_statistics_query 1 #define GL_VERTICES_SUBMITTED_ARB 0x82EE #define GL_PRIMITIVES_SUBMITTED_ARB 0x82EF #define GL_VERTEX_SHADER_INVOCATIONS_ARB 0x82F0 #define GL_TESS_CONTROL_SHADER_PATCHES_ARB 0x82F1 #define GL_TESS_EVALUATION_SHADER_INVOCATIONS_ARB 0x82F2 #define GL_GEOMETRY_SHADER_PRIMITIVES_EMITTED_ARB 0x82F3 #define GL_FRAGMENT_SHADER_INVOCATIONS_ARB 0x82F4 #define GL_COMPUTE_SHADER_INVOCATIONS_ARB 0x82F5 #define GL_CLIPPING_INPUT_PRIMITIVES_ARB 0x82F6 #define GL_CLIPPING_OUTPUT_PRIMITIVES_ARB 0x82F7 #define GL_GEOMETRY_SHADER_INVOCATIONS 0x887F #define GLEW_ARB_pipeline_statistics_query GLEW_GET_VAR(__GLEW_ARB_pipeline_statistics_query) #endif /* GL_ARB_pipeline_statistics_query */ /* ----------------------- GL_ARB_pixel_buffer_object ---------------------- */ #ifndef GL_ARB_pixel_buffer_object #define GL_ARB_pixel_buffer_object 1 #define GL_PIXEL_PACK_BUFFER_ARB 0x88EB #define GL_PIXEL_UNPACK_BUFFER_ARB 0x88EC #define GL_PIXEL_PACK_BUFFER_BINDING_ARB 0x88ED #define GL_PIXEL_UNPACK_BUFFER_BINDING_ARB 0x88EF #define GLEW_ARB_pixel_buffer_object GLEW_GET_VAR(__GLEW_ARB_pixel_buffer_object) #endif /* GL_ARB_pixel_buffer_object */ /* ------------------------ GL_ARB_point_parameters ------------------------ */ #ifndef GL_ARB_point_parameters #define GL_ARB_point_parameters 1 #define GL_POINT_SIZE_MIN_ARB 0x8126 #define GL_POINT_SIZE_MAX_ARB 0x8127 #define GL_POINT_FADE_THRESHOLD_SIZE_ARB 0x8128 #define GL_POINT_DISTANCE_ATTENUATION_ARB 0x8129 typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERFARBPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERFVARBPROC) (GLenum pname, const GLfloat* params); #define glPointParameterfARB GLEW_GET_FUN(__glewPointParameterfARB) #define glPointParameterfvARB GLEW_GET_FUN(__glewPointParameterfvARB) #define GLEW_ARB_point_parameters GLEW_GET_VAR(__GLEW_ARB_point_parameters) #endif /* GL_ARB_point_parameters */ /* -------------------------- GL_ARB_point_sprite -------------------------- */ #ifndef GL_ARB_point_sprite #define GL_ARB_point_sprite 1 #define GL_POINT_SPRITE_ARB 0x8861 #define GL_COORD_REPLACE_ARB 0x8862 #define GLEW_ARB_point_sprite GLEW_GET_VAR(__GLEW_ARB_point_sprite) #endif /* GL_ARB_point_sprite */ /* ---------------------- GL_ARB_polygon_offset_clamp ---------------------- */ #ifndef GL_ARB_polygon_offset_clamp #define GL_ARB_polygon_offset_clamp 1 #define GL_POLYGON_OFFSET_CLAMP 0x8E1B typedef void (GLAPIENTRY * PFNGLPOLYGONOFFSETCLAMPPROC) (GLfloat factor, GLfloat units, GLfloat clamp); #define glPolygonOffsetClamp GLEW_GET_FUN(__glewPolygonOffsetClamp) #define GLEW_ARB_polygon_offset_clamp GLEW_GET_VAR(__GLEW_ARB_polygon_offset_clamp) #endif /* GL_ARB_polygon_offset_clamp */ /* ----------------------- GL_ARB_post_depth_coverage ---------------------- */ #ifndef GL_ARB_post_depth_coverage #define GL_ARB_post_depth_coverage 1 #define GLEW_ARB_post_depth_coverage GLEW_GET_VAR(__GLEW_ARB_post_depth_coverage) #endif /* GL_ARB_post_depth_coverage */ /* --------------------- GL_ARB_program_interface_query -------------------- */ #ifndef GL_ARB_program_interface_query #define GL_ARB_program_interface_query 1 #define GL_UNIFORM 0x92E1 #define GL_UNIFORM_BLOCK 0x92E2 #define GL_PROGRAM_INPUT 0x92E3 #define GL_PROGRAM_OUTPUT 0x92E4 #define GL_BUFFER_VARIABLE 0x92E5 #define GL_SHADER_STORAGE_BLOCK 0x92E6 #define GL_IS_PER_PATCH 0x92E7 #define GL_VERTEX_SUBROUTINE 0x92E8 #define GL_TESS_CONTROL_SUBROUTINE 0x92E9 #define GL_TESS_EVALUATION_SUBROUTINE 0x92EA #define GL_GEOMETRY_SUBROUTINE 0x92EB #define GL_FRAGMENT_SUBROUTINE 0x92EC #define GL_COMPUTE_SUBROUTINE 0x92ED #define GL_VERTEX_SUBROUTINE_UNIFORM 0x92EE #define GL_TESS_CONTROL_SUBROUTINE_UNIFORM 0x92EF #define GL_TESS_EVALUATION_SUBROUTINE_UNIFORM 0x92F0 #define GL_GEOMETRY_SUBROUTINE_UNIFORM 0x92F1 #define GL_FRAGMENT_SUBROUTINE_UNIFORM 0x92F2 #define GL_COMPUTE_SUBROUTINE_UNIFORM 0x92F3 #define GL_TRANSFORM_FEEDBACK_VARYING 0x92F4 #define GL_ACTIVE_RESOURCES 0x92F5 #define GL_MAX_NAME_LENGTH 0x92F6 #define GL_MAX_NUM_ACTIVE_VARIABLES 0x92F7 #define GL_MAX_NUM_COMPATIBLE_SUBROUTINES 0x92F8 #define GL_NAME_LENGTH 0x92F9 #define GL_TYPE 0x92FA #define GL_ARRAY_SIZE 0x92FB #define GL_OFFSET 0x92FC #define GL_BLOCK_INDEX 0x92FD #define GL_ARRAY_STRIDE 0x92FE #define GL_MATRIX_STRIDE 0x92FF #define GL_IS_ROW_MAJOR 0x9300 #define GL_ATOMIC_COUNTER_BUFFER_INDEX 0x9301 #define GL_BUFFER_BINDING 0x9302 #define GL_BUFFER_DATA_SIZE 0x9303 #define GL_NUM_ACTIVE_VARIABLES 0x9304 #define GL_ACTIVE_VARIABLES 0x9305 #define GL_REFERENCED_BY_VERTEX_SHADER 0x9306 #define GL_REFERENCED_BY_TESS_CONTROL_SHADER 0x9307 #define GL_REFERENCED_BY_TESS_EVALUATION_SHADER 0x9308 #define GL_REFERENCED_BY_GEOMETRY_SHADER 0x9309 #define GL_REFERENCED_BY_FRAGMENT_SHADER 0x930A #define GL_REFERENCED_BY_COMPUTE_SHADER 0x930B #define GL_TOP_LEVEL_ARRAY_SIZE 0x930C #define GL_TOP_LEVEL_ARRAY_STRIDE 0x930D #define GL_LOCATION 0x930E #define GL_LOCATION_INDEX 0x930F typedef void (GLAPIENTRY * PFNGLGETPROGRAMINTERFACEIVPROC) (GLuint program, GLenum programInterface, GLenum pname, GLint* params); typedef GLuint (GLAPIENTRY * PFNGLGETPROGRAMRESOURCEINDEXPROC) (GLuint program, GLenum programInterface, const GLchar* name); typedef GLint (GLAPIENTRY * PFNGLGETPROGRAMRESOURCELOCATIONPROC) (GLuint program, GLenum programInterface, const GLchar* name); typedef GLint (GLAPIENTRY * PFNGLGETPROGRAMRESOURCELOCATIONINDEXPROC) (GLuint program, GLenum programInterface, const GLchar* name); typedef void (GLAPIENTRY * PFNGLGETPROGRAMRESOURCENAMEPROC) (GLuint program, GLenum programInterface, GLuint index, GLsizei bufSize, GLsizei* length, GLchar *name); typedef void (GLAPIENTRY * PFNGLGETPROGRAMRESOURCEIVPROC) (GLuint program, GLenum programInterface, GLuint index, GLsizei propCount, const GLenum* props, GLsizei bufSize, GLsizei *length, GLint *params); #define glGetProgramInterfaceiv GLEW_GET_FUN(__glewGetProgramInterfaceiv) #define glGetProgramResourceIndex GLEW_GET_FUN(__glewGetProgramResourceIndex) #define glGetProgramResourceLocation GLEW_GET_FUN(__glewGetProgramResourceLocation) #define glGetProgramResourceLocationIndex GLEW_GET_FUN(__glewGetProgramResourceLocationIndex) #define glGetProgramResourceName GLEW_GET_FUN(__glewGetProgramResourceName) #define glGetProgramResourceiv GLEW_GET_FUN(__glewGetProgramResourceiv) #define GLEW_ARB_program_interface_query GLEW_GET_VAR(__GLEW_ARB_program_interface_query) #endif /* GL_ARB_program_interface_query */ /* ------------------------ GL_ARB_provoking_vertex ------------------------ */ #ifndef GL_ARB_provoking_vertex #define GL_ARB_provoking_vertex 1 #define GL_QUADS_FOLLOW_PROVOKING_VERTEX_CONVENTION 0x8E4C #define GL_FIRST_VERTEX_CONVENTION 0x8E4D #define GL_LAST_VERTEX_CONVENTION 0x8E4E #define GL_PROVOKING_VERTEX 0x8E4F typedef void (GLAPIENTRY * PFNGLPROVOKINGVERTEXPROC) (GLenum mode); #define glProvokingVertex GLEW_GET_FUN(__glewProvokingVertex) #define GLEW_ARB_provoking_vertex GLEW_GET_VAR(__GLEW_ARB_provoking_vertex) #endif /* GL_ARB_provoking_vertex */ /* ----------------------- GL_ARB_query_buffer_object ---------------------- */ #ifndef GL_ARB_query_buffer_object #define GL_ARB_query_buffer_object 1 #define GL_QUERY_BUFFER_BARRIER_BIT 0x00008000 #define GL_QUERY_BUFFER 0x9192 #define GL_QUERY_BUFFER_BINDING 0x9193 #define GL_QUERY_RESULT_NO_WAIT 0x9194 #define GLEW_ARB_query_buffer_object GLEW_GET_VAR(__GLEW_ARB_query_buffer_object) #endif /* GL_ARB_query_buffer_object */ /* ------------------ GL_ARB_robust_buffer_access_behavior ----------------- */ #ifndef GL_ARB_robust_buffer_access_behavior #define GL_ARB_robust_buffer_access_behavior 1 #define GLEW_ARB_robust_buffer_access_behavior GLEW_GET_VAR(__GLEW_ARB_robust_buffer_access_behavior) #endif /* GL_ARB_robust_buffer_access_behavior */ /* --------------------------- GL_ARB_robustness --------------------------- */ #ifndef GL_ARB_robustness #define GL_ARB_robustness 1 #define GL_CONTEXT_FLAG_ROBUST_ACCESS_BIT_ARB 0x00000004 #define GL_LOSE_CONTEXT_ON_RESET_ARB 0x8252 #define GL_GUILTY_CONTEXT_RESET_ARB 0x8253 #define GL_INNOCENT_CONTEXT_RESET_ARB 0x8254 #define GL_UNKNOWN_CONTEXT_RESET_ARB 0x8255 #define GL_RESET_NOTIFICATION_STRATEGY_ARB 0x8256 #define GL_NO_RESET_NOTIFICATION_ARB 0x8261 typedef GLenum (GLAPIENTRY * PFNGLGETGRAPHICSRESETSTATUSARBPROC) (void); typedef void (GLAPIENTRY * PFNGLGETNCOLORTABLEARBPROC) (GLenum target, GLenum format, GLenum type, GLsizei bufSize, void* table); typedef void (GLAPIENTRY * PFNGLGETNCOMPRESSEDTEXIMAGEARBPROC) (GLenum target, GLint lod, GLsizei bufSize, void* img); typedef void (GLAPIENTRY * PFNGLGETNCONVOLUTIONFILTERARBPROC) (GLenum target, GLenum format, GLenum type, GLsizei bufSize, void* image); typedef void (GLAPIENTRY * PFNGLGETNHISTOGRAMARBPROC) (GLenum target, GLboolean reset, GLenum format, GLenum type, GLsizei bufSize, void* values); typedef void (GLAPIENTRY * PFNGLGETNMAPDVARBPROC) (GLenum target, GLenum query, GLsizei bufSize, GLdouble* v); typedef void (GLAPIENTRY * PFNGLGETNMAPFVARBPROC) (GLenum target, GLenum query, GLsizei bufSize, GLfloat* v); typedef void (GLAPIENTRY * PFNGLGETNMAPIVARBPROC) (GLenum target, GLenum query, GLsizei bufSize, GLint* v); typedef void (GLAPIENTRY * PFNGLGETNMINMAXARBPROC) (GLenum target, GLboolean reset, GLenum format, GLenum type, GLsizei bufSize, void* values); typedef void (GLAPIENTRY * PFNGLGETNPIXELMAPFVARBPROC) (GLenum map, GLsizei bufSize, GLfloat* values); typedef void (GLAPIENTRY * PFNGLGETNPIXELMAPUIVARBPROC) (GLenum map, GLsizei bufSize, GLuint* values); typedef void (GLAPIENTRY * PFNGLGETNPIXELMAPUSVARBPROC) (GLenum map, GLsizei bufSize, GLushort* values); typedef void (GLAPIENTRY * PFNGLGETNPOLYGONSTIPPLEARBPROC) (GLsizei bufSize, GLubyte* pattern); typedef void (GLAPIENTRY * PFNGLGETNSEPARABLEFILTERARBPROC) (GLenum target, GLenum format, GLenum type, GLsizei rowBufSize, void* row, GLsizei columnBufSize, void*column, void*span); typedef void (GLAPIENTRY * PFNGLGETNTEXIMAGEARBPROC) (GLenum target, GLint level, GLenum format, GLenum type, GLsizei bufSize, void* img); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMDVARBPROC) (GLuint program, GLint location, GLsizei bufSize, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMFVARBPROC) (GLuint program, GLint location, GLsizei bufSize, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMIVARBPROC) (GLuint program, GLint location, GLsizei bufSize, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMUIVARBPROC) (GLuint program, GLint location, GLsizei bufSize, GLuint* params); typedef void (GLAPIENTRY * PFNGLREADNPIXELSARBPROC) (GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLsizei bufSize, void* data); #define glGetGraphicsResetStatusARB GLEW_GET_FUN(__glewGetGraphicsResetStatusARB) #define glGetnColorTableARB GLEW_GET_FUN(__glewGetnColorTableARB) #define glGetnCompressedTexImageARB GLEW_GET_FUN(__glewGetnCompressedTexImageARB) #define glGetnConvolutionFilterARB GLEW_GET_FUN(__glewGetnConvolutionFilterARB) #define glGetnHistogramARB GLEW_GET_FUN(__glewGetnHistogramARB) #define glGetnMapdvARB GLEW_GET_FUN(__glewGetnMapdvARB) #define glGetnMapfvARB GLEW_GET_FUN(__glewGetnMapfvARB) #define glGetnMapivARB GLEW_GET_FUN(__glewGetnMapivARB) #define glGetnMinmaxARB GLEW_GET_FUN(__glewGetnMinmaxARB) #define glGetnPixelMapfvARB GLEW_GET_FUN(__glewGetnPixelMapfvARB) #define glGetnPixelMapuivARB GLEW_GET_FUN(__glewGetnPixelMapuivARB) #define glGetnPixelMapusvARB GLEW_GET_FUN(__glewGetnPixelMapusvARB) #define glGetnPolygonStippleARB GLEW_GET_FUN(__glewGetnPolygonStippleARB) #define glGetnSeparableFilterARB GLEW_GET_FUN(__glewGetnSeparableFilterARB) #define glGetnTexImageARB GLEW_GET_FUN(__glewGetnTexImageARB) #define glGetnUniformdvARB GLEW_GET_FUN(__glewGetnUniformdvARB) #define glGetnUniformfvARB GLEW_GET_FUN(__glewGetnUniformfvARB) #define glGetnUniformivARB GLEW_GET_FUN(__glewGetnUniformivARB) #define glGetnUniformuivARB GLEW_GET_FUN(__glewGetnUniformuivARB) #define glReadnPixelsARB GLEW_GET_FUN(__glewReadnPixelsARB) #define GLEW_ARB_robustness GLEW_GET_VAR(__GLEW_ARB_robustness) #endif /* GL_ARB_robustness */ /* ---------------- GL_ARB_robustness_application_isolation ---------------- */ #ifndef GL_ARB_robustness_application_isolation #define GL_ARB_robustness_application_isolation 1 #define GLEW_ARB_robustness_application_isolation GLEW_GET_VAR(__GLEW_ARB_robustness_application_isolation) #endif /* GL_ARB_robustness_application_isolation */ /* ---------------- GL_ARB_robustness_share_group_isolation ---------------- */ #ifndef GL_ARB_robustness_share_group_isolation #define GL_ARB_robustness_share_group_isolation 1 #define GLEW_ARB_robustness_share_group_isolation GLEW_GET_VAR(__GLEW_ARB_robustness_share_group_isolation) #endif /* GL_ARB_robustness_share_group_isolation */ /* ------------------------ GL_ARB_sample_locations ------------------------ */ #ifndef GL_ARB_sample_locations #define GL_ARB_sample_locations 1 #define GL_SAMPLE_LOCATION_ARB 0x8E50 #define GL_SAMPLE_LOCATION_SUBPIXEL_BITS_ARB 0x933D #define GL_SAMPLE_LOCATION_PIXEL_GRID_WIDTH_ARB 0x933E #define GL_SAMPLE_LOCATION_PIXEL_GRID_HEIGHT_ARB 0x933F #define GL_PROGRAMMABLE_SAMPLE_LOCATION_TABLE_SIZE_ARB 0x9340 #define GL_PROGRAMMABLE_SAMPLE_LOCATION_ARB 0x9341 #define GL_FRAMEBUFFER_PROGRAMMABLE_SAMPLE_LOCATIONS_ARB 0x9342 #define GL_FRAMEBUFFER_SAMPLE_LOCATION_PIXEL_GRID_ARB 0x9343 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERSAMPLELOCATIONSFVARBPROC) (GLenum target, GLuint start, GLsizei count, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVARBPROC) (GLuint framebuffer, GLuint start, GLsizei count, const GLfloat* v); #define glFramebufferSampleLocationsfvARB GLEW_GET_FUN(__glewFramebufferSampleLocationsfvARB) #define glNamedFramebufferSampleLocationsfvARB GLEW_GET_FUN(__glewNamedFramebufferSampleLocationsfvARB) #define GLEW_ARB_sample_locations GLEW_GET_VAR(__GLEW_ARB_sample_locations) #endif /* GL_ARB_sample_locations */ /* ------------------------- GL_ARB_sample_shading ------------------------- */ #ifndef GL_ARB_sample_shading #define GL_ARB_sample_shading 1 #define GL_SAMPLE_SHADING_ARB 0x8C36 #define GL_MIN_SAMPLE_SHADING_VALUE_ARB 0x8C37 typedef void (GLAPIENTRY * PFNGLMINSAMPLESHADINGARBPROC) (GLclampf value); #define glMinSampleShadingARB GLEW_GET_FUN(__glewMinSampleShadingARB) #define GLEW_ARB_sample_shading GLEW_GET_VAR(__GLEW_ARB_sample_shading) #endif /* GL_ARB_sample_shading */ /* ------------------------- GL_ARB_sampler_objects ------------------------ */ #ifndef GL_ARB_sampler_objects #define GL_ARB_sampler_objects 1 #define GL_SAMPLER_BINDING 0x8919 typedef void (GLAPIENTRY * PFNGLBINDSAMPLERPROC) (GLuint unit, GLuint sampler); typedef void (GLAPIENTRY * PFNGLDELETESAMPLERSPROC) (GLsizei count, const GLuint * samplers); typedef void (GLAPIENTRY * PFNGLGENSAMPLERSPROC) (GLsizei count, GLuint* samplers); typedef void (GLAPIENTRY * PFNGLGETSAMPLERPARAMETERIIVPROC) (GLuint sampler, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETSAMPLERPARAMETERIUIVPROC) (GLuint sampler, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETSAMPLERPARAMETERFVPROC) (GLuint sampler, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETSAMPLERPARAMETERIVPROC) (GLuint sampler, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISSAMPLERPROC) (GLuint sampler); typedef void (GLAPIENTRY * PFNGLSAMPLERPARAMETERIIVPROC) (GLuint sampler, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLSAMPLERPARAMETERIUIVPROC) (GLuint sampler, GLenum pname, const GLuint* params); typedef void (GLAPIENTRY * PFNGLSAMPLERPARAMETERFPROC) (GLuint sampler, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLSAMPLERPARAMETERFVPROC) (GLuint sampler, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLSAMPLERPARAMETERIPROC) (GLuint sampler, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLSAMPLERPARAMETERIVPROC) (GLuint sampler, GLenum pname, const GLint* params); #define glBindSampler GLEW_GET_FUN(__glewBindSampler) #define glDeleteSamplers GLEW_GET_FUN(__glewDeleteSamplers) #define glGenSamplers GLEW_GET_FUN(__glewGenSamplers) #define glGetSamplerParameterIiv GLEW_GET_FUN(__glewGetSamplerParameterIiv) #define glGetSamplerParameterIuiv GLEW_GET_FUN(__glewGetSamplerParameterIuiv) #define glGetSamplerParameterfv GLEW_GET_FUN(__glewGetSamplerParameterfv) #define glGetSamplerParameteriv GLEW_GET_FUN(__glewGetSamplerParameteriv) #define glIsSampler GLEW_GET_FUN(__glewIsSampler) #define glSamplerParameterIiv GLEW_GET_FUN(__glewSamplerParameterIiv) #define glSamplerParameterIuiv GLEW_GET_FUN(__glewSamplerParameterIuiv) #define glSamplerParameterf GLEW_GET_FUN(__glewSamplerParameterf) #define glSamplerParameterfv GLEW_GET_FUN(__glewSamplerParameterfv) #define glSamplerParameteri GLEW_GET_FUN(__glewSamplerParameteri) #define glSamplerParameteriv GLEW_GET_FUN(__glewSamplerParameteriv) #define GLEW_ARB_sampler_objects GLEW_GET_VAR(__GLEW_ARB_sampler_objects) #endif /* GL_ARB_sampler_objects */ /* ------------------------ GL_ARB_seamless_cube_map ----------------------- */ #ifndef GL_ARB_seamless_cube_map #define GL_ARB_seamless_cube_map 1 #define GL_TEXTURE_CUBE_MAP_SEAMLESS 0x884F #define GLEW_ARB_seamless_cube_map GLEW_GET_VAR(__GLEW_ARB_seamless_cube_map) #endif /* GL_ARB_seamless_cube_map */ /* ------------------ GL_ARB_seamless_cubemap_per_texture ------------------ */ #ifndef GL_ARB_seamless_cubemap_per_texture #define GL_ARB_seamless_cubemap_per_texture 1 #define GL_TEXTURE_CUBE_MAP_SEAMLESS 0x884F #define GLEW_ARB_seamless_cubemap_per_texture GLEW_GET_VAR(__GLEW_ARB_seamless_cubemap_per_texture) #endif /* GL_ARB_seamless_cubemap_per_texture */ /* --------------------- GL_ARB_separate_shader_objects -------------------- */ #ifndef GL_ARB_separate_shader_objects #define GL_ARB_separate_shader_objects 1 #define GL_VERTEX_SHADER_BIT 0x00000001 #define GL_FRAGMENT_SHADER_BIT 0x00000002 #define GL_GEOMETRY_SHADER_BIT 0x00000004 #define GL_TESS_CONTROL_SHADER_BIT 0x00000008 #define GL_TESS_EVALUATION_SHADER_BIT 0x00000010 #define GL_PROGRAM_SEPARABLE 0x8258 #define GL_ACTIVE_PROGRAM 0x8259 #define GL_PROGRAM_PIPELINE_BINDING 0x825A #define GL_ALL_SHADER_BITS 0xFFFFFFFF typedef void (GLAPIENTRY * PFNGLACTIVESHADERPROGRAMPROC) (GLuint pipeline, GLuint program); typedef void (GLAPIENTRY * PFNGLBINDPROGRAMPIPELINEPROC) (GLuint pipeline); typedef GLuint (GLAPIENTRY * PFNGLCREATESHADERPROGRAMVPROC) (GLenum type, GLsizei count, const GLchar * const * strings); typedef void (GLAPIENTRY * PFNGLDELETEPROGRAMPIPELINESPROC) (GLsizei n, const GLuint* pipelines); typedef void (GLAPIENTRY * PFNGLGENPROGRAMPIPELINESPROC) (GLsizei n, GLuint* pipelines); typedef void (GLAPIENTRY * PFNGLGETPROGRAMPIPELINEINFOLOGPROC) (GLuint pipeline, GLsizei bufSize, GLsizei* length, GLchar *infoLog); typedef void (GLAPIENTRY * PFNGLGETPROGRAMPIPELINEIVPROC) (GLuint pipeline, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISPROGRAMPIPELINEPROC) (GLuint pipeline); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1DPROC) (GLuint program, GLint location, GLdouble x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1DVPROC) (GLuint program, GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1FPROC) (GLuint program, GLint location, GLfloat x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1FVPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1IPROC) (GLuint program, GLint location, GLint x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1IVPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UIPROC) (GLuint program, GLint location, GLuint x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UIVPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2DPROC) (GLuint program, GLint location, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2DVPROC) (GLuint program, GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2FPROC) (GLuint program, GLint location, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2FVPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2IPROC) (GLuint program, GLint location, GLint x, GLint y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2IVPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UIPROC) (GLuint program, GLint location, GLuint x, GLuint y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UIVPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3DPROC) (GLuint program, GLint location, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3DVPROC) (GLuint program, GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3FPROC) (GLuint program, GLint location, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3FVPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3IPROC) (GLuint program, GLint location, GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3IVPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UIPROC) (GLuint program, GLint location, GLuint x, GLuint y, GLuint z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UIVPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4DPROC) (GLuint program, GLint location, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4DVPROC) (GLuint program, GLint location, GLsizei count, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4FPROC) (GLuint program, GLint location, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4FVPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4IPROC) (GLuint program, GLint location, GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4IVPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UIPROC) (GLuint program, GLint location, GLuint x, GLuint y, GLuint z, GLuint w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UIVPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2X3DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2X3FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2X4DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2X4FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3X2DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3X2FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3X4DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3X4FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4X2DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4X2FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4X3DVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLdouble* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4X3FVPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUSEPROGRAMSTAGESPROC) (GLuint pipeline, GLbitfield stages, GLuint program); typedef void (GLAPIENTRY * PFNGLVALIDATEPROGRAMPIPELINEPROC) (GLuint pipeline); #define glActiveShaderProgram GLEW_GET_FUN(__glewActiveShaderProgram) #define glBindProgramPipeline GLEW_GET_FUN(__glewBindProgramPipeline) #define glCreateShaderProgramv GLEW_GET_FUN(__glewCreateShaderProgramv) #define glDeleteProgramPipelines GLEW_GET_FUN(__glewDeleteProgramPipelines) #define glGenProgramPipelines GLEW_GET_FUN(__glewGenProgramPipelines) #define glGetProgramPipelineInfoLog GLEW_GET_FUN(__glewGetProgramPipelineInfoLog) #define glGetProgramPipelineiv GLEW_GET_FUN(__glewGetProgramPipelineiv) #define glIsProgramPipeline GLEW_GET_FUN(__glewIsProgramPipeline) #define glProgramUniform1d GLEW_GET_FUN(__glewProgramUniform1d) #define glProgramUniform1dv GLEW_GET_FUN(__glewProgramUniform1dv) #define glProgramUniform1f GLEW_GET_FUN(__glewProgramUniform1f) #define glProgramUniform1fv GLEW_GET_FUN(__glewProgramUniform1fv) #define glProgramUniform1i GLEW_GET_FUN(__glewProgramUniform1i) #define glProgramUniform1iv GLEW_GET_FUN(__glewProgramUniform1iv) #define glProgramUniform1ui GLEW_GET_FUN(__glewProgramUniform1ui) #define glProgramUniform1uiv GLEW_GET_FUN(__glewProgramUniform1uiv) #define glProgramUniform2d GLEW_GET_FUN(__glewProgramUniform2d) #define glProgramUniform2dv GLEW_GET_FUN(__glewProgramUniform2dv) #define glProgramUniform2f GLEW_GET_FUN(__glewProgramUniform2f) #define glProgramUniform2fv GLEW_GET_FUN(__glewProgramUniform2fv) #define glProgramUniform2i GLEW_GET_FUN(__glewProgramUniform2i) #define glProgramUniform2iv GLEW_GET_FUN(__glewProgramUniform2iv) #define glProgramUniform2ui GLEW_GET_FUN(__glewProgramUniform2ui) #define glProgramUniform2uiv GLEW_GET_FUN(__glewProgramUniform2uiv) #define glProgramUniform3d GLEW_GET_FUN(__glewProgramUniform3d) #define glProgramUniform3dv GLEW_GET_FUN(__glewProgramUniform3dv) #define glProgramUniform3f GLEW_GET_FUN(__glewProgramUniform3f) #define glProgramUniform3fv GLEW_GET_FUN(__glewProgramUniform3fv) #define glProgramUniform3i GLEW_GET_FUN(__glewProgramUniform3i) #define glProgramUniform3iv GLEW_GET_FUN(__glewProgramUniform3iv) #define glProgramUniform3ui GLEW_GET_FUN(__glewProgramUniform3ui) #define glProgramUniform3uiv GLEW_GET_FUN(__glewProgramUniform3uiv) #define glProgramUniform4d GLEW_GET_FUN(__glewProgramUniform4d) #define glProgramUniform4dv GLEW_GET_FUN(__glewProgramUniform4dv) #define glProgramUniform4f GLEW_GET_FUN(__glewProgramUniform4f) #define glProgramUniform4fv GLEW_GET_FUN(__glewProgramUniform4fv) #define glProgramUniform4i GLEW_GET_FUN(__glewProgramUniform4i) #define glProgramUniform4iv GLEW_GET_FUN(__glewProgramUniform4iv) #define glProgramUniform4ui GLEW_GET_FUN(__glewProgramUniform4ui) #define glProgramUniform4uiv GLEW_GET_FUN(__glewProgramUniform4uiv) #define glProgramUniformMatrix2dv GLEW_GET_FUN(__glewProgramUniformMatrix2dv) #define glProgramUniformMatrix2fv GLEW_GET_FUN(__glewProgramUniformMatrix2fv) #define glProgramUniformMatrix2x3dv GLEW_GET_FUN(__glewProgramUniformMatrix2x3dv) #define glProgramUniformMatrix2x3fv GLEW_GET_FUN(__glewProgramUniformMatrix2x3fv) #define glProgramUniformMatrix2x4dv GLEW_GET_FUN(__glewProgramUniformMatrix2x4dv) #define glProgramUniformMatrix2x4fv GLEW_GET_FUN(__glewProgramUniformMatrix2x4fv) #define glProgramUniformMatrix3dv GLEW_GET_FUN(__glewProgramUniformMatrix3dv) #define glProgramUniformMatrix3fv GLEW_GET_FUN(__glewProgramUniformMatrix3fv) #define glProgramUniformMatrix3x2dv GLEW_GET_FUN(__glewProgramUniformMatrix3x2dv) #define glProgramUniformMatrix3x2fv GLEW_GET_FUN(__glewProgramUniformMatrix3x2fv) #define glProgramUniformMatrix3x4dv GLEW_GET_FUN(__glewProgramUniformMatrix3x4dv) #define glProgramUniformMatrix3x4fv GLEW_GET_FUN(__glewProgramUniformMatrix3x4fv) #define glProgramUniformMatrix4dv GLEW_GET_FUN(__glewProgramUniformMatrix4dv) #define glProgramUniformMatrix4fv GLEW_GET_FUN(__glewProgramUniformMatrix4fv) #define glProgramUniformMatrix4x2dv GLEW_GET_FUN(__glewProgramUniformMatrix4x2dv) #define glProgramUniformMatrix4x2fv GLEW_GET_FUN(__glewProgramUniformMatrix4x2fv) #define glProgramUniformMatrix4x3dv GLEW_GET_FUN(__glewProgramUniformMatrix4x3dv) #define glProgramUniformMatrix4x3fv GLEW_GET_FUN(__glewProgramUniformMatrix4x3fv) #define glUseProgramStages GLEW_GET_FUN(__glewUseProgramStages) #define glValidateProgramPipeline GLEW_GET_FUN(__glewValidateProgramPipeline) #define GLEW_ARB_separate_shader_objects GLEW_GET_VAR(__GLEW_ARB_separate_shader_objects) #endif /* GL_ARB_separate_shader_objects */ /* -------------------- GL_ARB_shader_atomic_counter_ops ------------------- */ #ifndef GL_ARB_shader_atomic_counter_ops #define GL_ARB_shader_atomic_counter_ops 1 #define GLEW_ARB_shader_atomic_counter_ops GLEW_GET_VAR(__GLEW_ARB_shader_atomic_counter_ops) #endif /* GL_ARB_shader_atomic_counter_ops */ /* --------------------- GL_ARB_shader_atomic_counters --------------------- */ #ifndef GL_ARB_shader_atomic_counters #define GL_ARB_shader_atomic_counters 1 #define GL_ATOMIC_COUNTER_BUFFER 0x92C0 #define GL_ATOMIC_COUNTER_BUFFER_BINDING 0x92C1 #define GL_ATOMIC_COUNTER_BUFFER_START 0x92C2 #define GL_ATOMIC_COUNTER_BUFFER_SIZE 0x92C3 #define GL_ATOMIC_COUNTER_BUFFER_DATA_SIZE 0x92C4 #define GL_ATOMIC_COUNTER_BUFFER_ACTIVE_ATOMIC_COUNTERS 0x92C5 #define GL_ATOMIC_COUNTER_BUFFER_ACTIVE_ATOMIC_COUNTER_INDICES 0x92C6 #define GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_VERTEX_SHADER 0x92C7 #define GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_TESS_CONTROL_SHADER 0x92C8 #define GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_TESS_EVALUATION_SHADER 0x92C9 #define GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_GEOMETRY_SHADER 0x92CA #define GL_ATOMIC_COUNTER_BUFFER_REFERENCED_BY_FRAGMENT_SHADER 0x92CB #define GL_MAX_VERTEX_ATOMIC_COUNTER_BUFFERS 0x92CC #define GL_MAX_TESS_CONTROL_ATOMIC_COUNTER_BUFFERS 0x92CD #define GL_MAX_TESS_EVALUATION_ATOMIC_COUNTER_BUFFERS 0x92CE #define GL_MAX_GEOMETRY_ATOMIC_COUNTER_BUFFERS 0x92CF #define GL_MAX_FRAGMENT_ATOMIC_COUNTER_BUFFERS 0x92D0 #define GL_MAX_COMBINED_ATOMIC_COUNTER_BUFFERS 0x92D1 #define GL_MAX_VERTEX_ATOMIC_COUNTERS 0x92D2 #define GL_MAX_TESS_CONTROL_ATOMIC_COUNTERS 0x92D3 #define GL_MAX_TESS_EVALUATION_ATOMIC_COUNTERS 0x92D4 #define GL_MAX_GEOMETRY_ATOMIC_COUNTERS 0x92D5 #define GL_MAX_FRAGMENT_ATOMIC_COUNTERS 0x92D6 #define GL_MAX_COMBINED_ATOMIC_COUNTERS 0x92D7 #define GL_MAX_ATOMIC_COUNTER_BUFFER_SIZE 0x92D8 #define GL_ACTIVE_ATOMIC_COUNTER_BUFFERS 0x92D9 #define GL_UNIFORM_ATOMIC_COUNTER_BUFFER_INDEX 0x92DA #define GL_UNSIGNED_INT_ATOMIC_COUNTER 0x92DB #define GL_MAX_ATOMIC_COUNTER_BUFFER_BINDINGS 0x92DC typedef void (GLAPIENTRY * PFNGLGETACTIVEATOMICCOUNTERBUFFERIVPROC) (GLuint program, GLuint bufferIndex, GLenum pname, GLint* params); #define glGetActiveAtomicCounterBufferiv GLEW_GET_FUN(__glewGetActiveAtomicCounterBufferiv) #define GLEW_ARB_shader_atomic_counters GLEW_GET_VAR(__GLEW_ARB_shader_atomic_counters) #endif /* GL_ARB_shader_atomic_counters */ /* -------------------------- GL_ARB_shader_ballot ------------------------- */ #ifndef GL_ARB_shader_ballot #define GL_ARB_shader_ballot 1 #define GLEW_ARB_shader_ballot GLEW_GET_VAR(__GLEW_ARB_shader_ballot) #endif /* GL_ARB_shader_ballot */ /* ----------------------- GL_ARB_shader_bit_encoding ---------------------- */ #ifndef GL_ARB_shader_bit_encoding #define GL_ARB_shader_bit_encoding 1 #define GLEW_ARB_shader_bit_encoding GLEW_GET_VAR(__GLEW_ARB_shader_bit_encoding) #endif /* GL_ARB_shader_bit_encoding */ /* -------------------------- GL_ARB_shader_clock -------------------------- */ #ifndef GL_ARB_shader_clock #define GL_ARB_shader_clock 1 #define GLEW_ARB_shader_clock GLEW_GET_VAR(__GLEW_ARB_shader_clock) #endif /* GL_ARB_shader_clock */ /* --------------------- GL_ARB_shader_draw_parameters --------------------- */ #ifndef GL_ARB_shader_draw_parameters #define GL_ARB_shader_draw_parameters 1 #define GLEW_ARB_shader_draw_parameters GLEW_GET_VAR(__GLEW_ARB_shader_draw_parameters) #endif /* GL_ARB_shader_draw_parameters */ /* ------------------------ GL_ARB_shader_group_vote ----------------------- */ #ifndef GL_ARB_shader_group_vote #define GL_ARB_shader_group_vote 1 #define GLEW_ARB_shader_group_vote GLEW_GET_VAR(__GLEW_ARB_shader_group_vote) #endif /* GL_ARB_shader_group_vote */ /* --------------------- GL_ARB_shader_image_load_store -------------------- */ #ifndef GL_ARB_shader_image_load_store #define GL_ARB_shader_image_load_store 1 #define GL_VERTEX_ATTRIB_ARRAY_BARRIER_BIT 0x00000001 #define GL_ELEMENT_ARRAY_BARRIER_BIT 0x00000002 #define GL_UNIFORM_BARRIER_BIT 0x00000004 #define GL_TEXTURE_FETCH_BARRIER_BIT 0x00000008 #define GL_SHADER_IMAGE_ACCESS_BARRIER_BIT 0x00000020 #define GL_COMMAND_BARRIER_BIT 0x00000040 #define GL_PIXEL_BUFFER_BARRIER_BIT 0x00000080 #define GL_TEXTURE_UPDATE_BARRIER_BIT 0x00000100 #define GL_BUFFER_UPDATE_BARRIER_BIT 0x00000200 #define GL_FRAMEBUFFER_BARRIER_BIT 0x00000400 #define GL_TRANSFORM_FEEDBACK_BARRIER_BIT 0x00000800 #define GL_ATOMIC_COUNTER_BARRIER_BIT 0x00001000 #define GL_MAX_IMAGE_UNITS 0x8F38 #define GL_MAX_COMBINED_IMAGE_UNITS_AND_FRAGMENT_OUTPUTS 0x8F39 #define GL_IMAGE_BINDING_NAME 0x8F3A #define GL_IMAGE_BINDING_LEVEL 0x8F3B #define GL_IMAGE_BINDING_LAYERED 0x8F3C #define GL_IMAGE_BINDING_LAYER 0x8F3D #define GL_IMAGE_BINDING_ACCESS 0x8F3E #define GL_IMAGE_1D 0x904C #define GL_IMAGE_2D 0x904D #define GL_IMAGE_3D 0x904E #define GL_IMAGE_2D_RECT 0x904F #define GL_IMAGE_CUBE 0x9050 #define GL_IMAGE_BUFFER 0x9051 #define GL_IMAGE_1D_ARRAY 0x9052 #define GL_IMAGE_2D_ARRAY 0x9053 #define GL_IMAGE_CUBE_MAP_ARRAY 0x9054 #define GL_IMAGE_2D_MULTISAMPLE 0x9055 #define GL_IMAGE_2D_MULTISAMPLE_ARRAY 0x9056 #define GL_INT_IMAGE_1D 0x9057 #define GL_INT_IMAGE_2D 0x9058 #define GL_INT_IMAGE_3D 0x9059 #define GL_INT_IMAGE_2D_RECT 0x905A #define GL_INT_IMAGE_CUBE 0x905B #define GL_INT_IMAGE_BUFFER 0x905C #define GL_INT_IMAGE_1D_ARRAY 0x905D #define GL_INT_IMAGE_2D_ARRAY 0x905E #define GL_INT_IMAGE_CUBE_MAP_ARRAY 0x905F #define GL_INT_IMAGE_2D_MULTISAMPLE 0x9060 #define GL_INT_IMAGE_2D_MULTISAMPLE_ARRAY 0x9061 #define GL_UNSIGNED_INT_IMAGE_1D 0x9062 #define GL_UNSIGNED_INT_IMAGE_2D 0x9063 #define GL_UNSIGNED_INT_IMAGE_3D 0x9064 #define GL_UNSIGNED_INT_IMAGE_2D_RECT 0x9065 #define GL_UNSIGNED_INT_IMAGE_CUBE 0x9066 #define GL_UNSIGNED_INT_IMAGE_BUFFER 0x9067 #define GL_UNSIGNED_INT_IMAGE_1D_ARRAY 0x9068 #define GL_UNSIGNED_INT_IMAGE_2D_ARRAY 0x9069 #define GL_UNSIGNED_INT_IMAGE_CUBE_MAP_ARRAY 0x906A #define GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE 0x906B #define GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE_ARRAY 0x906C #define GL_MAX_IMAGE_SAMPLES 0x906D #define GL_IMAGE_BINDING_FORMAT 0x906E #define GL_IMAGE_FORMAT_COMPATIBILITY_TYPE 0x90C7 #define GL_IMAGE_FORMAT_COMPATIBILITY_BY_SIZE 0x90C8 #define GL_IMAGE_FORMAT_COMPATIBILITY_BY_CLASS 0x90C9 #define GL_MAX_VERTEX_IMAGE_UNIFORMS 0x90CA #define GL_MAX_TESS_CONTROL_IMAGE_UNIFORMS 0x90CB #define GL_MAX_TESS_EVALUATION_IMAGE_UNIFORMS 0x90CC #define GL_MAX_GEOMETRY_IMAGE_UNIFORMS 0x90CD #define GL_MAX_FRAGMENT_IMAGE_UNIFORMS 0x90CE #define GL_MAX_COMBINED_IMAGE_UNIFORMS 0x90CF #define GL_ALL_BARRIER_BITS 0xFFFFFFFF typedef void (GLAPIENTRY * PFNGLBINDIMAGETEXTUREPROC) (GLuint unit, GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum access, GLenum format); typedef void (GLAPIENTRY * PFNGLMEMORYBARRIERPROC) (GLbitfield barriers); #define glBindImageTexture GLEW_GET_FUN(__glewBindImageTexture) #define glMemoryBarrier GLEW_GET_FUN(__glewMemoryBarrier) #define GLEW_ARB_shader_image_load_store GLEW_GET_VAR(__GLEW_ARB_shader_image_load_store) #endif /* GL_ARB_shader_image_load_store */ /* ------------------------ GL_ARB_shader_image_size ----------------------- */ #ifndef GL_ARB_shader_image_size #define GL_ARB_shader_image_size 1 #define GLEW_ARB_shader_image_size GLEW_GET_VAR(__GLEW_ARB_shader_image_size) #endif /* GL_ARB_shader_image_size */ /* ------------------------- GL_ARB_shader_objects ------------------------- */ #ifndef GL_ARB_shader_objects #define GL_ARB_shader_objects 1 #define GL_PROGRAM_OBJECT_ARB 0x8B40 #define GL_SHADER_OBJECT_ARB 0x8B48 #define GL_OBJECT_TYPE_ARB 0x8B4E #define GL_OBJECT_SUBTYPE_ARB 0x8B4F #define GL_FLOAT_VEC2_ARB 0x8B50 #define GL_FLOAT_VEC3_ARB 0x8B51 #define GL_FLOAT_VEC4_ARB 0x8B52 #define GL_INT_VEC2_ARB 0x8B53 #define GL_INT_VEC3_ARB 0x8B54 #define GL_INT_VEC4_ARB 0x8B55 #define GL_BOOL_ARB 0x8B56 #define GL_BOOL_VEC2_ARB 0x8B57 #define GL_BOOL_VEC3_ARB 0x8B58 #define GL_BOOL_VEC4_ARB 0x8B59 #define GL_FLOAT_MAT2_ARB 0x8B5A #define GL_FLOAT_MAT3_ARB 0x8B5B #define GL_FLOAT_MAT4_ARB 0x8B5C #define GL_SAMPLER_1D_ARB 0x8B5D #define GL_SAMPLER_2D_ARB 0x8B5E #define GL_SAMPLER_3D_ARB 0x8B5F #define GL_SAMPLER_CUBE_ARB 0x8B60 #define GL_SAMPLER_1D_SHADOW_ARB 0x8B61 #define GL_SAMPLER_2D_SHADOW_ARB 0x8B62 #define GL_SAMPLER_2D_RECT_ARB 0x8B63 #define GL_SAMPLER_2D_RECT_SHADOW_ARB 0x8B64 #define GL_OBJECT_DELETE_STATUS_ARB 0x8B80 #define GL_OBJECT_COMPILE_STATUS_ARB 0x8B81 #define GL_OBJECT_LINK_STATUS_ARB 0x8B82 #define GL_OBJECT_VALIDATE_STATUS_ARB 0x8B83 #define GL_OBJECT_INFO_LOG_LENGTH_ARB 0x8B84 #define GL_OBJECT_ATTACHED_OBJECTS_ARB 0x8B85 #define GL_OBJECT_ACTIVE_UNIFORMS_ARB 0x8B86 #define GL_OBJECT_ACTIVE_UNIFORM_MAX_LENGTH_ARB 0x8B87 #define GL_OBJECT_SHADER_SOURCE_LENGTH_ARB 0x8B88 typedef char GLcharARB; typedef unsigned int GLhandleARB; typedef void (GLAPIENTRY * PFNGLATTACHOBJECTARBPROC) (GLhandleARB containerObj, GLhandleARB obj); typedef void (GLAPIENTRY * PFNGLCOMPILESHADERARBPROC) (GLhandleARB shaderObj); typedef GLhandleARB (GLAPIENTRY * PFNGLCREATEPROGRAMOBJECTARBPROC) (void); typedef GLhandleARB (GLAPIENTRY * PFNGLCREATESHADEROBJECTARBPROC) (GLenum shaderType); typedef void (GLAPIENTRY * PFNGLDELETEOBJECTARBPROC) (GLhandleARB obj); typedef void (GLAPIENTRY * PFNGLDETACHOBJECTARBPROC) (GLhandleARB containerObj, GLhandleARB attachedObj); typedef void (GLAPIENTRY * PFNGLGETACTIVEUNIFORMARBPROC) (GLhandleARB programObj, GLuint index, GLsizei maxLength, GLsizei* length, GLint *size, GLenum *type, GLcharARB *name); typedef void (GLAPIENTRY * PFNGLGETATTACHEDOBJECTSARBPROC) (GLhandleARB containerObj, GLsizei maxCount, GLsizei* count, GLhandleARB *obj); typedef GLhandleARB (GLAPIENTRY * PFNGLGETHANDLEARBPROC) (GLenum pname); typedef void (GLAPIENTRY * PFNGLGETINFOLOGARBPROC) (GLhandleARB obj, GLsizei maxLength, GLsizei* length, GLcharARB *infoLog); typedef void (GLAPIENTRY * PFNGLGETOBJECTPARAMETERFVARBPROC) (GLhandleARB obj, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETOBJECTPARAMETERIVARBPROC) (GLhandleARB obj, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETSHADERSOURCEARBPROC) (GLhandleARB obj, GLsizei maxLength, GLsizei* length, GLcharARB *source); typedef GLint (GLAPIENTRY * PFNGLGETUNIFORMLOCATIONARBPROC) (GLhandleARB programObj, const GLcharARB* name); typedef void (GLAPIENTRY * PFNGLGETUNIFORMFVARBPROC) (GLhandleARB programObj, GLint location, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETUNIFORMIVARBPROC) (GLhandleARB programObj, GLint location, GLint* params); typedef void (GLAPIENTRY * PFNGLLINKPROGRAMARBPROC) (GLhandleARB programObj); typedef void (GLAPIENTRY * PFNGLSHADERSOURCEARBPROC) (GLhandleARB shaderObj, GLsizei count, const GLcharARB ** string, const GLint *length); typedef void (GLAPIENTRY * PFNGLUNIFORM1FARBPROC) (GLint location, GLfloat v0); typedef void (GLAPIENTRY * PFNGLUNIFORM1FVARBPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM1IARBPROC) (GLint location, GLint v0); typedef void (GLAPIENTRY * PFNGLUNIFORM1IVARBPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2FARBPROC) (GLint location, GLfloat v0, GLfloat v1); typedef void (GLAPIENTRY * PFNGLUNIFORM2FVARBPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2IARBPROC) (GLint location, GLint v0, GLint v1); typedef void (GLAPIENTRY * PFNGLUNIFORM2IVARBPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3FARBPROC) (GLint location, GLfloat v0, GLfloat v1, GLfloat v2); typedef void (GLAPIENTRY * PFNGLUNIFORM3FVARBPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3IARBPROC) (GLint location, GLint v0, GLint v1, GLint v2); typedef void (GLAPIENTRY * PFNGLUNIFORM3IVARBPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4FARBPROC) (GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3); typedef void (GLAPIENTRY * PFNGLUNIFORM4FVARBPROC) (GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4IARBPROC) (GLint location, GLint v0, GLint v1, GLint v2, GLint v3); typedef void (GLAPIENTRY * PFNGLUNIFORM4IVARBPROC) (GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2FVARBPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3FVARBPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4FVARBPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUSEPROGRAMOBJECTARBPROC) (GLhandleARB programObj); typedef void (GLAPIENTRY * PFNGLVALIDATEPROGRAMARBPROC) (GLhandleARB programObj); #define glAttachObjectARB GLEW_GET_FUN(__glewAttachObjectARB) #define glCompileShaderARB GLEW_GET_FUN(__glewCompileShaderARB) #define glCreateProgramObjectARB GLEW_GET_FUN(__glewCreateProgramObjectARB) #define glCreateShaderObjectARB GLEW_GET_FUN(__glewCreateShaderObjectARB) #define glDeleteObjectARB GLEW_GET_FUN(__glewDeleteObjectARB) #define glDetachObjectARB GLEW_GET_FUN(__glewDetachObjectARB) #define glGetActiveUniformARB GLEW_GET_FUN(__glewGetActiveUniformARB) #define glGetAttachedObjectsARB GLEW_GET_FUN(__glewGetAttachedObjectsARB) #define glGetHandleARB GLEW_GET_FUN(__glewGetHandleARB) #define glGetInfoLogARB GLEW_GET_FUN(__glewGetInfoLogARB) #define glGetObjectParameterfvARB GLEW_GET_FUN(__glewGetObjectParameterfvARB) #define glGetObjectParameterivARB GLEW_GET_FUN(__glewGetObjectParameterivARB) #define glGetShaderSourceARB GLEW_GET_FUN(__glewGetShaderSourceARB) #define glGetUniformLocationARB GLEW_GET_FUN(__glewGetUniformLocationARB) #define glGetUniformfvARB GLEW_GET_FUN(__glewGetUniformfvARB) #define glGetUniformivARB GLEW_GET_FUN(__glewGetUniformivARB) #define glLinkProgramARB GLEW_GET_FUN(__glewLinkProgramARB) #define glShaderSourceARB GLEW_GET_FUN(__glewShaderSourceARB) #define glUniform1fARB GLEW_GET_FUN(__glewUniform1fARB) #define glUniform1fvARB GLEW_GET_FUN(__glewUniform1fvARB) #define glUniform1iARB GLEW_GET_FUN(__glewUniform1iARB) #define glUniform1ivARB GLEW_GET_FUN(__glewUniform1ivARB) #define glUniform2fARB GLEW_GET_FUN(__glewUniform2fARB) #define glUniform2fvARB GLEW_GET_FUN(__glewUniform2fvARB) #define glUniform2iARB GLEW_GET_FUN(__glewUniform2iARB) #define glUniform2ivARB GLEW_GET_FUN(__glewUniform2ivARB) #define glUniform3fARB GLEW_GET_FUN(__glewUniform3fARB) #define glUniform3fvARB GLEW_GET_FUN(__glewUniform3fvARB) #define glUniform3iARB GLEW_GET_FUN(__glewUniform3iARB) #define glUniform3ivARB GLEW_GET_FUN(__glewUniform3ivARB) #define glUniform4fARB GLEW_GET_FUN(__glewUniform4fARB) #define glUniform4fvARB GLEW_GET_FUN(__glewUniform4fvARB) #define glUniform4iARB GLEW_GET_FUN(__glewUniform4iARB) #define glUniform4ivARB GLEW_GET_FUN(__glewUniform4ivARB) #define glUniformMatrix2fvARB GLEW_GET_FUN(__glewUniformMatrix2fvARB) #define glUniformMatrix3fvARB GLEW_GET_FUN(__glewUniformMatrix3fvARB) #define glUniformMatrix4fvARB GLEW_GET_FUN(__glewUniformMatrix4fvARB) #define glUseProgramObjectARB GLEW_GET_FUN(__glewUseProgramObjectARB) #define glValidateProgramARB GLEW_GET_FUN(__glewValidateProgramARB) #define GLEW_ARB_shader_objects GLEW_GET_VAR(__GLEW_ARB_shader_objects) #endif /* GL_ARB_shader_objects */ /* ------------------------ GL_ARB_shader_precision ------------------------ */ #ifndef GL_ARB_shader_precision #define GL_ARB_shader_precision 1 #define GLEW_ARB_shader_precision GLEW_GET_VAR(__GLEW_ARB_shader_precision) #endif /* GL_ARB_shader_precision */ /* ---------------------- GL_ARB_shader_stencil_export --------------------- */ #ifndef GL_ARB_shader_stencil_export #define GL_ARB_shader_stencil_export 1 #define GLEW_ARB_shader_stencil_export GLEW_GET_VAR(__GLEW_ARB_shader_stencil_export) #endif /* GL_ARB_shader_stencil_export */ /* ------------------ GL_ARB_shader_storage_buffer_object ------------------ */ #ifndef GL_ARB_shader_storage_buffer_object #define GL_ARB_shader_storage_buffer_object 1 #define GL_SHADER_STORAGE_BARRIER_BIT 0x2000 #define GL_MAX_COMBINED_SHADER_OUTPUT_RESOURCES 0x8F39 #define GL_SHADER_STORAGE_BUFFER 0x90D2 #define GL_SHADER_STORAGE_BUFFER_BINDING 0x90D3 #define GL_SHADER_STORAGE_BUFFER_START 0x90D4 #define GL_SHADER_STORAGE_BUFFER_SIZE 0x90D5 #define GL_MAX_VERTEX_SHADER_STORAGE_BLOCKS 0x90D6 #define GL_MAX_GEOMETRY_SHADER_STORAGE_BLOCKS 0x90D7 #define GL_MAX_TESS_CONTROL_SHADER_STORAGE_BLOCKS 0x90D8 #define GL_MAX_TESS_EVALUATION_SHADER_STORAGE_BLOCKS 0x90D9 #define GL_MAX_FRAGMENT_SHADER_STORAGE_BLOCKS 0x90DA #define GL_MAX_COMPUTE_SHADER_STORAGE_BLOCKS 0x90DB #define GL_MAX_COMBINED_SHADER_STORAGE_BLOCKS 0x90DC #define GL_MAX_SHADER_STORAGE_BUFFER_BINDINGS 0x90DD #define GL_MAX_SHADER_STORAGE_BLOCK_SIZE 0x90DE #define GL_SHADER_STORAGE_BUFFER_OFFSET_ALIGNMENT 0x90DF typedef void (GLAPIENTRY * PFNGLSHADERSTORAGEBLOCKBINDINGPROC) (GLuint program, GLuint storageBlockIndex, GLuint storageBlockBinding); #define glShaderStorageBlockBinding GLEW_GET_FUN(__glewShaderStorageBlockBinding) #define GLEW_ARB_shader_storage_buffer_object GLEW_GET_VAR(__GLEW_ARB_shader_storage_buffer_object) #endif /* GL_ARB_shader_storage_buffer_object */ /* ------------------------ GL_ARB_shader_subroutine ----------------------- */ #ifndef GL_ARB_shader_subroutine #define GL_ARB_shader_subroutine 1 #define GL_ACTIVE_SUBROUTINES 0x8DE5 #define GL_ACTIVE_SUBROUTINE_UNIFORMS 0x8DE6 #define GL_MAX_SUBROUTINES 0x8DE7 #define GL_MAX_SUBROUTINE_UNIFORM_LOCATIONS 0x8DE8 #define GL_ACTIVE_SUBROUTINE_UNIFORM_LOCATIONS 0x8E47 #define GL_ACTIVE_SUBROUTINE_MAX_LENGTH 0x8E48 #define GL_ACTIVE_SUBROUTINE_UNIFORM_MAX_LENGTH 0x8E49 #define GL_NUM_COMPATIBLE_SUBROUTINES 0x8E4A #define GL_COMPATIBLE_SUBROUTINES 0x8E4B typedef void (GLAPIENTRY * PFNGLGETACTIVESUBROUTINENAMEPROC) (GLuint program, GLenum shadertype, GLuint index, GLsizei bufsize, GLsizei* length, GLchar *name); typedef void (GLAPIENTRY * PFNGLGETACTIVESUBROUTINEUNIFORMNAMEPROC) (GLuint program, GLenum shadertype, GLuint index, GLsizei bufsize, GLsizei* length, GLchar *name); typedef void (GLAPIENTRY * PFNGLGETACTIVESUBROUTINEUNIFORMIVPROC) (GLuint program, GLenum shadertype, GLuint index, GLenum pname, GLint* values); typedef void (GLAPIENTRY * PFNGLGETPROGRAMSTAGEIVPROC) (GLuint program, GLenum shadertype, GLenum pname, GLint* values); typedef GLuint (GLAPIENTRY * PFNGLGETSUBROUTINEINDEXPROC) (GLuint program, GLenum shadertype, const GLchar* name); typedef GLint (GLAPIENTRY * PFNGLGETSUBROUTINEUNIFORMLOCATIONPROC) (GLuint program, GLenum shadertype, const GLchar* name); typedef void (GLAPIENTRY * PFNGLGETUNIFORMSUBROUTINEUIVPROC) (GLenum shadertype, GLint location, GLuint* params); typedef void (GLAPIENTRY * PFNGLUNIFORMSUBROUTINESUIVPROC) (GLenum shadertype, GLsizei count, const GLuint* indices); #define glGetActiveSubroutineName GLEW_GET_FUN(__glewGetActiveSubroutineName) #define glGetActiveSubroutineUniformName GLEW_GET_FUN(__glewGetActiveSubroutineUniformName) #define glGetActiveSubroutineUniformiv GLEW_GET_FUN(__glewGetActiveSubroutineUniformiv) #define glGetProgramStageiv GLEW_GET_FUN(__glewGetProgramStageiv) #define glGetSubroutineIndex GLEW_GET_FUN(__glewGetSubroutineIndex) #define glGetSubroutineUniformLocation GLEW_GET_FUN(__glewGetSubroutineUniformLocation) #define glGetUniformSubroutineuiv GLEW_GET_FUN(__glewGetUniformSubroutineuiv) #define glUniformSubroutinesuiv GLEW_GET_FUN(__glewUniformSubroutinesuiv) #define GLEW_ARB_shader_subroutine GLEW_GET_VAR(__GLEW_ARB_shader_subroutine) #endif /* GL_ARB_shader_subroutine */ /* ------------------ GL_ARB_shader_texture_image_samples ------------------ */ #ifndef GL_ARB_shader_texture_image_samples #define GL_ARB_shader_texture_image_samples 1 #define GLEW_ARB_shader_texture_image_samples GLEW_GET_VAR(__GLEW_ARB_shader_texture_image_samples) #endif /* GL_ARB_shader_texture_image_samples */ /* ----------------------- GL_ARB_shader_texture_lod ----------------------- */ #ifndef GL_ARB_shader_texture_lod #define GL_ARB_shader_texture_lod 1 #define GLEW_ARB_shader_texture_lod GLEW_GET_VAR(__GLEW_ARB_shader_texture_lod) #endif /* GL_ARB_shader_texture_lod */ /* ------------------- GL_ARB_shader_viewport_layer_array ------------------ */ #ifndef GL_ARB_shader_viewport_layer_array #define GL_ARB_shader_viewport_layer_array 1 #define GLEW_ARB_shader_viewport_layer_array GLEW_GET_VAR(__GLEW_ARB_shader_viewport_layer_array) #endif /* GL_ARB_shader_viewport_layer_array */ /* ---------------------- GL_ARB_shading_language_100 ---------------------- */ #ifndef GL_ARB_shading_language_100 #define GL_ARB_shading_language_100 1 #define GL_SHADING_LANGUAGE_VERSION_ARB 0x8B8C #define GLEW_ARB_shading_language_100 GLEW_GET_VAR(__GLEW_ARB_shading_language_100) #endif /* GL_ARB_shading_language_100 */ /* -------------------- GL_ARB_shading_language_420pack -------------------- */ #ifndef GL_ARB_shading_language_420pack #define GL_ARB_shading_language_420pack 1 #define GLEW_ARB_shading_language_420pack GLEW_GET_VAR(__GLEW_ARB_shading_language_420pack) #endif /* GL_ARB_shading_language_420pack */ /* -------------------- GL_ARB_shading_language_include -------------------- */ #ifndef GL_ARB_shading_language_include #define GL_ARB_shading_language_include 1 #define GL_SHADER_INCLUDE_ARB 0x8DAE #define GL_NAMED_STRING_LENGTH_ARB 0x8DE9 #define GL_NAMED_STRING_TYPE_ARB 0x8DEA typedef void (GLAPIENTRY * PFNGLCOMPILESHADERINCLUDEARBPROC) (GLuint shader, GLsizei count, const GLchar* const *path, const GLint *length); typedef void (GLAPIENTRY * PFNGLDELETENAMEDSTRINGARBPROC) (GLint namelen, const GLchar* name); typedef void (GLAPIENTRY * PFNGLGETNAMEDSTRINGARBPROC) (GLint namelen, const GLchar* name, GLsizei bufSize, GLint *stringlen, GLchar *string); typedef void (GLAPIENTRY * PFNGLGETNAMEDSTRINGIVARBPROC) (GLint namelen, const GLchar* name, GLenum pname, GLint *params); typedef GLboolean (GLAPIENTRY * PFNGLISNAMEDSTRINGARBPROC) (GLint namelen, const GLchar* name); typedef void (GLAPIENTRY * PFNGLNAMEDSTRINGARBPROC) (GLenum type, GLint namelen, const GLchar* name, GLint stringlen, const GLchar *string); #define glCompileShaderIncludeARB GLEW_GET_FUN(__glewCompileShaderIncludeARB) #define glDeleteNamedStringARB GLEW_GET_FUN(__glewDeleteNamedStringARB) #define glGetNamedStringARB GLEW_GET_FUN(__glewGetNamedStringARB) #define glGetNamedStringivARB GLEW_GET_FUN(__glewGetNamedStringivARB) #define glIsNamedStringARB GLEW_GET_FUN(__glewIsNamedStringARB) #define glNamedStringARB GLEW_GET_FUN(__glewNamedStringARB) #define GLEW_ARB_shading_language_include GLEW_GET_VAR(__GLEW_ARB_shading_language_include) #endif /* GL_ARB_shading_language_include */ /* -------------------- GL_ARB_shading_language_packing -------------------- */ #ifndef GL_ARB_shading_language_packing #define GL_ARB_shading_language_packing 1 #define GLEW_ARB_shading_language_packing GLEW_GET_VAR(__GLEW_ARB_shading_language_packing) #endif /* GL_ARB_shading_language_packing */ /* ----------------------------- GL_ARB_shadow ----------------------------- */ #ifndef GL_ARB_shadow #define GL_ARB_shadow 1 #define GL_TEXTURE_COMPARE_MODE_ARB 0x884C #define GL_TEXTURE_COMPARE_FUNC_ARB 0x884D #define GL_COMPARE_R_TO_TEXTURE_ARB 0x884E #define GLEW_ARB_shadow GLEW_GET_VAR(__GLEW_ARB_shadow) #endif /* GL_ARB_shadow */ /* ------------------------- GL_ARB_shadow_ambient ------------------------- */ #ifndef GL_ARB_shadow_ambient #define GL_ARB_shadow_ambient 1 #define GL_TEXTURE_COMPARE_FAIL_VALUE_ARB 0x80BF #define GLEW_ARB_shadow_ambient GLEW_GET_VAR(__GLEW_ARB_shadow_ambient) #endif /* GL_ARB_shadow_ambient */ /* -------------------------- GL_ARB_sparse_buffer ------------------------- */ #ifndef GL_ARB_sparse_buffer #define GL_ARB_sparse_buffer 1 #define GL_SPARSE_STORAGE_BIT_ARB 0x0400 #define GL_SPARSE_BUFFER_PAGE_SIZE_ARB 0x82F8 typedef void (GLAPIENTRY * PFNGLBUFFERPAGECOMMITMENTARBPROC) (GLenum target, GLintptr offset, GLsizeiptr size, GLboolean commit); #define glBufferPageCommitmentARB GLEW_GET_FUN(__glewBufferPageCommitmentARB) #define GLEW_ARB_sparse_buffer GLEW_GET_VAR(__GLEW_ARB_sparse_buffer) #endif /* GL_ARB_sparse_buffer */ /* ------------------------- GL_ARB_sparse_texture ------------------------- */ #ifndef GL_ARB_sparse_texture #define GL_ARB_sparse_texture 1 #define GL_VIRTUAL_PAGE_SIZE_X_ARB 0x9195 #define GL_VIRTUAL_PAGE_SIZE_Y_ARB 0x9196 #define GL_VIRTUAL_PAGE_SIZE_Z_ARB 0x9197 #define GL_MAX_SPARSE_TEXTURE_SIZE_ARB 0x9198 #define GL_MAX_SPARSE_3D_TEXTURE_SIZE_ARB 0x9199 #define GL_MAX_SPARSE_ARRAY_TEXTURE_LAYERS_ARB 0x919A #define GL_TEXTURE_SPARSE_ARB 0x91A6 #define GL_VIRTUAL_PAGE_SIZE_INDEX_ARB 0x91A7 #define GL_NUM_VIRTUAL_PAGE_SIZES_ARB 0x91A8 #define GL_SPARSE_TEXTURE_FULL_ARRAY_CUBE_MIPMAPS_ARB 0x91A9 #define GL_NUM_SPARSE_LEVELS_ARB 0x91AA typedef void (GLAPIENTRY * PFNGLTEXPAGECOMMITMENTARBPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLboolean commit); #define glTexPageCommitmentARB GLEW_GET_FUN(__glewTexPageCommitmentARB) #define GLEW_ARB_sparse_texture GLEW_GET_VAR(__GLEW_ARB_sparse_texture) #endif /* GL_ARB_sparse_texture */ /* ------------------------- GL_ARB_sparse_texture2 ------------------------ */ #ifndef GL_ARB_sparse_texture2 #define GL_ARB_sparse_texture2 1 #define GLEW_ARB_sparse_texture2 GLEW_GET_VAR(__GLEW_ARB_sparse_texture2) #endif /* GL_ARB_sparse_texture2 */ /* ---------------------- GL_ARB_sparse_texture_clamp ---------------------- */ #ifndef GL_ARB_sparse_texture_clamp #define GL_ARB_sparse_texture_clamp 1 #define GLEW_ARB_sparse_texture_clamp GLEW_GET_VAR(__GLEW_ARB_sparse_texture_clamp) #endif /* GL_ARB_sparse_texture_clamp */ /* ------------------------ GL_ARB_spirv_extensions ------------------------ */ #ifndef GL_ARB_spirv_extensions #define GL_ARB_spirv_extensions 1 #define GL_SPIR_V_EXTENSIONS 0x9553 #define GL_NUM_SPIR_V_EXTENSIONS 0x9554 #define GLEW_ARB_spirv_extensions GLEW_GET_VAR(__GLEW_ARB_spirv_extensions) #endif /* GL_ARB_spirv_extensions */ /* ------------------------ GL_ARB_stencil_texturing ----------------------- */ #ifndef GL_ARB_stencil_texturing #define GL_ARB_stencil_texturing 1 #define GL_DEPTH_STENCIL_TEXTURE_MODE 0x90EA #define GLEW_ARB_stencil_texturing GLEW_GET_VAR(__GLEW_ARB_stencil_texturing) #endif /* GL_ARB_stencil_texturing */ /* ------------------------------ GL_ARB_sync ------------------------------ */ #ifndef GL_ARB_sync #define GL_ARB_sync 1 #define GL_SYNC_FLUSH_COMMANDS_BIT 0x00000001 #define GL_MAX_SERVER_WAIT_TIMEOUT 0x9111 #define GL_OBJECT_TYPE 0x9112 #define GL_SYNC_CONDITION 0x9113 #define GL_SYNC_STATUS 0x9114 #define GL_SYNC_FLAGS 0x9115 #define GL_SYNC_FENCE 0x9116 #define GL_SYNC_GPU_COMMANDS_COMPLETE 0x9117 #define GL_UNSIGNALED 0x9118 #define GL_SIGNALED 0x9119 #define GL_ALREADY_SIGNALED 0x911A #define GL_TIMEOUT_EXPIRED 0x911B #define GL_CONDITION_SATISFIED 0x911C #define GL_WAIT_FAILED 0x911D #define GL_TIMEOUT_IGNORED 0xFFFFFFFFFFFFFFFFull typedef GLenum (GLAPIENTRY * PFNGLCLIENTWAITSYNCPROC) (GLsync GLsync,GLbitfield flags,GLuint64 timeout); typedef void (GLAPIENTRY * PFNGLDELETESYNCPROC) (GLsync GLsync); typedef GLsync (GLAPIENTRY * PFNGLFENCESYNCPROC) (GLenum condition,GLbitfield flags); typedef void (GLAPIENTRY * PFNGLGETINTEGER64VPROC) (GLenum pname, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETSYNCIVPROC) (GLsync GLsync,GLenum pname,GLsizei bufSize,GLsizei* length, GLint *values); typedef GLboolean (GLAPIENTRY * PFNGLISSYNCPROC) (GLsync GLsync); typedef void (GLAPIENTRY * PFNGLWAITSYNCPROC) (GLsync GLsync,GLbitfield flags,GLuint64 timeout); #define glClientWaitSync GLEW_GET_FUN(__glewClientWaitSync) #define glDeleteSync GLEW_GET_FUN(__glewDeleteSync) #define glFenceSync GLEW_GET_FUN(__glewFenceSync) #define glGetInteger64v GLEW_GET_FUN(__glewGetInteger64v) #define glGetSynciv GLEW_GET_FUN(__glewGetSynciv) #define glIsSync GLEW_GET_FUN(__glewIsSync) #define glWaitSync GLEW_GET_FUN(__glewWaitSync) #define GLEW_ARB_sync GLEW_GET_VAR(__GLEW_ARB_sync) #endif /* GL_ARB_sync */ /* ----------------------- GL_ARB_tessellation_shader ---------------------- */ #ifndef GL_ARB_tessellation_shader #define GL_ARB_tessellation_shader 1 #define GL_PATCHES 0xE #define GL_UNIFORM_BLOCK_REFERENCED_BY_TESS_CONTROL_SHADER 0x84F0 #define GL_UNIFORM_BLOCK_REFERENCED_BY_TESS_EVALUATION_SHADER 0x84F1 #define GL_MAX_TESS_CONTROL_INPUT_COMPONENTS 0x886C #define GL_MAX_TESS_EVALUATION_INPUT_COMPONENTS 0x886D #define GL_MAX_COMBINED_TESS_CONTROL_UNIFORM_COMPONENTS 0x8E1E #define GL_MAX_COMBINED_TESS_EVALUATION_UNIFORM_COMPONENTS 0x8E1F #define GL_PATCH_VERTICES 0x8E72 #define GL_PATCH_DEFAULT_INNER_LEVEL 0x8E73 #define GL_PATCH_DEFAULT_OUTER_LEVEL 0x8E74 #define GL_TESS_CONTROL_OUTPUT_VERTICES 0x8E75 #define GL_TESS_GEN_MODE 0x8E76 #define GL_TESS_GEN_SPACING 0x8E77 #define GL_TESS_GEN_VERTEX_ORDER 0x8E78 #define GL_TESS_GEN_POINT_MODE 0x8E79 #define GL_ISOLINES 0x8E7A #define GL_FRACTIONAL_ODD 0x8E7B #define GL_FRACTIONAL_EVEN 0x8E7C #define GL_MAX_PATCH_VERTICES 0x8E7D #define GL_MAX_TESS_GEN_LEVEL 0x8E7E #define GL_MAX_TESS_CONTROL_UNIFORM_COMPONENTS 0x8E7F #define GL_MAX_TESS_EVALUATION_UNIFORM_COMPONENTS 0x8E80 #define GL_MAX_TESS_CONTROL_TEXTURE_IMAGE_UNITS 0x8E81 #define GL_MAX_TESS_EVALUATION_TEXTURE_IMAGE_UNITS 0x8E82 #define GL_MAX_TESS_CONTROL_OUTPUT_COMPONENTS 0x8E83 #define GL_MAX_TESS_PATCH_COMPONENTS 0x8E84 #define GL_MAX_TESS_CONTROL_TOTAL_OUTPUT_COMPONENTS 0x8E85 #define GL_MAX_TESS_EVALUATION_OUTPUT_COMPONENTS 0x8E86 #define GL_TESS_EVALUATION_SHADER 0x8E87 #define GL_TESS_CONTROL_SHADER 0x8E88 #define GL_MAX_TESS_CONTROL_UNIFORM_BLOCKS 0x8E89 #define GL_MAX_TESS_EVALUATION_UNIFORM_BLOCKS 0x8E8A typedef void (GLAPIENTRY * PFNGLPATCHPARAMETERFVPROC) (GLenum pname, const GLfloat* values); typedef void (GLAPIENTRY * PFNGLPATCHPARAMETERIPROC) (GLenum pname, GLint value); #define glPatchParameterfv GLEW_GET_FUN(__glewPatchParameterfv) #define glPatchParameteri GLEW_GET_FUN(__glewPatchParameteri) #define GLEW_ARB_tessellation_shader GLEW_GET_VAR(__GLEW_ARB_tessellation_shader) #endif /* GL_ARB_tessellation_shader */ /* ------------------------- GL_ARB_texture_barrier ------------------------ */ #ifndef GL_ARB_texture_barrier #define GL_ARB_texture_barrier 1 typedef void (GLAPIENTRY * PFNGLTEXTUREBARRIERPROC) (void); #define glTextureBarrier GLEW_GET_FUN(__glewTextureBarrier) #define GLEW_ARB_texture_barrier GLEW_GET_VAR(__GLEW_ARB_texture_barrier) #endif /* GL_ARB_texture_barrier */ /* ---------------------- GL_ARB_texture_border_clamp ---------------------- */ #ifndef GL_ARB_texture_border_clamp #define GL_ARB_texture_border_clamp 1 #define GL_CLAMP_TO_BORDER_ARB 0x812D #define GLEW_ARB_texture_border_clamp GLEW_GET_VAR(__GLEW_ARB_texture_border_clamp) #endif /* GL_ARB_texture_border_clamp */ /* ---------------------- GL_ARB_texture_buffer_object --------------------- */ #ifndef GL_ARB_texture_buffer_object #define GL_ARB_texture_buffer_object 1 #define GL_TEXTURE_BUFFER_ARB 0x8C2A #define GL_MAX_TEXTURE_BUFFER_SIZE_ARB 0x8C2B #define GL_TEXTURE_BINDING_BUFFER_ARB 0x8C2C #define GL_TEXTURE_BUFFER_DATA_STORE_BINDING_ARB 0x8C2D #define GL_TEXTURE_BUFFER_FORMAT_ARB 0x8C2E typedef void (GLAPIENTRY * PFNGLTEXBUFFERARBPROC) (GLenum target, GLenum internalformat, GLuint buffer); #define glTexBufferARB GLEW_GET_FUN(__glewTexBufferARB) #define GLEW_ARB_texture_buffer_object GLEW_GET_VAR(__GLEW_ARB_texture_buffer_object) #endif /* GL_ARB_texture_buffer_object */ /* ------------------- GL_ARB_texture_buffer_object_rgb32 ------------------ */ #ifndef GL_ARB_texture_buffer_object_rgb32 #define GL_ARB_texture_buffer_object_rgb32 1 #define GLEW_ARB_texture_buffer_object_rgb32 GLEW_GET_VAR(__GLEW_ARB_texture_buffer_object_rgb32) #endif /* GL_ARB_texture_buffer_object_rgb32 */ /* ---------------------- GL_ARB_texture_buffer_range ---------------------- */ #ifndef GL_ARB_texture_buffer_range #define GL_ARB_texture_buffer_range 1 #define GL_TEXTURE_BUFFER_OFFSET 0x919D #define GL_TEXTURE_BUFFER_SIZE 0x919E #define GL_TEXTURE_BUFFER_OFFSET_ALIGNMENT 0x919F typedef void (GLAPIENTRY * PFNGLTEXBUFFERRANGEPROC) (GLenum target, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLTEXTUREBUFFERRANGEEXTPROC) (GLuint texture, GLenum target, GLenum internalformat, GLuint buffer, GLintptr offset, GLsizeiptr size); #define glTexBufferRange GLEW_GET_FUN(__glewTexBufferRange) #define glTextureBufferRangeEXT GLEW_GET_FUN(__glewTextureBufferRangeEXT) #define GLEW_ARB_texture_buffer_range GLEW_GET_VAR(__GLEW_ARB_texture_buffer_range) #endif /* GL_ARB_texture_buffer_range */ /* ----------------------- GL_ARB_texture_compression ---------------------- */ #ifndef GL_ARB_texture_compression #define GL_ARB_texture_compression 1 #define GL_COMPRESSED_ALPHA_ARB 0x84E9 #define GL_COMPRESSED_LUMINANCE_ARB 0x84EA #define GL_COMPRESSED_LUMINANCE_ALPHA_ARB 0x84EB #define GL_COMPRESSED_INTENSITY_ARB 0x84EC #define GL_COMPRESSED_RGB_ARB 0x84ED #define GL_COMPRESSED_RGBA_ARB 0x84EE #define GL_TEXTURE_COMPRESSION_HINT_ARB 0x84EF #define GL_TEXTURE_COMPRESSED_IMAGE_SIZE_ARB 0x86A0 #define GL_TEXTURE_COMPRESSED_ARB 0x86A1 #define GL_NUM_COMPRESSED_TEXTURE_FORMATS_ARB 0x86A2 #define GL_COMPRESSED_TEXTURE_FORMATS_ARB 0x86A3 typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE1DARBPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE2DARBPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE3DARBPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE1DARBPROC) (GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE2DARBPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE3DARBPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLGETCOMPRESSEDTEXIMAGEARBPROC) (GLenum target, GLint lod, void *img); #define glCompressedTexImage1DARB GLEW_GET_FUN(__glewCompressedTexImage1DARB) #define glCompressedTexImage2DARB GLEW_GET_FUN(__glewCompressedTexImage2DARB) #define glCompressedTexImage3DARB GLEW_GET_FUN(__glewCompressedTexImage3DARB) #define glCompressedTexSubImage1DARB GLEW_GET_FUN(__glewCompressedTexSubImage1DARB) #define glCompressedTexSubImage2DARB GLEW_GET_FUN(__glewCompressedTexSubImage2DARB) #define glCompressedTexSubImage3DARB GLEW_GET_FUN(__glewCompressedTexSubImage3DARB) #define glGetCompressedTexImageARB GLEW_GET_FUN(__glewGetCompressedTexImageARB) #define GLEW_ARB_texture_compression GLEW_GET_VAR(__GLEW_ARB_texture_compression) #endif /* GL_ARB_texture_compression */ /* -------------------- GL_ARB_texture_compression_bptc -------------------- */ #ifndef GL_ARB_texture_compression_bptc #define GL_ARB_texture_compression_bptc 1 #define GL_COMPRESSED_RGBA_BPTC_UNORM_ARB 0x8E8C #define GL_COMPRESSED_SRGB_ALPHA_BPTC_UNORM_ARB 0x8E8D #define GL_COMPRESSED_RGB_BPTC_SIGNED_FLOAT_ARB 0x8E8E #define GL_COMPRESSED_RGB_BPTC_UNSIGNED_FLOAT_ARB 0x8E8F #define GLEW_ARB_texture_compression_bptc GLEW_GET_VAR(__GLEW_ARB_texture_compression_bptc) #endif /* GL_ARB_texture_compression_bptc */ /* -------------------- GL_ARB_texture_compression_rgtc -------------------- */ #ifndef GL_ARB_texture_compression_rgtc #define GL_ARB_texture_compression_rgtc 1 #define GL_COMPRESSED_RED_RGTC1 0x8DBB #define GL_COMPRESSED_SIGNED_RED_RGTC1 0x8DBC #define GL_COMPRESSED_RG_RGTC2 0x8DBD #define GL_COMPRESSED_SIGNED_RG_RGTC2 0x8DBE #define GLEW_ARB_texture_compression_rgtc GLEW_GET_VAR(__GLEW_ARB_texture_compression_rgtc) #endif /* GL_ARB_texture_compression_rgtc */ /* ------------------------ GL_ARB_texture_cube_map ------------------------ */ #ifndef GL_ARB_texture_cube_map #define GL_ARB_texture_cube_map 1 #define GL_NORMAL_MAP_ARB 0x8511 #define GL_REFLECTION_MAP_ARB 0x8512 #define GL_TEXTURE_CUBE_MAP_ARB 0x8513 #define GL_TEXTURE_BINDING_CUBE_MAP_ARB 0x8514 #define GL_TEXTURE_CUBE_MAP_POSITIVE_X_ARB 0x8515 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_X_ARB 0x8516 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Y_ARB 0x8517 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Y_ARB 0x8518 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Z_ARB 0x8519 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Z_ARB 0x851A #define GL_PROXY_TEXTURE_CUBE_MAP_ARB 0x851B #define GL_MAX_CUBE_MAP_TEXTURE_SIZE_ARB 0x851C #define GLEW_ARB_texture_cube_map GLEW_GET_VAR(__GLEW_ARB_texture_cube_map) #endif /* GL_ARB_texture_cube_map */ /* --------------------- GL_ARB_texture_cube_map_array --------------------- */ #ifndef GL_ARB_texture_cube_map_array #define GL_ARB_texture_cube_map_array 1 #define GL_TEXTURE_CUBE_MAP_ARRAY_ARB 0x9009 #define GL_TEXTURE_BINDING_CUBE_MAP_ARRAY_ARB 0x900A #define GL_PROXY_TEXTURE_CUBE_MAP_ARRAY_ARB 0x900B #define GL_SAMPLER_CUBE_MAP_ARRAY_ARB 0x900C #define GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW_ARB 0x900D #define GL_INT_SAMPLER_CUBE_MAP_ARRAY_ARB 0x900E #define GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY_ARB 0x900F #define GLEW_ARB_texture_cube_map_array GLEW_GET_VAR(__GLEW_ARB_texture_cube_map_array) #endif /* GL_ARB_texture_cube_map_array */ /* ------------------------- GL_ARB_texture_env_add ------------------------ */ #ifndef GL_ARB_texture_env_add #define GL_ARB_texture_env_add 1 #define GLEW_ARB_texture_env_add GLEW_GET_VAR(__GLEW_ARB_texture_env_add) #endif /* GL_ARB_texture_env_add */ /* ----------------------- GL_ARB_texture_env_combine ---------------------- */ #ifndef GL_ARB_texture_env_combine #define GL_ARB_texture_env_combine 1 #define GL_SUBTRACT_ARB 0x84E7 #define GL_COMBINE_ARB 0x8570 #define GL_COMBINE_RGB_ARB 0x8571 #define GL_COMBINE_ALPHA_ARB 0x8572 #define GL_RGB_SCALE_ARB 0x8573 #define GL_ADD_SIGNED_ARB 0x8574 #define GL_INTERPOLATE_ARB 0x8575 #define GL_CONSTANT_ARB 0x8576 #define GL_PRIMARY_COLOR_ARB 0x8577 #define GL_PREVIOUS_ARB 0x8578 #define GL_SOURCE0_RGB_ARB 0x8580 #define GL_SOURCE1_RGB_ARB 0x8581 #define GL_SOURCE2_RGB_ARB 0x8582 #define GL_SOURCE0_ALPHA_ARB 0x8588 #define GL_SOURCE1_ALPHA_ARB 0x8589 #define GL_SOURCE2_ALPHA_ARB 0x858A #define GL_OPERAND0_RGB_ARB 0x8590 #define GL_OPERAND1_RGB_ARB 0x8591 #define GL_OPERAND2_RGB_ARB 0x8592 #define GL_OPERAND0_ALPHA_ARB 0x8598 #define GL_OPERAND1_ALPHA_ARB 0x8599 #define GL_OPERAND2_ALPHA_ARB 0x859A #define GLEW_ARB_texture_env_combine GLEW_GET_VAR(__GLEW_ARB_texture_env_combine) #endif /* GL_ARB_texture_env_combine */ /* ---------------------- GL_ARB_texture_env_crossbar ---------------------- */ #ifndef GL_ARB_texture_env_crossbar #define GL_ARB_texture_env_crossbar 1 #define GLEW_ARB_texture_env_crossbar GLEW_GET_VAR(__GLEW_ARB_texture_env_crossbar) #endif /* GL_ARB_texture_env_crossbar */ /* ------------------------ GL_ARB_texture_env_dot3 ------------------------ */ #ifndef GL_ARB_texture_env_dot3 #define GL_ARB_texture_env_dot3 1 #define GL_DOT3_RGB_ARB 0x86AE #define GL_DOT3_RGBA_ARB 0x86AF #define GLEW_ARB_texture_env_dot3 GLEW_GET_VAR(__GLEW_ARB_texture_env_dot3) #endif /* GL_ARB_texture_env_dot3 */ /* ------------------- GL_ARB_texture_filter_anisotropic ------------------- */ #ifndef GL_ARB_texture_filter_anisotropic #define GL_ARB_texture_filter_anisotropic 1 #define GL_TEXTURE_MAX_ANISOTROPY 0x84FE #define GL_MAX_TEXTURE_MAX_ANISOTROPY 0x84FF #define GLEW_ARB_texture_filter_anisotropic GLEW_GET_VAR(__GLEW_ARB_texture_filter_anisotropic) #endif /* GL_ARB_texture_filter_anisotropic */ /* ---------------------- GL_ARB_texture_filter_minmax --------------------- */ #ifndef GL_ARB_texture_filter_minmax #define GL_ARB_texture_filter_minmax 1 #define GL_TEXTURE_REDUCTION_MODE_ARB 0x9366 #define GL_WEIGHTED_AVERAGE_ARB 0x9367 #define GLEW_ARB_texture_filter_minmax GLEW_GET_VAR(__GLEW_ARB_texture_filter_minmax) #endif /* GL_ARB_texture_filter_minmax */ /* -------------------------- GL_ARB_texture_float ------------------------- */ #ifndef GL_ARB_texture_float #define GL_ARB_texture_float 1 #define GL_RGBA32F_ARB 0x8814 #define GL_RGB32F_ARB 0x8815 #define GL_ALPHA32F_ARB 0x8816 #define GL_INTENSITY32F_ARB 0x8817 #define GL_LUMINANCE32F_ARB 0x8818 #define GL_LUMINANCE_ALPHA32F_ARB 0x8819 #define GL_RGBA16F_ARB 0x881A #define GL_RGB16F_ARB 0x881B #define GL_ALPHA16F_ARB 0x881C #define GL_INTENSITY16F_ARB 0x881D #define GL_LUMINANCE16F_ARB 0x881E #define GL_LUMINANCE_ALPHA16F_ARB 0x881F #define GL_TEXTURE_RED_TYPE_ARB 0x8C10 #define GL_TEXTURE_GREEN_TYPE_ARB 0x8C11 #define GL_TEXTURE_BLUE_TYPE_ARB 0x8C12 #define GL_TEXTURE_ALPHA_TYPE_ARB 0x8C13 #define GL_TEXTURE_LUMINANCE_TYPE_ARB 0x8C14 #define GL_TEXTURE_INTENSITY_TYPE_ARB 0x8C15 #define GL_TEXTURE_DEPTH_TYPE_ARB 0x8C16 #define GL_UNSIGNED_NORMALIZED_ARB 0x8C17 #define GLEW_ARB_texture_float GLEW_GET_VAR(__GLEW_ARB_texture_float) #endif /* GL_ARB_texture_float */ /* ------------------------- GL_ARB_texture_gather ------------------------- */ #ifndef GL_ARB_texture_gather #define GL_ARB_texture_gather 1 #define GL_MIN_PROGRAM_TEXTURE_GATHER_OFFSET_ARB 0x8E5E #define GL_MAX_PROGRAM_TEXTURE_GATHER_OFFSET_ARB 0x8E5F #define GL_MAX_PROGRAM_TEXTURE_GATHER_COMPONENTS_ARB 0x8F9F #define GLEW_ARB_texture_gather GLEW_GET_VAR(__GLEW_ARB_texture_gather) #endif /* GL_ARB_texture_gather */ /* ------------------ GL_ARB_texture_mirror_clamp_to_edge ------------------ */ #ifndef GL_ARB_texture_mirror_clamp_to_edge #define GL_ARB_texture_mirror_clamp_to_edge 1 #define GL_MIRROR_CLAMP_TO_EDGE 0x8743 #define GLEW_ARB_texture_mirror_clamp_to_edge GLEW_GET_VAR(__GLEW_ARB_texture_mirror_clamp_to_edge) #endif /* GL_ARB_texture_mirror_clamp_to_edge */ /* --------------------- GL_ARB_texture_mirrored_repeat -------------------- */ #ifndef GL_ARB_texture_mirrored_repeat #define GL_ARB_texture_mirrored_repeat 1 #define GL_MIRRORED_REPEAT_ARB 0x8370 #define GLEW_ARB_texture_mirrored_repeat GLEW_GET_VAR(__GLEW_ARB_texture_mirrored_repeat) #endif /* GL_ARB_texture_mirrored_repeat */ /* ----------------------- GL_ARB_texture_multisample ---------------------- */ #ifndef GL_ARB_texture_multisample #define GL_ARB_texture_multisample 1 #define GL_SAMPLE_POSITION 0x8E50 #define GL_SAMPLE_MASK 0x8E51 #define GL_SAMPLE_MASK_VALUE 0x8E52 #define GL_MAX_SAMPLE_MASK_WORDS 0x8E59 #define GL_TEXTURE_2D_MULTISAMPLE 0x9100 #define GL_PROXY_TEXTURE_2D_MULTISAMPLE 0x9101 #define GL_TEXTURE_2D_MULTISAMPLE_ARRAY 0x9102 #define GL_PROXY_TEXTURE_2D_MULTISAMPLE_ARRAY 0x9103 #define GL_TEXTURE_BINDING_2D_MULTISAMPLE 0x9104 #define GL_TEXTURE_BINDING_2D_MULTISAMPLE_ARRAY 0x9105 #define GL_TEXTURE_SAMPLES 0x9106 #define GL_TEXTURE_FIXED_SAMPLE_LOCATIONS 0x9107 #define GL_SAMPLER_2D_MULTISAMPLE 0x9108 #define GL_INT_SAMPLER_2D_MULTISAMPLE 0x9109 #define GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE 0x910A #define GL_SAMPLER_2D_MULTISAMPLE_ARRAY 0x910B #define GL_INT_SAMPLER_2D_MULTISAMPLE_ARRAY 0x910C #define GL_UNSIGNED_INT_SAMPLER_2D_MULTISAMPLE_ARRAY 0x910D #define GL_MAX_COLOR_TEXTURE_SAMPLES 0x910E #define GL_MAX_DEPTH_TEXTURE_SAMPLES 0x910F #define GL_MAX_INTEGER_SAMPLES 0x9110 typedef void (GLAPIENTRY * PFNGLGETMULTISAMPLEFVPROC) (GLenum pname, GLuint index, GLfloat* val); typedef void (GLAPIENTRY * PFNGLSAMPLEMASKIPROC) (GLuint index, GLbitfield mask); typedef void (GLAPIENTRY * PFNGLTEXIMAGE2DMULTISAMPLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations); typedef void (GLAPIENTRY * PFNGLTEXIMAGE3DMULTISAMPLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations); #define glGetMultisamplefv GLEW_GET_FUN(__glewGetMultisamplefv) #define glSampleMaski GLEW_GET_FUN(__glewSampleMaski) #define glTexImage2DMultisample GLEW_GET_FUN(__glewTexImage2DMultisample) #define glTexImage3DMultisample GLEW_GET_FUN(__glewTexImage3DMultisample) #define GLEW_ARB_texture_multisample GLEW_GET_VAR(__GLEW_ARB_texture_multisample) #endif /* GL_ARB_texture_multisample */ /* -------------------- GL_ARB_texture_non_power_of_two -------------------- */ #ifndef GL_ARB_texture_non_power_of_two #define GL_ARB_texture_non_power_of_two 1 #define GLEW_ARB_texture_non_power_of_two GLEW_GET_VAR(__GLEW_ARB_texture_non_power_of_two) #endif /* GL_ARB_texture_non_power_of_two */ /* ---------------------- GL_ARB_texture_query_levels ---------------------- */ #ifndef GL_ARB_texture_query_levels #define GL_ARB_texture_query_levels 1 #define GLEW_ARB_texture_query_levels GLEW_GET_VAR(__GLEW_ARB_texture_query_levels) #endif /* GL_ARB_texture_query_levels */ /* ------------------------ GL_ARB_texture_query_lod ----------------------- */ #ifndef GL_ARB_texture_query_lod #define GL_ARB_texture_query_lod 1 #define GLEW_ARB_texture_query_lod GLEW_GET_VAR(__GLEW_ARB_texture_query_lod) #endif /* GL_ARB_texture_query_lod */ /* ------------------------ GL_ARB_texture_rectangle ----------------------- */ #ifndef GL_ARB_texture_rectangle #define GL_ARB_texture_rectangle 1 #define GL_TEXTURE_RECTANGLE_ARB 0x84F5 #define GL_TEXTURE_BINDING_RECTANGLE_ARB 0x84F6 #define GL_PROXY_TEXTURE_RECTANGLE_ARB 0x84F7 #define GL_MAX_RECTANGLE_TEXTURE_SIZE_ARB 0x84F8 #define GL_SAMPLER_2D_RECT_ARB 0x8B63 #define GL_SAMPLER_2D_RECT_SHADOW_ARB 0x8B64 #define GLEW_ARB_texture_rectangle GLEW_GET_VAR(__GLEW_ARB_texture_rectangle) #endif /* GL_ARB_texture_rectangle */ /* --------------------------- GL_ARB_texture_rg --------------------------- */ #ifndef GL_ARB_texture_rg #define GL_ARB_texture_rg 1 #define GL_COMPRESSED_RED 0x8225 #define GL_COMPRESSED_RG 0x8226 #define GL_RG 0x8227 #define GL_RG_INTEGER 0x8228 #define GL_R8 0x8229 #define GL_R16 0x822A #define GL_RG8 0x822B #define GL_RG16 0x822C #define GL_R16F 0x822D #define GL_R32F 0x822E #define GL_RG16F 0x822F #define GL_RG32F 0x8230 #define GL_R8I 0x8231 #define GL_R8UI 0x8232 #define GL_R16I 0x8233 #define GL_R16UI 0x8234 #define GL_R32I 0x8235 #define GL_R32UI 0x8236 #define GL_RG8I 0x8237 #define GL_RG8UI 0x8238 #define GL_RG16I 0x8239 #define GL_RG16UI 0x823A #define GL_RG32I 0x823B #define GL_RG32UI 0x823C #define GLEW_ARB_texture_rg GLEW_GET_VAR(__GLEW_ARB_texture_rg) #endif /* GL_ARB_texture_rg */ /* ----------------------- GL_ARB_texture_rgb10_a2ui ----------------------- */ #ifndef GL_ARB_texture_rgb10_a2ui #define GL_ARB_texture_rgb10_a2ui 1 #define GL_RGB10_A2UI 0x906F #define GLEW_ARB_texture_rgb10_a2ui GLEW_GET_VAR(__GLEW_ARB_texture_rgb10_a2ui) #endif /* GL_ARB_texture_rgb10_a2ui */ /* ------------------------ GL_ARB_texture_stencil8 ------------------------ */ #ifndef GL_ARB_texture_stencil8 #define GL_ARB_texture_stencil8 1 #define GL_STENCIL_INDEX 0x1901 #define GL_STENCIL_INDEX8 0x8D48 #define GLEW_ARB_texture_stencil8 GLEW_GET_VAR(__GLEW_ARB_texture_stencil8) #endif /* GL_ARB_texture_stencil8 */ /* ------------------------- GL_ARB_texture_storage ------------------------ */ #ifndef GL_ARB_texture_storage #define GL_ARB_texture_storage 1 #define GL_TEXTURE_IMMUTABLE_FORMAT 0x912F typedef void (GLAPIENTRY * PFNGLTEXSTORAGE1DPROC) (GLenum target, GLsizei levels, GLenum internalformat, GLsizei width); typedef void (GLAPIENTRY * PFNGLTEXSTORAGE2DPROC) (GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLTEXSTORAGE3DPROC) (GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth); #define glTexStorage1D GLEW_GET_FUN(__glewTexStorage1D) #define glTexStorage2D GLEW_GET_FUN(__glewTexStorage2D) #define glTexStorage3D GLEW_GET_FUN(__glewTexStorage3D) #define GLEW_ARB_texture_storage GLEW_GET_VAR(__GLEW_ARB_texture_storage) #endif /* GL_ARB_texture_storage */ /* ------------------- GL_ARB_texture_storage_multisample ------------------ */ #ifndef GL_ARB_texture_storage_multisample #define GL_ARB_texture_storage_multisample 1 typedef void (GLAPIENTRY * PFNGLTEXSTORAGE2DMULTISAMPLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations); typedef void (GLAPIENTRY * PFNGLTEXSTORAGE3DMULTISAMPLEPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE2DMULTISAMPLEEXTPROC) (GLuint texture, GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLboolean fixedsamplelocations); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE3DMULTISAMPLEEXTPROC) (GLuint texture, GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedsamplelocations); #define glTexStorage2DMultisample GLEW_GET_FUN(__glewTexStorage2DMultisample) #define glTexStorage3DMultisample GLEW_GET_FUN(__glewTexStorage3DMultisample) #define glTextureStorage2DMultisampleEXT GLEW_GET_FUN(__glewTextureStorage2DMultisampleEXT) #define glTextureStorage3DMultisampleEXT GLEW_GET_FUN(__glewTextureStorage3DMultisampleEXT) #define GLEW_ARB_texture_storage_multisample GLEW_GET_VAR(__GLEW_ARB_texture_storage_multisample) #endif /* GL_ARB_texture_storage_multisample */ /* ------------------------- GL_ARB_texture_swizzle ------------------------ */ #ifndef GL_ARB_texture_swizzle #define GL_ARB_texture_swizzle 1 #define GL_TEXTURE_SWIZZLE_R 0x8E42 #define GL_TEXTURE_SWIZZLE_G 0x8E43 #define GL_TEXTURE_SWIZZLE_B 0x8E44 #define GL_TEXTURE_SWIZZLE_A 0x8E45 #define GL_TEXTURE_SWIZZLE_RGBA 0x8E46 #define GLEW_ARB_texture_swizzle GLEW_GET_VAR(__GLEW_ARB_texture_swizzle) #endif /* GL_ARB_texture_swizzle */ /* -------------------------- GL_ARB_texture_view -------------------------- */ #ifndef GL_ARB_texture_view #define GL_ARB_texture_view 1 #define GL_TEXTURE_VIEW_MIN_LEVEL 0x82DB #define GL_TEXTURE_VIEW_NUM_LEVELS 0x82DC #define GL_TEXTURE_VIEW_MIN_LAYER 0x82DD #define GL_TEXTURE_VIEW_NUM_LAYERS 0x82DE #define GL_TEXTURE_IMMUTABLE_LEVELS 0x82DF typedef void (GLAPIENTRY * PFNGLTEXTUREVIEWPROC) (GLuint texture, GLenum target, GLuint origtexture, GLenum internalformat, GLuint minlevel, GLuint numlevels, GLuint minlayer, GLuint numlayers); #define glTextureView GLEW_GET_FUN(__glewTextureView) #define GLEW_ARB_texture_view GLEW_GET_VAR(__GLEW_ARB_texture_view) #endif /* GL_ARB_texture_view */ /* --------------------------- GL_ARB_timer_query -------------------------- */ #ifndef GL_ARB_timer_query #define GL_ARB_timer_query 1 #define GL_TIME_ELAPSED 0x88BF #define GL_TIMESTAMP 0x8E28 typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTI64VPROC) (GLuint id, GLenum pname, GLint64* params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTUI64VPROC) (GLuint id, GLenum pname, GLuint64* params); typedef void (GLAPIENTRY * PFNGLQUERYCOUNTERPROC) (GLuint id, GLenum target); #define glGetQueryObjecti64v GLEW_GET_FUN(__glewGetQueryObjecti64v) #define glGetQueryObjectui64v GLEW_GET_FUN(__glewGetQueryObjectui64v) #define glQueryCounter GLEW_GET_FUN(__glewQueryCounter) #define GLEW_ARB_timer_query GLEW_GET_VAR(__GLEW_ARB_timer_query) #endif /* GL_ARB_timer_query */ /* ----------------------- GL_ARB_transform_feedback2 ---------------------- */ #ifndef GL_ARB_transform_feedback2 #define GL_ARB_transform_feedback2 1 #define GL_TRANSFORM_FEEDBACK 0x8E22 #define GL_TRANSFORM_FEEDBACK_BUFFER_PAUSED 0x8E23 #define GL_TRANSFORM_FEEDBACK_BUFFER_ACTIVE 0x8E24 #define GL_TRANSFORM_FEEDBACK_BINDING 0x8E25 typedef void (GLAPIENTRY * PFNGLBINDTRANSFORMFEEDBACKPROC) (GLenum target, GLuint id); typedef void (GLAPIENTRY * PFNGLDELETETRANSFORMFEEDBACKSPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLDRAWTRANSFORMFEEDBACKPROC) (GLenum mode, GLuint id); typedef void (GLAPIENTRY * PFNGLGENTRANSFORMFEEDBACKSPROC) (GLsizei n, GLuint* ids); typedef GLboolean (GLAPIENTRY * PFNGLISTRANSFORMFEEDBACKPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLPAUSETRANSFORMFEEDBACKPROC) (void); typedef void (GLAPIENTRY * PFNGLRESUMETRANSFORMFEEDBACKPROC) (void); #define glBindTransformFeedback GLEW_GET_FUN(__glewBindTransformFeedback) #define glDeleteTransformFeedbacks GLEW_GET_FUN(__glewDeleteTransformFeedbacks) #define glDrawTransformFeedback GLEW_GET_FUN(__glewDrawTransformFeedback) #define glGenTransformFeedbacks GLEW_GET_FUN(__glewGenTransformFeedbacks) #define glIsTransformFeedback GLEW_GET_FUN(__glewIsTransformFeedback) #define glPauseTransformFeedback GLEW_GET_FUN(__glewPauseTransformFeedback) #define glResumeTransformFeedback GLEW_GET_FUN(__glewResumeTransformFeedback) #define GLEW_ARB_transform_feedback2 GLEW_GET_VAR(__GLEW_ARB_transform_feedback2) #endif /* GL_ARB_transform_feedback2 */ /* ----------------------- GL_ARB_transform_feedback3 ---------------------- */ #ifndef GL_ARB_transform_feedback3 #define GL_ARB_transform_feedback3 1 #define GL_MAX_TRANSFORM_FEEDBACK_BUFFERS 0x8E70 #define GL_MAX_VERTEX_STREAMS 0x8E71 typedef void (GLAPIENTRY * PFNGLBEGINQUERYINDEXEDPROC) (GLenum target, GLuint index, GLuint id); typedef void (GLAPIENTRY * PFNGLDRAWTRANSFORMFEEDBACKSTREAMPROC) (GLenum mode, GLuint id, GLuint stream); typedef void (GLAPIENTRY * PFNGLENDQUERYINDEXEDPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLGETQUERYINDEXEDIVPROC) (GLenum target, GLuint index, GLenum pname, GLint* params); #define glBeginQueryIndexed GLEW_GET_FUN(__glewBeginQueryIndexed) #define glDrawTransformFeedbackStream GLEW_GET_FUN(__glewDrawTransformFeedbackStream) #define glEndQueryIndexed GLEW_GET_FUN(__glewEndQueryIndexed) #define glGetQueryIndexediv GLEW_GET_FUN(__glewGetQueryIndexediv) #define GLEW_ARB_transform_feedback3 GLEW_GET_VAR(__GLEW_ARB_transform_feedback3) #endif /* GL_ARB_transform_feedback3 */ /* ------------------ GL_ARB_transform_feedback_instanced ------------------ */ #ifndef GL_ARB_transform_feedback_instanced #define GL_ARB_transform_feedback_instanced 1 typedef void (GLAPIENTRY * PFNGLDRAWTRANSFORMFEEDBACKINSTANCEDPROC) (GLenum mode, GLuint id, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLDRAWTRANSFORMFEEDBACKSTREAMINSTANCEDPROC) (GLenum mode, GLuint id, GLuint stream, GLsizei primcount); #define glDrawTransformFeedbackInstanced GLEW_GET_FUN(__glewDrawTransformFeedbackInstanced) #define glDrawTransformFeedbackStreamInstanced GLEW_GET_FUN(__glewDrawTransformFeedbackStreamInstanced) #define GLEW_ARB_transform_feedback_instanced GLEW_GET_VAR(__GLEW_ARB_transform_feedback_instanced) #endif /* GL_ARB_transform_feedback_instanced */ /* ---------------- GL_ARB_transform_feedback_overflow_query --------------- */ #ifndef GL_ARB_transform_feedback_overflow_query #define GL_ARB_transform_feedback_overflow_query 1 #define GL_TRANSFORM_FEEDBACK_OVERFLOW_ARB 0x82EC #define GL_TRANSFORM_FEEDBACK_STREAM_OVERFLOW_ARB 0x82ED #define GLEW_ARB_transform_feedback_overflow_query GLEW_GET_VAR(__GLEW_ARB_transform_feedback_overflow_query) #endif /* GL_ARB_transform_feedback_overflow_query */ /* ------------------------ GL_ARB_transpose_matrix ------------------------ */ #ifndef GL_ARB_transpose_matrix #define GL_ARB_transpose_matrix 1 #define GL_TRANSPOSE_MODELVIEW_MATRIX_ARB 0x84E3 #define GL_TRANSPOSE_PROJECTION_MATRIX_ARB 0x84E4 #define GL_TRANSPOSE_TEXTURE_MATRIX_ARB 0x84E5 #define GL_TRANSPOSE_COLOR_MATRIX_ARB 0x84E6 typedef void (GLAPIENTRY * PFNGLLOADTRANSPOSEMATRIXDARBPROC) (GLdouble m[16]); typedef void (GLAPIENTRY * PFNGLLOADTRANSPOSEMATRIXFARBPROC) (GLfloat m[16]); typedef void (GLAPIENTRY * PFNGLMULTTRANSPOSEMATRIXDARBPROC) (GLdouble m[16]); typedef void (GLAPIENTRY * PFNGLMULTTRANSPOSEMATRIXFARBPROC) (GLfloat m[16]); #define glLoadTransposeMatrixdARB GLEW_GET_FUN(__glewLoadTransposeMatrixdARB) #define glLoadTransposeMatrixfARB GLEW_GET_FUN(__glewLoadTransposeMatrixfARB) #define glMultTransposeMatrixdARB GLEW_GET_FUN(__glewMultTransposeMatrixdARB) #define glMultTransposeMatrixfARB GLEW_GET_FUN(__glewMultTransposeMatrixfARB) #define GLEW_ARB_transpose_matrix GLEW_GET_VAR(__GLEW_ARB_transpose_matrix) #endif /* GL_ARB_transpose_matrix */ /* ---------------------- GL_ARB_uniform_buffer_object --------------------- */ #ifndef GL_ARB_uniform_buffer_object #define GL_ARB_uniform_buffer_object 1 #define GL_UNIFORM_BUFFER 0x8A11 #define GL_UNIFORM_BUFFER_BINDING 0x8A28 #define GL_UNIFORM_BUFFER_START 0x8A29 #define GL_UNIFORM_BUFFER_SIZE 0x8A2A #define GL_MAX_VERTEX_UNIFORM_BLOCKS 0x8A2B #define GL_MAX_GEOMETRY_UNIFORM_BLOCKS 0x8A2C #define GL_MAX_FRAGMENT_UNIFORM_BLOCKS 0x8A2D #define GL_MAX_COMBINED_UNIFORM_BLOCKS 0x8A2E #define GL_MAX_UNIFORM_BUFFER_BINDINGS 0x8A2F #define GL_MAX_UNIFORM_BLOCK_SIZE 0x8A30 #define GL_MAX_COMBINED_VERTEX_UNIFORM_COMPONENTS 0x8A31 #define GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS 0x8A32 #define GL_MAX_COMBINED_FRAGMENT_UNIFORM_COMPONENTS 0x8A33 #define GL_UNIFORM_BUFFER_OFFSET_ALIGNMENT 0x8A34 #define GL_ACTIVE_UNIFORM_BLOCK_MAX_NAME_LENGTH 0x8A35 #define GL_ACTIVE_UNIFORM_BLOCKS 0x8A36 #define GL_UNIFORM_TYPE 0x8A37 #define GL_UNIFORM_SIZE 0x8A38 #define GL_UNIFORM_NAME_LENGTH 0x8A39 #define GL_UNIFORM_BLOCK_INDEX 0x8A3A #define GL_UNIFORM_OFFSET 0x8A3B #define GL_UNIFORM_ARRAY_STRIDE 0x8A3C #define GL_UNIFORM_MATRIX_STRIDE 0x8A3D #define GL_UNIFORM_IS_ROW_MAJOR 0x8A3E #define GL_UNIFORM_BLOCK_BINDING 0x8A3F #define GL_UNIFORM_BLOCK_DATA_SIZE 0x8A40 #define GL_UNIFORM_BLOCK_NAME_LENGTH 0x8A41 #define GL_UNIFORM_BLOCK_ACTIVE_UNIFORMS 0x8A42 #define GL_UNIFORM_BLOCK_ACTIVE_UNIFORM_INDICES 0x8A43 #define GL_UNIFORM_BLOCK_REFERENCED_BY_VERTEX_SHADER 0x8A44 #define GL_UNIFORM_BLOCK_REFERENCED_BY_GEOMETRY_SHADER 0x8A45 #define GL_UNIFORM_BLOCK_REFERENCED_BY_FRAGMENT_SHADER 0x8A46 #define GL_INVALID_INDEX 0xFFFFFFFFu typedef void (GLAPIENTRY * PFNGLBINDBUFFERBASEPROC) (GLenum target, GLuint index, GLuint buffer); typedef void (GLAPIENTRY * PFNGLBINDBUFFERRANGEPROC) (GLenum target, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLGETACTIVEUNIFORMBLOCKNAMEPROC) (GLuint program, GLuint uniformBlockIndex, GLsizei bufSize, GLsizei* length, GLchar* uniformBlockName); typedef void (GLAPIENTRY * PFNGLGETACTIVEUNIFORMBLOCKIVPROC) (GLuint program, GLuint uniformBlockIndex, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETACTIVEUNIFORMNAMEPROC) (GLuint program, GLuint uniformIndex, GLsizei bufSize, GLsizei* length, GLchar* uniformName); typedef void (GLAPIENTRY * PFNGLGETACTIVEUNIFORMSIVPROC) (GLuint program, GLsizei uniformCount, const GLuint* uniformIndices, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETINTEGERI_VPROC) (GLenum target, GLuint index, GLint* data); typedef GLuint (GLAPIENTRY * PFNGLGETUNIFORMBLOCKINDEXPROC) (GLuint program, const GLchar* uniformBlockName); typedef void (GLAPIENTRY * PFNGLGETUNIFORMINDICESPROC) (GLuint program, GLsizei uniformCount, const GLchar* const * uniformNames, GLuint* uniformIndices); typedef void (GLAPIENTRY * PFNGLUNIFORMBLOCKBINDINGPROC) (GLuint program, GLuint uniformBlockIndex, GLuint uniformBlockBinding); #define glBindBufferBase GLEW_GET_FUN(__glewBindBufferBase) #define glBindBufferRange GLEW_GET_FUN(__glewBindBufferRange) #define glGetActiveUniformBlockName GLEW_GET_FUN(__glewGetActiveUniformBlockName) #define glGetActiveUniformBlockiv GLEW_GET_FUN(__glewGetActiveUniformBlockiv) #define glGetActiveUniformName GLEW_GET_FUN(__glewGetActiveUniformName) #define glGetActiveUniformsiv GLEW_GET_FUN(__glewGetActiveUniformsiv) #define glGetIntegeri_v GLEW_GET_FUN(__glewGetIntegeri_v) #define glGetUniformBlockIndex GLEW_GET_FUN(__glewGetUniformBlockIndex) #define glGetUniformIndices GLEW_GET_FUN(__glewGetUniformIndices) #define glUniformBlockBinding GLEW_GET_FUN(__glewUniformBlockBinding) #define GLEW_ARB_uniform_buffer_object GLEW_GET_VAR(__GLEW_ARB_uniform_buffer_object) #endif /* GL_ARB_uniform_buffer_object */ /* ------------------------ GL_ARB_vertex_array_bgra ----------------------- */ #ifndef GL_ARB_vertex_array_bgra #define GL_ARB_vertex_array_bgra 1 #define GL_BGRA 0x80E1 #define GLEW_ARB_vertex_array_bgra GLEW_GET_VAR(__GLEW_ARB_vertex_array_bgra) #endif /* GL_ARB_vertex_array_bgra */ /* ----------------------- GL_ARB_vertex_array_object ---------------------- */ #ifndef GL_ARB_vertex_array_object #define GL_ARB_vertex_array_object 1 #define GL_VERTEX_ARRAY_BINDING 0x85B5 typedef void (GLAPIENTRY * PFNGLBINDVERTEXARRAYPROC) (GLuint array); typedef void (GLAPIENTRY * PFNGLDELETEVERTEXARRAYSPROC) (GLsizei n, const GLuint* arrays); typedef void (GLAPIENTRY * PFNGLGENVERTEXARRAYSPROC) (GLsizei n, GLuint* arrays); typedef GLboolean (GLAPIENTRY * PFNGLISVERTEXARRAYPROC) (GLuint array); #define glBindVertexArray GLEW_GET_FUN(__glewBindVertexArray) #define glDeleteVertexArrays GLEW_GET_FUN(__glewDeleteVertexArrays) #define glGenVertexArrays GLEW_GET_FUN(__glewGenVertexArrays) #define glIsVertexArray GLEW_GET_FUN(__glewIsVertexArray) #define GLEW_ARB_vertex_array_object GLEW_GET_VAR(__GLEW_ARB_vertex_array_object) #endif /* GL_ARB_vertex_array_object */ /* ----------------------- GL_ARB_vertex_attrib_64bit ---------------------- */ #ifndef GL_ARB_vertex_attrib_64bit #define GL_ARB_vertex_attrib_64bit 1 typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBLDVPROC) (GLuint index, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1DPROC) (GLuint index, GLdouble x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2DPROC) (GLuint index, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3DPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4DPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4DVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBLPOINTERPROC) (GLuint index, GLint size, GLenum type, GLsizei stride, const void* pointer); #define glGetVertexAttribLdv GLEW_GET_FUN(__glewGetVertexAttribLdv) #define glVertexAttribL1d GLEW_GET_FUN(__glewVertexAttribL1d) #define glVertexAttribL1dv GLEW_GET_FUN(__glewVertexAttribL1dv) #define glVertexAttribL2d GLEW_GET_FUN(__glewVertexAttribL2d) #define glVertexAttribL2dv GLEW_GET_FUN(__glewVertexAttribL2dv) #define glVertexAttribL3d GLEW_GET_FUN(__glewVertexAttribL3d) #define glVertexAttribL3dv GLEW_GET_FUN(__glewVertexAttribL3dv) #define glVertexAttribL4d GLEW_GET_FUN(__glewVertexAttribL4d) #define glVertexAttribL4dv GLEW_GET_FUN(__glewVertexAttribL4dv) #define glVertexAttribLPointer GLEW_GET_FUN(__glewVertexAttribLPointer) #define GLEW_ARB_vertex_attrib_64bit GLEW_GET_VAR(__GLEW_ARB_vertex_attrib_64bit) #endif /* GL_ARB_vertex_attrib_64bit */ /* ---------------------- GL_ARB_vertex_attrib_binding --------------------- */ #ifndef GL_ARB_vertex_attrib_binding #define GL_ARB_vertex_attrib_binding 1 #define GL_VERTEX_ATTRIB_BINDING 0x82D4 #define GL_VERTEX_ATTRIB_RELATIVE_OFFSET 0x82D5 #define GL_VERTEX_BINDING_DIVISOR 0x82D6 #define GL_VERTEX_BINDING_OFFSET 0x82D7 #define GL_VERTEX_BINDING_STRIDE 0x82D8 #define GL_MAX_VERTEX_ATTRIB_RELATIVE_OFFSET 0x82D9 #define GL_MAX_VERTEX_ATTRIB_BINDINGS 0x82DA #define GL_VERTEX_BINDING_BUFFER 0x8F4F typedef void (GLAPIENTRY * PFNGLBINDVERTEXBUFFERPROC) (GLuint bindingindex, GLuint buffer, GLintptr offset, GLsizei stride); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYBINDVERTEXBUFFEREXTPROC) (GLuint vaobj, GLuint bindingindex, GLuint buffer, GLintptr offset, GLsizei stride); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBBINDINGEXTPROC) (GLuint vaobj, GLuint attribindex, GLuint bindingindex); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBFORMATEXTPROC) (GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLboolean normalized, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBIFORMATEXTPROC) (GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBLFORMATEXTPROC) (GLuint vaobj, GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXBINDINGDIVISOREXTPROC) (GLuint vaobj, GLuint bindingindex, GLuint divisor); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBBINDINGPROC) (GLuint attribindex, GLuint bindingindex); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBFORMATPROC) (GLuint attribindex, GLint size, GLenum type, GLboolean normalized, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBIFORMATPROC) (GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBLFORMATPROC) (GLuint attribindex, GLint size, GLenum type, GLuint relativeoffset); typedef void (GLAPIENTRY * PFNGLVERTEXBINDINGDIVISORPROC) (GLuint bindingindex, GLuint divisor); #define glBindVertexBuffer GLEW_GET_FUN(__glewBindVertexBuffer) #define glVertexArrayBindVertexBufferEXT GLEW_GET_FUN(__glewVertexArrayBindVertexBufferEXT) #define glVertexArrayVertexAttribBindingEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribBindingEXT) #define glVertexArrayVertexAttribFormatEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribFormatEXT) #define glVertexArrayVertexAttribIFormatEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribIFormatEXT) #define glVertexArrayVertexAttribLFormatEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribLFormatEXT) #define glVertexArrayVertexBindingDivisorEXT GLEW_GET_FUN(__glewVertexArrayVertexBindingDivisorEXT) #define glVertexAttribBinding GLEW_GET_FUN(__glewVertexAttribBinding) #define glVertexAttribFormat GLEW_GET_FUN(__glewVertexAttribFormat) #define glVertexAttribIFormat GLEW_GET_FUN(__glewVertexAttribIFormat) #define glVertexAttribLFormat GLEW_GET_FUN(__glewVertexAttribLFormat) #define glVertexBindingDivisor GLEW_GET_FUN(__glewVertexBindingDivisor) #define GLEW_ARB_vertex_attrib_binding GLEW_GET_VAR(__GLEW_ARB_vertex_attrib_binding) #endif /* GL_ARB_vertex_attrib_binding */ /* -------------------------- GL_ARB_vertex_blend -------------------------- */ #ifndef GL_ARB_vertex_blend #define GL_ARB_vertex_blend 1 #define GL_MODELVIEW0_ARB 0x1700 #define GL_MODELVIEW1_ARB 0x850A #define GL_MAX_VERTEX_UNITS_ARB 0x86A4 #define GL_ACTIVE_VERTEX_UNITS_ARB 0x86A5 #define GL_WEIGHT_SUM_UNITY_ARB 0x86A6 #define GL_VERTEX_BLEND_ARB 0x86A7 #define GL_CURRENT_WEIGHT_ARB 0x86A8 #define GL_WEIGHT_ARRAY_TYPE_ARB 0x86A9 #define GL_WEIGHT_ARRAY_STRIDE_ARB 0x86AA #define GL_WEIGHT_ARRAY_SIZE_ARB 0x86AB #define GL_WEIGHT_ARRAY_POINTER_ARB 0x86AC #define GL_WEIGHT_ARRAY_ARB 0x86AD #define GL_MODELVIEW2_ARB 0x8722 #define GL_MODELVIEW3_ARB 0x8723 #define GL_MODELVIEW4_ARB 0x8724 #define GL_MODELVIEW5_ARB 0x8725 #define GL_MODELVIEW6_ARB 0x8726 #define GL_MODELVIEW7_ARB 0x8727 #define GL_MODELVIEW8_ARB 0x8728 #define GL_MODELVIEW9_ARB 0x8729 #define GL_MODELVIEW10_ARB 0x872A #define GL_MODELVIEW11_ARB 0x872B #define GL_MODELVIEW12_ARB 0x872C #define GL_MODELVIEW13_ARB 0x872D #define GL_MODELVIEW14_ARB 0x872E #define GL_MODELVIEW15_ARB 0x872F #define GL_MODELVIEW16_ARB 0x8730 #define GL_MODELVIEW17_ARB 0x8731 #define GL_MODELVIEW18_ARB 0x8732 #define GL_MODELVIEW19_ARB 0x8733 #define GL_MODELVIEW20_ARB 0x8734 #define GL_MODELVIEW21_ARB 0x8735 #define GL_MODELVIEW22_ARB 0x8736 #define GL_MODELVIEW23_ARB 0x8737 #define GL_MODELVIEW24_ARB 0x8738 #define GL_MODELVIEW25_ARB 0x8739 #define GL_MODELVIEW26_ARB 0x873A #define GL_MODELVIEW27_ARB 0x873B #define GL_MODELVIEW28_ARB 0x873C #define GL_MODELVIEW29_ARB 0x873D #define GL_MODELVIEW30_ARB 0x873E #define GL_MODELVIEW31_ARB 0x873F typedef void (GLAPIENTRY * PFNGLVERTEXBLENDARBPROC) (GLint count); typedef void (GLAPIENTRY * PFNGLWEIGHTPOINTERARBPROC) (GLint size, GLenum type, GLsizei stride, void *pointer); typedef void (GLAPIENTRY * PFNGLWEIGHTBVARBPROC) (GLint size, GLbyte *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTDVARBPROC) (GLint size, GLdouble *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTFVARBPROC) (GLint size, GLfloat *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTIVARBPROC) (GLint size, GLint *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTSVARBPROC) (GLint size, GLshort *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTUBVARBPROC) (GLint size, GLubyte *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTUIVARBPROC) (GLint size, GLuint *weights); typedef void (GLAPIENTRY * PFNGLWEIGHTUSVARBPROC) (GLint size, GLushort *weights); #define glVertexBlendARB GLEW_GET_FUN(__glewVertexBlendARB) #define glWeightPointerARB GLEW_GET_FUN(__glewWeightPointerARB) #define glWeightbvARB GLEW_GET_FUN(__glewWeightbvARB) #define glWeightdvARB GLEW_GET_FUN(__glewWeightdvARB) #define glWeightfvARB GLEW_GET_FUN(__glewWeightfvARB) #define glWeightivARB GLEW_GET_FUN(__glewWeightivARB) #define glWeightsvARB GLEW_GET_FUN(__glewWeightsvARB) #define glWeightubvARB GLEW_GET_FUN(__glewWeightubvARB) #define glWeightuivARB GLEW_GET_FUN(__glewWeightuivARB) #define glWeightusvARB GLEW_GET_FUN(__glewWeightusvARB) #define GLEW_ARB_vertex_blend GLEW_GET_VAR(__GLEW_ARB_vertex_blend) #endif /* GL_ARB_vertex_blend */ /* ---------------------- GL_ARB_vertex_buffer_object ---------------------- */ #ifndef GL_ARB_vertex_buffer_object #define GL_ARB_vertex_buffer_object 1 #define GL_BUFFER_SIZE_ARB 0x8764 #define GL_BUFFER_USAGE_ARB 0x8765 #define GL_ARRAY_BUFFER_ARB 0x8892 #define GL_ELEMENT_ARRAY_BUFFER_ARB 0x8893 #define GL_ARRAY_BUFFER_BINDING_ARB 0x8894 #define GL_ELEMENT_ARRAY_BUFFER_BINDING_ARB 0x8895 #define GL_VERTEX_ARRAY_BUFFER_BINDING_ARB 0x8896 #define GL_NORMAL_ARRAY_BUFFER_BINDING_ARB 0x8897 #define GL_COLOR_ARRAY_BUFFER_BINDING_ARB 0x8898 #define GL_INDEX_ARRAY_BUFFER_BINDING_ARB 0x8899 #define GL_TEXTURE_COORD_ARRAY_BUFFER_BINDING_ARB 0x889A #define GL_EDGE_FLAG_ARRAY_BUFFER_BINDING_ARB 0x889B #define GL_SECONDARY_COLOR_ARRAY_BUFFER_BINDING_ARB 0x889C #define GL_FOG_COORDINATE_ARRAY_BUFFER_BINDING_ARB 0x889D #define GL_WEIGHT_ARRAY_BUFFER_BINDING_ARB 0x889E #define GL_VERTEX_ATTRIB_ARRAY_BUFFER_BINDING_ARB 0x889F #define GL_READ_ONLY_ARB 0x88B8 #define GL_WRITE_ONLY_ARB 0x88B9 #define GL_READ_WRITE_ARB 0x88BA #define GL_BUFFER_ACCESS_ARB 0x88BB #define GL_BUFFER_MAPPED_ARB 0x88BC #define GL_BUFFER_MAP_POINTER_ARB 0x88BD #define GL_STREAM_DRAW_ARB 0x88E0 #define GL_STREAM_READ_ARB 0x88E1 #define GL_STREAM_COPY_ARB 0x88E2 #define GL_STATIC_DRAW_ARB 0x88E4 #define GL_STATIC_READ_ARB 0x88E5 #define GL_STATIC_COPY_ARB 0x88E6 #define GL_DYNAMIC_DRAW_ARB 0x88E8 #define GL_DYNAMIC_READ_ARB 0x88E9 #define GL_DYNAMIC_COPY_ARB 0x88EA typedef ptrdiff_t GLintptrARB; typedef ptrdiff_t GLsizeiptrARB; typedef void (GLAPIENTRY * PFNGLBINDBUFFERARBPROC) (GLenum target, GLuint buffer); typedef void (GLAPIENTRY * PFNGLBUFFERDATAARBPROC) (GLenum target, GLsizeiptrARB size, const void *data, GLenum usage); typedef void (GLAPIENTRY * PFNGLBUFFERSUBDATAARBPROC) (GLenum target, GLintptrARB offset, GLsizeiptrARB size, const void *data); typedef void (GLAPIENTRY * PFNGLDELETEBUFFERSARBPROC) (GLsizei n, const GLuint* buffers); typedef void (GLAPIENTRY * PFNGLGENBUFFERSARBPROC) (GLsizei n, GLuint* buffers); typedef void (GLAPIENTRY * PFNGLGETBUFFERPARAMETERIVARBPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETBUFFERPOINTERVARBPROC) (GLenum target, GLenum pname, void** params); typedef void (GLAPIENTRY * PFNGLGETBUFFERSUBDATAARBPROC) (GLenum target, GLintptrARB offset, GLsizeiptrARB size, void *data); typedef GLboolean (GLAPIENTRY * PFNGLISBUFFERARBPROC) (GLuint buffer); typedef void * (GLAPIENTRY * PFNGLMAPBUFFERARBPROC) (GLenum target, GLenum access); typedef GLboolean (GLAPIENTRY * PFNGLUNMAPBUFFERARBPROC) (GLenum target); #define glBindBufferARB GLEW_GET_FUN(__glewBindBufferARB) #define glBufferDataARB GLEW_GET_FUN(__glewBufferDataARB) #define glBufferSubDataARB GLEW_GET_FUN(__glewBufferSubDataARB) #define glDeleteBuffersARB GLEW_GET_FUN(__glewDeleteBuffersARB) #define glGenBuffersARB GLEW_GET_FUN(__glewGenBuffersARB) #define glGetBufferParameterivARB GLEW_GET_FUN(__glewGetBufferParameterivARB) #define glGetBufferPointervARB GLEW_GET_FUN(__glewGetBufferPointervARB) #define glGetBufferSubDataARB GLEW_GET_FUN(__glewGetBufferSubDataARB) #define glIsBufferARB GLEW_GET_FUN(__glewIsBufferARB) #define glMapBufferARB GLEW_GET_FUN(__glewMapBufferARB) #define glUnmapBufferARB GLEW_GET_FUN(__glewUnmapBufferARB) #define GLEW_ARB_vertex_buffer_object GLEW_GET_VAR(__GLEW_ARB_vertex_buffer_object) #endif /* GL_ARB_vertex_buffer_object */ /* ------------------------- GL_ARB_vertex_program ------------------------- */ #ifndef GL_ARB_vertex_program #define GL_ARB_vertex_program 1 #define GL_COLOR_SUM_ARB 0x8458 #define GL_VERTEX_PROGRAM_ARB 0x8620 #define GL_VERTEX_ATTRIB_ARRAY_ENABLED_ARB 0x8622 #define GL_VERTEX_ATTRIB_ARRAY_SIZE_ARB 0x8623 #define GL_VERTEX_ATTRIB_ARRAY_STRIDE_ARB 0x8624 #define GL_VERTEX_ATTRIB_ARRAY_TYPE_ARB 0x8625 #define GL_CURRENT_VERTEX_ATTRIB_ARB 0x8626 #define GL_PROGRAM_LENGTH_ARB 0x8627 #define GL_PROGRAM_STRING_ARB 0x8628 #define GL_MAX_PROGRAM_MATRIX_STACK_DEPTH_ARB 0x862E #define GL_MAX_PROGRAM_MATRICES_ARB 0x862F #define GL_CURRENT_MATRIX_STACK_DEPTH_ARB 0x8640 #define GL_CURRENT_MATRIX_ARB 0x8641 #define GL_VERTEX_PROGRAM_POINT_SIZE_ARB 0x8642 #define GL_VERTEX_PROGRAM_TWO_SIDE_ARB 0x8643 #define GL_VERTEX_ATTRIB_ARRAY_POINTER_ARB 0x8645 #define GL_PROGRAM_ERROR_POSITION_ARB 0x864B #define GL_PROGRAM_BINDING_ARB 0x8677 #define GL_MAX_VERTEX_ATTRIBS_ARB 0x8869 #define GL_VERTEX_ATTRIB_ARRAY_NORMALIZED_ARB 0x886A #define GL_PROGRAM_ERROR_STRING_ARB 0x8874 #define GL_PROGRAM_FORMAT_ASCII_ARB 0x8875 #define GL_PROGRAM_FORMAT_ARB 0x8876 #define GL_PROGRAM_INSTRUCTIONS_ARB 0x88A0 #define GL_MAX_PROGRAM_INSTRUCTIONS_ARB 0x88A1 #define GL_PROGRAM_NATIVE_INSTRUCTIONS_ARB 0x88A2 #define GL_MAX_PROGRAM_NATIVE_INSTRUCTIONS_ARB 0x88A3 #define GL_PROGRAM_TEMPORARIES_ARB 0x88A4 #define GL_MAX_PROGRAM_TEMPORARIES_ARB 0x88A5 #define GL_PROGRAM_NATIVE_TEMPORARIES_ARB 0x88A6 #define GL_MAX_PROGRAM_NATIVE_TEMPORARIES_ARB 0x88A7 #define GL_PROGRAM_PARAMETERS_ARB 0x88A8 #define GL_MAX_PROGRAM_PARAMETERS_ARB 0x88A9 #define GL_PROGRAM_NATIVE_PARAMETERS_ARB 0x88AA #define GL_MAX_PROGRAM_NATIVE_PARAMETERS_ARB 0x88AB #define GL_PROGRAM_ATTRIBS_ARB 0x88AC #define GL_MAX_PROGRAM_ATTRIBS_ARB 0x88AD #define GL_PROGRAM_NATIVE_ATTRIBS_ARB 0x88AE #define GL_MAX_PROGRAM_NATIVE_ATTRIBS_ARB 0x88AF #define GL_PROGRAM_ADDRESS_REGISTERS_ARB 0x88B0 #define GL_MAX_PROGRAM_ADDRESS_REGISTERS_ARB 0x88B1 #define GL_PROGRAM_NATIVE_ADDRESS_REGISTERS_ARB 0x88B2 #define GL_MAX_PROGRAM_NATIVE_ADDRESS_REGISTERS_ARB 0x88B3 #define GL_MAX_PROGRAM_LOCAL_PARAMETERS_ARB 0x88B4 #define GL_MAX_PROGRAM_ENV_PARAMETERS_ARB 0x88B5 #define GL_PROGRAM_UNDER_NATIVE_LIMITS_ARB 0x88B6 #define GL_TRANSPOSE_CURRENT_MATRIX_ARB 0x88B7 #define GL_MATRIX0_ARB 0x88C0 #define GL_MATRIX1_ARB 0x88C1 #define GL_MATRIX2_ARB 0x88C2 #define GL_MATRIX3_ARB 0x88C3 #define GL_MATRIX4_ARB 0x88C4 #define GL_MATRIX5_ARB 0x88C5 #define GL_MATRIX6_ARB 0x88C6 #define GL_MATRIX7_ARB 0x88C7 #define GL_MATRIX8_ARB 0x88C8 #define GL_MATRIX9_ARB 0x88C9 #define GL_MATRIX10_ARB 0x88CA #define GL_MATRIX11_ARB 0x88CB #define GL_MATRIX12_ARB 0x88CC #define GL_MATRIX13_ARB 0x88CD #define GL_MATRIX14_ARB 0x88CE #define GL_MATRIX15_ARB 0x88CF #define GL_MATRIX16_ARB 0x88D0 #define GL_MATRIX17_ARB 0x88D1 #define GL_MATRIX18_ARB 0x88D2 #define GL_MATRIX19_ARB 0x88D3 #define GL_MATRIX20_ARB 0x88D4 #define GL_MATRIX21_ARB 0x88D5 #define GL_MATRIX22_ARB 0x88D6 #define GL_MATRIX23_ARB 0x88D7 #define GL_MATRIX24_ARB 0x88D8 #define GL_MATRIX25_ARB 0x88D9 #define GL_MATRIX26_ARB 0x88DA #define GL_MATRIX27_ARB 0x88DB #define GL_MATRIX28_ARB 0x88DC #define GL_MATRIX29_ARB 0x88DD #define GL_MATRIX30_ARB 0x88DE #define GL_MATRIX31_ARB 0x88DF typedef void (GLAPIENTRY * PFNGLBINDPROGRAMARBPROC) (GLenum target, GLuint program); typedef void (GLAPIENTRY * PFNGLDELETEPROGRAMSARBPROC) (GLsizei n, const GLuint* programs); typedef void (GLAPIENTRY * PFNGLDISABLEVERTEXATTRIBARRAYARBPROC) (GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEVERTEXATTRIBARRAYARBPROC) (GLuint index); typedef void (GLAPIENTRY * PFNGLGENPROGRAMSARBPROC) (GLsizei n, GLuint* programs); typedef void (GLAPIENTRY * PFNGLGETPROGRAMENVPARAMETERDVARBPROC) (GLenum target, GLuint index, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMENVPARAMETERFVARBPROC) (GLenum target, GLuint index, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMLOCALPARAMETERDVARBPROC) (GLenum target, GLuint index, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMLOCALPARAMETERFVARBPROC) (GLenum target, GLuint index, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMSTRINGARBPROC) (GLenum target, GLenum pname, void *string); typedef void (GLAPIENTRY * PFNGLGETPROGRAMIVARBPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBPOINTERVARBPROC) (GLuint index, GLenum pname, void** pointer); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBDVARBPROC) (GLuint index, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBFVARBPROC) (GLuint index, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIVARBPROC) (GLuint index, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISPROGRAMARBPROC) (GLuint program); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETER4DARBPROC) (GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETER4DVARBPROC) (GLenum target, GLuint index, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETER4FARBPROC) (GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETER4FVARBPROC) (GLenum target, GLuint index, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETER4DARBPROC) (GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETER4DVARBPROC) (GLenum target, GLuint index, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETER4FARBPROC) (GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETER4FVARBPROC) (GLenum target, GLuint index, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLPROGRAMSTRINGARBPROC) (GLenum target, GLenum format, GLsizei len, const void *string); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1DARBPROC) (GLuint index, GLdouble x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1DVARBPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1FARBPROC) (GLuint index, GLfloat x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1FVARBPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1SARBPROC) (GLuint index, GLshort x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1SVARBPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2DARBPROC) (GLuint index, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2DVARBPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2FARBPROC) (GLuint index, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2FVARBPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2SARBPROC) (GLuint index, GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2SVARBPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3DARBPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3DVARBPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3FARBPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3FVARBPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3SARBPROC) (GLuint index, GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3SVARBPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NBVARBPROC) (GLuint index, const GLbyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NIVARBPROC) (GLuint index, const GLint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NSVARBPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUBARBPROC) (GLuint index, GLubyte x, GLubyte y, GLubyte z, GLubyte w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUBVARBPROC) (GLuint index, const GLubyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUIVARBPROC) (GLuint index, const GLuint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4NUSVARBPROC) (GLuint index, const GLushort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4BVARBPROC) (GLuint index, const GLbyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4DARBPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4DVARBPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4FARBPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4FVARBPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4IVARBPROC) (GLuint index, const GLint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4SARBPROC) (GLuint index, GLshort x, GLshort y, GLshort z, GLshort w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4SVARBPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4UBVARBPROC) (GLuint index, const GLubyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4UIVARBPROC) (GLuint index, const GLuint* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4USVARBPROC) (GLuint index, const GLushort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBPOINTERARBPROC) (GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, const void *pointer); #define glBindProgramARB GLEW_GET_FUN(__glewBindProgramARB) #define glDeleteProgramsARB GLEW_GET_FUN(__glewDeleteProgramsARB) #define glDisableVertexAttribArrayARB GLEW_GET_FUN(__glewDisableVertexAttribArrayARB) #define glEnableVertexAttribArrayARB GLEW_GET_FUN(__glewEnableVertexAttribArrayARB) #define glGenProgramsARB GLEW_GET_FUN(__glewGenProgramsARB) #define glGetProgramEnvParameterdvARB GLEW_GET_FUN(__glewGetProgramEnvParameterdvARB) #define glGetProgramEnvParameterfvARB GLEW_GET_FUN(__glewGetProgramEnvParameterfvARB) #define glGetProgramLocalParameterdvARB GLEW_GET_FUN(__glewGetProgramLocalParameterdvARB) #define glGetProgramLocalParameterfvARB GLEW_GET_FUN(__glewGetProgramLocalParameterfvARB) #define glGetProgramStringARB GLEW_GET_FUN(__glewGetProgramStringARB) #define glGetProgramivARB GLEW_GET_FUN(__glewGetProgramivARB) #define glGetVertexAttribPointervARB GLEW_GET_FUN(__glewGetVertexAttribPointervARB) #define glGetVertexAttribdvARB GLEW_GET_FUN(__glewGetVertexAttribdvARB) #define glGetVertexAttribfvARB GLEW_GET_FUN(__glewGetVertexAttribfvARB) #define glGetVertexAttribivARB GLEW_GET_FUN(__glewGetVertexAttribivARB) #define glIsProgramARB GLEW_GET_FUN(__glewIsProgramARB) #define glProgramEnvParameter4dARB GLEW_GET_FUN(__glewProgramEnvParameter4dARB) #define glProgramEnvParameter4dvARB GLEW_GET_FUN(__glewProgramEnvParameter4dvARB) #define glProgramEnvParameter4fARB GLEW_GET_FUN(__glewProgramEnvParameter4fARB) #define glProgramEnvParameter4fvARB GLEW_GET_FUN(__glewProgramEnvParameter4fvARB) #define glProgramLocalParameter4dARB GLEW_GET_FUN(__glewProgramLocalParameter4dARB) #define glProgramLocalParameter4dvARB GLEW_GET_FUN(__glewProgramLocalParameter4dvARB) #define glProgramLocalParameter4fARB GLEW_GET_FUN(__glewProgramLocalParameter4fARB) #define glProgramLocalParameter4fvARB GLEW_GET_FUN(__glewProgramLocalParameter4fvARB) #define glProgramStringARB GLEW_GET_FUN(__glewProgramStringARB) #define glVertexAttrib1dARB GLEW_GET_FUN(__glewVertexAttrib1dARB) #define glVertexAttrib1dvARB GLEW_GET_FUN(__glewVertexAttrib1dvARB) #define glVertexAttrib1fARB GLEW_GET_FUN(__glewVertexAttrib1fARB) #define glVertexAttrib1fvARB GLEW_GET_FUN(__glewVertexAttrib1fvARB) #define glVertexAttrib1sARB GLEW_GET_FUN(__glewVertexAttrib1sARB) #define glVertexAttrib1svARB GLEW_GET_FUN(__glewVertexAttrib1svARB) #define glVertexAttrib2dARB GLEW_GET_FUN(__glewVertexAttrib2dARB) #define glVertexAttrib2dvARB GLEW_GET_FUN(__glewVertexAttrib2dvARB) #define glVertexAttrib2fARB GLEW_GET_FUN(__glewVertexAttrib2fARB) #define glVertexAttrib2fvARB GLEW_GET_FUN(__glewVertexAttrib2fvARB) #define glVertexAttrib2sARB GLEW_GET_FUN(__glewVertexAttrib2sARB) #define glVertexAttrib2svARB GLEW_GET_FUN(__glewVertexAttrib2svARB) #define glVertexAttrib3dARB GLEW_GET_FUN(__glewVertexAttrib3dARB) #define glVertexAttrib3dvARB GLEW_GET_FUN(__glewVertexAttrib3dvARB) #define glVertexAttrib3fARB GLEW_GET_FUN(__glewVertexAttrib3fARB) #define glVertexAttrib3fvARB GLEW_GET_FUN(__glewVertexAttrib3fvARB) #define glVertexAttrib3sARB GLEW_GET_FUN(__glewVertexAttrib3sARB) #define glVertexAttrib3svARB GLEW_GET_FUN(__glewVertexAttrib3svARB) #define glVertexAttrib4NbvARB GLEW_GET_FUN(__glewVertexAttrib4NbvARB) #define glVertexAttrib4NivARB GLEW_GET_FUN(__glewVertexAttrib4NivARB) #define glVertexAttrib4NsvARB GLEW_GET_FUN(__glewVertexAttrib4NsvARB) #define glVertexAttrib4NubARB GLEW_GET_FUN(__glewVertexAttrib4NubARB) #define glVertexAttrib4NubvARB GLEW_GET_FUN(__glewVertexAttrib4NubvARB) #define glVertexAttrib4NuivARB GLEW_GET_FUN(__glewVertexAttrib4NuivARB) #define glVertexAttrib4NusvARB GLEW_GET_FUN(__glewVertexAttrib4NusvARB) #define glVertexAttrib4bvARB GLEW_GET_FUN(__glewVertexAttrib4bvARB) #define glVertexAttrib4dARB GLEW_GET_FUN(__glewVertexAttrib4dARB) #define glVertexAttrib4dvARB GLEW_GET_FUN(__glewVertexAttrib4dvARB) #define glVertexAttrib4fARB GLEW_GET_FUN(__glewVertexAttrib4fARB) #define glVertexAttrib4fvARB GLEW_GET_FUN(__glewVertexAttrib4fvARB) #define glVertexAttrib4ivARB GLEW_GET_FUN(__glewVertexAttrib4ivARB) #define glVertexAttrib4sARB GLEW_GET_FUN(__glewVertexAttrib4sARB) #define glVertexAttrib4svARB GLEW_GET_FUN(__glewVertexAttrib4svARB) #define glVertexAttrib4ubvARB GLEW_GET_FUN(__glewVertexAttrib4ubvARB) #define glVertexAttrib4uivARB GLEW_GET_FUN(__glewVertexAttrib4uivARB) #define glVertexAttrib4usvARB GLEW_GET_FUN(__glewVertexAttrib4usvARB) #define glVertexAttribPointerARB GLEW_GET_FUN(__glewVertexAttribPointerARB) #define GLEW_ARB_vertex_program GLEW_GET_VAR(__GLEW_ARB_vertex_program) #endif /* GL_ARB_vertex_program */ /* -------------------------- GL_ARB_vertex_shader ------------------------- */ #ifndef GL_ARB_vertex_shader #define GL_ARB_vertex_shader 1 #define GL_VERTEX_SHADER_ARB 0x8B31 #define GL_MAX_VERTEX_UNIFORM_COMPONENTS_ARB 0x8B4A #define GL_MAX_VARYING_FLOATS_ARB 0x8B4B #define GL_MAX_VERTEX_TEXTURE_IMAGE_UNITS_ARB 0x8B4C #define GL_MAX_COMBINED_TEXTURE_IMAGE_UNITS_ARB 0x8B4D #define GL_OBJECT_ACTIVE_ATTRIBUTES_ARB 0x8B89 #define GL_OBJECT_ACTIVE_ATTRIBUTE_MAX_LENGTH_ARB 0x8B8A typedef void (GLAPIENTRY * PFNGLBINDATTRIBLOCATIONARBPROC) (GLhandleARB programObj, GLuint index, const GLcharARB* name); typedef void (GLAPIENTRY * PFNGLGETACTIVEATTRIBARBPROC) (GLhandleARB programObj, GLuint index, GLsizei maxLength, GLsizei* length, GLint *size, GLenum *type, GLcharARB *name); typedef GLint (GLAPIENTRY * PFNGLGETATTRIBLOCATIONARBPROC) (GLhandleARB programObj, const GLcharARB* name); #define glBindAttribLocationARB GLEW_GET_FUN(__glewBindAttribLocationARB) #define glGetActiveAttribARB GLEW_GET_FUN(__glewGetActiveAttribARB) #define glGetAttribLocationARB GLEW_GET_FUN(__glewGetAttribLocationARB) #define GLEW_ARB_vertex_shader GLEW_GET_VAR(__GLEW_ARB_vertex_shader) #endif /* GL_ARB_vertex_shader */ /* ------------------- GL_ARB_vertex_type_10f_11f_11f_rev ------------------ */ #ifndef GL_ARB_vertex_type_10f_11f_11f_rev #define GL_ARB_vertex_type_10f_11f_11f_rev 1 #define GL_UNSIGNED_INT_10F_11F_11F_REV 0x8C3B #define GLEW_ARB_vertex_type_10f_11f_11f_rev GLEW_GET_VAR(__GLEW_ARB_vertex_type_10f_11f_11f_rev) #endif /* GL_ARB_vertex_type_10f_11f_11f_rev */ /* ------------------- GL_ARB_vertex_type_2_10_10_10_rev ------------------- */ #ifndef GL_ARB_vertex_type_2_10_10_10_rev #define GL_ARB_vertex_type_2_10_10_10_rev 1 #define GL_UNSIGNED_INT_2_10_10_10_REV 0x8368 #define GL_INT_2_10_10_10_REV 0x8D9F typedef void (GLAPIENTRY * PFNGLCOLORP3UIPROC) (GLenum type, GLuint color); typedef void (GLAPIENTRY * PFNGLCOLORP3UIVPROC) (GLenum type, const GLuint* color); typedef void (GLAPIENTRY * PFNGLCOLORP4UIPROC) (GLenum type, GLuint color); typedef void (GLAPIENTRY * PFNGLCOLORP4UIVPROC) (GLenum type, const GLuint* color); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP1UIPROC) (GLenum texture, GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP1UIVPROC) (GLenum texture, GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP2UIPROC) (GLenum texture, GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP2UIVPROC) (GLenum texture, GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP3UIPROC) (GLenum texture, GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP3UIVPROC) (GLenum texture, GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP4UIPROC) (GLenum texture, GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDP4UIVPROC) (GLenum texture, GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLNORMALP3UIPROC) (GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLNORMALP3UIVPROC) (GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLORP3UIPROC) (GLenum type, GLuint color); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLORP3UIVPROC) (GLenum type, const GLuint* color); typedef void (GLAPIENTRY * PFNGLTEXCOORDP1UIPROC) (GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP1UIVPROC) (GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP2UIPROC) (GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP2UIVPROC) (GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP3UIPROC) (GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP3UIVPROC) (GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP4UIPROC) (GLenum type, GLuint coords); typedef void (GLAPIENTRY * PFNGLTEXCOORDP4UIVPROC) (GLenum type, const GLuint* coords); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP1UIPROC) (GLuint index, GLenum type, GLboolean normalized, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP1UIVPROC) (GLuint index, GLenum type, GLboolean normalized, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP2UIPROC) (GLuint index, GLenum type, GLboolean normalized, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP2UIVPROC) (GLuint index, GLenum type, GLboolean normalized, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP3UIPROC) (GLuint index, GLenum type, GLboolean normalized, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP3UIVPROC) (GLuint index, GLenum type, GLboolean normalized, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP4UIPROC) (GLuint index, GLenum type, GLboolean normalized, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBP4UIVPROC) (GLuint index, GLenum type, GLboolean normalized, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXP2UIPROC) (GLenum type, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXP2UIVPROC) (GLenum type, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXP3UIPROC) (GLenum type, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXP3UIVPROC) (GLenum type, const GLuint* value); typedef void (GLAPIENTRY * PFNGLVERTEXP4UIPROC) (GLenum type, GLuint value); typedef void (GLAPIENTRY * PFNGLVERTEXP4UIVPROC) (GLenum type, const GLuint* value); #define glColorP3ui GLEW_GET_FUN(__glewColorP3ui) #define glColorP3uiv GLEW_GET_FUN(__glewColorP3uiv) #define glColorP4ui GLEW_GET_FUN(__glewColorP4ui) #define glColorP4uiv GLEW_GET_FUN(__glewColorP4uiv) #define glMultiTexCoordP1ui GLEW_GET_FUN(__glewMultiTexCoordP1ui) #define glMultiTexCoordP1uiv GLEW_GET_FUN(__glewMultiTexCoordP1uiv) #define glMultiTexCoordP2ui GLEW_GET_FUN(__glewMultiTexCoordP2ui) #define glMultiTexCoordP2uiv GLEW_GET_FUN(__glewMultiTexCoordP2uiv) #define glMultiTexCoordP3ui GLEW_GET_FUN(__glewMultiTexCoordP3ui) #define glMultiTexCoordP3uiv GLEW_GET_FUN(__glewMultiTexCoordP3uiv) #define glMultiTexCoordP4ui GLEW_GET_FUN(__glewMultiTexCoordP4ui) #define glMultiTexCoordP4uiv GLEW_GET_FUN(__glewMultiTexCoordP4uiv) #define glNormalP3ui GLEW_GET_FUN(__glewNormalP3ui) #define glNormalP3uiv GLEW_GET_FUN(__glewNormalP3uiv) #define glSecondaryColorP3ui GLEW_GET_FUN(__glewSecondaryColorP3ui) #define glSecondaryColorP3uiv GLEW_GET_FUN(__glewSecondaryColorP3uiv) #define glTexCoordP1ui GLEW_GET_FUN(__glewTexCoordP1ui) #define glTexCoordP1uiv GLEW_GET_FUN(__glewTexCoordP1uiv) #define glTexCoordP2ui GLEW_GET_FUN(__glewTexCoordP2ui) #define glTexCoordP2uiv GLEW_GET_FUN(__glewTexCoordP2uiv) #define glTexCoordP3ui GLEW_GET_FUN(__glewTexCoordP3ui) #define glTexCoordP3uiv GLEW_GET_FUN(__glewTexCoordP3uiv) #define glTexCoordP4ui GLEW_GET_FUN(__glewTexCoordP4ui) #define glTexCoordP4uiv GLEW_GET_FUN(__glewTexCoordP4uiv) #define glVertexAttribP1ui GLEW_GET_FUN(__glewVertexAttribP1ui) #define glVertexAttribP1uiv GLEW_GET_FUN(__glewVertexAttribP1uiv) #define glVertexAttribP2ui GLEW_GET_FUN(__glewVertexAttribP2ui) #define glVertexAttribP2uiv GLEW_GET_FUN(__glewVertexAttribP2uiv) #define glVertexAttribP3ui GLEW_GET_FUN(__glewVertexAttribP3ui) #define glVertexAttribP3uiv GLEW_GET_FUN(__glewVertexAttribP3uiv) #define glVertexAttribP4ui GLEW_GET_FUN(__glewVertexAttribP4ui) #define glVertexAttribP4uiv GLEW_GET_FUN(__glewVertexAttribP4uiv) #define glVertexP2ui GLEW_GET_FUN(__glewVertexP2ui) #define glVertexP2uiv GLEW_GET_FUN(__glewVertexP2uiv) #define glVertexP3ui GLEW_GET_FUN(__glewVertexP3ui) #define glVertexP3uiv GLEW_GET_FUN(__glewVertexP3uiv) #define glVertexP4ui GLEW_GET_FUN(__glewVertexP4ui) #define glVertexP4uiv GLEW_GET_FUN(__glewVertexP4uiv) #define GLEW_ARB_vertex_type_2_10_10_10_rev GLEW_GET_VAR(__GLEW_ARB_vertex_type_2_10_10_10_rev) #endif /* GL_ARB_vertex_type_2_10_10_10_rev */ /* ------------------------- GL_ARB_viewport_array ------------------------- */ #ifndef GL_ARB_viewport_array #define GL_ARB_viewport_array 1 #define GL_DEPTH_RANGE 0x0B70 #define GL_VIEWPORT 0x0BA2 #define GL_SCISSOR_BOX 0x0C10 #define GL_SCISSOR_TEST 0x0C11 #define GL_MAX_VIEWPORTS 0x825B #define GL_VIEWPORT_SUBPIXEL_BITS 0x825C #define GL_VIEWPORT_BOUNDS_RANGE 0x825D #define GL_LAYER_PROVOKING_VERTEX 0x825E #define GL_VIEWPORT_INDEX_PROVOKING_VERTEX 0x825F #define GL_UNDEFINED_VERTEX 0x8260 #define GL_FIRST_VERTEX_CONVENTION 0x8E4D #define GL_LAST_VERTEX_CONVENTION 0x8E4E #define GL_PROVOKING_VERTEX 0x8E4F typedef void (GLAPIENTRY * PFNGLDEPTHRANGEARRAYVPROC) (GLuint first, GLsizei count, const GLclampd * v); typedef void (GLAPIENTRY * PFNGLDEPTHRANGEINDEXEDPROC) (GLuint index, GLclampd n, GLclampd f); typedef void (GLAPIENTRY * PFNGLGETDOUBLEI_VPROC) (GLenum target, GLuint index, GLdouble* data); typedef void (GLAPIENTRY * PFNGLGETFLOATI_VPROC) (GLenum target, GLuint index, GLfloat* data); typedef void (GLAPIENTRY * PFNGLSCISSORARRAYVPROC) (GLuint first, GLsizei count, const GLint * v); typedef void (GLAPIENTRY * PFNGLSCISSORINDEXEDPROC) (GLuint index, GLint left, GLint bottom, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLSCISSORINDEXEDVPROC) (GLuint index, const GLint * v); typedef void (GLAPIENTRY * PFNGLVIEWPORTARRAYVPROC) (GLuint first, GLsizei count, const GLfloat * v); typedef void (GLAPIENTRY * PFNGLVIEWPORTINDEXEDFPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat w, GLfloat h); typedef void (GLAPIENTRY * PFNGLVIEWPORTINDEXEDFVPROC) (GLuint index, const GLfloat * v); #define glDepthRangeArrayv GLEW_GET_FUN(__glewDepthRangeArrayv) #define glDepthRangeIndexed GLEW_GET_FUN(__glewDepthRangeIndexed) #define glGetDoublei_v GLEW_GET_FUN(__glewGetDoublei_v) #define glGetFloati_v GLEW_GET_FUN(__glewGetFloati_v) #define glScissorArrayv GLEW_GET_FUN(__glewScissorArrayv) #define glScissorIndexed GLEW_GET_FUN(__glewScissorIndexed) #define glScissorIndexedv GLEW_GET_FUN(__glewScissorIndexedv) #define glViewportArrayv GLEW_GET_FUN(__glewViewportArrayv) #define glViewportIndexedf GLEW_GET_FUN(__glewViewportIndexedf) #define glViewportIndexedfv GLEW_GET_FUN(__glewViewportIndexedfv) #define GLEW_ARB_viewport_array GLEW_GET_VAR(__GLEW_ARB_viewport_array) #endif /* GL_ARB_viewport_array */ /* --------------------------- GL_ARB_window_pos --------------------------- */ #ifndef GL_ARB_window_pos #define GL_ARB_window_pos 1 typedef void (GLAPIENTRY * PFNGLWINDOWPOS2DARBPROC) (GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2DVARBPROC) (const GLdouble* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2FARBPROC) (GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2FVARBPROC) (const GLfloat* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2IARBPROC) (GLint x, GLint y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2IVARBPROC) (const GLint* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2SARBPROC) (GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2SVARBPROC) (const GLshort* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3DARBPROC) (GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3DVARBPROC) (const GLdouble* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3FARBPROC) (GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3FVARBPROC) (const GLfloat* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3IARBPROC) (GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3IVARBPROC) (const GLint* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3SARBPROC) (GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3SVARBPROC) (const GLshort* p); #define glWindowPos2dARB GLEW_GET_FUN(__glewWindowPos2dARB) #define glWindowPos2dvARB GLEW_GET_FUN(__glewWindowPos2dvARB) #define glWindowPos2fARB GLEW_GET_FUN(__glewWindowPos2fARB) #define glWindowPos2fvARB GLEW_GET_FUN(__glewWindowPos2fvARB) #define glWindowPos2iARB GLEW_GET_FUN(__glewWindowPos2iARB) #define glWindowPos2ivARB GLEW_GET_FUN(__glewWindowPos2ivARB) #define glWindowPos2sARB GLEW_GET_FUN(__glewWindowPos2sARB) #define glWindowPos2svARB GLEW_GET_FUN(__glewWindowPos2svARB) #define glWindowPos3dARB GLEW_GET_FUN(__glewWindowPos3dARB) #define glWindowPos3dvARB GLEW_GET_FUN(__glewWindowPos3dvARB) #define glWindowPos3fARB GLEW_GET_FUN(__glewWindowPos3fARB) #define glWindowPos3fvARB GLEW_GET_FUN(__glewWindowPos3fvARB) #define glWindowPos3iARB GLEW_GET_FUN(__glewWindowPos3iARB) #define glWindowPos3ivARB GLEW_GET_FUN(__glewWindowPos3ivARB) #define glWindowPos3sARB GLEW_GET_FUN(__glewWindowPos3sARB) #define glWindowPos3svARB GLEW_GET_FUN(__glewWindowPos3svARB) #define GLEW_ARB_window_pos GLEW_GET_VAR(__GLEW_ARB_window_pos) #endif /* GL_ARB_window_pos */ /* ----------------------- GL_ARM_mali_program_binary ---------------------- */ #ifndef GL_ARM_mali_program_binary #define GL_ARM_mali_program_binary 1 #define GL_MALI_PROGRAM_BINARY_ARM 0x8F61 #define GLEW_ARM_mali_program_binary GLEW_GET_VAR(__GLEW_ARM_mali_program_binary) #endif /* GL_ARM_mali_program_binary */ /* ----------------------- GL_ARM_mali_shader_binary ----------------------- */ #ifndef GL_ARM_mali_shader_binary #define GL_ARM_mali_shader_binary 1 #define GL_MALI_SHADER_BINARY_ARM 0x8F60 #define GLEW_ARM_mali_shader_binary GLEW_GET_VAR(__GLEW_ARM_mali_shader_binary) #endif /* GL_ARM_mali_shader_binary */ /* ------------------------------ GL_ARM_rgba8 ----------------------------- */ #ifndef GL_ARM_rgba8 #define GL_ARM_rgba8 1 #define GL_RGBA8_OES 0x8058 #define GLEW_ARM_rgba8 GLEW_GET_VAR(__GLEW_ARM_rgba8) #endif /* GL_ARM_rgba8 */ /* -------------------- GL_ARM_shader_framebuffer_fetch -------------------- */ #ifndef GL_ARM_shader_framebuffer_fetch #define GL_ARM_shader_framebuffer_fetch 1 #define GL_FETCH_PER_SAMPLE_ARM 0x8F65 #define GL_FRAGMENT_SHADER_FRAMEBUFFER_FETCH_MRT_ARM 0x8F66 #define GLEW_ARM_shader_framebuffer_fetch GLEW_GET_VAR(__GLEW_ARM_shader_framebuffer_fetch) #endif /* GL_ARM_shader_framebuffer_fetch */ /* ------------- GL_ARM_shader_framebuffer_fetch_depth_stencil ------------- */ #ifndef GL_ARM_shader_framebuffer_fetch_depth_stencil #define GL_ARM_shader_framebuffer_fetch_depth_stencil 1 #define GLEW_ARM_shader_framebuffer_fetch_depth_stencil GLEW_GET_VAR(__GLEW_ARM_shader_framebuffer_fetch_depth_stencil) #endif /* GL_ARM_shader_framebuffer_fetch_depth_stencil */ /* ------------------------- GL_ATIX_point_sprites ------------------------- */ #ifndef GL_ATIX_point_sprites #define GL_ATIX_point_sprites 1 #define GL_TEXTURE_POINT_MODE_ATIX 0x60B0 #define GL_TEXTURE_POINT_ONE_COORD_ATIX 0x60B1 #define GL_TEXTURE_POINT_SPRITE_ATIX 0x60B2 #define GL_POINT_SPRITE_CULL_MODE_ATIX 0x60B3 #define GL_POINT_SPRITE_CULL_CENTER_ATIX 0x60B4 #define GL_POINT_SPRITE_CULL_CLIP_ATIX 0x60B5 #define GLEW_ATIX_point_sprites GLEW_GET_VAR(__GLEW_ATIX_point_sprites) #endif /* GL_ATIX_point_sprites */ /* ---------------------- GL_ATIX_texture_env_combine3 --------------------- */ #ifndef GL_ATIX_texture_env_combine3 #define GL_ATIX_texture_env_combine3 1 #define GL_MODULATE_ADD_ATIX 0x8744 #define GL_MODULATE_SIGNED_ADD_ATIX 0x8745 #define GL_MODULATE_SUBTRACT_ATIX 0x8746 #define GLEW_ATIX_texture_env_combine3 GLEW_GET_VAR(__GLEW_ATIX_texture_env_combine3) #endif /* GL_ATIX_texture_env_combine3 */ /* ----------------------- GL_ATIX_texture_env_route ----------------------- */ #ifndef GL_ATIX_texture_env_route #define GL_ATIX_texture_env_route 1 #define GL_SECONDARY_COLOR_ATIX 0x8747 #define GL_TEXTURE_OUTPUT_RGB_ATIX 0x8748 #define GL_TEXTURE_OUTPUT_ALPHA_ATIX 0x8749 #define GLEW_ATIX_texture_env_route GLEW_GET_VAR(__GLEW_ATIX_texture_env_route) #endif /* GL_ATIX_texture_env_route */ /* ---------------- GL_ATIX_vertex_shader_output_point_size ---------------- */ #ifndef GL_ATIX_vertex_shader_output_point_size #define GL_ATIX_vertex_shader_output_point_size 1 #define GL_OUTPUT_POINT_SIZE_ATIX 0x610E #define GLEW_ATIX_vertex_shader_output_point_size GLEW_GET_VAR(__GLEW_ATIX_vertex_shader_output_point_size) #endif /* GL_ATIX_vertex_shader_output_point_size */ /* -------------------------- GL_ATI_draw_buffers -------------------------- */ #ifndef GL_ATI_draw_buffers #define GL_ATI_draw_buffers 1 #define GL_MAX_DRAW_BUFFERS_ATI 0x8824 #define GL_DRAW_BUFFER0_ATI 0x8825 #define GL_DRAW_BUFFER1_ATI 0x8826 #define GL_DRAW_BUFFER2_ATI 0x8827 #define GL_DRAW_BUFFER3_ATI 0x8828 #define GL_DRAW_BUFFER4_ATI 0x8829 #define GL_DRAW_BUFFER5_ATI 0x882A #define GL_DRAW_BUFFER6_ATI 0x882B #define GL_DRAW_BUFFER7_ATI 0x882C #define GL_DRAW_BUFFER8_ATI 0x882D #define GL_DRAW_BUFFER9_ATI 0x882E #define GL_DRAW_BUFFER10_ATI 0x882F #define GL_DRAW_BUFFER11_ATI 0x8830 #define GL_DRAW_BUFFER12_ATI 0x8831 #define GL_DRAW_BUFFER13_ATI 0x8832 #define GL_DRAW_BUFFER14_ATI 0x8833 #define GL_DRAW_BUFFER15_ATI 0x8834 typedef void (GLAPIENTRY * PFNGLDRAWBUFFERSATIPROC) (GLsizei n, const GLenum* bufs); #define glDrawBuffersATI GLEW_GET_FUN(__glewDrawBuffersATI) #define GLEW_ATI_draw_buffers GLEW_GET_VAR(__GLEW_ATI_draw_buffers) #endif /* GL_ATI_draw_buffers */ /* -------------------------- GL_ATI_element_array ------------------------- */ #ifndef GL_ATI_element_array #define GL_ATI_element_array 1 #define GL_ELEMENT_ARRAY_ATI 0x8768 #define GL_ELEMENT_ARRAY_TYPE_ATI 0x8769 #define GL_ELEMENT_ARRAY_POINTER_ATI 0x876A typedef void (GLAPIENTRY * PFNGLDRAWELEMENTARRAYATIPROC) (GLenum mode, GLsizei count); typedef void (GLAPIENTRY * PFNGLDRAWRANGEELEMENTARRAYATIPROC) (GLenum mode, GLuint start, GLuint end, GLsizei count); typedef void (GLAPIENTRY * PFNGLELEMENTPOINTERATIPROC) (GLenum type, const void *pointer); #define glDrawElementArrayATI GLEW_GET_FUN(__glewDrawElementArrayATI) #define glDrawRangeElementArrayATI GLEW_GET_FUN(__glewDrawRangeElementArrayATI) #define glElementPointerATI GLEW_GET_FUN(__glewElementPointerATI) #define GLEW_ATI_element_array GLEW_GET_VAR(__GLEW_ATI_element_array) #endif /* GL_ATI_element_array */ /* ------------------------- GL_ATI_envmap_bumpmap ------------------------- */ #ifndef GL_ATI_envmap_bumpmap #define GL_ATI_envmap_bumpmap 1 #define GL_BUMP_ROT_MATRIX_ATI 0x8775 #define GL_BUMP_ROT_MATRIX_SIZE_ATI 0x8776 #define GL_BUMP_NUM_TEX_UNITS_ATI 0x8777 #define GL_BUMP_TEX_UNITS_ATI 0x8778 #define GL_DUDV_ATI 0x8779 #define GL_DU8DV8_ATI 0x877A #define GL_BUMP_ENVMAP_ATI 0x877B #define GL_BUMP_TARGET_ATI 0x877C typedef void (GLAPIENTRY * PFNGLGETTEXBUMPPARAMETERFVATIPROC) (GLenum pname, GLfloat *param); typedef void (GLAPIENTRY * PFNGLGETTEXBUMPPARAMETERIVATIPROC) (GLenum pname, GLint *param); typedef void (GLAPIENTRY * PFNGLTEXBUMPPARAMETERFVATIPROC) (GLenum pname, GLfloat *param); typedef void (GLAPIENTRY * PFNGLTEXBUMPPARAMETERIVATIPROC) (GLenum pname, GLint *param); #define glGetTexBumpParameterfvATI GLEW_GET_FUN(__glewGetTexBumpParameterfvATI) #define glGetTexBumpParameterivATI GLEW_GET_FUN(__glewGetTexBumpParameterivATI) #define glTexBumpParameterfvATI GLEW_GET_FUN(__glewTexBumpParameterfvATI) #define glTexBumpParameterivATI GLEW_GET_FUN(__glewTexBumpParameterivATI) #define GLEW_ATI_envmap_bumpmap GLEW_GET_VAR(__GLEW_ATI_envmap_bumpmap) #endif /* GL_ATI_envmap_bumpmap */ /* ------------------------- GL_ATI_fragment_shader ------------------------ */ #ifndef GL_ATI_fragment_shader #define GL_ATI_fragment_shader 1 #define GL_2X_BIT_ATI 0x00000001 #define GL_RED_BIT_ATI 0x00000001 #define GL_4X_BIT_ATI 0x00000002 #define GL_COMP_BIT_ATI 0x00000002 #define GL_GREEN_BIT_ATI 0x00000002 #define GL_8X_BIT_ATI 0x00000004 #define GL_BLUE_BIT_ATI 0x00000004 #define GL_NEGATE_BIT_ATI 0x00000004 #define GL_BIAS_BIT_ATI 0x00000008 #define GL_HALF_BIT_ATI 0x00000008 #define GL_QUARTER_BIT_ATI 0x00000010 #define GL_EIGHTH_BIT_ATI 0x00000020 #define GL_SATURATE_BIT_ATI 0x00000040 #define GL_FRAGMENT_SHADER_ATI 0x8920 #define GL_REG_0_ATI 0x8921 #define GL_REG_1_ATI 0x8922 #define GL_REG_2_ATI 0x8923 #define GL_REG_3_ATI 0x8924 #define GL_REG_4_ATI 0x8925 #define GL_REG_5_ATI 0x8926 #define GL_CON_0_ATI 0x8941 #define GL_CON_1_ATI 0x8942 #define GL_CON_2_ATI 0x8943 #define GL_CON_3_ATI 0x8944 #define GL_CON_4_ATI 0x8945 #define GL_CON_5_ATI 0x8946 #define GL_CON_6_ATI 0x8947 #define GL_CON_7_ATI 0x8948 #define GL_MOV_ATI 0x8961 #define GL_ADD_ATI 0x8963 #define GL_MUL_ATI 0x8964 #define GL_SUB_ATI 0x8965 #define GL_DOT3_ATI 0x8966 #define GL_DOT4_ATI 0x8967 #define GL_MAD_ATI 0x8968 #define GL_LERP_ATI 0x8969 #define GL_CND_ATI 0x896A #define GL_CND0_ATI 0x896B #define GL_DOT2_ADD_ATI 0x896C #define GL_SECONDARY_INTERPOLATOR_ATI 0x896D #define GL_NUM_FRAGMENT_REGISTERS_ATI 0x896E #define GL_NUM_FRAGMENT_CONSTANTS_ATI 0x896F #define GL_NUM_PASSES_ATI 0x8970 #define GL_NUM_INSTRUCTIONS_PER_PASS_ATI 0x8971 #define GL_NUM_INSTRUCTIONS_TOTAL_ATI 0x8972 #define GL_NUM_INPUT_INTERPOLATOR_COMPONENTS_ATI 0x8973 #define GL_NUM_LOOPBACK_COMPONENTS_ATI 0x8974 #define GL_COLOR_ALPHA_PAIRING_ATI 0x8975 #define GL_SWIZZLE_STR_ATI 0x8976 #define GL_SWIZZLE_STQ_ATI 0x8977 #define GL_SWIZZLE_STR_DR_ATI 0x8978 #define GL_SWIZZLE_STQ_DQ_ATI 0x8979 #define GL_SWIZZLE_STRQ_ATI 0x897A #define GL_SWIZZLE_STRQ_DQ_ATI 0x897B typedef void (GLAPIENTRY * PFNGLALPHAFRAGMENTOP1ATIPROC) (GLenum op, GLuint dst, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod); typedef void (GLAPIENTRY * PFNGLALPHAFRAGMENTOP2ATIPROC) (GLenum op, GLuint dst, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod); typedef void (GLAPIENTRY * PFNGLALPHAFRAGMENTOP3ATIPROC) (GLenum op, GLuint dst, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod, GLuint arg3, GLuint arg3Rep, GLuint arg3Mod); typedef void (GLAPIENTRY * PFNGLBEGINFRAGMENTSHADERATIPROC) (void); typedef void (GLAPIENTRY * PFNGLBINDFRAGMENTSHADERATIPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLCOLORFRAGMENTOP1ATIPROC) (GLenum op, GLuint dst, GLuint dstMask, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod); typedef void (GLAPIENTRY * PFNGLCOLORFRAGMENTOP2ATIPROC) (GLenum op, GLuint dst, GLuint dstMask, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod); typedef void (GLAPIENTRY * PFNGLCOLORFRAGMENTOP3ATIPROC) (GLenum op, GLuint dst, GLuint dstMask, GLuint dstMod, GLuint arg1, GLuint arg1Rep, GLuint arg1Mod, GLuint arg2, GLuint arg2Rep, GLuint arg2Mod, GLuint arg3, GLuint arg3Rep, GLuint arg3Mod); typedef void (GLAPIENTRY * PFNGLDELETEFRAGMENTSHADERATIPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLENDFRAGMENTSHADERATIPROC) (void); typedef GLuint (GLAPIENTRY * PFNGLGENFRAGMENTSHADERSATIPROC) (GLuint range); typedef void (GLAPIENTRY * PFNGLPASSTEXCOORDATIPROC) (GLuint dst, GLuint coord, GLenum swizzle); typedef void (GLAPIENTRY * PFNGLSAMPLEMAPATIPROC) (GLuint dst, GLuint interp, GLenum swizzle); typedef void (GLAPIENTRY * PFNGLSETFRAGMENTSHADERCONSTANTATIPROC) (GLuint dst, const GLfloat* value); #define glAlphaFragmentOp1ATI GLEW_GET_FUN(__glewAlphaFragmentOp1ATI) #define glAlphaFragmentOp2ATI GLEW_GET_FUN(__glewAlphaFragmentOp2ATI) #define glAlphaFragmentOp3ATI GLEW_GET_FUN(__glewAlphaFragmentOp3ATI) #define glBeginFragmentShaderATI GLEW_GET_FUN(__glewBeginFragmentShaderATI) #define glBindFragmentShaderATI GLEW_GET_FUN(__glewBindFragmentShaderATI) #define glColorFragmentOp1ATI GLEW_GET_FUN(__glewColorFragmentOp1ATI) #define glColorFragmentOp2ATI GLEW_GET_FUN(__glewColorFragmentOp2ATI) #define glColorFragmentOp3ATI GLEW_GET_FUN(__glewColorFragmentOp3ATI) #define glDeleteFragmentShaderATI GLEW_GET_FUN(__glewDeleteFragmentShaderATI) #define glEndFragmentShaderATI GLEW_GET_FUN(__glewEndFragmentShaderATI) #define glGenFragmentShadersATI GLEW_GET_FUN(__glewGenFragmentShadersATI) #define glPassTexCoordATI GLEW_GET_FUN(__glewPassTexCoordATI) #define glSampleMapATI GLEW_GET_FUN(__glewSampleMapATI) #define glSetFragmentShaderConstantATI GLEW_GET_FUN(__glewSetFragmentShaderConstantATI) #define GLEW_ATI_fragment_shader GLEW_GET_VAR(__GLEW_ATI_fragment_shader) #endif /* GL_ATI_fragment_shader */ /* ------------------------ GL_ATI_map_object_buffer ----------------------- */ #ifndef GL_ATI_map_object_buffer #define GL_ATI_map_object_buffer 1 typedef void * (GLAPIENTRY * PFNGLMAPOBJECTBUFFERATIPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLUNMAPOBJECTBUFFERATIPROC) (GLuint buffer); #define glMapObjectBufferATI GLEW_GET_FUN(__glewMapObjectBufferATI) #define glUnmapObjectBufferATI GLEW_GET_FUN(__glewUnmapObjectBufferATI) #define GLEW_ATI_map_object_buffer GLEW_GET_VAR(__GLEW_ATI_map_object_buffer) #endif /* GL_ATI_map_object_buffer */ /* ----------------------------- GL_ATI_meminfo ---------------------------- */ #ifndef GL_ATI_meminfo #define GL_ATI_meminfo 1 #define GL_VBO_FREE_MEMORY_ATI 0x87FB #define GL_TEXTURE_FREE_MEMORY_ATI 0x87FC #define GL_RENDERBUFFER_FREE_MEMORY_ATI 0x87FD #define GLEW_ATI_meminfo GLEW_GET_VAR(__GLEW_ATI_meminfo) #endif /* GL_ATI_meminfo */ /* -------------------------- GL_ATI_pn_triangles -------------------------- */ #ifndef GL_ATI_pn_triangles #define GL_ATI_pn_triangles 1 #define GL_PN_TRIANGLES_ATI 0x87F0 #define GL_MAX_PN_TRIANGLES_TESSELATION_LEVEL_ATI 0x87F1 #define GL_PN_TRIANGLES_POINT_MODE_ATI 0x87F2 #define GL_PN_TRIANGLES_NORMAL_MODE_ATI 0x87F3 #define GL_PN_TRIANGLES_TESSELATION_LEVEL_ATI 0x87F4 #define GL_PN_TRIANGLES_POINT_MODE_LINEAR_ATI 0x87F5 #define GL_PN_TRIANGLES_POINT_MODE_CUBIC_ATI 0x87F6 #define GL_PN_TRIANGLES_NORMAL_MODE_LINEAR_ATI 0x87F7 #define GL_PN_TRIANGLES_NORMAL_MODE_QUADRATIC_ATI 0x87F8 typedef void (GLAPIENTRY * PFNGLPNTRIANGLESFATIPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLPNTRIANGLESIATIPROC) (GLenum pname, GLint param); #define glPNTrianglesfATI GLEW_GET_FUN(__glewPNTrianglesfATI) #define glPNTrianglesiATI GLEW_GET_FUN(__glewPNTrianglesiATI) #define GLEW_ATI_pn_triangles GLEW_GET_VAR(__GLEW_ATI_pn_triangles) #endif /* GL_ATI_pn_triangles */ /* ------------------------ GL_ATI_separate_stencil ------------------------ */ #ifndef GL_ATI_separate_stencil #define GL_ATI_separate_stencil 1 #define GL_STENCIL_BACK_FUNC_ATI 0x8800 #define GL_STENCIL_BACK_FAIL_ATI 0x8801 #define GL_STENCIL_BACK_PASS_DEPTH_FAIL_ATI 0x8802 #define GL_STENCIL_BACK_PASS_DEPTH_PASS_ATI 0x8803 typedef void (GLAPIENTRY * PFNGLSTENCILFUNCSEPARATEATIPROC) (GLenum frontfunc, GLenum backfunc, GLint ref, GLuint mask); typedef void (GLAPIENTRY * PFNGLSTENCILOPSEPARATEATIPROC) (GLenum face, GLenum sfail, GLenum dpfail, GLenum dppass); #define glStencilFuncSeparateATI GLEW_GET_FUN(__glewStencilFuncSeparateATI) #define glStencilOpSeparateATI GLEW_GET_FUN(__glewStencilOpSeparateATI) #define GLEW_ATI_separate_stencil GLEW_GET_VAR(__GLEW_ATI_separate_stencil) #endif /* GL_ATI_separate_stencil */ /* ----------------------- GL_ATI_shader_texture_lod ----------------------- */ #ifndef GL_ATI_shader_texture_lod #define GL_ATI_shader_texture_lod 1 #define GLEW_ATI_shader_texture_lod GLEW_GET_VAR(__GLEW_ATI_shader_texture_lod) #endif /* GL_ATI_shader_texture_lod */ /* ---------------------- GL_ATI_text_fragment_shader ---------------------- */ #ifndef GL_ATI_text_fragment_shader #define GL_ATI_text_fragment_shader 1 #define GL_TEXT_FRAGMENT_SHADER_ATI 0x8200 #define GLEW_ATI_text_fragment_shader GLEW_GET_VAR(__GLEW_ATI_text_fragment_shader) #endif /* GL_ATI_text_fragment_shader */ /* --------------------- GL_ATI_texture_compression_3dc -------------------- */ #ifndef GL_ATI_texture_compression_3dc #define GL_ATI_texture_compression_3dc 1 #define GL_COMPRESSED_LUMINANCE_ALPHA_3DC_ATI 0x8837 #define GLEW_ATI_texture_compression_3dc GLEW_GET_VAR(__GLEW_ATI_texture_compression_3dc) #endif /* GL_ATI_texture_compression_3dc */ /* ---------------------- GL_ATI_texture_env_combine3 ---------------------- */ #ifndef GL_ATI_texture_env_combine3 #define GL_ATI_texture_env_combine3 1 #define GL_MODULATE_ADD_ATI 0x8744 #define GL_MODULATE_SIGNED_ADD_ATI 0x8745 #define GL_MODULATE_SUBTRACT_ATI 0x8746 #define GLEW_ATI_texture_env_combine3 GLEW_GET_VAR(__GLEW_ATI_texture_env_combine3) #endif /* GL_ATI_texture_env_combine3 */ /* -------------------------- GL_ATI_texture_float ------------------------- */ #ifndef GL_ATI_texture_float #define GL_ATI_texture_float 1 #define GL_RGBA_FLOAT32_ATI 0x8814 #define GL_RGB_FLOAT32_ATI 0x8815 #define GL_ALPHA_FLOAT32_ATI 0x8816 #define GL_INTENSITY_FLOAT32_ATI 0x8817 #define GL_LUMINANCE_FLOAT32_ATI 0x8818 #define GL_LUMINANCE_ALPHA_FLOAT32_ATI 0x8819 #define GL_RGBA_FLOAT16_ATI 0x881A #define GL_RGB_FLOAT16_ATI 0x881B #define GL_ALPHA_FLOAT16_ATI 0x881C #define GL_INTENSITY_FLOAT16_ATI 0x881D #define GL_LUMINANCE_FLOAT16_ATI 0x881E #define GL_LUMINANCE_ALPHA_FLOAT16_ATI 0x881F #define GLEW_ATI_texture_float GLEW_GET_VAR(__GLEW_ATI_texture_float) #endif /* GL_ATI_texture_float */ /* ----------------------- GL_ATI_texture_mirror_once ---------------------- */ #ifndef GL_ATI_texture_mirror_once #define GL_ATI_texture_mirror_once 1 #define GL_MIRROR_CLAMP_ATI 0x8742 #define GL_MIRROR_CLAMP_TO_EDGE_ATI 0x8743 #define GLEW_ATI_texture_mirror_once GLEW_GET_VAR(__GLEW_ATI_texture_mirror_once) #endif /* GL_ATI_texture_mirror_once */ /* ----------------------- GL_ATI_vertex_array_object ---------------------- */ #ifndef GL_ATI_vertex_array_object #define GL_ATI_vertex_array_object 1 #define GL_STATIC_ATI 0x8760 #define GL_DYNAMIC_ATI 0x8761 #define GL_PRESERVE_ATI 0x8762 #define GL_DISCARD_ATI 0x8763 #define GL_OBJECT_BUFFER_SIZE_ATI 0x8764 #define GL_OBJECT_BUFFER_USAGE_ATI 0x8765 #define GL_ARRAY_OBJECT_BUFFER_ATI 0x8766 #define GL_ARRAY_OBJECT_OFFSET_ATI 0x8767 typedef void (GLAPIENTRY * PFNGLARRAYOBJECTATIPROC) (GLenum array, GLint size, GLenum type, GLsizei stride, GLuint buffer, GLuint offset); typedef void (GLAPIENTRY * PFNGLFREEOBJECTBUFFERATIPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLGETARRAYOBJECTFVATIPROC) (GLenum array, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETARRAYOBJECTIVATIPROC) (GLenum array, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETOBJECTBUFFERFVATIPROC) (GLuint buffer, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETOBJECTBUFFERIVATIPROC) (GLuint buffer, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVARIANTARRAYOBJECTFVATIPROC) (GLuint id, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETVARIANTARRAYOBJECTIVATIPROC) (GLuint id, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISOBJECTBUFFERATIPROC) (GLuint buffer); typedef GLuint (GLAPIENTRY * PFNGLNEWOBJECTBUFFERATIPROC) (GLsizei size, const void *pointer, GLenum usage); typedef void (GLAPIENTRY * PFNGLUPDATEOBJECTBUFFERATIPROC) (GLuint buffer, GLuint offset, GLsizei size, const void *pointer, GLenum preserve); typedef void (GLAPIENTRY * PFNGLVARIANTARRAYOBJECTATIPROC) (GLuint id, GLenum type, GLsizei stride, GLuint buffer, GLuint offset); #define glArrayObjectATI GLEW_GET_FUN(__glewArrayObjectATI) #define glFreeObjectBufferATI GLEW_GET_FUN(__glewFreeObjectBufferATI) #define glGetArrayObjectfvATI GLEW_GET_FUN(__glewGetArrayObjectfvATI) #define glGetArrayObjectivATI GLEW_GET_FUN(__glewGetArrayObjectivATI) #define glGetObjectBufferfvATI GLEW_GET_FUN(__glewGetObjectBufferfvATI) #define glGetObjectBufferivATI GLEW_GET_FUN(__glewGetObjectBufferivATI) #define glGetVariantArrayObjectfvATI GLEW_GET_FUN(__glewGetVariantArrayObjectfvATI) #define glGetVariantArrayObjectivATI GLEW_GET_FUN(__glewGetVariantArrayObjectivATI) #define glIsObjectBufferATI GLEW_GET_FUN(__glewIsObjectBufferATI) #define glNewObjectBufferATI GLEW_GET_FUN(__glewNewObjectBufferATI) #define glUpdateObjectBufferATI GLEW_GET_FUN(__glewUpdateObjectBufferATI) #define glVariantArrayObjectATI GLEW_GET_FUN(__glewVariantArrayObjectATI) #define GLEW_ATI_vertex_array_object GLEW_GET_VAR(__GLEW_ATI_vertex_array_object) #endif /* GL_ATI_vertex_array_object */ /* ------------------- GL_ATI_vertex_attrib_array_object ------------------- */ #ifndef GL_ATI_vertex_attrib_array_object #define GL_ATI_vertex_attrib_array_object 1 typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBARRAYOBJECTFVATIPROC) (GLuint index, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBARRAYOBJECTIVATIPROC) (GLuint index, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBARRAYOBJECTATIPROC) (GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, GLuint buffer, GLuint offset); #define glGetVertexAttribArrayObjectfvATI GLEW_GET_FUN(__glewGetVertexAttribArrayObjectfvATI) #define glGetVertexAttribArrayObjectivATI GLEW_GET_FUN(__glewGetVertexAttribArrayObjectivATI) #define glVertexAttribArrayObjectATI GLEW_GET_FUN(__glewVertexAttribArrayObjectATI) #define GLEW_ATI_vertex_attrib_array_object GLEW_GET_VAR(__GLEW_ATI_vertex_attrib_array_object) #endif /* GL_ATI_vertex_attrib_array_object */ /* ------------------------- GL_ATI_vertex_streams ------------------------- */ #ifndef GL_ATI_vertex_streams #define GL_ATI_vertex_streams 1 #define GL_MAX_VERTEX_STREAMS_ATI 0x876B #define GL_VERTEX_SOURCE_ATI 0x876C #define GL_VERTEX_STREAM0_ATI 0x876D #define GL_VERTEX_STREAM1_ATI 0x876E #define GL_VERTEX_STREAM2_ATI 0x876F #define GL_VERTEX_STREAM3_ATI 0x8770 #define GL_VERTEX_STREAM4_ATI 0x8771 #define GL_VERTEX_STREAM5_ATI 0x8772 #define GL_VERTEX_STREAM6_ATI 0x8773 #define GL_VERTEX_STREAM7_ATI 0x8774 typedef void (GLAPIENTRY * PFNGLCLIENTACTIVEVERTEXSTREAMATIPROC) (GLenum stream); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3BATIPROC) (GLenum stream, GLbyte x, GLbyte y, GLbyte z); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3BVATIPROC) (GLenum stream, const GLbyte *coords); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3DATIPROC) (GLenum stream, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3DVATIPROC) (GLenum stream, const GLdouble *coords); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3FATIPROC) (GLenum stream, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3FVATIPROC) (GLenum stream, const GLfloat *coords); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3IATIPROC) (GLenum stream, GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3IVATIPROC) (GLenum stream, const GLint *coords); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3SATIPROC) (GLenum stream, GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLNORMALSTREAM3SVATIPROC) (GLenum stream, const GLshort *coords); typedef void (GLAPIENTRY * PFNGLVERTEXBLENDENVFATIPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLVERTEXBLENDENVIATIPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1DATIPROC) (GLenum stream, GLdouble x); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1DVATIPROC) (GLenum stream, const GLdouble *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1FATIPROC) (GLenum stream, GLfloat x); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1FVATIPROC) (GLenum stream, const GLfloat *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1IATIPROC) (GLenum stream, GLint x); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1IVATIPROC) (GLenum stream, const GLint *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1SATIPROC) (GLenum stream, GLshort x); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM1SVATIPROC) (GLenum stream, const GLshort *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2DATIPROC) (GLenum stream, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2DVATIPROC) (GLenum stream, const GLdouble *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2FATIPROC) (GLenum stream, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2FVATIPROC) (GLenum stream, const GLfloat *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2IATIPROC) (GLenum stream, GLint x, GLint y); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2IVATIPROC) (GLenum stream, const GLint *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2SATIPROC) (GLenum stream, GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM2SVATIPROC) (GLenum stream, const GLshort *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3DATIPROC) (GLenum stream, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3DVATIPROC) (GLenum stream, const GLdouble *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3FATIPROC) (GLenum stream, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3FVATIPROC) (GLenum stream, const GLfloat *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3IATIPROC) (GLenum stream, GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3IVATIPROC) (GLenum stream, const GLint *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3SATIPROC) (GLenum stream, GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM3SVATIPROC) (GLenum stream, const GLshort *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4DATIPROC) (GLenum stream, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4DVATIPROC) (GLenum stream, const GLdouble *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4FATIPROC) (GLenum stream, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4FVATIPROC) (GLenum stream, const GLfloat *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4IATIPROC) (GLenum stream, GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4IVATIPROC) (GLenum stream, const GLint *coords); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4SATIPROC) (GLenum stream, GLshort x, GLshort y, GLshort z, GLshort w); typedef void (GLAPIENTRY * PFNGLVERTEXSTREAM4SVATIPROC) (GLenum stream, const GLshort *coords); #define glClientActiveVertexStreamATI GLEW_GET_FUN(__glewClientActiveVertexStreamATI) #define glNormalStream3bATI GLEW_GET_FUN(__glewNormalStream3bATI) #define glNormalStream3bvATI GLEW_GET_FUN(__glewNormalStream3bvATI) #define glNormalStream3dATI GLEW_GET_FUN(__glewNormalStream3dATI) #define glNormalStream3dvATI GLEW_GET_FUN(__glewNormalStream3dvATI) #define glNormalStream3fATI GLEW_GET_FUN(__glewNormalStream3fATI) #define glNormalStream3fvATI GLEW_GET_FUN(__glewNormalStream3fvATI) #define glNormalStream3iATI GLEW_GET_FUN(__glewNormalStream3iATI) #define glNormalStream3ivATI GLEW_GET_FUN(__glewNormalStream3ivATI) #define glNormalStream3sATI GLEW_GET_FUN(__glewNormalStream3sATI) #define glNormalStream3svATI GLEW_GET_FUN(__glewNormalStream3svATI) #define glVertexBlendEnvfATI GLEW_GET_FUN(__glewVertexBlendEnvfATI) #define glVertexBlendEnviATI GLEW_GET_FUN(__glewVertexBlendEnviATI) #define glVertexStream1dATI GLEW_GET_FUN(__glewVertexStream1dATI) #define glVertexStream1dvATI GLEW_GET_FUN(__glewVertexStream1dvATI) #define glVertexStream1fATI GLEW_GET_FUN(__glewVertexStream1fATI) #define glVertexStream1fvATI GLEW_GET_FUN(__glewVertexStream1fvATI) #define glVertexStream1iATI GLEW_GET_FUN(__glewVertexStream1iATI) #define glVertexStream1ivATI GLEW_GET_FUN(__glewVertexStream1ivATI) #define glVertexStream1sATI GLEW_GET_FUN(__glewVertexStream1sATI) #define glVertexStream1svATI GLEW_GET_FUN(__glewVertexStream1svATI) #define glVertexStream2dATI GLEW_GET_FUN(__glewVertexStream2dATI) #define glVertexStream2dvATI GLEW_GET_FUN(__glewVertexStream2dvATI) #define glVertexStream2fATI GLEW_GET_FUN(__glewVertexStream2fATI) #define glVertexStream2fvATI GLEW_GET_FUN(__glewVertexStream2fvATI) #define glVertexStream2iATI GLEW_GET_FUN(__glewVertexStream2iATI) #define glVertexStream2ivATI GLEW_GET_FUN(__glewVertexStream2ivATI) #define glVertexStream2sATI GLEW_GET_FUN(__glewVertexStream2sATI) #define glVertexStream2svATI GLEW_GET_FUN(__glewVertexStream2svATI) #define glVertexStream3dATI GLEW_GET_FUN(__glewVertexStream3dATI) #define glVertexStream3dvATI GLEW_GET_FUN(__glewVertexStream3dvATI) #define glVertexStream3fATI GLEW_GET_FUN(__glewVertexStream3fATI) #define glVertexStream3fvATI GLEW_GET_FUN(__glewVertexStream3fvATI) #define glVertexStream3iATI GLEW_GET_FUN(__glewVertexStream3iATI) #define glVertexStream3ivATI GLEW_GET_FUN(__glewVertexStream3ivATI) #define glVertexStream3sATI GLEW_GET_FUN(__glewVertexStream3sATI) #define glVertexStream3svATI GLEW_GET_FUN(__glewVertexStream3svATI) #define glVertexStream4dATI GLEW_GET_FUN(__glewVertexStream4dATI) #define glVertexStream4dvATI GLEW_GET_FUN(__glewVertexStream4dvATI) #define glVertexStream4fATI GLEW_GET_FUN(__glewVertexStream4fATI) #define glVertexStream4fvATI GLEW_GET_FUN(__glewVertexStream4fvATI) #define glVertexStream4iATI GLEW_GET_FUN(__glewVertexStream4iATI) #define glVertexStream4ivATI GLEW_GET_FUN(__glewVertexStream4ivATI) #define glVertexStream4sATI GLEW_GET_FUN(__glewVertexStream4sATI) #define glVertexStream4svATI GLEW_GET_FUN(__glewVertexStream4svATI) #define GLEW_ATI_vertex_streams GLEW_GET_VAR(__GLEW_ATI_vertex_streams) #endif /* GL_ATI_vertex_streams */ /* -------------------- GL_EGL_KHR_context_flush_control ------------------- */ #ifndef GL_EGL_KHR_context_flush_control #define GL_EGL_KHR_context_flush_control 1 #define GLEW_EGL_KHR_context_flush_control GLEW_GET_VAR(__GLEW_EGL_KHR_context_flush_control) #endif /* GL_EGL_KHR_context_flush_control */ /* ---------------- GL_EGL_NV_robustness_video_memory_purge ---------------- */ #ifndef GL_EGL_NV_robustness_video_memory_purge #define GL_EGL_NV_robustness_video_memory_purge 1 #define GL_EGL_GENERATE_RESET_ON_VIDEO_MEMORY_PURGE_NV 0x334C #define GL_PURGED_CONTEXT_RESET_NV 0x92BB #define GLEW_EGL_NV_robustness_video_memory_purge GLEW_GET_VAR(__GLEW_EGL_NV_robustness_video_memory_purge) #endif /* GL_EGL_NV_robustness_video_memory_purge */ /* --------------------------- GL_EXT_422_pixels --------------------------- */ #ifndef GL_EXT_422_pixels #define GL_EXT_422_pixels 1 #define GL_422_EXT 0x80CC #define GL_422_REV_EXT 0x80CD #define GL_422_AVERAGE_EXT 0x80CE #define GL_422_REV_AVERAGE_EXT 0x80CF #define GLEW_EXT_422_pixels GLEW_GET_VAR(__GLEW_EXT_422_pixels) #endif /* GL_EXT_422_pixels */ /* ---------------------------- GL_EXT_Cg_shader --------------------------- */ #ifndef GL_EXT_Cg_shader #define GL_EXT_Cg_shader 1 #define GL_CG_VERTEX_SHADER_EXT 0x890E #define GL_CG_FRAGMENT_SHADER_EXT 0x890F #define GLEW_EXT_Cg_shader GLEW_GET_VAR(__GLEW_EXT_Cg_shader) #endif /* GL_EXT_Cg_shader */ /* ------------------------- GL_EXT_EGL_image_array ------------------------ */ #ifndef GL_EXT_EGL_image_array #define GL_EXT_EGL_image_array 1 #define GLEW_EXT_EGL_image_array GLEW_GET_VAR(__GLEW_EXT_EGL_image_array) #endif /* GL_EXT_EGL_image_array */ /* --------------------------- GL_EXT_YUV_target --------------------------- */ #ifndef GL_EXT_YUV_target #define GL_EXT_YUV_target 1 #define GL_SAMPLER_EXTERNAL_2D_Y2Y_EXT 0x8BE7 #define GLEW_EXT_YUV_target GLEW_GET_VAR(__GLEW_EXT_YUV_target) #endif /* GL_EXT_YUV_target */ /* ------------------------------ GL_EXT_abgr ------------------------------ */ #ifndef GL_EXT_abgr #define GL_EXT_abgr 1 #define GL_ABGR_EXT 0x8000 #define GLEW_EXT_abgr GLEW_GET_VAR(__GLEW_EXT_abgr) #endif /* GL_EXT_abgr */ /* -------------------------- GL_EXT_base_instance ------------------------- */ #ifndef GL_EXT_base_instance #define GL_EXT_base_instance 1 typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEEXTPROC) (GLenum mode, GLint first, GLsizei count, GLsizei instancecount, GLuint baseinstance); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEEXTPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei instancecount, GLuint baseinstance); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEEXTPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei instancecount, GLint basevertex, GLuint baseinstance); #define glDrawArraysInstancedBaseInstanceEXT GLEW_GET_FUN(__glewDrawArraysInstancedBaseInstanceEXT) #define glDrawElementsInstancedBaseInstanceEXT GLEW_GET_FUN(__glewDrawElementsInstancedBaseInstanceEXT) #define glDrawElementsInstancedBaseVertexBaseInstanceEXT GLEW_GET_FUN(__glewDrawElementsInstancedBaseVertexBaseInstanceEXT) #define GLEW_EXT_base_instance GLEW_GET_VAR(__GLEW_EXT_base_instance) #endif /* GL_EXT_base_instance */ /* ------------------------------ GL_EXT_bgra ------------------------------ */ #ifndef GL_EXT_bgra #define GL_EXT_bgra 1 #define GL_BGR_EXT 0x80E0 #define GL_BGRA_EXT 0x80E1 #define GLEW_EXT_bgra GLEW_GET_VAR(__GLEW_EXT_bgra) #endif /* GL_EXT_bgra */ /* ------------------------ GL_EXT_bindable_uniform ------------------------ */ #ifndef GL_EXT_bindable_uniform #define GL_EXT_bindable_uniform 1 #define GL_MAX_VERTEX_BINDABLE_UNIFORMS_EXT 0x8DE2 #define GL_MAX_FRAGMENT_BINDABLE_UNIFORMS_EXT 0x8DE3 #define GL_MAX_GEOMETRY_BINDABLE_UNIFORMS_EXT 0x8DE4 #define GL_MAX_BINDABLE_UNIFORM_SIZE_EXT 0x8DED #define GL_UNIFORM_BUFFER_EXT 0x8DEE #define GL_UNIFORM_BUFFER_BINDING_EXT 0x8DEF typedef GLint (GLAPIENTRY * PFNGLGETUNIFORMBUFFERSIZEEXTPROC) (GLuint program, GLint location); typedef GLintptr (GLAPIENTRY * PFNGLGETUNIFORMOFFSETEXTPROC) (GLuint program, GLint location); typedef void (GLAPIENTRY * PFNGLUNIFORMBUFFEREXTPROC) (GLuint program, GLint location, GLuint buffer); #define glGetUniformBufferSizeEXT GLEW_GET_FUN(__glewGetUniformBufferSizeEXT) #define glGetUniformOffsetEXT GLEW_GET_FUN(__glewGetUniformOffsetEXT) #define glUniformBufferEXT GLEW_GET_FUN(__glewUniformBufferEXT) #define GLEW_EXT_bindable_uniform GLEW_GET_VAR(__GLEW_EXT_bindable_uniform) #endif /* GL_EXT_bindable_uniform */ /* --------------------------- GL_EXT_blend_color -------------------------- */ #ifndef GL_EXT_blend_color #define GL_EXT_blend_color 1 #define GL_CONSTANT_COLOR_EXT 0x8001 #define GL_ONE_MINUS_CONSTANT_COLOR_EXT 0x8002 #define GL_CONSTANT_ALPHA_EXT 0x8003 #define GL_ONE_MINUS_CONSTANT_ALPHA_EXT 0x8004 #define GL_BLEND_COLOR_EXT 0x8005 typedef void (GLAPIENTRY * PFNGLBLENDCOLOREXTPROC) (GLclampf red, GLclampf green, GLclampf blue, GLclampf alpha); #define glBlendColorEXT GLEW_GET_FUN(__glewBlendColorEXT) #define GLEW_EXT_blend_color GLEW_GET_VAR(__GLEW_EXT_blend_color) #endif /* GL_EXT_blend_color */ /* --------------------- GL_EXT_blend_equation_separate -------------------- */ #ifndef GL_EXT_blend_equation_separate #define GL_EXT_blend_equation_separate 1 #define GL_BLEND_EQUATION_RGB_EXT 0x8009 #define GL_BLEND_EQUATION_ALPHA_EXT 0x883D typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONSEPARATEEXTPROC) (GLenum modeRGB, GLenum modeAlpha); #define glBlendEquationSeparateEXT GLEW_GET_FUN(__glewBlendEquationSeparateEXT) #define GLEW_EXT_blend_equation_separate GLEW_GET_VAR(__GLEW_EXT_blend_equation_separate) #endif /* GL_EXT_blend_equation_separate */ /* ----------------------- GL_EXT_blend_func_extended ---------------------- */ #ifndef GL_EXT_blend_func_extended #define GL_EXT_blend_func_extended 1 #define GL_SRC_ALPHA_SATURATE_EXT 0x0308 #define GL_SRC1_ALPHA_EXT 0x8589 #define GL_SRC1_COLOR_EXT 0x88F9 #define GL_ONE_MINUS_SRC1_COLOR_EXT 0x88FA #define GL_ONE_MINUS_SRC1_ALPHA_EXT 0x88FB #define GL_MAX_DUAL_SOURCE_DRAW_BUFFERS_EXT 0x88FC #define GL_LOCATION_INDEX_EXT 0x930F typedef void (GLAPIENTRY * PFNGLBINDFRAGDATALOCATIONINDEXEDEXTPROC) (GLuint program, GLuint colorNumber, GLuint index, const GLchar * name); typedef GLint (GLAPIENTRY * PFNGLGETFRAGDATAINDEXEXTPROC) (GLuint program, const GLchar * name); typedef GLint (GLAPIENTRY * PFNGLGETPROGRAMRESOURCELOCATIONINDEXEXTPROC) (GLuint program, GLenum programInterface, const GLchar* name); #define glBindFragDataLocationIndexedEXT GLEW_GET_FUN(__glewBindFragDataLocationIndexedEXT) #define glGetFragDataIndexEXT GLEW_GET_FUN(__glewGetFragDataIndexEXT) #define glGetProgramResourceLocationIndexEXT GLEW_GET_FUN(__glewGetProgramResourceLocationIndexEXT) #define GLEW_EXT_blend_func_extended GLEW_GET_VAR(__GLEW_EXT_blend_func_extended) #endif /* GL_EXT_blend_func_extended */ /* ----------------------- GL_EXT_blend_func_separate ---------------------- */ #ifndef GL_EXT_blend_func_separate #define GL_EXT_blend_func_separate 1 #define GL_BLEND_DST_RGB_EXT 0x80C8 #define GL_BLEND_SRC_RGB_EXT 0x80C9 #define GL_BLEND_DST_ALPHA_EXT 0x80CA #define GL_BLEND_SRC_ALPHA_EXT 0x80CB typedef void (GLAPIENTRY * PFNGLBLENDFUNCSEPARATEEXTPROC) (GLenum sfactorRGB, GLenum dfactorRGB, GLenum sfactorAlpha, GLenum dfactorAlpha); #define glBlendFuncSeparateEXT GLEW_GET_FUN(__glewBlendFuncSeparateEXT) #define GLEW_EXT_blend_func_separate GLEW_GET_VAR(__GLEW_EXT_blend_func_separate) #endif /* GL_EXT_blend_func_separate */ /* ------------------------- GL_EXT_blend_logic_op ------------------------- */ #ifndef GL_EXT_blend_logic_op #define GL_EXT_blend_logic_op 1 #define GLEW_EXT_blend_logic_op GLEW_GET_VAR(__GLEW_EXT_blend_logic_op) #endif /* GL_EXT_blend_logic_op */ /* -------------------------- GL_EXT_blend_minmax -------------------------- */ #ifndef GL_EXT_blend_minmax #define GL_EXT_blend_minmax 1 #define GL_FUNC_ADD_EXT 0x8006 #define GL_MIN_EXT 0x8007 #define GL_MAX_EXT 0x8008 #define GL_BLEND_EQUATION_EXT 0x8009 typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONEXTPROC) (GLenum mode); #define glBlendEquationEXT GLEW_GET_FUN(__glewBlendEquationEXT) #define GLEW_EXT_blend_minmax GLEW_GET_VAR(__GLEW_EXT_blend_minmax) #endif /* GL_EXT_blend_minmax */ /* ------------------------- GL_EXT_blend_subtract ------------------------- */ #ifndef GL_EXT_blend_subtract #define GL_EXT_blend_subtract 1 #define GL_FUNC_SUBTRACT_EXT 0x800A #define GL_FUNC_REVERSE_SUBTRACT_EXT 0x800B #define GLEW_EXT_blend_subtract GLEW_GET_VAR(__GLEW_EXT_blend_subtract) #endif /* GL_EXT_blend_subtract */ /* ------------------------- GL_EXT_buffer_storage ------------------------- */ #ifndef GL_EXT_buffer_storage #define GL_EXT_buffer_storage 1 #define GL_MAP_READ_BIT 0x0001 #define GL_MAP_WRITE_BIT 0x0002 #define GL_MAP_PERSISTENT_BIT_EXT 0x0040 #define GL_MAP_COHERENT_BIT_EXT 0x0080 #define GL_DYNAMIC_STORAGE_BIT_EXT 0x0100 #define GL_CLIENT_STORAGE_BIT_EXT 0x0200 #define GL_CLIENT_MAPPED_BUFFER_BARRIER_BIT_EXT 0x00004000 #define GL_BUFFER_IMMUTABLE_STORAGE_EXT 0x821F #define GL_BUFFER_STORAGE_FLAGS_EXT 0x8220 typedef void (GLAPIENTRY * PFNGLBUFFERSTORAGEEXTPROC) (GLenum target, GLsizeiptr size, const void *data, GLbitfield flags); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERSTORAGEEXTPROC) (GLuint buffer, GLsizeiptr size, const void *data, GLbitfield flags); #define glBufferStorageEXT GLEW_GET_FUN(__glewBufferStorageEXT) #define glNamedBufferStorageEXT GLEW_GET_FUN(__glewNamedBufferStorageEXT) #define GLEW_EXT_buffer_storage GLEW_GET_VAR(__GLEW_EXT_buffer_storage) #endif /* GL_EXT_buffer_storage */ /* -------------------------- GL_EXT_clear_texture ------------------------- */ #ifndef GL_EXT_clear_texture #define GL_EXT_clear_texture 1 typedef void (GLAPIENTRY * PFNGLCLEARTEXIMAGEEXTPROC) (GLuint texture, GLint level, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCLEARTEXSUBIMAGEEXTPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *data); #define glClearTexImageEXT GLEW_GET_FUN(__glewClearTexImageEXT) #define glClearTexSubImageEXT GLEW_GET_FUN(__glewClearTexSubImageEXT) #define GLEW_EXT_clear_texture GLEW_GET_VAR(__GLEW_EXT_clear_texture) #endif /* GL_EXT_clear_texture */ /* ----------------------- GL_EXT_clip_cull_distance ----------------------- */ #ifndef GL_EXT_clip_cull_distance #define GL_EXT_clip_cull_distance 1 #define GL_MAX_CLIP_DISTANCES_EXT 0x0D32 #define GL_CLIP_DISTANCE0_EXT 0x3000 #define GL_CLIP_DISTANCE1_EXT 0x3001 #define GL_CLIP_DISTANCE2_EXT 0x3002 #define GL_CLIP_DISTANCE3_EXT 0x3003 #define GL_CLIP_DISTANCE4_EXT 0x3004 #define GL_CLIP_DISTANCE5_EXT 0x3005 #define GL_CLIP_DISTANCE6_EXT 0x3006 #define GL_CLIP_DISTANCE7_EXT 0x3007 #define GL_MAX_CULL_DISTANCES_EXT 0x82F9 #define GL_MAX_COMBINED_CLIP_AND_CULL_DISTANCES_EXT 0x82FA #define GLEW_EXT_clip_cull_distance GLEW_GET_VAR(__GLEW_EXT_clip_cull_distance) #endif /* GL_EXT_clip_cull_distance */ /* ------------------------ GL_EXT_clip_volume_hint ------------------------ */ #ifndef GL_EXT_clip_volume_hint #define GL_EXT_clip_volume_hint 1 #define GL_CLIP_VOLUME_CLIPPING_HINT_EXT 0x80F0 #define GLEW_EXT_clip_volume_hint GLEW_GET_VAR(__GLEW_EXT_clip_volume_hint) #endif /* GL_EXT_clip_volume_hint */ /* ------------------------------ GL_EXT_cmyka ----------------------------- */ #ifndef GL_EXT_cmyka #define GL_EXT_cmyka 1 #define GL_CMYK_EXT 0x800C #define GL_CMYKA_EXT 0x800D #define GL_PACK_CMYK_HINT_EXT 0x800E #define GL_UNPACK_CMYK_HINT_EXT 0x800F #define GLEW_EXT_cmyka GLEW_GET_VAR(__GLEW_EXT_cmyka) #endif /* GL_EXT_cmyka */ /* ----------------------- GL_EXT_color_buffer_float ----------------------- */ #ifndef GL_EXT_color_buffer_float #define GL_EXT_color_buffer_float 1 #define GLEW_EXT_color_buffer_float GLEW_GET_VAR(__GLEW_EXT_color_buffer_float) #endif /* GL_EXT_color_buffer_float */ /* --------------------- GL_EXT_color_buffer_half_float -------------------- */ #ifndef GL_EXT_color_buffer_half_float #define GL_EXT_color_buffer_half_float 1 #define GL_FRAMEBUFFER_ATTACHMENT_COMPONENT_TYPE_EXT 0x8211 #define GL_R16F_EXT 0x822D #define GL_RG16F_EXT 0x822F #define GL_RGBA16F_EXT 0x881A #define GL_RGB16F_EXT 0x881B #define GL_UNSIGNED_NORMALIZED_EXT 0x8C17 #define GLEW_EXT_color_buffer_half_float GLEW_GET_VAR(__GLEW_EXT_color_buffer_half_float) #endif /* GL_EXT_color_buffer_half_float */ /* ------------------------- GL_EXT_color_subtable ------------------------- */ #ifndef GL_EXT_color_subtable #define GL_EXT_color_subtable 1 typedef void (GLAPIENTRY * PFNGLCOLORSUBTABLEEXTPROC) (GLenum target, GLsizei start, GLsizei count, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLCOPYCOLORSUBTABLEEXTPROC) (GLenum target, GLsizei start, GLint x, GLint y, GLsizei width); #define glColorSubTableEXT GLEW_GET_FUN(__glewColorSubTableEXT) #define glCopyColorSubTableEXT GLEW_GET_FUN(__glewCopyColorSubTableEXT) #define GLEW_EXT_color_subtable GLEW_GET_VAR(__GLEW_EXT_color_subtable) #endif /* GL_EXT_color_subtable */ /* ---------------------- GL_EXT_compiled_vertex_array --------------------- */ #ifndef GL_EXT_compiled_vertex_array #define GL_EXT_compiled_vertex_array 1 #define GL_ARRAY_ELEMENT_LOCK_FIRST_EXT 0x81A8 #define GL_ARRAY_ELEMENT_LOCK_COUNT_EXT 0x81A9 typedef void (GLAPIENTRY * PFNGLLOCKARRAYSEXTPROC) (GLint first, GLsizei count); typedef void (GLAPIENTRY * PFNGLUNLOCKARRAYSEXTPROC) (void); #define glLockArraysEXT GLEW_GET_FUN(__glewLockArraysEXT) #define glUnlockArraysEXT GLEW_GET_FUN(__glewUnlockArraysEXT) #define GLEW_EXT_compiled_vertex_array GLEW_GET_VAR(__GLEW_EXT_compiled_vertex_array) #endif /* GL_EXT_compiled_vertex_array */ /* ---------------- GL_EXT_compressed_ETC1_RGB8_sub_texture ---------------- */ #ifndef GL_EXT_compressed_ETC1_RGB8_sub_texture #define GL_EXT_compressed_ETC1_RGB8_sub_texture 1 #define GLEW_EXT_compressed_ETC1_RGB8_sub_texture GLEW_GET_VAR(__GLEW_EXT_compressed_ETC1_RGB8_sub_texture) #endif /* GL_EXT_compressed_ETC1_RGB8_sub_texture */ /* ----------------------- GL_EXT_conservative_depth ----------------------- */ #ifndef GL_EXT_conservative_depth #define GL_EXT_conservative_depth 1 #define GLEW_EXT_conservative_depth GLEW_GET_VAR(__GLEW_EXT_conservative_depth) #endif /* GL_EXT_conservative_depth */ /* --------------------------- GL_EXT_convolution -------------------------- */ #ifndef GL_EXT_convolution #define GL_EXT_convolution 1 #define GL_CONVOLUTION_1D_EXT 0x8010 #define GL_CONVOLUTION_2D_EXT 0x8011 #define GL_SEPARABLE_2D_EXT 0x8012 #define GL_CONVOLUTION_BORDER_MODE_EXT 0x8013 #define GL_CONVOLUTION_FILTER_SCALE_EXT 0x8014 #define GL_CONVOLUTION_FILTER_BIAS_EXT 0x8015 #define GL_REDUCE_EXT 0x8016 #define GL_CONVOLUTION_FORMAT_EXT 0x8017 #define GL_CONVOLUTION_WIDTH_EXT 0x8018 #define GL_CONVOLUTION_HEIGHT_EXT 0x8019 #define GL_MAX_CONVOLUTION_WIDTH_EXT 0x801A #define GL_MAX_CONVOLUTION_HEIGHT_EXT 0x801B #define GL_POST_CONVOLUTION_RED_SCALE_EXT 0x801C #define GL_POST_CONVOLUTION_GREEN_SCALE_EXT 0x801D #define GL_POST_CONVOLUTION_BLUE_SCALE_EXT 0x801E #define GL_POST_CONVOLUTION_ALPHA_SCALE_EXT 0x801F #define GL_POST_CONVOLUTION_RED_BIAS_EXT 0x8020 #define GL_POST_CONVOLUTION_GREEN_BIAS_EXT 0x8021 #define GL_POST_CONVOLUTION_BLUE_BIAS_EXT 0x8022 #define GL_POST_CONVOLUTION_ALPHA_BIAS_EXT 0x8023 typedef void (GLAPIENTRY * PFNGLCONVOLUTIONFILTER1DEXTPROC) (GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void *image); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONFILTER2DEXTPROC) (GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *image); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERFEXTPROC) (GLenum target, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERFVEXTPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERIEXTPROC) (GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLCONVOLUTIONPARAMETERIVEXTPROC) (GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLCOPYCONVOLUTIONFILTER1DEXTPROC) (GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYCONVOLUTIONFILTER2DEXTPROC) (GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLGETCONVOLUTIONFILTEREXTPROC) (GLenum target, GLenum format, GLenum type, void *image); typedef void (GLAPIENTRY * PFNGLGETCONVOLUTIONPARAMETERFVEXTPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETCONVOLUTIONPARAMETERIVEXTPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETSEPARABLEFILTEREXTPROC) (GLenum target, GLenum format, GLenum type, void *row, void *column, void *span); typedef void (GLAPIENTRY * PFNGLSEPARABLEFILTER2DEXTPROC) (GLenum target, GLenum internalformat, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *row, const void *column); #define glConvolutionFilter1DEXT GLEW_GET_FUN(__glewConvolutionFilter1DEXT) #define glConvolutionFilter2DEXT GLEW_GET_FUN(__glewConvolutionFilter2DEXT) #define glConvolutionParameterfEXT GLEW_GET_FUN(__glewConvolutionParameterfEXT) #define glConvolutionParameterfvEXT GLEW_GET_FUN(__glewConvolutionParameterfvEXT) #define glConvolutionParameteriEXT GLEW_GET_FUN(__glewConvolutionParameteriEXT) #define glConvolutionParameterivEXT GLEW_GET_FUN(__glewConvolutionParameterivEXT) #define glCopyConvolutionFilter1DEXT GLEW_GET_FUN(__glewCopyConvolutionFilter1DEXT) #define glCopyConvolutionFilter2DEXT GLEW_GET_FUN(__glewCopyConvolutionFilter2DEXT) #define glGetConvolutionFilterEXT GLEW_GET_FUN(__glewGetConvolutionFilterEXT) #define glGetConvolutionParameterfvEXT GLEW_GET_FUN(__glewGetConvolutionParameterfvEXT) #define glGetConvolutionParameterivEXT GLEW_GET_FUN(__glewGetConvolutionParameterivEXT) #define glGetSeparableFilterEXT GLEW_GET_FUN(__glewGetSeparableFilterEXT) #define glSeparableFilter2DEXT GLEW_GET_FUN(__glewSeparableFilter2DEXT) #define GLEW_EXT_convolution GLEW_GET_VAR(__GLEW_EXT_convolution) #endif /* GL_EXT_convolution */ /* ------------------------ GL_EXT_coordinate_frame ------------------------ */ #ifndef GL_EXT_coordinate_frame #define GL_EXT_coordinate_frame 1 #define GL_TANGENT_ARRAY_EXT 0x8439 #define GL_BINORMAL_ARRAY_EXT 0x843A #define GL_CURRENT_TANGENT_EXT 0x843B #define GL_CURRENT_BINORMAL_EXT 0x843C #define GL_TANGENT_ARRAY_TYPE_EXT 0x843E #define GL_TANGENT_ARRAY_STRIDE_EXT 0x843F #define GL_BINORMAL_ARRAY_TYPE_EXT 0x8440 #define GL_BINORMAL_ARRAY_STRIDE_EXT 0x8441 #define GL_TANGENT_ARRAY_POINTER_EXT 0x8442 #define GL_BINORMAL_ARRAY_POINTER_EXT 0x8443 #define GL_MAP1_TANGENT_EXT 0x8444 #define GL_MAP2_TANGENT_EXT 0x8445 #define GL_MAP1_BINORMAL_EXT 0x8446 #define GL_MAP2_BINORMAL_EXT 0x8447 typedef void (GLAPIENTRY * PFNGLBINORMALPOINTEREXTPROC) (GLenum type, GLsizei stride, void *pointer); typedef void (GLAPIENTRY * PFNGLTANGENTPOINTEREXTPROC) (GLenum type, GLsizei stride, void *pointer); #define glBinormalPointerEXT GLEW_GET_FUN(__glewBinormalPointerEXT) #define glTangentPointerEXT GLEW_GET_FUN(__glewTangentPointerEXT) #define GLEW_EXT_coordinate_frame GLEW_GET_VAR(__GLEW_EXT_coordinate_frame) #endif /* GL_EXT_coordinate_frame */ /* --------------------------- GL_EXT_copy_image --------------------------- */ #ifndef GL_EXT_copy_image #define GL_EXT_copy_image 1 typedef void (GLAPIENTRY * PFNGLCOPYIMAGESUBDATAEXTPROC) (GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei srcWidth, GLsizei srcHeight, GLsizei srcDepth); #define glCopyImageSubDataEXT GLEW_GET_FUN(__glewCopyImageSubDataEXT) #define GLEW_EXT_copy_image GLEW_GET_VAR(__GLEW_EXT_copy_image) #endif /* GL_EXT_copy_image */ /* -------------------------- GL_EXT_copy_texture -------------------------- */ #ifndef GL_EXT_copy_texture #define GL_EXT_copy_texture 1 typedef void (GLAPIENTRY * PFNGLCOPYTEXIMAGE1DEXTPROC) (GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border); typedef void (GLAPIENTRY * PFNGLCOPYTEXIMAGE2DEXTPROC) (GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border); typedef void (GLAPIENTRY * PFNGLCOPYTEXSUBIMAGE1DEXTPROC) (GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYTEXSUBIMAGE2DEXTPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLCOPYTEXSUBIMAGE3DEXTPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height); #define glCopyTexImage1DEXT GLEW_GET_FUN(__glewCopyTexImage1DEXT) #define glCopyTexImage2DEXT GLEW_GET_FUN(__glewCopyTexImage2DEXT) #define glCopyTexSubImage1DEXT GLEW_GET_FUN(__glewCopyTexSubImage1DEXT) #define glCopyTexSubImage2DEXT GLEW_GET_FUN(__glewCopyTexSubImage2DEXT) #define glCopyTexSubImage3DEXT GLEW_GET_FUN(__glewCopyTexSubImage3DEXT) #define GLEW_EXT_copy_texture GLEW_GET_VAR(__GLEW_EXT_copy_texture) #endif /* GL_EXT_copy_texture */ /* --------------------------- GL_EXT_cull_vertex -------------------------- */ #ifndef GL_EXT_cull_vertex #define GL_EXT_cull_vertex 1 #define GL_CULL_VERTEX_EXT 0x81AA #define GL_CULL_VERTEX_EYE_POSITION_EXT 0x81AB #define GL_CULL_VERTEX_OBJECT_POSITION_EXT 0x81AC typedef void (GLAPIENTRY * PFNGLCULLPARAMETERDVEXTPROC) (GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLCULLPARAMETERFVEXTPROC) (GLenum pname, GLfloat* params); #define glCullParameterdvEXT GLEW_GET_FUN(__glewCullParameterdvEXT) #define glCullParameterfvEXT GLEW_GET_FUN(__glewCullParameterfvEXT) #define GLEW_EXT_cull_vertex GLEW_GET_VAR(__GLEW_EXT_cull_vertex) #endif /* GL_EXT_cull_vertex */ /* --------------------------- GL_EXT_debug_label -------------------------- */ #ifndef GL_EXT_debug_label #define GL_EXT_debug_label 1 #define GL_PROGRAM_PIPELINE_OBJECT_EXT 0x8A4F #define GL_PROGRAM_OBJECT_EXT 0x8B40 #define GL_SHADER_OBJECT_EXT 0x8B48 #define GL_BUFFER_OBJECT_EXT 0x9151 #define GL_QUERY_OBJECT_EXT 0x9153 #define GL_VERTEX_ARRAY_OBJECT_EXT 0x9154 typedef void (GLAPIENTRY * PFNGLGETOBJECTLABELEXTPROC) (GLenum type, GLuint object, GLsizei bufSize, GLsizei* length, GLchar *label); typedef void (GLAPIENTRY * PFNGLLABELOBJECTEXTPROC) (GLenum type, GLuint object, GLsizei length, const GLchar* label); #define glGetObjectLabelEXT GLEW_GET_FUN(__glewGetObjectLabelEXT) #define glLabelObjectEXT GLEW_GET_FUN(__glewLabelObjectEXT) #define GLEW_EXT_debug_label GLEW_GET_VAR(__GLEW_EXT_debug_label) #endif /* GL_EXT_debug_label */ /* -------------------------- GL_EXT_debug_marker -------------------------- */ #ifndef GL_EXT_debug_marker #define GL_EXT_debug_marker 1 typedef void (GLAPIENTRY * PFNGLINSERTEVENTMARKEREXTPROC) (GLsizei length, const GLchar* marker); typedef void (GLAPIENTRY * PFNGLPOPGROUPMARKEREXTPROC) (void); typedef void (GLAPIENTRY * PFNGLPUSHGROUPMARKEREXTPROC) (GLsizei length, const GLchar* marker); #define glInsertEventMarkerEXT GLEW_GET_FUN(__glewInsertEventMarkerEXT) #define glPopGroupMarkerEXT GLEW_GET_FUN(__glewPopGroupMarkerEXT) #define glPushGroupMarkerEXT GLEW_GET_FUN(__glewPushGroupMarkerEXT) #define GLEW_EXT_debug_marker GLEW_GET_VAR(__GLEW_EXT_debug_marker) #endif /* GL_EXT_debug_marker */ /* ------------------------ GL_EXT_depth_bounds_test ----------------------- */ #ifndef GL_EXT_depth_bounds_test #define GL_EXT_depth_bounds_test 1 #define GL_DEPTH_BOUNDS_TEST_EXT 0x8890 #define GL_DEPTH_BOUNDS_EXT 0x8891 typedef void (GLAPIENTRY * PFNGLDEPTHBOUNDSEXTPROC) (GLclampd zmin, GLclampd zmax); #define glDepthBoundsEXT GLEW_GET_FUN(__glewDepthBoundsEXT) #define GLEW_EXT_depth_bounds_test GLEW_GET_VAR(__GLEW_EXT_depth_bounds_test) #endif /* GL_EXT_depth_bounds_test */ /* ----------------------- GL_EXT_direct_state_access ---------------------- */ #ifndef GL_EXT_direct_state_access #define GL_EXT_direct_state_access 1 #define GL_PROGRAM_MATRIX_EXT 0x8E2D #define GL_TRANSPOSE_PROGRAM_MATRIX_EXT 0x8E2E #define GL_PROGRAM_MATRIX_STACK_DEPTH_EXT 0x8E2F typedef void (GLAPIENTRY * PFNGLBINDMULTITEXTUREEXTPROC) (GLenum texunit, GLenum target, GLuint texture); typedef GLenum (GLAPIENTRY * PFNGLCHECKNAMEDFRAMEBUFFERSTATUSEXTPROC) (GLuint framebuffer, GLenum target); typedef void (GLAPIENTRY * PFNGLCLIENTATTRIBDEFAULTEXTPROC) (GLbitfield mask); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDMULTITEXIMAGE1DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDMULTITEXIMAGE2DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDMULTITEXIMAGE3DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDMULTITEXSUBIMAGE1DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDMULTITEXSUBIMAGE2DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDMULTITEXSUBIMAGE3DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTUREIMAGE1DEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTUREIMAGE2DEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTUREIMAGE3DEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTURESUBIMAGE1DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTURESUBIMAGE2DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXTURESUBIMAGE3DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOPYMULTITEXIMAGE1DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border); typedef void (GLAPIENTRY * PFNGLCOPYMULTITEXIMAGE2DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border); typedef void (GLAPIENTRY * PFNGLCOPYMULTITEXSUBIMAGE1DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYMULTITEXSUBIMAGE2DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLCOPYMULTITEXSUBIMAGE3DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLCOPYTEXTUREIMAGE1DEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLint border); typedef void (GLAPIENTRY * PFNGLCOPYTEXTUREIMAGE2DEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum internalformat, GLint x, GLint y, GLsizei width, GLsizei height, GLint border); typedef void (GLAPIENTRY * PFNGLCOPYTEXTURESUBIMAGE1DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLCOPYTEXTURESUBIMAGE2DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLCOPYTEXTURESUBIMAGE3DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLDISABLECLIENTSTATEINDEXEDEXTPROC) (GLenum array, GLuint index); typedef void (GLAPIENTRY * PFNGLDISABLECLIENTSTATEIEXTPROC) (GLenum array, GLuint index); typedef void (GLAPIENTRY * PFNGLDISABLEVERTEXARRAYATTRIBEXTPROC) (GLuint vaobj, GLuint index); typedef void (GLAPIENTRY * PFNGLDISABLEVERTEXARRAYEXTPROC) (GLuint vaobj, GLenum array); typedef void (GLAPIENTRY * PFNGLENABLECLIENTSTATEINDEXEDEXTPROC) (GLenum array, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLECLIENTSTATEIEXTPROC) (GLenum array, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEVERTEXARRAYATTRIBEXTPROC) (GLuint vaobj, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEVERTEXARRAYEXTPROC) (GLuint vaobj, GLenum array); typedef void (GLAPIENTRY * PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEEXTPROC) (GLuint buffer, GLintptr offset, GLsizeiptr length); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERDRAWBUFFEREXTPROC) (GLuint framebuffer, GLenum mode); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERDRAWBUFFERSEXTPROC) (GLuint framebuffer, GLsizei n, const GLenum* bufs); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERREADBUFFEREXTPROC) (GLuint framebuffer, GLenum mode); typedef void (GLAPIENTRY * PFNGLGENERATEMULTITEXMIPMAPEXTPROC) (GLenum texunit, GLenum target); typedef void (GLAPIENTRY * PFNGLGENERATETEXTUREMIPMAPEXTPROC) (GLuint texture, GLenum target); typedef void (GLAPIENTRY * PFNGLGETCOMPRESSEDMULTITEXIMAGEEXTPROC) (GLenum texunit, GLenum target, GLint level, void *img); typedef void (GLAPIENTRY * PFNGLGETCOMPRESSEDTEXTUREIMAGEEXTPROC) (GLuint texture, GLenum target, GLint level, void *img); typedef void (GLAPIENTRY * PFNGLGETDOUBLEINDEXEDVEXTPROC) (GLenum target, GLuint index, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETDOUBLEI_VEXTPROC) (GLenum pname, GLuint index, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETFLOATINDEXEDVEXTPROC) (GLenum target, GLuint index, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETFLOATI_VEXTPROC) (GLenum pname, GLuint index, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETFRAMEBUFFERPARAMETERIVEXTPROC) (GLuint framebuffer, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETMULTITEXENVFVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXENVIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXGENDVEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXGENFVEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXGENIVEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXIMAGEEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum format, GLenum type, void *pixels); typedef void (GLAPIENTRY * PFNGLGETMULTITEXLEVELPARAMETERFVEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXLEVELPARAMETERIVEXTPROC) (GLenum texunit, GLenum target, GLint level, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXPARAMETERIIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXPARAMETERIUIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXPARAMETERFVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMULTITEXPARAMETERIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERPARAMETERIVEXTPROC) (GLuint buffer, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERPOINTERVEXTPROC) (GLuint buffer, GLenum pname, void** params); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERSUBDATAEXTPROC) (GLuint buffer, GLintptr offset, GLsizeiptr size, void *data); typedef void (GLAPIENTRY * PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC) (GLuint framebuffer, GLenum attachment, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDPROGRAMLOCALPARAMETERIIVEXTPROC) (GLuint program, GLenum target, GLuint index, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDPROGRAMLOCALPARAMETERIUIVEXTPROC) (GLuint program, GLenum target, GLuint index, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDPROGRAMLOCALPARAMETERDVEXTPROC) (GLuint program, GLenum target, GLuint index, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDPROGRAMLOCALPARAMETERFVEXTPROC) (GLuint program, GLenum target, GLuint index, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDPROGRAMSTRINGEXTPROC) (GLuint program, GLenum target, GLenum pname, void *string); typedef void (GLAPIENTRY * PFNGLGETNAMEDPROGRAMIVEXTPROC) (GLuint program, GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNAMEDRENDERBUFFERPARAMETERIVEXTPROC) (GLuint renderbuffer, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETPOINTERINDEXEDVEXTPROC) (GLenum target, GLuint index, void** params); typedef void (GLAPIENTRY * PFNGLGETPOINTERI_VEXTPROC) (GLenum pname, GLuint index, void** params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREIMAGEEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum format, GLenum type, void *pixels); typedef void (GLAPIENTRY * PFNGLGETTEXTURELEVELPARAMETERFVEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETTEXTURELEVELPARAMETERIVEXTPROC) (GLuint texture, GLenum target, GLint level, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERIIVEXTPROC) (GLuint texture, GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERIUIVEXTPROC) (GLuint texture, GLenum target, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERFVEXTPROC) (GLuint texture, GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETTEXTUREPARAMETERIVEXTPROC) (GLuint texture, GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYINTEGERI_VEXTPROC) (GLuint vaobj, GLuint index, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYINTEGERVEXTPROC) (GLuint vaobj, GLenum pname, GLint* param); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYPOINTERI_VEXTPROC) (GLuint vaobj, GLuint index, GLenum pname, void** param); typedef void (GLAPIENTRY * PFNGLGETVERTEXARRAYPOINTERVEXTPROC) (GLuint vaobj, GLenum pname, void** param); typedef void * (GLAPIENTRY * PFNGLMAPNAMEDBUFFEREXTPROC) (GLuint buffer, GLenum access); typedef void * (GLAPIENTRY * PFNGLMAPNAMEDBUFFERRANGEEXTPROC) (GLuint buffer, GLintptr offset, GLsizeiptr length, GLbitfield access); typedef void (GLAPIENTRY * PFNGLMATRIXFRUSTUMEXTPROC) (GLenum matrixMode, GLdouble l, GLdouble r, GLdouble b, GLdouble t, GLdouble n, GLdouble f); typedef void (GLAPIENTRY * PFNGLMATRIXLOADIDENTITYEXTPROC) (GLenum matrixMode); typedef void (GLAPIENTRY * PFNGLMATRIXLOADTRANSPOSEDEXTPROC) (GLenum matrixMode, const GLdouble* m); typedef void (GLAPIENTRY * PFNGLMATRIXLOADTRANSPOSEFEXTPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXLOADDEXTPROC) (GLenum matrixMode, const GLdouble* m); typedef void (GLAPIENTRY * PFNGLMATRIXLOADFEXTPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULTTRANSPOSEDEXTPROC) (GLenum matrixMode, const GLdouble* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULTTRANSPOSEFEXTPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULTDEXTPROC) (GLenum matrixMode, const GLdouble* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULTFEXTPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXORTHOEXTPROC) (GLenum matrixMode, GLdouble l, GLdouble r, GLdouble b, GLdouble t, GLdouble n, GLdouble f); typedef void (GLAPIENTRY * PFNGLMATRIXPOPEXTPROC) (GLenum matrixMode); typedef void (GLAPIENTRY * PFNGLMATRIXPUSHEXTPROC) (GLenum matrixMode); typedef void (GLAPIENTRY * PFNGLMATRIXROTATEDEXTPROC) (GLenum matrixMode, GLdouble angle, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLMATRIXROTATEFEXTPROC) (GLenum matrixMode, GLfloat angle, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLMATRIXSCALEDEXTPROC) (GLenum matrixMode, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLMATRIXSCALEFEXTPROC) (GLenum matrixMode, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLMATRIXTRANSLATEDEXTPROC) (GLenum matrixMode, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLMATRIXTRANSLATEFEXTPROC) (GLenum matrixMode, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLMULTITEXBUFFEREXTPROC) (GLenum texunit, GLenum target, GLenum internalformat, GLuint buffer); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORDPOINTEREXTPROC) (GLenum texunit, GLint size, GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLMULTITEXENVFEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLMULTITEXENVFVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLMULTITEXENVIEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLMULTITEXENVIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLMULTITEXGENDEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, GLdouble param); typedef void (GLAPIENTRY * PFNGLMULTITEXGENDVEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLMULTITEXGENFEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLMULTITEXGENFVEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLMULTITEXGENIEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLMULTITEXGENIVEXTPROC) (GLenum texunit, GLenum coord, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLMULTITEXIMAGE1DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint internalformat, GLsizei width, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLMULTITEXIMAGE2DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLMULTITEXIMAGE3DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLMULTITEXPARAMETERIIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLMULTITEXPARAMETERIUIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, const GLuint* params); typedef void (GLAPIENTRY * PFNGLMULTITEXPARAMETERFEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLMULTITEXPARAMETERFVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, const GLfloat* param); typedef void (GLAPIENTRY * PFNGLMULTITEXPARAMETERIEXTPROC) (GLenum texunit, GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLMULTITEXPARAMETERIVEXTPROC) (GLenum texunit, GLenum target, GLenum pname, const GLint* param); typedef void (GLAPIENTRY * PFNGLMULTITEXRENDERBUFFEREXTPROC) (GLenum texunit, GLenum target, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLMULTITEXSUBIMAGE1DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLMULTITEXSUBIMAGE2DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLMULTITEXSUBIMAGE3DEXTPROC) (GLenum texunit, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERDATAEXTPROC) (GLuint buffer, GLsizeiptr size, const void *data, GLenum usage); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERSUBDATAEXTPROC) (GLuint buffer, GLintptr offset, GLsizeiptr size, const void *data); typedef void (GLAPIENTRY * PFNGLNAMEDCOPYBUFFERSUBDATAEXTPROC) (GLuint readBuffer, GLuint writeBuffer, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERRENDERBUFFEREXTPROC) (GLuint framebuffer, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTURE1DEXTPROC) (GLuint framebuffer, GLenum attachment, GLenum textarget, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTURE2DEXTPROC) (GLuint framebuffer, GLenum attachment, GLenum textarget, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTURE3DEXTPROC) (GLuint framebuffer, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint zoffset); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTUREEXTPROC) (GLuint framebuffer, GLenum attachment, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTUREFACEEXTPROC) (GLuint framebuffer, GLenum attachment, GLuint texture, GLint level, GLenum face); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERTEXTURELAYEREXTPROC) (GLuint framebuffer, GLenum attachment, GLuint texture, GLint level, GLint layer); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETER4DEXTPROC) (GLuint program, GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETER4DVEXTPROC) (GLuint program, GLenum target, GLuint index, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETER4FEXTPROC) (GLuint program, GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETER4FVEXTPROC) (GLuint program, GLenum target, GLuint index, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERI4IEXTPROC) (GLuint program, GLenum target, GLuint index, GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERI4IVEXTPROC) (GLuint program, GLenum target, GLuint index, const GLint* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIEXTPROC) (GLuint program, GLenum target, GLuint index, GLuint x, GLuint y, GLuint z, GLuint w); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIVEXTPROC) (GLuint program, GLenum target, GLuint index, const GLuint* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERS4FVEXTPROC) (GLuint program, GLenum target, GLuint index, GLsizei count, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERSI4IVEXTPROC) (GLuint program, GLenum target, GLuint index, GLsizei count, const GLint* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMLOCALPARAMETERSI4UIVEXTPROC) (GLuint program, GLenum target, GLuint index, GLsizei count, const GLuint* params); typedef void (GLAPIENTRY * PFNGLNAMEDPROGRAMSTRINGEXTPROC) (GLuint program, GLenum target, GLenum format, GLsizei len, const void *string); typedef void (GLAPIENTRY * PFNGLNAMEDRENDERBUFFERSTORAGEEXTPROC) (GLuint renderbuffer, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLECOVERAGEEXTPROC) (GLuint renderbuffer, GLsizei coverageSamples, GLsizei colorSamples, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC) (GLuint renderbuffer, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1FEXTPROC) (GLuint program, GLint location, GLfloat v0); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1FVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1IEXTPROC) (GLuint program, GLint location, GLint v0); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1IVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UIEXTPROC) (GLuint program, GLint location, GLuint v0); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UIVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2FEXTPROC) (GLuint program, GLint location, GLfloat v0, GLfloat v1); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2FVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2IEXTPROC) (GLuint program, GLint location, GLint v0, GLint v1); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2IVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UIEXTPROC) (GLuint program, GLint location, GLuint v0, GLuint v1); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UIVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3FEXTPROC) (GLuint program, GLint location, GLfloat v0, GLfloat v1, GLfloat v2); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3FVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3IEXTPROC) (GLuint program, GLint location, GLint v0, GLint v1, GLint v2); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3IVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UIEXTPROC) (GLuint program, GLint location, GLuint v0, GLuint v1, GLuint v2); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UIVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4FEXTPROC) (GLuint program, GLint location, GLfloat v0, GLfloat v1, GLfloat v2, GLfloat v3); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4FVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4IEXTPROC) (GLuint program, GLint location, GLint v0, GLint v1, GLint v2, GLint v3); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4IVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UIEXTPROC) (GLuint program, GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UIVEXTPROC) (GLuint program, GLint location, GLsizei count, const GLuint* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2X3FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX2X4FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3X2FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX3X4FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4X2FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMMATRIX4X3FVEXTPROC) (GLuint program, GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPUSHCLIENTATTRIBDEFAULTEXTPROC) (GLbitfield mask); typedef void (GLAPIENTRY * PFNGLTEXTUREBUFFEREXTPROC) (GLuint texture, GLenum target, GLenum internalformat, GLuint buffer); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE1DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint internalformat, GLsizei width, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE2DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE3DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIIVEXTPROC) (GLuint texture, GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIUIVEXTPROC) (GLuint texture, GLenum target, GLenum pname, const GLuint* params); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERFEXTPROC) (GLuint texture, GLenum target, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERFVEXTPROC) (GLuint texture, GLenum target, GLenum pname, const GLfloat* param); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIEXTPROC) (GLuint texture, GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLTEXTUREPARAMETERIVEXTPROC) (GLuint texture, GLenum target, GLenum pname, const GLint* param); typedef void (GLAPIENTRY * PFNGLTEXTURERENDERBUFFEREXTPROC) (GLuint texture, GLenum target, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLTEXTURESUBIMAGE1DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTURESUBIMAGE2DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXTURESUBIMAGE3DEXTPROC) (GLuint texture, GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *pixels); typedef GLboolean (GLAPIENTRY * PFNGLUNMAPNAMEDBUFFEREXTPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYCOLOROFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYEDGEFLAGOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYFOGCOORDOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYINDEXOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYMULTITEXCOORDOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLenum texunit, GLint size, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYNORMALOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYSECONDARYCOLOROFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYTEXCOORDOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBDIVISOREXTPROC) (GLuint vaobj, GLuint index, GLuint divisor); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBIOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLuint index, GLint size, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLint size, GLenum type, GLsizei stride, GLintptr offset); #define glBindMultiTextureEXT GLEW_GET_FUN(__glewBindMultiTextureEXT) #define glCheckNamedFramebufferStatusEXT GLEW_GET_FUN(__glewCheckNamedFramebufferStatusEXT) #define glClientAttribDefaultEXT GLEW_GET_FUN(__glewClientAttribDefaultEXT) #define glCompressedMultiTexImage1DEXT GLEW_GET_FUN(__glewCompressedMultiTexImage1DEXT) #define glCompressedMultiTexImage2DEXT GLEW_GET_FUN(__glewCompressedMultiTexImage2DEXT) #define glCompressedMultiTexImage3DEXT GLEW_GET_FUN(__glewCompressedMultiTexImage3DEXT) #define glCompressedMultiTexSubImage1DEXT GLEW_GET_FUN(__glewCompressedMultiTexSubImage1DEXT) #define glCompressedMultiTexSubImage2DEXT GLEW_GET_FUN(__glewCompressedMultiTexSubImage2DEXT) #define glCompressedMultiTexSubImage3DEXT GLEW_GET_FUN(__glewCompressedMultiTexSubImage3DEXT) #define glCompressedTextureImage1DEXT GLEW_GET_FUN(__glewCompressedTextureImage1DEXT) #define glCompressedTextureImage2DEXT GLEW_GET_FUN(__glewCompressedTextureImage2DEXT) #define glCompressedTextureImage3DEXT GLEW_GET_FUN(__glewCompressedTextureImage3DEXT) #define glCompressedTextureSubImage1DEXT GLEW_GET_FUN(__glewCompressedTextureSubImage1DEXT) #define glCompressedTextureSubImage2DEXT GLEW_GET_FUN(__glewCompressedTextureSubImage2DEXT) #define glCompressedTextureSubImage3DEXT GLEW_GET_FUN(__glewCompressedTextureSubImage3DEXT) #define glCopyMultiTexImage1DEXT GLEW_GET_FUN(__glewCopyMultiTexImage1DEXT) #define glCopyMultiTexImage2DEXT GLEW_GET_FUN(__glewCopyMultiTexImage2DEXT) #define glCopyMultiTexSubImage1DEXT GLEW_GET_FUN(__glewCopyMultiTexSubImage1DEXT) #define glCopyMultiTexSubImage2DEXT GLEW_GET_FUN(__glewCopyMultiTexSubImage2DEXT) #define glCopyMultiTexSubImage3DEXT GLEW_GET_FUN(__glewCopyMultiTexSubImage3DEXT) #define glCopyTextureImage1DEXT GLEW_GET_FUN(__glewCopyTextureImage1DEXT) #define glCopyTextureImage2DEXT GLEW_GET_FUN(__glewCopyTextureImage2DEXT) #define glCopyTextureSubImage1DEXT GLEW_GET_FUN(__glewCopyTextureSubImage1DEXT) #define glCopyTextureSubImage2DEXT GLEW_GET_FUN(__glewCopyTextureSubImage2DEXT) #define glCopyTextureSubImage3DEXT GLEW_GET_FUN(__glewCopyTextureSubImage3DEXT) #define glDisableClientStateIndexedEXT GLEW_GET_FUN(__glewDisableClientStateIndexedEXT) #define glDisableClientStateiEXT GLEW_GET_FUN(__glewDisableClientStateiEXT) #define glDisableVertexArrayAttribEXT GLEW_GET_FUN(__glewDisableVertexArrayAttribEXT) #define glDisableVertexArrayEXT GLEW_GET_FUN(__glewDisableVertexArrayEXT) #define glEnableClientStateIndexedEXT GLEW_GET_FUN(__glewEnableClientStateIndexedEXT) #define glEnableClientStateiEXT GLEW_GET_FUN(__glewEnableClientStateiEXT) #define glEnableVertexArrayAttribEXT GLEW_GET_FUN(__glewEnableVertexArrayAttribEXT) #define glEnableVertexArrayEXT GLEW_GET_FUN(__glewEnableVertexArrayEXT) #define glFlushMappedNamedBufferRangeEXT GLEW_GET_FUN(__glewFlushMappedNamedBufferRangeEXT) #define glFramebufferDrawBufferEXT GLEW_GET_FUN(__glewFramebufferDrawBufferEXT) #define glFramebufferDrawBuffersEXT GLEW_GET_FUN(__glewFramebufferDrawBuffersEXT) #define glFramebufferReadBufferEXT GLEW_GET_FUN(__glewFramebufferReadBufferEXT) #define glGenerateMultiTexMipmapEXT GLEW_GET_FUN(__glewGenerateMultiTexMipmapEXT) #define glGenerateTextureMipmapEXT GLEW_GET_FUN(__glewGenerateTextureMipmapEXT) #define glGetCompressedMultiTexImageEXT GLEW_GET_FUN(__glewGetCompressedMultiTexImageEXT) #define glGetCompressedTextureImageEXT GLEW_GET_FUN(__glewGetCompressedTextureImageEXT) #define glGetDoubleIndexedvEXT GLEW_GET_FUN(__glewGetDoubleIndexedvEXT) #define glGetDoublei_vEXT GLEW_GET_FUN(__glewGetDoublei_vEXT) #define glGetFloatIndexedvEXT GLEW_GET_FUN(__glewGetFloatIndexedvEXT) #define glGetFloati_vEXT GLEW_GET_FUN(__glewGetFloati_vEXT) #define glGetFramebufferParameterivEXT GLEW_GET_FUN(__glewGetFramebufferParameterivEXT) #define glGetMultiTexEnvfvEXT GLEW_GET_FUN(__glewGetMultiTexEnvfvEXT) #define glGetMultiTexEnvivEXT GLEW_GET_FUN(__glewGetMultiTexEnvivEXT) #define glGetMultiTexGendvEXT GLEW_GET_FUN(__glewGetMultiTexGendvEXT) #define glGetMultiTexGenfvEXT GLEW_GET_FUN(__glewGetMultiTexGenfvEXT) #define glGetMultiTexGenivEXT GLEW_GET_FUN(__glewGetMultiTexGenivEXT) #define glGetMultiTexImageEXT GLEW_GET_FUN(__glewGetMultiTexImageEXT) #define glGetMultiTexLevelParameterfvEXT GLEW_GET_FUN(__glewGetMultiTexLevelParameterfvEXT) #define glGetMultiTexLevelParameterivEXT GLEW_GET_FUN(__glewGetMultiTexLevelParameterivEXT) #define glGetMultiTexParameterIivEXT GLEW_GET_FUN(__glewGetMultiTexParameterIivEXT) #define glGetMultiTexParameterIuivEXT GLEW_GET_FUN(__glewGetMultiTexParameterIuivEXT) #define glGetMultiTexParameterfvEXT GLEW_GET_FUN(__glewGetMultiTexParameterfvEXT) #define glGetMultiTexParameterivEXT GLEW_GET_FUN(__glewGetMultiTexParameterivEXT) #define glGetNamedBufferParameterivEXT GLEW_GET_FUN(__glewGetNamedBufferParameterivEXT) #define glGetNamedBufferPointervEXT GLEW_GET_FUN(__glewGetNamedBufferPointervEXT) #define glGetNamedBufferSubDataEXT GLEW_GET_FUN(__glewGetNamedBufferSubDataEXT) #define glGetNamedFramebufferAttachmentParameterivEXT GLEW_GET_FUN(__glewGetNamedFramebufferAttachmentParameterivEXT) #define glGetNamedProgramLocalParameterIivEXT GLEW_GET_FUN(__glewGetNamedProgramLocalParameterIivEXT) #define glGetNamedProgramLocalParameterIuivEXT GLEW_GET_FUN(__glewGetNamedProgramLocalParameterIuivEXT) #define glGetNamedProgramLocalParameterdvEXT GLEW_GET_FUN(__glewGetNamedProgramLocalParameterdvEXT) #define glGetNamedProgramLocalParameterfvEXT GLEW_GET_FUN(__glewGetNamedProgramLocalParameterfvEXT) #define glGetNamedProgramStringEXT GLEW_GET_FUN(__glewGetNamedProgramStringEXT) #define glGetNamedProgramivEXT GLEW_GET_FUN(__glewGetNamedProgramivEXT) #define glGetNamedRenderbufferParameterivEXT GLEW_GET_FUN(__glewGetNamedRenderbufferParameterivEXT) #define glGetPointerIndexedvEXT GLEW_GET_FUN(__glewGetPointerIndexedvEXT) #define glGetPointeri_vEXT GLEW_GET_FUN(__glewGetPointeri_vEXT) #define glGetTextureImageEXT GLEW_GET_FUN(__glewGetTextureImageEXT) #define glGetTextureLevelParameterfvEXT GLEW_GET_FUN(__glewGetTextureLevelParameterfvEXT) #define glGetTextureLevelParameterivEXT GLEW_GET_FUN(__glewGetTextureLevelParameterivEXT) #define glGetTextureParameterIivEXT GLEW_GET_FUN(__glewGetTextureParameterIivEXT) #define glGetTextureParameterIuivEXT GLEW_GET_FUN(__glewGetTextureParameterIuivEXT) #define glGetTextureParameterfvEXT GLEW_GET_FUN(__glewGetTextureParameterfvEXT) #define glGetTextureParameterivEXT GLEW_GET_FUN(__glewGetTextureParameterivEXT) #define glGetVertexArrayIntegeri_vEXT GLEW_GET_FUN(__glewGetVertexArrayIntegeri_vEXT) #define glGetVertexArrayIntegervEXT GLEW_GET_FUN(__glewGetVertexArrayIntegervEXT) #define glGetVertexArrayPointeri_vEXT GLEW_GET_FUN(__glewGetVertexArrayPointeri_vEXT) #define glGetVertexArrayPointervEXT GLEW_GET_FUN(__glewGetVertexArrayPointervEXT) #define glMapNamedBufferEXT GLEW_GET_FUN(__glewMapNamedBufferEXT) #define glMapNamedBufferRangeEXT GLEW_GET_FUN(__glewMapNamedBufferRangeEXT) #define glMatrixFrustumEXT GLEW_GET_FUN(__glewMatrixFrustumEXT) #define glMatrixLoadIdentityEXT GLEW_GET_FUN(__glewMatrixLoadIdentityEXT) #define glMatrixLoadTransposedEXT GLEW_GET_FUN(__glewMatrixLoadTransposedEXT) #define glMatrixLoadTransposefEXT GLEW_GET_FUN(__glewMatrixLoadTransposefEXT) #define glMatrixLoaddEXT GLEW_GET_FUN(__glewMatrixLoaddEXT) #define glMatrixLoadfEXT GLEW_GET_FUN(__glewMatrixLoadfEXT) #define glMatrixMultTransposedEXT GLEW_GET_FUN(__glewMatrixMultTransposedEXT) #define glMatrixMultTransposefEXT GLEW_GET_FUN(__glewMatrixMultTransposefEXT) #define glMatrixMultdEXT GLEW_GET_FUN(__glewMatrixMultdEXT) #define glMatrixMultfEXT GLEW_GET_FUN(__glewMatrixMultfEXT) #define glMatrixOrthoEXT GLEW_GET_FUN(__glewMatrixOrthoEXT) #define glMatrixPopEXT GLEW_GET_FUN(__glewMatrixPopEXT) #define glMatrixPushEXT GLEW_GET_FUN(__glewMatrixPushEXT) #define glMatrixRotatedEXT GLEW_GET_FUN(__glewMatrixRotatedEXT) #define glMatrixRotatefEXT GLEW_GET_FUN(__glewMatrixRotatefEXT) #define glMatrixScaledEXT GLEW_GET_FUN(__glewMatrixScaledEXT) #define glMatrixScalefEXT GLEW_GET_FUN(__glewMatrixScalefEXT) #define glMatrixTranslatedEXT GLEW_GET_FUN(__glewMatrixTranslatedEXT) #define glMatrixTranslatefEXT GLEW_GET_FUN(__glewMatrixTranslatefEXT) #define glMultiTexBufferEXT GLEW_GET_FUN(__glewMultiTexBufferEXT) #define glMultiTexCoordPointerEXT GLEW_GET_FUN(__glewMultiTexCoordPointerEXT) #define glMultiTexEnvfEXT GLEW_GET_FUN(__glewMultiTexEnvfEXT) #define glMultiTexEnvfvEXT GLEW_GET_FUN(__glewMultiTexEnvfvEXT) #define glMultiTexEnviEXT GLEW_GET_FUN(__glewMultiTexEnviEXT) #define glMultiTexEnvivEXT GLEW_GET_FUN(__glewMultiTexEnvivEXT) #define glMultiTexGendEXT GLEW_GET_FUN(__glewMultiTexGendEXT) #define glMultiTexGendvEXT GLEW_GET_FUN(__glewMultiTexGendvEXT) #define glMultiTexGenfEXT GLEW_GET_FUN(__glewMultiTexGenfEXT) #define glMultiTexGenfvEXT GLEW_GET_FUN(__glewMultiTexGenfvEXT) #define glMultiTexGeniEXT GLEW_GET_FUN(__glewMultiTexGeniEXT) #define glMultiTexGenivEXT GLEW_GET_FUN(__glewMultiTexGenivEXT) #define glMultiTexImage1DEXT GLEW_GET_FUN(__glewMultiTexImage1DEXT) #define glMultiTexImage2DEXT GLEW_GET_FUN(__glewMultiTexImage2DEXT) #define glMultiTexImage3DEXT GLEW_GET_FUN(__glewMultiTexImage3DEXT) #define glMultiTexParameterIivEXT GLEW_GET_FUN(__glewMultiTexParameterIivEXT) #define glMultiTexParameterIuivEXT GLEW_GET_FUN(__glewMultiTexParameterIuivEXT) #define glMultiTexParameterfEXT GLEW_GET_FUN(__glewMultiTexParameterfEXT) #define glMultiTexParameterfvEXT GLEW_GET_FUN(__glewMultiTexParameterfvEXT) #define glMultiTexParameteriEXT GLEW_GET_FUN(__glewMultiTexParameteriEXT) #define glMultiTexParameterivEXT GLEW_GET_FUN(__glewMultiTexParameterivEXT) #define glMultiTexRenderbufferEXT GLEW_GET_FUN(__glewMultiTexRenderbufferEXT) #define glMultiTexSubImage1DEXT GLEW_GET_FUN(__glewMultiTexSubImage1DEXT) #define glMultiTexSubImage2DEXT GLEW_GET_FUN(__glewMultiTexSubImage2DEXT) #define glMultiTexSubImage3DEXT GLEW_GET_FUN(__glewMultiTexSubImage3DEXT) #define glNamedBufferDataEXT GLEW_GET_FUN(__glewNamedBufferDataEXT) #define glNamedBufferSubDataEXT GLEW_GET_FUN(__glewNamedBufferSubDataEXT) #define glNamedCopyBufferSubDataEXT GLEW_GET_FUN(__glewNamedCopyBufferSubDataEXT) #define glNamedFramebufferRenderbufferEXT GLEW_GET_FUN(__glewNamedFramebufferRenderbufferEXT) #define glNamedFramebufferTexture1DEXT GLEW_GET_FUN(__glewNamedFramebufferTexture1DEXT) #define glNamedFramebufferTexture2DEXT GLEW_GET_FUN(__glewNamedFramebufferTexture2DEXT) #define glNamedFramebufferTexture3DEXT GLEW_GET_FUN(__glewNamedFramebufferTexture3DEXT) #define glNamedFramebufferTextureEXT GLEW_GET_FUN(__glewNamedFramebufferTextureEXT) #define glNamedFramebufferTextureFaceEXT GLEW_GET_FUN(__glewNamedFramebufferTextureFaceEXT) #define glNamedFramebufferTextureLayerEXT GLEW_GET_FUN(__glewNamedFramebufferTextureLayerEXT) #define glNamedProgramLocalParameter4dEXT GLEW_GET_FUN(__glewNamedProgramLocalParameter4dEXT) #define glNamedProgramLocalParameter4dvEXT GLEW_GET_FUN(__glewNamedProgramLocalParameter4dvEXT) #define glNamedProgramLocalParameter4fEXT GLEW_GET_FUN(__glewNamedProgramLocalParameter4fEXT) #define glNamedProgramLocalParameter4fvEXT GLEW_GET_FUN(__glewNamedProgramLocalParameter4fvEXT) #define glNamedProgramLocalParameterI4iEXT GLEW_GET_FUN(__glewNamedProgramLocalParameterI4iEXT) #define glNamedProgramLocalParameterI4ivEXT GLEW_GET_FUN(__glewNamedProgramLocalParameterI4ivEXT) #define glNamedProgramLocalParameterI4uiEXT GLEW_GET_FUN(__glewNamedProgramLocalParameterI4uiEXT) #define glNamedProgramLocalParameterI4uivEXT GLEW_GET_FUN(__glewNamedProgramLocalParameterI4uivEXT) #define glNamedProgramLocalParameters4fvEXT GLEW_GET_FUN(__glewNamedProgramLocalParameters4fvEXT) #define glNamedProgramLocalParametersI4ivEXT GLEW_GET_FUN(__glewNamedProgramLocalParametersI4ivEXT) #define glNamedProgramLocalParametersI4uivEXT GLEW_GET_FUN(__glewNamedProgramLocalParametersI4uivEXT) #define glNamedProgramStringEXT GLEW_GET_FUN(__glewNamedProgramStringEXT) #define glNamedRenderbufferStorageEXT GLEW_GET_FUN(__glewNamedRenderbufferStorageEXT) #define glNamedRenderbufferStorageMultisampleCoverageEXT GLEW_GET_FUN(__glewNamedRenderbufferStorageMultisampleCoverageEXT) #define glNamedRenderbufferStorageMultisampleEXT GLEW_GET_FUN(__glewNamedRenderbufferStorageMultisampleEXT) #define glProgramUniform1fEXT GLEW_GET_FUN(__glewProgramUniform1fEXT) #define glProgramUniform1fvEXT GLEW_GET_FUN(__glewProgramUniform1fvEXT) #define glProgramUniform1iEXT GLEW_GET_FUN(__glewProgramUniform1iEXT) #define glProgramUniform1ivEXT GLEW_GET_FUN(__glewProgramUniform1ivEXT) #define glProgramUniform1uiEXT GLEW_GET_FUN(__glewProgramUniform1uiEXT) #define glProgramUniform1uivEXT GLEW_GET_FUN(__glewProgramUniform1uivEXT) #define glProgramUniform2fEXT GLEW_GET_FUN(__glewProgramUniform2fEXT) #define glProgramUniform2fvEXT GLEW_GET_FUN(__glewProgramUniform2fvEXT) #define glProgramUniform2iEXT GLEW_GET_FUN(__glewProgramUniform2iEXT) #define glProgramUniform2ivEXT GLEW_GET_FUN(__glewProgramUniform2ivEXT) #define glProgramUniform2uiEXT GLEW_GET_FUN(__glewProgramUniform2uiEXT) #define glProgramUniform2uivEXT GLEW_GET_FUN(__glewProgramUniform2uivEXT) #define glProgramUniform3fEXT GLEW_GET_FUN(__glewProgramUniform3fEXT) #define glProgramUniform3fvEXT GLEW_GET_FUN(__glewProgramUniform3fvEXT) #define glProgramUniform3iEXT GLEW_GET_FUN(__glewProgramUniform3iEXT) #define glProgramUniform3ivEXT GLEW_GET_FUN(__glewProgramUniform3ivEXT) #define glProgramUniform3uiEXT GLEW_GET_FUN(__glewProgramUniform3uiEXT) #define glProgramUniform3uivEXT GLEW_GET_FUN(__glewProgramUniform3uivEXT) #define glProgramUniform4fEXT GLEW_GET_FUN(__glewProgramUniform4fEXT) #define glProgramUniform4fvEXT GLEW_GET_FUN(__glewProgramUniform4fvEXT) #define glProgramUniform4iEXT GLEW_GET_FUN(__glewProgramUniform4iEXT) #define glProgramUniform4ivEXT GLEW_GET_FUN(__glewProgramUniform4ivEXT) #define glProgramUniform4uiEXT GLEW_GET_FUN(__glewProgramUniform4uiEXT) #define glProgramUniform4uivEXT GLEW_GET_FUN(__glewProgramUniform4uivEXT) #define glProgramUniformMatrix2fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix2fvEXT) #define glProgramUniformMatrix2x3fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix2x3fvEXT) #define glProgramUniformMatrix2x4fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix2x4fvEXT) #define glProgramUniformMatrix3fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix3fvEXT) #define glProgramUniformMatrix3x2fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix3x2fvEXT) #define glProgramUniformMatrix3x4fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix3x4fvEXT) #define glProgramUniformMatrix4fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix4fvEXT) #define glProgramUniformMatrix4x2fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix4x2fvEXT) #define glProgramUniformMatrix4x3fvEXT GLEW_GET_FUN(__glewProgramUniformMatrix4x3fvEXT) #define glPushClientAttribDefaultEXT GLEW_GET_FUN(__glewPushClientAttribDefaultEXT) #define glTextureBufferEXT GLEW_GET_FUN(__glewTextureBufferEXT) #define glTextureImage1DEXT GLEW_GET_FUN(__glewTextureImage1DEXT) #define glTextureImage2DEXT GLEW_GET_FUN(__glewTextureImage2DEXT) #define glTextureImage3DEXT GLEW_GET_FUN(__glewTextureImage3DEXT) #define glTextureParameterIivEXT GLEW_GET_FUN(__glewTextureParameterIivEXT) #define glTextureParameterIuivEXT GLEW_GET_FUN(__glewTextureParameterIuivEXT) #define glTextureParameterfEXT GLEW_GET_FUN(__glewTextureParameterfEXT) #define glTextureParameterfvEXT GLEW_GET_FUN(__glewTextureParameterfvEXT) #define glTextureParameteriEXT GLEW_GET_FUN(__glewTextureParameteriEXT) #define glTextureParameterivEXT GLEW_GET_FUN(__glewTextureParameterivEXT) #define glTextureRenderbufferEXT GLEW_GET_FUN(__glewTextureRenderbufferEXT) #define glTextureSubImage1DEXT GLEW_GET_FUN(__glewTextureSubImage1DEXT) #define glTextureSubImage2DEXT GLEW_GET_FUN(__glewTextureSubImage2DEXT) #define glTextureSubImage3DEXT GLEW_GET_FUN(__glewTextureSubImage3DEXT) #define glUnmapNamedBufferEXT GLEW_GET_FUN(__glewUnmapNamedBufferEXT) #define glVertexArrayColorOffsetEXT GLEW_GET_FUN(__glewVertexArrayColorOffsetEXT) #define glVertexArrayEdgeFlagOffsetEXT GLEW_GET_FUN(__glewVertexArrayEdgeFlagOffsetEXT) #define glVertexArrayFogCoordOffsetEXT GLEW_GET_FUN(__glewVertexArrayFogCoordOffsetEXT) #define glVertexArrayIndexOffsetEXT GLEW_GET_FUN(__glewVertexArrayIndexOffsetEXT) #define glVertexArrayMultiTexCoordOffsetEXT GLEW_GET_FUN(__glewVertexArrayMultiTexCoordOffsetEXT) #define glVertexArrayNormalOffsetEXT GLEW_GET_FUN(__glewVertexArrayNormalOffsetEXT) #define glVertexArraySecondaryColorOffsetEXT GLEW_GET_FUN(__glewVertexArraySecondaryColorOffsetEXT) #define glVertexArrayTexCoordOffsetEXT GLEW_GET_FUN(__glewVertexArrayTexCoordOffsetEXT) #define glVertexArrayVertexAttribDivisorEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribDivisorEXT) #define glVertexArrayVertexAttribIOffsetEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribIOffsetEXT) #define glVertexArrayVertexAttribOffsetEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribOffsetEXT) #define glVertexArrayVertexOffsetEXT GLEW_GET_FUN(__glewVertexArrayVertexOffsetEXT) #define GLEW_EXT_direct_state_access GLEW_GET_VAR(__GLEW_EXT_direct_state_access) #endif /* GL_EXT_direct_state_access */ /* ----------------------- GL_EXT_discard_framebuffer ---------------------- */ #ifndef GL_EXT_discard_framebuffer #define GL_EXT_discard_framebuffer 1 #define GL_COLOR_EXT 0x1800 #define GL_DEPTH_EXT 0x1801 #define GL_STENCIL_EXT 0x1802 typedef void (GLAPIENTRY * PFNGLDISCARDFRAMEBUFFEREXTPROC) (GLenum target, GLsizei numAttachments, const GLenum* attachments); #define glDiscardFramebufferEXT GLEW_GET_FUN(__glewDiscardFramebufferEXT) #define GLEW_EXT_discard_framebuffer GLEW_GET_VAR(__GLEW_EXT_discard_framebuffer) #endif /* GL_EXT_discard_framebuffer */ /* -------------------------- GL_EXT_draw_buffers -------------------------- */ #ifndef GL_EXT_draw_buffers #define GL_EXT_draw_buffers 1 #define GL_MAX_DRAW_BUFFERS_EXT 0x8824 #define GL_DRAW_BUFFER0_EXT 0x8825 #define GL_DRAW_BUFFER1_EXT 0x8826 #define GL_DRAW_BUFFER2_EXT 0x8827 #define GL_DRAW_BUFFER3_EXT 0x8828 #define GL_DRAW_BUFFER4_EXT 0x8829 #define GL_DRAW_BUFFER5_EXT 0x882A #define GL_DRAW_BUFFER6_EXT 0x882B #define GL_DRAW_BUFFER7_EXT 0x882C #define GL_DRAW_BUFFER8_EXT 0x882D #define GL_DRAW_BUFFER9_EXT 0x882E #define GL_DRAW_BUFFER10_EXT 0x882F #define GL_DRAW_BUFFER11_EXT 0x8830 #define GL_DRAW_BUFFER12_EXT 0x8831 #define GL_DRAW_BUFFER13_EXT 0x8832 #define GL_DRAW_BUFFER14_EXT 0x8833 #define GL_DRAW_BUFFER15_EXT 0x8834 #define GL_MAX_COLOR_ATTACHMENTS_EXT 0x8CDF #define GL_COLOR_ATTACHMENT0_EXT 0x8CE0 #define GL_COLOR_ATTACHMENT1_EXT 0x8CE1 #define GL_COLOR_ATTACHMENT2_EXT 0x8CE2 #define GL_COLOR_ATTACHMENT3_EXT 0x8CE3 #define GL_COLOR_ATTACHMENT4_EXT 0x8CE4 #define GL_COLOR_ATTACHMENT5_EXT 0x8CE5 #define GL_COLOR_ATTACHMENT6_EXT 0x8CE6 #define GL_COLOR_ATTACHMENT7_EXT 0x8CE7 #define GL_COLOR_ATTACHMENT8_EXT 0x8CE8 #define GL_COLOR_ATTACHMENT9_EXT 0x8CE9 #define GL_COLOR_ATTACHMENT10_EXT 0x8CEA #define GL_COLOR_ATTACHMENT11_EXT 0x8CEB #define GL_COLOR_ATTACHMENT12_EXT 0x8CEC #define GL_COLOR_ATTACHMENT13_EXT 0x8CED #define GL_COLOR_ATTACHMENT14_EXT 0x8CEE #define GL_COLOR_ATTACHMENT15_EXT 0x8CEF typedef void (GLAPIENTRY * PFNGLDRAWBUFFERSEXTPROC) (GLsizei n, const GLenum* bufs); #define glDrawBuffersEXT GLEW_GET_FUN(__glewDrawBuffersEXT) #define GLEW_EXT_draw_buffers GLEW_GET_VAR(__GLEW_EXT_draw_buffers) #endif /* GL_EXT_draw_buffers */ /* -------------------------- GL_EXT_draw_buffers2 ------------------------- */ #ifndef GL_EXT_draw_buffers2 #define GL_EXT_draw_buffers2 1 typedef void (GLAPIENTRY * PFNGLCOLORMASKINDEXEDEXTPROC) (GLuint buf, GLboolean r, GLboolean g, GLboolean b, GLboolean a); typedef void (GLAPIENTRY * PFNGLDISABLEINDEXEDEXTPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEINDEXEDEXTPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLGETBOOLEANINDEXEDVEXTPROC) (GLenum value, GLuint index, GLboolean* data); typedef void (GLAPIENTRY * PFNGLGETINTEGERINDEXEDVEXTPROC) (GLenum value, GLuint index, GLint* data); typedef GLboolean (GLAPIENTRY * PFNGLISENABLEDINDEXEDEXTPROC) (GLenum target, GLuint index); #define glColorMaskIndexedEXT GLEW_GET_FUN(__glewColorMaskIndexedEXT) #define glDisableIndexedEXT GLEW_GET_FUN(__glewDisableIndexedEXT) #define glEnableIndexedEXT GLEW_GET_FUN(__glewEnableIndexedEXT) #define glGetBooleanIndexedvEXT GLEW_GET_FUN(__glewGetBooleanIndexedvEXT) #define glGetIntegerIndexedvEXT GLEW_GET_FUN(__glewGetIntegerIndexedvEXT) #define glIsEnabledIndexedEXT GLEW_GET_FUN(__glewIsEnabledIndexedEXT) #define GLEW_EXT_draw_buffers2 GLEW_GET_VAR(__GLEW_EXT_draw_buffers2) #endif /* GL_EXT_draw_buffers2 */ /* ---------------------- GL_EXT_draw_buffers_indexed ---------------------- */ #ifndef GL_EXT_draw_buffers_indexed #define GL_EXT_draw_buffers_indexed 1 typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONSEPARATEIEXTPROC) (GLuint buf, GLenum modeRGB, GLenum modeAlpha); typedef void (GLAPIENTRY * PFNGLBLENDEQUATIONIEXTPROC) (GLuint buf, GLenum mode); typedef void (GLAPIENTRY * PFNGLBLENDFUNCSEPARATEIEXTPROC) (GLuint buf, GLenum srcRGB, GLenum dstRGB, GLenum srcAlpha, GLenum dstAlpha); typedef void (GLAPIENTRY * PFNGLBLENDFUNCIEXTPROC) (GLuint buf, GLenum src, GLenum dst); typedef void (GLAPIENTRY * PFNGLCOLORMASKIEXTPROC) (GLuint buf, GLboolean r, GLboolean g, GLboolean b, GLboolean a); typedef void (GLAPIENTRY * PFNGLDISABLEIEXTPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEIEXTPROC) (GLenum target, GLuint index); typedef GLboolean (GLAPIENTRY * PFNGLISENABLEDIEXTPROC) (GLenum target, GLuint index); #define glBlendEquationSeparateiEXT GLEW_GET_FUN(__glewBlendEquationSeparateiEXT) #define glBlendEquationiEXT GLEW_GET_FUN(__glewBlendEquationiEXT) #define glBlendFuncSeparateiEXT GLEW_GET_FUN(__glewBlendFuncSeparateiEXT) #define glBlendFunciEXT GLEW_GET_FUN(__glewBlendFunciEXT) #define glColorMaskiEXT GLEW_GET_FUN(__glewColorMaskiEXT) #define glDisableiEXT GLEW_GET_FUN(__glewDisableiEXT) #define glEnableiEXT GLEW_GET_FUN(__glewEnableiEXT) #define glIsEnablediEXT GLEW_GET_FUN(__glewIsEnablediEXT) #define GLEW_EXT_draw_buffers_indexed GLEW_GET_VAR(__GLEW_EXT_draw_buffers_indexed) #endif /* GL_EXT_draw_buffers_indexed */ /* -------------------- GL_EXT_draw_elements_base_vertex ------------------- */ #ifndef GL_EXT_draw_elements_base_vertex #define GL_EXT_draw_elements_base_vertex 1 typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSBASEVERTEXEXTPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLint basevertex); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXEXTPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei instancecount, GLint basevertex); typedef void (GLAPIENTRY * PFNGLDRAWRANGEELEMENTSBASEVERTEXEXTPROC) (GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const void *indices, GLint basevertex); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSBASEVERTEXEXTPROC) (GLenum mode, const GLsizei* count, GLenum type, const void *const *indices, GLsizei primcount, const GLint *basevertex); #define glDrawElementsBaseVertexEXT GLEW_GET_FUN(__glewDrawElementsBaseVertexEXT) #define glDrawElementsInstancedBaseVertexEXT GLEW_GET_FUN(__glewDrawElementsInstancedBaseVertexEXT) #define glDrawRangeElementsBaseVertexEXT GLEW_GET_FUN(__glewDrawRangeElementsBaseVertexEXT) #define glMultiDrawElementsBaseVertexEXT GLEW_GET_FUN(__glewMultiDrawElementsBaseVertexEXT) #define GLEW_EXT_draw_elements_base_vertex GLEW_GET_VAR(__GLEW_EXT_draw_elements_base_vertex) #endif /* GL_EXT_draw_elements_base_vertex */ /* ------------------------- GL_EXT_draw_instanced ------------------------- */ #ifndef GL_EXT_draw_instanced #define GL_EXT_draw_instanced 1 typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDEXTPROC) (GLenum mode, GLint start, GLsizei count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDEXTPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei primcount); #define glDrawArraysInstancedEXT GLEW_GET_FUN(__glewDrawArraysInstancedEXT) #define glDrawElementsInstancedEXT GLEW_GET_FUN(__glewDrawElementsInstancedEXT) #define GLEW_EXT_draw_instanced GLEW_GET_VAR(__GLEW_EXT_draw_instanced) #endif /* GL_EXT_draw_instanced */ /* ----------------------- GL_EXT_draw_range_elements ---------------------- */ #ifndef GL_EXT_draw_range_elements #define GL_EXT_draw_range_elements 1 #define GL_MAX_ELEMENTS_VERTICES_EXT 0x80E8 #define GL_MAX_ELEMENTS_INDICES_EXT 0x80E9 typedef void (GLAPIENTRY * PFNGLDRAWRANGEELEMENTSEXTPROC) (GLenum mode, GLuint start, GLuint end, GLsizei count, GLenum type, const void *indices); #define glDrawRangeElementsEXT GLEW_GET_FUN(__glewDrawRangeElementsEXT) #define GLEW_EXT_draw_range_elements GLEW_GET_VAR(__GLEW_EXT_draw_range_elements) #endif /* GL_EXT_draw_range_elements */ /* ------------------------- GL_EXT_external_buffer ------------------------ */ #ifndef GL_EXT_external_buffer #define GL_EXT_external_buffer 1 typedef void* GLeglClientBufferEXT; typedef void (GLAPIENTRY * PFNGLBUFFERSTORAGEEXTERNALEXTPROC) (GLenum target, GLintptr offset, GLsizeiptr size, GLeglClientBufferEXT clientBuffer, GLbitfield flags); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERSTORAGEEXTERNALEXTPROC) (GLuint buffer, GLintptr offset, GLsizeiptr size, GLeglClientBufferEXT clientBuffer, GLbitfield flags); #define glBufferStorageExternalEXT GLEW_GET_FUN(__glewBufferStorageExternalEXT) #define glNamedBufferStorageExternalEXT GLEW_GET_FUN(__glewNamedBufferStorageExternalEXT) #define GLEW_EXT_external_buffer GLEW_GET_VAR(__GLEW_EXT_external_buffer) #endif /* GL_EXT_external_buffer */ /* --------------------------- GL_EXT_float_blend -------------------------- */ #ifndef GL_EXT_float_blend #define GL_EXT_float_blend 1 #define GLEW_EXT_float_blend GLEW_GET_VAR(__GLEW_EXT_float_blend) #endif /* GL_EXT_float_blend */ /* ---------------------------- GL_EXT_fog_coord --------------------------- */ #ifndef GL_EXT_fog_coord #define GL_EXT_fog_coord 1 #define GL_FOG_COORDINATE_SOURCE_EXT 0x8450 #define GL_FOG_COORDINATE_EXT 0x8451 #define GL_FRAGMENT_DEPTH_EXT 0x8452 #define GL_CURRENT_FOG_COORDINATE_EXT 0x8453 #define GL_FOG_COORDINATE_ARRAY_TYPE_EXT 0x8454 #define GL_FOG_COORDINATE_ARRAY_STRIDE_EXT 0x8455 #define GL_FOG_COORDINATE_ARRAY_POINTER_EXT 0x8456 #define GL_FOG_COORDINATE_ARRAY_EXT 0x8457 typedef void (GLAPIENTRY * PFNGLFOGCOORDPOINTEREXTPROC) (GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLFOGCOORDDEXTPROC) (GLdouble coord); typedef void (GLAPIENTRY * PFNGLFOGCOORDDVEXTPROC) (const GLdouble *coord); typedef void (GLAPIENTRY * PFNGLFOGCOORDFEXTPROC) (GLfloat coord); typedef void (GLAPIENTRY * PFNGLFOGCOORDFVEXTPROC) (const GLfloat *coord); #define glFogCoordPointerEXT GLEW_GET_FUN(__glewFogCoordPointerEXT) #define glFogCoorddEXT GLEW_GET_FUN(__glewFogCoorddEXT) #define glFogCoorddvEXT GLEW_GET_FUN(__glewFogCoorddvEXT) #define glFogCoordfEXT GLEW_GET_FUN(__glewFogCoordfEXT) #define glFogCoordfvEXT GLEW_GET_FUN(__glewFogCoordfvEXT) #define GLEW_EXT_fog_coord GLEW_GET_VAR(__GLEW_EXT_fog_coord) #endif /* GL_EXT_fog_coord */ /* --------------------------- GL_EXT_frag_depth --------------------------- */ #ifndef GL_EXT_frag_depth #define GL_EXT_frag_depth 1 #define GLEW_EXT_frag_depth GLEW_GET_VAR(__GLEW_EXT_frag_depth) #endif /* GL_EXT_frag_depth */ /* ------------------------ GL_EXT_fragment_lighting ----------------------- */ #ifndef GL_EXT_fragment_lighting #define GL_EXT_fragment_lighting 1 #define GL_FRAGMENT_LIGHTING_EXT 0x8400 #define GL_FRAGMENT_COLOR_MATERIAL_EXT 0x8401 #define GL_FRAGMENT_COLOR_MATERIAL_FACE_EXT 0x8402 #define GL_FRAGMENT_COLOR_MATERIAL_PARAMETER_EXT 0x8403 #define GL_MAX_FRAGMENT_LIGHTS_EXT 0x8404 #define GL_MAX_ACTIVE_LIGHTS_EXT 0x8405 #define GL_CURRENT_RASTER_NORMAL_EXT 0x8406 #define GL_LIGHT_ENV_MODE_EXT 0x8407 #define GL_FRAGMENT_LIGHT_MODEL_LOCAL_VIEWER_EXT 0x8408 #define GL_FRAGMENT_LIGHT_MODEL_TWO_SIDE_EXT 0x8409 #define GL_FRAGMENT_LIGHT_MODEL_AMBIENT_EXT 0x840A #define GL_FRAGMENT_LIGHT_MODEL_NORMAL_INTERPOLATION_EXT 0x840B #define GL_FRAGMENT_LIGHT0_EXT 0x840C #define GL_FRAGMENT_LIGHT7_EXT 0x8413 typedef void (GLAPIENTRY * PFNGLFRAGMENTCOLORMATERIALEXTPROC) (GLenum face, GLenum mode); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELFEXTPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELFVEXTPROC) (GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELIEXTPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELIVEXTPROC) (GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTFEXTPROC) (GLenum light, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTFVEXTPROC) (GLenum light, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTIEXTPROC) (GLenum light, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTIVEXTPROC) (GLenum light, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALFEXTPROC) (GLenum face, GLenum pname, const GLfloat param); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALFVEXTPROC) (GLenum face, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALIEXTPROC) (GLenum face, GLenum pname, const GLint param); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALIVEXTPROC) (GLenum face, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTLIGHTFVEXTPROC) (GLenum light, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTLIGHTIVEXTPROC) (GLenum light, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTMATERIALFVEXTPROC) (GLenum face, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTMATERIALIVEXTPROC) (GLenum face, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLLIGHTENVIEXTPROC) (GLenum pname, GLint param); #define glFragmentColorMaterialEXT GLEW_GET_FUN(__glewFragmentColorMaterialEXT) #define glFragmentLightModelfEXT GLEW_GET_FUN(__glewFragmentLightModelfEXT) #define glFragmentLightModelfvEXT GLEW_GET_FUN(__glewFragmentLightModelfvEXT) #define glFragmentLightModeliEXT GLEW_GET_FUN(__glewFragmentLightModeliEXT) #define glFragmentLightModelivEXT GLEW_GET_FUN(__glewFragmentLightModelivEXT) #define glFragmentLightfEXT GLEW_GET_FUN(__glewFragmentLightfEXT) #define glFragmentLightfvEXT GLEW_GET_FUN(__glewFragmentLightfvEXT) #define glFragmentLightiEXT GLEW_GET_FUN(__glewFragmentLightiEXT) #define glFragmentLightivEXT GLEW_GET_FUN(__glewFragmentLightivEXT) #define glFragmentMaterialfEXT GLEW_GET_FUN(__glewFragmentMaterialfEXT) #define glFragmentMaterialfvEXT GLEW_GET_FUN(__glewFragmentMaterialfvEXT) #define glFragmentMaterialiEXT GLEW_GET_FUN(__glewFragmentMaterialiEXT) #define glFragmentMaterialivEXT GLEW_GET_FUN(__glewFragmentMaterialivEXT) #define glGetFragmentLightfvEXT GLEW_GET_FUN(__glewGetFragmentLightfvEXT) #define glGetFragmentLightivEXT GLEW_GET_FUN(__glewGetFragmentLightivEXT) #define glGetFragmentMaterialfvEXT GLEW_GET_FUN(__glewGetFragmentMaterialfvEXT) #define glGetFragmentMaterialivEXT GLEW_GET_FUN(__glewGetFragmentMaterialivEXT) #define glLightEnviEXT GLEW_GET_FUN(__glewLightEnviEXT) #define GLEW_EXT_fragment_lighting GLEW_GET_VAR(__GLEW_EXT_fragment_lighting) #endif /* GL_EXT_fragment_lighting */ /* ------------------------ GL_EXT_framebuffer_blit ------------------------ */ #ifndef GL_EXT_framebuffer_blit #define GL_EXT_framebuffer_blit 1 #define GL_DRAW_FRAMEBUFFER_BINDING_EXT 0x8CA6 #define GL_READ_FRAMEBUFFER_EXT 0x8CA8 #define GL_DRAW_FRAMEBUFFER_EXT 0x8CA9 #define GL_READ_FRAMEBUFFER_BINDING_EXT 0x8CAA typedef void (GLAPIENTRY * PFNGLBLITFRAMEBUFFEREXTPROC) (GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); #define glBlitFramebufferEXT GLEW_GET_FUN(__glewBlitFramebufferEXT) #define GLEW_EXT_framebuffer_blit GLEW_GET_VAR(__GLEW_EXT_framebuffer_blit) #endif /* GL_EXT_framebuffer_blit */ /* --------------------- GL_EXT_framebuffer_multisample -------------------- */ #ifndef GL_EXT_framebuffer_multisample #define GL_EXT_framebuffer_multisample 1 #define GL_RENDERBUFFER_SAMPLES_EXT 0x8CAB #define GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_EXT 0x8D56 #define GL_MAX_SAMPLES_EXT 0x8D57 typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); #define glRenderbufferStorageMultisampleEXT GLEW_GET_FUN(__glewRenderbufferStorageMultisampleEXT) #define GLEW_EXT_framebuffer_multisample GLEW_GET_VAR(__GLEW_EXT_framebuffer_multisample) #endif /* GL_EXT_framebuffer_multisample */ /* --------------- GL_EXT_framebuffer_multisample_blit_scaled -------------- */ #ifndef GL_EXT_framebuffer_multisample_blit_scaled #define GL_EXT_framebuffer_multisample_blit_scaled 1 #define GL_SCALED_RESOLVE_FASTEST_EXT 0x90BA #define GL_SCALED_RESOLVE_NICEST_EXT 0x90BB #define GLEW_EXT_framebuffer_multisample_blit_scaled GLEW_GET_VAR(__GLEW_EXT_framebuffer_multisample_blit_scaled) #endif /* GL_EXT_framebuffer_multisample_blit_scaled */ /* ----------------------- GL_EXT_framebuffer_object ----------------------- */ #ifndef GL_EXT_framebuffer_object #define GL_EXT_framebuffer_object 1 #define GL_INVALID_FRAMEBUFFER_OPERATION_EXT 0x0506 #define GL_MAX_RENDERBUFFER_SIZE_EXT 0x84E8 #define GL_FRAMEBUFFER_BINDING_EXT 0x8CA6 #define GL_RENDERBUFFER_BINDING_EXT 0x8CA7 #define GL_FRAMEBUFFER_ATTACHMENT_OBJECT_TYPE_EXT 0x8CD0 #define GL_FRAMEBUFFER_ATTACHMENT_OBJECT_NAME_EXT 0x8CD1 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LEVEL_EXT 0x8CD2 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_CUBE_MAP_FACE_EXT 0x8CD3 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_3D_ZOFFSET_EXT 0x8CD4 #define GL_FRAMEBUFFER_COMPLETE_EXT 0x8CD5 #define GL_FRAMEBUFFER_INCOMPLETE_ATTACHMENT_EXT 0x8CD6 #define GL_FRAMEBUFFER_INCOMPLETE_MISSING_ATTACHMENT_EXT 0x8CD7 #define GL_FRAMEBUFFER_INCOMPLETE_DIMENSIONS_EXT 0x8CD9 #define GL_FRAMEBUFFER_INCOMPLETE_FORMATS_EXT 0x8CDA #define GL_FRAMEBUFFER_INCOMPLETE_DRAW_BUFFER_EXT 0x8CDB #define GL_FRAMEBUFFER_INCOMPLETE_READ_BUFFER_EXT 0x8CDC #define GL_FRAMEBUFFER_UNSUPPORTED_EXT 0x8CDD #define GL_MAX_COLOR_ATTACHMENTS_EXT 0x8CDF #define GL_COLOR_ATTACHMENT0_EXT 0x8CE0 #define GL_COLOR_ATTACHMENT1_EXT 0x8CE1 #define GL_COLOR_ATTACHMENT2_EXT 0x8CE2 #define GL_COLOR_ATTACHMENT3_EXT 0x8CE3 #define GL_COLOR_ATTACHMENT4_EXT 0x8CE4 #define GL_COLOR_ATTACHMENT5_EXT 0x8CE5 #define GL_COLOR_ATTACHMENT6_EXT 0x8CE6 #define GL_COLOR_ATTACHMENT7_EXT 0x8CE7 #define GL_COLOR_ATTACHMENT8_EXT 0x8CE8 #define GL_COLOR_ATTACHMENT9_EXT 0x8CE9 #define GL_COLOR_ATTACHMENT10_EXT 0x8CEA #define GL_COLOR_ATTACHMENT11_EXT 0x8CEB #define GL_COLOR_ATTACHMENT12_EXT 0x8CEC #define GL_COLOR_ATTACHMENT13_EXT 0x8CED #define GL_COLOR_ATTACHMENT14_EXT 0x8CEE #define GL_COLOR_ATTACHMENT15_EXT 0x8CEF #define GL_DEPTH_ATTACHMENT_EXT 0x8D00 #define GL_STENCIL_ATTACHMENT_EXT 0x8D20 #define GL_FRAMEBUFFER_EXT 0x8D40 #define GL_RENDERBUFFER_EXT 0x8D41 #define GL_RENDERBUFFER_WIDTH_EXT 0x8D42 #define GL_RENDERBUFFER_HEIGHT_EXT 0x8D43 #define GL_RENDERBUFFER_INTERNAL_FORMAT_EXT 0x8D44 #define GL_STENCIL_INDEX1_EXT 0x8D46 #define GL_STENCIL_INDEX4_EXT 0x8D47 #define GL_STENCIL_INDEX8_EXT 0x8D48 #define GL_STENCIL_INDEX16_EXT 0x8D49 #define GL_RENDERBUFFER_RED_SIZE_EXT 0x8D50 #define GL_RENDERBUFFER_GREEN_SIZE_EXT 0x8D51 #define GL_RENDERBUFFER_BLUE_SIZE_EXT 0x8D52 #define GL_RENDERBUFFER_ALPHA_SIZE_EXT 0x8D53 #define GL_RENDERBUFFER_DEPTH_SIZE_EXT 0x8D54 #define GL_RENDERBUFFER_STENCIL_SIZE_EXT 0x8D55 typedef void (GLAPIENTRY * PFNGLBINDFRAMEBUFFEREXTPROC) (GLenum target, GLuint framebuffer); typedef void (GLAPIENTRY * PFNGLBINDRENDERBUFFEREXTPROC) (GLenum target, GLuint renderbuffer); typedef GLenum (GLAPIENTRY * PFNGLCHECKFRAMEBUFFERSTATUSEXTPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLDELETEFRAMEBUFFERSEXTPROC) (GLsizei n, const GLuint* framebuffers); typedef void (GLAPIENTRY * PFNGLDELETERENDERBUFFERSEXTPROC) (GLsizei n, const GLuint* renderbuffers); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERRENDERBUFFEREXTPROC) (GLenum target, GLenum attachment, GLenum renderbuffertarget, GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE1DEXTPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE2DEXTPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE3DEXTPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLint zoffset); typedef void (GLAPIENTRY * PFNGLGENFRAMEBUFFERSEXTPROC) (GLsizei n, GLuint* framebuffers); typedef void (GLAPIENTRY * PFNGLGENRENDERBUFFERSEXTPROC) (GLsizei n, GLuint* renderbuffers); typedef void (GLAPIENTRY * PFNGLGENERATEMIPMAPEXTPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC) (GLenum target, GLenum attachment, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETRENDERBUFFERPARAMETERIVEXTPROC) (GLenum target, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISFRAMEBUFFEREXTPROC) (GLuint framebuffer); typedef GLboolean (GLAPIENTRY * PFNGLISRENDERBUFFEREXTPROC) (GLuint renderbuffer); typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEEXTPROC) (GLenum target, GLenum internalformat, GLsizei width, GLsizei height); #define glBindFramebufferEXT GLEW_GET_FUN(__glewBindFramebufferEXT) #define glBindRenderbufferEXT GLEW_GET_FUN(__glewBindRenderbufferEXT) #define glCheckFramebufferStatusEXT GLEW_GET_FUN(__glewCheckFramebufferStatusEXT) #define glDeleteFramebuffersEXT GLEW_GET_FUN(__glewDeleteFramebuffersEXT) #define glDeleteRenderbuffersEXT GLEW_GET_FUN(__glewDeleteRenderbuffersEXT) #define glFramebufferRenderbufferEXT GLEW_GET_FUN(__glewFramebufferRenderbufferEXT) #define glFramebufferTexture1DEXT GLEW_GET_FUN(__glewFramebufferTexture1DEXT) #define glFramebufferTexture2DEXT GLEW_GET_FUN(__glewFramebufferTexture2DEXT) #define glFramebufferTexture3DEXT GLEW_GET_FUN(__glewFramebufferTexture3DEXT) #define glGenFramebuffersEXT GLEW_GET_FUN(__glewGenFramebuffersEXT) #define glGenRenderbuffersEXT GLEW_GET_FUN(__glewGenRenderbuffersEXT) #define glGenerateMipmapEXT GLEW_GET_FUN(__glewGenerateMipmapEXT) #define glGetFramebufferAttachmentParameterivEXT GLEW_GET_FUN(__glewGetFramebufferAttachmentParameterivEXT) #define glGetRenderbufferParameterivEXT GLEW_GET_FUN(__glewGetRenderbufferParameterivEXT) #define glIsFramebufferEXT GLEW_GET_FUN(__glewIsFramebufferEXT) #define glIsRenderbufferEXT GLEW_GET_FUN(__glewIsRenderbufferEXT) #define glRenderbufferStorageEXT GLEW_GET_FUN(__glewRenderbufferStorageEXT) #define GLEW_EXT_framebuffer_object GLEW_GET_VAR(__GLEW_EXT_framebuffer_object) #endif /* GL_EXT_framebuffer_object */ /* ------------------------ GL_EXT_framebuffer_sRGB ------------------------ */ #ifndef GL_EXT_framebuffer_sRGB #define GL_EXT_framebuffer_sRGB 1 #define GL_FRAMEBUFFER_SRGB_EXT 0x8DB9 #define GL_FRAMEBUFFER_SRGB_CAPABLE_EXT 0x8DBA #define GLEW_EXT_framebuffer_sRGB GLEW_GET_VAR(__GLEW_EXT_framebuffer_sRGB) #endif /* GL_EXT_framebuffer_sRGB */ /* ----------------------- GL_EXT_geometry_point_size ---------------------- */ #ifndef GL_EXT_geometry_point_size #define GL_EXT_geometry_point_size 1 #define GL_GEOMETRY_SHADER_BIT_EXT 0x00000004 #define GL_LINES_ADJACENCY_EXT 0xA #define GL_LINE_STRIP_ADJACENCY_EXT 0xB #define GL_TRIANGLES_ADJACENCY_EXT 0xC #define GL_TRIANGLE_STRIP_ADJACENCY_EXT 0xD #define GL_LAYER_PROVOKING_VERTEX_EXT 0x825E #define GL_UNDEFINED_VERTEX_EXT 0x8260 #define GL_GEOMETRY_SHADER_INVOCATIONS_EXT 0x887F #define GL_GEOMETRY_LINKED_VERTICES_OUT_EXT 0x8916 #define GL_GEOMETRY_LINKED_INPUT_TYPE_EXT 0x8917 #define GL_GEOMETRY_LINKED_OUTPUT_TYPE_EXT 0x8918 #define GL_MAX_GEOMETRY_UNIFORM_BLOCKS_EXT 0x8A2C #define GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS_EXT 0x8A32 #define GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_EXT 0x8C29 #define GL_PRIMITIVES_GENERATED_EXT 0x8C87 #define GL_FRAMEBUFFER_ATTACHMENT_LAYERED_EXT 0x8DA7 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_EXT 0x8DA8 #define GL_GEOMETRY_SHADER_EXT 0x8DD9 #define GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_EXT 0x8DDF #define GL_MAX_GEOMETRY_OUTPUT_VERTICES_EXT 0x8DE0 #define GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_EXT 0x8DE1 #define GL_FIRST_VERTEX_CONVENTION_EXT 0x8E4D #define GL_LAST_VERTEX_CONVENTION_EXT 0x8E4E #define GL_MAX_GEOMETRY_SHADER_INVOCATIONS_EXT 0x8E5A #define GL_MAX_GEOMETRY_IMAGE_UNIFORMS_EXT 0x90CD #define GL_MAX_GEOMETRY_SHADER_STORAGE_BLOCKS_EXT 0x90D7 #define GL_MAX_GEOMETRY_INPUT_COMPONENTS_EXT 0x9123 #define GL_MAX_GEOMETRY_OUTPUT_COMPONENTS_EXT 0x9124 #define GL_MAX_GEOMETRY_ATOMIC_COUNTER_BUFFERS_EXT 0x92CF #define GL_MAX_GEOMETRY_ATOMIC_COUNTERS_EXT 0x92D5 #define GL_REFERENCED_BY_GEOMETRY_SHADER_EXT 0x9309 #define GL_FRAMEBUFFER_DEFAULT_LAYERS_EXT 0x9312 #define GL_MAX_FRAMEBUFFER_LAYERS_EXT 0x9317 #define GLEW_EXT_geometry_point_size GLEW_GET_VAR(__GLEW_EXT_geometry_point_size) #endif /* GL_EXT_geometry_point_size */ /* ------------------------- GL_EXT_geometry_shader ------------------------ */ #ifndef GL_EXT_geometry_shader #define GL_EXT_geometry_shader 1 #define GL_GEOMETRY_SHADER_BIT_EXT 0x00000004 #define GL_LINES_ADJACENCY_EXT 0xA #define GL_LINE_STRIP_ADJACENCY_EXT 0xB #define GL_TRIANGLES_ADJACENCY_EXT 0xC #define GL_TRIANGLE_STRIP_ADJACENCY_EXT 0xD #define GL_LAYER_PROVOKING_VERTEX_EXT 0x825E #define GL_UNDEFINED_VERTEX_EXT 0x8260 #define GL_GEOMETRY_SHADER_INVOCATIONS_EXT 0x887F #define GL_GEOMETRY_LINKED_VERTICES_OUT_EXT 0x8916 #define GL_GEOMETRY_LINKED_INPUT_TYPE_EXT 0x8917 #define GL_GEOMETRY_LINKED_OUTPUT_TYPE_EXT 0x8918 #define GL_MAX_GEOMETRY_UNIFORM_BLOCKS_EXT 0x8A2C #define GL_MAX_COMBINED_GEOMETRY_UNIFORM_COMPONENTS_EXT 0x8A32 #define GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_EXT 0x8C29 #define GL_PRIMITIVES_GENERATED_EXT 0x8C87 #define GL_FRAMEBUFFER_ATTACHMENT_LAYERED_EXT 0x8DA7 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_EXT 0x8DA8 #define GL_GEOMETRY_SHADER_EXT 0x8DD9 #define GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_EXT 0x8DDF #define GL_MAX_GEOMETRY_OUTPUT_VERTICES_EXT 0x8DE0 #define GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_EXT 0x8DE1 #define GL_FIRST_VERTEX_CONVENTION_EXT 0x8E4D #define GL_LAST_VERTEX_CONVENTION_EXT 0x8E4E #define GL_MAX_GEOMETRY_SHADER_INVOCATIONS_EXT 0x8E5A #define GL_MAX_GEOMETRY_IMAGE_UNIFORMS_EXT 0x90CD #define GL_MAX_GEOMETRY_SHADER_STORAGE_BLOCKS_EXT 0x90D7 #define GL_MAX_GEOMETRY_INPUT_COMPONENTS_EXT 0x9123 #define GL_MAX_GEOMETRY_OUTPUT_COMPONENTS_EXT 0x9124 #define GL_MAX_GEOMETRY_ATOMIC_COUNTER_BUFFERS_EXT 0x92CF #define GL_MAX_GEOMETRY_ATOMIC_COUNTERS_EXT 0x92D5 #define GL_REFERENCED_BY_GEOMETRY_SHADER_EXT 0x9309 #define GL_FRAMEBUFFER_DEFAULT_LAYERS_EXT 0x9312 #define GL_MAX_FRAMEBUFFER_LAYERS_EXT 0x9317 #define GLEW_EXT_geometry_shader GLEW_GET_VAR(__GLEW_EXT_geometry_shader) #endif /* GL_EXT_geometry_shader */ /* ------------------------ GL_EXT_geometry_shader4 ------------------------ */ #ifndef GL_EXT_geometry_shader4 #define GL_EXT_geometry_shader4 1 #define GL_LINES_ADJACENCY_EXT 0xA #define GL_LINE_STRIP_ADJACENCY_EXT 0xB #define GL_TRIANGLES_ADJACENCY_EXT 0xC #define GL_TRIANGLE_STRIP_ADJACENCY_EXT 0xD #define GL_PROGRAM_POINT_SIZE_EXT 0x8642 #define GL_MAX_VARYING_COMPONENTS_EXT 0x8B4B #define GL_MAX_GEOMETRY_TEXTURE_IMAGE_UNITS_EXT 0x8C29 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER_EXT 0x8CD4 #define GL_FRAMEBUFFER_ATTACHMENT_LAYERED_EXT 0x8DA7 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_TARGETS_EXT 0x8DA8 #define GL_FRAMEBUFFER_INCOMPLETE_LAYER_COUNT_EXT 0x8DA9 #define GL_GEOMETRY_SHADER_EXT 0x8DD9 #define GL_GEOMETRY_VERTICES_OUT_EXT 0x8DDA #define GL_GEOMETRY_INPUT_TYPE_EXT 0x8DDB #define GL_GEOMETRY_OUTPUT_TYPE_EXT 0x8DDC #define GL_MAX_GEOMETRY_VARYING_COMPONENTS_EXT 0x8DDD #define GL_MAX_VERTEX_VARYING_COMPONENTS_EXT 0x8DDE #define GL_MAX_GEOMETRY_UNIFORM_COMPONENTS_EXT 0x8DDF #define GL_MAX_GEOMETRY_OUTPUT_VERTICES_EXT 0x8DE0 #define GL_MAX_GEOMETRY_TOTAL_OUTPUT_COMPONENTS_EXT 0x8DE1 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREEXTPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREFACEEXTPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLenum face); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETERIEXTPROC) (GLuint program, GLenum pname, GLint value); #define glFramebufferTextureEXT GLEW_GET_FUN(__glewFramebufferTextureEXT) #define glFramebufferTextureFaceEXT GLEW_GET_FUN(__glewFramebufferTextureFaceEXT) #define glProgramParameteriEXT GLEW_GET_FUN(__glewProgramParameteriEXT) #define GLEW_EXT_geometry_shader4 GLEW_GET_VAR(__GLEW_EXT_geometry_shader4) #endif /* GL_EXT_geometry_shader4 */ /* --------------------- GL_EXT_gpu_program_parameters --------------------- */ #ifndef GL_EXT_gpu_program_parameters #define GL_EXT_gpu_program_parameters 1 typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERS4FVEXTPROC) (GLenum target, GLuint index, GLsizei count, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERS4FVEXTPROC) (GLenum target, GLuint index, GLsizei count, const GLfloat* params); #define glProgramEnvParameters4fvEXT GLEW_GET_FUN(__glewProgramEnvParameters4fvEXT) #define glProgramLocalParameters4fvEXT GLEW_GET_FUN(__glewProgramLocalParameters4fvEXT) #define GLEW_EXT_gpu_program_parameters GLEW_GET_VAR(__GLEW_EXT_gpu_program_parameters) #endif /* GL_EXT_gpu_program_parameters */ /* --------------------------- GL_EXT_gpu_shader4 -------------------------- */ #ifndef GL_EXT_gpu_shader4 #define GL_EXT_gpu_shader4 1 #define GL_VERTEX_ATTRIB_ARRAY_INTEGER_EXT 0x88FD #define GL_SAMPLER_1D_ARRAY_EXT 0x8DC0 #define GL_SAMPLER_2D_ARRAY_EXT 0x8DC1 #define GL_SAMPLER_BUFFER_EXT 0x8DC2 #define GL_SAMPLER_1D_ARRAY_SHADOW_EXT 0x8DC3 #define GL_SAMPLER_2D_ARRAY_SHADOW_EXT 0x8DC4 #define GL_SAMPLER_CUBE_SHADOW_EXT 0x8DC5 #define GL_UNSIGNED_INT_VEC2_EXT 0x8DC6 #define GL_UNSIGNED_INT_VEC3_EXT 0x8DC7 #define GL_UNSIGNED_INT_VEC4_EXT 0x8DC8 #define GL_INT_SAMPLER_1D_EXT 0x8DC9 #define GL_INT_SAMPLER_2D_EXT 0x8DCA #define GL_INT_SAMPLER_3D_EXT 0x8DCB #define GL_INT_SAMPLER_CUBE_EXT 0x8DCC #define GL_INT_SAMPLER_2D_RECT_EXT 0x8DCD #define GL_INT_SAMPLER_1D_ARRAY_EXT 0x8DCE #define GL_INT_SAMPLER_2D_ARRAY_EXT 0x8DCF #define GL_INT_SAMPLER_BUFFER_EXT 0x8DD0 #define GL_UNSIGNED_INT_SAMPLER_1D_EXT 0x8DD1 #define GL_UNSIGNED_INT_SAMPLER_2D_EXT 0x8DD2 #define GL_UNSIGNED_INT_SAMPLER_3D_EXT 0x8DD3 #define GL_UNSIGNED_INT_SAMPLER_CUBE_EXT 0x8DD4 #define GL_UNSIGNED_INT_SAMPLER_2D_RECT_EXT 0x8DD5 #define GL_UNSIGNED_INT_SAMPLER_1D_ARRAY_EXT 0x8DD6 #define GL_UNSIGNED_INT_SAMPLER_2D_ARRAY_EXT 0x8DD7 #define GL_UNSIGNED_INT_SAMPLER_BUFFER_EXT 0x8DD8 typedef void (GLAPIENTRY * PFNGLBINDFRAGDATALOCATIONEXTPROC) (GLuint program, GLuint color, const GLchar *name); typedef GLint (GLAPIENTRY * PFNGLGETFRAGDATALOCATIONEXTPROC) (GLuint program, const GLchar *name); typedef void (GLAPIENTRY * PFNGLGETUNIFORMUIVEXTPROC) (GLuint program, GLint location, GLuint *params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIIVEXTPROC) (GLuint index, GLenum pname, GLint *params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIUIVEXTPROC) (GLuint index, GLenum pname, GLuint *params); typedef void (GLAPIENTRY * PFNGLUNIFORM1UIEXTPROC) (GLint location, GLuint v0); typedef void (GLAPIENTRY * PFNGLUNIFORM1UIVEXTPROC) (GLint location, GLsizei count, const GLuint *value); typedef void (GLAPIENTRY * PFNGLUNIFORM2UIEXTPROC) (GLint location, GLuint v0, GLuint v1); typedef void (GLAPIENTRY * PFNGLUNIFORM2UIVEXTPROC) (GLint location, GLsizei count, const GLuint *value); typedef void (GLAPIENTRY * PFNGLUNIFORM3UIEXTPROC) (GLint location, GLuint v0, GLuint v1, GLuint v2); typedef void (GLAPIENTRY * PFNGLUNIFORM3UIVEXTPROC) (GLint location, GLsizei count, const GLuint *value); typedef void (GLAPIENTRY * PFNGLUNIFORM4UIEXTPROC) (GLint location, GLuint v0, GLuint v1, GLuint v2, GLuint v3); typedef void (GLAPIENTRY * PFNGLUNIFORM4UIVEXTPROC) (GLint location, GLsizei count, const GLuint *value); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1IEXTPROC) (GLuint index, GLint x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1IVEXTPROC) (GLuint index, const GLint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1UIEXTPROC) (GLuint index, GLuint x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI1UIVEXTPROC) (GLuint index, const GLuint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2IEXTPROC) (GLuint index, GLint x, GLint y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2IVEXTPROC) (GLuint index, const GLint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2UIEXTPROC) (GLuint index, GLuint x, GLuint y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI2UIVEXTPROC) (GLuint index, const GLuint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3IEXTPROC) (GLuint index, GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3IVEXTPROC) (GLuint index, const GLint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3UIEXTPROC) (GLuint index, GLuint x, GLuint y, GLuint z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI3UIVEXTPROC) (GLuint index, const GLuint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4BVEXTPROC) (GLuint index, const GLbyte *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4IEXTPROC) (GLuint index, GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4IVEXTPROC) (GLuint index, const GLint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4SVEXTPROC) (GLuint index, const GLshort *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4UBVEXTPROC) (GLuint index, const GLubyte *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4UIEXTPROC) (GLuint index, GLuint x, GLuint y, GLuint z, GLuint w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4UIVEXTPROC) (GLuint index, const GLuint *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBI4USVEXTPROC) (GLuint index, const GLushort *v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBIPOINTEREXTPROC) (GLuint index, GLint size, GLenum type, GLsizei stride, const void *pointer); #define glBindFragDataLocationEXT GLEW_GET_FUN(__glewBindFragDataLocationEXT) #define glGetFragDataLocationEXT GLEW_GET_FUN(__glewGetFragDataLocationEXT) #define glGetUniformuivEXT GLEW_GET_FUN(__glewGetUniformuivEXT) #define glGetVertexAttribIivEXT GLEW_GET_FUN(__glewGetVertexAttribIivEXT) #define glGetVertexAttribIuivEXT GLEW_GET_FUN(__glewGetVertexAttribIuivEXT) #define glUniform1uiEXT GLEW_GET_FUN(__glewUniform1uiEXT) #define glUniform1uivEXT GLEW_GET_FUN(__glewUniform1uivEXT) #define glUniform2uiEXT GLEW_GET_FUN(__glewUniform2uiEXT) #define glUniform2uivEXT GLEW_GET_FUN(__glewUniform2uivEXT) #define glUniform3uiEXT GLEW_GET_FUN(__glewUniform3uiEXT) #define glUniform3uivEXT GLEW_GET_FUN(__glewUniform3uivEXT) #define glUniform4uiEXT GLEW_GET_FUN(__glewUniform4uiEXT) #define glUniform4uivEXT GLEW_GET_FUN(__glewUniform4uivEXT) #define glVertexAttribI1iEXT GLEW_GET_FUN(__glewVertexAttribI1iEXT) #define glVertexAttribI1ivEXT GLEW_GET_FUN(__glewVertexAttribI1ivEXT) #define glVertexAttribI1uiEXT GLEW_GET_FUN(__glewVertexAttribI1uiEXT) #define glVertexAttribI1uivEXT GLEW_GET_FUN(__glewVertexAttribI1uivEXT) #define glVertexAttribI2iEXT GLEW_GET_FUN(__glewVertexAttribI2iEXT) #define glVertexAttribI2ivEXT GLEW_GET_FUN(__glewVertexAttribI2ivEXT) #define glVertexAttribI2uiEXT GLEW_GET_FUN(__glewVertexAttribI2uiEXT) #define glVertexAttribI2uivEXT GLEW_GET_FUN(__glewVertexAttribI2uivEXT) #define glVertexAttribI3iEXT GLEW_GET_FUN(__glewVertexAttribI3iEXT) #define glVertexAttribI3ivEXT GLEW_GET_FUN(__glewVertexAttribI3ivEXT) #define glVertexAttribI3uiEXT GLEW_GET_FUN(__glewVertexAttribI3uiEXT) #define glVertexAttribI3uivEXT GLEW_GET_FUN(__glewVertexAttribI3uivEXT) #define glVertexAttribI4bvEXT GLEW_GET_FUN(__glewVertexAttribI4bvEXT) #define glVertexAttribI4iEXT GLEW_GET_FUN(__glewVertexAttribI4iEXT) #define glVertexAttribI4ivEXT GLEW_GET_FUN(__glewVertexAttribI4ivEXT) #define glVertexAttribI4svEXT GLEW_GET_FUN(__glewVertexAttribI4svEXT) #define glVertexAttribI4ubvEXT GLEW_GET_FUN(__glewVertexAttribI4ubvEXT) #define glVertexAttribI4uiEXT GLEW_GET_FUN(__glewVertexAttribI4uiEXT) #define glVertexAttribI4uivEXT GLEW_GET_FUN(__glewVertexAttribI4uivEXT) #define glVertexAttribI4usvEXT GLEW_GET_FUN(__glewVertexAttribI4usvEXT) #define glVertexAttribIPointerEXT GLEW_GET_FUN(__glewVertexAttribIPointerEXT) #define GLEW_EXT_gpu_shader4 GLEW_GET_VAR(__GLEW_EXT_gpu_shader4) #endif /* GL_EXT_gpu_shader4 */ /* --------------------------- GL_EXT_gpu_shader5 -------------------------- */ #ifndef GL_EXT_gpu_shader5 #define GL_EXT_gpu_shader5 1 #define GLEW_EXT_gpu_shader5 GLEW_GET_VAR(__GLEW_EXT_gpu_shader5) #endif /* GL_EXT_gpu_shader5 */ /* ---------------------------- GL_EXT_histogram --------------------------- */ #ifndef GL_EXT_histogram #define GL_EXT_histogram 1 #define GL_HISTOGRAM_EXT 0x8024 #define GL_PROXY_HISTOGRAM_EXT 0x8025 #define GL_HISTOGRAM_WIDTH_EXT 0x8026 #define GL_HISTOGRAM_FORMAT_EXT 0x8027 #define GL_HISTOGRAM_RED_SIZE_EXT 0x8028 #define GL_HISTOGRAM_GREEN_SIZE_EXT 0x8029 #define GL_HISTOGRAM_BLUE_SIZE_EXT 0x802A #define GL_HISTOGRAM_ALPHA_SIZE_EXT 0x802B #define GL_HISTOGRAM_LUMINANCE_SIZE_EXT 0x802C #define GL_HISTOGRAM_SINK_EXT 0x802D #define GL_MINMAX_EXT 0x802E #define GL_MINMAX_FORMAT_EXT 0x802F #define GL_MINMAX_SINK_EXT 0x8030 typedef void (GLAPIENTRY * PFNGLGETHISTOGRAMEXTPROC) (GLenum target, GLboolean reset, GLenum format, GLenum type, void *values); typedef void (GLAPIENTRY * PFNGLGETHISTOGRAMPARAMETERFVEXTPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETHISTOGRAMPARAMETERIVEXTPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMINMAXEXTPROC) (GLenum target, GLboolean reset, GLenum format, GLenum type, void *values); typedef void (GLAPIENTRY * PFNGLGETMINMAXPARAMETERFVEXTPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMINMAXPARAMETERIVEXTPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLHISTOGRAMEXTPROC) (GLenum target, GLsizei width, GLenum internalformat, GLboolean sink); typedef void (GLAPIENTRY * PFNGLMINMAXEXTPROC) (GLenum target, GLenum internalformat, GLboolean sink); typedef void (GLAPIENTRY * PFNGLRESETHISTOGRAMEXTPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLRESETMINMAXEXTPROC) (GLenum target); #define glGetHistogramEXT GLEW_GET_FUN(__glewGetHistogramEXT) #define glGetHistogramParameterfvEXT GLEW_GET_FUN(__glewGetHistogramParameterfvEXT) #define glGetHistogramParameterivEXT GLEW_GET_FUN(__glewGetHistogramParameterivEXT) #define glGetMinmaxEXT GLEW_GET_FUN(__glewGetMinmaxEXT) #define glGetMinmaxParameterfvEXT GLEW_GET_FUN(__glewGetMinmaxParameterfvEXT) #define glGetMinmaxParameterivEXT GLEW_GET_FUN(__glewGetMinmaxParameterivEXT) #define glHistogramEXT GLEW_GET_FUN(__glewHistogramEXT) #define glMinmaxEXT GLEW_GET_FUN(__glewMinmaxEXT) #define glResetHistogramEXT GLEW_GET_FUN(__glewResetHistogramEXT) #define glResetMinmaxEXT GLEW_GET_FUN(__glewResetMinmaxEXT) #define GLEW_EXT_histogram GLEW_GET_VAR(__GLEW_EXT_histogram) #endif /* GL_EXT_histogram */ /* ----------------------- GL_EXT_index_array_formats ---------------------- */ #ifndef GL_EXT_index_array_formats #define GL_EXT_index_array_formats 1 #define GLEW_EXT_index_array_formats GLEW_GET_VAR(__GLEW_EXT_index_array_formats) #endif /* GL_EXT_index_array_formats */ /* --------------------------- GL_EXT_index_func --------------------------- */ #ifndef GL_EXT_index_func #define GL_EXT_index_func 1 typedef void (GLAPIENTRY * PFNGLINDEXFUNCEXTPROC) (GLenum func, GLfloat ref); #define glIndexFuncEXT GLEW_GET_FUN(__glewIndexFuncEXT) #define GLEW_EXT_index_func GLEW_GET_VAR(__GLEW_EXT_index_func) #endif /* GL_EXT_index_func */ /* ------------------------- GL_EXT_index_material ------------------------- */ #ifndef GL_EXT_index_material #define GL_EXT_index_material 1 typedef void (GLAPIENTRY * PFNGLINDEXMATERIALEXTPROC) (GLenum face, GLenum mode); #define glIndexMaterialEXT GLEW_GET_FUN(__glewIndexMaterialEXT) #define GLEW_EXT_index_material GLEW_GET_VAR(__GLEW_EXT_index_material) #endif /* GL_EXT_index_material */ /* -------------------------- GL_EXT_index_texture ------------------------- */ #ifndef GL_EXT_index_texture #define GL_EXT_index_texture 1 #define GLEW_EXT_index_texture GLEW_GET_VAR(__GLEW_EXT_index_texture) #endif /* GL_EXT_index_texture */ /* ------------------------ GL_EXT_instanced_arrays ------------------------ */ #ifndef GL_EXT_instanced_arrays #define GL_EXT_instanced_arrays 1 #define GL_VERTEX_ATTRIB_ARRAY_DIVISOR_EXT 0x88FE typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBDIVISOREXTPROC) (GLuint index, GLuint divisor); #define glVertexAttribDivisorEXT GLEW_GET_FUN(__glewVertexAttribDivisorEXT) #define GLEW_EXT_instanced_arrays GLEW_GET_VAR(__GLEW_EXT_instanced_arrays) #endif /* GL_EXT_instanced_arrays */ /* -------------------------- GL_EXT_light_texture ------------------------- */ #ifndef GL_EXT_light_texture #define GL_EXT_light_texture 1 #define GL_FRAGMENT_MATERIAL_EXT 0x8349 #define GL_FRAGMENT_NORMAL_EXT 0x834A #define GL_FRAGMENT_COLOR_EXT 0x834C #define GL_ATTENUATION_EXT 0x834D #define GL_SHADOW_ATTENUATION_EXT 0x834E #define GL_TEXTURE_APPLICATION_MODE_EXT 0x834F #define GL_TEXTURE_LIGHT_EXT 0x8350 #define GL_TEXTURE_MATERIAL_FACE_EXT 0x8351 #define GL_TEXTURE_MATERIAL_PARAMETER_EXT 0x8352 typedef void (GLAPIENTRY * PFNGLAPPLYTEXTUREEXTPROC) (GLenum mode); typedef void (GLAPIENTRY * PFNGLTEXTURELIGHTEXTPROC) (GLenum pname); typedef void (GLAPIENTRY * PFNGLTEXTUREMATERIALEXTPROC) (GLenum face, GLenum mode); #define glApplyTextureEXT GLEW_GET_FUN(__glewApplyTextureEXT) #define glTextureLightEXT GLEW_GET_FUN(__glewTextureLightEXT) #define glTextureMaterialEXT GLEW_GET_FUN(__glewTextureMaterialEXT) #define GLEW_EXT_light_texture GLEW_GET_VAR(__GLEW_EXT_light_texture) #endif /* GL_EXT_light_texture */ /* ------------------------ GL_EXT_map_buffer_range ------------------------ */ #ifndef GL_EXT_map_buffer_range #define GL_EXT_map_buffer_range 1 #define GL_MAP_READ_BIT_EXT 0x0001 #define GL_MAP_WRITE_BIT_EXT 0x0002 #define GL_MAP_INVALIDATE_RANGE_BIT_EXT 0x0004 #define GL_MAP_INVALIDATE_BUFFER_BIT_EXT 0x0008 #define GL_MAP_FLUSH_EXPLICIT_BIT_EXT 0x0010 #define GL_MAP_UNSYNCHRONIZED_BIT_EXT 0x0020 typedef void (GLAPIENTRY * PFNGLFLUSHMAPPEDBUFFERRANGEEXTPROC) (GLenum target, GLintptr offset, GLsizeiptr length); typedef void * (GLAPIENTRY * PFNGLMAPBUFFERRANGEEXTPROC) (GLenum target, GLintptr offset, GLsizeiptr length, GLbitfield access); #define glFlushMappedBufferRangeEXT GLEW_GET_FUN(__glewFlushMappedBufferRangeEXT) #define glMapBufferRangeEXT GLEW_GET_FUN(__glewMapBufferRangeEXT) #define GLEW_EXT_map_buffer_range GLEW_GET_VAR(__GLEW_EXT_map_buffer_range) #endif /* GL_EXT_map_buffer_range */ /* -------------------------- GL_EXT_memory_object ------------------------- */ #ifndef GL_EXT_memory_object #define GL_EXT_memory_object 1 #define GL_UUID_SIZE_EXT 16 #define GL_TEXTURE_TILING_EXT 0x9580 #define GL_DEDICATED_MEMORY_OBJECT_EXT 0x9581 #define GL_NUM_TILING_TYPES_EXT 0x9582 #define GL_TILING_TYPES_EXT 0x9583 #define GL_OPTIMAL_TILING_EXT 0x9584 #define GL_LINEAR_TILING_EXT 0x9585 #define GL_LAYOUT_GENERAL_EXT 0x958D #define GL_LAYOUT_COLOR_ATTACHMENT_EXT 0x958E #define GL_LAYOUT_DEPTH_STENCIL_ATTACHMENT_EXT 0x958F #define GL_LAYOUT_DEPTH_STENCIL_READ_ONLY_EXT 0x9590 #define GL_LAYOUT_SHADER_READ_ONLY_EXT 0x9591 #define GL_LAYOUT_TRANSFER_SRC_EXT 0x9592 #define GL_LAYOUT_TRANSFER_DST_EXT 0x9593 #define GL_NUM_DEVICE_UUIDS_EXT 0x9596 #define GL_DEVICE_UUID_EXT 0x9597 #define GL_DRIVER_UUID_EXT 0x9598 #define GL_PROTECTED_MEMORY_OBJECT_EXT 0x959B typedef void (GLAPIENTRY * PFNGLBUFFERSTORAGEMEMEXTPROC) (GLenum target, GLsizeiptr size, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLCREATEMEMORYOBJECTSEXTPROC) (GLsizei n, GLuint* memoryObjects); typedef void (GLAPIENTRY * PFNGLDELETEMEMORYOBJECTSEXTPROC) (GLsizei n, const GLuint* memoryObjects); typedef void (GLAPIENTRY * PFNGLGETMEMORYOBJECTPARAMETERIVEXTPROC) (GLuint memoryObject, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETUNSIGNEDBYTEI_VEXTPROC) (GLenum target, GLuint index, GLubyte* data); typedef void (GLAPIENTRY * PFNGLGETUNSIGNEDBYTEVEXTPROC) (GLenum pname, GLubyte* data); typedef GLboolean (GLAPIENTRY * PFNGLISMEMORYOBJECTEXTPROC) (GLuint memoryObject); typedef void (GLAPIENTRY * PFNGLMEMORYOBJECTPARAMETERIVEXTPROC) (GLuint memoryObject, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLNAMEDBUFFERSTORAGEMEMEXTPROC) (GLuint buffer, GLsizeiptr size, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXSTORAGEMEM1DEXTPROC) (GLenum target, GLsizei levels, GLenum internalFormat, GLsizei width, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXSTORAGEMEM2DEXTPROC) (GLenum target, GLsizei levels, GLenum internalFormat, GLsizei width, GLsizei height, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXSTORAGEMEM2DMULTISAMPLEEXTPROC) (GLenum target, GLsizei samples, GLenum internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXSTORAGEMEM3DEXTPROC) (GLenum target, GLsizei levels, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXSTORAGEMEM3DMULTISAMPLEEXTPROC) (GLenum target, GLsizei samples, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGEMEM1DEXTPROC) (GLuint texture, GLsizei levels, GLenum internalFormat, GLsizei width, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGEMEM2DEXTPROC) (GLuint texture, GLsizei levels, GLenum internalFormat, GLsizei width, GLsizei height, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGEMEM2DMULTISAMPLEEXTPROC) (GLuint texture, GLsizei samples, GLenum internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGEMEM3DEXTPROC) (GLuint texture, GLsizei levels, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLuint memory, GLuint64 offset); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGEMEM3DMULTISAMPLEEXTPROC) (GLuint texture, GLsizei samples, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations, GLuint memory, GLuint64 offset); #define glBufferStorageMemEXT GLEW_GET_FUN(__glewBufferStorageMemEXT) #define glCreateMemoryObjectsEXT GLEW_GET_FUN(__glewCreateMemoryObjectsEXT) #define glDeleteMemoryObjectsEXT GLEW_GET_FUN(__glewDeleteMemoryObjectsEXT) #define glGetMemoryObjectParameterivEXT GLEW_GET_FUN(__glewGetMemoryObjectParameterivEXT) #define glGetUnsignedBytei_vEXT GLEW_GET_FUN(__glewGetUnsignedBytei_vEXT) #define glGetUnsignedBytevEXT GLEW_GET_FUN(__glewGetUnsignedBytevEXT) #define glIsMemoryObjectEXT GLEW_GET_FUN(__glewIsMemoryObjectEXT) #define glMemoryObjectParameterivEXT GLEW_GET_FUN(__glewMemoryObjectParameterivEXT) #define glNamedBufferStorageMemEXT GLEW_GET_FUN(__glewNamedBufferStorageMemEXT) #define glTexStorageMem1DEXT GLEW_GET_FUN(__glewTexStorageMem1DEXT) #define glTexStorageMem2DEXT GLEW_GET_FUN(__glewTexStorageMem2DEXT) #define glTexStorageMem2DMultisampleEXT GLEW_GET_FUN(__glewTexStorageMem2DMultisampleEXT) #define glTexStorageMem3DEXT GLEW_GET_FUN(__glewTexStorageMem3DEXT) #define glTexStorageMem3DMultisampleEXT GLEW_GET_FUN(__glewTexStorageMem3DMultisampleEXT) #define glTextureStorageMem1DEXT GLEW_GET_FUN(__glewTextureStorageMem1DEXT) #define glTextureStorageMem2DEXT GLEW_GET_FUN(__glewTextureStorageMem2DEXT) #define glTextureStorageMem2DMultisampleEXT GLEW_GET_FUN(__glewTextureStorageMem2DMultisampleEXT) #define glTextureStorageMem3DEXT GLEW_GET_FUN(__glewTextureStorageMem3DEXT) #define glTextureStorageMem3DMultisampleEXT GLEW_GET_FUN(__glewTextureStorageMem3DMultisampleEXT) #define GLEW_EXT_memory_object GLEW_GET_VAR(__GLEW_EXT_memory_object) #endif /* GL_EXT_memory_object */ /* ------------------------ GL_EXT_memory_object_fd ------------------------ */ #ifndef GL_EXT_memory_object_fd #define GL_EXT_memory_object_fd 1 #define GL_HANDLE_TYPE_OPAQUE_FD_EXT 0x9586 typedef void (GLAPIENTRY * PFNGLIMPORTMEMORYFDEXTPROC) (GLuint memory, GLuint64 size, GLenum handleType, GLint fd); #define glImportMemoryFdEXT GLEW_GET_FUN(__glewImportMemoryFdEXT) #define GLEW_EXT_memory_object_fd GLEW_GET_VAR(__GLEW_EXT_memory_object_fd) #endif /* GL_EXT_memory_object_fd */ /* ----------------------- GL_EXT_memory_object_win32 ---------------------- */ #ifndef GL_EXT_memory_object_win32 #define GL_EXT_memory_object_win32 1 #define GL_LUID_SIZE_EXT 8 #define GL_HANDLE_TYPE_OPAQUE_WIN32_EXT 0x9587 #define GL_HANDLE_TYPE_OPAQUE_WIN32_KMT_EXT 0x9588 #define GL_HANDLE_TYPE_D3D12_TILEPOOL_EXT 0x9589 #define GL_HANDLE_TYPE_D3D12_RESOURCE_EXT 0x958A #define GL_HANDLE_TYPE_D3D11_IMAGE_EXT 0x958B #define GL_HANDLE_TYPE_D3D11_IMAGE_KMT_EXT 0x958C #define GL_HANDLE_TYPE_D3D12_FENCE_EXT 0x9594 #define GL_D3D12_FENCE_VALUE_EXT 0x9595 #define GL_DEVICE_LUID_EXT 0x9599 #define GL_DEVICE_NODE_MASK_EXT 0x959A typedef void (GLAPIENTRY * PFNGLIMPORTMEMORYWIN32HANDLEEXTPROC) (GLuint memory, GLuint64 size, GLenum handleType, void *handle); typedef void (GLAPIENTRY * PFNGLIMPORTMEMORYWIN32NAMEEXTPROC) (GLuint memory, GLuint64 size, GLenum handleType, const void *name); #define glImportMemoryWin32HandleEXT GLEW_GET_FUN(__glewImportMemoryWin32HandleEXT) #define glImportMemoryWin32NameEXT GLEW_GET_FUN(__glewImportMemoryWin32NameEXT) #define GLEW_EXT_memory_object_win32 GLEW_GET_VAR(__GLEW_EXT_memory_object_win32) #endif /* GL_EXT_memory_object_win32 */ /* ------------------------- GL_EXT_misc_attribute ------------------------- */ #ifndef GL_EXT_misc_attribute #define GL_EXT_misc_attribute 1 #define GLEW_EXT_misc_attribute GLEW_GET_VAR(__GLEW_EXT_misc_attribute) #endif /* GL_EXT_misc_attribute */ /* ------------------------ GL_EXT_multi_draw_arrays ----------------------- */ #ifndef GL_EXT_multi_draw_arrays #define GL_EXT_multi_draw_arrays 1 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSEXTPROC) (GLenum mode, const GLint* first, const GLsizei *count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSEXTPROC) (GLenum mode, GLsizei* count, GLenum type, const void *const *indices, GLsizei primcount); #define glMultiDrawArraysEXT GLEW_GET_FUN(__glewMultiDrawArraysEXT) #define glMultiDrawElementsEXT GLEW_GET_FUN(__glewMultiDrawElementsEXT) #define GLEW_EXT_multi_draw_arrays GLEW_GET_VAR(__GLEW_EXT_multi_draw_arrays) #endif /* GL_EXT_multi_draw_arrays */ /* ----------------------- GL_EXT_multi_draw_indirect ---------------------- */ #ifndef GL_EXT_multi_draw_indirect #define GL_EXT_multi_draw_indirect 1 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTEXTPROC) (GLenum mode, const void *indirect, GLsizei drawcount, GLsizei stride); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTEXTPROC) (GLenum mode, GLenum type, const void *indirect, GLsizei drawcount, GLsizei stride); #define glMultiDrawArraysIndirectEXT GLEW_GET_FUN(__glewMultiDrawArraysIndirectEXT) #define glMultiDrawElementsIndirectEXT GLEW_GET_FUN(__glewMultiDrawElementsIndirectEXT) #define GLEW_EXT_multi_draw_indirect GLEW_GET_VAR(__GLEW_EXT_multi_draw_indirect) #endif /* GL_EXT_multi_draw_indirect */ /* ------------------------ GL_EXT_multiple_textures ----------------------- */ #ifndef GL_EXT_multiple_textures #define GL_EXT_multiple_textures 1 #define GLEW_EXT_multiple_textures GLEW_GET_VAR(__GLEW_EXT_multiple_textures) #endif /* GL_EXT_multiple_textures */ /* --------------------------- GL_EXT_multisample -------------------------- */ #ifndef GL_EXT_multisample #define GL_EXT_multisample 1 #define GL_MULTISAMPLE_EXT 0x809D #define GL_SAMPLE_ALPHA_TO_MASK_EXT 0x809E #define GL_SAMPLE_ALPHA_TO_ONE_EXT 0x809F #define GL_SAMPLE_MASK_EXT 0x80A0 #define GL_1PASS_EXT 0x80A1 #define GL_2PASS_0_EXT 0x80A2 #define GL_2PASS_1_EXT 0x80A3 #define GL_4PASS_0_EXT 0x80A4 #define GL_4PASS_1_EXT 0x80A5 #define GL_4PASS_2_EXT 0x80A6 #define GL_4PASS_3_EXT 0x80A7 #define GL_SAMPLE_BUFFERS_EXT 0x80A8 #define GL_SAMPLES_EXT 0x80A9 #define GL_SAMPLE_MASK_VALUE_EXT 0x80AA #define GL_SAMPLE_MASK_INVERT_EXT 0x80AB #define GL_SAMPLE_PATTERN_EXT 0x80AC #define GL_MULTISAMPLE_BIT_EXT 0x20000000 typedef void (GLAPIENTRY * PFNGLSAMPLEMASKEXTPROC) (GLclampf value, GLboolean invert); typedef void (GLAPIENTRY * PFNGLSAMPLEPATTERNEXTPROC) (GLenum pattern); #define glSampleMaskEXT GLEW_GET_FUN(__glewSampleMaskEXT) #define glSamplePatternEXT GLEW_GET_FUN(__glewSamplePatternEXT) #define GLEW_EXT_multisample GLEW_GET_VAR(__GLEW_EXT_multisample) #endif /* GL_EXT_multisample */ /* -------------------- GL_EXT_multisample_compatibility ------------------- */ #ifndef GL_EXT_multisample_compatibility #define GL_EXT_multisample_compatibility 1 #define GL_MULTISAMPLE_EXT 0x809D #define GL_SAMPLE_ALPHA_TO_ONE_EXT 0x809F #define GLEW_EXT_multisample_compatibility GLEW_GET_VAR(__GLEW_EXT_multisample_compatibility) #endif /* GL_EXT_multisample_compatibility */ /* ----------------- GL_EXT_multisampled_render_to_texture ----------------- */ #ifndef GL_EXT_multisampled_render_to_texture #define GL_EXT_multisampled_render_to_texture 1 #define GL_RENDERBUFFER_SAMPLES_EXT 0x8CAB #define GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_EXT 0x8D56 #define GL_MAX_SAMPLES_EXT 0x8D57 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_SAMPLES_EXT 0x8D6C typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURE2DMULTISAMPLEEXTPROC) (GLenum target, GLenum attachment, GLenum textarget, GLuint texture, GLint level, GLsizei samples); #define glFramebufferTexture2DMultisampleEXT GLEW_GET_FUN(__glewFramebufferTexture2DMultisampleEXT) #define GLEW_EXT_multisampled_render_to_texture GLEW_GET_VAR(__GLEW_EXT_multisampled_render_to_texture) #endif /* GL_EXT_multisampled_render_to_texture */ /* ----------------- GL_EXT_multisampled_render_to_texture2 ---------------- */ #ifndef GL_EXT_multisampled_render_to_texture2 #define GL_EXT_multisampled_render_to_texture2 1 #define GLEW_EXT_multisampled_render_to_texture2 GLEW_GET_VAR(__GLEW_EXT_multisampled_render_to_texture2) #endif /* GL_EXT_multisampled_render_to_texture2 */ /* --------------------- GL_EXT_multiview_draw_buffers --------------------- */ #ifndef GL_EXT_multiview_draw_buffers #define GL_EXT_multiview_draw_buffers 1 #define GL_DRAW_BUFFER_EXT 0x0C01 #define GL_READ_BUFFER_EXT 0x0C02 #define GL_COLOR_ATTACHMENT_EXT 0x90F0 #define GL_MULTIVIEW_EXT 0x90F1 #define GL_MAX_MULTIVIEW_BUFFERS_EXT 0x90F2 typedef void (GLAPIENTRY * PFNGLDRAWBUFFERSINDEXEDEXTPROC) (GLint n, const GLenum* location, const GLint *indices); typedef void (GLAPIENTRY * PFNGLGETINTEGERI_VEXTPROC) (GLenum target, GLuint index, GLint* data); typedef void (GLAPIENTRY * PFNGLREADBUFFERINDEXEDEXTPROC) (GLenum src, GLint index); #define glDrawBuffersIndexedEXT GLEW_GET_FUN(__glewDrawBuffersIndexedEXT) #define glGetIntegeri_vEXT GLEW_GET_FUN(__glewGetIntegeri_vEXT) #define glReadBufferIndexedEXT GLEW_GET_FUN(__glewReadBufferIndexedEXT) #define GLEW_EXT_multiview_draw_buffers GLEW_GET_VAR(__GLEW_EXT_multiview_draw_buffers) #endif /* GL_EXT_multiview_draw_buffers */ /* ---------------------- GL_EXT_packed_depth_stencil ---------------------- */ #ifndef GL_EXT_packed_depth_stencil #define GL_EXT_packed_depth_stencil 1 #define GL_DEPTH_STENCIL_EXT 0x84F9 #define GL_UNSIGNED_INT_24_8_EXT 0x84FA #define GL_DEPTH24_STENCIL8_EXT 0x88F0 #define GL_TEXTURE_STENCIL_SIZE_EXT 0x88F1 #define GLEW_EXT_packed_depth_stencil GLEW_GET_VAR(__GLEW_EXT_packed_depth_stencil) #endif /* GL_EXT_packed_depth_stencil */ /* -------------------------- GL_EXT_packed_float -------------------------- */ #ifndef GL_EXT_packed_float #define GL_EXT_packed_float 1 #define GL_R11F_G11F_B10F_EXT 0x8C3A #define GL_UNSIGNED_INT_10F_11F_11F_REV_EXT 0x8C3B #define GL_RGBA_SIGNED_COMPONENTS_EXT 0x8C3C #define GLEW_EXT_packed_float GLEW_GET_VAR(__GLEW_EXT_packed_float) #endif /* GL_EXT_packed_float */ /* -------------------------- GL_EXT_packed_pixels ------------------------- */ #ifndef GL_EXT_packed_pixels #define GL_EXT_packed_pixels 1 #define GL_UNSIGNED_BYTE_3_3_2_EXT 0x8032 #define GL_UNSIGNED_SHORT_4_4_4_4_EXT 0x8033 #define GL_UNSIGNED_SHORT_5_5_5_1_EXT 0x8034 #define GL_UNSIGNED_INT_8_8_8_8_EXT 0x8035 #define GL_UNSIGNED_INT_10_10_10_2_EXT 0x8036 #define GLEW_EXT_packed_pixels GLEW_GET_VAR(__GLEW_EXT_packed_pixels) #endif /* GL_EXT_packed_pixels */ /* ------------------------ GL_EXT_paletted_texture ------------------------ */ #ifndef GL_EXT_paletted_texture #define GL_EXT_paletted_texture 1 #define GL_TEXTURE_1D 0x0DE0 #define GL_TEXTURE_2D 0x0DE1 #define GL_PROXY_TEXTURE_1D 0x8063 #define GL_PROXY_TEXTURE_2D 0x8064 #define GL_COLOR_TABLE_FORMAT_EXT 0x80D8 #define GL_COLOR_TABLE_WIDTH_EXT 0x80D9 #define GL_COLOR_TABLE_RED_SIZE_EXT 0x80DA #define GL_COLOR_TABLE_GREEN_SIZE_EXT 0x80DB #define GL_COLOR_TABLE_BLUE_SIZE_EXT 0x80DC #define GL_COLOR_TABLE_ALPHA_SIZE_EXT 0x80DD #define GL_COLOR_TABLE_LUMINANCE_SIZE_EXT 0x80DE #define GL_COLOR_TABLE_INTENSITY_SIZE_EXT 0x80DF #define GL_COLOR_INDEX1_EXT 0x80E2 #define GL_COLOR_INDEX2_EXT 0x80E3 #define GL_COLOR_INDEX4_EXT 0x80E4 #define GL_COLOR_INDEX8_EXT 0x80E5 #define GL_COLOR_INDEX12_EXT 0x80E6 #define GL_COLOR_INDEX16_EXT 0x80E7 #define GL_TEXTURE_INDEX_SIZE_EXT 0x80ED #define GL_TEXTURE_CUBE_MAP_ARB 0x8513 #define GL_PROXY_TEXTURE_CUBE_MAP_ARB 0x851B typedef void (GLAPIENTRY * PFNGLCOLORTABLEEXTPROC) (GLenum target, GLenum internalFormat, GLsizei width, GLenum format, GLenum type, const void *data); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEEXTPROC) (GLenum target, GLenum format, GLenum type, void *data); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPARAMETERFVEXTPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPARAMETERIVEXTPROC) (GLenum target, GLenum pname, GLint* params); #define glColorTableEXT GLEW_GET_FUN(__glewColorTableEXT) #define glGetColorTableEXT GLEW_GET_FUN(__glewGetColorTableEXT) #define glGetColorTableParameterfvEXT GLEW_GET_FUN(__glewGetColorTableParameterfvEXT) #define glGetColorTableParameterivEXT GLEW_GET_FUN(__glewGetColorTableParameterivEXT) #define GLEW_EXT_paletted_texture GLEW_GET_VAR(__GLEW_EXT_paletted_texture) #endif /* GL_EXT_paletted_texture */ /* ----------------------- GL_EXT_pixel_buffer_object ---------------------- */ #ifndef GL_EXT_pixel_buffer_object #define GL_EXT_pixel_buffer_object 1 #define GL_PIXEL_PACK_BUFFER_EXT 0x88EB #define GL_PIXEL_UNPACK_BUFFER_EXT 0x88EC #define GL_PIXEL_PACK_BUFFER_BINDING_EXT 0x88ED #define GL_PIXEL_UNPACK_BUFFER_BINDING_EXT 0x88EF #define GLEW_EXT_pixel_buffer_object GLEW_GET_VAR(__GLEW_EXT_pixel_buffer_object) #endif /* GL_EXT_pixel_buffer_object */ /* ------------------------- GL_EXT_pixel_transform ------------------------ */ #ifndef GL_EXT_pixel_transform #define GL_EXT_pixel_transform 1 #define GL_PIXEL_TRANSFORM_2D_EXT 0x8330 #define GL_PIXEL_MAG_FILTER_EXT 0x8331 #define GL_PIXEL_MIN_FILTER_EXT 0x8332 #define GL_PIXEL_CUBIC_WEIGHT_EXT 0x8333 #define GL_CUBIC_EXT 0x8334 #define GL_AVERAGE_EXT 0x8335 #define GL_PIXEL_TRANSFORM_2D_STACK_DEPTH_EXT 0x8336 #define GL_MAX_PIXEL_TRANSFORM_2D_STACK_DEPTH_EXT 0x8337 #define GL_PIXEL_TRANSFORM_2D_MATRIX_EXT 0x8338 typedef void (GLAPIENTRY * PFNGLGETPIXELTRANSFORMPARAMETERFVEXTPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETPIXELTRANSFORMPARAMETERIVEXTPROC) (GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERFEXTPROC) (GLenum target, GLenum pname, const GLfloat param); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERFVEXTPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERIEXTPROC) (GLenum target, GLenum pname, const GLint param); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERIVEXTPROC) (GLenum target, GLenum pname, const GLint* params); #define glGetPixelTransformParameterfvEXT GLEW_GET_FUN(__glewGetPixelTransformParameterfvEXT) #define glGetPixelTransformParameterivEXT GLEW_GET_FUN(__glewGetPixelTransformParameterivEXT) #define glPixelTransformParameterfEXT GLEW_GET_FUN(__glewPixelTransformParameterfEXT) #define glPixelTransformParameterfvEXT GLEW_GET_FUN(__glewPixelTransformParameterfvEXT) #define glPixelTransformParameteriEXT GLEW_GET_FUN(__glewPixelTransformParameteriEXT) #define glPixelTransformParameterivEXT GLEW_GET_FUN(__glewPixelTransformParameterivEXT) #define GLEW_EXT_pixel_transform GLEW_GET_VAR(__GLEW_EXT_pixel_transform) #endif /* GL_EXT_pixel_transform */ /* ------------------- GL_EXT_pixel_transform_color_table ------------------ */ #ifndef GL_EXT_pixel_transform_color_table #define GL_EXT_pixel_transform_color_table 1 #define GLEW_EXT_pixel_transform_color_table GLEW_GET_VAR(__GLEW_EXT_pixel_transform_color_table) #endif /* GL_EXT_pixel_transform_color_table */ /* ------------------------ GL_EXT_point_parameters ------------------------ */ #ifndef GL_EXT_point_parameters #define GL_EXT_point_parameters 1 #define GL_POINT_SIZE_MIN_EXT 0x8126 #define GL_POINT_SIZE_MAX_EXT 0x8127 #define GL_POINT_FADE_THRESHOLD_SIZE_EXT 0x8128 #define GL_DISTANCE_ATTENUATION_EXT 0x8129 typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERFEXTPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERFVEXTPROC) (GLenum pname, const GLfloat* params); #define glPointParameterfEXT GLEW_GET_FUN(__glewPointParameterfEXT) #define glPointParameterfvEXT GLEW_GET_FUN(__glewPointParameterfvEXT) #define GLEW_EXT_point_parameters GLEW_GET_VAR(__GLEW_EXT_point_parameters) #endif /* GL_EXT_point_parameters */ /* ------------------------- GL_EXT_polygon_offset ------------------------- */ #ifndef GL_EXT_polygon_offset #define GL_EXT_polygon_offset 1 #define GL_POLYGON_OFFSET_EXT 0x8037 #define GL_POLYGON_OFFSET_FACTOR_EXT 0x8038 #define GL_POLYGON_OFFSET_BIAS_EXT 0x8039 typedef void (GLAPIENTRY * PFNGLPOLYGONOFFSETEXTPROC) (GLfloat factor, GLfloat bias); #define glPolygonOffsetEXT GLEW_GET_FUN(__glewPolygonOffsetEXT) #define GLEW_EXT_polygon_offset GLEW_GET_VAR(__GLEW_EXT_polygon_offset) #endif /* GL_EXT_polygon_offset */ /* ---------------------- GL_EXT_polygon_offset_clamp ---------------------- */ #ifndef GL_EXT_polygon_offset_clamp #define GL_EXT_polygon_offset_clamp 1 #define GL_POLYGON_OFFSET_CLAMP_EXT 0x8E1B typedef void (GLAPIENTRY * PFNGLPOLYGONOFFSETCLAMPEXTPROC) (GLfloat factor, GLfloat units, GLfloat clamp); #define glPolygonOffsetClampEXT GLEW_GET_FUN(__glewPolygonOffsetClampEXT) #define GLEW_EXT_polygon_offset_clamp GLEW_GET_VAR(__GLEW_EXT_polygon_offset_clamp) #endif /* GL_EXT_polygon_offset_clamp */ /* ----------------------- GL_EXT_post_depth_coverage ---------------------- */ #ifndef GL_EXT_post_depth_coverage #define GL_EXT_post_depth_coverage 1 #define GLEW_EXT_post_depth_coverage GLEW_GET_VAR(__GLEW_EXT_post_depth_coverage) #endif /* GL_EXT_post_depth_coverage */ /* ------------------------ GL_EXT_provoking_vertex ------------------------ */ #ifndef GL_EXT_provoking_vertex #define GL_EXT_provoking_vertex 1 #define GL_QUADS_FOLLOW_PROVOKING_VERTEX_CONVENTION_EXT 0x8E4C #define GL_FIRST_VERTEX_CONVENTION_EXT 0x8E4D #define GL_LAST_VERTEX_CONVENTION_EXT 0x8E4E #define GL_PROVOKING_VERTEX_EXT 0x8E4F typedef void (GLAPIENTRY * PFNGLPROVOKINGVERTEXEXTPROC) (GLenum mode); #define glProvokingVertexEXT GLEW_GET_FUN(__glewProvokingVertexEXT) #define GLEW_EXT_provoking_vertex GLEW_GET_VAR(__GLEW_EXT_provoking_vertex) #endif /* GL_EXT_provoking_vertex */ /* --------------------------- GL_EXT_pvrtc_sRGB --------------------------- */ #ifndef GL_EXT_pvrtc_sRGB #define GL_EXT_pvrtc_sRGB 1 #define GL_COMPRESSED_SRGB_PVRTC_2BPPV1_EXT 0x8A54 #define GL_COMPRESSED_SRGB_PVRTC_4BPPV1_EXT 0x8A55 #define GL_COMPRESSED_SRGB_ALPHA_PVRTC_2BPPV1_EXT 0x8A56 #define GL_COMPRESSED_SRGB_ALPHA_PVRTC_4BPPV1_EXT 0x8A57 #define GLEW_EXT_pvrtc_sRGB GLEW_GET_VAR(__GLEW_EXT_pvrtc_sRGB) #endif /* GL_EXT_pvrtc_sRGB */ /* ----------------------- GL_EXT_raster_multisample ----------------------- */ #ifndef GL_EXT_raster_multisample #define GL_EXT_raster_multisample 1 #define GL_COLOR_SAMPLES_NV 0x8E20 #define GL_RASTER_MULTISAMPLE_EXT 0x9327 #define GL_RASTER_SAMPLES_EXT 0x9328 #define GL_MAX_RASTER_SAMPLES_EXT 0x9329 #define GL_RASTER_FIXED_SAMPLE_LOCATIONS_EXT 0x932A #define GL_MULTISAMPLE_RASTERIZATION_ALLOWED_EXT 0x932B #define GL_EFFECTIVE_RASTER_SAMPLES_EXT 0x932C #define GL_DEPTH_SAMPLES_NV 0x932D #define GL_STENCIL_SAMPLES_NV 0x932E #define GL_MIXED_DEPTH_SAMPLES_SUPPORTED_NV 0x932F #define GL_MIXED_STENCIL_SAMPLES_SUPPORTED_NV 0x9330 #define GL_COVERAGE_MODULATION_TABLE_NV 0x9331 #define GL_COVERAGE_MODULATION_NV 0x9332 #define GL_COVERAGE_MODULATION_TABLE_SIZE_NV 0x9333 typedef void (GLAPIENTRY * PFNGLCOVERAGEMODULATIONNVPROC) (GLenum components); typedef void (GLAPIENTRY * PFNGLCOVERAGEMODULATIONTABLENVPROC) (GLsizei n, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLGETCOVERAGEMODULATIONTABLENVPROC) (GLsizei bufsize, GLfloat* v); typedef void (GLAPIENTRY * PFNGLRASTERSAMPLESEXTPROC) (GLuint samples, GLboolean fixedsamplelocations); #define glCoverageModulationNV GLEW_GET_FUN(__glewCoverageModulationNV) #define glCoverageModulationTableNV GLEW_GET_FUN(__glewCoverageModulationTableNV) #define glGetCoverageModulationTableNV GLEW_GET_FUN(__glewGetCoverageModulationTableNV) #define glRasterSamplesEXT GLEW_GET_FUN(__glewRasterSamplesEXT) #define GLEW_EXT_raster_multisample GLEW_GET_VAR(__GLEW_EXT_raster_multisample) #endif /* GL_EXT_raster_multisample */ /* ------------------------ GL_EXT_read_format_bgra ------------------------ */ #ifndef GL_EXT_read_format_bgra #define GL_EXT_read_format_bgra 1 #define GL_BGRA_EXT 0x80E1 #define GL_UNSIGNED_SHORT_4_4_4_4_REV_EXT 0x8365 #define GL_UNSIGNED_SHORT_1_5_5_5_REV_EXT 0x8366 #define GLEW_EXT_read_format_bgra GLEW_GET_VAR(__GLEW_EXT_read_format_bgra) #endif /* GL_EXT_read_format_bgra */ /* -------------------------- GL_EXT_render_snorm -------------------------- */ #ifndef GL_EXT_render_snorm #define GL_EXT_render_snorm 1 #define GL_BYTE 0x1400 #define GL_SHORT 0x1402 #define GL_R8_SNORM 0x8F94 #define GL_RG8_SNORM 0x8F95 #define GL_RGBA8_SNORM 0x8F97 #define GL_R16_SNORM_EXT 0x8F98 #define GL_RG16_SNORM_EXT 0x8F99 #define GL_RGBA16_SNORM_EXT 0x8F9B #define GLEW_EXT_render_snorm GLEW_GET_VAR(__GLEW_EXT_render_snorm) #endif /* GL_EXT_render_snorm */ /* ------------------------- GL_EXT_rescale_normal ------------------------- */ #ifndef GL_EXT_rescale_normal #define GL_EXT_rescale_normal 1 #define GL_RESCALE_NORMAL_EXT 0x803A #define GLEW_EXT_rescale_normal GLEW_GET_VAR(__GLEW_EXT_rescale_normal) #endif /* GL_EXT_rescale_normal */ /* ------------------------------ GL_EXT_sRGB ------------------------------ */ #ifndef GL_EXT_sRGB #define GL_EXT_sRGB 1 #define GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING_EXT 0x8210 #define GL_SRGB_EXT 0x8C40 #define GL_SRGB_ALPHA_EXT 0x8C42 #define GL_SRGB8_ALPHA8_EXT 0x8C43 #define GLEW_EXT_sRGB GLEW_GET_VAR(__GLEW_EXT_sRGB) #endif /* GL_EXT_sRGB */ /* ----------------------- GL_EXT_sRGB_write_control ----------------------- */ #ifndef GL_EXT_sRGB_write_control #define GL_EXT_sRGB_write_control 1 #define GL_FRAMEBUFFER_SRGB_EXT 0x8DB9 #define GLEW_EXT_sRGB_write_control GLEW_GET_VAR(__GLEW_EXT_sRGB_write_control) #endif /* GL_EXT_sRGB_write_control */ /* -------------------------- GL_EXT_scene_marker -------------------------- */ #ifndef GL_EXT_scene_marker #define GL_EXT_scene_marker 1 typedef void (GLAPIENTRY * PFNGLBEGINSCENEEXTPROC) (void); typedef void (GLAPIENTRY * PFNGLENDSCENEEXTPROC) (void); #define glBeginSceneEXT GLEW_GET_FUN(__glewBeginSceneEXT) #define glEndSceneEXT GLEW_GET_FUN(__glewEndSceneEXT) #define GLEW_EXT_scene_marker GLEW_GET_VAR(__GLEW_EXT_scene_marker) #endif /* GL_EXT_scene_marker */ /* ------------------------- GL_EXT_secondary_color ------------------------ */ #ifndef GL_EXT_secondary_color #define GL_EXT_secondary_color 1 #define GL_COLOR_SUM_EXT 0x8458 #define GL_CURRENT_SECONDARY_COLOR_EXT 0x8459 #define GL_SECONDARY_COLOR_ARRAY_SIZE_EXT 0x845A #define GL_SECONDARY_COLOR_ARRAY_TYPE_EXT 0x845B #define GL_SECONDARY_COLOR_ARRAY_STRIDE_EXT 0x845C #define GL_SECONDARY_COLOR_ARRAY_POINTER_EXT 0x845D #define GL_SECONDARY_COLOR_ARRAY_EXT 0x845E typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3BEXTPROC) (GLbyte red, GLbyte green, GLbyte blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3BVEXTPROC) (const GLbyte *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3DEXTPROC) (GLdouble red, GLdouble green, GLdouble blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3DVEXTPROC) (const GLdouble *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3FEXTPROC) (GLfloat red, GLfloat green, GLfloat blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3FVEXTPROC) (const GLfloat *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3IEXTPROC) (GLint red, GLint green, GLint blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3IVEXTPROC) (const GLint *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3SEXTPROC) (GLshort red, GLshort green, GLshort blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3SVEXTPROC) (const GLshort *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UBEXTPROC) (GLubyte red, GLubyte green, GLubyte blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UBVEXTPROC) (const GLubyte *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UIEXTPROC) (GLuint red, GLuint green, GLuint blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3UIVEXTPROC) (const GLuint *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3USEXTPROC) (GLushort red, GLushort green, GLushort blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3USVEXTPROC) (const GLushort *v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLORPOINTEREXTPROC) (GLint size, GLenum type, GLsizei stride, const void *pointer); #define glSecondaryColor3bEXT GLEW_GET_FUN(__glewSecondaryColor3bEXT) #define glSecondaryColor3bvEXT GLEW_GET_FUN(__glewSecondaryColor3bvEXT) #define glSecondaryColor3dEXT GLEW_GET_FUN(__glewSecondaryColor3dEXT) #define glSecondaryColor3dvEXT GLEW_GET_FUN(__glewSecondaryColor3dvEXT) #define glSecondaryColor3fEXT GLEW_GET_FUN(__glewSecondaryColor3fEXT) #define glSecondaryColor3fvEXT GLEW_GET_FUN(__glewSecondaryColor3fvEXT) #define glSecondaryColor3iEXT GLEW_GET_FUN(__glewSecondaryColor3iEXT) #define glSecondaryColor3ivEXT GLEW_GET_FUN(__glewSecondaryColor3ivEXT) #define glSecondaryColor3sEXT GLEW_GET_FUN(__glewSecondaryColor3sEXT) #define glSecondaryColor3svEXT GLEW_GET_FUN(__glewSecondaryColor3svEXT) #define glSecondaryColor3ubEXT GLEW_GET_FUN(__glewSecondaryColor3ubEXT) #define glSecondaryColor3ubvEXT GLEW_GET_FUN(__glewSecondaryColor3ubvEXT) #define glSecondaryColor3uiEXT GLEW_GET_FUN(__glewSecondaryColor3uiEXT) #define glSecondaryColor3uivEXT GLEW_GET_FUN(__glewSecondaryColor3uivEXT) #define glSecondaryColor3usEXT GLEW_GET_FUN(__glewSecondaryColor3usEXT) #define glSecondaryColor3usvEXT GLEW_GET_FUN(__glewSecondaryColor3usvEXT) #define glSecondaryColorPointerEXT GLEW_GET_FUN(__glewSecondaryColorPointerEXT) #define GLEW_EXT_secondary_color GLEW_GET_VAR(__GLEW_EXT_secondary_color) #endif /* GL_EXT_secondary_color */ /* ---------------------------- GL_EXT_semaphore --------------------------- */ #ifndef GL_EXT_semaphore #define GL_EXT_semaphore 1 typedef void (GLAPIENTRY * PFNGLDELETESEMAPHORESEXTPROC) (GLsizei n, const GLuint* semaphores); typedef void (GLAPIENTRY * PFNGLGENSEMAPHORESEXTPROC) (GLsizei n, GLuint* semaphores); typedef void (GLAPIENTRY * PFNGLGETSEMAPHOREPARAMETERUI64VEXTPROC) (GLuint semaphore, GLenum pname, GLuint64* params); typedef GLboolean (GLAPIENTRY * PFNGLISSEMAPHOREEXTPROC) (GLuint semaphore); typedef void (GLAPIENTRY * PFNGLSEMAPHOREPARAMETERUI64VEXTPROC) (GLuint semaphore, GLenum pname, const GLuint64* params); typedef void (GLAPIENTRY * PFNGLSIGNALSEMAPHOREEXTPROC) (GLuint semaphore, GLuint numBufferBarriers, const GLuint* buffers, GLuint numTextureBarriers, const GLuint *textures, const GLenum *dstLayouts); typedef void (GLAPIENTRY * PFNGLWAITSEMAPHOREEXTPROC) (GLuint semaphore, GLuint numBufferBarriers, const GLuint* buffers, GLuint numTextureBarriers, const GLuint *textures, const GLenum *srcLayouts); #define glDeleteSemaphoresEXT GLEW_GET_FUN(__glewDeleteSemaphoresEXT) #define glGenSemaphoresEXT GLEW_GET_FUN(__glewGenSemaphoresEXT) #define glGetSemaphoreParameterui64vEXT GLEW_GET_FUN(__glewGetSemaphoreParameterui64vEXT) #define glIsSemaphoreEXT GLEW_GET_FUN(__glewIsSemaphoreEXT) #define glSemaphoreParameterui64vEXT GLEW_GET_FUN(__glewSemaphoreParameterui64vEXT) #define glSignalSemaphoreEXT GLEW_GET_FUN(__glewSignalSemaphoreEXT) #define glWaitSemaphoreEXT GLEW_GET_FUN(__glewWaitSemaphoreEXT) #define GLEW_EXT_semaphore GLEW_GET_VAR(__GLEW_EXT_semaphore) #endif /* GL_EXT_semaphore */ /* -------------------------- GL_EXT_semaphore_fd -------------------------- */ #ifndef GL_EXT_semaphore_fd #define GL_EXT_semaphore_fd 1 typedef void (GLAPIENTRY * PFNGLIMPORTSEMAPHOREFDEXTPROC) (GLuint semaphore, GLenum handleType, GLint fd); #define glImportSemaphoreFdEXT GLEW_GET_FUN(__glewImportSemaphoreFdEXT) #define GLEW_EXT_semaphore_fd GLEW_GET_VAR(__GLEW_EXT_semaphore_fd) #endif /* GL_EXT_semaphore_fd */ /* ------------------------- GL_EXT_semaphore_win32 ------------------------ */ #ifndef GL_EXT_semaphore_win32 #define GL_EXT_semaphore_win32 1 typedef void (GLAPIENTRY * PFNGLIMPORTSEMAPHOREWIN32HANDLEEXTPROC) (GLuint semaphore, GLenum handleType, void *handle); typedef void (GLAPIENTRY * PFNGLIMPORTSEMAPHOREWIN32NAMEEXTPROC) (GLuint semaphore, GLenum handleType, const void *name); #define glImportSemaphoreWin32HandleEXT GLEW_GET_FUN(__glewImportSemaphoreWin32HandleEXT) #define glImportSemaphoreWin32NameEXT GLEW_GET_FUN(__glewImportSemaphoreWin32NameEXT) #define GLEW_EXT_semaphore_win32 GLEW_GET_VAR(__GLEW_EXT_semaphore_win32) #endif /* GL_EXT_semaphore_win32 */ /* --------------------- GL_EXT_separate_shader_objects -------------------- */ #ifndef GL_EXT_separate_shader_objects #define GL_EXT_separate_shader_objects 1 #define GL_ACTIVE_PROGRAM_EXT 0x8B8D typedef void (GLAPIENTRY * PFNGLACTIVEPROGRAMEXTPROC) (GLuint program); typedef GLuint (GLAPIENTRY * PFNGLCREATESHADERPROGRAMEXTPROC) (GLenum type, const GLchar* string); typedef void (GLAPIENTRY * PFNGLUSESHADERPROGRAMEXTPROC) (GLenum type, GLuint program); #define glActiveProgramEXT GLEW_GET_FUN(__glewActiveProgramEXT) #define glCreateShaderProgramEXT GLEW_GET_FUN(__glewCreateShaderProgramEXT) #define glUseShaderProgramEXT GLEW_GET_FUN(__glewUseShaderProgramEXT) #define GLEW_EXT_separate_shader_objects GLEW_GET_VAR(__GLEW_EXT_separate_shader_objects) #endif /* GL_EXT_separate_shader_objects */ /* --------------------- GL_EXT_separate_specular_color -------------------- */ #ifndef GL_EXT_separate_specular_color #define GL_EXT_separate_specular_color 1 #define GL_LIGHT_MODEL_COLOR_CONTROL_EXT 0x81F8 #define GL_SINGLE_COLOR_EXT 0x81F9 #define GL_SEPARATE_SPECULAR_COLOR_EXT 0x81FA #define GLEW_EXT_separate_specular_color GLEW_GET_VAR(__GLEW_EXT_separate_specular_color) #endif /* GL_EXT_separate_specular_color */ /* -------------------- GL_EXT_shader_framebuffer_fetch -------------------- */ #ifndef GL_EXT_shader_framebuffer_fetch #define GL_EXT_shader_framebuffer_fetch 1 #define GL_FRAGMENT_SHADER_DISCARDS_SAMPLES_EXT 0x8A52 #define GLEW_EXT_shader_framebuffer_fetch GLEW_GET_VAR(__GLEW_EXT_shader_framebuffer_fetch) #endif /* GL_EXT_shader_framebuffer_fetch */ /* ------------------------ GL_EXT_shader_group_vote ----------------------- */ #ifndef GL_EXT_shader_group_vote #define GL_EXT_shader_group_vote 1 #define GLEW_EXT_shader_group_vote GLEW_GET_VAR(__GLEW_EXT_shader_group_vote) #endif /* GL_EXT_shader_group_vote */ /* ------------------- GL_EXT_shader_image_load_formatted ------------------ */ #ifndef GL_EXT_shader_image_load_formatted #define GL_EXT_shader_image_load_formatted 1 #define GLEW_EXT_shader_image_load_formatted GLEW_GET_VAR(__GLEW_EXT_shader_image_load_formatted) #endif /* GL_EXT_shader_image_load_formatted */ /* --------------------- GL_EXT_shader_image_load_store -------------------- */ #ifndef GL_EXT_shader_image_load_store #define GL_EXT_shader_image_load_store 1 #define GL_VERTEX_ATTRIB_ARRAY_BARRIER_BIT_EXT 0x00000001 #define GL_ELEMENT_ARRAY_BARRIER_BIT_EXT 0x00000002 #define GL_UNIFORM_BARRIER_BIT_EXT 0x00000004 #define GL_TEXTURE_FETCH_BARRIER_BIT_EXT 0x00000008 #define GL_SHADER_IMAGE_ACCESS_BARRIER_BIT_EXT 0x00000020 #define GL_COMMAND_BARRIER_BIT_EXT 0x00000040 #define GL_PIXEL_BUFFER_BARRIER_BIT_EXT 0x00000080 #define GL_TEXTURE_UPDATE_BARRIER_BIT_EXT 0x00000100 #define GL_BUFFER_UPDATE_BARRIER_BIT_EXT 0x00000200 #define GL_FRAMEBUFFER_BARRIER_BIT_EXT 0x00000400 #define GL_TRANSFORM_FEEDBACK_BARRIER_BIT_EXT 0x00000800 #define GL_ATOMIC_COUNTER_BARRIER_BIT_EXT 0x00001000 #define GL_MAX_IMAGE_UNITS_EXT 0x8F38 #define GL_MAX_COMBINED_IMAGE_UNITS_AND_FRAGMENT_OUTPUTS_EXT 0x8F39 #define GL_IMAGE_BINDING_NAME_EXT 0x8F3A #define GL_IMAGE_BINDING_LEVEL_EXT 0x8F3B #define GL_IMAGE_BINDING_LAYERED_EXT 0x8F3C #define GL_IMAGE_BINDING_LAYER_EXT 0x8F3D #define GL_IMAGE_BINDING_ACCESS_EXT 0x8F3E #define GL_IMAGE_1D_EXT 0x904C #define GL_IMAGE_2D_EXT 0x904D #define GL_IMAGE_3D_EXT 0x904E #define GL_IMAGE_2D_RECT_EXT 0x904F #define GL_IMAGE_CUBE_EXT 0x9050 #define GL_IMAGE_BUFFER_EXT 0x9051 #define GL_IMAGE_1D_ARRAY_EXT 0x9052 #define GL_IMAGE_2D_ARRAY_EXT 0x9053 #define GL_IMAGE_CUBE_MAP_ARRAY_EXT 0x9054 #define GL_IMAGE_2D_MULTISAMPLE_EXT 0x9055 #define GL_IMAGE_2D_MULTISAMPLE_ARRAY_EXT 0x9056 #define GL_INT_IMAGE_1D_EXT 0x9057 #define GL_INT_IMAGE_2D_EXT 0x9058 #define GL_INT_IMAGE_3D_EXT 0x9059 #define GL_INT_IMAGE_2D_RECT_EXT 0x905A #define GL_INT_IMAGE_CUBE_EXT 0x905B #define GL_INT_IMAGE_BUFFER_EXT 0x905C #define GL_INT_IMAGE_1D_ARRAY_EXT 0x905D #define GL_INT_IMAGE_2D_ARRAY_EXT 0x905E #define GL_INT_IMAGE_CUBE_MAP_ARRAY_EXT 0x905F #define GL_INT_IMAGE_2D_MULTISAMPLE_EXT 0x9060 #define GL_INT_IMAGE_2D_MULTISAMPLE_ARRAY_EXT 0x9061 #define GL_UNSIGNED_INT_IMAGE_1D_EXT 0x9062 #define GL_UNSIGNED_INT_IMAGE_2D_EXT 0x9063 #define GL_UNSIGNED_INT_IMAGE_3D_EXT 0x9064 #define GL_UNSIGNED_INT_IMAGE_2D_RECT_EXT 0x9065 #define GL_UNSIGNED_INT_IMAGE_CUBE_EXT 0x9066 #define GL_UNSIGNED_INT_IMAGE_BUFFER_EXT 0x9067 #define GL_UNSIGNED_INT_IMAGE_1D_ARRAY_EXT 0x9068 #define GL_UNSIGNED_INT_IMAGE_2D_ARRAY_EXT 0x9069 #define GL_UNSIGNED_INT_IMAGE_CUBE_MAP_ARRAY_EXT 0x906A #define GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE_EXT 0x906B #define GL_UNSIGNED_INT_IMAGE_2D_MULTISAMPLE_ARRAY_EXT 0x906C #define GL_MAX_IMAGE_SAMPLES_EXT 0x906D #define GL_IMAGE_BINDING_FORMAT_EXT 0x906E #define GL_ALL_BARRIER_BITS_EXT 0xFFFFFFFF typedef void (GLAPIENTRY * PFNGLBINDIMAGETEXTUREEXTPROC) (GLuint index, GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum access, GLint format); typedef void (GLAPIENTRY * PFNGLMEMORYBARRIEREXTPROC) (GLbitfield barriers); #define glBindImageTextureEXT GLEW_GET_FUN(__glewBindImageTextureEXT) #define glMemoryBarrierEXT GLEW_GET_FUN(__glewMemoryBarrierEXT) #define GLEW_EXT_shader_image_load_store GLEW_GET_VAR(__GLEW_EXT_shader_image_load_store) #endif /* GL_EXT_shader_image_load_store */ /* ------------------- GL_EXT_shader_implicit_conversions ------------------ */ #ifndef GL_EXT_shader_implicit_conversions #define GL_EXT_shader_implicit_conversions 1 #define GLEW_EXT_shader_implicit_conversions GLEW_GET_VAR(__GLEW_EXT_shader_implicit_conversions) #endif /* GL_EXT_shader_implicit_conversions */ /* ----------------------- GL_EXT_shader_integer_mix ----------------------- */ #ifndef GL_EXT_shader_integer_mix #define GL_EXT_shader_integer_mix 1 #define GLEW_EXT_shader_integer_mix GLEW_GET_VAR(__GLEW_EXT_shader_integer_mix) #endif /* GL_EXT_shader_integer_mix */ /* ------------------------ GL_EXT_shader_io_blocks ------------------------ */ #ifndef GL_EXT_shader_io_blocks #define GL_EXT_shader_io_blocks 1 #define GLEW_EXT_shader_io_blocks GLEW_GET_VAR(__GLEW_EXT_shader_io_blocks) #endif /* GL_EXT_shader_io_blocks */ /* ------------- GL_EXT_shader_non_constant_global_initializers ------------ */ #ifndef GL_EXT_shader_non_constant_global_initializers #define GL_EXT_shader_non_constant_global_initializers 1 #define GLEW_EXT_shader_non_constant_global_initializers GLEW_GET_VAR(__GLEW_EXT_shader_non_constant_global_initializers) #endif /* GL_EXT_shader_non_constant_global_initializers */ /* ------------------- GL_EXT_shader_pixel_local_storage ------------------- */ #ifndef GL_EXT_shader_pixel_local_storage #define GL_EXT_shader_pixel_local_storage 1 #define GL_MAX_SHADER_PIXEL_LOCAL_STORAGE_FAST_SIZE_EXT 0x8F63 #define GL_SHADER_PIXEL_LOCAL_STORAGE_EXT 0x8F64 #define GL_MAX_SHADER_PIXEL_LOCAL_STORAGE_SIZE_EXT 0x8F67 #define GLEW_EXT_shader_pixel_local_storage GLEW_GET_VAR(__GLEW_EXT_shader_pixel_local_storage) #endif /* GL_EXT_shader_pixel_local_storage */ /* ------------------- GL_EXT_shader_pixel_local_storage2 ------------------ */ #ifndef GL_EXT_shader_pixel_local_storage2 #define GL_EXT_shader_pixel_local_storage2 1 #define GL_MAX_SHADER_COMBINED_LOCAL_STORAGE_FAST_SIZE_EXT 0x9650 #define GL_MAX_SHADER_COMBINED_LOCAL_STORAGE_SIZE_EXT 0x9651 #define GL_FRAMEBUFFER_INCOMPLETE_INSUFFICIENT_SHADER_COMBINED_LOCAL_STORAGE_EXT 0x9652 typedef void (GLAPIENTRY * PFNGLCLEARPIXELLOCALSTORAGEUIEXTPROC) (GLsizei offset, GLsizei n, const GLuint* values); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC) (GLuint target, GLsizei size); typedef GLsizei (GLAPIENTRY * PFNGLGETFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC) (GLuint target); #define glClearPixelLocalStorageuiEXT GLEW_GET_FUN(__glewClearPixelLocalStorageuiEXT) #define glFramebufferPixelLocalStorageSizeEXT GLEW_GET_FUN(__glewFramebufferPixelLocalStorageSizeEXT) #define glGetFramebufferPixelLocalStorageSizeEXT GLEW_GET_FUN(__glewGetFramebufferPixelLocalStorageSizeEXT) #define GLEW_EXT_shader_pixel_local_storage2 GLEW_GET_VAR(__GLEW_EXT_shader_pixel_local_storage2) #endif /* GL_EXT_shader_pixel_local_storage2 */ /* ----------------------- GL_EXT_shader_texture_lod ----------------------- */ #ifndef GL_EXT_shader_texture_lod #define GL_EXT_shader_texture_lod 1 #define GLEW_EXT_shader_texture_lod GLEW_GET_VAR(__GLEW_EXT_shader_texture_lod) #endif /* GL_EXT_shader_texture_lod */ /* -------------------------- GL_EXT_shadow_funcs -------------------------- */ #ifndef GL_EXT_shadow_funcs #define GL_EXT_shadow_funcs 1 #define GLEW_EXT_shadow_funcs GLEW_GET_VAR(__GLEW_EXT_shadow_funcs) #endif /* GL_EXT_shadow_funcs */ /* ------------------------- GL_EXT_shadow_samplers ------------------------ */ #ifndef GL_EXT_shadow_samplers #define GL_EXT_shadow_samplers 1 #define GL_TEXTURE_COMPARE_MODE_EXT 0x884C #define GL_TEXTURE_COMPARE_FUNC_EXT 0x884D #define GL_COMPARE_REF_TO_TEXTURE_EXT 0x884E #define GL_SAMPLER_2D_SHADOW_EXT 0x8B62 #define GLEW_EXT_shadow_samplers GLEW_GET_VAR(__GLEW_EXT_shadow_samplers) #endif /* GL_EXT_shadow_samplers */ /* --------------------- GL_EXT_shared_texture_palette --------------------- */ #ifndef GL_EXT_shared_texture_palette #define GL_EXT_shared_texture_palette 1 #define GL_SHARED_TEXTURE_PALETTE_EXT 0x81FB #define GLEW_EXT_shared_texture_palette GLEW_GET_VAR(__GLEW_EXT_shared_texture_palette) #endif /* GL_EXT_shared_texture_palette */ /* ------------------------- GL_EXT_sparse_texture ------------------------- */ #ifndef GL_EXT_sparse_texture #define GL_EXT_sparse_texture 1 #define GL_TEXTURE_2D 0x0DE1 #define GL_TEXTURE_3D 0x806F #define GL_TEXTURE_CUBE_MAP 0x8513 #define GL_TEXTURE_2D_ARRAY 0x8C1A #define GL_TEXTURE_CUBE_MAP_ARRAY_OES 0x9009 #define GL_VIRTUAL_PAGE_SIZE_X_EXT 0x9195 #define GL_VIRTUAL_PAGE_SIZE_Y_EXT 0x9196 #define GL_VIRTUAL_PAGE_SIZE_Z_EXT 0x9197 #define GL_MAX_SPARSE_TEXTURE_SIZE_EXT 0x9198 #define GL_MAX_SPARSE_3D_TEXTURE_SIZE_EXT 0x9199 #define GL_MAX_SPARSE_ARRAY_TEXTURE_LAYERS_EXT 0x919A #define GL_TEXTURE_SPARSE_EXT 0x91A6 #define GL_VIRTUAL_PAGE_SIZE_INDEX_EXT 0x91A7 #define GL_NUM_VIRTUAL_PAGE_SIZES_EXT 0x91A8 #define GL_SPARSE_TEXTURE_FULL_ARRAY_CUBE_MIPMAPS_EXT 0x91A9 #define GL_NUM_SPARSE_LEVELS_EXT 0x91AA typedef void (GLAPIENTRY * PFNGLTEXPAGECOMMITMENTEXTPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLboolean commit); typedef void (GLAPIENTRY * PFNGLTEXTUREPAGECOMMITMENTEXTPROC) (GLuint texture, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLboolean commit); #define glTexPageCommitmentEXT GLEW_GET_FUN(__glewTexPageCommitmentEXT) #define glTexturePageCommitmentEXT GLEW_GET_FUN(__glewTexturePageCommitmentEXT) #define GLEW_EXT_sparse_texture GLEW_GET_VAR(__GLEW_EXT_sparse_texture) #endif /* GL_EXT_sparse_texture */ /* ------------------------- GL_EXT_sparse_texture2 ------------------------ */ #ifndef GL_EXT_sparse_texture2 #define GL_EXT_sparse_texture2 1 #define GLEW_EXT_sparse_texture2 GLEW_GET_VAR(__GLEW_EXT_sparse_texture2) #endif /* GL_EXT_sparse_texture2 */ /* ------------------------ GL_EXT_stencil_clear_tag ----------------------- */ #ifndef GL_EXT_stencil_clear_tag #define GL_EXT_stencil_clear_tag 1 #define GL_STENCIL_TAG_BITS_EXT 0x88F2 #define GL_STENCIL_CLEAR_TAG_VALUE_EXT 0x88F3 #define GLEW_EXT_stencil_clear_tag GLEW_GET_VAR(__GLEW_EXT_stencil_clear_tag) #endif /* GL_EXT_stencil_clear_tag */ /* ------------------------ GL_EXT_stencil_two_side ------------------------ */ #ifndef GL_EXT_stencil_two_side #define GL_EXT_stencil_two_side 1 #define GL_STENCIL_TEST_TWO_SIDE_EXT 0x8910 #define GL_ACTIVE_STENCIL_FACE_EXT 0x8911 typedef void (GLAPIENTRY * PFNGLACTIVESTENCILFACEEXTPROC) (GLenum face); #define glActiveStencilFaceEXT GLEW_GET_FUN(__glewActiveStencilFaceEXT) #define GLEW_EXT_stencil_two_side GLEW_GET_VAR(__GLEW_EXT_stencil_two_side) #endif /* GL_EXT_stencil_two_side */ /* -------------------------- GL_EXT_stencil_wrap -------------------------- */ #ifndef GL_EXT_stencil_wrap #define GL_EXT_stencil_wrap 1 #define GL_INCR_WRAP_EXT 0x8507 #define GL_DECR_WRAP_EXT 0x8508 #define GLEW_EXT_stencil_wrap GLEW_GET_VAR(__GLEW_EXT_stencil_wrap) #endif /* GL_EXT_stencil_wrap */ /* --------------------------- GL_EXT_subtexture --------------------------- */ #ifndef GL_EXT_subtexture #define GL_EXT_subtexture 1 typedef void (GLAPIENTRY * PFNGLTEXSUBIMAGE1DEXTPROC) (GLenum target, GLint level, GLint xoffset, GLsizei width, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXSUBIMAGE2DEXTPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLsizei width, GLsizei height, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXSUBIMAGE3DEXTPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *pixels); #define glTexSubImage1DEXT GLEW_GET_FUN(__glewTexSubImage1DEXT) #define glTexSubImage2DEXT GLEW_GET_FUN(__glewTexSubImage2DEXT) #define glTexSubImage3DEXT GLEW_GET_FUN(__glewTexSubImage3DEXT) #define GLEW_EXT_subtexture GLEW_GET_VAR(__GLEW_EXT_subtexture) #endif /* GL_EXT_subtexture */ /* ----------------------------- GL_EXT_texture ---------------------------- */ #ifndef GL_EXT_texture #define GL_EXT_texture 1 #define GL_ALPHA4_EXT 0x803B #define GL_ALPHA8_EXT 0x803C #define GL_ALPHA12_EXT 0x803D #define GL_ALPHA16_EXT 0x803E #define GL_LUMINANCE4_EXT 0x803F #define GL_LUMINANCE8_EXT 0x8040 #define GL_LUMINANCE12_EXT 0x8041 #define GL_LUMINANCE16_EXT 0x8042 #define GL_LUMINANCE4_ALPHA4_EXT 0x8043 #define GL_LUMINANCE6_ALPHA2_EXT 0x8044 #define GL_LUMINANCE8_ALPHA8_EXT 0x8045 #define GL_LUMINANCE12_ALPHA4_EXT 0x8046 #define GL_LUMINANCE12_ALPHA12_EXT 0x8047 #define GL_LUMINANCE16_ALPHA16_EXT 0x8048 #define GL_INTENSITY_EXT 0x8049 #define GL_INTENSITY4_EXT 0x804A #define GL_INTENSITY8_EXT 0x804B #define GL_INTENSITY12_EXT 0x804C #define GL_INTENSITY16_EXT 0x804D #define GL_RGB2_EXT 0x804E #define GL_RGB4_EXT 0x804F #define GL_RGB5_EXT 0x8050 #define GL_RGB8_EXT 0x8051 #define GL_RGB10_EXT 0x8052 #define GL_RGB12_EXT 0x8053 #define GL_RGB16_EXT 0x8054 #define GL_RGBA2_EXT 0x8055 #define GL_RGBA4_EXT 0x8056 #define GL_RGB5_A1_EXT 0x8057 #define GL_RGBA8_EXT 0x8058 #define GL_RGB10_A2_EXT 0x8059 #define GL_RGBA12_EXT 0x805A #define GL_RGBA16_EXT 0x805B #define GL_TEXTURE_RED_SIZE_EXT 0x805C #define GL_TEXTURE_GREEN_SIZE_EXT 0x805D #define GL_TEXTURE_BLUE_SIZE_EXT 0x805E #define GL_TEXTURE_ALPHA_SIZE_EXT 0x805F #define GL_TEXTURE_LUMINANCE_SIZE_EXT 0x8060 #define GL_TEXTURE_INTENSITY_SIZE_EXT 0x8061 #define GL_REPLACE_EXT 0x8062 #define GL_PROXY_TEXTURE_1D_EXT 0x8063 #define GL_PROXY_TEXTURE_2D_EXT 0x8064 #define GLEW_EXT_texture GLEW_GET_VAR(__GLEW_EXT_texture) #endif /* GL_EXT_texture */ /* ---------------------------- GL_EXT_texture3D --------------------------- */ #ifndef GL_EXT_texture3D #define GL_EXT_texture3D 1 #define GL_PACK_SKIP_IMAGES_EXT 0x806B #define GL_PACK_IMAGE_HEIGHT_EXT 0x806C #define GL_UNPACK_SKIP_IMAGES_EXT 0x806D #define GL_UNPACK_IMAGE_HEIGHT_EXT 0x806E #define GL_TEXTURE_3D_EXT 0x806F #define GL_PROXY_TEXTURE_3D_EXT 0x8070 #define GL_TEXTURE_DEPTH_EXT 0x8071 #define GL_TEXTURE_WRAP_R_EXT 0x8072 #define GL_MAX_3D_TEXTURE_SIZE_EXT 0x8073 typedef void (GLAPIENTRY * PFNGLTEXIMAGE3DEXTPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void *pixels); #define glTexImage3DEXT GLEW_GET_FUN(__glewTexImage3DEXT) #define GLEW_EXT_texture3D GLEW_GET_VAR(__GLEW_EXT_texture3D) #endif /* GL_EXT_texture3D */ /* -------------------------- GL_EXT_texture_array ------------------------- */ #ifndef GL_EXT_texture_array #define GL_EXT_texture_array 1 #define GL_COMPARE_REF_DEPTH_TO_TEXTURE_EXT 0x884E #define GL_MAX_ARRAY_TEXTURE_LAYERS_EXT 0x88FF #define GL_TEXTURE_1D_ARRAY_EXT 0x8C18 #define GL_PROXY_TEXTURE_1D_ARRAY_EXT 0x8C19 #define GL_TEXTURE_2D_ARRAY_EXT 0x8C1A #define GL_PROXY_TEXTURE_2D_ARRAY_EXT 0x8C1B #define GL_TEXTURE_BINDING_1D_ARRAY_EXT 0x8C1C #define GL_TEXTURE_BINDING_2D_ARRAY_EXT 0x8C1D typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURELAYEREXTPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer); #define glFramebufferTextureLayerEXT GLEW_GET_FUN(__glewFramebufferTextureLayerEXT) #define GLEW_EXT_texture_array GLEW_GET_VAR(__GLEW_EXT_texture_array) #endif /* GL_EXT_texture_array */ /* ---------------------- GL_EXT_texture_buffer_object --------------------- */ #ifndef GL_EXT_texture_buffer_object #define GL_EXT_texture_buffer_object 1 #define GL_TEXTURE_BUFFER_EXT 0x8C2A #define GL_MAX_TEXTURE_BUFFER_SIZE_EXT 0x8C2B #define GL_TEXTURE_BINDING_BUFFER_EXT 0x8C2C #define GL_TEXTURE_BUFFER_DATA_STORE_BINDING_EXT 0x8C2D #define GL_TEXTURE_BUFFER_FORMAT_EXT 0x8C2E typedef void (GLAPIENTRY * PFNGLTEXBUFFEREXTPROC) (GLenum target, GLenum internalformat, GLuint buffer); #define glTexBufferEXT GLEW_GET_FUN(__glewTexBufferEXT) #define GLEW_EXT_texture_buffer_object GLEW_GET_VAR(__GLEW_EXT_texture_buffer_object) #endif /* GL_EXT_texture_buffer_object */ /* -------------- GL_EXT_texture_compression_astc_decode_mode -------------- */ #ifndef GL_EXT_texture_compression_astc_decode_mode #define GL_EXT_texture_compression_astc_decode_mode 1 #define GL_TEXTURE_ASTC_DECODE_PRECISION_EXT 0x8F69 #define GLEW_EXT_texture_compression_astc_decode_mode GLEW_GET_VAR(__GLEW_EXT_texture_compression_astc_decode_mode) #endif /* GL_EXT_texture_compression_astc_decode_mode */ /* ----------- GL_EXT_texture_compression_astc_decode_mode_rgb9e5 ---------- */ #ifndef GL_EXT_texture_compression_astc_decode_mode_rgb9e5 #define GL_EXT_texture_compression_astc_decode_mode_rgb9e5 1 #define GL_TEXTURE_ASTC_DECODE_PRECISION_EXT 0x8F69 #define GLEW_EXT_texture_compression_astc_decode_mode_rgb9e5 GLEW_GET_VAR(__GLEW_EXT_texture_compression_astc_decode_mode_rgb9e5) #endif /* GL_EXT_texture_compression_astc_decode_mode_rgb9e5 */ /* -------------------- GL_EXT_texture_compression_bptc -------------------- */ #ifndef GL_EXT_texture_compression_bptc #define GL_EXT_texture_compression_bptc 1 #define GL_COMPRESSED_RGBA_BPTC_UNORM_EXT 0x8E8C #define GL_COMPRESSED_SRGB_ALPHA_BPTC_UNORM_EXT 0x8E8D #define GL_COMPRESSED_RGB_BPTC_SIGNED_FLOAT_EXT 0x8E8E #define GL_COMPRESSED_RGB_BPTC_UNSIGNED_FLOAT_EXT 0x8E8F #define GLEW_EXT_texture_compression_bptc GLEW_GET_VAR(__GLEW_EXT_texture_compression_bptc) #endif /* GL_EXT_texture_compression_bptc */ /* -------------------- GL_EXT_texture_compression_dxt1 -------------------- */ #ifndef GL_EXT_texture_compression_dxt1 #define GL_EXT_texture_compression_dxt1 1 #define GLEW_EXT_texture_compression_dxt1 GLEW_GET_VAR(__GLEW_EXT_texture_compression_dxt1) #endif /* GL_EXT_texture_compression_dxt1 */ /* -------------------- GL_EXT_texture_compression_latc -------------------- */ #ifndef GL_EXT_texture_compression_latc #define GL_EXT_texture_compression_latc 1 #define GL_COMPRESSED_LUMINANCE_LATC1_EXT 0x8C70 #define GL_COMPRESSED_SIGNED_LUMINANCE_LATC1_EXT 0x8C71 #define GL_COMPRESSED_LUMINANCE_ALPHA_LATC2_EXT 0x8C72 #define GL_COMPRESSED_SIGNED_LUMINANCE_ALPHA_LATC2_EXT 0x8C73 #define GLEW_EXT_texture_compression_latc GLEW_GET_VAR(__GLEW_EXT_texture_compression_latc) #endif /* GL_EXT_texture_compression_latc */ /* -------------------- GL_EXT_texture_compression_rgtc -------------------- */ #ifndef GL_EXT_texture_compression_rgtc #define GL_EXT_texture_compression_rgtc 1 #define GL_COMPRESSED_RED_RGTC1_EXT 0x8DBB #define GL_COMPRESSED_SIGNED_RED_RGTC1_EXT 0x8DBC #define GL_COMPRESSED_RED_GREEN_RGTC2_EXT 0x8DBD #define GL_COMPRESSED_SIGNED_RED_GREEN_RGTC2_EXT 0x8DBE #define GLEW_EXT_texture_compression_rgtc GLEW_GET_VAR(__GLEW_EXT_texture_compression_rgtc) #endif /* GL_EXT_texture_compression_rgtc */ /* -------------------- GL_EXT_texture_compression_s3tc -------------------- */ #ifndef GL_EXT_texture_compression_s3tc #define GL_EXT_texture_compression_s3tc 1 #define GL_COMPRESSED_RGB_S3TC_DXT1_EXT 0x83F0 #define GL_COMPRESSED_RGBA_S3TC_DXT1_EXT 0x83F1 #define GL_COMPRESSED_RGBA_S3TC_DXT3_EXT 0x83F2 #define GL_COMPRESSED_RGBA_S3TC_DXT5_EXT 0x83F3 #define GLEW_EXT_texture_compression_s3tc GLEW_GET_VAR(__GLEW_EXT_texture_compression_s3tc) #endif /* GL_EXT_texture_compression_s3tc */ /* ------------------------ GL_EXT_texture_cube_map ------------------------ */ #ifndef GL_EXT_texture_cube_map #define GL_EXT_texture_cube_map 1 #define GL_NORMAL_MAP_EXT 0x8511 #define GL_REFLECTION_MAP_EXT 0x8512 #define GL_TEXTURE_CUBE_MAP_EXT 0x8513 #define GL_TEXTURE_BINDING_CUBE_MAP_EXT 0x8514 #define GL_TEXTURE_CUBE_MAP_POSITIVE_X_EXT 0x8515 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_X_EXT 0x8516 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Y_EXT 0x8517 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Y_EXT 0x8518 #define GL_TEXTURE_CUBE_MAP_POSITIVE_Z_EXT 0x8519 #define GL_TEXTURE_CUBE_MAP_NEGATIVE_Z_EXT 0x851A #define GL_PROXY_TEXTURE_CUBE_MAP_EXT 0x851B #define GL_MAX_CUBE_MAP_TEXTURE_SIZE_EXT 0x851C #define GLEW_EXT_texture_cube_map GLEW_GET_VAR(__GLEW_EXT_texture_cube_map) #endif /* GL_EXT_texture_cube_map */ /* --------------------- GL_EXT_texture_cube_map_array --------------------- */ #ifndef GL_EXT_texture_cube_map_array #define GL_EXT_texture_cube_map_array 1 #define GL_TEXTURE_CUBE_MAP_ARRAY_EXT 0x9009 #define GL_TEXTURE_BINDING_CUBE_MAP_ARRAY_EXT 0x900A #define GL_SAMPLER_CUBE_MAP_ARRAY_EXT 0x900C #define GL_SAMPLER_CUBE_MAP_ARRAY_SHADOW_EXT 0x900D #define GL_INT_SAMPLER_CUBE_MAP_ARRAY_EXT 0x900E #define GL_UNSIGNED_INT_SAMPLER_CUBE_MAP_ARRAY_EXT 0x900F #define GL_IMAGE_CUBE_MAP_ARRAY_EXT 0x9054 #define GL_INT_IMAGE_CUBE_MAP_ARRAY_EXT 0x905F #define GL_UNSIGNED_INT_IMAGE_CUBE_MAP_ARRAY_EXT 0x906A #define GLEW_EXT_texture_cube_map_array GLEW_GET_VAR(__GLEW_EXT_texture_cube_map_array) #endif /* GL_EXT_texture_cube_map_array */ /* ----------------------- GL_EXT_texture_edge_clamp ----------------------- */ #ifndef GL_EXT_texture_edge_clamp #define GL_EXT_texture_edge_clamp 1 #define GL_CLAMP_TO_EDGE_EXT 0x812F #define GLEW_EXT_texture_edge_clamp GLEW_GET_VAR(__GLEW_EXT_texture_edge_clamp) #endif /* GL_EXT_texture_edge_clamp */ /* --------------------------- GL_EXT_texture_env -------------------------- */ #ifndef GL_EXT_texture_env #define GL_EXT_texture_env 1 #define GLEW_EXT_texture_env GLEW_GET_VAR(__GLEW_EXT_texture_env) #endif /* GL_EXT_texture_env */ /* ------------------------- GL_EXT_texture_env_add ------------------------ */ #ifndef GL_EXT_texture_env_add #define GL_EXT_texture_env_add 1 #define GLEW_EXT_texture_env_add GLEW_GET_VAR(__GLEW_EXT_texture_env_add) #endif /* GL_EXT_texture_env_add */ /* ----------------------- GL_EXT_texture_env_combine ---------------------- */ #ifndef GL_EXT_texture_env_combine #define GL_EXT_texture_env_combine 1 #define GL_COMBINE_EXT 0x8570 #define GL_COMBINE_RGB_EXT 0x8571 #define GL_COMBINE_ALPHA_EXT 0x8572 #define GL_RGB_SCALE_EXT 0x8573 #define GL_ADD_SIGNED_EXT 0x8574 #define GL_INTERPOLATE_EXT 0x8575 #define GL_CONSTANT_EXT 0x8576 #define GL_PRIMARY_COLOR_EXT 0x8577 #define GL_PREVIOUS_EXT 0x8578 #define GL_SOURCE0_RGB_EXT 0x8580 #define GL_SOURCE1_RGB_EXT 0x8581 #define GL_SOURCE2_RGB_EXT 0x8582 #define GL_SOURCE0_ALPHA_EXT 0x8588 #define GL_SOURCE1_ALPHA_EXT 0x8589 #define GL_SOURCE2_ALPHA_EXT 0x858A #define GL_OPERAND0_RGB_EXT 0x8590 #define GL_OPERAND1_RGB_EXT 0x8591 #define GL_OPERAND2_RGB_EXT 0x8592 #define GL_OPERAND0_ALPHA_EXT 0x8598 #define GL_OPERAND1_ALPHA_EXT 0x8599 #define GL_OPERAND2_ALPHA_EXT 0x859A #define GLEW_EXT_texture_env_combine GLEW_GET_VAR(__GLEW_EXT_texture_env_combine) #endif /* GL_EXT_texture_env_combine */ /* ------------------------ GL_EXT_texture_env_dot3 ------------------------ */ #ifndef GL_EXT_texture_env_dot3 #define GL_EXT_texture_env_dot3 1 #define GL_DOT3_RGB_EXT 0x8740 #define GL_DOT3_RGBA_EXT 0x8741 #define GLEW_EXT_texture_env_dot3 GLEW_GET_VAR(__GLEW_EXT_texture_env_dot3) #endif /* GL_EXT_texture_env_dot3 */ /* ------------------- GL_EXT_texture_filter_anisotropic ------------------- */ #ifndef GL_EXT_texture_filter_anisotropic #define GL_EXT_texture_filter_anisotropic 1 #define GL_TEXTURE_MAX_ANISOTROPY_EXT 0x84FE #define GL_MAX_TEXTURE_MAX_ANISOTROPY_EXT 0x84FF #define GLEW_EXT_texture_filter_anisotropic GLEW_GET_VAR(__GLEW_EXT_texture_filter_anisotropic) #endif /* GL_EXT_texture_filter_anisotropic */ /* ---------------------- GL_EXT_texture_filter_minmax --------------------- */ #ifndef GL_EXT_texture_filter_minmax #define GL_EXT_texture_filter_minmax 1 #define GL_TEXTURE_REDUCTION_MODE_EXT 0x9366 #define GL_WEIGHTED_AVERAGE_EXT 0x9367 #define GLEW_EXT_texture_filter_minmax GLEW_GET_VAR(__GLEW_EXT_texture_filter_minmax) #endif /* GL_EXT_texture_filter_minmax */ /* --------------------- GL_EXT_texture_format_BGRA8888 -------------------- */ #ifndef GL_EXT_texture_format_BGRA8888 #define GL_EXT_texture_format_BGRA8888 1 #define GL_BGRA_EXT 0x80E1 #define GLEW_EXT_texture_format_BGRA8888 GLEW_GET_VAR(__GLEW_EXT_texture_format_BGRA8888) #endif /* GL_EXT_texture_format_BGRA8888 */ /* ------------------------- GL_EXT_texture_integer ------------------------ */ #ifndef GL_EXT_texture_integer #define GL_EXT_texture_integer 1 #define GL_RGBA32UI_EXT 0x8D70 #define GL_RGB32UI_EXT 0x8D71 #define GL_ALPHA32UI_EXT 0x8D72 #define GL_INTENSITY32UI_EXT 0x8D73 #define GL_LUMINANCE32UI_EXT 0x8D74 #define GL_LUMINANCE_ALPHA32UI_EXT 0x8D75 #define GL_RGBA16UI_EXT 0x8D76 #define GL_RGB16UI_EXT 0x8D77 #define GL_ALPHA16UI_EXT 0x8D78 #define GL_INTENSITY16UI_EXT 0x8D79 #define GL_LUMINANCE16UI_EXT 0x8D7A #define GL_LUMINANCE_ALPHA16UI_EXT 0x8D7B #define GL_RGBA8UI_EXT 0x8D7C #define GL_RGB8UI_EXT 0x8D7D #define GL_ALPHA8UI_EXT 0x8D7E #define GL_INTENSITY8UI_EXT 0x8D7F #define GL_LUMINANCE8UI_EXT 0x8D80 #define GL_LUMINANCE_ALPHA8UI_EXT 0x8D81 #define GL_RGBA32I_EXT 0x8D82 #define GL_RGB32I_EXT 0x8D83 #define GL_ALPHA32I_EXT 0x8D84 #define GL_INTENSITY32I_EXT 0x8D85 #define GL_LUMINANCE32I_EXT 0x8D86 #define GL_LUMINANCE_ALPHA32I_EXT 0x8D87 #define GL_RGBA16I_EXT 0x8D88 #define GL_RGB16I_EXT 0x8D89 #define GL_ALPHA16I_EXT 0x8D8A #define GL_INTENSITY16I_EXT 0x8D8B #define GL_LUMINANCE16I_EXT 0x8D8C #define GL_LUMINANCE_ALPHA16I_EXT 0x8D8D #define GL_RGBA8I_EXT 0x8D8E #define GL_RGB8I_EXT 0x8D8F #define GL_ALPHA8I_EXT 0x8D90 #define GL_INTENSITY8I_EXT 0x8D91 #define GL_LUMINANCE8I_EXT 0x8D92 #define GL_LUMINANCE_ALPHA8I_EXT 0x8D93 #define GL_RED_INTEGER_EXT 0x8D94 #define GL_GREEN_INTEGER_EXT 0x8D95 #define GL_BLUE_INTEGER_EXT 0x8D96 #define GL_ALPHA_INTEGER_EXT 0x8D97 #define GL_RGB_INTEGER_EXT 0x8D98 #define GL_RGBA_INTEGER_EXT 0x8D99 #define GL_BGR_INTEGER_EXT 0x8D9A #define GL_BGRA_INTEGER_EXT 0x8D9B #define GL_LUMINANCE_INTEGER_EXT 0x8D9C #define GL_LUMINANCE_ALPHA_INTEGER_EXT 0x8D9D #define GL_RGBA_INTEGER_MODE_EXT 0x8D9E typedef void (GLAPIENTRY * PFNGLCLEARCOLORIIEXTPROC) (GLint red, GLint green, GLint blue, GLint alpha); typedef void (GLAPIENTRY * PFNGLCLEARCOLORIUIEXTPROC) (GLuint red, GLuint green, GLuint blue, GLuint alpha); typedef void (GLAPIENTRY * PFNGLGETTEXPARAMETERIIVEXTPROC) (GLenum target, GLenum pname, GLint *params); typedef void (GLAPIENTRY * PFNGLGETTEXPARAMETERIUIVEXTPROC) (GLenum target, GLenum pname, GLuint *params); typedef void (GLAPIENTRY * PFNGLTEXPARAMETERIIVEXTPROC) (GLenum target, GLenum pname, const GLint *params); typedef void (GLAPIENTRY * PFNGLTEXPARAMETERIUIVEXTPROC) (GLenum target, GLenum pname, const GLuint *params); #define glClearColorIiEXT GLEW_GET_FUN(__glewClearColorIiEXT) #define glClearColorIuiEXT GLEW_GET_FUN(__glewClearColorIuiEXT) #define glGetTexParameterIivEXT GLEW_GET_FUN(__glewGetTexParameterIivEXT) #define glGetTexParameterIuivEXT GLEW_GET_FUN(__glewGetTexParameterIuivEXT) #define glTexParameterIivEXT GLEW_GET_FUN(__glewTexParameterIivEXT) #define glTexParameterIuivEXT GLEW_GET_FUN(__glewTexParameterIuivEXT) #define GLEW_EXT_texture_integer GLEW_GET_VAR(__GLEW_EXT_texture_integer) #endif /* GL_EXT_texture_integer */ /* ------------------------ GL_EXT_texture_lod_bias ------------------------ */ #ifndef GL_EXT_texture_lod_bias #define GL_EXT_texture_lod_bias 1 #define GL_MAX_TEXTURE_LOD_BIAS_EXT 0x84FD #define GL_TEXTURE_FILTER_CONTROL_EXT 0x8500 #define GL_TEXTURE_LOD_BIAS_EXT 0x8501 #define GLEW_EXT_texture_lod_bias GLEW_GET_VAR(__GLEW_EXT_texture_lod_bias) #endif /* GL_EXT_texture_lod_bias */ /* ---------------------- GL_EXT_texture_mirror_clamp ---------------------- */ #ifndef GL_EXT_texture_mirror_clamp #define GL_EXT_texture_mirror_clamp 1 #define GL_MIRROR_CLAMP_EXT 0x8742 #define GL_MIRROR_CLAMP_TO_EDGE_EXT 0x8743 #define GL_MIRROR_CLAMP_TO_BORDER_EXT 0x8912 #define GLEW_EXT_texture_mirror_clamp GLEW_GET_VAR(__GLEW_EXT_texture_mirror_clamp) #endif /* GL_EXT_texture_mirror_clamp */ /* ------------------------- GL_EXT_texture_norm16 ------------------------- */ #ifndef GL_EXT_texture_norm16 #define GL_EXT_texture_norm16 1 #define GL_RGB16_EXT 0x8054 #define GL_RGBA16_EXT 0x805B #define GL_R16_EXT 0x822A #define GL_RG16_EXT 0x822C #define GL_R16_SNORM_EXT 0x8F98 #define GL_RG16_SNORM_EXT 0x8F99 #define GL_RGB16_SNORM_EXT 0x8F9A #define GL_RGBA16_SNORM_EXT 0x8F9B #define GLEW_EXT_texture_norm16 GLEW_GET_VAR(__GLEW_EXT_texture_norm16) #endif /* GL_EXT_texture_norm16 */ /* ------------------------- GL_EXT_texture_object ------------------------- */ #ifndef GL_EXT_texture_object #define GL_EXT_texture_object 1 #define GL_TEXTURE_PRIORITY_EXT 0x8066 #define GL_TEXTURE_RESIDENT_EXT 0x8067 #define GL_TEXTURE_1D_BINDING_EXT 0x8068 #define GL_TEXTURE_2D_BINDING_EXT 0x8069 #define GL_TEXTURE_3D_BINDING_EXT 0x806A typedef GLboolean (GLAPIENTRY * PFNGLARETEXTURESRESIDENTEXTPROC) (GLsizei n, const GLuint* textures, GLboolean* residences); typedef void (GLAPIENTRY * PFNGLBINDTEXTUREEXTPROC) (GLenum target, GLuint texture); typedef void (GLAPIENTRY * PFNGLDELETETEXTURESEXTPROC) (GLsizei n, const GLuint* textures); typedef void (GLAPIENTRY * PFNGLGENTEXTURESEXTPROC) (GLsizei n, GLuint* textures); typedef GLboolean (GLAPIENTRY * PFNGLISTEXTUREEXTPROC) (GLuint texture); typedef void (GLAPIENTRY * PFNGLPRIORITIZETEXTURESEXTPROC) (GLsizei n, const GLuint* textures, const GLclampf* priorities); #define glAreTexturesResidentEXT GLEW_GET_FUN(__glewAreTexturesResidentEXT) #define glBindTextureEXT GLEW_GET_FUN(__glewBindTextureEXT) #define glDeleteTexturesEXT GLEW_GET_FUN(__glewDeleteTexturesEXT) #define glGenTexturesEXT GLEW_GET_FUN(__glewGenTexturesEXT) #define glIsTextureEXT GLEW_GET_FUN(__glewIsTextureEXT) #define glPrioritizeTexturesEXT GLEW_GET_FUN(__glewPrioritizeTexturesEXT) #define GLEW_EXT_texture_object GLEW_GET_VAR(__GLEW_EXT_texture_object) #endif /* GL_EXT_texture_object */ /* --------------------- GL_EXT_texture_perturb_normal --------------------- */ #ifndef GL_EXT_texture_perturb_normal #define GL_EXT_texture_perturb_normal 1 #define GL_PERTURB_EXT 0x85AE #define GL_TEXTURE_NORMAL_EXT 0x85AF typedef void (GLAPIENTRY * PFNGLTEXTURENORMALEXTPROC) (GLenum mode); #define glTextureNormalEXT GLEW_GET_FUN(__glewTextureNormalEXT) #define GLEW_EXT_texture_perturb_normal GLEW_GET_VAR(__GLEW_EXT_texture_perturb_normal) #endif /* GL_EXT_texture_perturb_normal */ /* ------------------------ GL_EXT_texture_rectangle ----------------------- */ #ifndef GL_EXT_texture_rectangle #define GL_EXT_texture_rectangle 1 #define GL_TEXTURE_RECTANGLE_EXT 0x84F5 #define GL_TEXTURE_BINDING_RECTANGLE_EXT 0x84F6 #define GL_PROXY_TEXTURE_RECTANGLE_EXT 0x84F7 #define GL_MAX_RECTANGLE_TEXTURE_SIZE_EXT 0x84F8 #define GLEW_EXT_texture_rectangle GLEW_GET_VAR(__GLEW_EXT_texture_rectangle) #endif /* GL_EXT_texture_rectangle */ /* --------------------------- GL_EXT_texture_rg --------------------------- */ #ifndef GL_EXT_texture_rg #define GL_EXT_texture_rg 1 #define GL_RED_EXT 0x1903 #define GL_RG_EXT 0x8227 #define GL_R8_EXT 0x8229 #define GL_RG8_EXT 0x822B #define GLEW_EXT_texture_rg GLEW_GET_VAR(__GLEW_EXT_texture_rg) #endif /* GL_EXT_texture_rg */ /* -------------------------- GL_EXT_texture_sRGB -------------------------- */ #ifndef GL_EXT_texture_sRGB #define GL_EXT_texture_sRGB 1 #define GL_SRGB_EXT 0x8C40 #define GL_SRGB8_EXT 0x8C41 #define GL_SRGB_ALPHA_EXT 0x8C42 #define GL_SRGB8_ALPHA8_EXT 0x8C43 #define GL_SLUMINANCE_ALPHA_EXT 0x8C44 #define GL_SLUMINANCE8_ALPHA8_EXT 0x8C45 #define GL_SLUMINANCE_EXT 0x8C46 #define GL_SLUMINANCE8_EXT 0x8C47 #define GL_COMPRESSED_SRGB_EXT 0x8C48 #define GL_COMPRESSED_SRGB_ALPHA_EXT 0x8C49 #define GL_COMPRESSED_SLUMINANCE_EXT 0x8C4A #define GL_COMPRESSED_SLUMINANCE_ALPHA_EXT 0x8C4B #define GL_COMPRESSED_SRGB_S3TC_DXT1_EXT 0x8C4C #define GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT1_EXT 0x8C4D #define GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT3_EXT 0x8C4E #define GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT5_EXT 0x8C4F #define GLEW_EXT_texture_sRGB GLEW_GET_VAR(__GLEW_EXT_texture_sRGB) #endif /* GL_EXT_texture_sRGB */ /* ------------------------- GL_EXT_texture_sRGB_R8 ------------------------ */ #ifndef GL_EXT_texture_sRGB_R8 #define GL_EXT_texture_sRGB_R8 1 #define GL_SR8_EXT 0x8FBD #define GLEW_EXT_texture_sRGB_R8 GLEW_GET_VAR(__GLEW_EXT_texture_sRGB_R8) #endif /* GL_EXT_texture_sRGB_R8 */ /* ------------------------ GL_EXT_texture_sRGB_RG8 ------------------------ */ #ifndef GL_EXT_texture_sRGB_RG8 #define GL_EXT_texture_sRGB_RG8 1 #define GL_SRG8_EXT 0x8FBE #define GLEW_EXT_texture_sRGB_RG8 GLEW_GET_VAR(__GLEW_EXT_texture_sRGB_RG8) #endif /* GL_EXT_texture_sRGB_RG8 */ /* ----------------------- GL_EXT_texture_sRGB_decode ---------------------- */ #ifndef GL_EXT_texture_sRGB_decode #define GL_EXT_texture_sRGB_decode 1 #define GL_TEXTURE_SRGB_DECODE_EXT 0x8A48 #define GL_DECODE_EXT 0x8A49 #define GL_SKIP_DECODE_EXT 0x8A4A #define GLEW_EXT_texture_sRGB_decode GLEW_GET_VAR(__GLEW_EXT_texture_sRGB_decode) #endif /* GL_EXT_texture_sRGB_decode */ /* --------------------- GL_EXT_texture_shared_exponent -------------------- */ #ifndef GL_EXT_texture_shared_exponent #define GL_EXT_texture_shared_exponent 1 #define GL_RGB9_E5_EXT 0x8C3D #define GL_UNSIGNED_INT_5_9_9_9_REV_EXT 0x8C3E #define GL_TEXTURE_SHARED_SIZE_EXT 0x8C3F #define GLEW_EXT_texture_shared_exponent GLEW_GET_VAR(__GLEW_EXT_texture_shared_exponent) #endif /* GL_EXT_texture_shared_exponent */ /* -------------------------- GL_EXT_texture_snorm ------------------------- */ #ifndef GL_EXT_texture_snorm #define GL_EXT_texture_snorm 1 #define GL_RED_SNORM 0x8F90 #define GL_RG_SNORM 0x8F91 #define GL_RGB_SNORM 0x8F92 #define GL_RGBA_SNORM 0x8F93 #define GL_R8_SNORM 0x8F94 #define GL_RG8_SNORM 0x8F95 #define GL_RGB8_SNORM 0x8F96 #define GL_RGBA8_SNORM 0x8F97 #define GL_R16_SNORM 0x8F98 #define GL_RG16_SNORM 0x8F99 #define GL_RGB16_SNORM 0x8F9A #define GL_RGBA16_SNORM 0x8F9B #define GL_SIGNED_NORMALIZED 0x8F9C #define GL_ALPHA_SNORM 0x9010 #define GL_LUMINANCE_SNORM 0x9011 #define GL_LUMINANCE_ALPHA_SNORM 0x9012 #define GL_INTENSITY_SNORM 0x9013 #define GL_ALPHA8_SNORM 0x9014 #define GL_LUMINANCE8_SNORM 0x9015 #define GL_LUMINANCE8_ALPHA8_SNORM 0x9016 #define GL_INTENSITY8_SNORM 0x9017 #define GL_ALPHA16_SNORM 0x9018 #define GL_LUMINANCE16_SNORM 0x9019 #define GL_LUMINANCE16_ALPHA16_SNORM 0x901A #define GL_INTENSITY16_SNORM 0x901B #define GLEW_EXT_texture_snorm GLEW_GET_VAR(__GLEW_EXT_texture_snorm) #endif /* GL_EXT_texture_snorm */ /* ------------------------- GL_EXT_texture_storage ------------------------ */ #ifndef GL_EXT_texture_storage #define GL_EXT_texture_storage 1 #define GL_ALPHA8_EXT 0x803C #define GL_LUMINANCE8_EXT 0x8040 #define GL_LUMINANCE8_ALPHA8_EXT 0x8045 #define GL_RGB10_EXT 0x8052 #define GL_RGB10_A2_EXT 0x8059 #define GL_R8_EXT 0x8229 #define GL_RG8_EXT 0x822B #define GL_R16F_EXT 0x822D #define GL_R32F_EXT 0x822E #define GL_RG16F_EXT 0x822F #define GL_RG32F_EXT 0x8230 #define GL_RGBA32F_EXT 0x8814 #define GL_RGB32F_EXT 0x8815 #define GL_ALPHA32F_EXT 0x8816 #define GL_LUMINANCE32F_EXT 0x8818 #define GL_LUMINANCE_ALPHA32F_EXT 0x8819 #define GL_RGBA16F_EXT 0x881A #define GL_RGB16F_EXT 0x881B #define GL_ALPHA16F_EXT 0x881C #define GL_LUMINANCE16F_EXT 0x881E #define GL_LUMINANCE_ALPHA16F_EXT 0x881F #define GL_RGB_RAW_422_APPLE 0x8A51 #define GL_TEXTURE_IMMUTABLE_FORMAT_EXT 0x912F #define GL_BGRA8_EXT 0x93A1 typedef void (GLAPIENTRY * PFNGLTEXSTORAGE1DEXTPROC) (GLenum target, GLsizei levels, GLenum internalformat, GLsizei width); typedef void (GLAPIENTRY * PFNGLTEXSTORAGE2DEXTPROC) (GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLTEXSTORAGE3DEXTPROC) (GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE1DEXTPROC) (GLuint texture, GLenum target, GLsizei levels, GLenum internalformat, GLsizei width); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE2DEXTPROC) (GLuint texture, GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLTEXTURESTORAGE3DEXTPROC) (GLuint texture, GLenum target, GLsizei levels, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth); #define glTexStorage1DEXT GLEW_GET_FUN(__glewTexStorage1DEXT) #define glTexStorage2DEXT GLEW_GET_FUN(__glewTexStorage2DEXT) #define glTexStorage3DEXT GLEW_GET_FUN(__glewTexStorage3DEXT) #define glTextureStorage1DEXT GLEW_GET_FUN(__glewTextureStorage1DEXT) #define glTextureStorage2DEXT GLEW_GET_FUN(__glewTextureStorage2DEXT) #define glTextureStorage3DEXT GLEW_GET_FUN(__glewTextureStorage3DEXT) #define GLEW_EXT_texture_storage GLEW_GET_VAR(__GLEW_EXT_texture_storage) #endif /* GL_EXT_texture_storage */ /* ------------------------- GL_EXT_texture_swizzle ------------------------ */ #ifndef GL_EXT_texture_swizzle #define GL_EXT_texture_swizzle 1 #define GL_TEXTURE_SWIZZLE_R_EXT 0x8E42 #define GL_TEXTURE_SWIZZLE_G_EXT 0x8E43 #define GL_TEXTURE_SWIZZLE_B_EXT 0x8E44 #define GL_TEXTURE_SWIZZLE_A_EXT 0x8E45 #define GL_TEXTURE_SWIZZLE_RGBA_EXT 0x8E46 #define GLEW_EXT_texture_swizzle GLEW_GET_VAR(__GLEW_EXT_texture_swizzle) #endif /* GL_EXT_texture_swizzle */ /* ------------------- GL_EXT_texture_type_2_10_10_10_REV ------------------ */ #ifndef GL_EXT_texture_type_2_10_10_10_REV #define GL_EXT_texture_type_2_10_10_10_REV 1 #define GL_UNSIGNED_INT_2_10_10_10_REV_EXT 0x8368 #define GLEW_EXT_texture_type_2_10_10_10_REV GLEW_GET_VAR(__GLEW_EXT_texture_type_2_10_10_10_REV) #endif /* GL_EXT_texture_type_2_10_10_10_REV */ /* -------------------------- GL_EXT_texture_view -------------------------- */ #ifndef GL_EXT_texture_view #define GL_EXT_texture_view 1 #define GL_TEXTURE_VIEW_MIN_LEVEL_EXT 0x82DB #define GL_TEXTURE_VIEW_NUM_LEVELS_EXT 0x82DC #define GL_TEXTURE_VIEW_MIN_LAYER_EXT 0x82DD #define GL_TEXTURE_VIEW_NUM_LAYERS_EXT 0x82DE #define GL_TEXTURE_IMMUTABLE_LEVELS 0x82DF typedef void (GLAPIENTRY * PFNGLTEXTUREVIEWEXTPROC) (GLuint texture, GLenum target, GLuint origtexture, GLenum internalformat, GLuint minlevel, GLuint numlevels, GLuint minlayer, GLuint numlayers); #define glTextureViewEXT GLEW_GET_FUN(__glewTextureViewEXT) #define GLEW_EXT_texture_view GLEW_GET_VAR(__GLEW_EXT_texture_view) #endif /* GL_EXT_texture_view */ /* --------------------------- GL_EXT_timer_query -------------------------- */ #ifndef GL_EXT_timer_query #define GL_EXT_timer_query 1 #define GL_TIME_ELAPSED_EXT 0x88BF typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTI64VEXTPROC) (GLuint id, GLenum pname, GLint64EXT *params); typedef void (GLAPIENTRY * PFNGLGETQUERYOBJECTUI64VEXTPROC) (GLuint id, GLenum pname, GLuint64EXT *params); #define glGetQueryObjecti64vEXT GLEW_GET_FUN(__glewGetQueryObjecti64vEXT) #define glGetQueryObjectui64vEXT GLEW_GET_FUN(__glewGetQueryObjectui64vEXT) #define GLEW_EXT_timer_query GLEW_GET_VAR(__GLEW_EXT_timer_query) #endif /* GL_EXT_timer_query */ /* ----------------------- GL_EXT_transform_feedback ----------------------- */ #ifndef GL_EXT_transform_feedback #define GL_EXT_transform_feedback 1 #define GL_TRANSFORM_FEEDBACK_VARYING_MAX_LENGTH_EXT 0x8C76 #define GL_TRANSFORM_FEEDBACK_BUFFER_MODE_EXT 0x8C7F #define GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS_EXT 0x8C80 #define GL_TRANSFORM_FEEDBACK_VARYINGS_EXT 0x8C83 #define GL_TRANSFORM_FEEDBACK_BUFFER_START_EXT 0x8C84 #define GL_TRANSFORM_FEEDBACK_BUFFER_SIZE_EXT 0x8C85 #define GL_PRIMITIVES_GENERATED_EXT 0x8C87 #define GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN_EXT 0x8C88 #define GL_RASTERIZER_DISCARD_EXT 0x8C89 #define GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS_EXT 0x8C8A #define GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS_EXT 0x8C8B #define GL_INTERLEAVED_ATTRIBS_EXT 0x8C8C #define GL_SEPARATE_ATTRIBS_EXT 0x8C8D #define GL_TRANSFORM_FEEDBACK_BUFFER_EXT 0x8C8E #define GL_TRANSFORM_FEEDBACK_BUFFER_BINDING_EXT 0x8C8F typedef void (GLAPIENTRY * PFNGLBEGINTRANSFORMFEEDBACKEXTPROC) (GLenum primitiveMode); typedef void (GLAPIENTRY * PFNGLBINDBUFFERBASEEXTPROC) (GLenum target, GLuint index, GLuint buffer); typedef void (GLAPIENTRY * PFNGLBINDBUFFEROFFSETEXTPROC) (GLenum target, GLuint index, GLuint buffer, GLintptr offset); typedef void (GLAPIENTRY * PFNGLBINDBUFFERRANGEEXTPROC) (GLenum target, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLENDTRANSFORMFEEDBACKEXTPROC) (void); typedef void (GLAPIENTRY * PFNGLGETTRANSFORMFEEDBACKVARYINGEXTPROC) (GLuint program, GLuint index, GLsizei bufSize, GLsizei* length, GLsizei *size, GLenum *type, GLchar *name); typedef void (GLAPIENTRY * PFNGLTRANSFORMFEEDBACKVARYINGSEXTPROC) (GLuint program, GLsizei count, const GLchar * const* varyings, GLenum bufferMode); #define glBeginTransformFeedbackEXT GLEW_GET_FUN(__glewBeginTransformFeedbackEXT) #define glBindBufferBaseEXT GLEW_GET_FUN(__glewBindBufferBaseEXT) #define glBindBufferOffsetEXT GLEW_GET_FUN(__glewBindBufferOffsetEXT) #define glBindBufferRangeEXT GLEW_GET_FUN(__glewBindBufferRangeEXT) #define glEndTransformFeedbackEXT GLEW_GET_FUN(__glewEndTransformFeedbackEXT) #define glGetTransformFeedbackVaryingEXT GLEW_GET_FUN(__glewGetTransformFeedbackVaryingEXT) #define glTransformFeedbackVaryingsEXT GLEW_GET_FUN(__glewTransformFeedbackVaryingsEXT) #define GLEW_EXT_transform_feedback GLEW_GET_VAR(__GLEW_EXT_transform_feedback) #endif /* GL_EXT_transform_feedback */ /* ------------------------- GL_EXT_unpack_subimage ------------------------ */ #ifndef GL_EXT_unpack_subimage #define GL_EXT_unpack_subimage 1 #define GL_UNPACK_ROW_LENGTH_EXT 0x0CF2 #define GL_UNPACK_SKIP_ROWS_EXT 0x0CF3 #define GL_UNPACK_SKIP_PIXELS_EXT 0x0CF4 #define GLEW_EXT_unpack_subimage GLEW_GET_VAR(__GLEW_EXT_unpack_subimage) #endif /* GL_EXT_unpack_subimage */ /* -------------------------- GL_EXT_vertex_array -------------------------- */ #ifndef GL_EXT_vertex_array #define GL_EXT_vertex_array 1 #define GL_DOUBLE_EXT 0x140A #define GL_VERTEX_ARRAY_EXT 0x8074 #define GL_NORMAL_ARRAY_EXT 0x8075 #define GL_COLOR_ARRAY_EXT 0x8076 #define GL_INDEX_ARRAY_EXT 0x8077 #define GL_TEXTURE_COORD_ARRAY_EXT 0x8078 #define GL_EDGE_FLAG_ARRAY_EXT 0x8079 #define GL_VERTEX_ARRAY_SIZE_EXT 0x807A #define GL_VERTEX_ARRAY_TYPE_EXT 0x807B #define GL_VERTEX_ARRAY_STRIDE_EXT 0x807C #define GL_VERTEX_ARRAY_COUNT_EXT 0x807D #define GL_NORMAL_ARRAY_TYPE_EXT 0x807E #define GL_NORMAL_ARRAY_STRIDE_EXT 0x807F #define GL_NORMAL_ARRAY_COUNT_EXT 0x8080 #define GL_COLOR_ARRAY_SIZE_EXT 0x8081 #define GL_COLOR_ARRAY_TYPE_EXT 0x8082 #define GL_COLOR_ARRAY_STRIDE_EXT 0x8083 #define GL_COLOR_ARRAY_COUNT_EXT 0x8084 #define GL_INDEX_ARRAY_TYPE_EXT 0x8085 #define GL_INDEX_ARRAY_STRIDE_EXT 0x8086 #define GL_INDEX_ARRAY_COUNT_EXT 0x8087 #define GL_TEXTURE_COORD_ARRAY_SIZE_EXT 0x8088 #define GL_TEXTURE_COORD_ARRAY_TYPE_EXT 0x8089 #define GL_TEXTURE_COORD_ARRAY_STRIDE_EXT 0x808A #define GL_TEXTURE_COORD_ARRAY_COUNT_EXT 0x808B #define GL_EDGE_FLAG_ARRAY_STRIDE_EXT 0x808C #define GL_EDGE_FLAG_ARRAY_COUNT_EXT 0x808D #define GL_VERTEX_ARRAY_POINTER_EXT 0x808E #define GL_NORMAL_ARRAY_POINTER_EXT 0x808F #define GL_COLOR_ARRAY_POINTER_EXT 0x8090 #define GL_INDEX_ARRAY_POINTER_EXT 0x8091 #define GL_TEXTURE_COORD_ARRAY_POINTER_EXT 0x8092 #define GL_EDGE_FLAG_ARRAY_POINTER_EXT 0x8093 typedef void (GLAPIENTRY * PFNGLARRAYELEMENTEXTPROC) (GLint i); typedef void (GLAPIENTRY * PFNGLCOLORPOINTEREXTPROC) (GLint size, GLenum type, GLsizei stride, GLsizei count, const void *pointer); typedef void (GLAPIENTRY * PFNGLDRAWARRAYSEXTPROC) (GLenum mode, GLint first, GLsizei count); typedef void (GLAPIENTRY * PFNGLEDGEFLAGPOINTEREXTPROC) (GLsizei stride, GLsizei count, const GLboolean* pointer); typedef void (GLAPIENTRY * PFNGLINDEXPOINTEREXTPROC) (GLenum type, GLsizei stride, GLsizei count, const void *pointer); typedef void (GLAPIENTRY * PFNGLNORMALPOINTEREXTPROC) (GLenum type, GLsizei stride, GLsizei count, const void *pointer); typedef void (GLAPIENTRY * PFNGLTEXCOORDPOINTEREXTPROC) (GLint size, GLenum type, GLsizei stride, GLsizei count, const void *pointer); typedef void (GLAPIENTRY * PFNGLVERTEXPOINTEREXTPROC) (GLint size, GLenum type, GLsizei stride, GLsizei count, const void *pointer); #define glArrayElementEXT GLEW_GET_FUN(__glewArrayElementEXT) #define glColorPointerEXT GLEW_GET_FUN(__glewColorPointerEXT) #define glDrawArraysEXT GLEW_GET_FUN(__glewDrawArraysEXT) #define glEdgeFlagPointerEXT GLEW_GET_FUN(__glewEdgeFlagPointerEXT) #define glIndexPointerEXT GLEW_GET_FUN(__glewIndexPointerEXT) #define glNormalPointerEXT GLEW_GET_FUN(__glewNormalPointerEXT) #define glTexCoordPointerEXT GLEW_GET_FUN(__glewTexCoordPointerEXT) #define glVertexPointerEXT GLEW_GET_FUN(__glewVertexPointerEXT) #define GLEW_EXT_vertex_array GLEW_GET_VAR(__GLEW_EXT_vertex_array) #endif /* GL_EXT_vertex_array */ /* ------------------------ GL_EXT_vertex_array_bgra ----------------------- */ #ifndef GL_EXT_vertex_array_bgra #define GL_EXT_vertex_array_bgra 1 #define GL_BGRA 0x80E1 #define GLEW_EXT_vertex_array_bgra GLEW_GET_VAR(__GLEW_EXT_vertex_array_bgra) #endif /* GL_EXT_vertex_array_bgra */ /* ----------------------- GL_EXT_vertex_array_setXXX ---------------------- */ #ifndef GL_EXT_vertex_array_setXXX #define GL_EXT_vertex_array_setXXX 1 typedef void (GLAPIENTRY * PFNGLBINDARRAYSETEXTPROC) (const void *arrayset); typedef const void * (GLAPIENTRY * PFNGLCREATEARRAYSETEXTPROC) (void); typedef void (GLAPIENTRY * PFNGLDELETEARRAYSETSEXTPROC) (GLsizei n, const void *arrayset[]); #define glBindArraySetEXT GLEW_GET_FUN(__glewBindArraySetEXT) #define glCreateArraySetExt GLEW_GET_FUN(__glewCreateArraySetExt) #define glDeleteArraySetsEXT GLEW_GET_FUN(__glewDeleteArraySetsEXT) #define GLEW_EXT_vertex_array_setXXX GLEW_GET_VAR(__GLEW_EXT_vertex_array_setXXX) #endif /* GL_EXT_vertex_array_setXXX */ /* ----------------------- GL_EXT_vertex_attrib_64bit ---------------------- */ #ifndef GL_EXT_vertex_attrib_64bit #define GL_EXT_vertex_attrib_64bit 1 #define GL_DOUBLE_MAT2_EXT 0x8F46 #define GL_DOUBLE_MAT3_EXT 0x8F47 #define GL_DOUBLE_MAT4_EXT 0x8F48 #define GL_DOUBLE_MAT2x3_EXT 0x8F49 #define GL_DOUBLE_MAT2x4_EXT 0x8F4A #define GL_DOUBLE_MAT3x2_EXT 0x8F4B #define GL_DOUBLE_MAT3x4_EXT 0x8F4C #define GL_DOUBLE_MAT4x2_EXT 0x8F4D #define GL_DOUBLE_MAT4x3_EXT 0x8F4E #define GL_DOUBLE_VEC2_EXT 0x8FFC #define GL_DOUBLE_VEC3_EXT 0x8FFD #define GL_DOUBLE_VEC4_EXT 0x8FFE typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBLDVEXTPROC) (GLuint index, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYVERTEXATTRIBLOFFSETEXTPROC) (GLuint vaobj, GLuint buffer, GLuint index, GLint size, GLenum type, GLsizei stride, GLintptr offset); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1DEXTPROC) (GLuint index, GLdouble x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1DVEXTPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2DEXTPROC) (GLuint index, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2DVEXTPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3DEXTPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3DVEXTPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4DEXTPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4DVEXTPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBLPOINTEREXTPROC) (GLuint index, GLint size, GLenum type, GLsizei stride, const void *pointer); #define glGetVertexAttribLdvEXT GLEW_GET_FUN(__glewGetVertexAttribLdvEXT) #define glVertexArrayVertexAttribLOffsetEXT GLEW_GET_FUN(__glewVertexArrayVertexAttribLOffsetEXT) #define glVertexAttribL1dEXT GLEW_GET_FUN(__glewVertexAttribL1dEXT) #define glVertexAttribL1dvEXT GLEW_GET_FUN(__glewVertexAttribL1dvEXT) #define glVertexAttribL2dEXT GLEW_GET_FUN(__glewVertexAttribL2dEXT) #define glVertexAttribL2dvEXT GLEW_GET_FUN(__glewVertexAttribL2dvEXT) #define glVertexAttribL3dEXT GLEW_GET_FUN(__glewVertexAttribL3dEXT) #define glVertexAttribL3dvEXT GLEW_GET_FUN(__glewVertexAttribL3dvEXT) #define glVertexAttribL4dEXT GLEW_GET_FUN(__glewVertexAttribL4dEXT) #define glVertexAttribL4dvEXT GLEW_GET_FUN(__glewVertexAttribL4dvEXT) #define glVertexAttribLPointerEXT GLEW_GET_FUN(__glewVertexAttribLPointerEXT) #define GLEW_EXT_vertex_attrib_64bit GLEW_GET_VAR(__GLEW_EXT_vertex_attrib_64bit) #endif /* GL_EXT_vertex_attrib_64bit */ /* -------------------------- GL_EXT_vertex_shader ------------------------- */ #ifndef GL_EXT_vertex_shader #define GL_EXT_vertex_shader 1 #define GL_VERTEX_SHADER_EXT 0x8780 #define GL_VERTEX_SHADER_BINDING_EXT 0x8781 #define GL_OP_INDEX_EXT 0x8782 #define GL_OP_NEGATE_EXT 0x8783 #define GL_OP_DOT3_EXT 0x8784 #define GL_OP_DOT4_EXT 0x8785 #define GL_OP_MUL_EXT 0x8786 #define GL_OP_ADD_EXT 0x8787 #define GL_OP_MADD_EXT 0x8788 #define GL_OP_FRAC_EXT 0x8789 #define GL_OP_MAX_EXT 0x878A #define GL_OP_MIN_EXT 0x878B #define GL_OP_SET_GE_EXT 0x878C #define GL_OP_SET_LT_EXT 0x878D #define GL_OP_CLAMP_EXT 0x878E #define GL_OP_FLOOR_EXT 0x878F #define GL_OP_ROUND_EXT 0x8790 #define GL_OP_EXP_BASE_2_EXT 0x8791 #define GL_OP_LOG_BASE_2_EXT 0x8792 #define GL_OP_POWER_EXT 0x8793 #define GL_OP_RECIP_EXT 0x8794 #define GL_OP_RECIP_SQRT_EXT 0x8795 #define GL_OP_SUB_EXT 0x8796 #define GL_OP_CROSS_PRODUCT_EXT 0x8797 #define GL_OP_MULTIPLY_MATRIX_EXT 0x8798 #define GL_OP_MOV_EXT 0x8799 #define GL_OUTPUT_VERTEX_EXT 0x879A #define GL_OUTPUT_COLOR0_EXT 0x879B #define GL_OUTPUT_COLOR1_EXT 0x879C #define GL_OUTPUT_TEXTURE_COORD0_EXT 0x879D #define GL_OUTPUT_TEXTURE_COORD1_EXT 0x879E #define GL_OUTPUT_TEXTURE_COORD2_EXT 0x879F #define GL_OUTPUT_TEXTURE_COORD3_EXT 0x87A0 #define GL_OUTPUT_TEXTURE_COORD4_EXT 0x87A1 #define GL_OUTPUT_TEXTURE_COORD5_EXT 0x87A2 #define GL_OUTPUT_TEXTURE_COORD6_EXT 0x87A3 #define GL_OUTPUT_TEXTURE_COORD7_EXT 0x87A4 #define GL_OUTPUT_TEXTURE_COORD8_EXT 0x87A5 #define GL_OUTPUT_TEXTURE_COORD9_EXT 0x87A6 #define GL_OUTPUT_TEXTURE_COORD10_EXT 0x87A7 #define GL_OUTPUT_TEXTURE_COORD11_EXT 0x87A8 #define GL_OUTPUT_TEXTURE_COORD12_EXT 0x87A9 #define GL_OUTPUT_TEXTURE_COORD13_EXT 0x87AA #define GL_OUTPUT_TEXTURE_COORD14_EXT 0x87AB #define GL_OUTPUT_TEXTURE_COORD15_EXT 0x87AC #define GL_OUTPUT_TEXTURE_COORD16_EXT 0x87AD #define GL_OUTPUT_TEXTURE_COORD17_EXT 0x87AE #define GL_OUTPUT_TEXTURE_COORD18_EXT 0x87AF #define GL_OUTPUT_TEXTURE_COORD19_EXT 0x87B0 #define GL_OUTPUT_TEXTURE_COORD20_EXT 0x87B1 #define GL_OUTPUT_TEXTURE_COORD21_EXT 0x87B2 #define GL_OUTPUT_TEXTURE_COORD22_EXT 0x87B3 #define GL_OUTPUT_TEXTURE_COORD23_EXT 0x87B4 #define GL_OUTPUT_TEXTURE_COORD24_EXT 0x87B5 #define GL_OUTPUT_TEXTURE_COORD25_EXT 0x87B6 #define GL_OUTPUT_TEXTURE_COORD26_EXT 0x87B7 #define GL_OUTPUT_TEXTURE_COORD27_EXT 0x87B8 #define GL_OUTPUT_TEXTURE_COORD28_EXT 0x87B9 #define GL_OUTPUT_TEXTURE_COORD29_EXT 0x87BA #define GL_OUTPUT_TEXTURE_COORD30_EXT 0x87BB #define GL_OUTPUT_TEXTURE_COORD31_EXT 0x87BC #define GL_OUTPUT_FOG_EXT 0x87BD #define GL_SCALAR_EXT 0x87BE #define GL_VECTOR_EXT 0x87BF #define GL_MATRIX_EXT 0x87C0 #define GL_VARIANT_EXT 0x87C1 #define GL_INVARIANT_EXT 0x87C2 #define GL_LOCAL_CONSTANT_EXT 0x87C3 #define GL_LOCAL_EXT 0x87C4 #define GL_MAX_VERTEX_SHADER_INSTRUCTIONS_EXT 0x87C5 #define GL_MAX_VERTEX_SHADER_VARIANTS_EXT 0x87C6 #define GL_MAX_VERTEX_SHADER_INVARIANTS_EXT 0x87C7 #define GL_MAX_VERTEX_SHADER_LOCAL_CONSTANTS_EXT 0x87C8 #define GL_MAX_VERTEX_SHADER_LOCALS_EXT 0x87C9 #define GL_MAX_OPTIMIZED_VERTEX_SHADER_INSTRUCTIONS_EXT 0x87CA #define GL_MAX_OPTIMIZED_VERTEX_SHADER_VARIANTS_EXT 0x87CB #define GL_MAX_OPTIMIZED_VERTEX_SHADER_INVARIANTS_EXT 0x87CC #define GL_MAX_OPTIMIZED_VERTEX_SHADER_LOCAL_CONSTANTS_EXT 0x87CD #define GL_MAX_OPTIMIZED_VERTEX_SHADER_LOCALS_EXT 0x87CE #define GL_VERTEX_SHADER_INSTRUCTIONS_EXT 0x87CF #define GL_VERTEX_SHADER_VARIANTS_EXT 0x87D0 #define GL_VERTEX_SHADER_INVARIANTS_EXT 0x87D1 #define GL_VERTEX_SHADER_LOCAL_CONSTANTS_EXT 0x87D2 #define GL_VERTEX_SHADER_LOCALS_EXT 0x87D3 #define GL_VERTEX_SHADER_OPTIMIZED_EXT 0x87D4 #define GL_X_EXT 0x87D5 #define GL_Y_EXT 0x87D6 #define GL_Z_EXT 0x87D7 #define GL_W_EXT 0x87D8 #define GL_NEGATIVE_X_EXT 0x87D9 #define GL_NEGATIVE_Y_EXT 0x87DA #define GL_NEGATIVE_Z_EXT 0x87DB #define GL_NEGATIVE_W_EXT 0x87DC #define GL_ZERO_EXT 0x87DD #define GL_ONE_EXT 0x87DE #define GL_NEGATIVE_ONE_EXT 0x87DF #define GL_NORMALIZED_RANGE_EXT 0x87E0 #define GL_FULL_RANGE_EXT 0x87E1 #define GL_CURRENT_VERTEX_EXT 0x87E2 #define GL_MVP_MATRIX_EXT 0x87E3 #define GL_VARIANT_VALUE_EXT 0x87E4 #define GL_VARIANT_DATATYPE_EXT 0x87E5 #define GL_VARIANT_ARRAY_STRIDE_EXT 0x87E6 #define GL_VARIANT_ARRAY_TYPE_EXT 0x87E7 #define GL_VARIANT_ARRAY_EXT 0x87E8 #define GL_VARIANT_ARRAY_POINTER_EXT 0x87E9 #define GL_INVARIANT_VALUE_EXT 0x87EA #define GL_INVARIANT_DATATYPE_EXT 0x87EB #define GL_LOCAL_CONSTANT_VALUE_EXT 0x87EC #define GL_LOCAL_CONSTANT_DATATYPE_EXT 0x87ED typedef void (GLAPIENTRY * PFNGLBEGINVERTEXSHADEREXTPROC) (void); typedef GLuint (GLAPIENTRY * PFNGLBINDLIGHTPARAMETEREXTPROC) (GLenum light, GLenum value); typedef GLuint (GLAPIENTRY * PFNGLBINDMATERIALPARAMETEREXTPROC) (GLenum face, GLenum value); typedef GLuint (GLAPIENTRY * PFNGLBINDPARAMETEREXTPROC) (GLenum value); typedef GLuint (GLAPIENTRY * PFNGLBINDTEXGENPARAMETEREXTPROC) (GLenum unit, GLenum coord, GLenum value); typedef GLuint (GLAPIENTRY * PFNGLBINDTEXTUREUNITPARAMETEREXTPROC) (GLenum unit, GLenum value); typedef void (GLAPIENTRY * PFNGLBINDVERTEXSHADEREXTPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLDELETEVERTEXSHADEREXTPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLDISABLEVARIANTCLIENTSTATEEXTPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLENABLEVARIANTCLIENTSTATEEXTPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLENDVERTEXSHADEREXTPROC) (void); typedef void (GLAPIENTRY * PFNGLEXTRACTCOMPONENTEXTPROC) (GLuint res, GLuint src, GLuint num); typedef GLuint (GLAPIENTRY * PFNGLGENSYMBOLSEXTPROC) (GLenum dataType, GLenum storageType, GLenum range, GLuint components); typedef GLuint (GLAPIENTRY * PFNGLGENVERTEXSHADERSEXTPROC) (GLuint range); typedef void (GLAPIENTRY * PFNGLGETINVARIANTBOOLEANVEXTPROC) (GLuint id, GLenum value, GLboolean *data); typedef void (GLAPIENTRY * PFNGLGETINVARIANTFLOATVEXTPROC) (GLuint id, GLenum value, GLfloat *data); typedef void (GLAPIENTRY * PFNGLGETINVARIANTINTEGERVEXTPROC) (GLuint id, GLenum value, GLint *data); typedef void (GLAPIENTRY * PFNGLGETLOCALCONSTANTBOOLEANVEXTPROC) (GLuint id, GLenum value, GLboolean *data); typedef void (GLAPIENTRY * PFNGLGETLOCALCONSTANTFLOATVEXTPROC) (GLuint id, GLenum value, GLfloat *data); typedef void (GLAPIENTRY * PFNGLGETLOCALCONSTANTINTEGERVEXTPROC) (GLuint id, GLenum value, GLint *data); typedef void (GLAPIENTRY * PFNGLGETVARIANTBOOLEANVEXTPROC) (GLuint id, GLenum value, GLboolean *data); typedef void (GLAPIENTRY * PFNGLGETVARIANTFLOATVEXTPROC) (GLuint id, GLenum value, GLfloat *data); typedef void (GLAPIENTRY * PFNGLGETVARIANTINTEGERVEXTPROC) (GLuint id, GLenum value, GLint *data); typedef void (GLAPIENTRY * PFNGLGETVARIANTPOINTERVEXTPROC) (GLuint id, GLenum value, void **data); typedef void (GLAPIENTRY * PFNGLINSERTCOMPONENTEXTPROC) (GLuint res, GLuint src, GLuint num); typedef GLboolean (GLAPIENTRY * PFNGLISVARIANTENABLEDEXTPROC) (GLuint id, GLenum cap); typedef void (GLAPIENTRY * PFNGLSETINVARIANTEXTPROC) (GLuint id, GLenum type, void *addr); typedef void (GLAPIENTRY * PFNGLSETLOCALCONSTANTEXTPROC) (GLuint id, GLenum type, void *addr); typedef void (GLAPIENTRY * PFNGLSHADEROP1EXTPROC) (GLenum op, GLuint res, GLuint arg1); typedef void (GLAPIENTRY * PFNGLSHADEROP2EXTPROC) (GLenum op, GLuint res, GLuint arg1, GLuint arg2); typedef void (GLAPIENTRY * PFNGLSHADEROP3EXTPROC) (GLenum op, GLuint res, GLuint arg1, GLuint arg2, GLuint arg3); typedef void (GLAPIENTRY * PFNGLSWIZZLEEXTPROC) (GLuint res, GLuint in, GLenum outX, GLenum outY, GLenum outZ, GLenum outW); typedef void (GLAPIENTRY * PFNGLVARIANTPOINTEREXTPROC) (GLuint id, GLenum type, GLuint stride, void *addr); typedef void (GLAPIENTRY * PFNGLVARIANTBVEXTPROC) (GLuint id, GLbyte *addr); typedef void (GLAPIENTRY * PFNGLVARIANTDVEXTPROC) (GLuint id, GLdouble *addr); typedef void (GLAPIENTRY * PFNGLVARIANTFVEXTPROC) (GLuint id, GLfloat *addr); typedef void (GLAPIENTRY * PFNGLVARIANTIVEXTPROC) (GLuint id, GLint *addr); typedef void (GLAPIENTRY * PFNGLVARIANTSVEXTPROC) (GLuint id, GLshort *addr); typedef void (GLAPIENTRY * PFNGLVARIANTUBVEXTPROC) (GLuint id, GLubyte *addr); typedef void (GLAPIENTRY * PFNGLVARIANTUIVEXTPROC) (GLuint id, GLuint *addr); typedef void (GLAPIENTRY * PFNGLVARIANTUSVEXTPROC) (GLuint id, GLushort *addr); typedef void (GLAPIENTRY * PFNGLWRITEMASKEXTPROC) (GLuint res, GLuint in, GLenum outX, GLenum outY, GLenum outZ, GLenum outW); #define glBeginVertexShaderEXT GLEW_GET_FUN(__glewBeginVertexShaderEXT) #define glBindLightParameterEXT GLEW_GET_FUN(__glewBindLightParameterEXT) #define glBindMaterialParameterEXT GLEW_GET_FUN(__glewBindMaterialParameterEXT) #define glBindParameterEXT GLEW_GET_FUN(__glewBindParameterEXT) #define glBindTexGenParameterEXT GLEW_GET_FUN(__glewBindTexGenParameterEXT) #define glBindTextureUnitParameterEXT GLEW_GET_FUN(__glewBindTextureUnitParameterEXT) #define glBindVertexShaderEXT GLEW_GET_FUN(__glewBindVertexShaderEXT) #define glDeleteVertexShaderEXT GLEW_GET_FUN(__glewDeleteVertexShaderEXT) #define glDisableVariantClientStateEXT GLEW_GET_FUN(__glewDisableVariantClientStateEXT) #define glEnableVariantClientStateEXT GLEW_GET_FUN(__glewEnableVariantClientStateEXT) #define glEndVertexShaderEXT GLEW_GET_FUN(__glewEndVertexShaderEXT) #define glExtractComponentEXT GLEW_GET_FUN(__glewExtractComponentEXT) #define glGenSymbolsEXT GLEW_GET_FUN(__glewGenSymbolsEXT) #define glGenVertexShadersEXT GLEW_GET_FUN(__glewGenVertexShadersEXT) #define glGetInvariantBooleanvEXT GLEW_GET_FUN(__glewGetInvariantBooleanvEXT) #define glGetInvariantFloatvEXT GLEW_GET_FUN(__glewGetInvariantFloatvEXT) #define glGetInvariantIntegervEXT GLEW_GET_FUN(__glewGetInvariantIntegervEXT) #define glGetLocalConstantBooleanvEXT GLEW_GET_FUN(__glewGetLocalConstantBooleanvEXT) #define glGetLocalConstantFloatvEXT GLEW_GET_FUN(__glewGetLocalConstantFloatvEXT) #define glGetLocalConstantIntegervEXT GLEW_GET_FUN(__glewGetLocalConstantIntegervEXT) #define glGetVariantBooleanvEXT GLEW_GET_FUN(__glewGetVariantBooleanvEXT) #define glGetVariantFloatvEXT GLEW_GET_FUN(__glewGetVariantFloatvEXT) #define glGetVariantIntegervEXT GLEW_GET_FUN(__glewGetVariantIntegervEXT) #define glGetVariantPointervEXT GLEW_GET_FUN(__glewGetVariantPointervEXT) #define glInsertComponentEXT GLEW_GET_FUN(__glewInsertComponentEXT) #define glIsVariantEnabledEXT GLEW_GET_FUN(__glewIsVariantEnabledEXT) #define glSetInvariantEXT GLEW_GET_FUN(__glewSetInvariantEXT) #define glSetLocalConstantEXT GLEW_GET_FUN(__glewSetLocalConstantEXT) #define glShaderOp1EXT GLEW_GET_FUN(__glewShaderOp1EXT) #define glShaderOp2EXT GLEW_GET_FUN(__glewShaderOp2EXT) #define glShaderOp3EXT GLEW_GET_FUN(__glewShaderOp3EXT) #define glSwizzleEXT GLEW_GET_FUN(__glewSwizzleEXT) #define glVariantPointerEXT GLEW_GET_FUN(__glewVariantPointerEXT) #define glVariantbvEXT GLEW_GET_FUN(__glewVariantbvEXT) #define glVariantdvEXT GLEW_GET_FUN(__glewVariantdvEXT) #define glVariantfvEXT GLEW_GET_FUN(__glewVariantfvEXT) #define glVariantivEXT GLEW_GET_FUN(__glewVariantivEXT) #define glVariantsvEXT GLEW_GET_FUN(__glewVariantsvEXT) #define glVariantubvEXT GLEW_GET_FUN(__glewVariantubvEXT) #define glVariantuivEXT GLEW_GET_FUN(__glewVariantuivEXT) #define glVariantusvEXT GLEW_GET_FUN(__glewVariantusvEXT) #define glWriteMaskEXT GLEW_GET_FUN(__glewWriteMaskEXT) #define GLEW_EXT_vertex_shader GLEW_GET_VAR(__GLEW_EXT_vertex_shader) #endif /* GL_EXT_vertex_shader */ /* ------------------------ GL_EXT_vertex_weighting ------------------------ */ #ifndef GL_EXT_vertex_weighting #define GL_EXT_vertex_weighting 1 #define GL_MODELVIEW0_STACK_DEPTH_EXT 0x0BA3 #define GL_MODELVIEW0_MATRIX_EXT 0x0BA6 #define GL_MODELVIEW0_EXT 0x1700 #define GL_MODELVIEW1_STACK_DEPTH_EXT 0x8502 #define GL_MODELVIEW1_MATRIX_EXT 0x8506 #define GL_VERTEX_WEIGHTING_EXT 0x8509 #define GL_MODELVIEW1_EXT 0x850A #define GL_CURRENT_VERTEX_WEIGHT_EXT 0x850B #define GL_VERTEX_WEIGHT_ARRAY_EXT 0x850C #define GL_VERTEX_WEIGHT_ARRAY_SIZE_EXT 0x850D #define GL_VERTEX_WEIGHT_ARRAY_TYPE_EXT 0x850E #define GL_VERTEX_WEIGHT_ARRAY_STRIDE_EXT 0x850F #define GL_VERTEX_WEIGHT_ARRAY_POINTER_EXT 0x8510 typedef void (GLAPIENTRY * PFNGLVERTEXWEIGHTPOINTEREXTPROC) (GLint size, GLenum type, GLsizei stride, void *pointer); typedef void (GLAPIENTRY * PFNGLVERTEXWEIGHTFEXTPROC) (GLfloat weight); typedef void (GLAPIENTRY * PFNGLVERTEXWEIGHTFVEXTPROC) (GLfloat* weight); #define glVertexWeightPointerEXT GLEW_GET_FUN(__glewVertexWeightPointerEXT) #define glVertexWeightfEXT GLEW_GET_FUN(__glewVertexWeightfEXT) #define glVertexWeightfvEXT GLEW_GET_FUN(__glewVertexWeightfvEXT) #define GLEW_EXT_vertex_weighting GLEW_GET_VAR(__GLEW_EXT_vertex_weighting) #endif /* GL_EXT_vertex_weighting */ /* ------------------------ GL_EXT_win32_keyed_mutex ----------------------- */ #ifndef GL_EXT_win32_keyed_mutex #define GL_EXT_win32_keyed_mutex 1 typedef GLboolean (GLAPIENTRY * PFNGLACQUIREKEYEDMUTEXWIN32EXTPROC) (GLuint memory, GLuint64 key, GLuint timeout); typedef GLboolean (GLAPIENTRY * PFNGLRELEASEKEYEDMUTEXWIN32EXTPROC) (GLuint memory, GLuint64 key); #define glAcquireKeyedMutexWin32EXT GLEW_GET_FUN(__glewAcquireKeyedMutexWin32EXT) #define glReleaseKeyedMutexWin32EXT GLEW_GET_FUN(__glewReleaseKeyedMutexWin32EXT) #define GLEW_EXT_win32_keyed_mutex GLEW_GET_VAR(__GLEW_EXT_win32_keyed_mutex) #endif /* GL_EXT_win32_keyed_mutex */ /* ------------------------ GL_EXT_window_rectangles ----------------------- */ #ifndef GL_EXT_window_rectangles #define GL_EXT_window_rectangles 1 #define GL_INCLUSIVE_EXT 0x8F10 #define GL_EXCLUSIVE_EXT 0x8F11 #define GL_WINDOW_RECTANGLE_EXT 0x8F12 #define GL_WINDOW_RECTANGLE_MODE_EXT 0x8F13 #define GL_MAX_WINDOW_RECTANGLES_EXT 0x8F14 #define GL_NUM_WINDOW_RECTANGLES_EXT 0x8F15 typedef void (GLAPIENTRY * PFNGLWINDOWRECTANGLESEXTPROC) (GLenum mode, GLsizei count, const GLint box[]); #define glWindowRectanglesEXT GLEW_GET_FUN(__glewWindowRectanglesEXT) #define GLEW_EXT_window_rectangles GLEW_GET_VAR(__GLEW_EXT_window_rectangles) #endif /* GL_EXT_window_rectangles */ /* ------------------------- GL_EXT_x11_sync_object ------------------------ */ #ifndef GL_EXT_x11_sync_object #define GL_EXT_x11_sync_object 1 #define GL_SYNC_X11_FENCE_EXT 0x90E1 typedef GLsync (GLAPIENTRY * PFNGLIMPORTSYNCEXTPROC) (GLenum external_sync_type, GLintptr external_sync, GLbitfield flags); #define glImportSyncEXT GLEW_GET_FUN(__glewImportSyncEXT) #define GLEW_EXT_x11_sync_object GLEW_GET_VAR(__GLEW_EXT_x11_sync_object) #endif /* GL_EXT_x11_sync_object */ /* ---------------------- GL_GREMEDY_frame_terminator ---------------------- */ #ifndef GL_GREMEDY_frame_terminator #define GL_GREMEDY_frame_terminator 1 typedef void (GLAPIENTRY * PFNGLFRAMETERMINATORGREMEDYPROC) (void); #define glFrameTerminatorGREMEDY GLEW_GET_FUN(__glewFrameTerminatorGREMEDY) #define GLEW_GREMEDY_frame_terminator GLEW_GET_VAR(__GLEW_GREMEDY_frame_terminator) #endif /* GL_GREMEDY_frame_terminator */ /* ------------------------ GL_GREMEDY_string_marker ----------------------- */ #ifndef GL_GREMEDY_string_marker #define GL_GREMEDY_string_marker 1 typedef void (GLAPIENTRY * PFNGLSTRINGMARKERGREMEDYPROC) (GLsizei len, const void *string); #define glStringMarkerGREMEDY GLEW_GET_FUN(__glewStringMarkerGREMEDY) #define GLEW_GREMEDY_string_marker GLEW_GET_VAR(__GLEW_GREMEDY_string_marker) #endif /* GL_GREMEDY_string_marker */ /* --------------------- GL_HP_convolution_border_modes -------------------- */ #ifndef GL_HP_convolution_border_modes #define GL_HP_convolution_border_modes 1 #define GLEW_HP_convolution_border_modes GLEW_GET_VAR(__GLEW_HP_convolution_border_modes) #endif /* GL_HP_convolution_border_modes */ /* ------------------------- GL_HP_image_transform ------------------------- */ #ifndef GL_HP_image_transform #define GL_HP_image_transform 1 typedef void (GLAPIENTRY * PFNGLGETIMAGETRANSFORMPARAMETERFVHPPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETIMAGETRANSFORMPARAMETERIVHPPROC) (GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLIMAGETRANSFORMPARAMETERFHPPROC) (GLenum target, GLenum pname, const GLfloat param); typedef void (GLAPIENTRY * PFNGLIMAGETRANSFORMPARAMETERFVHPPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLIMAGETRANSFORMPARAMETERIHPPROC) (GLenum target, GLenum pname, const GLint param); typedef void (GLAPIENTRY * PFNGLIMAGETRANSFORMPARAMETERIVHPPROC) (GLenum target, GLenum pname, const GLint* params); #define glGetImageTransformParameterfvHP GLEW_GET_FUN(__glewGetImageTransformParameterfvHP) #define glGetImageTransformParameterivHP GLEW_GET_FUN(__glewGetImageTransformParameterivHP) #define glImageTransformParameterfHP GLEW_GET_FUN(__glewImageTransformParameterfHP) #define glImageTransformParameterfvHP GLEW_GET_FUN(__glewImageTransformParameterfvHP) #define glImageTransformParameteriHP GLEW_GET_FUN(__glewImageTransformParameteriHP) #define glImageTransformParameterivHP GLEW_GET_FUN(__glewImageTransformParameterivHP) #define GLEW_HP_image_transform GLEW_GET_VAR(__GLEW_HP_image_transform) #endif /* GL_HP_image_transform */ /* -------------------------- GL_HP_occlusion_test ------------------------- */ #ifndef GL_HP_occlusion_test #define GL_HP_occlusion_test 1 #define GLEW_HP_occlusion_test GLEW_GET_VAR(__GLEW_HP_occlusion_test) #endif /* GL_HP_occlusion_test */ /* ------------------------- GL_HP_texture_lighting ------------------------ */ #ifndef GL_HP_texture_lighting #define GL_HP_texture_lighting 1 #define GLEW_HP_texture_lighting GLEW_GET_VAR(__GLEW_HP_texture_lighting) #endif /* GL_HP_texture_lighting */ /* --------------------------- GL_IBM_cull_vertex -------------------------- */ #ifndef GL_IBM_cull_vertex #define GL_IBM_cull_vertex 1 #define GL_CULL_VERTEX_IBM 103050 #define GLEW_IBM_cull_vertex GLEW_GET_VAR(__GLEW_IBM_cull_vertex) #endif /* GL_IBM_cull_vertex */ /* ---------------------- GL_IBM_multimode_draw_arrays --------------------- */ #ifndef GL_IBM_multimode_draw_arrays #define GL_IBM_multimode_draw_arrays 1 typedef void (GLAPIENTRY * PFNGLMULTIMODEDRAWARRAYSIBMPROC) (const GLenum* mode, const GLint *first, const GLsizei *count, GLsizei primcount, GLint modestride); typedef void (GLAPIENTRY * PFNGLMULTIMODEDRAWELEMENTSIBMPROC) (const GLenum* mode, const GLsizei *count, GLenum type, const void *const *indices, GLsizei primcount, GLint modestride); #define glMultiModeDrawArraysIBM GLEW_GET_FUN(__glewMultiModeDrawArraysIBM) #define glMultiModeDrawElementsIBM GLEW_GET_FUN(__glewMultiModeDrawElementsIBM) #define GLEW_IBM_multimode_draw_arrays GLEW_GET_VAR(__GLEW_IBM_multimode_draw_arrays) #endif /* GL_IBM_multimode_draw_arrays */ /* ------------------------- GL_IBM_rasterpos_clip ------------------------- */ #ifndef GL_IBM_rasterpos_clip #define GL_IBM_rasterpos_clip 1 #define GL_RASTER_POSITION_UNCLIPPED_IBM 103010 #define GLEW_IBM_rasterpos_clip GLEW_GET_VAR(__GLEW_IBM_rasterpos_clip) #endif /* GL_IBM_rasterpos_clip */ /* --------------------------- GL_IBM_static_data -------------------------- */ #ifndef GL_IBM_static_data #define GL_IBM_static_data 1 #define GL_ALL_STATIC_DATA_IBM 103060 #define GL_STATIC_VERTEX_ARRAY_IBM 103061 #define GLEW_IBM_static_data GLEW_GET_VAR(__GLEW_IBM_static_data) #endif /* GL_IBM_static_data */ /* --------------------- GL_IBM_texture_mirrored_repeat -------------------- */ #ifndef GL_IBM_texture_mirrored_repeat #define GL_IBM_texture_mirrored_repeat 1 #define GL_MIRRORED_REPEAT_IBM 0x8370 #define GLEW_IBM_texture_mirrored_repeat GLEW_GET_VAR(__GLEW_IBM_texture_mirrored_repeat) #endif /* GL_IBM_texture_mirrored_repeat */ /* ----------------------- GL_IBM_vertex_array_lists ----------------------- */ #ifndef GL_IBM_vertex_array_lists #define GL_IBM_vertex_array_lists 1 #define GL_VERTEX_ARRAY_LIST_IBM 103070 #define GL_NORMAL_ARRAY_LIST_IBM 103071 #define GL_COLOR_ARRAY_LIST_IBM 103072 #define GL_INDEX_ARRAY_LIST_IBM 103073 #define GL_TEXTURE_COORD_ARRAY_LIST_IBM 103074 #define GL_EDGE_FLAG_ARRAY_LIST_IBM 103075 #define GL_FOG_COORDINATE_ARRAY_LIST_IBM 103076 #define GL_SECONDARY_COLOR_ARRAY_LIST_IBM 103077 #define GL_VERTEX_ARRAY_LIST_STRIDE_IBM 103080 #define GL_NORMAL_ARRAY_LIST_STRIDE_IBM 103081 #define GL_COLOR_ARRAY_LIST_STRIDE_IBM 103082 #define GL_INDEX_ARRAY_LIST_STRIDE_IBM 103083 #define GL_TEXTURE_COORD_ARRAY_LIST_STRIDE_IBM 103084 #define GL_EDGE_FLAG_ARRAY_LIST_STRIDE_IBM 103085 #define GL_FOG_COORDINATE_ARRAY_LIST_STRIDE_IBM 103086 #define GL_SECONDARY_COLOR_ARRAY_LIST_STRIDE_IBM 103087 typedef void (GLAPIENTRY * PFNGLCOLORPOINTERLISTIBMPROC) (GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLEDGEFLAGPOINTERLISTIBMPROC) (GLint stride, const GLboolean ** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLFOGCOORDPOINTERLISTIBMPROC) (GLenum type, GLint stride, const void** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLINDEXPOINTERLISTIBMPROC) (GLenum type, GLint stride, const void** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLNORMALPOINTERLISTIBMPROC) (GLenum type, GLint stride, const void** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLORPOINTERLISTIBMPROC) (GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLTEXCOORDPOINTERLISTIBMPROC) (GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride); typedef void (GLAPIENTRY * PFNGLVERTEXPOINTERLISTIBMPROC) (GLint size, GLenum type, GLint stride, const void** pointer, GLint ptrstride); #define glColorPointerListIBM GLEW_GET_FUN(__glewColorPointerListIBM) #define glEdgeFlagPointerListIBM GLEW_GET_FUN(__glewEdgeFlagPointerListIBM) #define glFogCoordPointerListIBM GLEW_GET_FUN(__glewFogCoordPointerListIBM) #define glIndexPointerListIBM GLEW_GET_FUN(__glewIndexPointerListIBM) #define glNormalPointerListIBM GLEW_GET_FUN(__glewNormalPointerListIBM) #define glSecondaryColorPointerListIBM GLEW_GET_FUN(__glewSecondaryColorPointerListIBM) #define glTexCoordPointerListIBM GLEW_GET_FUN(__glewTexCoordPointerListIBM) #define glVertexPointerListIBM GLEW_GET_FUN(__glewVertexPointerListIBM) #define GLEW_IBM_vertex_array_lists GLEW_GET_VAR(__GLEW_IBM_vertex_array_lists) #endif /* GL_IBM_vertex_array_lists */ /* -------------------------- GL_INGR_color_clamp -------------------------- */ #ifndef GL_INGR_color_clamp #define GL_INGR_color_clamp 1 #define GL_RED_MIN_CLAMP_INGR 0x8560 #define GL_GREEN_MIN_CLAMP_INGR 0x8561 #define GL_BLUE_MIN_CLAMP_INGR 0x8562 #define GL_ALPHA_MIN_CLAMP_INGR 0x8563 #define GL_RED_MAX_CLAMP_INGR 0x8564 #define GL_GREEN_MAX_CLAMP_INGR 0x8565 #define GL_BLUE_MAX_CLAMP_INGR 0x8566 #define GL_ALPHA_MAX_CLAMP_INGR 0x8567 #define GLEW_INGR_color_clamp GLEW_GET_VAR(__GLEW_INGR_color_clamp) #endif /* GL_INGR_color_clamp */ /* ------------------------- GL_INGR_interlace_read ------------------------ */ #ifndef GL_INGR_interlace_read #define GL_INGR_interlace_read 1 #define GL_INTERLACE_READ_INGR 0x8568 #define GLEW_INGR_interlace_read GLEW_GET_VAR(__GLEW_INGR_interlace_read) #endif /* GL_INGR_interlace_read */ /* ------------------ GL_INTEL_conservative_rasterization ------------------ */ #ifndef GL_INTEL_conservative_rasterization #define GL_INTEL_conservative_rasterization 1 #define GL_CONSERVATIVE_RASTERIZATION_INTEL 0x83FE #define GLEW_INTEL_conservative_rasterization GLEW_GET_VAR(__GLEW_INTEL_conservative_rasterization) #endif /* GL_INTEL_conservative_rasterization */ /* ------------------- GL_INTEL_fragment_shader_ordering ------------------- */ #ifndef GL_INTEL_fragment_shader_ordering #define GL_INTEL_fragment_shader_ordering 1 #define GLEW_INTEL_fragment_shader_ordering GLEW_GET_VAR(__GLEW_INTEL_fragment_shader_ordering) #endif /* GL_INTEL_fragment_shader_ordering */ /* ----------------------- GL_INTEL_framebuffer_CMAA ----------------------- */ #ifndef GL_INTEL_framebuffer_CMAA #define GL_INTEL_framebuffer_CMAA 1 #define GLEW_INTEL_framebuffer_CMAA GLEW_GET_VAR(__GLEW_INTEL_framebuffer_CMAA) #endif /* GL_INTEL_framebuffer_CMAA */ /* -------------------------- GL_INTEL_map_texture ------------------------- */ #ifndef GL_INTEL_map_texture #define GL_INTEL_map_texture 1 #define GL_LAYOUT_DEFAULT_INTEL 0 #define GL_LAYOUT_LINEAR_INTEL 1 #define GL_LAYOUT_LINEAR_CPU_CACHED_INTEL 2 #define GL_TEXTURE_MEMORY_LAYOUT_INTEL 0x83FF typedef void * (GLAPIENTRY * PFNGLMAPTEXTURE2DINTELPROC) (GLuint texture, GLint level, GLbitfield access, GLint* stride, GLenum *layout); typedef void (GLAPIENTRY * PFNGLSYNCTEXTUREINTELPROC) (GLuint texture); typedef void (GLAPIENTRY * PFNGLUNMAPTEXTURE2DINTELPROC) (GLuint texture, GLint level); #define glMapTexture2DINTEL GLEW_GET_FUN(__glewMapTexture2DINTEL) #define glSyncTextureINTEL GLEW_GET_FUN(__glewSyncTextureINTEL) #define glUnmapTexture2DINTEL GLEW_GET_FUN(__glewUnmapTexture2DINTEL) #define GLEW_INTEL_map_texture GLEW_GET_VAR(__GLEW_INTEL_map_texture) #endif /* GL_INTEL_map_texture */ /* ------------------------ GL_INTEL_parallel_arrays ----------------------- */ #ifndef GL_INTEL_parallel_arrays #define GL_INTEL_parallel_arrays 1 #define GL_PARALLEL_ARRAYS_INTEL 0x83F4 #define GL_VERTEX_ARRAY_PARALLEL_POINTERS_INTEL 0x83F5 #define GL_NORMAL_ARRAY_PARALLEL_POINTERS_INTEL 0x83F6 #define GL_COLOR_ARRAY_PARALLEL_POINTERS_INTEL 0x83F7 #define GL_TEXTURE_COORD_ARRAY_PARALLEL_POINTERS_INTEL 0x83F8 typedef void (GLAPIENTRY * PFNGLCOLORPOINTERVINTELPROC) (GLint size, GLenum type, const void** pointer); typedef void (GLAPIENTRY * PFNGLNORMALPOINTERVINTELPROC) (GLenum type, const void** pointer); typedef void (GLAPIENTRY * PFNGLTEXCOORDPOINTERVINTELPROC) (GLint size, GLenum type, const void** pointer); typedef void (GLAPIENTRY * PFNGLVERTEXPOINTERVINTELPROC) (GLint size, GLenum type, const void** pointer); #define glColorPointervINTEL GLEW_GET_FUN(__glewColorPointervINTEL) #define glNormalPointervINTEL GLEW_GET_FUN(__glewNormalPointervINTEL) #define glTexCoordPointervINTEL GLEW_GET_FUN(__glewTexCoordPointervINTEL) #define glVertexPointervINTEL GLEW_GET_FUN(__glewVertexPointervINTEL) #define GLEW_INTEL_parallel_arrays GLEW_GET_VAR(__GLEW_INTEL_parallel_arrays) #endif /* GL_INTEL_parallel_arrays */ /* ----------------------- GL_INTEL_performance_query ---------------------- */ #ifndef GL_INTEL_performance_query #define GL_INTEL_performance_query 1 #define GL_PERFQUERY_SINGLE_CONTEXT_INTEL 0x0000 #define GL_PERFQUERY_GLOBAL_CONTEXT_INTEL 0x0001 #define GL_PERFQUERY_DONOT_FLUSH_INTEL 0x83F9 #define GL_PERFQUERY_FLUSH_INTEL 0x83FA #define GL_PERFQUERY_WAIT_INTEL 0x83FB #define GL_PERFQUERY_COUNTER_EVENT_INTEL 0x94F0 #define GL_PERFQUERY_COUNTER_DURATION_NORM_INTEL 0x94F1 #define GL_PERFQUERY_COUNTER_DURATION_RAW_INTEL 0x94F2 #define GL_PERFQUERY_COUNTER_THROUGHPUT_INTEL 0x94F3 #define GL_PERFQUERY_COUNTER_RAW_INTEL 0x94F4 #define GL_PERFQUERY_COUNTER_TIMESTAMP_INTEL 0x94F5 #define GL_PERFQUERY_COUNTER_DATA_UINT32_INTEL 0x94F8 #define GL_PERFQUERY_COUNTER_DATA_UINT64_INTEL 0x94F9 #define GL_PERFQUERY_COUNTER_DATA_FLOAT_INTEL 0x94FA #define GL_PERFQUERY_COUNTER_DATA_DOUBLE_INTEL 0x94FB #define GL_PERFQUERY_COUNTER_DATA_BOOL32_INTEL 0x94FC #define GL_PERFQUERY_QUERY_NAME_LENGTH_MAX_INTEL 0x94FD #define GL_PERFQUERY_COUNTER_NAME_LENGTH_MAX_INTEL 0x94FE #define GL_PERFQUERY_COUNTER_DESC_LENGTH_MAX_INTEL 0x94FF #define GL_PERFQUERY_GPA_EXTENDED_COUNTERS_INTEL 0x9500 typedef void (GLAPIENTRY * PFNGLBEGINPERFQUERYINTELPROC) (GLuint queryHandle); typedef void (GLAPIENTRY * PFNGLCREATEPERFQUERYINTELPROC) (GLuint queryId, GLuint* queryHandle); typedef void (GLAPIENTRY * PFNGLDELETEPERFQUERYINTELPROC) (GLuint queryHandle); typedef void (GLAPIENTRY * PFNGLENDPERFQUERYINTELPROC) (GLuint queryHandle); typedef void (GLAPIENTRY * PFNGLGETFIRSTPERFQUERYIDINTELPROC) (GLuint* queryId); typedef void (GLAPIENTRY * PFNGLGETNEXTPERFQUERYIDINTELPROC) (GLuint queryId, GLuint* nextQueryId); typedef void (GLAPIENTRY * PFNGLGETPERFCOUNTERINFOINTELPROC) (GLuint queryId, GLuint counterId, GLuint counterNameLength, GLchar* counterName, GLuint counterDescLength, GLchar *counterDesc, GLuint *counterOffset, GLuint *counterDataSize, GLuint *counterTypeEnum, GLuint *counterDataTypeEnum, GLuint64 *rawCounterMaxValue); typedef void (GLAPIENTRY * PFNGLGETPERFQUERYDATAINTELPROC) (GLuint queryHandle, GLuint flags, GLsizei dataSize, void *data, GLuint *bytesWritten); typedef void (GLAPIENTRY * PFNGLGETPERFQUERYIDBYNAMEINTELPROC) (GLchar* queryName, GLuint *queryId); typedef void (GLAPIENTRY * PFNGLGETPERFQUERYINFOINTELPROC) (GLuint queryId, GLuint queryNameLength, GLchar* queryName, GLuint *dataSize, GLuint *noCounters, GLuint *noInstances, GLuint *capsMask); #define glBeginPerfQueryINTEL GLEW_GET_FUN(__glewBeginPerfQueryINTEL) #define glCreatePerfQueryINTEL GLEW_GET_FUN(__glewCreatePerfQueryINTEL) #define glDeletePerfQueryINTEL GLEW_GET_FUN(__glewDeletePerfQueryINTEL) #define glEndPerfQueryINTEL GLEW_GET_FUN(__glewEndPerfQueryINTEL) #define glGetFirstPerfQueryIdINTEL GLEW_GET_FUN(__glewGetFirstPerfQueryIdINTEL) #define glGetNextPerfQueryIdINTEL GLEW_GET_FUN(__glewGetNextPerfQueryIdINTEL) #define glGetPerfCounterInfoINTEL GLEW_GET_FUN(__glewGetPerfCounterInfoINTEL) #define glGetPerfQueryDataINTEL GLEW_GET_FUN(__glewGetPerfQueryDataINTEL) #define glGetPerfQueryIdByNameINTEL GLEW_GET_FUN(__glewGetPerfQueryIdByNameINTEL) #define glGetPerfQueryInfoINTEL GLEW_GET_FUN(__glewGetPerfQueryInfoINTEL) #define GLEW_INTEL_performance_query GLEW_GET_VAR(__GLEW_INTEL_performance_query) #endif /* GL_INTEL_performance_query */ /* ------------------------ GL_INTEL_texture_scissor ----------------------- */ #ifndef GL_INTEL_texture_scissor #define GL_INTEL_texture_scissor 1 typedef void (GLAPIENTRY * PFNGLTEXSCISSORFUNCINTELPROC) (GLenum target, GLenum lfunc, GLenum hfunc); typedef void (GLAPIENTRY * PFNGLTEXSCISSORINTELPROC) (GLenum target, GLclampf tlow, GLclampf thigh); #define glTexScissorFuncINTEL GLEW_GET_FUN(__glewTexScissorFuncINTEL) #define glTexScissorINTEL GLEW_GET_FUN(__glewTexScissorINTEL) #define GLEW_INTEL_texture_scissor GLEW_GET_VAR(__GLEW_INTEL_texture_scissor) #endif /* GL_INTEL_texture_scissor */ /* --------------------- GL_KHR_blend_equation_advanced -------------------- */ #ifndef GL_KHR_blend_equation_advanced #define GL_KHR_blend_equation_advanced 1 #define GL_BLEND_ADVANCED_COHERENT_KHR 0x9285 #define GL_MULTIPLY_KHR 0x9294 #define GL_SCREEN_KHR 0x9295 #define GL_OVERLAY_KHR 0x9296 #define GL_DARKEN_KHR 0x9297 #define GL_LIGHTEN_KHR 0x9298 #define GL_COLORDODGE_KHR 0x9299 #define GL_COLORBURN_KHR 0x929A #define GL_HARDLIGHT_KHR 0x929B #define GL_SOFTLIGHT_KHR 0x929C #define GL_DIFFERENCE_KHR 0x929E #define GL_EXCLUSION_KHR 0x92A0 #define GL_HSL_HUE_KHR 0x92AD #define GL_HSL_SATURATION_KHR 0x92AE #define GL_HSL_COLOR_KHR 0x92AF #define GL_HSL_LUMINOSITY_KHR 0x92B0 typedef void (GLAPIENTRY * PFNGLBLENDBARRIERKHRPROC) (void); #define glBlendBarrierKHR GLEW_GET_FUN(__glewBlendBarrierKHR) #define GLEW_KHR_blend_equation_advanced GLEW_GET_VAR(__GLEW_KHR_blend_equation_advanced) #endif /* GL_KHR_blend_equation_advanced */ /* ---------------- GL_KHR_blend_equation_advanced_coherent ---------------- */ #ifndef GL_KHR_blend_equation_advanced_coherent #define GL_KHR_blend_equation_advanced_coherent 1 #define GLEW_KHR_blend_equation_advanced_coherent GLEW_GET_VAR(__GLEW_KHR_blend_equation_advanced_coherent) #endif /* GL_KHR_blend_equation_advanced_coherent */ /* ---------------------- GL_KHR_context_flush_control --------------------- */ #ifndef GL_KHR_context_flush_control #define GL_KHR_context_flush_control 1 #define GLEW_KHR_context_flush_control GLEW_GET_VAR(__GLEW_KHR_context_flush_control) #endif /* GL_KHR_context_flush_control */ /* ------------------------------ GL_KHR_debug ----------------------------- */ #ifndef GL_KHR_debug #define GL_KHR_debug 1 #define GL_CONTEXT_FLAG_DEBUG_BIT 0x00000002 #define GL_STACK_OVERFLOW 0x0503 #define GL_STACK_UNDERFLOW 0x0504 #define GL_DEBUG_OUTPUT_SYNCHRONOUS 0x8242 #define GL_DEBUG_NEXT_LOGGED_MESSAGE_LENGTH 0x8243 #define GL_DEBUG_CALLBACK_FUNCTION 0x8244 #define GL_DEBUG_CALLBACK_USER_PARAM 0x8245 #define GL_DEBUG_SOURCE_API 0x8246 #define GL_DEBUG_SOURCE_WINDOW_SYSTEM 0x8247 #define GL_DEBUG_SOURCE_SHADER_COMPILER 0x8248 #define GL_DEBUG_SOURCE_THIRD_PARTY 0x8249 #define GL_DEBUG_SOURCE_APPLICATION 0x824A #define GL_DEBUG_SOURCE_OTHER 0x824B #define GL_DEBUG_TYPE_ERROR 0x824C #define GL_DEBUG_TYPE_DEPRECATED_BEHAVIOR 0x824D #define GL_DEBUG_TYPE_UNDEFINED_BEHAVIOR 0x824E #define GL_DEBUG_TYPE_PORTABILITY 0x824F #define GL_DEBUG_TYPE_PERFORMANCE 0x8250 #define GL_DEBUG_TYPE_OTHER 0x8251 #define GL_DEBUG_TYPE_MARKER 0x8268 #define GL_DEBUG_TYPE_PUSH_GROUP 0x8269 #define GL_DEBUG_TYPE_POP_GROUP 0x826A #define GL_DEBUG_SEVERITY_NOTIFICATION 0x826B #define GL_MAX_DEBUG_GROUP_STACK_DEPTH 0x826C #define GL_DEBUG_GROUP_STACK_DEPTH 0x826D #define GL_BUFFER 0x82E0 #define GL_SHADER 0x82E1 #define GL_PROGRAM 0x82E2 #define GL_QUERY 0x82E3 #define GL_PROGRAM_PIPELINE 0x82E4 #define GL_SAMPLER 0x82E6 #define GL_DISPLAY_LIST 0x82E7 #define GL_MAX_LABEL_LENGTH 0x82E8 #define GL_MAX_DEBUG_MESSAGE_LENGTH 0x9143 #define GL_MAX_DEBUG_LOGGED_MESSAGES 0x9144 #define GL_DEBUG_LOGGED_MESSAGES 0x9145 #define GL_DEBUG_SEVERITY_HIGH 0x9146 #define GL_DEBUG_SEVERITY_MEDIUM 0x9147 #define GL_DEBUG_SEVERITY_LOW 0x9148 #define GL_DEBUG_OUTPUT 0x92E0 typedef void (GLAPIENTRY *GLDEBUGPROC)(GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* message, const void* userParam); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGECALLBACKPROC) (GLDEBUGPROC callback, const void *userParam); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGECONTROLPROC) (GLenum source, GLenum type, GLenum severity, GLsizei count, const GLuint* ids, GLboolean enabled); typedef void (GLAPIENTRY * PFNGLDEBUGMESSAGEINSERTPROC) (GLenum source, GLenum type, GLuint id, GLenum severity, GLsizei length, const GLchar* buf); typedef GLuint (GLAPIENTRY * PFNGLGETDEBUGMESSAGELOGPROC) (GLuint count, GLsizei bufSize, GLenum* sources, GLenum* types, GLuint* ids, GLenum* severities, GLsizei* lengths, GLchar* messageLog); typedef void (GLAPIENTRY * PFNGLGETOBJECTLABELPROC) (GLenum identifier, GLuint name, GLsizei bufSize, GLsizei* length, GLchar *label); typedef void (GLAPIENTRY * PFNGLGETOBJECTPTRLABELPROC) (void* ptr, GLsizei bufSize, GLsizei* length, GLchar *label); typedef void (GLAPIENTRY * PFNGLOBJECTLABELPROC) (GLenum identifier, GLuint name, GLsizei length, const GLchar* label); typedef void (GLAPIENTRY * PFNGLOBJECTPTRLABELPROC) (void* ptr, GLsizei length, const GLchar* label); typedef void (GLAPIENTRY * PFNGLPOPDEBUGGROUPPROC) (void); typedef void (GLAPIENTRY * PFNGLPUSHDEBUGGROUPPROC) (GLenum source, GLuint id, GLsizei length, const GLchar * message); #define glDebugMessageCallback GLEW_GET_FUN(__glewDebugMessageCallback) #define glDebugMessageControl GLEW_GET_FUN(__glewDebugMessageControl) #define glDebugMessageInsert GLEW_GET_FUN(__glewDebugMessageInsert) #define glGetDebugMessageLog GLEW_GET_FUN(__glewGetDebugMessageLog) #define glGetObjectLabel GLEW_GET_FUN(__glewGetObjectLabel) #define glGetObjectPtrLabel GLEW_GET_FUN(__glewGetObjectPtrLabel) #define glObjectLabel GLEW_GET_FUN(__glewObjectLabel) #define glObjectPtrLabel GLEW_GET_FUN(__glewObjectPtrLabel) #define glPopDebugGroup GLEW_GET_FUN(__glewPopDebugGroup) #define glPushDebugGroup GLEW_GET_FUN(__glewPushDebugGroup) #define GLEW_KHR_debug GLEW_GET_VAR(__GLEW_KHR_debug) #endif /* GL_KHR_debug */ /* ---------------------------- GL_KHR_no_error ---------------------------- */ #ifndef GL_KHR_no_error #define GL_KHR_no_error 1 #define GL_CONTEXT_FLAG_NO_ERROR_BIT_KHR 0x00000008 #define GLEW_KHR_no_error GLEW_GET_VAR(__GLEW_KHR_no_error) #endif /* GL_KHR_no_error */ /* --------------------- GL_KHR_parallel_shader_compile -------------------- */ #ifndef GL_KHR_parallel_shader_compile #define GL_KHR_parallel_shader_compile 1 #define GL_MAX_SHADER_COMPILER_THREADS_KHR 0x91B0 #define GL_COMPLETION_STATUS_KHR 0x91B1 typedef void (GLAPIENTRY * PFNGLMAXSHADERCOMPILERTHREADSKHRPROC) (GLuint count); #define glMaxShaderCompilerThreadsKHR GLEW_GET_FUN(__glewMaxShaderCompilerThreadsKHR) #define GLEW_KHR_parallel_shader_compile GLEW_GET_VAR(__GLEW_KHR_parallel_shader_compile) #endif /* GL_KHR_parallel_shader_compile */ /* ------------------ GL_KHR_robust_buffer_access_behavior ----------------- */ #ifndef GL_KHR_robust_buffer_access_behavior #define GL_KHR_robust_buffer_access_behavior 1 #define GLEW_KHR_robust_buffer_access_behavior GLEW_GET_VAR(__GLEW_KHR_robust_buffer_access_behavior) #endif /* GL_KHR_robust_buffer_access_behavior */ /* --------------------------- GL_KHR_robustness --------------------------- */ #ifndef GL_KHR_robustness #define GL_KHR_robustness 1 #define GL_CONTEXT_LOST 0x0507 #define GL_LOSE_CONTEXT_ON_RESET 0x8252 #define GL_GUILTY_CONTEXT_RESET 0x8253 #define GL_INNOCENT_CONTEXT_RESET 0x8254 #define GL_UNKNOWN_CONTEXT_RESET 0x8255 #define GL_RESET_NOTIFICATION_STRATEGY 0x8256 #define GL_NO_RESET_NOTIFICATION 0x8261 #define GL_CONTEXT_ROBUST_ACCESS 0x90F3 typedef void (GLAPIENTRY * PFNGLGETNUNIFORMFVPROC) (GLuint program, GLint location, GLsizei bufSize, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMIVPROC) (GLuint program, GLint location, GLsizei bufSize, GLint* params); typedef void (GLAPIENTRY * PFNGLGETNUNIFORMUIVPROC) (GLuint program, GLint location, GLsizei bufSize, GLuint* params); typedef void (GLAPIENTRY * PFNGLREADNPIXELSPROC) (GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, GLsizei bufSize, void *data); #define glGetnUniformfv GLEW_GET_FUN(__glewGetnUniformfv) #define glGetnUniformiv GLEW_GET_FUN(__glewGetnUniformiv) #define glGetnUniformuiv GLEW_GET_FUN(__glewGetnUniformuiv) #define glReadnPixels GLEW_GET_FUN(__glewReadnPixels) #define GLEW_KHR_robustness GLEW_GET_VAR(__GLEW_KHR_robustness) #endif /* GL_KHR_robustness */ /* ------------------ GL_KHR_texture_compression_astc_hdr ------------------ */ #ifndef GL_KHR_texture_compression_astc_hdr #define GL_KHR_texture_compression_astc_hdr 1 #define GL_COMPRESSED_RGBA_ASTC_4x4_KHR 0x93B0 #define GL_COMPRESSED_RGBA_ASTC_5x4_KHR 0x93B1 #define GL_COMPRESSED_RGBA_ASTC_5x5_KHR 0x93B2 #define GL_COMPRESSED_RGBA_ASTC_6x5_KHR 0x93B3 #define GL_COMPRESSED_RGBA_ASTC_6x6_KHR 0x93B4 #define GL_COMPRESSED_RGBA_ASTC_8x5_KHR 0x93B5 #define GL_COMPRESSED_RGBA_ASTC_8x6_KHR 0x93B6 #define GL_COMPRESSED_RGBA_ASTC_8x8_KHR 0x93B7 #define GL_COMPRESSED_RGBA_ASTC_10x5_KHR 0x93B8 #define GL_COMPRESSED_RGBA_ASTC_10x6_KHR 0x93B9 #define GL_COMPRESSED_RGBA_ASTC_10x8_KHR 0x93BA #define GL_COMPRESSED_RGBA_ASTC_10x10_KHR 0x93BB #define GL_COMPRESSED_RGBA_ASTC_12x10_KHR 0x93BC #define GL_COMPRESSED_RGBA_ASTC_12x12_KHR 0x93BD #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x4_KHR 0x93D0 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x4_KHR 0x93D1 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x5_KHR 0x93D2 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x5_KHR 0x93D3 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x6_KHR 0x93D4 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x5_KHR 0x93D5 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x6_KHR 0x93D6 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x8_KHR 0x93D7 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x5_KHR 0x93D8 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x6_KHR 0x93D9 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x8_KHR 0x93DA #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x10_KHR 0x93DB #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x10_KHR 0x93DC #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x12_KHR 0x93DD #define GLEW_KHR_texture_compression_astc_hdr GLEW_GET_VAR(__GLEW_KHR_texture_compression_astc_hdr) #endif /* GL_KHR_texture_compression_astc_hdr */ /* ------------------ GL_KHR_texture_compression_astc_ldr ------------------ */ #ifndef GL_KHR_texture_compression_astc_ldr #define GL_KHR_texture_compression_astc_ldr 1 #define GL_COMPRESSED_RGBA_ASTC_4x4_KHR 0x93B0 #define GL_COMPRESSED_RGBA_ASTC_5x4_KHR 0x93B1 #define GL_COMPRESSED_RGBA_ASTC_5x5_KHR 0x93B2 #define GL_COMPRESSED_RGBA_ASTC_6x5_KHR 0x93B3 #define GL_COMPRESSED_RGBA_ASTC_6x6_KHR 0x93B4 #define GL_COMPRESSED_RGBA_ASTC_8x5_KHR 0x93B5 #define GL_COMPRESSED_RGBA_ASTC_8x6_KHR 0x93B6 #define GL_COMPRESSED_RGBA_ASTC_8x8_KHR 0x93B7 #define GL_COMPRESSED_RGBA_ASTC_10x5_KHR 0x93B8 #define GL_COMPRESSED_RGBA_ASTC_10x6_KHR 0x93B9 #define GL_COMPRESSED_RGBA_ASTC_10x8_KHR 0x93BA #define GL_COMPRESSED_RGBA_ASTC_10x10_KHR 0x93BB #define GL_COMPRESSED_RGBA_ASTC_12x10_KHR 0x93BC #define GL_COMPRESSED_RGBA_ASTC_12x12_KHR 0x93BD #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_4x4_KHR 0x93D0 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x4_KHR 0x93D1 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_5x5_KHR 0x93D2 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x5_KHR 0x93D3 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_6x6_KHR 0x93D4 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x5_KHR 0x93D5 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x6_KHR 0x93D6 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_8x8_KHR 0x93D7 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x5_KHR 0x93D8 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x6_KHR 0x93D9 #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x8_KHR 0x93DA #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_10x10_KHR 0x93DB #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x10_KHR 0x93DC #define GL_COMPRESSED_SRGB8_ALPHA8_ASTC_12x12_KHR 0x93DD #define GLEW_KHR_texture_compression_astc_ldr GLEW_GET_VAR(__GLEW_KHR_texture_compression_astc_ldr) #endif /* GL_KHR_texture_compression_astc_ldr */ /* --------------- GL_KHR_texture_compression_astc_sliced_3d --------------- */ #ifndef GL_KHR_texture_compression_astc_sliced_3d #define GL_KHR_texture_compression_astc_sliced_3d 1 #define GLEW_KHR_texture_compression_astc_sliced_3d GLEW_GET_VAR(__GLEW_KHR_texture_compression_astc_sliced_3d) #endif /* GL_KHR_texture_compression_astc_sliced_3d */ /* -------------------------- GL_KTX_buffer_region ------------------------- */ #ifndef GL_KTX_buffer_region #define GL_KTX_buffer_region 1 #define GL_KTX_FRONT_REGION 0x0 #define GL_KTX_BACK_REGION 0x1 #define GL_KTX_Z_REGION 0x2 #define GL_KTX_STENCIL_REGION 0x3 typedef GLuint (GLAPIENTRY * PFNGLBUFFERREGIONENABLEDPROC) (void); typedef void (GLAPIENTRY * PFNGLDELETEBUFFERREGIONPROC) (GLenum region); typedef void (GLAPIENTRY * PFNGLDRAWBUFFERREGIONPROC) (GLuint region, GLint x, GLint y, GLsizei width, GLsizei height, GLint xDest, GLint yDest); typedef GLuint (GLAPIENTRY * PFNGLNEWBUFFERREGIONPROC) (GLenum region); typedef void (GLAPIENTRY * PFNGLREADBUFFERREGIONPROC) (GLuint region, GLint x, GLint y, GLsizei width, GLsizei height); #define glBufferRegionEnabled GLEW_GET_FUN(__glewBufferRegionEnabled) #define glDeleteBufferRegion GLEW_GET_FUN(__glewDeleteBufferRegion) #define glDrawBufferRegion GLEW_GET_FUN(__glewDrawBufferRegion) #define glNewBufferRegion GLEW_GET_FUN(__glewNewBufferRegion) #define glReadBufferRegion GLEW_GET_FUN(__glewReadBufferRegion) #define GLEW_KTX_buffer_region GLEW_GET_VAR(__GLEW_KTX_buffer_region) #endif /* GL_KTX_buffer_region */ /* ------------------------- GL_MESAX_texture_stack ------------------------ */ #ifndef GL_MESAX_texture_stack #define GL_MESAX_texture_stack 1 #define GL_TEXTURE_1D_STACK_MESAX 0x8759 #define GL_TEXTURE_2D_STACK_MESAX 0x875A #define GL_PROXY_TEXTURE_1D_STACK_MESAX 0x875B #define GL_PROXY_TEXTURE_2D_STACK_MESAX 0x875C #define GL_TEXTURE_1D_STACK_BINDING_MESAX 0x875D #define GL_TEXTURE_2D_STACK_BINDING_MESAX 0x875E #define GLEW_MESAX_texture_stack GLEW_GET_VAR(__GLEW_MESAX_texture_stack) #endif /* GL_MESAX_texture_stack */ /* -------------------------- GL_MESA_pack_invert -------------------------- */ #ifndef GL_MESA_pack_invert #define GL_MESA_pack_invert 1 #define GL_PACK_INVERT_MESA 0x8758 #define GLEW_MESA_pack_invert GLEW_GET_VAR(__GLEW_MESA_pack_invert) #endif /* GL_MESA_pack_invert */ /* ------------------------- GL_MESA_resize_buffers ------------------------ */ #ifndef GL_MESA_resize_buffers #define GL_MESA_resize_buffers 1 typedef void (GLAPIENTRY * PFNGLRESIZEBUFFERSMESAPROC) (void); #define glResizeBuffersMESA GLEW_GET_FUN(__glewResizeBuffersMESA) #define GLEW_MESA_resize_buffers GLEW_GET_VAR(__GLEW_MESA_resize_buffers) #endif /* GL_MESA_resize_buffers */ /* -------------------- GL_MESA_shader_integer_functions ------------------- */ #ifndef GL_MESA_shader_integer_functions #define GL_MESA_shader_integer_functions 1 #define GLEW_MESA_shader_integer_functions GLEW_GET_VAR(__GLEW_MESA_shader_integer_functions) #endif /* GL_MESA_shader_integer_functions */ /* --------------------------- GL_MESA_window_pos -------------------------- */ #ifndef GL_MESA_window_pos #define GL_MESA_window_pos 1 typedef void (GLAPIENTRY * PFNGLWINDOWPOS2DMESAPROC) (GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2DVMESAPROC) (const GLdouble* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2FMESAPROC) (GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2FVMESAPROC) (const GLfloat* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2IMESAPROC) (GLint x, GLint y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2IVMESAPROC) (const GLint* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2SMESAPROC) (GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLWINDOWPOS2SVMESAPROC) (const GLshort* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3DMESAPROC) (GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3DVMESAPROC) (const GLdouble* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3FMESAPROC) (GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3FVMESAPROC) (const GLfloat* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3IMESAPROC) (GLint x, GLint y, GLint z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3IVMESAPROC) (const GLint* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3SMESAPROC) (GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLWINDOWPOS3SVMESAPROC) (const GLshort* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4DMESAPROC) (GLdouble x, GLdouble y, GLdouble z, GLdouble); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4DVMESAPROC) (const GLdouble* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4FMESAPROC) (GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4FVMESAPROC) (const GLfloat* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4IMESAPROC) (GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4IVMESAPROC) (const GLint* p); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4SMESAPROC) (GLshort x, GLshort y, GLshort z, GLshort w); typedef void (GLAPIENTRY * PFNGLWINDOWPOS4SVMESAPROC) (const GLshort* p); #define glWindowPos2dMESA GLEW_GET_FUN(__glewWindowPos2dMESA) #define glWindowPos2dvMESA GLEW_GET_FUN(__glewWindowPos2dvMESA) #define glWindowPos2fMESA GLEW_GET_FUN(__glewWindowPos2fMESA) #define glWindowPos2fvMESA GLEW_GET_FUN(__glewWindowPos2fvMESA) #define glWindowPos2iMESA GLEW_GET_FUN(__glewWindowPos2iMESA) #define glWindowPos2ivMESA GLEW_GET_FUN(__glewWindowPos2ivMESA) #define glWindowPos2sMESA GLEW_GET_FUN(__glewWindowPos2sMESA) #define glWindowPos2svMESA GLEW_GET_FUN(__glewWindowPos2svMESA) #define glWindowPos3dMESA GLEW_GET_FUN(__glewWindowPos3dMESA) #define glWindowPos3dvMESA GLEW_GET_FUN(__glewWindowPos3dvMESA) #define glWindowPos3fMESA GLEW_GET_FUN(__glewWindowPos3fMESA) #define glWindowPos3fvMESA GLEW_GET_FUN(__glewWindowPos3fvMESA) #define glWindowPos3iMESA GLEW_GET_FUN(__glewWindowPos3iMESA) #define glWindowPos3ivMESA GLEW_GET_FUN(__glewWindowPos3ivMESA) #define glWindowPos3sMESA GLEW_GET_FUN(__glewWindowPos3sMESA) #define glWindowPos3svMESA GLEW_GET_FUN(__glewWindowPos3svMESA) #define glWindowPos4dMESA GLEW_GET_FUN(__glewWindowPos4dMESA) #define glWindowPos4dvMESA GLEW_GET_FUN(__glewWindowPos4dvMESA) #define glWindowPos4fMESA GLEW_GET_FUN(__glewWindowPos4fMESA) #define glWindowPos4fvMESA GLEW_GET_FUN(__glewWindowPos4fvMESA) #define glWindowPos4iMESA GLEW_GET_FUN(__glewWindowPos4iMESA) #define glWindowPos4ivMESA GLEW_GET_FUN(__glewWindowPos4ivMESA) #define glWindowPos4sMESA GLEW_GET_FUN(__glewWindowPos4sMESA) #define glWindowPos4svMESA GLEW_GET_FUN(__glewWindowPos4svMESA) #define GLEW_MESA_window_pos GLEW_GET_VAR(__GLEW_MESA_window_pos) #endif /* GL_MESA_window_pos */ /* ------------------------- GL_MESA_ycbcr_texture ------------------------- */ #ifndef GL_MESA_ycbcr_texture #define GL_MESA_ycbcr_texture 1 #define GL_UNSIGNED_SHORT_8_8_MESA 0x85BA #define GL_UNSIGNED_SHORT_8_8_REV_MESA 0x85BB #define GL_YCBCR_MESA 0x8757 #define GLEW_MESA_ycbcr_texture GLEW_GET_VAR(__GLEW_MESA_ycbcr_texture) #endif /* GL_MESA_ycbcr_texture */ /* ----------- GL_NVX_blend_equation_advanced_multi_draw_buffers ----------- */ #ifndef GL_NVX_blend_equation_advanced_multi_draw_buffers #define GL_NVX_blend_equation_advanced_multi_draw_buffers 1 #define GLEW_NVX_blend_equation_advanced_multi_draw_buffers GLEW_GET_VAR(__GLEW_NVX_blend_equation_advanced_multi_draw_buffers) #endif /* GL_NVX_blend_equation_advanced_multi_draw_buffers */ /* ----------------------- GL_NVX_conditional_render ----------------------- */ #ifndef GL_NVX_conditional_render #define GL_NVX_conditional_render 1 typedef void (GLAPIENTRY * PFNGLBEGINCONDITIONALRENDERNVXPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLENDCONDITIONALRENDERNVXPROC) (void); #define glBeginConditionalRenderNVX GLEW_GET_FUN(__glewBeginConditionalRenderNVX) #define glEndConditionalRenderNVX GLEW_GET_FUN(__glewEndConditionalRenderNVX) #define GLEW_NVX_conditional_render GLEW_GET_VAR(__GLEW_NVX_conditional_render) #endif /* GL_NVX_conditional_render */ /* ------------------------- GL_NVX_gpu_memory_info ------------------------ */ #ifndef GL_NVX_gpu_memory_info #define GL_NVX_gpu_memory_info 1 #define GL_GPU_MEMORY_INFO_DEDICATED_VIDMEM_NVX 0x9047 #define GL_GPU_MEMORY_INFO_TOTAL_AVAILABLE_MEMORY_NVX 0x9048 #define GL_GPU_MEMORY_INFO_CURRENT_AVAILABLE_VIDMEM_NVX 0x9049 #define GL_GPU_MEMORY_INFO_EVICTION_COUNT_NVX 0x904A #define GL_GPU_MEMORY_INFO_EVICTED_MEMORY_NVX 0x904B #define GLEW_NVX_gpu_memory_info GLEW_GET_VAR(__GLEW_NVX_gpu_memory_info) #endif /* GL_NVX_gpu_memory_info */ /* ---------------------- GL_NVX_linked_gpu_multicast ---------------------- */ #ifndef GL_NVX_linked_gpu_multicast #define GL_NVX_linked_gpu_multicast 1 #define GL_LGPU_SEPARATE_STORAGE_BIT_NVX 0x0800 #define GL_MAX_LGPU_GPUS_NVX 0x92BA typedef void (GLAPIENTRY * PFNGLLGPUCOPYIMAGESUBDATANVXPROC) (GLuint sourceGpu, GLbitfield destinationGpuMask, GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srxY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei width, GLsizei height, GLsizei depth); typedef void (GLAPIENTRY * PFNGLLGPUINTERLOCKNVXPROC) (void); typedef void (GLAPIENTRY * PFNGLLGPUNAMEDBUFFERSUBDATANVXPROC) (GLbitfield gpuMask, GLuint buffer, GLintptr offset, GLsizeiptr size, const void *data); #define glLGPUCopyImageSubDataNVX GLEW_GET_FUN(__glewLGPUCopyImageSubDataNVX) #define glLGPUInterlockNVX GLEW_GET_FUN(__glewLGPUInterlockNVX) #define glLGPUNamedBufferSubDataNVX GLEW_GET_FUN(__glewLGPUNamedBufferSubDataNVX) #define GLEW_NVX_linked_gpu_multicast GLEW_GET_VAR(__GLEW_NVX_linked_gpu_multicast) #endif /* GL_NVX_linked_gpu_multicast */ /* ------------------------ GL_NV_3dvision_settings ------------------------ */ #ifndef GL_NV_3dvision_settings #define GL_NV_3dvision_settings 1 #define GL_3DVISION_STEREO_NV 0x90F4 #define GL_STEREO_SEPARATION_NV 0x90F5 #define GL_STEREO_CONVERGENCE_NV 0x90F6 #define GL_STEREO_CUTOFF_NV 0x90F7 #define GL_STEREO_PROJECTION_NV 0x90F8 #define GL_STEREO_PROJECTION_PERSPECTIVE_NV 0x90F9 #define GL_STEREO_PROJECTION_ORTHO_NV 0x90FA typedef void (GLAPIENTRY * PFNGLSTEREOPARAMETERFNVPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLSTEREOPARAMETERINVPROC) (GLenum pname, GLint param); #define glStereoParameterfNV GLEW_GET_FUN(__glewStereoParameterfNV) #define glStereoParameteriNV GLEW_GET_FUN(__glewStereoParameteriNV) #define GLEW_NV_3dvision_settings GLEW_GET_VAR(__GLEW_NV_3dvision_settings) #endif /* GL_NV_3dvision_settings */ /* ------------------- GL_NV_EGL_stream_consumer_external ------------------ */ #ifndef GL_NV_EGL_stream_consumer_external #define GL_NV_EGL_stream_consumer_external 1 #define GL_TEXTURE_EXTERNAL_OES 0x8D65 #define GL_SAMPLER_EXTERNAL_OES 0x8D66 #define GL_TEXTURE_BINDING_EXTERNAL_OES 0x8D67 #define GL_REQUIRED_TEXTURE_IMAGE_UNITS_OES 0x8D68 #define GLEW_NV_EGL_stream_consumer_external GLEW_GET_VAR(__GLEW_NV_EGL_stream_consumer_external) #endif /* GL_NV_EGL_stream_consumer_external */ /* ----------------- GL_NV_alpha_to_coverage_dither_control ---------------- */ #ifndef GL_NV_alpha_to_coverage_dither_control #define GL_NV_alpha_to_coverage_dither_control 1 #define GL_ALPHA_TO_COVERAGE_DITHER_MODE_NV 0x92BF #define GL_ALPHA_TO_COVERAGE_DITHER_DEFAULT_NV 0x934D #define GL_ALPHA_TO_COVERAGE_DITHER_ENABLE_NV 0x934E #define GL_ALPHA_TO_COVERAGE_DITHER_DISABLE_NV 0x934F #define GLEW_NV_alpha_to_coverage_dither_control GLEW_GET_VAR(__GLEW_NV_alpha_to_coverage_dither_control) #endif /* GL_NV_alpha_to_coverage_dither_control */ /* ------------------------------- GL_NV_bgr ------------------------------- */ #ifndef GL_NV_bgr #define GL_NV_bgr 1 #define GL_BGR_NV 0x80E0 #define GLEW_NV_bgr GLEW_GET_VAR(__GLEW_NV_bgr) #endif /* GL_NV_bgr */ /* ------------------- GL_NV_bindless_multi_draw_indirect ------------------ */ #ifndef GL_NV_bindless_multi_draw_indirect #define GL_NV_bindless_multi_draw_indirect 1 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSNVPROC) (GLenum mode, const void *indirect, GLsizei drawCount, GLsizei stride, GLint vertexBufferCount); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSNVPROC) (GLenum mode, GLenum type, const void *indirect, GLsizei drawCount, GLsizei stride, GLint vertexBufferCount); #define glMultiDrawArraysIndirectBindlessNV GLEW_GET_FUN(__glewMultiDrawArraysIndirectBindlessNV) #define glMultiDrawElementsIndirectBindlessNV GLEW_GET_FUN(__glewMultiDrawElementsIndirectBindlessNV) #define GLEW_NV_bindless_multi_draw_indirect GLEW_GET_VAR(__GLEW_NV_bindless_multi_draw_indirect) #endif /* GL_NV_bindless_multi_draw_indirect */ /* ---------------- GL_NV_bindless_multi_draw_indirect_count --------------- */ #ifndef GL_NV_bindless_multi_draw_indirect_count #define GL_NV_bindless_multi_draw_indirect_count 1 typedef void (GLAPIENTRY * PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSCOUNTNVPROC) (GLenum mode, const void *indirect, GLintptr drawCount, GLsizei maxDrawCount, GLsizei stride, GLint vertexBufferCount); typedef void (GLAPIENTRY * PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSCOUNTNVPROC) (GLenum mode, GLenum type, const void *indirect, GLintptr drawCount, GLsizei maxDrawCount, GLsizei stride, GLint vertexBufferCount); #define glMultiDrawArraysIndirectBindlessCountNV GLEW_GET_FUN(__glewMultiDrawArraysIndirectBindlessCountNV) #define glMultiDrawElementsIndirectBindlessCountNV GLEW_GET_FUN(__glewMultiDrawElementsIndirectBindlessCountNV) #define GLEW_NV_bindless_multi_draw_indirect_count GLEW_GET_VAR(__GLEW_NV_bindless_multi_draw_indirect_count) #endif /* GL_NV_bindless_multi_draw_indirect_count */ /* ------------------------- GL_NV_bindless_texture ------------------------ */ #ifndef GL_NV_bindless_texture #define GL_NV_bindless_texture 1 typedef GLuint64 (GLAPIENTRY * PFNGLGETIMAGEHANDLENVPROC) (GLuint texture, GLint level, GLboolean layered, GLint layer, GLenum format); typedef GLuint64 (GLAPIENTRY * PFNGLGETTEXTUREHANDLENVPROC) (GLuint texture); typedef GLuint64 (GLAPIENTRY * PFNGLGETTEXTURESAMPLERHANDLENVPROC) (GLuint texture, GLuint sampler); typedef GLboolean (GLAPIENTRY * PFNGLISIMAGEHANDLERESIDENTNVPROC) (GLuint64 handle); typedef GLboolean (GLAPIENTRY * PFNGLISTEXTUREHANDLERESIDENTNVPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLMAKEIMAGEHANDLENONRESIDENTNVPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLMAKEIMAGEHANDLERESIDENTNVPROC) (GLuint64 handle, GLenum access); typedef void (GLAPIENTRY * PFNGLMAKETEXTUREHANDLENONRESIDENTNVPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLMAKETEXTUREHANDLERESIDENTNVPROC) (GLuint64 handle); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMHANDLEUI64NVPROC) (GLuint program, GLint location, GLuint64 value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMHANDLEUI64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLuint64* values); typedef void (GLAPIENTRY * PFNGLUNIFORMHANDLEUI64NVPROC) (GLint location, GLuint64 value); typedef void (GLAPIENTRY * PFNGLUNIFORMHANDLEUI64VNVPROC) (GLint location, GLsizei count, const GLuint64* value); #define glGetImageHandleNV GLEW_GET_FUN(__glewGetImageHandleNV) #define glGetTextureHandleNV GLEW_GET_FUN(__glewGetTextureHandleNV) #define glGetTextureSamplerHandleNV GLEW_GET_FUN(__glewGetTextureSamplerHandleNV) #define glIsImageHandleResidentNV GLEW_GET_FUN(__glewIsImageHandleResidentNV) #define glIsTextureHandleResidentNV GLEW_GET_FUN(__glewIsTextureHandleResidentNV) #define glMakeImageHandleNonResidentNV GLEW_GET_FUN(__glewMakeImageHandleNonResidentNV) #define glMakeImageHandleResidentNV GLEW_GET_FUN(__glewMakeImageHandleResidentNV) #define glMakeTextureHandleNonResidentNV GLEW_GET_FUN(__glewMakeTextureHandleNonResidentNV) #define glMakeTextureHandleResidentNV GLEW_GET_FUN(__glewMakeTextureHandleResidentNV) #define glProgramUniformHandleui64NV GLEW_GET_FUN(__glewProgramUniformHandleui64NV) #define glProgramUniformHandleui64vNV GLEW_GET_FUN(__glewProgramUniformHandleui64vNV) #define glUniformHandleui64NV GLEW_GET_FUN(__glewUniformHandleui64NV) #define glUniformHandleui64vNV GLEW_GET_FUN(__glewUniformHandleui64vNV) #define GLEW_NV_bindless_texture GLEW_GET_VAR(__GLEW_NV_bindless_texture) #endif /* GL_NV_bindless_texture */ /* --------------------- GL_NV_blend_equation_advanced --------------------- */ #ifndef GL_NV_blend_equation_advanced #define GL_NV_blend_equation_advanced 1 #define GL_XOR_NV 0x1506 #define GL_RED_NV 0x1903 #define GL_GREEN_NV 0x1904 #define GL_BLUE_NV 0x1905 #define GL_BLEND_PREMULTIPLIED_SRC_NV 0x9280 #define GL_BLEND_OVERLAP_NV 0x9281 #define GL_UNCORRELATED_NV 0x9282 #define GL_DISJOINT_NV 0x9283 #define GL_CONJOINT_NV 0x9284 #define GL_BLEND_ADVANCED_COHERENT_NV 0x9285 #define GL_SRC_NV 0x9286 #define GL_DST_NV 0x9287 #define GL_SRC_OVER_NV 0x9288 #define GL_DST_OVER_NV 0x9289 #define GL_SRC_IN_NV 0x928A #define GL_DST_IN_NV 0x928B #define GL_SRC_OUT_NV 0x928C #define GL_DST_OUT_NV 0x928D #define GL_SRC_ATOP_NV 0x928E #define GL_DST_ATOP_NV 0x928F #define GL_PLUS_NV 0x9291 #define GL_PLUS_DARKER_NV 0x9292 #define GL_MULTIPLY_NV 0x9294 #define GL_SCREEN_NV 0x9295 #define GL_OVERLAY_NV 0x9296 #define GL_DARKEN_NV 0x9297 #define GL_LIGHTEN_NV 0x9298 #define GL_COLORDODGE_NV 0x9299 #define GL_COLORBURN_NV 0x929A #define GL_HARDLIGHT_NV 0x929B #define GL_SOFTLIGHT_NV 0x929C #define GL_DIFFERENCE_NV 0x929E #define GL_MINUS_NV 0x929F #define GL_EXCLUSION_NV 0x92A0 #define GL_CONTRAST_NV 0x92A1 #define GL_INVERT_RGB_NV 0x92A3 #define GL_LINEARDODGE_NV 0x92A4 #define GL_LINEARBURN_NV 0x92A5 #define GL_VIVIDLIGHT_NV 0x92A6 #define GL_LINEARLIGHT_NV 0x92A7 #define GL_PINLIGHT_NV 0x92A8 #define GL_HARDMIX_NV 0x92A9 #define GL_HSL_HUE_NV 0x92AD #define GL_HSL_SATURATION_NV 0x92AE #define GL_HSL_COLOR_NV 0x92AF #define GL_HSL_LUMINOSITY_NV 0x92B0 #define GL_PLUS_CLAMPED_NV 0x92B1 #define GL_PLUS_CLAMPED_ALPHA_NV 0x92B2 #define GL_MINUS_CLAMPED_NV 0x92B3 #define GL_INVERT_OVG_NV 0x92B4 typedef void (GLAPIENTRY * PFNGLBLENDBARRIERNVPROC) (void); typedef void (GLAPIENTRY * PFNGLBLENDPARAMETERINVPROC) (GLenum pname, GLint value); #define glBlendBarrierNV GLEW_GET_FUN(__glewBlendBarrierNV) #define glBlendParameteriNV GLEW_GET_FUN(__glewBlendParameteriNV) #define GLEW_NV_blend_equation_advanced GLEW_GET_VAR(__GLEW_NV_blend_equation_advanced) #endif /* GL_NV_blend_equation_advanced */ /* ----------------- GL_NV_blend_equation_advanced_coherent ---------------- */ #ifndef GL_NV_blend_equation_advanced_coherent #define GL_NV_blend_equation_advanced_coherent 1 #define GLEW_NV_blend_equation_advanced_coherent GLEW_GET_VAR(__GLEW_NV_blend_equation_advanced_coherent) #endif /* GL_NV_blend_equation_advanced_coherent */ /* ----------------------- GL_NV_blend_minmax_factor ----------------------- */ #ifndef GL_NV_blend_minmax_factor #define GL_NV_blend_minmax_factor 1 #define GL_FACTOR_MIN_AMD 0x901C #define GL_FACTOR_MAX_AMD 0x901D #define GLEW_NV_blend_minmax_factor GLEW_GET_VAR(__GLEW_NV_blend_minmax_factor) #endif /* GL_NV_blend_minmax_factor */ /* --------------------------- GL_NV_blend_square -------------------------- */ #ifndef GL_NV_blend_square #define GL_NV_blend_square 1 #define GLEW_NV_blend_square GLEW_GET_VAR(__GLEW_NV_blend_square) #endif /* GL_NV_blend_square */ /* ----------------------- GL_NV_clip_space_w_scaling ---------------------- */ #ifndef GL_NV_clip_space_w_scaling #define GL_NV_clip_space_w_scaling 1 #define GL_VIEWPORT_POSITION_W_SCALE_NV 0x937C #define GL_VIEWPORT_POSITION_W_SCALE_X_COEFF_NV 0x937D #define GL_VIEWPORT_POSITION_W_SCALE_Y_COEFF_NV 0x937E typedef void (GLAPIENTRY * PFNGLVIEWPORTPOSITIONWSCALENVPROC) (GLuint index, GLfloat xcoeff, GLfloat ycoeff); #define glViewportPositionWScaleNV GLEW_GET_FUN(__glewViewportPositionWScaleNV) #define GLEW_NV_clip_space_w_scaling GLEW_GET_VAR(__GLEW_NV_clip_space_w_scaling) #endif /* GL_NV_clip_space_w_scaling */ /* --------------------------- GL_NV_command_list -------------------------- */ #ifndef GL_NV_command_list #define GL_NV_command_list 1 #define GL_TERMINATE_SEQUENCE_COMMAND_NV 0x0000 #define GL_NOP_COMMAND_NV 0x0001 #define GL_DRAW_ELEMENTS_COMMAND_NV 0x0002 #define GL_DRAW_ARRAYS_COMMAND_NV 0x0003 #define GL_DRAW_ELEMENTS_STRIP_COMMAND_NV 0x0004 #define GL_DRAW_ARRAYS_STRIP_COMMAND_NV 0x0005 #define GL_DRAW_ELEMENTS_INSTANCED_COMMAND_NV 0x0006 #define GL_DRAW_ARRAYS_INSTANCED_COMMAND_NV 0x0007 #define GL_ELEMENT_ADDRESS_COMMAND_NV 0x0008 #define GL_ATTRIBUTE_ADDRESS_COMMAND_NV 0x0009 #define GL_UNIFORM_ADDRESS_COMMAND_NV 0x000a #define GL_BLEND_COLOR_COMMAND_NV 0x000b #define GL_STENCIL_REF_COMMAND_NV 0x000c #define GL_LINE_WIDTH_COMMAND_NV 0x000d #define GL_POLYGON_OFFSET_COMMAND_NV 0x000e #define GL_ALPHA_REF_COMMAND_NV 0x000f #define GL_VIEWPORT_COMMAND_NV 0x0010 #define GL_SCISSOR_COMMAND_NV 0x0011 #define GL_FRONT_FACE_COMMAND_NV 0x0012 typedef void (GLAPIENTRY * PFNGLCALLCOMMANDLISTNVPROC) (GLuint list); typedef void (GLAPIENTRY * PFNGLCOMMANDLISTSEGMENTSNVPROC) (GLuint list, GLuint segments); typedef void (GLAPIENTRY * PFNGLCOMPILECOMMANDLISTNVPROC) (GLuint list); typedef void (GLAPIENTRY * PFNGLCREATECOMMANDLISTSNVPROC) (GLsizei n, GLuint* lists); typedef void (GLAPIENTRY * PFNGLCREATESTATESNVPROC) (GLsizei n, GLuint* states); typedef void (GLAPIENTRY * PFNGLDELETECOMMANDLISTSNVPROC) (GLsizei n, const GLuint* lists); typedef void (GLAPIENTRY * PFNGLDELETESTATESNVPROC) (GLsizei n, const GLuint* states); typedef void (GLAPIENTRY * PFNGLDRAWCOMMANDSADDRESSNVPROC) (GLenum primitiveMode, const GLuint64* indirects, const GLsizei* sizes, GLuint count); typedef void (GLAPIENTRY * PFNGLDRAWCOMMANDSNVPROC) (GLenum primitiveMode, GLuint buffer, const GLintptr* indirects, const GLsizei* sizes, GLuint count); typedef void (GLAPIENTRY * PFNGLDRAWCOMMANDSSTATESADDRESSNVPROC) (const GLuint64* indirects, const GLsizei* sizes, const GLuint* states, const GLuint* fbos, GLuint count); typedef void (GLAPIENTRY * PFNGLDRAWCOMMANDSSTATESNVPROC) (GLuint buffer, const GLintptr* indirects, const GLsizei* sizes, const GLuint* states, const GLuint* fbos, GLuint count); typedef GLuint (GLAPIENTRY * PFNGLGETCOMMANDHEADERNVPROC) (GLenum tokenID, GLuint size); typedef GLushort (GLAPIENTRY * PFNGLGETSTAGEINDEXNVPROC) (GLenum shadertype); typedef GLboolean (GLAPIENTRY * PFNGLISCOMMANDLISTNVPROC) (GLuint list); typedef GLboolean (GLAPIENTRY * PFNGLISSTATENVPROC) (GLuint state); typedef void (GLAPIENTRY * PFNGLLISTDRAWCOMMANDSSTATESCLIENTNVPROC) (GLuint list, GLuint segment, const void** indirects, const GLsizei* sizes, const GLuint* states, const GLuint* fbos, GLuint count); typedef void (GLAPIENTRY * PFNGLSTATECAPTURENVPROC) (GLuint state, GLenum mode); #define glCallCommandListNV GLEW_GET_FUN(__glewCallCommandListNV) #define glCommandListSegmentsNV GLEW_GET_FUN(__glewCommandListSegmentsNV) #define glCompileCommandListNV GLEW_GET_FUN(__glewCompileCommandListNV) #define glCreateCommandListsNV GLEW_GET_FUN(__glewCreateCommandListsNV) #define glCreateStatesNV GLEW_GET_FUN(__glewCreateStatesNV) #define glDeleteCommandListsNV GLEW_GET_FUN(__glewDeleteCommandListsNV) #define glDeleteStatesNV GLEW_GET_FUN(__glewDeleteStatesNV) #define glDrawCommandsAddressNV GLEW_GET_FUN(__glewDrawCommandsAddressNV) #define glDrawCommandsNV GLEW_GET_FUN(__glewDrawCommandsNV) #define glDrawCommandsStatesAddressNV GLEW_GET_FUN(__glewDrawCommandsStatesAddressNV) #define glDrawCommandsStatesNV GLEW_GET_FUN(__glewDrawCommandsStatesNV) #define glGetCommandHeaderNV GLEW_GET_FUN(__glewGetCommandHeaderNV) #define glGetStageIndexNV GLEW_GET_FUN(__glewGetStageIndexNV) #define glIsCommandListNV GLEW_GET_FUN(__glewIsCommandListNV) #define glIsStateNV GLEW_GET_FUN(__glewIsStateNV) #define glListDrawCommandsStatesClientNV GLEW_GET_FUN(__glewListDrawCommandsStatesClientNV) #define glStateCaptureNV GLEW_GET_FUN(__glewStateCaptureNV) #define GLEW_NV_command_list GLEW_GET_VAR(__GLEW_NV_command_list) #endif /* GL_NV_command_list */ /* ------------------------- GL_NV_compute_program5 ------------------------ */ #ifndef GL_NV_compute_program5 #define GL_NV_compute_program5 1 #define GL_COMPUTE_PROGRAM_NV 0x90FB #define GL_COMPUTE_PROGRAM_PARAMETER_BUFFER_NV 0x90FC #define GLEW_NV_compute_program5 GLEW_GET_VAR(__GLEW_NV_compute_program5) #endif /* GL_NV_compute_program5 */ /* ------------------------ GL_NV_conditional_render ----------------------- */ #ifndef GL_NV_conditional_render #define GL_NV_conditional_render 1 #define GL_QUERY_WAIT_NV 0x8E13 #define GL_QUERY_NO_WAIT_NV 0x8E14 #define GL_QUERY_BY_REGION_WAIT_NV 0x8E15 #define GL_QUERY_BY_REGION_NO_WAIT_NV 0x8E16 typedef void (GLAPIENTRY * PFNGLBEGINCONDITIONALRENDERNVPROC) (GLuint id, GLenum mode); typedef void (GLAPIENTRY * PFNGLENDCONDITIONALRENDERNVPROC) (void); #define glBeginConditionalRenderNV GLEW_GET_FUN(__glewBeginConditionalRenderNV) #define glEndConditionalRenderNV GLEW_GET_FUN(__glewEndConditionalRenderNV) #define GLEW_NV_conditional_render GLEW_GET_VAR(__GLEW_NV_conditional_render) #endif /* GL_NV_conditional_render */ /* ----------------------- GL_NV_conservative_raster ----------------------- */ #ifndef GL_NV_conservative_raster #define GL_NV_conservative_raster 1 #define GL_CONSERVATIVE_RASTERIZATION_NV 0x9346 #define GL_SUBPIXEL_PRECISION_BIAS_X_BITS_NV 0x9347 #define GL_SUBPIXEL_PRECISION_BIAS_Y_BITS_NV 0x9348 #define GL_MAX_SUBPIXEL_PRECISION_BIAS_BITS_NV 0x9349 typedef void (GLAPIENTRY * PFNGLSUBPIXELPRECISIONBIASNVPROC) (GLuint xbits, GLuint ybits); #define glSubpixelPrecisionBiasNV GLEW_GET_FUN(__glewSubpixelPrecisionBiasNV) #define GLEW_NV_conservative_raster GLEW_GET_VAR(__GLEW_NV_conservative_raster) #endif /* GL_NV_conservative_raster */ /* -------------------- GL_NV_conservative_raster_dilate ------------------- */ #ifndef GL_NV_conservative_raster_dilate #define GL_NV_conservative_raster_dilate 1 #define GL_CONSERVATIVE_RASTER_DILATE_NV 0x9379 #define GL_CONSERVATIVE_RASTER_DILATE_RANGE_NV 0x937A #define GL_CONSERVATIVE_RASTER_DILATE_GRANULARITY_NV 0x937B typedef void (GLAPIENTRY * PFNGLCONSERVATIVERASTERPARAMETERFNVPROC) (GLenum pname, GLfloat value); #define glConservativeRasterParameterfNV GLEW_GET_FUN(__glewConservativeRasterParameterfNV) #define GLEW_NV_conservative_raster_dilate GLEW_GET_VAR(__GLEW_NV_conservative_raster_dilate) #endif /* GL_NV_conservative_raster_dilate */ /* -------------- GL_NV_conservative_raster_pre_snap_triangles ------------- */ #ifndef GL_NV_conservative_raster_pre_snap_triangles #define GL_NV_conservative_raster_pre_snap_triangles 1 #define GL_CONSERVATIVE_RASTER_MODE_NV 0x954D #define GL_CONSERVATIVE_RASTER_MODE_POST_SNAP_NV 0x954E #define GL_CONSERVATIVE_RASTER_MODE_PRE_SNAP_TRIANGLES_NV 0x954F typedef void (GLAPIENTRY * PFNGLCONSERVATIVERASTERPARAMETERINVPROC) (GLenum pname, GLint param); #define glConservativeRasterParameteriNV GLEW_GET_FUN(__glewConservativeRasterParameteriNV) #define GLEW_NV_conservative_raster_pre_snap_triangles GLEW_GET_VAR(__GLEW_NV_conservative_raster_pre_snap_triangles) #endif /* GL_NV_conservative_raster_pre_snap_triangles */ /* --------------------------- GL_NV_copy_buffer --------------------------- */ #ifndef GL_NV_copy_buffer #define GL_NV_copy_buffer 1 #define GL_COPY_READ_BUFFER_NV 0x8F36 #define GL_COPY_WRITE_BUFFER_NV 0x8F37 typedef void (GLAPIENTRY * PFNGLCOPYBUFFERSUBDATANVPROC) (GLenum readtarget, GLenum writetarget, GLintptr readoffset, GLintptr writeoffset, GLsizeiptr size); #define glCopyBufferSubDataNV GLEW_GET_FUN(__glewCopyBufferSubDataNV) #define GLEW_NV_copy_buffer GLEW_GET_VAR(__GLEW_NV_copy_buffer) #endif /* GL_NV_copy_buffer */ /* ----------------------- GL_NV_copy_depth_to_color ----------------------- */ #ifndef GL_NV_copy_depth_to_color #define GL_NV_copy_depth_to_color 1 #define GL_DEPTH_STENCIL_TO_RGBA_NV 0x886E #define GL_DEPTH_STENCIL_TO_BGRA_NV 0x886F #define GLEW_NV_copy_depth_to_color GLEW_GET_VAR(__GLEW_NV_copy_depth_to_color) #endif /* GL_NV_copy_depth_to_color */ /* ---------------------------- GL_NV_copy_image --------------------------- */ #ifndef GL_NV_copy_image #define GL_NV_copy_image 1 typedef void (GLAPIENTRY * PFNGLCOPYIMAGESUBDATANVPROC) (GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei width, GLsizei height, GLsizei depth); #define glCopyImageSubDataNV GLEW_GET_FUN(__glewCopyImageSubDataNV) #define GLEW_NV_copy_image GLEW_GET_VAR(__GLEW_NV_copy_image) #endif /* GL_NV_copy_image */ /* -------------------------- GL_NV_deep_texture3D ------------------------- */ #ifndef GL_NV_deep_texture3D #define GL_NV_deep_texture3D 1 #define GL_MAX_DEEP_3D_TEXTURE_WIDTH_HEIGHT_NV 0x90D0 #define GL_MAX_DEEP_3D_TEXTURE_DEPTH_NV 0x90D1 #define GLEW_NV_deep_texture3D GLEW_GET_VAR(__GLEW_NV_deep_texture3D) #endif /* GL_NV_deep_texture3D */ /* ------------------------ GL_NV_depth_buffer_float ----------------------- */ #ifndef GL_NV_depth_buffer_float #define GL_NV_depth_buffer_float 1 #define GL_DEPTH_COMPONENT32F_NV 0x8DAB #define GL_DEPTH32F_STENCIL8_NV 0x8DAC #define GL_FLOAT_32_UNSIGNED_INT_24_8_REV_NV 0x8DAD #define GL_DEPTH_BUFFER_FLOAT_MODE_NV 0x8DAF typedef void (GLAPIENTRY * PFNGLCLEARDEPTHDNVPROC) (GLdouble depth); typedef void (GLAPIENTRY * PFNGLDEPTHBOUNDSDNVPROC) (GLdouble zmin, GLdouble zmax); typedef void (GLAPIENTRY * PFNGLDEPTHRANGEDNVPROC) (GLdouble zNear, GLdouble zFar); #define glClearDepthdNV GLEW_GET_FUN(__glewClearDepthdNV) #define glDepthBoundsdNV GLEW_GET_FUN(__glewDepthBoundsdNV) #define glDepthRangedNV GLEW_GET_FUN(__glewDepthRangedNV) #define GLEW_NV_depth_buffer_float GLEW_GET_VAR(__GLEW_NV_depth_buffer_float) #endif /* GL_NV_depth_buffer_float */ /* --------------------------- GL_NV_depth_clamp --------------------------- */ #ifndef GL_NV_depth_clamp #define GL_NV_depth_clamp 1 #define GL_DEPTH_CLAMP_NV 0x864F #define GLEW_NV_depth_clamp GLEW_GET_VAR(__GLEW_NV_depth_clamp) #endif /* GL_NV_depth_clamp */ /* ---------------------- GL_NV_depth_range_unclamped ---------------------- */ #ifndef GL_NV_depth_range_unclamped #define GL_NV_depth_range_unclamped 1 #define GL_SAMPLE_COUNT_BITS_NV 0x8864 #define GL_CURRENT_SAMPLE_COUNT_QUERY_NV 0x8865 #define GL_QUERY_RESULT_NV 0x8866 #define GL_QUERY_RESULT_AVAILABLE_NV 0x8867 #define GL_SAMPLE_COUNT_NV 0x8914 #define GLEW_NV_depth_range_unclamped GLEW_GET_VAR(__GLEW_NV_depth_range_unclamped) #endif /* GL_NV_depth_range_unclamped */ /* --------------------------- GL_NV_draw_buffers -------------------------- */ #ifndef GL_NV_draw_buffers #define GL_NV_draw_buffers 1 #define GL_MAX_DRAW_BUFFERS_NV 0x8824 #define GL_DRAW_BUFFER0_NV 0x8825 #define GL_DRAW_BUFFER1_NV 0x8826 #define GL_DRAW_BUFFER2_NV 0x8827 #define GL_DRAW_BUFFER3_NV 0x8828 #define GL_DRAW_BUFFER4_NV 0x8829 #define GL_DRAW_BUFFER5_NV 0x882A #define GL_DRAW_BUFFER6_NV 0x882B #define GL_DRAW_BUFFER7_NV 0x882C #define GL_DRAW_BUFFER8_NV 0x882D #define GL_DRAW_BUFFER9_NV 0x882E #define GL_DRAW_BUFFER10_NV 0x882F #define GL_DRAW_BUFFER11_NV 0x8830 #define GL_DRAW_BUFFER12_NV 0x8831 #define GL_DRAW_BUFFER13_NV 0x8832 #define GL_DRAW_BUFFER14_NV 0x8833 #define GL_DRAW_BUFFER15_NV 0x8834 #define GL_COLOR_ATTACHMENT0_NV 0x8CE0 #define GL_COLOR_ATTACHMENT1_NV 0x8CE1 #define GL_COLOR_ATTACHMENT2_NV 0x8CE2 #define GL_COLOR_ATTACHMENT3_NV 0x8CE3 #define GL_COLOR_ATTACHMENT4_NV 0x8CE4 #define GL_COLOR_ATTACHMENT5_NV 0x8CE5 #define GL_COLOR_ATTACHMENT6_NV 0x8CE6 #define GL_COLOR_ATTACHMENT7_NV 0x8CE7 #define GL_COLOR_ATTACHMENT8_NV 0x8CE8 #define GL_COLOR_ATTACHMENT9_NV 0x8CE9 #define GL_COLOR_ATTACHMENT10_NV 0x8CEA #define GL_COLOR_ATTACHMENT11_NV 0x8CEB #define GL_COLOR_ATTACHMENT12_NV 0x8CEC #define GL_COLOR_ATTACHMENT13_NV 0x8CED #define GL_COLOR_ATTACHMENT14_NV 0x8CEE #define GL_COLOR_ATTACHMENT15_NV 0x8CEF typedef void (GLAPIENTRY * PFNGLDRAWBUFFERSNVPROC) (GLsizei n, const GLenum* bufs); #define glDrawBuffersNV GLEW_GET_FUN(__glewDrawBuffersNV) #define GLEW_NV_draw_buffers GLEW_GET_VAR(__GLEW_NV_draw_buffers) #endif /* GL_NV_draw_buffers */ /* -------------------------- GL_NV_draw_instanced ------------------------- */ #ifndef GL_NV_draw_instanced #define GL_NV_draw_instanced 1 typedef void (GLAPIENTRY * PFNGLDRAWARRAYSINSTANCEDNVPROC) (GLenum mode, GLint first, GLsizei count, GLsizei primcount); typedef void (GLAPIENTRY * PFNGLDRAWELEMENTSINSTANCEDNVPROC) (GLenum mode, GLsizei count, GLenum type, const void *indices, GLsizei primcount); #define glDrawArraysInstancedNV GLEW_GET_FUN(__glewDrawArraysInstancedNV) #define glDrawElementsInstancedNV GLEW_GET_FUN(__glewDrawElementsInstancedNV) #define GLEW_NV_draw_instanced GLEW_GET_VAR(__GLEW_NV_draw_instanced) #endif /* GL_NV_draw_instanced */ /* --------------------------- GL_NV_draw_texture -------------------------- */ #ifndef GL_NV_draw_texture #define GL_NV_draw_texture 1 typedef void (GLAPIENTRY * PFNGLDRAWTEXTURENVPROC) (GLuint texture, GLuint sampler, GLfloat x0, GLfloat y0, GLfloat x1, GLfloat y1, GLfloat z, GLfloat s0, GLfloat t0, GLfloat s1, GLfloat t1); #define glDrawTextureNV GLEW_GET_FUN(__glewDrawTextureNV) #define GLEW_NV_draw_texture GLEW_GET_VAR(__GLEW_NV_draw_texture) #endif /* GL_NV_draw_texture */ /* ------------------------ GL_NV_draw_vulkan_image ------------------------ */ #ifndef GL_NV_draw_vulkan_image #define GL_NV_draw_vulkan_image 1 typedef void (APIENTRY *GLVULKANPROCNV)(void); typedef void (GLAPIENTRY * PFNGLDRAWVKIMAGENVPROC) (GLuint64 vkImage, GLuint sampler, GLfloat x0, GLfloat y0, GLfloat x1, GLfloat y1, GLfloat z, GLfloat s0, GLfloat t0, GLfloat s1, GLfloat t1); typedef GLVULKANPROCNV (GLAPIENTRY * PFNGLGETVKPROCADDRNVPROC) (const GLchar* name); typedef void (GLAPIENTRY * PFNGLSIGNALVKFENCENVPROC) (GLuint64 vkFence); typedef void (GLAPIENTRY * PFNGLSIGNALVKSEMAPHORENVPROC) (GLuint64 vkSemaphore); typedef void (GLAPIENTRY * PFNGLWAITVKSEMAPHORENVPROC) (GLuint64 vkSemaphore); #define glDrawVkImageNV GLEW_GET_FUN(__glewDrawVkImageNV) #define glGetVkProcAddrNV GLEW_GET_FUN(__glewGetVkProcAddrNV) #define glSignalVkFenceNV GLEW_GET_FUN(__glewSignalVkFenceNV) #define glSignalVkSemaphoreNV GLEW_GET_FUN(__glewSignalVkSemaphoreNV) #define glWaitVkSemaphoreNV GLEW_GET_FUN(__glewWaitVkSemaphoreNV) #define GLEW_NV_draw_vulkan_image GLEW_GET_VAR(__GLEW_NV_draw_vulkan_image) #endif /* GL_NV_draw_vulkan_image */ /* ---------------------------- GL_NV_evaluators --------------------------- */ #ifndef GL_NV_evaluators #define GL_NV_evaluators 1 #define GL_EVAL_2D_NV 0x86C0 #define GL_EVAL_TRIANGULAR_2D_NV 0x86C1 #define GL_MAP_TESSELLATION_NV 0x86C2 #define GL_MAP_ATTRIB_U_ORDER_NV 0x86C3 #define GL_MAP_ATTRIB_V_ORDER_NV 0x86C4 #define GL_EVAL_FRACTIONAL_TESSELLATION_NV 0x86C5 #define GL_EVAL_VERTEX_ATTRIB0_NV 0x86C6 #define GL_EVAL_VERTEX_ATTRIB1_NV 0x86C7 #define GL_EVAL_VERTEX_ATTRIB2_NV 0x86C8 #define GL_EVAL_VERTEX_ATTRIB3_NV 0x86C9 #define GL_EVAL_VERTEX_ATTRIB4_NV 0x86CA #define GL_EVAL_VERTEX_ATTRIB5_NV 0x86CB #define GL_EVAL_VERTEX_ATTRIB6_NV 0x86CC #define GL_EVAL_VERTEX_ATTRIB7_NV 0x86CD #define GL_EVAL_VERTEX_ATTRIB8_NV 0x86CE #define GL_EVAL_VERTEX_ATTRIB9_NV 0x86CF #define GL_EVAL_VERTEX_ATTRIB10_NV 0x86D0 #define GL_EVAL_VERTEX_ATTRIB11_NV 0x86D1 #define GL_EVAL_VERTEX_ATTRIB12_NV 0x86D2 #define GL_EVAL_VERTEX_ATTRIB13_NV 0x86D3 #define GL_EVAL_VERTEX_ATTRIB14_NV 0x86D4 #define GL_EVAL_VERTEX_ATTRIB15_NV 0x86D5 #define GL_MAX_MAP_TESSELLATION_NV 0x86D6 #define GL_MAX_RATIONAL_EVAL_ORDER_NV 0x86D7 typedef void (GLAPIENTRY * PFNGLEVALMAPSNVPROC) (GLenum target, GLenum mode); typedef void (GLAPIENTRY * PFNGLGETMAPATTRIBPARAMETERFVNVPROC) (GLenum target, GLuint index, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMAPATTRIBPARAMETERIVNVPROC) (GLenum target, GLuint index, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMAPCONTROLPOINTSNVPROC) (GLenum target, GLuint index, GLenum type, GLsizei ustride, GLsizei vstride, GLboolean packed, void *points); typedef void (GLAPIENTRY * PFNGLGETMAPPARAMETERFVNVPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMAPPARAMETERIVNVPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLMAPCONTROLPOINTSNVPROC) (GLenum target, GLuint index, GLenum type, GLsizei ustride, GLsizei vstride, GLint uorder, GLint vorder, GLboolean packed, const void *points); typedef void (GLAPIENTRY * PFNGLMAPPARAMETERFVNVPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLMAPPARAMETERIVNVPROC) (GLenum target, GLenum pname, const GLint* params); #define glEvalMapsNV GLEW_GET_FUN(__glewEvalMapsNV) #define glGetMapAttribParameterfvNV GLEW_GET_FUN(__glewGetMapAttribParameterfvNV) #define glGetMapAttribParameterivNV GLEW_GET_FUN(__glewGetMapAttribParameterivNV) #define glGetMapControlPointsNV GLEW_GET_FUN(__glewGetMapControlPointsNV) #define glGetMapParameterfvNV GLEW_GET_FUN(__glewGetMapParameterfvNV) #define glGetMapParameterivNV GLEW_GET_FUN(__glewGetMapParameterivNV) #define glMapControlPointsNV GLEW_GET_FUN(__glewMapControlPointsNV) #define glMapParameterfvNV GLEW_GET_FUN(__glewMapParameterfvNV) #define glMapParameterivNV GLEW_GET_FUN(__glewMapParameterivNV) #define GLEW_NV_evaluators GLEW_GET_VAR(__GLEW_NV_evaluators) #endif /* GL_NV_evaluators */ /* --------------------- GL_NV_explicit_attrib_location -------------------- */ #ifndef GL_NV_explicit_attrib_location #define GL_NV_explicit_attrib_location 1 #define GLEW_NV_explicit_attrib_location GLEW_GET_VAR(__GLEW_NV_explicit_attrib_location) #endif /* GL_NV_explicit_attrib_location */ /* ----------------------- GL_NV_explicit_multisample ---------------------- */ #ifndef GL_NV_explicit_multisample #define GL_NV_explicit_multisample 1 #define GL_SAMPLE_POSITION_NV 0x8E50 #define GL_SAMPLE_MASK_NV 0x8E51 #define GL_SAMPLE_MASK_VALUE_NV 0x8E52 #define GL_TEXTURE_BINDING_RENDERBUFFER_NV 0x8E53 #define GL_TEXTURE_RENDERBUFFER_DATA_STORE_BINDING_NV 0x8E54 #define GL_TEXTURE_RENDERBUFFER_NV 0x8E55 #define GL_SAMPLER_RENDERBUFFER_NV 0x8E56 #define GL_INT_SAMPLER_RENDERBUFFER_NV 0x8E57 #define GL_UNSIGNED_INT_SAMPLER_RENDERBUFFER_NV 0x8E58 #define GL_MAX_SAMPLE_MASK_WORDS_NV 0x8E59 typedef void (GLAPIENTRY * PFNGLGETMULTISAMPLEFVNVPROC) (GLenum pname, GLuint index, GLfloat* val); typedef void (GLAPIENTRY * PFNGLSAMPLEMASKINDEXEDNVPROC) (GLuint index, GLbitfield mask); typedef void (GLAPIENTRY * PFNGLTEXRENDERBUFFERNVPROC) (GLenum target, GLuint renderbuffer); #define glGetMultisamplefvNV GLEW_GET_FUN(__glewGetMultisamplefvNV) #define glSampleMaskIndexedNV GLEW_GET_FUN(__glewSampleMaskIndexedNV) #define glTexRenderbufferNV GLEW_GET_FUN(__glewTexRenderbufferNV) #define GLEW_NV_explicit_multisample GLEW_GET_VAR(__GLEW_NV_explicit_multisample) #endif /* GL_NV_explicit_multisample */ /* ---------------------- GL_NV_fbo_color_attachments ---------------------- */ #ifndef GL_NV_fbo_color_attachments #define GL_NV_fbo_color_attachments 1 #define GL_MAX_COLOR_ATTACHMENTS_NV 0x8CDF #define GL_COLOR_ATTACHMENT0_NV 0x8CE0 #define GL_COLOR_ATTACHMENT1_NV 0x8CE1 #define GL_COLOR_ATTACHMENT2_NV 0x8CE2 #define GL_COLOR_ATTACHMENT3_NV 0x8CE3 #define GL_COLOR_ATTACHMENT4_NV 0x8CE4 #define GL_COLOR_ATTACHMENT5_NV 0x8CE5 #define GL_COLOR_ATTACHMENT6_NV 0x8CE6 #define GL_COLOR_ATTACHMENT7_NV 0x8CE7 #define GL_COLOR_ATTACHMENT8_NV 0x8CE8 #define GL_COLOR_ATTACHMENT9_NV 0x8CE9 #define GL_COLOR_ATTACHMENT10_NV 0x8CEA #define GL_COLOR_ATTACHMENT11_NV 0x8CEB #define GL_COLOR_ATTACHMENT12_NV 0x8CEC #define GL_COLOR_ATTACHMENT13_NV 0x8CED #define GL_COLOR_ATTACHMENT14_NV 0x8CEE #define GL_COLOR_ATTACHMENT15_NV 0x8CEF #define GLEW_NV_fbo_color_attachments GLEW_GET_VAR(__GLEW_NV_fbo_color_attachments) #endif /* GL_NV_fbo_color_attachments */ /* ------------------------------ GL_NV_fence ------------------------------ */ #ifndef GL_NV_fence #define GL_NV_fence 1 #define GL_ALL_COMPLETED_NV 0x84F2 #define GL_FENCE_STATUS_NV 0x84F3 #define GL_FENCE_CONDITION_NV 0x84F4 typedef void (GLAPIENTRY * PFNGLDELETEFENCESNVPROC) (GLsizei n, const GLuint* fences); typedef void (GLAPIENTRY * PFNGLFINISHFENCENVPROC) (GLuint fence); typedef void (GLAPIENTRY * PFNGLGENFENCESNVPROC) (GLsizei n, GLuint* fences); typedef void (GLAPIENTRY * PFNGLGETFENCEIVNVPROC) (GLuint fence, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISFENCENVPROC) (GLuint fence); typedef void (GLAPIENTRY * PFNGLSETFENCENVPROC) (GLuint fence, GLenum condition); typedef GLboolean (GLAPIENTRY * PFNGLTESTFENCENVPROC) (GLuint fence); #define glDeleteFencesNV GLEW_GET_FUN(__glewDeleteFencesNV) #define glFinishFenceNV GLEW_GET_FUN(__glewFinishFenceNV) #define glGenFencesNV GLEW_GET_FUN(__glewGenFencesNV) #define glGetFenceivNV GLEW_GET_FUN(__glewGetFenceivNV) #define glIsFenceNV GLEW_GET_FUN(__glewIsFenceNV) #define glSetFenceNV GLEW_GET_FUN(__glewSetFenceNV) #define glTestFenceNV GLEW_GET_FUN(__glewTestFenceNV) #define GLEW_NV_fence GLEW_GET_VAR(__GLEW_NV_fence) #endif /* GL_NV_fence */ /* -------------------------- GL_NV_fill_rectangle ------------------------- */ #ifndef GL_NV_fill_rectangle #define GL_NV_fill_rectangle 1 #define GL_FILL_RECTANGLE_NV 0x933C #define GLEW_NV_fill_rectangle GLEW_GET_VAR(__GLEW_NV_fill_rectangle) #endif /* GL_NV_fill_rectangle */ /* --------------------------- GL_NV_float_buffer -------------------------- */ #ifndef GL_NV_float_buffer #define GL_NV_float_buffer 1 #define GL_FLOAT_R_NV 0x8880 #define GL_FLOAT_RG_NV 0x8881 #define GL_FLOAT_RGB_NV 0x8882 #define GL_FLOAT_RGBA_NV 0x8883 #define GL_FLOAT_R16_NV 0x8884 #define GL_FLOAT_R32_NV 0x8885 #define GL_FLOAT_RG16_NV 0x8886 #define GL_FLOAT_RG32_NV 0x8887 #define GL_FLOAT_RGB16_NV 0x8888 #define GL_FLOAT_RGB32_NV 0x8889 #define GL_FLOAT_RGBA16_NV 0x888A #define GL_FLOAT_RGBA32_NV 0x888B #define GL_TEXTURE_FLOAT_COMPONENTS_NV 0x888C #define GL_FLOAT_CLEAR_COLOR_VALUE_NV 0x888D #define GL_FLOAT_RGBA_MODE_NV 0x888E #define GLEW_NV_float_buffer GLEW_GET_VAR(__GLEW_NV_float_buffer) #endif /* GL_NV_float_buffer */ /* --------------------------- GL_NV_fog_distance -------------------------- */ #ifndef GL_NV_fog_distance #define GL_NV_fog_distance 1 #define GL_FOG_DISTANCE_MODE_NV 0x855A #define GL_EYE_RADIAL_NV 0x855B #define GL_EYE_PLANE_ABSOLUTE_NV 0x855C #define GLEW_NV_fog_distance GLEW_GET_VAR(__GLEW_NV_fog_distance) #endif /* GL_NV_fog_distance */ /* -------------------- GL_NV_fragment_coverage_to_color ------------------- */ #ifndef GL_NV_fragment_coverage_to_color #define GL_NV_fragment_coverage_to_color 1 #define GL_FRAGMENT_COVERAGE_TO_COLOR_NV 0x92DD #define GL_FRAGMENT_COVERAGE_COLOR_NV 0x92DE typedef void (GLAPIENTRY * PFNGLFRAGMENTCOVERAGECOLORNVPROC) (GLuint color); #define glFragmentCoverageColorNV GLEW_GET_FUN(__glewFragmentCoverageColorNV) #define GLEW_NV_fragment_coverage_to_color GLEW_GET_VAR(__GLEW_NV_fragment_coverage_to_color) #endif /* GL_NV_fragment_coverage_to_color */ /* ------------------------- GL_NV_fragment_program ------------------------ */ #ifndef GL_NV_fragment_program #define GL_NV_fragment_program 1 #define GL_MAX_FRAGMENT_PROGRAM_LOCAL_PARAMETERS_NV 0x8868 #define GL_FRAGMENT_PROGRAM_NV 0x8870 #define GL_MAX_TEXTURE_COORDS_NV 0x8871 #define GL_MAX_TEXTURE_IMAGE_UNITS_NV 0x8872 #define GL_FRAGMENT_PROGRAM_BINDING_NV 0x8873 #define GL_PROGRAM_ERROR_STRING_NV 0x8874 typedef void (GLAPIENTRY * PFNGLGETPROGRAMNAMEDPARAMETERDVNVPROC) (GLuint id, GLsizei len, const GLubyte* name, GLdouble *params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMNAMEDPARAMETERFVNVPROC) (GLuint id, GLsizei len, const GLubyte* name, GLfloat *params); typedef void (GLAPIENTRY * PFNGLPROGRAMNAMEDPARAMETER4DNVPROC) (GLuint id, GLsizei len, const GLubyte* name, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLPROGRAMNAMEDPARAMETER4DVNVPROC) (GLuint id, GLsizei len, const GLubyte* name, const GLdouble v[]); typedef void (GLAPIENTRY * PFNGLPROGRAMNAMEDPARAMETER4FNVPROC) (GLuint id, GLsizei len, const GLubyte* name, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLPROGRAMNAMEDPARAMETER4FVNVPROC) (GLuint id, GLsizei len, const GLubyte* name, const GLfloat v[]); #define glGetProgramNamedParameterdvNV GLEW_GET_FUN(__glewGetProgramNamedParameterdvNV) #define glGetProgramNamedParameterfvNV GLEW_GET_FUN(__glewGetProgramNamedParameterfvNV) #define glProgramNamedParameter4dNV GLEW_GET_FUN(__glewProgramNamedParameter4dNV) #define glProgramNamedParameter4dvNV GLEW_GET_FUN(__glewProgramNamedParameter4dvNV) #define glProgramNamedParameter4fNV GLEW_GET_FUN(__glewProgramNamedParameter4fNV) #define glProgramNamedParameter4fvNV GLEW_GET_FUN(__glewProgramNamedParameter4fvNV) #define GLEW_NV_fragment_program GLEW_GET_VAR(__GLEW_NV_fragment_program) #endif /* GL_NV_fragment_program */ /* ------------------------ GL_NV_fragment_program2 ------------------------ */ #ifndef GL_NV_fragment_program2 #define GL_NV_fragment_program2 1 #define GL_MAX_PROGRAM_EXEC_INSTRUCTIONS_NV 0x88F4 #define GL_MAX_PROGRAM_CALL_DEPTH_NV 0x88F5 #define GL_MAX_PROGRAM_IF_DEPTH_NV 0x88F6 #define GL_MAX_PROGRAM_LOOP_DEPTH_NV 0x88F7 #define GL_MAX_PROGRAM_LOOP_COUNT_NV 0x88F8 #define GLEW_NV_fragment_program2 GLEW_GET_VAR(__GLEW_NV_fragment_program2) #endif /* GL_NV_fragment_program2 */ /* ------------------------ GL_NV_fragment_program4 ------------------------ */ #ifndef GL_NV_fragment_program4 #define GL_NV_fragment_program4 1 #define GLEW_NV_fragment_program4 GLEW_GET_VAR(__GLEW_NV_fragment_program4) #endif /* GL_NV_fragment_program4 */ /* --------------------- GL_NV_fragment_program_option --------------------- */ #ifndef GL_NV_fragment_program_option #define GL_NV_fragment_program_option 1 #define GLEW_NV_fragment_program_option GLEW_GET_VAR(__GLEW_NV_fragment_program_option) #endif /* GL_NV_fragment_program_option */ /* -------------------- GL_NV_fragment_shader_interlock -------------------- */ #ifndef GL_NV_fragment_shader_interlock #define GL_NV_fragment_shader_interlock 1 #define GLEW_NV_fragment_shader_interlock GLEW_GET_VAR(__GLEW_NV_fragment_shader_interlock) #endif /* GL_NV_fragment_shader_interlock */ /* ------------------------- GL_NV_framebuffer_blit ------------------------ */ #ifndef GL_NV_framebuffer_blit #define GL_NV_framebuffer_blit 1 #define GL_DRAW_FRAMEBUFFER_BINDING_NV 0x8CA6 #define GL_READ_FRAMEBUFFER_NV 0x8CA8 #define GL_DRAW_FRAMEBUFFER_NV 0x8CA9 #define GL_READ_FRAMEBUFFER_BINDING_NV 0x8CAA typedef void (GLAPIENTRY * PFNGLBLITFRAMEBUFFERNVPROC) (GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); #define glBlitFramebufferNV GLEW_GET_FUN(__glewBlitFramebufferNV) #define GLEW_NV_framebuffer_blit GLEW_GET_VAR(__GLEW_NV_framebuffer_blit) #endif /* GL_NV_framebuffer_blit */ /* -------------------- GL_NV_framebuffer_mixed_samples -------------------- */ #ifndef GL_NV_framebuffer_mixed_samples #define GL_NV_framebuffer_mixed_samples 1 #define GL_COLOR_SAMPLES_NV 0x8E20 #define GL_RASTER_MULTISAMPLE_EXT 0x9327 #define GL_RASTER_SAMPLES_EXT 0x9328 #define GL_MAX_RASTER_SAMPLES_EXT 0x9329 #define GL_RASTER_FIXED_SAMPLE_LOCATIONS_EXT 0x932A #define GL_MULTISAMPLE_RASTERIZATION_ALLOWED_EXT 0x932B #define GL_EFFECTIVE_RASTER_SAMPLES_EXT 0x932C #define GL_DEPTH_SAMPLES_NV 0x932D #define GL_STENCIL_SAMPLES_NV 0x932E #define GL_MIXED_DEPTH_SAMPLES_SUPPORTED_NV 0x932F #define GL_MIXED_STENCIL_SAMPLES_SUPPORTED_NV 0x9330 #define GL_COVERAGE_MODULATION_TABLE_NV 0x9331 #define GL_COVERAGE_MODULATION_NV 0x9332 #define GL_COVERAGE_MODULATION_TABLE_SIZE_NV 0x9333 #define GLEW_NV_framebuffer_mixed_samples GLEW_GET_VAR(__GLEW_NV_framebuffer_mixed_samples) #endif /* GL_NV_framebuffer_mixed_samples */ /* --------------------- GL_NV_framebuffer_multisample --------------------- */ #ifndef GL_NV_framebuffer_multisample #define GL_NV_framebuffer_multisample 1 #define GL_RENDERBUFFER_SAMPLES_NV 0x8CAB #define GL_FRAMEBUFFER_INCOMPLETE_MULTISAMPLE_NV 0x8D56 #define GL_MAX_SAMPLES_NV 0x8D57 typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEMULTISAMPLENVPROC) (GLenum target, GLsizei samples, GLenum internalformat, GLsizei width, GLsizei height); #define glRenderbufferStorageMultisampleNV GLEW_GET_FUN(__glewRenderbufferStorageMultisampleNV) #define GLEW_NV_framebuffer_multisample GLEW_GET_VAR(__GLEW_NV_framebuffer_multisample) #endif /* GL_NV_framebuffer_multisample */ /* ----------------- GL_NV_framebuffer_multisample_coverage ---------------- */ #ifndef GL_NV_framebuffer_multisample_coverage #define GL_NV_framebuffer_multisample_coverage 1 #define GL_RENDERBUFFER_COVERAGE_SAMPLES_NV 0x8CAB #define GL_RENDERBUFFER_COLOR_SAMPLES_NV 0x8E10 #define GL_MAX_MULTISAMPLE_COVERAGE_MODES_NV 0x8E11 #define GL_MULTISAMPLE_COVERAGE_MODES_NV 0x8E12 typedef void (GLAPIENTRY * PFNGLRENDERBUFFERSTORAGEMULTISAMPLECOVERAGENVPROC) (GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLenum internalformat, GLsizei width, GLsizei height); #define glRenderbufferStorageMultisampleCoverageNV GLEW_GET_FUN(__glewRenderbufferStorageMultisampleCoverageNV) #define GLEW_NV_framebuffer_multisample_coverage GLEW_GET_VAR(__GLEW_NV_framebuffer_multisample_coverage) #endif /* GL_NV_framebuffer_multisample_coverage */ /* ----------------------- GL_NV_generate_mipmap_sRGB ---------------------- */ #ifndef GL_NV_generate_mipmap_sRGB #define GL_NV_generate_mipmap_sRGB 1 #define GLEW_NV_generate_mipmap_sRGB GLEW_GET_VAR(__GLEW_NV_generate_mipmap_sRGB) #endif /* GL_NV_generate_mipmap_sRGB */ /* ------------------------ GL_NV_geometry_program4 ------------------------ */ #ifndef GL_NV_geometry_program4 #define GL_NV_geometry_program4 1 #define GL_GEOMETRY_PROGRAM_NV 0x8C26 #define GL_MAX_PROGRAM_OUTPUT_VERTICES_NV 0x8C27 #define GL_MAX_PROGRAM_TOTAL_OUTPUT_COMPONENTS_NV 0x8C28 typedef void (GLAPIENTRY * PFNGLPROGRAMVERTEXLIMITNVPROC) (GLenum target, GLint limit); #define glProgramVertexLimitNV GLEW_GET_FUN(__glewProgramVertexLimitNV) #define GLEW_NV_geometry_program4 GLEW_GET_VAR(__GLEW_NV_geometry_program4) #endif /* GL_NV_geometry_program4 */ /* ------------------------- GL_NV_geometry_shader4 ------------------------ */ #ifndef GL_NV_geometry_shader4 #define GL_NV_geometry_shader4 1 #define GLEW_NV_geometry_shader4 GLEW_GET_VAR(__GLEW_NV_geometry_shader4) #endif /* GL_NV_geometry_shader4 */ /* ------------------- GL_NV_geometry_shader_passthrough ------------------- */ #ifndef GL_NV_geometry_shader_passthrough #define GL_NV_geometry_shader_passthrough 1 #define GLEW_NV_geometry_shader_passthrough GLEW_GET_VAR(__GLEW_NV_geometry_shader_passthrough) #endif /* GL_NV_geometry_shader_passthrough */ /* -------------------------- GL_NV_gpu_multicast -------------------------- */ #ifndef GL_NV_gpu_multicast #define GL_NV_gpu_multicast 1 #define GL_PER_GPU_STORAGE_BIT_NV 0x0800 #define GL_MULTICAST_GPUS_NV 0x92BA #define GL_PER_GPU_STORAGE_NV 0x9548 #define GL_MULTICAST_PROGRAMMABLE_SAMPLE_LOCATION_NV 0x9549 #define GL_RENDER_GPU_MASK_NV 0x9558 typedef void (GLAPIENTRY * PFNGLMULTICASTBARRIERNVPROC) (void); typedef void (GLAPIENTRY * PFNGLMULTICASTBLITFRAMEBUFFERNVPROC) (GLuint srcGpu, GLuint dstGpu, GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); typedef void (GLAPIENTRY * PFNGLMULTICASTBUFFERSUBDATANVPROC) (GLbitfield gpuMask, GLuint buffer, GLintptr offset, GLsizeiptr size, const void *data); typedef void (GLAPIENTRY * PFNGLMULTICASTCOPYBUFFERSUBDATANVPROC) (GLuint readGpu, GLbitfield writeGpuMask, GLuint readBuffer, GLuint writeBuffer, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLMULTICASTCOPYIMAGESUBDATANVPROC) (GLuint srcGpu, GLbitfield dstGpuMask, GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei srcWidth, GLsizei srcHeight, GLsizei srcDepth); typedef void (GLAPIENTRY * PFNGLMULTICASTFRAMEBUFFERSAMPLELOCATIONSFVNVPROC) (GLuint gpu, GLuint framebuffer, GLuint start, GLsizei count, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLMULTICASTGETQUERYOBJECTI64VNVPROC) (GLuint gpu, GLuint id, GLenum pname, GLint64* params); typedef void (GLAPIENTRY * PFNGLMULTICASTGETQUERYOBJECTIVNVPROC) (GLuint gpu, GLuint id, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLMULTICASTGETQUERYOBJECTUI64VNVPROC) (GLuint gpu, GLuint id, GLenum pname, GLuint64* params); typedef void (GLAPIENTRY * PFNGLMULTICASTGETQUERYOBJECTUIVNVPROC) (GLuint gpu, GLuint id, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLMULTICASTWAITSYNCNVPROC) (GLuint signalGpu, GLbitfield waitGpuMask); typedef void (GLAPIENTRY * PFNGLRENDERGPUMASKNVPROC) (GLbitfield mask); #define glMulticastBarrierNV GLEW_GET_FUN(__glewMulticastBarrierNV) #define glMulticastBlitFramebufferNV GLEW_GET_FUN(__glewMulticastBlitFramebufferNV) #define glMulticastBufferSubDataNV GLEW_GET_FUN(__glewMulticastBufferSubDataNV) #define glMulticastCopyBufferSubDataNV GLEW_GET_FUN(__glewMulticastCopyBufferSubDataNV) #define glMulticastCopyImageSubDataNV GLEW_GET_FUN(__glewMulticastCopyImageSubDataNV) #define glMulticastFramebufferSampleLocationsfvNV GLEW_GET_FUN(__glewMulticastFramebufferSampleLocationsfvNV) #define glMulticastGetQueryObjecti64vNV GLEW_GET_FUN(__glewMulticastGetQueryObjecti64vNV) #define glMulticastGetQueryObjectivNV GLEW_GET_FUN(__glewMulticastGetQueryObjectivNV) #define glMulticastGetQueryObjectui64vNV GLEW_GET_FUN(__glewMulticastGetQueryObjectui64vNV) #define glMulticastGetQueryObjectuivNV GLEW_GET_FUN(__glewMulticastGetQueryObjectuivNV) #define glMulticastWaitSyncNV GLEW_GET_FUN(__glewMulticastWaitSyncNV) #define glRenderGpuMaskNV GLEW_GET_FUN(__glewRenderGpuMaskNV) #define GLEW_NV_gpu_multicast GLEW_GET_VAR(__GLEW_NV_gpu_multicast) #endif /* GL_NV_gpu_multicast */ /* --------------------------- GL_NV_gpu_program4 -------------------------- */ #ifndef GL_NV_gpu_program4 #define GL_NV_gpu_program4 1 #define GL_MIN_PROGRAM_TEXEL_OFFSET_NV 0x8904 #define GL_MAX_PROGRAM_TEXEL_OFFSET_NV 0x8905 #define GL_PROGRAM_ATTRIB_COMPONENTS_NV 0x8906 #define GL_PROGRAM_RESULT_COMPONENTS_NV 0x8907 #define GL_MAX_PROGRAM_ATTRIB_COMPONENTS_NV 0x8908 #define GL_MAX_PROGRAM_RESULT_COMPONENTS_NV 0x8909 #define GL_MAX_PROGRAM_GENERIC_ATTRIBS_NV 0x8DA5 #define GL_MAX_PROGRAM_GENERIC_RESULTS_NV 0x8DA6 typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERI4INVPROC) (GLenum target, GLuint index, GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERI4IVNVPROC) (GLenum target, GLuint index, const GLint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERI4UINVPROC) (GLenum target, GLuint index, GLuint x, GLuint y, GLuint z, GLuint w); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERI4UIVNVPROC) (GLenum target, GLuint index, const GLuint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERSI4IVNVPROC) (GLenum target, GLuint index, GLsizei count, const GLint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMENVPARAMETERSI4UIVNVPROC) (GLenum target, GLuint index, GLsizei count, const GLuint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERI4INVPROC) (GLenum target, GLuint index, GLint x, GLint y, GLint z, GLint w); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERI4IVNVPROC) (GLenum target, GLuint index, const GLint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERI4UINVPROC) (GLenum target, GLuint index, GLuint x, GLuint y, GLuint z, GLuint w); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERI4UIVNVPROC) (GLenum target, GLuint index, const GLuint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERSI4IVNVPROC) (GLenum target, GLuint index, GLsizei count, const GLint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMLOCALPARAMETERSI4UIVNVPROC) (GLenum target, GLuint index, GLsizei count, const GLuint *params); #define glProgramEnvParameterI4iNV GLEW_GET_FUN(__glewProgramEnvParameterI4iNV) #define glProgramEnvParameterI4ivNV GLEW_GET_FUN(__glewProgramEnvParameterI4ivNV) #define glProgramEnvParameterI4uiNV GLEW_GET_FUN(__glewProgramEnvParameterI4uiNV) #define glProgramEnvParameterI4uivNV GLEW_GET_FUN(__glewProgramEnvParameterI4uivNV) #define glProgramEnvParametersI4ivNV GLEW_GET_FUN(__glewProgramEnvParametersI4ivNV) #define glProgramEnvParametersI4uivNV GLEW_GET_FUN(__glewProgramEnvParametersI4uivNV) #define glProgramLocalParameterI4iNV GLEW_GET_FUN(__glewProgramLocalParameterI4iNV) #define glProgramLocalParameterI4ivNV GLEW_GET_FUN(__glewProgramLocalParameterI4ivNV) #define glProgramLocalParameterI4uiNV GLEW_GET_FUN(__glewProgramLocalParameterI4uiNV) #define glProgramLocalParameterI4uivNV GLEW_GET_FUN(__glewProgramLocalParameterI4uivNV) #define glProgramLocalParametersI4ivNV GLEW_GET_FUN(__glewProgramLocalParametersI4ivNV) #define glProgramLocalParametersI4uivNV GLEW_GET_FUN(__glewProgramLocalParametersI4uivNV) #define GLEW_NV_gpu_program4 GLEW_GET_VAR(__GLEW_NV_gpu_program4) #endif /* GL_NV_gpu_program4 */ /* --------------------------- GL_NV_gpu_program5 -------------------------- */ #ifndef GL_NV_gpu_program5 #define GL_NV_gpu_program5 1 #define GL_MAX_GEOMETRY_PROGRAM_INVOCATIONS_NV 0x8E5A #define GL_MIN_FRAGMENT_INTERPOLATION_OFFSET_NV 0x8E5B #define GL_MAX_FRAGMENT_INTERPOLATION_OFFSET_NV 0x8E5C #define GL_FRAGMENT_PROGRAM_INTERPOLATION_OFFSET_BITS_NV 0x8E5D #define GL_MIN_PROGRAM_TEXTURE_GATHER_OFFSET_NV 0x8E5E #define GL_MAX_PROGRAM_TEXTURE_GATHER_OFFSET_NV 0x8E5F #define GLEW_NV_gpu_program5 GLEW_GET_VAR(__GLEW_NV_gpu_program5) #endif /* GL_NV_gpu_program5 */ /* -------------------- GL_NV_gpu_program5_mem_extended -------------------- */ #ifndef GL_NV_gpu_program5_mem_extended #define GL_NV_gpu_program5_mem_extended 1 #define GLEW_NV_gpu_program5_mem_extended GLEW_GET_VAR(__GLEW_NV_gpu_program5_mem_extended) #endif /* GL_NV_gpu_program5_mem_extended */ /* ------------------------- GL_NV_gpu_program_fp64 ------------------------ */ #ifndef GL_NV_gpu_program_fp64 #define GL_NV_gpu_program_fp64 1 #define GLEW_NV_gpu_program_fp64 GLEW_GET_VAR(__GLEW_NV_gpu_program_fp64) #endif /* GL_NV_gpu_program_fp64 */ /* --------------------------- GL_NV_gpu_shader5 --------------------------- */ #ifndef GL_NV_gpu_shader5 #define GL_NV_gpu_shader5 1 #define GL_INT64_NV 0x140E #define GL_UNSIGNED_INT64_NV 0x140F #define GL_INT8_NV 0x8FE0 #define GL_INT8_VEC2_NV 0x8FE1 #define GL_INT8_VEC3_NV 0x8FE2 #define GL_INT8_VEC4_NV 0x8FE3 #define GL_INT16_NV 0x8FE4 #define GL_INT16_VEC2_NV 0x8FE5 #define GL_INT16_VEC3_NV 0x8FE6 #define GL_INT16_VEC4_NV 0x8FE7 #define GL_INT64_VEC2_NV 0x8FE9 #define GL_INT64_VEC3_NV 0x8FEA #define GL_INT64_VEC4_NV 0x8FEB #define GL_UNSIGNED_INT8_NV 0x8FEC #define GL_UNSIGNED_INT8_VEC2_NV 0x8FED #define GL_UNSIGNED_INT8_VEC3_NV 0x8FEE #define GL_UNSIGNED_INT8_VEC4_NV 0x8FEF #define GL_UNSIGNED_INT16_NV 0x8FF0 #define GL_UNSIGNED_INT16_VEC2_NV 0x8FF1 #define GL_UNSIGNED_INT16_VEC3_NV 0x8FF2 #define GL_UNSIGNED_INT16_VEC4_NV 0x8FF3 #define GL_UNSIGNED_INT64_VEC2_NV 0x8FF5 #define GL_UNSIGNED_INT64_VEC3_NV 0x8FF6 #define GL_UNSIGNED_INT64_VEC4_NV 0x8FF7 #define GL_FLOAT16_NV 0x8FF8 #define GL_FLOAT16_VEC2_NV 0x8FF9 #define GL_FLOAT16_VEC3_NV 0x8FFA #define GL_FLOAT16_VEC4_NV 0x8FFB typedef void (GLAPIENTRY * PFNGLGETUNIFORMI64VNVPROC) (GLuint program, GLint location, GLint64EXT* params); typedef void (GLAPIENTRY * PFNGLGETUNIFORMUI64VNVPROC) (GLuint program, GLint location, GLuint64EXT* params); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1I64NVPROC) (GLuint program, GLint location, GLint64EXT x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1I64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UI64NVPROC) (GLuint program, GLint location, GLuint64EXT x); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM1UI64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2I64NVPROC) (GLuint program, GLint location, GLint64EXT x, GLint64EXT y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2I64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UI64NVPROC) (GLuint program, GLint location, GLuint64EXT x, GLuint64EXT y); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM2UI64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3I64NVPROC) (GLuint program, GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3I64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UI64NVPROC) (GLuint program, GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM3UI64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4I64NVPROC) (GLuint program, GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z, GLint64EXT w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4I64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UI64NVPROC) (GLuint program, GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z, GLuint64EXT w); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORM4UI64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM1I64NVPROC) (GLint location, GLint64EXT x); typedef void (GLAPIENTRY * PFNGLUNIFORM1I64VNVPROC) (GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM1UI64NVPROC) (GLint location, GLuint64EXT x); typedef void (GLAPIENTRY * PFNGLUNIFORM1UI64VNVPROC) (GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2I64NVPROC) (GLint location, GLint64EXT x, GLint64EXT y); typedef void (GLAPIENTRY * PFNGLUNIFORM2I64VNVPROC) (GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM2UI64NVPROC) (GLint location, GLuint64EXT x, GLuint64EXT y); typedef void (GLAPIENTRY * PFNGLUNIFORM2UI64VNVPROC) (GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3I64NVPROC) (GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z); typedef void (GLAPIENTRY * PFNGLUNIFORM3I64VNVPROC) (GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM3UI64NVPROC) (GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z); typedef void (GLAPIENTRY * PFNGLUNIFORM3UI64VNVPROC) (GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4I64NVPROC) (GLint location, GLint64EXT x, GLint64EXT y, GLint64EXT z, GLint64EXT w); typedef void (GLAPIENTRY * PFNGLUNIFORM4I64VNVPROC) (GLint location, GLsizei count, const GLint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORM4UI64NVPROC) (GLint location, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z, GLuint64EXT w); typedef void (GLAPIENTRY * PFNGLUNIFORM4UI64VNVPROC) (GLint location, GLsizei count, const GLuint64EXT* value); #define glGetUniformi64vNV GLEW_GET_FUN(__glewGetUniformi64vNV) #define glGetUniformui64vNV GLEW_GET_FUN(__glewGetUniformui64vNV) #define glProgramUniform1i64NV GLEW_GET_FUN(__glewProgramUniform1i64NV) #define glProgramUniform1i64vNV GLEW_GET_FUN(__glewProgramUniform1i64vNV) #define glProgramUniform1ui64NV GLEW_GET_FUN(__glewProgramUniform1ui64NV) #define glProgramUniform1ui64vNV GLEW_GET_FUN(__glewProgramUniform1ui64vNV) #define glProgramUniform2i64NV GLEW_GET_FUN(__glewProgramUniform2i64NV) #define glProgramUniform2i64vNV GLEW_GET_FUN(__glewProgramUniform2i64vNV) #define glProgramUniform2ui64NV GLEW_GET_FUN(__glewProgramUniform2ui64NV) #define glProgramUniform2ui64vNV GLEW_GET_FUN(__glewProgramUniform2ui64vNV) #define glProgramUniform3i64NV GLEW_GET_FUN(__glewProgramUniform3i64NV) #define glProgramUniform3i64vNV GLEW_GET_FUN(__glewProgramUniform3i64vNV) #define glProgramUniform3ui64NV GLEW_GET_FUN(__glewProgramUniform3ui64NV) #define glProgramUniform3ui64vNV GLEW_GET_FUN(__glewProgramUniform3ui64vNV) #define glProgramUniform4i64NV GLEW_GET_FUN(__glewProgramUniform4i64NV) #define glProgramUniform4i64vNV GLEW_GET_FUN(__glewProgramUniform4i64vNV) #define glProgramUniform4ui64NV GLEW_GET_FUN(__glewProgramUniform4ui64NV) #define glProgramUniform4ui64vNV GLEW_GET_FUN(__glewProgramUniform4ui64vNV) #define glUniform1i64NV GLEW_GET_FUN(__glewUniform1i64NV) #define glUniform1i64vNV GLEW_GET_FUN(__glewUniform1i64vNV) #define glUniform1ui64NV GLEW_GET_FUN(__glewUniform1ui64NV) #define glUniform1ui64vNV GLEW_GET_FUN(__glewUniform1ui64vNV) #define glUniform2i64NV GLEW_GET_FUN(__glewUniform2i64NV) #define glUniform2i64vNV GLEW_GET_FUN(__glewUniform2i64vNV) #define glUniform2ui64NV GLEW_GET_FUN(__glewUniform2ui64NV) #define glUniform2ui64vNV GLEW_GET_FUN(__glewUniform2ui64vNV) #define glUniform3i64NV GLEW_GET_FUN(__glewUniform3i64NV) #define glUniform3i64vNV GLEW_GET_FUN(__glewUniform3i64vNV) #define glUniform3ui64NV GLEW_GET_FUN(__glewUniform3ui64NV) #define glUniform3ui64vNV GLEW_GET_FUN(__glewUniform3ui64vNV) #define glUniform4i64NV GLEW_GET_FUN(__glewUniform4i64NV) #define glUniform4i64vNV GLEW_GET_FUN(__glewUniform4i64vNV) #define glUniform4ui64NV GLEW_GET_FUN(__glewUniform4ui64NV) #define glUniform4ui64vNV GLEW_GET_FUN(__glewUniform4ui64vNV) #define GLEW_NV_gpu_shader5 GLEW_GET_VAR(__GLEW_NV_gpu_shader5) #endif /* GL_NV_gpu_shader5 */ /* ---------------------------- GL_NV_half_float --------------------------- */ #ifndef GL_NV_half_float #define GL_NV_half_float 1 #define GL_HALF_FLOAT_NV 0x140B typedef unsigned short GLhalf; typedef void (GLAPIENTRY * PFNGLCOLOR3HNVPROC) (GLhalf red, GLhalf green, GLhalf blue); typedef void (GLAPIENTRY * PFNGLCOLOR3HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLCOLOR4HNVPROC) (GLhalf red, GLhalf green, GLhalf blue, GLhalf alpha); typedef void (GLAPIENTRY * PFNGLCOLOR4HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLFOGCOORDHNVPROC) (GLhalf fog); typedef void (GLAPIENTRY * PFNGLFOGCOORDHVNVPROC) (const GLhalf* fog); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1HNVPROC) (GLenum target, GLhalf s); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD1HVNVPROC) (GLenum target, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2HNVPROC) (GLenum target, GLhalf s, GLhalf t); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD2HVNVPROC) (GLenum target, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3HNVPROC) (GLenum target, GLhalf s, GLhalf t, GLhalf r); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD3HVNVPROC) (GLenum target, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4HNVPROC) (GLenum target, GLhalf s, GLhalf t, GLhalf r, GLhalf q); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4HVNVPROC) (GLenum target, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLNORMAL3HNVPROC) (GLhalf nx, GLhalf ny, GLhalf nz); typedef void (GLAPIENTRY * PFNGLNORMAL3HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3HNVPROC) (GLhalf red, GLhalf green, GLhalf blue); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLOR3HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLTEXCOORD1HNVPROC) (GLhalf s); typedef void (GLAPIENTRY * PFNGLTEXCOORD1HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLTEXCOORD2HNVPROC) (GLhalf s, GLhalf t); typedef void (GLAPIENTRY * PFNGLTEXCOORD2HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLTEXCOORD3HNVPROC) (GLhalf s, GLhalf t, GLhalf r); typedef void (GLAPIENTRY * PFNGLTEXCOORD3HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLTEXCOORD4HNVPROC) (GLhalf s, GLhalf t, GLhalf r, GLhalf q); typedef void (GLAPIENTRY * PFNGLTEXCOORD4HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEX2HNVPROC) (GLhalf x, GLhalf y); typedef void (GLAPIENTRY * PFNGLVERTEX2HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEX3HNVPROC) (GLhalf x, GLhalf y, GLhalf z); typedef void (GLAPIENTRY * PFNGLVERTEX3HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEX4HNVPROC) (GLhalf x, GLhalf y, GLhalf z, GLhalf w); typedef void (GLAPIENTRY * PFNGLVERTEX4HVNVPROC) (const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1HNVPROC) (GLuint index, GLhalf x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1HVNVPROC) (GLuint index, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2HNVPROC) (GLuint index, GLhalf x, GLhalf y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2HVNVPROC) (GLuint index, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3HNVPROC) (GLuint index, GLhalf x, GLhalf y, GLhalf z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3HVNVPROC) (GLuint index, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4HNVPROC) (GLuint index, GLhalf x, GLhalf y, GLhalf z, GLhalf w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4HVNVPROC) (GLuint index, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS1HVNVPROC) (GLuint index, GLsizei n, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS2HVNVPROC) (GLuint index, GLsizei n, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS3HVNVPROC) (GLuint index, GLsizei n, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS4HVNVPROC) (GLuint index, GLsizei n, const GLhalf* v); typedef void (GLAPIENTRY * PFNGLVERTEXWEIGHTHNVPROC) (GLhalf weight); typedef void (GLAPIENTRY * PFNGLVERTEXWEIGHTHVNVPROC) (const GLhalf* weight); #define glColor3hNV GLEW_GET_FUN(__glewColor3hNV) #define glColor3hvNV GLEW_GET_FUN(__glewColor3hvNV) #define glColor4hNV GLEW_GET_FUN(__glewColor4hNV) #define glColor4hvNV GLEW_GET_FUN(__glewColor4hvNV) #define glFogCoordhNV GLEW_GET_FUN(__glewFogCoordhNV) #define glFogCoordhvNV GLEW_GET_FUN(__glewFogCoordhvNV) #define glMultiTexCoord1hNV GLEW_GET_FUN(__glewMultiTexCoord1hNV) #define glMultiTexCoord1hvNV GLEW_GET_FUN(__glewMultiTexCoord1hvNV) #define glMultiTexCoord2hNV GLEW_GET_FUN(__glewMultiTexCoord2hNV) #define glMultiTexCoord2hvNV GLEW_GET_FUN(__glewMultiTexCoord2hvNV) #define glMultiTexCoord3hNV GLEW_GET_FUN(__glewMultiTexCoord3hNV) #define glMultiTexCoord3hvNV GLEW_GET_FUN(__glewMultiTexCoord3hvNV) #define glMultiTexCoord4hNV GLEW_GET_FUN(__glewMultiTexCoord4hNV) #define glMultiTexCoord4hvNV GLEW_GET_FUN(__glewMultiTexCoord4hvNV) #define glNormal3hNV GLEW_GET_FUN(__glewNormal3hNV) #define glNormal3hvNV GLEW_GET_FUN(__glewNormal3hvNV) #define glSecondaryColor3hNV GLEW_GET_FUN(__glewSecondaryColor3hNV) #define glSecondaryColor3hvNV GLEW_GET_FUN(__glewSecondaryColor3hvNV) #define glTexCoord1hNV GLEW_GET_FUN(__glewTexCoord1hNV) #define glTexCoord1hvNV GLEW_GET_FUN(__glewTexCoord1hvNV) #define glTexCoord2hNV GLEW_GET_FUN(__glewTexCoord2hNV) #define glTexCoord2hvNV GLEW_GET_FUN(__glewTexCoord2hvNV) #define glTexCoord3hNV GLEW_GET_FUN(__glewTexCoord3hNV) #define glTexCoord3hvNV GLEW_GET_FUN(__glewTexCoord3hvNV) #define glTexCoord4hNV GLEW_GET_FUN(__glewTexCoord4hNV) #define glTexCoord4hvNV GLEW_GET_FUN(__glewTexCoord4hvNV) #define glVertex2hNV GLEW_GET_FUN(__glewVertex2hNV) #define glVertex2hvNV GLEW_GET_FUN(__glewVertex2hvNV) #define glVertex3hNV GLEW_GET_FUN(__glewVertex3hNV) #define glVertex3hvNV GLEW_GET_FUN(__glewVertex3hvNV) #define glVertex4hNV GLEW_GET_FUN(__glewVertex4hNV) #define glVertex4hvNV GLEW_GET_FUN(__glewVertex4hvNV) #define glVertexAttrib1hNV GLEW_GET_FUN(__glewVertexAttrib1hNV) #define glVertexAttrib1hvNV GLEW_GET_FUN(__glewVertexAttrib1hvNV) #define glVertexAttrib2hNV GLEW_GET_FUN(__glewVertexAttrib2hNV) #define glVertexAttrib2hvNV GLEW_GET_FUN(__glewVertexAttrib2hvNV) #define glVertexAttrib3hNV GLEW_GET_FUN(__glewVertexAttrib3hNV) #define glVertexAttrib3hvNV GLEW_GET_FUN(__glewVertexAttrib3hvNV) #define glVertexAttrib4hNV GLEW_GET_FUN(__glewVertexAttrib4hNV) #define glVertexAttrib4hvNV GLEW_GET_FUN(__glewVertexAttrib4hvNV) #define glVertexAttribs1hvNV GLEW_GET_FUN(__glewVertexAttribs1hvNV) #define glVertexAttribs2hvNV GLEW_GET_FUN(__glewVertexAttribs2hvNV) #define glVertexAttribs3hvNV GLEW_GET_FUN(__glewVertexAttribs3hvNV) #define glVertexAttribs4hvNV GLEW_GET_FUN(__glewVertexAttribs4hvNV) #define glVertexWeighthNV GLEW_GET_FUN(__glewVertexWeighthNV) #define glVertexWeighthvNV GLEW_GET_FUN(__glewVertexWeighthvNV) #define GLEW_NV_half_float GLEW_GET_VAR(__GLEW_NV_half_float) #endif /* GL_NV_half_float */ /* -------------------------- GL_NV_image_formats -------------------------- */ #ifndef GL_NV_image_formats #define GL_NV_image_formats 1 #define GLEW_NV_image_formats GLEW_GET_VAR(__GLEW_NV_image_formats) #endif /* GL_NV_image_formats */ /* ------------------------- GL_NV_instanced_arrays ------------------------ */ #ifndef GL_NV_instanced_arrays #define GL_NV_instanced_arrays 1 #define GL_VERTEX_ATTRIB_ARRAY_DIVISOR_NV 0x88FE typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBDIVISORNVPROC) (GLuint index, GLuint divisor); #define glVertexAttribDivisorNV GLEW_GET_FUN(__glewVertexAttribDivisorNV) #define GLEW_NV_instanced_arrays GLEW_GET_VAR(__GLEW_NV_instanced_arrays) #endif /* GL_NV_instanced_arrays */ /* ------------------- GL_NV_internalformat_sample_query ------------------- */ #ifndef GL_NV_internalformat_sample_query #define GL_NV_internalformat_sample_query 1 #define GL_MULTISAMPLES_NV 0x9371 #define GL_SUPERSAMPLE_SCALE_X_NV 0x9372 #define GL_SUPERSAMPLE_SCALE_Y_NV 0x9373 #define GL_CONFORMANT_NV 0x9374 typedef void (GLAPIENTRY * PFNGLGETINTERNALFORMATSAMPLEIVNVPROC) (GLenum target, GLenum internalformat, GLsizei samples, GLenum pname, GLsizei bufSize, GLint* params); #define glGetInternalformatSampleivNV GLEW_GET_FUN(__glewGetInternalformatSampleivNV) #define GLEW_NV_internalformat_sample_query GLEW_GET_VAR(__GLEW_NV_internalformat_sample_query) #endif /* GL_NV_internalformat_sample_query */ /* ------------------------ GL_NV_light_max_exponent ----------------------- */ #ifndef GL_NV_light_max_exponent #define GL_NV_light_max_exponent 1 #define GL_MAX_SHININESS_NV 0x8504 #define GL_MAX_SPOT_EXPONENT_NV 0x8505 #define GLEW_NV_light_max_exponent GLEW_GET_VAR(__GLEW_NV_light_max_exponent) #endif /* GL_NV_light_max_exponent */ /* ----------------------- GL_NV_multisample_coverage ---------------------- */ #ifndef GL_NV_multisample_coverage #define GL_NV_multisample_coverage 1 #define GL_COLOR_SAMPLES_NV 0x8E20 #define GLEW_NV_multisample_coverage GLEW_GET_VAR(__GLEW_NV_multisample_coverage) #endif /* GL_NV_multisample_coverage */ /* --------------------- GL_NV_multisample_filter_hint --------------------- */ #ifndef GL_NV_multisample_filter_hint #define GL_NV_multisample_filter_hint 1 #define GL_MULTISAMPLE_FILTER_HINT_NV 0x8534 #define GLEW_NV_multisample_filter_hint GLEW_GET_VAR(__GLEW_NV_multisample_filter_hint) #endif /* GL_NV_multisample_filter_hint */ /* ----------------------- GL_NV_non_square_matrices ----------------------- */ #ifndef GL_NV_non_square_matrices #define GL_NV_non_square_matrices 1 #define GL_FLOAT_MAT2x3_NV 0x8B65 #define GL_FLOAT_MAT2x4_NV 0x8B66 #define GL_FLOAT_MAT3x2_NV 0x8B67 #define GL_FLOAT_MAT3x4_NV 0x8B68 #define GL_FLOAT_MAT4x2_NV 0x8B69 #define GL_FLOAT_MAT4x3_NV 0x8B6A typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2X3FVNVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX2X4FVNVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3X2FVNVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX3X4FVNVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4X2FVNVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLUNIFORMMATRIX4X3FVNVPROC) (GLint location, GLsizei count, GLboolean transpose, const GLfloat* value); #define glUniformMatrix2x3fvNV GLEW_GET_FUN(__glewUniformMatrix2x3fvNV) #define glUniformMatrix2x4fvNV GLEW_GET_FUN(__glewUniformMatrix2x4fvNV) #define glUniformMatrix3x2fvNV GLEW_GET_FUN(__glewUniformMatrix3x2fvNV) #define glUniformMatrix3x4fvNV GLEW_GET_FUN(__glewUniformMatrix3x4fvNV) #define glUniformMatrix4x2fvNV GLEW_GET_FUN(__glewUniformMatrix4x2fvNV) #define glUniformMatrix4x3fvNV GLEW_GET_FUN(__glewUniformMatrix4x3fvNV) #define GLEW_NV_non_square_matrices GLEW_GET_VAR(__GLEW_NV_non_square_matrices) #endif /* GL_NV_non_square_matrices */ /* ------------------------- GL_NV_occlusion_query ------------------------- */ #ifndef GL_NV_occlusion_query #define GL_NV_occlusion_query 1 #define GL_PIXEL_COUNTER_BITS_NV 0x8864 #define GL_CURRENT_OCCLUSION_QUERY_ID_NV 0x8865 #define GL_PIXEL_COUNT_NV 0x8866 #define GL_PIXEL_COUNT_AVAILABLE_NV 0x8867 typedef void (GLAPIENTRY * PFNGLBEGINOCCLUSIONQUERYNVPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLDELETEOCCLUSIONQUERIESNVPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLENDOCCLUSIONQUERYNVPROC) (void); typedef void (GLAPIENTRY * PFNGLGENOCCLUSIONQUERIESNVPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLGETOCCLUSIONQUERYIVNVPROC) (GLuint id, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETOCCLUSIONQUERYUIVNVPROC) (GLuint id, GLenum pname, GLuint* params); typedef GLboolean (GLAPIENTRY * PFNGLISOCCLUSIONQUERYNVPROC) (GLuint id); #define glBeginOcclusionQueryNV GLEW_GET_FUN(__glewBeginOcclusionQueryNV) #define glDeleteOcclusionQueriesNV GLEW_GET_FUN(__glewDeleteOcclusionQueriesNV) #define glEndOcclusionQueryNV GLEW_GET_FUN(__glewEndOcclusionQueryNV) #define glGenOcclusionQueriesNV GLEW_GET_FUN(__glewGenOcclusionQueriesNV) #define glGetOcclusionQueryivNV GLEW_GET_FUN(__glewGetOcclusionQueryivNV) #define glGetOcclusionQueryuivNV GLEW_GET_FUN(__glewGetOcclusionQueryuivNV) #define glIsOcclusionQueryNV GLEW_GET_FUN(__glewIsOcclusionQueryNV) #define GLEW_NV_occlusion_query GLEW_GET_VAR(__GLEW_NV_occlusion_query) #endif /* GL_NV_occlusion_query */ /* -------------------------- GL_NV_pack_subimage -------------------------- */ #ifndef GL_NV_pack_subimage #define GL_NV_pack_subimage 1 #define GL_PACK_ROW_LENGTH_NV 0x0D02 #define GL_PACK_SKIP_ROWS_NV 0x0D03 #define GL_PACK_SKIP_PIXELS_NV 0x0D04 #define GLEW_NV_pack_subimage GLEW_GET_VAR(__GLEW_NV_pack_subimage) #endif /* GL_NV_pack_subimage */ /* ----------------------- GL_NV_packed_depth_stencil ---------------------- */ #ifndef GL_NV_packed_depth_stencil #define GL_NV_packed_depth_stencil 1 #define GL_DEPTH_STENCIL_NV 0x84F9 #define GL_UNSIGNED_INT_24_8_NV 0x84FA #define GLEW_NV_packed_depth_stencil GLEW_GET_VAR(__GLEW_NV_packed_depth_stencil) #endif /* GL_NV_packed_depth_stencil */ /* --------------------------- GL_NV_packed_float -------------------------- */ #ifndef GL_NV_packed_float #define GL_NV_packed_float 1 #define GL_R11F_G11F_B10F_NV 0x8C3A #define GL_UNSIGNED_INT_10F_11F_11F_REV_NV 0x8C3B #define GLEW_NV_packed_float GLEW_GET_VAR(__GLEW_NV_packed_float) #endif /* GL_NV_packed_float */ /* ----------------------- GL_NV_packed_float_linear ----------------------- */ #ifndef GL_NV_packed_float_linear #define GL_NV_packed_float_linear 1 #define GL_R11F_G11F_B10F_NV 0x8C3A #define GL_UNSIGNED_INT_10F_11F_11F_REV_NV 0x8C3B #define GLEW_NV_packed_float_linear GLEW_GET_VAR(__GLEW_NV_packed_float_linear) #endif /* GL_NV_packed_float_linear */ /* --------------------- GL_NV_parameter_buffer_object --------------------- */ #ifndef GL_NV_parameter_buffer_object #define GL_NV_parameter_buffer_object 1 #define GL_MAX_PROGRAM_PARAMETER_BUFFER_BINDINGS_NV 0x8DA0 #define GL_MAX_PROGRAM_PARAMETER_BUFFER_SIZE_NV 0x8DA1 #define GL_VERTEX_PROGRAM_PARAMETER_BUFFER_NV 0x8DA2 #define GL_GEOMETRY_PROGRAM_PARAMETER_BUFFER_NV 0x8DA3 #define GL_FRAGMENT_PROGRAM_PARAMETER_BUFFER_NV 0x8DA4 typedef void (GLAPIENTRY * PFNGLPROGRAMBUFFERPARAMETERSIIVNVPROC) (GLenum target, GLuint buffer, GLuint index, GLsizei count, const GLint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMBUFFERPARAMETERSIUIVNVPROC) (GLenum target, GLuint buffer, GLuint index, GLsizei count, const GLuint *params); typedef void (GLAPIENTRY * PFNGLPROGRAMBUFFERPARAMETERSFVNVPROC) (GLenum target, GLuint buffer, GLuint index, GLsizei count, const GLfloat *params); #define glProgramBufferParametersIivNV GLEW_GET_FUN(__glewProgramBufferParametersIivNV) #define glProgramBufferParametersIuivNV GLEW_GET_FUN(__glewProgramBufferParametersIuivNV) #define glProgramBufferParametersfvNV GLEW_GET_FUN(__glewProgramBufferParametersfvNV) #define GLEW_NV_parameter_buffer_object GLEW_GET_VAR(__GLEW_NV_parameter_buffer_object) #endif /* GL_NV_parameter_buffer_object */ /* --------------------- GL_NV_parameter_buffer_object2 -------------------- */ #ifndef GL_NV_parameter_buffer_object2 #define GL_NV_parameter_buffer_object2 1 #define GLEW_NV_parameter_buffer_object2 GLEW_GET_VAR(__GLEW_NV_parameter_buffer_object2) #endif /* GL_NV_parameter_buffer_object2 */ /* -------------------------- GL_NV_path_rendering ------------------------- */ #ifndef GL_NV_path_rendering #define GL_NV_path_rendering 1 #define GL_CLOSE_PATH_NV 0x00 #define GL_BOLD_BIT_NV 0x01 #define GL_GLYPH_WIDTH_BIT_NV 0x01 #define GL_GLYPH_HEIGHT_BIT_NV 0x02 #define GL_ITALIC_BIT_NV 0x02 #define GL_MOVE_TO_NV 0x02 #define GL_RELATIVE_MOVE_TO_NV 0x03 #define GL_GLYPH_HORIZONTAL_BEARING_X_BIT_NV 0x04 #define GL_LINE_TO_NV 0x04 #define GL_RELATIVE_LINE_TO_NV 0x05 #define GL_HORIZONTAL_LINE_TO_NV 0x06 #define GL_RELATIVE_HORIZONTAL_LINE_TO_NV 0x07 #define GL_GLYPH_HORIZONTAL_BEARING_Y_BIT_NV 0x08 #define GL_VERTICAL_LINE_TO_NV 0x08 #define GL_RELATIVE_VERTICAL_LINE_TO_NV 0x09 #define GL_QUADRATIC_CURVE_TO_NV 0x0A #define GL_RELATIVE_QUADRATIC_CURVE_TO_NV 0x0B #define GL_CUBIC_CURVE_TO_NV 0x0C #define GL_RELATIVE_CUBIC_CURVE_TO_NV 0x0D #define GL_SMOOTH_QUADRATIC_CURVE_TO_NV 0x0E #define GL_RELATIVE_SMOOTH_QUADRATIC_CURVE_TO_NV 0x0F #define GL_GLYPH_HORIZONTAL_BEARING_ADVANCE_BIT_NV 0x10 #define GL_SMOOTH_CUBIC_CURVE_TO_NV 0x10 #define GL_RELATIVE_SMOOTH_CUBIC_CURVE_TO_NV 0x11 #define GL_SMALL_CCW_ARC_TO_NV 0x12 #define GL_RELATIVE_SMALL_CCW_ARC_TO_NV 0x13 #define GL_SMALL_CW_ARC_TO_NV 0x14 #define GL_RELATIVE_SMALL_CW_ARC_TO_NV 0x15 #define GL_LARGE_CCW_ARC_TO_NV 0x16 #define GL_RELATIVE_LARGE_CCW_ARC_TO_NV 0x17 #define GL_LARGE_CW_ARC_TO_NV 0x18 #define GL_RELATIVE_LARGE_CW_ARC_TO_NV 0x19 #define GL_CONIC_CURVE_TO_NV 0x1A #define GL_RELATIVE_CONIC_CURVE_TO_NV 0x1B #define GL_GLYPH_VERTICAL_BEARING_X_BIT_NV 0x20 #define GL_GLYPH_VERTICAL_BEARING_Y_BIT_NV 0x40 #define GL_GLYPH_VERTICAL_BEARING_ADVANCE_BIT_NV 0x80 #define GL_ROUNDED_RECT_NV 0xE8 #define GL_RELATIVE_ROUNDED_RECT_NV 0xE9 #define GL_ROUNDED_RECT2_NV 0xEA #define GL_RELATIVE_ROUNDED_RECT2_NV 0xEB #define GL_ROUNDED_RECT4_NV 0xEC #define GL_RELATIVE_ROUNDED_RECT4_NV 0xED #define GL_ROUNDED_RECT8_NV 0xEE #define GL_RELATIVE_ROUNDED_RECT8_NV 0xEF #define GL_RESTART_PATH_NV 0xF0 #define GL_DUP_FIRST_CUBIC_CURVE_TO_NV 0xF2 #define GL_DUP_LAST_CUBIC_CURVE_TO_NV 0xF4 #define GL_RECT_NV 0xF6 #define GL_RELATIVE_RECT_NV 0xF7 #define GL_CIRCULAR_CCW_ARC_TO_NV 0xF8 #define GL_CIRCULAR_CW_ARC_TO_NV 0xFA #define GL_CIRCULAR_TANGENT_ARC_TO_NV 0xFC #define GL_ARC_TO_NV 0xFE #define GL_RELATIVE_ARC_TO_NV 0xFF #define GL_GLYPH_HAS_KERNING_BIT_NV 0x100 #define GL_PRIMARY_COLOR_NV 0x852C #define GL_SECONDARY_COLOR_NV 0x852D #define GL_PRIMARY_COLOR 0x8577 #define GL_PATH_FORMAT_SVG_NV 0x9070 #define GL_PATH_FORMAT_PS_NV 0x9071 #define GL_STANDARD_FONT_NAME_NV 0x9072 #define GL_SYSTEM_FONT_NAME_NV 0x9073 #define GL_FILE_NAME_NV 0x9074 #define GL_PATH_STROKE_WIDTH_NV 0x9075 #define GL_PATH_END_CAPS_NV 0x9076 #define GL_PATH_INITIAL_END_CAP_NV 0x9077 #define GL_PATH_TERMINAL_END_CAP_NV 0x9078 #define GL_PATH_JOIN_STYLE_NV 0x9079 #define GL_PATH_MITER_LIMIT_NV 0x907A #define GL_PATH_DASH_CAPS_NV 0x907B #define GL_PATH_INITIAL_DASH_CAP_NV 0x907C #define GL_PATH_TERMINAL_DASH_CAP_NV 0x907D #define GL_PATH_DASH_OFFSET_NV 0x907E #define GL_PATH_CLIENT_LENGTH_NV 0x907F #define GL_PATH_FILL_MODE_NV 0x9080 #define GL_PATH_FILL_MASK_NV 0x9081 #define GL_PATH_FILL_COVER_MODE_NV 0x9082 #define GL_PATH_STROKE_COVER_MODE_NV 0x9083 #define GL_PATH_STROKE_MASK_NV 0x9084 #define GL_PATH_STROKE_BOUND_NV 0x9086 #define GL_COUNT_UP_NV 0x9088 #define GL_COUNT_DOWN_NV 0x9089 #define GL_PATH_OBJECT_BOUNDING_BOX_NV 0x908A #define GL_CONVEX_HULL_NV 0x908B #define GL_BOUNDING_BOX_NV 0x908D #define GL_TRANSLATE_X_NV 0x908E #define GL_TRANSLATE_Y_NV 0x908F #define GL_TRANSLATE_2D_NV 0x9090 #define GL_TRANSLATE_3D_NV 0x9091 #define GL_AFFINE_2D_NV 0x9092 #define GL_AFFINE_3D_NV 0x9094 #define GL_TRANSPOSE_AFFINE_2D_NV 0x9096 #define GL_TRANSPOSE_AFFINE_3D_NV 0x9098 #define GL_UTF8_NV 0x909A #define GL_UTF16_NV 0x909B #define GL_BOUNDING_BOX_OF_BOUNDING_BOXES_NV 0x909C #define GL_PATH_COMMAND_COUNT_NV 0x909D #define GL_PATH_COORD_COUNT_NV 0x909E #define GL_PATH_DASH_ARRAY_COUNT_NV 0x909F #define GL_PATH_COMPUTED_LENGTH_NV 0x90A0 #define GL_PATH_FILL_BOUNDING_BOX_NV 0x90A1 #define GL_PATH_STROKE_BOUNDING_BOX_NV 0x90A2 #define GL_SQUARE_NV 0x90A3 #define GL_ROUND_NV 0x90A4 #define GL_TRIANGULAR_NV 0x90A5 #define GL_BEVEL_NV 0x90A6 #define GL_MITER_REVERT_NV 0x90A7 #define GL_MITER_TRUNCATE_NV 0x90A8 #define GL_SKIP_MISSING_GLYPH_NV 0x90A9 #define GL_USE_MISSING_GLYPH_NV 0x90AA #define GL_PATH_ERROR_POSITION_NV 0x90AB #define GL_PATH_FOG_GEN_MODE_NV 0x90AC #define GL_ACCUM_ADJACENT_PAIRS_NV 0x90AD #define GL_ADJACENT_PAIRS_NV 0x90AE #define GL_FIRST_TO_REST_NV 0x90AF #define GL_PATH_GEN_MODE_NV 0x90B0 #define GL_PATH_GEN_COEFF_NV 0x90B1 #define GL_PATH_GEN_COLOR_FORMAT_NV 0x90B2 #define GL_PATH_GEN_COMPONENTS_NV 0x90B3 #define GL_PATH_DASH_OFFSET_RESET_NV 0x90B4 #define GL_MOVE_TO_RESETS_NV 0x90B5 #define GL_MOVE_TO_CONTINUES_NV 0x90B6 #define GL_PATH_STENCIL_FUNC_NV 0x90B7 #define GL_PATH_STENCIL_REF_NV 0x90B8 #define GL_PATH_STENCIL_VALUE_MASK_NV 0x90B9 #define GL_PATH_STENCIL_DEPTH_OFFSET_FACTOR_NV 0x90BD #define GL_PATH_STENCIL_DEPTH_OFFSET_UNITS_NV 0x90BE #define GL_PATH_COVER_DEPTH_FUNC_NV 0x90BF #define GL_FONT_GLYPHS_AVAILABLE_NV 0x9368 #define GL_FONT_TARGET_UNAVAILABLE_NV 0x9369 #define GL_FONT_UNAVAILABLE_NV 0x936A #define GL_FONT_UNINTELLIGIBLE_NV 0x936B #define GL_STANDARD_FONT_FORMAT_NV 0x936C #define GL_FRAGMENT_INPUT_NV 0x936D #define GL_FONT_X_MIN_BOUNDS_BIT_NV 0x00010000 #define GL_FONT_Y_MIN_BOUNDS_BIT_NV 0x00020000 #define GL_FONT_X_MAX_BOUNDS_BIT_NV 0x00040000 #define GL_FONT_Y_MAX_BOUNDS_BIT_NV 0x00080000 #define GL_FONT_UNITS_PER_EM_BIT_NV 0x00100000 #define GL_FONT_ASCENDER_BIT_NV 0x00200000 #define GL_FONT_DESCENDER_BIT_NV 0x00400000 #define GL_FONT_HEIGHT_BIT_NV 0x00800000 #define GL_FONT_MAX_ADVANCE_WIDTH_BIT_NV 0x01000000 #define GL_FONT_MAX_ADVANCE_HEIGHT_BIT_NV 0x02000000 #define GL_FONT_UNDERLINE_POSITION_BIT_NV 0x04000000 #define GL_FONT_UNDERLINE_THICKNESS_BIT_NV 0x08000000 #define GL_FONT_HAS_KERNING_BIT_NV 0x10000000 #define GL_FONT_NUM_GLYPH_INDICES_BIT_NV 0x20000000 typedef void (GLAPIENTRY * PFNGLCOPYPATHNVPROC) (GLuint resultPath, GLuint srcPath); typedef void (GLAPIENTRY * PFNGLCOVERFILLPATHINSTANCEDNVPROC) (GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLenum coverMode, GLenum transformType, const GLfloat *transformValues); typedef void (GLAPIENTRY * PFNGLCOVERFILLPATHNVPROC) (GLuint path, GLenum coverMode); typedef void (GLAPIENTRY * PFNGLCOVERSTROKEPATHINSTANCEDNVPROC) (GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLenum coverMode, GLenum transformType, const GLfloat *transformValues); typedef void (GLAPIENTRY * PFNGLCOVERSTROKEPATHNVPROC) (GLuint path, GLenum coverMode); typedef void (GLAPIENTRY * PFNGLDELETEPATHSNVPROC) (GLuint path, GLsizei range); typedef GLuint (GLAPIENTRY * PFNGLGENPATHSNVPROC) (GLsizei range); typedef void (GLAPIENTRY * PFNGLGETPATHCOLORGENFVNVPROC) (GLenum color, GLenum pname, GLfloat* value); typedef void (GLAPIENTRY * PFNGLGETPATHCOLORGENIVNVPROC) (GLenum color, GLenum pname, GLint* value); typedef void (GLAPIENTRY * PFNGLGETPATHCOMMANDSNVPROC) (GLuint path, GLubyte* commands); typedef void (GLAPIENTRY * PFNGLGETPATHCOORDSNVPROC) (GLuint path, GLfloat* coords); typedef void (GLAPIENTRY * PFNGLGETPATHDASHARRAYNVPROC) (GLuint path, GLfloat* dashArray); typedef GLfloat (GLAPIENTRY * PFNGLGETPATHLENGTHNVPROC) (GLuint path, GLsizei startSegment, GLsizei numSegments); typedef void (GLAPIENTRY * PFNGLGETPATHMETRICRANGENVPROC) (GLbitfield metricQueryMask, GLuint firstPathName, GLsizei numPaths, GLsizei stride, GLfloat* metrics); typedef void (GLAPIENTRY * PFNGLGETPATHMETRICSNVPROC) (GLbitfield metricQueryMask, GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLsizei stride, GLfloat *metrics); typedef void (GLAPIENTRY * PFNGLGETPATHPARAMETERFVNVPROC) (GLuint path, GLenum pname, GLfloat* value); typedef void (GLAPIENTRY * PFNGLGETPATHPARAMETERIVNVPROC) (GLuint path, GLenum pname, GLint* value); typedef void (GLAPIENTRY * PFNGLGETPATHSPACINGNVPROC) (GLenum pathListMode, GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLfloat advanceScale, GLfloat kerningScale, GLenum transformType, GLfloat *returnedSpacing); typedef void (GLAPIENTRY * PFNGLGETPATHTEXGENFVNVPROC) (GLenum texCoordSet, GLenum pname, GLfloat* value); typedef void (GLAPIENTRY * PFNGLGETPATHTEXGENIVNVPROC) (GLenum texCoordSet, GLenum pname, GLint* value); typedef void (GLAPIENTRY * PFNGLGETPROGRAMRESOURCEFVNVPROC) (GLuint program, GLenum programInterface, GLuint index, GLsizei propCount, const GLenum* props, GLsizei bufSize, GLsizei *length, GLfloat *params); typedef void (GLAPIENTRY * PFNGLINTERPOLATEPATHSNVPROC) (GLuint resultPath, GLuint pathA, GLuint pathB, GLfloat weight); typedef GLboolean (GLAPIENTRY * PFNGLISPATHNVPROC) (GLuint path); typedef GLboolean (GLAPIENTRY * PFNGLISPOINTINFILLPATHNVPROC) (GLuint path, GLuint mask, GLfloat x, GLfloat y); typedef GLboolean (GLAPIENTRY * PFNGLISPOINTINSTROKEPATHNVPROC) (GLuint path, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLMATRIXLOAD3X2FNVPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXLOAD3X3FNVPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXLOADTRANSPOSE3X3FNVPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULT3X2FNVPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULT3X3FNVPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLMATRIXMULTTRANSPOSE3X3FNVPROC) (GLenum matrixMode, const GLfloat* m); typedef void (GLAPIENTRY * PFNGLPATHCOLORGENNVPROC) (GLenum color, GLenum genMode, GLenum colorFormat, const GLfloat* coeffs); typedef void (GLAPIENTRY * PFNGLPATHCOMMANDSNVPROC) (GLuint path, GLsizei numCommands, const GLubyte* commands, GLsizei numCoords, GLenum coordType, const void*coords); typedef void (GLAPIENTRY * PFNGLPATHCOORDSNVPROC) (GLuint path, GLsizei numCoords, GLenum coordType, const void *coords); typedef void (GLAPIENTRY * PFNGLPATHCOVERDEPTHFUNCNVPROC) (GLenum zfunc); typedef void (GLAPIENTRY * PFNGLPATHDASHARRAYNVPROC) (GLuint path, GLsizei dashCount, const GLfloat* dashArray); typedef void (GLAPIENTRY * PFNGLPATHFOGGENNVPROC) (GLenum genMode); typedef GLenum (GLAPIENTRY * PFNGLPATHGLYPHINDEXARRAYNVPROC) (GLuint firstPathName, GLenum fontTarget, const void *fontName, GLbitfield fontStyle, GLuint firstGlyphIndex, GLsizei numGlyphs, GLuint pathParameterTemplate, GLfloat emScale); typedef GLenum (GLAPIENTRY * PFNGLPATHGLYPHINDEXRANGENVPROC) (GLenum fontTarget, const void *fontName, GLbitfield fontStyle, GLuint pathParameterTemplate, GLfloat emScale, GLuint baseAndCount[2]); typedef void (GLAPIENTRY * PFNGLPATHGLYPHRANGENVPROC) (GLuint firstPathName, GLenum fontTarget, const void *fontName, GLbitfield fontStyle, GLuint firstGlyph, GLsizei numGlyphs, GLenum handleMissingGlyphs, GLuint pathParameterTemplate, GLfloat emScale); typedef void (GLAPIENTRY * PFNGLPATHGLYPHSNVPROC) (GLuint firstPathName, GLenum fontTarget, const void *fontName, GLbitfield fontStyle, GLsizei numGlyphs, GLenum type, const void*charcodes, GLenum handleMissingGlyphs, GLuint pathParameterTemplate, GLfloat emScale); typedef GLenum (GLAPIENTRY * PFNGLPATHMEMORYGLYPHINDEXARRAYNVPROC) (GLuint firstPathName, GLenum fontTarget, GLsizeiptr fontSize, const void *fontData, GLsizei faceIndex, GLuint firstGlyphIndex, GLsizei numGlyphs, GLuint pathParameterTemplate, GLfloat emScale); typedef void (GLAPIENTRY * PFNGLPATHPARAMETERFNVPROC) (GLuint path, GLenum pname, GLfloat value); typedef void (GLAPIENTRY * PFNGLPATHPARAMETERFVNVPROC) (GLuint path, GLenum pname, const GLfloat* value); typedef void (GLAPIENTRY * PFNGLPATHPARAMETERINVPROC) (GLuint path, GLenum pname, GLint value); typedef void (GLAPIENTRY * PFNGLPATHPARAMETERIVNVPROC) (GLuint path, GLenum pname, const GLint* value); typedef void (GLAPIENTRY * PFNGLPATHSTENCILDEPTHOFFSETNVPROC) (GLfloat factor, GLfloat units); typedef void (GLAPIENTRY * PFNGLPATHSTENCILFUNCNVPROC) (GLenum func, GLint ref, GLuint mask); typedef void (GLAPIENTRY * PFNGLPATHSTRINGNVPROC) (GLuint path, GLenum format, GLsizei length, const void *pathString); typedef void (GLAPIENTRY * PFNGLPATHSUBCOMMANDSNVPROC) (GLuint path, GLsizei commandStart, GLsizei commandsToDelete, GLsizei numCommands, const GLubyte* commands, GLsizei numCoords, GLenum coordType, const void*coords); typedef void (GLAPIENTRY * PFNGLPATHSUBCOORDSNVPROC) (GLuint path, GLsizei coordStart, GLsizei numCoords, GLenum coordType, const void *coords); typedef void (GLAPIENTRY * PFNGLPATHTEXGENNVPROC) (GLenum texCoordSet, GLenum genMode, GLint components, const GLfloat* coeffs); typedef GLboolean (GLAPIENTRY * PFNGLPOINTALONGPATHNVPROC) (GLuint path, GLsizei startSegment, GLsizei numSegments, GLfloat distance, GLfloat* x, GLfloat *y, GLfloat *tangentX, GLfloat *tangentY); typedef void (GLAPIENTRY * PFNGLPROGRAMPATHFRAGMENTINPUTGENNVPROC) (GLuint program, GLint location, GLenum genMode, GLint components, const GLfloat* coeffs); typedef void (GLAPIENTRY * PFNGLSTENCILFILLPATHINSTANCEDNVPROC) (GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLenum fillMode, GLuint mask, GLenum transformType, const GLfloat *transformValues); typedef void (GLAPIENTRY * PFNGLSTENCILFILLPATHNVPROC) (GLuint path, GLenum fillMode, GLuint mask); typedef void (GLAPIENTRY * PFNGLSTENCILSTROKEPATHINSTANCEDNVPROC) (GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLint reference, GLuint mask, GLenum transformType, const GLfloat *transformValues); typedef void (GLAPIENTRY * PFNGLSTENCILSTROKEPATHNVPROC) (GLuint path, GLint reference, GLuint mask); typedef void (GLAPIENTRY * PFNGLSTENCILTHENCOVERFILLPATHINSTANCEDNVPROC) (GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLenum fillMode, GLuint mask, GLenum coverMode, GLenum transformType, const GLfloat *transformValues); typedef void (GLAPIENTRY * PFNGLSTENCILTHENCOVERFILLPATHNVPROC) (GLuint path, GLenum fillMode, GLuint mask, GLenum coverMode); typedef void (GLAPIENTRY * PFNGLSTENCILTHENCOVERSTROKEPATHINSTANCEDNVPROC) (GLsizei numPaths, GLenum pathNameType, const void *paths, GLuint pathBase, GLint reference, GLuint mask, GLenum coverMode, GLenum transformType, const GLfloat *transformValues); typedef void (GLAPIENTRY * PFNGLSTENCILTHENCOVERSTROKEPATHNVPROC) (GLuint path, GLint reference, GLuint mask, GLenum coverMode); typedef void (GLAPIENTRY * PFNGLTRANSFORMPATHNVPROC) (GLuint resultPath, GLuint srcPath, GLenum transformType, const GLfloat* transformValues); typedef void (GLAPIENTRY * PFNGLWEIGHTPATHSNVPROC) (GLuint resultPath, GLsizei numPaths, const GLuint paths[], const GLfloat weights[]); #define glCopyPathNV GLEW_GET_FUN(__glewCopyPathNV) #define glCoverFillPathInstancedNV GLEW_GET_FUN(__glewCoverFillPathInstancedNV) #define glCoverFillPathNV GLEW_GET_FUN(__glewCoverFillPathNV) #define glCoverStrokePathInstancedNV GLEW_GET_FUN(__glewCoverStrokePathInstancedNV) #define glCoverStrokePathNV GLEW_GET_FUN(__glewCoverStrokePathNV) #define glDeletePathsNV GLEW_GET_FUN(__glewDeletePathsNV) #define glGenPathsNV GLEW_GET_FUN(__glewGenPathsNV) #define glGetPathColorGenfvNV GLEW_GET_FUN(__glewGetPathColorGenfvNV) #define glGetPathColorGenivNV GLEW_GET_FUN(__glewGetPathColorGenivNV) #define glGetPathCommandsNV GLEW_GET_FUN(__glewGetPathCommandsNV) #define glGetPathCoordsNV GLEW_GET_FUN(__glewGetPathCoordsNV) #define glGetPathDashArrayNV GLEW_GET_FUN(__glewGetPathDashArrayNV) #define glGetPathLengthNV GLEW_GET_FUN(__glewGetPathLengthNV) #define glGetPathMetricRangeNV GLEW_GET_FUN(__glewGetPathMetricRangeNV) #define glGetPathMetricsNV GLEW_GET_FUN(__glewGetPathMetricsNV) #define glGetPathParameterfvNV GLEW_GET_FUN(__glewGetPathParameterfvNV) #define glGetPathParameterivNV GLEW_GET_FUN(__glewGetPathParameterivNV) #define glGetPathSpacingNV GLEW_GET_FUN(__glewGetPathSpacingNV) #define glGetPathTexGenfvNV GLEW_GET_FUN(__glewGetPathTexGenfvNV) #define glGetPathTexGenivNV GLEW_GET_FUN(__glewGetPathTexGenivNV) #define glGetProgramResourcefvNV GLEW_GET_FUN(__glewGetProgramResourcefvNV) #define glInterpolatePathsNV GLEW_GET_FUN(__glewInterpolatePathsNV) #define glIsPathNV GLEW_GET_FUN(__glewIsPathNV) #define glIsPointInFillPathNV GLEW_GET_FUN(__glewIsPointInFillPathNV) #define glIsPointInStrokePathNV GLEW_GET_FUN(__glewIsPointInStrokePathNV) #define glMatrixLoad3x2fNV GLEW_GET_FUN(__glewMatrixLoad3x2fNV) #define glMatrixLoad3x3fNV GLEW_GET_FUN(__glewMatrixLoad3x3fNV) #define glMatrixLoadTranspose3x3fNV GLEW_GET_FUN(__glewMatrixLoadTranspose3x3fNV) #define glMatrixMult3x2fNV GLEW_GET_FUN(__glewMatrixMult3x2fNV) #define glMatrixMult3x3fNV GLEW_GET_FUN(__glewMatrixMult3x3fNV) #define glMatrixMultTranspose3x3fNV GLEW_GET_FUN(__glewMatrixMultTranspose3x3fNV) #define glPathColorGenNV GLEW_GET_FUN(__glewPathColorGenNV) #define glPathCommandsNV GLEW_GET_FUN(__glewPathCommandsNV) #define glPathCoordsNV GLEW_GET_FUN(__glewPathCoordsNV) #define glPathCoverDepthFuncNV GLEW_GET_FUN(__glewPathCoverDepthFuncNV) #define glPathDashArrayNV GLEW_GET_FUN(__glewPathDashArrayNV) #define glPathFogGenNV GLEW_GET_FUN(__glewPathFogGenNV) #define glPathGlyphIndexArrayNV GLEW_GET_FUN(__glewPathGlyphIndexArrayNV) #define glPathGlyphIndexRangeNV GLEW_GET_FUN(__glewPathGlyphIndexRangeNV) #define glPathGlyphRangeNV GLEW_GET_FUN(__glewPathGlyphRangeNV) #define glPathGlyphsNV GLEW_GET_FUN(__glewPathGlyphsNV) #define glPathMemoryGlyphIndexArrayNV GLEW_GET_FUN(__glewPathMemoryGlyphIndexArrayNV) #define glPathParameterfNV GLEW_GET_FUN(__glewPathParameterfNV) #define glPathParameterfvNV GLEW_GET_FUN(__glewPathParameterfvNV) #define glPathParameteriNV GLEW_GET_FUN(__glewPathParameteriNV) #define glPathParameterivNV GLEW_GET_FUN(__glewPathParameterivNV) #define glPathStencilDepthOffsetNV GLEW_GET_FUN(__glewPathStencilDepthOffsetNV) #define glPathStencilFuncNV GLEW_GET_FUN(__glewPathStencilFuncNV) #define glPathStringNV GLEW_GET_FUN(__glewPathStringNV) #define glPathSubCommandsNV GLEW_GET_FUN(__glewPathSubCommandsNV) #define glPathSubCoordsNV GLEW_GET_FUN(__glewPathSubCoordsNV) #define glPathTexGenNV GLEW_GET_FUN(__glewPathTexGenNV) #define glPointAlongPathNV GLEW_GET_FUN(__glewPointAlongPathNV) #define glProgramPathFragmentInputGenNV GLEW_GET_FUN(__glewProgramPathFragmentInputGenNV) #define glStencilFillPathInstancedNV GLEW_GET_FUN(__glewStencilFillPathInstancedNV) #define glStencilFillPathNV GLEW_GET_FUN(__glewStencilFillPathNV) #define glStencilStrokePathInstancedNV GLEW_GET_FUN(__glewStencilStrokePathInstancedNV) #define glStencilStrokePathNV GLEW_GET_FUN(__glewStencilStrokePathNV) #define glStencilThenCoverFillPathInstancedNV GLEW_GET_FUN(__glewStencilThenCoverFillPathInstancedNV) #define glStencilThenCoverFillPathNV GLEW_GET_FUN(__glewStencilThenCoverFillPathNV) #define glStencilThenCoverStrokePathInstancedNV GLEW_GET_FUN(__glewStencilThenCoverStrokePathInstancedNV) #define glStencilThenCoverStrokePathNV GLEW_GET_FUN(__glewStencilThenCoverStrokePathNV) #define glTransformPathNV GLEW_GET_FUN(__glewTransformPathNV) #define glWeightPathsNV GLEW_GET_FUN(__glewWeightPathsNV) #define GLEW_NV_path_rendering GLEW_GET_VAR(__GLEW_NV_path_rendering) #endif /* GL_NV_path_rendering */ /* -------------------- GL_NV_path_rendering_shared_edge ------------------- */ #ifndef GL_NV_path_rendering_shared_edge #define GL_NV_path_rendering_shared_edge 1 #define GL_SHARED_EDGE_NV 0xC0 #define GLEW_NV_path_rendering_shared_edge GLEW_GET_VAR(__GLEW_NV_path_rendering_shared_edge) #endif /* GL_NV_path_rendering_shared_edge */ /* ----------------------- GL_NV_pixel_buffer_object ----------------------- */ #ifndef GL_NV_pixel_buffer_object #define GL_NV_pixel_buffer_object 1 #define GL_PIXEL_PACK_BUFFER_NV 0x88EB #define GL_PIXEL_UNPACK_BUFFER_NV 0x88EC #define GL_PIXEL_PACK_BUFFER_BINDING_NV 0x88ED #define GL_PIXEL_UNPACK_BUFFER_BINDING_NV 0x88EF #define GLEW_NV_pixel_buffer_object GLEW_GET_VAR(__GLEW_NV_pixel_buffer_object) #endif /* GL_NV_pixel_buffer_object */ /* ------------------------- GL_NV_pixel_data_range ------------------------ */ #ifndef GL_NV_pixel_data_range #define GL_NV_pixel_data_range 1 #define GL_WRITE_PIXEL_DATA_RANGE_NV 0x8878 #define GL_READ_PIXEL_DATA_RANGE_NV 0x8879 #define GL_WRITE_PIXEL_DATA_RANGE_LENGTH_NV 0x887A #define GL_READ_PIXEL_DATA_RANGE_LENGTH_NV 0x887B #define GL_WRITE_PIXEL_DATA_RANGE_POINTER_NV 0x887C #define GL_READ_PIXEL_DATA_RANGE_POINTER_NV 0x887D typedef void (GLAPIENTRY * PFNGLFLUSHPIXELDATARANGENVPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLPIXELDATARANGENVPROC) (GLenum target, GLsizei length, void *pointer); #define glFlushPixelDataRangeNV GLEW_GET_FUN(__glewFlushPixelDataRangeNV) #define glPixelDataRangeNV GLEW_GET_FUN(__glewPixelDataRangeNV) #define GLEW_NV_pixel_data_range GLEW_GET_VAR(__GLEW_NV_pixel_data_range) #endif /* GL_NV_pixel_data_range */ /* ------------------------- GL_NV_platform_binary ------------------------- */ #ifndef GL_NV_platform_binary #define GL_NV_platform_binary 1 #define GL_NVIDIA_PLATFORM_BINARY_NV 0x890B #define GLEW_NV_platform_binary GLEW_GET_VAR(__GLEW_NV_platform_binary) #endif /* GL_NV_platform_binary */ /* --------------------------- GL_NV_point_sprite -------------------------- */ #ifndef GL_NV_point_sprite #define GL_NV_point_sprite 1 #define GL_POINT_SPRITE_NV 0x8861 #define GL_COORD_REPLACE_NV 0x8862 #define GL_POINT_SPRITE_R_MODE_NV 0x8863 typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERINVPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERIVNVPROC) (GLenum pname, const GLint* params); #define glPointParameteriNV GLEW_GET_FUN(__glewPointParameteriNV) #define glPointParameterivNV GLEW_GET_FUN(__glewPointParameterivNV) #define GLEW_NV_point_sprite GLEW_GET_VAR(__GLEW_NV_point_sprite) #endif /* GL_NV_point_sprite */ /* --------------------------- GL_NV_polygon_mode -------------------------- */ #ifndef GL_NV_polygon_mode #define GL_NV_polygon_mode 1 #define GL_POLYGON_MODE_NV 0x0B40 #define GL_POINT_NV 0x1B00 #define GL_LINE_NV 0x1B01 #define GL_FILL_NV 0x1B02 #define GL_POLYGON_OFFSET_POINT_NV 0x2A01 #define GL_POLYGON_OFFSET_LINE_NV 0x2A02 typedef void (GLAPIENTRY * PFNGLPOLYGONMODENVPROC) (GLenum face, GLenum mode); #define glPolygonModeNV GLEW_GET_FUN(__glewPolygonModeNV) #define GLEW_NV_polygon_mode GLEW_GET_VAR(__GLEW_NV_polygon_mode) #endif /* GL_NV_polygon_mode */ /* -------------------------- GL_NV_present_video -------------------------- */ #ifndef GL_NV_present_video #define GL_NV_present_video 1 #define GL_FRAME_NV 0x8E26 #define GL_FIELDS_NV 0x8E27 #define GL_CURRENT_TIME_NV 0x8E28 #define GL_NUM_FILL_STREAMS_NV 0x8E29 #define GL_PRESENT_TIME_NV 0x8E2A #define GL_PRESENT_DURATION_NV 0x8E2B typedef void (GLAPIENTRY * PFNGLGETVIDEOI64VNVPROC) (GLuint video_slot, GLenum pname, GLint64EXT* params); typedef void (GLAPIENTRY * PFNGLGETVIDEOIVNVPROC) (GLuint video_slot, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVIDEOUI64VNVPROC) (GLuint video_slot, GLenum pname, GLuint64EXT* params); typedef void (GLAPIENTRY * PFNGLGETVIDEOUIVNVPROC) (GLuint video_slot, GLenum pname, GLuint* params); typedef void (GLAPIENTRY * PFNGLPRESENTFRAMEDUALFILLNVPROC) (GLuint video_slot, GLuint64EXT minPresentTime, GLuint beginPresentTimeId, GLuint presentDurationId, GLenum type, GLenum target0, GLuint fill0, GLenum target1, GLuint fill1, GLenum target2, GLuint fill2, GLenum target3, GLuint fill3); typedef void (GLAPIENTRY * PFNGLPRESENTFRAMEKEYEDNVPROC) (GLuint video_slot, GLuint64EXT minPresentTime, GLuint beginPresentTimeId, GLuint presentDurationId, GLenum type, GLenum target0, GLuint fill0, GLuint key0, GLenum target1, GLuint fill1, GLuint key1); #define glGetVideoi64vNV GLEW_GET_FUN(__glewGetVideoi64vNV) #define glGetVideoivNV GLEW_GET_FUN(__glewGetVideoivNV) #define glGetVideoui64vNV GLEW_GET_FUN(__glewGetVideoui64vNV) #define glGetVideouivNV GLEW_GET_FUN(__glewGetVideouivNV) #define glPresentFrameDualFillNV GLEW_GET_FUN(__glewPresentFrameDualFillNV) #define glPresentFrameKeyedNV GLEW_GET_FUN(__glewPresentFrameKeyedNV) #define GLEW_NV_present_video GLEW_GET_VAR(__GLEW_NV_present_video) #endif /* GL_NV_present_video */ /* ------------------------ GL_NV_primitive_restart ------------------------ */ #ifndef GL_NV_primitive_restart #define GL_NV_primitive_restart 1 #define GL_PRIMITIVE_RESTART_NV 0x8558 #define GL_PRIMITIVE_RESTART_INDEX_NV 0x8559 typedef void (GLAPIENTRY * PFNGLPRIMITIVERESTARTINDEXNVPROC) (GLuint index); typedef void (GLAPIENTRY * PFNGLPRIMITIVERESTARTNVPROC) (void); #define glPrimitiveRestartIndexNV GLEW_GET_FUN(__glewPrimitiveRestartIndexNV) #define glPrimitiveRestartNV GLEW_GET_FUN(__glewPrimitiveRestartNV) #define GLEW_NV_primitive_restart GLEW_GET_VAR(__GLEW_NV_primitive_restart) #endif /* GL_NV_primitive_restart */ /* ---------------------------- GL_NV_read_depth --------------------------- */ #ifndef GL_NV_read_depth #define GL_NV_read_depth 1 #define GLEW_NV_read_depth GLEW_GET_VAR(__GLEW_NV_read_depth) #endif /* GL_NV_read_depth */ /* ------------------------ GL_NV_read_depth_stencil ----------------------- */ #ifndef GL_NV_read_depth_stencil #define GL_NV_read_depth_stencil 1 #define GLEW_NV_read_depth_stencil GLEW_GET_VAR(__GLEW_NV_read_depth_stencil) #endif /* GL_NV_read_depth_stencil */ /* --------------------------- GL_NV_read_stencil -------------------------- */ #ifndef GL_NV_read_stencil #define GL_NV_read_stencil 1 #define GLEW_NV_read_stencil GLEW_GET_VAR(__GLEW_NV_read_stencil) #endif /* GL_NV_read_stencil */ /* ------------------------ GL_NV_register_combiners ----------------------- */ #ifndef GL_NV_register_combiners #define GL_NV_register_combiners 1 #define GL_REGISTER_COMBINERS_NV 0x8522 #define GL_VARIABLE_A_NV 0x8523 #define GL_VARIABLE_B_NV 0x8524 #define GL_VARIABLE_C_NV 0x8525 #define GL_VARIABLE_D_NV 0x8526 #define GL_VARIABLE_E_NV 0x8527 #define GL_VARIABLE_F_NV 0x8528 #define GL_VARIABLE_G_NV 0x8529 #define GL_CONSTANT_COLOR0_NV 0x852A #define GL_CONSTANT_COLOR1_NV 0x852B #define GL_PRIMARY_COLOR_NV 0x852C #define GL_SECONDARY_COLOR_NV 0x852D #define GL_SPARE0_NV 0x852E #define GL_SPARE1_NV 0x852F #define GL_DISCARD_NV 0x8530 #define GL_E_TIMES_F_NV 0x8531 #define GL_SPARE0_PLUS_SECONDARY_COLOR_NV 0x8532 #define GL_UNSIGNED_IDENTITY_NV 0x8536 #define GL_UNSIGNED_INVERT_NV 0x8537 #define GL_EXPAND_NORMAL_NV 0x8538 #define GL_EXPAND_NEGATE_NV 0x8539 #define GL_HALF_BIAS_NORMAL_NV 0x853A #define GL_HALF_BIAS_NEGATE_NV 0x853B #define GL_SIGNED_IDENTITY_NV 0x853C #define GL_SIGNED_NEGATE_NV 0x853D #define GL_SCALE_BY_TWO_NV 0x853E #define GL_SCALE_BY_FOUR_NV 0x853F #define GL_SCALE_BY_ONE_HALF_NV 0x8540 #define GL_BIAS_BY_NEGATIVE_ONE_HALF_NV 0x8541 #define GL_COMBINER_INPUT_NV 0x8542 #define GL_COMBINER_MAPPING_NV 0x8543 #define GL_COMBINER_COMPONENT_USAGE_NV 0x8544 #define GL_COMBINER_AB_DOT_PRODUCT_NV 0x8545 #define GL_COMBINER_CD_DOT_PRODUCT_NV 0x8546 #define GL_COMBINER_MUX_SUM_NV 0x8547 #define GL_COMBINER_SCALE_NV 0x8548 #define GL_COMBINER_BIAS_NV 0x8549 #define GL_COMBINER_AB_OUTPUT_NV 0x854A #define GL_COMBINER_CD_OUTPUT_NV 0x854B #define GL_COMBINER_SUM_OUTPUT_NV 0x854C #define GL_MAX_GENERAL_COMBINERS_NV 0x854D #define GL_NUM_GENERAL_COMBINERS_NV 0x854E #define GL_COLOR_SUM_CLAMP_NV 0x854F #define GL_COMBINER0_NV 0x8550 #define GL_COMBINER1_NV 0x8551 #define GL_COMBINER2_NV 0x8552 #define GL_COMBINER3_NV 0x8553 #define GL_COMBINER4_NV 0x8554 #define GL_COMBINER5_NV 0x8555 #define GL_COMBINER6_NV 0x8556 #define GL_COMBINER7_NV 0x8557 typedef void (GLAPIENTRY * PFNGLCOMBINERINPUTNVPROC) (GLenum stage, GLenum portion, GLenum variable, GLenum input, GLenum mapping, GLenum componentUsage); typedef void (GLAPIENTRY * PFNGLCOMBINEROUTPUTNVPROC) (GLenum stage, GLenum portion, GLenum abOutput, GLenum cdOutput, GLenum sumOutput, GLenum scale, GLenum bias, GLboolean abDotProduct, GLboolean cdDotProduct, GLboolean muxSum); typedef void (GLAPIENTRY * PFNGLCOMBINERPARAMETERFNVPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLCOMBINERPARAMETERFVNVPROC) (GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLCOMBINERPARAMETERINVPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLCOMBINERPARAMETERIVNVPROC) (GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLFINALCOMBINERINPUTNVPROC) (GLenum variable, GLenum input, GLenum mapping, GLenum componentUsage); typedef void (GLAPIENTRY * PFNGLGETCOMBINERINPUTPARAMETERFVNVPROC) (GLenum stage, GLenum portion, GLenum variable, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETCOMBINERINPUTPARAMETERIVNVPROC) (GLenum stage, GLenum portion, GLenum variable, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETCOMBINEROUTPUTPARAMETERFVNVPROC) (GLenum stage, GLenum portion, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETCOMBINEROUTPUTPARAMETERIVNVPROC) (GLenum stage, GLenum portion, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETFINALCOMBINERINPUTPARAMETERFVNVPROC) (GLenum variable, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETFINALCOMBINERINPUTPARAMETERIVNVPROC) (GLenum variable, GLenum pname, GLint* params); #define glCombinerInputNV GLEW_GET_FUN(__glewCombinerInputNV) #define glCombinerOutputNV GLEW_GET_FUN(__glewCombinerOutputNV) #define glCombinerParameterfNV GLEW_GET_FUN(__glewCombinerParameterfNV) #define glCombinerParameterfvNV GLEW_GET_FUN(__glewCombinerParameterfvNV) #define glCombinerParameteriNV GLEW_GET_FUN(__glewCombinerParameteriNV) #define glCombinerParameterivNV GLEW_GET_FUN(__glewCombinerParameterivNV) #define glFinalCombinerInputNV GLEW_GET_FUN(__glewFinalCombinerInputNV) #define glGetCombinerInputParameterfvNV GLEW_GET_FUN(__glewGetCombinerInputParameterfvNV) #define glGetCombinerInputParameterivNV GLEW_GET_FUN(__glewGetCombinerInputParameterivNV) #define glGetCombinerOutputParameterfvNV GLEW_GET_FUN(__glewGetCombinerOutputParameterfvNV) #define glGetCombinerOutputParameterivNV GLEW_GET_FUN(__glewGetCombinerOutputParameterivNV) #define glGetFinalCombinerInputParameterfvNV GLEW_GET_FUN(__glewGetFinalCombinerInputParameterfvNV) #define glGetFinalCombinerInputParameterivNV GLEW_GET_FUN(__glewGetFinalCombinerInputParameterivNV) #define GLEW_NV_register_combiners GLEW_GET_VAR(__GLEW_NV_register_combiners) #endif /* GL_NV_register_combiners */ /* ----------------------- GL_NV_register_combiners2 ----------------------- */ #ifndef GL_NV_register_combiners2 #define GL_NV_register_combiners2 1 #define GL_PER_STAGE_CONSTANTS_NV 0x8535 typedef void (GLAPIENTRY * PFNGLCOMBINERSTAGEPARAMETERFVNVPROC) (GLenum stage, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETCOMBINERSTAGEPARAMETERFVNVPROC) (GLenum stage, GLenum pname, GLfloat* params); #define glCombinerStageParameterfvNV GLEW_GET_FUN(__glewCombinerStageParameterfvNV) #define glGetCombinerStageParameterfvNV GLEW_GET_FUN(__glewGetCombinerStageParameterfvNV) #define GLEW_NV_register_combiners2 GLEW_GET_VAR(__GLEW_NV_register_combiners2) #endif /* GL_NV_register_combiners2 */ /* ------------------ GL_NV_robustness_video_memory_purge ------------------ */ #ifndef GL_NV_robustness_video_memory_purge #define GL_NV_robustness_video_memory_purge 1 #define GL_EGL_GENERATE_RESET_ON_VIDEO_MEMORY_PURGE_NV 0x334C #define GL_PURGED_CONTEXT_RESET_NV 0x92BB #define GLEW_NV_robustness_video_memory_purge GLEW_GET_VAR(__GLEW_NV_robustness_video_memory_purge) #endif /* GL_NV_robustness_video_memory_purge */ /* --------------------------- GL_NV_sRGB_formats -------------------------- */ #ifndef GL_NV_sRGB_formats #define GL_NV_sRGB_formats 1 #define GL_ETC1_SRGB8_NV 0x88EE #define GL_SRGB8_NV 0x8C41 #define GL_SLUMINANCE_ALPHA_NV 0x8C44 #define GL_SLUMINANCE8_ALPHA8_NV 0x8C45 #define GL_SLUMINANCE_NV 0x8C46 #define GL_SLUMINANCE8_NV 0x8C47 #define GL_COMPRESSED_SRGB_S3TC_DXT1_NV 0x8C4C #define GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT1_NV 0x8C4D #define GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT3_NV 0x8C4E #define GL_COMPRESSED_SRGB_ALPHA_S3TC_DXT5_NV 0x8C4F #define GLEW_NV_sRGB_formats GLEW_GET_VAR(__GLEW_NV_sRGB_formats) #endif /* GL_NV_sRGB_formats */ /* ------------------------- GL_NV_sample_locations ------------------------ */ #ifndef GL_NV_sample_locations #define GL_NV_sample_locations 1 #define GL_SAMPLE_LOCATION_NV 0x8E50 #define GL_SAMPLE_LOCATION_SUBPIXEL_BITS_NV 0x933D #define GL_SAMPLE_LOCATION_PIXEL_GRID_WIDTH_NV 0x933E #define GL_SAMPLE_LOCATION_PIXEL_GRID_HEIGHT_NV 0x933F #define GL_PROGRAMMABLE_SAMPLE_LOCATION_TABLE_SIZE_NV 0x9340 #define GL_PROGRAMMABLE_SAMPLE_LOCATION_NV 0x9341 #define GL_FRAMEBUFFER_PROGRAMMABLE_SAMPLE_LOCATIONS_NV 0x9342 #define GL_FRAMEBUFFER_SAMPLE_LOCATION_PIXEL_GRID_NV 0x9343 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERSAMPLELOCATIONSFVNVPROC) (GLenum target, GLuint start, GLsizei count, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVNVPROC) (GLuint framebuffer, GLuint start, GLsizei count, const GLfloat* v); #define glFramebufferSampleLocationsfvNV GLEW_GET_FUN(__glewFramebufferSampleLocationsfvNV) #define glNamedFramebufferSampleLocationsfvNV GLEW_GET_FUN(__glewNamedFramebufferSampleLocationsfvNV) #define GLEW_NV_sample_locations GLEW_GET_VAR(__GLEW_NV_sample_locations) #endif /* GL_NV_sample_locations */ /* ------------------ GL_NV_sample_mask_override_coverage ------------------ */ #ifndef GL_NV_sample_mask_override_coverage #define GL_NV_sample_mask_override_coverage 1 #define GLEW_NV_sample_mask_override_coverage GLEW_GET_VAR(__GLEW_NV_sample_mask_override_coverage) #endif /* GL_NV_sample_mask_override_coverage */ /* ---------------------- GL_NV_shader_atomic_counters --------------------- */ #ifndef GL_NV_shader_atomic_counters #define GL_NV_shader_atomic_counters 1 #define GLEW_NV_shader_atomic_counters GLEW_GET_VAR(__GLEW_NV_shader_atomic_counters) #endif /* GL_NV_shader_atomic_counters */ /* ----------------------- GL_NV_shader_atomic_float ----------------------- */ #ifndef GL_NV_shader_atomic_float #define GL_NV_shader_atomic_float 1 #define GLEW_NV_shader_atomic_float GLEW_GET_VAR(__GLEW_NV_shader_atomic_float) #endif /* GL_NV_shader_atomic_float */ /* ---------------------- GL_NV_shader_atomic_float64 ---------------------- */ #ifndef GL_NV_shader_atomic_float64 #define GL_NV_shader_atomic_float64 1 #define GLEW_NV_shader_atomic_float64 GLEW_GET_VAR(__GLEW_NV_shader_atomic_float64) #endif /* GL_NV_shader_atomic_float64 */ /* -------------------- GL_NV_shader_atomic_fp16_vector -------------------- */ #ifndef GL_NV_shader_atomic_fp16_vector #define GL_NV_shader_atomic_fp16_vector 1 #define GLEW_NV_shader_atomic_fp16_vector GLEW_GET_VAR(__GLEW_NV_shader_atomic_fp16_vector) #endif /* GL_NV_shader_atomic_fp16_vector */ /* ----------------------- GL_NV_shader_atomic_int64 ----------------------- */ #ifndef GL_NV_shader_atomic_int64 #define GL_NV_shader_atomic_int64 1 #define GLEW_NV_shader_atomic_int64 GLEW_GET_VAR(__GLEW_NV_shader_atomic_int64) #endif /* GL_NV_shader_atomic_int64 */ /* ------------------------ GL_NV_shader_buffer_load ----------------------- */ #ifndef GL_NV_shader_buffer_load #define GL_NV_shader_buffer_load 1 #define GL_BUFFER_GPU_ADDRESS_NV 0x8F1D #define GL_GPU_ADDRESS_NV 0x8F34 #define GL_MAX_SHADER_BUFFER_ADDRESS_NV 0x8F35 typedef void (GLAPIENTRY * PFNGLGETBUFFERPARAMETERUI64VNVPROC) (GLenum target, GLenum pname, GLuint64EXT* params); typedef void (GLAPIENTRY * PFNGLGETINTEGERUI64VNVPROC) (GLenum value, GLuint64EXT* result); typedef void (GLAPIENTRY * PFNGLGETNAMEDBUFFERPARAMETERUI64VNVPROC) (GLuint buffer, GLenum pname, GLuint64EXT* params); typedef GLboolean (GLAPIENTRY * PFNGLISBUFFERRESIDENTNVPROC) (GLenum target); typedef GLboolean (GLAPIENTRY * PFNGLISNAMEDBUFFERRESIDENTNVPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLMAKEBUFFERNONRESIDENTNVPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLMAKEBUFFERRESIDENTNVPROC) (GLenum target, GLenum access); typedef void (GLAPIENTRY * PFNGLMAKENAMEDBUFFERNONRESIDENTNVPROC) (GLuint buffer); typedef void (GLAPIENTRY * PFNGLMAKENAMEDBUFFERRESIDENTNVPROC) (GLuint buffer, GLenum access); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMUI64NVPROC) (GLuint program, GLint location, GLuint64EXT value); typedef void (GLAPIENTRY * PFNGLPROGRAMUNIFORMUI64VNVPROC) (GLuint program, GLint location, GLsizei count, const GLuint64EXT* value); typedef void (GLAPIENTRY * PFNGLUNIFORMUI64NVPROC) (GLint location, GLuint64EXT value); typedef void (GLAPIENTRY * PFNGLUNIFORMUI64VNVPROC) (GLint location, GLsizei count, const GLuint64EXT* value); #define glGetBufferParameterui64vNV GLEW_GET_FUN(__glewGetBufferParameterui64vNV) #define glGetIntegerui64vNV GLEW_GET_FUN(__glewGetIntegerui64vNV) #define glGetNamedBufferParameterui64vNV GLEW_GET_FUN(__glewGetNamedBufferParameterui64vNV) #define glIsBufferResidentNV GLEW_GET_FUN(__glewIsBufferResidentNV) #define glIsNamedBufferResidentNV GLEW_GET_FUN(__glewIsNamedBufferResidentNV) #define glMakeBufferNonResidentNV GLEW_GET_FUN(__glewMakeBufferNonResidentNV) #define glMakeBufferResidentNV GLEW_GET_FUN(__glewMakeBufferResidentNV) #define glMakeNamedBufferNonResidentNV GLEW_GET_FUN(__glewMakeNamedBufferNonResidentNV) #define glMakeNamedBufferResidentNV GLEW_GET_FUN(__glewMakeNamedBufferResidentNV) #define glProgramUniformui64NV GLEW_GET_FUN(__glewProgramUniformui64NV) #define glProgramUniformui64vNV GLEW_GET_FUN(__glewProgramUniformui64vNV) #define glUniformui64NV GLEW_GET_FUN(__glewUniformui64NV) #define glUniformui64vNV GLEW_GET_FUN(__glewUniformui64vNV) #define GLEW_NV_shader_buffer_load GLEW_GET_VAR(__GLEW_NV_shader_buffer_load) #endif /* GL_NV_shader_buffer_load */ /* ---------------- GL_NV_shader_noperspective_interpolation --------------- */ #ifndef GL_NV_shader_noperspective_interpolation #define GL_NV_shader_noperspective_interpolation 1 #define GLEW_NV_shader_noperspective_interpolation GLEW_GET_VAR(__GLEW_NV_shader_noperspective_interpolation) #endif /* GL_NV_shader_noperspective_interpolation */ /* ------------------- GL_NV_shader_storage_buffer_object ------------------ */ #ifndef GL_NV_shader_storage_buffer_object #define GL_NV_shader_storage_buffer_object 1 #define GLEW_NV_shader_storage_buffer_object GLEW_GET_VAR(__GLEW_NV_shader_storage_buffer_object) #endif /* GL_NV_shader_storage_buffer_object */ /* ----------------------- GL_NV_shader_thread_group ----------------------- */ #ifndef GL_NV_shader_thread_group #define GL_NV_shader_thread_group 1 #define GL_WARP_SIZE_NV 0x9339 #define GL_WARPS_PER_SM_NV 0x933A #define GL_SM_COUNT_NV 0x933B #define GLEW_NV_shader_thread_group GLEW_GET_VAR(__GLEW_NV_shader_thread_group) #endif /* GL_NV_shader_thread_group */ /* ---------------------- GL_NV_shader_thread_shuffle ---------------------- */ #ifndef GL_NV_shader_thread_shuffle #define GL_NV_shader_thread_shuffle 1 #define GLEW_NV_shader_thread_shuffle GLEW_GET_VAR(__GLEW_NV_shader_thread_shuffle) #endif /* GL_NV_shader_thread_shuffle */ /* ---------------------- GL_NV_shadow_samplers_array ---------------------- */ #ifndef GL_NV_shadow_samplers_array #define GL_NV_shadow_samplers_array 1 #define GL_SAMPLER_2D_ARRAY_SHADOW_NV 0x8DC4 #define GLEW_NV_shadow_samplers_array GLEW_GET_VAR(__GLEW_NV_shadow_samplers_array) #endif /* GL_NV_shadow_samplers_array */ /* ----------------------- GL_NV_shadow_samplers_cube ---------------------- */ #ifndef GL_NV_shadow_samplers_cube #define GL_NV_shadow_samplers_cube 1 #define GL_SAMPLER_CUBE_SHADOW_NV 0x8DC5 #define GLEW_NV_shadow_samplers_cube GLEW_GET_VAR(__GLEW_NV_shadow_samplers_cube) #endif /* GL_NV_shadow_samplers_cube */ /* ---------------------- GL_NV_stereo_view_rendering ---------------------- */ #ifndef GL_NV_stereo_view_rendering #define GL_NV_stereo_view_rendering 1 #define GLEW_NV_stereo_view_rendering GLEW_GET_VAR(__GLEW_NV_stereo_view_rendering) #endif /* GL_NV_stereo_view_rendering */ /* ---------------------- GL_NV_tessellation_program5 ---------------------- */ #ifndef GL_NV_tessellation_program5 #define GL_NV_tessellation_program5 1 #define GL_MAX_PROGRAM_PATCH_ATTRIBS_NV 0x86D8 #define GL_TESS_CONTROL_PROGRAM_NV 0x891E #define GL_TESS_EVALUATION_PROGRAM_NV 0x891F #define GL_TESS_CONTROL_PROGRAM_PARAMETER_BUFFER_NV 0x8C74 #define GL_TESS_EVALUATION_PROGRAM_PARAMETER_BUFFER_NV 0x8C75 #define GLEW_NV_tessellation_program5 GLEW_GET_VAR(__GLEW_NV_tessellation_program5) #endif /* GL_NV_tessellation_program5 */ /* -------------------------- GL_NV_texgen_emboss -------------------------- */ #ifndef GL_NV_texgen_emboss #define GL_NV_texgen_emboss 1 #define GL_EMBOSS_LIGHT_NV 0x855D #define GL_EMBOSS_CONSTANT_NV 0x855E #define GL_EMBOSS_MAP_NV 0x855F #define GLEW_NV_texgen_emboss GLEW_GET_VAR(__GLEW_NV_texgen_emboss) #endif /* GL_NV_texgen_emboss */ /* ------------------------ GL_NV_texgen_reflection ------------------------ */ #ifndef GL_NV_texgen_reflection #define GL_NV_texgen_reflection 1 #define GL_NORMAL_MAP_NV 0x8511 #define GL_REFLECTION_MAP_NV 0x8512 #define GLEW_NV_texgen_reflection GLEW_GET_VAR(__GLEW_NV_texgen_reflection) #endif /* GL_NV_texgen_reflection */ /* -------------------------- GL_NV_texture_array -------------------------- */ #ifndef GL_NV_texture_array #define GL_NV_texture_array 1 #define GL_UNPACK_SKIP_IMAGES_NV 0x806D #define GL_UNPACK_IMAGE_HEIGHT_NV 0x806E #define GL_MAX_ARRAY_TEXTURE_LAYERS_NV 0x88FF #define GL_TEXTURE_2D_ARRAY_NV 0x8C1A #define GL_TEXTURE_BINDING_2D_ARRAY_NV 0x8C1D #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_LAYER_NV 0x8CD4 #define GL_SAMPLER_2D_ARRAY_NV 0x8DC1 typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXIMAGE3DNVPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOMPRESSEDTEXSUBIMAGE3DNVPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLsizei imageSize, const void *data); typedef void (GLAPIENTRY * PFNGLCOPYTEXSUBIMAGE3DNVPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint x, GLint y, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTURELAYERNVPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLint layer); typedef void (GLAPIENTRY * PFNGLTEXIMAGE3DNVPROC) (GLenum target, GLint level, GLenum internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXSUBIMAGE3DNVPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, const void *pixels); #define glCompressedTexImage3DNV GLEW_GET_FUN(__glewCompressedTexImage3DNV) #define glCompressedTexSubImage3DNV GLEW_GET_FUN(__glewCompressedTexSubImage3DNV) #define glCopyTexSubImage3DNV GLEW_GET_FUN(__glewCopyTexSubImage3DNV) #define glFramebufferTextureLayerNV GLEW_GET_FUN(__glewFramebufferTextureLayerNV) #define glTexImage3DNV GLEW_GET_FUN(__glewTexImage3DNV) #define glTexSubImage3DNV GLEW_GET_FUN(__glewTexSubImage3DNV) #define GLEW_NV_texture_array GLEW_GET_VAR(__GLEW_NV_texture_array) #endif /* GL_NV_texture_array */ /* ------------------------- GL_NV_texture_barrier ------------------------- */ #ifndef GL_NV_texture_barrier #define GL_NV_texture_barrier 1 typedef void (GLAPIENTRY * PFNGLTEXTUREBARRIERNVPROC) (void); #define glTextureBarrierNV GLEW_GET_FUN(__glewTextureBarrierNV) #define GLEW_NV_texture_barrier GLEW_GET_VAR(__GLEW_NV_texture_barrier) #endif /* GL_NV_texture_barrier */ /* ----------------------- GL_NV_texture_border_clamp ---------------------- */ #ifndef GL_NV_texture_border_clamp #define GL_NV_texture_border_clamp 1 #define GL_TEXTURE_BORDER_COLOR_NV 0x1004 #define GL_CLAMP_TO_BORDER_NV 0x812D #define GLEW_NV_texture_border_clamp GLEW_GET_VAR(__GLEW_NV_texture_border_clamp) #endif /* GL_NV_texture_border_clamp */ /* --------------------- GL_NV_texture_compression_latc -------------------- */ #ifndef GL_NV_texture_compression_latc #define GL_NV_texture_compression_latc 1 #define GL_COMPRESSED_LUMINANCE_LATC1_NV 0x8C70 #define GL_COMPRESSED_SIGNED_LUMINANCE_LATC1_NV 0x8C71 #define GL_COMPRESSED_LUMINANCE_ALPHA_LATC2_NV 0x8C72 #define GL_COMPRESSED_SIGNED_LUMINANCE_ALPHA_LATC2_NV 0x8C73 #define GLEW_NV_texture_compression_latc GLEW_GET_VAR(__GLEW_NV_texture_compression_latc) #endif /* GL_NV_texture_compression_latc */ /* --------------------- GL_NV_texture_compression_s3tc -------------------- */ #ifndef GL_NV_texture_compression_s3tc #define GL_NV_texture_compression_s3tc 1 #define GL_COMPRESSED_RGB_S3TC_DXT1_NV 0x83F0 #define GL_COMPRESSED_RGBA_S3TC_DXT1_NV 0x83F1 #define GL_COMPRESSED_RGBA_S3TC_DXT3_NV 0x83F2 #define GL_COMPRESSED_RGBA_S3TC_DXT5_NV 0x83F3 #define GLEW_NV_texture_compression_s3tc GLEW_GET_VAR(__GLEW_NV_texture_compression_s3tc) #endif /* GL_NV_texture_compression_s3tc */ /* ----------------- GL_NV_texture_compression_s3tc_update ----------------- */ #ifndef GL_NV_texture_compression_s3tc_update #define GL_NV_texture_compression_s3tc_update 1 #define GLEW_NV_texture_compression_s3tc_update GLEW_GET_VAR(__GLEW_NV_texture_compression_s3tc_update) #endif /* GL_NV_texture_compression_s3tc_update */ /* --------------------- GL_NV_texture_compression_vtc --------------------- */ #ifndef GL_NV_texture_compression_vtc #define GL_NV_texture_compression_vtc 1 #define GLEW_NV_texture_compression_vtc GLEW_GET_VAR(__GLEW_NV_texture_compression_vtc) #endif /* GL_NV_texture_compression_vtc */ /* ----------------------- GL_NV_texture_env_combine4 ---------------------- */ #ifndef GL_NV_texture_env_combine4 #define GL_NV_texture_env_combine4 1 #define GL_COMBINE4_NV 0x8503 #define GL_SOURCE3_RGB_NV 0x8583 #define GL_SOURCE3_ALPHA_NV 0x858B #define GL_OPERAND3_RGB_NV 0x8593 #define GL_OPERAND3_ALPHA_NV 0x859B #define GLEW_NV_texture_env_combine4 GLEW_GET_VAR(__GLEW_NV_texture_env_combine4) #endif /* GL_NV_texture_env_combine4 */ /* ---------------------- GL_NV_texture_expand_normal ---------------------- */ #ifndef GL_NV_texture_expand_normal #define GL_NV_texture_expand_normal 1 #define GL_TEXTURE_UNSIGNED_REMAP_MODE_NV 0x888F #define GLEW_NV_texture_expand_normal GLEW_GET_VAR(__GLEW_NV_texture_expand_normal) #endif /* GL_NV_texture_expand_normal */ /* ----------------------- GL_NV_texture_multisample ----------------------- */ #ifndef GL_NV_texture_multisample #define GL_NV_texture_multisample 1 #define GL_TEXTURE_COVERAGE_SAMPLES_NV 0x9045 #define GL_TEXTURE_COLOR_SAMPLES_NV 0x9046 typedef void (GLAPIENTRY * PFNGLTEXIMAGE2DMULTISAMPLECOVERAGENVPROC) (GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations); typedef void (GLAPIENTRY * PFNGLTEXIMAGE3DMULTISAMPLECOVERAGENVPROC) (GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE2DMULTISAMPLECOVERAGENVPROC) (GLuint texture, GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE2DMULTISAMPLENVPROC) (GLuint texture, GLenum target, GLsizei samples, GLint internalFormat, GLsizei width, GLsizei height, GLboolean fixedSampleLocations); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE3DMULTISAMPLECOVERAGENVPROC) (GLuint texture, GLenum target, GLsizei coverageSamples, GLsizei colorSamples, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations); typedef void (GLAPIENTRY * PFNGLTEXTUREIMAGE3DMULTISAMPLENVPROC) (GLuint texture, GLenum target, GLsizei samples, GLint internalFormat, GLsizei width, GLsizei height, GLsizei depth, GLboolean fixedSampleLocations); #define glTexImage2DMultisampleCoverageNV GLEW_GET_FUN(__glewTexImage2DMultisampleCoverageNV) #define glTexImage3DMultisampleCoverageNV GLEW_GET_FUN(__glewTexImage3DMultisampleCoverageNV) #define glTextureImage2DMultisampleCoverageNV GLEW_GET_FUN(__glewTextureImage2DMultisampleCoverageNV) #define glTextureImage2DMultisampleNV GLEW_GET_FUN(__glewTextureImage2DMultisampleNV) #define glTextureImage3DMultisampleCoverageNV GLEW_GET_FUN(__glewTextureImage3DMultisampleCoverageNV) #define glTextureImage3DMultisampleNV GLEW_GET_FUN(__glewTextureImage3DMultisampleNV) #define GLEW_NV_texture_multisample GLEW_GET_VAR(__GLEW_NV_texture_multisample) #endif /* GL_NV_texture_multisample */ /* ---------------------- GL_NV_texture_npot_2D_mipmap --------------------- */ #ifndef GL_NV_texture_npot_2D_mipmap #define GL_NV_texture_npot_2D_mipmap 1 #define GLEW_NV_texture_npot_2D_mipmap GLEW_GET_VAR(__GLEW_NV_texture_npot_2D_mipmap) #endif /* GL_NV_texture_npot_2D_mipmap */ /* ------------------------ GL_NV_texture_rectangle ------------------------ */ #ifndef GL_NV_texture_rectangle #define GL_NV_texture_rectangle 1 #define GL_TEXTURE_RECTANGLE_NV 0x84F5 #define GL_TEXTURE_BINDING_RECTANGLE_NV 0x84F6 #define GL_PROXY_TEXTURE_RECTANGLE_NV 0x84F7 #define GL_MAX_RECTANGLE_TEXTURE_SIZE_NV 0x84F8 #define GLEW_NV_texture_rectangle GLEW_GET_VAR(__GLEW_NV_texture_rectangle) #endif /* GL_NV_texture_rectangle */ /* ------------------- GL_NV_texture_rectangle_compressed ------------------ */ #ifndef GL_NV_texture_rectangle_compressed #define GL_NV_texture_rectangle_compressed 1 #define GLEW_NV_texture_rectangle_compressed GLEW_GET_VAR(__GLEW_NV_texture_rectangle_compressed) #endif /* GL_NV_texture_rectangle_compressed */ /* -------------------------- GL_NV_texture_shader ------------------------- */ #ifndef GL_NV_texture_shader #define GL_NV_texture_shader 1 #define GL_OFFSET_TEXTURE_RECTANGLE_NV 0x864C #define GL_OFFSET_TEXTURE_RECTANGLE_SCALE_NV 0x864D #define GL_DOT_PRODUCT_TEXTURE_RECTANGLE_NV 0x864E #define GL_RGBA_UNSIGNED_DOT_PRODUCT_MAPPING_NV 0x86D9 #define GL_UNSIGNED_INT_S8_S8_8_8_NV 0x86DA #define GL_UNSIGNED_INT_8_8_S8_S8_REV_NV 0x86DB #define GL_DSDT_MAG_INTENSITY_NV 0x86DC #define GL_SHADER_CONSISTENT_NV 0x86DD #define GL_TEXTURE_SHADER_NV 0x86DE #define GL_SHADER_OPERATION_NV 0x86DF #define GL_CULL_MODES_NV 0x86E0 #define GL_OFFSET_TEXTURE_2D_MATRIX_NV 0x86E1 #define GL_OFFSET_TEXTURE_MATRIX_NV 0x86E1 #define GL_OFFSET_TEXTURE_2D_SCALE_NV 0x86E2 #define GL_OFFSET_TEXTURE_SCALE_NV 0x86E2 #define GL_OFFSET_TEXTURE_2D_BIAS_NV 0x86E3 #define GL_OFFSET_TEXTURE_BIAS_NV 0x86E3 #define GL_PREVIOUS_TEXTURE_INPUT_NV 0x86E4 #define GL_CONST_EYE_NV 0x86E5 #define GL_PASS_THROUGH_NV 0x86E6 #define GL_CULL_FRAGMENT_NV 0x86E7 #define GL_OFFSET_TEXTURE_2D_NV 0x86E8 #define GL_DEPENDENT_AR_TEXTURE_2D_NV 0x86E9 #define GL_DEPENDENT_GB_TEXTURE_2D_NV 0x86EA #define GL_DOT_PRODUCT_NV 0x86EC #define GL_DOT_PRODUCT_DEPTH_REPLACE_NV 0x86ED #define GL_DOT_PRODUCT_TEXTURE_2D_NV 0x86EE #define GL_DOT_PRODUCT_TEXTURE_CUBE_MAP_NV 0x86F0 #define GL_DOT_PRODUCT_DIFFUSE_CUBE_MAP_NV 0x86F1 #define GL_DOT_PRODUCT_REFLECT_CUBE_MAP_NV 0x86F2 #define GL_DOT_PRODUCT_CONST_EYE_REFLECT_CUBE_MAP_NV 0x86F3 #define GL_HILO_NV 0x86F4 #define GL_DSDT_NV 0x86F5 #define GL_DSDT_MAG_NV 0x86F6 #define GL_DSDT_MAG_VIB_NV 0x86F7 #define GL_HILO16_NV 0x86F8 #define GL_SIGNED_HILO_NV 0x86F9 #define GL_SIGNED_HILO16_NV 0x86FA #define GL_SIGNED_RGBA_NV 0x86FB #define GL_SIGNED_RGBA8_NV 0x86FC #define GL_SIGNED_RGB_NV 0x86FE #define GL_SIGNED_RGB8_NV 0x86FF #define GL_SIGNED_LUMINANCE_NV 0x8701 #define GL_SIGNED_LUMINANCE8_NV 0x8702 #define GL_SIGNED_LUMINANCE_ALPHA_NV 0x8703 #define GL_SIGNED_LUMINANCE8_ALPHA8_NV 0x8704 #define GL_SIGNED_ALPHA_NV 0x8705 #define GL_SIGNED_ALPHA8_NV 0x8706 #define GL_SIGNED_INTENSITY_NV 0x8707 #define GL_SIGNED_INTENSITY8_NV 0x8708 #define GL_DSDT8_NV 0x8709 #define GL_DSDT8_MAG8_NV 0x870A #define GL_DSDT8_MAG8_INTENSITY8_NV 0x870B #define GL_SIGNED_RGB_UNSIGNED_ALPHA_NV 0x870C #define GL_SIGNED_RGB8_UNSIGNED_ALPHA8_NV 0x870D #define GL_HI_SCALE_NV 0x870E #define GL_LO_SCALE_NV 0x870F #define GL_DS_SCALE_NV 0x8710 #define GL_DT_SCALE_NV 0x8711 #define GL_MAGNITUDE_SCALE_NV 0x8712 #define GL_VIBRANCE_SCALE_NV 0x8713 #define GL_HI_BIAS_NV 0x8714 #define GL_LO_BIAS_NV 0x8715 #define GL_DS_BIAS_NV 0x8716 #define GL_DT_BIAS_NV 0x8717 #define GL_MAGNITUDE_BIAS_NV 0x8718 #define GL_VIBRANCE_BIAS_NV 0x8719 #define GL_TEXTURE_BORDER_VALUES_NV 0x871A #define GL_TEXTURE_HI_SIZE_NV 0x871B #define GL_TEXTURE_LO_SIZE_NV 0x871C #define GL_TEXTURE_DS_SIZE_NV 0x871D #define GL_TEXTURE_DT_SIZE_NV 0x871E #define GL_TEXTURE_MAG_SIZE_NV 0x871F #define GLEW_NV_texture_shader GLEW_GET_VAR(__GLEW_NV_texture_shader) #endif /* GL_NV_texture_shader */ /* ------------------------- GL_NV_texture_shader2 ------------------------- */ #ifndef GL_NV_texture_shader2 #define GL_NV_texture_shader2 1 #define GL_UNSIGNED_INT_S8_S8_8_8_NV 0x86DA #define GL_UNSIGNED_INT_8_8_S8_S8_REV_NV 0x86DB #define GL_DSDT_MAG_INTENSITY_NV 0x86DC #define GL_DOT_PRODUCT_TEXTURE_3D_NV 0x86EF #define GL_HILO_NV 0x86F4 #define GL_DSDT_NV 0x86F5 #define GL_DSDT_MAG_NV 0x86F6 #define GL_DSDT_MAG_VIB_NV 0x86F7 #define GL_HILO16_NV 0x86F8 #define GL_SIGNED_HILO_NV 0x86F9 #define GL_SIGNED_HILO16_NV 0x86FA #define GL_SIGNED_RGBA_NV 0x86FB #define GL_SIGNED_RGBA8_NV 0x86FC #define GL_SIGNED_RGB_NV 0x86FE #define GL_SIGNED_RGB8_NV 0x86FF #define GL_SIGNED_LUMINANCE_NV 0x8701 #define GL_SIGNED_LUMINANCE8_NV 0x8702 #define GL_SIGNED_LUMINANCE_ALPHA_NV 0x8703 #define GL_SIGNED_LUMINANCE8_ALPHA8_NV 0x8704 #define GL_SIGNED_ALPHA_NV 0x8705 #define GL_SIGNED_ALPHA8_NV 0x8706 #define GL_SIGNED_INTENSITY_NV 0x8707 #define GL_SIGNED_INTENSITY8_NV 0x8708 #define GL_DSDT8_NV 0x8709 #define GL_DSDT8_MAG8_NV 0x870A #define GL_DSDT8_MAG8_INTENSITY8_NV 0x870B #define GL_SIGNED_RGB_UNSIGNED_ALPHA_NV 0x870C #define GL_SIGNED_RGB8_UNSIGNED_ALPHA8_NV 0x870D #define GLEW_NV_texture_shader2 GLEW_GET_VAR(__GLEW_NV_texture_shader2) #endif /* GL_NV_texture_shader2 */ /* ------------------------- GL_NV_texture_shader3 ------------------------- */ #ifndef GL_NV_texture_shader3 #define GL_NV_texture_shader3 1 #define GL_OFFSET_PROJECTIVE_TEXTURE_2D_NV 0x8850 #define GL_OFFSET_PROJECTIVE_TEXTURE_2D_SCALE_NV 0x8851 #define GL_OFFSET_PROJECTIVE_TEXTURE_RECTANGLE_NV 0x8852 #define GL_OFFSET_PROJECTIVE_TEXTURE_RECTANGLE_SCALE_NV 0x8853 #define GL_OFFSET_HILO_TEXTURE_2D_NV 0x8854 #define GL_OFFSET_HILO_TEXTURE_RECTANGLE_NV 0x8855 #define GL_OFFSET_HILO_PROJECTIVE_TEXTURE_2D_NV 0x8856 #define GL_OFFSET_HILO_PROJECTIVE_TEXTURE_RECTANGLE_NV 0x8857 #define GL_DEPENDENT_HILO_TEXTURE_2D_NV 0x8858 #define GL_DEPENDENT_RGB_TEXTURE_3D_NV 0x8859 #define GL_DEPENDENT_RGB_TEXTURE_CUBE_MAP_NV 0x885A #define GL_DOT_PRODUCT_PASS_THROUGH_NV 0x885B #define GL_DOT_PRODUCT_TEXTURE_1D_NV 0x885C #define GL_DOT_PRODUCT_AFFINE_DEPTH_REPLACE_NV 0x885D #define GL_HILO8_NV 0x885E #define GL_SIGNED_HILO8_NV 0x885F #define GL_FORCE_BLUE_TO_ONE_NV 0x8860 #define GLEW_NV_texture_shader3 GLEW_GET_VAR(__GLEW_NV_texture_shader3) #endif /* GL_NV_texture_shader3 */ /* ------------------------ GL_NV_transform_feedback ----------------------- */ #ifndef GL_NV_transform_feedback #define GL_NV_transform_feedback 1 #define GL_BACK_PRIMARY_COLOR_NV 0x8C77 #define GL_BACK_SECONDARY_COLOR_NV 0x8C78 #define GL_TEXTURE_COORD_NV 0x8C79 #define GL_CLIP_DISTANCE_NV 0x8C7A #define GL_VERTEX_ID_NV 0x8C7B #define GL_PRIMITIVE_ID_NV 0x8C7C #define GL_GENERIC_ATTRIB_NV 0x8C7D #define GL_TRANSFORM_FEEDBACK_ATTRIBS_NV 0x8C7E #define GL_TRANSFORM_FEEDBACK_BUFFER_MODE_NV 0x8C7F #define GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_COMPONENTS_NV 0x8C80 #define GL_ACTIVE_VARYINGS_NV 0x8C81 #define GL_ACTIVE_VARYING_MAX_LENGTH_NV 0x8C82 #define GL_TRANSFORM_FEEDBACK_VARYINGS_NV 0x8C83 #define GL_TRANSFORM_FEEDBACK_BUFFER_START_NV 0x8C84 #define GL_TRANSFORM_FEEDBACK_BUFFER_SIZE_NV 0x8C85 #define GL_TRANSFORM_FEEDBACK_RECORD_NV 0x8C86 #define GL_PRIMITIVES_GENERATED_NV 0x8C87 #define GL_TRANSFORM_FEEDBACK_PRIMITIVES_WRITTEN_NV 0x8C88 #define GL_RASTERIZER_DISCARD_NV 0x8C89 #define GL_MAX_TRANSFORM_FEEDBACK_INTERLEAVED_COMPONENTS_NV 0x8C8A #define GL_MAX_TRANSFORM_FEEDBACK_SEPARATE_ATTRIBS_NV 0x8C8B #define GL_INTERLEAVED_ATTRIBS_NV 0x8C8C #define GL_SEPARATE_ATTRIBS_NV 0x8C8D #define GL_TRANSFORM_FEEDBACK_BUFFER_NV 0x8C8E #define GL_TRANSFORM_FEEDBACK_BUFFER_BINDING_NV 0x8C8F typedef void (GLAPIENTRY * PFNGLACTIVEVARYINGNVPROC) (GLuint program, const GLchar *name); typedef void (GLAPIENTRY * PFNGLBEGINTRANSFORMFEEDBACKNVPROC) (GLenum primitiveMode); typedef void (GLAPIENTRY * PFNGLBINDBUFFERBASENVPROC) (GLenum target, GLuint index, GLuint buffer); typedef void (GLAPIENTRY * PFNGLBINDBUFFEROFFSETNVPROC) (GLenum target, GLuint index, GLuint buffer, GLintptr offset); typedef void (GLAPIENTRY * PFNGLBINDBUFFERRANGENVPROC) (GLenum target, GLuint index, GLuint buffer, GLintptr offset, GLsizeiptr size); typedef void (GLAPIENTRY * PFNGLENDTRANSFORMFEEDBACKNVPROC) (void); typedef void (GLAPIENTRY * PFNGLGETACTIVEVARYINGNVPROC) (GLuint program, GLuint index, GLsizei bufSize, GLsizei *length, GLsizei *size, GLenum *type, GLchar *name); typedef void (GLAPIENTRY * PFNGLGETTRANSFORMFEEDBACKVARYINGNVPROC) (GLuint program, GLuint index, GLint *location); typedef GLint (GLAPIENTRY * PFNGLGETVARYINGLOCATIONNVPROC) (GLuint program, const GLchar *name); typedef void (GLAPIENTRY * PFNGLTRANSFORMFEEDBACKATTRIBSNVPROC) (GLuint count, const GLint *attribs, GLenum bufferMode); typedef void (GLAPIENTRY * PFNGLTRANSFORMFEEDBACKVARYINGSNVPROC) (GLuint program, GLsizei count, const GLint *locations, GLenum bufferMode); #define glActiveVaryingNV GLEW_GET_FUN(__glewActiveVaryingNV) #define glBeginTransformFeedbackNV GLEW_GET_FUN(__glewBeginTransformFeedbackNV) #define glBindBufferBaseNV GLEW_GET_FUN(__glewBindBufferBaseNV) #define glBindBufferOffsetNV GLEW_GET_FUN(__glewBindBufferOffsetNV) #define glBindBufferRangeNV GLEW_GET_FUN(__glewBindBufferRangeNV) #define glEndTransformFeedbackNV GLEW_GET_FUN(__glewEndTransformFeedbackNV) #define glGetActiveVaryingNV GLEW_GET_FUN(__glewGetActiveVaryingNV) #define glGetTransformFeedbackVaryingNV GLEW_GET_FUN(__glewGetTransformFeedbackVaryingNV) #define glGetVaryingLocationNV GLEW_GET_FUN(__glewGetVaryingLocationNV) #define glTransformFeedbackAttribsNV GLEW_GET_FUN(__glewTransformFeedbackAttribsNV) #define glTransformFeedbackVaryingsNV GLEW_GET_FUN(__glewTransformFeedbackVaryingsNV) #define GLEW_NV_transform_feedback GLEW_GET_VAR(__GLEW_NV_transform_feedback) #endif /* GL_NV_transform_feedback */ /* ----------------------- GL_NV_transform_feedback2 ----------------------- */ #ifndef GL_NV_transform_feedback2 #define GL_NV_transform_feedback2 1 #define GL_TRANSFORM_FEEDBACK_NV 0x8E22 #define GL_TRANSFORM_FEEDBACK_BUFFER_PAUSED_NV 0x8E23 #define GL_TRANSFORM_FEEDBACK_BUFFER_ACTIVE_NV 0x8E24 #define GL_TRANSFORM_FEEDBACK_BINDING_NV 0x8E25 typedef void (GLAPIENTRY * PFNGLBINDTRANSFORMFEEDBACKNVPROC) (GLenum target, GLuint id); typedef void (GLAPIENTRY * PFNGLDELETETRANSFORMFEEDBACKSNVPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLDRAWTRANSFORMFEEDBACKNVPROC) (GLenum mode, GLuint id); typedef void (GLAPIENTRY * PFNGLGENTRANSFORMFEEDBACKSNVPROC) (GLsizei n, GLuint* ids); typedef GLboolean (GLAPIENTRY * PFNGLISTRANSFORMFEEDBACKNVPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLPAUSETRANSFORMFEEDBACKNVPROC) (void); typedef void (GLAPIENTRY * PFNGLRESUMETRANSFORMFEEDBACKNVPROC) (void); #define glBindTransformFeedbackNV GLEW_GET_FUN(__glewBindTransformFeedbackNV) #define glDeleteTransformFeedbacksNV GLEW_GET_FUN(__glewDeleteTransformFeedbacksNV) #define glDrawTransformFeedbackNV GLEW_GET_FUN(__glewDrawTransformFeedbackNV) #define glGenTransformFeedbacksNV GLEW_GET_FUN(__glewGenTransformFeedbacksNV) #define glIsTransformFeedbackNV GLEW_GET_FUN(__glewIsTransformFeedbackNV) #define glPauseTransformFeedbackNV GLEW_GET_FUN(__glewPauseTransformFeedbackNV) #define glResumeTransformFeedbackNV GLEW_GET_FUN(__glewResumeTransformFeedbackNV) #define GLEW_NV_transform_feedback2 GLEW_GET_VAR(__GLEW_NV_transform_feedback2) #endif /* GL_NV_transform_feedback2 */ /* ------------------ GL_NV_uniform_buffer_unified_memory ------------------ */ #ifndef GL_NV_uniform_buffer_unified_memory #define GL_NV_uniform_buffer_unified_memory 1 #define GL_UNIFORM_BUFFER_UNIFIED_NV 0x936E #define GL_UNIFORM_BUFFER_ADDRESS_NV 0x936F #define GL_UNIFORM_BUFFER_LENGTH_NV 0x9370 #define GLEW_NV_uniform_buffer_unified_memory GLEW_GET_VAR(__GLEW_NV_uniform_buffer_unified_memory) #endif /* GL_NV_uniform_buffer_unified_memory */ /* -------------------------- GL_NV_vdpau_interop -------------------------- */ #ifndef GL_NV_vdpau_interop #define GL_NV_vdpau_interop 1 #define GL_SURFACE_STATE_NV 0x86EB #define GL_SURFACE_REGISTERED_NV 0x86FD #define GL_SURFACE_MAPPED_NV 0x8700 #define GL_WRITE_DISCARD_NV 0x88BE typedef GLintptr GLvdpauSurfaceNV; typedef void (GLAPIENTRY * PFNGLVDPAUFININVPROC) (void); typedef void (GLAPIENTRY * PFNGLVDPAUGETSURFACEIVNVPROC) (GLvdpauSurfaceNV surface, GLenum pname, GLsizei bufSize, GLsizei* length, GLint *values); typedef void (GLAPIENTRY * PFNGLVDPAUINITNVPROC) (const void* vdpDevice, const void*getProcAddress); typedef void (GLAPIENTRY * PFNGLVDPAUISSURFACENVPROC) (GLvdpauSurfaceNV surface); typedef void (GLAPIENTRY * PFNGLVDPAUMAPSURFACESNVPROC) (GLsizei numSurfaces, const GLvdpauSurfaceNV* surfaces); typedef GLvdpauSurfaceNV (GLAPIENTRY * PFNGLVDPAUREGISTEROUTPUTSURFACENVPROC) (const void* vdpSurface, GLenum target, GLsizei numTextureNames, const GLuint *textureNames); typedef GLvdpauSurfaceNV (GLAPIENTRY * PFNGLVDPAUREGISTERVIDEOSURFACENVPROC) (const void* vdpSurface, GLenum target, GLsizei numTextureNames, const GLuint *textureNames); typedef void (GLAPIENTRY * PFNGLVDPAUSURFACEACCESSNVPROC) (GLvdpauSurfaceNV surface, GLenum access); typedef void (GLAPIENTRY * PFNGLVDPAUUNMAPSURFACESNVPROC) (GLsizei numSurface, const GLvdpauSurfaceNV* surfaces); typedef void (GLAPIENTRY * PFNGLVDPAUUNREGISTERSURFACENVPROC) (GLvdpauSurfaceNV surface); #define glVDPAUFiniNV GLEW_GET_FUN(__glewVDPAUFiniNV) #define glVDPAUGetSurfaceivNV GLEW_GET_FUN(__glewVDPAUGetSurfaceivNV) #define glVDPAUInitNV GLEW_GET_FUN(__glewVDPAUInitNV) #define glVDPAUIsSurfaceNV GLEW_GET_FUN(__glewVDPAUIsSurfaceNV) #define glVDPAUMapSurfacesNV GLEW_GET_FUN(__glewVDPAUMapSurfacesNV) #define glVDPAURegisterOutputSurfaceNV GLEW_GET_FUN(__glewVDPAURegisterOutputSurfaceNV) #define glVDPAURegisterVideoSurfaceNV GLEW_GET_FUN(__glewVDPAURegisterVideoSurfaceNV) #define glVDPAUSurfaceAccessNV GLEW_GET_FUN(__glewVDPAUSurfaceAccessNV) #define glVDPAUUnmapSurfacesNV GLEW_GET_FUN(__glewVDPAUUnmapSurfacesNV) #define glVDPAUUnregisterSurfaceNV GLEW_GET_FUN(__glewVDPAUUnregisterSurfaceNV) #define GLEW_NV_vdpau_interop GLEW_GET_VAR(__GLEW_NV_vdpau_interop) #endif /* GL_NV_vdpau_interop */ /* ------------------------ GL_NV_vertex_array_range ----------------------- */ #ifndef GL_NV_vertex_array_range #define GL_NV_vertex_array_range 1 #define GL_VERTEX_ARRAY_RANGE_NV 0x851D #define GL_VERTEX_ARRAY_RANGE_LENGTH_NV 0x851E #define GL_VERTEX_ARRAY_RANGE_VALID_NV 0x851F #define GL_MAX_VERTEX_ARRAY_RANGE_ELEMENT_NV 0x8520 #define GL_VERTEX_ARRAY_RANGE_POINTER_NV 0x8521 typedef void (GLAPIENTRY * PFNGLFLUSHVERTEXARRAYRANGENVPROC) (void); typedef void (GLAPIENTRY * PFNGLVERTEXARRAYRANGENVPROC) (GLsizei length, void *pointer); #define glFlushVertexArrayRangeNV GLEW_GET_FUN(__glewFlushVertexArrayRangeNV) #define glVertexArrayRangeNV GLEW_GET_FUN(__glewVertexArrayRangeNV) #define GLEW_NV_vertex_array_range GLEW_GET_VAR(__GLEW_NV_vertex_array_range) #endif /* GL_NV_vertex_array_range */ /* ----------------------- GL_NV_vertex_array_range2 ----------------------- */ #ifndef GL_NV_vertex_array_range2 #define GL_NV_vertex_array_range2 1 #define GL_VERTEX_ARRAY_RANGE_WITHOUT_FLUSH_NV 0x8533 #define GLEW_NV_vertex_array_range2 GLEW_GET_VAR(__GLEW_NV_vertex_array_range2) #endif /* GL_NV_vertex_array_range2 */ /* ------------------- GL_NV_vertex_attrib_integer_64bit ------------------- */ #ifndef GL_NV_vertex_attrib_integer_64bit #define GL_NV_vertex_attrib_integer_64bit 1 #define GL_INT64_NV 0x140E #define GL_UNSIGNED_INT64_NV 0x140F typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBLI64VNVPROC) (GLuint index, GLenum pname, GLint64EXT* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBLUI64VNVPROC) (GLuint index, GLenum pname, GLuint64EXT* params); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1I64NVPROC) (GLuint index, GLint64EXT x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1I64VNVPROC) (GLuint index, const GLint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1UI64NVPROC) (GLuint index, GLuint64EXT x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL1UI64VNVPROC) (GLuint index, const GLuint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2I64NVPROC) (GLuint index, GLint64EXT x, GLint64EXT y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2I64VNVPROC) (GLuint index, const GLint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2UI64NVPROC) (GLuint index, GLuint64EXT x, GLuint64EXT y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL2UI64VNVPROC) (GLuint index, const GLuint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3I64NVPROC) (GLuint index, GLint64EXT x, GLint64EXT y, GLint64EXT z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3I64VNVPROC) (GLuint index, const GLint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3UI64NVPROC) (GLuint index, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL3UI64VNVPROC) (GLuint index, const GLuint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4I64NVPROC) (GLuint index, GLint64EXT x, GLint64EXT y, GLint64EXT z, GLint64EXT w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4I64VNVPROC) (GLuint index, const GLint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4UI64NVPROC) (GLuint index, GLuint64EXT x, GLuint64EXT y, GLuint64EXT z, GLuint64EXT w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBL4UI64VNVPROC) (GLuint index, const GLuint64EXT* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBLFORMATNVPROC) (GLuint index, GLint size, GLenum type, GLsizei stride); #define glGetVertexAttribLi64vNV GLEW_GET_FUN(__glewGetVertexAttribLi64vNV) #define glGetVertexAttribLui64vNV GLEW_GET_FUN(__glewGetVertexAttribLui64vNV) #define glVertexAttribL1i64NV GLEW_GET_FUN(__glewVertexAttribL1i64NV) #define glVertexAttribL1i64vNV GLEW_GET_FUN(__glewVertexAttribL1i64vNV) #define glVertexAttribL1ui64NV GLEW_GET_FUN(__glewVertexAttribL1ui64NV) #define glVertexAttribL1ui64vNV GLEW_GET_FUN(__glewVertexAttribL1ui64vNV) #define glVertexAttribL2i64NV GLEW_GET_FUN(__glewVertexAttribL2i64NV) #define glVertexAttribL2i64vNV GLEW_GET_FUN(__glewVertexAttribL2i64vNV) #define glVertexAttribL2ui64NV GLEW_GET_FUN(__glewVertexAttribL2ui64NV) #define glVertexAttribL2ui64vNV GLEW_GET_FUN(__glewVertexAttribL2ui64vNV) #define glVertexAttribL3i64NV GLEW_GET_FUN(__glewVertexAttribL3i64NV) #define glVertexAttribL3i64vNV GLEW_GET_FUN(__glewVertexAttribL3i64vNV) #define glVertexAttribL3ui64NV GLEW_GET_FUN(__glewVertexAttribL3ui64NV) #define glVertexAttribL3ui64vNV GLEW_GET_FUN(__glewVertexAttribL3ui64vNV) #define glVertexAttribL4i64NV GLEW_GET_FUN(__glewVertexAttribL4i64NV) #define glVertexAttribL4i64vNV GLEW_GET_FUN(__glewVertexAttribL4i64vNV) #define glVertexAttribL4ui64NV GLEW_GET_FUN(__glewVertexAttribL4ui64NV) #define glVertexAttribL4ui64vNV GLEW_GET_FUN(__glewVertexAttribL4ui64vNV) #define glVertexAttribLFormatNV GLEW_GET_FUN(__glewVertexAttribLFormatNV) #define GLEW_NV_vertex_attrib_integer_64bit GLEW_GET_VAR(__GLEW_NV_vertex_attrib_integer_64bit) #endif /* GL_NV_vertex_attrib_integer_64bit */ /* ------------------- GL_NV_vertex_buffer_unified_memory ------------------ */ #ifndef GL_NV_vertex_buffer_unified_memory #define GL_NV_vertex_buffer_unified_memory 1 #define GL_VERTEX_ATTRIB_ARRAY_UNIFIED_NV 0x8F1E #define GL_ELEMENT_ARRAY_UNIFIED_NV 0x8F1F #define GL_VERTEX_ATTRIB_ARRAY_ADDRESS_NV 0x8F20 #define GL_VERTEX_ARRAY_ADDRESS_NV 0x8F21 #define GL_NORMAL_ARRAY_ADDRESS_NV 0x8F22 #define GL_COLOR_ARRAY_ADDRESS_NV 0x8F23 #define GL_INDEX_ARRAY_ADDRESS_NV 0x8F24 #define GL_TEXTURE_COORD_ARRAY_ADDRESS_NV 0x8F25 #define GL_EDGE_FLAG_ARRAY_ADDRESS_NV 0x8F26 #define GL_SECONDARY_COLOR_ARRAY_ADDRESS_NV 0x8F27 #define GL_FOG_COORD_ARRAY_ADDRESS_NV 0x8F28 #define GL_ELEMENT_ARRAY_ADDRESS_NV 0x8F29 #define GL_VERTEX_ATTRIB_ARRAY_LENGTH_NV 0x8F2A #define GL_VERTEX_ARRAY_LENGTH_NV 0x8F2B #define GL_NORMAL_ARRAY_LENGTH_NV 0x8F2C #define GL_COLOR_ARRAY_LENGTH_NV 0x8F2D #define GL_INDEX_ARRAY_LENGTH_NV 0x8F2E #define GL_TEXTURE_COORD_ARRAY_LENGTH_NV 0x8F2F #define GL_EDGE_FLAG_ARRAY_LENGTH_NV 0x8F30 #define GL_SECONDARY_COLOR_ARRAY_LENGTH_NV 0x8F31 #define GL_FOG_COORD_ARRAY_LENGTH_NV 0x8F32 #define GL_ELEMENT_ARRAY_LENGTH_NV 0x8F33 #define GL_DRAW_INDIRECT_UNIFIED_NV 0x8F40 #define GL_DRAW_INDIRECT_ADDRESS_NV 0x8F41 #define GL_DRAW_INDIRECT_LENGTH_NV 0x8F42 typedef void (GLAPIENTRY * PFNGLBUFFERADDRESSRANGENVPROC) (GLenum pname, GLuint index, GLuint64EXT address, GLsizeiptr length); typedef void (GLAPIENTRY * PFNGLCOLORFORMATNVPROC) (GLint size, GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLEDGEFLAGFORMATNVPROC) (GLsizei stride); typedef void (GLAPIENTRY * PFNGLFOGCOORDFORMATNVPROC) (GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLGETINTEGERUI64I_VNVPROC) (GLenum value, GLuint index, GLuint64EXT result[]); typedef void (GLAPIENTRY * PFNGLINDEXFORMATNVPROC) (GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLNORMALFORMATNVPROC) (GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLSECONDARYCOLORFORMATNVPROC) (GLint size, GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLTEXCOORDFORMATNVPROC) (GLint size, GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBFORMATNVPROC) (GLuint index, GLint size, GLenum type, GLboolean normalized, GLsizei stride); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBIFORMATNVPROC) (GLuint index, GLint size, GLenum type, GLsizei stride); typedef void (GLAPIENTRY * PFNGLVERTEXFORMATNVPROC) (GLint size, GLenum type, GLsizei stride); #define glBufferAddressRangeNV GLEW_GET_FUN(__glewBufferAddressRangeNV) #define glColorFormatNV GLEW_GET_FUN(__glewColorFormatNV) #define glEdgeFlagFormatNV GLEW_GET_FUN(__glewEdgeFlagFormatNV) #define glFogCoordFormatNV GLEW_GET_FUN(__glewFogCoordFormatNV) #define glGetIntegerui64i_vNV GLEW_GET_FUN(__glewGetIntegerui64i_vNV) #define glIndexFormatNV GLEW_GET_FUN(__glewIndexFormatNV) #define glNormalFormatNV GLEW_GET_FUN(__glewNormalFormatNV) #define glSecondaryColorFormatNV GLEW_GET_FUN(__glewSecondaryColorFormatNV) #define glTexCoordFormatNV GLEW_GET_FUN(__glewTexCoordFormatNV) #define glVertexAttribFormatNV GLEW_GET_FUN(__glewVertexAttribFormatNV) #define glVertexAttribIFormatNV GLEW_GET_FUN(__glewVertexAttribIFormatNV) #define glVertexFormatNV GLEW_GET_FUN(__glewVertexFormatNV) #define GLEW_NV_vertex_buffer_unified_memory GLEW_GET_VAR(__GLEW_NV_vertex_buffer_unified_memory) #endif /* GL_NV_vertex_buffer_unified_memory */ /* -------------------------- GL_NV_vertex_program ------------------------- */ #ifndef GL_NV_vertex_program #define GL_NV_vertex_program 1 #define GL_VERTEX_PROGRAM_NV 0x8620 #define GL_VERTEX_STATE_PROGRAM_NV 0x8621 #define GL_ATTRIB_ARRAY_SIZE_NV 0x8623 #define GL_ATTRIB_ARRAY_STRIDE_NV 0x8624 #define GL_ATTRIB_ARRAY_TYPE_NV 0x8625 #define GL_CURRENT_ATTRIB_NV 0x8626 #define GL_PROGRAM_LENGTH_NV 0x8627 #define GL_PROGRAM_STRING_NV 0x8628 #define GL_MODELVIEW_PROJECTION_NV 0x8629 #define GL_IDENTITY_NV 0x862A #define GL_INVERSE_NV 0x862B #define GL_TRANSPOSE_NV 0x862C #define GL_INVERSE_TRANSPOSE_NV 0x862D #define GL_MAX_TRACK_MATRIX_STACK_DEPTH_NV 0x862E #define GL_MAX_TRACK_MATRICES_NV 0x862F #define GL_MATRIX0_NV 0x8630 #define GL_MATRIX1_NV 0x8631 #define GL_MATRIX2_NV 0x8632 #define GL_MATRIX3_NV 0x8633 #define GL_MATRIX4_NV 0x8634 #define GL_MATRIX5_NV 0x8635 #define GL_MATRIX6_NV 0x8636 #define GL_MATRIX7_NV 0x8637 #define GL_CURRENT_MATRIX_STACK_DEPTH_NV 0x8640 #define GL_CURRENT_MATRIX_NV 0x8641 #define GL_VERTEX_PROGRAM_POINT_SIZE_NV 0x8642 #define GL_VERTEX_PROGRAM_TWO_SIDE_NV 0x8643 #define GL_PROGRAM_PARAMETER_NV 0x8644 #define GL_ATTRIB_ARRAY_POINTER_NV 0x8645 #define GL_PROGRAM_TARGET_NV 0x8646 #define GL_PROGRAM_RESIDENT_NV 0x8647 #define GL_TRACK_MATRIX_NV 0x8648 #define GL_TRACK_MATRIX_TRANSFORM_NV 0x8649 #define GL_VERTEX_PROGRAM_BINDING_NV 0x864A #define GL_PROGRAM_ERROR_POSITION_NV 0x864B #define GL_VERTEX_ATTRIB_ARRAY0_NV 0x8650 #define GL_VERTEX_ATTRIB_ARRAY1_NV 0x8651 #define GL_VERTEX_ATTRIB_ARRAY2_NV 0x8652 #define GL_VERTEX_ATTRIB_ARRAY3_NV 0x8653 #define GL_VERTEX_ATTRIB_ARRAY4_NV 0x8654 #define GL_VERTEX_ATTRIB_ARRAY5_NV 0x8655 #define GL_VERTEX_ATTRIB_ARRAY6_NV 0x8656 #define GL_VERTEX_ATTRIB_ARRAY7_NV 0x8657 #define GL_VERTEX_ATTRIB_ARRAY8_NV 0x8658 #define GL_VERTEX_ATTRIB_ARRAY9_NV 0x8659 #define GL_VERTEX_ATTRIB_ARRAY10_NV 0x865A #define GL_VERTEX_ATTRIB_ARRAY11_NV 0x865B #define GL_VERTEX_ATTRIB_ARRAY12_NV 0x865C #define GL_VERTEX_ATTRIB_ARRAY13_NV 0x865D #define GL_VERTEX_ATTRIB_ARRAY14_NV 0x865E #define GL_VERTEX_ATTRIB_ARRAY15_NV 0x865F #define GL_MAP1_VERTEX_ATTRIB0_4_NV 0x8660 #define GL_MAP1_VERTEX_ATTRIB1_4_NV 0x8661 #define GL_MAP1_VERTEX_ATTRIB2_4_NV 0x8662 #define GL_MAP1_VERTEX_ATTRIB3_4_NV 0x8663 #define GL_MAP1_VERTEX_ATTRIB4_4_NV 0x8664 #define GL_MAP1_VERTEX_ATTRIB5_4_NV 0x8665 #define GL_MAP1_VERTEX_ATTRIB6_4_NV 0x8666 #define GL_MAP1_VERTEX_ATTRIB7_4_NV 0x8667 #define GL_MAP1_VERTEX_ATTRIB8_4_NV 0x8668 #define GL_MAP1_VERTEX_ATTRIB9_4_NV 0x8669 #define GL_MAP1_VERTEX_ATTRIB10_4_NV 0x866A #define GL_MAP1_VERTEX_ATTRIB11_4_NV 0x866B #define GL_MAP1_VERTEX_ATTRIB12_4_NV 0x866C #define GL_MAP1_VERTEX_ATTRIB13_4_NV 0x866D #define GL_MAP1_VERTEX_ATTRIB14_4_NV 0x866E #define GL_MAP1_VERTEX_ATTRIB15_4_NV 0x866F #define GL_MAP2_VERTEX_ATTRIB0_4_NV 0x8670 #define GL_MAP2_VERTEX_ATTRIB1_4_NV 0x8671 #define GL_MAP2_VERTEX_ATTRIB2_4_NV 0x8672 #define GL_MAP2_VERTEX_ATTRIB3_4_NV 0x8673 #define GL_MAP2_VERTEX_ATTRIB4_4_NV 0x8674 #define GL_MAP2_VERTEX_ATTRIB5_4_NV 0x8675 #define GL_MAP2_VERTEX_ATTRIB6_4_NV 0x8676 #define GL_MAP2_VERTEX_ATTRIB7_4_NV 0x8677 #define GL_MAP2_VERTEX_ATTRIB8_4_NV 0x8678 #define GL_MAP2_VERTEX_ATTRIB9_4_NV 0x8679 #define GL_MAP2_VERTEX_ATTRIB10_4_NV 0x867A #define GL_MAP2_VERTEX_ATTRIB11_4_NV 0x867B #define GL_MAP2_VERTEX_ATTRIB12_4_NV 0x867C #define GL_MAP2_VERTEX_ATTRIB13_4_NV 0x867D #define GL_MAP2_VERTEX_ATTRIB14_4_NV 0x867E #define GL_MAP2_VERTEX_ATTRIB15_4_NV 0x867F typedef GLboolean (GLAPIENTRY * PFNGLAREPROGRAMSRESIDENTNVPROC) (GLsizei n, const GLuint* ids, GLboolean *residences); typedef void (GLAPIENTRY * PFNGLBINDPROGRAMNVPROC) (GLenum target, GLuint id); typedef void (GLAPIENTRY * PFNGLDELETEPROGRAMSNVPROC) (GLsizei n, const GLuint* ids); typedef void (GLAPIENTRY * PFNGLEXECUTEPROGRAMNVPROC) (GLenum target, GLuint id, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLGENPROGRAMSNVPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLGETPROGRAMPARAMETERDVNVPROC) (GLenum target, GLuint index, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMPARAMETERFVNVPROC) (GLenum target, GLuint index, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETPROGRAMSTRINGNVPROC) (GLuint id, GLenum pname, GLubyte* program); typedef void (GLAPIENTRY * PFNGLGETPROGRAMIVNVPROC) (GLuint id, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETTRACKMATRIXIVNVPROC) (GLenum target, GLuint address, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBPOINTERVNVPROC) (GLuint index, GLenum pname, void** pointer); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBDVNVPROC) (GLuint index, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBFVNVPROC) (GLuint index, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETVERTEXATTRIBIVNVPROC) (GLuint index, GLenum pname, GLint* params); typedef GLboolean (GLAPIENTRY * PFNGLISPROGRAMNVPROC) (GLuint id); typedef void (GLAPIENTRY * PFNGLLOADPROGRAMNVPROC) (GLenum target, GLuint id, GLsizei len, const GLubyte* program); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETER4DNVPROC) (GLenum target, GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETER4DVNVPROC) (GLenum target, GLuint index, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETER4FNVPROC) (GLenum target, GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETER4FVNVPROC) (GLenum target, GLuint index, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETERS4DVNVPROC) (GLenum target, GLuint index, GLsizei num, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLPROGRAMPARAMETERS4FVNVPROC) (GLenum target, GLuint index, GLsizei num, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLREQUESTRESIDENTPROGRAMSNVPROC) (GLsizei n, GLuint* ids); typedef void (GLAPIENTRY * PFNGLTRACKMATRIXNVPROC) (GLenum target, GLuint address, GLenum matrix, GLenum transform); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1DNVPROC) (GLuint index, GLdouble x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1DVNVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1FNVPROC) (GLuint index, GLfloat x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1FVNVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1SNVPROC) (GLuint index, GLshort x); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB1SVNVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2DNVPROC) (GLuint index, GLdouble x, GLdouble y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2DVNVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2FNVPROC) (GLuint index, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2FVNVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2SNVPROC) (GLuint index, GLshort x, GLshort y); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB2SVNVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3DNVPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3DVNVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3FNVPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3FVNVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3SNVPROC) (GLuint index, GLshort x, GLshort y, GLshort z); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB3SVNVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4DNVPROC) (GLuint index, GLdouble x, GLdouble y, GLdouble z, GLdouble w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4DVNVPROC) (GLuint index, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4FNVPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4FVNVPROC) (GLuint index, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4SNVPROC) (GLuint index, GLshort x, GLshort y, GLshort z, GLshort w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4SVNVPROC) (GLuint index, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4UBNVPROC) (GLuint index, GLubyte x, GLubyte y, GLubyte z, GLubyte w); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIB4UBVNVPROC) (GLuint index, const GLubyte* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBPOINTERNVPROC) (GLuint index, GLint size, GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS1DVNVPROC) (GLuint index, GLsizei n, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS1FVNVPROC) (GLuint index, GLsizei n, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS1SVNVPROC) (GLuint index, GLsizei n, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS2DVNVPROC) (GLuint index, GLsizei n, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS2FVNVPROC) (GLuint index, GLsizei n, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS2SVNVPROC) (GLuint index, GLsizei n, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS3DVNVPROC) (GLuint index, GLsizei n, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS3FVNVPROC) (GLuint index, GLsizei n, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS3SVNVPROC) (GLuint index, GLsizei n, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS4DVNVPROC) (GLuint index, GLsizei n, const GLdouble* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS4FVNVPROC) (GLuint index, GLsizei n, const GLfloat* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS4SVNVPROC) (GLuint index, GLsizei n, const GLshort* v); typedef void (GLAPIENTRY * PFNGLVERTEXATTRIBS4UBVNVPROC) (GLuint index, GLsizei n, const GLubyte* v); #define glAreProgramsResidentNV GLEW_GET_FUN(__glewAreProgramsResidentNV) #define glBindProgramNV GLEW_GET_FUN(__glewBindProgramNV) #define glDeleteProgramsNV GLEW_GET_FUN(__glewDeleteProgramsNV) #define glExecuteProgramNV GLEW_GET_FUN(__glewExecuteProgramNV) #define glGenProgramsNV GLEW_GET_FUN(__glewGenProgramsNV) #define glGetProgramParameterdvNV GLEW_GET_FUN(__glewGetProgramParameterdvNV) #define glGetProgramParameterfvNV GLEW_GET_FUN(__glewGetProgramParameterfvNV) #define glGetProgramStringNV GLEW_GET_FUN(__glewGetProgramStringNV) #define glGetProgramivNV GLEW_GET_FUN(__glewGetProgramivNV) #define glGetTrackMatrixivNV GLEW_GET_FUN(__glewGetTrackMatrixivNV) #define glGetVertexAttribPointervNV GLEW_GET_FUN(__glewGetVertexAttribPointervNV) #define glGetVertexAttribdvNV GLEW_GET_FUN(__glewGetVertexAttribdvNV) #define glGetVertexAttribfvNV GLEW_GET_FUN(__glewGetVertexAttribfvNV) #define glGetVertexAttribivNV GLEW_GET_FUN(__glewGetVertexAttribivNV) #define glIsProgramNV GLEW_GET_FUN(__glewIsProgramNV) #define glLoadProgramNV GLEW_GET_FUN(__glewLoadProgramNV) #define glProgramParameter4dNV GLEW_GET_FUN(__glewProgramParameter4dNV) #define glProgramParameter4dvNV GLEW_GET_FUN(__glewProgramParameter4dvNV) #define glProgramParameter4fNV GLEW_GET_FUN(__glewProgramParameter4fNV) #define glProgramParameter4fvNV GLEW_GET_FUN(__glewProgramParameter4fvNV) #define glProgramParameters4dvNV GLEW_GET_FUN(__glewProgramParameters4dvNV) #define glProgramParameters4fvNV GLEW_GET_FUN(__glewProgramParameters4fvNV) #define glRequestResidentProgramsNV GLEW_GET_FUN(__glewRequestResidentProgramsNV) #define glTrackMatrixNV GLEW_GET_FUN(__glewTrackMatrixNV) #define glVertexAttrib1dNV GLEW_GET_FUN(__glewVertexAttrib1dNV) #define glVertexAttrib1dvNV GLEW_GET_FUN(__glewVertexAttrib1dvNV) #define glVertexAttrib1fNV GLEW_GET_FUN(__glewVertexAttrib1fNV) #define glVertexAttrib1fvNV GLEW_GET_FUN(__glewVertexAttrib1fvNV) #define glVertexAttrib1sNV GLEW_GET_FUN(__glewVertexAttrib1sNV) #define glVertexAttrib1svNV GLEW_GET_FUN(__glewVertexAttrib1svNV) #define glVertexAttrib2dNV GLEW_GET_FUN(__glewVertexAttrib2dNV) #define glVertexAttrib2dvNV GLEW_GET_FUN(__glewVertexAttrib2dvNV) #define glVertexAttrib2fNV GLEW_GET_FUN(__glewVertexAttrib2fNV) #define glVertexAttrib2fvNV GLEW_GET_FUN(__glewVertexAttrib2fvNV) #define glVertexAttrib2sNV GLEW_GET_FUN(__glewVertexAttrib2sNV) #define glVertexAttrib2svNV GLEW_GET_FUN(__glewVertexAttrib2svNV) #define glVertexAttrib3dNV GLEW_GET_FUN(__glewVertexAttrib3dNV) #define glVertexAttrib3dvNV GLEW_GET_FUN(__glewVertexAttrib3dvNV) #define glVertexAttrib3fNV GLEW_GET_FUN(__glewVertexAttrib3fNV) #define glVertexAttrib3fvNV GLEW_GET_FUN(__glewVertexAttrib3fvNV) #define glVertexAttrib3sNV GLEW_GET_FUN(__glewVertexAttrib3sNV) #define glVertexAttrib3svNV GLEW_GET_FUN(__glewVertexAttrib3svNV) #define glVertexAttrib4dNV GLEW_GET_FUN(__glewVertexAttrib4dNV) #define glVertexAttrib4dvNV GLEW_GET_FUN(__glewVertexAttrib4dvNV) #define glVertexAttrib4fNV GLEW_GET_FUN(__glewVertexAttrib4fNV) #define glVertexAttrib4fvNV GLEW_GET_FUN(__glewVertexAttrib4fvNV) #define glVertexAttrib4sNV GLEW_GET_FUN(__glewVertexAttrib4sNV) #define glVertexAttrib4svNV GLEW_GET_FUN(__glewVertexAttrib4svNV) #define glVertexAttrib4ubNV GLEW_GET_FUN(__glewVertexAttrib4ubNV) #define glVertexAttrib4ubvNV GLEW_GET_FUN(__glewVertexAttrib4ubvNV) #define glVertexAttribPointerNV GLEW_GET_FUN(__glewVertexAttribPointerNV) #define glVertexAttribs1dvNV GLEW_GET_FUN(__glewVertexAttribs1dvNV) #define glVertexAttribs1fvNV GLEW_GET_FUN(__glewVertexAttribs1fvNV) #define glVertexAttribs1svNV GLEW_GET_FUN(__glewVertexAttribs1svNV) #define glVertexAttribs2dvNV GLEW_GET_FUN(__glewVertexAttribs2dvNV) #define glVertexAttribs2fvNV GLEW_GET_FUN(__glewVertexAttribs2fvNV) #define glVertexAttribs2svNV GLEW_GET_FUN(__glewVertexAttribs2svNV) #define glVertexAttribs3dvNV GLEW_GET_FUN(__glewVertexAttribs3dvNV) #define glVertexAttribs3fvNV GLEW_GET_FUN(__glewVertexAttribs3fvNV) #define glVertexAttribs3svNV GLEW_GET_FUN(__glewVertexAttribs3svNV) #define glVertexAttribs4dvNV GLEW_GET_FUN(__glewVertexAttribs4dvNV) #define glVertexAttribs4fvNV GLEW_GET_FUN(__glewVertexAttribs4fvNV) #define glVertexAttribs4svNV GLEW_GET_FUN(__glewVertexAttribs4svNV) #define glVertexAttribs4ubvNV GLEW_GET_FUN(__glewVertexAttribs4ubvNV) #define GLEW_NV_vertex_program GLEW_GET_VAR(__GLEW_NV_vertex_program) #endif /* GL_NV_vertex_program */ /* ------------------------ GL_NV_vertex_program1_1 ------------------------ */ #ifndef GL_NV_vertex_program1_1 #define GL_NV_vertex_program1_1 1 #define GLEW_NV_vertex_program1_1 GLEW_GET_VAR(__GLEW_NV_vertex_program1_1) #endif /* GL_NV_vertex_program1_1 */ /* ------------------------- GL_NV_vertex_program2 ------------------------- */ #ifndef GL_NV_vertex_program2 #define GL_NV_vertex_program2 1 #define GLEW_NV_vertex_program2 GLEW_GET_VAR(__GLEW_NV_vertex_program2) #endif /* GL_NV_vertex_program2 */ /* ---------------------- GL_NV_vertex_program2_option --------------------- */ #ifndef GL_NV_vertex_program2_option #define GL_NV_vertex_program2_option 1 #define GL_MAX_PROGRAM_EXEC_INSTRUCTIONS_NV 0x88F4 #define GL_MAX_PROGRAM_CALL_DEPTH_NV 0x88F5 #define GLEW_NV_vertex_program2_option GLEW_GET_VAR(__GLEW_NV_vertex_program2_option) #endif /* GL_NV_vertex_program2_option */ /* ------------------------- GL_NV_vertex_program3 ------------------------- */ #ifndef GL_NV_vertex_program3 #define GL_NV_vertex_program3 1 #define MAX_VERTEX_TEXTURE_IMAGE_UNITS_ARB 0x8B4C #define GLEW_NV_vertex_program3 GLEW_GET_VAR(__GLEW_NV_vertex_program3) #endif /* GL_NV_vertex_program3 */ /* ------------------------- GL_NV_vertex_program4 ------------------------- */ #ifndef GL_NV_vertex_program4 #define GL_NV_vertex_program4 1 #define GL_VERTEX_ATTRIB_ARRAY_INTEGER_NV 0x88FD #define GLEW_NV_vertex_program4 GLEW_GET_VAR(__GLEW_NV_vertex_program4) #endif /* GL_NV_vertex_program4 */ /* -------------------------- GL_NV_video_capture -------------------------- */ #ifndef GL_NV_video_capture #define GL_NV_video_capture 1 #define GL_VIDEO_BUFFER_NV 0x9020 #define GL_VIDEO_BUFFER_BINDING_NV 0x9021 #define GL_FIELD_UPPER_NV 0x9022 #define GL_FIELD_LOWER_NV 0x9023 #define GL_NUM_VIDEO_CAPTURE_STREAMS_NV 0x9024 #define GL_NEXT_VIDEO_CAPTURE_BUFFER_STATUS_NV 0x9025 #define GL_VIDEO_CAPTURE_TO_422_SUPPORTED_NV 0x9026 #define GL_LAST_VIDEO_CAPTURE_STATUS_NV 0x9027 #define GL_VIDEO_BUFFER_PITCH_NV 0x9028 #define GL_VIDEO_COLOR_CONVERSION_MATRIX_NV 0x9029 #define GL_VIDEO_COLOR_CONVERSION_MAX_NV 0x902A #define GL_VIDEO_COLOR_CONVERSION_MIN_NV 0x902B #define GL_VIDEO_COLOR_CONVERSION_OFFSET_NV 0x902C #define GL_VIDEO_BUFFER_INTERNAL_FORMAT_NV 0x902D #define GL_PARTIAL_SUCCESS_NV 0x902E #define GL_SUCCESS_NV 0x902F #define GL_FAILURE_NV 0x9030 #define GL_YCBYCR8_422_NV 0x9031 #define GL_YCBAYCR8A_4224_NV 0x9032 #define GL_Z6Y10Z6CB10Z6Y10Z6CR10_422_NV 0x9033 #define GL_Z6Y10Z6CB10Z6A10Z6Y10Z6CR10Z6A10_4224_NV 0x9034 #define GL_Z4Y12Z4CB12Z4Y12Z4CR12_422_NV 0x9035 #define GL_Z4Y12Z4CB12Z4A12Z4Y12Z4CR12Z4A12_4224_NV 0x9036 #define GL_Z4Y12Z4CB12Z4CR12_444_NV 0x9037 #define GL_VIDEO_CAPTURE_FRAME_WIDTH_NV 0x9038 #define GL_VIDEO_CAPTURE_FRAME_HEIGHT_NV 0x9039 #define GL_VIDEO_CAPTURE_FIELD_UPPER_HEIGHT_NV 0x903A #define GL_VIDEO_CAPTURE_FIELD_LOWER_HEIGHT_NV 0x903B #define GL_VIDEO_CAPTURE_SURFACE_ORIGIN_NV 0x903C typedef void (GLAPIENTRY * PFNGLBEGINVIDEOCAPTURENVPROC) (GLuint video_capture_slot); typedef void (GLAPIENTRY * PFNGLBINDVIDEOCAPTURESTREAMBUFFERNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum frame_region, GLintptrARB offset); typedef void (GLAPIENTRY * PFNGLBINDVIDEOCAPTURESTREAMTEXTURENVPROC) (GLuint video_capture_slot, GLuint stream, GLenum frame_region, GLenum target, GLuint texture); typedef void (GLAPIENTRY * PFNGLENDVIDEOCAPTURENVPROC) (GLuint video_capture_slot); typedef void (GLAPIENTRY * PFNGLGETVIDEOCAPTURESTREAMDVNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum pname, GLdouble* params); typedef void (GLAPIENTRY * PFNGLGETVIDEOCAPTURESTREAMFVNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETVIDEOCAPTURESTREAMIVNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETVIDEOCAPTUREIVNVPROC) (GLuint video_capture_slot, GLenum pname, GLint* params); typedef GLenum (GLAPIENTRY * PFNGLVIDEOCAPTURENVPROC) (GLuint video_capture_slot, GLuint* sequence_num, GLuint64EXT *capture_time); typedef void (GLAPIENTRY * PFNGLVIDEOCAPTURESTREAMPARAMETERDVNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum pname, const GLdouble* params); typedef void (GLAPIENTRY * PFNGLVIDEOCAPTURESTREAMPARAMETERFVNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLVIDEOCAPTURESTREAMPARAMETERIVNVPROC) (GLuint video_capture_slot, GLuint stream, GLenum pname, const GLint* params); #define glBeginVideoCaptureNV GLEW_GET_FUN(__glewBeginVideoCaptureNV) #define glBindVideoCaptureStreamBufferNV GLEW_GET_FUN(__glewBindVideoCaptureStreamBufferNV) #define glBindVideoCaptureStreamTextureNV GLEW_GET_FUN(__glewBindVideoCaptureStreamTextureNV) #define glEndVideoCaptureNV GLEW_GET_FUN(__glewEndVideoCaptureNV) #define glGetVideoCaptureStreamdvNV GLEW_GET_FUN(__glewGetVideoCaptureStreamdvNV) #define glGetVideoCaptureStreamfvNV GLEW_GET_FUN(__glewGetVideoCaptureStreamfvNV) #define glGetVideoCaptureStreamivNV GLEW_GET_FUN(__glewGetVideoCaptureStreamivNV) #define glGetVideoCaptureivNV GLEW_GET_FUN(__glewGetVideoCaptureivNV) #define glVideoCaptureNV GLEW_GET_FUN(__glewVideoCaptureNV) #define glVideoCaptureStreamParameterdvNV GLEW_GET_FUN(__glewVideoCaptureStreamParameterdvNV) #define glVideoCaptureStreamParameterfvNV GLEW_GET_FUN(__glewVideoCaptureStreamParameterfvNV) #define glVideoCaptureStreamParameterivNV GLEW_GET_FUN(__glewVideoCaptureStreamParameterivNV) #define GLEW_NV_video_capture GLEW_GET_VAR(__GLEW_NV_video_capture) #endif /* GL_NV_video_capture */ /* -------------------------- GL_NV_viewport_array ------------------------- */ #ifndef GL_NV_viewport_array #define GL_NV_viewport_array 1 #define GL_DEPTH_RANGE 0x0B70 #define GL_VIEWPORT 0x0BA2 #define GL_SCISSOR_BOX 0x0C10 #define GL_SCISSOR_TEST 0x0C11 #define GL_MAX_VIEWPORTS_NV 0x825B #define GL_VIEWPORT_SUBPIXEL_BITS_NV 0x825C #define GL_VIEWPORT_BOUNDS_RANGE_NV 0x825D #define GL_VIEWPORT_INDEX_PROVOKING_VERTEX_NV 0x825F typedef void (GLAPIENTRY * PFNGLDEPTHRANGEARRAYFVNVPROC) (GLuint first, GLsizei count, const GLfloat * v); typedef void (GLAPIENTRY * PFNGLDEPTHRANGEINDEXEDFNVPROC) (GLuint index, GLfloat n, GLfloat f); typedef void (GLAPIENTRY * PFNGLDISABLEINVPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLENABLEINVPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLGETFLOATI_VNVPROC) (GLenum target, GLuint index, GLfloat* data); typedef GLboolean (GLAPIENTRY * PFNGLISENABLEDINVPROC) (GLenum target, GLuint index); typedef void (GLAPIENTRY * PFNGLSCISSORARRAYVNVPROC) (GLuint first, GLsizei count, const GLint * v); typedef void (GLAPIENTRY * PFNGLSCISSORINDEXEDNVPROC) (GLuint index, GLint left, GLint bottom, GLsizei width, GLsizei height); typedef void (GLAPIENTRY * PFNGLSCISSORINDEXEDVNVPROC) (GLuint index, const GLint * v); typedef void (GLAPIENTRY * PFNGLVIEWPORTARRAYVNVPROC) (GLuint first, GLsizei count, const GLfloat * v); typedef void (GLAPIENTRY * PFNGLVIEWPORTINDEXEDFNVPROC) (GLuint index, GLfloat x, GLfloat y, GLfloat w, GLfloat h); typedef void (GLAPIENTRY * PFNGLVIEWPORTINDEXEDFVNVPROC) (GLuint index, const GLfloat * v); #define glDepthRangeArrayfvNV GLEW_GET_FUN(__glewDepthRangeArrayfvNV) #define glDepthRangeIndexedfNV GLEW_GET_FUN(__glewDepthRangeIndexedfNV) #define glDisableiNV GLEW_GET_FUN(__glewDisableiNV) #define glEnableiNV GLEW_GET_FUN(__glewEnableiNV) #define glGetFloati_vNV GLEW_GET_FUN(__glewGetFloati_vNV) #define glIsEnablediNV GLEW_GET_FUN(__glewIsEnablediNV) #define glScissorArrayvNV GLEW_GET_FUN(__glewScissorArrayvNV) #define glScissorIndexedNV GLEW_GET_FUN(__glewScissorIndexedNV) #define glScissorIndexedvNV GLEW_GET_FUN(__glewScissorIndexedvNV) #define glViewportArrayvNV GLEW_GET_FUN(__glewViewportArrayvNV) #define glViewportIndexedfNV GLEW_GET_FUN(__glewViewportIndexedfNV) #define glViewportIndexedfvNV GLEW_GET_FUN(__glewViewportIndexedfvNV) #define GLEW_NV_viewport_array GLEW_GET_VAR(__GLEW_NV_viewport_array) #endif /* GL_NV_viewport_array */ /* ------------------------- GL_NV_viewport_array2 ------------------------- */ #ifndef GL_NV_viewport_array2 #define GL_NV_viewport_array2 1 #define GLEW_NV_viewport_array2 GLEW_GET_VAR(__GLEW_NV_viewport_array2) #endif /* GL_NV_viewport_array2 */ /* ------------------------- GL_NV_viewport_swizzle ------------------------ */ #ifndef GL_NV_viewport_swizzle #define GL_NV_viewport_swizzle 1 #define GL_VIEWPORT_SWIZZLE_POSITIVE_X_NV 0x9350 #define GL_VIEWPORT_SWIZZLE_NEGATIVE_X_NV 0x9351 #define GL_VIEWPORT_SWIZZLE_POSITIVE_Y_NV 0x9352 #define GL_VIEWPORT_SWIZZLE_NEGATIVE_Y_NV 0x9353 #define GL_VIEWPORT_SWIZZLE_POSITIVE_Z_NV 0x9354 #define GL_VIEWPORT_SWIZZLE_NEGATIVE_Z_NV 0x9355 #define GL_VIEWPORT_SWIZZLE_POSITIVE_W_NV 0x9356 #define GL_VIEWPORT_SWIZZLE_NEGATIVE_W_NV 0x9357 #define GL_VIEWPORT_SWIZZLE_X_NV 0x9358 #define GL_VIEWPORT_SWIZZLE_Y_NV 0x9359 #define GL_VIEWPORT_SWIZZLE_Z_NV 0x935A #define GL_VIEWPORT_SWIZZLE_W_NV 0x935B typedef void (GLAPIENTRY * PFNGLVIEWPORTSWIZZLENVPROC) (GLuint index, GLenum swizzlex, GLenum swizzley, GLenum swizzlez, GLenum swizzlew); #define glViewportSwizzleNV GLEW_GET_FUN(__glewViewportSwizzleNV) #define GLEW_NV_viewport_swizzle GLEW_GET_VAR(__GLEW_NV_viewport_swizzle) #endif /* GL_NV_viewport_swizzle */ /* ------------------------ GL_OES_byte_coordinates ------------------------ */ #ifndef GL_OES_byte_coordinates #define GL_OES_byte_coordinates 1 #define GLEW_OES_byte_coordinates GLEW_GET_VAR(__GLEW_OES_byte_coordinates) #endif /* GL_OES_byte_coordinates */ /* ---------------------------- GL_OML_interlace --------------------------- */ #ifndef GL_OML_interlace #define GL_OML_interlace 1 #define GL_INTERLACE_OML 0x8980 #define GL_INTERLACE_READ_OML 0x8981 #define GLEW_OML_interlace GLEW_GET_VAR(__GLEW_OML_interlace) #endif /* GL_OML_interlace */ /* ---------------------------- GL_OML_resample ---------------------------- */ #ifndef GL_OML_resample #define GL_OML_resample 1 #define GL_PACK_RESAMPLE_OML 0x8984 #define GL_UNPACK_RESAMPLE_OML 0x8985 #define GL_RESAMPLE_REPLICATE_OML 0x8986 #define GL_RESAMPLE_ZERO_FILL_OML 0x8987 #define GL_RESAMPLE_AVERAGE_OML 0x8988 #define GL_RESAMPLE_DECIMATE_OML 0x8989 #define GLEW_OML_resample GLEW_GET_VAR(__GLEW_OML_resample) #endif /* GL_OML_resample */ /* ---------------------------- GL_OML_subsample --------------------------- */ #ifndef GL_OML_subsample #define GL_OML_subsample 1 #define GL_FORMAT_SUBSAMPLE_24_24_OML 0x8982 #define GL_FORMAT_SUBSAMPLE_244_244_OML 0x8983 #define GLEW_OML_subsample GLEW_GET_VAR(__GLEW_OML_subsample) #endif /* GL_OML_subsample */ /* ---------------------------- GL_OVR_multiview --------------------------- */ #ifndef GL_OVR_multiview #define GL_OVR_multiview 1 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_NUM_VIEWS_OVR 0x9630 #define GL_MAX_VIEWS_OVR 0x9631 #define GL_FRAMEBUFFER_ATTACHMENT_TEXTURE_BASE_VIEW_INDEX_OVR 0x9632 #define GL_FRAMEBUFFER_INCOMPLETE_VIEW_TARGETS_OVR 0x9633 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREMULTIVIEWOVRPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLint baseViewIndex, GLsizei numViews); #define glFramebufferTextureMultiviewOVR GLEW_GET_FUN(__glewFramebufferTextureMultiviewOVR) #define GLEW_OVR_multiview GLEW_GET_VAR(__GLEW_OVR_multiview) #endif /* GL_OVR_multiview */ /* --------------------------- GL_OVR_multiview2 --------------------------- */ #ifndef GL_OVR_multiview2 #define GL_OVR_multiview2 1 #define GLEW_OVR_multiview2 GLEW_GET_VAR(__GLEW_OVR_multiview2) #endif /* GL_OVR_multiview2 */ /* ------------ GL_OVR_multiview_multisampled_render_to_texture ------------ */ #ifndef GL_OVR_multiview_multisampled_render_to_texture #define GL_OVR_multiview_multisampled_render_to_texture 1 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERTEXTUREMULTISAMPLEMULTIVIEWOVRPROC) (GLenum target, GLenum attachment, GLuint texture, GLint level, GLsizei samples, GLint baseViewIndex, GLsizei numViews); #define glFramebufferTextureMultisampleMultiviewOVR GLEW_GET_FUN(__glewFramebufferTextureMultisampleMultiviewOVR) #define GLEW_OVR_multiview_multisampled_render_to_texture GLEW_GET_VAR(__GLEW_OVR_multiview_multisampled_render_to_texture) #endif /* GL_OVR_multiview_multisampled_render_to_texture */ /* --------------------------- GL_PGI_misc_hints --------------------------- */ #ifndef GL_PGI_misc_hints #define GL_PGI_misc_hints 1 #define GL_PREFER_DOUBLEBUFFER_HINT_PGI 107000 #define GL_CONSERVE_MEMORY_HINT_PGI 107005 #define GL_RECLAIM_MEMORY_HINT_PGI 107006 #define GL_NATIVE_GRAPHICS_HANDLE_PGI 107010 #define GL_NATIVE_GRAPHICS_BEGIN_HINT_PGI 107011 #define GL_NATIVE_GRAPHICS_END_HINT_PGI 107012 #define GL_ALWAYS_FAST_HINT_PGI 107020 #define GL_ALWAYS_SOFT_HINT_PGI 107021 #define GL_ALLOW_DRAW_OBJ_HINT_PGI 107022 #define GL_ALLOW_DRAW_WIN_HINT_PGI 107023 #define GL_ALLOW_DRAW_FRG_HINT_PGI 107024 #define GL_ALLOW_DRAW_MEM_HINT_PGI 107025 #define GL_STRICT_DEPTHFUNC_HINT_PGI 107030 #define GL_STRICT_LIGHTING_HINT_PGI 107031 #define GL_STRICT_SCISSOR_HINT_PGI 107032 #define GL_FULL_STIPPLE_HINT_PGI 107033 #define GL_CLIP_NEAR_HINT_PGI 107040 #define GL_CLIP_FAR_HINT_PGI 107041 #define GL_WIDE_LINE_HINT_PGI 107042 #define GL_BACK_NORMALS_HINT_PGI 107043 #define GLEW_PGI_misc_hints GLEW_GET_VAR(__GLEW_PGI_misc_hints) #endif /* GL_PGI_misc_hints */ /* -------------------------- GL_PGI_vertex_hints -------------------------- */ #ifndef GL_PGI_vertex_hints #define GL_PGI_vertex_hints 1 #define GL_VERTEX23_BIT_PGI 0x00000004 #define GL_VERTEX4_BIT_PGI 0x00000008 #define GL_COLOR3_BIT_PGI 0x00010000 #define GL_COLOR4_BIT_PGI 0x00020000 #define GL_EDGEFLAG_BIT_PGI 0x00040000 #define GL_INDEX_BIT_PGI 0x00080000 #define GL_MAT_AMBIENT_BIT_PGI 0x00100000 #define GL_VERTEX_DATA_HINT_PGI 107050 #define GL_VERTEX_CONSISTENT_HINT_PGI 107051 #define GL_MATERIAL_SIDE_HINT_PGI 107052 #define GL_MAX_VERTEX_HINT_PGI 107053 #define GL_MAT_AMBIENT_AND_DIFFUSE_BIT_PGI 0x00200000 #define GL_MAT_DIFFUSE_BIT_PGI 0x00400000 #define GL_MAT_EMISSION_BIT_PGI 0x00800000 #define GL_MAT_COLOR_INDEXES_BIT_PGI 0x01000000 #define GL_MAT_SHININESS_BIT_PGI 0x02000000 #define GL_MAT_SPECULAR_BIT_PGI 0x04000000 #define GL_NORMAL_BIT_PGI 0x08000000 #define GL_TEXCOORD1_BIT_PGI 0x10000000 #define GL_TEXCOORD2_BIT_PGI 0x20000000 #define GL_TEXCOORD3_BIT_PGI 0x40000000 #define GL_TEXCOORD4_BIT_PGI 0x80000000 #define GLEW_PGI_vertex_hints GLEW_GET_VAR(__GLEW_PGI_vertex_hints) #endif /* GL_PGI_vertex_hints */ /* --------------------------- GL_QCOM_alpha_test -------------------------- */ #ifndef GL_QCOM_alpha_test #define GL_QCOM_alpha_test 1 #define GL_ALPHA_TEST_QCOM 0x0BC0 #define GL_ALPHA_TEST_FUNC_QCOM 0x0BC1 #define GL_ALPHA_TEST_REF_QCOM 0x0BC2 typedef void (GLAPIENTRY * PFNGLALPHAFUNCQCOMPROC) (GLenum func, GLclampf ref); #define glAlphaFuncQCOM GLEW_GET_FUN(__glewAlphaFuncQCOM) #define GLEW_QCOM_alpha_test GLEW_GET_VAR(__GLEW_QCOM_alpha_test) #endif /* GL_QCOM_alpha_test */ /* ------------------------ GL_QCOM_binning_control ------------------------ */ #ifndef GL_QCOM_binning_control #define GL_QCOM_binning_control 1 #define GL_DONT_CARE 0x1100 #define GL_BINNING_CONTROL_HINT_QCOM 0x8FB0 #define GL_CPU_OPTIMIZED_QCOM 0x8FB1 #define GL_GPU_OPTIMIZED_QCOM 0x8FB2 #define GL_RENDER_DIRECT_TO_FRAMEBUFFER_QCOM 0x8FB3 #define GLEW_QCOM_binning_control GLEW_GET_VAR(__GLEW_QCOM_binning_control) #endif /* GL_QCOM_binning_control */ /* ------------------------- GL_QCOM_driver_control ------------------------ */ #ifndef GL_QCOM_driver_control #define GL_QCOM_driver_control 1 typedef void (GLAPIENTRY * PFNGLDISABLEDRIVERCONTROLQCOMPROC) (GLuint driverControl); typedef void (GLAPIENTRY * PFNGLENABLEDRIVERCONTROLQCOMPROC) (GLuint driverControl); typedef void (GLAPIENTRY * PFNGLGETDRIVERCONTROLSTRINGQCOMPROC) (GLuint driverControl, GLsizei bufSize, GLsizei* length, GLchar *driverControlString); typedef void (GLAPIENTRY * PFNGLGETDRIVERCONTROLSQCOMPROC) (GLint* num, GLsizei size, GLuint *driverControls); #define glDisableDriverControlQCOM GLEW_GET_FUN(__glewDisableDriverControlQCOM) #define glEnableDriverControlQCOM GLEW_GET_FUN(__glewEnableDriverControlQCOM) #define glGetDriverControlStringQCOM GLEW_GET_FUN(__glewGetDriverControlStringQCOM) #define glGetDriverControlsQCOM GLEW_GET_FUN(__glewGetDriverControlsQCOM) #define GLEW_QCOM_driver_control GLEW_GET_VAR(__GLEW_QCOM_driver_control) #endif /* GL_QCOM_driver_control */ /* -------------------------- GL_QCOM_extended_get ------------------------- */ #ifndef GL_QCOM_extended_get #define GL_QCOM_extended_get 1 #define GL_TEXTURE_WIDTH_QCOM 0x8BD2 #define GL_TEXTURE_HEIGHT_QCOM 0x8BD3 #define GL_TEXTURE_DEPTH_QCOM 0x8BD4 #define GL_TEXTURE_INTERNAL_FORMAT_QCOM 0x8BD5 #define GL_TEXTURE_FORMAT_QCOM 0x8BD6 #define GL_TEXTURE_TYPE_QCOM 0x8BD7 #define GL_TEXTURE_IMAGE_VALID_QCOM 0x8BD8 #define GL_TEXTURE_NUM_LEVELS_QCOM 0x8BD9 #define GL_TEXTURE_TARGET_QCOM 0x8BDA #define GL_TEXTURE_OBJECT_VALID_QCOM 0x8BDB #define GL_STATE_RESTORE 0x8BDC typedef void (GLAPIENTRY * PFNGLEXTGETBUFFERPOINTERVQCOMPROC) (GLenum target, void** params); typedef void (GLAPIENTRY * PFNGLEXTGETBUFFERSQCOMPROC) (GLuint* buffers, GLint maxBuffers, GLint* numBuffers); typedef void (GLAPIENTRY * PFNGLEXTGETFRAMEBUFFERSQCOMPROC) (GLuint* framebuffers, GLint maxFramebuffers, GLint* numFramebuffers); typedef void (GLAPIENTRY * PFNGLEXTGETRENDERBUFFERSQCOMPROC) (GLuint* renderbuffers, GLint maxRenderbuffers, GLint* numRenderbuffers); typedef void (GLAPIENTRY * PFNGLEXTGETTEXLEVELPARAMETERIVQCOMPROC) (GLuint texture, GLenum face, GLint level, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLEXTGETTEXSUBIMAGEQCOMPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLsizei width, GLsizei height, GLsizei depth, GLenum format, GLenum type, void *texels); typedef void (GLAPIENTRY * PFNGLEXTGETTEXTURESQCOMPROC) (GLuint* textures, GLint maxTextures, GLint* numTextures); typedef void (GLAPIENTRY * PFNGLEXTTEXOBJECTSTATEOVERRIDEIQCOMPROC) (GLenum target, GLenum pname, GLint param); #define glExtGetBufferPointervQCOM GLEW_GET_FUN(__glewExtGetBufferPointervQCOM) #define glExtGetBuffersQCOM GLEW_GET_FUN(__glewExtGetBuffersQCOM) #define glExtGetFramebuffersQCOM GLEW_GET_FUN(__glewExtGetFramebuffersQCOM) #define glExtGetRenderbuffersQCOM GLEW_GET_FUN(__glewExtGetRenderbuffersQCOM) #define glExtGetTexLevelParameterivQCOM GLEW_GET_FUN(__glewExtGetTexLevelParameterivQCOM) #define glExtGetTexSubImageQCOM GLEW_GET_FUN(__glewExtGetTexSubImageQCOM) #define glExtGetTexturesQCOM GLEW_GET_FUN(__glewExtGetTexturesQCOM) #define glExtTexObjectStateOverrideiQCOM GLEW_GET_FUN(__glewExtTexObjectStateOverrideiQCOM) #define GLEW_QCOM_extended_get GLEW_GET_VAR(__GLEW_QCOM_extended_get) #endif /* GL_QCOM_extended_get */ /* ------------------------- GL_QCOM_extended_get2 ------------------------- */ #ifndef GL_QCOM_extended_get2 #define GL_QCOM_extended_get2 1 typedef void (GLAPIENTRY * PFNGLEXTGETPROGRAMBINARYSOURCEQCOMPROC) (GLuint program, GLenum shadertype, GLchar* source, GLint* length); typedef void (GLAPIENTRY * PFNGLEXTGETPROGRAMSQCOMPROC) (GLuint* programs, GLint maxPrograms, GLint* numPrograms); typedef void (GLAPIENTRY * PFNGLEXTGETSHADERSQCOMPROC) (GLuint* shaders, GLint maxShaders, GLint* numShaders); typedef GLboolean (GLAPIENTRY * PFNGLEXTISPROGRAMBINARYQCOMPROC) (GLuint program); #define glExtGetProgramBinarySourceQCOM GLEW_GET_FUN(__glewExtGetProgramBinarySourceQCOM) #define glExtGetProgramsQCOM GLEW_GET_FUN(__glewExtGetProgramsQCOM) #define glExtGetShadersQCOM GLEW_GET_FUN(__glewExtGetShadersQCOM) #define glExtIsProgramBinaryQCOM GLEW_GET_FUN(__glewExtIsProgramBinaryQCOM) #define GLEW_QCOM_extended_get2 GLEW_GET_VAR(__GLEW_QCOM_extended_get2) #endif /* GL_QCOM_extended_get2 */ /* ---------------------- GL_QCOM_framebuffer_foveated --------------------- */ #ifndef GL_QCOM_framebuffer_foveated #define GL_QCOM_framebuffer_foveated 1 #define GL_FOVEATION_ENABLE_BIT_QCOM 0x1 #define GL_FOVEATION_SCALED_BIN_METHOD_BIT_QCOM 0x2 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERFOVEATIONCONFIGQCOMPROC) (GLuint fbo, GLuint numLayers, GLuint focalPointsPerLayer, GLuint requestedFeatures, GLuint* providedFeatures); typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERFOVEATIONPARAMETERSQCOMPROC) (GLuint fbo, GLuint layer, GLuint focalPoint, GLfloat focalX, GLfloat focalY, GLfloat gainX, GLfloat gainY, GLfloat foveaArea); #define glFramebufferFoveationConfigQCOM GLEW_GET_FUN(__glewFramebufferFoveationConfigQCOM) #define glFramebufferFoveationParametersQCOM GLEW_GET_FUN(__glewFramebufferFoveationParametersQCOM) #define GLEW_QCOM_framebuffer_foveated GLEW_GET_VAR(__GLEW_QCOM_framebuffer_foveated) #endif /* GL_QCOM_framebuffer_foveated */ /* ---------------------- GL_QCOM_perfmon_global_mode ---------------------- */ #ifndef GL_QCOM_perfmon_global_mode #define GL_QCOM_perfmon_global_mode 1 #define GL_PERFMON_GLOBAL_MODE_QCOM 0x8FA0 #define GLEW_QCOM_perfmon_global_mode GLEW_GET_VAR(__GLEW_QCOM_perfmon_global_mode) #endif /* GL_QCOM_perfmon_global_mode */ /* -------------- GL_QCOM_shader_framebuffer_fetch_noncoherent ------------- */ #ifndef GL_QCOM_shader_framebuffer_fetch_noncoherent #define GL_QCOM_shader_framebuffer_fetch_noncoherent 1 #define GL_FRAMEBUFFER_FETCH_NONCOHERENT_QCOM 0x96A2 typedef void (GLAPIENTRY * PFNGLFRAMEBUFFERFETCHBARRIERQCOMPROC) (void); #define glFramebufferFetchBarrierQCOM GLEW_GET_FUN(__glewFramebufferFetchBarrierQCOM) #define GLEW_QCOM_shader_framebuffer_fetch_noncoherent GLEW_GET_VAR(__GLEW_QCOM_shader_framebuffer_fetch_noncoherent) #endif /* GL_QCOM_shader_framebuffer_fetch_noncoherent */ /* ------------------------ GL_QCOM_tiled_rendering ------------------------ */ #ifndef GL_QCOM_tiled_rendering #define GL_QCOM_tiled_rendering 1 #define GL_COLOR_BUFFER_BIT0_QCOM 0x00000001 #define GL_COLOR_BUFFER_BIT1_QCOM 0x00000002 #define GL_COLOR_BUFFER_BIT2_QCOM 0x00000004 #define GL_COLOR_BUFFER_BIT3_QCOM 0x00000008 #define GL_COLOR_BUFFER_BIT4_QCOM 0x00000010 #define GL_COLOR_BUFFER_BIT5_QCOM 0x00000020 #define GL_COLOR_BUFFER_BIT6_QCOM 0x00000040 #define GL_COLOR_BUFFER_BIT7_QCOM 0x00000080 #define GL_DEPTH_BUFFER_BIT0_QCOM 0x00000100 #define GL_DEPTH_BUFFER_BIT1_QCOM 0x00000200 #define GL_DEPTH_BUFFER_BIT2_QCOM 0x00000400 #define GL_DEPTH_BUFFER_BIT3_QCOM 0x00000800 #define GL_DEPTH_BUFFER_BIT4_QCOM 0x00001000 #define GL_DEPTH_BUFFER_BIT5_QCOM 0x00002000 #define GL_DEPTH_BUFFER_BIT6_QCOM 0x00004000 #define GL_DEPTH_BUFFER_BIT7_QCOM 0x00008000 #define GL_STENCIL_BUFFER_BIT0_QCOM 0x00010000 #define GL_STENCIL_BUFFER_BIT1_QCOM 0x00020000 #define GL_STENCIL_BUFFER_BIT2_QCOM 0x00040000 #define GL_STENCIL_BUFFER_BIT3_QCOM 0x00080000 #define GL_STENCIL_BUFFER_BIT4_QCOM 0x00100000 #define GL_STENCIL_BUFFER_BIT5_QCOM 0x00200000 #define GL_STENCIL_BUFFER_BIT6_QCOM 0x00400000 #define GL_STENCIL_BUFFER_BIT7_QCOM 0x00800000 #define GL_MULTISAMPLE_BUFFER_BIT0_QCOM 0x01000000 #define GL_MULTISAMPLE_BUFFER_BIT1_QCOM 0x02000000 #define GL_MULTISAMPLE_BUFFER_BIT2_QCOM 0x04000000 #define GL_MULTISAMPLE_BUFFER_BIT3_QCOM 0x08000000 #define GL_MULTISAMPLE_BUFFER_BIT4_QCOM 0x10000000 #define GL_MULTISAMPLE_BUFFER_BIT5_QCOM 0x20000000 #define GL_MULTISAMPLE_BUFFER_BIT6_QCOM 0x40000000 #define GL_MULTISAMPLE_BUFFER_BIT7_QCOM 0x80000000 typedef void (GLAPIENTRY * PFNGLENDTILINGQCOMPROC) (GLbitfield preserveMask); typedef void (GLAPIENTRY * PFNGLSTARTTILINGQCOMPROC) (GLuint x, GLuint y, GLuint width, GLuint height, GLbitfield preserveMask); #define glEndTilingQCOM GLEW_GET_FUN(__glewEndTilingQCOM) #define glStartTilingQCOM GLEW_GET_FUN(__glewStartTilingQCOM) #define GLEW_QCOM_tiled_rendering GLEW_GET_VAR(__GLEW_QCOM_tiled_rendering) #endif /* GL_QCOM_tiled_rendering */ /* ---------------------- GL_QCOM_writeonly_rendering ---------------------- */ #ifndef GL_QCOM_writeonly_rendering #define GL_QCOM_writeonly_rendering 1 #define GL_WRITEONLY_RENDERING_QCOM 0x8823 #define GLEW_QCOM_writeonly_rendering GLEW_GET_VAR(__GLEW_QCOM_writeonly_rendering) #endif /* GL_QCOM_writeonly_rendering */ /* ---------------------- GL_REGAL_ES1_0_compatibility --------------------- */ #ifndef GL_REGAL_ES1_0_compatibility #define GL_REGAL_ES1_0_compatibility 1 typedef int GLclampx; typedef void (GLAPIENTRY * PFNGLALPHAFUNCXPROC) (GLenum func, GLclampx ref); typedef void (GLAPIENTRY * PFNGLCLEARCOLORXPROC) (GLclampx red, GLclampx green, GLclampx blue, GLclampx alpha); typedef void (GLAPIENTRY * PFNGLCLEARDEPTHXPROC) (GLclampx depth); typedef void (GLAPIENTRY * PFNGLCOLOR4XPROC) (GLfixed red, GLfixed green, GLfixed blue, GLfixed alpha); typedef void (GLAPIENTRY * PFNGLDEPTHRANGEXPROC) (GLclampx zNear, GLclampx zFar); typedef void (GLAPIENTRY * PFNGLFOGXPROC) (GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLFOGXVPROC) (GLenum pname, const GLfixed* params); typedef void (GLAPIENTRY * PFNGLFRUSTUMFPROC) (GLfloat left, GLfloat right, GLfloat bottom, GLfloat top, GLfloat zNear, GLfloat zFar); typedef void (GLAPIENTRY * PFNGLFRUSTUMXPROC) (GLfixed left, GLfixed right, GLfixed bottom, GLfixed top, GLfixed zNear, GLfixed zFar); typedef void (GLAPIENTRY * PFNGLLIGHTMODELXPROC) (GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLLIGHTMODELXVPROC) (GLenum pname, const GLfixed* params); typedef void (GLAPIENTRY * PFNGLLIGHTXPROC) (GLenum light, GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLLIGHTXVPROC) (GLenum light, GLenum pname, const GLfixed* params); typedef void (GLAPIENTRY * PFNGLLINEWIDTHXPROC) (GLfixed width); typedef void (GLAPIENTRY * PFNGLLOADMATRIXXPROC) (const GLfixed* m); typedef void (GLAPIENTRY * PFNGLMATERIALXPROC) (GLenum face, GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLMATERIALXVPROC) (GLenum face, GLenum pname, const GLfixed* params); typedef void (GLAPIENTRY * PFNGLMULTMATRIXXPROC) (const GLfixed* m); typedef void (GLAPIENTRY * PFNGLMULTITEXCOORD4XPROC) (GLenum target, GLfixed s, GLfixed t, GLfixed r, GLfixed q); typedef void (GLAPIENTRY * PFNGLNORMAL3XPROC) (GLfixed nx, GLfixed ny, GLfixed nz); typedef void (GLAPIENTRY * PFNGLORTHOFPROC) (GLfloat left, GLfloat right, GLfloat bottom, GLfloat top, GLfloat zNear, GLfloat zFar); typedef void (GLAPIENTRY * PFNGLORTHOXPROC) (GLfixed left, GLfixed right, GLfixed bottom, GLfixed top, GLfixed zNear, GLfixed zFar); typedef void (GLAPIENTRY * PFNGLPOINTSIZEXPROC) (GLfixed size); typedef void (GLAPIENTRY * PFNGLPOLYGONOFFSETXPROC) (GLfixed factor, GLfixed units); typedef void (GLAPIENTRY * PFNGLROTATEXPROC) (GLfixed angle, GLfixed x, GLfixed y, GLfixed z); typedef void (GLAPIENTRY * PFNGLSAMPLECOVERAGEXPROC) (GLclampx value, GLboolean invert); typedef void (GLAPIENTRY * PFNGLSCALEXPROC) (GLfixed x, GLfixed y, GLfixed z); typedef void (GLAPIENTRY * PFNGLTEXENVXPROC) (GLenum target, GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLTEXENVXVPROC) (GLenum target, GLenum pname, const GLfixed* params); typedef void (GLAPIENTRY * PFNGLTEXPARAMETERXPROC) (GLenum target, GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLTRANSLATEXPROC) (GLfixed x, GLfixed y, GLfixed z); #define glAlphaFuncx GLEW_GET_FUN(__glewAlphaFuncx) #define glClearColorx GLEW_GET_FUN(__glewClearColorx) #define glClearDepthx GLEW_GET_FUN(__glewClearDepthx) #define glColor4x GLEW_GET_FUN(__glewColor4x) #define glDepthRangex GLEW_GET_FUN(__glewDepthRangex) #define glFogx GLEW_GET_FUN(__glewFogx) #define glFogxv GLEW_GET_FUN(__glewFogxv) #define glFrustumf GLEW_GET_FUN(__glewFrustumf) #define glFrustumx GLEW_GET_FUN(__glewFrustumx) #define glLightModelx GLEW_GET_FUN(__glewLightModelx) #define glLightModelxv GLEW_GET_FUN(__glewLightModelxv) #define glLightx GLEW_GET_FUN(__glewLightx) #define glLightxv GLEW_GET_FUN(__glewLightxv) #define glLineWidthx GLEW_GET_FUN(__glewLineWidthx) #define glLoadMatrixx GLEW_GET_FUN(__glewLoadMatrixx) #define glMaterialx GLEW_GET_FUN(__glewMaterialx) #define glMaterialxv GLEW_GET_FUN(__glewMaterialxv) #define glMultMatrixx GLEW_GET_FUN(__glewMultMatrixx) #define glMultiTexCoord4x GLEW_GET_FUN(__glewMultiTexCoord4x) #define glNormal3x GLEW_GET_FUN(__glewNormal3x) #define glOrthof GLEW_GET_FUN(__glewOrthof) #define glOrthox GLEW_GET_FUN(__glewOrthox) #define glPointSizex GLEW_GET_FUN(__glewPointSizex) #define glPolygonOffsetx GLEW_GET_FUN(__glewPolygonOffsetx) #define glRotatex GLEW_GET_FUN(__glewRotatex) #define glSampleCoveragex GLEW_GET_FUN(__glewSampleCoveragex) #define glScalex GLEW_GET_FUN(__glewScalex) #define glTexEnvx GLEW_GET_FUN(__glewTexEnvx) #define glTexEnvxv GLEW_GET_FUN(__glewTexEnvxv) #define glTexParameterx GLEW_GET_FUN(__glewTexParameterx) #define glTranslatex GLEW_GET_FUN(__glewTranslatex) #define GLEW_REGAL_ES1_0_compatibility GLEW_GET_VAR(__GLEW_REGAL_ES1_0_compatibility) #endif /* GL_REGAL_ES1_0_compatibility */ /* ---------------------- GL_REGAL_ES1_1_compatibility --------------------- */ #ifndef GL_REGAL_ES1_1_compatibility #define GL_REGAL_ES1_1_compatibility 1 typedef void (GLAPIENTRY * PFNGLCLIPPLANEFPROC) (GLenum plane, const GLfloat* equation); typedef void (GLAPIENTRY * PFNGLCLIPPLANEXPROC) (GLenum plane, const GLfixed* equation); typedef void (GLAPIENTRY * PFNGLGETCLIPPLANEFPROC) (GLenum pname, GLfloat eqn[4]); typedef void (GLAPIENTRY * PFNGLGETCLIPPLANEXPROC) (GLenum pname, GLfixed eqn[4]); typedef void (GLAPIENTRY * PFNGLGETFIXEDVPROC) (GLenum pname, GLfixed* params); typedef void (GLAPIENTRY * PFNGLGETLIGHTXVPROC) (GLenum light, GLenum pname, GLfixed* params); typedef void (GLAPIENTRY * PFNGLGETMATERIALXVPROC) (GLenum face, GLenum pname, GLfixed* params); typedef void (GLAPIENTRY * PFNGLGETTEXENVXVPROC) (GLenum env, GLenum pname, GLfixed* params); typedef void (GLAPIENTRY * PFNGLGETTEXPARAMETERXVPROC) (GLenum target, GLenum pname, GLfixed* params); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERXPROC) (GLenum pname, GLfixed param); typedef void (GLAPIENTRY * PFNGLPOINTPARAMETERXVPROC) (GLenum pname, const GLfixed* params); typedef void (GLAPIENTRY * PFNGLPOINTSIZEPOINTEROESPROC) (GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLTEXPARAMETERXVPROC) (GLenum target, GLenum pname, const GLfixed* params); #define glClipPlanef GLEW_GET_FUN(__glewClipPlanef) #define glClipPlanex GLEW_GET_FUN(__glewClipPlanex) #define glGetClipPlanef GLEW_GET_FUN(__glewGetClipPlanef) #define glGetClipPlanex GLEW_GET_FUN(__glewGetClipPlanex) #define glGetFixedv GLEW_GET_FUN(__glewGetFixedv) #define glGetLightxv GLEW_GET_FUN(__glewGetLightxv) #define glGetMaterialxv GLEW_GET_FUN(__glewGetMaterialxv) #define glGetTexEnvxv GLEW_GET_FUN(__glewGetTexEnvxv) #define glGetTexParameterxv GLEW_GET_FUN(__glewGetTexParameterxv) #define glPointParameterx GLEW_GET_FUN(__glewPointParameterx) #define glPointParameterxv GLEW_GET_FUN(__glewPointParameterxv) #define glPointSizePointerOES GLEW_GET_FUN(__glewPointSizePointerOES) #define glTexParameterxv GLEW_GET_FUN(__glewTexParameterxv) #define GLEW_REGAL_ES1_1_compatibility GLEW_GET_VAR(__GLEW_REGAL_ES1_1_compatibility) #endif /* GL_REGAL_ES1_1_compatibility */ /* ---------------------------- GL_REGAL_enable ---------------------------- */ #ifndef GL_REGAL_enable #define GL_REGAL_enable 1 #define GL_ERROR_REGAL 0x9322 #define GL_DEBUG_REGAL 0x9323 #define GL_LOG_REGAL 0x9324 #define GL_EMULATION_REGAL 0x9325 #define GL_DRIVER_REGAL 0x9326 #define GL_MISSING_REGAL 0x9360 #define GL_TRACE_REGAL 0x9361 #define GL_CACHE_REGAL 0x9362 #define GL_CODE_REGAL 0x9363 #define GL_STATISTICS_REGAL 0x9364 #define GLEW_REGAL_enable GLEW_GET_VAR(__GLEW_REGAL_enable) #endif /* GL_REGAL_enable */ /* ------------------------- GL_REGAL_error_string ------------------------- */ #ifndef GL_REGAL_error_string #define GL_REGAL_error_string 1 typedef const GLchar* (GLAPIENTRY * PFNGLERRORSTRINGREGALPROC) (GLenum error); #define glErrorStringREGAL GLEW_GET_FUN(__glewErrorStringREGAL) #define GLEW_REGAL_error_string GLEW_GET_VAR(__GLEW_REGAL_error_string) #endif /* GL_REGAL_error_string */ /* ------------------------ GL_REGAL_extension_query ----------------------- */ #ifndef GL_REGAL_extension_query #define GL_REGAL_extension_query 1 typedef GLboolean (GLAPIENTRY * PFNGLGETEXTENSIONREGALPROC) (const GLchar* ext); typedef GLboolean (GLAPIENTRY * PFNGLISSUPPORTEDREGALPROC) (const GLchar* ext); #define glGetExtensionREGAL GLEW_GET_FUN(__glewGetExtensionREGAL) #define glIsSupportedREGAL GLEW_GET_FUN(__glewIsSupportedREGAL) #define GLEW_REGAL_extension_query GLEW_GET_VAR(__GLEW_REGAL_extension_query) #endif /* GL_REGAL_extension_query */ /* ------------------------------ GL_REGAL_log ----------------------------- */ #ifndef GL_REGAL_log #define GL_REGAL_log 1 #define GL_LOG_ERROR_REGAL 0x9319 #define GL_LOG_WARNING_REGAL 0x931A #define GL_LOG_INFO_REGAL 0x931B #define GL_LOG_APP_REGAL 0x931C #define GL_LOG_DRIVER_REGAL 0x931D #define GL_LOG_INTERNAL_REGAL 0x931E #define GL_LOG_DEBUG_REGAL 0x931F #define GL_LOG_STATUS_REGAL 0x9320 #define GL_LOG_HTTP_REGAL 0x9321 typedef void (APIENTRY *GLLOGPROCREGAL)(GLenum stream, GLsizei length, const GLchar *message, void *context); typedef void (GLAPIENTRY * PFNGLLOGMESSAGECALLBACKREGALPROC) (GLLOGPROCREGAL callback); #define glLogMessageCallbackREGAL GLEW_GET_FUN(__glewLogMessageCallbackREGAL) #define GLEW_REGAL_log GLEW_GET_VAR(__GLEW_REGAL_log) #endif /* GL_REGAL_log */ /* ------------------------- GL_REGAL_proc_address ------------------------- */ #ifndef GL_REGAL_proc_address #define GL_REGAL_proc_address 1 typedef void * (GLAPIENTRY * PFNGLGETPROCADDRESSREGALPROC) (const GLchar *name); #define glGetProcAddressREGAL GLEW_GET_FUN(__glewGetProcAddressREGAL) #define GLEW_REGAL_proc_address GLEW_GET_VAR(__GLEW_REGAL_proc_address) #endif /* GL_REGAL_proc_address */ /* ----------------------- GL_REND_screen_coordinates ---------------------- */ #ifndef GL_REND_screen_coordinates #define GL_REND_screen_coordinates 1 #define GL_SCREEN_COORDINATES_REND 0x8490 #define GL_INVERTED_SCREEN_W_REND 0x8491 #define GLEW_REND_screen_coordinates GLEW_GET_VAR(__GLEW_REND_screen_coordinates) #endif /* GL_REND_screen_coordinates */ /* ------------------------------- GL_S3_s3tc ------------------------------ */ #ifndef GL_S3_s3tc #define GL_S3_s3tc 1 #define GL_RGB_S3TC 0x83A0 #define GL_RGB4_S3TC 0x83A1 #define GL_RGBA_S3TC 0x83A2 #define GL_RGBA4_S3TC 0x83A3 #define GL_RGBA_DXT5_S3TC 0x83A4 #define GL_RGBA4_DXT5_S3TC 0x83A5 #define GLEW_S3_s3tc GLEW_GET_VAR(__GLEW_S3_s3tc) #endif /* GL_S3_s3tc */ /* ------------------------- GL_SGIS_clip_band_hint ------------------------ */ #ifndef GL_SGIS_clip_band_hint #define GL_SGIS_clip_band_hint 1 #define GLEW_SGIS_clip_band_hint GLEW_GET_VAR(__GLEW_SGIS_clip_band_hint) #endif /* GL_SGIS_clip_band_hint */ /* -------------------------- GL_SGIS_color_range -------------------------- */ #ifndef GL_SGIS_color_range #define GL_SGIS_color_range 1 #define GL_EXTENDED_RANGE_SGIS 0x85A5 #define GL_MIN_RED_SGIS 0x85A6 #define GL_MAX_RED_SGIS 0x85A7 #define GL_MIN_GREEN_SGIS 0x85A8 #define GL_MAX_GREEN_SGIS 0x85A9 #define GL_MIN_BLUE_SGIS 0x85AA #define GL_MAX_BLUE_SGIS 0x85AB #define GL_MIN_ALPHA_SGIS 0x85AC #define GL_MAX_ALPHA_SGIS 0x85AD #define GLEW_SGIS_color_range GLEW_GET_VAR(__GLEW_SGIS_color_range) #endif /* GL_SGIS_color_range */ /* ------------------------- GL_SGIS_detail_texture ------------------------ */ #ifndef GL_SGIS_detail_texture #define GL_SGIS_detail_texture 1 typedef void (GLAPIENTRY * PFNGLDETAILTEXFUNCSGISPROC) (GLenum target, GLsizei n, const GLfloat* points); typedef void (GLAPIENTRY * PFNGLGETDETAILTEXFUNCSGISPROC) (GLenum target, GLfloat* points); #define glDetailTexFuncSGIS GLEW_GET_FUN(__glewDetailTexFuncSGIS) #define glGetDetailTexFuncSGIS GLEW_GET_FUN(__glewGetDetailTexFuncSGIS) #define GLEW_SGIS_detail_texture GLEW_GET_VAR(__GLEW_SGIS_detail_texture) #endif /* GL_SGIS_detail_texture */ /* -------------------------- GL_SGIS_fog_function ------------------------- */ #ifndef GL_SGIS_fog_function #define GL_SGIS_fog_function 1 typedef void (GLAPIENTRY * PFNGLFOGFUNCSGISPROC) (GLsizei n, const GLfloat* points); typedef void (GLAPIENTRY * PFNGLGETFOGFUNCSGISPROC) (GLfloat* points); #define glFogFuncSGIS GLEW_GET_FUN(__glewFogFuncSGIS) #define glGetFogFuncSGIS GLEW_GET_FUN(__glewGetFogFuncSGIS) #define GLEW_SGIS_fog_function GLEW_GET_VAR(__GLEW_SGIS_fog_function) #endif /* GL_SGIS_fog_function */ /* ------------------------ GL_SGIS_generate_mipmap ------------------------ */ #ifndef GL_SGIS_generate_mipmap #define GL_SGIS_generate_mipmap 1 #define GL_GENERATE_MIPMAP_SGIS 0x8191 #define GL_GENERATE_MIPMAP_HINT_SGIS 0x8192 #define GLEW_SGIS_generate_mipmap GLEW_GET_VAR(__GLEW_SGIS_generate_mipmap) #endif /* GL_SGIS_generate_mipmap */ /* -------------------------- GL_SGIS_line_texgen -------------------------- */ #ifndef GL_SGIS_line_texgen #define GL_SGIS_line_texgen 1 #define GLEW_SGIS_line_texgen GLEW_GET_VAR(__GLEW_SGIS_line_texgen) #endif /* GL_SGIS_line_texgen */ /* -------------------------- GL_SGIS_multisample -------------------------- */ #ifndef GL_SGIS_multisample #define GL_SGIS_multisample 1 #define GL_MULTISAMPLE_SGIS 0x809D #define GL_SAMPLE_ALPHA_TO_MASK_SGIS 0x809E #define GL_SAMPLE_ALPHA_TO_ONE_SGIS 0x809F #define GL_SAMPLE_MASK_SGIS 0x80A0 #define GL_1PASS_SGIS 0x80A1 #define GL_2PASS_0_SGIS 0x80A2 #define GL_2PASS_1_SGIS 0x80A3 #define GL_4PASS_0_SGIS 0x80A4 #define GL_4PASS_1_SGIS 0x80A5 #define GL_4PASS_2_SGIS 0x80A6 #define GL_4PASS_3_SGIS 0x80A7 #define GL_SAMPLE_BUFFERS_SGIS 0x80A8 #define GL_SAMPLES_SGIS 0x80A9 #define GL_SAMPLE_MASK_VALUE_SGIS 0x80AA #define GL_SAMPLE_MASK_INVERT_SGIS 0x80AB #define GL_SAMPLE_PATTERN_SGIS 0x80AC typedef void (GLAPIENTRY * PFNGLSAMPLEMASKSGISPROC) (GLclampf value, GLboolean invert); typedef void (GLAPIENTRY * PFNGLSAMPLEPATTERNSGISPROC) (GLenum pattern); #define glSampleMaskSGIS GLEW_GET_FUN(__glewSampleMaskSGIS) #define glSamplePatternSGIS GLEW_GET_FUN(__glewSamplePatternSGIS) #define GLEW_SGIS_multisample GLEW_GET_VAR(__GLEW_SGIS_multisample) #endif /* GL_SGIS_multisample */ /* -------------------------- GL_SGIS_multitexture ------------------------- */ #ifndef GL_SGIS_multitexture #define GL_SGIS_multitexture 1 #define GL_SELECTED_TEXTURE_SGIS 0x83C0 #define GL_SELECTED_TEXTURE_COORD_SET_SGIS 0x83C1 #define GL_SELECTED_TEXTURE_TRANSFORM_SGIS 0x83C2 #define GL_MAX_TEXTURES_SGIS 0x83C3 #define GL_MAX_TEXTURE_COORD_SETS_SGIS 0x83C4 #define GL_TEXTURE_COORD_SET_INTERLEAVE_FACTOR_SGIS 0x83C5 #define GL_TEXTURE_ENV_COORD_SET_SGIS 0x83C6 #define GL_TEXTURE0_SGIS 0x83C7 #define GL_TEXTURE1_SGIS 0x83C8 #define GL_TEXTURE2_SGIS 0x83C9 #define GL_TEXTURE3_SGIS 0x83CA typedef void (GLAPIENTRY * PFNGLINTERLEAVEDTEXTURECOORDSETSSGISPROC) (GLint factor); typedef void (GLAPIENTRY * PFNGLSELECTTEXTURECOORDSETSGISPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLSELECTTEXTURESGISPROC) (GLenum target); typedef void (GLAPIENTRY * PFNGLSELECTTEXTURETRANSFORMSGISPROC) (GLenum target); #define glInterleavedTextureCoordSetsSGIS GLEW_GET_FUN(__glewInterleavedTextureCoordSetsSGIS) #define glSelectTextureCoordSetSGIS GLEW_GET_FUN(__glewSelectTextureCoordSetSGIS) #define glSelectTextureSGIS GLEW_GET_FUN(__glewSelectTextureSGIS) #define glSelectTextureTransformSGIS GLEW_GET_FUN(__glewSelectTextureTransformSGIS) #define GLEW_SGIS_multitexture GLEW_GET_VAR(__GLEW_SGIS_multitexture) #endif /* GL_SGIS_multitexture */ /* ------------------------- GL_SGIS_pixel_texture ------------------------- */ #ifndef GL_SGIS_pixel_texture #define GL_SGIS_pixel_texture 1 #define GLEW_SGIS_pixel_texture GLEW_GET_VAR(__GLEW_SGIS_pixel_texture) #endif /* GL_SGIS_pixel_texture */ /* ----------------------- GL_SGIS_point_line_texgen ----------------------- */ #ifndef GL_SGIS_point_line_texgen #define GL_SGIS_point_line_texgen 1 #define GL_EYE_DISTANCE_TO_POINT_SGIS 0x81F0 #define GL_OBJECT_DISTANCE_TO_POINT_SGIS 0x81F1 #define GL_EYE_DISTANCE_TO_LINE_SGIS 0x81F2 #define GL_OBJECT_DISTANCE_TO_LINE_SGIS 0x81F3 #define GL_EYE_POINT_SGIS 0x81F4 #define GL_OBJECT_POINT_SGIS 0x81F5 #define GL_EYE_LINE_SGIS 0x81F6 #define GL_OBJECT_LINE_SGIS 0x81F7 #define GLEW_SGIS_point_line_texgen GLEW_GET_VAR(__GLEW_SGIS_point_line_texgen) #endif /* GL_SGIS_point_line_texgen */ /* ----------------------- GL_SGIS_shared_multisample ---------------------- */ #ifndef GL_SGIS_shared_multisample #define GL_SGIS_shared_multisample 1 typedef void (GLAPIENTRY * PFNGLMULTISAMPLESUBRECTPOSSGISPROC) (GLint x, GLint y); #define glMultisampleSubRectPosSGIS GLEW_GET_FUN(__glewMultisampleSubRectPosSGIS) #define GLEW_SGIS_shared_multisample GLEW_GET_VAR(__GLEW_SGIS_shared_multisample) #endif /* GL_SGIS_shared_multisample */ /* ------------------------ GL_SGIS_sharpen_texture ------------------------ */ #ifndef GL_SGIS_sharpen_texture #define GL_SGIS_sharpen_texture 1 typedef void (GLAPIENTRY * PFNGLGETSHARPENTEXFUNCSGISPROC) (GLenum target, GLfloat* points); typedef void (GLAPIENTRY * PFNGLSHARPENTEXFUNCSGISPROC) (GLenum target, GLsizei n, const GLfloat* points); #define glGetSharpenTexFuncSGIS GLEW_GET_FUN(__glewGetSharpenTexFuncSGIS) #define glSharpenTexFuncSGIS GLEW_GET_FUN(__glewSharpenTexFuncSGIS) #define GLEW_SGIS_sharpen_texture GLEW_GET_VAR(__GLEW_SGIS_sharpen_texture) #endif /* GL_SGIS_sharpen_texture */ /* --------------------------- GL_SGIS_texture4D --------------------------- */ #ifndef GL_SGIS_texture4D #define GL_SGIS_texture4D 1 typedef void (GLAPIENTRY * PFNGLTEXIMAGE4DSGISPROC) (GLenum target, GLint level, GLenum internalformat, GLsizei width, GLsizei height, GLsizei depth, GLsizei extent, GLint border, GLenum format, GLenum type, const void *pixels); typedef void (GLAPIENTRY * PFNGLTEXSUBIMAGE4DSGISPROC) (GLenum target, GLint level, GLint xoffset, GLint yoffset, GLint zoffset, GLint woffset, GLsizei width, GLsizei height, GLsizei depth, GLsizei extent, GLenum format, GLenum type, const void *pixels); #define glTexImage4DSGIS GLEW_GET_FUN(__glewTexImage4DSGIS) #define glTexSubImage4DSGIS GLEW_GET_FUN(__glewTexSubImage4DSGIS) #define GLEW_SGIS_texture4D GLEW_GET_VAR(__GLEW_SGIS_texture4D) #endif /* GL_SGIS_texture4D */ /* ---------------------- GL_SGIS_texture_border_clamp --------------------- */ #ifndef GL_SGIS_texture_border_clamp #define GL_SGIS_texture_border_clamp 1 #define GL_CLAMP_TO_BORDER_SGIS 0x812D #define GLEW_SGIS_texture_border_clamp GLEW_GET_VAR(__GLEW_SGIS_texture_border_clamp) #endif /* GL_SGIS_texture_border_clamp */ /* ----------------------- GL_SGIS_texture_edge_clamp ---------------------- */ #ifndef GL_SGIS_texture_edge_clamp #define GL_SGIS_texture_edge_clamp 1 #define GL_CLAMP_TO_EDGE_SGIS 0x812F #define GLEW_SGIS_texture_edge_clamp GLEW_GET_VAR(__GLEW_SGIS_texture_edge_clamp) #endif /* GL_SGIS_texture_edge_clamp */ /* ------------------------ GL_SGIS_texture_filter4 ------------------------ */ #ifndef GL_SGIS_texture_filter4 #define GL_SGIS_texture_filter4 1 typedef void (GLAPIENTRY * PFNGLGETTEXFILTERFUNCSGISPROC) (GLenum target, GLenum filter, GLfloat* weights); typedef void (GLAPIENTRY * PFNGLTEXFILTERFUNCSGISPROC) (GLenum target, GLenum filter, GLsizei n, const GLfloat* weights); #define glGetTexFilterFuncSGIS GLEW_GET_FUN(__glewGetTexFilterFuncSGIS) #define glTexFilterFuncSGIS GLEW_GET_FUN(__glewTexFilterFuncSGIS) #define GLEW_SGIS_texture_filter4 GLEW_GET_VAR(__GLEW_SGIS_texture_filter4) #endif /* GL_SGIS_texture_filter4 */ /* -------------------------- GL_SGIS_texture_lod -------------------------- */ #ifndef GL_SGIS_texture_lod #define GL_SGIS_texture_lod 1 #define GL_TEXTURE_MIN_LOD_SGIS 0x813A #define GL_TEXTURE_MAX_LOD_SGIS 0x813B #define GL_TEXTURE_BASE_LEVEL_SGIS 0x813C #define GL_TEXTURE_MAX_LEVEL_SGIS 0x813D #define GLEW_SGIS_texture_lod GLEW_GET_VAR(__GLEW_SGIS_texture_lod) #endif /* GL_SGIS_texture_lod */ /* ------------------------- GL_SGIS_texture_select ------------------------ */ #ifndef GL_SGIS_texture_select #define GL_SGIS_texture_select 1 #define GLEW_SGIS_texture_select GLEW_GET_VAR(__GLEW_SGIS_texture_select) #endif /* GL_SGIS_texture_select */ /* ----------------------------- GL_SGIX_async ----------------------------- */ #ifndef GL_SGIX_async #define GL_SGIX_async 1 #define GL_ASYNC_MARKER_SGIX 0x8329 typedef void (GLAPIENTRY * PFNGLASYNCMARKERSGIXPROC) (GLuint marker); typedef void (GLAPIENTRY * PFNGLDELETEASYNCMARKERSSGIXPROC) (GLuint marker, GLsizei range); typedef GLint (GLAPIENTRY * PFNGLFINISHASYNCSGIXPROC) (GLuint* markerp); typedef GLuint (GLAPIENTRY * PFNGLGENASYNCMARKERSSGIXPROC) (GLsizei range); typedef GLboolean (GLAPIENTRY * PFNGLISASYNCMARKERSGIXPROC) (GLuint marker); typedef GLint (GLAPIENTRY * PFNGLPOLLASYNCSGIXPROC) (GLuint* markerp); #define glAsyncMarkerSGIX GLEW_GET_FUN(__glewAsyncMarkerSGIX) #define glDeleteAsyncMarkersSGIX GLEW_GET_FUN(__glewDeleteAsyncMarkersSGIX) #define glFinishAsyncSGIX GLEW_GET_FUN(__glewFinishAsyncSGIX) #define glGenAsyncMarkersSGIX GLEW_GET_FUN(__glewGenAsyncMarkersSGIX) #define glIsAsyncMarkerSGIX GLEW_GET_FUN(__glewIsAsyncMarkerSGIX) #define glPollAsyncSGIX GLEW_GET_FUN(__glewPollAsyncSGIX) #define GLEW_SGIX_async GLEW_GET_VAR(__GLEW_SGIX_async) #endif /* GL_SGIX_async */ /* ------------------------ GL_SGIX_async_histogram ------------------------ */ #ifndef GL_SGIX_async_histogram #define GL_SGIX_async_histogram 1 #define GL_ASYNC_HISTOGRAM_SGIX 0x832C #define GL_MAX_ASYNC_HISTOGRAM_SGIX 0x832D #define GLEW_SGIX_async_histogram GLEW_GET_VAR(__GLEW_SGIX_async_histogram) #endif /* GL_SGIX_async_histogram */ /* -------------------------- GL_SGIX_async_pixel -------------------------- */ #ifndef GL_SGIX_async_pixel #define GL_SGIX_async_pixel 1 #define GL_ASYNC_TEX_IMAGE_SGIX 0x835C #define GL_ASYNC_DRAW_PIXELS_SGIX 0x835D #define GL_ASYNC_READ_PIXELS_SGIX 0x835E #define GL_MAX_ASYNC_TEX_IMAGE_SGIX 0x835F #define GL_MAX_ASYNC_DRAW_PIXELS_SGIX 0x8360 #define GL_MAX_ASYNC_READ_PIXELS_SGIX 0x8361 #define GLEW_SGIX_async_pixel GLEW_GET_VAR(__GLEW_SGIX_async_pixel) #endif /* GL_SGIX_async_pixel */ /* ----------------------- GL_SGIX_bali_g_instruments ---------------------- */ #ifndef GL_SGIX_bali_g_instruments #define GL_SGIX_bali_g_instruments 1 #define GL_BALI_NUM_TRIS_CULLED_INSTRUMENT 0x6080 #define GL_BALI_NUM_PRIMS_CLIPPED_INSTRUMENT 0x6081 #define GL_BALI_NUM_PRIMS_REJECT_INSTRUMENT 0x6082 #define GL_BALI_NUM_PRIMS_CLIP_RESULT_INSTRUMENT 0x6083 #define GLEW_SGIX_bali_g_instruments GLEW_GET_VAR(__GLEW_SGIX_bali_g_instruments) #endif /* GL_SGIX_bali_g_instruments */ /* ----------------------- GL_SGIX_bali_r_instruments ---------------------- */ #ifndef GL_SGIX_bali_r_instruments #define GL_SGIX_bali_r_instruments 1 #define GL_BALI_FRAGMENTS_GENERATED_INSTRUMENT 0x6090 #define GL_BALI_DEPTH_PASS_INSTRUMENT 0x6091 #define GL_BALI_R_CHIP_COUNT 0x6092 #define GLEW_SGIX_bali_r_instruments GLEW_GET_VAR(__GLEW_SGIX_bali_r_instruments) #endif /* GL_SGIX_bali_r_instruments */ /* --------------------- GL_SGIX_bali_timer_instruments -------------------- */ #ifndef GL_SGIX_bali_timer_instruments #define GL_SGIX_bali_timer_instruments 1 #define GLEW_SGIX_bali_timer_instruments GLEW_GET_VAR(__GLEW_SGIX_bali_timer_instruments) #endif /* GL_SGIX_bali_timer_instruments */ /* ----------------------- GL_SGIX_blend_alpha_minmax ---------------------- */ #ifndef GL_SGIX_blend_alpha_minmax #define GL_SGIX_blend_alpha_minmax 1 #define GL_ALPHA_MIN_SGIX 0x8320 #define GL_ALPHA_MAX_SGIX 0x8321 #define GLEW_SGIX_blend_alpha_minmax GLEW_GET_VAR(__GLEW_SGIX_blend_alpha_minmax) #endif /* GL_SGIX_blend_alpha_minmax */ /* --------------------------- GL_SGIX_blend_cadd -------------------------- */ #ifndef GL_SGIX_blend_cadd #define GL_SGIX_blend_cadd 1 #define GL_FUNC_COMPLEX_ADD_EXT 0x601C #define GLEW_SGIX_blend_cadd GLEW_GET_VAR(__GLEW_SGIX_blend_cadd) #endif /* GL_SGIX_blend_cadd */ /* ------------------------ GL_SGIX_blend_cmultiply ------------------------ */ #ifndef GL_SGIX_blend_cmultiply #define GL_SGIX_blend_cmultiply 1 #define GL_FUNC_COMPLEX_MULTIPLY_EXT 0x601B #define GLEW_SGIX_blend_cmultiply GLEW_GET_VAR(__GLEW_SGIX_blend_cmultiply) #endif /* GL_SGIX_blend_cmultiply */ /* --------------------- GL_SGIX_calligraphic_fragment --------------------- */ #ifndef GL_SGIX_calligraphic_fragment #define GL_SGIX_calligraphic_fragment 1 #define GLEW_SGIX_calligraphic_fragment GLEW_GET_VAR(__GLEW_SGIX_calligraphic_fragment) #endif /* GL_SGIX_calligraphic_fragment */ /* ---------------------------- GL_SGIX_clipmap ---------------------------- */ #ifndef GL_SGIX_clipmap #define GL_SGIX_clipmap 1 #define GLEW_SGIX_clipmap GLEW_GET_VAR(__GLEW_SGIX_clipmap) #endif /* GL_SGIX_clipmap */ /* --------------------- GL_SGIX_color_matrix_accuracy --------------------- */ #ifndef GL_SGIX_color_matrix_accuracy #define GL_SGIX_color_matrix_accuracy 1 #define GL_COLOR_MATRIX_HINT 0x8317 #define GLEW_SGIX_color_matrix_accuracy GLEW_GET_VAR(__GLEW_SGIX_color_matrix_accuracy) #endif /* GL_SGIX_color_matrix_accuracy */ /* --------------------- GL_SGIX_color_table_index_mode -------------------- */ #ifndef GL_SGIX_color_table_index_mode #define GL_SGIX_color_table_index_mode 1 #define GLEW_SGIX_color_table_index_mode GLEW_GET_VAR(__GLEW_SGIX_color_table_index_mode) #endif /* GL_SGIX_color_table_index_mode */ /* ------------------------- GL_SGIX_complex_polar ------------------------- */ #ifndef GL_SGIX_complex_polar #define GL_SGIX_complex_polar 1 #define GLEW_SGIX_complex_polar GLEW_GET_VAR(__GLEW_SGIX_complex_polar) #endif /* GL_SGIX_complex_polar */ /* ---------------------- GL_SGIX_convolution_accuracy --------------------- */ #ifndef GL_SGIX_convolution_accuracy #define GL_SGIX_convolution_accuracy 1 #define GL_CONVOLUTION_HINT_SGIX 0x8316 #define GLEW_SGIX_convolution_accuracy GLEW_GET_VAR(__GLEW_SGIX_convolution_accuracy) #endif /* GL_SGIX_convolution_accuracy */ /* ---------------------------- GL_SGIX_cube_map --------------------------- */ #ifndef GL_SGIX_cube_map #define GL_SGIX_cube_map 1 #define GL_ENV_MAP_SGIX 0x8340 #define GL_CUBE_MAP_SGIX 0x8341 #define GL_CUBE_MAP_ZP_SGIX 0x8342 #define GL_CUBE_MAP_ZN_SGIX 0x8343 #define GL_CUBE_MAP_XN_SGIX 0x8344 #define GL_CUBE_MAP_XP_SGIX 0x8345 #define GL_CUBE_MAP_YN_SGIX 0x8346 #define GL_CUBE_MAP_YP_SGIX 0x8347 #define GL_CUBE_MAP_BINDING_SGIX 0x8348 #define GLEW_SGIX_cube_map GLEW_GET_VAR(__GLEW_SGIX_cube_map) #endif /* GL_SGIX_cube_map */ /* ------------------------ GL_SGIX_cylinder_texgen ------------------------ */ #ifndef GL_SGIX_cylinder_texgen #define GL_SGIX_cylinder_texgen 1 #define GLEW_SGIX_cylinder_texgen GLEW_GET_VAR(__GLEW_SGIX_cylinder_texgen) #endif /* GL_SGIX_cylinder_texgen */ /* ---------------------------- GL_SGIX_datapipe --------------------------- */ #ifndef GL_SGIX_datapipe #define GL_SGIX_datapipe 1 #define GL_GEOMETRY_BIT 0x1 #define GL_IMAGE_BIT 0x2 typedef void (GLAPIENTRY * PFNGLADDRESSSPACEPROC) (GLenum space, GLbitfield mask); typedef GLint (GLAPIENTRY * PFNGLDATAPIPEPROC) (GLenum space); #define glAddressSpace GLEW_GET_FUN(__glewAddressSpace) #define glDataPipe GLEW_GET_FUN(__glewDataPipe) #define GLEW_SGIX_datapipe GLEW_GET_VAR(__GLEW_SGIX_datapipe) #endif /* GL_SGIX_datapipe */ /* --------------------------- GL_SGIX_decimation -------------------------- */ #ifndef GL_SGIX_decimation #define GL_SGIX_decimation 1 #define GLEW_SGIX_decimation GLEW_GET_VAR(__GLEW_SGIX_decimation) #endif /* GL_SGIX_decimation */ /* --------------------- GL_SGIX_depth_pass_instrument --------------------- */ #ifndef GL_SGIX_depth_pass_instrument #define GL_SGIX_depth_pass_instrument 1 #define GL_DEPTH_PASS_INSTRUMENT_SGIX 0x8310 #define GL_DEPTH_PASS_INSTRUMENT_COUNTERS_SGIX 0x8311 #define GL_DEPTH_PASS_INSTRUMENT_MAX_SGIX 0x8312 #define GLEW_SGIX_depth_pass_instrument GLEW_GET_VAR(__GLEW_SGIX_depth_pass_instrument) #endif /* GL_SGIX_depth_pass_instrument */ /* ------------------------- GL_SGIX_depth_texture ------------------------- */ #ifndef GL_SGIX_depth_texture #define GL_SGIX_depth_texture 1 #define GL_DEPTH_COMPONENT16_SGIX 0x81A5 #define GL_DEPTH_COMPONENT24_SGIX 0x81A6 #define GL_DEPTH_COMPONENT32_SGIX 0x81A7 #define GLEW_SGIX_depth_texture GLEW_GET_VAR(__GLEW_SGIX_depth_texture) #endif /* GL_SGIX_depth_texture */ /* ------------------------------ GL_SGIX_dvc ------------------------------ */ #ifndef GL_SGIX_dvc #define GL_SGIX_dvc 1 #define GLEW_SGIX_dvc GLEW_GET_VAR(__GLEW_SGIX_dvc) #endif /* GL_SGIX_dvc */ /* -------------------------- GL_SGIX_flush_raster ------------------------- */ #ifndef GL_SGIX_flush_raster #define GL_SGIX_flush_raster 1 typedef void (GLAPIENTRY * PFNGLFLUSHRASTERSGIXPROC) (void); #define glFlushRasterSGIX GLEW_GET_FUN(__glewFlushRasterSGIX) #define GLEW_SGIX_flush_raster GLEW_GET_VAR(__GLEW_SGIX_flush_raster) #endif /* GL_SGIX_flush_raster */ /* --------------------------- GL_SGIX_fog_blend --------------------------- */ #ifndef GL_SGIX_fog_blend #define GL_SGIX_fog_blend 1 #define GL_FOG_BLEND_ALPHA_SGIX 0x81FE #define GL_FOG_BLEND_COLOR_SGIX 0x81FF #define GLEW_SGIX_fog_blend GLEW_GET_VAR(__GLEW_SGIX_fog_blend) #endif /* GL_SGIX_fog_blend */ /* ---------------------- GL_SGIX_fog_factor_to_alpha ---------------------- */ #ifndef GL_SGIX_fog_factor_to_alpha #define GL_SGIX_fog_factor_to_alpha 1 #define GLEW_SGIX_fog_factor_to_alpha GLEW_GET_VAR(__GLEW_SGIX_fog_factor_to_alpha) #endif /* GL_SGIX_fog_factor_to_alpha */ /* --------------------------- GL_SGIX_fog_layers -------------------------- */ #ifndef GL_SGIX_fog_layers #define GL_SGIX_fog_layers 1 #define GL_FOG_TYPE_SGIX 0x8323 #define GL_UNIFORM_SGIX 0x8324 #define GL_LAYERED_SGIX 0x8325 #define GL_FOG_GROUND_PLANE_SGIX 0x8326 #define GL_FOG_LAYERS_POINTS_SGIX 0x8327 #define GL_MAX_FOG_LAYERS_POINTS_SGIX 0x8328 typedef void (GLAPIENTRY * PFNGLFOGLAYERSSGIXPROC) (GLsizei n, const GLfloat* points); typedef void (GLAPIENTRY * PFNGLGETFOGLAYERSSGIXPROC) (GLfloat* points); #define glFogLayersSGIX GLEW_GET_FUN(__glewFogLayersSGIX) #define glGetFogLayersSGIX GLEW_GET_FUN(__glewGetFogLayersSGIX) #define GLEW_SGIX_fog_layers GLEW_GET_VAR(__GLEW_SGIX_fog_layers) #endif /* GL_SGIX_fog_layers */ /* --------------------------- GL_SGIX_fog_offset -------------------------- */ #ifndef GL_SGIX_fog_offset #define GL_SGIX_fog_offset 1 #define GL_FOG_OFFSET_SGIX 0x8198 #define GL_FOG_OFFSET_VALUE_SGIX 0x8199 #define GLEW_SGIX_fog_offset GLEW_GET_VAR(__GLEW_SGIX_fog_offset) #endif /* GL_SGIX_fog_offset */ /* --------------------------- GL_SGIX_fog_patchy -------------------------- */ #ifndef GL_SGIX_fog_patchy #define GL_SGIX_fog_patchy 1 #define GLEW_SGIX_fog_patchy GLEW_GET_VAR(__GLEW_SGIX_fog_patchy) #endif /* GL_SGIX_fog_patchy */ /* --------------------------- GL_SGIX_fog_scale --------------------------- */ #ifndef GL_SGIX_fog_scale #define GL_SGIX_fog_scale 1 #define GL_FOG_SCALE_SGIX 0x81FC #define GL_FOG_SCALE_VALUE_SGIX 0x81FD #define GLEW_SGIX_fog_scale GLEW_GET_VAR(__GLEW_SGIX_fog_scale) #endif /* GL_SGIX_fog_scale */ /* -------------------------- GL_SGIX_fog_texture -------------------------- */ #ifndef GL_SGIX_fog_texture #define GL_SGIX_fog_texture 1 typedef void (GLAPIENTRY * PFNGLTEXTUREFOGSGIXPROC) (GLenum pname); #define glTextureFogSGIX GLEW_GET_FUN(__glewTextureFogSGIX) #define GLEW_SGIX_fog_texture GLEW_GET_VAR(__GLEW_SGIX_fog_texture) #endif /* GL_SGIX_fog_texture */ /* -------------------- GL_SGIX_fragment_lighting_space -------------------- */ #ifndef GL_SGIX_fragment_lighting_space #define GL_SGIX_fragment_lighting_space 1 #define GL_EYE_SPACE_SGIX 0x8436 #define GL_TANGENT_SPACE_SGIX 0x8437 #define GL_OBJECT_SPACE_SGIX 0x8438 #define GL_FRAGMENT_LIGHT_SPACE_SGIX 0x843D #define GLEW_SGIX_fragment_lighting_space GLEW_GET_VAR(__GLEW_SGIX_fragment_lighting_space) #endif /* GL_SGIX_fragment_lighting_space */ /* ------------------- GL_SGIX_fragment_specular_lighting ------------------ */ #ifndef GL_SGIX_fragment_specular_lighting #define GL_SGIX_fragment_specular_lighting 1 typedef void (GLAPIENTRY * PFNGLFRAGMENTCOLORMATERIALSGIXPROC) (GLenum face, GLenum mode); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELFSGIXPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELFVSGIXPROC) (GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELISGIXPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTMODELIVSGIXPROC) (GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTFSGIXPROC) (GLenum light, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTFVSGIXPROC) (GLenum light, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTISGIXPROC) (GLenum light, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLFRAGMENTLIGHTIVSGIXPROC) (GLenum light, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALFSGIXPROC) (GLenum face, GLenum pname, const GLfloat param); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALFVSGIXPROC) (GLenum face, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALISGIXPROC) (GLenum face, GLenum pname, const GLint param); typedef void (GLAPIENTRY * PFNGLFRAGMENTMATERIALIVSGIXPROC) (GLenum face, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTLIGHTFVSGIXPROC) (GLenum light, GLenum value, GLfloat* data); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTLIGHTIVSGIXPROC) (GLenum light, GLenum value, GLint* data); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTMATERIALFVSGIXPROC) (GLenum face, GLenum pname, const GLfloat* data); typedef void (GLAPIENTRY * PFNGLGETFRAGMENTMATERIALIVSGIXPROC) (GLenum face, GLenum pname, const GLint* data); #define glFragmentColorMaterialSGIX GLEW_GET_FUN(__glewFragmentColorMaterialSGIX) #define glFragmentLightModelfSGIX GLEW_GET_FUN(__glewFragmentLightModelfSGIX) #define glFragmentLightModelfvSGIX GLEW_GET_FUN(__glewFragmentLightModelfvSGIX) #define glFragmentLightModeliSGIX GLEW_GET_FUN(__glewFragmentLightModeliSGIX) #define glFragmentLightModelivSGIX GLEW_GET_FUN(__glewFragmentLightModelivSGIX) #define glFragmentLightfSGIX GLEW_GET_FUN(__glewFragmentLightfSGIX) #define glFragmentLightfvSGIX GLEW_GET_FUN(__glewFragmentLightfvSGIX) #define glFragmentLightiSGIX GLEW_GET_FUN(__glewFragmentLightiSGIX) #define glFragmentLightivSGIX GLEW_GET_FUN(__glewFragmentLightivSGIX) #define glFragmentMaterialfSGIX GLEW_GET_FUN(__glewFragmentMaterialfSGIX) #define glFragmentMaterialfvSGIX GLEW_GET_FUN(__glewFragmentMaterialfvSGIX) #define glFragmentMaterialiSGIX GLEW_GET_FUN(__glewFragmentMaterialiSGIX) #define glFragmentMaterialivSGIX GLEW_GET_FUN(__glewFragmentMaterialivSGIX) #define glGetFragmentLightfvSGIX GLEW_GET_FUN(__glewGetFragmentLightfvSGIX) #define glGetFragmentLightivSGIX GLEW_GET_FUN(__glewGetFragmentLightivSGIX) #define glGetFragmentMaterialfvSGIX GLEW_GET_FUN(__glewGetFragmentMaterialfvSGIX) #define glGetFragmentMaterialivSGIX GLEW_GET_FUN(__glewGetFragmentMaterialivSGIX) #define GLEW_SGIX_fragment_specular_lighting GLEW_GET_VAR(__GLEW_SGIX_fragment_specular_lighting) #endif /* GL_SGIX_fragment_specular_lighting */ /* ---------------------- GL_SGIX_fragments_instrument --------------------- */ #ifndef GL_SGIX_fragments_instrument #define GL_SGIX_fragments_instrument 1 #define GL_FRAGMENTS_INSTRUMENT_SGIX 0x8313 #define GL_FRAGMENTS_INSTRUMENT_COUNTERS_SGIX 0x8314 #define GL_FRAGMENTS_INSTRUMENT_MAX_SGIX 0x8315 #define GLEW_SGIX_fragments_instrument GLEW_GET_VAR(__GLEW_SGIX_fragments_instrument) #endif /* GL_SGIX_fragments_instrument */ /* --------------------------- GL_SGIX_framezoom --------------------------- */ #ifndef GL_SGIX_framezoom #define GL_SGIX_framezoom 1 typedef void (GLAPIENTRY * PFNGLFRAMEZOOMSGIXPROC) (GLint factor); #define glFrameZoomSGIX GLEW_GET_FUN(__glewFrameZoomSGIX) #define GLEW_SGIX_framezoom GLEW_GET_VAR(__GLEW_SGIX_framezoom) #endif /* GL_SGIX_framezoom */ /* -------------------------- GL_SGIX_icc_texture -------------------------- */ #ifndef GL_SGIX_icc_texture #define GL_SGIX_icc_texture 1 #define GL_RGB_ICC_SGIX 0x8460 #define GL_RGBA_ICC_SGIX 0x8461 #define GL_ALPHA_ICC_SGIX 0x8462 #define GL_LUMINANCE_ICC_SGIX 0x8463 #define GL_INTENSITY_ICC_SGIX 0x8464 #define GL_LUMINANCE_ALPHA_ICC_SGIX 0x8465 #define GL_R5_G6_B5_ICC_SGIX 0x8466 #define GL_R5_G6_B5_A8_ICC_SGIX 0x8467 #define GL_ALPHA16_ICC_SGIX 0x8468 #define GL_LUMINANCE16_ICC_SGIX 0x8469 #define GL_INTENSITY16_ICC_SGIX 0x846A #define GL_LUMINANCE16_ALPHA8_ICC_SGIX 0x846B #define GLEW_SGIX_icc_texture GLEW_GET_VAR(__GLEW_SGIX_icc_texture) #endif /* GL_SGIX_icc_texture */ /* ------------------------ GL_SGIX_igloo_interface ------------------------ */ #ifndef GL_SGIX_igloo_interface #define GL_SGIX_igloo_interface 1 #define GL_IGLOO_FULLSCREEN_SGIX 0x819E #define GL_IGLOO_VIEWPORT_OFFSET_SGIX 0x819F #define GL_IGLOO_SWAPTMESH_SGIX 0x81A0 #define GL_IGLOO_COLORNORMAL_SGIX 0x81A1 #define GL_IGLOO_IRISGL_MODE_SGIX 0x81A2 #define GL_IGLOO_LMC_COLOR_SGIX 0x81A3 #define GL_IGLOO_TMESHMODE_SGIX 0x81A4 #define GL_LIGHT31 0xBEAD typedef void (GLAPIENTRY * PFNGLIGLOOINTERFACESGIXPROC) (GLenum pname, void *param); #define glIglooInterfaceSGIX GLEW_GET_FUN(__glewIglooInterfaceSGIX) #define GLEW_SGIX_igloo_interface GLEW_GET_VAR(__GLEW_SGIX_igloo_interface) #endif /* GL_SGIX_igloo_interface */ /* ----------------------- GL_SGIX_image_compression ----------------------- */ #ifndef GL_SGIX_image_compression #define GL_SGIX_image_compression 1 #define GLEW_SGIX_image_compression GLEW_GET_VAR(__GLEW_SGIX_image_compression) #endif /* GL_SGIX_image_compression */ /* ---------------------- GL_SGIX_impact_pixel_texture --------------------- */ #ifndef GL_SGIX_impact_pixel_texture #define GL_SGIX_impact_pixel_texture 1 #define GLEW_SGIX_impact_pixel_texture GLEW_GET_VAR(__GLEW_SGIX_impact_pixel_texture) #endif /* GL_SGIX_impact_pixel_texture */ /* ------------------------ GL_SGIX_instrument_error ----------------------- */ #ifndef GL_SGIX_instrument_error #define GL_SGIX_instrument_error 1 #define GLEW_SGIX_instrument_error GLEW_GET_VAR(__GLEW_SGIX_instrument_error) #endif /* GL_SGIX_instrument_error */ /* --------------------------- GL_SGIX_interlace --------------------------- */ #ifndef GL_SGIX_interlace #define GL_SGIX_interlace 1 #define GL_INTERLACE_SGIX 0x8094 #define GLEW_SGIX_interlace GLEW_GET_VAR(__GLEW_SGIX_interlace) #endif /* GL_SGIX_interlace */ /* ------------------------- GL_SGIX_ir_instrument1 ------------------------ */ #ifndef GL_SGIX_ir_instrument1 #define GL_SGIX_ir_instrument1 1 #define GLEW_SGIX_ir_instrument1 GLEW_GET_VAR(__GLEW_SGIX_ir_instrument1) #endif /* GL_SGIX_ir_instrument1 */ /* ----------------------- GL_SGIX_line_quality_hint ----------------------- */ #ifndef GL_SGIX_line_quality_hint #define GL_SGIX_line_quality_hint 1 #define GL_LINE_QUALITY_HINT_SGIX 0x835B #define GLEW_SGIX_line_quality_hint GLEW_GET_VAR(__GLEW_SGIX_line_quality_hint) #endif /* GL_SGIX_line_quality_hint */ /* ------------------------- GL_SGIX_list_priority ------------------------- */ #ifndef GL_SGIX_list_priority #define GL_SGIX_list_priority 1 #define GLEW_SGIX_list_priority GLEW_GET_VAR(__GLEW_SGIX_list_priority) #endif /* GL_SGIX_list_priority */ /* ----------------------------- GL_SGIX_mpeg1 ----------------------------- */ #ifndef GL_SGIX_mpeg1 #define GL_SGIX_mpeg1 1 typedef void (GLAPIENTRY * PFNGLALLOCMPEGPREDICTORSSGIXPROC) (GLsizei width, GLsizei height, GLsizei n, GLuint* predictors); typedef void (GLAPIENTRY * PFNGLDELETEMPEGPREDICTORSSGIXPROC) (GLsizei n, GLuint* predictors); typedef void (GLAPIENTRY * PFNGLGENMPEGPREDICTORSSGIXPROC) (GLsizei n, GLuint* predictors); typedef void (GLAPIENTRY * PFNGLGETMPEGPARAMETERFVSGIXPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETMPEGPARAMETERIVSGIXPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETMPEGPREDICTORSGIXPROC) (GLenum target, GLenum format, GLenum type, void *pixels); typedef void (GLAPIENTRY * PFNGLGETMPEGQUANTTABLEUBVPROC) (GLenum target, GLubyte* values); typedef GLboolean (GLAPIENTRY * PFNGLISMPEGPREDICTORSGIXPROC) (GLuint predictor); typedef void (GLAPIENTRY * PFNGLMPEGPREDICTORSGIXPROC) (GLenum target, GLenum format, GLenum type, void *pixels); typedef void (GLAPIENTRY * PFNGLMPEGQUANTTABLEUBVPROC) (GLenum target, GLubyte* values); typedef void (GLAPIENTRY * PFNGLSWAPMPEGPREDICTORSSGIXPROC) (GLenum target0, GLenum target1); #define glAllocMPEGPredictorsSGIX GLEW_GET_FUN(__glewAllocMPEGPredictorsSGIX) #define glDeleteMPEGPredictorsSGIX GLEW_GET_FUN(__glewDeleteMPEGPredictorsSGIX) #define glGenMPEGPredictorsSGIX GLEW_GET_FUN(__glewGenMPEGPredictorsSGIX) #define glGetMPEGParameterfvSGIX GLEW_GET_FUN(__glewGetMPEGParameterfvSGIX) #define glGetMPEGParameterivSGIX GLEW_GET_FUN(__glewGetMPEGParameterivSGIX) #define glGetMPEGPredictorSGIX GLEW_GET_FUN(__glewGetMPEGPredictorSGIX) #define glGetMPEGQuantTableubv GLEW_GET_FUN(__glewGetMPEGQuantTableubv) #define glIsMPEGPredictorSGIX GLEW_GET_FUN(__glewIsMPEGPredictorSGIX) #define glMPEGPredictorSGIX GLEW_GET_FUN(__glewMPEGPredictorSGIX) #define glMPEGQuantTableubv GLEW_GET_FUN(__glewMPEGQuantTableubv) #define glSwapMPEGPredictorsSGIX GLEW_GET_FUN(__glewSwapMPEGPredictorsSGIX) #define GLEW_SGIX_mpeg1 GLEW_GET_VAR(__GLEW_SGIX_mpeg1) #endif /* GL_SGIX_mpeg1 */ /* ----------------------------- GL_SGIX_mpeg2 ----------------------------- */ #ifndef GL_SGIX_mpeg2 #define GL_SGIX_mpeg2 1 #define GLEW_SGIX_mpeg2 GLEW_GET_VAR(__GLEW_SGIX_mpeg2) #endif /* GL_SGIX_mpeg2 */ /* ------------------ GL_SGIX_nonlinear_lighting_pervertex ----------------- */ #ifndef GL_SGIX_nonlinear_lighting_pervertex #define GL_SGIX_nonlinear_lighting_pervertex 1 typedef void (GLAPIENTRY * PFNGLGETNONLINLIGHTFVSGIXPROC) (GLenum light, GLenum pname, GLint* terms, GLfloat *data); typedef void (GLAPIENTRY * PFNGLGETNONLINMATERIALFVSGIXPROC) (GLenum face, GLenum pname, GLint* terms, const GLfloat *data); typedef void (GLAPIENTRY * PFNGLNONLINLIGHTFVSGIXPROC) (GLenum light, GLenum pname, GLint terms, GLfloat* params); typedef void (GLAPIENTRY * PFNGLNONLINMATERIALFVSGIXPROC) (GLenum face, GLenum pname, GLint terms, const GLfloat* params); #define glGetNonlinLightfvSGIX GLEW_GET_FUN(__glewGetNonlinLightfvSGIX) #define glGetNonlinMaterialfvSGIX GLEW_GET_FUN(__glewGetNonlinMaterialfvSGIX) #define glNonlinLightfvSGIX GLEW_GET_FUN(__glewNonlinLightfvSGIX) #define glNonlinMaterialfvSGIX GLEW_GET_FUN(__glewNonlinMaterialfvSGIX) #define GLEW_SGIX_nonlinear_lighting_pervertex GLEW_GET_VAR(__GLEW_SGIX_nonlinear_lighting_pervertex) #endif /* GL_SGIX_nonlinear_lighting_pervertex */ /* --------------------------- GL_SGIX_nurbs_eval -------------------------- */ #ifndef GL_SGIX_nurbs_eval #define GL_SGIX_nurbs_eval 1 #define GL_MAP1_VERTEX_3_NURBS_SGIX 0x81CB #define GL_MAP1_VERTEX_4_NURBS_SGIX 0x81CC #define GL_MAP1_INDEX_NURBS_SGIX 0x81CD #define GL_MAP1_COLOR_4_NURBS_SGIX 0x81CE #define GL_MAP1_NORMAL_NURBS_SGIX 0x81CF #define GL_MAP1_TEXTURE_COORD_1_NURBS_SGIX 0x81E0 #define GL_MAP1_TEXTURE_COORD_2_NURBS_SGIX 0x81E1 #define GL_MAP1_TEXTURE_COORD_3_NURBS_SGIX 0x81E2 #define GL_MAP1_TEXTURE_COORD_4_NURBS_SGIX 0x81E3 #define GL_MAP2_VERTEX_3_NURBS_SGIX 0x81E4 #define GL_MAP2_VERTEX_4_NURBS_SGIX 0x81E5 #define GL_MAP2_INDEX_NURBS_SGIX 0x81E6 #define GL_MAP2_COLOR_4_NURBS_SGIX 0x81E7 #define GL_MAP2_NORMAL_NURBS_SGIX 0x81E8 #define GL_MAP2_TEXTURE_COORD_1_NURBS_SGIX 0x81E9 #define GL_MAP2_TEXTURE_COORD_2_NURBS_SGIX 0x81EA #define GL_MAP2_TEXTURE_COORD_3_NURBS_SGIX 0x81EB #define GL_MAP2_TEXTURE_COORD_4_NURBS_SGIX 0x81EC #define GL_NURBS_KNOT_COUNT_SGIX 0x81ED #define GL_NURBS_KNOT_VECTOR_SGIX 0x81EE #define GLEW_SGIX_nurbs_eval GLEW_GET_VAR(__GLEW_SGIX_nurbs_eval) #endif /* GL_SGIX_nurbs_eval */ /* ---------------------- GL_SGIX_occlusion_instrument --------------------- */ #ifndef GL_SGIX_occlusion_instrument #define GL_SGIX_occlusion_instrument 1 #define GL_OCCLUSION_INSTRUMENT_SGIX 0x6060 #define GLEW_SGIX_occlusion_instrument GLEW_GET_VAR(__GLEW_SGIX_occlusion_instrument) #endif /* GL_SGIX_occlusion_instrument */ /* ------------------------- GL_SGIX_packed_6bytes ------------------------- */ #ifndef GL_SGIX_packed_6bytes #define GL_SGIX_packed_6bytes 1 #define GLEW_SGIX_packed_6bytes GLEW_GET_VAR(__GLEW_SGIX_packed_6bytes) #endif /* GL_SGIX_packed_6bytes */ /* ------------------------- GL_SGIX_pixel_texture ------------------------- */ #ifndef GL_SGIX_pixel_texture #define GL_SGIX_pixel_texture 1 typedef void (GLAPIENTRY * PFNGLPIXELTEXGENSGIXPROC) (GLenum mode); #define glPixelTexGenSGIX GLEW_GET_FUN(__glewPixelTexGenSGIX) #define GLEW_SGIX_pixel_texture GLEW_GET_VAR(__GLEW_SGIX_pixel_texture) #endif /* GL_SGIX_pixel_texture */ /* ----------------------- GL_SGIX_pixel_texture_bits ---------------------- */ #ifndef GL_SGIX_pixel_texture_bits #define GL_SGIX_pixel_texture_bits 1 #define GLEW_SGIX_pixel_texture_bits GLEW_GET_VAR(__GLEW_SGIX_pixel_texture_bits) #endif /* GL_SGIX_pixel_texture_bits */ /* ----------------------- GL_SGIX_pixel_texture_lod ----------------------- */ #ifndef GL_SGIX_pixel_texture_lod #define GL_SGIX_pixel_texture_lod 1 #define GLEW_SGIX_pixel_texture_lod GLEW_GET_VAR(__GLEW_SGIX_pixel_texture_lod) #endif /* GL_SGIX_pixel_texture_lod */ /* -------------------------- GL_SGIX_pixel_tiles -------------------------- */ #ifndef GL_SGIX_pixel_tiles #define GL_SGIX_pixel_tiles 1 #define GLEW_SGIX_pixel_tiles GLEW_GET_VAR(__GLEW_SGIX_pixel_tiles) #endif /* GL_SGIX_pixel_tiles */ /* ------------------------- GL_SGIX_polynomial_ffd ------------------------ */ #ifndef GL_SGIX_polynomial_ffd #define GL_SGIX_polynomial_ffd 1 #define GL_TEXTURE_DEFORMATION_BIT_SGIX 0x1 #define GL_GEOMETRY_DEFORMATION_BIT_SGIX 0x2 typedef void (GLAPIENTRY * PFNGLDEFORMSGIXPROC) (GLbitfield mask); typedef void (GLAPIENTRY * PFNGLLOADIDENTITYDEFORMATIONMAPSGIXPROC) (GLbitfield mask); #define glDeformSGIX GLEW_GET_FUN(__glewDeformSGIX) #define glLoadIdentityDeformationMapSGIX GLEW_GET_FUN(__glewLoadIdentityDeformationMapSGIX) #define GLEW_SGIX_polynomial_ffd GLEW_GET_VAR(__GLEW_SGIX_polynomial_ffd) #endif /* GL_SGIX_polynomial_ffd */ /* --------------------------- GL_SGIX_quad_mesh --------------------------- */ #ifndef GL_SGIX_quad_mesh #define GL_SGIX_quad_mesh 1 typedef void (GLAPIENTRY * PFNGLMESHBREADTHSGIXPROC) (GLint breadth); typedef void (GLAPIENTRY * PFNGLMESHSTRIDESGIXPROC) (GLint stride); #define glMeshBreadthSGIX GLEW_GET_FUN(__glewMeshBreadthSGIX) #define glMeshStrideSGIX GLEW_GET_FUN(__glewMeshStrideSGIX) #define GLEW_SGIX_quad_mesh GLEW_GET_VAR(__GLEW_SGIX_quad_mesh) #endif /* GL_SGIX_quad_mesh */ /* ------------------------ GL_SGIX_reference_plane ------------------------ */ #ifndef GL_SGIX_reference_plane #define GL_SGIX_reference_plane 1 typedef void (GLAPIENTRY * PFNGLREFERENCEPLANESGIXPROC) (const GLdouble* equation); #define glReferencePlaneSGIX GLEW_GET_FUN(__glewReferencePlaneSGIX) #define GLEW_SGIX_reference_plane GLEW_GET_VAR(__GLEW_SGIX_reference_plane) #endif /* GL_SGIX_reference_plane */ /* ---------------------------- GL_SGIX_resample --------------------------- */ #ifndef GL_SGIX_resample #define GL_SGIX_resample 1 #define GL_PACK_RESAMPLE_SGIX 0x842E #define GL_UNPACK_RESAMPLE_SGIX 0x842F #define GL_RESAMPLE_DECIMATE_SGIX 0x8430 #define GL_RESAMPLE_REPLICATE_SGIX 0x8433 #define GL_RESAMPLE_ZERO_FILL_SGIX 0x8434 #define GLEW_SGIX_resample GLEW_GET_VAR(__GLEW_SGIX_resample) #endif /* GL_SGIX_resample */ /* ------------------------- GL_SGIX_scalebias_hint ------------------------ */ #ifndef GL_SGIX_scalebias_hint #define GL_SGIX_scalebias_hint 1 #define GL_SCALEBIAS_HINT_SGIX 0x8322 #define GLEW_SGIX_scalebias_hint GLEW_GET_VAR(__GLEW_SGIX_scalebias_hint) #endif /* GL_SGIX_scalebias_hint */ /* ----------------------------- GL_SGIX_shadow ---------------------------- */ #ifndef GL_SGIX_shadow #define GL_SGIX_shadow 1 #define GL_TEXTURE_COMPARE_SGIX 0x819A #define GL_TEXTURE_COMPARE_OPERATOR_SGIX 0x819B #define GL_TEXTURE_LEQUAL_R_SGIX 0x819C #define GL_TEXTURE_GEQUAL_R_SGIX 0x819D #define GLEW_SGIX_shadow GLEW_GET_VAR(__GLEW_SGIX_shadow) #endif /* GL_SGIX_shadow */ /* ------------------------- GL_SGIX_shadow_ambient ------------------------ */ #ifndef GL_SGIX_shadow_ambient #define GL_SGIX_shadow_ambient 1 #define GL_SHADOW_AMBIENT_SGIX 0x80BF #define GLEW_SGIX_shadow_ambient GLEW_GET_VAR(__GLEW_SGIX_shadow_ambient) #endif /* GL_SGIX_shadow_ambient */ /* ------------------------------ GL_SGIX_slim ----------------------------- */ #ifndef GL_SGIX_slim #define GL_SGIX_slim 1 #define GL_PACK_MAX_COMPRESSED_SIZE_SGIX 0x831B #define GL_SLIM8U_SGIX 0x831D #define GL_SLIM10U_SGIX 0x831E #define GL_SLIM12S_SGIX 0x831F #define GLEW_SGIX_slim GLEW_GET_VAR(__GLEW_SGIX_slim) #endif /* GL_SGIX_slim */ /* ------------------------ GL_SGIX_spotlight_cutoff ----------------------- */ #ifndef GL_SGIX_spotlight_cutoff #define GL_SGIX_spotlight_cutoff 1 #define GL_SPOT_CUTOFF_DELTA_SGIX 0x8193 #define GLEW_SGIX_spotlight_cutoff GLEW_GET_VAR(__GLEW_SGIX_spotlight_cutoff) #endif /* GL_SGIX_spotlight_cutoff */ /* ----------------------------- GL_SGIX_sprite ---------------------------- */ #ifndef GL_SGIX_sprite #define GL_SGIX_sprite 1 typedef void (GLAPIENTRY * PFNGLSPRITEPARAMETERFSGIXPROC) (GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLSPRITEPARAMETERFVSGIXPROC) (GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLSPRITEPARAMETERISGIXPROC) (GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLSPRITEPARAMETERIVSGIXPROC) (GLenum pname, GLint* params); #define glSpriteParameterfSGIX GLEW_GET_FUN(__glewSpriteParameterfSGIX) #define glSpriteParameterfvSGIX GLEW_GET_FUN(__glewSpriteParameterfvSGIX) #define glSpriteParameteriSGIX GLEW_GET_FUN(__glewSpriteParameteriSGIX) #define glSpriteParameterivSGIX GLEW_GET_FUN(__glewSpriteParameterivSGIX) #define GLEW_SGIX_sprite GLEW_GET_VAR(__GLEW_SGIX_sprite) #endif /* GL_SGIX_sprite */ /* -------------------------- GL_SGIX_subdiv_patch ------------------------- */ #ifndef GL_SGIX_subdiv_patch #define GL_SGIX_subdiv_patch 1 #define GLEW_SGIX_subdiv_patch GLEW_GET_VAR(__GLEW_SGIX_subdiv_patch) #endif /* GL_SGIX_subdiv_patch */ /* --------------------------- GL_SGIX_subsample --------------------------- */ #ifndef GL_SGIX_subsample #define GL_SGIX_subsample 1 #define GL_PACK_SUBSAMPLE_RATE_SGIX 0x85A0 #define GL_UNPACK_SUBSAMPLE_RATE_SGIX 0x85A1 #define GL_PIXEL_SUBSAMPLE_4444_SGIX 0x85A2 #define GL_PIXEL_SUBSAMPLE_2424_SGIX 0x85A3 #define GL_PIXEL_SUBSAMPLE_4242_SGIX 0x85A4 #define GLEW_SGIX_subsample GLEW_GET_VAR(__GLEW_SGIX_subsample) #endif /* GL_SGIX_subsample */ /* ----------------------- GL_SGIX_tag_sample_buffer ----------------------- */ #ifndef GL_SGIX_tag_sample_buffer #define GL_SGIX_tag_sample_buffer 1 typedef void (GLAPIENTRY * PFNGLTAGSAMPLEBUFFERSGIXPROC) (void); #define glTagSampleBufferSGIX GLEW_GET_FUN(__glewTagSampleBufferSGIX) #define GLEW_SGIX_tag_sample_buffer GLEW_GET_VAR(__GLEW_SGIX_tag_sample_buffer) #endif /* GL_SGIX_tag_sample_buffer */ /* ------------------------ GL_SGIX_texture_add_env ------------------------ */ #ifndef GL_SGIX_texture_add_env #define GL_SGIX_texture_add_env 1 #define GLEW_SGIX_texture_add_env GLEW_GET_VAR(__GLEW_SGIX_texture_add_env) #endif /* GL_SGIX_texture_add_env */ /* -------------------- GL_SGIX_texture_coordinate_clamp ------------------- */ #ifndef GL_SGIX_texture_coordinate_clamp #define GL_SGIX_texture_coordinate_clamp 1 #define GL_TEXTURE_MAX_CLAMP_S_SGIX 0x8369 #define GL_TEXTURE_MAX_CLAMP_T_SGIX 0x836A #define GL_TEXTURE_MAX_CLAMP_R_SGIX 0x836B #define GLEW_SGIX_texture_coordinate_clamp GLEW_GET_VAR(__GLEW_SGIX_texture_coordinate_clamp) #endif /* GL_SGIX_texture_coordinate_clamp */ /* ------------------------ GL_SGIX_texture_lod_bias ----------------------- */ #ifndef GL_SGIX_texture_lod_bias #define GL_SGIX_texture_lod_bias 1 #define GLEW_SGIX_texture_lod_bias GLEW_GET_VAR(__GLEW_SGIX_texture_lod_bias) #endif /* GL_SGIX_texture_lod_bias */ /* ------------------- GL_SGIX_texture_mipmap_anisotropic ------------------ */ #ifndef GL_SGIX_texture_mipmap_anisotropic #define GL_SGIX_texture_mipmap_anisotropic 1 #define GL_TEXTURE_MIPMAP_ANISOTROPY_SGIX 0x832E #define GL_MAX_MIPMAP_ANISOTROPY_SGIX 0x832F #define GLEW_SGIX_texture_mipmap_anisotropic GLEW_GET_VAR(__GLEW_SGIX_texture_mipmap_anisotropic) #endif /* GL_SGIX_texture_mipmap_anisotropic */ /* ---------------------- GL_SGIX_texture_multi_buffer --------------------- */ #ifndef GL_SGIX_texture_multi_buffer #define GL_SGIX_texture_multi_buffer 1 #define GL_TEXTURE_MULTI_BUFFER_HINT_SGIX 0x812E #define GLEW_SGIX_texture_multi_buffer GLEW_GET_VAR(__GLEW_SGIX_texture_multi_buffer) #endif /* GL_SGIX_texture_multi_buffer */ /* ------------------------- GL_SGIX_texture_phase ------------------------- */ #ifndef GL_SGIX_texture_phase #define GL_SGIX_texture_phase 1 #define GL_PHASE_SGIX 0x832A #define GLEW_SGIX_texture_phase GLEW_GET_VAR(__GLEW_SGIX_texture_phase) #endif /* GL_SGIX_texture_phase */ /* ------------------------- GL_SGIX_texture_range ------------------------- */ #ifndef GL_SGIX_texture_range #define GL_SGIX_texture_range 1 #define GL_RGB_SIGNED_SGIX 0x85E0 #define GL_RGBA_SIGNED_SGIX 0x85E1 #define GL_ALPHA_SIGNED_SGIX 0x85E2 #define GL_LUMINANCE_SIGNED_SGIX 0x85E3 #define GL_INTENSITY_SIGNED_SGIX 0x85E4 #define GL_LUMINANCE_ALPHA_SIGNED_SGIX 0x85E5 #define GL_RGB16_SIGNED_SGIX 0x85E6 #define GL_RGBA16_SIGNED_SGIX 0x85E7 #define GL_ALPHA16_SIGNED_SGIX 0x85E8 #define GL_LUMINANCE16_SIGNED_SGIX 0x85E9 #define GL_INTENSITY16_SIGNED_SGIX 0x85EA #define GL_LUMINANCE16_ALPHA16_SIGNED_SGIX 0x85EB #define GL_RGB_EXTENDED_RANGE_SGIX 0x85EC #define GL_RGBA_EXTENDED_RANGE_SGIX 0x85ED #define GL_ALPHA_EXTENDED_RANGE_SGIX 0x85EE #define GL_LUMINANCE_EXTENDED_RANGE_SGIX 0x85EF #define GL_INTENSITY_EXTENDED_RANGE_SGIX 0x85F0 #define GL_LUMINANCE_ALPHA_EXTENDED_RANGE_SGIX 0x85F1 #define GL_RGB16_EXTENDED_RANGE_SGIX 0x85F2 #define GL_RGBA16_EXTENDED_RANGE_SGIX 0x85F3 #define GL_ALPHA16_EXTENDED_RANGE_SGIX 0x85F4 #define GL_LUMINANCE16_EXTENDED_RANGE_SGIX 0x85F5 #define GL_INTENSITY16_EXTENDED_RANGE_SGIX 0x85F6 #define GL_LUMINANCE16_ALPHA16_EXTENDED_RANGE_SGIX 0x85F7 #define GL_MIN_LUMINANCE_SGIS 0x85F8 #define GL_MAX_LUMINANCE_SGIS 0x85F9 #define GL_MIN_INTENSITY_SGIS 0x85FA #define GL_MAX_INTENSITY_SGIS 0x85FB #define GLEW_SGIX_texture_range GLEW_GET_VAR(__GLEW_SGIX_texture_range) #endif /* GL_SGIX_texture_range */ /* ----------------------- GL_SGIX_texture_scale_bias ---------------------- */ #ifndef GL_SGIX_texture_scale_bias #define GL_SGIX_texture_scale_bias 1 #define GL_POST_TEXTURE_FILTER_BIAS_SGIX 0x8179 #define GL_POST_TEXTURE_FILTER_SCALE_SGIX 0x817A #define GL_POST_TEXTURE_FILTER_BIAS_RANGE_SGIX 0x817B #define GL_POST_TEXTURE_FILTER_SCALE_RANGE_SGIX 0x817C #define GLEW_SGIX_texture_scale_bias GLEW_GET_VAR(__GLEW_SGIX_texture_scale_bias) #endif /* GL_SGIX_texture_scale_bias */ /* ---------------------- GL_SGIX_texture_supersample ---------------------- */ #ifndef GL_SGIX_texture_supersample #define GL_SGIX_texture_supersample 1 #define GLEW_SGIX_texture_supersample GLEW_GET_VAR(__GLEW_SGIX_texture_supersample) #endif /* GL_SGIX_texture_supersample */ /* --------------------------- GL_SGIX_vector_ops -------------------------- */ #ifndef GL_SGIX_vector_ops #define GL_SGIX_vector_ops 1 typedef void (GLAPIENTRY * PFNGLGETVECTOROPERATIONSGIXPROC) (GLenum operation); typedef void (GLAPIENTRY * PFNGLVECTOROPERATIONSGIXPROC) (GLenum operation); #define glGetVectorOperationSGIX GLEW_GET_FUN(__glewGetVectorOperationSGIX) #define glVectorOperationSGIX GLEW_GET_FUN(__glewVectorOperationSGIX) #define GLEW_SGIX_vector_ops GLEW_GET_VAR(__GLEW_SGIX_vector_ops) #endif /* GL_SGIX_vector_ops */ /* ---------------------- GL_SGIX_vertex_array_object ---------------------- */ #ifndef GL_SGIX_vertex_array_object #define GL_SGIX_vertex_array_object 1 typedef GLboolean (GLAPIENTRY * PFNGLAREVERTEXARRAYSRESIDENTSGIXPROC) (GLsizei n, const GLuint* arrays, GLboolean* residences); typedef void (GLAPIENTRY * PFNGLBINDVERTEXARRAYSGIXPROC) (GLuint array); typedef void (GLAPIENTRY * PFNGLDELETEVERTEXARRAYSSGIXPROC) (GLsizei n, const GLuint* arrays); typedef void (GLAPIENTRY * PFNGLGENVERTEXARRAYSSGIXPROC) (GLsizei n, GLuint* arrays); typedef GLboolean (GLAPIENTRY * PFNGLISVERTEXARRAYSGIXPROC) (GLuint array); typedef void (GLAPIENTRY * PFNGLPRIORITIZEVERTEXARRAYSSGIXPROC) (GLsizei n, const GLuint* arrays, const GLclampf* priorities); #define glAreVertexArraysResidentSGIX GLEW_GET_FUN(__glewAreVertexArraysResidentSGIX) #define glBindVertexArraySGIX GLEW_GET_FUN(__glewBindVertexArraySGIX) #define glDeleteVertexArraysSGIX GLEW_GET_FUN(__glewDeleteVertexArraysSGIX) #define glGenVertexArraysSGIX GLEW_GET_FUN(__glewGenVertexArraysSGIX) #define glIsVertexArraySGIX GLEW_GET_FUN(__glewIsVertexArraySGIX) #define glPrioritizeVertexArraysSGIX GLEW_GET_FUN(__glewPrioritizeVertexArraysSGIX) #define GLEW_SGIX_vertex_array_object GLEW_GET_VAR(__GLEW_SGIX_vertex_array_object) #endif /* GL_SGIX_vertex_array_object */ /* ------------------------- GL_SGIX_vertex_preclip ------------------------ */ #ifndef GL_SGIX_vertex_preclip #define GL_SGIX_vertex_preclip 1 #define GL_VERTEX_PRECLIP_SGIX 0x83EE #define GL_VERTEX_PRECLIP_HINT_SGIX 0x83EF #define GLEW_SGIX_vertex_preclip GLEW_GET_VAR(__GLEW_SGIX_vertex_preclip) #endif /* GL_SGIX_vertex_preclip */ /* ---------------------- GL_SGIX_vertex_preclip_hint ---------------------- */ #ifndef GL_SGIX_vertex_preclip_hint #define GL_SGIX_vertex_preclip_hint 1 #define GL_VERTEX_PRECLIP_SGIX 0x83EE #define GL_VERTEX_PRECLIP_HINT_SGIX 0x83EF #define GLEW_SGIX_vertex_preclip_hint GLEW_GET_VAR(__GLEW_SGIX_vertex_preclip_hint) #endif /* GL_SGIX_vertex_preclip_hint */ /* ----------------------------- GL_SGIX_ycrcb ----------------------------- */ #ifndef GL_SGIX_ycrcb #define GL_SGIX_ycrcb 1 #define GLEW_SGIX_ycrcb GLEW_GET_VAR(__GLEW_SGIX_ycrcb) #endif /* GL_SGIX_ycrcb */ /* ------------------------ GL_SGIX_ycrcb_subsample ------------------------ */ #ifndef GL_SGIX_ycrcb_subsample #define GL_SGIX_ycrcb_subsample 1 #define GLEW_SGIX_ycrcb_subsample GLEW_GET_VAR(__GLEW_SGIX_ycrcb_subsample) #endif /* GL_SGIX_ycrcb_subsample */ /* ----------------------------- GL_SGIX_ycrcba ---------------------------- */ #ifndef GL_SGIX_ycrcba #define GL_SGIX_ycrcba 1 #define GL_YCRCB_SGIX 0x8318 #define GL_YCRCBA_SGIX 0x8319 #define GLEW_SGIX_ycrcba GLEW_GET_VAR(__GLEW_SGIX_ycrcba) #endif /* GL_SGIX_ycrcba */ /* -------------------------- GL_SGI_color_matrix -------------------------- */ #ifndef GL_SGI_color_matrix #define GL_SGI_color_matrix 1 #define GL_COLOR_MATRIX_SGI 0x80B1 #define GL_COLOR_MATRIX_STACK_DEPTH_SGI 0x80B2 #define GL_MAX_COLOR_MATRIX_STACK_DEPTH_SGI 0x80B3 #define GL_POST_COLOR_MATRIX_RED_SCALE_SGI 0x80B4 #define GL_POST_COLOR_MATRIX_GREEN_SCALE_SGI 0x80B5 #define GL_POST_COLOR_MATRIX_BLUE_SCALE_SGI 0x80B6 #define GL_POST_COLOR_MATRIX_ALPHA_SCALE_SGI 0x80B7 #define GL_POST_COLOR_MATRIX_RED_BIAS_SGI 0x80B8 #define GL_POST_COLOR_MATRIX_GREEN_BIAS_SGI 0x80B9 #define GL_POST_COLOR_MATRIX_BLUE_BIAS_SGI 0x80BA #define GL_POST_COLOR_MATRIX_ALPHA_BIAS_SGI 0x80BB #define GLEW_SGI_color_matrix GLEW_GET_VAR(__GLEW_SGI_color_matrix) #endif /* GL_SGI_color_matrix */ /* --------------------------- GL_SGI_color_table -------------------------- */ #ifndef GL_SGI_color_table #define GL_SGI_color_table 1 #define GL_COLOR_TABLE_SGI 0x80D0 #define GL_POST_CONVOLUTION_COLOR_TABLE_SGI 0x80D1 #define GL_POST_COLOR_MATRIX_COLOR_TABLE_SGI 0x80D2 #define GL_PROXY_COLOR_TABLE_SGI 0x80D3 #define GL_PROXY_POST_CONVOLUTION_COLOR_TABLE_SGI 0x80D4 #define GL_PROXY_POST_COLOR_MATRIX_COLOR_TABLE_SGI 0x80D5 #define GL_COLOR_TABLE_SCALE_SGI 0x80D6 #define GL_COLOR_TABLE_BIAS_SGI 0x80D7 #define GL_COLOR_TABLE_FORMAT_SGI 0x80D8 #define GL_COLOR_TABLE_WIDTH_SGI 0x80D9 #define GL_COLOR_TABLE_RED_SIZE_SGI 0x80DA #define GL_COLOR_TABLE_GREEN_SIZE_SGI 0x80DB #define GL_COLOR_TABLE_BLUE_SIZE_SGI 0x80DC #define GL_COLOR_TABLE_ALPHA_SIZE_SGI 0x80DD #define GL_COLOR_TABLE_LUMINANCE_SIZE_SGI 0x80DE #define GL_COLOR_TABLE_INTENSITY_SIZE_SGI 0x80DF typedef void (GLAPIENTRY * PFNGLCOLORTABLEPARAMETERFVSGIPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLCOLORTABLEPARAMETERIVSGIPROC) (GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLCOLORTABLESGIPROC) (GLenum target, GLenum internalformat, GLsizei width, GLenum format, GLenum type, const void *table); typedef void (GLAPIENTRY * PFNGLCOPYCOLORTABLESGIPROC) (GLenum target, GLenum internalformat, GLint x, GLint y, GLsizei width); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPARAMETERFVSGIPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLEPARAMETERIVSGIPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLGETCOLORTABLESGIPROC) (GLenum target, GLenum format, GLenum type, void *table); #define glColorTableParameterfvSGI GLEW_GET_FUN(__glewColorTableParameterfvSGI) #define glColorTableParameterivSGI GLEW_GET_FUN(__glewColorTableParameterivSGI) #define glColorTableSGI GLEW_GET_FUN(__glewColorTableSGI) #define glCopyColorTableSGI GLEW_GET_FUN(__glewCopyColorTableSGI) #define glGetColorTableParameterfvSGI GLEW_GET_FUN(__glewGetColorTableParameterfvSGI) #define glGetColorTableParameterivSGI GLEW_GET_FUN(__glewGetColorTableParameterivSGI) #define glGetColorTableSGI GLEW_GET_FUN(__glewGetColorTableSGI) #define GLEW_SGI_color_table GLEW_GET_VAR(__GLEW_SGI_color_table) #endif /* GL_SGI_color_table */ /* ----------------------------- GL_SGI_complex ---------------------------- */ #ifndef GL_SGI_complex #define GL_SGI_complex 1 #define GLEW_SGI_complex GLEW_GET_VAR(__GLEW_SGI_complex) #endif /* GL_SGI_complex */ /* -------------------------- GL_SGI_complex_type -------------------------- */ #ifndef GL_SGI_complex_type #define GL_SGI_complex_type 1 #define GL_COMPLEX_UNSIGNED_BYTE_SGI 0x81BD #define GL_COMPLEX_BYTE_SGI 0x81BE #define GL_COMPLEX_UNSIGNED_SHORT_SGI 0x81BF #define GL_COMPLEX_SHORT_SGI 0x81C0 #define GL_COMPLEX_UNSIGNED_INT_SGI 0x81C1 #define GL_COMPLEX_INT_SGI 0x81C2 #define GL_COMPLEX_FLOAT_SGI 0x81C3 #define GLEW_SGI_complex_type GLEW_GET_VAR(__GLEW_SGI_complex_type) #endif /* GL_SGI_complex_type */ /* ------------------------------- GL_SGI_fft ------------------------------ */ #ifndef GL_SGI_fft #define GL_SGI_fft 1 #define GL_PIXEL_TRANSFORM_OPERATOR_SGI 0x81C4 #define GL_CONVOLUTION_SGI 0x81C5 #define GL_FFT_1D_SGI 0x81C6 #define GL_PIXEL_TRANSFORM_SGI 0x81C7 #define GL_MAX_FFT_WIDTH_SGI 0x81C8 typedef void (GLAPIENTRY * PFNGLGETPIXELTRANSFORMPARAMETERFVSGIPROC) (GLenum target, GLenum pname, GLfloat* params); typedef void (GLAPIENTRY * PFNGLGETPIXELTRANSFORMPARAMETERIVSGIPROC) (GLenum target, GLenum pname, GLint* params); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERFSGIPROC) (GLenum target, GLenum pname, GLfloat param); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERFVSGIPROC) (GLenum target, GLenum pname, const GLfloat* params); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERISGIPROC) (GLenum target, GLenum pname, GLint param); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMPARAMETERIVSGIPROC) (GLenum target, GLenum pname, const GLint* params); typedef void (GLAPIENTRY * PFNGLPIXELTRANSFORMSGIPROC) (GLenum target); #define glGetPixelTransformParameterfvSGI GLEW_GET_FUN(__glewGetPixelTransformParameterfvSGI) #define glGetPixelTransformParameterivSGI GLEW_GET_FUN(__glewGetPixelTransformParameterivSGI) #define glPixelTransformParameterfSGI GLEW_GET_FUN(__glewPixelTransformParameterfSGI) #define glPixelTransformParameterfvSGI GLEW_GET_FUN(__glewPixelTransformParameterfvSGI) #define glPixelTransformParameteriSGI GLEW_GET_FUN(__glewPixelTransformParameteriSGI) #define glPixelTransformParameterivSGI GLEW_GET_FUN(__glewPixelTransformParameterivSGI) #define glPixelTransformSGI GLEW_GET_FUN(__glewPixelTransformSGI) #define GLEW_SGI_fft GLEW_GET_VAR(__GLEW_SGI_fft) #endif /* GL_SGI_fft */ /* ----------------------- GL_SGI_texture_color_table ---------------------- */ #ifndef GL_SGI_texture_color_table #define GL_SGI_texture_color_table 1 #define GL_TEXTURE_COLOR_TABLE_SGI 0x80BC #define GL_PROXY_TEXTURE_COLOR_TABLE_SGI 0x80BD #define GLEW_SGI_texture_color_table GLEW_GET_VAR(__GLEW_SGI_texture_color_table) #endif /* GL_SGI_texture_color_table */ /* ------------------------- GL_SUNX_constant_data ------------------------- */ #ifndef GL_SUNX_constant_data #define GL_SUNX_constant_data 1 #define GL_UNPACK_CONSTANT_DATA_SUNX 0x81D5 #define GL_TEXTURE_CONSTANT_DATA_SUNX 0x81D6 typedef void (GLAPIENTRY * PFNGLFINISHTEXTURESUNXPROC) (void); #define glFinishTextureSUNX GLEW_GET_FUN(__glewFinishTextureSUNX) #define GLEW_SUNX_constant_data GLEW_GET_VAR(__GLEW_SUNX_constant_data) #endif /* GL_SUNX_constant_data */ /* -------------------- GL_SUN_convolution_border_modes -------------------- */ #ifndef GL_SUN_convolution_border_modes #define GL_SUN_convolution_border_modes 1 #define GL_WRAP_BORDER_SUN 0x81D4 #define GLEW_SUN_convolution_border_modes GLEW_GET_VAR(__GLEW_SUN_convolution_border_modes) #endif /* GL_SUN_convolution_border_modes */ /* -------------------------- GL_SUN_global_alpha -------------------------- */ #ifndef GL_SUN_global_alpha #define GL_SUN_global_alpha 1 #define GL_GLOBAL_ALPHA_SUN 0x81D9 #define GL_GLOBAL_ALPHA_FACTOR_SUN 0x81DA typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORBSUNPROC) (GLbyte factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORDSUNPROC) (GLdouble factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORFSUNPROC) (GLfloat factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORISUNPROC) (GLint factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORSSUNPROC) (GLshort factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORUBSUNPROC) (GLubyte factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORUISUNPROC) (GLuint factor); typedef void (GLAPIENTRY * PFNGLGLOBALALPHAFACTORUSSUNPROC) (GLushort factor); #define glGlobalAlphaFactorbSUN GLEW_GET_FUN(__glewGlobalAlphaFactorbSUN) #define glGlobalAlphaFactordSUN GLEW_GET_FUN(__glewGlobalAlphaFactordSUN) #define glGlobalAlphaFactorfSUN GLEW_GET_FUN(__glewGlobalAlphaFactorfSUN) #define glGlobalAlphaFactoriSUN GLEW_GET_FUN(__glewGlobalAlphaFactoriSUN) #define glGlobalAlphaFactorsSUN GLEW_GET_FUN(__glewGlobalAlphaFactorsSUN) #define glGlobalAlphaFactorubSUN GLEW_GET_FUN(__glewGlobalAlphaFactorubSUN) #define glGlobalAlphaFactoruiSUN GLEW_GET_FUN(__glewGlobalAlphaFactoruiSUN) #define glGlobalAlphaFactorusSUN GLEW_GET_FUN(__glewGlobalAlphaFactorusSUN) #define GLEW_SUN_global_alpha GLEW_GET_VAR(__GLEW_SUN_global_alpha) #endif /* GL_SUN_global_alpha */ /* --------------------------- GL_SUN_mesh_array --------------------------- */ #ifndef GL_SUN_mesh_array #define GL_SUN_mesh_array 1 #define GL_QUAD_MESH_SUN 0x8614 #define GL_TRIANGLE_MESH_SUN 0x8615 #define GLEW_SUN_mesh_array GLEW_GET_VAR(__GLEW_SUN_mesh_array) #endif /* GL_SUN_mesh_array */ /* ------------------------ GL_SUN_read_video_pixels ----------------------- */ #ifndef GL_SUN_read_video_pixels #define GL_SUN_read_video_pixels 1 typedef void (GLAPIENTRY * PFNGLREADVIDEOPIXELSSUNPROC) (GLint x, GLint y, GLsizei width, GLsizei height, GLenum format, GLenum type, void* pixels); #define glReadVideoPixelsSUN GLEW_GET_FUN(__glewReadVideoPixelsSUN) #define GLEW_SUN_read_video_pixels GLEW_GET_VAR(__GLEW_SUN_read_video_pixels) #endif /* GL_SUN_read_video_pixels */ /* --------------------------- GL_SUN_slice_accum -------------------------- */ #ifndef GL_SUN_slice_accum #define GL_SUN_slice_accum 1 #define GL_SLICE_ACCUM_SUN 0x85CC #define GLEW_SUN_slice_accum GLEW_GET_VAR(__GLEW_SUN_slice_accum) #endif /* GL_SUN_slice_accum */ /* -------------------------- GL_SUN_triangle_list ------------------------- */ #ifndef GL_SUN_triangle_list #define GL_SUN_triangle_list 1 #define GL_RESTART_SUN 0x01 #define GL_REPLACE_MIDDLE_SUN 0x02 #define GL_REPLACE_OLDEST_SUN 0x03 #define GL_TRIANGLE_LIST_SUN 0x81D7 #define GL_REPLACEMENT_CODE_SUN 0x81D8 #define GL_REPLACEMENT_CODE_ARRAY_SUN 0x85C0 #define GL_REPLACEMENT_CODE_ARRAY_TYPE_SUN 0x85C1 #define GL_REPLACEMENT_CODE_ARRAY_STRIDE_SUN 0x85C2 #define GL_REPLACEMENT_CODE_ARRAY_POINTER_SUN 0x85C3 #define GL_R1UI_V3F_SUN 0x85C4 #define GL_R1UI_C4UB_V3F_SUN 0x85C5 #define GL_R1UI_C3F_V3F_SUN 0x85C6 #define GL_R1UI_N3F_V3F_SUN 0x85C7 #define GL_R1UI_C4F_N3F_V3F_SUN 0x85C8 #define GL_R1UI_T2F_V3F_SUN 0x85C9 #define GL_R1UI_T2F_N3F_V3F_SUN 0x85CA #define GL_R1UI_T2F_C4F_N3F_V3F_SUN 0x85CB typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEPOINTERSUNPROC) (GLenum type, GLsizei stride, const void *pointer); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUBSUNPROC) (GLubyte code); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUBVSUNPROC) (const GLubyte* code); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUISUNPROC) (GLuint code); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUIVSUNPROC) (const GLuint* code); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUSSUNPROC) (GLushort code); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUSVSUNPROC) (const GLushort* code); #define glReplacementCodePointerSUN GLEW_GET_FUN(__glewReplacementCodePointerSUN) #define glReplacementCodeubSUN GLEW_GET_FUN(__glewReplacementCodeubSUN) #define glReplacementCodeubvSUN GLEW_GET_FUN(__glewReplacementCodeubvSUN) #define glReplacementCodeuiSUN GLEW_GET_FUN(__glewReplacementCodeuiSUN) #define glReplacementCodeuivSUN GLEW_GET_FUN(__glewReplacementCodeuivSUN) #define glReplacementCodeusSUN GLEW_GET_FUN(__glewReplacementCodeusSUN) #define glReplacementCodeusvSUN GLEW_GET_FUN(__glewReplacementCodeusvSUN) #define GLEW_SUN_triangle_list GLEW_GET_VAR(__GLEW_SUN_triangle_list) #endif /* GL_SUN_triangle_list */ /* ----------------------------- GL_SUN_vertex ----------------------------- */ #ifndef GL_SUN_vertex #define GL_SUN_vertex 1 typedef void (GLAPIENTRY * PFNGLCOLOR3FVERTEX3FSUNPROC) (GLfloat r, GLfloat g, GLfloat b, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLCOLOR3FVERTEX3FVSUNPROC) (const GLfloat* c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLCOLOR4FNORMAL3FVERTEX3FSUNPROC) (GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLCOLOR4FNORMAL3FVERTEX3FVSUNPROC) (const GLfloat* c, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLCOLOR4UBVERTEX2FSUNPROC) (GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y); typedef void (GLAPIENTRY * PFNGLCOLOR4UBVERTEX2FVSUNPROC) (const GLubyte* c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLCOLOR4UBVERTEX3FSUNPROC) (GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLCOLOR4UBVERTEX3FVSUNPROC) (const GLubyte* c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLNORMAL3FVERTEX3FSUNPROC) (GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLNORMAL3FVERTEX3FVSUNPROC) (const GLfloat* n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FSUNPROC) (GLuint rc, GLfloat r, GLfloat g, GLfloat b, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FSUNPROC) (GLuint rc, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *c, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FSUNPROC) (GLuint rc, GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FVSUNPROC) (const GLuint* rc, const GLubyte *c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FSUNPROC) (GLuint rc, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC) (GLuint rc, GLfloat s, GLfloat t, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *tc, const GLfloat *c, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FSUNPROC) (GLuint rc, GLfloat s, GLfloat t, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *tc, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FSUNPROC) (GLuint rc, GLfloat s, GLfloat t, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *tc, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUIVERTEX3FSUNPROC) (GLuint rc, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLREPLACEMENTCODEUIVERTEX3FVSUNPROC) (const GLuint* rc, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FCOLOR3FVERTEX3FSUNPROC) (GLfloat s, GLfloat t, GLfloat r, GLfloat g, GLfloat b, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FCOLOR3FVERTEX3FVSUNPROC) (const GLfloat* tc, const GLfloat *c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC) (GLfloat s, GLfloat t, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC) (const GLfloat* tc, const GLfloat *c, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FCOLOR4UBVERTEX3FSUNPROC) (GLfloat s, GLfloat t, GLubyte r, GLubyte g, GLubyte b, GLubyte a, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FCOLOR4UBVERTEX3FVSUNPROC) (const GLfloat* tc, const GLubyte *c, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FNORMAL3FVERTEX3FSUNPROC) (GLfloat s, GLfloat t, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FNORMAL3FVERTEX3FVSUNPROC) (const GLfloat* tc, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FVERTEX3FSUNPROC) (GLfloat s, GLfloat t, GLfloat x, GLfloat y, GLfloat z); typedef void (GLAPIENTRY * PFNGLTEXCOORD2FVERTEX3FVSUNPROC) (const GLfloat* tc, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FSUNPROC) (GLfloat s, GLfloat t, GLfloat p, GLfloat q, GLfloat r, GLfloat g, GLfloat b, GLfloat a, GLfloat nx, GLfloat ny, GLfloat nz, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FVSUNPROC) (const GLfloat* tc, const GLfloat *c, const GLfloat *n, const GLfloat *v); typedef void (GLAPIENTRY * PFNGLTEXCOORD4FVERTEX4FSUNPROC) (GLfloat s, GLfloat t, GLfloat p, GLfloat q, GLfloat x, GLfloat y, GLfloat z, GLfloat w); typedef void (GLAPIENTRY * PFNGLTEXCOORD4FVERTEX4FVSUNPROC) (const GLfloat* tc, const GLfloat *v); #define glColor3fVertex3fSUN GLEW_GET_FUN(__glewColor3fVertex3fSUN) #define glColor3fVertex3fvSUN GLEW_GET_FUN(__glewColor3fVertex3fvSUN) #define glColor4fNormal3fVertex3fSUN GLEW_GET_FUN(__glewColor4fNormal3fVertex3fSUN) #define glColor4fNormal3fVertex3fvSUN GLEW_GET_FUN(__glewColor4fNormal3fVertex3fvSUN) #define glColor4ubVertex2fSUN GLEW_GET_FUN(__glewColor4ubVertex2fSUN) #define glColor4ubVertex2fvSUN GLEW_GET_FUN(__glewColor4ubVertex2fvSUN) #define glColor4ubVertex3fSUN GLEW_GET_FUN(__glewColor4ubVertex3fSUN) #define glColor4ubVertex3fvSUN GLEW_GET_FUN(__glewColor4ubVertex3fvSUN) #define glNormal3fVertex3fSUN GLEW_GET_FUN(__glewNormal3fVertex3fSUN) #define glNormal3fVertex3fvSUN GLEW_GET_FUN(__glewNormal3fVertex3fvSUN) #define glReplacementCodeuiColor3fVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiColor3fVertex3fSUN) #define glReplacementCodeuiColor3fVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiColor3fVertex3fvSUN) #define glReplacementCodeuiColor4fNormal3fVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiColor4fNormal3fVertex3fSUN) #define glReplacementCodeuiColor4fNormal3fVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiColor4fNormal3fVertex3fvSUN) #define glReplacementCodeuiColor4ubVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiColor4ubVertex3fSUN) #define glReplacementCodeuiColor4ubVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiColor4ubVertex3fvSUN) #define glReplacementCodeuiNormal3fVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiNormal3fVertex3fSUN) #define glReplacementCodeuiNormal3fVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiNormal3fVertex3fvSUN) #define glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN) #define glReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN) #define glReplacementCodeuiTexCoord2fNormal3fVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiTexCoord2fNormal3fVertex3fSUN) #define glReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN) #define glReplacementCodeuiTexCoord2fVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiTexCoord2fVertex3fSUN) #define glReplacementCodeuiTexCoord2fVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiTexCoord2fVertex3fvSUN) #define glReplacementCodeuiVertex3fSUN GLEW_GET_FUN(__glewReplacementCodeuiVertex3fSUN) #define glReplacementCodeuiVertex3fvSUN GLEW_GET_FUN(__glewReplacementCodeuiVertex3fvSUN) #define glTexCoord2fColor3fVertex3fSUN GLEW_GET_FUN(__glewTexCoord2fColor3fVertex3fSUN) #define glTexCoord2fColor3fVertex3fvSUN GLEW_GET_FUN(__glewTexCoord2fColor3fVertex3fvSUN) #define glTexCoord2fColor4fNormal3fVertex3fSUN GLEW_GET_FUN(__glewTexCoord2fColor4fNormal3fVertex3fSUN) #define glTexCoord2fColor4fNormal3fVertex3fvSUN GLEW_GET_FUN(__glewTexCoord2fColor4fNormal3fVertex3fvSUN) #define glTexCoord2fColor4ubVertex3fSUN GLEW_GET_FUN(__glewTexCoord2fColor4ubVertex3fSUN) #define glTexCoord2fColor4ubVertex3fvSUN GLEW_GET_FUN(__glewTexCoord2fColor4ubVertex3fvSUN) #define glTexCoord2fNormal3fVertex3fSUN GLEW_GET_FUN(__glewTexCoord2fNormal3fVertex3fSUN) #define glTexCoord2fNormal3fVertex3fvSUN GLEW_GET_FUN(__glewTexCoord2fNormal3fVertex3fvSUN) #define glTexCoord2fVertex3fSUN GLEW_GET_FUN(__glewTexCoord2fVertex3fSUN) #define glTexCoord2fVertex3fvSUN GLEW_GET_FUN(__glewTexCoord2fVertex3fvSUN) #define glTexCoord4fColor4fNormal3fVertex4fSUN GLEW_GET_FUN(__glewTexCoord4fColor4fNormal3fVertex4fSUN) #define glTexCoord4fColor4fNormal3fVertex4fvSUN GLEW_GET_FUN(__glewTexCoord4fColor4fNormal3fVertex4fvSUN) #define glTexCoord4fVertex4fSUN GLEW_GET_FUN(__glewTexCoord4fVertex4fSUN) #define glTexCoord4fVertex4fvSUN GLEW_GET_FUN(__glewTexCoord4fVertex4fvSUN) #define GLEW_SUN_vertex GLEW_GET_VAR(__GLEW_SUN_vertex) #endif /* GL_SUN_vertex */ /* -------------------------- GL_WIN_phong_shading ------------------------- */ #ifndef GL_WIN_phong_shading #define GL_WIN_phong_shading 1 #define GL_PHONG_WIN 0x80EA #define GL_PHONG_HINT_WIN 0x80EB #define GLEW_WIN_phong_shading GLEW_GET_VAR(__GLEW_WIN_phong_shading) #endif /* GL_WIN_phong_shading */ /* ------------------------- GL_WIN_scene_markerXXX ------------------------ */ #ifndef GL_WIN_scene_markerXXX #define GL_WIN_scene_markerXXX 1 #define GLEW_WIN_scene_markerXXX GLEW_GET_VAR(__GLEW_WIN_scene_markerXXX) #endif /* GL_WIN_scene_markerXXX */ /* -------------------------- GL_WIN_specular_fog -------------------------- */ #ifndef GL_WIN_specular_fog #define GL_WIN_specular_fog 1 #define GL_FOG_SPECULAR_TEXTURE_WIN 0x80EC #define GLEW_WIN_specular_fog GLEW_GET_VAR(__GLEW_WIN_specular_fog) #endif /* GL_WIN_specular_fog */ /* ---------------------------- GL_WIN_swap_hint --------------------------- */ #ifndef GL_WIN_swap_hint #define GL_WIN_swap_hint 1 typedef void (GLAPIENTRY * PFNGLADDSWAPHINTRECTWINPROC) (GLint x, GLint y, GLsizei width, GLsizei height); #define glAddSwapHintRectWIN GLEW_GET_FUN(__glewAddSwapHintRectWIN) #define GLEW_WIN_swap_hint GLEW_GET_VAR(__GLEW_WIN_swap_hint) #endif /* GL_WIN_swap_hint */ /* ------------------------------------------------------------------------- */ GLEW_FUN_EXPORT PFNGLCOPYTEXSUBIMAGE3DPROC __glewCopyTexSubImage3D; GLEW_FUN_EXPORT PFNGLDRAWRANGEELEMENTSPROC __glewDrawRangeElements; GLEW_FUN_EXPORT PFNGLTEXIMAGE3DPROC __glewTexImage3D; GLEW_FUN_EXPORT PFNGLTEXSUBIMAGE3DPROC __glewTexSubImage3D; GLEW_FUN_EXPORT PFNGLACTIVETEXTUREPROC __glewActiveTexture; GLEW_FUN_EXPORT PFNGLCLIENTACTIVETEXTUREPROC __glewClientActiveTexture; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE1DPROC __glewCompressedTexImage1D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE2DPROC __glewCompressedTexImage2D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE3DPROC __glewCompressedTexImage3D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE1DPROC __glewCompressedTexSubImage1D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE2DPROC __glewCompressedTexSubImage2D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE3DPROC __glewCompressedTexSubImage3D; GLEW_FUN_EXPORT PFNGLGETCOMPRESSEDTEXIMAGEPROC __glewGetCompressedTexImage; GLEW_FUN_EXPORT PFNGLLOADTRANSPOSEMATRIXDPROC __glewLoadTransposeMatrixd; GLEW_FUN_EXPORT PFNGLLOADTRANSPOSEMATRIXFPROC __glewLoadTransposeMatrixf; GLEW_FUN_EXPORT PFNGLMULTTRANSPOSEMATRIXDPROC __glewMultTransposeMatrixd; GLEW_FUN_EXPORT PFNGLMULTTRANSPOSEMATRIXFPROC __glewMultTransposeMatrixf; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1DPROC __glewMultiTexCoord1d; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1DVPROC __glewMultiTexCoord1dv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1FPROC __glewMultiTexCoord1f; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1FVPROC __glewMultiTexCoord1fv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1IPROC __glewMultiTexCoord1i; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1IVPROC __glewMultiTexCoord1iv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1SPROC __glewMultiTexCoord1s; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1SVPROC __glewMultiTexCoord1sv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2DPROC __glewMultiTexCoord2d; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2DVPROC __glewMultiTexCoord2dv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2FPROC __glewMultiTexCoord2f; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2FVPROC __glewMultiTexCoord2fv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2IPROC __glewMultiTexCoord2i; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2IVPROC __glewMultiTexCoord2iv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2SPROC __glewMultiTexCoord2s; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2SVPROC __glewMultiTexCoord2sv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3DPROC __glewMultiTexCoord3d; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3DVPROC __glewMultiTexCoord3dv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3FPROC __glewMultiTexCoord3f; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3FVPROC __glewMultiTexCoord3fv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3IPROC __glewMultiTexCoord3i; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3IVPROC __glewMultiTexCoord3iv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3SPROC __glewMultiTexCoord3s; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3SVPROC __glewMultiTexCoord3sv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4DPROC __glewMultiTexCoord4d; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4DVPROC __glewMultiTexCoord4dv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4FPROC __glewMultiTexCoord4f; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4FVPROC __glewMultiTexCoord4fv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4IPROC __glewMultiTexCoord4i; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4IVPROC __glewMultiTexCoord4iv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4SPROC __glewMultiTexCoord4s; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4SVPROC __glewMultiTexCoord4sv; GLEW_FUN_EXPORT PFNGLSAMPLECOVERAGEPROC __glewSampleCoverage; GLEW_FUN_EXPORT PFNGLBLENDCOLORPROC __glewBlendColor; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONPROC __glewBlendEquation; GLEW_FUN_EXPORT PFNGLBLENDFUNCSEPARATEPROC __glewBlendFuncSeparate; GLEW_FUN_EXPORT PFNGLFOGCOORDPOINTERPROC __glewFogCoordPointer; GLEW_FUN_EXPORT PFNGLFOGCOORDDPROC __glewFogCoordd; GLEW_FUN_EXPORT PFNGLFOGCOORDDVPROC __glewFogCoorddv; GLEW_FUN_EXPORT PFNGLFOGCOORDFPROC __glewFogCoordf; GLEW_FUN_EXPORT PFNGLFOGCOORDFVPROC __glewFogCoordfv; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSPROC __glewMultiDrawArrays; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSPROC __glewMultiDrawElements; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERFPROC __glewPointParameterf; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERFVPROC __glewPointParameterfv; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERIPROC __glewPointParameteri; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERIVPROC __glewPointParameteriv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3BPROC __glewSecondaryColor3b; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3BVPROC __glewSecondaryColor3bv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3DPROC __glewSecondaryColor3d; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3DVPROC __glewSecondaryColor3dv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3FPROC __glewSecondaryColor3f; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3FVPROC __glewSecondaryColor3fv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3IPROC __glewSecondaryColor3i; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3IVPROC __glewSecondaryColor3iv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3SPROC __glewSecondaryColor3s; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3SVPROC __glewSecondaryColor3sv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UBPROC __glewSecondaryColor3ub; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UBVPROC __glewSecondaryColor3ubv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UIPROC __glewSecondaryColor3ui; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UIVPROC __glewSecondaryColor3uiv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3USPROC __glewSecondaryColor3us; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3USVPROC __glewSecondaryColor3usv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLORPOINTERPROC __glewSecondaryColorPointer; GLEW_FUN_EXPORT PFNGLWINDOWPOS2DPROC __glewWindowPos2d; GLEW_FUN_EXPORT PFNGLWINDOWPOS2DVPROC __glewWindowPos2dv; GLEW_FUN_EXPORT PFNGLWINDOWPOS2FPROC __glewWindowPos2f; GLEW_FUN_EXPORT PFNGLWINDOWPOS2FVPROC __glewWindowPos2fv; GLEW_FUN_EXPORT PFNGLWINDOWPOS2IPROC __glewWindowPos2i; GLEW_FUN_EXPORT PFNGLWINDOWPOS2IVPROC __glewWindowPos2iv; GLEW_FUN_EXPORT PFNGLWINDOWPOS2SPROC __glewWindowPos2s; GLEW_FUN_EXPORT PFNGLWINDOWPOS2SVPROC __glewWindowPos2sv; GLEW_FUN_EXPORT PFNGLWINDOWPOS3DPROC __glewWindowPos3d; GLEW_FUN_EXPORT PFNGLWINDOWPOS3DVPROC __glewWindowPos3dv; GLEW_FUN_EXPORT PFNGLWINDOWPOS3FPROC __glewWindowPos3f; GLEW_FUN_EXPORT PFNGLWINDOWPOS3FVPROC __glewWindowPos3fv; GLEW_FUN_EXPORT PFNGLWINDOWPOS3IPROC __glewWindowPos3i; GLEW_FUN_EXPORT PFNGLWINDOWPOS3IVPROC __glewWindowPos3iv; GLEW_FUN_EXPORT PFNGLWINDOWPOS3SPROC __glewWindowPos3s; GLEW_FUN_EXPORT PFNGLWINDOWPOS3SVPROC __glewWindowPos3sv; GLEW_FUN_EXPORT PFNGLBEGINQUERYPROC __glewBeginQuery; GLEW_FUN_EXPORT PFNGLBINDBUFFERPROC __glewBindBuffer; GLEW_FUN_EXPORT PFNGLBUFFERDATAPROC __glewBufferData; GLEW_FUN_EXPORT PFNGLBUFFERSUBDATAPROC __glewBufferSubData; GLEW_FUN_EXPORT PFNGLDELETEBUFFERSPROC __glewDeleteBuffers; GLEW_FUN_EXPORT PFNGLDELETEQUERIESPROC __glewDeleteQueries; GLEW_FUN_EXPORT PFNGLENDQUERYPROC __glewEndQuery; GLEW_FUN_EXPORT PFNGLGENBUFFERSPROC __glewGenBuffers; GLEW_FUN_EXPORT PFNGLGENQUERIESPROC __glewGenQueries; GLEW_FUN_EXPORT PFNGLGETBUFFERPARAMETERIVPROC __glewGetBufferParameteriv; GLEW_FUN_EXPORT PFNGLGETBUFFERPOINTERVPROC __glewGetBufferPointerv; GLEW_FUN_EXPORT PFNGLGETBUFFERSUBDATAPROC __glewGetBufferSubData; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTIVPROC __glewGetQueryObjectiv; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTUIVPROC __glewGetQueryObjectuiv; GLEW_FUN_EXPORT PFNGLGETQUERYIVPROC __glewGetQueryiv; GLEW_FUN_EXPORT PFNGLISBUFFERPROC __glewIsBuffer; GLEW_FUN_EXPORT PFNGLISQUERYPROC __glewIsQuery; GLEW_FUN_EXPORT PFNGLMAPBUFFERPROC __glewMapBuffer; GLEW_FUN_EXPORT PFNGLUNMAPBUFFERPROC __glewUnmapBuffer; GLEW_FUN_EXPORT PFNGLATTACHSHADERPROC __glewAttachShader; GLEW_FUN_EXPORT PFNGLBINDATTRIBLOCATIONPROC __glewBindAttribLocation; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONSEPARATEPROC __glewBlendEquationSeparate; GLEW_FUN_EXPORT PFNGLCOMPILESHADERPROC __glewCompileShader; GLEW_FUN_EXPORT PFNGLCREATEPROGRAMPROC __glewCreateProgram; GLEW_FUN_EXPORT PFNGLCREATESHADERPROC __glewCreateShader; GLEW_FUN_EXPORT PFNGLDELETEPROGRAMPROC __glewDeleteProgram; GLEW_FUN_EXPORT PFNGLDELETESHADERPROC __glewDeleteShader; GLEW_FUN_EXPORT PFNGLDETACHSHADERPROC __glewDetachShader; GLEW_FUN_EXPORT PFNGLDISABLEVERTEXATTRIBARRAYPROC __glewDisableVertexAttribArray; GLEW_FUN_EXPORT PFNGLDRAWBUFFERSPROC __glewDrawBuffers; GLEW_FUN_EXPORT PFNGLENABLEVERTEXATTRIBARRAYPROC __glewEnableVertexAttribArray; GLEW_FUN_EXPORT PFNGLGETACTIVEATTRIBPROC __glewGetActiveAttrib; GLEW_FUN_EXPORT PFNGLGETACTIVEUNIFORMPROC __glewGetActiveUniform; GLEW_FUN_EXPORT PFNGLGETATTACHEDSHADERSPROC __glewGetAttachedShaders; GLEW_FUN_EXPORT PFNGLGETATTRIBLOCATIONPROC __glewGetAttribLocation; GLEW_FUN_EXPORT PFNGLGETPROGRAMINFOLOGPROC __glewGetProgramInfoLog; GLEW_FUN_EXPORT PFNGLGETPROGRAMIVPROC __glewGetProgramiv; GLEW_FUN_EXPORT PFNGLGETSHADERINFOLOGPROC __glewGetShaderInfoLog; GLEW_FUN_EXPORT PFNGLGETSHADERSOURCEPROC __glewGetShaderSource; GLEW_FUN_EXPORT PFNGLGETSHADERIVPROC __glewGetShaderiv; GLEW_FUN_EXPORT PFNGLGETUNIFORMLOCATIONPROC __glewGetUniformLocation; GLEW_FUN_EXPORT PFNGLGETUNIFORMFVPROC __glewGetUniformfv; GLEW_FUN_EXPORT PFNGLGETUNIFORMIVPROC __glewGetUniformiv; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBPOINTERVPROC __glewGetVertexAttribPointerv; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBDVPROC __glewGetVertexAttribdv; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBFVPROC __glewGetVertexAttribfv; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIVPROC __glewGetVertexAttribiv; GLEW_FUN_EXPORT PFNGLISPROGRAMPROC __glewIsProgram; GLEW_FUN_EXPORT PFNGLISSHADERPROC __glewIsShader; GLEW_FUN_EXPORT PFNGLLINKPROGRAMPROC __glewLinkProgram; GLEW_FUN_EXPORT PFNGLSHADERSOURCEPROC __glewShaderSource; GLEW_FUN_EXPORT PFNGLSTENCILFUNCSEPARATEPROC __glewStencilFuncSeparate; GLEW_FUN_EXPORT PFNGLSTENCILMASKSEPARATEPROC __glewStencilMaskSeparate; GLEW_FUN_EXPORT PFNGLSTENCILOPSEPARATEPROC __glewStencilOpSeparate; GLEW_FUN_EXPORT PFNGLUNIFORM1FPROC __glewUniform1f; GLEW_FUN_EXPORT PFNGLUNIFORM1FVPROC __glewUniform1fv; GLEW_FUN_EXPORT PFNGLUNIFORM1IPROC __glewUniform1i; GLEW_FUN_EXPORT PFNGLUNIFORM1IVPROC __glewUniform1iv; GLEW_FUN_EXPORT PFNGLUNIFORM2FPROC __glewUniform2f; GLEW_FUN_EXPORT PFNGLUNIFORM2FVPROC __glewUniform2fv; GLEW_FUN_EXPORT PFNGLUNIFORM2IPROC __glewUniform2i; GLEW_FUN_EXPORT PFNGLUNIFORM2IVPROC __glewUniform2iv; GLEW_FUN_EXPORT PFNGLUNIFORM3FPROC __glewUniform3f; GLEW_FUN_EXPORT PFNGLUNIFORM3FVPROC __glewUniform3fv; GLEW_FUN_EXPORT PFNGLUNIFORM3IPROC __glewUniform3i; GLEW_FUN_EXPORT PFNGLUNIFORM3IVPROC __glewUniform3iv; GLEW_FUN_EXPORT PFNGLUNIFORM4FPROC __glewUniform4f; GLEW_FUN_EXPORT PFNGLUNIFORM4FVPROC __glewUniform4fv; GLEW_FUN_EXPORT PFNGLUNIFORM4IPROC __glewUniform4i; GLEW_FUN_EXPORT PFNGLUNIFORM4IVPROC __glewUniform4iv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2FVPROC __glewUniformMatrix2fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3FVPROC __glewUniformMatrix3fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4FVPROC __glewUniformMatrix4fv; GLEW_FUN_EXPORT PFNGLUSEPROGRAMPROC __glewUseProgram; GLEW_FUN_EXPORT PFNGLVALIDATEPROGRAMPROC __glewValidateProgram; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1DPROC __glewVertexAttrib1d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1DVPROC __glewVertexAttrib1dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1FPROC __glewVertexAttrib1f; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1FVPROC __glewVertexAttrib1fv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1SPROC __glewVertexAttrib1s; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1SVPROC __glewVertexAttrib1sv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2DPROC __glewVertexAttrib2d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2DVPROC __glewVertexAttrib2dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2FPROC __glewVertexAttrib2f; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2FVPROC __glewVertexAttrib2fv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2SPROC __glewVertexAttrib2s; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2SVPROC __glewVertexAttrib2sv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3DPROC __glewVertexAttrib3d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3DVPROC __glewVertexAttrib3dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3FPROC __glewVertexAttrib3f; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3FVPROC __glewVertexAttrib3fv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3SPROC __glewVertexAttrib3s; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3SVPROC __glewVertexAttrib3sv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NBVPROC __glewVertexAttrib4Nbv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NIVPROC __glewVertexAttrib4Niv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NSVPROC __glewVertexAttrib4Nsv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUBPROC __glewVertexAttrib4Nub; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUBVPROC __glewVertexAttrib4Nubv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUIVPROC __glewVertexAttrib4Nuiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUSVPROC __glewVertexAttrib4Nusv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4BVPROC __glewVertexAttrib4bv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4DPROC __glewVertexAttrib4d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4DVPROC __glewVertexAttrib4dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4FPROC __glewVertexAttrib4f; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4FVPROC __glewVertexAttrib4fv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4IVPROC __glewVertexAttrib4iv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4SPROC __glewVertexAttrib4s; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4SVPROC __glewVertexAttrib4sv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4UBVPROC __glewVertexAttrib4ubv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4UIVPROC __glewVertexAttrib4uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4USVPROC __glewVertexAttrib4usv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBPOINTERPROC __glewVertexAttribPointer; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2X3FVPROC __glewUniformMatrix2x3fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2X4FVPROC __glewUniformMatrix2x4fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3X2FVPROC __glewUniformMatrix3x2fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3X4FVPROC __glewUniformMatrix3x4fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4X2FVPROC __glewUniformMatrix4x2fv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4X3FVPROC __glewUniformMatrix4x3fv; GLEW_FUN_EXPORT PFNGLBEGINCONDITIONALRENDERPROC __glewBeginConditionalRender; GLEW_FUN_EXPORT PFNGLBEGINTRANSFORMFEEDBACKPROC __glewBeginTransformFeedback; GLEW_FUN_EXPORT PFNGLBINDFRAGDATALOCATIONPROC __glewBindFragDataLocation; GLEW_FUN_EXPORT PFNGLCLAMPCOLORPROC __glewClampColor; GLEW_FUN_EXPORT PFNGLCLEARBUFFERFIPROC __glewClearBufferfi; GLEW_FUN_EXPORT PFNGLCLEARBUFFERFVPROC __glewClearBufferfv; GLEW_FUN_EXPORT PFNGLCLEARBUFFERIVPROC __glewClearBufferiv; GLEW_FUN_EXPORT PFNGLCLEARBUFFERUIVPROC __glewClearBufferuiv; GLEW_FUN_EXPORT PFNGLCOLORMASKIPROC __glewColorMaski; GLEW_FUN_EXPORT PFNGLDISABLEIPROC __glewDisablei; GLEW_FUN_EXPORT PFNGLENABLEIPROC __glewEnablei; GLEW_FUN_EXPORT PFNGLENDCONDITIONALRENDERPROC __glewEndConditionalRender; GLEW_FUN_EXPORT PFNGLENDTRANSFORMFEEDBACKPROC __glewEndTransformFeedback; GLEW_FUN_EXPORT PFNGLGETBOOLEANI_VPROC __glewGetBooleani_v; GLEW_FUN_EXPORT PFNGLGETFRAGDATALOCATIONPROC __glewGetFragDataLocation; GLEW_FUN_EXPORT PFNGLGETSTRINGIPROC __glewGetStringi; GLEW_FUN_EXPORT PFNGLGETTEXPARAMETERIIVPROC __glewGetTexParameterIiv; GLEW_FUN_EXPORT PFNGLGETTEXPARAMETERIUIVPROC __glewGetTexParameterIuiv; GLEW_FUN_EXPORT PFNGLGETTRANSFORMFEEDBACKVARYINGPROC __glewGetTransformFeedbackVarying; GLEW_FUN_EXPORT PFNGLGETUNIFORMUIVPROC __glewGetUniformuiv; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIIVPROC __glewGetVertexAttribIiv; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIUIVPROC __glewGetVertexAttribIuiv; GLEW_FUN_EXPORT PFNGLISENABLEDIPROC __glewIsEnabledi; GLEW_FUN_EXPORT PFNGLTEXPARAMETERIIVPROC __glewTexParameterIiv; GLEW_FUN_EXPORT PFNGLTEXPARAMETERIUIVPROC __glewTexParameterIuiv; GLEW_FUN_EXPORT PFNGLTRANSFORMFEEDBACKVARYINGSPROC __glewTransformFeedbackVaryings; GLEW_FUN_EXPORT PFNGLUNIFORM1UIPROC __glewUniform1ui; GLEW_FUN_EXPORT PFNGLUNIFORM1UIVPROC __glewUniform1uiv; GLEW_FUN_EXPORT PFNGLUNIFORM2UIPROC __glewUniform2ui; GLEW_FUN_EXPORT PFNGLUNIFORM2UIVPROC __glewUniform2uiv; GLEW_FUN_EXPORT PFNGLUNIFORM3UIPROC __glewUniform3ui; GLEW_FUN_EXPORT PFNGLUNIFORM3UIVPROC __glewUniform3uiv; GLEW_FUN_EXPORT PFNGLUNIFORM4UIPROC __glewUniform4ui; GLEW_FUN_EXPORT PFNGLUNIFORM4UIVPROC __glewUniform4uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1IPROC __glewVertexAttribI1i; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1IVPROC __glewVertexAttribI1iv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1UIPROC __glewVertexAttribI1ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1UIVPROC __glewVertexAttribI1uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2IPROC __glewVertexAttribI2i; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2IVPROC __glewVertexAttribI2iv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2UIPROC __glewVertexAttribI2ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2UIVPROC __glewVertexAttribI2uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3IPROC __glewVertexAttribI3i; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3IVPROC __glewVertexAttribI3iv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3UIPROC __glewVertexAttribI3ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3UIVPROC __glewVertexAttribI3uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4BVPROC __glewVertexAttribI4bv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4IPROC __glewVertexAttribI4i; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4IVPROC __glewVertexAttribI4iv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4SVPROC __glewVertexAttribI4sv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4UBVPROC __glewVertexAttribI4ubv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4UIPROC __glewVertexAttribI4ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4UIVPROC __glewVertexAttribI4uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4USVPROC __glewVertexAttribI4usv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBIPOINTERPROC __glewVertexAttribIPointer; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDPROC __glewDrawArraysInstanced; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDPROC __glewDrawElementsInstanced; GLEW_FUN_EXPORT PFNGLPRIMITIVERESTARTINDEXPROC __glewPrimitiveRestartIndex; GLEW_FUN_EXPORT PFNGLTEXBUFFERPROC __glewTexBuffer; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREPROC __glewFramebufferTexture; GLEW_FUN_EXPORT PFNGLGETBUFFERPARAMETERI64VPROC __glewGetBufferParameteri64v; GLEW_FUN_EXPORT PFNGLGETINTEGER64I_VPROC __glewGetInteger64i_v; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBDIVISORPROC __glewVertexAttribDivisor; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONSEPARATEIPROC __glewBlendEquationSeparatei; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONIPROC __glewBlendEquationi; GLEW_FUN_EXPORT PFNGLBLENDFUNCSEPARATEIPROC __glewBlendFuncSeparatei; GLEW_FUN_EXPORT PFNGLBLENDFUNCIPROC __glewBlendFunci; GLEW_FUN_EXPORT PFNGLMINSAMPLESHADINGPROC __glewMinSampleShading; GLEW_FUN_EXPORT PFNGLGETGRAPHICSRESETSTATUSPROC __glewGetGraphicsResetStatus; GLEW_FUN_EXPORT PFNGLGETNCOMPRESSEDTEXIMAGEPROC __glewGetnCompressedTexImage; GLEW_FUN_EXPORT PFNGLGETNTEXIMAGEPROC __glewGetnTexImage; GLEW_FUN_EXPORT PFNGLGETNUNIFORMDVPROC __glewGetnUniformdv; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTCOUNTPROC __glewMultiDrawArraysIndirectCount; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTPROC __glewMultiDrawElementsIndirectCount; GLEW_FUN_EXPORT PFNGLSPECIALIZESHADERPROC __glewSpecializeShader; GLEW_FUN_EXPORT PFNGLTBUFFERMASK3DFXPROC __glewTbufferMask3DFX; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGECALLBACKAMDPROC __glewDebugMessageCallbackAMD; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGEENABLEAMDPROC __glewDebugMessageEnableAMD; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGEINSERTAMDPROC __glewDebugMessageInsertAMD; GLEW_FUN_EXPORT PFNGLGETDEBUGMESSAGELOGAMDPROC __glewGetDebugMessageLogAMD; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONINDEXEDAMDPROC __glewBlendEquationIndexedAMD; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONSEPARATEINDEXEDAMDPROC __glewBlendEquationSeparateIndexedAMD; GLEW_FUN_EXPORT PFNGLBLENDFUNCINDEXEDAMDPROC __glewBlendFuncIndexedAMD; GLEW_FUN_EXPORT PFNGLBLENDFUNCSEPARATEINDEXEDAMDPROC __glewBlendFuncSeparateIndexedAMD; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC __glewFramebufferSamplePositionsfvAMD; GLEW_FUN_EXPORT PFNGLGETFRAMEBUFFERPARAMETERFVAMDPROC __glewGetFramebufferParameterfvAMD; GLEW_FUN_EXPORT PFNGLGETNAMEDFRAMEBUFFERPARAMETERFVAMDPROC __glewGetNamedFramebufferParameterfvAMD; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERSAMPLEPOSITIONSFVAMDPROC __glewNamedFramebufferSamplePositionsfvAMD; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBPARAMETERIAMDPROC __glewVertexAttribParameteriAMD; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTAMDPROC __glewMultiDrawArraysIndirectAMD; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTAMDPROC __glewMultiDrawElementsIndirectAMD; GLEW_FUN_EXPORT PFNGLDELETENAMESAMDPROC __glewDeleteNamesAMD; GLEW_FUN_EXPORT PFNGLGENNAMESAMDPROC __glewGenNamesAMD; GLEW_FUN_EXPORT PFNGLISNAMEAMDPROC __glewIsNameAMD; GLEW_FUN_EXPORT PFNGLQUERYOBJECTPARAMETERUIAMDPROC __glewQueryObjectParameteruiAMD; GLEW_FUN_EXPORT PFNGLBEGINPERFMONITORAMDPROC __glewBeginPerfMonitorAMD; GLEW_FUN_EXPORT PFNGLDELETEPERFMONITORSAMDPROC __glewDeletePerfMonitorsAMD; GLEW_FUN_EXPORT PFNGLENDPERFMONITORAMDPROC __glewEndPerfMonitorAMD; GLEW_FUN_EXPORT PFNGLGENPERFMONITORSAMDPROC __glewGenPerfMonitorsAMD; GLEW_FUN_EXPORT PFNGLGETPERFMONITORCOUNTERDATAAMDPROC __glewGetPerfMonitorCounterDataAMD; GLEW_FUN_EXPORT PFNGLGETPERFMONITORCOUNTERINFOAMDPROC __glewGetPerfMonitorCounterInfoAMD; GLEW_FUN_EXPORT PFNGLGETPERFMONITORCOUNTERSTRINGAMDPROC __glewGetPerfMonitorCounterStringAMD; GLEW_FUN_EXPORT PFNGLGETPERFMONITORCOUNTERSAMDPROC __glewGetPerfMonitorCountersAMD; GLEW_FUN_EXPORT PFNGLGETPERFMONITORGROUPSTRINGAMDPROC __glewGetPerfMonitorGroupStringAMD; GLEW_FUN_EXPORT PFNGLGETPERFMONITORGROUPSAMDPROC __glewGetPerfMonitorGroupsAMD; GLEW_FUN_EXPORT PFNGLSELECTPERFMONITORCOUNTERSAMDPROC __glewSelectPerfMonitorCountersAMD; GLEW_FUN_EXPORT PFNGLSETMULTISAMPLEFVAMDPROC __glewSetMultisamplefvAMD; GLEW_FUN_EXPORT PFNGLTEXSTORAGESPARSEAMDPROC __glewTexStorageSparseAMD; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGESPARSEAMDPROC __glewTextureStorageSparseAMD; GLEW_FUN_EXPORT PFNGLSTENCILOPVALUEAMDPROC __glewStencilOpValueAMD; GLEW_FUN_EXPORT PFNGLTESSELLATIONFACTORAMDPROC __glewTessellationFactorAMD; GLEW_FUN_EXPORT PFNGLTESSELLATIONMODEAMDPROC __glewTessellationModeAMD; GLEW_FUN_EXPORT PFNGLBLITFRAMEBUFFERANGLEPROC __glewBlitFramebufferANGLE; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEMULTISAMPLEANGLEPROC __glewRenderbufferStorageMultisampleANGLE; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDANGLEPROC __glewDrawArraysInstancedANGLE; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDANGLEPROC __glewDrawElementsInstancedANGLE; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBDIVISORANGLEPROC __glewVertexAttribDivisorANGLE; GLEW_FUN_EXPORT PFNGLBEGINQUERYANGLEPROC __glewBeginQueryANGLE; GLEW_FUN_EXPORT PFNGLDELETEQUERIESANGLEPROC __glewDeleteQueriesANGLE; GLEW_FUN_EXPORT PFNGLENDQUERYANGLEPROC __glewEndQueryANGLE; GLEW_FUN_EXPORT PFNGLGENQUERIESANGLEPROC __glewGenQueriesANGLE; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTI64VANGLEPROC __glewGetQueryObjecti64vANGLE; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTIVANGLEPROC __glewGetQueryObjectivANGLE; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTUI64VANGLEPROC __glewGetQueryObjectui64vANGLE; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTUIVANGLEPROC __glewGetQueryObjectuivANGLE; GLEW_FUN_EXPORT PFNGLGETQUERYIVANGLEPROC __glewGetQueryivANGLE; GLEW_FUN_EXPORT PFNGLISQUERYANGLEPROC __glewIsQueryANGLE; GLEW_FUN_EXPORT PFNGLQUERYCOUNTERANGLEPROC __glewQueryCounterANGLE; GLEW_FUN_EXPORT PFNGLGETTRANSLATEDSHADERSOURCEANGLEPROC __glewGetTranslatedShaderSourceANGLE; GLEW_FUN_EXPORT PFNGLCOPYTEXTURELEVELSAPPLEPROC __glewCopyTextureLevelsAPPLE; GLEW_FUN_EXPORT PFNGLDRAWELEMENTARRAYAPPLEPROC __glewDrawElementArrayAPPLE; GLEW_FUN_EXPORT PFNGLDRAWRANGEELEMENTARRAYAPPLEPROC __glewDrawRangeElementArrayAPPLE; GLEW_FUN_EXPORT PFNGLELEMENTPOINTERAPPLEPROC __glewElementPointerAPPLE; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTARRAYAPPLEPROC __glewMultiDrawElementArrayAPPLE; GLEW_FUN_EXPORT PFNGLMULTIDRAWRANGEELEMENTARRAYAPPLEPROC __glewMultiDrawRangeElementArrayAPPLE; GLEW_FUN_EXPORT PFNGLDELETEFENCESAPPLEPROC __glewDeleteFencesAPPLE; GLEW_FUN_EXPORT PFNGLFINISHFENCEAPPLEPROC __glewFinishFenceAPPLE; GLEW_FUN_EXPORT PFNGLFINISHOBJECTAPPLEPROC __glewFinishObjectAPPLE; GLEW_FUN_EXPORT PFNGLGENFENCESAPPLEPROC __glewGenFencesAPPLE; GLEW_FUN_EXPORT PFNGLISFENCEAPPLEPROC __glewIsFenceAPPLE; GLEW_FUN_EXPORT PFNGLSETFENCEAPPLEPROC __glewSetFenceAPPLE; GLEW_FUN_EXPORT PFNGLTESTFENCEAPPLEPROC __glewTestFenceAPPLE; GLEW_FUN_EXPORT PFNGLTESTOBJECTAPPLEPROC __glewTestObjectAPPLE; GLEW_FUN_EXPORT PFNGLBUFFERPARAMETERIAPPLEPROC __glewBufferParameteriAPPLE; GLEW_FUN_EXPORT PFNGLFLUSHMAPPEDBUFFERRANGEAPPLEPROC __glewFlushMappedBufferRangeAPPLE; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEMULTISAMPLEAPPLEPROC __glewRenderbufferStorageMultisampleAPPLE; GLEW_FUN_EXPORT PFNGLRESOLVEMULTISAMPLEFRAMEBUFFERAPPLEPROC __glewResolveMultisampleFramebufferAPPLE; GLEW_FUN_EXPORT PFNGLGETOBJECTPARAMETERIVAPPLEPROC __glewGetObjectParameterivAPPLE; GLEW_FUN_EXPORT PFNGLOBJECTPURGEABLEAPPLEPROC __glewObjectPurgeableAPPLE; GLEW_FUN_EXPORT PFNGLOBJECTUNPURGEABLEAPPLEPROC __glewObjectUnpurgeableAPPLE; GLEW_FUN_EXPORT PFNGLCLIENTWAITSYNCAPPLEPROC __glewClientWaitSyncAPPLE; GLEW_FUN_EXPORT PFNGLDELETESYNCAPPLEPROC __glewDeleteSyncAPPLE; GLEW_FUN_EXPORT PFNGLFENCESYNCAPPLEPROC __glewFenceSyncAPPLE; GLEW_FUN_EXPORT PFNGLGETINTEGER64VAPPLEPROC __glewGetInteger64vAPPLE; GLEW_FUN_EXPORT PFNGLGETSYNCIVAPPLEPROC __glewGetSyncivAPPLE; GLEW_FUN_EXPORT PFNGLISSYNCAPPLEPROC __glewIsSyncAPPLE; GLEW_FUN_EXPORT PFNGLWAITSYNCAPPLEPROC __glewWaitSyncAPPLE; GLEW_FUN_EXPORT PFNGLGETTEXPARAMETERPOINTERVAPPLEPROC __glewGetTexParameterPointervAPPLE; GLEW_FUN_EXPORT PFNGLTEXTURERANGEAPPLEPROC __glewTextureRangeAPPLE; GLEW_FUN_EXPORT PFNGLBINDVERTEXARRAYAPPLEPROC __glewBindVertexArrayAPPLE; GLEW_FUN_EXPORT PFNGLDELETEVERTEXARRAYSAPPLEPROC __glewDeleteVertexArraysAPPLE; GLEW_FUN_EXPORT PFNGLGENVERTEXARRAYSAPPLEPROC __glewGenVertexArraysAPPLE; GLEW_FUN_EXPORT PFNGLISVERTEXARRAYAPPLEPROC __glewIsVertexArrayAPPLE; GLEW_FUN_EXPORT PFNGLFLUSHVERTEXARRAYRANGEAPPLEPROC __glewFlushVertexArrayRangeAPPLE; GLEW_FUN_EXPORT PFNGLVERTEXARRAYPARAMETERIAPPLEPROC __glewVertexArrayParameteriAPPLE; GLEW_FUN_EXPORT PFNGLVERTEXARRAYRANGEAPPLEPROC __glewVertexArrayRangeAPPLE; GLEW_FUN_EXPORT PFNGLDISABLEVERTEXATTRIBAPPLEPROC __glewDisableVertexAttribAPPLE; GLEW_FUN_EXPORT PFNGLENABLEVERTEXATTRIBAPPLEPROC __glewEnableVertexAttribAPPLE; GLEW_FUN_EXPORT PFNGLISVERTEXATTRIBENABLEDAPPLEPROC __glewIsVertexAttribEnabledAPPLE; GLEW_FUN_EXPORT PFNGLMAPVERTEXATTRIB1DAPPLEPROC __glewMapVertexAttrib1dAPPLE; GLEW_FUN_EXPORT PFNGLMAPVERTEXATTRIB1FAPPLEPROC __glewMapVertexAttrib1fAPPLE; GLEW_FUN_EXPORT PFNGLMAPVERTEXATTRIB2DAPPLEPROC __glewMapVertexAttrib2dAPPLE; GLEW_FUN_EXPORT PFNGLMAPVERTEXATTRIB2FAPPLEPROC __glewMapVertexAttrib2fAPPLE; GLEW_FUN_EXPORT PFNGLCLEARDEPTHFPROC __glewClearDepthf; GLEW_FUN_EXPORT PFNGLDEPTHRANGEFPROC __glewDepthRangef; GLEW_FUN_EXPORT PFNGLGETSHADERPRECISIONFORMATPROC __glewGetShaderPrecisionFormat; GLEW_FUN_EXPORT PFNGLRELEASESHADERCOMPILERPROC __glewReleaseShaderCompiler; GLEW_FUN_EXPORT PFNGLSHADERBINARYPROC __glewShaderBinary; GLEW_FUN_EXPORT PFNGLMEMORYBARRIERBYREGIONPROC __glewMemoryBarrierByRegion; GLEW_FUN_EXPORT PFNGLPRIMITIVEBOUNDINGBOXARBPROC __glewPrimitiveBoundingBoxARB; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEPROC __glewDrawArraysInstancedBaseInstance; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEPROC __glewDrawElementsInstancedBaseInstance; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEPROC __glewDrawElementsInstancedBaseVertexBaseInstance; GLEW_FUN_EXPORT PFNGLGETIMAGEHANDLEARBPROC __glewGetImageHandleARB; GLEW_FUN_EXPORT PFNGLGETTEXTUREHANDLEARBPROC __glewGetTextureHandleARB; GLEW_FUN_EXPORT PFNGLGETTEXTURESAMPLERHANDLEARBPROC __glewGetTextureSamplerHandleARB; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBLUI64VARBPROC __glewGetVertexAttribLui64vARB; GLEW_FUN_EXPORT PFNGLISIMAGEHANDLERESIDENTARBPROC __glewIsImageHandleResidentARB; GLEW_FUN_EXPORT PFNGLISTEXTUREHANDLERESIDENTARBPROC __glewIsTextureHandleResidentARB; GLEW_FUN_EXPORT PFNGLMAKEIMAGEHANDLENONRESIDENTARBPROC __glewMakeImageHandleNonResidentARB; GLEW_FUN_EXPORT PFNGLMAKEIMAGEHANDLERESIDENTARBPROC __glewMakeImageHandleResidentARB; GLEW_FUN_EXPORT PFNGLMAKETEXTUREHANDLENONRESIDENTARBPROC __glewMakeTextureHandleNonResidentARB; GLEW_FUN_EXPORT PFNGLMAKETEXTUREHANDLERESIDENTARBPROC __glewMakeTextureHandleResidentARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMHANDLEUI64ARBPROC __glewProgramUniformHandleui64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMHANDLEUI64VARBPROC __glewProgramUniformHandleui64vARB; GLEW_FUN_EXPORT PFNGLUNIFORMHANDLEUI64ARBPROC __glewUniformHandleui64ARB; GLEW_FUN_EXPORT PFNGLUNIFORMHANDLEUI64VARBPROC __glewUniformHandleui64vARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1UI64ARBPROC __glewVertexAttribL1ui64ARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1UI64VARBPROC __glewVertexAttribL1ui64vARB; GLEW_FUN_EXPORT PFNGLBINDFRAGDATALOCATIONINDEXEDPROC __glewBindFragDataLocationIndexed; GLEW_FUN_EXPORT PFNGLGETFRAGDATAINDEXPROC __glewGetFragDataIndex; GLEW_FUN_EXPORT PFNGLBUFFERSTORAGEPROC __glewBufferStorage; GLEW_FUN_EXPORT PFNGLCREATESYNCFROMCLEVENTARBPROC __glewCreateSyncFromCLeventARB; GLEW_FUN_EXPORT PFNGLCLEARBUFFERDATAPROC __glewClearBufferData; GLEW_FUN_EXPORT PFNGLCLEARBUFFERSUBDATAPROC __glewClearBufferSubData; GLEW_FUN_EXPORT PFNGLCLEARNAMEDBUFFERDATAEXTPROC __glewClearNamedBufferDataEXT; GLEW_FUN_EXPORT PFNGLCLEARNAMEDBUFFERSUBDATAEXTPROC __glewClearNamedBufferSubDataEXT; GLEW_FUN_EXPORT PFNGLCLEARTEXIMAGEPROC __glewClearTexImage; GLEW_FUN_EXPORT PFNGLCLEARTEXSUBIMAGEPROC __glewClearTexSubImage; GLEW_FUN_EXPORT PFNGLCLIPCONTROLPROC __glewClipControl; GLEW_FUN_EXPORT PFNGLCLAMPCOLORARBPROC __glewClampColorARB; GLEW_FUN_EXPORT PFNGLDISPATCHCOMPUTEPROC __glewDispatchCompute; GLEW_FUN_EXPORT PFNGLDISPATCHCOMPUTEINDIRECTPROC __glewDispatchComputeIndirect; GLEW_FUN_EXPORT PFNGLDISPATCHCOMPUTEGROUPSIZEARBPROC __glewDispatchComputeGroupSizeARB; GLEW_FUN_EXPORT PFNGLCOPYBUFFERSUBDATAPROC __glewCopyBufferSubData; GLEW_FUN_EXPORT PFNGLCOPYIMAGESUBDATAPROC __glewCopyImageSubData; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGECALLBACKARBPROC __glewDebugMessageCallbackARB; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGECONTROLARBPROC __glewDebugMessageControlARB; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGEINSERTARBPROC __glewDebugMessageInsertARB; GLEW_FUN_EXPORT PFNGLGETDEBUGMESSAGELOGARBPROC __glewGetDebugMessageLogARB; GLEW_FUN_EXPORT PFNGLBINDTEXTUREUNITPROC __glewBindTextureUnit; GLEW_FUN_EXPORT PFNGLBLITNAMEDFRAMEBUFFERPROC __glewBlitNamedFramebuffer; GLEW_FUN_EXPORT PFNGLCHECKNAMEDFRAMEBUFFERSTATUSPROC __glewCheckNamedFramebufferStatus; GLEW_FUN_EXPORT PFNGLCLEARNAMEDBUFFERDATAPROC __glewClearNamedBufferData; GLEW_FUN_EXPORT PFNGLCLEARNAMEDBUFFERSUBDATAPROC __glewClearNamedBufferSubData; GLEW_FUN_EXPORT PFNGLCLEARNAMEDFRAMEBUFFERFIPROC __glewClearNamedFramebufferfi; GLEW_FUN_EXPORT PFNGLCLEARNAMEDFRAMEBUFFERFVPROC __glewClearNamedFramebufferfv; GLEW_FUN_EXPORT PFNGLCLEARNAMEDFRAMEBUFFERIVPROC __glewClearNamedFramebufferiv; GLEW_FUN_EXPORT PFNGLCLEARNAMEDFRAMEBUFFERUIVPROC __glewClearNamedFramebufferuiv; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTURESUBIMAGE1DPROC __glewCompressedTextureSubImage1D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTURESUBIMAGE2DPROC __glewCompressedTextureSubImage2D; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTURESUBIMAGE3DPROC __glewCompressedTextureSubImage3D; GLEW_FUN_EXPORT PFNGLCOPYNAMEDBUFFERSUBDATAPROC __glewCopyNamedBufferSubData; GLEW_FUN_EXPORT PFNGLCOPYTEXTURESUBIMAGE1DPROC __glewCopyTextureSubImage1D; GLEW_FUN_EXPORT PFNGLCOPYTEXTURESUBIMAGE2DPROC __glewCopyTextureSubImage2D; GLEW_FUN_EXPORT PFNGLCOPYTEXTURESUBIMAGE3DPROC __glewCopyTextureSubImage3D; GLEW_FUN_EXPORT PFNGLCREATEBUFFERSPROC __glewCreateBuffers; GLEW_FUN_EXPORT PFNGLCREATEFRAMEBUFFERSPROC __glewCreateFramebuffers; GLEW_FUN_EXPORT PFNGLCREATEPROGRAMPIPELINESPROC __glewCreateProgramPipelines; GLEW_FUN_EXPORT PFNGLCREATEQUERIESPROC __glewCreateQueries; GLEW_FUN_EXPORT PFNGLCREATERENDERBUFFERSPROC __glewCreateRenderbuffers; GLEW_FUN_EXPORT PFNGLCREATESAMPLERSPROC __glewCreateSamplers; GLEW_FUN_EXPORT PFNGLCREATETEXTURESPROC __glewCreateTextures; GLEW_FUN_EXPORT PFNGLCREATETRANSFORMFEEDBACKSPROC __glewCreateTransformFeedbacks; GLEW_FUN_EXPORT PFNGLCREATEVERTEXARRAYSPROC __glewCreateVertexArrays; GLEW_FUN_EXPORT PFNGLDISABLEVERTEXARRAYATTRIBPROC __glewDisableVertexArrayAttrib; GLEW_FUN_EXPORT PFNGLENABLEVERTEXARRAYATTRIBPROC __glewEnableVertexArrayAttrib; GLEW_FUN_EXPORT PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEPROC __glewFlushMappedNamedBufferRange; GLEW_FUN_EXPORT PFNGLGENERATETEXTUREMIPMAPPROC __glewGenerateTextureMipmap; GLEW_FUN_EXPORT PFNGLGETCOMPRESSEDTEXTUREIMAGEPROC __glewGetCompressedTextureImage; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERPARAMETERI64VPROC __glewGetNamedBufferParameteri64v; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERPARAMETERIVPROC __glewGetNamedBufferParameteriv; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERPOINTERVPROC __glewGetNamedBufferPointerv; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERSUBDATAPROC __glewGetNamedBufferSubData; GLEW_FUN_EXPORT PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVPROC __glewGetNamedFramebufferAttachmentParameteriv; GLEW_FUN_EXPORT PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVPROC __glewGetNamedFramebufferParameteriv; GLEW_FUN_EXPORT PFNGLGETNAMEDRENDERBUFFERPARAMETERIVPROC __glewGetNamedRenderbufferParameteriv; GLEW_FUN_EXPORT PFNGLGETQUERYBUFFEROBJECTI64VPROC __glewGetQueryBufferObjecti64v; GLEW_FUN_EXPORT PFNGLGETQUERYBUFFEROBJECTIVPROC __glewGetQueryBufferObjectiv; GLEW_FUN_EXPORT PFNGLGETQUERYBUFFEROBJECTUI64VPROC __glewGetQueryBufferObjectui64v; GLEW_FUN_EXPORT PFNGLGETQUERYBUFFEROBJECTUIVPROC __glewGetQueryBufferObjectuiv; GLEW_FUN_EXPORT PFNGLGETTEXTUREIMAGEPROC __glewGetTextureImage; GLEW_FUN_EXPORT PFNGLGETTEXTURELEVELPARAMETERFVPROC __glewGetTextureLevelParameterfv; GLEW_FUN_EXPORT PFNGLGETTEXTURELEVELPARAMETERIVPROC __glewGetTextureLevelParameteriv; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERIIVPROC __glewGetTextureParameterIiv; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERIUIVPROC __glewGetTextureParameterIuiv; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERFVPROC __glewGetTextureParameterfv; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERIVPROC __glewGetTextureParameteriv; GLEW_FUN_EXPORT PFNGLGETTRANSFORMFEEDBACKI64_VPROC __glewGetTransformFeedbacki64_v; GLEW_FUN_EXPORT PFNGLGETTRANSFORMFEEDBACKI_VPROC __glewGetTransformFeedbacki_v; GLEW_FUN_EXPORT PFNGLGETTRANSFORMFEEDBACKIVPROC __glewGetTransformFeedbackiv; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYINDEXED64IVPROC __glewGetVertexArrayIndexed64iv; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYINDEXEDIVPROC __glewGetVertexArrayIndexediv; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYIVPROC __glewGetVertexArrayiv; GLEW_FUN_EXPORT PFNGLINVALIDATENAMEDFRAMEBUFFERDATAPROC __glewInvalidateNamedFramebufferData; GLEW_FUN_EXPORT PFNGLINVALIDATENAMEDFRAMEBUFFERSUBDATAPROC __glewInvalidateNamedFramebufferSubData; GLEW_FUN_EXPORT PFNGLMAPNAMEDBUFFERPROC __glewMapNamedBuffer; GLEW_FUN_EXPORT PFNGLMAPNAMEDBUFFERRANGEPROC __glewMapNamedBufferRange; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERDATAPROC __glewNamedBufferData; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERSTORAGEPROC __glewNamedBufferStorage; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERSUBDATAPROC __glewNamedBufferSubData; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERDRAWBUFFERPROC __glewNamedFramebufferDrawBuffer; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERDRAWBUFFERSPROC __glewNamedFramebufferDrawBuffers; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERPARAMETERIPROC __glewNamedFramebufferParameteri; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERREADBUFFERPROC __glewNamedFramebufferReadBuffer; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERRENDERBUFFERPROC __glewNamedFramebufferRenderbuffer; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTUREPROC __glewNamedFramebufferTexture; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTURELAYERPROC __glewNamedFramebufferTextureLayer; GLEW_FUN_EXPORT PFNGLNAMEDRENDERBUFFERSTORAGEPROC __glewNamedRenderbufferStorage; GLEW_FUN_EXPORT PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEPROC __glewNamedRenderbufferStorageMultisample; GLEW_FUN_EXPORT PFNGLTEXTUREBUFFERPROC __glewTextureBuffer; GLEW_FUN_EXPORT PFNGLTEXTUREBUFFERRANGEPROC __glewTextureBufferRange; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIIVPROC __glewTextureParameterIiv; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIUIVPROC __glewTextureParameterIuiv; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERFPROC __glewTextureParameterf; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERFVPROC __glewTextureParameterfv; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIPROC __glewTextureParameteri; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIVPROC __glewTextureParameteriv; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE1DPROC __glewTextureStorage1D; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE2DPROC __glewTextureStorage2D; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE2DMULTISAMPLEPROC __glewTextureStorage2DMultisample; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE3DPROC __glewTextureStorage3D; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE3DMULTISAMPLEPROC __glewTextureStorage3DMultisample; GLEW_FUN_EXPORT PFNGLTEXTURESUBIMAGE1DPROC __glewTextureSubImage1D; GLEW_FUN_EXPORT PFNGLTEXTURESUBIMAGE2DPROC __glewTextureSubImage2D; GLEW_FUN_EXPORT PFNGLTEXTURESUBIMAGE3DPROC __glewTextureSubImage3D; GLEW_FUN_EXPORT PFNGLTRANSFORMFEEDBACKBUFFERBASEPROC __glewTransformFeedbackBufferBase; GLEW_FUN_EXPORT PFNGLTRANSFORMFEEDBACKBUFFERRANGEPROC __glewTransformFeedbackBufferRange; GLEW_FUN_EXPORT PFNGLUNMAPNAMEDBUFFERPROC __glewUnmapNamedBuffer; GLEW_FUN_EXPORT PFNGLVERTEXARRAYATTRIBBINDINGPROC __glewVertexArrayAttribBinding; GLEW_FUN_EXPORT PFNGLVERTEXARRAYATTRIBFORMATPROC __glewVertexArrayAttribFormat; GLEW_FUN_EXPORT PFNGLVERTEXARRAYATTRIBIFORMATPROC __glewVertexArrayAttribIFormat; GLEW_FUN_EXPORT PFNGLVERTEXARRAYATTRIBLFORMATPROC __glewVertexArrayAttribLFormat; GLEW_FUN_EXPORT PFNGLVERTEXARRAYBINDINGDIVISORPROC __glewVertexArrayBindingDivisor; GLEW_FUN_EXPORT PFNGLVERTEXARRAYELEMENTBUFFERPROC __glewVertexArrayElementBuffer; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXBUFFERPROC __glewVertexArrayVertexBuffer; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXBUFFERSPROC __glewVertexArrayVertexBuffers; GLEW_FUN_EXPORT PFNGLDRAWBUFFERSARBPROC __glewDrawBuffersARB; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONSEPARATEIARBPROC __glewBlendEquationSeparateiARB; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONIARBPROC __glewBlendEquationiARB; GLEW_FUN_EXPORT PFNGLBLENDFUNCSEPARATEIARBPROC __glewBlendFuncSeparateiARB; GLEW_FUN_EXPORT PFNGLBLENDFUNCIARBPROC __glewBlendFunciARB; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSBASEVERTEXPROC __glewDrawElementsBaseVertex; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXPROC __glewDrawElementsInstancedBaseVertex; GLEW_FUN_EXPORT PFNGLDRAWRANGEELEMENTSBASEVERTEXPROC __glewDrawRangeElementsBaseVertex; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSBASEVERTEXPROC __glewMultiDrawElementsBaseVertex; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINDIRECTPROC __glewDrawArraysIndirect; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINDIRECTPROC __glewDrawElementsIndirect; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERPARAMETERIPROC __glewFramebufferParameteri; GLEW_FUN_EXPORT PFNGLGETFRAMEBUFFERPARAMETERIVPROC __glewGetFramebufferParameteriv; GLEW_FUN_EXPORT PFNGLGETNAMEDFRAMEBUFFERPARAMETERIVEXTPROC __glewGetNamedFramebufferParameterivEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERPARAMETERIEXTPROC __glewNamedFramebufferParameteriEXT; GLEW_FUN_EXPORT PFNGLBINDFRAMEBUFFERPROC __glewBindFramebuffer; GLEW_FUN_EXPORT PFNGLBINDRENDERBUFFERPROC __glewBindRenderbuffer; GLEW_FUN_EXPORT PFNGLBLITFRAMEBUFFERPROC __glewBlitFramebuffer; GLEW_FUN_EXPORT PFNGLCHECKFRAMEBUFFERSTATUSPROC __glewCheckFramebufferStatus; GLEW_FUN_EXPORT PFNGLDELETEFRAMEBUFFERSPROC __glewDeleteFramebuffers; GLEW_FUN_EXPORT PFNGLDELETERENDERBUFFERSPROC __glewDeleteRenderbuffers; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERRENDERBUFFERPROC __glewFramebufferRenderbuffer; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE1DPROC __glewFramebufferTexture1D; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE2DPROC __glewFramebufferTexture2D; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE3DPROC __glewFramebufferTexture3D; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURELAYERPROC __glewFramebufferTextureLayer; GLEW_FUN_EXPORT PFNGLGENFRAMEBUFFERSPROC __glewGenFramebuffers; GLEW_FUN_EXPORT PFNGLGENRENDERBUFFERSPROC __glewGenRenderbuffers; GLEW_FUN_EXPORT PFNGLGENERATEMIPMAPPROC __glewGenerateMipmap; GLEW_FUN_EXPORT PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVPROC __glewGetFramebufferAttachmentParameteriv; GLEW_FUN_EXPORT PFNGLGETRENDERBUFFERPARAMETERIVPROC __glewGetRenderbufferParameteriv; GLEW_FUN_EXPORT PFNGLISFRAMEBUFFERPROC __glewIsFramebuffer; GLEW_FUN_EXPORT PFNGLISRENDERBUFFERPROC __glewIsRenderbuffer; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEPROC __glewRenderbufferStorage; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEMULTISAMPLEPROC __glewRenderbufferStorageMultisample; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREARBPROC __glewFramebufferTextureARB; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREFACEARBPROC __glewFramebufferTextureFaceARB; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURELAYERARBPROC __glewFramebufferTextureLayerARB; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETERIARBPROC __glewProgramParameteriARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMBINARYPROC __glewGetProgramBinary; GLEW_FUN_EXPORT PFNGLPROGRAMBINARYPROC __glewProgramBinary; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETERIPROC __glewProgramParameteri; GLEW_FUN_EXPORT PFNGLGETCOMPRESSEDTEXTURESUBIMAGEPROC __glewGetCompressedTextureSubImage; GLEW_FUN_EXPORT PFNGLGETTEXTURESUBIMAGEPROC __glewGetTextureSubImage; GLEW_FUN_EXPORT PFNGLSPECIALIZESHADERARBPROC __glewSpecializeShaderARB; GLEW_FUN_EXPORT PFNGLGETUNIFORMDVPROC __glewGetUniformdv; GLEW_FUN_EXPORT PFNGLUNIFORM1DPROC __glewUniform1d; GLEW_FUN_EXPORT PFNGLUNIFORM1DVPROC __glewUniform1dv; GLEW_FUN_EXPORT PFNGLUNIFORM2DPROC __glewUniform2d; GLEW_FUN_EXPORT PFNGLUNIFORM2DVPROC __glewUniform2dv; GLEW_FUN_EXPORT PFNGLUNIFORM3DPROC __glewUniform3d; GLEW_FUN_EXPORT PFNGLUNIFORM3DVPROC __glewUniform3dv; GLEW_FUN_EXPORT PFNGLUNIFORM4DPROC __glewUniform4d; GLEW_FUN_EXPORT PFNGLUNIFORM4DVPROC __glewUniform4dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2DVPROC __glewUniformMatrix2dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2X3DVPROC __glewUniformMatrix2x3dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2X4DVPROC __glewUniformMatrix2x4dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3DVPROC __glewUniformMatrix3dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3X2DVPROC __glewUniformMatrix3x2dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3X4DVPROC __glewUniformMatrix3x4dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4DVPROC __glewUniformMatrix4dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4X2DVPROC __glewUniformMatrix4x2dv; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4X3DVPROC __glewUniformMatrix4x3dv; GLEW_FUN_EXPORT PFNGLGETUNIFORMI64VARBPROC __glewGetUniformi64vARB; GLEW_FUN_EXPORT PFNGLGETUNIFORMUI64VARBPROC __glewGetUniformui64vARB; GLEW_FUN_EXPORT PFNGLGETNUNIFORMI64VARBPROC __glewGetnUniformi64vARB; GLEW_FUN_EXPORT PFNGLGETNUNIFORMUI64VARBPROC __glewGetnUniformui64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1I64ARBPROC __glewProgramUniform1i64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1I64VARBPROC __glewProgramUniform1i64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UI64ARBPROC __glewProgramUniform1ui64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UI64VARBPROC __glewProgramUniform1ui64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2I64ARBPROC __glewProgramUniform2i64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2I64VARBPROC __glewProgramUniform2i64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UI64ARBPROC __glewProgramUniform2ui64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UI64VARBPROC __glewProgramUniform2ui64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3I64ARBPROC __glewProgramUniform3i64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3I64VARBPROC __glewProgramUniform3i64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UI64ARBPROC __glewProgramUniform3ui64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UI64VARBPROC __glewProgramUniform3ui64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4I64ARBPROC __glewProgramUniform4i64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4I64VARBPROC __glewProgramUniform4i64vARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UI64ARBPROC __glewProgramUniform4ui64ARB; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UI64VARBPROC __glewProgramUniform4ui64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM1I64ARBPROC __glewUniform1i64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM1I64VARBPROC __glewUniform1i64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM1UI64ARBPROC __glewUniform1ui64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM1UI64VARBPROC __glewUniform1ui64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM2I64ARBPROC __glewUniform2i64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM2I64VARBPROC __glewUniform2i64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM2UI64ARBPROC __glewUniform2ui64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM2UI64VARBPROC __glewUniform2ui64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM3I64ARBPROC __glewUniform3i64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM3I64VARBPROC __glewUniform3i64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM3UI64ARBPROC __glewUniform3ui64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM3UI64VARBPROC __glewUniform3ui64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM4I64ARBPROC __glewUniform4i64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM4I64VARBPROC __glewUniform4i64vARB; GLEW_FUN_EXPORT PFNGLUNIFORM4UI64ARBPROC __glewUniform4ui64ARB; GLEW_FUN_EXPORT PFNGLUNIFORM4UI64VARBPROC __glewUniform4ui64vARB; GLEW_FUN_EXPORT PFNGLCOLORSUBTABLEPROC __glewColorSubTable; GLEW_FUN_EXPORT PFNGLCOLORTABLEPROC __glewColorTable; GLEW_FUN_EXPORT PFNGLCOLORTABLEPARAMETERFVPROC __glewColorTableParameterfv; GLEW_FUN_EXPORT PFNGLCOLORTABLEPARAMETERIVPROC __glewColorTableParameteriv; GLEW_FUN_EXPORT PFNGLCONVOLUTIONFILTER1DPROC __glewConvolutionFilter1D; GLEW_FUN_EXPORT PFNGLCONVOLUTIONFILTER2DPROC __glewConvolutionFilter2D; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERFPROC __glewConvolutionParameterf; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERFVPROC __glewConvolutionParameterfv; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERIPROC __glewConvolutionParameteri; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERIVPROC __glewConvolutionParameteriv; GLEW_FUN_EXPORT PFNGLCOPYCOLORSUBTABLEPROC __glewCopyColorSubTable; GLEW_FUN_EXPORT PFNGLCOPYCOLORTABLEPROC __glewCopyColorTable; GLEW_FUN_EXPORT PFNGLCOPYCONVOLUTIONFILTER1DPROC __glewCopyConvolutionFilter1D; GLEW_FUN_EXPORT PFNGLCOPYCONVOLUTIONFILTER2DPROC __glewCopyConvolutionFilter2D; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPROC __glewGetColorTable; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPARAMETERFVPROC __glewGetColorTableParameterfv; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPARAMETERIVPROC __glewGetColorTableParameteriv; GLEW_FUN_EXPORT PFNGLGETCONVOLUTIONFILTERPROC __glewGetConvolutionFilter; GLEW_FUN_EXPORT PFNGLGETCONVOLUTIONPARAMETERFVPROC __glewGetConvolutionParameterfv; GLEW_FUN_EXPORT PFNGLGETCONVOLUTIONPARAMETERIVPROC __glewGetConvolutionParameteriv; GLEW_FUN_EXPORT PFNGLGETHISTOGRAMPROC __glewGetHistogram; GLEW_FUN_EXPORT PFNGLGETHISTOGRAMPARAMETERFVPROC __glewGetHistogramParameterfv; GLEW_FUN_EXPORT PFNGLGETHISTOGRAMPARAMETERIVPROC __glewGetHistogramParameteriv; GLEW_FUN_EXPORT PFNGLGETMINMAXPROC __glewGetMinmax; GLEW_FUN_EXPORT PFNGLGETMINMAXPARAMETERFVPROC __glewGetMinmaxParameterfv; GLEW_FUN_EXPORT PFNGLGETMINMAXPARAMETERIVPROC __glewGetMinmaxParameteriv; GLEW_FUN_EXPORT PFNGLGETSEPARABLEFILTERPROC __glewGetSeparableFilter; GLEW_FUN_EXPORT PFNGLHISTOGRAMPROC __glewHistogram; GLEW_FUN_EXPORT PFNGLMINMAXPROC __glewMinmax; GLEW_FUN_EXPORT PFNGLRESETHISTOGRAMPROC __glewResetHistogram; GLEW_FUN_EXPORT PFNGLRESETMINMAXPROC __glewResetMinmax; GLEW_FUN_EXPORT PFNGLSEPARABLEFILTER2DPROC __glewSeparableFilter2D; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTCOUNTARBPROC __glewMultiDrawArraysIndirectCountARB; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTCOUNTARBPROC __glewMultiDrawElementsIndirectCountARB; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDARBPROC __glewDrawArraysInstancedARB; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDARBPROC __glewDrawElementsInstancedARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBDIVISORARBPROC __glewVertexAttribDivisorARB; GLEW_FUN_EXPORT PFNGLGETINTERNALFORMATIVPROC __glewGetInternalformativ; GLEW_FUN_EXPORT PFNGLGETINTERNALFORMATI64VPROC __glewGetInternalformati64v; GLEW_FUN_EXPORT PFNGLINVALIDATEBUFFERDATAPROC __glewInvalidateBufferData; GLEW_FUN_EXPORT PFNGLINVALIDATEBUFFERSUBDATAPROC __glewInvalidateBufferSubData; GLEW_FUN_EXPORT PFNGLINVALIDATEFRAMEBUFFERPROC __glewInvalidateFramebuffer; GLEW_FUN_EXPORT PFNGLINVALIDATESUBFRAMEBUFFERPROC __glewInvalidateSubFramebuffer; GLEW_FUN_EXPORT PFNGLINVALIDATETEXIMAGEPROC __glewInvalidateTexImage; GLEW_FUN_EXPORT PFNGLINVALIDATETEXSUBIMAGEPROC __glewInvalidateTexSubImage; GLEW_FUN_EXPORT PFNGLFLUSHMAPPEDBUFFERRANGEPROC __glewFlushMappedBufferRange; GLEW_FUN_EXPORT PFNGLMAPBUFFERRANGEPROC __glewMapBufferRange; GLEW_FUN_EXPORT PFNGLCURRENTPALETTEMATRIXARBPROC __glewCurrentPaletteMatrixARB; GLEW_FUN_EXPORT PFNGLMATRIXINDEXPOINTERARBPROC __glewMatrixIndexPointerARB; GLEW_FUN_EXPORT PFNGLMATRIXINDEXUBVARBPROC __glewMatrixIndexubvARB; GLEW_FUN_EXPORT PFNGLMATRIXINDEXUIVARBPROC __glewMatrixIndexuivARB; GLEW_FUN_EXPORT PFNGLMATRIXINDEXUSVARBPROC __glewMatrixIndexusvARB; GLEW_FUN_EXPORT PFNGLBINDBUFFERSBASEPROC __glewBindBuffersBase; GLEW_FUN_EXPORT PFNGLBINDBUFFERSRANGEPROC __glewBindBuffersRange; GLEW_FUN_EXPORT PFNGLBINDIMAGETEXTURESPROC __glewBindImageTextures; GLEW_FUN_EXPORT PFNGLBINDSAMPLERSPROC __glewBindSamplers; GLEW_FUN_EXPORT PFNGLBINDTEXTURESPROC __glewBindTextures; GLEW_FUN_EXPORT PFNGLBINDVERTEXBUFFERSPROC __glewBindVertexBuffers; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTPROC __glewMultiDrawArraysIndirect; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTPROC __glewMultiDrawElementsIndirect; GLEW_FUN_EXPORT PFNGLSAMPLECOVERAGEARBPROC __glewSampleCoverageARB; GLEW_FUN_EXPORT PFNGLACTIVETEXTUREARBPROC __glewActiveTextureARB; GLEW_FUN_EXPORT PFNGLCLIENTACTIVETEXTUREARBPROC __glewClientActiveTextureARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1DARBPROC __glewMultiTexCoord1dARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1DVARBPROC __glewMultiTexCoord1dvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1FARBPROC __glewMultiTexCoord1fARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1FVARBPROC __glewMultiTexCoord1fvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1IARBPROC __glewMultiTexCoord1iARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1IVARBPROC __glewMultiTexCoord1ivARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1SARBPROC __glewMultiTexCoord1sARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1SVARBPROC __glewMultiTexCoord1svARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2DARBPROC __glewMultiTexCoord2dARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2DVARBPROC __glewMultiTexCoord2dvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2FARBPROC __glewMultiTexCoord2fARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2FVARBPROC __glewMultiTexCoord2fvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2IARBPROC __glewMultiTexCoord2iARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2IVARBPROC __glewMultiTexCoord2ivARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2SARBPROC __glewMultiTexCoord2sARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2SVARBPROC __glewMultiTexCoord2svARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3DARBPROC __glewMultiTexCoord3dARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3DVARBPROC __glewMultiTexCoord3dvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3FARBPROC __glewMultiTexCoord3fARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3FVARBPROC __glewMultiTexCoord3fvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3IARBPROC __glewMultiTexCoord3iARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3IVARBPROC __glewMultiTexCoord3ivARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3SARBPROC __glewMultiTexCoord3sARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3SVARBPROC __glewMultiTexCoord3svARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4DARBPROC __glewMultiTexCoord4dARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4DVARBPROC __glewMultiTexCoord4dvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4FARBPROC __glewMultiTexCoord4fARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4FVARBPROC __glewMultiTexCoord4fvARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4IARBPROC __glewMultiTexCoord4iARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4IVARBPROC __glewMultiTexCoord4ivARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4SARBPROC __glewMultiTexCoord4sARB; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4SVARBPROC __glewMultiTexCoord4svARB; GLEW_FUN_EXPORT PFNGLBEGINQUERYARBPROC __glewBeginQueryARB; GLEW_FUN_EXPORT PFNGLDELETEQUERIESARBPROC __glewDeleteQueriesARB; GLEW_FUN_EXPORT PFNGLENDQUERYARBPROC __glewEndQueryARB; GLEW_FUN_EXPORT PFNGLGENQUERIESARBPROC __glewGenQueriesARB; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTIVARBPROC __glewGetQueryObjectivARB; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTUIVARBPROC __glewGetQueryObjectuivARB; GLEW_FUN_EXPORT PFNGLGETQUERYIVARBPROC __glewGetQueryivARB; GLEW_FUN_EXPORT PFNGLISQUERYARBPROC __glewIsQueryARB; GLEW_FUN_EXPORT PFNGLMAXSHADERCOMPILERTHREADSARBPROC __glewMaxShaderCompilerThreadsARB; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERFARBPROC __glewPointParameterfARB; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERFVARBPROC __glewPointParameterfvARB; GLEW_FUN_EXPORT PFNGLPOLYGONOFFSETCLAMPPROC __glewPolygonOffsetClamp; GLEW_FUN_EXPORT PFNGLGETPROGRAMINTERFACEIVPROC __glewGetProgramInterfaceiv; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCEINDEXPROC __glewGetProgramResourceIndex; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCELOCATIONPROC __glewGetProgramResourceLocation; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCELOCATIONINDEXPROC __glewGetProgramResourceLocationIndex; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCENAMEPROC __glewGetProgramResourceName; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCEIVPROC __glewGetProgramResourceiv; GLEW_FUN_EXPORT PFNGLPROVOKINGVERTEXPROC __glewProvokingVertex; GLEW_FUN_EXPORT PFNGLGETGRAPHICSRESETSTATUSARBPROC __glewGetGraphicsResetStatusARB; GLEW_FUN_EXPORT PFNGLGETNCOLORTABLEARBPROC __glewGetnColorTableARB; GLEW_FUN_EXPORT PFNGLGETNCOMPRESSEDTEXIMAGEARBPROC __glewGetnCompressedTexImageARB; GLEW_FUN_EXPORT PFNGLGETNCONVOLUTIONFILTERARBPROC __glewGetnConvolutionFilterARB; GLEW_FUN_EXPORT PFNGLGETNHISTOGRAMARBPROC __glewGetnHistogramARB; GLEW_FUN_EXPORT PFNGLGETNMAPDVARBPROC __glewGetnMapdvARB; GLEW_FUN_EXPORT PFNGLGETNMAPFVARBPROC __glewGetnMapfvARB; GLEW_FUN_EXPORT PFNGLGETNMAPIVARBPROC __glewGetnMapivARB; GLEW_FUN_EXPORT PFNGLGETNMINMAXARBPROC __glewGetnMinmaxARB; GLEW_FUN_EXPORT PFNGLGETNPIXELMAPFVARBPROC __glewGetnPixelMapfvARB; GLEW_FUN_EXPORT PFNGLGETNPIXELMAPUIVARBPROC __glewGetnPixelMapuivARB; GLEW_FUN_EXPORT PFNGLGETNPIXELMAPUSVARBPROC __glewGetnPixelMapusvARB; GLEW_FUN_EXPORT PFNGLGETNPOLYGONSTIPPLEARBPROC __glewGetnPolygonStippleARB; GLEW_FUN_EXPORT PFNGLGETNSEPARABLEFILTERARBPROC __glewGetnSeparableFilterARB; GLEW_FUN_EXPORT PFNGLGETNTEXIMAGEARBPROC __glewGetnTexImageARB; GLEW_FUN_EXPORT PFNGLGETNUNIFORMDVARBPROC __glewGetnUniformdvARB; GLEW_FUN_EXPORT PFNGLGETNUNIFORMFVARBPROC __glewGetnUniformfvARB; GLEW_FUN_EXPORT PFNGLGETNUNIFORMIVARBPROC __glewGetnUniformivARB; GLEW_FUN_EXPORT PFNGLGETNUNIFORMUIVARBPROC __glewGetnUniformuivARB; GLEW_FUN_EXPORT PFNGLREADNPIXELSARBPROC __glewReadnPixelsARB; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERSAMPLELOCATIONSFVARBPROC __glewFramebufferSampleLocationsfvARB; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVARBPROC __glewNamedFramebufferSampleLocationsfvARB; GLEW_FUN_EXPORT PFNGLMINSAMPLESHADINGARBPROC __glewMinSampleShadingARB; GLEW_FUN_EXPORT PFNGLBINDSAMPLERPROC __glewBindSampler; GLEW_FUN_EXPORT PFNGLDELETESAMPLERSPROC __glewDeleteSamplers; GLEW_FUN_EXPORT PFNGLGENSAMPLERSPROC __glewGenSamplers; GLEW_FUN_EXPORT PFNGLGETSAMPLERPARAMETERIIVPROC __glewGetSamplerParameterIiv; GLEW_FUN_EXPORT PFNGLGETSAMPLERPARAMETERIUIVPROC __glewGetSamplerParameterIuiv; GLEW_FUN_EXPORT PFNGLGETSAMPLERPARAMETERFVPROC __glewGetSamplerParameterfv; GLEW_FUN_EXPORT PFNGLGETSAMPLERPARAMETERIVPROC __glewGetSamplerParameteriv; GLEW_FUN_EXPORT PFNGLISSAMPLERPROC __glewIsSampler; GLEW_FUN_EXPORT PFNGLSAMPLERPARAMETERIIVPROC __glewSamplerParameterIiv; GLEW_FUN_EXPORT PFNGLSAMPLERPARAMETERIUIVPROC __glewSamplerParameterIuiv; GLEW_FUN_EXPORT PFNGLSAMPLERPARAMETERFPROC __glewSamplerParameterf; GLEW_FUN_EXPORT PFNGLSAMPLERPARAMETERFVPROC __glewSamplerParameterfv; GLEW_FUN_EXPORT PFNGLSAMPLERPARAMETERIPROC __glewSamplerParameteri; GLEW_FUN_EXPORT PFNGLSAMPLERPARAMETERIVPROC __glewSamplerParameteriv; GLEW_FUN_EXPORT PFNGLACTIVESHADERPROGRAMPROC __glewActiveShaderProgram; GLEW_FUN_EXPORT PFNGLBINDPROGRAMPIPELINEPROC __glewBindProgramPipeline; GLEW_FUN_EXPORT PFNGLCREATESHADERPROGRAMVPROC __glewCreateShaderProgramv; GLEW_FUN_EXPORT PFNGLDELETEPROGRAMPIPELINESPROC __glewDeleteProgramPipelines; GLEW_FUN_EXPORT PFNGLGENPROGRAMPIPELINESPROC __glewGenProgramPipelines; GLEW_FUN_EXPORT PFNGLGETPROGRAMPIPELINEINFOLOGPROC __glewGetProgramPipelineInfoLog; GLEW_FUN_EXPORT PFNGLGETPROGRAMPIPELINEIVPROC __glewGetProgramPipelineiv; GLEW_FUN_EXPORT PFNGLISPROGRAMPIPELINEPROC __glewIsProgramPipeline; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1DPROC __glewProgramUniform1d; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1DVPROC __glewProgramUniform1dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1FPROC __glewProgramUniform1f; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1FVPROC __glewProgramUniform1fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1IPROC __glewProgramUniform1i; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1IVPROC __glewProgramUniform1iv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UIPROC __glewProgramUniform1ui; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UIVPROC __glewProgramUniform1uiv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2DPROC __glewProgramUniform2d; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2DVPROC __glewProgramUniform2dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2FPROC __glewProgramUniform2f; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2FVPROC __glewProgramUniform2fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2IPROC __glewProgramUniform2i; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2IVPROC __glewProgramUniform2iv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UIPROC __glewProgramUniform2ui; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UIVPROC __glewProgramUniform2uiv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3DPROC __glewProgramUniform3d; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3DVPROC __glewProgramUniform3dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3FPROC __glewProgramUniform3f; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3FVPROC __glewProgramUniform3fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3IPROC __glewProgramUniform3i; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3IVPROC __glewProgramUniform3iv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UIPROC __glewProgramUniform3ui; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UIVPROC __glewProgramUniform3uiv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4DPROC __glewProgramUniform4d; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4DVPROC __glewProgramUniform4dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4FPROC __glewProgramUniform4f; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4FVPROC __glewProgramUniform4fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4IPROC __glewProgramUniform4i; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4IVPROC __glewProgramUniform4iv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UIPROC __glewProgramUniform4ui; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UIVPROC __glewProgramUniform4uiv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2DVPROC __glewProgramUniformMatrix2dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2FVPROC __glewProgramUniformMatrix2fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2X3DVPROC __glewProgramUniformMatrix2x3dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2X3FVPROC __glewProgramUniformMatrix2x3fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2X4DVPROC __glewProgramUniformMatrix2x4dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2X4FVPROC __glewProgramUniformMatrix2x4fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3DVPROC __glewProgramUniformMatrix3dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3FVPROC __glewProgramUniformMatrix3fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3X2DVPROC __glewProgramUniformMatrix3x2dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3X2FVPROC __glewProgramUniformMatrix3x2fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3X4DVPROC __glewProgramUniformMatrix3x4dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3X4FVPROC __glewProgramUniformMatrix3x4fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4DVPROC __glewProgramUniformMatrix4dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4FVPROC __glewProgramUniformMatrix4fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4X2DVPROC __glewProgramUniformMatrix4x2dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4X2FVPROC __glewProgramUniformMatrix4x2fv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4X3DVPROC __glewProgramUniformMatrix4x3dv; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4X3FVPROC __glewProgramUniformMatrix4x3fv; GLEW_FUN_EXPORT PFNGLUSEPROGRAMSTAGESPROC __glewUseProgramStages; GLEW_FUN_EXPORT PFNGLVALIDATEPROGRAMPIPELINEPROC __glewValidateProgramPipeline; GLEW_FUN_EXPORT PFNGLGETACTIVEATOMICCOUNTERBUFFERIVPROC __glewGetActiveAtomicCounterBufferiv; GLEW_FUN_EXPORT PFNGLBINDIMAGETEXTUREPROC __glewBindImageTexture; GLEW_FUN_EXPORT PFNGLMEMORYBARRIERPROC __glewMemoryBarrier; GLEW_FUN_EXPORT PFNGLATTACHOBJECTARBPROC __glewAttachObjectARB; GLEW_FUN_EXPORT PFNGLCOMPILESHADERARBPROC __glewCompileShaderARB; GLEW_FUN_EXPORT PFNGLCREATEPROGRAMOBJECTARBPROC __glewCreateProgramObjectARB; GLEW_FUN_EXPORT PFNGLCREATESHADEROBJECTARBPROC __glewCreateShaderObjectARB; GLEW_FUN_EXPORT PFNGLDELETEOBJECTARBPROC __glewDeleteObjectARB; GLEW_FUN_EXPORT PFNGLDETACHOBJECTARBPROC __glewDetachObjectARB; GLEW_FUN_EXPORT PFNGLGETACTIVEUNIFORMARBPROC __glewGetActiveUniformARB; GLEW_FUN_EXPORT PFNGLGETATTACHEDOBJECTSARBPROC __glewGetAttachedObjectsARB; GLEW_FUN_EXPORT PFNGLGETHANDLEARBPROC __glewGetHandleARB; GLEW_FUN_EXPORT PFNGLGETINFOLOGARBPROC __glewGetInfoLogARB; GLEW_FUN_EXPORT PFNGLGETOBJECTPARAMETERFVARBPROC __glewGetObjectParameterfvARB; GLEW_FUN_EXPORT PFNGLGETOBJECTPARAMETERIVARBPROC __glewGetObjectParameterivARB; GLEW_FUN_EXPORT PFNGLGETSHADERSOURCEARBPROC __glewGetShaderSourceARB; GLEW_FUN_EXPORT PFNGLGETUNIFORMLOCATIONARBPROC __glewGetUniformLocationARB; GLEW_FUN_EXPORT PFNGLGETUNIFORMFVARBPROC __glewGetUniformfvARB; GLEW_FUN_EXPORT PFNGLGETUNIFORMIVARBPROC __glewGetUniformivARB; GLEW_FUN_EXPORT PFNGLLINKPROGRAMARBPROC __glewLinkProgramARB; GLEW_FUN_EXPORT PFNGLSHADERSOURCEARBPROC __glewShaderSourceARB; GLEW_FUN_EXPORT PFNGLUNIFORM1FARBPROC __glewUniform1fARB; GLEW_FUN_EXPORT PFNGLUNIFORM1FVARBPROC __glewUniform1fvARB; GLEW_FUN_EXPORT PFNGLUNIFORM1IARBPROC __glewUniform1iARB; GLEW_FUN_EXPORT PFNGLUNIFORM1IVARBPROC __glewUniform1ivARB; GLEW_FUN_EXPORT PFNGLUNIFORM2FARBPROC __glewUniform2fARB; GLEW_FUN_EXPORT PFNGLUNIFORM2FVARBPROC __glewUniform2fvARB; GLEW_FUN_EXPORT PFNGLUNIFORM2IARBPROC __glewUniform2iARB; GLEW_FUN_EXPORT PFNGLUNIFORM2IVARBPROC __glewUniform2ivARB; GLEW_FUN_EXPORT PFNGLUNIFORM3FARBPROC __glewUniform3fARB; GLEW_FUN_EXPORT PFNGLUNIFORM3FVARBPROC __glewUniform3fvARB; GLEW_FUN_EXPORT PFNGLUNIFORM3IARBPROC __glewUniform3iARB; GLEW_FUN_EXPORT PFNGLUNIFORM3IVARBPROC __glewUniform3ivARB; GLEW_FUN_EXPORT PFNGLUNIFORM4FARBPROC __glewUniform4fARB; GLEW_FUN_EXPORT PFNGLUNIFORM4FVARBPROC __glewUniform4fvARB; GLEW_FUN_EXPORT PFNGLUNIFORM4IARBPROC __glewUniform4iARB; GLEW_FUN_EXPORT PFNGLUNIFORM4IVARBPROC __glewUniform4ivARB; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2FVARBPROC __glewUniformMatrix2fvARB; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3FVARBPROC __glewUniformMatrix3fvARB; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4FVARBPROC __glewUniformMatrix4fvARB; GLEW_FUN_EXPORT PFNGLUSEPROGRAMOBJECTARBPROC __glewUseProgramObjectARB; GLEW_FUN_EXPORT PFNGLVALIDATEPROGRAMARBPROC __glewValidateProgramARB; GLEW_FUN_EXPORT PFNGLSHADERSTORAGEBLOCKBINDINGPROC __glewShaderStorageBlockBinding; GLEW_FUN_EXPORT PFNGLGETACTIVESUBROUTINENAMEPROC __glewGetActiveSubroutineName; GLEW_FUN_EXPORT PFNGLGETACTIVESUBROUTINEUNIFORMNAMEPROC __glewGetActiveSubroutineUniformName; GLEW_FUN_EXPORT PFNGLGETACTIVESUBROUTINEUNIFORMIVPROC __glewGetActiveSubroutineUniformiv; GLEW_FUN_EXPORT PFNGLGETPROGRAMSTAGEIVPROC __glewGetProgramStageiv; GLEW_FUN_EXPORT PFNGLGETSUBROUTINEINDEXPROC __glewGetSubroutineIndex; GLEW_FUN_EXPORT PFNGLGETSUBROUTINEUNIFORMLOCATIONPROC __glewGetSubroutineUniformLocation; GLEW_FUN_EXPORT PFNGLGETUNIFORMSUBROUTINEUIVPROC __glewGetUniformSubroutineuiv; GLEW_FUN_EXPORT PFNGLUNIFORMSUBROUTINESUIVPROC __glewUniformSubroutinesuiv; GLEW_FUN_EXPORT PFNGLCOMPILESHADERINCLUDEARBPROC __glewCompileShaderIncludeARB; GLEW_FUN_EXPORT PFNGLDELETENAMEDSTRINGARBPROC __glewDeleteNamedStringARB; GLEW_FUN_EXPORT PFNGLGETNAMEDSTRINGARBPROC __glewGetNamedStringARB; GLEW_FUN_EXPORT PFNGLGETNAMEDSTRINGIVARBPROC __glewGetNamedStringivARB; GLEW_FUN_EXPORT PFNGLISNAMEDSTRINGARBPROC __glewIsNamedStringARB; GLEW_FUN_EXPORT PFNGLNAMEDSTRINGARBPROC __glewNamedStringARB; GLEW_FUN_EXPORT PFNGLBUFFERPAGECOMMITMENTARBPROC __glewBufferPageCommitmentARB; GLEW_FUN_EXPORT PFNGLTEXPAGECOMMITMENTARBPROC __glewTexPageCommitmentARB; GLEW_FUN_EXPORT PFNGLCLIENTWAITSYNCPROC __glewClientWaitSync; GLEW_FUN_EXPORT PFNGLDELETESYNCPROC __glewDeleteSync; GLEW_FUN_EXPORT PFNGLFENCESYNCPROC __glewFenceSync; GLEW_FUN_EXPORT PFNGLGETINTEGER64VPROC __glewGetInteger64v; GLEW_FUN_EXPORT PFNGLGETSYNCIVPROC __glewGetSynciv; GLEW_FUN_EXPORT PFNGLISSYNCPROC __glewIsSync; GLEW_FUN_EXPORT PFNGLWAITSYNCPROC __glewWaitSync; GLEW_FUN_EXPORT PFNGLPATCHPARAMETERFVPROC __glewPatchParameterfv; GLEW_FUN_EXPORT PFNGLPATCHPARAMETERIPROC __glewPatchParameteri; GLEW_FUN_EXPORT PFNGLTEXTUREBARRIERPROC __glewTextureBarrier; GLEW_FUN_EXPORT PFNGLTEXBUFFERARBPROC __glewTexBufferARB; GLEW_FUN_EXPORT PFNGLTEXBUFFERRANGEPROC __glewTexBufferRange; GLEW_FUN_EXPORT PFNGLTEXTUREBUFFERRANGEEXTPROC __glewTextureBufferRangeEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE1DARBPROC __glewCompressedTexImage1DARB; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE2DARBPROC __glewCompressedTexImage2DARB; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE3DARBPROC __glewCompressedTexImage3DARB; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE1DARBPROC __glewCompressedTexSubImage1DARB; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE2DARBPROC __glewCompressedTexSubImage2DARB; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE3DARBPROC __glewCompressedTexSubImage3DARB; GLEW_FUN_EXPORT PFNGLGETCOMPRESSEDTEXIMAGEARBPROC __glewGetCompressedTexImageARB; GLEW_FUN_EXPORT PFNGLGETMULTISAMPLEFVPROC __glewGetMultisamplefv; GLEW_FUN_EXPORT PFNGLSAMPLEMASKIPROC __glewSampleMaski; GLEW_FUN_EXPORT PFNGLTEXIMAGE2DMULTISAMPLEPROC __glewTexImage2DMultisample; GLEW_FUN_EXPORT PFNGLTEXIMAGE3DMULTISAMPLEPROC __glewTexImage3DMultisample; GLEW_FUN_EXPORT PFNGLTEXSTORAGE1DPROC __glewTexStorage1D; GLEW_FUN_EXPORT PFNGLTEXSTORAGE2DPROC __glewTexStorage2D; GLEW_FUN_EXPORT PFNGLTEXSTORAGE3DPROC __glewTexStorage3D; GLEW_FUN_EXPORT PFNGLTEXSTORAGE2DMULTISAMPLEPROC __glewTexStorage2DMultisample; GLEW_FUN_EXPORT PFNGLTEXSTORAGE3DMULTISAMPLEPROC __glewTexStorage3DMultisample; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE2DMULTISAMPLEEXTPROC __glewTextureStorage2DMultisampleEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE3DMULTISAMPLEEXTPROC __glewTextureStorage3DMultisampleEXT; GLEW_FUN_EXPORT PFNGLTEXTUREVIEWPROC __glewTextureView; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTI64VPROC __glewGetQueryObjecti64v; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTUI64VPROC __glewGetQueryObjectui64v; GLEW_FUN_EXPORT PFNGLQUERYCOUNTERPROC __glewQueryCounter; GLEW_FUN_EXPORT PFNGLBINDTRANSFORMFEEDBACKPROC __glewBindTransformFeedback; GLEW_FUN_EXPORT PFNGLDELETETRANSFORMFEEDBACKSPROC __glewDeleteTransformFeedbacks; GLEW_FUN_EXPORT PFNGLDRAWTRANSFORMFEEDBACKPROC __glewDrawTransformFeedback; GLEW_FUN_EXPORT PFNGLGENTRANSFORMFEEDBACKSPROC __glewGenTransformFeedbacks; GLEW_FUN_EXPORT PFNGLISTRANSFORMFEEDBACKPROC __glewIsTransformFeedback; GLEW_FUN_EXPORT PFNGLPAUSETRANSFORMFEEDBACKPROC __glewPauseTransformFeedback; GLEW_FUN_EXPORT PFNGLRESUMETRANSFORMFEEDBACKPROC __glewResumeTransformFeedback; GLEW_FUN_EXPORT PFNGLBEGINQUERYINDEXEDPROC __glewBeginQueryIndexed; GLEW_FUN_EXPORT PFNGLDRAWTRANSFORMFEEDBACKSTREAMPROC __glewDrawTransformFeedbackStream; GLEW_FUN_EXPORT PFNGLENDQUERYINDEXEDPROC __glewEndQueryIndexed; GLEW_FUN_EXPORT PFNGLGETQUERYINDEXEDIVPROC __glewGetQueryIndexediv; GLEW_FUN_EXPORT PFNGLDRAWTRANSFORMFEEDBACKINSTANCEDPROC __glewDrawTransformFeedbackInstanced; GLEW_FUN_EXPORT PFNGLDRAWTRANSFORMFEEDBACKSTREAMINSTANCEDPROC __glewDrawTransformFeedbackStreamInstanced; GLEW_FUN_EXPORT PFNGLLOADTRANSPOSEMATRIXDARBPROC __glewLoadTransposeMatrixdARB; GLEW_FUN_EXPORT PFNGLLOADTRANSPOSEMATRIXFARBPROC __glewLoadTransposeMatrixfARB; GLEW_FUN_EXPORT PFNGLMULTTRANSPOSEMATRIXDARBPROC __glewMultTransposeMatrixdARB; GLEW_FUN_EXPORT PFNGLMULTTRANSPOSEMATRIXFARBPROC __glewMultTransposeMatrixfARB; GLEW_FUN_EXPORT PFNGLBINDBUFFERBASEPROC __glewBindBufferBase; GLEW_FUN_EXPORT PFNGLBINDBUFFERRANGEPROC __glewBindBufferRange; GLEW_FUN_EXPORT PFNGLGETACTIVEUNIFORMBLOCKNAMEPROC __glewGetActiveUniformBlockName; GLEW_FUN_EXPORT PFNGLGETACTIVEUNIFORMBLOCKIVPROC __glewGetActiveUniformBlockiv; GLEW_FUN_EXPORT PFNGLGETACTIVEUNIFORMNAMEPROC __glewGetActiveUniformName; GLEW_FUN_EXPORT PFNGLGETACTIVEUNIFORMSIVPROC __glewGetActiveUniformsiv; GLEW_FUN_EXPORT PFNGLGETINTEGERI_VPROC __glewGetIntegeri_v; GLEW_FUN_EXPORT PFNGLGETUNIFORMBLOCKINDEXPROC __glewGetUniformBlockIndex; GLEW_FUN_EXPORT PFNGLGETUNIFORMINDICESPROC __glewGetUniformIndices; GLEW_FUN_EXPORT PFNGLUNIFORMBLOCKBINDINGPROC __glewUniformBlockBinding; GLEW_FUN_EXPORT PFNGLBINDVERTEXARRAYPROC __glewBindVertexArray; GLEW_FUN_EXPORT PFNGLDELETEVERTEXARRAYSPROC __glewDeleteVertexArrays; GLEW_FUN_EXPORT PFNGLGENVERTEXARRAYSPROC __glewGenVertexArrays; GLEW_FUN_EXPORT PFNGLISVERTEXARRAYPROC __glewIsVertexArray; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBLDVPROC __glewGetVertexAttribLdv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1DPROC __glewVertexAttribL1d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1DVPROC __glewVertexAttribL1dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2DPROC __glewVertexAttribL2d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2DVPROC __glewVertexAttribL2dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3DPROC __glewVertexAttribL3d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3DVPROC __glewVertexAttribL3dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4DPROC __glewVertexAttribL4d; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4DVPROC __glewVertexAttribL4dv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBLPOINTERPROC __glewVertexAttribLPointer; GLEW_FUN_EXPORT PFNGLBINDVERTEXBUFFERPROC __glewBindVertexBuffer; GLEW_FUN_EXPORT PFNGLVERTEXARRAYBINDVERTEXBUFFEREXTPROC __glewVertexArrayBindVertexBufferEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBBINDINGEXTPROC __glewVertexArrayVertexAttribBindingEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBFORMATEXTPROC __glewVertexArrayVertexAttribFormatEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBIFORMATEXTPROC __glewVertexArrayVertexAttribIFormatEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBLFORMATEXTPROC __glewVertexArrayVertexAttribLFormatEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXBINDINGDIVISOREXTPROC __glewVertexArrayVertexBindingDivisorEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBBINDINGPROC __glewVertexAttribBinding; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBFORMATPROC __glewVertexAttribFormat; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBIFORMATPROC __glewVertexAttribIFormat; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBLFORMATPROC __glewVertexAttribLFormat; GLEW_FUN_EXPORT PFNGLVERTEXBINDINGDIVISORPROC __glewVertexBindingDivisor; GLEW_FUN_EXPORT PFNGLVERTEXBLENDARBPROC __glewVertexBlendARB; GLEW_FUN_EXPORT PFNGLWEIGHTPOINTERARBPROC __glewWeightPointerARB; GLEW_FUN_EXPORT PFNGLWEIGHTBVARBPROC __glewWeightbvARB; GLEW_FUN_EXPORT PFNGLWEIGHTDVARBPROC __glewWeightdvARB; GLEW_FUN_EXPORT PFNGLWEIGHTFVARBPROC __glewWeightfvARB; GLEW_FUN_EXPORT PFNGLWEIGHTIVARBPROC __glewWeightivARB; GLEW_FUN_EXPORT PFNGLWEIGHTSVARBPROC __glewWeightsvARB; GLEW_FUN_EXPORT PFNGLWEIGHTUBVARBPROC __glewWeightubvARB; GLEW_FUN_EXPORT PFNGLWEIGHTUIVARBPROC __glewWeightuivARB; GLEW_FUN_EXPORT PFNGLWEIGHTUSVARBPROC __glewWeightusvARB; GLEW_FUN_EXPORT PFNGLBINDBUFFERARBPROC __glewBindBufferARB; GLEW_FUN_EXPORT PFNGLBUFFERDATAARBPROC __glewBufferDataARB; GLEW_FUN_EXPORT PFNGLBUFFERSUBDATAARBPROC __glewBufferSubDataARB; GLEW_FUN_EXPORT PFNGLDELETEBUFFERSARBPROC __glewDeleteBuffersARB; GLEW_FUN_EXPORT PFNGLGENBUFFERSARBPROC __glewGenBuffersARB; GLEW_FUN_EXPORT PFNGLGETBUFFERPARAMETERIVARBPROC __glewGetBufferParameterivARB; GLEW_FUN_EXPORT PFNGLGETBUFFERPOINTERVARBPROC __glewGetBufferPointervARB; GLEW_FUN_EXPORT PFNGLGETBUFFERSUBDATAARBPROC __glewGetBufferSubDataARB; GLEW_FUN_EXPORT PFNGLISBUFFERARBPROC __glewIsBufferARB; GLEW_FUN_EXPORT PFNGLMAPBUFFERARBPROC __glewMapBufferARB; GLEW_FUN_EXPORT PFNGLUNMAPBUFFERARBPROC __glewUnmapBufferARB; GLEW_FUN_EXPORT PFNGLBINDPROGRAMARBPROC __glewBindProgramARB; GLEW_FUN_EXPORT PFNGLDELETEPROGRAMSARBPROC __glewDeleteProgramsARB; GLEW_FUN_EXPORT PFNGLDISABLEVERTEXATTRIBARRAYARBPROC __glewDisableVertexAttribArrayARB; GLEW_FUN_EXPORT PFNGLENABLEVERTEXATTRIBARRAYARBPROC __glewEnableVertexAttribArrayARB; GLEW_FUN_EXPORT PFNGLGENPROGRAMSARBPROC __glewGenProgramsARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMENVPARAMETERDVARBPROC __glewGetProgramEnvParameterdvARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMENVPARAMETERFVARBPROC __glewGetProgramEnvParameterfvARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMLOCALPARAMETERDVARBPROC __glewGetProgramLocalParameterdvARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMLOCALPARAMETERFVARBPROC __glewGetProgramLocalParameterfvARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMSTRINGARBPROC __glewGetProgramStringARB; GLEW_FUN_EXPORT PFNGLGETPROGRAMIVARBPROC __glewGetProgramivARB; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBPOINTERVARBPROC __glewGetVertexAttribPointervARB; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBDVARBPROC __glewGetVertexAttribdvARB; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBFVARBPROC __glewGetVertexAttribfvARB; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIVARBPROC __glewGetVertexAttribivARB; GLEW_FUN_EXPORT PFNGLISPROGRAMARBPROC __glewIsProgramARB; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETER4DARBPROC __glewProgramEnvParameter4dARB; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETER4DVARBPROC __glewProgramEnvParameter4dvARB; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETER4FARBPROC __glewProgramEnvParameter4fARB; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETER4FVARBPROC __glewProgramEnvParameter4fvARB; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETER4DARBPROC __glewProgramLocalParameter4dARB; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETER4DVARBPROC __glewProgramLocalParameter4dvARB; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETER4FARBPROC __glewProgramLocalParameter4fARB; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETER4FVARBPROC __glewProgramLocalParameter4fvARB; GLEW_FUN_EXPORT PFNGLPROGRAMSTRINGARBPROC __glewProgramStringARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1DARBPROC __glewVertexAttrib1dARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1DVARBPROC __glewVertexAttrib1dvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1FARBPROC __glewVertexAttrib1fARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1FVARBPROC __glewVertexAttrib1fvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1SARBPROC __glewVertexAttrib1sARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1SVARBPROC __glewVertexAttrib1svARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2DARBPROC __glewVertexAttrib2dARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2DVARBPROC __glewVertexAttrib2dvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2FARBPROC __glewVertexAttrib2fARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2FVARBPROC __glewVertexAttrib2fvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2SARBPROC __glewVertexAttrib2sARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2SVARBPROC __glewVertexAttrib2svARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3DARBPROC __glewVertexAttrib3dARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3DVARBPROC __glewVertexAttrib3dvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3FARBPROC __glewVertexAttrib3fARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3FVARBPROC __glewVertexAttrib3fvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3SARBPROC __glewVertexAttrib3sARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3SVARBPROC __glewVertexAttrib3svARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NBVARBPROC __glewVertexAttrib4NbvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NIVARBPROC __glewVertexAttrib4NivARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NSVARBPROC __glewVertexAttrib4NsvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUBARBPROC __glewVertexAttrib4NubARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUBVARBPROC __glewVertexAttrib4NubvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUIVARBPROC __glewVertexAttrib4NuivARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4NUSVARBPROC __glewVertexAttrib4NusvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4BVARBPROC __glewVertexAttrib4bvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4DARBPROC __glewVertexAttrib4dARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4DVARBPROC __glewVertexAttrib4dvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4FARBPROC __glewVertexAttrib4fARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4FVARBPROC __glewVertexAttrib4fvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4IVARBPROC __glewVertexAttrib4ivARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4SARBPROC __glewVertexAttrib4sARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4SVARBPROC __glewVertexAttrib4svARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4UBVARBPROC __glewVertexAttrib4ubvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4UIVARBPROC __glewVertexAttrib4uivARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4USVARBPROC __glewVertexAttrib4usvARB; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBPOINTERARBPROC __glewVertexAttribPointerARB; GLEW_FUN_EXPORT PFNGLBINDATTRIBLOCATIONARBPROC __glewBindAttribLocationARB; GLEW_FUN_EXPORT PFNGLGETACTIVEATTRIBARBPROC __glewGetActiveAttribARB; GLEW_FUN_EXPORT PFNGLGETATTRIBLOCATIONARBPROC __glewGetAttribLocationARB; GLEW_FUN_EXPORT PFNGLCOLORP3UIPROC __glewColorP3ui; GLEW_FUN_EXPORT PFNGLCOLORP3UIVPROC __glewColorP3uiv; GLEW_FUN_EXPORT PFNGLCOLORP4UIPROC __glewColorP4ui; GLEW_FUN_EXPORT PFNGLCOLORP4UIVPROC __glewColorP4uiv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP1UIPROC __glewMultiTexCoordP1ui; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP1UIVPROC __glewMultiTexCoordP1uiv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP2UIPROC __glewMultiTexCoordP2ui; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP2UIVPROC __glewMultiTexCoordP2uiv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP3UIPROC __glewMultiTexCoordP3ui; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP3UIVPROC __glewMultiTexCoordP3uiv; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP4UIPROC __glewMultiTexCoordP4ui; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDP4UIVPROC __glewMultiTexCoordP4uiv; GLEW_FUN_EXPORT PFNGLNORMALP3UIPROC __glewNormalP3ui; GLEW_FUN_EXPORT PFNGLNORMALP3UIVPROC __glewNormalP3uiv; GLEW_FUN_EXPORT PFNGLSECONDARYCOLORP3UIPROC __glewSecondaryColorP3ui; GLEW_FUN_EXPORT PFNGLSECONDARYCOLORP3UIVPROC __glewSecondaryColorP3uiv; GLEW_FUN_EXPORT PFNGLTEXCOORDP1UIPROC __glewTexCoordP1ui; GLEW_FUN_EXPORT PFNGLTEXCOORDP1UIVPROC __glewTexCoordP1uiv; GLEW_FUN_EXPORT PFNGLTEXCOORDP2UIPROC __glewTexCoordP2ui; GLEW_FUN_EXPORT PFNGLTEXCOORDP2UIVPROC __glewTexCoordP2uiv; GLEW_FUN_EXPORT PFNGLTEXCOORDP3UIPROC __glewTexCoordP3ui; GLEW_FUN_EXPORT PFNGLTEXCOORDP3UIVPROC __glewTexCoordP3uiv; GLEW_FUN_EXPORT PFNGLTEXCOORDP4UIPROC __glewTexCoordP4ui; GLEW_FUN_EXPORT PFNGLTEXCOORDP4UIVPROC __glewTexCoordP4uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP1UIPROC __glewVertexAttribP1ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP1UIVPROC __glewVertexAttribP1uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP2UIPROC __glewVertexAttribP2ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP2UIVPROC __glewVertexAttribP2uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP3UIPROC __glewVertexAttribP3ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP3UIVPROC __glewVertexAttribP3uiv; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP4UIPROC __glewVertexAttribP4ui; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBP4UIVPROC __glewVertexAttribP4uiv; GLEW_FUN_EXPORT PFNGLVERTEXP2UIPROC __glewVertexP2ui; GLEW_FUN_EXPORT PFNGLVERTEXP2UIVPROC __glewVertexP2uiv; GLEW_FUN_EXPORT PFNGLVERTEXP3UIPROC __glewVertexP3ui; GLEW_FUN_EXPORT PFNGLVERTEXP3UIVPROC __glewVertexP3uiv; GLEW_FUN_EXPORT PFNGLVERTEXP4UIPROC __glewVertexP4ui; GLEW_FUN_EXPORT PFNGLVERTEXP4UIVPROC __glewVertexP4uiv; GLEW_FUN_EXPORT PFNGLDEPTHRANGEARRAYVPROC __glewDepthRangeArrayv; GLEW_FUN_EXPORT PFNGLDEPTHRANGEINDEXEDPROC __glewDepthRangeIndexed; GLEW_FUN_EXPORT PFNGLGETDOUBLEI_VPROC __glewGetDoublei_v; GLEW_FUN_EXPORT PFNGLGETFLOATI_VPROC __glewGetFloati_v; GLEW_FUN_EXPORT PFNGLSCISSORARRAYVPROC __glewScissorArrayv; GLEW_FUN_EXPORT PFNGLSCISSORINDEXEDPROC __glewScissorIndexed; GLEW_FUN_EXPORT PFNGLSCISSORINDEXEDVPROC __glewScissorIndexedv; GLEW_FUN_EXPORT PFNGLVIEWPORTARRAYVPROC __glewViewportArrayv; GLEW_FUN_EXPORT PFNGLVIEWPORTINDEXEDFPROC __glewViewportIndexedf; GLEW_FUN_EXPORT PFNGLVIEWPORTINDEXEDFVPROC __glewViewportIndexedfv; GLEW_FUN_EXPORT PFNGLWINDOWPOS2DARBPROC __glewWindowPos2dARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2DVARBPROC __glewWindowPos2dvARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2FARBPROC __glewWindowPos2fARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2FVARBPROC __glewWindowPos2fvARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2IARBPROC __glewWindowPos2iARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2IVARBPROC __glewWindowPos2ivARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2SARBPROC __glewWindowPos2sARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS2SVARBPROC __glewWindowPos2svARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3DARBPROC __glewWindowPos3dARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3DVARBPROC __glewWindowPos3dvARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3FARBPROC __glewWindowPos3fARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3FVARBPROC __glewWindowPos3fvARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3IARBPROC __glewWindowPos3iARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3IVARBPROC __glewWindowPos3ivARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3SARBPROC __glewWindowPos3sARB; GLEW_FUN_EXPORT PFNGLWINDOWPOS3SVARBPROC __glewWindowPos3svARB; GLEW_FUN_EXPORT PFNGLDRAWBUFFERSATIPROC __glewDrawBuffersATI; GLEW_FUN_EXPORT PFNGLDRAWELEMENTARRAYATIPROC __glewDrawElementArrayATI; GLEW_FUN_EXPORT PFNGLDRAWRANGEELEMENTARRAYATIPROC __glewDrawRangeElementArrayATI; GLEW_FUN_EXPORT PFNGLELEMENTPOINTERATIPROC __glewElementPointerATI; GLEW_FUN_EXPORT PFNGLGETTEXBUMPPARAMETERFVATIPROC __glewGetTexBumpParameterfvATI; GLEW_FUN_EXPORT PFNGLGETTEXBUMPPARAMETERIVATIPROC __glewGetTexBumpParameterivATI; GLEW_FUN_EXPORT PFNGLTEXBUMPPARAMETERFVATIPROC __glewTexBumpParameterfvATI; GLEW_FUN_EXPORT PFNGLTEXBUMPPARAMETERIVATIPROC __glewTexBumpParameterivATI; GLEW_FUN_EXPORT PFNGLALPHAFRAGMENTOP1ATIPROC __glewAlphaFragmentOp1ATI; GLEW_FUN_EXPORT PFNGLALPHAFRAGMENTOP2ATIPROC __glewAlphaFragmentOp2ATI; GLEW_FUN_EXPORT PFNGLALPHAFRAGMENTOP3ATIPROC __glewAlphaFragmentOp3ATI; GLEW_FUN_EXPORT PFNGLBEGINFRAGMENTSHADERATIPROC __glewBeginFragmentShaderATI; GLEW_FUN_EXPORT PFNGLBINDFRAGMENTSHADERATIPROC __glewBindFragmentShaderATI; GLEW_FUN_EXPORT PFNGLCOLORFRAGMENTOP1ATIPROC __glewColorFragmentOp1ATI; GLEW_FUN_EXPORT PFNGLCOLORFRAGMENTOP2ATIPROC __glewColorFragmentOp2ATI; GLEW_FUN_EXPORT PFNGLCOLORFRAGMENTOP3ATIPROC __glewColorFragmentOp3ATI; GLEW_FUN_EXPORT PFNGLDELETEFRAGMENTSHADERATIPROC __glewDeleteFragmentShaderATI; GLEW_FUN_EXPORT PFNGLENDFRAGMENTSHADERATIPROC __glewEndFragmentShaderATI; GLEW_FUN_EXPORT PFNGLGENFRAGMENTSHADERSATIPROC __glewGenFragmentShadersATI; GLEW_FUN_EXPORT PFNGLPASSTEXCOORDATIPROC __glewPassTexCoordATI; GLEW_FUN_EXPORT PFNGLSAMPLEMAPATIPROC __glewSampleMapATI; GLEW_FUN_EXPORT PFNGLSETFRAGMENTSHADERCONSTANTATIPROC __glewSetFragmentShaderConstantATI; GLEW_FUN_EXPORT PFNGLMAPOBJECTBUFFERATIPROC __glewMapObjectBufferATI; GLEW_FUN_EXPORT PFNGLUNMAPOBJECTBUFFERATIPROC __glewUnmapObjectBufferATI; GLEW_FUN_EXPORT PFNGLPNTRIANGLESFATIPROC __glewPNTrianglesfATI; GLEW_FUN_EXPORT PFNGLPNTRIANGLESIATIPROC __glewPNTrianglesiATI; GLEW_FUN_EXPORT PFNGLSTENCILFUNCSEPARATEATIPROC __glewStencilFuncSeparateATI; GLEW_FUN_EXPORT PFNGLSTENCILOPSEPARATEATIPROC __glewStencilOpSeparateATI; GLEW_FUN_EXPORT PFNGLARRAYOBJECTATIPROC __glewArrayObjectATI; GLEW_FUN_EXPORT PFNGLFREEOBJECTBUFFERATIPROC __glewFreeObjectBufferATI; GLEW_FUN_EXPORT PFNGLGETARRAYOBJECTFVATIPROC __glewGetArrayObjectfvATI; GLEW_FUN_EXPORT PFNGLGETARRAYOBJECTIVATIPROC __glewGetArrayObjectivATI; GLEW_FUN_EXPORT PFNGLGETOBJECTBUFFERFVATIPROC __glewGetObjectBufferfvATI; GLEW_FUN_EXPORT PFNGLGETOBJECTBUFFERIVATIPROC __glewGetObjectBufferivATI; GLEW_FUN_EXPORT PFNGLGETVARIANTARRAYOBJECTFVATIPROC __glewGetVariantArrayObjectfvATI; GLEW_FUN_EXPORT PFNGLGETVARIANTARRAYOBJECTIVATIPROC __glewGetVariantArrayObjectivATI; GLEW_FUN_EXPORT PFNGLISOBJECTBUFFERATIPROC __glewIsObjectBufferATI; GLEW_FUN_EXPORT PFNGLNEWOBJECTBUFFERATIPROC __glewNewObjectBufferATI; GLEW_FUN_EXPORT PFNGLUPDATEOBJECTBUFFERATIPROC __glewUpdateObjectBufferATI; GLEW_FUN_EXPORT PFNGLVARIANTARRAYOBJECTATIPROC __glewVariantArrayObjectATI; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBARRAYOBJECTFVATIPROC __glewGetVertexAttribArrayObjectfvATI; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBARRAYOBJECTIVATIPROC __glewGetVertexAttribArrayObjectivATI; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBARRAYOBJECTATIPROC __glewVertexAttribArrayObjectATI; GLEW_FUN_EXPORT PFNGLCLIENTACTIVEVERTEXSTREAMATIPROC __glewClientActiveVertexStreamATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3BATIPROC __glewNormalStream3bATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3BVATIPROC __glewNormalStream3bvATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3DATIPROC __glewNormalStream3dATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3DVATIPROC __glewNormalStream3dvATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3FATIPROC __glewNormalStream3fATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3FVATIPROC __glewNormalStream3fvATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3IATIPROC __glewNormalStream3iATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3IVATIPROC __glewNormalStream3ivATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3SATIPROC __glewNormalStream3sATI; GLEW_FUN_EXPORT PFNGLNORMALSTREAM3SVATIPROC __glewNormalStream3svATI; GLEW_FUN_EXPORT PFNGLVERTEXBLENDENVFATIPROC __glewVertexBlendEnvfATI; GLEW_FUN_EXPORT PFNGLVERTEXBLENDENVIATIPROC __glewVertexBlendEnviATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1DATIPROC __glewVertexStream1dATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1DVATIPROC __glewVertexStream1dvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1FATIPROC __glewVertexStream1fATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1FVATIPROC __glewVertexStream1fvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1IATIPROC __glewVertexStream1iATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1IVATIPROC __glewVertexStream1ivATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1SATIPROC __glewVertexStream1sATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM1SVATIPROC __glewVertexStream1svATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2DATIPROC __glewVertexStream2dATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2DVATIPROC __glewVertexStream2dvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2FATIPROC __glewVertexStream2fATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2FVATIPROC __glewVertexStream2fvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2IATIPROC __glewVertexStream2iATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2IVATIPROC __glewVertexStream2ivATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2SATIPROC __glewVertexStream2sATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM2SVATIPROC __glewVertexStream2svATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3DATIPROC __glewVertexStream3dATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3DVATIPROC __glewVertexStream3dvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3FATIPROC __glewVertexStream3fATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3FVATIPROC __glewVertexStream3fvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3IATIPROC __glewVertexStream3iATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3IVATIPROC __glewVertexStream3ivATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3SATIPROC __glewVertexStream3sATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM3SVATIPROC __glewVertexStream3svATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4DATIPROC __glewVertexStream4dATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4DVATIPROC __glewVertexStream4dvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4FATIPROC __glewVertexStream4fATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4FVATIPROC __glewVertexStream4fvATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4IATIPROC __glewVertexStream4iATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4IVATIPROC __glewVertexStream4ivATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4SATIPROC __glewVertexStream4sATI; GLEW_FUN_EXPORT PFNGLVERTEXSTREAM4SVATIPROC __glewVertexStream4svATI; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDBASEINSTANCEEXTPROC __glewDrawArraysInstancedBaseInstanceEXT; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDBASEINSTANCEEXTPROC __glewDrawElementsInstancedBaseInstanceEXT; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXBASEINSTANCEEXTPROC __glewDrawElementsInstancedBaseVertexBaseInstanceEXT; GLEW_FUN_EXPORT PFNGLGETUNIFORMBUFFERSIZEEXTPROC __glewGetUniformBufferSizeEXT; GLEW_FUN_EXPORT PFNGLGETUNIFORMOFFSETEXTPROC __glewGetUniformOffsetEXT; GLEW_FUN_EXPORT PFNGLUNIFORMBUFFEREXTPROC __glewUniformBufferEXT; GLEW_FUN_EXPORT PFNGLBLENDCOLOREXTPROC __glewBlendColorEXT; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONSEPARATEEXTPROC __glewBlendEquationSeparateEXT; GLEW_FUN_EXPORT PFNGLBINDFRAGDATALOCATIONINDEXEDEXTPROC __glewBindFragDataLocationIndexedEXT; GLEW_FUN_EXPORT PFNGLGETFRAGDATAINDEXEXTPROC __glewGetFragDataIndexEXT; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCELOCATIONINDEXEXTPROC __glewGetProgramResourceLocationIndexEXT; GLEW_FUN_EXPORT PFNGLBLENDFUNCSEPARATEEXTPROC __glewBlendFuncSeparateEXT; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONEXTPROC __glewBlendEquationEXT; GLEW_FUN_EXPORT PFNGLBUFFERSTORAGEEXTPROC __glewBufferStorageEXT; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERSTORAGEEXTPROC __glewNamedBufferStorageEXT; GLEW_FUN_EXPORT PFNGLCLEARTEXIMAGEEXTPROC __glewClearTexImageEXT; GLEW_FUN_EXPORT PFNGLCLEARTEXSUBIMAGEEXTPROC __glewClearTexSubImageEXT; GLEW_FUN_EXPORT PFNGLCOLORSUBTABLEEXTPROC __glewColorSubTableEXT; GLEW_FUN_EXPORT PFNGLCOPYCOLORSUBTABLEEXTPROC __glewCopyColorSubTableEXT; GLEW_FUN_EXPORT PFNGLLOCKARRAYSEXTPROC __glewLockArraysEXT; GLEW_FUN_EXPORT PFNGLUNLOCKARRAYSEXTPROC __glewUnlockArraysEXT; GLEW_FUN_EXPORT PFNGLCONVOLUTIONFILTER1DEXTPROC __glewConvolutionFilter1DEXT; GLEW_FUN_EXPORT PFNGLCONVOLUTIONFILTER2DEXTPROC __glewConvolutionFilter2DEXT; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERFEXTPROC __glewConvolutionParameterfEXT; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERFVEXTPROC __glewConvolutionParameterfvEXT; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERIEXTPROC __glewConvolutionParameteriEXT; GLEW_FUN_EXPORT PFNGLCONVOLUTIONPARAMETERIVEXTPROC __glewConvolutionParameterivEXT; GLEW_FUN_EXPORT PFNGLCOPYCONVOLUTIONFILTER1DEXTPROC __glewCopyConvolutionFilter1DEXT; GLEW_FUN_EXPORT PFNGLCOPYCONVOLUTIONFILTER2DEXTPROC __glewCopyConvolutionFilter2DEXT; GLEW_FUN_EXPORT PFNGLGETCONVOLUTIONFILTEREXTPROC __glewGetConvolutionFilterEXT; GLEW_FUN_EXPORT PFNGLGETCONVOLUTIONPARAMETERFVEXTPROC __glewGetConvolutionParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETCONVOLUTIONPARAMETERIVEXTPROC __glewGetConvolutionParameterivEXT; GLEW_FUN_EXPORT PFNGLGETSEPARABLEFILTEREXTPROC __glewGetSeparableFilterEXT; GLEW_FUN_EXPORT PFNGLSEPARABLEFILTER2DEXTPROC __glewSeparableFilter2DEXT; GLEW_FUN_EXPORT PFNGLBINORMALPOINTEREXTPROC __glewBinormalPointerEXT; GLEW_FUN_EXPORT PFNGLTANGENTPOINTEREXTPROC __glewTangentPointerEXT; GLEW_FUN_EXPORT PFNGLCOPYIMAGESUBDATAEXTPROC __glewCopyImageSubDataEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXIMAGE1DEXTPROC __glewCopyTexImage1DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXIMAGE2DEXTPROC __glewCopyTexImage2DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXSUBIMAGE1DEXTPROC __glewCopyTexSubImage1DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXSUBIMAGE2DEXTPROC __glewCopyTexSubImage2DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXSUBIMAGE3DEXTPROC __glewCopyTexSubImage3DEXT; GLEW_FUN_EXPORT PFNGLCULLPARAMETERDVEXTPROC __glewCullParameterdvEXT; GLEW_FUN_EXPORT PFNGLCULLPARAMETERFVEXTPROC __glewCullParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETOBJECTLABELEXTPROC __glewGetObjectLabelEXT; GLEW_FUN_EXPORT PFNGLLABELOBJECTEXTPROC __glewLabelObjectEXT; GLEW_FUN_EXPORT PFNGLINSERTEVENTMARKEREXTPROC __glewInsertEventMarkerEXT; GLEW_FUN_EXPORT PFNGLPOPGROUPMARKEREXTPROC __glewPopGroupMarkerEXT; GLEW_FUN_EXPORT PFNGLPUSHGROUPMARKEREXTPROC __glewPushGroupMarkerEXT; GLEW_FUN_EXPORT PFNGLDEPTHBOUNDSEXTPROC __glewDepthBoundsEXT; GLEW_FUN_EXPORT PFNGLBINDMULTITEXTUREEXTPROC __glewBindMultiTextureEXT; GLEW_FUN_EXPORT PFNGLCHECKNAMEDFRAMEBUFFERSTATUSEXTPROC __glewCheckNamedFramebufferStatusEXT; GLEW_FUN_EXPORT PFNGLCLIENTATTRIBDEFAULTEXTPROC __glewClientAttribDefaultEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDMULTITEXIMAGE1DEXTPROC __glewCompressedMultiTexImage1DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDMULTITEXIMAGE2DEXTPROC __glewCompressedMultiTexImage2DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDMULTITEXIMAGE3DEXTPROC __glewCompressedMultiTexImage3DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDMULTITEXSUBIMAGE1DEXTPROC __glewCompressedMultiTexSubImage1DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDMULTITEXSUBIMAGE2DEXTPROC __glewCompressedMultiTexSubImage2DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDMULTITEXSUBIMAGE3DEXTPROC __glewCompressedMultiTexSubImage3DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTUREIMAGE1DEXTPROC __glewCompressedTextureImage1DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTUREIMAGE2DEXTPROC __glewCompressedTextureImage2DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTUREIMAGE3DEXTPROC __glewCompressedTextureImage3DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTURESUBIMAGE1DEXTPROC __glewCompressedTextureSubImage1DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTURESUBIMAGE2DEXTPROC __glewCompressedTextureSubImage2DEXT; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXTURESUBIMAGE3DEXTPROC __glewCompressedTextureSubImage3DEXT; GLEW_FUN_EXPORT PFNGLCOPYMULTITEXIMAGE1DEXTPROC __glewCopyMultiTexImage1DEXT; GLEW_FUN_EXPORT PFNGLCOPYMULTITEXIMAGE2DEXTPROC __glewCopyMultiTexImage2DEXT; GLEW_FUN_EXPORT PFNGLCOPYMULTITEXSUBIMAGE1DEXTPROC __glewCopyMultiTexSubImage1DEXT; GLEW_FUN_EXPORT PFNGLCOPYMULTITEXSUBIMAGE2DEXTPROC __glewCopyMultiTexSubImage2DEXT; GLEW_FUN_EXPORT PFNGLCOPYMULTITEXSUBIMAGE3DEXTPROC __glewCopyMultiTexSubImage3DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXTUREIMAGE1DEXTPROC __glewCopyTextureImage1DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXTUREIMAGE2DEXTPROC __glewCopyTextureImage2DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXTURESUBIMAGE1DEXTPROC __glewCopyTextureSubImage1DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXTURESUBIMAGE2DEXTPROC __glewCopyTextureSubImage2DEXT; GLEW_FUN_EXPORT PFNGLCOPYTEXTURESUBIMAGE3DEXTPROC __glewCopyTextureSubImage3DEXT; GLEW_FUN_EXPORT PFNGLDISABLECLIENTSTATEINDEXEDEXTPROC __glewDisableClientStateIndexedEXT; GLEW_FUN_EXPORT PFNGLDISABLECLIENTSTATEIEXTPROC __glewDisableClientStateiEXT; GLEW_FUN_EXPORT PFNGLDISABLEVERTEXARRAYATTRIBEXTPROC __glewDisableVertexArrayAttribEXT; GLEW_FUN_EXPORT PFNGLDISABLEVERTEXARRAYEXTPROC __glewDisableVertexArrayEXT; GLEW_FUN_EXPORT PFNGLENABLECLIENTSTATEINDEXEDEXTPROC __glewEnableClientStateIndexedEXT; GLEW_FUN_EXPORT PFNGLENABLECLIENTSTATEIEXTPROC __glewEnableClientStateiEXT; GLEW_FUN_EXPORT PFNGLENABLEVERTEXARRAYATTRIBEXTPROC __glewEnableVertexArrayAttribEXT; GLEW_FUN_EXPORT PFNGLENABLEVERTEXARRAYEXTPROC __glewEnableVertexArrayEXT; GLEW_FUN_EXPORT PFNGLFLUSHMAPPEDNAMEDBUFFERRANGEEXTPROC __glewFlushMappedNamedBufferRangeEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERDRAWBUFFEREXTPROC __glewFramebufferDrawBufferEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERDRAWBUFFERSEXTPROC __glewFramebufferDrawBuffersEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERREADBUFFEREXTPROC __glewFramebufferReadBufferEXT; GLEW_FUN_EXPORT PFNGLGENERATEMULTITEXMIPMAPEXTPROC __glewGenerateMultiTexMipmapEXT; GLEW_FUN_EXPORT PFNGLGENERATETEXTUREMIPMAPEXTPROC __glewGenerateTextureMipmapEXT; GLEW_FUN_EXPORT PFNGLGETCOMPRESSEDMULTITEXIMAGEEXTPROC __glewGetCompressedMultiTexImageEXT; GLEW_FUN_EXPORT PFNGLGETCOMPRESSEDTEXTUREIMAGEEXTPROC __glewGetCompressedTextureImageEXT; GLEW_FUN_EXPORT PFNGLGETDOUBLEINDEXEDVEXTPROC __glewGetDoubleIndexedvEXT; GLEW_FUN_EXPORT PFNGLGETDOUBLEI_VEXTPROC __glewGetDoublei_vEXT; GLEW_FUN_EXPORT PFNGLGETFLOATINDEXEDVEXTPROC __glewGetFloatIndexedvEXT; GLEW_FUN_EXPORT PFNGLGETFLOATI_VEXTPROC __glewGetFloati_vEXT; GLEW_FUN_EXPORT PFNGLGETFRAMEBUFFERPARAMETERIVEXTPROC __glewGetFramebufferParameterivEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXENVFVEXTPROC __glewGetMultiTexEnvfvEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXENVIVEXTPROC __glewGetMultiTexEnvivEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXGENDVEXTPROC __glewGetMultiTexGendvEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXGENFVEXTPROC __glewGetMultiTexGenfvEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXGENIVEXTPROC __glewGetMultiTexGenivEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXIMAGEEXTPROC __glewGetMultiTexImageEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXLEVELPARAMETERFVEXTPROC __glewGetMultiTexLevelParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXLEVELPARAMETERIVEXTPROC __glewGetMultiTexLevelParameterivEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXPARAMETERIIVEXTPROC __glewGetMultiTexParameterIivEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXPARAMETERIUIVEXTPROC __glewGetMultiTexParameterIuivEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXPARAMETERFVEXTPROC __glewGetMultiTexParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETMULTITEXPARAMETERIVEXTPROC __glewGetMultiTexParameterivEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERPARAMETERIVEXTPROC __glewGetNamedBufferParameterivEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERPOINTERVEXTPROC __glewGetNamedBufferPointervEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERSUBDATAEXTPROC __glewGetNamedBufferSubDataEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC __glewGetNamedFramebufferAttachmentParameterivEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDPROGRAMLOCALPARAMETERIIVEXTPROC __glewGetNamedProgramLocalParameterIivEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDPROGRAMLOCALPARAMETERIUIVEXTPROC __glewGetNamedProgramLocalParameterIuivEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDPROGRAMLOCALPARAMETERDVEXTPROC __glewGetNamedProgramLocalParameterdvEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDPROGRAMLOCALPARAMETERFVEXTPROC __glewGetNamedProgramLocalParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDPROGRAMSTRINGEXTPROC __glewGetNamedProgramStringEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDPROGRAMIVEXTPROC __glewGetNamedProgramivEXT; GLEW_FUN_EXPORT PFNGLGETNAMEDRENDERBUFFERPARAMETERIVEXTPROC __glewGetNamedRenderbufferParameterivEXT; GLEW_FUN_EXPORT PFNGLGETPOINTERINDEXEDVEXTPROC __glewGetPointerIndexedvEXT; GLEW_FUN_EXPORT PFNGLGETPOINTERI_VEXTPROC __glewGetPointeri_vEXT; GLEW_FUN_EXPORT PFNGLGETTEXTUREIMAGEEXTPROC __glewGetTextureImageEXT; GLEW_FUN_EXPORT PFNGLGETTEXTURELEVELPARAMETERFVEXTPROC __glewGetTextureLevelParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETTEXTURELEVELPARAMETERIVEXTPROC __glewGetTextureLevelParameterivEXT; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERIIVEXTPROC __glewGetTextureParameterIivEXT; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERIUIVEXTPROC __glewGetTextureParameterIuivEXT; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERFVEXTPROC __glewGetTextureParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETTEXTUREPARAMETERIVEXTPROC __glewGetTextureParameterivEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYINTEGERI_VEXTPROC __glewGetVertexArrayIntegeri_vEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYINTEGERVEXTPROC __glewGetVertexArrayIntegervEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYPOINTERI_VEXTPROC __glewGetVertexArrayPointeri_vEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXARRAYPOINTERVEXTPROC __glewGetVertexArrayPointervEXT; GLEW_FUN_EXPORT PFNGLMAPNAMEDBUFFEREXTPROC __glewMapNamedBufferEXT; GLEW_FUN_EXPORT PFNGLMAPNAMEDBUFFERRANGEEXTPROC __glewMapNamedBufferRangeEXT; GLEW_FUN_EXPORT PFNGLMATRIXFRUSTUMEXTPROC __glewMatrixFrustumEXT; GLEW_FUN_EXPORT PFNGLMATRIXLOADIDENTITYEXTPROC __glewMatrixLoadIdentityEXT; GLEW_FUN_EXPORT PFNGLMATRIXLOADTRANSPOSEDEXTPROC __glewMatrixLoadTransposedEXT; GLEW_FUN_EXPORT PFNGLMATRIXLOADTRANSPOSEFEXTPROC __glewMatrixLoadTransposefEXT; GLEW_FUN_EXPORT PFNGLMATRIXLOADDEXTPROC __glewMatrixLoaddEXT; GLEW_FUN_EXPORT PFNGLMATRIXLOADFEXTPROC __glewMatrixLoadfEXT; GLEW_FUN_EXPORT PFNGLMATRIXMULTTRANSPOSEDEXTPROC __glewMatrixMultTransposedEXT; GLEW_FUN_EXPORT PFNGLMATRIXMULTTRANSPOSEFEXTPROC __glewMatrixMultTransposefEXT; GLEW_FUN_EXPORT PFNGLMATRIXMULTDEXTPROC __glewMatrixMultdEXT; GLEW_FUN_EXPORT PFNGLMATRIXMULTFEXTPROC __glewMatrixMultfEXT; GLEW_FUN_EXPORT PFNGLMATRIXORTHOEXTPROC __glewMatrixOrthoEXT; GLEW_FUN_EXPORT PFNGLMATRIXPOPEXTPROC __glewMatrixPopEXT; GLEW_FUN_EXPORT PFNGLMATRIXPUSHEXTPROC __glewMatrixPushEXT; GLEW_FUN_EXPORT PFNGLMATRIXROTATEDEXTPROC __glewMatrixRotatedEXT; GLEW_FUN_EXPORT PFNGLMATRIXROTATEFEXTPROC __glewMatrixRotatefEXT; GLEW_FUN_EXPORT PFNGLMATRIXSCALEDEXTPROC __glewMatrixScaledEXT; GLEW_FUN_EXPORT PFNGLMATRIXSCALEFEXTPROC __glewMatrixScalefEXT; GLEW_FUN_EXPORT PFNGLMATRIXTRANSLATEDEXTPROC __glewMatrixTranslatedEXT; GLEW_FUN_EXPORT PFNGLMATRIXTRANSLATEFEXTPROC __glewMatrixTranslatefEXT; GLEW_FUN_EXPORT PFNGLMULTITEXBUFFEREXTPROC __glewMultiTexBufferEXT; GLEW_FUN_EXPORT PFNGLMULTITEXCOORDPOINTEREXTPROC __glewMultiTexCoordPointerEXT; GLEW_FUN_EXPORT PFNGLMULTITEXENVFEXTPROC __glewMultiTexEnvfEXT; GLEW_FUN_EXPORT PFNGLMULTITEXENVFVEXTPROC __glewMultiTexEnvfvEXT; GLEW_FUN_EXPORT PFNGLMULTITEXENVIEXTPROC __glewMultiTexEnviEXT; GLEW_FUN_EXPORT PFNGLMULTITEXENVIVEXTPROC __glewMultiTexEnvivEXT; GLEW_FUN_EXPORT PFNGLMULTITEXGENDEXTPROC __glewMultiTexGendEXT; GLEW_FUN_EXPORT PFNGLMULTITEXGENDVEXTPROC __glewMultiTexGendvEXT; GLEW_FUN_EXPORT PFNGLMULTITEXGENFEXTPROC __glewMultiTexGenfEXT; GLEW_FUN_EXPORT PFNGLMULTITEXGENFVEXTPROC __glewMultiTexGenfvEXT; GLEW_FUN_EXPORT PFNGLMULTITEXGENIEXTPROC __glewMultiTexGeniEXT; GLEW_FUN_EXPORT PFNGLMULTITEXGENIVEXTPROC __glewMultiTexGenivEXT; GLEW_FUN_EXPORT PFNGLMULTITEXIMAGE1DEXTPROC __glewMultiTexImage1DEXT; GLEW_FUN_EXPORT PFNGLMULTITEXIMAGE2DEXTPROC __glewMultiTexImage2DEXT; GLEW_FUN_EXPORT PFNGLMULTITEXIMAGE3DEXTPROC __glewMultiTexImage3DEXT; GLEW_FUN_EXPORT PFNGLMULTITEXPARAMETERIIVEXTPROC __glewMultiTexParameterIivEXT; GLEW_FUN_EXPORT PFNGLMULTITEXPARAMETERIUIVEXTPROC __glewMultiTexParameterIuivEXT; GLEW_FUN_EXPORT PFNGLMULTITEXPARAMETERFEXTPROC __glewMultiTexParameterfEXT; GLEW_FUN_EXPORT PFNGLMULTITEXPARAMETERFVEXTPROC __glewMultiTexParameterfvEXT; GLEW_FUN_EXPORT PFNGLMULTITEXPARAMETERIEXTPROC __glewMultiTexParameteriEXT; GLEW_FUN_EXPORT PFNGLMULTITEXPARAMETERIVEXTPROC __glewMultiTexParameterivEXT; GLEW_FUN_EXPORT PFNGLMULTITEXRENDERBUFFEREXTPROC __glewMultiTexRenderbufferEXT; GLEW_FUN_EXPORT PFNGLMULTITEXSUBIMAGE1DEXTPROC __glewMultiTexSubImage1DEXT; GLEW_FUN_EXPORT PFNGLMULTITEXSUBIMAGE2DEXTPROC __glewMultiTexSubImage2DEXT; GLEW_FUN_EXPORT PFNGLMULTITEXSUBIMAGE3DEXTPROC __glewMultiTexSubImage3DEXT; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERDATAEXTPROC __glewNamedBufferDataEXT; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERSUBDATAEXTPROC __glewNamedBufferSubDataEXT; GLEW_FUN_EXPORT PFNGLNAMEDCOPYBUFFERSUBDATAEXTPROC __glewNamedCopyBufferSubDataEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERRENDERBUFFEREXTPROC __glewNamedFramebufferRenderbufferEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTURE1DEXTPROC __glewNamedFramebufferTexture1DEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTURE2DEXTPROC __glewNamedFramebufferTexture2DEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTURE3DEXTPROC __glewNamedFramebufferTexture3DEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTUREEXTPROC __glewNamedFramebufferTextureEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTUREFACEEXTPROC __glewNamedFramebufferTextureFaceEXT; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERTEXTURELAYEREXTPROC __glewNamedFramebufferTextureLayerEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETER4DEXTPROC __glewNamedProgramLocalParameter4dEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETER4DVEXTPROC __glewNamedProgramLocalParameter4dvEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETER4FEXTPROC __glewNamedProgramLocalParameter4fEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETER4FVEXTPROC __glewNamedProgramLocalParameter4fvEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERI4IEXTPROC __glewNamedProgramLocalParameterI4iEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERI4IVEXTPROC __glewNamedProgramLocalParameterI4ivEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIEXTPROC __glewNamedProgramLocalParameterI4uiEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERI4UIVEXTPROC __glewNamedProgramLocalParameterI4uivEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERS4FVEXTPROC __glewNamedProgramLocalParameters4fvEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERSI4IVEXTPROC __glewNamedProgramLocalParametersI4ivEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMLOCALPARAMETERSI4UIVEXTPROC __glewNamedProgramLocalParametersI4uivEXT; GLEW_FUN_EXPORT PFNGLNAMEDPROGRAMSTRINGEXTPROC __glewNamedProgramStringEXT; GLEW_FUN_EXPORT PFNGLNAMEDRENDERBUFFERSTORAGEEXTPROC __glewNamedRenderbufferStorageEXT; GLEW_FUN_EXPORT PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLECOVERAGEEXTPROC __glewNamedRenderbufferStorageMultisampleCoverageEXT; GLEW_FUN_EXPORT PFNGLNAMEDRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC __glewNamedRenderbufferStorageMultisampleEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1FEXTPROC __glewProgramUniform1fEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1FVEXTPROC __glewProgramUniform1fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1IEXTPROC __glewProgramUniform1iEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1IVEXTPROC __glewProgramUniform1ivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UIEXTPROC __glewProgramUniform1uiEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UIVEXTPROC __glewProgramUniform1uivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2FEXTPROC __glewProgramUniform2fEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2FVEXTPROC __glewProgramUniform2fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2IEXTPROC __glewProgramUniform2iEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2IVEXTPROC __glewProgramUniform2ivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UIEXTPROC __glewProgramUniform2uiEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UIVEXTPROC __glewProgramUniform2uivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3FEXTPROC __glewProgramUniform3fEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3FVEXTPROC __glewProgramUniform3fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3IEXTPROC __glewProgramUniform3iEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3IVEXTPROC __glewProgramUniform3ivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UIEXTPROC __glewProgramUniform3uiEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UIVEXTPROC __glewProgramUniform3uivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4FEXTPROC __glewProgramUniform4fEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4FVEXTPROC __glewProgramUniform4fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4IEXTPROC __glewProgramUniform4iEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4IVEXTPROC __glewProgramUniform4ivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UIEXTPROC __glewProgramUniform4uiEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UIVEXTPROC __glewProgramUniform4uivEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2FVEXTPROC __glewProgramUniformMatrix2fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2X3FVEXTPROC __glewProgramUniformMatrix2x3fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX2X4FVEXTPROC __glewProgramUniformMatrix2x4fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3FVEXTPROC __glewProgramUniformMatrix3fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3X2FVEXTPROC __glewProgramUniformMatrix3x2fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX3X4FVEXTPROC __glewProgramUniformMatrix3x4fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4FVEXTPROC __glewProgramUniformMatrix4fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4X2FVEXTPROC __glewProgramUniformMatrix4x2fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMMATRIX4X3FVEXTPROC __glewProgramUniformMatrix4x3fvEXT; GLEW_FUN_EXPORT PFNGLPUSHCLIENTATTRIBDEFAULTEXTPROC __glewPushClientAttribDefaultEXT; GLEW_FUN_EXPORT PFNGLTEXTUREBUFFEREXTPROC __glewTextureBufferEXT; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE1DEXTPROC __glewTextureImage1DEXT; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE2DEXTPROC __glewTextureImage2DEXT; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE3DEXTPROC __glewTextureImage3DEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIIVEXTPROC __glewTextureParameterIivEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIUIVEXTPROC __glewTextureParameterIuivEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERFEXTPROC __glewTextureParameterfEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERFVEXTPROC __glewTextureParameterfvEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIEXTPROC __glewTextureParameteriEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPARAMETERIVEXTPROC __glewTextureParameterivEXT; GLEW_FUN_EXPORT PFNGLTEXTURERENDERBUFFEREXTPROC __glewTextureRenderbufferEXT; GLEW_FUN_EXPORT PFNGLTEXTURESUBIMAGE1DEXTPROC __glewTextureSubImage1DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESUBIMAGE2DEXTPROC __glewTextureSubImage2DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESUBIMAGE3DEXTPROC __glewTextureSubImage3DEXT; GLEW_FUN_EXPORT PFNGLUNMAPNAMEDBUFFEREXTPROC __glewUnmapNamedBufferEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYCOLOROFFSETEXTPROC __glewVertexArrayColorOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYEDGEFLAGOFFSETEXTPROC __glewVertexArrayEdgeFlagOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYFOGCOORDOFFSETEXTPROC __glewVertexArrayFogCoordOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYINDEXOFFSETEXTPROC __glewVertexArrayIndexOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYMULTITEXCOORDOFFSETEXTPROC __glewVertexArrayMultiTexCoordOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYNORMALOFFSETEXTPROC __glewVertexArrayNormalOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYSECONDARYCOLOROFFSETEXTPROC __glewVertexArraySecondaryColorOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYTEXCOORDOFFSETEXTPROC __glewVertexArrayTexCoordOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBDIVISOREXTPROC __glewVertexArrayVertexAttribDivisorEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBIOFFSETEXTPROC __glewVertexArrayVertexAttribIOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBOFFSETEXTPROC __glewVertexArrayVertexAttribOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXOFFSETEXTPROC __glewVertexArrayVertexOffsetEXT; GLEW_FUN_EXPORT PFNGLDISCARDFRAMEBUFFEREXTPROC __glewDiscardFramebufferEXT; GLEW_FUN_EXPORT PFNGLDRAWBUFFERSEXTPROC __glewDrawBuffersEXT; GLEW_FUN_EXPORT PFNGLCOLORMASKINDEXEDEXTPROC __glewColorMaskIndexedEXT; GLEW_FUN_EXPORT PFNGLDISABLEINDEXEDEXTPROC __glewDisableIndexedEXT; GLEW_FUN_EXPORT PFNGLENABLEINDEXEDEXTPROC __glewEnableIndexedEXT; GLEW_FUN_EXPORT PFNGLGETBOOLEANINDEXEDVEXTPROC __glewGetBooleanIndexedvEXT; GLEW_FUN_EXPORT PFNGLGETINTEGERINDEXEDVEXTPROC __glewGetIntegerIndexedvEXT; GLEW_FUN_EXPORT PFNGLISENABLEDINDEXEDEXTPROC __glewIsEnabledIndexedEXT; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONSEPARATEIEXTPROC __glewBlendEquationSeparateiEXT; GLEW_FUN_EXPORT PFNGLBLENDEQUATIONIEXTPROC __glewBlendEquationiEXT; GLEW_FUN_EXPORT PFNGLBLENDFUNCSEPARATEIEXTPROC __glewBlendFuncSeparateiEXT; GLEW_FUN_EXPORT PFNGLBLENDFUNCIEXTPROC __glewBlendFunciEXT; GLEW_FUN_EXPORT PFNGLCOLORMASKIEXTPROC __glewColorMaskiEXT; GLEW_FUN_EXPORT PFNGLDISABLEIEXTPROC __glewDisableiEXT; GLEW_FUN_EXPORT PFNGLENABLEIEXTPROC __glewEnableiEXT; GLEW_FUN_EXPORT PFNGLISENABLEDIEXTPROC __glewIsEnablediEXT; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSBASEVERTEXEXTPROC __glewDrawElementsBaseVertexEXT; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDBASEVERTEXEXTPROC __glewDrawElementsInstancedBaseVertexEXT; GLEW_FUN_EXPORT PFNGLDRAWRANGEELEMENTSBASEVERTEXEXTPROC __glewDrawRangeElementsBaseVertexEXT; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSBASEVERTEXEXTPROC __glewMultiDrawElementsBaseVertexEXT; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDEXTPROC __glewDrawArraysInstancedEXT; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDEXTPROC __glewDrawElementsInstancedEXT; GLEW_FUN_EXPORT PFNGLDRAWRANGEELEMENTSEXTPROC __glewDrawRangeElementsEXT; GLEW_FUN_EXPORT PFNGLBUFFERSTORAGEEXTERNALEXTPROC __glewBufferStorageExternalEXT; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERSTORAGEEXTERNALEXTPROC __glewNamedBufferStorageExternalEXT; GLEW_FUN_EXPORT PFNGLFOGCOORDPOINTEREXTPROC __glewFogCoordPointerEXT; GLEW_FUN_EXPORT PFNGLFOGCOORDDEXTPROC __glewFogCoorddEXT; GLEW_FUN_EXPORT PFNGLFOGCOORDDVEXTPROC __glewFogCoorddvEXT; GLEW_FUN_EXPORT PFNGLFOGCOORDFEXTPROC __glewFogCoordfEXT; GLEW_FUN_EXPORT PFNGLFOGCOORDFVEXTPROC __glewFogCoordfvEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTCOLORMATERIALEXTPROC __glewFragmentColorMaterialEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELFEXTPROC __glewFragmentLightModelfEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELFVEXTPROC __glewFragmentLightModelfvEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELIEXTPROC __glewFragmentLightModeliEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELIVEXTPROC __glewFragmentLightModelivEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTFEXTPROC __glewFragmentLightfEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTFVEXTPROC __glewFragmentLightfvEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTIEXTPROC __glewFragmentLightiEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTIVEXTPROC __glewFragmentLightivEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALFEXTPROC __glewFragmentMaterialfEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALFVEXTPROC __glewFragmentMaterialfvEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALIEXTPROC __glewFragmentMaterialiEXT; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALIVEXTPROC __glewFragmentMaterialivEXT; GLEW_FUN_EXPORT PFNGLGETFRAGMENTLIGHTFVEXTPROC __glewGetFragmentLightfvEXT; GLEW_FUN_EXPORT PFNGLGETFRAGMENTLIGHTIVEXTPROC __glewGetFragmentLightivEXT; GLEW_FUN_EXPORT PFNGLGETFRAGMENTMATERIALFVEXTPROC __glewGetFragmentMaterialfvEXT; GLEW_FUN_EXPORT PFNGLGETFRAGMENTMATERIALIVEXTPROC __glewGetFragmentMaterialivEXT; GLEW_FUN_EXPORT PFNGLLIGHTENVIEXTPROC __glewLightEnviEXT; GLEW_FUN_EXPORT PFNGLBLITFRAMEBUFFEREXTPROC __glewBlitFramebufferEXT; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEMULTISAMPLEEXTPROC __glewRenderbufferStorageMultisampleEXT; GLEW_FUN_EXPORT PFNGLBINDFRAMEBUFFEREXTPROC __glewBindFramebufferEXT; GLEW_FUN_EXPORT PFNGLBINDRENDERBUFFEREXTPROC __glewBindRenderbufferEXT; GLEW_FUN_EXPORT PFNGLCHECKFRAMEBUFFERSTATUSEXTPROC __glewCheckFramebufferStatusEXT; GLEW_FUN_EXPORT PFNGLDELETEFRAMEBUFFERSEXTPROC __glewDeleteFramebuffersEXT; GLEW_FUN_EXPORT PFNGLDELETERENDERBUFFERSEXTPROC __glewDeleteRenderbuffersEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERRENDERBUFFEREXTPROC __glewFramebufferRenderbufferEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE1DEXTPROC __glewFramebufferTexture1DEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE2DEXTPROC __glewFramebufferTexture2DEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE3DEXTPROC __glewFramebufferTexture3DEXT; GLEW_FUN_EXPORT PFNGLGENFRAMEBUFFERSEXTPROC __glewGenFramebuffersEXT; GLEW_FUN_EXPORT PFNGLGENRENDERBUFFERSEXTPROC __glewGenRenderbuffersEXT; GLEW_FUN_EXPORT PFNGLGENERATEMIPMAPEXTPROC __glewGenerateMipmapEXT; GLEW_FUN_EXPORT PFNGLGETFRAMEBUFFERATTACHMENTPARAMETERIVEXTPROC __glewGetFramebufferAttachmentParameterivEXT; GLEW_FUN_EXPORT PFNGLGETRENDERBUFFERPARAMETERIVEXTPROC __glewGetRenderbufferParameterivEXT; GLEW_FUN_EXPORT PFNGLISFRAMEBUFFEREXTPROC __glewIsFramebufferEXT; GLEW_FUN_EXPORT PFNGLISRENDERBUFFEREXTPROC __glewIsRenderbufferEXT; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEEXTPROC __glewRenderbufferStorageEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREEXTPROC __glewFramebufferTextureEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREFACEEXTPROC __glewFramebufferTextureFaceEXT; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETERIEXTPROC __glewProgramParameteriEXT; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERS4FVEXTPROC __glewProgramEnvParameters4fvEXT; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERS4FVEXTPROC __glewProgramLocalParameters4fvEXT; GLEW_FUN_EXPORT PFNGLBINDFRAGDATALOCATIONEXTPROC __glewBindFragDataLocationEXT; GLEW_FUN_EXPORT PFNGLGETFRAGDATALOCATIONEXTPROC __glewGetFragDataLocationEXT; GLEW_FUN_EXPORT PFNGLGETUNIFORMUIVEXTPROC __glewGetUniformuivEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIIVEXTPROC __glewGetVertexAttribIivEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIUIVEXTPROC __glewGetVertexAttribIuivEXT; GLEW_FUN_EXPORT PFNGLUNIFORM1UIEXTPROC __glewUniform1uiEXT; GLEW_FUN_EXPORT PFNGLUNIFORM1UIVEXTPROC __glewUniform1uivEXT; GLEW_FUN_EXPORT PFNGLUNIFORM2UIEXTPROC __glewUniform2uiEXT; GLEW_FUN_EXPORT PFNGLUNIFORM2UIVEXTPROC __glewUniform2uivEXT; GLEW_FUN_EXPORT PFNGLUNIFORM3UIEXTPROC __glewUniform3uiEXT; GLEW_FUN_EXPORT PFNGLUNIFORM3UIVEXTPROC __glewUniform3uivEXT; GLEW_FUN_EXPORT PFNGLUNIFORM4UIEXTPROC __glewUniform4uiEXT; GLEW_FUN_EXPORT PFNGLUNIFORM4UIVEXTPROC __glewUniform4uivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1IEXTPROC __glewVertexAttribI1iEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1IVEXTPROC __glewVertexAttribI1ivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1UIEXTPROC __glewVertexAttribI1uiEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI1UIVEXTPROC __glewVertexAttribI1uivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2IEXTPROC __glewVertexAttribI2iEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2IVEXTPROC __glewVertexAttribI2ivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2UIEXTPROC __glewVertexAttribI2uiEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI2UIVEXTPROC __glewVertexAttribI2uivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3IEXTPROC __glewVertexAttribI3iEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3IVEXTPROC __glewVertexAttribI3ivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3UIEXTPROC __glewVertexAttribI3uiEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI3UIVEXTPROC __glewVertexAttribI3uivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4BVEXTPROC __glewVertexAttribI4bvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4IEXTPROC __glewVertexAttribI4iEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4IVEXTPROC __glewVertexAttribI4ivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4SVEXTPROC __glewVertexAttribI4svEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4UBVEXTPROC __glewVertexAttribI4ubvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4UIEXTPROC __glewVertexAttribI4uiEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4UIVEXTPROC __glewVertexAttribI4uivEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBI4USVEXTPROC __glewVertexAttribI4usvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBIPOINTEREXTPROC __glewVertexAttribIPointerEXT; GLEW_FUN_EXPORT PFNGLGETHISTOGRAMEXTPROC __glewGetHistogramEXT; GLEW_FUN_EXPORT PFNGLGETHISTOGRAMPARAMETERFVEXTPROC __glewGetHistogramParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETHISTOGRAMPARAMETERIVEXTPROC __glewGetHistogramParameterivEXT; GLEW_FUN_EXPORT PFNGLGETMINMAXEXTPROC __glewGetMinmaxEXT; GLEW_FUN_EXPORT PFNGLGETMINMAXPARAMETERFVEXTPROC __glewGetMinmaxParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETMINMAXPARAMETERIVEXTPROC __glewGetMinmaxParameterivEXT; GLEW_FUN_EXPORT PFNGLHISTOGRAMEXTPROC __glewHistogramEXT; GLEW_FUN_EXPORT PFNGLMINMAXEXTPROC __glewMinmaxEXT; GLEW_FUN_EXPORT PFNGLRESETHISTOGRAMEXTPROC __glewResetHistogramEXT; GLEW_FUN_EXPORT PFNGLRESETMINMAXEXTPROC __glewResetMinmaxEXT; GLEW_FUN_EXPORT PFNGLINDEXFUNCEXTPROC __glewIndexFuncEXT; GLEW_FUN_EXPORT PFNGLINDEXMATERIALEXTPROC __glewIndexMaterialEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBDIVISOREXTPROC __glewVertexAttribDivisorEXT; GLEW_FUN_EXPORT PFNGLAPPLYTEXTUREEXTPROC __glewApplyTextureEXT; GLEW_FUN_EXPORT PFNGLTEXTURELIGHTEXTPROC __glewTextureLightEXT; GLEW_FUN_EXPORT PFNGLTEXTUREMATERIALEXTPROC __glewTextureMaterialEXT; GLEW_FUN_EXPORT PFNGLFLUSHMAPPEDBUFFERRANGEEXTPROC __glewFlushMappedBufferRangeEXT; GLEW_FUN_EXPORT PFNGLMAPBUFFERRANGEEXTPROC __glewMapBufferRangeEXT; GLEW_FUN_EXPORT PFNGLBUFFERSTORAGEMEMEXTPROC __glewBufferStorageMemEXT; GLEW_FUN_EXPORT PFNGLCREATEMEMORYOBJECTSEXTPROC __glewCreateMemoryObjectsEXT; GLEW_FUN_EXPORT PFNGLDELETEMEMORYOBJECTSEXTPROC __glewDeleteMemoryObjectsEXT; GLEW_FUN_EXPORT PFNGLGETMEMORYOBJECTPARAMETERIVEXTPROC __glewGetMemoryObjectParameterivEXT; GLEW_FUN_EXPORT PFNGLGETUNSIGNEDBYTEI_VEXTPROC __glewGetUnsignedBytei_vEXT; GLEW_FUN_EXPORT PFNGLGETUNSIGNEDBYTEVEXTPROC __glewGetUnsignedBytevEXT; GLEW_FUN_EXPORT PFNGLISMEMORYOBJECTEXTPROC __glewIsMemoryObjectEXT; GLEW_FUN_EXPORT PFNGLMEMORYOBJECTPARAMETERIVEXTPROC __glewMemoryObjectParameterivEXT; GLEW_FUN_EXPORT PFNGLNAMEDBUFFERSTORAGEMEMEXTPROC __glewNamedBufferStorageMemEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGEMEM1DEXTPROC __glewTexStorageMem1DEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGEMEM2DEXTPROC __glewTexStorageMem2DEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGEMEM2DMULTISAMPLEEXTPROC __glewTexStorageMem2DMultisampleEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGEMEM3DEXTPROC __glewTexStorageMem3DEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGEMEM3DMULTISAMPLEEXTPROC __glewTexStorageMem3DMultisampleEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGEMEM1DEXTPROC __glewTextureStorageMem1DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGEMEM2DEXTPROC __glewTextureStorageMem2DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGEMEM2DMULTISAMPLEEXTPROC __glewTextureStorageMem2DMultisampleEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGEMEM3DEXTPROC __glewTextureStorageMem3DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGEMEM3DMULTISAMPLEEXTPROC __glewTextureStorageMem3DMultisampleEXT; GLEW_FUN_EXPORT PFNGLIMPORTMEMORYFDEXTPROC __glewImportMemoryFdEXT; GLEW_FUN_EXPORT PFNGLIMPORTMEMORYWIN32HANDLEEXTPROC __glewImportMemoryWin32HandleEXT; GLEW_FUN_EXPORT PFNGLIMPORTMEMORYWIN32NAMEEXTPROC __glewImportMemoryWin32NameEXT; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSEXTPROC __glewMultiDrawArraysEXT; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSEXTPROC __glewMultiDrawElementsEXT; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTEXTPROC __glewMultiDrawArraysIndirectEXT; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTEXTPROC __glewMultiDrawElementsIndirectEXT; GLEW_FUN_EXPORT PFNGLSAMPLEMASKEXTPROC __glewSampleMaskEXT; GLEW_FUN_EXPORT PFNGLSAMPLEPATTERNEXTPROC __glewSamplePatternEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURE2DMULTISAMPLEEXTPROC __glewFramebufferTexture2DMultisampleEXT; GLEW_FUN_EXPORT PFNGLDRAWBUFFERSINDEXEDEXTPROC __glewDrawBuffersIndexedEXT; GLEW_FUN_EXPORT PFNGLGETINTEGERI_VEXTPROC __glewGetIntegeri_vEXT; GLEW_FUN_EXPORT PFNGLREADBUFFERINDEXEDEXTPROC __glewReadBufferIndexedEXT; GLEW_FUN_EXPORT PFNGLCOLORTABLEEXTPROC __glewColorTableEXT; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEEXTPROC __glewGetColorTableEXT; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPARAMETERFVEXTPROC __glewGetColorTableParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPARAMETERIVEXTPROC __glewGetColorTableParameterivEXT; GLEW_FUN_EXPORT PFNGLGETPIXELTRANSFORMPARAMETERFVEXTPROC __glewGetPixelTransformParameterfvEXT; GLEW_FUN_EXPORT PFNGLGETPIXELTRANSFORMPARAMETERIVEXTPROC __glewGetPixelTransformParameterivEXT; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERFEXTPROC __glewPixelTransformParameterfEXT; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERFVEXTPROC __glewPixelTransformParameterfvEXT; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERIEXTPROC __glewPixelTransformParameteriEXT; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERIVEXTPROC __glewPixelTransformParameterivEXT; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERFEXTPROC __glewPointParameterfEXT; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERFVEXTPROC __glewPointParameterfvEXT; GLEW_FUN_EXPORT PFNGLPOLYGONOFFSETEXTPROC __glewPolygonOffsetEXT; GLEW_FUN_EXPORT PFNGLPOLYGONOFFSETCLAMPEXTPROC __glewPolygonOffsetClampEXT; GLEW_FUN_EXPORT PFNGLPROVOKINGVERTEXEXTPROC __glewProvokingVertexEXT; GLEW_FUN_EXPORT PFNGLCOVERAGEMODULATIONNVPROC __glewCoverageModulationNV; GLEW_FUN_EXPORT PFNGLCOVERAGEMODULATIONTABLENVPROC __glewCoverageModulationTableNV; GLEW_FUN_EXPORT PFNGLGETCOVERAGEMODULATIONTABLENVPROC __glewGetCoverageModulationTableNV; GLEW_FUN_EXPORT PFNGLRASTERSAMPLESEXTPROC __glewRasterSamplesEXT; GLEW_FUN_EXPORT PFNGLBEGINSCENEEXTPROC __glewBeginSceneEXT; GLEW_FUN_EXPORT PFNGLENDSCENEEXTPROC __glewEndSceneEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3BEXTPROC __glewSecondaryColor3bEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3BVEXTPROC __glewSecondaryColor3bvEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3DEXTPROC __glewSecondaryColor3dEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3DVEXTPROC __glewSecondaryColor3dvEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3FEXTPROC __glewSecondaryColor3fEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3FVEXTPROC __glewSecondaryColor3fvEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3IEXTPROC __glewSecondaryColor3iEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3IVEXTPROC __glewSecondaryColor3ivEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3SEXTPROC __glewSecondaryColor3sEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3SVEXTPROC __glewSecondaryColor3svEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UBEXTPROC __glewSecondaryColor3ubEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UBVEXTPROC __glewSecondaryColor3ubvEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UIEXTPROC __glewSecondaryColor3uiEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3UIVEXTPROC __glewSecondaryColor3uivEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3USEXTPROC __glewSecondaryColor3usEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3USVEXTPROC __glewSecondaryColor3usvEXT; GLEW_FUN_EXPORT PFNGLSECONDARYCOLORPOINTEREXTPROC __glewSecondaryColorPointerEXT; GLEW_FUN_EXPORT PFNGLDELETESEMAPHORESEXTPROC __glewDeleteSemaphoresEXT; GLEW_FUN_EXPORT PFNGLGENSEMAPHORESEXTPROC __glewGenSemaphoresEXT; GLEW_FUN_EXPORT PFNGLGETSEMAPHOREPARAMETERUI64VEXTPROC __glewGetSemaphoreParameterui64vEXT; GLEW_FUN_EXPORT PFNGLISSEMAPHOREEXTPROC __glewIsSemaphoreEXT; GLEW_FUN_EXPORT PFNGLSEMAPHOREPARAMETERUI64VEXTPROC __glewSemaphoreParameterui64vEXT; GLEW_FUN_EXPORT PFNGLSIGNALSEMAPHOREEXTPROC __glewSignalSemaphoreEXT; GLEW_FUN_EXPORT PFNGLWAITSEMAPHOREEXTPROC __glewWaitSemaphoreEXT; GLEW_FUN_EXPORT PFNGLIMPORTSEMAPHOREFDEXTPROC __glewImportSemaphoreFdEXT; GLEW_FUN_EXPORT PFNGLIMPORTSEMAPHOREWIN32HANDLEEXTPROC __glewImportSemaphoreWin32HandleEXT; GLEW_FUN_EXPORT PFNGLIMPORTSEMAPHOREWIN32NAMEEXTPROC __glewImportSemaphoreWin32NameEXT; GLEW_FUN_EXPORT PFNGLACTIVEPROGRAMEXTPROC __glewActiveProgramEXT; GLEW_FUN_EXPORT PFNGLCREATESHADERPROGRAMEXTPROC __glewCreateShaderProgramEXT; GLEW_FUN_EXPORT PFNGLUSESHADERPROGRAMEXTPROC __glewUseShaderProgramEXT; GLEW_FUN_EXPORT PFNGLBINDIMAGETEXTUREEXTPROC __glewBindImageTextureEXT; GLEW_FUN_EXPORT PFNGLMEMORYBARRIEREXTPROC __glewMemoryBarrierEXT; GLEW_FUN_EXPORT PFNGLCLEARPIXELLOCALSTORAGEUIEXTPROC __glewClearPixelLocalStorageuiEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC __glewFramebufferPixelLocalStorageSizeEXT; GLEW_FUN_EXPORT PFNGLGETFRAMEBUFFERPIXELLOCALSTORAGESIZEEXTPROC __glewGetFramebufferPixelLocalStorageSizeEXT; GLEW_FUN_EXPORT PFNGLTEXPAGECOMMITMENTEXTPROC __glewTexPageCommitmentEXT; GLEW_FUN_EXPORT PFNGLTEXTUREPAGECOMMITMENTEXTPROC __glewTexturePageCommitmentEXT; GLEW_FUN_EXPORT PFNGLACTIVESTENCILFACEEXTPROC __glewActiveStencilFaceEXT; GLEW_FUN_EXPORT PFNGLTEXSUBIMAGE1DEXTPROC __glewTexSubImage1DEXT; GLEW_FUN_EXPORT PFNGLTEXSUBIMAGE2DEXTPROC __glewTexSubImage2DEXT; GLEW_FUN_EXPORT PFNGLTEXSUBIMAGE3DEXTPROC __glewTexSubImage3DEXT; GLEW_FUN_EXPORT PFNGLTEXIMAGE3DEXTPROC __glewTexImage3DEXT; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURELAYEREXTPROC __glewFramebufferTextureLayerEXT; GLEW_FUN_EXPORT PFNGLTEXBUFFEREXTPROC __glewTexBufferEXT; GLEW_FUN_EXPORT PFNGLCLEARCOLORIIEXTPROC __glewClearColorIiEXT; GLEW_FUN_EXPORT PFNGLCLEARCOLORIUIEXTPROC __glewClearColorIuiEXT; GLEW_FUN_EXPORT PFNGLGETTEXPARAMETERIIVEXTPROC __glewGetTexParameterIivEXT; GLEW_FUN_EXPORT PFNGLGETTEXPARAMETERIUIVEXTPROC __glewGetTexParameterIuivEXT; GLEW_FUN_EXPORT PFNGLTEXPARAMETERIIVEXTPROC __glewTexParameterIivEXT; GLEW_FUN_EXPORT PFNGLTEXPARAMETERIUIVEXTPROC __glewTexParameterIuivEXT; GLEW_FUN_EXPORT PFNGLARETEXTURESRESIDENTEXTPROC __glewAreTexturesResidentEXT; GLEW_FUN_EXPORT PFNGLBINDTEXTUREEXTPROC __glewBindTextureEXT; GLEW_FUN_EXPORT PFNGLDELETETEXTURESEXTPROC __glewDeleteTexturesEXT; GLEW_FUN_EXPORT PFNGLGENTEXTURESEXTPROC __glewGenTexturesEXT; GLEW_FUN_EXPORT PFNGLISTEXTUREEXTPROC __glewIsTextureEXT; GLEW_FUN_EXPORT PFNGLPRIORITIZETEXTURESEXTPROC __glewPrioritizeTexturesEXT; GLEW_FUN_EXPORT PFNGLTEXTURENORMALEXTPROC __glewTextureNormalEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGE1DEXTPROC __glewTexStorage1DEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGE2DEXTPROC __glewTexStorage2DEXT; GLEW_FUN_EXPORT PFNGLTEXSTORAGE3DEXTPROC __glewTexStorage3DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE1DEXTPROC __glewTextureStorage1DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE2DEXTPROC __glewTextureStorage2DEXT; GLEW_FUN_EXPORT PFNGLTEXTURESTORAGE3DEXTPROC __glewTextureStorage3DEXT; GLEW_FUN_EXPORT PFNGLTEXTUREVIEWEXTPROC __glewTextureViewEXT; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTI64VEXTPROC __glewGetQueryObjecti64vEXT; GLEW_FUN_EXPORT PFNGLGETQUERYOBJECTUI64VEXTPROC __glewGetQueryObjectui64vEXT; GLEW_FUN_EXPORT PFNGLBEGINTRANSFORMFEEDBACKEXTPROC __glewBeginTransformFeedbackEXT; GLEW_FUN_EXPORT PFNGLBINDBUFFERBASEEXTPROC __glewBindBufferBaseEXT; GLEW_FUN_EXPORT PFNGLBINDBUFFEROFFSETEXTPROC __glewBindBufferOffsetEXT; GLEW_FUN_EXPORT PFNGLBINDBUFFERRANGEEXTPROC __glewBindBufferRangeEXT; GLEW_FUN_EXPORT PFNGLENDTRANSFORMFEEDBACKEXTPROC __glewEndTransformFeedbackEXT; GLEW_FUN_EXPORT PFNGLGETTRANSFORMFEEDBACKVARYINGEXTPROC __glewGetTransformFeedbackVaryingEXT; GLEW_FUN_EXPORT PFNGLTRANSFORMFEEDBACKVARYINGSEXTPROC __glewTransformFeedbackVaryingsEXT; GLEW_FUN_EXPORT PFNGLARRAYELEMENTEXTPROC __glewArrayElementEXT; GLEW_FUN_EXPORT PFNGLCOLORPOINTEREXTPROC __glewColorPointerEXT; GLEW_FUN_EXPORT PFNGLDRAWARRAYSEXTPROC __glewDrawArraysEXT; GLEW_FUN_EXPORT PFNGLEDGEFLAGPOINTEREXTPROC __glewEdgeFlagPointerEXT; GLEW_FUN_EXPORT PFNGLINDEXPOINTEREXTPROC __glewIndexPointerEXT; GLEW_FUN_EXPORT PFNGLNORMALPOINTEREXTPROC __glewNormalPointerEXT; GLEW_FUN_EXPORT PFNGLTEXCOORDPOINTEREXTPROC __glewTexCoordPointerEXT; GLEW_FUN_EXPORT PFNGLVERTEXPOINTEREXTPROC __glewVertexPointerEXT; GLEW_FUN_EXPORT PFNGLBINDARRAYSETEXTPROC __glewBindArraySetEXT; GLEW_FUN_EXPORT PFNGLCREATEARRAYSETEXTPROC __glewCreateArraySetExt; GLEW_FUN_EXPORT PFNGLDELETEARRAYSETSEXTPROC __glewDeleteArraySetsEXT; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBLDVEXTPROC __glewGetVertexAttribLdvEXT; GLEW_FUN_EXPORT PFNGLVERTEXARRAYVERTEXATTRIBLOFFSETEXTPROC __glewVertexArrayVertexAttribLOffsetEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1DEXTPROC __glewVertexAttribL1dEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1DVEXTPROC __glewVertexAttribL1dvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2DEXTPROC __glewVertexAttribL2dEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2DVEXTPROC __glewVertexAttribL2dvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3DEXTPROC __glewVertexAttribL3dEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3DVEXTPROC __glewVertexAttribL3dvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4DEXTPROC __glewVertexAttribL4dEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4DVEXTPROC __glewVertexAttribL4dvEXT; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBLPOINTEREXTPROC __glewVertexAttribLPointerEXT; GLEW_FUN_EXPORT PFNGLBEGINVERTEXSHADEREXTPROC __glewBeginVertexShaderEXT; GLEW_FUN_EXPORT PFNGLBINDLIGHTPARAMETEREXTPROC __glewBindLightParameterEXT; GLEW_FUN_EXPORT PFNGLBINDMATERIALPARAMETEREXTPROC __glewBindMaterialParameterEXT; GLEW_FUN_EXPORT PFNGLBINDPARAMETEREXTPROC __glewBindParameterEXT; GLEW_FUN_EXPORT PFNGLBINDTEXGENPARAMETEREXTPROC __glewBindTexGenParameterEXT; GLEW_FUN_EXPORT PFNGLBINDTEXTUREUNITPARAMETEREXTPROC __glewBindTextureUnitParameterEXT; GLEW_FUN_EXPORT PFNGLBINDVERTEXSHADEREXTPROC __glewBindVertexShaderEXT; GLEW_FUN_EXPORT PFNGLDELETEVERTEXSHADEREXTPROC __glewDeleteVertexShaderEXT; GLEW_FUN_EXPORT PFNGLDISABLEVARIANTCLIENTSTATEEXTPROC __glewDisableVariantClientStateEXT; GLEW_FUN_EXPORT PFNGLENABLEVARIANTCLIENTSTATEEXTPROC __glewEnableVariantClientStateEXT; GLEW_FUN_EXPORT PFNGLENDVERTEXSHADEREXTPROC __glewEndVertexShaderEXT; GLEW_FUN_EXPORT PFNGLEXTRACTCOMPONENTEXTPROC __glewExtractComponentEXT; GLEW_FUN_EXPORT PFNGLGENSYMBOLSEXTPROC __glewGenSymbolsEXT; GLEW_FUN_EXPORT PFNGLGENVERTEXSHADERSEXTPROC __glewGenVertexShadersEXT; GLEW_FUN_EXPORT PFNGLGETINVARIANTBOOLEANVEXTPROC __glewGetInvariantBooleanvEXT; GLEW_FUN_EXPORT PFNGLGETINVARIANTFLOATVEXTPROC __glewGetInvariantFloatvEXT; GLEW_FUN_EXPORT PFNGLGETINVARIANTINTEGERVEXTPROC __glewGetInvariantIntegervEXT; GLEW_FUN_EXPORT PFNGLGETLOCALCONSTANTBOOLEANVEXTPROC __glewGetLocalConstantBooleanvEXT; GLEW_FUN_EXPORT PFNGLGETLOCALCONSTANTFLOATVEXTPROC __glewGetLocalConstantFloatvEXT; GLEW_FUN_EXPORT PFNGLGETLOCALCONSTANTINTEGERVEXTPROC __glewGetLocalConstantIntegervEXT; GLEW_FUN_EXPORT PFNGLGETVARIANTBOOLEANVEXTPROC __glewGetVariantBooleanvEXT; GLEW_FUN_EXPORT PFNGLGETVARIANTFLOATVEXTPROC __glewGetVariantFloatvEXT; GLEW_FUN_EXPORT PFNGLGETVARIANTINTEGERVEXTPROC __glewGetVariantIntegervEXT; GLEW_FUN_EXPORT PFNGLGETVARIANTPOINTERVEXTPROC __glewGetVariantPointervEXT; GLEW_FUN_EXPORT PFNGLINSERTCOMPONENTEXTPROC __glewInsertComponentEXT; GLEW_FUN_EXPORT PFNGLISVARIANTENABLEDEXTPROC __glewIsVariantEnabledEXT; GLEW_FUN_EXPORT PFNGLSETINVARIANTEXTPROC __glewSetInvariantEXT; GLEW_FUN_EXPORT PFNGLSETLOCALCONSTANTEXTPROC __glewSetLocalConstantEXT; GLEW_FUN_EXPORT PFNGLSHADEROP1EXTPROC __glewShaderOp1EXT; GLEW_FUN_EXPORT PFNGLSHADEROP2EXTPROC __glewShaderOp2EXT; GLEW_FUN_EXPORT PFNGLSHADEROP3EXTPROC __glewShaderOp3EXT; GLEW_FUN_EXPORT PFNGLSWIZZLEEXTPROC __glewSwizzleEXT; GLEW_FUN_EXPORT PFNGLVARIANTPOINTEREXTPROC __glewVariantPointerEXT; GLEW_FUN_EXPORT PFNGLVARIANTBVEXTPROC __glewVariantbvEXT; GLEW_FUN_EXPORT PFNGLVARIANTDVEXTPROC __glewVariantdvEXT; GLEW_FUN_EXPORT PFNGLVARIANTFVEXTPROC __glewVariantfvEXT; GLEW_FUN_EXPORT PFNGLVARIANTIVEXTPROC __glewVariantivEXT; GLEW_FUN_EXPORT PFNGLVARIANTSVEXTPROC __glewVariantsvEXT; GLEW_FUN_EXPORT PFNGLVARIANTUBVEXTPROC __glewVariantubvEXT; GLEW_FUN_EXPORT PFNGLVARIANTUIVEXTPROC __glewVariantuivEXT; GLEW_FUN_EXPORT PFNGLVARIANTUSVEXTPROC __glewVariantusvEXT; GLEW_FUN_EXPORT PFNGLWRITEMASKEXTPROC __glewWriteMaskEXT; GLEW_FUN_EXPORT PFNGLVERTEXWEIGHTPOINTEREXTPROC __glewVertexWeightPointerEXT; GLEW_FUN_EXPORT PFNGLVERTEXWEIGHTFEXTPROC __glewVertexWeightfEXT; GLEW_FUN_EXPORT PFNGLVERTEXWEIGHTFVEXTPROC __glewVertexWeightfvEXT; GLEW_FUN_EXPORT PFNGLACQUIREKEYEDMUTEXWIN32EXTPROC __glewAcquireKeyedMutexWin32EXT; GLEW_FUN_EXPORT PFNGLRELEASEKEYEDMUTEXWIN32EXTPROC __glewReleaseKeyedMutexWin32EXT; GLEW_FUN_EXPORT PFNGLWINDOWRECTANGLESEXTPROC __glewWindowRectanglesEXT; GLEW_FUN_EXPORT PFNGLIMPORTSYNCEXTPROC __glewImportSyncEXT; GLEW_FUN_EXPORT PFNGLFRAMETERMINATORGREMEDYPROC __glewFrameTerminatorGREMEDY; GLEW_FUN_EXPORT PFNGLSTRINGMARKERGREMEDYPROC __glewStringMarkerGREMEDY; GLEW_FUN_EXPORT PFNGLGETIMAGETRANSFORMPARAMETERFVHPPROC __glewGetImageTransformParameterfvHP; GLEW_FUN_EXPORT PFNGLGETIMAGETRANSFORMPARAMETERIVHPPROC __glewGetImageTransformParameterivHP; GLEW_FUN_EXPORT PFNGLIMAGETRANSFORMPARAMETERFHPPROC __glewImageTransformParameterfHP; GLEW_FUN_EXPORT PFNGLIMAGETRANSFORMPARAMETERFVHPPROC __glewImageTransformParameterfvHP; GLEW_FUN_EXPORT PFNGLIMAGETRANSFORMPARAMETERIHPPROC __glewImageTransformParameteriHP; GLEW_FUN_EXPORT PFNGLIMAGETRANSFORMPARAMETERIVHPPROC __glewImageTransformParameterivHP; GLEW_FUN_EXPORT PFNGLMULTIMODEDRAWARRAYSIBMPROC __glewMultiModeDrawArraysIBM; GLEW_FUN_EXPORT PFNGLMULTIMODEDRAWELEMENTSIBMPROC __glewMultiModeDrawElementsIBM; GLEW_FUN_EXPORT PFNGLCOLORPOINTERLISTIBMPROC __glewColorPointerListIBM; GLEW_FUN_EXPORT PFNGLEDGEFLAGPOINTERLISTIBMPROC __glewEdgeFlagPointerListIBM; GLEW_FUN_EXPORT PFNGLFOGCOORDPOINTERLISTIBMPROC __glewFogCoordPointerListIBM; GLEW_FUN_EXPORT PFNGLINDEXPOINTERLISTIBMPROC __glewIndexPointerListIBM; GLEW_FUN_EXPORT PFNGLNORMALPOINTERLISTIBMPROC __glewNormalPointerListIBM; GLEW_FUN_EXPORT PFNGLSECONDARYCOLORPOINTERLISTIBMPROC __glewSecondaryColorPointerListIBM; GLEW_FUN_EXPORT PFNGLTEXCOORDPOINTERLISTIBMPROC __glewTexCoordPointerListIBM; GLEW_FUN_EXPORT PFNGLVERTEXPOINTERLISTIBMPROC __glewVertexPointerListIBM; GLEW_FUN_EXPORT PFNGLMAPTEXTURE2DINTELPROC __glewMapTexture2DINTEL; GLEW_FUN_EXPORT PFNGLSYNCTEXTUREINTELPROC __glewSyncTextureINTEL; GLEW_FUN_EXPORT PFNGLUNMAPTEXTURE2DINTELPROC __glewUnmapTexture2DINTEL; GLEW_FUN_EXPORT PFNGLCOLORPOINTERVINTELPROC __glewColorPointervINTEL; GLEW_FUN_EXPORT PFNGLNORMALPOINTERVINTELPROC __glewNormalPointervINTEL; GLEW_FUN_EXPORT PFNGLTEXCOORDPOINTERVINTELPROC __glewTexCoordPointervINTEL; GLEW_FUN_EXPORT PFNGLVERTEXPOINTERVINTELPROC __glewVertexPointervINTEL; GLEW_FUN_EXPORT PFNGLBEGINPERFQUERYINTELPROC __glewBeginPerfQueryINTEL; GLEW_FUN_EXPORT PFNGLCREATEPERFQUERYINTELPROC __glewCreatePerfQueryINTEL; GLEW_FUN_EXPORT PFNGLDELETEPERFQUERYINTELPROC __glewDeletePerfQueryINTEL; GLEW_FUN_EXPORT PFNGLENDPERFQUERYINTELPROC __glewEndPerfQueryINTEL; GLEW_FUN_EXPORT PFNGLGETFIRSTPERFQUERYIDINTELPROC __glewGetFirstPerfQueryIdINTEL; GLEW_FUN_EXPORT PFNGLGETNEXTPERFQUERYIDINTELPROC __glewGetNextPerfQueryIdINTEL; GLEW_FUN_EXPORT PFNGLGETPERFCOUNTERINFOINTELPROC __glewGetPerfCounterInfoINTEL; GLEW_FUN_EXPORT PFNGLGETPERFQUERYDATAINTELPROC __glewGetPerfQueryDataINTEL; GLEW_FUN_EXPORT PFNGLGETPERFQUERYIDBYNAMEINTELPROC __glewGetPerfQueryIdByNameINTEL; GLEW_FUN_EXPORT PFNGLGETPERFQUERYINFOINTELPROC __glewGetPerfQueryInfoINTEL; GLEW_FUN_EXPORT PFNGLTEXSCISSORFUNCINTELPROC __glewTexScissorFuncINTEL; GLEW_FUN_EXPORT PFNGLTEXSCISSORINTELPROC __glewTexScissorINTEL; GLEW_FUN_EXPORT PFNGLBLENDBARRIERKHRPROC __glewBlendBarrierKHR; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGECALLBACKPROC __glewDebugMessageCallback; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGECONTROLPROC __glewDebugMessageControl; GLEW_FUN_EXPORT PFNGLDEBUGMESSAGEINSERTPROC __glewDebugMessageInsert; GLEW_FUN_EXPORT PFNGLGETDEBUGMESSAGELOGPROC __glewGetDebugMessageLog; GLEW_FUN_EXPORT PFNGLGETOBJECTLABELPROC __glewGetObjectLabel; GLEW_FUN_EXPORT PFNGLGETOBJECTPTRLABELPROC __glewGetObjectPtrLabel; GLEW_FUN_EXPORT PFNGLOBJECTLABELPROC __glewObjectLabel; GLEW_FUN_EXPORT PFNGLOBJECTPTRLABELPROC __glewObjectPtrLabel; GLEW_FUN_EXPORT PFNGLPOPDEBUGGROUPPROC __glewPopDebugGroup; GLEW_FUN_EXPORT PFNGLPUSHDEBUGGROUPPROC __glewPushDebugGroup; GLEW_FUN_EXPORT PFNGLMAXSHADERCOMPILERTHREADSKHRPROC __glewMaxShaderCompilerThreadsKHR; GLEW_FUN_EXPORT PFNGLGETNUNIFORMFVPROC __glewGetnUniformfv; GLEW_FUN_EXPORT PFNGLGETNUNIFORMIVPROC __glewGetnUniformiv; GLEW_FUN_EXPORT PFNGLGETNUNIFORMUIVPROC __glewGetnUniformuiv; GLEW_FUN_EXPORT PFNGLREADNPIXELSPROC __glewReadnPixels; GLEW_FUN_EXPORT PFNGLBUFFERREGIONENABLEDPROC __glewBufferRegionEnabled; GLEW_FUN_EXPORT PFNGLDELETEBUFFERREGIONPROC __glewDeleteBufferRegion; GLEW_FUN_EXPORT PFNGLDRAWBUFFERREGIONPROC __glewDrawBufferRegion; GLEW_FUN_EXPORT PFNGLNEWBUFFERREGIONPROC __glewNewBufferRegion; GLEW_FUN_EXPORT PFNGLREADBUFFERREGIONPROC __glewReadBufferRegion; GLEW_FUN_EXPORT PFNGLRESIZEBUFFERSMESAPROC __glewResizeBuffersMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2DMESAPROC __glewWindowPos2dMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2DVMESAPROC __glewWindowPos2dvMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2FMESAPROC __glewWindowPos2fMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2FVMESAPROC __glewWindowPos2fvMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2IMESAPROC __glewWindowPos2iMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2IVMESAPROC __glewWindowPos2ivMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2SMESAPROC __glewWindowPos2sMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS2SVMESAPROC __glewWindowPos2svMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3DMESAPROC __glewWindowPos3dMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3DVMESAPROC __glewWindowPos3dvMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3FMESAPROC __glewWindowPos3fMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3FVMESAPROC __glewWindowPos3fvMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3IMESAPROC __glewWindowPos3iMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3IVMESAPROC __glewWindowPos3ivMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3SMESAPROC __glewWindowPos3sMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS3SVMESAPROC __glewWindowPos3svMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4DMESAPROC __glewWindowPos4dMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4DVMESAPROC __glewWindowPos4dvMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4FMESAPROC __glewWindowPos4fMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4FVMESAPROC __glewWindowPos4fvMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4IMESAPROC __glewWindowPos4iMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4IVMESAPROC __glewWindowPos4ivMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4SMESAPROC __glewWindowPos4sMESA; GLEW_FUN_EXPORT PFNGLWINDOWPOS4SVMESAPROC __glewWindowPos4svMESA; GLEW_FUN_EXPORT PFNGLBEGINCONDITIONALRENDERNVXPROC __glewBeginConditionalRenderNVX; GLEW_FUN_EXPORT PFNGLENDCONDITIONALRENDERNVXPROC __glewEndConditionalRenderNVX; GLEW_FUN_EXPORT PFNGLLGPUCOPYIMAGESUBDATANVXPROC __glewLGPUCopyImageSubDataNVX; GLEW_FUN_EXPORT PFNGLLGPUINTERLOCKNVXPROC __glewLGPUInterlockNVX; GLEW_FUN_EXPORT PFNGLLGPUNAMEDBUFFERSUBDATANVXPROC __glewLGPUNamedBufferSubDataNVX; GLEW_FUN_EXPORT PFNGLSTEREOPARAMETERFNVPROC __glewStereoParameterfNV; GLEW_FUN_EXPORT PFNGLSTEREOPARAMETERINVPROC __glewStereoParameteriNV; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSNVPROC __glewMultiDrawArraysIndirectBindlessNV; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSNVPROC __glewMultiDrawElementsIndirectBindlessNV; GLEW_FUN_EXPORT PFNGLMULTIDRAWARRAYSINDIRECTBINDLESSCOUNTNVPROC __glewMultiDrawArraysIndirectBindlessCountNV; GLEW_FUN_EXPORT PFNGLMULTIDRAWELEMENTSINDIRECTBINDLESSCOUNTNVPROC __glewMultiDrawElementsIndirectBindlessCountNV; GLEW_FUN_EXPORT PFNGLGETIMAGEHANDLENVPROC __glewGetImageHandleNV; GLEW_FUN_EXPORT PFNGLGETTEXTUREHANDLENVPROC __glewGetTextureHandleNV; GLEW_FUN_EXPORT PFNGLGETTEXTURESAMPLERHANDLENVPROC __glewGetTextureSamplerHandleNV; GLEW_FUN_EXPORT PFNGLISIMAGEHANDLERESIDENTNVPROC __glewIsImageHandleResidentNV; GLEW_FUN_EXPORT PFNGLISTEXTUREHANDLERESIDENTNVPROC __glewIsTextureHandleResidentNV; GLEW_FUN_EXPORT PFNGLMAKEIMAGEHANDLENONRESIDENTNVPROC __glewMakeImageHandleNonResidentNV; GLEW_FUN_EXPORT PFNGLMAKEIMAGEHANDLERESIDENTNVPROC __glewMakeImageHandleResidentNV; GLEW_FUN_EXPORT PFNGLMAKETEXTUREHANDLENONRESIDENTNVPROC __glewMakeTextureHandleNonResidentNV; GLEW_FUN_EXPORT PFNGLMAKETEXTUREHANDLERESIDENTNVPROC __glewMakeTextureHandleResidentNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMHANDLEUI64NVPROC __glewProgramUniformHandleui64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMHANDLEUI64VNVPROC __glewProgramUniformHandleui64vNV; GLEW_FUN_EXPORT PFNGLUNIFORMHANDLEUI64NVPROC __glewUniformHandleui64NV; GLEW_FUN_EXPORT PFNGLUNIFORMHANDLEUI64VNVPROC __glewUniformHandleui64vNV; GLEW_FUN_EXPORT PFNGLBLENDBARRIERNVPROC __glewBlendBarrierNV; GLEW_FUN_EXPORT PFNGLBLENDPARAMETERINVPROC __glewBlendParameteriNV; GLEW_FUN_EXPORT PFNGLVIEWPORTPOSITIONWSCALENVPROC __glewViewportPositionWScaleNV; GLEW_FUN_EXPORT PFNGLCALLCOMMANDLISTNVPROC __glewCallCommandListNV; GLEW_FUN_EXPORT PFNGLCOMMANDLISTSEGMENTSNVPROC __glewCommandListSegmentsNV; GLEW_FUN_EXPORT PFNGLCOMPILECOMMANDLISTNVPROC __glewCompileCommandListNV; GLEW_FUN_EXPORT PFNGLCREATECOMMANDLISTSNVPROC __glewCreateCommandListsNV; GLEW_FUN_EXPORT PFNGLCREATESTATESNVPROC __glewCreateStatesNV; GLEW_FUN_EXPORT PFNGLDELETECOMMANDLISTSNVPROC __glewDeleteCommandListsNV; GLEW_FUN_EXPORT PFNGLDELETESTATESNVPROC __glewDeleteStatesNV; GLEW_FUN_EXPORT PFNGLDRAWCOMMANDSADDRESSNVPROC __glewDrawCommandsAddressNV; GLEW_FUN_EXPORT PFNGLDRAWCOMMANDSNVPROC __glewDrawCommandsNV; GLEW_FUN_EXPORT PFNGLDRAWCOMMANDSSTATESADDRESSNVPROC __glewDrawCommandsStatesAddressNV; GLEW_FUN_EXPORT PFNGLDRAWCOMMANDSSTATESNVPROC __glewDrawCommandsStatesNV; GLEW_FUN_EXPORT PFNGLGETCOMMANDHEADERNVPROC __glewGetCommandHeaderNV; GLEW_FUN_EXPORT PFNGLGETSTAGEINDEXNVPROC __glewGetStageIndexNV; GLEW_FUN_EXPORT PFNGLISCOMMANDLISTNVPROC __glewIsCommandListNV; GLEW_FUN_EXPORT PFNGLISSTATENVPROC __glewIsStateNV; GLEW_FUN_EXPORT PFNGLLISTDRAWCOMMANDSSTATESCLIENTNVPROC __glewListDrawCommandsStatesClientNV; GLEW_FUN_EXPORT PFNGLSTATECAPTURENVPROC __glewStateCaptureNV; GLEW_FUN_EXPORT PFNGLBEGINCONDITIONALRENDERNVPROC __glewBeginConditionalRenderNV; GLEW_FUN_EXPORT PFNGLENDCONDITIONALRENDERNVPROC __glewEndConditionalRenderNV; GLEW_FUN_EXPORT PFNGLSUBPIXELPRECISIONBIASNVPROC __glewSubpixelPrecisionBiasNV; GLEW_FUN_EXPORT PFNGLCONSERVATIVERASTERPARAMETERFNVPROC __glewConservativeRasterParameterfNV; GLEW_FUN_EXPORT PFNGLCONSERVATIVERASTERPARAMETERINVPROC __glewConservativeRasterParameteriNV; GLEW_FUN_EXPORT PFNGLCOPYBUFFERSUBDATANVPROC __glewCopyBufferSubDataNV; GLEW_FUN_EXPORT PFNGLCOPYIMAGESUBDATANVPROC __glewCopyImageSubDataNV; GLEW_FUN_EXPORT PFNGLCLEARDEPTHDNVPROC __glewClearDepthdNV; GLEW_FUN_EXPORT PFNGLDEPTHBOUNDSDNVPROC __glewDepthBoundsdNV; GLEW_FUN_EXPORT PFNGLDEPTHRANGEDNVPROC __glewDepthRangedNV; GLEW_FUN_EXPORT PFNGLDRAWBUFFERSNVPROC __glewDrawBuffersNV; GLEW_FUN_EXPORT PFNGLDRAWARRAYSINSTANCEDNVPROC __glewDrawArraysInstancedNV; GLEW_FUN_EXPORT PFNGLDRAWELEMENTSINSTANCEDNVPROC __glewDrawElementsInstancedNV; GLEW_FUN_EXPORT PFNGLDRAWTEXTURENVPROC __glewDrawTextureNV; GLEW_FUN_EXPORT PFNGLDRAWVKIMAGENVPROC __glewDrawVkImageNV; GLEW_FUN_EXPORT PFNGLGETVKPROCADDRNVPROC __glewGetVkProcAddrNV; GLEW_FUN_EXPORT PFNGLSIGNALVKFENCENVPROC __glewSignalVkFenceNV; GLEW_FUN_EXPORT PFNGLSIGNALVKSEMAPHORENVPROC __glewSignalVkSemaphoreNV; GLEW_FUN_EXPORT PFNGLWAITVKSEMAPHORENVPROC __glewWaitVkSemaphoreNV; GLEW_FUN_EXPORT PFNGLEVALMAPSNVPROC __glewEvalMapsNV; GLEW_FUN_EXPORT PFNGLGETMAPATTRIBPARAMETERFVNVPROC __glewGetMapAttribParameterfvNV; GLEW_FUN_EXPORT PFNGLGETMAPATTRIBPARAMETERIVNVPROC __glewGetMapAttribParameterivNV; GLEW_FUN_EXPORT PFNGLGETMAPCONTROLPOINTSNVPROC __glewGetMapControlPointsNV; GLEW_FUN_EXPORT PFNGLGETMAPPARAMETERFVNVPROC __glewGetMapParameterfvNV; GLEW_FUN_EXPORT PFNGLGETMAPPARAMETERIVNVPROC __glewGetMapParameterivNV; GLEW_FUN_EXPORT PFNGLMAPCONTROLPOINTSNVPROC __glewMapControlPointsNV; GLEW_FUN_EXPORT PFNGLMAPPARAMETERFVNVPROC __glewMapParameterfvNV; GLEW_FUN_EXPORT PFNGLMAPPARAMETERIVNVPROC __glewMapParameterivNV; GLEW_FUN_EXPORT PFNGLGETMULTISAMPLEFVNVPROC __glewGetMultisamplefvNV; GLEW_FUN_EXPORT PFNGLSAMPLEMASKINDEXEDNVPROC __glewSampleMaskIndexedNV; GLEW_FUN_EXPORT PFNGLTEXRENDERBUFFERNVPROC __glewTexRenderbufferNV; GLEW_FUN_EXPORT PFNGLDELETEFENCESNVPROC __glewDeleteFencesNV; GLEW_FUN_EXPORT PFNGLFINISHFENCENVPROC __glewFinishFenceNV; GLEW_FUN_EXPORT PFNGLGENFENCESNVPROC __glewGenFencesNV; GLEW_FUN_EXPORT PFNGLGETFENCEIVNVPROC __glewGetFenceivNV; GLEW_FUN_EXPORT PFNGLISFENCENVPROC __glewIsFenceNV; GLEW_FUN_EXPORT PFNGLSETFENCENVPROC __glewSetFenceNV; GLEW_FUN_EXPORT PFNGLTESTFENCENVPROC __glewTestFenceNV; GLEW_FUN_EXPORT PFNGLFRAGMENTCOVERAGECOLORNVPROC __glewFragmentCoverageColorNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMNAMEDPARAMETERDVNVPROC __glewGetProgramNamedParameterdvNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMNAMEDPARAMETERFVNVPROC __glewGetProgramNamedParameterfvNV; GLEW_FUN_EXPORT PFNGLPROGRAMNAMEDPARAMETER4DNVPROC __glewProgramNamedParameter4dNV; GLEW_FUN_EXPORT PFNGLPROGRAMNAMEDPARAMETER4DVNVPROC __glewProgramNamedParameter4dvNV; GLEW_FUN_EXPORT PFNGLPROGRAMNAMEDPARAMETER4FNVPROC __glewProgramNamedParameter4fNV; GLEW_FUN_EXPORT PFNGLPROGRAMNAMEDPARAMETER4FVNVPROC __glewProgramNamedParameter4fvNV; GLEW_FUN_EXPORT PFNGLBLITFRAMEBUFFERNVPROC __glewBlitFramebufferNV; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEMULTISAMPLENVPROC __glewRenderbufferStorageMultisampleNV; GLEW_FUN_EXPORT PFNGLRENDERBUFFERSTORAGEMULTISAMPLECOVERAGENVPROC __glewRenderbufferStorageMultisampleCoverageNV; GLEW_FUN_EXPORT PFNGLPROGRAMVERTEXLIMITNVPROC __glewProgramVertexLimitNV; GLEW_FUN_EXPORT PFNGLMULTICASTBARRIERNVPROC __glewMulticastBarrierNV; GLEW_FUN_EXPORT PFNGLMULTICASTBLITFRAMEBUFFERNVPROC __glewMulticastBlitFramebufferNV; GLEW_FUN_EXPORT PFNGLMULTICASTBUFFERSUBDATANVPROC __glewMulticastBufferSubDataNV; GLEW_FUN_EXPORT PFNGLMULTICASTCOPYBUFFERSUBDATANVPROC __glewMulticastCopyBufferSubDataNV; GLEW_FUN_EXPORT PFNGLMULTICASTCOPYIMAGESUBDATANVPROC __glewMulticastCopyImageSubDataNV; GLEW_FUN_EXPORT PFNGLMULTICASTFRAMEBUFFERSAMPLELOCATIONSFVNVPROC __glewMulticastFramebufferSampleLocationsfvNV; GLEW_FUN_EXPORT PFNGLMULTICASTGETQUERYOBJECTI64VNVPROC __glewMulticastGetQueryObjecti64vNV; GLEW_FUN_EXPORT PFNGLMULTICASTGETQUERYOBJECTIVNVPROC __glewMulticastGetQueryObjectivNV; GLEW_FUN_EXPORT PFNGLMULTICASTGETQUERYOBJECTUI64VNVPROC __glewMulticastGetQueryObjectui64vNV; GLEW_FUN_EXPORT PFNGLMULTICASTGETQUERYOBJECTUIVNVPROC __glewMulticastGetQueryObjectuivNV; GLEW_FUN_EXPORT PFNGLMULTICASTWAITSYNCNVPROC __glewMulticastWaitSyncNV; GLEW_FUN_EXPORT PFNGLRENDERGPUMASKNVPROC __glewRenderGpuMaskNV; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERI4INVPROC __glewProgramEnvParameterI4iNV; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERI4IVNVPROC __glewProgramEnvParameterI4ivNV; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERI4UINVPROC __glewProgramEnvParameterI4uiNV; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERI4UIVNVPROC __glewProgramEnvParameterI4uivNV; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERSI4IVNVPROC __glewProgramEnvParametersI4ivNV; GLEW_FUN_EXPORT PFNGLPROGRAMENVPARAMETERSI4UIVNVPROC __glewProgramEnvParametersI4uivNV; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERI4INVPROC __glewProgramLocalParameterI4iNV; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERI4IVNVPROC __glewProgramLocalParameterI4ivNV; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERI4UINVPROC __glewProgramLocalParameterI4uiNV; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERI4UIVNVPROC __glewProgramLocalParameterI4uivNV; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERSI4IVNVPROC __glewProgramLocalParametersI4ivNV; GLEW_FUN_EXPORT PFNGLPROGRAMLOCALPARAMETERSI4UIVNVPROC __glewProgramLocalParametersI4uivNV; GLEW_FUN_EXPORT PFNGLGETUNIFORMI64VNVPROC __glewGetUniformi64vNV; GLEW_FUN_EXPORT PFNGLGETUNIFORMUI64VNVPROC __glewGetUniformui64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1I64NVPROC __glewProgramUniform1i64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1I64VNVPROC __glewProgramUniform1i64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UI64NVPROC __glewProgramUniform1ui64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM1UI64VNVPROC __glewProgramUniform1ui64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2I64NVPROC __glewProgramUniform2i64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2I64VNVPROC __glewProgramUniform2i64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UI64NVPROC __glewProgramUniform2ui64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM2UI64VNVPROC __glewProgramUniform2ui64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3I64NVPROC __glewProgramUniform3i64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3I64VNVPROC __glewProgramUniform3i64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UI64NVPROC __glewProgramUniform3ui64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM3UI64VNVPROC __glewProgramUniform3ui64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4I64NVPROC __glewProgramUniform4i64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4I64VNVPROC __glewProgramUniform4i64vNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UI64NVPROC __glewProgramUniform4ui64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORM4UI64VNVPROC __glewProgramUniform4ui64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM1I64NVPROC __glewUniform1i64NV; GLEW_FUN_EXPORT PFNGLUNIFORM1I64VNVPROC __glewUniform1i64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM1UI64NVPROC __glewUniform1ui64NV; GLEW_FUN_EXPORT PFNGLUNIFORM1UI64VNVPROC __glewUniform1ui64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM2I64NVPROC __glewUniform2i64NV; GLEW_FUN_EXPORT PFNGLUNIFORM2I64VNVPROC __glewUniform2i64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM2UI64NVPROC __glewUniform2ui64NV; GLEW_FUN_EXPORT PFNGLUNIFORM2UI64VNVPROC __glewUniform2ui64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM3I64NVPROC __glewUniform3i64NV; GLEW_FUN_EXPORT PFNGLUNIFORM3I64VNVPROC __glewUniform3i64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM3UI64NVPROC __glewUniform3ui64NV; GLEW_FUN_EXPORT PFNGLUNIFORM3UI64VNVPROC __glewUniform3ui64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM4I64NVPROC __glewUniform4i64NV; GLEW_FUN_EXPORT PFNGLUNIFORM4I64VNVPROC __glewUniform4i64vNV; GLEW_FUN_EXPORT PFNGLUNIFORM4UI64NVPROC __glewUniform4ui64NV; GLEW_FUN_EXPORT PFNGLUNIFORM4UI64VNVPROC __glewUniform4ui64vNV; GLEW_FUN_EXPORT PFNGLCOLOR3HNVPROC __glewColor3hNV; GLEW_FUN_EXPORT PFNGLCOLOR3HVNVPROC __glewColor3hvNV; GLEW_FUN_EXPORT PFNGLCOLOR4HNVPROC __glewColor4hNV; GLEW_FUN_EXPORT PFNGLCOLOR4HVNVPROC __glewColor4hvNV; GLEW_FUN_EXPORT PFNGLFOGCOORDHNVPROC __glewFogCoordhNV; GLEW_FUN_EXPORT PFNGLFOGCOORDHVNVPROC __glewFogCoordhvNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1HNVPROC __glewMultiTexCoord1hNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD1HVNVPROC __glewMultiTexCoord1hvNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2HNVPROC __glewMultiTexCoord2hNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD2HVNVPROC __glewMultiTexCoord2hvNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3HNVPROC __glewMultiTexCoord3hNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD3HVNVPROC __glewMultiTexCoord3hvNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4HNVPROC __glewMultiTexCoord4hNV; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4HVNVPROC __glewMultiTexCoord4hvNV; GLEW_FUN_EXPORT PFNGLNORMAL3HNVPROC __glewNormal3hNV; GLEW_FUN_EXPORT PFNGLNORMAL3HVNVPROC __glewNormal3hvNV; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3HNVPROC __glewSecondaryColor3hNV; GLEW_FUN_EXPORT PFNGLSECONDARYCOLOR3HVNVPROC __glewSecondaryColor3hvNV; GLEW_FUN_EXPORT PFNGLTEXCOORD1HNVPROC __glewTexCoord1hNV; GLEW_FUN_EXPORT PFNGLTEXCOORD1HVNVPROC __glewTexCoord1hvNV; GLEW_FUN_EXPORT PFNGLTEXCOORD2HNVPROC __glewTexCoord2hNV; GLEW_FUN_EXPORT PFNGLTEXCOORD2HVNVPROC __glewTexCoord2hvNV; GLEW_FUN_EXPORT PFNGLTEXCOORD3HNVPROC __glewTexCoord3hNV; GLEW_FUN_EXPORT PFNGLTEXCOORD3HVNVPROC __glewTexCoord3hvNV; GLEW_FUN_EXPORT PFNGLTEXCOORD4HNVPROC __glewTexCoord4hNV; GLEW_FUN_EXPORT PFNGLTEXCOORD4HVNVPROC __glewTexCoord4hvNV; GLEW_FUN_EXPORT PFNGLVERTEX2HNVPROC __glewVertex2hNV; GLEW_FUN_EXPORT PFNGLVERTEX2HVNVPROC __glewVertex2hvNV; GLEW_FUN_EXPORT PFNGLVERTEX3HNVPROC __glewVertex3hNV; GLEW_FUN_EXPORT PFNGLVERTEX3HVNVPROC __glewVertex3hvNV; GLEW_FUN_EXPORT PFNGLVERTEX4HNVPROC __glewVertex4hNV; GLEW_FUN_EXPORT PFNGLVERTEX4HVNVPROC __glewVertex4hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1HNVPROC __glewVertexAttrib1hNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1HVNVPROC __glewVertexAttrib1hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2HNVPROC __glewVertexAttrib2hNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2HVNVPROC __glewVertexAttrib2hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3HNVPROC __glewVertexAttrib3hNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3HVNVPROC __glewVertexAttrib3hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4HNVPROC __glewVertexAttrib4hNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4HVNVPROC __glewVertexAttrib4hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS1HVNVPROC __glewVertexAttribs1hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS2HVNVPROC __glewVertexAttribs2hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS3HVNVPROC __glewVertexAttribs3hvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS4HVNVPROC __glewVertexAttribs4hvNV; GLEW_FUN_EXPORT PFNGLVERTEXWEIGHTHNVPROC __glewVertexWeighthNV; GLEW_FUN_EXPORT PFNGLVERTEXWEIGHTHVNVPROC __glewVertexWeighthvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBDIVISORNVPROC __glewVertexAttribDivisorNV; GLEW_FUN_EXPORT PFNGLGETINTERNALFORMATSAMPLEIVNVPROC __glewGetInternalformatSampleivNV; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2X3FVNVPROC __glewUniformMatrix2x3fvNV; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX2X4FVNVPROC __glewUniformMatrix2x4fvNV; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3X2FVNVPROC __glewUniformMatrix3x2fvNV; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX3X4FVNVPROC __glewUniformMatrix3x4fvNV; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4X2FVNVPROC __glewUniformMatrix4x2fvNV; GLEW_FUN_EXPORT PFNGLUNIFORMMATRIX4X3FVNVPROC __glewUniformMatrix4x3fvNV; GLEW_FUN_EXPORT PFNGLBEGINOCCLUSIONQUERYNVPROC __glewBeginOcclusionQueryNV; GLEW_FUN_EXPORT PFNGLDELETEOCCLUSIONQUERIESNVPROC __glewDeleteOcclusionQueriesNV; GLEW_FUN_EXPORT PFNGLENDOCCLUSIONQUERYNVPROC __glewEndOcclusionQueryNV; GLEW_FUN_EXPORT PFNGLGENOCCLUSIONQUERIESNVPROC __glewGenOcclusionQueriesNV; GLEW_FUN_EXPORT PFNGLGETOCCLUSIONQUERYIVNVPROC __glewGetOcclusionQueryivNV; GLEW_FUN_EXPORT PFNGLGETOCCLUSIONQUERYUIVNVPROC __glewGetOcclusionQueryuivNV; GLEW_FUN_EXPORT PFNGLISOCCLUSIONQUERYNVPROC __glewIsOcclusionQueryNV; GLEW_FUN_EXPORT PFNGLPROGRAMBUFFERPARAMETERSIIVNVPROC __glewProgramBufferParametersIivNV; GLEW_FUN_EXPORT PFNGLPROGRAMBUFFERPARAMETERSIUIVNVPROC __glewProgramBufferParametersIuivNV; GLEW_FUN_EXPORT PFNGLPROGRAMBUFFERPARAMETERSFVNVPROC __glewProgramBufferParametersfvNV; GLEW_FUN_EXPORT PFNGLCOPYPATHNVPROC __glewCopyPathNV; GLEW_FUN_EXPORT PFNGLCOVERFILLPATHINSTANCEDNVPROC __glewCoverFillPathInstancedNV; GLEW_FUN_EXPORT PFNGLCOVERFILLPATHNVPROC __glewCoverFillPathNV; GLEW_FUN_EXPORT PFNGLCOVERSTROKEPATHINSTANCEDNVPROC __glewCoverStrokePathInstancedNV; GLEW_FUN_EXPORT PFNGLCOVERSTROKEPATHNVPROC __glewCoverStrokePathNV; GLEW_FUN_EXPORT PFNGLDELETEPATHSNVPROC __glewDeletePathsNV; GLEW_FUN_EXPORT PFNGLGENPATHSNVPROC __glewGenPathsNV; GLEW_FUN_EXPORT PFNGLGETPATHCOLORGENFVNVPROC __glewGetPathColorGenfvNV; GLEW_FUN_EXPORT PFNGLGETPATHCOLORGENIVNVPROC __glewGetPathColorGenivNV; GLEW_FUN_EXPORT PFNGLGETPATHCOMMANDSNVPROC __glewGetPathCommandsNV; GLEW_FUN_EXPORT PFNGLGETPATHCOORDSNVPROC __glewGetPathCoordsNV; GLEW_FUN_EXPORT PFNGLGETPATHDASHARRAYNVPROC __glewGetPathDashArrayNV; GLEW_FUN_EXPORT PFNGLGETPATHLENGTHNVPROC __glewGetPathLengthNV; GLEW_FUN_EXPORT PFNGLGETPATHMETRICRANGENVPROC __glewGetPathMetricRangeNV; GLEW_FUN_EXPORT PFNGLGETPATHMETRICSNVPROC __glewGetPathMetricsNV; GLEW_FUN_EXPORT PFNGLGETPATHPARAMETERFVNVPROC __glewGetPathParameterfvNV; GLEW_FUN_EXPORT PFNGLGETPATHPARAMETERIVNVPROC __glewGetPathParameterivNV; GLEW_FUN_EXPORT PFNGLGETPATHSPACINGNVPROC __glewGetPathSpacingNV; GLEW_FUN_EXPORT PFNGLGETPATHTEXGENFVNVPROC __glewGetPathTexGenfvNV; GLEW_FUN_EXPORT PFNGLGETPATHTEXGENIVNVPROC __glewGetPathTexGenivNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMRESOURCEFVNVPROC __glewGetProgramResourcefvNV; GLEW_FUN_EXPORT PFNGLINTERPOLATEPATHSNVPROC __glewInterpolatePathsNV; GLEW_FUN_EXPORT PFNGLISPATHNVPROC __glewIsPathNV; GLEW_FUN_EXPORT PFNGLISPOINTINFILLPATHNVPROC __glewIsPointInFillPathNV; GLEW_FUN_EXPORT PFNGLISPOINTINSTROKEPATHNVPROC __glewIsPointInStrokePathNV; GLEW_FUN_EXPORT PFNGLMATRIXLOAD3X2FNVPROC __glewMatrixLoad3x2fNV; GLEW_FUN_EXPORT PFNGLMATRIXLOAD3X3FNVPROC __glewMatrixLoad3x3fNV; GLEW_FUN_EXPORT PFNGLMATRIXLOADTRANSPOSE3X3FNVPROC __glewMatrixLoadTranspose3x3fNV; GLEW_FUN_EXPORT PFNGLMATRIXMULT3X2FNVPROC __glewMatrixMult3x2fNV; GLEW_FUN_EXPORT PFNGLMATRIXMULT3X3FNVPROC __glewMatrixMult3x3fNV; GLEW_FUN_EXPORT PFNGLMATRIXMULTTRANSPOSE3X3FNVPROC __glewMatrixMultTranspose3x3fNV; GLEW_FUN_EXPORT PFNGLPATHCOLORGENNVPROC __glewPathColorGenNV; GLEW_FUN_EXPORT PFNGLPATHCOMMANDSNVPROC __glewPathCommandsNV; GLEW_FUN_EXPORT PFNGLPATHCOORDSNVPROC __glewPathCoordsNV; GLEW_FUN_EXPORT PFNGLPATHCOVERDEPTHFUNCNVPROC __glewPathCoverDepthFuncNV; GLEW_FUN_EXPORT PFNGLPATHDASHARRAYNVPROC __glewPathDashArrayNV; GLEW_FUN_EXPORT PFNGLPATHFOGGENNVPROC __glewPathFogGenNV; GLEW_FUN_EXPORT PFNGLPATHGLYPHINDEXARRAYNVPROC __glewPathGlyphIndexArrayNV; GLEW_FUN_EXPORT PFNGLPATHGLYPHINDEXRANGENVPROC __glewPathGlyphIndexRangeNV; GLEW_FUN_EXPORT PFNGLPATHGLYPHRANGENVPROC __glewPathGlyphRangeNV; GLEW_FUN_EXPORT PFNGLPATHGLYPHSNVPROC __glewPathGlyphsNV; GLEW_FUN_EXPORT PFNGLPATHMEMORYGLYPHINDEXARRAYNVPROC __glewPathMemoryGlyphIndexArrayNV; GLEW_FUN_EXPORT PFNGLPATHPARAMETERFNVPROC __glewPathParameterfNV; GLEW_FUN_EXPORT PFNGLPATHPARAMETERFVNVPROC __glewPathParameterfvNV; GLEW_FUN_EXPORT PFNGLPATHPARAMETERINVPROC __glewPathParameteriNV; GLEW_FUN_EXPORT PFNGLPATHPARAMETERIVNVPROC __glewPathParameterivNV; GLEW_FUN_EXPORT PFNGLPATHSTENCILDEPTHOFFSETNVPROC __glewPathStencilDepthOffsetNV; GLEW_FUN_EXPORT PFNGLPATHSTENCILFUNCNVPROC __glewPathStencilFuncNV; GLEW_FUN_EXPORT PFNGLPATHSTRINGNVPROC __glewPathStringNV; GLEW_FUN_EXPORT PFNGLPATHSUBCOMMANDSNVPROC __glewPathSubCommandsNV; GLEW_FUN_EXPORT PFNGLPATHSUBCOORDSNVPROC __glewPathSubCoordsNV; GLEW_FUN_EXPORT PFNGLPATHTEXGENNVPROC __glewPathTexGenNV; GLEW_FUN_EXPORT PFNGLPOINTALONGPATHNVPROC __glewPointAlongPathNV; GLEW_FUN_EXPORT PFNGLPROGRAMPATHFRAGMENTINPUTGENNVPROC __glewProgramPathFragmentInputGenNV; GLEW_FUN_EXPORT PFNGLSTENCILFILLPATHINSTANCEDNVPROC __glewStencilFillPathInstancedNV; GLEW_FUN_EXPORT PFNGLSTENCILFILLPATHNVPROC __glewStencilFillPathNV; GLEW_FUN_EXPORT PFNGLSTENCILSTROKEPATHINSTANCEDNVPROC __glewStencilStrokePathInstancedNV; GLEW_FUN_EXPORT PFNGLSTENCILSTROKEPATHNVPROC __glewStencilStrokePathNV; GLEW_FUN_EXPORT PFNGLSTENCILTHENCOVERFILLPATHINSTANCEDNVPROC __glewStencilThenCoverFillPathInstancedNV; GLEW_FUN_EXPORT PFNGLSTENCILTHENCOVERFILLPATHNVPROC __glewStencilThenCoverFillPathNV; GLEW_FUN_EXPORT PFNGLSTENCILTHENCOVERSTROKEPATHINSTANCEDNVPROC __glewStencilThenCoverStrokePathInstancedNV; GLEW_FUN_EXPORT PFNGLSTENCILTHENCOVERSTROKEPATHNVPROC __glewStencilThenCoverStrokePathNV; GLEW_FUN_EXPORT PFNGLTRANSFORMPATHNVPROC __glewTransformPathNV; GLEW_FUN_EXPORT PFNGLWEIGHTPATHSNVPROC __glewWeightPathsNV; GLEW_FUN_EXPORT PFNGLFLUSHPIXELDATARANGENVPROC __glewFlushPixelDataRangeNV; GLEW_FUN_EXPORT PFNGLPIXELDATARANGENVPROC __glewPixelDataRangeNV; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERINVPROC __glewPointParameteriNV; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERIVNVPROC __glewPointParameterivNV; GLEW_FUN_EXPORT PFNGLPOLYGONMODENVPROC __glewPolygonModeNV; GLEW_FUN_EXPORT PFNGLGETVIDEOI64VNVPROC __glewGetVideoi64vNV; GLEW_FUN_EXPORT PFNGLGETVIDEOIVNVPROC __glewGetVideoivNV; GLEW_FUN_EXPORT PFNGLGETVIDEOUI64VNVPROC __glewGetVideoui64vNV; GLEW_FUN_EXPORT PFNGLGETVIDEOUIVNVPROC __glewGetVideouivNV; GLEW_FUN_EXPORT PFNGLPRESENTFRAMEDUALFILLNVPROC __glewPresentFrameDualFillNV; GLEW_FUN_EXPORT PFNGLPRESENTFRAMEKEYEDNVPROC __glewPresentFrameKeyedNV; GLEW_FUN_EXPORT PFNGLPRIMITIVERESTARTINDEXNVPROC __glewPrimitiveRestartIndexNV; GLEW_FUN_EXPORT PFNGLPRIMITIVERESTARTNVPROC __glewPrimitiveRestartNV; GLEW_FUN_EXPORT PFNGLCOMBINERINPUTNVPROC __glewCombinerInputNV; GLEW_FUN_EXPORT PFNGLCOMBINEROUTPUTNVPROC __glewCombinerOutputNV; GLEW_FUN_EXPORT PFNGLCOMBINERPARAMETERFNVPROC __glewCombinerParameterfNV; GLEW_FUN_EXPORT PFNGLCOMBINERPARAMETERFVNVPROC __glewCombinerParameterfvNV; GLEW_FUN_EXPORT PFNGLCOMBINERPARAMETERINVPROC __glewCombinerParameteriNV; GLEW_FUN_EXPORT PFNGLCOMBINERPARAMETERIVNVPROC __glewCombinerParameterivNV; GLEW_FUN_EXPORT PFNGLFINALCOMBINERINPUTNVPROC __glewFinalCombinerInputNV; GLEW_FUN_EXPORT PFNGLGETCOMBINERINPUTPARAMETERFVNVPROC __glewGetCombinerInputParameterfvNV; GLEW_FUN_EXPORT PFNGLGETCOMBINERINPUTPARAMETERIVNVPROC __glewGetCombinerInputParameterivNV; GLEW_FUN_EXPORT PFNGLGETCOMBINEROUTPUTPARAMETERFVNVPROC __glewGetCombinerOutputParameterfvNV; GLEW_FUN_EXPORT PFNGLGETCOMBINEROUTPUTPARAMETERIVNVPROC __glewGetCombinerOutputParameterivNV; GLEW_FUN_EXPORT PFNGLGETFINALCOMBINERINPUTPARAMETERFVNVPROC __glewGetFinalCombinerInputParameterfvNV; GLEW_FUN_EXPORT PFNGLGETFINALCOMBINERINPUTPARAMETERIVNVPROC __glewGetFinalCombinerInputParameterivNV; GLEW_FUN_EXPORT PFNGLCOMBINERSTAGEPARAMETERFVNVPROC __glewCombinerStageParameterfvNV; GLEW_FUN_EXPORT PFNGLGETCOMBINERSTAGEPARAMETERFVNVPROC __glewGetCombinerStageParameterfvNV; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERSAMPLELOCATIONSFVNVPROC __glewFramebufferSampleLocationsfvNV; GLEW_FUN_EXPORT PFNGLNAMEDFRAMEBUFFERSAMPLELOCATIONSFVNVPROC __glewNamedFramebufferSampleLocationsfvNV; GLEW_FUN_EXPORT PFNGLGETBUFFERPARAMETERUI64VNVPROC __glewGetBufferParameterui64vNV; GLEW_FUN_EXPORT PFNGLGETINTEGERUI64VNVPROC __glewGetIntegerui64vNV; GLEW_FUN_EXPORT PFNGLGETNAMEDBUFFERPARAMETERUI64VNVPROC __glewGetNamedBufferParameterui64vNV; GLEW_FUN_EXPORT PFNGLISBUFFERRESIDENTNVPROC __glewIsBufferResidentNV; GLEW_FUN_EXPORT PFNGLISNAMEDBUFFERRESIDENTNVPROC __glewIsNamedBufferResidentNV; GLEW_FUN_EXPORT PFNGLMAKEBUFFERNONRESIDENTNVPROC __glewMakeBufferNonResidentNV; GLEW_FUN_EXPORT PFNGLMAKEBUFFERRESIDENTNVPROC __glewMakeBufferResidentNV; GLEW_FUN_EXPORT PFNGLMAKENAMEDBUFFERNONRESIDENTNVPROC __glewMakeNamedBufferNonResidentNV; GLEW_FUN_EXPORT PFNGLMAKENAMEDBUFFERRESIDENTNVPROC __glewMakeNamedBufferResidentNV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMUI64NVPROC __glewProgramUniformui64NV; GLEW_FUN_EXPORT PFNGLPROGRAMUNIFORMUI64VNVPROC __glewProgramUniformui64vNV; GLEW_FUN_EXPORT PFNGLUNIFORMUI64NVPROC __glewUniformui64NV; GLEW_FUN_EXPORT PFNGLUNIFORMUI64VNVPROC __glewUniformui64vNV; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXIMAGE3DNVPROC __glewCompressedTexImage3DNV; GLEW_FUN_EXPORT PFNGLCOMPRESSEDTEXSUBIMAGE3DNVPROC __glewCompressedTexSubImage3DNV; GLEW_FUN_EXPORT PFNGLCOPYTEXSUBIMAGE3DNVPROC __glewCopyTexSubImage3DNV; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTURELAYERNVPROC __glewFramebufferTextureLayerNV; GLEW_FUN_EXPORT PFNGLTEXIMAGE3DNVPROC __glewTexImage3DNV; GLEW_FUN_EXPORT PFNGLTEXSUBIMAGE3DNVPROC __glewTexSubImage3DNV; GLEW_FUN_EXPORT PFNGLTEXTUREBARRIERNVPROC __glewTextureBarrierNV; GLEW_FUN_EXPORT PFNGLTEXIMAGE2DMULTISAMPLECOVERAGENVPROC __glewTexImage2DMultisampleCoverageNV; GLEW_FUN_EXPORT PFNGLTEXIMAGE3DMULTISAMPLECOVERAGENVPROC __glewTexImage3DMultisampleCoverageNV; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE2DMULTISAMPLECOVERAGENVPROC __glewTextureImage2DMultisampleCoverageNV; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE2DMULTISAMPLENVPROC __glewTextureImage2DMultisampleNV; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE3DMULTISAMPLECOVERAGENVPROC __glewTextureImage3DMultisampleCoverageNV; GLEW_FUN_EXPORT PFNGLTEXTUREIMAGE3DMULTISAMPLENVPROC __glewTextureImage3DMultisampleNV; GLEW_FUN_EXPORT PFNGLACTIVEVARYINGNVPROC __glewActiveVaryingNV; GLEW_FUN_EXPORT PFNGLBEGINTRANSFORMFEEDBACKNVPROC __glewBeginTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLBINDBUFFERBASENVPROC __glewBindBufferBaseNV; GLEW_FUN_EXPORT PFNGLBINDBUFFEROFFSETNVPROC __glewBindBufferOffsetNV; GLEW_FUN_EXPORT PFNGLBINDBUFFERRANGENVPROC __glewBindBufferRangeNV; GLEW_FUN_EXPORT PFNGLENDTRANSFORMFEEDBACKNVPROC __glewEndTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLGETACTIVEVARYINGNVPROC __glewGetActiveVaryingNV; GLEW_FUN_EXPORT PFNGLGETTRANSFORMFEEDBACKVARYINGNVPROC __glewGetTransformFeedbackVaryingNV; GLEW_FUN_EXPORT PFNGLGETVARYINGLOCATIONNVPROC __glewGetVaryingLocationNV; GLEW_FUN_EXPORT PFNGLTRANSFORMFEEDBACKATTRIBSNVPROC __glewTransformFeedbackAttribsNV; GLEW_FUN_EXPORT PFNGLTRANSFORMFEEDBACKVARYINGSNVPROC __glewTransformFeedbackVaryingsNV; GLEW_FUN_EXPORT PFNGLBINDTRANSFORMFEEDBACKNVPROC __glewBindTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLDELETETRANSFORMFEEDBACKSNVPROC __glewDeleteTransformFeedbacksNV; GLEW_FUN_EXPORT PFNGLDRAWTRANSFORMFEEDBACKNVPROC __glewDrawTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLGENTRANSFORMFEEDBACKSNVPROC __glewGenTransformFeedbacksNV; GLEW_FUN_EXPORT PFNGLISTRANSFORMFEEDBACKNVPROC __glewIsTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLPAUSETRANSFORMFEEDBACKNVPROC __glewPauseTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLRESUMETRANSFORMFEEDBACKNVPROC __glewResumeTransformFeedbackNV; GLEW_FUN_EXPORT PFNGLVDPAUFININVPROC __glewVDPAUFiniNV; GLEW_FUN_EXPORT PFNGLVDPAUGETSURFACEIVNVPROC __glewVDPAUGetSurfaceivNV; GLEW_FUN_EXPORT PFNGLVDPAUINITNVPROC __glewVDPAUInitNV; GLEW_FUN_EXPORT PFNGLVDPAUISSURFACENVPROC __glewVDPAUIsSurfaceNV; GLEW_FUN_EXPORT PFNGLVDPAUMAPSURFACESNVPROC __glewVDPAUMapSurfacesNV; GLEW_FUN_EXPORT PFNGLVDPAUREGISTEROUTPUTSURFACENVPROC __glewVDPAURegisterOutputSurfaceNV; GLEW_FUN_EXPORT PFNGLVDPAUREGISTERVIDEOSURFACENVPROC __glewVDPAURegisterVideoSurfaceNV; GLEW_FUN_EXPORT PFNGLVDPAUSURFACEACCESSNVPROC __glewVDPAUSurfaceAccessNV; GLEW_FUN_EXPORT PFNGLVDPAUUNMAPSURFACESNVPROC __glewVDPAUUnmapSurfacesNV; GLEW_FUN_EXPORT PFNGLVDPAUUNREGISTERSURFACENVPROC __glewVDPAUUnregisterSurfaceNV; GLEW_FUN_EXPORT PFNGLFLUSHVERTEXARRAYRANGENVPROC __glewFlushVertexArrayRangeNV; GLEW_FUN_EXPORT PFNGLVERTEXARRAYRANGENVPROC __glewVertexArrayRangeNV; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBLI64VNVPROC __glewGetVertexAttribLi64vNV; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBLUI64VNVPROC __glewGetVertexAttribLui64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1I64NVPROC __glewVertexAttribL1i64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1I64VNVPROC __glewVertexAttribL1i64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1UI64NVPROC __glewVertexAttribL1ui64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL1UI64VNVPROC __glewVertexAttribL1ui64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2I64NVPROC __glewVertexAttribL2i64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2I64VNVPROC __glewVertexAttribL2i64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2UI64NVPROC __glewVertexAttribL2ui64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL2UI64VNVPROC __glewVertexAttribL2ui64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3I64NVPROC __glewVertexAttribL3i64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3I64VNVPROC __glewVertexAttribL3i64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3UI64NVPROC __glewVertexAttribL3ui64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL3UI64VNVPROC __glewVertexAttribL3ui64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4I64NVPROC __glewVertexAttribL4i64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4I64VNVPROC __glewVertexAttribL4i64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4UI64NVPROC __glewVertexAttribL4ui64NV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBL4UI64VNVPROC __glewVertexAttribL4ui64vNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBLFORMATNVPROC __glewVertexAttribLFormatNV; GLEW_FUN_EXPORT PFNGLBUFFERADDRESSRANGENVPROC __glewBufferAddressRangeNV; GLEW_FUN_EXPORT PFNGLCOLORFORMATNVPROC __glewColorFormatNV; GLEW_FUN_EXPORT PFNGLEDGEFLAGFORMATNVPROC __glewEdgeFlagFormatNV; GLEW_FUN_EXPORT PFNGLFOGCOORDFORMATNVPROC __glewFogCoordFormatNV; GLEW_FUN_EXPORT PFNGLGETINTEGERUI64I_VNVPROC __glewGetIntegerui64i_vNV; GLEW_FUN_EXPORT PFNGLINDEXFORMATNVPROC __glewIndexFormatNV; GLEW_FUN_EXPORT PFNGLNORMALFORMATNVPROC __glewNormalFormatNV; GLEW_FUN_EXPORT PFNGLSECONDARYCOLORFORMATNVPROC __glewSecondaryColorFormatNV; GLEW_FUN_EXPORT PFNGLTEXCOORDFORMATNVPROC __glewTexCoordFormatNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBFORMATNVPROC __glewVertexAttribFormatNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBIFORMATNVPROC __glewVertexAttribIFormatNV; GLEW_FUN_EXPORT PFNGLVERTEXFORMATNVPROC __glewVertexFormatNV; GLEW_FUN_EXPORT PFNGLAREPROGRAMSRESIDENTNVPROC __glewAreProgramsResidentNV; GLEW_FUN_EXPORT PFNGLBINDPROGRAMNVPROC __glewBindProgramNV; GLEW_FUN_EXPORT PFNGLDELETEPROGRAMSNVPROC __glewDeleteProgramsNV; GLEW_FUN_EXPORT PFNGLEXECUTEPROGRAMNVPROC __glewExecuteProgramNV; GLEW_FUN_EXPORT PFNGLGENPROGRAMSNVPROC __glewGenProgramsNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMPARAMETERDVNVPROC __glewGetProgramParameterdvNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMPARAMETERFVNVPROC __glewGetProgramParameterfvNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMSTRINGNVPROC __glewGetProgramStringNV; GLEW_FUN_EXPORT PFNGLGETPROGRAMIVNVPROC __glewGetProgramivNV; GLEW_FUN_EXPORT PFNGLGETTRACKMATRIXIVNVPROC __glewGetTrackMatrixivNV; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBPOINTERVNVPROC __glewGetVertexAttribPointervNV; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBDVNVPROC __glewGetVertexAttribdvNV; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBFVNVPROC __glewGetVertexAttribfvNV; GLEW_FUN_EXPORT PFNGLGETVERTEXATTRIBIVNVPROC __glewGetVertexAttribivNV; GLEW_FUN_EXPORT PFNGLISPROGRAMNVPROC __glewIsProgramNV; GLEW_FUN_EXPORT PFNGLLOADPROGRAMNVPROC __glewLoadProgramNV; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETER4DNVPROC __glewProgramParameter4dNV; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETER4DVNVPROC __glewProgramParameter4dvNV; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETER4FNVPROC __glewProgramParameter4fNV; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETER4FVNVPROC __glewProgramParameter4fvNV; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETERS4DVNVPROC __glewProgramParameters4dvNV; GLEW_FUN_EXPORT PFNGLPROGRAMPARAMETERS4FVNVPROC __glewProgramParameters4fvNV; GLEW_FUN_EXPORT PFNGLREQUESTRESIDENTPROGRAMSNVPROC __glewRequestResidentProgramsNV; GLEW_FUN_EXPORT PFNGLTRACKMATRIXNVPROC __glewTrackMatrixNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1DNVPROC __glewVertexAttrib1dNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1DVNVPROC __glewVertexAttrib1dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1FNVPROC __glewVertexAttrib1fNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1FVNVPROC __glewVertexAttrib1fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1SNVPROC __glewVertexAttrib1sNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB1SVNVPROC __glewVertexAttrib1svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2DNVPROC __glewVertexAttrib2dNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2DVNVPROC __glewVertexAttrib2dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2FNVPROC __glewVertexAttrib2fNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2FVNVPROC __glewVertexAttrib2fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2SNVPROC __glewVertexAttrib2sNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB2SVNVPROC __glewVertexAttrib2svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3DNVPROC __glewVertexAttrib3dNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3DVNVPROC __glewVertexAttrib3dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3FNVPROC __glewVertexAttrib3fNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3FVNVPROC __glewVertexAttrib3fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3SNVPROC __glewVertexAttrib3sNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB3SVNVPROC __glewVertexAttrib3svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4DNVPROC __glewVertexAttrib4dNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4DVNVPROC __glewVertexAttrib4dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4FNVPROC __glewVertexAttrib4fNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4FVNVPROC __glewVertexAttrib4fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4SNVPROC __glewVertexAttrib4sNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4SVNVPROC __glewVertexAttrib4svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4UBNVPROC __glewVertexAttrib4ubNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIB4UBVNVPROC __glewVertexAttrib4ubvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBPOINTERNVPROC __glewVertexAttribPointerNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS1DVNVPROC __glewVertexAttribs1dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS1FVNVPROC __glewVertexAttribs1fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS1SVNVPROC __glewVertexAttribs1svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS2DVNVPROC __glewVertexAttribs2dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS2FVNVPROC __glewVertexAttribs2fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS2SVNVPROC __glewVertexAttribs2svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS3DVNVPROC __glewVertexAttribs3dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS3FVNVPROC __glewVertexAttribs3fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS3SVNVPROC __glewVertexAttribs3svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS4DVNVPROC __glewVertexAttribs4dvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS4FVNVPROC __glewVertexAttribs4fvNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS4SVNVPROC __glewVertexAttribs4svNV; GLEW_FUN_EXPORT PFNGLVERTEXATTRIBS4UBVNVPROC __glewVertexAttribs4ubvNV; GLEW_FUN_EXPORT PFNGLBEGINVIDEOCAPTURENVPROC __glewBeginVideoCaptureNV; GLEW_FUN_EXPORT PFNGLBINDVIDEOCAPTURESTREAMBUFFERNVPROC __glewBindVideoCaptureStreamBufferNV; GLEW_FUN_EXPORT PFNGLBINDVIDEOCAPTURESTREAMTEXTURENVPROC __glewBindVideoCaptureStreamTextureNV; GLEW_FUN_EXPORT PFNGLENDVIDEOCAPTURENVPROC __glewEndVideoCaptureNV; GLEW_FUN_EXPORT PFNGLGETVIDEOCAPTURESTREAMDVNVPROC __glewGetVideoCaptureStreamdvNV; GLEW_FUN_EXPORT PFNGLGETVIDEOCAPTURESTREAMFVNVPROC __glewGetVideoCaptureStreamfvNV; GLEW_FUN_EXPORT PFNGLGETVIDEOCAPTURESTREAMIVNVPROC __glewGetVideoCaptureStreamivNV; GLEW_FUN_EXPORT PFNGLGETVIDEOCAPTUREIVNVPROC __glewGetVideoCaptureivNV; GLEW_FUN_EXPORT PFNGLVIDEOCAPTURENVPROC __glewVideoCaptureNV; GLEW_FUN_EXPORT PFNGLVIDEOCAPTURESTREAMPARAMETERDVNVPROC __glewVideoCaptureStreamParameterdvNV; GLEW_FUN_EXPORT PFNGLVIDEOCAPTURESTREAMPARAMETERFVNVPROC __glewVideoCaptureStreamParameterfvNV; GLEW_FUN_EXPORT PFNGLVIDEOCAPTURESTREAMPARAMETERIVNVPROC __glewVideoCaptureStreamParameterivNV; GLEW_FUN_EXPORT PFNGLDEPTHRANGEARRAYFVNVPROC __glewDepthRangeArrayfvNV; GLEW_FUN_EXPORT PFNGLDEPTHRANGEINDEXEDFNVPROC __glewDepthRangeIndexedfNV; GLEW_FUN_EXPORT PFNGLDISABLEINVPROC __glewDisableiNV; GLEW_FUN_EXPORT PFNGLENABLEINVPROC __glewEnableiNV; GLEW_FUN_EXPORT PFNGLGETFLOATI_VNVPROC __glewGetFloati_vNV; GLEW_FUN_EXPORT PFNGLISENABLEDINVPROC __glewIsEnablediNV; GLEW_FUN_EXPORT PFNGLSCISSORARRAYVNVPROC __glewScissorArrayvNV; GLEW_FUN_EXPORT PFNGLSCISSORINDEXEDNVPROC __glewScissorIndexedNV; GLEW_FUN_EXPORT PFNGLSCISSORINDEXEDVNVPROC __glewScissorIndexedvNV; GLEW_FUN_EXPORT PFNGLVIEWPORTARRAYVNVPROC __glewViewportArrayvNV; GLEW_FUN_EXPORT PFNGLVIEWPORTINDEXEDFNVPROC __glewViewportIndexedfNV; GLEW_FUN_EXPORT PFNGLVIEWPORTINDEXEDFVNVPROC __glewViewportIndexedfvNV; GLEW_FUN_EXPORT PFNGLVIEWPORTSWIZZLENVPROC __glewViewportSwizzleNV; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREMULTIVIEWOVRPROC __glewFramebufferTextureMultiviewOVR; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERTEXTUREMULTISAMPLEMULTIVIEWOVRPROC __glewFramebufferTextureMultisampleMultiviewOVR; GLEW_FUN_EXPORT PFNGLALPHAFUNCQCOMPROC __glewAlphaFuncQCOM; GLEW_FUN_EXPORT PFNGLDISABLEDRIVERCONTROLQCOMPROC __glewDisableDriverControlQCOM; GLEW_FUN_EXPORT PFNGLENABLEDRIVERCONTROLQCOMPROC __glewEnableDriverControlQCOM; GLEW_FUN_EXPORT PFNGLGETDRIVERCONTROLSTRINGQCOMPROC __glewGetDriverControlStringQCOM; GLEW_FUN_EXPORT PFNGLGETDRIVERCONTROLSQCOMPROC __glewGetDriverControlsQCOM; GLEW_FUN_EXPORT PFNGLEXTGETBUFFERPOINTERVQCOMPROC __glewExtGetBufferPointervQCOM; GLEW_FUN_EXPORT PFNGLEXTGETBUFFERSQCOMPROC __glewExtGetBuffersQCOM; GLEW_FUN_EXPORT PFNGLEXTGETFRAMEBUFFERSQCOMPROC __glewExtGetFramebuffersQCOM; GLEW_FUN_EXPORT PFNGLEXTGETRENDERBUFFERSQCOMPROC __glewExtGetRenderbuffersQCOM; GLEW_FUN_EXPORT PFNGLEXTGETTEXLEVELPARAMETERIVQCOMPROC __glewExtGetTexLevelParameterivQCOM; GLEW_FUN_EXPORT PFNGLEXTGETTEXSUBIMAGEQCOMPROC __glewExtGetTexSubImageQCOM; GLEW_FUN_EXPORT PFNGLEXTGETTEXTURESQCOMPROC __glewExtGetTexturesQCOM; GLEW_FUN_EXPORT PFNGLEXTTEXOBJECTSTATEOVERRIDEIQCOMPROC __glewExtTexObjectStateOverrideiQCOM; GLEW_FUN_EXPORT PFNGLEXTGETPROGRAMBINARYSOURCEQCOMPROC __glewExtGetProgramBinarySourceQCOM; GLEW_FUN_EXPORT PFNGLEXTGETPROGRAMSQCOMPROC __glewExtGetProgramsQCOM; GLEW_FUN_EXPORT PFNGLEXTGETSHADERSQCOMPROC __glewExtGetShadersQCOM; GLEW_FUN_EXPORT PFNGLEXTISPROGRAMBINARYQCOMPROC __glewExtIsProgramBinaryQCOM; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERFOVEATIONCONFIGQCOMPROC __glewFramebufferFoveationConfigQCOM; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERFOVEATIONPARAMETERSQCOMPROC __glewFramebufferFoveationParametersQCOM; GLEW_FUN_EXPORT PFNGLFRAMEBUFFERFETCHBARRIERQCOMPROC __glewFramebufferFetchBarrierQCOM; GLEW_FUN_EXPORT PFNGLENDTILINGQCOMPROC __glewEndTilingQCOM; GLEW_FUN_EXPORT PFNGLSTARTTILINGQCOMPROC __glewStartTilingQCOM; GLEW_FUN_EXPORT PFNGLALPHAFUNCXPROC __glewAlphaFuncx; GLEW_FUN_EXPORT PFNGLCLEARCOLORXPROC __glewClearColorx; GLEW_FUN_EXPORT PFNGLCLEARDEPTHXPROC __glewClearDepthx; GLEW_FUN_EXPORT PFNGLCOLOR4XPROC __glewColor4x; GLEW_FUN_EXPORT PFNGLDEPTHRANGEXPROC __glewDepthRangex; GLEW_FUN_EXPORT PFNGLFOGXPROC __glewFogx; GLEW_FUN_EXPORT PFNGLFOGXVPROC __glewFogxv; GLEW_FUN_EXPORT PFNGLFRUSTUMFPROC __glewFrustumf; GLEW_FUN_EXPORT PFNGLFRUSTUMXPROC __glewFrustumx; GLEW_FUN_EXPORT PFNGLLIGHTMODELXPROC __glewLightModelx; GLEW_FUN_EXPORT PFNGLLIGHTMODELXVPROC __glewLightModelxv; GLEW_FUN_EXPORT PFNGLLIGHTXPROC __glewLightx; GLEW_FUN_EXPORT PFNGLLIGHTXVPROC __glewLightxv; GLEW_FUN_EXPORT PFNGLLINEWIDTHXPROC __glewLineWidthx; GLEW_FUN_EXPORT PFNGLLOADMATRIXXPROC __glewLoadMatrixx; GLEW_FUN_EXPORT PFNGLMATERIALXPROC __glewMaterialx; GLEW_FUN_EXPORT PFNGLMATERIALXVPROC __glewMaterialxv; GLEW_FUN_EXPORT PFNGLMULTMATRIXXPROC __glewMultMatrixx; GLEW_FUN_EXPORT PFNGLMULTITEXCOORD4XPROC __glewMultiTexCoord4x; GLEW_FUN_EXPORT PFNGLNORMAL3XPROC __glewNormal3x; GLEW_FUN_EXPORT PFNGLORTHOFPROC __glewOrthof; GLEW_FUN_EXPORT PFNGLORTHOXPROC __glewOrthox; GLEW_FUN_EXPORT PFNGLPOINTSIZEXPROC __glewPointSizex; GLEW_FUN_EXPORT PFNGLPOLYGONOFFSETXPROC __glewPolygonOffsetx; GLEW_FUN_EXPORT PFNGLROTATEXPROC __glewRotatex; GLEW_FUN_EXPORT PFNGLSAMPLECOVERAGEXPROC __glewSampleCoveragex; GLEW_FUN_EXPORT PFNGLSCALEXPROC __glewScalex; GLEW_FUN_EXPORT PFNGLTEXENVXPROC __glewTexEnvx; GLEW_FUN_EXPORT PFNGLTEXENVXVPROC __glewTexEnvxv; GLEW_FUN_EXPORT PFNGLTEXPARAMETERXPROC __glewTexParameterx; GLEW_FUN_EXPORT PFNGLTRANSLATEXPROC __glewTranslatex; GLEW_FUN_EXPORT PFNGLCLIPPLANEFPROC __glewClipPlanef; GLEW_FUN_EXPORT PFNGLCLIPPLANEXPROC __glewClipPlanex; GLEW_FUN_EXPORT PFNGLGETCLIPPLANEFPROC __glewGetClipPlanef; GLEW_FUN_EXPORT PFNGLGETCLIPPLANEXPROC __glewGetClipPlanex; GLEW_FUN_EXPORT PFNGLGETFIXEDVPROC __glewGetFixedv; GLEW_FUN_EXPORT PFNGLGETLIGHTXVPROC __glewGetLightxv; GLEW_FUN_EXPORT PFNGLGETMATERIALXVPROC __glewGetMaterialxv; GLEW_FUN_EXPORT PFNGLGETTEXENVXVPROC __glewGetTexEnvxv; GLEW_FUN_EXPORT PFNGLGETTEXPARAMETERXVPROC __glewGetTexParameterxv; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERXPROC __glewPointParameterx; GLEW_FUN_EXPORT PFNGLPOINTPARAMETERXVPROC __glewPointParameterxv; GLEW_FUN_EXPORT PFNGLPOINTSIZEPOINTEROESPROC __glewPointSizePointerOES; GLEW_FUN_EXPORT PFNGLTEXPARAMETERXVPROC __glewTexParameterxv; GLEW_FUN_EXPORT PFNGLERRORSTRINGREGALPROC __glewErrorStringREGAL; GLEW_FUN_EXPORT PFNGLGETEXTENSIONREGALPROC __glewGetExtensionREGAL; GLEW_FUN_EXPORT PFNGLISSUPPORTEDREGALPROC __glewIsSupportedREGAL; GLEW_FUN_EXPORT PFNGLLOGMESSAGECALLBACKREGALPROC __glewLogMessageCallbackREGAL; GLEW_FUN_EXPORT PFNGLGETPROCADDRESSREGALPROC __glewGetProcAddressREGAL; GLEW_FUN_EXPORT PFNGLDETAILTEXFUNCSGISPROC __glewDetailTexFuncSGIS; GLEW_FUN_EXPORT PFNGLGETDETAILTEXFUNCSGISPROC __glewGetDetailTexFuncSGIS; GLEW_FUN_EXPORT PFNGLFOGFUNCSGISPROC __glewFogFuncSGIS; GLEW_FUN_EXPORT PFNGLGETFOGFUNCSGISPROC __glewGetFogFuncSGIS; GLEW_FUN_EXPORT PFNGLSAMPLEMASKSGISPROC __glewSampleMaskSGIS; GLEW_FUN_EXPORT PFNGLSAMPLEPATTERNSGISPROC __glewSamplePatternSGIS; GLEW_FUN_EXPORT PFNGLINTERLEAVEDTEXTURECOORDSETSSGISPROC __glewInterleavedTextureCoordSetsSGIS; GLEW_FUN_EXPORT PFNGLSELECTTEXTURECOORDSETSGISPROC __glewSelectTextureCoordSetSGIS; GLEW_FUN_EXPORT PFNGLSELECTTEXTURESGISPROC __glewSelectTextureSGIS; GLEW_FUN_EXPORT PFNGLSELECTTEXTURETRANSFORMSGISPROC __glewSelectTextureTransformSGIS; GLEW_FUN_EXPORT PFNGLMULTISAMPLESUBRECTPOSSGISPROC __glewMultisampleSubRectPosSGIS; GLEW_FUN_EXPORT PFNGLGETSHARPENTEXFUNCSGISPROC __glewGetSharpenTexFuncSGIS; GLEW_FUN_EXPORT PFNGLSHARPENTEXFUNCSGISPROC __glewSharpenTexFuncSGIS; GLEW_FUN_EXPORT PFNGLTEXIMAGE4DSGISPROC __glewTexImage4DSGIS; GLEW_FUN_EXPORT PFNGLTEXSUBIMAGE4DSGISPROC __glewTexSubImage4DSGIS; GLEW_FUN_EXPORT PFNGLGETTEXFILTERFUNCSGISPROC __glewGetTexFilterFuncSGIS; GLEW_FUN_EXPORT PFNGLTEXFILTERFUNCSGISPROC __glewTexFilterFuncSGIS; GLEW_FUN_EXPORT PFNGLASYNCMARKERSGIXPROC __glewAsyncMarkerSGIX; GLEW_FUN_EXPORT PFNGLDELETEASYNCMARKERSSGIXPROC __glewDeleteAsyncMarkersSGIX; GLEW_FUN_EXPORT PFNGLFINISHASYNCSGIXPROC __glewFinishAsyncSGIX; GLEW_FUN_EXPORT PFNGLGENASYNCMARKERSSGIXPROC __glewGenAsyncMarkersSGIX; GLEW_FUN_EXPORT PFNGLISASYNCMARKERSGIXPROC __glewIsAsyncMarkerSGIX; GLEW_FUN_EXPORT PFNGLPOLLASYNCSGIXPROC __glewPollAsyncSGIX; GLEW_FUN_EXPORT PFNGLADDRESSSPACEPROC __glewAddressSpace; GLEW_FUN_EXPORT PFNGLDATAPIPEPROC __glewDataPipe; GLEW_FUN_EXPORT PFNGLFLUSHRASTERSGIXPROC __glewFlushRasterSGIX; GLEW_FUN_EXPORT PFNGLFOGLAYERSSGIXPROC __glewFogLayersSGIX; GLEW_FUN_EXPORT PFNGLGETFOGLAYERSSGIXPROC __glewGetFogLayersSGIX; GLEW_FUN_EXPORT PFNGLTEXTUREFOGSGIXPROC __glewTextureFogSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTCOLORMATERIALSGIXPROC __glewFragmentColorMaterialSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELFSGIXPROC __glewFragmentLightModelfSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELFVSGIXPROC __glewFragmentLightModelfvSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELISGIXPROC __glewFragmentLightModeliSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTMODELIVSGIXPROC __glewFragmentLightModelivSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTFSGIXPROC __glewFragmentLightfSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTFVSGIXPROC __glewFragmentLightfvSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTISGIXPROC __glewFragmentLightiSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTLIGHTIVSGIXPROC __glewFragmentLightivSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALFSGIXPROC __glewFragmentMaterialfSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALFVSGIXPROC __glewFragmentMaterialfvSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALISGIXPROC __glewFragmentMaterialiSGIX; GLEW_FUN_EXPORT PFNGLFRAGMENTMATERIALIVSGIXPROC __glewFragmentMaterialivSGIX; GLEW_FUN_EXPORT PFNGLGETFRAGMENTLIGHTFVSGIXPROC __glewGetFragmentLightfvSGIX; GLEW_FUN_EXPORT PFNGLGETFRAGMENTLIGHTIVSGIXPROC __glewGetFragmentLightivSGIX; GLEW_FUN_EXPORT PFNGLGETFRAGMENTMATERIALFVSGIXPROC __glewGetFragmentMaterialfvSGIX; GLEW_FUN_EXPORT PFNGLGETFRAGMENTMATERIALIVSGIXPROC __glewGetFragmentMaterialivSGIX; GLEW_FUN_EXPORT PFNGLFRAMEZOOMSGIXPROC __glewFrameZoomSGIX; GLEW_FUN_EXPORT PFNGLIGLOOINTERFACESGIXPROC __glewIglooInterfaceSGIX; GLEW_FUN_EXPORT PFNGLALLOCMPEGPREDICTORSSGIXPROC __glewAllocMPEGPredictorsSGIX; GLEW_FUN_EXPORT PFNGLDELETEMPEGPREDICTORSSGIXPROC __glewDeleteMPEGPredictorsSGIX; GLEW_FUN_EXPORT PFNGLGENMPEGPREDICTORSSGIXPROC __glewGenMPEGPredictorsSGIX; GLEW_FUN_EXPORT PFNGLGETMPEGPARAMETERFVSGIXPROC __glewGetMPEGParameterfvSGIX; GLEW_FUN_EXPORT PFNGLGETMPEGPARAMETERIVSGIXPROC __glewGetMPEGParameterivSGIX; GLEW_FUN_EXPORT PFNGLGETMPEGPREDICTORSGIXPROC __glewGetMPEGPredictorSGIX; GLEW_FUN_EXPORT PFNGLGETMPEGQUANTTABLEUBVPROC __glewGetMPEGQuantTableubv; GLEW_FUN_EXPORT PFNGLISMPEGPREDICTORSGIXPROC __glewIsMPEGPredictorSGIX; GLEW_FUN_EXPORT PFNGLMPEGPREDICTORSGIXPROC __glewMPEGPredictorSGIX; GLEW_FUN_EXPORT PFNGLMPEGQUANTTABLEUBVPROC __glewMPEGQuantTableubv; GLEW_FUN_EXPORT PFNGLSWAPMPEGPREDICTORSSGIXPROC __glewSwapMPEGPredictorsSGIX; GLEW_FUN_EXPORT PFNGLGETNONLINLIGHTFVSGIXPROC __glewGetNonlinLightfvSGIX; GLEW_FUN_EXPORT PFNGLGETNONLINMATERIALFVSGIXPROC __glewGetNonlinMaterialfvSGIX; GLEW_FUN_EXPORT PFNGLNONLINLIGHTFVSGIXPROC __glewNonlinLightfvSGIX; GLEW_FUN_EXPORT PFNGLNONLINMATERIALFVSGIXPROC __glewNonlinMaterialfvSGIX; GLEW_FUN_EXPORT PFNGLPIXELTEXGENSGIXPROC __glewPixelTexGenSGIX; GLEW_FUN_EXPORT PFNGLDEFORMSGIXPROC __glewDeformSGIX; GLEW_FUN_EXPORT PFNGLLOADIDENTITYDEFORMATIONMAPSGIXPROC __glewLoadIdentityDeformationMapSGIX; GLEW_FUN_EXPORT PFNGLMESHBREADTHSGIXPROC __glewMeshBreadthSGIX; GLEW_FUN_EXPORT PFNGLMESHSTRIDESGIXPROC __glewMeshStrideSGIX; GLEW_FUN_EXPORT PFNGLREFERENCEPLANESGIXPROC __glewReferencePlaneSGIX; GLEW_FUN_EXPORT PFNGLSPRITEPARAMETERFSGIXPROC __glewSpriteParameterfSGIX; GLEW_FUN_EXPORT PFNGLSPRITEPARAMETERFVSGIXPROC __glewSpriteParameterfvSGIX; GLEW_FUN_EXPORT PFNGLSPRITEPARAMETERISGIXPROC __glewSpriteParameteriSGIX; GLEW_FUN_EXPORT PFNGLSPRITEPARAMETERIVSGIXPROC __glewSpriteParameterivSGIX; GLEW_FUN_EXPORT PFNGLTAGSAMPLEBUFFERSGIXPROC __glewTagSampleBufferSGIX; GLEW_FUN_EXPORT PFNGLGETVECTOROPERATIONSGIXPROC __glewGetVectorOperationSGIX; GLEW_FUN_EXPORT PFNGLVECTOROPERATIONSGIXPROC __glewVectorOperationSGIX; GLEW_FUN_EXPORT PFNGLAREVERTEXARRAYSRESIDENTSGIXPROC __glewAreVertexArraysResidentSGIX; GLEW_FUN_EXPORT PFNGLBINDVERTEXARRAYSGIXPROC __glewBindVertexArraySGIX; GLEW_FUN_EXPORT PFNGLDELETEVERTEXARRAYSSGIXPROC __glewDeleteVertexArraysSGIX; GLEW_FUN_EXPORT PFNGLGENVERTEXARRAYSSGIXPROC __glewGenVertexArraysSGIX; GLEW_FUN_EXPORT PFNGLISVERTEXARRAYSGIXPROC __glewIsVertexArraySGIX; GLEW_FUN_EXPORT PFNGLPRIORITIZEVERTEXARRAYSSGIXPROC __glewPrioritizeVertexArraysSGIX; GLEW_FUN_EXPORT PFNGLCOLORTABLEPARAMETERFVSGIPROC __glewColorTableParameterfvSGI; GLEW_FUN_EXPORT PFNGLCOLORTABLEPARAMETERIVSGIPROC __glewColorTableParameterivSGI; GLEW_FUN_EXPORT PFNGLCOLORTABLESGIPROC __glewColorTableSGI; GLEW_FUN_EXPORT PFNGLCOPYCOLORTABLESGIPROC __glewCopyColorTableSGI; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPARAMETERFVSGIPROC __glewGetColorTableParameterfvSGI; GLEW_FUN_EXPORT PFNGLGETCOLORTABLEPARAMETERIVSGIPROC __glewGetColorTableParameterivSGI; GLEW_FUN_EXPORT PFNGLGETCOLORTABLESGIPROC __glewGetColorTableSGI; GLEW_FUN_EXPORT PFNGLGETPIXELTRANSFORMPARAMETERFVSGIPROC __glewGetPixelTransformParameterfvSGI; GLEW_FUN_EXPORT PFNGLGETPIXELTRANSFORMPARAMETERIVSGIPROC __glewGetPixelTransformParameterivSGI; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERFSGIPROC __glewPixelTransformParameterfSGI; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERFVSGIPROC __glewPixelTransformParameterfvSGI; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERISGIPROC __glewPixelTransformParameteriSGI; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMPARAMETERIVSGIPROC __glewPixelTransformParameterivSGI; GLEW_FUN_EXPORT PFNGLPIXELTRANSFORMSGIPROC __glewPixelTransformSGI; GLEW_FUN_EXPORT PFNGLFINISHTEXTURESUNXPROC __glewFinishTextureSUNX; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORBSUNPROC __glewGlobalAlphaFactorbSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORDSUNPROC __glewGlobalAlphaFactordSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORFSUNPROC __glewGlobalAlphaFactorfSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORISUNPROC __glewGlobalAlphaFactoriSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORSSUNPROC __glewGlobalAlphaFactorsSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORUBSUNPROC __glewGlobalAlphaFactorubSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORUISUNPROC __glewGlobalAlphaFactoruiSUN; GLEW_FUN_EXPORT PFNGLGLOBALALPHAFACTORUSSUNPROC __glewGlobalAlphaFactorusSUN; GLEW_FUN_EXPORT PFNGLREADVIDEOPIXELSSUNPROC __glewReadVideoPixelsSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEPOINTERSUNPROC __glewReplacementCodePointerSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUBSUNPROC __glewReplacementCodeubSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUBVSUNPROC __glewReplacementCodeubvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUISUNPROC __glewReplacementCodeuiSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUIVSUNPROC __glewReplacementCodeuivSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUSSUNPROC __glewReplacementCodeusSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUSVSUNPROC __glewReplacementCodeusvSUN; GLEW_FUN_EXPORT PFNGLCOLOR3FVERTEX3FSUNPROC __glewColor3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLCOLOR3FVERTEX3FVSUNPROC __glewColor3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLCOLOR4FNORMAL3FVERTEX3FSUNPROC __glewColor4fNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLCOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewColor4fNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLCOLOR4UBVERTEX2FSUNPROC __glewColor4ubVertex2fSUN; GLEW_FUN_EXPORT PFNGLCOLOR4UBVERTEX2FVSUNPROC __glewColor4ubVertex2fvSUN; GLEW_FUN_EXPORT PFNGLCOLOR4UBVERTEX3FSUNPROC __glewColor4ubVertex3fSUN; GLEW_FUN_EXPORT PFNGLCOLOR4UBVERTEX3FVSUNPROC __glewColor4ubVertex3fvSUN; GLEW_FUN_EXPORT PFNGLNORMAL3FVERTEX3FSUNPROC __glewNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLNORMAL3FVERTEX3FVSUNPROC __glewNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FSUNPROC __glewReplacementCodeuiColor3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUICOLOR3FVERTEX3FVSUNPROC __glewReplacementCodeuiColor3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiColor4fNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUICOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiColor4fNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FSUNPROC __glewReplacementCodeuiColor4ubVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUICOLOR4UBVERTEX3FVSUNPROC __glewReplacementCodeuiColor4ubVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUINORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUITEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiTexCoord2fColor4fNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FSUNPROC __glewReplacementCodeuiTexCoord2fNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUITEXCOORD2FNORMAL3FVERTEX3FVSUNPROC __glewReplacementCodeuiTexCoord2fNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FSUNPROC __glewReplacementCodeuiTexCoord2fVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUITEXCOORD2FVERTEX3FVSUNPROC __glewReplacementCodeuiTexCoord2fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUIVERTEX3FSUNPROC __glewReplacementCodeuiVertex3fSUN; GLEW_FUN_EXPORT PFNGLREPLACEMENTCODEUIVERTEX3FVSUNPROC __glewReplacementCodeuiVertex3fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FCOLOR3FVERTEX3FSUNPROC __glewTexCoord2fColor3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FCOLOR3FVERTEX3FVSUNPROC __glewTexCoord2fColor3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FSUNPROC __glewTexCoord2fColor4fNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FCOLOR4FNORMAL3FVERTEX3FVSUNPROC __glewTexCoord2fColor4fNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FCOLOR4UBVERTEX3FSUNPROC __glewTexCoord2fColor4ubVertex3fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FCOLOR4UBVERTEX3FVSUNPROC __glewTexCoord2fColor4ubVertex3fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FNORMAL3FVERTEX3FSUNPROC __glewTexCoord2fNormal3fVertex3fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FNORMAL3FVERTEX3FVSUNPROC __glewTexCoord2fNormal3fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FVERTEX3FSUNPROC __glewTexCoord2fVertex3fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD2FVERTEX3FVSUNPROC __glewTexCoord2fVertex3fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FSUNPROC __glewTexCoord4fColor4fNormal3fVertex4fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD4FCOLOR4FNORMAL3FVERTEX4FVSUNPROC __glewTexCoord4fColor4fNormal3fVertex4fvSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD4FVERTEX4FSUNPROC __glewTexCoord4fVertex4fSUN; GLEW_FUN_EXPORT PFNGLTEXCOORD4FVERTEX4FVSUNPROC __glewTexCoord4fVertex4fvSUN; GLEW_FUN_EXPORT PFNGLADDSWAPHINTRECTWINPROC __glewAddSwapHintRectWIN; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_1_1; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_1_2; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_1_2_1; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_1_3; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_1_4; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_1_5; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_2_0; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_2_1; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_3_0; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_3_1; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_3_2; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_3_3; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_0; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_1; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_2; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_3; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_4; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_5; GLEW_VAR_EXPORT GLboolean __GLEW_VERSION_4_6; GLEW_VAR_EXPORT GLboolean __GLEW_3DFX_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_3DFX_tbuffer; GLEW_VAR_EXPORT GLboolean __GLEW_3DFX_texture_compression_FXT1; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_blend_minmax_factor; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_compressed_3DC_texture; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_compressed_ATC_texture; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_conservative_depth; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_debug_output; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_depth_clamp_separate; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_draw_buffers_blend; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_framebuffer_sample_positions; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_gcn_shader; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_gpu_shader_half_float; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_gpu_shader_int16; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_gpu_shader_int64; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_interleaved_elements; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_multi_draw_indirect; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_name_gen_delete; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_occlusion_query_event; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_performance_monitor; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_pinned_memory; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_program_binary_Z400; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_query_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_sample_positions; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_seamless_cubemap_per_texture; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_shader_atomic_counter_ops; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_shader_ballot; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_shader_explicit_vertex_parameter; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_shader_stencil_export; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_shader_stencil_value_export; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_shader_trinary_minmax; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_sparse_texture; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_stencil_operation_extended; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_texture_gather_bias_lod; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_texture_texture4; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_transform_feedback3_lines_triangles; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_transform_feedback4; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_vertex_shader_layer; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_vertex_shader_tessellator; GLEW_VAR_EXPORT GLboolean __GLEW_AMD_vertex_shader_viewport_index; GLEW_VAR_EXPORT GLboolean __GLEW_ANDROID_extension_pack_es31a; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_depth_texture; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_framebuffer_blit; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_framebuffer_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_instanced_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_pack_reverse_row_order; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_program_binary; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_texture_compression_dxt1; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_texture_compression_dxt3; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_texture_compression_dxt5; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_texture_usage; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_timer_query; GLEW_VAR_EXPORT GLboolean __GLEW_ANGLE_translated_shader_source; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_aux_depth_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_client_storage; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_clip_distance; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_color_buffer_packed_float; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_copy_texture_levels; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_element_array; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_fence; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_float_pixels; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_flush_buffer_range; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_framebuffer_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_object_purgeable; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_pixel_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_rgb_422; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_row_bytes; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_specular_vector; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_sync; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_texture_2D_limited_npot; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_texture_format_BGRA8888; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_texture_max_level; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_texture_packed_float; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_texture_range; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_transform_hint; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_vertex_array_object; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_vertex_array_range; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_vertex_program_evaluators; GLEW_VAR_EXPORT GLboolean __GLEW_APPLE_ycbcr_422; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_ES2_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_ES3_1_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_ES3_2_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_ES3_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_arrays_of_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_base_instance; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_bindless_texture; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_blend_func_extended; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_buffer_storage; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_cl_event; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_clear_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_clear_texture; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_clip_control; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_color_buffer_float; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_compressed_texture_pixel_storage; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_compute_shader; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_compute_variable_group_size; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_conditional_render_inverted; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_conservative_depth; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_copy_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_copy_image; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_cull_distance; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_debug_output; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_depth_buffer_float; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_depth_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_depth_texture; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_derivative_control; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_direct_state_access; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_draw_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_draw_buffers_blend; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_draw_elements_base_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_draw_indirect; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_draw_instanced; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_enhanced_layouts; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_explicit_attrib_location; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_explicit_uniform_location; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_fragment_coord_conventions; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_fragment_layer_viewport; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_fragment_program; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_fragment_program_shadow; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_fragment_shader; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_fragment_shader_interlock; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_framebuffer_no_attachments; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_framebuffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_framebuffer_sRGB; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_geometry_shader4; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_get_program_binary; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_get_texture_sub_image; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_gl_spirv; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_gpu_shader5; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_gpu_shader_fp64; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_gpu_shader_int64; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_half_float_pixel; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_half_float_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_imaging; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_indirect_parameters; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_instanced_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_internalformat_query; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_internalformat_query2; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_invalidate_subdata; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_map_buffer_alignment; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_map_buffer_range; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_matrix_palette; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_multi_bind; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_multi_draw_indirect; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_multitexture; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_occlusion_query; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_occlusion_query2; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_parallel_shader_compile; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_pipeline_statistics_query; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_pixel_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_point_parameters; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_point_sprite; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_polygon_offset_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_post_depth_coverage; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_program_interface_query; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_provoking_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_query_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_robust_buffer_access_behavior; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_robustness; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_robustness_application_isolation; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_robustness_share_group_isolation; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sample_locations; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sample_shading; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sampler_objects; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_seamless_cube_map; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_seamless_cubemap_per_texture; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_separate_shader_objects; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_atomic_counter_ops; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_atomic_counters; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_ballot; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_bit_encoding; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_clock; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_draw_parameters; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_group_vote; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_image_load_store; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_image_size; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_objects; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_precision; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_stencil_export; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_storage_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_subroutine; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_texture_image_samples; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_texture_lod; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shader_viewport_layer_array; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shading_language_100; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shading_language_420pack; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shading_language_include; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shading_language_packing; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shadow; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_shadow_ambient; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sparse_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sparse_texture; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sparse_texture2; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sparse_texture_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_spirv_extensions; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_stencil_texturing; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_sync; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_tessellation_shader; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_barrier; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_border_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_buffer_object_rgb32; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_buffer_range; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_compression; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_compression_bptc; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_compression_rgtc; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_cube_map; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_cube_map_array; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_env_add; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_env_combine; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_env_crossbar; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_env_dot3; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_filter_anisotropic; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_filter_minmax; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_float; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_gather; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_mirror_clamp_to_edge; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_mirrored_repeat; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_non_power_of_two; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_query_levels; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_query_lod; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_rectangle; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_rg; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_rgb10_a2ui; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_stencil8; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_storage; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_storage_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_swizzle; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_texture_view; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_timer_query; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_transform_feedback2; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_transform_feedback3; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_transform_feedback_instanced; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_transform_feedback_overflow_query; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_transpose_matrix; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_uniform_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_array_bgra; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_array_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_attrib_64bit; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_attrib_binding; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_blend; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_program; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_shader; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_type_10f_11f_11f_rev; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_vertex_type_2_10_10_10_rev; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_viewport_array; GLEW_VAR_EXPORT GLboolean __GLEW_ARB_window_pos; GLEW_VAR_EXPORT GLboolean __GLEW_ARM_mali_program_binary; GLEW_VAR_EXPORT GLboolean __GLEW_ARM_mali_shader_binary; GLEW_VAR_EXPORT GLboolean __GLEW_ARM_rgba8; GLEW_VAR_EXPORT GLboolean __GLEW_ARM_shader_framebuffer_fetch; GLEW_VAR_EXPORT GLboolean __GLEW_ARM_shader_framebuffer_fetch_depth_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_ATIX_point_sprites; GLEW_VAR_EXPORT GLboolean __GLEW_ATIX_texture_env_combine3; GLEW_VAR_EXPORT GLboolean __GLEW_ATIX_texture_env_route; GLEW_VAR_EXPORT GLboolean __GLEW_ATIX_vertex_shader_output_point_size; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_draw_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_element_array; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_envmap_bumpmap; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_fragment_shader; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_map_object_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_meminfo; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_pn_triangles; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_separate_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_shader_texture_lod; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_text_fragment_shader; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_texture_compression_3dc; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_texture_env_combine3; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_texture_float; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_texture_mirror_once; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_vertex_array_object; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_vertex_attrib_array_object; GLEW_VAR_EXPORT GLboolean __GLEW_ATI_vertex_streams; GLEW_VAR_EXPORT GLboolean __GLEW_EGL_KHR_context_flush_control; GLEW_VAR_EXPORT GLboolean __GLEW_EGL_NV_robustness_video_memory_purge; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_422_pixels; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_Cg_shader; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_EGL_image_array; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_YUV_target; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_abgr; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_base_instance; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_bgra; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_bindable_uniform; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_color; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_equation_separate; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_func_extended; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_func_separate; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_logic_op; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_minmax; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_blend_subtract; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_buffer_storage; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_clear_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_clip_cull_distance; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_clip_volume_hint; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_cmyka; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_color_buffer_float; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_color_buffer_half_float; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_color_subtable; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_compiled_vertex_array; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_compressed_ETC1_RGB8_sub_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_conservative_depth; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_convolution; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_coordinate_frame; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_copy_image; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_copy_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_cull_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_debug_label; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_debug_marker; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_depth_bounds_test; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_direct_state_access; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_discard_framebuffer; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_draw_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_draw_buffers2; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_draw_buffers_indexed; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_draw_elements_base_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_draw_instanced; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_draw_range_elements; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_external_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_float_blend; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_fog_coord; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_frag_depth; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_fragment_lighting; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_framebuffer_blit; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_framebuffer_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_framebuffer_multisample_blit_scaled; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_framebuffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_framebuffer_sRGB; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_geometry_point_size; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_geometry_shader; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_geometry_shader4; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_gpu_program_parameters; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_gpu_shader4; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_gpu_shader5; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_histogram; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_index_array_formats; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_index_func; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_index_material; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_index_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_instanced_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_light_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_map_buffer_range; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_memory_object; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_memory_object_fd; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_memory_object_win32; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_misc_attribute; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multi_draw_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multi_draw_indirect; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multiple_textures; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multisample_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multisampled_render_to_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multisampled_render_to_texture2; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_multiview_draw_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_packed_depth_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_packed_float; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_packed_pixels; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_paletted_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_pixel_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_pixel_transform; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_pixel_transform_color_table; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_point_parameters; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_polygon_offset; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_polygon_offset_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_post_depth_coverage; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_provoking_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_pvrtc_sRGB; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_raster_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_read_format_bgra; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_render_snorm; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_rescale_normal; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_sRGB; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_sRGB_write_control; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_scene_marker; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_secondary_color; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_semaphore; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_semaphore_fd; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_semaphore_win32; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_separate_shader_objects; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_separate_specular_color; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_framebuffer_fetch; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_group_vote; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_image_load_formatted; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_image_load_store; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_implicit_conversions; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_integer_mix; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_io_blocks; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_non_constant_global_initializers; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_pixel_local_storage; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_pixel_local_storage2; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shader_texture_lod; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shadow_funcs; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shadow_samplers; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_shared_texture_palette; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_sparse_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_sparse_texture2; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_stencil_clear_tag; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_stencil_two_side; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_stencil_wrap; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_subtexture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture3D; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_array; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_astc_decode_mode; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_astc_decode_mode_rgb9e5; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_bptc; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_dxt1; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_latc; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_rgtc; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_compression_s3tc; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_cube_map; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_cube_map_array; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_edge_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_env; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_env_add; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_env_combine; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_env_dot3; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_filter_anisotropic; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_filter_minmax; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_format_BGRA8888; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_integer; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_lod_bias; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_mirror_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_norm16; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_object; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_perturb_normal; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_rectangle; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_rg; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_sRGB; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_sRGB_R8; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_sRGB_RG8; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_sRGB_decode; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_shared_exponent; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_snorm; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_storage; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_swizzle; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_type_2_10_10_10_REV; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_texture_view; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_timer_query; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_transform_feedback; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_unpack_subimage; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_vertex_array; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_vertex_array_bgra; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_vertex_array_setXXX; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_vertex_attrib_64bit; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_vertex_shader; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_vertex_weighting; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_win32_keyed_mutex; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_window_rectangles; GLEW_VAR_EXPORT GLboolean __GLEW_EXT_x11_sync_object; GLEW_VAR_EXPORT GLboolean __GLEW_GREMEDY_frame_terminator; GLEW_VAR_EXPORT GLboolean __GLEW_GREMEDY_string_marker; GLEW_VAR_EXPORT GLboolean __GLEW_HP_convolution_border_modes; GLEW_VAR_EXPORT GLboolean __GLEW_HP_image_transform; GLEW_VAR_EXPORT GLboolean __GLEW_HP_occlusion_test; GLEW_VAR_EXPORT GLboolean __GLEW_HP_texture_lighting; GLEW_VAR_EXPORT GLboolean __GLEW_IBM_cull_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_IBM_multimode_draw_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_IBM_rasterpos_clip; GLEW_VAR_EXPORT GLboolean __GLEW_IBM_static_data; GLEW_VAR_EXPORT GLboolean __GLEW_IBM_texture_mirrored_repeat; GLEW_VAR_EXPORT GLboolean __GLEW_IBM_vertex_array_lists; GLEW_VAR_EXPORT GLboolean __GLEW_INGR_color_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_INGR_interlace_read; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_conservative_rasterization; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_fragment_shader_ordering; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_framebuffer_CMAA; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_map_texture; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_parallel_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_performance_query; GLEW_VAR_EXPORT GLboolean __GLEW_INTEL_texture_scissor; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_blend_equation_advanced; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_blend_equation_advanced_coherent; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_context_flush_control; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_debug; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_no_error; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_parallel_shader_compile; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_robust_buffer_access_behavior; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_robustness; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_texture_compression_astc_hdr; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_texture_compression_astc_ldr; GLEW_VAR_EXPORT GLboolean __GLEW_KHR_texture_compression_astc_sliced_3d; GLEW_VAR_EXPORT GLboolean __GLEW_KTX_buffer_region; GLEW_VAR_EXPORT GLboolean __GLEW_MESAX_texture_stack; GLEW_VAR_EXPORT GLboolean __GLEW_MESA_pack_invert; GLEW_VAR_EXPORT GLboolean __GLEW_MESA_resize_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_MESA_shader_integer_functions; GLEW_VAR_EXPORT GLboolean __GLEW_MESA_window_pos; GLEW_VAR_EXPORT GLboolean __GLEW_MESA_ycbcr_texture; GLEW_VAR_EXPORT GLboolean __GLEW_NVX_blend_equation_advanced_multi_draw_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_NVX_conditional_render; GLEW_VAR_EXPORT GLboolean __GLEW_NVX_gpu_memory_info; GLEW_VAR_EXPORT GLboolean __GLEW_NVX_linked_gpu_multicast; GLEW_VAR_EXPORT GLboolean __GLEW_NV_3dvision_settings; GLEW_VAR_EXPORT GLboolean __GLEW_NV_EGL_stream_consumer_external; GLEW_VAR_EXPORT GLboolean __GLEW_NV_alpha_to_coverage_dither_control; GLEW_VAR_EXPORT GLboolean __GLEW_NV_bgr; GLEW_VAR_EXPORT GLboolean __GLEW_NV_bindless_multi_draw_indirect; GLEW_VAR_EXPORT GLboolean __GLEW_NV_bindless_multi_draw_indirect_count; GLEW_VAR_EXPORT GLboolean __GLEW_NV_bindless_texture; GLEW_VAR_EXPORT GLboolean __GLEW_NV_blend_equation_advanced; GLEW_VAR_EXPORT GLboolean __GLEW_NV_blend_equation_advanced_coherent; GLEW_VAR_EXPORT GLboolean __GLEW_NV_blend_minmax_factor; GLEW_VAR_EXPORT GLboolean __GLEW_NV_blend_square; GLEW_VAR_EXPORT GLboolean __GLEW_NV_clip_space_w_scaling; GLEW_VAR_EXPORT GLboolean __GLEW_NV_command_list; GLEW_VAR_EXPORT GLboolean __GLEW_NV_compute_program5; GLEW_VAR_EXPORT GLboolean __GLEW_NV_conditional_render; GLEW_VAR_EXPORT GLboolean __GLEW_NV_conservative_raster; GLEW_VAR_EXPORT GLboolean __GLEW_NV_conservative_raster_dilate; GLEW_VAR_EXPORT GLboolean __GLEW_NV_conservative_raster_pre_snap_triangles; GLEW_VAR_EXPORT GLboolean __GLEW_NV_copy_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_NV_copy_depth_to_color; GLEW_VAR_EXPORT GLboolean __GLEW_NV_copy_image; GLEW_VAR_EXPORT GLboolean __GLEW_NV_deep_texture3D; GLEW_VAR_EXPORT GLboolean __GLEW_NV_depth_buffer_float; GLEW_VAR_EXPORT GLboolean __GLEW_NV_depth_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_NV_depth_range_unclamped; GLEW_VAR_EXPORT GLboolean __GLEW_NV_draw_buffers; GLEW_VAR_EXPORT GLboolean __GLEW_NV_draw_instanced; GLEW_VAR_EXPORT GLboolean __GLEW_NV_draw_texture; GLEW_VAR_EXPORT GLboolean __GLEW_NV_draw_vulkan_image; GLEW_VAR_EXPORT GLboolean __GLEW_NV_evaluators; GLEW_VAR_EXPORT GLboolean __GLEW_NV_explicit_attrib_location; GLEW_VAR_EXPORT GLboolean __GLEW_NV_explicit_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fbo_color_attachments; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fence; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fill_rectangle; GLEW_VAR_EXPORT GLboolean __GLEW_NV_float_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fog_distance; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fragment_coverage_to_color; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fragment_program; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fragment_program2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fragment_program4; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fragment_program_option; GLEW_VAR_EXPORT GLboolean __GLEW_NV_fragment_shader_interlock; GLEW_VAR_EXPORT GLboolean __GLEW_NV_framebuffer_blit; GLEW_VAR_EXPORT GLboolean __GLEW_NV_framebuffer_mixed_samples; GLEW_VAR_EXPORT GLboolean __GLEW_NV_framebuffer_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_NV_framebuffer_multisample_coverage; GLEW_VAR_EXPORT GLboolean __GLEW_NV_generate_mipmap_sRGB; GLEW_VAR_EXPORT GLboolean __GLEW_NV_geometry_program4; GLEW_VAR_EXPORT GLboolean __GLEW_NV_geometry_shader4; GLEW_VAR_EXPORT GLboolean __GLEW_NV_geometry_shader_passthrough; GLEW_VAR_EXPORT GLboolean __GLEW_NV_gpu_multicast; GLEW_VAR_EXPORT GLboolean __GLEW_NV_gpu_program4; GLEW_VAR_EXPORT GLboolean __GLEW_NV_gpu_program5; GLEW_VAR_EXPORT GLboolean __GLEW_NV_gpu_program5_mem_extended; GLEW_VAR_EXPORT GLboolean __GLEW_NV_gpu_program_fp64; GLEW_VAR_EXPORT GLboolean __GLEW_NV_gpu_shader5; GLEW_VAR_EXPORT GLboolean __GLEW_NV_half_float; GLEW_VAR_EXPORT GLboolean __GLEW_NV_image_formats; GLEW_VAR_EXPORT GLboolean __GLEW_NV_instanced_arrays; GLEW_VAR_EXPORT GLboolean __GLEW_NV_internalformat_sample_query; GLEW_VAR_EXPORT GLboolean __GLEW_NV_light_max_exponent; GLEW_VAR_EXPORT GLboolean __GLEW_NV_multisample_coverage; GLEW_VAR_EXPORT GLboolean __GLEW_NV_multisample_filter_hint; GLEW_VAR_EXPORT GLboolean __GLEW_NV_non_square_matrices; GLEW_VAR_EXPORT GLboolean __GLEW_NV_occlusion_query; GLEW_VAR_EXPORT GLboolean __GLEW_NV_pack_subimage; GLEW_VAR_EXPORT GLboolean __GLEW_NV_packed_depth_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_NV_packed_float; GLEW_VAR_EXPORT GLboolean __GLEW_NV_packed_float_linear; GLEW_VAR_EXPORT GLboolean __GLEW_NV_parameter_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_NV_parameter_buffer_object2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_path_rendering; GLEW_VAR_EXPORT GLboolean __GLEW_NV_path_rendering_shared_edge; GLEW_VAR_EXPORT GLboolean __GLEW_NV_pixel_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_NV_pixel_data_range; GLEW_VAR_EXPORT GLboolean __GLEW_NV_platform_binary; GLEW_VAR_EXPORT GLboolean __GLEW_NV_point_sprite; GLEW_VAR_EXPORT GLboolean __GLEW_NV_polygon_mode; GLEW_VAR_EXPORT GLboolean __GLEW_NV_present_video; GLEW_VAR_EXPORT GLboolean __GLEW_NV_primitive_restart; GLEW_VAR_EXPORT GLboolean __GLEW_NV_read_depth; GLEW_VAR_EXPORT GLboolean __GLEW_NV_read_depth_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_NV_read_stencil; GLEW_VAR_EXPORT GLboolean __GLEW_NV_register_combiners; GLEW_VAR_EXPORT GLboolean __GLEW_NV_register_combiners2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_robustness_video_memory_purge; GLEW_VAR_EXPORT GLboolean __GLEW_NV_sRGB_formats; GLEW_VAR_EXPORT GLboolean __GLEW_NV_sample_locations; GLEW_VAR_EXPORT GLboolean __GLEW_NV_sample_mask_override_coverage; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_atomic_counters; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_atomic_float; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_atomic_float64; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_atomic_fp16_vector; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_atomic_int64; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_buffer_load; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_noperspective_interpolation; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_storage_buffer_object; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_thread_group; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shader_thread_shuffle; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shadow_samplers_array; GLEW_VAR_EXPORT GLboolean __GLEW_NV_shadow_samplers_cube; GLEW_VAR_EXPORT GLboolean __GLEW_NV_stereo_view_rendering; GLEW_VAR_EXPORT GLboolean __GLEW_NV_tessellation_program5; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texgen_emboss; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texgen_reflection; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_array; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_barrier; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_border_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_compression_latc; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_compression_s3tc; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_compression_s3tc_update; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_compression_vtc; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_env_combine4; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_expand_normal; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_npot_2D_mipmap; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_rectangle; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_rectangle_compressed; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_shader; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_shader2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_texture_shader3; GLEW_VAR_EXPORT GLboolean __GLEW_NV_transform_feedback; GLEW_VAR_EXPORT GLboolean __GLEW_NV_transform_feedback2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_uniform_buffer_unified_memory; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vdpau_interop; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_array_range; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_array_range2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_attrib_integer_64bit; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_buffer_unified_memory; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_program; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_program1_1; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_program2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_program2_option; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_program3; GLEW_VAR_EXPORT GLboolean __GLEW_NV_vertex_program4; GLEW_VAR_EXPORT GLboolean __GLEW_NV_video_capture; GLEW_VAR_EXPORT GLboolean __GLEW_NV_viewport_array; GLEW_VAR_EXPORT GLboolean __GLEW_NV_viewport_array2; GLEW_VAR_EXPORT GLboolean __GLEW_NV_viewport_swizzle; GLEW_VAR_EXPORT GLboolean __GLEW_OES_byte_coordinates; GLEW_VAR_EXPORT GLboolean __GLEW_OML_interlace; GLEW_VAR_EXPORT GLboolean __GLEW_OML_resample; GLEW_VAR_EXPORT GLboolean __GLEW_OML_subsample; GLEW_VAR_EXPORT GLboolean __GLEW_OVR_multiview; GLEW_VAR_EXPORT GLboolean __GLEW_OVR_multiview2; GLEW_VAR_EXPORT GLboolean __GLEW_OVR_multiview_multisampled_render_to_texture; GLEW_VAR_EXPORT GLboolean __GLEW_PGI_misc_hints; GLEW_VAR_EXPORT GLboolean __GLEW_PGI_vertex_hints; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_alpha_test; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_binning_control; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_driver_control; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_extended_get; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_extended_get2; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_framebuffer_foveated; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_perfmon_global_mode; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_shader_framebuffer_fetch_noncoherent; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_tiled_rendering; GLEW_VAR_EXPORT GLboolean __GLEW_QCOM_writeonly_rendering; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_ES1_0_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_ES1_1_compatibility; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_enable; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_error_string; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_extension_query; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_log; GLEW_VAR_EXPORT GLboolean __GLEW_REGAL_proc_address; GLEW_VAR_EXPORT GLboolean __GLEW_REND_screen_coordinates; GLEW_VAR_EXPORT GLboolean __GLEW_S3_s3tc; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_clip_band_hint; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_color_range; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_detail_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_fog_function; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_generate_mipmap; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_line_texgen; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_multitexture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_pixel_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_point_line_texgen; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_shared_multisample; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_sharpen_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_texture4D; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_texture_border_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_texture_edge_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_texture_filter4; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_texture_lod; GLEW_VAR_EXPORT GLboolean __GLEW_SGIS_texture_select; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_async; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_async_histogram; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_async_pixel; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_bali_g_instruments; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_bali_r_instruments; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_bali_timer_instruments; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_blend_alpha_minmax; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_blend_cadd; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_blend_cmultiply; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_calligraphic_fragment; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_clipmap; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_color_matrix_accuracy; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_color_table_index_mode; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_complex_polar; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_convolution_accuracy; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_cube_map; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_cylinder_texgen; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_datapipe; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_decimation; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_depth_pass_instrument; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_depth_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_dvc; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_flush_raster; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_blend; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_factor_to_alpha; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_layers; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_offset; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_patchy; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_scale; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fog_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fragment_lighting_space; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fragment_specular_lighting; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_fragments_instrument; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_framezoom; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_icc_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_igloo_interface; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_image_compression; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_impact_pixel_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_instrument_error; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_interlace; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_ir_instrument1; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_line_quality_hint; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_list_priority; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_mpeg1; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_mpeg2; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_nonlinear_lighting_pervertex; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_nurbs_eval; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_occlusion_instrument; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_packed_6bytes; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_pixel_texture; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_pixel_texture_bits; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_pixel_texture_lod; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_pixel_tiles; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_polynomial_ffd; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_quad_mesh; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_reference_plane; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_resample; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_scalebias_hint; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_shadow; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_shadow_ambient; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_slim; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_spotlight_cutoff; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_sprite; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_subdiv_patch; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_subsample; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_tag_sample_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_add_env; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_coordinate_clamp; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_lod_bias; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_mipmap_anisotropic; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_multi_buffer; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_phase; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_range; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_scale_bias; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_texture_supersample; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_vector_ops; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_vertex_array_object; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_vertex_preclip; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_vertex_preclip_hint; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_ycrcb; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_ycrcb_subsample; GLEW_VAR_EXPORT GLboolean __GLEW_SGIX_ycrcba; GLEW_VAR_EXPORT GLboolean __GLEW_SGI_color_matrix; GLEW_VAR_EXPORT GLboolean __GLEW_SGI_color_table; GLEW_VAR_EXPORT GLboolean __GLEW_SGI_complex; GLEW_VAR_EXPORT GLboolean __GLEW_SGI_complex_type; GLEW_VAR_EXPORT GLboolean __GLEW_SGI_fft; GLEW_VAR_EXPORT GLboolean __GLEW_SGI_texture_color_table; GLEW_VAR_EXPORT GLboolean __GLEW_SUNX_constant_data; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_convolution_border_modes; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_global_alpha; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_mesh_array; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_read_video_pixels; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_slice_accum; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_triangle_list; GLEW_VAR_EXPORT GLboolean __GLEW_SUN_vertex; GLEW_VAR_EXPORT GLboolean __GLEW_WIN_phong_shading; GLEW_VAR_EXPORT GLboolean __GLEW_WIN_scene_markerXXX; GLEW_VAR_EXPORT GLboolean __GLEW_WIN_specular_fog; GLEW_VAR_EXPORT GLboolean __GLEW_WIN_swap_hint; /* ------------------------------------------------------------------------- */ /* error codes */ #define GLEW_OK 0 #define GLEW_NO_ERROR 0 #define GLEW_ERROR_NO_GL_VERSION 1 /* missing GL version */ #define GLEW_ERROR_GL_VERSION_10_ONLY 2 /* Need at least OpenGL 1.1 */ #define GLEW_ERROR_GLX_VERSION_11_ONLY 3 /* Need at least GLX 1.2 */ #define GLEW_ERROR_NO_GLX_DISPLAY 4 /* Need GLX display for GLX support */ /* string codes */ #define GLEW_VERSION 1 #define GLEW_VERSION_MAJOR 2 #define GLEW_VERSION_MINOR 3 #define GLEW_VERSION_MICRO 4 /* ------------------------------------------------------------------------- */ /* GLEW version info */ /* VERSION 2.1.0 VERSION_MAJOR 2 VERSION_MINOR 1 VERSION_MICRO 0 */ /* API */ GLEWAPI GLenum GLEWAPIENTRY glewInit (void); GLEWAPI GLboolean GLEWAPIENTRY glewIsSupported (const char *name); #define glewIsExtensionSupported(x) glewIsSupported(x) #ifndef GLEW_GET_VAR #define GLEW_GET_VAR(x) (*(const GLboolean*)&x) #endif #ifndef GLEW_GET_FUN #define GLEW_GET_FUN(x) x #endif GLEWAPI GLboolean glewExperimental; GLEWAPI GLboolean GLEWAPIENTRY glewGetExtension (const char *name); GLEWAPI const GLubyte * GLEWAPIENTRY glewGetErrorString (GLenum error); GLEWAPI const GLubyte * GLEWAPIENTRY glewGetString (GLenum name); #ifdef __cplusplus } #endif #ifdef GLEW_APIENTRY_DEFINED #undef GLEW_APIENTRY_DEFINED #undef APIENTRY #endif #ifdef GLEW_CALLBACK_DEFINED #undef GLEW_CALLBACK_DEFINED #undef CALLBACK #endif #ifdef GLEW_WINGDIAPI_DEFINED #undef GLEW_WINGDIAPI_DEFINED #undef WINGDIAPI #endif #undef GLAPI /* #undef GLEWAPI */ #endif /* __glew_h__ */ asymptote-2.62/GL/wglew.h0000644000000000000000000017352213607467113014010 0ustar rootroot/* ** The OpenGL Extension Wrangler Library ** Copyright (C) 2008-2017, Nigel Stewart ** Copyright (C) 2002-2008, Milan Ikits ** Copyright (C) 2002-2008, Marcelo E. Magallon ** Copyright (C) 2002, Lev Povalahev ** All rights reserved. ** ** Redistribution and use in source and binary forms, with or without ** modification, are permitted provided that the following conditions are met: ** ** * Redistributions of source code must retain the above copyright notice, ** this list of conditions and the following disclaimer. ** * Redistributions in binary form must reproduce the above copyright notice, ** this list of conditions and the following disclaimer in the documentation ** and/or other materials provided with the distribution. ** * The name of the author may be used to endorse or promote products ** derived from this software without specific prior written permission. ** ** THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" ** AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE ** IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ** ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE ** LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR ** CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF ** SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS ** INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN ** CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ** ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF ** THE POSSIBILITY OF SUCH DAMAGE. */ /* ** Copyright (c) 2007 The Khronos Group Inc. ** ** Permission is hereby granted, free of charge, to any person obtaining a ** copy of this software and/or associated documentation files (the ** "Materials"), to deal in the Materials without restriction, including ** without limitation the rights to use, copy, modify, merge, publish, ** distribute, sublicense, and/or sell copies of the Materials, and to ** permit persons to whom the Materials are furnished to do so, subject to ** the following conditions: ** ** The above copyright notice and this permission notice shall be included ** in all copies or substantial portions of the Materials. ** ** THE MATERIALS ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, ** EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF ** MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. ** IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY ** CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, ** TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE ** MATERIALS OR THE USE OR OTHER DEALINGS IN THE MATERIALS. */ #ifndef __wglew_h__ #define __wglew_h__ #define __WGLEW_H__ #ifdef __wglext_h_ #error wglext.h included before wglew.h #endif #define __wglext_h_ #if !defined(WINAPI) # ifndef WIN32_LEAN_AND_MEAN # define WIN32_LEAN_AND_MEAN 1 # endif #include # undef WIN32_LEAN_AND_MEAN #endif /* * GLEW_STATIC needs to be set when using the static version. * GLEW_BUILD is set when building the DLL version. */ #ifdef GLEW_STATIC # define GLEWAPI extern #else # ifdef GLEW_BUILD # define GLEWAPI extern __declspec(dllexport) # else # define GLEWAPI extern __declspec(dllimport) # endif #endif #ifdef __cplusplus extern "C" { #endif /* -------------------------- WGL_3DFX_multisample ------------------------- */ #ifndef WGL_3DFX_multisample #define WGL_3DFX_multisample 1 #define WGL_SAMPLE_BUFFERS_3DFX 0x2060 #define WGL_SAMPLES_3DFX 0x2061 #define WGLEW_3DFX_multisample WGLEW_GET_VAR(__WGLEW_3DFX_multisample) #endif /* WGL_3DFX_multisample */ /* ------------------------- WGL_3DL_stereo_control ------------------------ */ #ifndef WGL_3DL_stereo_control #define WGL_3DL_stereo_control 1 #define WGL_STEREO_EMITTER_ENABLE_3DL 0x2055 #define WGL_STEREO_EMITTER_DISABLE_3DL 0x2056 #define WGL_STEREO_POLARITY_NORMAL_3DL 0x2057 #define WGL_STEREO_POLARITY_INVERT_3DL 0x2058 typedef BOOL (WINAPI * PFNWGLSETSTEREOEMITTERSTATE3DLPROC) (HDC hDC, UINT uState); #define wglSetStereoEmitterState3DL WGLEW_GET_FUN(__wglewSetStereoEmitterState3DL) #define WGLEW_3DL_stereo_control WGLEW_GET_VAR(__WGLEW_3DL_stereo_control) #endif /* WGL_3DL_stereo_control */ /* ------------------------ WGL_AMD_gpu_association ------------------------ */ #ifndef WGL_AMD_gpu_association #define WGL_AMD_gpu_association 1 #define WGL_GPU_VENDOR_AMD 0x1F00 #define WGL_GPU_RENDERER_STRING_AMD 0x1F01 #define WGL_GPU_OPENGL_VERSION_STRING_AMD 0x1F02 #define WGL_GPU_FASTEST_TARGET_GPUS_AMD 0x21A2 #define WGL_GPU_RAM_AMD 0x21A3 #define WGL_GPU_CLOCK_AMD 0x21A4 #define WGL_GPU_NUM_PIPES_AMD 0x21A5 #define WGL_GPU_NUM_SIMD_AMD 0x21A6 #define WGL_GPU_NUM_RB_AMD 0x21A7 #define WGL_GPU_NUM_SPI_AMD 0x21A8 typedef VOID (WINAPI * PFNWGLBLITCONTEXTFRAMEBUFFERAMDPROC) (HGLRC dstCtx, GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); typedef HGLRC (WINAPI * PFNWGLCREATEASSOCIATEDCONTEXTAMDPROC) (UINT id); typedef HGLRC (WINAPI * PFNWGLCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC) (UINT id, HGLRC hShareContext, const int* attribList); typedef BOOL (WINAPI * PFNWGLDELETEASSOCIATEDCONTEXTAMDPROC) (HGLRC hglrc); typedef UINT (WINAPI * PFNWGLGETCONTEXTGPUIDAMDPROC) (HGLRC hglrc); typedef HGLRC (WINAPI * PFNWGLGETCURRENTASSOCIATEDCONTEXTAMDPROC) (void); typedef UINT (WINAPI * PFNWGLGETGPUIDSAMDPROC) (UINT maxCount, UINT* ids); typedef INT (WINAPI * PFNWGLGETGPUINFOAMDPROC) (UINT id, INT property, GLenum dataType, UINT size, void* data); typedef BOOL (WINAPI * PFNWGLMAKEASSOCIATEDCONTEXTCURRENTAMDPROC) (HGLRC hglrc); #define wglBlitContextFramebufferAMD WGLEW_GET_FUN(__wglewBlitContextFramebufferAMD) #define wglCreateAssociatedContextAMD WGLEW_GET_FUN(__wglewCreateAssociatedContextAMD) #define wglCreateAssociatedContextAttribsAMD WGLEW_GET_FUN(__wglewCreateAssociatedContextAttribsAMD) #define wglDeleteAssociatedContextAMD WGLEW_GET_FUN(__wglewDeleteAssociatedContextAMD) #define wglGetContextGPUIDAMD WGLEW_GET_FUN(__wglewGetContextGPUIDAMD) #define wglGetCurrentAssociatedContextAMD WGLEW_GET_FUN(__wglewGetCurrentAssociatedContextAMD) #define wglGetGPUIDsAMD WGLEW_GET_FUN(__wglewGetGPUIDsAMD) #define wglGetGPUInfoAMD WGLEW_GET_FUN(__wglewGetGPUInfoAMD) #define wglMakeAssociatedContextCurrentAMD WGLEW_GET_FUN(__wglewMakeAssociatedContextCurrentAMD) #define WGLEW_AMD_gpu_association WGLEW_GET_VAR(__WGLEW_AMD_gpu_association) #endif /* WGL_AMD_gpu_association */ /* ------------------------- WGL_ARB_buffer_region ------------------------- */ #ifndef WGL_ARB_buffer_region #define WGL_ARB_buffer_region 1 #define WGL_FRONT_COLOR_BUFFER_BIT_ARB 0x00000001 #define WGL_BACK_COLOR_BUFFER_BIT_ARB 0x00000002 #define WGL_DEPTH_BUFFER_BIT_ARB 0x00000004 #define WGL_STENCIL_BUFFER_BIT_ARB 0x00000008 typedef HANDLE (WINAPI * PFNWGLCREATEBUFFERREGIONARBPROC) (HDC hDC, int iLayerPlane, UINT uType); typedef VOID (WINAPI * PFNWGLDELETEBUFFERREGIONARBPROC) (HANDLE hRegion); typedef BOOL (WINAPI * PFNWGLRESTOREBUFFERREGIONARBPROC) (HANDLE hRegion, int x, int y, int width, int height, int xSrc, int ySrc); typedef BOOL (WINAPI * PFNWGLSAVEBUFFERREGIONARBPROC) (HANDLE hRegion, int x, int y, int width, int height); #define wglCreateBufferRegionARB WGLEW_GET_FUN(__wglewCreateBufferRegionARB) #define wglDeleteBufferRegionARB WGLEW_GET_FUN(__wglewDeleteBufferRegionARB) #define wglRestoreBufferRegionARB WGLEW_GET_FUN(__wglewRestoreBufferRegionARB) #define wglSaveBufferRegionARB WGLEW_GET_FUN(__wglewSaveBufferRegionARB) #define WGLEW_ARB_buffer_region WGLEW_GET_VAR(__WGLEW_ARB_buffer_region) #endif /* WGL_ARB_buffer_region */ /* --------------------- WGL_ARB_context_flush_control --------------------- */ #ifndef WGL_ARB_context_flush_control #define WGL_ARB_context_flush_control 1 #define WGLEW_ARB_context_flush_control WGLEW_GET_VAR(__WGLEW_ARB_context_flush_control) #endif /* WGL_ARB_context_flush_control */ /* ------------------------- WGL_ARB_create_context ------------------------ */ #ifndef WGL_ARB_create_context #define WGL_ARB_create_context 1 #define WGL_CONTEXT_DEBUG_BIT_ARB 0x0001 #define WGL_CONTEXT_FORWARD_COMPATIBLE_BIT_ARB 0x0002 #define WGL_CONTEXT_MAJOR_VERSION_ARB 0x2091 #define WGL_CONTEXT_MINOR_VERSION_ARB 0x2092 #define WGL_CONTEXT_LAYER_PLANE_ARB 0x2093 #define WGL_CONTEXT_FLAGS_ARB 0x2094 #define ERROR_INVALID_VERSION_ARB 0x2095 #define ERROR_INVALID_PROFILE_ARB 0x2096 typedef HGLRC (WINAPI * PFNWGLCREATECONTEXTATTRIBSARBPROC) (HDC hDC, HGLRC hShareContext, const int* attribList); #define wglCreateContextAttribsARB WGLEW_GET_FUN(__wglewCreateContextAttribsARB) #define WGLEW_ARB_create_context WGLEW_GET_VAR(__WGLEW_ARB_create_context) #endif /* WGL_ARB_create_context */ /* -------------------- WGL_ARB_create_context_no_error -------------------- */ #ifndef WGL_ARB_create_context_no_error #define WGL_ARB_create_context_no_error 1 #define WGLEW_ARB_create_context_no_error WGLEW_GET_VAR(__WGLEW_ARB_create_context_no_error) #endif /* WGL_ARB_create_context_no_error */ /* --------------------- WGL_ARB_create_context_profile -------------------- */ #ifndef WGL_ARB_create_context_profile #define WGL_ARB_create_context_profile 1 #define WGL_CONTEXT_CORE_PROFILE_BIT_ARB 0x00000001 #define WGL_CONTEXT_COMPATIBILITY_PROFILE_BIT_ARB 0x00000002 #define WGL_CONTEXT_PROFILE_MASK_ARB 0x9126 #define WGLEW_ARB_create_context_profile WGLEW_GET_VAR(__WGLEW_ARB_create_context_profile) #endif /* WGL_ARB_create_context_profile */ /* ------------------- WGL_ARB_create_context_robustness ------------------- */ #ifndef WGL_ARB_create_context_robustness #define WGL_ARB_create_context_robustness 1 #define WGL_CONTEXT_ROBUST_ACCESS_BIT_ARB 0x00000004 #define WGL_LOSE_CONTEXT_ON_RESET_ARB 0x8252 #define WGL_CONTEXT_RESET_NOTIFICATION_STRATEGY_ARB 0x8256 #define WGL_NO_RESET_NOTIFICATION_ARB 0x8261 #define WGLEW_ARB_create_context_robustness WGLEW_GET_VAR(__WGLEW_ARB_create_context_robustness) #endif /* WGL_ARB_create_context_robustness */ /* ----------------------- WGL_ARB_extensions_string ----------------------- */ #ifndef WGL_ARB_extensions_string #define WGL_ARB_extensions_string 1 typedef const char* (WINAPI * PFNWGLGETEXTENSIONSSTRINGARBPROC) (HDC hdc); #define wglGetExtensionsStringARB WGLEW_GET_FUN(__wglewGetExtensionsStringARB) #define WGLEW_ARB_extensions_string WGLEW_GET_VAR(__WGLEW_ARB_extensions_string) #endif /* WGL_ARB_extensions_string */ /* ------------------------ WGL_ARB_framebuffer_sRGB ----------------------- */ #ifndef WGL_ARB_framebuffer_sRGB #define WGL_ARB_framebuffer_sRGB 1 #define WGL_FRAMEBUFFER_SRGB_CAPABLE_ARB 0x20A9 #define WGLEW_ARB_framebuffer_sRGB WGLEW_GET_VAR(__WGLEW_ARB_framebuffer_sRGB) #endif /* WGL_ARB_framebuffer_sRGB */ /* ----------------------- WGL_ARB_make_current_read ----------------------- */ #ifndef WGL_ARB_make_current_read #define WGL_ARB_make_current_read 1 #define ERROR_INVALID_PIXEL_TYPE_ARB 0x2043 #define ERROR_INCOMPATIBLE_DEVICE_CONTEXTS_ARB 0x2054 typedef HDC (WINAPI * PFNWGLGETCURRENTREADDCARBPROC) (VOID); typedef BOOL (WINAPI * PFNWGLMAKECONTEXTCURRENTARBPROC) (HDC hDrawDC, HDC hReadDC, HGLRC hglrc); #define wglGetCurrentReadDCARB WGLEW_GET_FUN(__wglewGetCurrentReadDCARB) #define wglMakeContextCurrentARB WGLEW_GET_FUN(__wglewMakeContextCurrentARB) #define WGLEW_ARB_make_current_read WGLEW_GET_VAR(__WGLEW_ARB_make_current_read) #endif /* WGL_ARB_make_current_read */ /* -------------------------- WGL_ARB_multisample -------------------------- */ #ifndef WGL_ARB_multisample #define WGL_ARB_multisample 1 #define WGL_SAMPLE_BUFFERS_ARB 0x2041 #define WGL_SAMPLES_ARB 0x2042 #define WGLEW_ARB_multisample WGLEW_GET_VAR(__WGLEW_ARB_multisample) #endif /* WGL_ARB_multisample */ /* ---------------------------- WGL_ARB_pbuffer ---------------------------- */ #ifndef WGL_ARB_pbuffer #define WGL_ARB_pbuffer 1 #define WGL_DRAW_TO_PBUFFER_ARB 0x202D #define WGL_MAX_PBUFFER_PIXELS_ARB 0x202E #define WGL_MAX_PBUFFER_WIDTH_ARB 0x202F #define WGL_MAX_PBUFFER_HEIGHT_ARB 0x2030 #define WGL_PBUFFER_LARGEST_ARB 0x2033 #define WGL_PBUFFER_WIDTH_ARB 0x2034 #define WGL_PBUFFER_HEIGHT_ARB 0x2035 #define WGL_PBUFFER_LOST_ARB 0x2036 DECLARE_HANDLE(HPBUFFERARB); typedef HPBUFFERARB (WINAPI * PFNWGLCREATEPBUFFERARBPROC) (HDC hDC, int iPixelFormat, int iWidth, int iHeight, const int* piAttribList); typedef BOOL (WINAPI * PFNWGLDESTROYPBUFFERARBPROC) (HPBUFFERARB hPbuffer); typedef HDC (WINAPI * PFNWGLGETPBUFFERDCARBPROC) (HPBUFFERARB hPbuffer); typedef BOOL (WINAPI * PFNWGLQUERYPBUFFERARBPROC) (HPBUFFERARB hPbuffer, int iAttribute, int* piValue); typedef int (WINAPI * PFNWGLRELEASEPBUFFERDCARBPROC) (HPBUFFERARB hPbuffer, HDC hDC); #define wglCreatePbufferARB WGLEW_GET_FUN(__wglewCreatePbufferARB) #define wglDestroyPbufferARB WGLEW_GET_FUN(__wglewDestroyPbufferARB) #define wglGetPbufferDCARB WGLEW_GET_FUN(__wglewGetPbufferDCARB) #define wglQueryPbufferARB WGLEW_GET_FUN(__wglewQueryPbufferARB) #define wglReleasePbufferDCARB WGLEW_GET_FUN(__wglewReleasePbufferDCARB) #define WGLEW_ARB_pbuffer WGLEW_GET_VAR(__WGLEW_ARB_pbuffer) #endif /* WGL_ARB_pbuffer */ /* -------------------------- WGL_ARB_pixel_format ------------------------- */ #ifndef WGL_ARB_pixel_format #define WGL_ARB_pixel_format 1 #define WGL_NUMBER_PIXEL_FORMATS_ARB 0x2000 #define WGL_DRAW_TO_WINDOW_ARB 0x2001 #define WGL_DRAW_TO_BITMAP_ARB 0x2002 #define WGL_ACCELERATION_ARB 0x2003 #define WGL_NEED_PALETTE_ARB 0x2004 #define WGL_NEED_SYSTEM_PALETTE_ARB 0x2005 #define WGL_SWAP_LAYER_BUFFERS_ARB 0x2006 #define WGL_SWAP_METHOD_ARB 0x2007 #define WGL_NUMBER_OVERLAYS_ARB 0x2008 #define WGL_NUMBER_UNDERLAYS_ARB 0x2009 #define WGL_TRANSPARENT_ARB 0x200A #define WGL_SHARE_DEPTH_ARB 0x200C #define WGL_SHARE_STENCIL_ARB 0x200D #define WGL_SHARE_ACCUM_ARB 0x200E #define WGL_SUPPORT_GDI_ARB 0x200F #define WGL_SUPPORT_OPENGL_ARB 0x2010 #define WGL_DOUBLE_BUFFER_ARB 0x2011 #define WGL_STEREO_ARB 0x2012 #define WGL_PIXEL_TYPE_ARB 0x2013 #define WGL_COLOR_BITS_ARB 0x2014 #define WGL_RED_BITS_ARB 0x2015 #define WGL_RED_SHIFT_ARB 0x2016 #define WGL_GREEN_BITS_ARB 0x2017 #define WGL_GREEN_SHIFT_ARB 0x2018 #define WGL_BLUE_BITS_ARB 0x2019 #define WGL_BLUE_SHIFT_ARB 0x201A #define WGL_ALPHA_BITS_ARB 0x201B #define WGL_ALPHA_SHIFT_ARB 0x201C #define WGL_ACCUM_BITS_ARB 0x201D #define WGL_ACCUM_RED_BITS_ARB 0x201E #define WGL_ACCUM_GREEN_BITS_ARB 0x201F #define WGL_ACCUM_BLUE_BITS_ARB 0x2020 #define WGL_ACCUM_ALPHA_BITS_ARB 0x2021 #define WGL_DEPTH_BITS_ARB 0x2022 #define WGL_STENCIL_BITS_ARB 0x2023 #define WGL_AUX_BUFFERS_ARB 0x2024 #define WGL_NO_ACCELERATION_ARB 0x2025 #define WGL_GENERIC_ACCELERATION_ARB 0x2026 #define WGL_FULL_ACCELERATION_ARB 0x2027 #define WGL_SWAP_EXCHANGE_ARB 0x2028 #define WGL_SWAP_COPY_ARB 0x2029 #define WGL_SWAP_UNDEFINED_ARB 0x202A #define WGL_TYPE_RGBA_ARB 0x202B #define WGL_TYPE_COLORINDEX_ARB 0x202C #define WGL_TRANSPARENT_RED_VALUE_ARB 0x2037 #define WGL_TRANSPARENT_GREEN_VALUE_ARB 0x2038 #define WGL_TRANSPARENT_BLUE_VALUE_ARB 0x2039 #define WGL_TRANSPARENT_ALPHA_VALUE_ARB 0x203A #define WGL_TRANSPARENT_INDEX_VALUE_ARB 0x203B typedef BOOL (WINAPI * PFNWGLCHOOSEPIXELFORMATARBPROC) (HDC hdc, const int* piAttribIList, const FLOAT *pfAttribFList, UINT nMaxFormats, int *piFormats, UINT *nNumFormats); typedef BOOL (WINAPI * PFNWGLGETPIXELFORMATATTRIBFVARBPROC) (HDC hdc, int iPixelFormat, int iLayerPlane, UINT nAttributes, const int* piAttributes, FLOAT *pfValues); typedef BOOL (WINAPI * PFNWGLGETPIXELFORMATATTRIBIVARBPROC) (HDC hdc, int iPixelFormat, int iLayerPlane, UINT nAttributes, const int* piAttributes, int *piValues); #define wglChoosePixelFormatARB WGLEW_GET_FUN(__wglewChoosePixelFormatARB) #define wglGetPixelFormatAttribfvARB WGLEW_GET_FUN(__wglewGetPixelFormatAttribfvARB) #define wglGetPixelFormatAttribivARB WGLEW_GET_FUN(__wglewGetPixelFormatAttribivARB) #define WGLEW_ARB_pixel_format WGLEW_GET_VAR(__WGLEW_ARB_pixel_format) #endif /* WGL_ARB_pixel_format */ /* ----------------------- WGL_ARB_pixel_format_float ---------------------- */ #ifndef WGL_ARB_pixel_format_float #define WGL_ARB_pixel_format_float 1 #define WGL_TYPE_RGBA_FLOAT_ARB 0x21A0 #define WGLEW_ARB_pixel_format_float WGLEW_GET_VAR(__WGLEW_ARB_pixel_format_float) #endif /* WGL_ARB_pixel_format_float */ /* ------------------------- WGL_ARB_render_texture ------------------------ */ #ifndef WGL_ARB_render_texture #define WGL_ARB_render_texture 1 #define WGL_BIND_TO_TEXTURE_RGB_ARB 0x2070 #define WGL_BIND_TO_TEXTURE_RGBA_ARB 0x2071 #define WGL_TEXTURE_FORMAT_ARB 0x2072 #define WGL_TEXTURE_TARGET_ARB 0x2073 #define WGL_MIPMAP_TEXTURE_ARB 0x2074 #define WGL_TEXTURE_RGB_ARB 0x2075 #define WGL_TEXTURE_RGBA_ARB 0x2076 #define WGL_NO_TEXTURE_ARB 0x2077 #define WGL_TEXTURE_CUBE_MAP_ARB 0x2078 #define WGL_TEXTURE_1D_ARB 0x2079 #define WGL_TEXTURE_2D_ARB 0x207A #define WGL_MIPMAP_LEVEL_ARB 0x207B #define WGL_CUBE_MAP_FACE_ARB 0x207C #define WGL_TEXTURE_CUBE_MAP_POSITIVE_X_ARB 0x207D #define WGL_TEXTURE_CUBE_MAP_NEGATIVE_X_ARB 0x207E #define WGL_TEXTURE_CUBE_MAP_POSITIVE_Y_ARB 0x207F #define WGL_TEXTURE_CUBE_MAP_NEGATIVE_Y_ARB 0x2080 #define WGL_TEXTURE_CUBE_MAP_POSITIVE_Z_ARB 0x2081 #define WGL_TEXTURE_CUBE_MAP_NEGATIVE_Z_ARB 0x2082 #define WGL_FRONT_LEFT_ARB 0x2083 #define WGL_FRONT_RIGHT_ARB 0x2084 #define WGL_BACK_LEFT_ARB 0x2085 #define WGL_BACK_RIGHT_ARB 0x2086 #define WGL_AUX0_ARB 0x2087 #define WGL_AUX1_ARB 0x2088 #define WGL_AUX2_ARB 0x2089 #define WGL_AUX3_ARB 0x208A #define WGL_AUX4_ARB 0x208B #define WGL_AUX5_ARB 0x208C #define WGL_AUX6_ARB 0x208D #define WGL_AUX7_ARB 0x208E #define WGL_AUX8_ARB 0x208F #define WGL_AUX9_ARB 0x2090 typedef BOOL (WINAPI * PFNWGLBINDTEXIMAGEARBPROC) (HPBUFFERARB hPbuffer, int iBuffer); typedef BOOL (WINAPI * PFNWGLRELEASETEXIMAGEARBPROC) (HPBUFFERARB hPbuffer, int iBuffer); typedef BOOL (WINAPI * PFNWGLSETPBUFFERATTRIBARBPROC) (HPBUFFERARB hPbuffer, const int* piAttribList); #define wglBindTexImageARB WGLEW_GET_FUN(__wglewBindTexImageARB) #define wglReleaseTexImageARB WGLEW_GET_FUN(__wglewReleaseTexImageARB) #define wglSetPbufferAttribARB WGLEW_GET_FUN(__wglewSetPbufferAttribARB) #define WGLEW_ARB_render_texture WGLEW_GET_VAR(__WGLEW_ARB_render_texture) #endif /* WGL_ARB_render_texture */ /* ---------------- WGL_ARB_robustness_application_isolation --------------- */ #ifndef WGL_ARB_robustness_application_isolation #define WGL_ARB_robustness_application_isolation 1 #define WGL_CONTEXT_RESET_ISOLATION_BIT_ARB 0x00000008 #define WGLEW_ARB_robustness_application_isolation WGLEW_GET_VAR(__WGLEW_ARB_robustness_application_isolation) #endif /* WGL_ARB_robustness_application_isolation */ /* ---------------- WGL_ARB_robustness_share_group_isolation --------------- */ #ifndef WGL_ARB_robustness_share_group_isolation #define WGL_ARB_robustness_share_group_isolation 1 #define WGL_CONTEXT_RESET_ISOLATION_BIT_ARB 0x00000008 #define WGLEW_ARB_robustness_share_group_isolation WGLEW_GET_VAR(__WGLEW_ARB_robustness_share_group_isolation) #endif /* WGL_ARB_robustness_share_group_isolation */ /* ----------------------- WGL_ATI_pixel_format_float ---------------------- */ #ifndef WGL_ATI_pixel_format_float #define WGL_ATI_pixel_format_float 1 #define WGL_TYPE_RGBA_FLOAT_ATI 0x21A0 #define GL_RGBA_FLOAT_MODE_ATI 0x8820 #define GL_COLOR_CLEAR_UNCLAMPED_VALUE_ATI 0x8835 #define WGLEW_ATI_pixel_format_float WGLEW_GET_VAR(__WGLEW_ATI_pixel_format_float) #endif /* WGL_ATI_pixel_format_float */ /* -------------------- WGL_ATI_render_texture_rectangle ------------------- */ #ifndef WGL_ATI_render_texture_rectangle #define WGL_ATI_render_texture_rectangle 1 #define WGL_TEXTURE_RECTANGLE_ATI 0x21A5 #define WGLEW_ATI_render_texture_rectangle WGLEW_GET_VAR(__WGLEW_ATI_render_texture_rectangle) #endif /* WGL_ATI_render_texture_rectangle */ /* --------------------------- WGL_EXT_colorspace -------------------------- */ #ifndef WGL_EXT_colorspace #define WGL_EXT_colorspace 1 #define WGL_COLORSPACE_SRGB_EXT 0x3089 #define WGL_COLORSPACE_LINEAR_EXT 0x308A #define WGL_COLORSPACE_EXT 0x309D #define WGLEW_EXT_colorspace WGLEW_GET_VAR(__WGLEW_EXT_colorspace) #endif /* WGL_EXT_colorspace */ /* ------------------- WGL_EXT_create_context_es2_profile ------------------ */ #ifndef WGL_EXT_create_context_es2_profile #define WGL_EXT_create_context_es2_profile 1 #define WGL_CONTEXT_ES2_PROFILE_BIT_EXT 0x00000004 #define WGLEW_EXT_create_context_es2_profile WGLEW_GET_VAR(__WGLEW_EXT_create_context_es2_profile) #endif /* WGL_EXT_create_context_es2_profile */ /* ------------------- WGL_EXT_create_context_es_profile ------------------- */ #ifndef WGL_EXT_create_context_es_profile #define WGL_EXT_create_context_es_profile 1 #define WGL_CONTEXT_ES_PROFILE_BIT_EXT 0x00000004 #define WGLEW_EXT_create_context_es_profile WGLEW_GET_VAR(__WGLEW_EXT_create_context_es_profile) #endif /* WGL_EXT_create_context_es_profile */ /* -------------------------- WGL_EXT_depth_float -------------------------- */ #ifndef WGL_EXT_depth_float #define WGL_EXT_depth_float 1 #define WGL_DEPTH_FLOAT_EXT 0x2040 #define WGLEW_EXT_depth_float WGLEW_GET_VAR(__WGLEW_EXT_depth_float) #endif /* WGL_EXT_depth_float */ /* ---------------------- WGL_EXT_display_color_table ---------------------- */ #ifndef WGL_EXT_display_color_table #define WGL_EXT_display_color_table 1 typedef GLboolean (WINAPI * PFNWGLBINDDISPLAYCOLORTABLEEXTPROC) (GLushort id); typedef GLboolean (WINAPI * PFNWGLCREATEDISPLAYCOLORTABLEEXTPROC) (GLushort id); typedef void (WINAPI * PFNWGLDESTROYDISPLAYCOLORTABLEEXTPROC) (GLushort id); typedef GLboolean (WINAPI * PFNWGLLOADDISPLAYCOLORTABLEEXTPROC) (GLushort* table, GLuint length); #define wglBindDisplayColorTableEXT WGLEW_GET_FUN(__wglewBindDisplayColorTableEXT) #define wglCreateDisplayColorTableEXT WGLEW_GET_FUN(__wglewCreateDisplayColorTableEXT) #define wglDestroyDisplayColorTableEXT WGLEW_GET_FUN(__wglewDestroyDisplayColorTableEXT) #define wglLoadDisplayColorTableEXT WGLEW_GET_FUN(__wglewLoadDisplayColorTableEXT) #define WGLEW_EXT_display_color_table WGLEW_GET_VAR(__WGLEW_EXT_display_color_table) #endif /* WGL_EXT_display_color_table */ /* ----------------------- WGL_EXT_extensions_string ----------------------- */ #ifndef WGL_EXT_extensions_string #define WGL_EXT_extensions_string 1 typedef const char* (WINAPI * PFNWGLGETEXTENSIONSSTRINGEXTPROC) (void); #define wglGetExtensionsStringEXT WGLEW_GET_FUN(__wglewGetExtensionsStringEXT) #define WGLEW_EXT_extensions_string WGLEW_GET_VAR(__WGLEW_EXT_extensions_string) #endif /* WGL_EXT_extensions_string */ /* ------------------------ WGL_EXT_framebuffer_sRGB ----------------------- */ #ifndef WGL_EXT_framebuffer_sRGB #define WGL_EXT_framebuffer_sRGB 1 #define WGL_FRAMEBUFFER_SRGB_CAPABLE_EXT 0x20A9 #define WGLEW_EXT_framebuffer_sRGB WGLEW_GET_VAR(__WGLEW_EXT_framebuffer_sRGB) #endif /* WGL_EXT_framebuffer_sRGB */ /* ----------------------- WGL_EXT_make_current_read ----------------------- */ #ifndef WGL_EXT_make_current_read #define WGL_EXT_make_current_read 1 #define ERROR_INVALID_PIXEL_TYPE_EXT 0x2043 typedef HDC (WINAPI * PFNWGLGETCURRENTREADDCEXTPROC) (VOID); typedef BOOL (WINAPI * PFNWGLMAKECONTEXTCURRENTEXTPROC) (HDC hDrawDC, HDC hReadDC, HGLRC hglrc); #define wglGetCurrentReadDCEXT WGLEW_GET_FUN(__wglewGetCurrentReadDCEXT) #define wglMakeContextCurrentEXT WGLEW_GET_FUN(__wglewMakeContextCurrentEXT) #define WGLEW_EXT_make_current_read WGLEW_GET_VAR(__WGLEW_EXT_make_current_read) #endif /* WGL_EXT_make_current_read */ /* -------------------------- WGL_EXT_multisample -------------------------- */ #ifndef WGL_EXT_multisample #define WGL_EXT_multisample 1 #define WGL_SAMPLE_BUFFERS_EXT 0x2041 #define WGL_SAMPLES_EXT 0x2042 #define WGLEW_EXT_multisample WGLEW_GET_VAR(__WGLEW_EXT_multisample) #endif /* WGL_EXT_multisample */ /* ---------------------------- WGL_EXT_pbuffer ---------------------------- */ #ifndef WGL_EXT_pbuffer #define WGL_EXT_pbuffer 1 #define WGL_DRAW_TO_PBUFFER_EXT 0x202D #define WGL_MAX_PBUFFER_PIXELS_EXT 0x202E #define WGL_MAX_PBUFFER_WIDTH_EXT 0x202F #define WGL_MAX_PBUFFER_HEIGHT_EXT 0x2030 #define WGL_OPTIMAL_PBUFFER_WIDTH_EXT 0x2031 #define WGL_OPTIMAL_PBUFFER_HEIGHT_EXT 0x2032 #define WGL_PBUFFER_LARGEST_EXT 0x2033 #define WGL_PBUFFER_WIDTH_EXT 0x2034 #define WGL_PBUFFER_HEIGHT_EXT 0x2035 DECLARE_HANDLE(HPBUFFEREXT); typedef HPBUFFEREXT (WINAPI * PFNWGLCREATEPBUFFEREXTPROC) (HDC hDC, int iPixelFormat, int iWidth, int iHeight, const int* piAttribList); typedef BOOL (WINAPI * PFNWGLDESTROYPBUFFEREXTPROC) (HPBUFFEREXT hPbuffer); typedef HDC (WINAPI * PFNWGLGETPBUFFERDCEXTPROC) (HPBUFFEREXT hPbuffer); typedef BOOL (WINAPI * PFNWGLQUERYPBUFFEREXTPROC) (HPBUFFEREXT hPbuffer, int iAttribute, int* piValue); typedef int (WINAPI * PFNWGLRELEASEPBUFFERDCEXTPROC) (HPBUFFEREXT hPbuffer, HDC hDC); #define wglCreatePbufferEXT WGLEW_GET_FUN(__wglewCreatePbufferEXT) #define wglDestroyPbufferEXT WGLEW_GET_FUN(__wglewDestroyPbufferEXT) #define wglGetPbufferDCEXT WGLEW_GET_FUN(__wglewGetPbufferDCEXT) #define wglQueryPbufferEXT WGLEW_GET_FUN(__wglewQueryPbufferEXT) #define wglReleasePbufferDCEXT WGLEW_GET_FUN(__wglewReleasePbufferDCEXT) #define WGLEW_EXT_pbuffer WGLEW_GET_VAR(__WGLEW_EXT_pbuffer) #endif /* WGL_EXT_pbuffer */ /* -------------------------- WGL_EXT_pixel_format ------------------------- */ #ifndef WGL_EXT_pixel_format #define WGL_EXT_pixel_format 1 #define WGL_NUMBER_PIXEL_FORMATS_EXT 0x2000 #define WGL_DRAW_TO_WINDOW_EXT 0x2001 #define WGL_DRAW_TO_BITMAP_EXT 0x2002 #define WGL_ACCELERATION_EXT 0x2003 #define WGL_NEED_PALETTE_EXT 0x2004 #define WGL_NEED_SYSTEM_PALETTE_EXT 0x2005 #define WGL_SWAP_LAYER_BUFFERS_EXT 0x2006 #define WGL_SWAP_METHOD_EXT 0x2007 #define WGL_NUMBER_OVERLAYS_EXT 0x2008 #define WGL_NUMBER_UNDERLAYS_EXT 0x2009 #define WGL_TRANSPARENT_EXT 0x200A #define WGL_TRANSPARENT_VALUE_EXT 0x200B #define WGL_SHARE_DEPTH_EXT 0x200C #define WGL_SHARE_STENCIL_EXT 0x200D #define WGL_SHARE_ACCUM_EXT 0x200E #define WGL_SUPPORT_GDI_EXT 0x200F #define WGL_SUPPORT_OPENGL_EXT 0x2010 #define WGL_DOUBLE_BUFFER_EXT 0x2011 #define WGL_STEREO_EXT 0x2012 #define WGL_PIXEL_TYPE_EXT 0x2013 #define WGL_COLOR_BITS_EXT 0x2014 #define WGL_RED_BITS_EXT 0x2015 #define WGL_RED_SHIFT_EXT 0x2016 #define WGL_GREEN_BITS_EXT 0x2017 #define WGL_GREEN_SHIFT_EXT 0x2018 #define WGL_BLUE_BITS_EXT 0x2019 #define WGL_BLUE_SHIFT_EXT 0x201A #define WGL_ALPHA_BITS_EXT 0x201B #define WGL_ALPHA_SHIFT_EXT 0x201C #define WGL_ACCUM_BITS_EXT 0x201D #define WGL_ACCUM_RED_BITS_EXT 0x201E #define WGL_ACCUM_GREEN_BITS_EXT 0x201F #define WGL_ACCUM_BLUE_BITS_EXT 0x2020 #define WGL_ACCUM_ALPHA_BITS_EXT 0x2021 #define WGL_DEPTH_BITS_EXT 0x2022 #define WGL_STENCIL_BITS_EXT 0x2023 #define WGL_AUX_BUFFERS_EXT 0x2024 #define WGL_NO_ACCELERATION_EXT 0x2025 #define WGL_GENERIC_ACCELERATION_EXT 0x2026 #define WGL_FULL_ACCELERATION_EXT 0x2027 #define WGL_SWAP_EXCHANGE_EXT 0x2028 #define WGL_SWAP_COPY_EXT 0x2029 #define WGL_SWAP_UNDEFINED_EXT 0x202A #define WGL_TYPE_RGBA_EXT 0x202B #define WGL_TYPE_COLORINDEX_EXT 0x202C typedef BOOL (WINAPI * PFNWGLCHOOSEPIXELFORMATEXTPROC) (HDC hdc, const int* piAttribIList, const FLOAT *pfAttribFList, UINT nMaxFormats, int *piFormats, UINT *nNumFormats); typedef BOOL (WINAPI * PFNWGLGETPIXELFORMATATTRIBFVEXTPROC) (HDC hdc, int iPixelFormat, int iLayerPlane, UINT nAttributes, int* piAttributes, FLOAT *pfValues); typedef BOOL (WINAPI * PFNWGLGETPIXELFORMATATTRIBIVEXTPROC) (HDC hdc, int iPixelFormat, int iLayerPlane, UINT nAttributes, int* piAttributes, int *piValues); #define wglChoosePixelFormatEXT WGLEW_GET_FUN(__wglewChoosePixelFormatEXT) #define wglGetPixelFormatAttribfvEXT WGLEW_GET_FUN(__wglewGetPixelFormatAttribfvEXT) #define wglGetPixelFormatAttribivEXT WGLEW_GET_FUN(__wglewGetPixelFormatAttribivEXT) #define WGLEW_EXT_pixel_format WGLEW_GET_VAR(__WGLEW_EXT_pixel_format) #endif /* WGL_EXT_pixel_format */ /* ------------------- WGL_EXT_pixel_format_packed_float ------------------- */ #ifndef WGL_EXT_pixel_format_packed_float #define WGL_EXT_pixel_format_packed_float 1 #define WGL_TYPE_RGBA_UNSIGNED_FLOAT_EXT 0x20A8 #define WGLEW_EXT_pixel_format_packed_float WGLEW_GET_VAR(__WGLEW_EXT_pixel_format_packed_float) #endif /* WGL_EXT_pixel_format_packed_float */ /* -------------------------- WGL_EXT_swap_control ------------------------- */ #ifndef WGL_EXT_swap_control #define WGL_EXT_swap_control 1 typedef int (WINAPI * PFNWGLGETSWAPINTERVALEXTPROC) (void); typedef BOOL (WINAPI * PFNWGLSWAPINTERVALEXTPROC) (int interval); #define wglGetSwapIntervalEXT WGLEW_GET_FUN(__wglewGetSwapIntervalEXT) #define wglSwapIntervalEXT WGLEW_GET_FUN(__wglewSwapIntervalEXT) #define WGLEW_EXT_swap_control WGLEW_GET_VAR(__WGLEW_EXT_swap_control) #endif /* WGL_EXT_swap_control */ /* ----------------------- WGL_EXT_swap_control_tear ----------------------- */ #ifndef WGL_EXT_swap_control_tear #define WGL_EXT_swap_control_tear 1 #define WGLEW_EXT_swap_control_tear WGLEW_GET_VAR(__WGLEW_EXT_swap_control_tear) #endif /* WGL_EXT_swap_control_tear */ /* --------------------- WGL_I3D_digital_video_control --------------------- */ #ifndef WGL_I3D_digital_video_control #define WGL_I3D_digital_video_control 1 #define WGL_DIGITAL_VIDEO_CURSOR_ALPHA_FRAMEBUFFER_I3D 0x2050 #define WGL_DIGITAL_VIDEO_CURSOR_ALPHA_VALUE_I3D 0x2051 #define WGL_DIGITAL_VIDEO_CURSOR_INCLUDED_I3D 0x2052 #define WGL_DIGITAL_VIDEO_GAMMA_CORRECTED_I3D 0x2053 typedef BOOL (WINAPI * PFNWGLGETDIGITALVIDEOPARAMETERSI3DPROC) (HDC hDC, int iAttribute, int* piValue); typedef BOOL (WINAPI * PFNWGLSETDIGITALVIDEOPARAMETERSI3DPROC) (HDC hDC, int iAttribute, const int* piValue); #define wglGetDigitalVideoParametersI3D WGLEW_GET_FUN(__wglewGetDigitalVideoParametersI3D) #define wglSetDigitalVideoParametersI3D WGLEW_GET_FUN(__wglewSetDigitalVideoParametersI3D) #define WGLEW_I3D_digital_video_control WGLEW_GET_VAR(__WGLEW_I3D_digital_video_control) #endif /* WGL_I3D_digital_video_control */ /* ----------------------------- WGL_I3D_gamma ----------------------------- */ #ifndef WGL_I3D_gamma #define WGL_I3D_gamma 1 #define WGL_GAMMA_TABLE_SIZE_I3D 0x204E #define WGL_GAMMA_EXCLUDE_DESKTOP_I3D 0x204F typedef BOOL (WINAPI * PFNWGLGETGAMMATABLEI3DPROC) (HDC hDC, int iEntries, USHORT* puRed, USHORT *puGreen, USHORT *puBlue); typedef BOOL (WINAPI * PFNWGLGETGAMMATABLEPARAMETERSI3DPROC) (HDC hDC, int iAttribute, int* piValue); typedef BOOL (WINAPI * PFNWGLSETGAMMATABLEI3DPROC) (HDC hDC, int iEntries, const USHORT* puRed, const USHORT *puGreen, const USHORT *puBlue); typedef BOOL (WINAPI * PFNWGLSETGAMMATABLEPARAMETERSI3DPROC) (HDC hDC, int iAttribute, const int* piValue); #define wglGetGammaTableI3D WGLEW_GET_FUN(__wglewGetGammaTableI3D) #define wglGetGammaTableParametersI3D WGLEW_GET_FUN(__wglewGetGammaTableParametersI3D) #define wglSetGammaTableI3D WGLEW_GET_FUN(__wglewSetGammaTableI3D) #define wglSetGammaTableParametersI3D WGLEW_GET_FUN(__wglewSetGammaTableParametersI3D) #define WGLEW_I3D_gamma WGLEW_GET_VAR(__WGLEW_I3D_gamma) #endif /* WGL_I3D_gamma */ /* ---------------------------- WGL_I3D_genlock ---------------------------- */ #ifndef WGL_I3D_genlock #define WGL_I3D_genlock 1 #define WGL_GENLOCK_SOURCE_MULTIVIEW_I3D 0x2044 #define WGL_GENLOCK_SOURCE_EXTERNAL_SYNC_I3D 0x2045 #define WGL_GENLOCK_SOURCE_EXTERNAL_FIELD_I3D 0x2046 #define WGL_GENLOCK_SOURCE_EXTERNAL_TTL_I3D 0x2047 #define WGL_GENLOCK_SOURCE_DIGITAL_SYNC_I3D 0x2048 #define WGL_GENLOCK_SOURCE_DIGITAL_FIELD_I3D 0x2049 #define WGL_GENLOCK_SOURCE_EDGE_FALLING_I3D 0x204A #define WGL_GENLOCK_SOURCE_EDGE_RISING_I3D 0x204B #define WGL_GENLOCK_SOURCE_EDGE_BOTH_I3D 0x204C typedef BOOL (WINAPI * PFNWGLDISABLEGENLOCKI3DPROC) (HDC hDC); typedef BOOL (WINAPI * PFNWGLENABLEGENLOCKI3DPROC) (HDC hDC); typedef BOOL (WINAPI * PFNWGLGENLOCKSAMPLERATEI3DPROC) (HDC hDC, UINT uRate); typedef BOOL (WINAPI * PFNWGLGENLOCKSOURCEDELAYI3DPROC) (HDC hDC, UINT uDelay); typedef BOOL (WINAPI * PFNWGLGENLOCKSOURCEEDGEI3DPROC) (HDC hDC, UINT uEdge); typedef BOOL (WINAPI * PFNWGLGENLOCKSOURCEI3DPROC) (HDC hDC, UINT uSource); typedef BOOL (WINAPI * PFNWGLGETGENLOCKSAMPLERATEI3DPROC) (HDC hDC, UINT* uRate); typedef BOOL (WINAPI * PFNWGLGETGENLOCKSOURCEDELAYI3DPROC) (HDC hDC, UINT* uDelay); typedef BOOL (WINAPI * PFNWGLGETGENLOCKSOURCEEDGEI3DPROC) (HDC hDC, UINT* uEdge); typedef BOOL (WINAPI * PFNWGLGETGENLOCKSOURCEI3DPROC) (HDC hDC, UINT* uSource); typedef BOOL (WINAPI * PFNWGLISENABLEDGENLOCKI3DPROC) (HDC hDC, BOOL* pFlag); typedef BOOL (WINAPI * PFNWGLQUERYGENLOCKMAXSOURCEDELAYI3DPROC) (HDC hDC, UINT* uMaxLineDelay, UINT *uMaxPixelDelay); #define wglDisableGenlockI3D WGLEW_GET_FUN(__wglewDisableGenlockI3D) #define wglEnableGenlockI3D WGLEW_GET_FUN(__wglewEnableGenlockI3D) #define wglGenlockSampleRateI3D WGLEW_GET_FUN(__wglewGenlockSampleRateI3D) #define wglGenlockSourceDelayI3D WGLEW_GET_FUN(__wglewGenlockSourceDelayI3D) #define wglGenlockSourceEdgeI3D WGLEW_GET_FUN(__wglewGenlockSourceEdgeI3D) #define wglGenlockSourceI3D WGLEW_GET_FUN(__wglewGenlockSourceI3D) #define wglGetGenlockSampleRateI3D WGLEW_GET_FUN(__wglewGetGenlockSampleRateI3D) #define wglGetGenlockSourceDelayI3D WGLEW_GET_FUN(__wglewGetGenlockSourceDelayI3D) #define wglGetGenlockSourceEdgeI3D WGLEW_GET_FUN(__wglewGetGenlockSourceEdgeI3D) #define wglGetGenlockSourceI3D WGLEW_GET_FUN(__wglewGetGenlockSourceI3D) #define wglIsEnabledGenlockI3D WGLEW_GET_FUN(__wglewIsEnabledGenlockI3D) #define wglQueryGenlockMaxSourceDelayI3D WGLEW_GET_FUN(__wglewQueryGenlockMaxSourceDelayI3D) #define WGLEW_I3D_genlock WGLEW_GET_VAR(__WGLEW_I3D_genlock) #endif /* WGL_I3D_genlock */ /* -------------------------- WGL_I3D_image_buffer ------------------------- */ #ifndef WGL_I3D_image_buffer #define WGL_I3D_image_buffer 1 #define WGL_IMAGE_BUFFER_MIN_ACCESS_I3D 0x00000001 #define WGL_IMAGE_BUFFER_LOCK_I3D 0x00000002 typedef BOOL (WINAPI * PFNWGLASSOCIATEIMAGEBUFFEREVENTSI3DPROC) (HDC hdc, HANDLE* pEvent, LPVOID *pAddress, DWORD *pSize, UINT count); typedef LPVOID (WINAPI * PFNWGLCREATEIMAGEBUFFERI3DPROC) (HDC hDC, DWORD dwSize, UINT uFlags); typedef BOOL (WINAPI * PFNWGLDESTROYIMAGEBUFFERI3DPROC) (HDC hDC, LPVOID pAddress); typedef BOOL (WINAPI * PFNWGLRELEASEIMAGEBUFFEREVENTSI3DPROC) (HDC hdc, LPVOID* pAddress, UINT count); #define wglAssociateImageBufferEventsI3D WGLEW_GET_FUN(__wglewAssociateImageBufferEventsI3D) #define wglCreateImageBufferI3D WGLEW_GET_FUN(__wglewCreateImageBufferI3D) #define wglDestroyImageBufferI3D WGLEW_GET_FUN(__wglewDestroyImageBufferI3D) #define wglReleaseImageBufferEventsI3D WGLEW_GET_FUN(__wglewReleaseImageBufferEventsI3D) #define WGLEW_I3D_image_buffer WGLEW_GET_VAR(__WGLEW_I3D_image_buffer) #endif /* WGL_I3D_image_buffer */ /* ------------------------ WGL_I3D_swap_frame_lock ------------------------ */ #ifndef WGL_I3D_swap_frame_lock #define WGL_I3D_swap_frame_lock 1 typedef BOOL (WINAPI * PFNWGLDISABLEFRAMELOCKI3DPROC) (VOID); typedef BOOL (WINAPI * PFNWGLENABLEFRAMELOCKI3DPROC) (VOID); typedef BOOL (WINAPI * PFNWGLISENABLEDFRAMELOCKI3DPROC) (BOOL* pFlag); typedef BOOL (WINAPI * PFNWGLQUERYFRAMELOCKMASTERI3DPROC) (BOOL* pFlag); #define wglDisableFrameLockI3D WGLEW_GET_FUN(__wglewDisableFrameLockI3D) #define wglEnableFrameLockI3D WGLEW_GET_FUN(__wglewEnableFrameLockI3D) #define wglIsEnabledFrameLockI3D WGLEW_GET_FUN(__wglewIsEnabledFrameLockI3D) #define wglQueryFrameLockMasterI3D WGLEW_GET_FUN(__wglewQueryFrameLockMasterI3D) #define WGLEW_I3D_swap_frame_lock WGLEW_GET_VAR(__WGLEW_I3D_swap_frame_lock) #endif /* WGL_I3D_swap_frame_lock */ /* ------------------------ WGL_I3D_swap_frame_usage ----------------------- */ #ifndef WGL_I3D_swap_frame_usage #define WGL_I3D_swap_frame_usage 1 typedef BOOL (WINAPI * PFNWGLBEGINFRAMETRACKINGI3DPROC) (void); typedef BOOL (WINAPI * PFNWGLENDFRAMETRACKINGI3DPROC) (void); typedef BOOL (WINAPI * PFNWGLGETFRAMEUSAGEI3DPROC) (float* pUsage); typedef BOOL (WINAPI * PFNWGLQUERYFRAMETRACKINGI3DPROC) (DWORD* pFrameCount, DWORD *pMissedFrames, float *pLastMissedUsage); #define wglBeginFrameTrackingI3D WGLEW_GET_FUN(__wglewBeginFrameTrackingI3D) #define wglEndFrameTrackingI3D WGLEW_GET_FUN(__wglewEndFrameTrackingI3D) #define wglGetFrameUsageI3D WGLEW_GET_FUN(__wglewGetFrameUsageI3D) #define wglQueryFrameTrackingI3D WGLEW_GET_FUN(__wglewQueryFrameTrackingI3D) #define WGLEW_I3D_swap_frame_usage WGLEW_GET_VAR(__WGLEW_I3D_swap_frame_usage) #endif /* WGL_I3D_swap_frame_usage */ /* --------------------------- WGL_NV_DX_interop --------------------------- */ #ifndef WGL_NV_DX_interop #define WGL_NV_DX_interop 1 #define WGL_ACCESS_READ_ONLY_NV 0x0000 #define WGL_ACCESS_READ_WRITE_NV 0x0001 #define WGL_ACCESS_WRITE_DISCARD_NV 0x0002 typedef BOOL (WINAPI * PFNWGLDXCLOSEDEVICENVPROC) (HANDLE hDevice); typedef BOOL (WINAPI * PFNWGLDXLOCKOBJECTSNVPROC) (HANDLE hDevice, GLint count, HANDLE* hObjects); typedef BOOL (WINAPI * PFNWGLDXOBJECTACCESSNVPROC) (HANDLE hObject, GLenum access); typedef HANDLE (WINAPI * PFNWGLDXOPENDEVICENVPROC) (void* dxDevice); typedef HANDLE (WINAPI * PFNWGLDXREGISTEROBJECTNVPROC) (HANDLE hDevice, void* dxObject, GLuint name, GLenum type, GLenum access); typedef BOOL (WINAPI * PFNWGLDXSETRESOURCESHAREHANDLENVPROC) (void* dxObject, HANDLE shareHandle); typedef BOOL (WINAPI * PFNWGLDXUNLOCKOBJECTSNVPROC) (HANDLE hDevice, GLint count, HANDLE* hObjects); typedef BOOL (WINAPI * PFNWGLDXUNREGISTEROBJECTNVPROC) (HANDLE hDevice, HANDLE hObject); #define wglDXCloseDeviceNV WGLEW_GET_FUN(__wglewDXCloseDeviceNV) #define wglDXLockObjectsNV WGLEW_GET_FUN(__wglewDXLockObjectsNV) #define wglDXObjectAccessNV WGLEW_GET_FUN(__wglewDXObjectAccessNV) #define wglDXOpenDeviceNV WGLEW_GET_FUN(__wglewDXOpenDeviceNV) #define wglDXRegisterObjectNV WGLEW_GET_FUN(__wglewDXRegisterObjectNV) #define wglDXSetResourceShareHandleNV WGLEW_GET_FUN(__wglewDXSetResourceShareHandleNV) #define wglDXUnlockObjectsNV WGLEW_GET_FUN(__wglewDXUnlockObjectsNV) #define wglDXUnregisterObjectNV WGLEW_GET_FUN(__wglewDXUnregisterObjectNV) #define WGLEW_NV_DX_interop WGLEW_GET_VAR(__WGLEW_NV_DX_interop) #endif /* WGL_NV_DX_interop */ /* --------------------------- WGL_NV_DX_interop2 -------------------------- */ #ifndef WGL_NV_DX_interop2 #define WGL_NV_DX_interop2 1 #define WGLEW_NV_DX_interop2 WGLEW_GET_VAR(__WGLEW_NV_DX_interop2) #endif /* WGL_NV_DX_interop2 */ /* --------------------------- WGL_NV_copy_image --------------------------- */ #ifndef WGL_NV_copy_image #define WGL_NV_copy_image 1 typedef BOOL (WINAPI * PFNWGLCOPYIMAGESUBDATANVPROC) (HGLRC hSrcRC, GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, HGLRC hDstRC, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei width, GLsizei height, GLsizei depth); #define wglCopyImageSubDataNV WGLEW_GET_FUN(__wglewCopyImageSubDataNV) #define WGLEW_NV_copy_image WGLEW_GET_VAR(__WGLEW_NV_copy_image) #endif /* WGL_NV_copy_image */ /* ------------------------ WGL_NV_delay_before_swap ----------------------- */ #ifndef WGL_NV_delay_before_swap #define WGL_NV_delay_before_swap 1 typedef BOOL (WINAPI * PFNWGLDELAYBEFORESWAPNVPROC) (HDC hDC, GLfloat seconds); #define wglDelayBeforeSwapNV WGLEW_GET_FUN(__wglewDelayBeforeSwapNV) #define WGLEW_NV_delay_before_swap WGLEW_GET_VAR(__WGLEW_NV_delay_before_swap) #endif /* WGL_NV_delay_before_swap */ /* -------------------------- WGL_NV_float_buffer -------------------------- */ #ifndef WGL_NV_float_buffer #define WGL_NV_float_buffer 1 #define WGL_FLOAT_COMPONENTS_NV 0x20B0 #define WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_R_NV 0x20B1 #define WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RG_NV 0x20B2 #define WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RGB_NV 0x20B3 #define WGL_BIND_TO_TEXTURE_RECTANGLE_FLOAT_RGBA_NV 0x20B4 #define WGL_TEXTURE_FLOAT_R_NV 0x20B5 #define WGL_TEXTURE_FLOAT_RG_NV 0x20B6 #define WGL_TEXTURE_FLOAT_RGB_NV 0x20B7 #define WGL_TEXTURE_FLOAT_RGBA_NV 0x20B8 #define WGLEW_NV_float_buffer WGLEW_GET_VAR(__WGLEW_NV_float_buffer) #endif /* WGL_NV_float_buffer */ /* -------------------------- WGL_NV_gpu_affinity -------------------------- */ #ifndef WGL_NV_gpu_affinity #define WGL_NV_gpu_affinity 1 #define WGL_ERROR_INCOMPATIBLE_AFFINITY_MASKS_NV 0x20D0 #define WGL_ERROR_MISSING_AFFINITY_MASK_NV 0x20D1 DECLARE_HANDLE(HGPUNV); typedef struct _GPU_DEVICE { DWORD cb; CHAR DeviceName[32]; CHAR DeviceString[128]; DWORD Flags; RECT rcVirtualScreen; } GPU_DEVICE, *PGPU_DEVICE; typedef HDC (WINAPI * PFNWGLCREATEAFFINITYDCNVPROC) (const HGPUNV *phGpuList); typedef BOOL (WINAPI * PFNWGLDELETEDCNVPROC) (HDC hdc); typedef BOOL (WINAPI * PFNWGLENUMGPUDEVICESNVPROC) (HGPUNV hGpu, UINT iDeviceIndex, PGPU_DEVICE lpGpuDevice); typedef BOOL (WINAPI * PFNWGLENUMGPUSFROMAFFINITYDCNVPROC) (HDC hAffinityDC, UINT iGpuIndex, HGPUNV *hGpu); typedef BOOL (WINAPI * PFNWGLENUMGPUSNVPROC) (UINT iGpuIndex, HGPUNV *phGpu); #define wglCreateAffinityDCNV WGLEW_GET_FUN(__wglewCreateAffinityDCNV) #define wglDeleteDCNV WGLEW_GET_FUN(__wglewDeleteDCNV) #define wglEnumGpuDevicesNV WGLEW_GET_FUN(__wglewEnumGpuDevicesNV) #define wglEnumGpusFromAffinityDCNV WGLEW_GET_FUN(__wglewEnumGpusFromAffinityDCNV) #define wglEnumGpusNV WGLEW_GET_FUN(__wglewEnumGpusNV) #define WGLEW_NV_gpu_affinity WGLEW_GET_VAR(__WGLEW_NV_gpu_affinity) #endif /* WGL_NV_gpu_affinity */ /* ---------------------- WGL_NV_multisample_coverage ---------------------- */ #ifndef WGL_NV_multisample_coverage #define WGL_NV_multisample_coverage 1 #define WGL_COVERAGE_SAMPLES_NV 0x2042 #define WGL_COLOR_SAMPLES_NV 0x20B9 #define WGLEW_NV_multisample_coverage WGLEW_GET_VAR(__WGLEW_NV_multisample_coverage) #endif /* WGL_NV_multisample_coverage */ /* -------------------------- WGL_NV_present_video ------------------------- */ #ifndef WGL_NV_present_video #define WGL_NV_present_video 1 #define WGL_NUM_VIDEO_SLOTS_NV 0x20F0 DECLARE_HANDLE(HVIDEOOUTPUTDEVICENV); typedef BOOL (WINAPI * PFNWGLBINDVIDEODEVICENVPROC) (HDC hDc, unsigned int uVideoSlot, HVIDEOOUTPUTDEVICENV hVideoDevice, const int* piAttribList); typedef int (WINAPI * PFNWGLENUMERATEVIDEODEVICESNVPROC) (HDC hDc, HVIDEOOUTPUTDEVICENV* phDeviceList); typedef BOOL (WINAPI * PFNWGLQUERYCURRENTCONTEXTNVPROC) (int iAttribute, int* piValue); #define wglBindVideoDeviceNV WGLEW_GET_FUN(__wglewBindVideoDeviceNV) #define wglEnumerateVideoDevicesNV WGLEW_GET_FUN(__wglewEnumerateVideoDevicesNV) #define wglQueryCurrentContextNV WGLEW_GET_FUN(__wglewQueryCurrentContextNV) #define WGLEW_NV_present_video WGLEW_GET_VAR(__WGLEW_NV_present_video) #endif /* WGL_NV_present_video */ /* ---------------------- WGL_NV_render_depth_texture ---------------------- */ #ifndef WGL_NV_render_depth_texture #define WGL_NV_render_depth_texture 1 #define WGL_NO_TEXTURE_ARB 0x2077 #define WGL_BIND_TO_TEXTURE_DEPTH_NV 0x20A3 #define WGL_BIND_TO_TEXTURE_RECTANGLE_DEPTH_NV 0x20A4 #define WGL_DEPTH_TEXTURE_FORMAT_NV 0x20A5 #define WGL_TEXTURE_DEPTH_COMPONENT_NV 0x20A6 #define WGL_DEPTH_COMPONENT_NV 0x20A7 #define WGLEW_NV_render_depth_texture WGLEW_GET_VAR(__WGLEW_NV_render_depth_texture) #endif /* WGL_NV_render_depth_texture */ /* -------------------- WGL_NV_render_texture_rectangle -------------------- */ #ifndef WGL_NV_render_texture_rectangle #define WGL_NV_render_texture_rectangle 1 #define WGL_BIND_TO_TEXTURE_RECTANGLE_RGB_NV 0x20A0 #define WGL_BIND_TO_TEXTURE_RECTANGLE_RGBA_NV 0x20A1 #define WGL_TEXTURE_RECTANGLE_NV 0x20A2 #define WGLEW_NV_render_texture_rectangle WGLEW_GET_VAR(__WGLEW_NV_render_texture_rectangle) #endif /* WGL_NV_render_texture_rectangle */ /* --------------------------- WGL_NV_swap_group --------------------------- */ #ifndef WGL_NV_swap_group #define WGL_NV_swap_group 1 typedef BOOL (WINAPI * PFNWGLBINDSWAPBARRIERNVPROC) (GLuint group, GLuint barrier); typedef BOOL (WINAPI * PFNWGLJOINSWAPGROUPNVPROC) (HDC hDC, GLuint group); typedef BOOL (WINAPI * PFNWGLQUERYFRAMECOUNTNVPROC) (HDC hDC, GLuint* count); typedef BOOL (WINAPI * PFNWGLQUERYMAXSWAPGROUPSNVPROC) (HDC hDC, GLuint* maxGroups, GLuint *maxBarriers); typedef BOOL (WINAPI * PFNWGLQUERYSWAPGROUPNVPROC) (HDC hDC, GLuint* group, GLuint *barrier); typedef BOOL (WINAPI * PFNWGLRESETFRAMECOUNTNVPROC) (HDC hDC); #define wglBindSwapBarrierNV WGLEW_GET_FUN(__wglewBindSwapBarrierNV) #define wglJoinSwapGroupNV WGLEW_GET_FUN(__wglewJoinSwapGroupNV) #define wglQueryFrameCountNV WGLEW_GET_FUN(__wglewQueryFrameCountNV) #define wglQueryMaxSwapGroupsNV WGLEW_GET_FUN(__wglewQueryMaxSwapGroupsNV) #define wglQuerySwapGroupNV WGLEW_GET_FUN(__wglewQuerySwapGroupNV) #define wglResetFrameCountNV WGLEW_GET_FUN(__wglewResetFrameCountNV) #define WGLEW_NV_swap_group WGLEW_GET_VAR(__WGLEW_NV_swap_group) #endif /* WGL_NV_swap_group */ /* ----------------------- WGL_NV_vertex_array_range ----------------------- */ #ifndef WGL_NV_vertex_array_range #define WGL_NV_vertex_array_range 1 typedef void * (WINAPI * PFNWGLALLOCATEMEMORYNVPROC) (GLsizei size, GLfloat readFrequency, GLfloat writeFrequency, GLfloat priority); typedef void (WINAPI * PFNWGLFREEMEMORYNVPROC) (void *pointer); #define wglAllocateMemoryNV WGLEW_GET_FUN(__wglewAllocateMemoryNV) #define wglFreeMemoryNV WGLEW_GET_FUN(__wglewFreeMemoryNV) #define WGLEW_NV_vertex_array_range WGLEW_GET_VAR(__WGLEW_NV_vertex_array_range) #endif /* WGL_NV_vertex_array_range */ /* -------------------------- WGL_NV_video_capture ------------------------- */ #ifndef WGL_NV_video_capture #define WGL_NV_video_capture 1 #define WGL_UNIQUE_ID_NV 0x20CE #define WGL_NUM_VIDEO_CAPTURE_SLOTS_NV 0x20CF DECLARE_HANDLE(HVIDEOINPUTDEVICENV); typedef BOOL (WINAPI * PFNWGLBINDVIDEOCAPTUREDEVICENVPROC) (UINT uVideoSlot, HVIDEOINPUTDEVICENV hDevice); typedef UINT (WINAPI * PFNWGLENUMERATEVIDEOCAPTUREDEVICESNVPROC) (HDC hDc, HVIDEOINPUTDEVICENV* phDeviceList); typedef BOOL (WINAPI * PFNWGLLOCKVIDEOCAPTUREDEVICENVPROC) (HDC hDc, HVIDEOINPUTDEVICENV hDevice); typedef BOOL (WINAPI * PFNWGLQUERYVIDEOCAPTUREDEVICENVPROC) (HDC hDc, HVIDEOINPUTDEVICENV hDevice, int iAttribute, int* piValue); typedef BOOL (WINAPI * PFNWGLRELEASEVIDEOCAPTUREDEVICENVPROC) (HDC hDc, HVIDEOINPUTDEVICENV hDevice); #define wglBindVideoCaptureDeviceNV WGLEW_GET_FUN(__wglewBindVideoCaptureDeviceNV) #define wglEnumerateVideoCaptureDevicesNV WGLEW_GET_FUN(__wglewEnumerateVideoCaptureDevicesNV) #define wglLockVideoCaptureDeviceNV WGLEW_GET_FUN(__wglewLockVideoCaptureDeviceNV) #define wglQueryVideoCaptureDeviceNV WGLEW_GET_FUN(__wglewQueryVideoCaptureDeviceNV) #define wglReleaseVideoCaptureDeviceNV WGLEW_GET_FUN(__wglewReleaseVideoCaptureDeviceNV) #define WGLEW_NV_video_capture WGLEW_GET_VAR(__WGLEW_NV_video_capture) #endif /* WGL_NV_video_capture */ /* -------------------------- WGL_NV_video_output -------------------------- */ #ifndef WGL_NV_video_output #define WGL_NV_video_output 1 #define WGL_BIND_TO_VIDEO_RGB_NV 0x20C0 #define WGL_BIND_TO_VIDEO_RGBA_NV 0x20C1 #define WGL_BIND_TO_VIDEO_RGB_AND_DEPTH_NV 0x20C2 #define WGL_VIDEO_OUT_COLOR_NV 0x20C3 #define WGL_VIDEO_OUT_ALPHA_NV 0x20C4 #define WGL_VIDEO_OUT_DEPTH_NV 0x20C5 #define WGL_VIDEO_OUT_COLOR_AND_ALPHA_NV 0x20C6 #define WGL_VIDEO_OUT_COLOR_AND_DEPTH_NV 0x20C7 #define WGL_VIDEO_OUT_FRAME 0x20C8 #define WGL_VIDEO_OUT_FIELD_1 0x20C9 #define WGL_VIDEO_OUT_FIELD_2 0x20CA #define WGL_VIDEO_OUT_STACKED_FIELDS_1_2 0x20CB #define WGL_VIDEO_OUT_STACKED_FIELDS_2_1 0x20CC DECLARE_HANDLE(HPVIDEODEV); typedef BOOL (WINAPI * PFNWGLBINDVIDEOIMAGENVPROC) (HPVIDEODEV hVideoDevice, HPBUFFERARB hPbuffer, int iVideoBuffer); typedef BOOL (WINAPI * PFNWGLGETVIDEODEVICENVPROC) (HDC hDC, int numDevices, HPVIDEODEV* hVideoDevice); typedef BOOL (WINAPI * PFNWGLGETVIDEOINFONVPROC) (HPVIDEODEV hpVideoDevice, unsigned long* pulCounterOutputPbuffer, unsigned long *pulCounterOutputVideo); typedef BOOL (WINAPI * PFNWGLRELEASEVIDEODEVICENVPROC) (HPVIDEODEV hVideoDevice); typedef BOOL (WINAPI * PFNWGLRELEASEVIDEOIMAGENVPROC) (HPBUFFERARB hPbuffer, int iVideoBuffer); typedef BOOL (WINAPI * PFNWGLSENDPBUFFERTOVIDEONVPROC) (HPBUFFERARB hPbuffer, int iBufferType, unsigned long* pulCounterPbuffer, BOOL bBlock); #define wglBindVideoImageNV WGLEW_GET_FUN(__wglewBindVideoImageNV) #define wglGetVideoDeviceNV WGLEW_GET_FUN(__wglewGetVideoDeviceNV) #define wglGetVideoInfoNV WGLEW_GET_FUN(__wglewGetVideoInfoNV) #define wglReleaseVideoDeviceNV WGLEW_GET_FUN(__wglewReleaseVideoDeviceNV) #define wglReleaseVideoImageNV WGLEW_GET_FUN(__wglewReleaseVideoImageNV) #define wglSendPbufferToVideoNV WGLEW_GET_FUN(__wglewSendPbufferToVideoNV) #define WGLEW_NV_video_output WGLEW_GET_VAR(__WGLEW_NV_video_output) #endif /* WGL_NV_video_output */ /* -------------------------- WGL_OML_sync_control ------------------------- */ #ifndef WGL_OML_sync_control #define WGL_OML_sync_control 1 typedef BOOL (WINAPI * PFNWGLGETMSCRATEOMLPROC) (HDC hdc, INT32* numerator, INT32 *denominator); typedef BOOL (WINAPI * PFNWGLGETSYNCVALUESOMLPROC) (HDC hdc, INT64* ust, INT64 *msc, INT64 *sbc); typedef INT64 (WINAPI * PFNWGLSWAPBUFFERSMSCOMLPROC) (HDC hdc, INT64 target_msc, INT64 divisor, INT64 remainder); typedef INT64 (WINAPI * PFNWGLSWAPLAYERBUFFERSMSCOMLPROC) (HDC hdc, INT fuPlanes, INT64 target_msc, INT64 divisor, INT64 remainder); typedef BOOL (WINAPI * PFNWGLWAITFORMSCOMLPROC) (HDC hdc, INT64 target_msc, INT64 divisor, INT64 remainder, INT64* ust, INT64 *msc, INT64 *sbc); typedef BOOL (WINAPI * PFNWGLWAITFORSBCOMLPROC) (HDC hdc, INT64 target_sbc, INT64* ust, INT64 *msc, INT64 *sbc); #define wglGetMscRateOML WGLEW_GET_FUN(__wglewGetMscRateOML) #define wglGetSyncValuesOML WGLEW_GET_FUN(__wglewGetSyncValuesOML) #define wglSwapBuffersMscOML WGLEW_GET_FUN(__wglewSwapBuffersMscOML) #define wglSwapLayerBuffersMscOML WGLEW_GET_FUN(__wglewSwapLayerBuffersMscOML) #define wglWaitForMscOML WGLEW_GET_FUN(__wglewWaitForMscOML) #define wglWaitForSbcOML WGLEW_GET_FUN(__wglewWaitForSbcOML) #define WGLEW_OML_sync_control WGLEW_GET_VAR(__WGLEW_OML_sync_control) #endif /* WGL_OML_sync_control */ /* ------------------------------------------------------------------------- */ #define WGLEW_FUN_EXPORT GLEW_FUN_EXPORT #define WGLEW_VAR_EXPORT GLEW_VAR_EXPORT WGLEW_FUN_EXPORT PFNWGLSETSTEREOEMITTERSTATE3DLPROC __wglewSetStereoEmitterState3DL; WGLEW_FUN_EXPORT PFNWGLBLITCONTEXTFRAMEBUFFERAMDPROC __wglewBlitContextFramebufferAMD; WGLEW_FUN_EXPORT PFNWGLCREATEASSOCIATEDCONTEXTAMDPROC __wglewCreateAssociatedContextAMD; WGLEW_FUN_EXPORT PFNWGLCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC __wglewCreateAssociatedContextAttribsAMD; WGLEW_FUN_EXPORT PFNWGLDELETEASSOCIATEDCONTEXTAMDPROC __wglewDeleteAssociatedContextAMD; WGLEW_FUN_EXPORT PFNWGLGETCONTEXTGPUIDAMDPROC __wglewGetContextGPUIDAMD; WGLEW_FUN_EXPORT PFNWGLGETCURRENTASSOCIATEDCONTEXTAMDPROC __wglewGetCurrentAssociatedContextAMD; WGLEW_FUN_EXPORT PFNWGLGETGPUIDSAMDPROC __wglewGetGPUIDsAMD; WGLEW_FUN_EXPORT PFNWGLGETGPUINFOAMDPROC __wglewGetGPUInfoAMD; WGLEW_FUN_EXPORT PFNWGLMAKEASSOCIATEDCONTEXTCURRENTAMDPROC __wglewMakeAssociatedContextCurrentAMD; WGLEW_FUN_EXPORT PFNWGLCREATEBUFFERREGIONARBPROC __wglewCreateBufferRegionARB; WGLEW_FUN_EXPORT PFNWGLDELETEBUFFERREGIONARBPROC __wglewDeleteBufferRegionARB; WGLEW_FUN_EXPORT PFNWGLRESTOREBUFFERREGIONARBPROC __wglewRestoreBufferRegionARB; WGLEW_FUN_EXPORT PFNWGLSAVEBUFFERREGIONARBPROC __wglewSaveBufferRegionARB; WGLEW_FUN_EXPORT PFNWGLCREATECONTEXTATTRIBSARBPROC __wglewCreateContextAttribsARB; WGLEW_FUN_EXPORT PFNWGLGETEXTENSIONSSTRINGARBPROC __wglewGetExtensionsStringARB; WGLEW_FUN_EXPORT PFNWGLGETCURRENTREADDCARBPROC __wglewGetCurrentReadDCARB; WGLEW_FUN_EXPORT PFNWGLMAKECONTEXTCURRENTARBPROC __wglewMakeContextCurrentARB; WGLEW_FUN_EXPORT PFNWGLCREATEPBUFFERARBPROC __wglewCreatePbufferARB; WGLEW_FUN_EXPORT PFNWGLDESTROYPBUFFERARBPROC __wglewDestroyPbufferARB; WGLEW_FUN_EXPORT PFNWGLGETPBUFFERDCARBPROC __wglewGetPbufferDCARB; WGLEW_FUN_EXPORT PFNWGLQUERYPBUFFERARBPROC __wglewQueryPbufferARB; WGLEW_FUN_EXPORT PFNWGLRELEASEPBUFFERDCARBPROC __wglewReleasePbufferDCARB; WGLEW_FUN_EXPORT PFNWGLCHOOSEPIXELFORMATARBPROC __wglewChoosePixelFormatARB; WGLEW_FUN_EXPORT PFNWGLGETPIXELFORMATATTRIBFVARBPROC __wglewGetPixelFormatAttribfvARB; WGLEW_FUN_EXPORT PFNWGLGETPIXELFORMATATTRIBIVARBPROC __wglewGetPixelFormatAttribivARB; WGLEW_FUN_EXPORT PFNWGLBINDTEXIMAGEARBPROC __wglewBindTexImageARB; WGLEW_FUN_EXPORT PFNWGLRELEASETEXIMAGEARBPROC __wglewReleaseTexImageARB; WGLEW_FUN_EXPORT PFNWGLSETPBUFFERATTRIBARBPROC __wglewSetPbufferAttribARB; WGLEW_FUN_EXPORT PFNWGLBINDDISPLAYCOLORTABLEEXTPROC __wglewBindDisplayColorTableEXT; WGLEW_FUN_EXPORT PFNWGLCREATEDISPLAYCOLORTABLEEXTPROC __wglewCreateDisplayColorTableEXT; WGLEW_FUN_EXPORT PFNWGLDESTROYDISPLAYCOLORTABLEEXTPROC __wglewDestroyDisplayColorTableEXT; WGLEW_FUN_EXPORT PFNWGLLOADDISPLAYCOLORTABLEEXTPROC __wglewLoadDisplayColorTableEXT; WGLEW_FUN_EXPORT PFNWGLGETEXTENSIONSSTRINGEXTPROC __wglewGetExtensionsStringEXT; WGLEW_FUN_EXPORT PFNWGLGETCURRENTREADDCEXTPROC __wglewGetCurrentReadDCEXT; WGLEW_FUN_EXPORT PFNWGLMAKECONTEXTCURRENTEXTPROC __wglewMakeContextCurrentEXT; WGLEW_FUN_EXPORT PFNWGLCREATEPBUFFEREXTPROC __wglewCreatePbufferEXT; WGLEW_FUN_EXPORT PFNWGLDESTROYPBUFFEREXTPROC __wglewDestroyPbufferEXT; WGLEW_FUN_EXPORT PFNWGLGETPBUFFERDCEXTPROC __wglewGetPbufferDCEXT; WGLEW_FUN_EXPORT PFNWGLQUERYPBUFFEREXTPROC __wglewQueryPbufferEXT; WGLEW_FUN_EXPORT PFNWGLRELEASEPBUFFERDCEXTPROC __wglewReleasePbufferDCEXT; WGLEW_FUN_EXPORT PFNWGLCHOOSEPIXELFORMATEXTPROC __wglewChoosePixelFormatEXT; WGLEW_FUN_EXPORT PFNWGLGETPIXELFORMATATTRIBFVEXTPROC __wglewGetPixelFormatAttribfvEXT; WGLEW_FUN_EXPORT PFNWGLGETPIXELFORMATATTRIBIVEXTPROC __wglewGetPixelFormatAttribivEXT; WGLEW_FUN_EXPORT PFNWGLGETSWAPINTERVALEXTPROC __wglewGetSwapIntervalEXT; WGLEW_FUN_EXPORT PFNWGLSWAPINTERVALEXTPROC __wglewSwapIntervalEXT; WGLEW_FUN_EXPORT PFNWGLGETDIGITALVIDEOPARAMETERSI3DPROC __wglewGetDigitalVideoParametersI3D; WGLEW_FUN_EXPORT PFNWGLSETDIGITALVIDEOPARAMETERSI3DPROC __wglewSetDigitalVideoParametersI3D; WGLEW_FUN_EXPORT PFNWGLGETGAMMATABLEI3DPROC __wglewGetGammaTableI3D; WGLEW_FUN_EXPORT PFNWGLGETGAMMATABLEPARAMETERSI3DPROC __wglewGetGammaTableParametersI3D; WGLEW_FUN_EXPORT PFNWGLSETGAMMATABLEI3DPROC __wglewSetGammaTableI3D; WGLEW_FUN_EXPORT PFNWGLSETGAMMATABLEPARAMETERSI3DPROC __wglewSetGammaTableParametersI3D; WGLEW_FUN_EXPORT PFNWGLDISABLEGENLOCKI3DPROC __wglewDisableGenlockI3D; WGLEW_FUN_EXPORT PFNWGLENABLEGENLOCKI3DPROC __wglewEnableGenlockI3D; WGLEW_FUN_EXPORT PFNWGLGENLOCKSAMPLERATEI3DPROC __wglewGenlockSampleRateI3D; WGLEW_FUN_EXPORT PFNWGLGENLOCKSOURCEDELAYI3DPROC __wglewGenlockSourceDelayI3D; WGLEW_FUN_EXPORT PFNWGLGENLOCKSOURCEEDGEI3DPROC __wglewGenlockSourceEdgeI3D; WGLEW_FUN_EXPORT PFNWGLGENLOCKSOURCEI3DPROC __wglewGenlockSourceI3D; WGLEW_FUN_EXPORT PFNWGLGETGENLOCKSAMPLERATEI3DPROC __wglewGetGenlockSampleRateI3D; WGLEW_FUN_EXPORT PFNWGLGETGENLOCKSOURCEDELAYI3DPROC __wglewGetGenlockSourceDelayI3D; WGLEW_FUN_EXPORT PFNWGLGETGENLOCKSOURCEEDGEI3DPROC __wglewGetGenlockSourceEdgeI3D; WGLEW_FUN_EXPORT PFNWGLGETGENLOCKSOURCEI3DPROC __wglewGetGenlockSourceI3D; WGLEW_FUN_EXPORT PFNWGLISENABLEDGENLOCKI3DPROC __wglewIsEnabledGenlockI3D; WGLEW_FUN_EXPORT PFNWGLQUERYGENLOCKMAXSOURCEDELAYI3DPROC __wglewQueryGenlockMaxSourceDelayI3D; WGLEW_FUN_EXPORT PFNWGLASSOCIATEIMAGEBUFFEREVENTSI3DPROC __wglewAssociateImageBufferEventsI3D; WGLEW_FUN_EXPORT PFNWGLCREATEIMAGEBUFFERI3DPROC __wglewCreateImageBufferI3D; WGLEW_FUN_EXPORT PFNWGLDESTROYIMAGEBUFFERI3DPROC __wglewDestroyImageBufferI3D; WGLEW_FUN_EXPORT PFNWGLRELEASEIMAGEBUFFEREVENTSI3DPROC __wglewReleaseImageBufferEventsI3D; WGLEW_FUN_EXPORT PFNWGLDISABLEFRAMELOCKI3DPROC __wglewDisableFrameLockI3D; WGLEW_FUN_EXPORT PFNWGLENABLEFRAMELOCKI3DPROC __wglewEnableFrameLockI3D; WGLEW_FUN_EXPORT PFNWGLISENABLEDFRAMELOCKI3DPROC __wglewIsEnabledFrameLockI3D; WGLEW_FUN_EXPORT PFNWGLQUERYFRAMELOCKMASTERI3DPROC __wglewQueryFrameLockMasterI3D; WGLEW_FUN_EXPORT PFNWGLBEGINFRAMETRACKINGI3DPROC __wglewBeginFrameTrackingI3D; WGLEW_FUN_EXPORT PFNWGLENDFRAMETRACKINGI3DPROC __wglewEndFrameTrackingI3D; WGLEW_FUN_EXPORT PFNWGLGETFRAMEUSAGEI3DPROC __wglewGetFrameUsageI3D; WGLEW_FUN_EXPORT PFNWGLQUERYFRAMETRACKINGI3DPROC __wglewQueryFrameTrackingI3D; WGLEW_FUN_EXPORT PFNWGLDXCLOSEDEVICENVPROC __wglewDXCloseDeviceNV; WGLEW_FUN_EXPORT PFNWGLDXLOCKOBJECTSNVPROC __wglewDXLockObjectsNV; WGLEW_FUN_EXPORT PFNWGLDXOBJECTACCESSNVPROC __wglewDXObjectAccessNV; WGLEW_FUN_EXPORT PFNWGLDXOPENDEVICENVPROC __wglewDXOpenDeviceNV; WGLEW_FUN_EXPORT PFNWGLDXREGISTEROBJECTNVPROC __wglewDXRegisterObjectNV; WGLEW_FUN_EXPORT PFNWGLDXSETRESOURCESHAREHANDLENVPROC __wglewDXSetResourceShareHandleNV; WGLEW_FUN_EXPORT PFNWGLDXUNLOCKOBJECTSNVPROC __wglewDXUnlockObjectsNV; WGLEW_FUN_EXPORT PFNWGLDXUNREGISTEROBJECTNVPROC __wglewDXUnregisterObjectNV; WGLEW_FUN_EXPORT PFNWGLCOPYIMAGESUBDATANVPROC __wglewCopyImageSubDataNV; WGLEW_FUN_EXPORT PFNWGLDELAYBEFORESWAPNVPROC __wglewDelayBeforeSwapNV; WGLEW_FUN_EXPORT PFNWGLCREATEAFFINITYDCNVPROC __wglewCreateAffinityDCNV; WGLEW_FUN_EXPORT PFNWGLDELETEDCNVPROC __wglewDeleteDCNV; WGLEW_FUN_EXPORT PFNWGLENUMGPUDEVICESNVPROC __wglewEnumGpuDevicesNV; WGLEW_FUN_EXPORT PFNWGLENUMGPUSFROMAFFINITYDCNVPROC __wglewEnumGpusFromAffinityDCNV; WGLEW_FUN_EXPORT PFNWGLENUMGPUSNVPROC __wglewEnumGpusNV; WGLEW_FUN_EXPORT PFNWGLBINDVIDEODEVICENVPROC __wglewBindVideoDeviceNV; WGLEW_FUN_EXPORT PFNWGLENUMERATEVIDEODEVICESNVPROC __wglewEnumerateVideoDevicesNV; WGLEW_FUN_EXPORT PFNWGLQUERYCURRENTCONTEXTNVPROC __wglewQueryCurrentContextNV; WGLEW_FUN_EXPORT PFNWGLBINDSWAPBARRIERNVPROC __wglewBindSwapBarrierNV; WGLEW_FUN_EXPORT PFNWGLJOINSWAPGROUPNVPROC __wglewJoinSwapGroupNV; WGLEW_FUN_EXPORT PFNWGLQUERYFRAMECOUNTNVPROC __wglewQueryFrameCountNV; WGLEW_FUN_EXPORT PFNWGLQUERYMAXSWAPGROUPSNVPROC __wglewQueryMaxSwapGroupsNV; WGLEW_FUN_EXPORT PFNWGLQUERYSWAPGROUPNVPROC __wglewQuerySwapGroupNV; WGLEW_FUN_EXPORT PFNWGLRESETFRAMECOUNTNVPROC __wglewResetFrameCountNV; WGLEW_FUN_EXPORT PFNWGLALLOCATEMEMORYNVPROC __wglewAllocateMemoryNV; WGLEW_FUN_EXPORT PFNWGLFREEMEMORYNVPROC __wglewFreeMemoryNV; WGLEW_FUN_EXPORT PFNWGLBINDVIDEOCAPTUREDEVICENVPROC __wglewBindVideoCaptureDeviceNV; WGLEW_FUN_EXPORT PFNWGLENUMERATEVIDEOCAPTUREDEVICESNVPROC __wglewEnumerateVideoCaptureDevicesNV; WGLEW_FUN_EXPORT PFNWGLLOCKVIDEOCAPTUREDEVICENVPROC __wglewLockVideoCaptureDeviceNV; WGLEW_FUN_EXPORT PFNWGLQUERYVIDEOCAPTUREDEVICENVPROC __wglewQueryVideoCaptureDeviceNV; WGLEW_FUN_EXPORT PFNWGLRELEASEVIDEOCAPTUREDEVICENVPROC __wglewReleaseVideoCaptureDeviceNV; WGLEW_FUN_EXPORT PFNWGLBINDVIDEOIMAGENVPROC __wglewBindVideoImageNV; WGLEW_FUN_EXPORT PFNWGLGETVIDEODEVICENVPROC __wglewGetVideoDeviceNV; WGLEW_FUN_EXPORT PFNWGLGETVIDEOINFONVPROC __wglewGetVideoInfoNV; WGLEW_FUN_EXPORT PFNWGLRELEASEVIDEODEVICENVPROC __wglewReleaseVideoDeviceNV; WGLEW_FUN_EXPORT PFNWGLRELEASEVIDEOIMAGENVPROC __wglewReleaseVideoImageNV; WGLEW_FUN_EXPORT PFNWGLSENDPBUFFERTOVIDEONVPROC __wglewSendPbufferToVideoNV; WGLEW_FUN_EXPORT PFNWGLGETMSCRATEOMLPROC __wglewGetMscRateOML; WGLEW_FUN_EXPORT PFNWGLGETSYNCVALUESOMLPROC __wglewGetSyncValuesOML; WGLEW_FUN_EXPORT PFNWGLSWAPBUFFERSMSCOMLPROC __wglewSwapBuffersMscOML; WGLEW_FUN_EXPORT PFNWGLSWAPLAYERBUFFERSMSCOMLPROC __wglewSwapLayerBuffersMscOML; WGLEW_FUN_EXPORT PFNWGLWAITFORMSCOMLPROC __wglewWaitForMscOML; WGLEW_FUN_EXPORT PFNWGLWAITFORSBCOMLPROC __wglewWaitForSbcOML; WGLEW_VAR_EXPORT GLboolean __WGLEW_3DFX_multisample; WGLEW_VAR_EXPORT GLboolean __WGLEW_3DL_stereo_control; WGLEW_VAR_EXPORT GLboolean __WGLEW_AMD_gpu_association; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_buffer_region; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_context_flush_control; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_create_context; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_create_context_no_error; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_create_context_profile; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_create_context_robustness; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_extensions_string; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_framebuffer_sRGB; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_make_current_read; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_multisample; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_pbuffer; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_pixel_format; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_pixel_format_float; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_render_texture; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_robustness_application_isolation; WGLEW_VAR_EXPORT GLboolean __WGLEW_ARB_robustness_share_group_isolation; WGLEW_VAR_EXPORT GLboolean __WGLEW_ATI_pixel_format_float; WGLEW_VAR_EXPORT GLboolean __WGLEW_ATI_render_texture_rectangle; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_colorspace; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_create_context_es2_profile; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_create_context_es_profile; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_depth_float; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_display_color_table; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_extensions_string; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_framebuffer_sRGB; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_make_current_read; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_multisample; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_pbuffer; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_pixel_format; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_pixel_format_packed_float; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_swap_control; WGLEW_VAR_EXPORT GLboolean __WGLEW_EXT_swap_control_tear; WGLEW_VAR_EXPORT GLboolean __WGLEW_I3D_digital_video_control; WGLEW_VAR_EXPORT GLboolean __WGLEW_I3D_gamma; WGLEW_VAR_EXPORT GLboolean __WGLEW_I3D_genlock; WGLEW_VAR_EXPORT GLboolean __WGLEW_I3D_image_buffer; WGLEW_VAR_EXPORT GLboolean __WGLEW_I3D_swap_frame_lock; WGLEW_VAR_EXPORT GLboolean __WGLEW_I3D_swap_frame_usage; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_DX_interop; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_DX_interop2; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_copy_image; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_delay_before_swap; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_float_buffer; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_gpu_affinity; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_multisample_coverage; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_present_video; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_render_depth_texture; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_render_texture_rectangle; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_swap_group; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_vertex_array_range; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_video_capture; WGLEW_VAR_EXPORT GLboolean __WGLEW_NV_video_output; WGLEW_VAR_EXPORT GLboolean __WGLEW_OML_sync_control; /* ------------------------------------------------------------------------- */ GLEWAPI GLenum GLEWAPIENTRY wglewInit (); GLEWAPI GLboolean GLEWAPIENTRY wglewIsSupported (const char *name); #ifndef WGLEW_GET_VAR #define WGLEW_GET_VAR(x) (*(const GLboolean*)&x) #endif #ifndef WGLEW_GET_FUN #define WGLEW_GET_FUN(x) x #endif GLEWAPI GLboolean GLEWAPIENTRY wglewGetExtension (const char *name); #ifdef __cplusplus } #endif #undef GLEWAPI #endif /* __wglew_h__ */ asymptote-2.62/GL/glxew.h0000644000000000000000000021733313607467113014010 0ustar rootroot/* ** The OpenGL Extension Wrangler Library ** Copyright (C) 2008-2017, Nigel Stewart ** Copyright (C) 2002-2008, Milan Ikits ** Copyright (C) 2002-2008, Marcelo E. Magallon ** Copyright (C) 2002, Lev Povalahev ** All rights reserved. ** ** Redistribution and use in source and binary forms, with or without ** modification, are permitted provided that the following conditions are met: ** ** * Redistributions of source code must retain the above copyright notice, ** this list of conditions and the following disclaimer. ** * Redistributions in binary form must reproduce the above copyright notice, ** this list of conditions and the following disclaimer in the documentation ** and/or other materials provided with the distribution. ** * The name of the author may be used to endorse or promote products ** derived from this software without specific prior written permission. ** ** THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" ** AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE ** IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ** ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE ** LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR ** CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF ** SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS ** INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN ** CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ** ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF ** THE POSSIBILITY OF SUCH DAMAGE. */ /* * Mesa 3-D graphics library * Version: 7.0 * * Copyright (C) 1999-2007 Brian Paul All Rights Reserved. * * Permission is hereby granted, free of charge, to any person obtaining a * copy of this software and associated documentation files (the "Software"), * to deal in the Software without restriction, including without limitation * the rights to use, copy, modify, merge, publish, distribute, sublicense, * and/or sell copies of the Software, and to permit persons to whom the * Software is furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included * in all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS * OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL * BRIAN PAUL BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN * AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN * CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. */ /* ** Copyright (c) 2007 The Khronos Group Inc. ** ** Permission is hereby granted, free of charge, to any person obtaining a ** copy of this software and/or associated documentation files (the ** "Materials"), to deal in the Materials without restriction, including ** without limitation the rights to use, copy, modify, merge, publish, ** distribute, sublicense, and/or sell copies of the Materials, and to ** permit persons to whom the Materials are furnished to do so, subject to ** the following conditions: ** ** The above copyright notice and this permission notice shall be included ** in all copies or substantial portions of the Materials. ** ** THE MATERIALS ARE PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, ** EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF ** MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. ** IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY ** CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, ** TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE ** MATERIALS OR THE USE OR OTHER DEALINGS IN THE MATERIALS. */ #ifndef __glxew_h__ #define __glxew_h__ #define __GLXEW_H__ #ifdef __glxext_h_ #error glxext.h included before glxew.h #endif #if defined(GLX_H) || defined(__GLX_glx_h__) || defined(__glx_h__) #error glx.h included before glxew.h #endif #define __glxext_h_ #define GLX_H #define __GLX_glx_h__ #define __glx_h__ #include #include #include #include #ifdef __cplusplus extern "C" { #endif /* ---------------------------- GLX_VERSION_1_0 --------------------------- */ #ifndef GLX_VERSION_1_0 #define GLX_VERSION_1_0 1 #define GLX_USE_GL 1 #define GLX_BUFFER_SIZE 2 #define GLX_LEVEL 3 #define GLX_RGBA 4 #define GLX_DOUBLEBUFFER 5 #define GLX_STEREO 6 #define GLX_AUX_BUFFERS 7 #define GLX_RED_SIZE 8 #define GLX_GREEN_SIZE 9 #define GLX_BLUE_SIZE 10 #define GLX_ALPHA_SIZE 11 #define GLX_DEPTH_SIZE 12 #define GLX_STENCIL_SIZE 13 #define GLX_ACCUM_RED_SIZE 14 #define GLX_ACCUM_GREEN_SIZE 15 #define GLX_ACCUM_BLUE_SIZE 16 #define GLX_ACCUM_ALPHA_SIZE 17 #define GLX_BAD_SCREEN 1 #define GLX_BAD_ATTRIBUTE 2 #define GLX_NO_EXTENSION 3 #define GLX_BAD_VISUAL 4 #define GLX_BAD_CONTEXT 5 #define GLX_BAD_VALUE 6 #define GLX_BAD_ENUM 7 typedef XID GLXDrawable; typedef XID GLXPixmap; #ifdef __sun typedef struct __glXContextRec *GLXContext; #else typedef struct __GLXcontextRec *GLXContext; #endif typedef unsigned int GLXVideoDeviceNV; extern Bool glXQueryExtension (Display *dpy, int *errorBase, int *eventBase); extern Bool glXQueryVersion (Display *dpy, int *major, int *minor); extern int glXGetConfig (Display *dpy, XVisualInfo *vis, int attrib, int *value); extern XVisualInfo* glXChooseVisual (Display *dpy, int screen, int *attribList); extern GLXPixmap glXCreateGLXPixmap (Display *dpy, XVisualInfo *vis, Pixmap pixmap); extern void glXDestroyGLXPixmap (Display *dpy, GLXPixmap pix); extern GLXContext glXCreateContext (Display *dpy, XVisualInfo *vis, GLXContext shareList, Bool direct); extern void glXDestroyContext (Display *dpy, GLXContext ctx); extern Bool glXIsDirect (Display *dpy, GLXContext ctx); extern void glXCopyContext (Display *dpy, GLXContext src, GLXContext dst, GLulong mask); extern Bool glXMakeCurrent (Display *dpy, GLXDrawable drawable, GLXContext ctx); extern GLXContext glXGetCurrentContext (void); extern GLXDrawable glXGetCurrentDrawable (void); extern void glXWaitGL (void); extern void glXWaitX (void); extern void glXSwapBuffers (Display *dpy, GLXDrawable drawable); extern void glXUseXFont (Font font, int first, int count, int listBase); #define GLXEW_VERSION_1_0 GLXEW_GET_VAR(__GLXEW_VERSION_1_0) #endif /* GLX_VERSION_1_0 */ /* ---------------------------- GLX_VERSION_1_1 --------------------------- */ #ifndef GLX_VERSION_1_1 #define GLX_VERSION_1_1 #define GLX_VENDOR 0x1 #define GLX_VERSION 0x2 #define GLX_EXTENSIONS 0x3 extern const char* glXQueryExtensionsString (Display *dpy, int screen); extern const char* glXGetClientString (Display *dpy, int name); extern const char* glXQueryServerString (Display *dpy, int screen, int name); #define GLXEW_VERSION_1_1 GLXEW_GET_VAR(__GLXEW_VERSION_1_1) #endif /* GLX_VERSION_1_1 */ /* ---------------------------- GLX_VERSION_1_2 ---------------------------- */ #ifndef GLX_VERSION_1_2 #define GLX_VERSION_1_2 1 typedef Display* ( * PFNGLXGETCURRENTDISPLAYPROC) (void); #define glXGetCurrentDisplay GLXEW_GET_FUN(__glewXGetCurrentDisplay) #define GLXEW_VERSION_1_2 GLXEW_GET_VAR(__GLXEW_VERSION_1_2) #endif /* GLX_VERSION_1_2 */ /* ---------------------------- GLX_VERSION_1_3 ---------------------------- */ #ifndef GLX_VERSION_1_3 #define GLX_VERSION_1_3 1 #define GLX_FRONT_LEFT_BUFFER_BIT 0x00000001 #define GLX_RGBA_BIT 0x00000001 #define GLX_WINDOW_BIT 0x00000001 #define GLX_COLOR_INDEX_BIT 0x00000002 #define GLX_FRONT_RIGHT_BUFFER_BIT 0x00000002 #define GLX_PIXMAP_BIT 0x00000002 #define GLX_BACK_LEFT_BUFFER_BIT 0x00000004 #define GLX_PBUFFER_BIT 0x00000004 #define GLX_BACK_RIGHT_BUFFER_BIT 0x00000008 #define GLX_AUX_BUFFERS_BIT 0x00000010 #define GLX_CONFIG_CAVEAT 0x20 #define GLX_DEPTH_BUFFER_BIT 0x00000020 #define GLX_X_VISUAL_TYPE 0x22 #define GLX_TRANSPARENT_TYPE 0x23 #define GLX_TRANSPARENT_INDEX_VALUE 0x24 #define GLX_TRANSPARENT_RED_VALUE 0x25 #define GLX_TRANSPARENT_GREEN_VALUE 0x26 #define GLX_TRANSPARENT_BLUE_VALUE 0x27 #define GLX_TRANSPARENT_ALPHA_VALUE 0x28 #define GLX_STENCIL_BUFFER_BIT 0x00000040 #define GLX_ACCUM_BUFFER_BIT 0x00000080 #define GLX_NONE 0x8000 #define GLX_SLOW_CONFIG 0x8001 #define GLX_TRUE_COLOR 0x8002 #define GLX_DIRECT_COLOR 0x8003 #define GLX_PSEUDO_COLOR 0x8004 #define GLX_STATIC_COLOR 0x8005 #define GLX_GRAY_SCALE 0x8006 #define GLX_STATIC_GRAY 0x8007 #define GLX_TRANSPARENT_RGB 0x8008 #define GLX_TRANSPARENT_INDEX 0x8009 #define GLX_VISUAL_ID 0x800B #define GLX_SCREEN 0x800C #define GLX_NON_CONFORMANT_CONFIG 0x800D #define GLX_DRAWABLE_TYPE 0x8010 #define GLX_RENDER_TYPE 0x8011 #define GLX_X_RENDERABLE 0x8012 #define GLX_FBCONFIG_ID 0x8013 #define GLX_RGBA_TYPE 0x8014 #define GLX_COLOR_INDEX_TYPE 0x8015 #define GLX_MAX_PBUFFER_WIDTH 0x8016 #define GLX_MAX_PBUFFER_HEIGHT 0x8017 #define GLX_MAX_PBUFFER_PIXELS 0x8018 #define GLX_PRESERVED_CONTENTS 0x801B #define GLX_LARGEST_PBUFFER 0x801C #define GLX_WIDTH 0x801D #define GLX_HEIGHT 0x801E #define GLX_EVENT_MASK 0x801F #define GLX_DAMAGED 0x8020 #define GLX_SAVED 0x8021 #define GLX_WINDOW 0x8022 #define GLX_PBUFFER 0x8023 #define GLX_PBUFFER_HEIGHT 0x8040 #define GLX_PBUFFER_WIDTH 0x8041 #define GLX_PBUFFER_CLOBBER_MASK 0x08000000 #define GLX_DONT_CARE 0xFFFFFFFF typedef XID GLXFBConfigID; typedef XID GLXPbuffer; typedef XID GLXWindow; typedef struct __GLXFBConfigRec *GLXFBConfig; typedef struct { int event_type; int draw_type; unsigned long serial; Bool send_event; Display *display; GLXDrawable drawable; unsigned int buffer_mask; unsigned int aux_buffer; int x, y; int width, height; int count; } GLXPbufferClobberEvent; typedef union __GLXEvent { GLXPbufferClobberEvent glxpbufferclobber; long pad[24]; } GLXEvent; typedef GLXFBConfig* ( * PFNGLXCHOOSEFBCONFIGPROC) (Display *dpy, int screen, const int *attrib_list, int *nelements); typedef GLXContext ( * PFNGLXCREATENEWCONTEXTPROC) (Display *dpy, GLXFBConfig config, int render_type, GLXContext share_list, Bool direct); typedef GLXPbuffer ( * PFNGLXCREATEPBUFFERPROC) (Display *dpy, GLXFBConfig config, const int *attrib_list); typedef GLXPixmap ( * PFNGLXCREATEPIXMAPPROC) (Display *dpy, GLXFBConfig config, Pixmap pixmap, const int *attrib_list); typedef GLXWindow ( * PFNGLXCREATEWINDOWPROC) (Display *dpy, GLXFBConfig config, Window win, const int *attrib_list); typedef void ( * PFNGLXDESTROYPBUFFERPROC) (Display *dpy, GLXPbuffer pbuf); typedef void ( * PFNGLXDESTROYPIXMAPPROC) (Display *dpy, GLXPixmap pixmap); typedef void ( * PFNGLXDESTROYWINDOWPROC) (Display *dpy, GLXWindow win); typedef GLXDrawable ( * PFNGLXGETCURRENTREADDRAWABLEPROC) (void); typedef int ( * PFNGLXGETFBCONFIGATTRIBPROC) (Display *dpy, GLXFBConfig config, int attribute, int *value); typedef GLXFBConfig* ( * PFNGLXGETFBCONFIGSPROC) (Display *dpy, int screen, int *nelements); typedef void ( * PFNGLXGETSELECTEDEVENTPROC) (Display *dpy, GLXDrawable draw, unsigned long *event_mask); typedef XVisualInfo* ( * PFNGLXGETVISUALFROMFBCONFIGPROC) (Display *dpy, GLXFBConfig config); typedef Bool ( * PFNGLXMAKECONTEXTCURRENTPROC) (Display *display, GLXDrawable draw, GLXDrawable read, GLXContext ctx); typedef int ( * PFNGLXQUERYCONTEXTPROC) (Display *dpy, GLXContext ctx, int attribute, int *value); typedef void ( * PFNGLXQUERYDRAWABLEPROC) (Display *dpy, GLXDrawable draw, int attribute, unsigned int *value); typedef void ( * PFNGLXSELECTEVENTPROC) (Display *dpy, GLXDrawable draw, unsigned long event_mask); #define glXChooseFBConfig GLXEW_GET_FUN(__glewXChooseFBConfig) #define glXCreateNewContext GLXEW_GET_FUN(__glewXCreateNewContext) #define glXCreatePbuffer GLXEW_GET_FUN(__glewXCreatePbuffer) #define glXCreatePixmap GLXEW_GET_FUN(__glewXCreatePixmap) #define glXCreateWindow GLXEW_GET_FUN(__glewXCreateWindow) #define glXDestroyPbuffer GLXEW_GET_FUN(__glewXDestroyPbuffer) #define glXDestroyPixmap GLXEW_GET_FUN(__glewXDestroyPixmap) #define glXDestroyWindow GLXEW_GET_FUN(__glewXDestroyWindow) #define glXGetCurrentReadDrawable GLXEW_GET_FUN(__glewXGetCurrentReadDrawable) #define glXGetFBConfigAttrib GLXEW_GET_FUN(__glewXGetFBConfigAttrib) #define glXGetFBConfigs GLXEW_GET_FUN(__glewXGetFBConfigs) #define glXGetSelectedEvent GLXEW_GET_FUN(__glewXGetSelectedEvent) #define glXGetVisualFromFBConfig GLXEW_GET_FUN(__glewXGetVisualFromFBConfig) #define glXMakeContextCurrent GLXEW_GET_FUN(__glewXMakeContextCurrent) #define glXQueryContext GLXEW_GET_FUN(__glewXQueryContext) #define glXQueryDrawable GLXEW_GET_FUN(__glewXQueryDrawable) #define glXSelectEvent GLXEW_GET_FUN(__glewXSelectEvent) #define GLXEW_VERSION_1_3 GLXEW_GET_VAR(__GLXEW_VERSION_1_3) #endif /* GLX_VERSION_1_3 */ /* ---------------------------- GLX_VERSION_1_4 ---------------------------- */ #ifndef GLX_VERSION_1_4 #define GLX_VERSION_1_4 1 #define GLX_SAMPLE_BUFFERS 100000 #define GLX_SAMPLES 100001 extern void ( * glXGetProcAddress (const GLubyte *procName)) (void); #define GLXEW_VERSION_1_4 GLXEW_GET_VAR(__GLXEW_VERSION_1_4) #endif /* GLX_VERSION_1_4 */ /* -------------------------- GLX_3DFX_multisample ------------------------- */ #ifndef GLX_3DFX_multisample #define GLX_3DFX_multisample 1 #define GLX_SAMPLE_BUFFERS_3DFX 0x8050 #define GLX_SAMPLES_3DFX 0x8051 #define GLXEW_3DFX_multisample GLXEW_GET_VAR(__GLXEW_3DFX_multisample) #endif /* GLX_3DFX_multisample */ /* ------------------------ GLX_AMD_gpu_association ------------------------ */ #ifndef GLX_AMD_gpu_association #define GLX_AMD_gpu_association 1 #define GLX_GPU_VENDOR_AMD 0x1F00 #define GLX_GPU_RENDERER_STRING_AMD 0x1F01 #define GLX_GPU_OPENGL_VERSION_STRING_AMD 0x1F02 #define GLX_GPU_FASTEST_TARGET_GPUS_AMD 0x21A2 #define GLX_GPU_RAM_AMD 0x21A3 #define GLX_GPU_CLOCK_AMD 0x21A4 #define GLX_GPU_NUM_PIPES_AMD 0x21A5 #define GLX_GPU_NUM_SIMD_AMD 0x21A6 #define GLX_GPU_NUM_RB_AMD 0x21A7 #define GLX_GPU_NUM_SPI_AMD 0x21A8 typedef void ( * PFNGLXBLITCONTEXTFRAMEBUFFERAMDPROC) (GLXContext dstCtx, GLint srcX0, GLint srcY0, GLint srcX1, GLint srcY1, GLint dstX0, GLint dstY0, GLint dstX1, GLint dstY1, GLbitfield mask, GLenum filter); typedef GLXContext ( * PFNGLXCREATEASSOCIATEDCONTEXTAMDPROC) (unsigned int id, GLXContext share_list); typedef GLXContext ( * PFNGLXCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC) (unsigned int id, GLXContext share_context, const int* attribList); typedef Bool ( * PFNGLXDELETEASSOCIATEDCONTEXTAMDPROC) (GLXContext ctx); typedef unsigned int ( * PFNGLXGETCONTEXTGPUIDAMDPROC) (GLXContext ctx); typedef GLXContext ( * PFNGLXGETCURRENTASSOCIATEDCONTEXTAMDPROC) (void); typedef unsigned int ( * PFNGLXGETGPUIDSAMDPROC) (unsigned int maxCount, unsigned int* ids); typedef int ( * PFNGLXGETGPUINFOAMDPROC) (unsigned int id, int property, GLenum dataType, unsigned int size, void* data); typedef Bool ( * PFNGLXMAKEASSOCIATEDCONTEXTCURRENTAMDPROC) (GLXContext ctx); #define glXBlitContextFramebufferAMD GLXEW_GET_FUN(__glewXBlitContextFramebufferAMD) #define glXCreateAssociatedContextAMD GLXEW_GET_FUN(__glewXCreateAssociatedContextAMD) #define glXCreateAssociatedContextAttribsAMD GLXEW_GET_FUN(__glewXCreateAssociatedContextAttribsAMD) #define glXDeleteAssociatedContextAMD GLXEW_GET_FUN(__glewXDeleteAssociatedContextAMD) #define glXGetContextGPUIDAMD GLXEW_GET_FUN(__glewXGetContextGPUIDAMD) #define glXGetCurrentAssociatedContextAMD GLXEW_GET_FUN(__glewXGetCurrentAssociatedContextAMD) #define glXGetGPUIDsAMD GLXEW_GET_FUN(__glewXGetGPUIDsAMD) #define glXGetGPUInfoAMD GLXEW_GET_FUN(__glewXGetGPUInfoAMD) #define glXMakeAssociatedContextCurrentAMD GLXEW_GET_FUN(__glewXMakeAssociatedContextCurrentAMD) #define GLXEW_AMD_gpu_association GLXEW_GET_VAR(__GLXEW_AMD_gpu_association) #endif /* GLX_AMD_gpu_association */ /* --------------------- GLX_ARB_context_flush_control --------------------- */ #ifndef GLX_ARB_context_flush_control #define GLX_ARB_context_flush_control 1 #define GLXEW_ARB_context_flush_control GLXEW_GET_VAR(__GLXEW_ARB_context_flush_control) #endif /* GLX_ARB_context_flush_control */ /* ------------------------- GLX_ARB_create_context ------------------------ */ #ifndef GLX_ARB_create_context #define GLX_ARB_create_context 1 #define GLX_CONTEXT_DEBUG_BIT_ARB 0x0001 #define GLX_CONTEXT_FORWARD_COMPATIBLE_BIT_ARB 0x0002 #define GLX_CONTEXT_MAJOR_VERSION_ARB 0x2091 #define GLX_CONTEXT_MINOR_VERSION_ARB 0x2092 #define GLX_CONTEXT_FLAGS_ARB 0x2094 typedef GLXContext ( * PFNGLXCREATECONTEXTATTRIBSARBPROC) (Display* dpy, GLXFBConfig config, GLXContext share_context, Bool direct, const int *attrib_list); #define glXCreateContextAttribsARB GLXEW_GET_FUN(__glewXCreateContextAttribsARB) #define GLXEW_ARB_create_context GLXEW_GET_VAR(__GLXEW_ARB_create_context) #endif /* GLX_ARB_create_context */ /* -------------------- GLX_ARB_create_context_no_error -------------------- */ #ifndef GLX_ARB_create_context_no_error #define GLX_ARB_create_context_no_error 1 #define GLXEW_ARB_create_context_no_error GLXEW_GET_VAR(__GLXEW_ARB_create_context_no_error) #endif /* GLX_ARB_create_context_no_error */ /* --------------------- GLX_ARB_create_context_profile -------------------- */ #ifndef GLX_ARB_create_context_profile #define GLX_ARB_create_context_profile 1 #define GLX_CONTEXT_CORE_PROFILE_BIT_ARB 0x00000001 #define GLX_CONTEXT_COMPATIBILITY_PROFILE_BIT_ARB 0x00000002 #define GLX_CONTEXT_PROFILE_MASK_ARB 0x9126 #define GLXEW_ARB_create_context_profile GLXEW_GET_VAR(__GLXEW_ARB_create_context_profile) #endif /* GLX_ARB_create_context_profile */ /* ------------------- GLX_ARB_create_context_robustness ------------------- */ #ifndef GLX_ARB_create_context_robustness #define GLX_ARB_create_context_robustness 1 #define GLX_CONTEXT_ROBUST_ACCESS_BIT_ARB 0x00000004 #define GLX_LOSE_CONTEXT_ON_RESET_ARB 0x8252 #define GLX_CONTEXT_RESET_NOTIFICATION_STRATEGY_ARB 0x8256 #define GLX_NO_RESET_NOTIFICATION_ARB 0x8261 #define GLXEW_ARB_create_context_robustness GLXEW_GET_VAR(__GLXEW_ARB_create_context_robustness) #endif /* GLX_ARB_create_context_robustness */ /* ------------------------- GLX_ARB_fbconfig_float ------------------------ */ #ifndef GLX_ARB_fbconfig_float #define GLX_ARB_fbconfig_float 1 #define GLX_RGBA_FLOAT_BIT_ARB 0x00000004 #define GLX_RGBA_FLOAT_TYPE_ARB 0x20B9 #define GLXEW_ARB_fbconfig_float GLXEW_GET_VAR(__GLXEW_ARB_fbconfig_float) #endif /* GLX_ARB_fbconfig_float */ /* ------------------------ GLX_ARB_framebuffer_sRGB ----------------------- */ #ifndef GLX_ARB_framebuffer_sRGB #define GLX_ARB_framebuffer_sRGB 1 #define GLX_FRAMEBUFFER_SRGB_CAPABLE_ARB 0x20B2 #define GLXEW_ARB_framebuffer_sRGB GLXEW_GET_VAR(__GLXEW_ARB_framebuffer_sRGB) #endif /* GLX_ARB_framebuffer_sRGB */ /* ------------------------ GLX_ARB_get_proc_address ----------------------- */ #ifndef GLX_ARB_get_proc_address #define GLX_ARB_get_proc_address 1 extern void ( * glXGetProcAddressARB (const GLubyte *procName)) (void); #define GLXEW_ARB_get_proc_address GLXEW_GET_VAR(__GLXEW_ARB_get_proc_address) #endif /* GLX_ARB_get_proc_address */ /* -------------------------- GLX_ARB_multisample -------------------------- */ #ifndef GLX_ARB_multisample #define GLX_ARB_multisample 1 #define GLX_SAMPLE_BUFFERS_ARB 100000 #define GLX_SAMPLES_ARB 100001 #define GLXEW_ARB_multisample GLXEW_GET_VAR(__GLXEW_ARB_multisample) #endif /* GLX_ARB_multisample */ /* ---------------- GLX_ARB_robustness_application_isolation --------------- */ #ifndef GLX_ARB_robustness_application_isolation #define GLX_ARB_robustness_application_isolation 1 #define GLX_CONTEXT_RESET_ISOLATION_BIT_ARB 0x00000008 #define GLXEW_ARB_robustness_application_isolation GLXEW_GET_VAR(__GLXEW_ARB_robustness_application_isolation) #endif /* GLX_ARB_robustness_application_isolation */ /* ---------------- GLX_ARB_robustness_share_group_isolation --------------- */ #ifndef GLX_ARB_robustness_share_group_isolation #define GLX_ARB_robustness_share_group_isolation 1 #define GLX_CONTEXT_RESET_ISOLATION_BIT_ARB 0x00000008 #define GLXEW_ARB_robustness_share_group_isolation GLXEW_GET_VAR(__GLXEW_ARB_robustness_share_group_isolation) #endif /* GLX_ARB_robustness_share_group_isolation */ /* ---------------------- GLX_ARB_vertex_buffer_object --------------------- */ #ifndef GLX_ARB_vertex_buffer_object #define GLX_ARB_vertex_buffer_object 1 #define GLX_CONTEXT_ALLOW_BUFFER_BYTE_ORDER_MISMATCH_ARB 0x2095 #define GLXEW_ARB_vertex_buffer_object GLXEW_GET_VAR(__GLXEW_ARB_vertex_buffer_object) #endif /* GLX_ARB_vertex_buffer_object */ /* ----------------------- GLX_ATI_pixel_format_float ---------------------- */ #ifndef GLX_ATI_pixel_format_float #define GLX_ATI_pixel_format_float 1 #define GLX_RGBA_FLOAT_ATI_BIT 0x00000100 #define GLXEW_ATI_pixel_format_float GLXEW_GET_VAR(__GLXEW_ATI_pixel_format_float) #endif /* GLX_ATI_pixel_format_float */ /* ------------------------- GLX_ATI_render_texture ------------------------ */ #ifndef GLX_ATI_render_texture #define GLX_ATI_render_texture 1 #define GLX_BIND_TO_TEXTURE_RGB_ATI 0x9800 #define GLX_BIND_TO_TEXTURE_RGBA_ATI 0x9801 #define GLX_TEXTURE_FORMAT_ATI 0x9802 #define GLX_TEXTURE_TARGET_ATI 0x9803 #define GLX_MIPMAP_TEXTURE_ATI 0x9804 #define GLX_TEXTURE_RGB_ATI 0x9805 #define GLX_TEXTURE_RGBA_ATI 0x9806 #define GLX_NO_TEXTURE_ATI 0x9807 #define GLX_TEXTURE_CUBE_MAP_ATI 0x9808 #define GLX_TEXTURE_1D_ATI 0x9809 #define GLX_TEXTURE_2D_ATI 0x980A #define GLX_MIPMAP_LEVEL_ATI 0x980B #define GLX_CUBE_MAP_FACE_ATI 0x980C #define GLX_TEXTURE_CUBE_MAP_POSITIVE_X_ATI 0x980D #define GLX_TEXTURE_CUBE_MAP_NEGATIVE_X_ATI 0x980E #define GLX_TEXTURE_CUBE_MAP_POSITIVE_Y_ATI 0x980F #define GLX_TEXTURE_CUBE_MAP_NEGATIVE_Y_ATI 0x9810 #define GLX_TEXTURE_CUBE_MAP_POSITIVE_Z_ATI 0x9811 #define GLX_TEXTURE_CUBE_MAP_NEGATIVE_Z_ATI 0x9812 #define GLX_FRONT_LEFT_ATI 0x9813 #define GLX_FRONT_RIGHT_ATI 0x9814 #define GLX_BACK_LEFT_ATI 0x9815 #define GLX_BACK_RIGHT_ATI 0x9816 #define GLX_AUX0_ATI 0x9817 #define GLX_AUX1_ATI 0x9818 #define GLX_AUX2_ATI 0x9819 #define GLX_AUX3_ATI 0x981A #define GLX_AUX4_ATI 0x981B #define GLX_AUX5_ATI 0x981C #define GLX_AUX6_ATI 0x981D #define GLX_AUX7_ATI 0x981E #define GLX_AUX8_ATI 0x981F #define GLX_AUX9_ATI 0x9820 #define GLX_BIND_TO_TEXTURE_LUMINANCE_ATI 0x9821 #define GLX_BIND_TO_TEXTURE_INTENSITY_ATI 0x9822 typedef void ( * PFNGLXBINDTEXIMAGEATIPROC) (Display *dpy, GLXPbuffer pbuf, int buffer); typedef void ( * PFNGLXDRAWABLEATTRIBATIPROC) (Display *dpy, GLXDrawable draw, const int *attrib_list); typedef void ( * PFNGLXRELEASETEXIMAGEATIPROC) (Display *dpy, GLXPbuffer pbuf, int buffer); #define glXBindTexImageATI GLXEW_GET_FUN(__glewXBindTexImageATI) #define glXDrawableAttribATI GLXEW_GET_FUN(__glewXDrawableAttribATI) #define glXReleaseTexImageATI GLXEW_GET_FUN(__glewXReleaseTexImageATI) #define GLXEW_ATI_render_texture GLXEW_GET_VAR(__GLXEW_ATI_render_texture) #endif /* GLX_ATI_render_texture */ /* --------------------------- GLX_EXT_buffer_age -------------------------- */ #ifndef GLX_EXT_buffer_age #define GLX_EXT_buffer_age 1 #define GLX_BACK_BUFFER_AGE_EXT 0x20F4 #define GLXEW_EXT_buffer_age GLXEW_GET_VAR(__GLXEW_EXT_buffer_age) #endif /* GLX_EXT_buffer_age */ /* ------------------- GLX_EXT_create_context_es2_profile ------------------ */ #ifndef GLX_EXT_create_context_es2_profile #define GLX_EXT_create_context_es2_profile 1 #define GLX_CONTEXT_ES2_PROFILE_BIT_EXT 0x00000004 #define GLXEW_EXT_create_context_es2_profile GLXEW_GET_VAR(__GLXEW_EXT_create_context_es2_profile) #endif /* GLX_EXT_create_context_es2_profile */ /* ------------------- GLX_EXT_create_context_es_profile ------------------- */ #ifndef GLX_EXT_create_context_es_profile #define GLX_EXT_create_context_es_profile 1 #define GLX_CONTEXT_ES_PROFILE_BIT_EXT 0x00000004 #define GLXEW_EXT_create_context_es_profile GLXEW_GET_VAR(__GLXEW_EXT_create_context_es_profile) #endif /* GLX_EXT_create_context_es_profile */ /* --------------------- GLX_EXT_fbconfig_packed_float --------------------- */ #ifndef GLX_EXT_fbconfig_packed_float #define GLX_EXT_fbconfig_packed_float 1 #define GLX_RGBA_UNSIGNED_FLOAT_BIT_EXT 0x00000008 #define GLX_RGBA_UNSIGNED_FLOAT_TYPE_EXT 0x20B1 #define GLXEW_EXT_fbconfig_packed_float GLXEW_GET_VAR(__GLXEW_EXT_fbconfig_packed_float) #endif /* GLX_EXT_fbconfig_packed_float */ /* ------------------------ GLX_EXT_framebuffer_sRGB ----------------------- */ #ifndef GLX_EXT_framebuffer_sRGB #define GLX_EXT_framebuffer_sRGB 1 #define GLX_FRAMEBUFFER_SRGB_CAPABLE_EXT 0x20B2 #define GLXEW_EXT_framebuffer_sRGB GLXEW_GET_VAR(__GLXEW_EXT_framebuffer_sRGB) #endif /* GLX_EXT_framebuffer_sRGB */ /* ------------------------- GLX_EXT_import_context ------------------------ */ #ifndef GLX_EXT_import_context #define GLX_EXT_import_context 1 #define GLX_SHARE_CONTEXT_EXT 0x800A #define GLX_VISUAL_ID_EXT 0x800B #define GLX_SCREEN_EXT 0x800C typedef XID GLXContextID; typedef void ( * PFNGLXFREECONTEXTEXTPROC) (Display* dpy, GLXContext context); typedef GLXContextID ( * PFNGLXGETCONTEXTIDEXTPROC) (const GLXContext context); typedef GLXContext ( * PFNGLXIMPORTCONTEXTEXTPROC) (Display* dpy, GLXContextID contextID); typedef int ( * PFNGLXQUERYCONTEXTINFOEXTPROC) (Display* dpy, GLXContext context, int attribute,int *value); #define glXFreeContextEXT GLXEW_GET_FUN(__glewXFreeContextEXT) #define glXGetContextIDEXT GLXEW_GET_FUN(__glewXGetContextIDEXT) #define glXImportContextEXT GLXEW_GET_FUN(__glewXImportContextEXT) #define glXQueryContextInfoEXT GLXEW_GET_FUN(__glewXQueryContextInfoEXT) #define GLXEW_EXT_import_context GLXEW_GET_VAR(__GLXEW_EXT_import_context) #endif /* GLX_EXT_import_context */ /* ---------------------------- GLX_EXT_libglvnd --------------------------- */ #ifndef GLX_EXT_libglvnd #define GLX_EXT_libglvnd 1 #define GLX_VENDOR_NAMES_EXT 0x20F6 #define GLXEW_EXT_libglvnd GLXEW_GET_VAR(__GLXEW_EXT_libglvnd) #endif /* GLX_EXT_libglvnd */ /* -------------------------- GLX_EXT_scene_marker ------------------------- */ #ifndef GLX_EXT_scene_marker #define GLX_EXT_scene_marker 1 #define GLXEW_EXT_scene_marker GLXEW_GET_VAR(__GLXEW_EXT_scene_marker) #endif /* GLX_EXT_scene_marker */ /* -------------------------- GLX_EXT_stereo_tree -------------------------- */ #ifndef GLX_EXT_stereo_tree #define GLX_EXT_stereo_tree 1 #define GLX_STEREO_NOTIFY_EXT 0x00000000 #define GLX_STEREO_NOTIFY_MASK_EXT 0x00000001 #define GLX_STEREO_TREE_EXT 0x20F5 #define GLXEW_EXT_stereo_tree GLXEW_GET_VAR(__GLXEW_EXT_stereo_tree) #endif /* GLX_EXT_stereo_tree */ /* -------------------------- GLX_EXT_swap_control ------------------------- */ #ifndef GLX_EXT_swap_control #define GLX_EXT_swap_control 1 #define GLX_SWAP_INTERVAL_EXT 0x20F1 #define GLX_MAX_SWAP_INTERVAL_EXT 0x20F2 typedef void ( * PFNGLXSWAPINTERVALEXTPROC) (Display* dpy, GLXDrawable drawable, int interval); #define glXSwapIntervalEXT GLXEW_GET_FUN(__glewXSwapIntervalEXT) #define GLXEW_EXT_swap_control GLXEW_GET_VAR(__GLXEW_EXT_swap_control) #endif /* GLX_EXT_swap_control */ /* ----------------------- GLX_EXT_swap_control_tear ----------------------- */ #ifndef GLX_EXT_swap_control_tear #define GLX_EXT_swap_control_tear 1 #define GLX_LATE_SWAPS_TEAR_EXT 0x20F3 #define GLXEW_EXT_swap_control_tear GLXEW_GET_VAR(__GLXEW_EXT_swap_control_tear) #endif /* GLX_EXT_swap_control_tear */ /* ---------------------- GLX_EXT_texture_from_pixmap ---------------------- */ #ifndef GLX_EXT_texture_from_pixmap #define GLX_EXT_texture_from_pixmap 1 #define GLX_TEXTURE_1D_BIT_EXT 0x00000001 #define GLX_TEXTURE_2D_BIT_EXT 0x00000002 #define GLX_TEXTURE_RECTANGLE_BIT_EXT 0x00000004 #define GLX_BIND_TO_TEXTURE_RGB_EXT 0x20D0 #define GLX_BIND_TO_TEXTURE_RGBA_EXT 0x20D1 #define GLX_BIND_TO_MIPMAP_TEXTURE_EXT 0x20D2 #define GLX_BIND_TO_TEXTURE_TARGETS_EXT 0x20D3 #define GLX_Y_INVERTED_EXT 0x20D4 #define GLX_TEXTURE_FORMAT_EXT 0x20D5 #define GLX_TEXTURE_TARGET_EXT 0x20D6 #define GLX_MIPMAP_TEXTURE_EXT 0x20D7 #define GLX_TEXTURE_FORMAT_NONE_EXT 0x20D8 #define GLX_TEXTURE_FORMAT_RGB_EXT 0x20D9 #define GLX_TEXTURE_FORMAT_RGBA_EXT 0x20DA #define GLX_TEXTURE_1D_EXT 0x20DB #define GLX_TEXTURE_2D_EXT 0x20DC #define GLX_TEXTURE_RECTANGLE_EXT 0x20DD #define GLX_FRONT_LEFT_EXT 0x20DE #define GLX_FRONT_RIGHT_EXT 0x20DF #define GLX_BACK_LEFT_EXT 0x20E0 #define GLX_BACK_RIGHT_EXT 0x20E1 #define GLX_AUX0_EXT 0x20E2 #define GLX_AUX1_EXT 0x20E3 #define GLX_AUX2_EXT 0x20E4 #define GLX_AUX3_EXT 0x20E5 #define GLX_AUX4_EXT 0x20E6 #define GLX_AUX5_EXT 0x20E7 #define GLX_AUX6_EXT 0x20E8 #define GLX_AUX7_EXT 0x20E9 #define GLX_AUX8_EXT 0x20EA #define GLX_AUX9_EXT 0x20EB typedef void ( * PFNGLXBINDTEXIMAGEEXTPROC) (Display* display, GLXDrawable drawable, int buffer, const int *attrib_list); typedef void ( * PFNGLXRELEASETEXIMAGEEXTPROC) (Display* display, GLXDrawable drawable, int buffer); #define glXBindTexImageEXT GLXEW_GET_FUN(__glewXBindTexImageEXT) #define glXReleaseTexImageEXT GLXEW_GET_FUN(__glewXReleaseTexImageEXT) #define GLXEW_EXT_texture_from_pixmap GLXEW_GET_VAR(__GLXEW_EXT_texture_from_pixmap) #endif /* GLX_EXT_texture_from_pixmap */ /* -------------------------- GLX_EXT_visual_info -------------------------- */ #ifndef GLX_EXT_visual_info #define GLX_EXT_visual_info 1 #define GLX_X_VISUAL_TYPE_EXT 0x22 #define GLX_TRANSPARENT_TYPE_EXT 0x23 #define GLX_TRANSPARENT_INDEX_VALUE_EXT 0x24 #define GLX_TRANSPARENT_RED_VALUE_EXT 0x25 #define GLX_TRANSPARENT_GREEN_VALUE_EXT 0x26 #define GLX_TRANSPARENT_BLUE_VALUE_EXT 0x27 #define GLX_TRANSPARENT_ALPHA_VALUE_EXT 0x28 #define GLX_NONE_EXT 0x8000 #define GLX_TRUE_COLOR_EXT 0x8002 #define GLX_DIRECT_COLOR_EXT 0x8003 #define GLX_PSEUDO_COLOR_EXT 0x8004 #define GLX_STATIC_COLOR_EXT 0x8005 #define GLX_GRAY_SCALE_EXT 0x8006 #define GLX_STATIC_GRAY_EXT 0x8007 #define GLX_TRANSPARENT_RGB_EXT 0x8008 #define GLX_TRANSPARENT_INDEX_EXT 0x8009 #define GLXEW_EXT_visual_info GLXEW_GET_VAR(__GLXEW_EXT_visual_info) #endif /* GLX_EXT_visual_info */ /* ------------------------- GLX_EXT_visual_rating ------------------------- */ #ifndef GLX_EXT_visual_rating #define GLX_EXT_visual_rating 1 #define GLX_VISUAL_CAVEAT_EXT 0x20 #define GLX_SLOW_VISUAL_EXT 0x8001 #define GLX_NON_CONFORMANT_VISUAL_EXT 0x800D #define GLXEW_EXT_visual_rating GLXEW_GET_VAR(__GLXEW_EXT_visual_rating) #endif /* GLX_EXT_visual_rating */ /* -------------------------- GLX_INTEL_swap_event ------------------------- */ #ifndef GLX_INTEL_swap_event #define GLX_INTEL_swap_event 1 #define GLX_EXCHANGE_COMPLETE_INTEL 0x8180 #define GLX_COPY_COMPLETE_INTEL 0x8181 #define GLX_FLIP_COMPLETE_INTEL 0x8182 #define GLX_BUFFER_SWAP_COMPLETE_INTEL_MASK 0x04000000 #define GLXEW_INTEL_swap_event GLXEW_GET_VAR(__GLXEW_INTEL_swap_event) #endif /* GLX_INTEL_swap_event */ /* -------------------------- GLX_MESA_agp_offset -------------------------- */ #ifndef GLX_MESA_agp_offset #define GLX_MESA_agp_offset 1 typedef unsigned int ( * PFNGLXGETAGPOFFSETMESAPROC) (const void* pointer); #define glXGetAGPOffsetMESA GLXEW_GET_FUN(__glewXGetAGPOffsetMESA) #define GLXEW_MESA_agp_offset GLXEW_GET_VAR(__GLXEW_MESA_agp_offset) #endif /* GLX_MESA_agp_offset */ /* ------------------------ GLX_MESA_copy_sub_buffer ----------------------- */ #ifndef GLX_MESA_copy_sub_buffer #define GLX_MESA_copy_sub_buffer 1 typedef void ( * PFNGLXCOPYSUBBUFFERMESAPROC) (Display* dpy, GLXDrawable drawable, int x, int y, int width, int height); #define glXCopySubBufferMESA GLXEW_GET_FUN(__glewXCopySubBufferMESA) #define GLXEW_MESA_copy_sub_buffer GLXEW_GET_VAR(__GLXEW_MESA_copy_sub_buffer) #endif /* GLX_MESA_copy_sub_buffer */ /* ------------------------ GLX_MESA_pixmap_colormap ----------------------- */ #ifndef GLX_MESA_pixmap_colormap #define GLX_MESA_pixmap_colormap 1 typedef GLXPixmap ( * PFNGLXCREATEGLXPIXMAPMESAPROC) (Display* dpy, XVisualInfo *visual, Pixmap pixmap, Colormap cmap); #define glXCreateGLXPixmapMESA GLXEW_GET_FUN(__glewXCreateGLXPixmapMESA) #define GLXEW_MESA_pixmap_colormap GLXEW_GET_VAR(__GLXEW_MESA_pixmap_colormap) #endif /* GLX_MESA_pixmap_colormap */ /* ------------------------ GLX_MESA_query_renderer ------------------------ */ #ifndef GLX_MESA_query_renderer #define GLX_MESA_query_renderer 1 #define GLX_RENDERER_VENDOR_ID_MESA 0x8183 #define GLX_RENDERER_DEVICE_ID_MESA 0x8184 #define GLX_RENDERER_VERSION_MESA 0x8185 #define GLX_RENDERER_ACCELERATED_MESA 0x8186 #define GLX_RENDERER_VIDEO_MEMORY_MESA 0x8187 #define GLX_RENDERER_UNIFIED_MEMORY_ARCHITECTURE_MESA 0x8188 #define GLX_RENDERER_PREFERRED_PROFILE_MESA 0x8189 #define GLX_RENDERER_OPENGL_CORE_PROFILE_VERSION_MESA 0x818A #define GLX_RENDERER_OPENGL_COMPATIBILITY_PROFILE_VERSION_MESA 0x818B #define GLX_RENDERER_OPENGL_ES_PROFILE_VERSION_MESA 0x818C #define GLX_RENDERER_OPENGL_ES2_PROFILE_VERSION_MESA 0x818D #define GLX_RENDERER_ID_MESA 0x818E typedef Bool ( * PFNGLXQUERYCURRENTRENDERERINTEGERMESAPROC) (int attribute, unsigned int* value); typedef const char* ( * PFNGLXQUERYCURRENTRENDERERSTRINGMESAPROC) (int attribute); typedef Bool ( * PFNGLXQUERYRENDERERINTEGERMESAPROC) (Display* dpy, int screen, int renderer, int attribute, unsigned int *value); typedef const char* ( * PFNGLXQUERYRENDERERSTRINGMESAPROC) (Display *dpy, int screen, int renderer, int attribute); #define glXQueryCurrentRendererIntegerMESA GLXEW_GET_FUN(__glewXQueryCurrentRendererIntegerMESA) #define glXQueryCurrentRendererStringMESA GLXEW_GET_FUN(__glewXQueryCurrentRendererStringMESA) #define glXQueryRendererIntegerMESA GLXEW_GET_FUN(__glewXQueryRendererIntegerMESA) #define glXQueryRendererStringMESA GLXEW_GET_FUN(__glewXQueryRendererStringMESA) #define GLXEW_MESA_query_renderer GLXEW_GET_VAR(__GLXEW_MESA_query_renderer) #endif /* GLX_MESA_query_renderer */ /* ------------------------ GLX_MESA_release_buffers ----------------------- */ #ifndef GLX_MESA_release_buffers #define GLX_MESA_release_buffers 1 typedef Bool ( * PFNGLXRELEASEBUFFERSMESAPROC) (Display* dpy, GLXDrawable d); #define glXReleaseBuffersMESA GLXEW_GET_FUN(__glewXReleaseBuffersMESA) #define GLXEW_MESA_release_buffers GLXEW_GET_VAR(__GLXEW_MESA_release_buffers) #endif /* GLX_MESA_release_buffers */ /* ------------------------- GLX_MESA_set_3dfx_mode ------------------------ */ #ifndef GLX_MESA_set_3dfx_mode #define GLX_MESA_set_3dfx_mode 1 #define GLX_3DFX_WINDOW_MODE_MESA 0x1 #define GLX_3DFX_FULLSCREEN_MODE_MESA 0x2 typedef GLboolean ( * PFNGLXSET3DFXMODEMESAPROC) (GLint mode); #define glXSet3DfxModeMESA GLXEW_GET_FUN(__glewXSet3DfxModeMESA) #define GLXEW_MESA_set_3dfx_mode GLXEW_GET_VAR(__GLXEW_MESA_set_3dfx_mode) #endif /* GLX_MESA_set_3dfx_mode */ /* ------------------------- GLX_MESA_swap_control ------------------------- */ #ifndef GLX_MESA_swap_control #define GLX_MESA_swap_control 1 typedef int ( * PFNGLXGETSWAPINTERVALMESAPROC) (void); typedef int ( * PFNGLXSWAPINTERVALMESAPROC) (unsigned int interval); #define glXGetSwapIntervalMESA GLXEW_GET_FUN(__glewXGetSwapIntervalMESA) #define glXSwapIntervalMESA GLXEW_GET_FUN(__glewXSwapIntervalMESA) #define GLXEW_MESA_swap_control GLXEW_GET_VAR(__GLXEW_MESA_swap_control) #endif /* GLX_MESA_swap_control */ /* --------------------------- GLX_NV_copy_buffer -------------------------- */ #ifndef GLX_NV_copy_buffer #define GLX_NV_copy_buffer 1 typedef void ( * PFNGLXCOPYBUFFERSUBDATANVPROC) (Display* dpy, GLXContext readCtx, GLXContext writeCtx, GLenum readTarget, GLenum writeTarget, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size); typedef void ( * PFNGLXNAMEDCOPYBUFFERSUBDATANVPROC) (Display* dpy, GLXContext readCtx, GLXContext writeCtx, GLuint readBuffer, GLuint writeBuffer, GLintptr readOffset, GLintptr writeOffset, GLsizeiptr size); #define glXCopyBufferSubDataNV GLXEW_GET_FUN(__glewXCopyBufferSubDataNV) #define glXNamedCopyBufferSubDataNV GLXEW_GET_FUN(__glewXNamedCopyBufferSubDataNV) #define GLXEW_NV_copy_buffer GLXEW_GET_VAR(__GLXEW_NV_copy_buffer) #endif /* GLX_NV_copy_buffer */ /* --------------------------- GLX_NV_copy_image --------------------------- */ #ifndef GLX_NV_copy_image #define GLX_NV_copy_image 1 typedef void ( * PFNGLXCOPYIMAGESUBDATANVPROC) (Display *dpy, GLXContext srcCtx, GLuint srcName, GLenum srcTarget, GLint srcLevel, GLint srcX, GLint srcY, GLint srcZ, GLXContext dstCtx, GLuint dstName, GLenum dstTarget, GLint dstLevel, GLint dstX, GLint dstY, GLint dstZ, GLsizei width, GLsizei height, GLsizei depth); #define glXCopyImageSubDataNV GLXEW_GET_FUN(__glewXCopyImageSubDataNV) #define GLXEW_NV_copy_image GLXEW_GET_VAR(__GLXEW_NV_copy_image) #endif /* GLX_NV_copy_image */ /* ------------------------ GLX_NV_delay_before_swap ----------------------- */ #ifndef GLX_NV_delay_before_swap #define GLX_NV_delay_before_swap 1 typedef Bool ( * PFNGLXDELAYBEFORESWAPNVPROC) (Display* dpy, GLXDrawable drawable, GLfloat seconds); #define glXDelayBeforeSwapNV GLXEW_GET_FUN(__glewXDelayBeforeSwapNV) #define GLXEW_NV_delay_before_swap GLXEW_GET_VAR(__GLXEW_NV_delay_before_swap) #endif /* GLX_NV_delay_before_swap */ /* -------------------------- GLX_NV_float_buffer -------------------------- */ #ifndef GLX_NV_float_buffer #define GLX_NV_float_buffer 1 #define GLX_FLOAT_COMPONENTS_NV 0x20B0 #define GLXEW_NV_float_buffer GLXEW_GET_VAR(__GLXEW_NV_float_buffer) #endif /* GLX_NV_float_buffer */ /* ---------------------- GLX_NV_multisample_coverage ---------------------- */ #ifndef GLX_NV_multisample_coverage #define GLX_NV_multisample_coverage 1 #define GLX_COLOR_SAMPLES_NV 0x20B3 #define GLX_COVERAGE_SAMPLES_NV 100001 #define GLXEW_NV_multisample_coverage GLXEW_GET_VAR(__GLXEW_NV_multisample_coverage) #endif /* GLX_NV_multisample_coverage */ /* -------------------------- GLX_NV_present_video ------------------------- */ #ifndef GLX_NV_present_video #define GLX_NV_present_video 1 #define GLX_NUM_VIDEO_SLOTS_NV 0x20F0 typedef int ( * PFNGLXBINDVIDEODEVICENVPROC) (Display* dpy, unsigned int video_slot, unsigned int video_device, const int *attrib_list); typedef unsigned int* ( * PFNGLXENUMERATEVIDEODEVICESNVPROC) (Display *dpy, int screen, int *nelements); #define glXBindVideoDeviceNV GLXEW_GET_FUN(__glewXBindVideoDeviceNV) #define glXEnumerateVideoDevicesNV GLXEW_GET_FUN(__glewXEnumerateVideoDevicesNV) #define GLXEW_NV_present_video GLXEW_GET_VAR(__GLXEW_NV_present_video) #endif /* GLX_NV_present_video */ /* ------------------ GLX_NV_robustness_video_memory_purge ----------------- */ #ifndef GLX_NV_robustness_video_memory_purge #define GLX_NV_robustness_video_memory_purge 1 #define GLX_GENERATE_RESET_ON_VIDEO_MEMORY_PURGE_NV 0x20F7 #define GLXEW_NV_robustness_video_memory_purge GLXEW_GET_VAR(__GLXEW_NV_robustness_video_memory_purge) #endif /* GLX_NV_robustness_video_memory_purge */ /* --------------------------- GLX_NV_swap_group --------------------------- */ #ifndef GLX_NV_swap_group #define GLX_NV_swap_group 1 typedef Bool ( * PFNGLXBINDSWAPBARRIERNVPROC) (Display* dpy, GLuint group, GLuint barrier); typedef Bool ( * PFNGLXJOINSWAPGROUPNVPROC) (Display* dpy, GLXDrawable drawable, GLuint group); typedef Bool ( * PFNGLXQUERYFRAMECOUNTNVPROC) (Display* dpy, int screen, GLuint *count); typedef Bool ( * PFNGLXQUERYMAXSWAPGROUPSNVPROC) (Display* dpy, int screen, GLuint *maxGroups, GLuint *maxBarriers); typedef Bool ( * PFNGLXQUERYSWAPGROUPNVPROC) (Display* dpy, GLXDrawable drawable, GLuint *group, GLuint *barrier); typedef Bool ( * PFNGLXRESETFRAMECOUNTNVPROC) (Display* dpy, int screen); #define glXBindSwapBarrierNV GLXEW_GET_FUN(__glewXBindSwapBarrierNV) #define glXJoinSwapGroupNV GLXEW_GET_FUN(__glewXJoinSwapGroupNV) #define glXQueryFrameCountNV GLXEW_GET_FUN(__glewXQueryFrameCountNV) #define glXQueryMaxSwapGroupsNV GLXEW_GET_FUN(__glewXQueryMaxSwapGroupsNV) #define glXQuerySwapGroupNV GLXEW_GET_FUN(__glewXQuerySwapGroupNV) #define glXResetFrameCountNV GLXEW_GET_FUN(__glewXResetFrameCountNV) #define GLXEW_NV_swap_group GLXEW_GET_VAR(__GLXEW_NV_swap_group) #endif /* GLX_NV_swap_group */ /* ----------------------- GLX_NV_vertex_array_range ----------------------- */ #ifndef GLX_NV_vertex_array_range #define GLX_NV_vertex_array_range 1 typedef void * ( * PFNGLXALLOCATEMEMORYNVPROC) (GLsizei size, GLfloat readFrequency, GLfloat writeFrequency, GLfloat priority); typedef void ( * PFNGLXFREEMEMORYNVPROC) (void *pointer); #define glXAllocateMemoryNV GLXEW_GET_FUN(__glewXAllocateMemoryNV) #define glXFreeMemoryNV GLXEW_GET_FUN(__glewXFreeMemoryNV) #define GLXEW_NV_vertex_array_range GLXEW_GET_VAR(__GLXEW_NV_vertex_array_range) #endif /* GLX_NV_vertex_array_range */ /* -------------------------- GLX_NV_video_capture ------------------------- */ #ifndef GLX_NV_video_capture #define GLX_NV_video_capture 1 #define GLX_DEVICE_ID_NV 0x20CD #define GLX_UNIQUE_ID_NV 0x20CE #define GLX_NUM_VIDEO_CAPTURE_SLOTS_NV 0x20CF typedef XID GLXVideoCaptureDeviceNV; typedef int ( * PFNGLXBINDVIDEOCAPTUREDEVICENVPROC) (Display* dpy, unsigned int video_capture_slot, GLXVideoCaptureDeviceNV device); typedef GLXVideoCaptureDeviceNV * ( * PFNGLXENUMERATEVIDEOCAPTUREDEVICESNVPROC) (Display* dpy, int screen, int *nelements); typedef void ( * PFNGLXLOCKVIDEOCAPTUREDEVICENVPROC) (Display* dpy, GLXVideoCaptureDeviceNV device); typedef int ( * PFNGLXQUERYVIDEOCAPTUREDEVICENVPROC) (Display* dpy, GLXVideoCaptureDeviceNV device, int attribute, int *value); typedef void ( * PFNGLXRELEASEVIDEOCAPTUREDEVICENVPROC) (Display* dpy, GLXVideoCaptureDeviceNV device); #define glXBindVideoCaptureDeviceNV GLXEW_GET_FUN(__glewXBindVideoCaptureDeviceNV) #define glXEnumerateVideoCaptureDevicesNV GLXEW_GET_FUN(__glewXEnumerateVideoCaptureDevicesNV) #define glXLockVideoCaptureDeviceNV GLXEW_GET_FUN(__glewXLockVideoCaptureDeviceNV) #define glXQueryVideoCaptureDeviceNV GLXEW_GET_FUN(__glewXQueryVideoCaptureDeviceNV) #define glXReleaseVideoCaptureDeviceNV GLXEW_GET_FUN(__glewXReleaseVideoCaptureDeviceNV) #define GLXEW_NV_video_capture GLXEW_GET_VAR(__GLXEW_NV_video_capture) #endif /* GLX_NV_video_capture */ /* ---------------------------- GLX_NV_video_out --------------------------- */ #ifndef GLX_NV_video_out #define GLX_NV_video_out 1 #define GLX_VIDEO_OUT_COLOR_NV 0x20C3 #define GLX_VIDEO_OUT_ALPHA_NV 0x20C4 #define GLX_VIDEO_OUT_DEPTH_NV 0x20C5 #define GLX_VIDEO_OUT_COLOR_AND_ALPHA_NV 0x20C6 #define GLX_VIDEO_OUT_COLOR_AND_DEPTH_NV 0x20C7 #define GLX_VIDEO_OUT_FRAME_NV 0x20C8 #define GLX_VIDEO_OUT_FIELD_1_NV 0x20C9 #define GLX_VIDEO_OUT_FIELD_2_NV 0x20CA #define GLX_VIDEO_OUT_STACKED_FIELDS_1_2_NV 0x20CB #define GLX_VIDEO_OUT_STACKED_FIELDS_2_1_NV 0x20CC typedef int ( * PFNGLXBINDVIDEOIMAGENVPROC) (Display* dpy, GLXVideoDeviceNV VideoDevice, GLXPbuffer pbuf, int iVideoBuffer); typedef int ( * PFNGLXGETVIDEODEVICENVPROC) (Display* dpy, int screen, int numVideoDevices, GLXVideoDeviceNV *pVideoDevice); typedef int ( * PFNGLXGETVIDEOINFONVPROC) (Display* dpy, int screen, GLXVideoDeviceNV VideoDevice, unsigned long *pulCounterOutputPbuffer, unsigned long *pulCounterOutputVideo); typedef int ( * PFNGLXRELEASEVIDEODEVICENVPROC) (Display* dpy, int screen, GLXVideoDeviceNV VideoDevice); typedef int ( * PFNGLXRELEASEVIDEOIMAGENVPROC) (Display* dpy, GLXPbuffer pbuf); typedef int ( * PFNGLXSENDPBUFFERTOVIDEONVPROC) (Display* dpy, GLXPbuffer pbuf, int iBufferType, unsigned long *pulCounterPbuffer, GLboolean bBlock); #define glXBindVideoImageNV GLXEW_GET_FUN(__glewXBindVideoImageNV) #define glXGetVideoDeviceNV GLXEW_GET_FUN(__glewXGetVideoDeviceNV) #define glXGetVideoInfoNV GLXEW_GET_FUN(__glewXGetVideoInfoNV) #define glXReleaseVideoDeviceNV GLXEW_GET_FUN(__glewXReleaseVideoDeviceNV) #define glXReleaseVideoImageNV GLXEW_GET_FUN(__glewXReleaseVideoImageNV) #define glXSendPbufferToVideoNV GLXEW_GET_FUN(__glewXSendPbufferToVideoNV) #define GLXEW_NV_video_out GLXEW_GET_VAR(__GLXEW_NV_video_out) #endif /* GLX_NV_video_out */ /* -------------------------- GLX_OML_swap_method -------------------------- */ #ifndef GLX_OML_swap_method #define GLX_OML_swap_method 1 #define GLX_SWAP_METHOD_OML 0x8060 #define GLX_SWAP_EXCHANGE_OML 0x8061 #define GLX_SWAP_COPY_OML 0x8062 #define GLX_SWAP_UNDEFINED_OML 0x8063 #define GLXEW_OML_swap_method GLXEW_GET_VAR(__GLXEW_OML_swap_method) #endif /* GLX_OML_swap_method */ /* -------------------------- GLX_OML_sync_control ------------------------- */ #ifndef GLX_OML_sync_control #define GLX_OML_sync_control 1 typedef Bool ( * PFNGLXGETMSCRATEOMLPROC) (Display* dpy, GLXDrawable drawable, int32_t* numerator, int32_t* denominator); typedef Bool ( * PFNGLXGETSYNCVALUESOMLPROC) (Display* dpy, GLXDrawable drawable, int64_t* ust, int64_t* msc, int64_t* sbc); typedef int64_t ( * PFNGLXSWAPBUFFERSMSCOMLPROC) (Display* dpy, GLXDrawable drawable, int64_t target_msc, int64_t divisor, int64_t remainder); typedef Bool ( * PFNGLXWAITFORMSCOMLPROC) (Display* dpy, GLXDrawable drawable, int64_t target_msc, int64_t divisor, int64_t remainder, int64_t* ust, int64_t* msc, int64_t* sbc); typedef Bool ( * PFNGLXWAITFORSBCOMLPROC) (Display* dpy, GLXDrawable drawable, int64_t target_sbc, int64_t* ust, int64_t* msc, int64_t* sbc); #define glXGetMscRateOML GLXEW_GET_FUN(__glewXGetMscRateOML) #define glXGetSyncValuesOML GLXEW_GET_FUN(__glewXGetSyncValuesOML) #define glXSwapBuffersMscOML GLXEW_GET_FUN(__glewXSwapBuffersMscOML) #define glXWaitForMscOML GLXEW_GET_FUN(__glewXWaitForMscOML) #define glXWaitForSbcOML GLXEW_GET_FUN(__glewXWaitForSbcOML) #define GLXEW_OML_sync_control GLXEW_GET_VAR(__GLXEW_OML_sync_control) #endif /* GLX_OML_sync_control */ /* ------------------------ GLX_SGIS_blended_overlay ----------------------- */ #ifndef GLX_SGIS_blended_overlay #define GLX_SGIS_blended_overlay 1 #define GLX_BLENDED_RGBA_SGIS 0x8025 #define GLXEW_SGIS_blended_overlay GLXEW_GET_VAR(__GLXEW_SGIS_blended_overlay) #endif /* GLX_SGIS_blended_overlay */ /* -------------------------- GLX_SGIS_color_range ------------------------- */ #ifndef GLX_SGIS_color_range #define GLX_SGIS_color_range 1 #define GLXEW_SGIS_color_range GLXEW_GET_VAR(__GLXEW_SGIS_color_range) #endif /* GLX_SGIS_color_range */ /* -------------------------- GLX_SGIS_multisample ------------------------- */ #ifndef GLX_SGIS_multisample #define GLX_SGIS_multisample 1 #define GLX_SAMPLE_BUFFERS_SGIS 100000 #define GLX_SAMPLES_SGIS 100001 #define GLXEW_SGIS_multisample GLXEW_GET_VAR(__GLXEW_SGIS_multisample) #endif /* GLX_SGIS_multisample */ /* ---------------------- GLX_SGIS_shared_multisample ---------------------- */ #ifndef GLX_SGIS_shared_multisample #define GLX_SGIS_shared_multisample 1 #define GLX_MULTISAMPLE_SUB_RECT_WIDTH_SGIS 0x8026 #define GLX_MULTISAMPLE_SUB_RECT_HEIGHT_SGIS 0x8027 #define GLXEW_SGIS_shared_multisample GLXEW_GET_VAR(__GLXEW_SGIS_shared_multisample) #endif /* GLX_SGIS_shared_multisample */ /* --------------------------- GLX_SGIX_fbconfig --------------------------- */ #ifndef GLX_SGIX_fbconfig #define GLX_SGIX_fbconfig 1 #define GLX_RGBA_BIT_SGIX 0x00000001 #define GLX_WINDOW_BIT_SGIX 0x00000001 #define GLX_COLOR_INDEX_BIT_SGIX 0x00000002 #define GLX_PIXMAP_BIT_SGIX 0x00000002 #define GLX_SCREEN_EXT 0x800C #define GLX_DRAWABLE_TYPE_SGIX 0x8010 #define GLX_RENDER_TYPE_SGIX 0x8011 #define GLX_X_RENDERABLE_SGIX 0x8012 #define GLX_FBCONFIG_ID_SGIX 0x8013 #define GLX_RGBA_TYPE_SGIX 0x8014 #define GLX_COLOR_INDEX_TYPE_SGIX 0x8015 typedef XID GLXFBConfigIDSGIX; typedef struct __GLXFBConfigRec *GLXFBConfigSGIX; typedef GLXFBConfigSGIX* ( * PFNGLXCHOOSEFBCONFIGSGIXPROC) (Display *dpy, int screen, const int *attrib_list, int *nelements); typedef GLXContext ( * PFNGLXCREATECONTEXTWITHCONFIGSGIXPROC) (Display* dpy, GLXFBConfig config, int render_type, GLXContext share_list, Bool direct); typedef GLXPixmap ( * PFNGLXCREATEGLXPIXMAPWITHCONFIGSGIXPROC) (Display* dpy, GLXFBConfig config, Pixmap pixmap); typedef int ( * PFNGLXGETFBCONFIGATTRIBSGIXPROC) (Display* dpy, GLXFBConfigSGIX config, int attribute, int *value); typedef GLXFBConfigSGIX ( * PFNGLXGETFBCONFIGFROMVISUALSGIXPROC) (Display* dpy, XVisualInfo *vis); typedef XVisualInfo* ( * PFNGLXGETVISUALFROMFBCONFIGSGIXPROC) (Display *dpy, GLXFBConfig config); #define glXChooseFBConfigSGIX GLXEW_GET_FUN(__glewXChooseFBConfigSGIX) #define glXCreateContextWithConfigSGIX GLXEW_GET_FUN(__glewXCreateContextWithConfigSGIX) #define glXCreateGLXPixmapWithConfigSGIX GLXEW_GET_FUN(__glewXCreateGLXPixmapWithConfigSGIX) #define glXGetFBConfigAttribSGIX GLXEW_GET_FUN(__glewXGetFBConfigAttribSGIX) #define glXGetFBConfigFromVisualSGIX GLXEW_GET_FUN(__glewXGetFBConfigFromVisualSGIX) #define glXGetVisualFromFBConfigSGIX GLXEW_GET_FUN(__glewXGetVisualFromFBConfigSGIX) #define GLXEW_SGIX_fbconfig GLXEW_GET_VAR(__GLXEW_SGIX_fbconfig) #endif /* GLX_SGIX_fbconfig */ /* --------------------------- GLX_SGIX_hyperpipe -------------------------- */ #ifndef GLX_SGIX_hyperpipe #define GLX_SGIX_hyperpipe 1 #define GLX_HYPERPIPE_DISPLAY_PIPE_SGIX 0x00000001 #define GLX_PIPE_RECT_SGIX 0x00000001 #define GLX_HYPERPIPE_RENDER_PIPE_SGIX 0x00000002 #define GLX_PIPE_RECT_LIMITS_SGIX 0x00000002 #define GLX_HYPERPIPE_STEREO_SGIX 0x00000003 #define GLX_HYPERPIPE_PIXEL_AVERAGE_SGIX 0x00000004 #define GLX_HYPERPIPE_PIPE_NAME_LENGTH_SGIX 80 #define GLX_BAD_HYPERPIPE_CONFIG_SGIX 91 #define GLX_BAD_HYPERPIPE_SGIX 92 #define GLX_HYPERPIPE_ID_SGIX 0x8030 typedef struct { char pipeName[GLX_HYPERPIPE_PIPE_NAME_LENGTH_SGIX]; int networkId; } GLXHyperpipeNetworkSGIX; typedef struct { char pipeName[GLX_HYPERPIPE_PIPE_NAME_LENGTH_SGIX]; int XOrigin; int YOrigin; int maxHeight; int maxWidth; } GLXPipeRectLimits; typedef struct { char pipeName[GLX_HYPERPIPE_PIPE_NAME_LENGTH_SGIX]; int channel; unsigned int participationType; int timeSlice; } GLXHyperpipeConfigSGIX; typedef struct { char pipeName[GLX_HYPERPIPE_PIPE_NAME_LENGTH_SGIX]; int srcXOrigin; int srcYOrigin; int srcWidth; int srcHeight; int destXOrigin; int destYOrigin; int destWidth; int destHeight; } GLXPipeRect; typedef int ( * PFNGLXBINDHYPERPIPESGIXPROC) (Display *dpy, int hpId); typedef int ( * PFNGLXDESTROYHYPERPIPECONFIGSGIXPROC) (Display *dpy, int hpId); typedef int ( * PFNGLXHYPERPIPEATTRIBSGIXPROC) (Display *dpy, int timeSlice, int attrib, int size, void *attribList); typedef int ( * PFNGLXHYPERPIPECONFIGSGIXPROC) (Display *dpy, int networkId, int npipes, GLXHyperpipeConfigSGIX *cfg, int *hpId); typedef int ( * PFNGLXQUERYHYPERPIPEATTRIBSGIXPROC) (Display *dpy, int timeSlice, int attrib, int size, void *returnAttribList); typedef int ( * PFNGLXQUERYHYPERPIPEBESTATTRIBSGIXPROC) (Display *dpy, int timeSlice, int attrib, int size, void *attribList, void *returnAttribList); typedef GLXHyperpipeConfigSGIX * ( * PFNGLXQUERYHYPERPIPECONFIGSGIXPROC) (Display *dpy, int hpId, int *npipes); typedef GLXHyperpipeNetworkSGIX * ( * PFNGLXQUERYHYPERPIPENETWORKSGIXPROC) (Display *dpy, int *npipes); #define glXBindHyperpipeSGIX GLXEW_GET_FUN(__glewXBindHyperpipeSGIX) #define glXDestroyHyperpipeConfigSGIX GLXEW_GET_FUN(__glewXDestroyHyperpipeConfigSGIX) #define glXHyperpipeAttribSGIX GLXEW_GET_FUN(__glewXHyperpipeAttribSGIX) #define glXHyperpipeConfigSGIX GLXEW_GET_FUN(__glewXHyperpipeConfigSGIX) #define glXQueryHyperpipeAttribSGIX GLXEW_GET_FUN(__glewXQueryHyperpipeAttribSGIX) #define glXQueryHyperpipeBestAttribSGIX GLXEW_GET_FUN(__glewXQueryHyperpipeBestAttribSGIX) #define glXQueryHyperpipeConfigSGIX GLXEW_GET_FUN(__glewXQueryHyperpipeConfigSGIX) #define glXQueryHyperpipeNetworkSGIX GLXEW_GET_FUN(__glewXQueryHyperpipeNetworkSGIX) #define GLXEW_SGIX_hyperpipe GLXEW_GET_VAR(__GLXEW_SGIX_hyperpipe) #endif /* GLX_SGIX_hyperpipe */ /* ---------------------------- GLX_SGIX_pbuffer --------------------------- */ #ifndef GLX_SGIX_pbuffer #define GLX_SGIX_pbuffer 1 #define GLX_FRONT_LEFT_BUFFER_BIT_SGIX 0x00000001 #define GLX_FRONT_RIGHT_BUFFER_BIT_SGIX 0x00000002 #define GLX_BACK_LEFT_BUFFER_BIT_SGIX 0x00000004 #define GLX_PBUFFER_BIT_SGIX 0x00000004 #define GLX_BACK_RIGHT_BUFFER_BIT_SGIX 0x00000008 #define GLX_AUX_BUFFERS_BIT_SGIX 0x00000010 #define GLX_DEPTH_BUFFER_BIT_SGIX 0x00000020 #define GLX_STENCIL_BUFFER_BIT_SGIX 0x00000040 #define GLX_ACCUM_BUFFER_BIT_SGIX 0x00000080 #define GLX_SAMPLE_BUFFERS_BIT_SGIX 0x00000100 #define GLX_MAX_PBUFFER_WIDTH_SGIX 0x8016 #define GLX_MAX_PBUFFER_HEIGHT_SGIX 0x8017 #define GLX_MAX_PBUFFER_PIXELS_SGIX 0x8018 #define GLX_OPTIMAL_PBUFFER_WIDTH_SGIX 0x8019 #define GLX_OPTIMAL_PBUFFER_HEIGHT_SGIX 0x801A #define GLX_PRESERVED_CONTENTS_SGIX 0x801B #define GLX_LARGEST_PBUFFER_SGIX 0x801C #define GLX_WIDTH_SGIX 0x801D #define GLX_HEIGHT_SGIX 0x801E #define GLX_EVENT_MASK_SGIX 0x801F #define GLX_DAMAGED_SGIX 0x8020 #define GLX_SAVED_SGIX 0x8021 #define GLX_WINDOW_SGIX 0x8022 #define GLX_PBUFFER_SGIX 0x8023 #define GLX_BUFFER_CLOBBER_MASK_SGIX 0x08000000 typedef XID GLXPbufferSGIX; typedef struct { int type; unsigned long serial; Bool send_event; Display *display; GLXDrawable drawable; int event_type; int draw_type; unsigned int mask; int x, y; int width, height; int count; } GLXBufferClobberEventSGIX; typedef GLXPbuffer ( * PFNGLXCREATEGLXPBUFFERSGIXPROC) (Display* dpy, GLXFBConfig config, unsigned int width, unsigned int height, int *attrib_list); typedef void ( * PFNGLXDESTROYGLXPBUFFERSGIXPROC) (Display* dpy, GLXPbuffer pbuf); typedef void ( * PFNGLXGETSELECTEDEVENTSGIXPROC) (Display* dpy, GLXDrawable drawable, unsigned long *mask); typedef void ( * PFNGLXQUERYGLXPBUFFERSGIXPROC) (Display* dpy, GLXPbuffer pbuf, int attribute, unsigned int *value); typedef void ( * PFNGLXSELECTEVENTSGIXPROC) (Display* dpy, GLXDrawable drawable, unsigned long mask); #define glXCreateGLXPbufferSGIX GLXEW_GET_FUN(__glewXCreateGLXPbufferSGIX) #define glXDestroyGLXPbufferSGIX GLXEW_GET_FUN(__glewXDestroyGLXPbufferSGIX) #define glXGetSelectedEventSGIX GLXEW_GET_FUN(__glewXGetSelectedEventSGIX) #define glXQueryGLXPbufferSGIX GLXEW_GET_FUN(__glewXQueryGLXPbufferSGIX) #define glXSelectEventSGIX GLXEW_GET_FUN(__glewXSelectEventSGIX) #define GLXEW_SGIX_pbuffer GLXEW_GET_VAR(__GLXEW_SGIX_pbuffer) #endif /* GLX_SGIX_pbuffer */ /* ------------------------- GLX_SGIX_swap_barrier ------------------------- */ #ifndef GLX_SGIX_swap_barrier #define GLX_SGIX_swap_barrier 1 typedef void ( * PFNGLXBINDSWAPBARRIERSGIXPROC) (Display *dpy, GLXDrawable drawable, int barrier); typedef Bool ( * PFNGLXQUERYMAXSWAPBARRIERSSGIXPROC) (Display *dpy, int screen, int *max); #define glXBindSwapBarrierSGIX GLXEW_GET_FUN(__glewXBindSwapBarrierSGIX) #define glXQueryMaxSwapBarriersSGIX GLXEW_GET_FUN(__glewXQueryMaxSwapBarriersSGIX) #define GLXEW_SGIX_swap_barrier GLXEW_GET_VAR(__GLXEW_SGIX_swap_barrier) #endif /* GLX_SGIX_swap_barrier */ /* -------------------------- GLX_SGIX_swap_group -------------------------- */ #ifndef GLX_SGIX_swap_group #define GLX_SGIX_swap_group 1 typedef void ( * PFNGLXJOINSWAPGROUPSGIXPROC) (Display *dpy, GLXDrawable drawable, GLXDrawable member); #define glXJoinSwapGroupSGIX GLXEW_GET_FUN(__glewXJoinSwapGroupSGIX) #define GLXEW_SGIX_swap_group GLXEW_GET_VAR(__GLXEW_SGIX_swap_group) #endif /* GLX_SGIX_swap_group */ /* ------------------------- GLX_SGIX_video_resize ------------------------- */ #ifndef GLX_SGIX_video_resize #define GLX_SGIX_video_resize 1 #define GLX_SYNC_FRAME_SGIX 0x00000000 #define GLX_SYNC_SWAP_SGIX 0x00000001 typedef int ( * PFNGLXBINDCHANNELTOWINDOWSGIXPROC) (Display* display, int screen, int channel, Window window); typedef int ( * PFNGLXCHANNELRECTSGIXPROC) (Display* display, int screen, int channel, int x, int y, int w, int h); typedef int ( * PFNGLXCHANNELRECTSYNCSGIXPROC) (Display* display, int screen, int channel, GLenum synctype); typedef int ( * PFNGLXQUERYCHANNELDELTASSGIXPROC) (Display* display, int screen, int channel, int *x, int *y, int *w, int *h); typedef int ( * PFNGLXQUERYCHANNELRECTSGIXPROC) (Display* display, int screen, int channel, int *dx, int *dy, int *dw, int *dh); #define glXBindChannelToWindowSGIX GLXEW_GET_FUN(__glewXBindChannelToWindowSGIX) #define glXChannelRectSGIX GLXEW_GET_FUN(__glewXChannelRectSGIX) #define glXChannelRectSyncSGIX GLXEW_GET_FUN(__glewXChannelRectSyncSGIX) #define glXQueryChannelDeltasSGIX GLXEW_GET_FUN(__glewXQueryChannelDeltasSGIX) #define glXQueryChannelRectSGIX GLXEW_GET_FUN(__glewXQueryChannelRectSGIX) #define GLXEW_SGIX_video_resize GLXEW_GET_VAR(__GLXEW_SGIX_video_resize) #endif /* GLX_SGIX_video_resize */ /* ---------------------- GLX_SGIX_visual_select_group --------------------- */ #ifndef GLX_SGIX_visual_select_group #define GLX_SGIX_visual_select_group 1 #define GLX_VISUAL_SELECT_GROUP_SGIX 0x8028 #define GLXEW_SGIX_visual_select_group GLXEW_GET_VAR(__GLXEW_SGIX_visual_select_group) #endif /* GLX_SGIX_visual_select_group */ /* ---------------------------- GLX_SGI_cushion ---------------------------- */ #ifndef GLX_SGI_cushion #define GLX_SGI_cushion 1 typedef void ( * PFNGLXCUSHIONSGIPROC) (Display* dpy, Window window, float cushion); #define glXCushionSGI GLXEW_GET_FUN(__glewXCushionSGI) #define GLXEW_SGI_cushion GLXEW_GET_VAR(__GLXEW_SGI_cushion) #endif /* GLX_SGI_cushion */ /* ----------------------- GLX_SGI_make_current_read ----------------------- */ #ifndef GLX_SGI_make_current_read #define GLX_SGI_make_current_read 1 typedef GLXDrawable ( * PFNGLXGETCURRENTREADDRAWABLESGIPROC) (void); typedef Bool ( * PFNGLXMAKECURRENTREADSGIPROC) (Display* dpy, GLXDrawable draw, GLXDrawable read, GLXContext ctx); #define glXGetCurrentReadDrawableSGI GLXEW_GET_FUN(__glewXGetCurrentReadDrawableSGI) #define glXMakeCurrentReadSGI GLXEW_GET_FUN(__glewXMakeCurrentReadSGI) #define GLXEW_SGI_make_current_read GLXEW_GET_VAR(__GLXEW_SGI_make_current_read) #endif /* GLX_SGI_make_current_read */ /* -------------------------- GLX_SGI_swap_control ------------------------- */ #ifndef GLX_SGI_swap_control #define GLX_SGI_swap_control 1 typedef int ( * PFNGLXSWAPINTERVALSGIPROC) (int interval); #define glXSwapIntervalSGI GLXEW_GET_FUN(__glewXSwapIntervalSGI) #define GLXEW_SGI_swap_control GLXEW_GET_VAR(__GLXEW_SGI_swap_control) #endif /* GLX_SGI_swap_control */ /* --------------------------- GLX_SGI_video_sync -------------------------- */ #ifndef GLX_SGI_video_sync #define GLX_SGI_video_sync 1 typedef int ( * PFNGLXGETVIDEOSYNCSGIPROC) (unsigned int* count); typedef int ( * PFNGLXWAITVIDEOSYNCSGIPROC) (int divisor, int remainder, unsigned int* count); #define glXGetVideoSyncSGI GLXEW_GET_FUN(__glewXGetVideoSyncSGI) #define glXWaitVideoSyncSGI GLXEW_GET_FUN(__glewXWaitVideoSyncSGI) #define GLXEW_SGI_video_sync GLXEW_GET_VAR(__GLXEW_SGI_video_sync) #endif /* GLX_SGI_video_sync */ /* --------------------- GLX_SUN_get_transparent_index --------------------- */ #ifndef GLX_SUN_get_transparent_index #define GLX_SUN_get_transparent_index 1 typedef Status ( * PFNGLXGETTRANSPARENTINDEXSUNPROC) (Display* dpy, Window overlay, Window underlay, unsigned long *pTransparentIndex); #define glXGetTransparentIndexSUN GLXEW_GET_FUN(__glewXGetTransparentIndexSUN) #define GLXEW_SUN_get_transparent_index GLXEW_GET_VAR(__GLXEW_SUN_get_transparent_index) #endif /* GLX_SUN_get_transparent_index */ /* -------------------------- GLX_SUN_video_resize ------------------------- */ #ifndef GLX_SUN_video_resize #define GLX_SUN_video_resize 1 #define GLX_VIDEO_RESIZE_SUN 0x8171 #define GL_VIDEO_RESIZE_COMPENSATION_SUN 0x85CD typedef int ( * PFNGLXGETVIDEORESIZESUNPROC) (Display* display, GLXDrawable window, float* factor); typedef int ( * PFNGLXVIDEORESIZESUNPROC) (Display* display, GLXDrawable window, float factor); #define glXGetVideoResizeSUN GLXEW_GET_FUN(__glewXGetVideoResizeSUN) #define glXVideoResizeSUN GLXEW_GET_FUN(__glewXVideoResizeSUN) #define GLXEW_SUN_video_resize GLXEW_GET_VAR(__GLXEW_SUN_video_resize) #endif /* GLX_SUN_video_resize */ /* ------------------------------------------------------------------------- */ #define GLXEW_FUN_EXPORT GLEW_FUN_EXPORT #define GLXEW_VAR_EXPORT GLEW_VAR_EXPORT GLXEW_FUN_EXPORT PFNGLXGETCURRENTDISPLAYPROC __glewXGetCurrentDisplay; GLXEW_FUN_EXPORT PFNGLXCHOOSEFBCONFIGPROC __glewXChooseFBConfig; GLXEW_FUN_EXPORT PFNGLXCREATENEWCONTEXTPROC __glewXCreateNewContext; GLXEW_FUN_EXPORT PFNGLXCREATEPBUFFERPROC __glewXCreatePbuffer; GLXEW_FUN_EXPORT PFNGLXCREATEPIXMAPPROC __glewXCreatePixmap; GLXEW_FUN_EXPORT PFNGLXCREATEWINDOWPROC __glewXCreateWindow; GLXEW_FUN_EXPORT PFNGLXDESTROYPBUFFERPROC __glewXDestroyPbuffer; GLXEW_FUN_EXPORT PFNGLXDESTROYPIXMAPPROC __glewXDestroyPixmap; GLXEW_FUN_EXPORT PFNGLXDESTROYWINDOWPROC __glewXDestroyWindow; GLXEW_FUN_EXPORT PFNGLXGETCURRENTREADDRAWABLEPROC __glewXGetCurrentReadDrawable; GLXEW_FUN_EXPORT PFNGLXGETFBCONFIGATTRIBPROC __glewXGetFBConfigAttrib; GLXEW_FUN_EXPORT PFNGLXGETFBCONFIGSPROC __glewXGetFBConfigs; GLXEW_FUN_EXPORT PFNGLXGETSELECTEDEVENTPROC __glewXGetSelectedEvent; GLXEW_FUN_EXPORT PFNGLXGETVISUALFROMFBCONFIGPROC __glewXGetVisualFromFBConfig; GLXEW_FUN_EXPORT PFNGLXMAKECONTEXTCURRENTPROC __glewXMakeContextCurrent; GLXEW_FUN_EXPORT PFNGLXQUERYCONTEXTPROC __glewXQueryContext; GLXEW_FUN_EXPORT PFNGLXQUERYDRAWABLEPROC __glewXQueryDrawable; GLXEW_FUN_EXPORT PFNGLXSELECTEVENTPROC __glewXSelectEvent; GLXEW_FUN_EXPORT PFNGLXBLITCONTEXTFRAMEBUFFERAMDPROC __glewXBlitContextFramebufferAMD; GLXEW_FUN_EXPORT PFNGLXCREATEASSOCIATEDCONTEXTAMDPROC __glewXCreateAssociatedContextAMD; GLXEW_FUN_EXPORT PFNGLXCREATEASSOCIATEDCONTEXTATTRIBSAMDPROC __glewXCreateAssociatedContextAttribsAMD; GLXEW_FUN_EXPORT PFNGLXDELETEASSOCIATEDCONTEXTAMDPROC __glewXDeleteAssociatedContextAMD; GLXEW_FUN_EXPORT PFNGLXGETCONTEXTGPUIDAMDPROC __glewXGetContextGPUIDAMD; GLXEW_FUN_EXPORT PFNGLXGETCURRENTASSOCIATEDCONTEXTAMDPROC __glewXGetCurrentAssociatedContextAMD; GLXEW_FUN_EXPORT PFNGLXGETGPUIDSAMDPROC __glewXGetGPUIDsAMD; GLXEW_FUN_EXPORT PFNGLXGETGPUINFOAMDPROC __glewXGetGPUInfoAMD; GLXEW_FUN_EXPORT PFNGLXMAKEASSOCIATEDCONTEXTCURRENTAMDPROC __glewXMakeAssociatedContextCurrentAMD; GLXEW_FUN_EXPORT PFNGLXCREATECONTEXTATTRIBSARBPROC __glewXCreateContextAttribsARB; GLXEW_FUN_EXPORT PFNGLXBINDTEXIMAGEATIPROC __glewXBindTexImageATI; GLXEW_FUN_EXPORT PFNGLXDRAWABLEATTRIBATIPROC __glewXDrawableAttribATI; GLXEW_FUN_EXPORT PFNGLXRELEASETEXIMAGEATIPROC __glewXReleaseTexImageATI; GLXEW_FUN_EXPORT PFNGLXFREECONTEXTEXTPROC __glewXFreeContextEXT; GLXEW_FUN_EXPORT PFNGLXGETCONTEXTIDEXTPROC __glewXGetContextIDEXT; GLXEW_FUN_EXPORT PFNGLXIMPORTCONTEXTEXTPROC __glewXImportContextEXT; GLXEW_FUN_EXPORT PFNGLXQUERYCONTEXTINFOEXTPROC __glewXQueryContextInfoEXT; GLXEW_FUN_EXPORT PFNGLXSWAPINTERVALEXTPROC __glewXSwapIntervalEXT; GLXEW_FUN_EXPORT PFNGLXBINDTEXIMAGEEXTPROC __glewXBindTexImageEXT; GLXEW_FUN_EXPORT PFNGLXRELEASETEXIMAGEEXTPROC __glewXReleaseTexImageEXT; GLXEW_FUN_EXPORT PFNGLXGETAGPOFFSETMESAPROC __glewXGetAGPOffsetMESA; GLXEW_FUN_EXPORT PFNGLXCOPYSUBBUFFERMESAPROC __glewXCopySubBufferMESA; GLXEW_FUN_EXPORT PFNGLXCREATEGLXPIXMAPMESAPROC __glewXCreateGLXPixmapMESA; GLXEW_FUN_EXPORT PFNGLXQUERYCURRENTRENDERERINTEGERMESAPROC __glewXQueryCurrentRendererIntegerMESA; GLXEW_FUN_EXPORT PFNGLXQUERYCURRENTRENDERERSTRINGMESAPROC __glewXQueryCurrentRendererStringMESA; GLXEW_FUN_EXPORT PFNGLXQUERYRENDERERINTEGERMESAPROC __glewXQueryRendererIntegerMESA; GLXEW_FUN_EXPORT PFNGLXQUERYRENDERERSTRINGMESAPROC __glewXQueryRendererStringMESA; GLXEW_FUN_EXPORT PFNGLXRELEASEBUFFERSMESAPROC __glewXReleaseBuffersMESA; GLXEW_FUN_EXPORT PFNGLXSET3DFXMODEMESAPROC __glewXSet3DfxModeMESA; GLXEW_FUN_EXPORT PFNGLXGETSWAPINTERVALMESAPROC __glewXGetSwapIntervalMESA; GLXEW_FUN_EXPORT PFNGLXSWAPINTERVALMESAPROC __glewXSwapIntervalMESA; GLXEW_FUN_EXPORT PFNGLXCOPYBUFFERSUBDATANVPROC __glewXCopyBufferSubDataNV; GLXEW_FUN_EXPORT PFNGLXNAMEDCOPYBUFFERSUBDATANVPROC __glewXNamedCopyBufferSubDataNV; GLXEW_FUN_EXPORT PFNGLXCOPYIMAGESUBDATANVPROC __glewXCopyImageSubDataNV; GLXEW_FUN_EXPORT PFNGLXDELAYBEFORESWAPNVPROC __glewXDelayBeforeSwapNV; GLXEW_FUN_EXPORT PFNGLXBINDVIDEODEVICENVPROC __glewXBindVideoDeviceNV; GLXEW_FUN_EXPORT PFNGLXENUMERATEVIDEODEVICESNVPROC __glewXEnumerateVideoDevicesNV; GLXEW_FUN_EXPORT PFNGLXBINDSWAPBARRIERNVPROC __glewXBindSwapBarrierNV; GLXEW_FUN_EXPORT PFNGLXJOINSWAPGROUPNVPROC __glewXJoinSwapGroupNV; GLXEW_FUN_EXPORT PFNGLXQUERYFRAMECOUNTNVPROC __glewXQueryFrameCountNV; GLXEW_FUN_EXPORT PFNGLXQUERYMAXSWAPGROUPSNVPROC __glewXQueryMaxSwapGroupsNV; GLXEW_FUN_EXPORT PFNGLXQUERYSWAPGROUPNVPROC __glewXQuerySwapGroupNV; GLXEW_FUN_EXPORT PFNGLXRESETFRAMECOUNTNVPROC __glewXResetFrameCountNV; GLXEW_FUN_EXPORT PFNGLXALLOCATEMEMORYNVPROC __glewXAllocateMemoryNV; GLXEW_FUN_EXPORT PFNGLXFREEMEMORYNVPROC __glewXFreeMemoryNV; GLXEW_FUN_EXPORT PFNGLXBINDVIDEOCAPTUREDEVICENVPROC __glewXBindVideoCaptureDeviceNV; GLXEW_FUN_EXPORT PFNGLXENUMERATEVIDEOCAPTUREDEVICESNVPROC __glewXEnumerateVideoCaptureDevicesNV; GLXEW_FUN_EXPORT PFNGLXLOCKVIDEOCAPTUREDEVICENVPROC __glewXLockVideoCaptureDeviceNV; GLXEW_FUN_EXPORT PFNGLXQUERYVIDEOCAPTUREDEVICENVPROC __glewXQueryVideoCaptureDeviceNV; GLXEW_FUN_EXPORT PFNGLXRELEASEVIDEOCAPTUREDEVICENVPROC __glewXReleaseVideoCaptureDeviceNV; GLXEW_FUN_EXPORT PFNGLXBINDVIDEOIMAGENVPROC __glewXBindVideoImageNV; GLXEW_FUN_EXPORT PFNGLXGETVIDEODEVICENVPROC __glewXGetVideoDeviceNV; GLXEW_FUN_EXPORT PFNGLXGETVIDEOINFONVPROC __glewXGetVideoInfoNV; GLXEW_FUN_EXPORT PFNGLXRELEASEVIDEODEVICENVPROC __glewXReleaseVideoDeviceNV; GLXEW_FUN_EXPORT PFNGLXRELEASEVIDEOIMAGENVPROC __glewXReleaseVideoImageNV; GLXEW_FUN_EXPORT PFNGLXSENDPBUFFERTOVIDEONVPROC __glewXSendPbufferToVideoNV; GLXEW_FUN_EXPORT PFNGLXGETMSCRATEOMLPROC __glewXGetMscRateOML; GLXEW_FUN_EXPORT PFNGLXGETSYNCVALUESOMLPROC __glewXGetSyncValuesOML; GLXEW_FUN_EXPORT PFNGLXSWAPBUFFERSMSCOMLPROC __glewXSwapBuffersMscOML; GLXEW_FUN_EXPORT PFNGLXWAITFORMSCOMLPROC __glewXWaitForMscOML; GLXEW_FUN_EXPORT PFNGLXWAITFORSBCOMLPROC __glewXWaitForSbcOML; GLXEW_FUN_EXPORT PFNGLXCHOOSEFBCONFIGSGIXPROC __glewXChooseFBConfigSGIX; GLXEW_FUN_EXPORT PFNGLXCREATECONTEXTWITHCONFIGSGIXPROC __glewXCreateContextWithConfigSGIX; GLXEW_FUN_EXPORT PFNGLXCREATEGLXPIXMAPWITHCONFIGSGIXPROC __glewXCreateGLXPixmapWithConfigSGIX; GLXEW_FUN_EXPORT PFNGLXGETFBCONFIGATTRIBSGIXPROC __glewXGetFBConfigAttribSGIX; GLXEW_FUN_EXPORT PFNGLXGETFBCONFIGFROMVISUALSGIXPROC __glewXGetFBConfigFromVisualSGIX; GLXEW_FUN_EXPORT PFNGLXGETVISUALFROMFBCONFIGSGIXPROC __glewXGetVisualFromFBConfigSGIX; GLXEW_FUN_EXPORT PFNGLXBINDHYPERPIPESGIXPROC __glewXBindHyperpipeSGIX; GLXEW_FUN_EXPORT PFNGLXDESTROYHYPERPIPECONFIGSGIXPROC __glewXDestroyHyperpipeConfigSGIX; GLXEW_FUN_EXPORT PFNGLXHYPERPIPEATTRIBSGIXPROC __glewXHyperpipeAttribSGIX; GLXEW_FUN_EXPORT PFNGLXHYPERPIPECONFIGSGIXPROC __glewXHyperpipeConfigSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYHYPERPIPEATTRIBSGIXPROC __glewXQueryHyperpipeAttribSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYHYPERPIPEBESTATTRIBSGIXPROC __glewXQueryHyperpipeBestAttribSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYHYPERPIPECONFIGSGIXPROC __glewXQueryHyperpipeConfigSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYHYPERPIPENETWORKSGIXPROC __glewXQueryHyperpipeNetworkSGIX; GLXEW_FUN_EXPORT PFNGLXCREATEGLXPBUFFERSGIXPROC __glewXCreateGLXPbufferSGIX; GLXEW_FUN_EXPORT PFNGLXDESTROYGLXPBUFFERSGIXPROC __glewXDestroyGLXPbufferSGIX; GLXEW_FUN_EXPORT PFNGLXGETSELECTEDEVENTSGIXPROC __glewXGetSelectedEventSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYGLXPBUFFERSGIXPROC __glewXQueryGLXPbufferSGIX; GLXEW_FUN_EXPORT PFNGLXSELECTEVENTSGIXPROC __glewXSelectEventSGIX; GLXEW_FUN_EXPORT PFNGLXBINDSWAPBARRIERSGIXPROC __glewXBindSwapBarrierSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYMAXSWAPBARRIERSSGIXPROC __glewXQueryMaxSwapBarriersSGIX; GLXEW_FUN_EXPORT PFNGLXJOINSWAPGROUPSGIXPROC __glewXJoinSwapGroupSGIX; GLXEW_FUN_EXPORT PFNGLXBINDCHANNELTOWINDOWSGIXPROC __glewXBindChannelToWindowSGIX; GLXEW_FUN_EXPORT PFNGLXCHANNELRECTSGIXPROC __glewXChannelRectSGIX; GLXEW_FUN_EXPORT PFNGLXCHANNELRECTSYNCSGIXPROC __glewXChannelRectSyncSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYCHANNELDELTASSGIXPROC __glewXQueryChannelDeltasSGIX; GLXEW_FUN_EXPORT PFNGLXQUERYCHANNELRECTSGIXPROC __glewXQueryChannelRectSGIX; GLXEW_FUN_EXPORT PFNGLXCUSHIONSGIPROC __glewXCushionSGI; GLXEW_FUN_EXPORT PFNGLXGETCURRENTREADDRAWABLESGIPROC __glewXGetCurrentReadDrawableSGI; GLXEW_FUN_EXPORT PFNGLXMAKECURRENTREADSGIPROC __glewXMakeCurrentReadSGI; GLXEW_FUN_EXPORT PFNGLXSWAPINTERVALSGIPROC __glewXSwapIntervalSGI; GLXEW_FUN_EXPORT PFNGLXGETVIDEOSYNCSGIPROC __glewXGetVideoSyncSGI; GLXEW_FUN_EXPORT PFNGLXWAITVIDEOSYNCSGIPROC __glewXWaitVideoSyncSGI; GLXEW_FUN_EXPORT PFNGLXGETTRANSPARENTINDEXSUNPROC __glewXGetTransparentIndexSUN; GLXEW_FUN_EXPORT PFNGLXGETVIDEORESIZESUNPROC __glewXGetVideoResizeSUN; GLXEW_FUN_EXPORT PFNGLXVIDEORESIZESUNPROC __glewXVideoResizeSUN; GLXEW_VAR_EXPORT GLboolean __GLXEW_VERSION_1_0; GLXEW_VAR_EXPORT GLboolean __GLXEW_VERSION_1_1; GLXEW_VAR_EXPORT GLboolean __GLXEW_VERSION_1_2; GLXEW_VAR_EXPORT GLboolean __GLXEW_VERSION_1_3; GLXEW_VAR_EXPORT GLboolean __GLXEW_VERSION_1_4; GLXEW_VAR_EXPORT GLboolean __GLXEW_3DFX_multisample; GLXEW_VAR_EXPORT GLboolean __GLXEW_AMD_gpu_association; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_context_flush_control; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_create_context; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_create_context_no_error; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_create_context_profile; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_create_context_robustness; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_fbconfig_float; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_framebuffer_sRGB; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_get_proc_address; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_multisample; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_robustness_application_isolation; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_robustness_share_group_isolation; GLXEW_VAR_EXPORT GLboolean __GLXEW_ARB_vertex_buffer_object; GLXEW_VAR_EXPORT GLboolean __GLXEW_ATI_pixel_format_float; GLXEW_VAR_EXPORT GLboolean __GLXEW_ATI_render_texture; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_buffer_age; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_create_context_es2_profile; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_create_context_es_profile; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_fbconfig_packed_float; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_framebuffer_sRGB; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_import_context; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_libglvnd; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_scene_marker; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_stereo_tree; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_swap_control; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_swap_control_tear; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_texture_from_pixmap; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_visual_info; GLXEW_VAR_EXPORT GLboolean __GLXEW_EXT_visual_rating; GLXEW_VAR_EXPORT GLboolean __GLXEW_INTEL_swap_event; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_agp_offset; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_copy_sub_buffer; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_pixmap_colormap; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_query_renderer; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_release_buffers; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_set_3dfx_mode; GLXEW_VAR_EXPORT GLboolean __GLXEW_MESA_swap_control; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_copy_buffer; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_copy_image; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_delay_before_swap; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_float_buffer; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_multisample_coverage; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_present_video; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_robustness_video_memory_purge; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_swap_group; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_vertex_array_range; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_video_capture; GLXEW_VAR_EXPORT GLboolean __GLXEW_NV_video_out; GLXEW_VAR_EXPORT GLboolean __GLXEW_OML_swap_method; GLXEW_VAR_EXPORT GLboolean __GLXEW_OML_sync_control; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIS_blended_overlay; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIS_color_range; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIS_multisample; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIS_shared_multisample; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_fbconfig; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_hyperpipe; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_pbuffer; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_swap_barrier; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_swap_group; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_video_resize; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGIX_visual_select_group; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGI_cushion; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGI_make_current_read; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGI_swap_control; GLXEW_VAR_EXPORT GLboolean __GLXEW_SGI_video_sync; GLXEW_VAR_EXPORT GLboolean __GLXEW_SUN_get_transparent_index; GLXEW_VAR_EXPORT GLboolean __GLXEW_SUN_video_resize; /* ------------------------------------------------------------------------ */ GLEWAPI GLenum GLEWAPIENTRY glxewInit (); GLEWAPI GLboolean GLEWAPIENTRY glxewIsSupported (const char *name); #ifndef GLXEW_GET_VAR #define GLXEW_GET_VAR(x) (*(const GLboolean*)&x) #endif #ifndef GLXEW_GET_FUN #define GLXEW_GET_FUN(x) x #endif GLEWAPI GLboolean GLEWAPIENTRY glxewGetExtension (const char *name); #ifdef __cplusplus } #endif #endif /* __glxew_h__ */ asymptote-2.62/arrayop.h0000644000000000000000000003330713607467113014032 0ustar rootroot/***** * arrayop * John Bowman * * Array operations *****/ #ifndef ARRAYOP_H #define ARRAYOP_H #include "util.h" #include "stack.h" #include "array.h" #include "types.h" #include "fileio.h" #include "callable.h" #include "mathop.h" namespace run { using vm::pop; using vm::read; using vm::array; using camp::tab; vm::array *copyArray(vm::array *a); vm::array *copyArray2(vm::array *a); template class op> void arrayOp(vm::stack *s) { U b=pop(s); array *a=pop(s); size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=op()(read(a,i),b,i); s->push(c); } template class op> void opArray(vm::stack *s) { array *a=pop(s); T b=pop(s); size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=op()(b,read(a,i),i); s->push(c); } template class op> void arrayArrayOp(vm::stack *s) { array *b=pop(s); array *a=pop(s); size_t size=checkArrays(a,b); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=op()(read(a,i),read(b,i),i); s->push(c); } template void sumArray(vm::stack *s) { array *a=pop(s); size_t size=checkArray(a); T sum=0; for(size_t i=0; i < size; i++) sum += read(a,i); s->push(sum); } extern const char *arrayempty; template class op> void binopArray(vm::stack *s) { array *a=pop(s); size_t size=checkArray(a); if(size == 0) vm::error(arrayempty); T m=read(a,0); for(size_t i=1; i < size; i++) m=op()(m,read(a,i)); s->push(m); } template class op> void binopArray2(vm::stack *s) { array *a=pop(s); size_t size=checkArray(a); bool empty=true; T m=0; for(size_t i=0; i < size; i++) { array *ai=read(a,i); size_t aisize=checkArray(ai); if(aisize) { if(empty) { m=read(ai,0); empty=false; } for(size_t j=0; j < aisize; j++) m=op()(m,read(ai,j)); } } if(empty) vm::error(arrayempty); s->push(m); } template class op> void binopArray3(vm::stack *s) { array *a=pop(s); size_t size=checkArray(a); bool empty=true; T m=0; for(size_t i=0; i < size; i++) { array *ai=read(a,i); size_t aisize=checkArray(ai); for(size_t j=0; j < aisize; j++) { array *aij=read(ai,j); size_t aijsize=checkArray(aij); if(aijsize) { if(empty) { m=read(aij,0); empty=false; } for(size_t k=0; k < aijsize; k++) { m=op()(m,read(aij,k)); } } } } if(empty) vm::error(arrayempty); s->push(m); } template class op> void array2Op(vm::stack *s) { U b=pop(s); array *a=pop(s); size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; ++i) { array *ai=read(a,i); size_t aisize=checkArray(ai); array *ci=new array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; j++) (*ci)[j]=op()(read(ai,j),b,0); } s->push(c); } template class op> void opArray2(vm::stack *s) { array *a=pop(s); T b=pop(s); size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; ++i) { array *ai=read(a,i); size_t aisize=checkArray(ai); array *ci=new array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; j++) (*ci)[j]=op()(read(ai,j),b,0); } s->push(c); } template class op> void array2Array2Op(vm::stack *s) { array *b=pop(s); array *a=pop(s); size_t size=checkArrays(a,b); array *c=new array(size); for(size_t i=0; i < size; ++i) { array *ai=read(a,i); array *bi=read(b,i); size_t aisize=checkArrays(ai,bi); array *ci=new array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; j++) (*ci)[j]=op()(read(ai,j),read(bi,j),0); } s->push(c); } template bool Array2Equals(vm::stack *s) { array *b=pop(s); array *a=pop(s); size_t n=checkArray(a); if(n != checkArray(b)) return false; if(n == 0) return true; size_t n0=checkArray(read(a,0)); if(n0 != checkArray(read(b,0))) return false; for(size_t i=0; i < n; ++i) { array *ai=read(a,i); array *bi=read(b,i); for(size_t j=0; j < n0; ++j) { if(read(ai,j) != read(bi,j)) return false; } } return true; } template void array2Equals(vm::stack *s) { s->push(Array2Equals(s)); } template void array2NotEquals(vm::stack *s) { s->push(!Array2Equals(s)); } template void diagonal(vm::stack *s) { array *a=pop(s); size_t n=checkArray(a); array *c=new array(n); for(size_t i=0; i < n; ++i) { array *ci=new array(n); (*c)[i]=ci; for(size_t j=0; j < i; ++j) (*ci)[j]=T(); (*ci)[i]=read(a,i); for(size_t j=i+1; j < n; ++j) (*ci)[j]=T(); } s->push(c); } template struct compare { bool operator() (const vm::item& a, const vm::item& b) { return vm::get(a) < vm::get(b); } }; template void sortArray(vm::stack *s) { array *c=copyArray(pop(s)); sort(c->begin(),c->end(),compare()); s->push(c); } template struct compare2 { bool operator() (const vm::item& A, const vm::item& B) { array *a=vm::get(A); array *b=vm::get(B); size_t size=a->size(); if(size != b->size()) return false; for(size_t j=0; j < size; j++) { if(read(a,j) < read(b,j)) return true; if(read(a,j) > read(b,j)) return false; } return false; } }; // Sort the rows of a 2-dimensional array by the first column, breaking // ties with successively higher columns. template void sortArray2(vm::stack *s) { array *c=copyArray(pop(s)); stable_sort(c->begin(),c->end(),compare2()); s->push(c); } // Search a sorted ordered array a of n elements for key, returning the index i // if a[i] <= key < a[i+1], -1 if key is less than all elements of a, or // n-1 if key is greater than or equal to the last element of a. template void searchArray(vm::stack *s) { T key=pop(s); array *a=pop(s); size_t size= a->size(); if(size == 0 || key < read(a,0)) {s->push(-1); return;} size_t u=size-1; if(key >= read(a,u)) {s->push((Int) u); return;} size_t l=0; while (l < u) { size_t i=(l+u)/2; if(key < read(a,i)) u=i; else if(key < read(a,i+1)) {s->push((Int) i); return;} else l=i+1; } s->push(0); } extern string emptystring; void writestring(vm::stack *s); template void write(vm::stack *s) { array *a=pop(s); vm::callable *suffix=pop(s,NULL); T first=pop(s); string S=pop(s,emptystring); vm::item it=pop(s); bool defaultfile=isdefault(it); camp::ofile *f=defaultfile ? &camp::Stdout : vm::get(it); if(!f->isOpen() || !f->enabled()) return; size_t size=checkArray(a); if(S != "") f->write(S); f->write(first); for(size_t i=0; i < size; ++i) { f->write(tab); f->write(read(a,i)); } if(f->text()) { if(suffix) { s->push(f); suffix->call(s); } else if(defaultfile) { try { f->writeline(); } catch (quit&) { } } } } template void writeArray(vm::stack *s) { array *A=pop(s); array *a=pop(s); string S=pop(s,emptystring); vm::item it=pop(s); bool defaultfile=isdefault(it); camp::ofile *f=defaultfile ? &camp::Stdout : vm::get(it); if(!f->isOpen() || !f->enabled()) return; size_t asize=checkArray(a); size_t Asize=checkArray(A); if(f->Standard()) interact::lines=0; else if(!f->isOpen()) return; try { if(S != "") {f->write(S); f->writeline();} size_t i=0; bool cont=true; while(cont) { cont=false; bool first=true; if(i < asize) { vm::item& I=(*a)[i]; if(defaultfile) cout << i << ":\t"; if(!I.empty()) f->write(vm::get(I)); cont=true; first=false; } unsigned count=0; for(size_t j=0; j < Asize; ++j) { array *Aj=read(A,j); size_t Ajsize=checkArray(Aj); if(i < Ajsize) { if(f->text()) { if(first && defaultfile) cout << i << ":\t"; for(unsigned k=0; k <= count; ++k) f->write(tab); count=0; } vm::item& I=(*Aj)[i]; if(!I.empty()) f->write(vm::get(I)); cont=true; first=false; } else count++; } ++i; if(cont && f->text()) f->writeline(); } } catch (quit&) { } f->flush(); } template void writeArray2(vm::stack *s) { array *a=pop(s); vm::item it=pop(s); bool defaultfile=isdefault(it); camp::ofile *f=defaultfile ? &camp::Stdout : vm::get(it); if(!f->isOpen() || !f->enabled()) return; size_t size=checkArray(a); if(f->Standard()) interact::lines=0; try { for(size_t i=0; i < size; i++) { vm::item& I=(*a)[i]; if(!I.empty()) { array *ai=vm::get(I); size_t aisize=checkArray(ai); for(size_t j=0; j < aisize; j++) { if(j > 0 && f->text()) f->write(tab); vm::item& I=(*ai)[j]; if(!I.empty()) f->write(vm::get(I)); } } if(f->text()) f->writeline(); } } catch (quit&) { } f->flush(); } template void writeArray3(vm::stack *s) { array *a=pop(s); vm::item it=pop(s); bool defaultfile=isdefault(it); camp::ofile *f=defaultfile ? &camp::Stdout : vm::get(it); if(!f->isOpen() || !f->enabled()) return; size_t size=checkArray(a); if(f->Standard()) interact::lines=0; try { for(size_t i=0; i < size;) { vm::item& I=(*a)[i]; if(!I.empty()) { array *ai=vm::get(I); size_t aisize=checkArray(ai); for(size_t j=0; j < aisize; j++) { vm::item& I=(*ai)[j]; if(!I.empty()) { array *aij=vm::get(I); size_t aijsize=checkArray(aij); for(size_t k=0; k < aijsize; k++) { if(k > 0 && f->text()) f->write(tab); vm::item& I=(*aij)[k]; if(!I.empty()) f->write(vm::get(I)); } } if(f->text()) f->writeline(); } } ++i; if(i < size && f->text()) f->writeline(); } } catch (quit&) { } f->flush(); } template void arrayFunc(vm::stack *s) { array *a=pop(s); size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=func(read(a,i)); s->push(c); } template void arrayFunc2(vm::stack *s) { array *a=pop(s); size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; ++i) { array *ai=read(a,i); size_t aisize=checkArray(ai); array *ci=new array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; j++) (*ci)[j]=func(read(ai,j)); } s->push(c); } vm::array *Identity(Int n); camp::triple operator *(const vm::array& a, const camp::triple& v); double norm(double *a, size_t n); double norm(camp::triple *a, size_t n); inline size_t checkdimension(const vm::array *a, size_t dim) { size_t size=checkArray(a); if(dim && size != dim) { ostringstream buf; buf << "array of length " << dim << " expected"; vm::error(buf); } return size; } template inline void copyArrayC(T* &dest, const vm::array *a, size_t dim=0, GCPlacement placement=NoGC) { size_t size=checkdimension(a,dim); dest=(placement == NoGC) ? new T[size] : new(placement) T[size]; for(size_t i=0; i < size; i++) dest[i]=vm::read(a,i); } template inline void copyArrayC(T* &dest, const vm::array *a, T (*cast)(A), size_t dim=0, GCPlacement placement=NoGC) { size_t size=checkdimension(a,dim); dest=(placement == NoGC) ? new T[size] : new(placement) T[size]; for(size_t i=0; i < size; i++) dest[i]=cast(vm::read(a,i)); } template inline vm::array* copyCArray(const size_t n, const T* p) { vm::array* a = new vm::array(n); for(size_t i=0; i < n; ++i) (*a)[i] = p[i]; return a; } template inline void copyArray2C(T* &dest, const vm::array *a, bool square=true, size_t dim2=0, GCPlacement placement=NoGC) { size_t n=checkArray(a); size_t m=(square || n == 0) ? n : checkArray(vm::read(a,0)); if(n > 0 && dim2 && m != dim2) { ostringstream buf; buf << "second matrix dimension must be " << dim2; vm::error(buf); } dest=(placement == NoGC) ? new T[n*m] : new(placement) T[n*m]; for(size_t i=0; i < n; i++) { vm::array *ai=vm::read(a,i); size_t aisize=checkArray(ai); if(aisize == m) { T *desti=dest+i*m; for(size_t j=0; j < m; j++) desti[j]=vm::read(ai,j); } else vm::error(square ? "matrix must be square" : "matrix must be rectangular"); } } template inline vm::array* copyCArray2(const size_t n, const size_t m, const T* p) { vm::array* a=new vm::array(n); for(size_t i=0; i < n; ++i) { array *ai=new array(m); (*a)[i]=ai; for(size_t j=0; j < m; ++j) (*ai)[j]=p[m*i+j]; } return a; } } // namespace run #endif // ARRAYOP_H asymptote-2.62/guide.cc0000644000000000000000000000222713607467113013605 0ustar rootroot/***** * guide.cc * Andy Hammerlindl 2005/02/23 * *****/ #include "guide.h" namespace camp { multiguide::multiguide(guidevector& v) { // This constructor tests if the first subguide is also a multiguide and, // if possible, uses the same base, extending it beyond what is used. multiguide *rg = v.empty() ? 0 : dynamic_cast(v[0]); if (rg && rg->base->size() == rg->length) { base = rg->base; base->insert(base->end(), v.begin()+1, v.end()); } else base = new guidevector(v); length = base->size(); } void multiguide::flatten(flatguide& g, bool allowsolve) { size_t n=length; if(n > 0) { for(size_t i=0; i+1 < n; ++i) { subguide(i)->flatten(g,allowsolve); if(!allowsolve && subguide(i)->cyclic()) { g.precyclic(true); g.resolvecycle(); } } subguide(n-1)->flatten(g,allowsolve); } } void multiguide::print(ostream& out) const { side lastLoc=JOIN; for(size_t i=0; i < length; ++i) { guide *g = subguide(i); side loc = g->printLocation(); adjustLocation(out,lastLoc,loc); g->print(out); lastLoc=loc; } } } // namespace camp asymptote-2.62/material.h0000644000000000000000000000511013607467113014142 0ustar rootroot#ifndef MATERIAL_H #define MATERIAL_H #ifdef HAVE_LIBGLM #include #include #include "common.h" #include "triple.h" #include namespace camp { inline bool operator < (const glm::vec4& m1, const glm::vec4& m2) { return m1[0] < m2[0] || (m1[0] == m2[0] && (m1[1] < m2[1] || (m1[1] == m2[1] && (m1[2] < m2[2] || (m1[2] == m2[2] && (m1[3] < m2[3])))))); } inline glm::vec4 GLparameters(GLfloat shininess, GLfloat metallic, GLfloat fresnel0) { return glm::vec4(shininess,metallic,fresnel0,0.0); } inline ostream& operator << (ostream& out, const glm::vec4& v) { out << "[" << v[0] << "," << v[1] << "," << v[2] << "," << v[3] << "]"; return out; } struct Material { public: glm::vec4 diffuse,emissive,specular; glm::vec4 parameters; Material() {} Material(const glm::vec4& diffuse, const glm::vec4& emissive, const glm::vec4& specular, double shininess, double metallic, double fresnel0) : diffuse(diffuse), emissive(emissive), specular(specular), parameters(GLparameters(shininess,metallic,fresnel0)) {} Material(Material const& m): diffuse(m.diffuse), emissive(m.emissive), specular(m.specular), parameters(m.parameters) {} ~Material() {} Material& operator=(Material const& m) { diffuse=m.diffuse; emissive=m.emissive; specular=m.specular; parameters=m.parameters; return *this; } friend bool operator < (const Material& m1, const Material& m2) { return m1.diffuse < m2.diffuse || (m1.diffuse == m2.diffuse && (m1.emissive < m2.emissive || (m1.emissive == m2.emissive && (m1.specular < m2.specular || (m1.specular == m2.specular && (m1.parameters < m2.parameters)))))); } friend ostream& operator << (ostream& out, const Material& m) { out << "diffuse=" << m.diffuse << "," << newl << "emissive=" << m.emissive << "," << newl << "specular=" << m.specular << "," << newl << "shininess=" << m.parameters[0] << "," << newl << "metallic=" << m.parameters[1] << "," << newl << "fresnel0=" << m.parameters[2] << newl; return out; } }; extern size_t Nmaterials; // Number of materials compiled in shader extern size_t nmaterials; // Current size of materials buffer extern size_t Maxmaterials; // Maxinum size of materials buffer } #endif #endif asymptote-2.62/runpicture.h0000644000000000000000000000027713607467143014560 0ustar rootroot/***** Autogenerated from runpicture.in; changes will be overwritten *****/ #ifndef runpicture_H #define runpicture_H namespace run { void newPicture(vm::stack *); } #endif // runpicture_H asymptote-2.62/ax_pthread.m40000644000000000000000000003036613607467113014567 0ustar rootroot# =========================================================================== # http://www.gnu.org/software/autoconf-archive/ax_pthread.html # =========================================================================== # # SYNOPSIS # # AX_PTHREAD([ACTION-IF-FOUND[, ACTION-IF-NOT-FOUND]]) # # DESCRIPTION # # This macro figures out how to build C programs using POSIX threads. It # sets the PTHREAD_LIBS output variable to the threads library and linker # flags, and the PTHREAD_CFLAGS output variable to any special C compiler # flags that are needed. (The user can also force certain compiler # flags/libs to be tested by setting these environment variables.) # # Also sets PTHREAD_CC to any special C compiler that is needed for # multi-threaded programs (defaults to the value of CC otherwise). (This # is necessary on AIX to use the special cc_r compiler alias.) # # NOTE: You are assumed to not only compile your program with these flags, # but also link it with them as well. e.g. you should link with # $PTHREAD_CC $CFLAGS $PTHREAD_CFLAGS $LDFLAGS ... $PTHREAD_LIBS $LIBS # # If you are only building threads programs, you may wish to use these # variables in your default LIBS, CFLAGS, and CC: # # LIBS="$PTHREAD_LIBS $LIBS" # CFLAGS="$CFLAGS $PTHREAD_CFLAGS" # CC="$PTHREAD_CC" # # In addition, if the PTHREAD_CREATE_JOINABLE thread-attribute constant # has a nonstandard name, defines PTHREAD_CREATE_JOINABLE to that name # (e.g. PTHREAD_CREATE_UNDETACHED on AIX). # # Also HAVE_PTHREAD_PRIO_INHERIT is defined if pthread is found and the # PTHREAD_PRIO_INHERIT symbol is defined when compiling with # PTHREAD_CFLAGS. # # ACTION-IF-FOUND is a list of shell commands to run if a threads library # is found, and ACTION-IF-NOT-FOUND is a list of commands to run it if it # is not found. If ACTION-IF-FOUND is not specified, the default action # will define HAVE_PTHREAD. # # Please let the authors know if this macro fails on any platform, or if # you have any other suggestions or comments. This macro was based on work # by SGJ on autoconf scripts for FFTW (http://www.fftw.org/) (with help # from M. Frigo), as well as ac_pthread and hb_pthread macros posted by # Alejandro Forero Cuervo to the autoconf macro repository. We are also # grateful for the helpful feedback of numerous users. # # Updated for Autoconf 2.68 by Daniel Richard G. # # LICENSE # # Copyright (c) 2008 Steven G. Johnson # Copyright (c) 2011 Daniel Richard G. # # 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 . # # As a special exception, the respective Autoconf Macro's copyright owner # gives unlimited permission to copy, distribute and modify the configure # scripts that are the output of Autoconf when processing the Macro. You # need not follow the terms of the GNU General Public License when using # or distributing such scripts, even though portions of the text of the # Macro appear in them. The GNU General Public License (GPL) does govern # all other use of the material that constitutes the Autoconf Macro. # # This special exception to the GPL applies to versions of the Autoconf # Macro released by the Autoconf Archive. When you make and distribute a # modified version of the Autoconf Macro, you may extend this special # exception to the GPL to apply to your modified version as well. #serial 18 AU_ALIAS([ACX_PTHREAD], [AX_PTHREAD]) AC_DEFUN([AX_PTHREAD], [ AC_REQUIRE([AC_CANONICAL_HOST]) AC_LANG_PUSH([C]) ax_pthread_ok=no # We used to check for pthread.h first, but this fails if pthread.h # requires special compiler flags (e.g. on True64 or Sequent). # It gets checked for in the link test anyway. # First of all, check if the user has set any of the PTHREAD_LIBS, # etcetera environment variables, and if threads linking works using # them: if test x"$PTHREAD_LIBS$PTHREAD_CFLAGS" != x; then save_CFLAGS="$CFLAGS" CFLAGS="$CFLAGS $PTHREAD_CFLAGS" save_LIBS="$LIBS" LIBS="$PTHREAD_LIBS $LIBS" AC_MSG_CHECKING([for pthread_join in LIBS=$PTHREAD_LIBS with CFLAGS=$PTHREAD_CFLAGS]) AC_TRY_LINK_FUNC(pthread_join, ax_pthread_ok=yes) AC_MSG_RESULT($ax_pthread_ok) if test x"$ax_pthread_ok" = xno; then PTHREAD_LIBS="" PTHREAD_CFLAGS="" fi LIBS="$save_LIBS" CFLAGS="$save_CFLAGS" fi # We must check for the threads library under a number of different # names; the ordering is very important because some systems # (e.g. DEC) have both -lpthread and -lpthreads, where one of the # libraries is broken (non-POSIX). # Create a list of thread flags to try. Items starting with a "-" are # C compiler flags, and other items are library names, except for "none" # which indicates that we try without any flags at all, and "pthread-config" # which is a program returning the flags for the Pth emulation library. ax_pthread_flags="pthreads none -Kthread -kthread lthread -pthread -pthreads -mthreads pthread --thread-safe -mt pthread-config" # The ordering *is* (sometimes) important. Some notes on the # individual items follow: # pthreads: AIX (must check this before -lpthread) # none: in case threads are in libc; should be tried before -Kthread and # other compiler flags to prevent continual compiler warnings # -Kthread: Sequent (threads in libc, but -Kthread needed for pthread.h) # -kthread: FreeBSD kernel threads (preferred to -pthread since SMP-able) # lthread: LinuxThreads port on FreeBSD (also preferred to -pthread) # -pthread: Linux/gcc (kernel threads), BSD/gcc (userland threads) # -pthreads: Solaris/gcc # -mthreads: Mingw32/gcc, Lynx/gcc # -mt: Sun Workshop C (may only link SunOS threads [-lthread], but it # doesn't hurt to check since this sometimes defines pthreads too; # also defines -D_REENTRANT) # ... -mt is also the pthreads flag for HP/aCC # pthread: Linux, etcetera # --thread-safe: KAI C++ # pthread-config: use pthread-config program (for GNU Pth library) case ${host_os} in solaris*) # On Solaris (at least, for some versions), libc contains stubbed # (non-functional) versions of the pthreads routines, so link-based # tests will erroneously succeed. (We need to link with -pthreads/-mt/ # -lpthread.) (The stubs are missing pthread_cleanup_push, or rather # a function called by this macro, so we could check for that, but # who knows whether they'll stub that too in a future libc.) So, # we'll just look for -pthreads and -lpthread first: ax_pthread_flags="-pthreads pthread -mt -pthread $ax_pthread_flags" ;; darwin*) ax_pthread_flags="-pthread $ax_pthread_flags" ;; esac if test x"$ax_pthread_ok" = xno; then for flag in $ax_pthread_flags; do case $flag in none) AC_MSG_CHECKING([whether pthreads work without any flags]) ;; -*) AC_MSG_CHECKING([whether pthreads work with $flag]) PTHREAD_CFLAGS="$flag" ;; pthread-config) AC_CHECK_PROG(ax_pthread_config, pthread-config, yes, no) if test x"$ax_pthread_config" = xno; then continue; fi PTHREAD_CFLAGS="`pthread-config --cflags`" PTHREAD_LIBS="`pthread-config --ldflags` `pthread-config --libs`" ;; *) AC_MSG_CHECKING([for the pthreads library -l$flag]) PTHREAD_LIBS="-l$flag" ;; esac save_LIBS="$LIBS" save_CFLAGS="$CFLAGS" LIBS="$PTHREAD_LIBS $LIBS" CFLAGS="$CFLAGS $PTHREAD_CFLAGS" # Check for various functions. We must include pthread.h, # since some functions may be macros. (On the Sequent, we # need a special flag -Kthread to make this header compile.) # We check for pthread_join because it is in -lpthread on IRIX # while pthread_create is in libc. We check for pthread_attr_init # due to DEC craziness with -lpthreads. We check for # pthread_cleanup_push because it is one of the few pthread # functions on Solaris that doesn't have a non-functional libc stub. # We try pthread_create on general principles. AC_LINK_IFELSE([AC_LANG_PROGRAM([#include static void routine(void *a) { a = 0; } static void *start_routine(void *a) { return a; }], [pthread_t th; pthread_attr_t attr; pthread_create(&th, 0, start_routine, 0); pthread_join(th, 0); pthread_attr_init(&attr); pthread_cleanup_push(routine, 0); pthread_cleanup_pop(0) /* ; */])], [ax_pthread_ok=yes], []) LIBS="$save_LIBS" CFLAGS="$save_CFLAGS" AC_MSG_RESULT($ax_pthread_ok) if test "x$ax_pthread_ok" = xyes; then break; fi PTHREAD_LIBS="" PTHREAD_CFLAGS="" done fi # Various other checks: if test "x$ax_pthread_ok" = xyes; then save_LIBS="$LIBS" LIBS="$PTHREAD_LIBS $LIBS" save_CFLAGS="$CFLAGS" CFLAGS="$CFLAGS $PTHREAD_CFLAGS" # Detect AIX lossage: JOINABLE attribute is called UNDETACHED. AC_MSG_CHECKING([for joinable pthread attribute]) attr_name=unknown for attr in PTHREAD_CREATE_JOINABLE PTHREAD_CREATE_UNDETACHED; do AC_LINK_IFELSE([AC_LANG_PROGRAM([#include ], [int attr = $attr; return attr /* ; */])], [attr_name=$attr; break], []) done AC_MSG_RESULT($attr_name) if test "$attr_name" != PTHREAD_CREATE_JOINABLE; then AC_DEFINE_UNQUOTED(PTHREAD_CREATE_JOINABLE, $attr_name, [Define to necessary symbol if this constant uses a non-standard name on your system.]) fi AC_MSG_CHECKING([if more special flags are required for pthreads]) flag=no case ${host_os} in aix* | freebsd* | darwin*) flag="-D_THREAD_SAFE";; osf* | hpux*) flag="-D_REENTRANT";; solaris*) if test "$GCC" = "yes"; then flag="-D_REENTRANT" else flag="-mt -D_REENTRANT" fi ;; esac AC_MSG_RESULT(${flag}) if test "x$flag" != xno; then PTHREAD_CFLAGS="$flag $PTHREAD_CFLAGS" fi AC_CACHE_CHECK([for PTHREAD_PRIO_INHERIT], ax_cv_PTHREAD_PRIO_INHERIT, [ AC_LINK_IFELSE([ AC_LANG_PROGRAM([[#include ]], [[int i = PTHREAD_PRIO_INHERIT;]])], [ax_cv_PTHREAD_PRIO_INHERIT=yes], [ax_cv_PTHREAD_PRIO_INHERIT=no]) ]) AS_IF([test "x$ax_cv_PTHREAD_PRIO_INHERIT" = "xyes"], AC_DEFINE([HAVE_PTHREAD_PRIO_INHERIT], 1, [Have PTHREAD_PRIO_INHERIT.])) LIBS="$save_LIBS" CFLAGS="$save_CFLAGS" # More AIX lossage: must compile with xlc_r or cc_r if test x"$GCC" != xyes; then AC_CHECK_PROGS(PTHREAD_CC, xlc_r cc_r, ${CC}) else PTHREAD_CC=$CC fi else PTHREAD_CC="$CC" fi AC_SUBST(PTHREAD_LIBS) AC_SUBST(PTHREAD_CFLAGS) AC_SUBST(PTHREAD_CC) # Finally, execute ACTION-IF-FOUND/ACTION-IF-NOT-FOUND: if test x"$ax_pthread_ok" = xyes; then ifelse([$1],,AC_DEFINE(HAVE_PTHREAD,1,[Define if you have POSIX threads libraries and header files.]),[$1]) : else ax_pthread_ok=no $2 fi AC_LANG_POP ])dnl AX_PTHREAD asymptote-2.62/runpicture.in0000644000000000000000000004476113607467113014742 0ustar rootroot/***** * runpicture.in * * Runtime functions for picture operations. * *****/ pen => primPen() pair => primPair() triple => primTriple() path => primPath() path3 => primPath3() picture* => primPicture() Intarray* => IntArray() Intarray2* => IntArray2() realarray* => realArray() realarray2* => realArray2() patharray* => pathArray() penarray* => penArray() penarray2* => penArray2() pairarray* => pairArray() pairarray2* => pairArray2() triplearray* => tripleArray() triplearray2* => tripleArray2() transform => primTransform() callableTransform* => transformFunction() callablePen* => penFunction() #include "picture.h" #include "drawelement.h" #include "path.h" #include "array.h" #include "arrayop.h" #include "drawpath.h" #include "drawfill.h" #include "drawclipbegin.h" #include "drawclipend.h" #include "drawgsave.h" #include "drawgrestore.h" #include "drawgroup.h" #include "drawverbatim.h" #include "drawlabel.h" #include "drawlayer.h" #include "drawimage.h" #include "drawpath3.h" #include "drawsurface.h" using namespace camp; using namespace settings; using namespace vm; typedef array Intarray; typedef array Intarray2; typedef array realarray; typedef array realarray2; typedef array pairarray; typedef array pairarray2; typedef array triplearray; typedef array triplearray2; typedef array patharray; typedef array penarray; typedef array penarray2; typedef callable callableTransform; typedef callable callablePen; using types::IntArray; using types::IntArray2; using types::realArray; using types::realArray2; using types::pairArray; using types::pairArray2; using types::tripleArray; using types::tripleArray2; using types::pathArray; using types::penArray; using types::penArray2; static transform ZeroTransform=transform(0.0,0.0,0.0,0.0,0.0,0.0); transform getTransform(xmap_t &xmap, picture::nodelist::iterator p) { string s=(*p)->KEY; transform t; // Don't apply xmap without an explicit corresponding key size_t n=s.length(); if(n == 0 || s.substr(n-1) != "1") return t; xmap_t::iterator q=xmap.find(s.substr(0,n-2)); if(q != xmap.end()) { xtransform_t& v=q->second; if(!v.empty()) { t=v.front(); v.pop_front(); } } return t; } function *transformFunction() { return new function(primTransform()); } function *penFunction() { return new function(primPen(),primInt(),primInt()); } // Ignore unclosed begingroups but not spurious endgroups. const char *nobegin="endgroup without matching begingroup"; array *emptyarray=new array(0); array *nop(array *a) { return a; } triple Zero; string defaultformat3="prc"; // Autogenerated routines: picture* :newPicture() { return new picture(); } bool empty(picture *f) { return f->null(); } void erase(picture *f) { f->nodes.clear(); } pair min(picture *f) { return f->bounds().Min(); } pair max(picture *f) { return f->bounds().Max(); } pair size(picture *f) { bbox b=f->bounds(); return b.Max()-b.Min(); } void _draw(picture *f, path g, pen p) { f->append(new drawPath(g,p)); } void fill(picture *f, patharray *g, pen p=CURRENTPEN, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawFill(*copyarray(g),false,p)); } void latticeshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray2 *p, transform t=identity, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawLatticeShade(*copyarray(g),stroke,fillrule,*copyarray(p), t)); } void axialshade(picture *f, patharray *g, bool stroke=false, pen pena, pair a, bool extenda=true, pen penb, pair b, bool extendb=true, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawAxialShade(*copyarray(g),stroke,pena,a,extenda,penb,b, extendb)); } void radialshade(picture *f, patharray *g, bool stroke=false, pen pena, pair a, real ra, bool extenda=true, pen penb, pair b, real rb, bool extendb=true, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawRadialShade(*copyarray(g),stroke,pena,a,ra,extenda, penb,b,rb,extendb)); } void gouraudshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray *p, pairarray *z, Intarray *edges, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; checkArrays(p,z); checkArrays(z,edges); f->append(new drawGouraudShade(*copyarray(g),stroke,fillrule,*copyarray(p), *copyarray(z),*copyarray(edges))); } void gouraudshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray *p, Intarray *edges, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; size_t n=checkArrays(p,edges); size_t m=checkArray(g); array *z=new array(n); Int k=0; Int in=(Int) n; for(size_t j=0; j < m; ++j) { path *P=read(g,j); assert(P); Int stop=Min(P->size(),in-k); mem::vector& nodes=P->Nodes(); for(Int i=0; i < stop; ++i) (*z)[k++]=nodes[i].point; } checkArrays(p,z); f->append(new drawGouraudShade(*copyarray(g),stroke,fillrule,*copyarray(p), *z,*copyarray(edges))); } void tensorshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, penarray2 *p, patharray *b=NULL, pairarray2 *z=emptyarray, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; array *(*copyarray2)(array *a)=copy ? copyArray2 : nop; if(b == NULL) b=g; size_t n=checkArrays(p,b); size_t nz=checkArray(z); if(nz != 0) checkEqual(nz,n); f->append(new drawTensorShade(*copyarray(g),stroke,fillrule,*copyarray2(p), *copyarray(b),*copyarray2(z))); } void functionshade(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, string shader=emptystring, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawFunctionShade(*copyarray(g),stroke,fillrule,shader)); } // Clip a picture to a superpath using the given fill rule. // Subsequent additions to the picture will not be affected by the clipping. void clip(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; drawClipBegin *begin=new drawClipBegin(*copyarray(g),stroke,fillrule,true); f->enclose(begin,new drawClipEnd(true,begin)); } void beginclip(picture *f, patharray *g, bool stroke=false, pen fillrule=CURRENTPEN, bool copy=true) { array *(*copyarray)(array *a)=copy ? copyArray : nop; f->append(new drawClipBegin(*copyarray(g),stroke,fillrule,false)); } void endclip(picture *f) { f->append(new drawClipEnd(false)); } void gsave(picture *f) { f->append(new drawGsave()); } void grestore(picture *f) { f->append(new drawGrestore()); } void begingroup(picture *f) { f->append(new drawBegin()); } void endgroup(picture *f) { f->append(new drawEnd()); } void _begingroup3(picture *f, string name, real compression, real granularity, bool closed, bool tessellate, bool dobreak, bool nobreak, triple center, Int interaction) { f->append(new drawBegin3(name,compression,granularity, closed,tessellate,dobreak,nobreak, center,(Interaction) intcast(interaction))); } void endgroup3(picture *f) { f->append(new drawEnd3()); } void add(picture *dest, picture *src) { dest->add(*src); } void prepend(picture *dest, picture *src) { dest->prepend(*src); } void postscript(picture *f, string s) { f->append(new drawVerbatim(PostScript,s)); } void tex(picture *f, string s) { f->append(new drawVerbatim(TeX,s)); } void postscript(picture *f, string s, pair min, pair max) { f->append(new drawVerbatim(PostScript,s,min,max)); } void tex(picture *f, string s, pair min, pair max) { f->append(new drawVerbatim(TeX,s,min,max)); } void texpreamble(string s) { string t=s+"\n"; processDataStruct &pd=processData(); pd.TeXpipepreamble.push_back(t); pd.TeXpreamble.push_back(t); } void deletepreamble() { if(getSetting("inlinetex")) { unlink(buildname(outname(),"pre").c_str()); } } void _labelpath(picture *f, string s, string size, path g, string justify, pair offset, pen p) { f->append(new drawLabelPath(s,size,g,justify,offset,p)); } void texreset() { processDataStruct &pd=processData(); pd.TeXpipepreamble.clear(); pd.TeXpreamble.clear(); pd.tex.pipeclose(); } void layer(picture *f) { f->append(new drawLayer()); } void newpage(picture *f) { f->append(new drawNewPage()); } void _image(picture *f, realarray2 *data, pair initial, pair final, penarray *palette=NULL, transform t=identity, bool copy=true, bool antialias=false) { array *(*copyarray)(array *a)=copy ? copyArray : nop; array *(*copyarray2)(array *a)=copy ? copyArray2 : nop; f->append(new drawPaletteImage(*copyarray2(data),*copyarray(palette), t*matrix(initial,final),antialias)); } void _image(picture *f, penarray2 *data, pair initial, pair final, transform t=identity, bool copy=true, bool antialias=false) { array *(*copyarray2)(array *a)=copy ? copyArray2 : nop; f->append(new drawNoPaletteImage(*copyarray2(data),t*matrix(initial,final), antialias)); } void _image(picture *f, callablePen *F, Int width, Int height, pair initial, pair final, transform t=identity, bool antialias=false) { f->append(new drawFunctionImage(Stack,F,width,height, t*matrix(initial,final),antialias)); } string nativeformat() { return nativeformat(); } bool latex() { return latex(getSetting("tex")); } bool pdf() { return pdf(getSetting("tex")); } void _shipout(string prefix=emptystring, picture *f, picture *preamble=NULL, string format=emptystring, bool wait=false, bool view=true, transform T=identity) { if(prefix.empty()) prefix=outname(); picture *result=new picture; unsigned level=0; picture::nodelist::iterator p; xmap_t xmap=processData().xmap; transform Tinv=inverse(T); for(p = f->nodes.begin(); p != f->nodes.end(); ++p) { transform t=getTransform(xmap,p); bool Delete=(t == ZeroTransform); if(!Delete && !t.isIdentity()) t=T*t*Tinv; picture *group=new picture; assert(*p); if((*p)->endgroup()) error(nobegin); if((*p)->begingroup()) { ++level; while(p != f->nodes.end() && level) { if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); } ++p; if(p == f->nodes.end()) break; assert(*p); if((*p)->begingroup()) ++level; if((*p)->endgroup()) { if(level) --level; else error(nobegin); } } } if(p == f->nodes.end()) break; assert(*p); if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); result->add(*group); } } result->shipout(preamble,prefix,format,wait,view); } void shipout3(string prefix, picture *f, string format=emptystring, real width, real height, real angle, real zoom, triple m, triple M, pair shift, pair margin, realarray2 *t, realarray *background, triplearray *lights, realarray2 *diffuse, realarray2 *specular, bool view=true) { size_t n=checkArrays(lights,diffuse); checkEqual(n,checkArray(specular)); real *T,*Background,*Diffuse,*Specular; triple *Lights; copyArray2C(T,t,true,4); copyArrayC(Background,background); copyArrayC(Lights,lights); copyArray2C(Diffuse,diffuse,false,4,UseGC); copyArray2C(Specular,specular,false,4,UseGC); f->shipout3(prefix,format,width,height,angle,zoom,m,M,shift,margin,T, Background,n,Lights,Diffuse,Specular,view); delete[] Background; delete[] T; } void shipout3(string prefix, picture *f, string format=defaultformat3) { f->shipout3(prefix,format); } void xmap(string key, transform t=identity) { xmap_t &xmap=processData().xmap; xmap_t::iterator p=xmap.find(key); if(p != xmap.end()) p->second.push_back(t); else { xtransform_t *v=new xtransform_t(); v->push_back(t); xmap[key]=*v; } } void deconstruct(picture *f, picture *preamble=NULL, transform T=identity) { unsigned level=0; string prefix=outname(); const string xformat="svg"; openpipeout(); const string Done="Done"; const string Error="Error"; unsigned arg=0; xmap_t xmap=processData().xmap; transform Tinv=inverse(T); for(picture::nodelist::iterator p=f->nodes.begin();;) { if(p == f->nodes.end()) break; picture *group=new picture; transform t=getTransform(xmap,p); bool Delete=(t == ZeroTransform); if(!Delete && !t.isIdentity()) t=T*t*Tinv; assert(*p); if((*p)->endgroup()) { fprintf(pipeout,"%s\n",Error.c_str()); fflush(pipeout); error(nobegin); } bool clip=false; if((*p)->begingroup()) { ++level; while(p != f->nodes.end() && level) { if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); if((*p)->endclip()) clip=true; } ++p; if(p == f->nodes.end()) break; assert(*p); if((*p)->begingroup()) ++level; if((*p)->endgroup()) { if(level) --level; else { fprintf(pipeout,"%s\n",Error.c_str()); fflush(pipeout); error(nobegin); } } } } if(p != f->nodes.end()) { if(!Delete) { drawElement *e=t.isIdentity() ? *p : (*p)->transformed(t); group->append(e); if((*p)->endclip()) clip=true; ostringstream buf; buf << prefix << "_" << arg; string outname=buildname(buf.str(),xformat); group->shipout(preamble,outname,xformat,false,false); bbox b=group->bounds(); if(!b.empty) { fprintf(pipeout,"KEY=%s%d\n",e->KEY.c_str(),clip); const char *oldlocale=setlocale(LC_NUMERIC,NULL); bool override=oldlocale && strcmp(oldlocale,"C") != 0; if(override) { oldlocale=StrdupNoGC(oldlocale); setlocale(LC_NUMERIC,"C"); } fprintf(pipeout,"%g %g %g %g\n",b.left,b.bottom,b.right,b.top); if(override) { setlocale(LC_NUMERIC,oldlocale); delete[] oldlocale; } fflush(pipeout); ++arg; } } ++p; } } fprintf(pipeout,"%s\n",Done.c_str()); fflush(pipeout); } // Three-dimensional picture and surface operations // Bezier curve void _draw(picture *f, path3 g, triple center=Zero, pen p, Int interaction=0) { if(g.size() > 0) f->append(new drawPath3(g,center,p,(Interaction) intcast(interaction))); } // Bezier patch void draw(picture *f, triplearray2 *P, triple center, bool straight, penarray *p, real opacity, real shininess, real metallic, real fresnel0, real PRCshininess, penarray *colors, Int interaction, bool prc=true) { f->append(new drawBezierPatch(*P,center,straight,*p,opacity,shininess, metallic,fresnel0,PRCshininess,*colors, (Interaction) intcast(interaction),prc)); } // Bezier triangle void drawbeziertriangle(picture *f, triplearray2 *P, triple center, bool straight, penarray *p, real opacity, real shininess, real metallic, real fresnel0, real PRCshininess, penarray *colors, Int interaction, bool prc=true) { f->append(new drawBezierTriangle(*P,center,straight,*p,opacity,shininess, metallic,fresnel0,PRCshininess,*colors, (Interaction) intcast(interaction),prc)); } // General NURBS curve void draw(picture *f, triplearray *P, realarray *knot, realarray *weights=emptyarray, pen p) { f->append(new drawNurbsPath3(*P,knot,weights,p)); } // General NURBS surface void draw(picture *f, triplearray2 *P, realarray *uknot, realarray *vknot, realarray2 *weights=emptyarray, penarray *p, real opacity, real shininess,real metallic, real fresnel0, real PRCshininess, penarray *colors) { f->append(new drawNurbs(*P,uknot,vknot,weights,*p,opacity,shininess, metallic, fresnel0, PRCshininess,*colors)); } // PRC unit sphere void drawPRCsphere(picture *f, realarray2 *t, bool half=false, penarray *p, real opacity, real shininess, Int type) { f->append(new drawSphere(*t,half,*p,opacity,shininess,intcast(type))); } // PRC unit cylinder void drawPRCcylinder(picture *f, realarray2 *t, penarray *p, real opacity, real shininess) { f->append(new drawCylinder(*t,*p,opacity,shininess)); } // PRC unit disk void drawPRCdisk(picture *f, realarray2 *t, penarray *p, real opacity, real shininess) { f->append(new drawDisk(*t,*p,opacity,shininess)); } // General PRC tube void drawPRCtube(picture *f, path3 center, path3 g, penarray *p, real opacity, real shininess) { f->append(new drawTube(center,g,*p,opacity,shininess)); } // Draw pixel void drawpixel(picture *f, triple v, pen p, real width=1.0) { f->append(new drawPixel(v,p,width)); } // Draw triangles void draw(picture *f, triplearray *v, Intarray2 *vi, triplearray *n, Intarray2 *ni, penarray *p, real opacity, real shininess, real metallic, real fresnel0, real PRCshininess, penarray *c=emptyarray, Intarray2 *ci=emptyarray) { f->append(new drawTriangles(*v,*vi,*n,*ni,*p,opacity,shininess,metallic,fresnel0,PRCshininess, *c,*ci)); } triple min3(picture *f) { return f->bounds3().Min(); } triple max3(picture *f) { return f->bounds3().Max(); } triple size3(picture *f) { bbox3 b=f->bounds3(); return b.Max()-b.Min(); } pair minratio(picture *f) { return f->ratio(::min); } pair maxratio(picture *f) { return f->ratio(::max); } bool is3D(picture *f) { return f->have3D(); } asymptote-2.62/entry.cc0000644000000000000000000005040213607467113013647 0ustar rootroot/***** * entry.cc * Andy Hammerlindl 2002/08/29 * * All variables, built-in functions and user-defined functions reside * within the same namespace. To keep track of all these, table of * "entries" is used. *****/ #include #include #include #include #include "entry.h" #include "coder.h" using std::memset; using types::ty; using types::signature; using types::overloaded; using types::ty_vector; using types::ty_iterator; namespace trans { bool entry::pr::check(action act, coder &c) { // We assume PUBLIC permissions and one's without an associated record are not // stored. assert(perm!=PUBLIC && r!=0); return c.inTranslation(r->getLevel()) || (perm == RESTRICTED && act != WRITE); } void entry::pr::report(action act, position pos, coder &c) { if (!c.inTranslation(r->getLevel())) { if (perm == PRIVATE) { em.error(pos); em << "accessing private field outside of structure"; } else if (perm == RESTRICTED && act == WRITE) { em.error(pos); em << "modifying non-public field outside of structure"; } } } entry::entry(entry &e1, entry &e2) : where(e2.where), pos(e2.pos) { perms.insert(perms.end(), e1.perms.begin(), e1.perms.end()); perms.insert(perms.end(), e2.perms.begin(), e2.perms.end()); } entry::entry(entry &base, permission perm, record *r) : where(base.where), pos(base.pos) { perms.insert(perms.end(), base.perms.begin(), base.perms.end()); addPerm(perm, r); } bool entry::checkPerm(action act, coder &c) { for (mem::list::iterator p=perms.begin(); p != perms.end(); ++p) if (!p->check(act, c)) return false; return true; } void entry::reportPerm(action act, position pos, coder &c) { for (mem::list::iterator p=perms.begin(); p != perms.end(); ++p) p->report(act, pos, c); } varEntry::varEntry(varEntry &qv, varEntry &v) : entry(qv,v), t(v.t), location(new qualifiedAccess(qv.location, qv.getLevel(), v.location)) {} frame *varEntry::getLevel() { record *r=dynamic_cast(t); assert(r); return r->getLevel(); } void varEntry::encode(action act, position pos, coder &c) { reportPerm(act, pos, c); getLocation()->encode(act, pos, c); } void varEntry::encode(action act, position pos, coder &c, frame *top) { reportPerm(act, pos, c); getLocation()->encode(act, pos, c, top); } varEntry *qualifyVarEntry(varEntry *qv, varEntry *v) { return qv ? (v ? new varEntry(*qv,*v) : qv) : v; } bool tenv::add(symbol dest, names_t::value_type &x, varEntry *qualifier, coder &c) { if (!x.second.empty()) { tyEntry *ent=x.second.front(); if (ent->checkPerm(READ, c)) { enter(dest, qualifyTyEntry(qualifier, ent)); return true; } } return false; } void tenv::add(tenv& source, varEntry *qualifier, coder &c) { // Enter each distinct (unshadowed) name,type pair. for(names_t::iterator p = source.names.begin(); p != source.names.end(); ++p) add(p->first, *p, qualifier, c); } bool tenv::add(symbol src, symbol dest, tenv& source, varEntry *qualifier, coder &c) { names_t::iterator p = source.names.find(src); if (p != source.names.end()) return add(dest, *p, qualifier, c); else return false; } #if 0 //{{{ /*NOHASH*/ void venv::add(venv& source, varEntry *qualifier, coder &c) /*NOHASH*/ { /*NOHASH*/ // Enter each distinct (unshadowed) name,type pair. /*NOHASH*/ for(names_t::iterator p = source.names.begin(); /*NOHASH*/ p != source.names.end(); /*NOHASH*/ ++p) /*NOHASH*/ add(p->first, p->first, source, qualifier, c); /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ bool venv::add(symbol src, symbol dest, /*NOHASH*/ venv& source, varEntry *qualifier, coder &c) /*NOHASH*/ { /*NOHASH*/ bool added=false; /*NOHASH*/ name_t &list=source.names[src]; /*NOHASH*/ types::overloaded set; // To keep track of what is shadowed. /*NOHASH*/ bool special = src.special(); /*NOHASH*/ /*NOHASH*/ for(name_iterator p = list.begin(); /*NOHASH*/ p != list.end(); /*NOHASH*/ ++p) { /*NOHASH*/ varEntry *v=*p; /*NOHASH*/ if (!equivalent(v->getType(), &set)) { /*NOHASH*/ set.addDistinct(v->getType(), special); /*NOHASH*/ if (v->checkPerm(READ, c)) { /*NOHASH*/ enter(dest, qualifyVarEntry(qualifier, v)); /*NOHASH*/ added=true; /*NOHASH*/ } /*NOHASH*/ } /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ return added; /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ varEntry *venv::lookByType(symbol name, ty *t) /*NOHASH*/ { /*NOHASH*/ // Find first applicable function. /*NOHASH*/ name_t &list = names[name]; /*NOHASH*/ for(name_iterator p = list.begin(); /*NOHASH*/ p != list.end(); /*NOHASH*/ ++p) { /*NOHASH*/ if (equivalent((*p)->getType(), t)) /*NOHASH*/ return *p; /*NOHASH*/ } /*NOHASH*/ return 0; /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ void venv::list(record *module) /*NOHASH*/ { /*NOHASH*/ bool where=settings::getSetting("where"); /*NOHASH*/ // List all functions and variables. /*NOHASH*/ for(names_t::iterator N = names.begin(); N != names.end(); ++N) { /*NOHASH*/ symbol s=N->first; /*NOHASH*/ name_t &list=names[s]; /*NOHASH*/ for(name_iterator p = list.begin(); p != list.end(); ++p) { /*NOHASH*/ if(!module || (*p)->whereDefined() == module) { /*NOHASH*/ if(where) cout << (*p)->getPos(); /*NOHASH*/ (*p)->getType()->printVar(cout, s); /*NOHASH*/ cout << ";\n"; /*NOHASH*/ } /*NOHASH*/ } /*NOHASH*/ } /*NOHASH*/ flush(cout); /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ ty *venv::getType(symbol name) /*NOHASH*/ { /*NOHASH*/ types::overloaded set; /*NOHASH*/ /*NOHASH*/ // Find all applicable functions in scope. /*NOHASH*/ name_t &list = names[name]; /*NOHASH*/ bool special = name.special(); /*NOHASH*/ /*NOHASH*/ for(name_iterator p = list.begin(); /*NOHASH*/ p != list.end(); /*NOHASH*/ ++p) { /*NOHASH*/ set.addDistinct((*p)->getType(), special); /*NOHASH*/ } /*NOHASH*/ /*NOHASH*/ return set.simplify(); /*NOHASH*/ } // }}} #else // To avoid writing qualifiers everywhere. typedef core_venv::cell cell; void core_venv::initTable(size_t capacity) { // Assert that capacity is a power of two. assert((capacity & (capacity-1)) == 0); this->capacity = capacity; size = 0; mask = capacity - 1; table = new (UseGC) cell[capacity]; memset(table, 0, sizeof(cell) * capacity); } void core_venv::clear() { if (size != 0) { memset(table, 0, sizeof(cell) * capacity); size = 0; } } void core_venv::resize() { size_t oldCapacity = capacity; size_t oldSize = size; cell *oldTable = table; initTable(capacity * 4); for (size_t i = 0; i < oldCapacity; ++i) { cell& b = oldTable[i]; if (!b.empty() && !b.isATomb()) { varEntry *old = store(b.name, b.ent); // We should not be shadowing anything when reconstructing the table. DEBUG_CACHE_ASSERT(old == 0); } } assert(size == oldSize); #if DEBUG_CACHE confirm_size(); for (size_t i = 0; i < oldCapacity; ++i) { cell& b = oldTable[i]; if (!b.empty() && !b.isATomb()) { assert(lookup(b.name, b.ent->getType()) == b.ent); } } #endif //cout << "resized from " << oldCapacity << " to " << capacity << endl; } cell& core_venv::cellByIndex(size_t i) { return table[i & mask]; } const cell& core_venv::cellByIndex(size_t i) const { return table[i & mask]; } void core_venv::confirm_size() { size_t sum = 0; for (size_t i = 0; i < capacity; ++i) { cell& b = table[i]; if (!b.empty() && !b.isATomb()) ++sum; } assert(sum == size); } varEntry *core_venv::storeNew(cell& cell, symbol name, varEntry *ent) { // Store the value into the cell. cell.storeNew(name, ent); // We now have a new entry. Update the size. ++size; // Check if the hash table has grown too big and needs to be expanded. if (2*size > capacity) resize(); // Nothing is shadowed. return 0; } varEntry *core_venv::storeNonSpecialAfterTomb(size_t tombIndex, symbol name, varEntry *ent) { DEBUG_CACHE_ASSERT(name.notSpecial()); DEBUG_CACHE_ASSERT(ent); DEBUG_CACHE_ASSERT(ent->getType()); signature *sig = ent->getSignature(); for (size_t i = tombIndex+1; ; ++i) { cell& b = cellByIndex(i); if (b.empty()) return storeNew(cellByIndex(tombIndex), name, ent); if (b.matches(name, sig)) return b.replaceWith(name, ent); } } varEntry *core_venv::storeSpecialAfterTomb(size_t tombIndex, symbol name, varEntry *ent) { DEBUG_CACHE_ASSERT(name.special()); DEBUG_CACHE_ASSERT(ent); DEBUG_CACHE_ASSERT(ent->getType()); ty *t = ent->getType(); for (size_t i = tombIndex+1; ; ++i) { cell& b = cellByIndex(i); if (b.empty()) return storeNew(cellByIndex(tombIndex), name, ent); if (b.matches(name, t)) return b.replaceWith(name, ent); } } size_t hashSig(const signature *sig) { return sig ? sig->hash() : 0; } size_t nonSpecialHash(symbol name, const signature *sig) { return name.hash() * 107 + hashSig(sig); } size_t nonSpecialHash(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(t); return nonSpecialHash(name, t->getSignature()); } size_t specialHash(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(t); return name.hash() * 107 + t->hash(); } varEntry *core_venv::storeNonSpecial(symbol name, varEntry *ent) { DEBUG_CACHE_ASSERT(name.notSpecial()); DEBUG_CACHE_ASSERT(ent); DEBUG_CACHE_ASSERT(ent->getType()); signature *sig = ent->getSignature(); for (size_t i = nonSpecialHash(name, sig); ; ++i) { cell& b = cellByIndex(i); if (b.empty()) return storeNew(b, name, ent); if (b.matches(name, sig)) return b.replaceWith(name, ent); if (b.isATomb()) return storeNonSpecialAfterTomb(i, name, ent); } } varEntry *core_venv::storeSpecial(symbol name, varEntry *ent) { DEBUG_CACHE_ASSERT(name.special()); DEBUG_CACHE_ASSERT(ent); DEBUG_CACHE_ASSERT(ent->getType()); ty *t = ent->getType(); for (size_t i = specialHash(name, t); ; ++i) { cell& b = cellByIndex(i); if (b.empty()) return storeNew(b, name, ent); if (b.matches(name, t)) return b.replaceWith(name, ent); if (b.isATomb()) return storeSpecialAfterTomb(i, name, ent); } } varEntry *core_venv::store(symbol name, varEntry *ent) { DEBUG_CACHE_ASSERT(ent); DEBUG_CACHE_ASSERT(ent->getType()); return name.special() ? storeSpecial(name, ent) : storeNonSpecial(name, ent); } varEntry *core_venv::lookupSpecial(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(name.special()); DEBUG_CACHE_ASSERT(t); for (size_t i = specialHash(name, t); ; ++i) { cell& b = cellByIndex(i); if (b.matches(name, t)) return b.ent; if (b.empty()) return 0; } } varEntry *core_venv::lookupNonSpecial(symbol name, const signature *sig) { DEBUG_CACHE_ASSERT(name.notSpecial()); for (size_t i = nonSpecialHash(name, sig); ; ++i) { cell& b = cellByIndex(i); if (b.matches(name, sig)) return b.ent; if (b.empty()) return 0; } } varEntry *core_venv::lookup(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(t); return name.special() ? lookupSpecial(name, t) : lookupNonSpecial(name, t->getSignature()); } void core_venv::removeNonSpecial(symbol name, const signature *sig) { DEBUG_CACHE_ASSERT(name.notSpecial()); for (size_t i = nonSpecialHash(name, sig); ; ++i) { cell& b = cellByIndex(i); if (b.matches(name, sig)) { b.remove(); --size; return; } DEBUG_CACHE_ASSERT(!b.empty()); } } void core_venv::removeSpecial(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(name.special()); DEBUG_CACHE_ASSERT(t); for (size_t i = specialHash(name, t); ; ++i) { cell& b = cellByIndex(i); if (b.matches(name, t)) { b.remove(); --size; return; } DEBUG_CACHE_ASSERT(!b.empty()); } } void core_venv::remove(symbol name, const ty *t) { DEBUG_CACHE_ASSERT(t); if (name.special()) removeSpecial(name, t); else removeNonSpecial(name, t->getSignature()); } size_t numFormals(ty *t) { signature *sig = t->getSignature(); return sig ? sig->getNumFormals() : 0; } void venv::checkName(symbol name) { #if 0 // This size test is too slow, even for DEBUG_CACHE. core.confirm_size(); #endif // Get the type, and make it overloaded if it is not (for uniformity). overloaded o; ty *t = getType(name); if (!t) t = &o; if (!t->isOverloaded()) { o.add(t); t = &o; } assert(t->isOverloaded()); size_t maxFormals = names[name].maxFormals; size_t size = 0; for (ty_iterator i = t->begin(); i != t->end(); ++i) { assert(numFormals(*i) <= maxFormals); varEntry *v = lookByType(name, *i); assert(v); assert(equivalent(v->getType(), *i)); ++size; } size_t matches = 0; core_venv::const_iterator end = core.end(); for (core_venv::const_iterator p = core.begin(); p != end; ++p) { if (p->name == name) { ++matches; varEntry *v=p->ent; assert(v); assert(equivalent(t, v->getType())); } } assert(matches == size); } void rightKind(ty *t) { if (t && t->isOverloaded()) { ty_vector& set=((overloaded *)t)->sub; assert(set.size() > 1); } } #ifdef DEBUG_CACHE #define RIGHTKIND(t) (rightKind(t)) #define CHECKNAME(name) (checkName(name)) #else #define RIGHTKIND(t) (void)(t) #define CHECKNAME(name) (void)(name) #endif void venv::namevalue::addType(ty *s) { RIGHTKIND(t); #ifdef DEBUG_CACHE assert(!s->isOverloaded()); #endif if (t == 0) { maxFormals = numFormals(s); t = s; } else { if (!t->isOverloaded()) t = new overloaded(t); #ifdef DEBUG_CACHE assert(t->isOverloaded()); assert(!equivalent(t, s)); #endif ((overloaded *)t)->add(s); size_t n = numFormals(s); if (n > maxFormals) maxFormals = n; } RIGHTKIND(t); } void venv::namevalue::replaceType(ty *new_t, ty *old_t) { #ifdef DEBUG_CACHE assert(t != 0); RIGHTKIND(t); #endif // TODO: Test for equivalence. if (t->isOverloaded()) { for (ty_iterator i = t->begin(); i != t->end(); ++i) { if (equivalent(old_t, *i)) { *i = new_t; return; } } // An error, the type was not found. assert("unreachable code" == 0); } else { #ifdef DEBUG_CACHE assert(equivalent(old_t, t)); #endif t = new_t; } #ifdef DEBUG_CACHE assert(t != 0); RIGHTKIND(t); #endif } #ifdef DEBUG_CACHE void venv::namevalue::popType(ty *s) #else void venv::namevalue::popType() #endif { #ifdef DEBUG_CACHE assert(t); RIGHTKIND(t); assert(!s->isOverloaded()); #endif if (t->isOverloaded()) { ty_vector& set=((overloaded *)t)->sub; #ifdef DEBUG_CACHE assert(set.size() > 0); assert(equivalent(set.back(), s)); #endif // We are relying on the fact that this was the last type added to t, and // that type are added by pushing them on the end of the vector. set.pop_back(); if (set.size() == 1) t = set.front(); } else { #ifdef DEBUG_CACHE assert(equivalent(t, s)); #endif t = 0; } RIGHTKIND(t); // Don't try to reduce numFormals as I doubt it is worth the cost of // recalculating. } void venv::remove(const addition& a) { CHECKNAME(a.name); if (a.shadowed) { varEntry *popEnt = core.store(a.name, a.shadowed); DEBUG_CACHE_ASSERT(popEnt); // Unshadow the previously shadowed varEntry. names[a.name].replaceType(a.shadowed->getType(), popEnt->getType()); } else { // Remove the (name,sig) key completely. #if DEBUG_CACHE varEntry *popEnt = core.lookup(a.name, a.t); assert(popEnt); names[a.name].popType(popEnt->getType()); #else names[a.name].popType(); #endif core.remove(a.name, a.t); } CHECKNAME(a.name); } void venv::beginScope() { if (core.empty()) { assert(scopesizes.empty()); ++empty_scopes; } else { scopesizes.push(additions.size()); } } void venv::endScope() { if (scopesizes.empty()) { // The corresponding beginScope happened when the venv was empty, so // clear the hash tables to return to that state. core.clear(); names.clear(); assert(empty_scopes > 0); --empty_scopes; } else { size_t scopesize = scopesizes.top(); assert(additions.size() >= scopesize); while (additions.size() > scopesize) { remove(additions.top()); additions.pop(); } scopesizes.pop(); } } // Adds the definitions of the top-level scope to the level underneath, // and then removes the top scope. void venv::collapseScope() { if (scopesizes.empty()) { // Collapsing an empty scope. assert(empty_scopes > 0); --empty_scopes; } else { // As scopes are stored solely by the number of entries at the beginning // of the scope, popping the top size will put all of the entries into the // next scope down. scopesizes.pop(); } } void venv::enter(symbol name, varEntry *v) { CHECKNAME(name); // Store the new variable. If it shadows an older variable, that varEntry // will be returned. varEntry *shadowed = core.store(name, v); ty *t = v->getType(); // Record the addition, so it can be undone during endScope. if (!scopesizes.empty()) additions.push(addition(name, t, shadowed)); if (shadowed) // The new value shadows an old value. They have the same signature, but // possibly different return types. If necessary, update the type stored // by name. names[name].replaceType(t, shadowed->getType()); else // Add to the names hash table. names[name].addType(t); CHECKNAME(name); } varEntry *venv::lookBySignature(symbol name, signature *sig) { // Rest arguments are complicated and rare. Don't handle them here. if (sig->hasRest()) return 0; // Likewise with the special operators. if (name.special()) return 0; namevalue& nv = names[name]; // Avoid ambiguities with default parameters. if (nv.maxFormals != sig->getNumFormals()) return 0; // See if this exactly matches a function in the table. varEntry *ve = core.lookupNonSpecial(name, sig); if (!ve) return 0; // Keyword-only arguments may cause matching to fail. if (ve->getSignature()->numKeywordOnly > 0) return 0; // At this point, any function with an equivalent signature will be equal // to the result of the normal overloaded function resolution. We may // safely return it. return ve; } void venv::add(venv& source, varEntry *qualifier, coder &c) { core_venv::const_iterator end = source.core.end(); for (core_venv::const_iterator p = source.core.begin(); p != end; ++p) { DEBUG_CACHE_ASSERT(p->filled()); varEntry *v=p->ent; if (v->checkPerm(READ, c)) { enter(p->name, qualifyVarEntry(qualifier, v)); } } } bool venv::add(symbol src, symbol dest, venv& source, varEntry *qualifier, coder &c) { ty *t=source.getType(src); if (!t) return false; if (t->isOverloaded()) { bool added=false; for (ty_iterator i = t->begin(); i != t->end(); ++i) { varEntry *v=source.lookByType(src, *i); if (v->checkPerm(READ, c)) { enter(dest, qualifyVarEntry(qualifier, v)); added=true; } } return added; } else { varEntry *v=source.lookByType(src, t); if (v->checkPerm(READ, c)) { enter(dest, qualifyVarEntry(qualifier, v)); return true; } return false; } } ty *venv::getType(symbol name) { return names[name].t; } void listValue(symbol name, varEntry *v, record *module) { if (!module || v->whereDefined() == module) { if (settings::getSetting("where")) cout << v->getPos(); v->getType()->printVar(cout, name); cout << ";\n"; } } void venv::listValues(symbol name, record *module) { ty *t=getType(name); if (t->isOverloaded()) for (ty_iterator i = t->begin(); i != t->end(); ++i) listValue(name, lookByType(name, *i), module); else listValue(name, lookByType(name, t), module); flush(cout); } void venv::list(record *module) { // List all functions and variables. for (namemap::iterator N = names.begin(); N != names.end(); ++N) listValues(N->first, module); } void venv::completions(mem::list& l, string start) { for(namemap::iterator N = names.begin(); N != names.end(); ++N) if (prefix(start, N->first) && N->second.t) l.push_back(N->first); } #endif /* not NOHASH */ } // namespace trans asymptote-2.62/runarray.in0000644000000000000000000013165513607467113014404 0ustar rootroot/***** * runarray.in * * Runtime functions for array operations. * *****/ pair => primPair() triple => primTriple() boolarray* => booleanArray() Intarray* => IntArray() Intarray2* => IntArray2() realarray* => realArray() realarray2* => realArray2() pairarray* => pairArray() pairarray2* => pairArray2() triplearray2* => tripleArray2() callableReal* => realRealFunction() #include "array.h" #include "arrayop.h" #include "triple.h" #include "path3.h" #include "Delaunay.h" #include "glrender.h" #ifdef HAVE_LIBFFTW3 #include "fftw++.h" #endif using namespace camp; using namespace vm; namespace run { extern pair zero; } typedef array boolarray; typedef array Intarray; typedef array Intarray2; typedef array realarray; typedef array realarray2; typedef array pairarray; typedef array pairarray2; typedef array triplearray2; using types::booleanArray; using types::IntArray; using types::IntArray2; using types::realArray; using types::realArray2; using types::pairArray; using types::pairArray2; using types::tripleArray2; typedef callable callableReal; void outOfBounds(const char *op, size_t len, Int n) { ostringstream buf; buf << op << " array of length " << len << " with out-of-bounds index " << n; error(buf); } inline item& arrayRead(array *a, Int n) { size_t len=checkArray(a); bool cyclic=a->cyclic(); if(cyclic && len > 0) n=imod(n,len); else if(n < 0 || n >= (Int) len) outOfBounds("reading",len,n); return (*a)[(unsigned) n]; } // Helper function to create deep arrays. static array* deepArray(Int depth, Int *dims) { assert(depth > 0); if (depth == 1) { return new array(dims[0]); } else { Int length = dims[0]; depth--; dims++; array *a = new array(length); for (Int index = 0; index < length; index++) { (*a)[index] = deepArray(depth, dims); } return a; } } namespace run { array *Identity(Int n) { size_t N=(size_t) n; array *c=new array(N); for(size_t i=0; i < N; ++i) { array *ci=new array(N); (*c)[i]=ci; for(size_t j=0; j < N; ++j) (*ci)[j]=0.0; (*ci)[i]=1.0; } return c; } } static const char *incommensurate="Incommensurate matrices"; static const char *singular="Singular matrix"; static const char *invalidarraylength="Invalid array length: "; static size_t *pivot,*Row,*Col; bound_double *bounddouble(int N) { if(N == 16) return bound; if(N == 10) return boundtri; ostringstream buf; buf << invalidarraylength << " " << N; error(buf); return NULL; } bound_triple *boundtriple(int N) { if(N == 16) return bound; if(N == 10) return boundtri; ostringstream buf; buf << invalidarraylength << " " << N; error(buf); return NULL; } static inline void inverseAllocate(size_t n) { pivot=new size_t[n]; Row=new size_t[n]; Col=new size_t[n]; } static inline void inverseDeallocate() { delete[] pivot; delete[] Row; delete[] Col; } namespace run { array *copyArray(array *a) { size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=(*a)[i]; return c; } array *copyArray2(array *a) { size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) { array *ai=read(a,i); size_t aisize=checkArray(ai); array *ci=new array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; j++) (*ci)[j]=(*ai)[j]; } return c; } double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement) { size_t n=checkArray(a); N=0; for(size_t i=0; i < n; i++) N += checkArray(read(a,i)); double *A=(placement == NoGC) ? new double [3*N] : new(placement) double[3*N]; double *p=A; for(size_t i=0; i < n; i++) { array *ai=read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; j++) { triple v=read(ai,j); *p=v.getx(); *(p+N)=v.gety(); *(p+2*N)=v.getz(); ++p; } } return A; } triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement) { size_t n=checkArray(a); N=0; for(size_t i=0; i < n; i++) N += checkArray(read(a,i)); triple *A=(placement == NoGC) ? new triple [N] : new(placement) triple[N]; triple *p=A; for(size_t i=0; i < n; i++) { array *ai=read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; j++) *(p++)=read(ai,j); } return A; } triple operator *(const array& t, const triple& v) { size_t n=checkArray(&t); if(n != 4) error(incommensurate); array *t0=read(t,0); array *t1=read(t,1); array *t2=read(t,2); array *t3=read(t,3); if(checkArray(t0) != 4 || checkArray(t1) != 4 || checkArray(t2) != 4 || checkArray(t3) != 4) error(incommensurate); double x=v.getx(); double y=v.gety(); double z=v.getz(); double f=read(t3,0)*x+read(t3,1)*y+read(t3,2)*z+ read(t3,3); if(f == 0.0) run::dividebyzero(); f=1.0/f; return triple((read(t0,0)*x+read(t0,1)*y+read(t0,2)*z+ read(t0,3))*f, (read(t1,0)*x+read(t1,1)*y+read(t1,2)*z+ read(t1,3))*f, (read(t2,0)*x+read(t2,1)*y+read(t2,2)*z+ read(t2,3))*f); } template array *mult(array *a, array *b) { size_t n=checkArray(a); size_t nb=checkArray(b); size_t na0=n == 0 ? 0 : checkArray(read(a,0)); if(na0 != nb) error(incommensurate); size_t nb0=nb == 0 ? 0 : checkArray(read(b,0)); array *c=new array(n); T *A,*B; copyArray2C(A,a,false); copyArray2C(B,b,false); for(size_t i=0; i < n; ++i) { T *Ai=A+i*nb; array *ci=new array(nb0); (*c)[i]=ci; for(size_t j=0; j < nb0; ++j) { T sum=T(); size_t kj=j; for(size_t k=0; k < nb; ++k, kj += nb0) sum += Ai[k]*B[kj]; (*ci)[j]=sum; } } delete[] B; delete[] A; return c; } // Compute transpose(A)*A where A is an n x m matrix. template array *AtA(array *a) { size_t n=checkArray(a); size_t m=n == 0 ? 0 : checkArray(read(a,0)); array *c=new array(m); T *A; copyArray2C(A,a,false); for(size_t i=0; i < m; ++i) { array *ci=new array(m); (*c)[i]=ci; for(size_t j=0; j < m; ++j) { T sum=T(); size_t kj=j; size_t ki=i; for(size_t k=0; k < n; ++k, kj += m, ki += m) sum += A[ki]*A[kj]; (*ci)[j]=sum; } } delete[] A; return c; } double norm(double *a, size_t n) { if(n == 0) return 0.0; double M=fabs(a[0]); for(size_t i=1; i < n; ++i) M=::max(M,fabs(a[i])); return M; } double norm(triple *a, size_t n) { if(n == 0) return 0.0; double M=a[0].abs2(); for(size_t i=1; i < n; ++i) M=::max(M,a[i].abs2()); return sqrt(M); } // Transpose an n x n matrix in place. void transpose(double *a, size_t n) { for(size_t i=1; i < n; i++) { for(size_t j=0; j < i; j++) { size_t ij=n*i+j; size_t ji=n*j+i; double temp=a[ij]; a[ij]=a[ji]; a[ji]=temp; } } } // Invert an n x n array in place. void inverse(double *M, size_t n) { if(n == 2) { real a=M[0]; real b=M[1]; real c=M[2]; real d=M[3]; real det=a*d-b*c; if(det == 0.0) error(singular); det=1.0/det; M[0]=d*det; M[1]=-b*det; M[2]=-c*det; M[3]=a*det; return; } if(n == 3) { real a=M[0], b=M[1], c=M[2]; real d=M[3], e=M[4], f=M[5]; real g=M[6], h=M[7], i=M[8]; real A=e*i-f*h; real B=f*g-d*i; real C=d*h-e*g; real det=a*A+b*B+c*C; if(det == 0.0) error(singular); det=1.0/det; M[0]=A*det; M[1]=(c*h-b*i)*det; M[2]=(b*f-c*e)*det; M[3]=B*det; M[4]=(a*i-c*g)*det; M[5]=(c*d-a*f)*det; M[6]=C*det; M[7]=(b*g-a*h)*det; M[8]=(a*e-b*d)*det; return; } inverseAllocate(n); for(size_t i=0; i < n; i++) pivot[i]=0; size_t col=0, row=0; // This is the main loop over the columns to be reduced. for(size_t i=0; i < n; i++) { real big=0.0; // This is the outer loop of the search for a pivot element. for(size_t j=0; j < n; j++) { double *aj=M+n*j; if(pivot[j] != 1) { for(size_t k=0; k < n; k++) { if(pivot[k] == 0) { real temp=fabs(aj[k]); if(temp >= big) { big=temp; row=j; col=k; } } else if(pivot[k] > 1) { inverseDeallocate(); error(singular); } } } } ++(pivot[col]); // Interchange rows, if needed, to put the pivot element on the diagonal. double *acol=M+n*col; if(row != col) { double *arow=M+n*row; for(size_t k=0; k < n; k++) { real temp=arow[k]; arow[k]=acol[k]; acol[k]=temp; } } Row[i]=row; Col[i]=col; // Divide the pivot row by the pivot element. real denom=acol[col]; if(denom == 0.0) { inverseDeallocate(); error(singular); } real pivinv=1.0/denom; acol[col]=1.0; for(size_t k=0; k < n; k++) acol[k]=acol[k]*pivinv; // Reduce all rows except for the pivoted one. for(size_t k=0; k < n; k++) { if(k != col) { double *ak=M+n*k; real akcol=ak[col]; ak[col]=0.0; for(size_t j=0; j < n; j++) ak[j] -= acol[j]*akcol; } } } // Unscramble the inverse matrix in view of the column interchanges. for(size_t k=n; k > 0;) { k--; size_t r=Row[k]; size_t c=Col[k]; if(r != c) { for(size_t j=0; j < n; j++) { double *aj=M+n*j; real temp=aj[r]; aj[r]=aj[c]; aj[c]=temp; } } } inverseDeallocate(); } } callable *Func; stack *FuncStack; double wrapFunction(double x) { FuncStack->push(x); Func->call(FuncStack); return pop(FuncStack); } callable *compareFunc; bool compareFunction(const vm::item& i, const vm::item& j) { FuncStack->push(i); FuncStack->push(j); compareFunc->call(FuncStack); return pop(FuncStack); } // Crout's algorithm for computing the LU decomposition of a square matrix. // cf. routine ludcmp (Press et al., Numerical Recipes, 1991). Int LUdecompose(double *a, size_t n, size_t* index, bool warn=true) { double *vv=new double[n]; Int swap=1; for(size_t i=0; i < n; ++i) { double big=0.0; double *ai=a+i*n; for(size_t j=0; j < n; ++j) { double temp=fabs(ai[j]); if(temp > big) big=temp; } if(big == 0.0) { delete[] vv; if(warn) error(singular); else return 0; } vv[i]=1.0/big; } for(size_t j=0; j < n; ++j) { for(size_t i=0; i < j; ++i) { double *ai=a+i*n; double sum=ai[j]; for(size_t k=0; k < i; ++k) { sum -= ai[k]*a[k*n+j]; } ai[j]=sum; } double big=0.0; size_t imax=j; for(size_t i=j; i < n; ++i) { double *ai=a+i*n; double sum=ai[j]; for(size_t k=0; k < j; ++k) sum -= ai[k]*a[k*n+j]; ai[j]=sum; double temp=vv[i]*fabs(sum); if(temp >= big) { big=temp; imax=i; } } double *aj=a+j*n; double *aimax=a+imax*n; if(j != imax) { for(size_t k=0; k < n; ++k) { double temp=aimax[k]; aimax[k]=aj[k]; aj[k]=temp; } swap *= -1; vv[imax]=vv[j]; } if(index) index[j]=imax; if(j != n) { double denom=aj[j]; if(denom == 0.0) { delete[] vv; if(warn) error(singular); else return 0; } for(size_t i=j+1; i < n; ++i) a[i*n+j] /= denom; } } delete[] vv; return swap; } namespace run { void dividebyzero(size_t i) { ostringstream buf; if(i > 0) buf << "array element " << i << ": "; buf << "Divide by zero"; error(buf); } void integeroverflow(size_t i) { ostringstream buf; if(i > 0) buf << "array element " << i << ": "; buf << "Integer overflow"; error(buf); } } // Autogenerated routines: // Create an empty array. array* :emptyArray() { return new array(0); } // Create a new array (technically a vector). // This array will be multidimensional. First the number of dimensions // is popped off the stack, followed by each dimension in reverse order. // The array itself is technically a one dimensional array of one // dimension arrays and so on. array* :newDeepArray(Int depth) { assert(depth > 0); Int *dims = new Int[depth]; for (Int index = depth-1; index >= 0; index--) { Int i=pop(Stack); if(i < 0) error("cannot create a negative length array"); dims[index]=i; } array *a=deepArray(depth, dims); delete[] dims; return a; } // Creates an array with elements already specified. First, the number // of elements is popped off the stack, followed by each element in // reverse order. array* :newInitializedArray(Int n) { assert(n >= 0); array *a = new array(n); for (Int index = n-1; index >= 0; index--) (*a)[index] = pop(Stack); return a; } // Similar to newInitializedArray, but after the n elements, append another // array to it. array* :newAppendedArray(array* tail, Int n) { assert(n >= 0); array *a = new array(n); for (Int index = n-1; index >= 0; index--) (*a)[index] = pop(Stack); copy(tail->begin(), tail->end(), back_inserter(*a)); return a; } // Produce an array of n deep copies of value. // typeDepth is the true depth of the array determined at compile-time when the // operations for the array type are added. This typeDepth argument is // automatically pushed on the stack and is not visible to the user. array* :copyArrayValue(Int n, item value, Int depth=Int_MAX, Int typeDepth) { if(n < 0) error("cannot create a negative length array"); if(depth < 0) error("cannot copy to a negative depth"); if(depth > typeDepth) depth=typeDepth; return new array((size_t) n, value, depth); } // Deep copy of array. // typeDepth is the true depth of the array determined at compile-time when the // operations for the array type are added. This typeDepth argument is // automatically pushed on the stack and is not visible to the user. array* :copyArray(array *a, Int depth=Int_MAX, Int typeDepth) { if(depth < 0) error("cannot copy to a negative depth"); if(depth > typeDepth) depth=typeDepth; return a->copyToDepth(depth); } // Read an element from an array. Checks for initialization & bounds. item :arrayRead(array *a, Int n) { item& i=arrayRead(a,n); if (i.empty()) { ostringstream buf; buf << "read uninitialized value from array at index " << n; error(buf); } return i; } // Slice a substring from an array. item :arraySliceRead(array *a, Int left, Int right) { checkArray(a); return a->slice(left, right); } // Slice a substring from an array. This implements the cases a[i:] and a[:] // where the endpoint is not given, and assumed to be the length of the array. item :arraySliceReadToEnd(array *a, Int left) { size_t len=checkArray(a); return a->slice(left, (Int)len); } // Read an element from an array of arrays. Check bounds and initialize // as necessary. item :arrayArrayRead(array *a, Int n) { item& i=arrayRead(a,n); if (i.empty()) i=new array(0); return i; } // Write an element to an array. Increase size if necessary. // TODO: Add arrayWriteAndPop item :arrayWrite(array *a, Int n, item value) { size_t len=checkArray(a); bool cyclic=a->cyclic(); if(cyclic && len > 0) n=imod(n,len); else { if(cyclic) outOfBounds("writing cyclic",len,n); if(n < 0) outOfBounds("writing",len,n); if(len <= (size_t) n) a->resize(n+1); } (*a)[n] = value; return value; } array * :arraySliceWrite(array *dest, Int left, Int right, array *src) { checkArray(src); checkArray(dest); dest->setSlice(left, right, src); return src; } array * :arraySliceWriteToEnd(array *dest, Int left, array *src) { checkArray(src); size_t len=checkArray(dest); dest->setSlice(left, (Int) len, src); return src; } // Returns the length of an array. Int :arrayLength(array *a) { return (Int) checkArray(a); } // Returns an array of integers representing the keys of the array. array * :arrayKeys(array *a) { size_t size=checkArray(a); array *keys=new array(); for (size_t i=0; ipush((Int)i); } return keys; } // Return the cyclic flag for an array. bool :arrayCyclicFlag(array *a) { checkArray(a); return a->cyclic(); } bool :arraySetCyclicFlag(bool b, array *a) { checkArray(a); a->cyclic(b); return b; } // Check to see if an array element is initialized. bool :arrayInitializedHelper(Int n, array *a) { size_t len=checkArray(a); bool cyclic=a->cyclic(); if(cyclic && len > 0) n=imod(n,len); else if(n < 0 || n >= (Int) len) return false; item&i=(*a)[(unsigned) n]; return !i.empty(); } // Returns the initialize method for an array. callable* :arrayInitialized(array *a) { return new thunk(new bfunc(arrayInitializedHelper),a); } // The helper function for the cyclic method that sets the cyclic flag. void :arrayCyclicHelper(bool b, array *a) { checkArray(a); a->cyclic(b); } // Set the cyclic flag for an array. callable* :arrayCyclic(array *a) { return new thunk(new bfunc(arrayCyclicHelper),a); } // The helper function for the push method that does the actual operation. item :arrayPushHelper(item x, array *a) { checkArray(a); a->push(x); return x; } // Returns the push method for an array. callable* :arrayPush(array *a) { return new thunk(new bfunc(arrayPushHelper),a); } // The helper function for the append method that appends b to a. void :arrayAppendHelper(array *b, array *a) { checkArray(a); size_t size=checkArray(b); for(size_t i=0; i < size; i++) a->push((*b)[i]); } // Returns the append method for an array. callable* :arrayAppend(array *a) { return new thunk(new bfunc(arrayAppendHelper),a); } // The helper function for the pop method. item :arrayPopHelper(array *a) { size_t asize=checkArray(a); if(asize == 0) error("cannot pop element from empty array"); return a->pop(); } // Returns the pop method for an array. callable* :arrayPop(array *a) { return new thunk(new bfunc(arrayPopHelper),a); } // The helper function for the insert method. item :arrayInsertHelper(Int i, array *x, array *a) { size_t asize=checkArray(a); checkArray(x); if(a->cyclic() && asize > 0) i=imod(i,asize); if(i < 0 || i > (Int) asize) outOfBounds("inserting",asize,i); (*a).insert((*a).begin()+i,(*x).begin(),(*x).end()); } // Returns the insert method for an array. callable* :arrayInsert(array *a) { return new thunk(new bfunc(arrayInsertHelper),a); } // Returns the delete method for an array. callable* :arrayDelete(array *a) { return new thunk(new bfunc(arrayDeleteHelper),a); } bool :arrayAlias(array *a, array *b) { return a==b; } // Return array formed by indexing array a with elements of integer array b array* :arrayIntArray(array *a, array *b) { size_t asize=checkArray(a); size_t bsize=checkArray(b); array *r=new array(bsize); bool cyclic=a->cyclic(); for(size_t i=0; i < bsize; i++) { Int index=read(b,i); if(cyclic && asize > 0) index=imod(index,asize); else if(index < 0 || index >= (Int) asize) outOfBounds("reading",asize,index); (*r)[i]=(*a)[index]; } return r; } // returns the complement of the integer array a in {0,2,...,n-1}, // so that b[complement(a,b.length)] yields the complement of b[a]. Intarray* complement(Intarray *a, Int n) { size_t asize=checkArray(a); array *r=new array(0); bool *keep=new bool[n]; for(Int i=0; i < n; ++i) keep[i]=true; for(size_t i=0; i < asize; ++i) { Int j=read(a,i); if(j >= 0 && j < n) keep[j]=false; } for(Int i=0; i < n; i++) if(keep[i]) r->push(i); delete[] keep; return r; } // Generate the sequence {f(i) : i=0,1,...n-1} given a function f and integer n Intarray* :arraySequence(callable *f, Int n) { if(n < 0) n=0; array *a=new array(n); for(Int i=0; i < n; ++i) { Stack->push(i); f->call(Stack); (*a)[i]=pop(Stack); } return a; } // Return the array {0,1,...n-1} Intarray *sequence(Int n) { if(n < 0) n=0; array *a=new array(n); for(Int i=0; i < n; ++i) { (*a)[i]=i; } return a; } // Apply a function to each element of an array array* :arrayFunction(callable *f, array *a) { size_t size=checkArray(a); array *b=new array(size); for(size_t i=0; i < size; ++i) { Stack->push((*a)[i]); f->call(Stack); (*b)[i]=pop(Stack); } return b; } array* :arraySort(array *a, callable *less, bool stable=true) { array *c=copyArray(a); compareFunc=less; FuncStack=Stack; if(stable) stable_sort(c->begin(),c->end(),compareFunction); else sort(c->begin(),c->end(),compareFunction); return c; } Int :arraySearch(array *a, item key, callable *less) { size_t size=a->size(); compareFunc=less; FuncStack=Stack; if(size == 0 || compareFunction(key,(*a)[0])) return -1; size_t u=size-1; if(!compareFunction(key,(*a)[u])) return Intcast(u); size_t l=0; while (l < u) { size_t i=(l+u)/2; if(compareFunction(key,(*a)[i])) u=i; else if(compareFunction(key,(*a)[i+1])) return Intcast(i); else l=i+1; } return 0; } bool all(boolarray *a) { size_t size=checkArray(a); bool c=true; for(size_t i=0; i < size; i++) if(!get((*a)[i])) {c=false; break;} return c; } boolarray* !(boolarray* a) { size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=!read(a,i); return c; } Int sum(boolarray *a) { size_t size=checkArray(a); Int sum=0; for(size_t i=0; i < size; i++) sum += read(a,i) ? 1 : 0; return sum; } array* :arrayConcat(array *a) { // a is an array of arrays to be concatenated together. // The signature is // T[] concat(... T[][] a); size_t numArgs=checkArray(a); size_t resultSize=0; for (size_t i=0; i < numArgs; ++i) { resultSize += checkArray(a->read(i)); } array *result=new array(resultSize); size_t ri=0; for (size_t i=0; i < numArgs; ++i) { array *arg=a->read(i); size_t size=checkArray(arg); for (size_t j=0; j < size; ++j) { (*result)[ri]=(*arg)[j]; ++ri; } } return result; } array* :array2Transpose(array *a) { size_t asize=checkArray(a); array *c=new array(0); for(size_t i=0; i < asize; i++) { size_t ip=i+1; array *ai=read(a,i); size_t aisize=checkArray(ai); size_t csize=checkArray(c); if(csize < aisize) { c->resize(aisize); for(size_t j=csize; j < aisize; j++) { (*c)[j]=new array(ip); } } for(size_t j=0; j < aisize; j++) { array *cj=read(c,j); if(checkArray(cj) < ip) cj->resize(ip); (*cj)[i]=(*ai)[j]; } } return c; } // a is a rectangular 3D array; perm is an Int array indicating the type of // permutation (021 or 120, etc; original is 012). // Transpose by sending respective members to the permutated locations: // return the array obtained by putting a[i][j][k] into position perm{ijk}. array* :array3Transpose(array *a, array *perm) { const size_t DIM=3; if(checkArray(perm) != DIM) { ostringstream buf; buf << "permutation array must have length " << DIM; error(buf); } size_t* size=new size_t[DIM]; for(size_t i=0; i < DIM; ++i) size[i]=DIM; for(size_t i=0; i < DIM; ++i) { Int p=read(perm,i); size_t P=(size_t) p; if(p < 0 || P >= DIM) { ostringstream buf; buf << "permutation index out of range: " << p; error(buf); } size[P]=P; } for(size_t i=0; i < DIM; ++i) if(size[i] == DIM) error("permutation indices must be distinct"); static const char *rectangular= "3D transpose implemented for rectangular matrices only"; size_t isize=size[0]=checkArray(a); array *a0=read(a,0); size[1]=checkArray(a0); array *a00=read(a0,0); size[2]=checkArray(a00); for(size_t i=0; i < isize; i++) { array *ai=read(a,i); size_t jsize=checkArray(ai); if(jsize != size[1]) error(rectangular); for(size_t j=0; j < jsize; j++) { array *aij=read(ai,j); if(checkArray(aij) != size[2]) error(rectangular); } } size_t perm0=(size_t) read(perm,0); size_t perm1=(size_t) read(perm,1); size_t perm2=(size_t) read(perm,2); size_t sizep0=size[perm0]; size_t sizep1=size[perm1]; size_t sizep2=size[perm2]; array *c=new array(sizep0); for(size_t i=0; i < sizep0; ++i) { array *ci=new array(sizep1); (*c)[i]=ci; for(size_t j=0; j < sizep1; ++j) { array *cij=new array(sizep2); (*ci)[j]=cij; } } size_t* i=new size_t[DIM]; for(i[0]=0; i[0] < size[0]; ++i[0]) { array *a0=read(a,i[0]); for(i[1]=0; i[1] < size[1]; ++i[1]) { array *a1=read(a0,i[1]); for(i[2]=0; i[2] < size[2]; ++i[2]) { array *c0=read(c,i[perm0]); array *c1=read(c0,i[perm1]); (*c1)[i[perm2]]=read(a1,i[2]); } } } delete[] i; delete[] size; return c; } // Find the index of the nth true value in a boolean array or -1 if not found. // If n is negative, search backwards. Int find(boolarray *a, Int n=1) { size_t size=checkArray(a); Int j=-1; if(n > 0) for(size_t i=0; i < size; i++) if(read(a,i)) { n--; if(n == 0) {j=(Int) i; break;} } if(n < 0) for(size_t i=size; i > 0;) if(read(a,--i)) { n++; if(n == 0) {j=(Int) i; break;} } return j; } // Find all indices of true values in a boolean array. Intarray *findall(boolarray *a) { size_t size=checkArray(a); array *b=new array(0); for(size_t i=0; i < size; i++) { if(read(a,i)) { b->push((Int) i); } } return b; } // construct vector obtained by replacing those elements of b for which the // corresponding elements of a are false by the corresponding element of c. array* :arrayConditional(array *a, array *b, array *c) { size_t size=checkArray(a); array *r=new array(size); if(b && c) { checkArrays(a,b); checkArrays(b,c); for(size_t i=0; i < size; i++) (*r)[i]=read(a,i) ? (*b)[i] : (*c)[i]; } else { r->clear(); if(b) { checkArrays(a,b); for(size_t i=0; i < size; i++) if(read(a,i)) r->push((*b)[i]); } else if(c) { checkArrays(a,c); for(size_t i=0; i < size; i++) if(!read(a,i)) r->push((*c)[i]); } } return r; } // Return an n x n identity matrix. realarray2 *identity(Int n) { return Identity(n); } // Return the inverse of an n x n matrix a using Gauss-Jordan elimination. realarray2 *inverse(realarray2 *a) { size_t n=checkArray(a); double *A; copyArray2C(A,a,true,0,NoGC); inverse(A,n); a=copyCArray2(n,n,A); delete[] A; return a; } // Solve the linear equation ax=b by LU decomposition, returning the // solution x, where a is an n x n matrix and b is an array of length n. // If no solution exists, return an empty array. realarray *solve(realarray2 *a, realarray *b, bool warn=true) { size_t n=checkArray(a); if(n == 0) return new array(0); size_t m=checkArray(b); if(m != n) error(incommensurate); real *A; copyArray2C(A,a); size_t *index=new size_t[n]; if(LUdecompose(A,n,index,warn) == 0) return new array(0); array *x=new array(n); real *B; copyArrayC(B,b); for(size_t i=0; i < n; ++i) { size_t ip=index[i]; real sum=B[ip]; B[ip]=B[i]; real *Ai=A+i*n; for(size_t j=0; j < i; ++j) sum -= Ai[j]*B[j]; B[i]=sum; } for(size_t i=n; i > 0;) { --i; real sum=B[i]; real *Ai=A+i*n; for(size_t j=i+1; j < n; ++j) sum -= Ai[j]*B[j]; B[i]=sum/Ai[i]; } for(size_t i=0; i < n; ++i) (*x)[i]=B[i]; delete[] index; delete[] B; delete[] A; return x; } // Solve the linear equation ax=b by LU decomposition, returning the // solution x, where a is an n x n matrix and b is an n x m matrix. // If no solution exists, return an empty array. realarray2 *solve(realarray2 *a, realarray2 *b, bool warn=true) { size_t n=checkArray(a); if(n == 0) return new array(0); if(checkArray(b) != n) error(incommensurate); size_t m=checkArray(read(b,0)); real *A,*B; copyArray2C(A,a); copyArray2C(B,b,false); size_t *index=new size_t[n]; if(LUdecompose(A,n,index,warn) == 0) return new array(0); array *x=new array(n); for(size_t i=0; i < n; ++i) { real *Ai=A+i*n; real *Bi=B+i*m; real *Bip=B+index[i]*m; for(size_t k=0; k < m; ++k) { real sum=Bip[k]; Bip[k]=Bi[k]; size_t jk=k; for(size_t j=0; j < i; ++j, jk += m) sum -= Ai[j]*B[jk]; Bi[k]=sum; } } for(size_t i=n; i > 0;) { --i; real *Ai=A+i*n; real *Bi=B+i*m; for(size_t k=0; k < m; ++k) { real sum=Bi[k]; size_t jk=(i+1)*m+k; for(size_t j=i+1; j < n; ++j, jk += m) sum -= Ai[j]*B[jk]; Bi[k]=sum/Ai[i]; } } for(size_t i=0; i < n; ++i) { real *Bi=B+i*m; array *xi=new array(m); (*x)[i]=xi; for(size_t j=0; j < m; ++j) (*xi)[j]=Bi[j]; } delete[] index; delete[] B; delete[] A; return x; } // Compute the determinant of an n x n matrix. real determinant(realarray2 *a) { real *A; copyArray2C(A,a); size_t n=checkArray(a); real det=LUdecompose(A,n,NULL,false); size_t n1=n+1; for(size_t i=0; i < n; ++i) det *= A[i*n1]; delete[] A; return det; } realarray *Operator *(realarray2 *a, realarray *b) { size_t n=checkArray(a); size_t m=checkArray(b); array *c=new array(n); real *B; copyArrayC(B,b); for(size_t i=0; i < n; ++i) { array *ai=read(a,i); if(checkArray(ai) != m) error(incommensurate); real sum=0.0; for(size_t j=0; j < m; ++j) sum += read(ai,j)*B[j]; (*c)[i]=sum; } delete[] B; return c; } realarray *Operator *(realarray *a, realarray2 *b) { size_t n=checkArray(a); if(n != checkArray(b)) error(incommensurate); real *A; copyArrayC(A,a); array **B=new array*[n]; array *bk=read(b,0); B[0]=bk; size_t m=bk->size(); for(size_t k=1; k < n; k++) { array *bk=read(b,k); if(bk->size() != m) error(incommensurate); B[k]=bk; } array *c=new array(m); for(size_t i=0; i < m; ++i) { real sum=0.0; for(size_t k=0; k < n; ++k) sum += A[k]*read(B[k],i); (*c)[i]=sum; } delete[] B; delete[] A; return c; } Intarray2 *Operator *(Intarray2 *a, Intarray2 *b) { return mult(a,b); } realarray2 *Operator *(realarray2 *a, realarray2 *b) { return mult(a,b); } pairarray2 *Operator *(pairarray2 *a, pairarray2 *b) { return mult(a,b); } triple Operator *(realarray2 *t, triple v) { return *t*v; } realarray2 *AtA(realarray2 *a) { return AtA(a); } pair project(triple v, realarray2 *t) { size_t n=checkArray(t); if(n != 4) error(incommensurate); array *t0=read(t,0); array *t1=read(t,1); array *t3=read(t,3); if(checkArray(t0) != 4 || checkArray(t1) != 4 || checkArray(t3) != 4) error(incommensurate); real x=v.getx(); real y=v.gety(); real z=v.getz(); real f=read(t3,0)*x+read(t3,1)*y+read(t3,2)*z+ read(t3,3); if(f == 0.0) dividebyzero(); f=1.0/f; return pair((read(t0,0)*x+read(t0,1)*y+read(t0,2)*z+ read(t0,3))*f, (read(t1,0)*x+read(t1,1)*y+read(t1,2)*z+ read(t1,3))*f); } // Compute the dot product of vectors a and b. real dot(realarray *a, realarray *b) { size_t n=checkArrays(a,b); real sum=0.0; for(size_t i=0; i < n; ++i) sum += read(a,i)*read(b,i); return sum; } // Compute the complex dot product of vectors a and b. pair dot(pairarray *a, pairarray *b) { size_t n=checkArrays(a,b); pair sum=zero; for(size_t i=0; i < n; ++i) sum += read(a,i)*conj(read(b,i)); return sum; } // Solve the problem L\inv f, where f is an n vector and L is the n x n matrix // // [ b[0] c[0] a[0] ] // [ a[1] b[1] c[1] ] // [ a[2] b[2] c[2] ] // [ ... ] // [ c[n-1] a[n-1] b[n-1] ] realarray *tridiagonal(realarray *a, realarray *b, realarray *c, realarray *f) { size_t n=checkArrays(a,b); checkEqual(n,checkArray(c)); checkEqual(n,checkArray(f)); array *up=new array(n); array& u=*up; if(n == 0) return up; // Special case: zero Dirichlet boundary conditions if(read(a,0) == 0.0 && read(c,n-1) == 0.0) { real temp=read(b,0); if(temp == 0.0) dividebyzero(); temp=1.0/temp; real *work=new real[n]; u[0]=read(f,0)*temp; work[0]=-read(c,0)*temp; for(size_t i=1; i < n; i++) { real temp=(read(b,i)+read(a,i)*work[i-1]); if(temp == 0.0) {delete[] work; dividebyzero();} temp=1.0/temp; u[i]=(read(f,i)-read(a,i)*read(u,i-1))*temp; work[i]=-read(c,i)*temp; } for(size_t i=n-1; i >= 1; i--) u[i-1]=read(u,i-1)+work[i-1]*read(u,i); delete[] work; return up; } real binv=read(b,0); if(binv == 0.0) dividebyzero(); binv=1.0/binv; if(n == 1) {u[0]=read(f,0)*binv; return up;} if(n == 2) { real factor=(read(b,0)*read(b,1)- read(a,0)*read(c,1)); if(factor== 0.0) dividebyzero(); factor=1.0/factor; real temp=(read(b,0)*read(f,1)- read(c,1)*read(f,0))*factor; u[0]=(read(b,1)*read(f,0)- read(a,0)*read(f,1))*factor; u[1]=temp; return up; } real *gamma=new real[n-2]; real *delta=new real[n-2]; gamma[0]=read(c,0)*binv; delta[0]=read(a,0)*binv; u[0]=read(f,0)*binv; real beta=read(c,n-1); real fn=read(f,n-1)-beta*read(u,0); real alpha=read(b,n-1)-beta*delta[0]; for(size_t i=1; i <= n-3; i++) { real alphainv=read(b,i)-read(a,i)*gamma[i-1]; if(alphainv == 0.0) {delete[] gamma; delete[] delta; dividebyzero();} alphainv=1.0/alphainv; beta *= -gamma[i-1]; gamma[i]=read(c,i)*alphainv; u[i]=(read(f,i)-read(a,i)*read(u,i-1))*alphainv; fn -= beta*read(u,i); delta[i]=-read(a,i)*delta[i-1]*alphainv; alpha -= beta*delta[i]; } real alphainv=read(b,n-2)-read(a,n-2)*gamma[n-3]; if(alphainv == 0.0) {delete[] gamma; delete[] delta; dividebyzero();} alphainv=1.0/alphainv; u[n-2]=(read(f,n-2)-read(a,n-2)*read(u,n-3)) *alphainv; beta=read(a,n-1)-beta*gamma[n-3]; real dnm1=(read(c,n-2)-read(a,n-2)*delta[n-3])*alphainv; real temp=alpha-beta*dnm1; if(temp == 0.0) {delete[] gamma; delete[] delta; dividebyzero();} u[n-1]=temp=(fn-beta*read(u,n-2))/temp; u[n-2]=read(u,n-2)-dnm1*temp; for(size_t i=n-2; i >= 1; i--) u[i-1]=read(u,i-1)-gamma[i-1]*read(u,i)-delta[i-1]*temp; delete[] delta; delete[] gamma; return up; } // Root solve by Newton-Raphson real newton(Int iterations=100, callableReal *f, callableReal *fprime, real x, bool verbose=false) { static const real fuzz=1000.0*DBL_EPSILON; Int i=0; size_t oldPrec=0; if(verbose) oldPrec=cout.precision(DBL_DIG); real diff=DBL_MAX; real lastdiff; do { real x0=x; Stack->push(x); fprime->call(Stack); real dfdx=pop(Stack); if(dfdx == 0.0) { x=DBL_MAX; break; } Stack->push(x); f->call(Stack); real fx=pop(Stack); x -= fx/dfdx; lastdiff=diff; if(verbose) cout << "Newton-Raphson: " << x << endl; diff=fabs(x-x0); if(++i == iterations) { x=DBL_MAX; break; } } while (diff != 0.0 && (diff < lastdiff || diff > fuzz*fabs(x))); if(verbose) cout.precision(oldPrec); return x; } // Root solve by Newton-Raphson bisection // cf. routine rtsafe (Press et al., Numerical Recipes, 1991). real newton(Int iterations=100, callableReal *f, callableReal *fprime, real x1, real x2, bool verbose=false) { static const real fuzz=1000.0*DBL_EPSILON; size_t oldPrec=0; if(verbose) oldPrec=cout.precision(DBL_DIG); Stack->push(x1); f->call(Stack); real f1=pop(Stack); if(f1 == 0.0) return x1; Stack->push(x2); f->call(Stack); real f2=pop(Stack); if(f2 == 0.0) return x2; if((f1 > 0.0 && f2 > 0.0) || (f1 < 0.0 && f2 < 0.0)) { ostringstream buf; buf << "root not bracketed, f(x1)=" << f1 << ", f(x2)=" << f2 << endl; error(buf); } real x=0.5*(x1+x2); real dxold=fabs(x2-x1); if(f1 > 0.0) { real temp=x1; x1=x2; x2=temp; } if(verbose) cout << "midpoint: " << x << endl; real dx=dxold; Stack->push(x); f->call(Stack); real y=pop(Stack); Stack->push(x); fprime->call(Stack); real dy=pop(Stack); Int j; for(j=0; j < iterations; j++) { if(((x-x2)*dy-y)*((x-x1)*dy-y) >= 0.0 || fabs(2.0*y) > fabs(dxold*dy)) { dxold=dx; dx=0.5*(x2-x1); x=x1+dx; if(verbose) cout << "bisection: " << x << endl; if(x1 == x) return x; } else { dxold=dx; dx=y/dy; real temp=x; x -= dx; if(verbose) cout << "Newton-Raphson: " << x << endl; if(temp == x) return x; } if(fabs(dx) < fuzz*fabs(x)) return x; Stack->push(x); f->call(Stack); y=pop(Stack); Stack->push(x); fprime->call(Stack); dy=pop(Stack); if(y < 0.0) x1=x; else x2=x; } if(verbose) cout.precision(oldPrec); return (j == iterations) ? DBL_MAX : x; } // Find a root for the specified continuous (but not necessarily // differentiable) function. Whatever value t is returned, it is guaranteed // that t is within [a, b] and within tolerance of a sign change. // An error is thrown if fa and fb are both positive or both negative. // // In this implementation, the binary search is interleaved // with a modified version of quadratic interpolation. // This is a C++ port of the Asymptote routine written by Charles Staats III. real _findroot(callableReal *f, real a, real b, real tolerance, real fa, real fb) { if(fa == 0.0) return a; if(fb == 0.0) return b; const char* oppsign="fa and fb must have opposite signs"; int sign; if(fa < 0.0) { if(fb < 0.0) error(oppsign); sign=1; } else { if(fb > 0.0) error(oppsign); fa=-fa; fb=-fb; sign=-1; } real t=a; real ft=fa; real twicetolerance=2.0*tolerance; while(b-a > tolerance) { t=(a+b)*0.5; Stack->push(t); f->call(Stack); ft=sign*pop(Stack); if(ft == 0.0) return t; // If halving the interval already puts us within tolerance, // don't bother with the interpolation step. if(b-a >= twicetolerance) { real factor=1.0/(b-a); real q_A=2.0*(fa-2.0*ft+fb)*factor*factor; real q_B=(fb-fa)*factor; quadraticroots Q=quadraticroots(q_A,q_B,ft); // If the interpolation somehow failed, continue on to the next binary // search step. This may or may not be possible, depending on what // theoretical guarantees are provided by the quadraticroots function. real root; bool found=Q.roots > 0; if(found) { root=t+Q.t1; if(root <= a || root >= b) { if(Q.roots == 1) found=false; else { root=t+Q.t2; if(root <= a || root >= b) found=false; } } } if(found) { if(ft > 0.0) { b=t; fb=ft; } else { a=t; fa=ft; } t=root; // If the interpolated value is close to one edge of // the interval, move it farther away from the edge in // an effort to catch the root in the middle. real margin=(b-a)*1.0e-3; if(t-a < margin) t=a+2.0*(t-a); else if(b-t < margin) t=b-2.0*(b-t); Stack->push(t); f->call(Stack); ft=sign*pop(Stack); if(ft == 0.0) return t; } } if(ft > 0.0) { b=t; fb=ft; } else if(ft < 0.0) { a=t; fa=ft; } } return a-(b-a)/(fb-fa)*fa; } real simpson(callableReal *f, real a, real b, real acc=DBL_EPSILON, real dxmax=0) { real integral; if(dxmax <= 0) dxmax=fabs(b-a); callable *oldFunc=Func; Func=f; FuncStack=Stack; if(!simpson(integral,wrapFunction,a,b,acc,dxmax)) error("nesting capacity exceeded in simpson"); Func=oldFunc; return integral; } // Compute the fast Fourier transform of a pair array pairarray* fft(pairarray *a, Int sign=1) { #ifdef HAVE_LIBFFTW3 unsigned n=(unsigned) checkArray(a); array *c=new array(n); if(n) { Complex *f=utils::ComplexAlign(n); fftwpp::fft1d Forward(n,intcast(sign),f); for(size_t i=0; i < n; i++) { pair z=read(a,i); f[i]=Complex(z.getx(),z.gety()); } Forward.fft(f); for(size_t i=0; i < n; i++) { Complex z=f[i]; (*c)[i]=pair(z.real(),z.imag()); } utils::deleteAlign(f); } #else unused(a); unused(&sign); array *c=new array(0); error("Please install fftw3, run ./configure, and recompile"); #endif // HAVE_LIBFFTW3 return c; } Intarray2 *triangulate(pairarray *z) { size_t nv=checkArray(z); // Call robust version of Gilles Dumoulin's port of Paul Bourke's // triangulation code. XYZ *pxyz=new XYZ[nv+3]; ITRIANGLE *V=new ITRIANGLE[4*nv]; for(size_t i=0; i < nv; ++i) { pair w=read(z,i); pxyz[i].p[0]=w.getx(); pxyz[i].p[1]=w.gety(); pxyz[i].i=(Int) i; } Int ntri; Triangulate((Int) nv,pxyz,V,ntri,true,false); size_t nt=(size_t) ntri; array *t=new array(nt); for(size_t i=0; i < nt; ++i) { array *ti=new array(3); (*t)[i]=ti; ITRIANGLE *Vi=V+i; (*ti)[0]=pxyz[Vi->p1].i; (*ti)[1]=pxyz[Vi->p2].i; (*ti)[2]=pxyz[Vi->p3].i; } delete[] V; delete[] pxyz; return t; } real norm(realarray *a) { size_t n=checkArray(a); real M=0.0; for(size_t i=0; i < n; ++i) { real x=fabs(vm::read(a,i)); if(x > M) M=x; } return M; } real norm(realarray2 *a) { size_t n=checkArray(a); real M=0.0; for(size_t i=0; i < n; ++i) { vm::array *ai=vm::read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; ++j) { real a=fabs(vm::read(ai,j)); if(a > M) M=a; } } return M; } real norm(triplearray2 *a) { size_t n=checkArray(a); real M=0.0; for(size_t i=0; i < n; ++i) { vm::array *ai=vm::read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; ++j) { real a=vm::read(ai,j).abs2(); if(a > M) M=a; } } return sqrt(M); } real change2(triplearray2 *a) { size_t n=checkArray(a); if(n == 0) return 0.0; vm::array *a0=vm::read(a,0); size_t m=checkArray(a0); if(m == 0) return 0.0; triple a00=vm::read(a0,0); real M=0.0; for(size_t i=0; i < n; ++i) { vm::array *ai=vm::read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; ++j) { real a=(vm::read(ai,j)-a00).abs2(); if(a > M) M=a; } } return M; } triple minbezier(triplearray2 *P, triple b) { size_t N; real *A=copyTripleArray2Components(P,N); bound_double *B=bounddouble(N); b=triple(B(A,::min,b.getx(),Fuzz*norm(A,N),maxdepth), B(A+N,::min,b.gety(),Fuzz*norm(A+N,N),maxdepth), B(A+2*N,::min,b.getz(),Fuzz*norm(A+2*N,N),maxdepth)); delete[] A; return b; } triple maxbezier(triplearray2 *P, triple b) { size_t N; real *A=copyTripleArray2Components(P,N); bound_double *B=bounddouble(N); b=triple(B(A,::max,b.getx(),Fuzz*norm(A,N),maxdepth), B(A+N,::max,b.gety(),Fuzz*norm(A+N,N),maxdepth), B(A+2*N,::max,b.getz(),Fuzz*norm(A+2*N,N),maxdepth)); delete[] A; return b; } pair minratio(triplearray2 *P, pair b) { size_t N; triple *A=copyTripleArray2C(P,N); real fuzz=Fuzz*norm(A,N); bound_triple *B=boundtriple(N); b=pair(B(A,::min,xratio,b.getx(),fuzz,maxdepth), B(A,::min,yratio,b.gety(),fuzz,maxdepth)); delete[] A; return b; } pair maxratio(triplearray2 *P, pair b) { size_t N; triple *A=copyTripleArray2C(P,N); bound_triple *B=boundtriple(N); real fuzz=Fuzz*norm(A,N); b=pair(B(A,::max,xratio,b.getx(),fuzz,maxdepth), B(A,::max,yratio,b.gety(),fuzz,maxdepth)); delete[] A; return b; } realarray *_projection() { #ifdef HAVE_GL array *a=new array(14); gl::projection P=gl::camera(); size_t k=0; (*a)[k++]=P.orthographic ? 1.0 : 0.0; triple camera=P.camera; (*a)[k++]=camera.getx(); (*a)[k++]=camera.gety(); (*a)[k++]=camera.getz(); triple up=P.up; (*a)[k++]=up.getx(); (*a)[k++]=up.gety(); (*a)[k++]=up.getz(); triple target=P.target; (*a)[k++]=target.getx(); (*a)[k++]=target.gety(); (*a)[k++]=target.getz(); (*a)[k++]=P.zoom; (*a)[k++]=P.angle; (*a)[k++]=P.viewportshift.getx(); (*a)[k++]=P.viewportshift.gety(); #endif return new array(0); } asymptote-2.62/runpath.cc0000644000000000000000000006326413607467143014204 0ustar rootroot/***** Autogenerated from runpath.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runpath.in" /***** * runpicture.in * * Runtime functions for picture operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 17 "runpath.in" #include "path.h" #include "arrayop.h" #include "predicates.h" using namespace camp; using namespace vm; typedef array realarray; typedef array realarray2; typedef array patharray; using types::realArray; using types::realArray2; using types::pathArray; Int windingnumber(array *p, camp::pair z) { size_t size=checkArray(p); Int count=0; for(size_t i=0; i < size; i++) count += read(p,i)->windingnumber(z); return count; } // Autogenerated routines: #ifndef NOSYM #include "runpath.symbols.h" #endif namespace run { #line 44 "runpath.in" void nullPath(stack *Stack) { #line 45 "runpath.in" {Stack->push(nullpath); return;} } #line 49 "runpath.in" // bool ==(path a, path b); void gen_runpath1(stack *Stack) { path b=vm::pop(Stack); path a=vm::pop(Stack); #line 50 "runpath.in" {Stack->push(a == b); return;} } #line 54 "runpath.in" // bool !=(path a, path b); void gen_runpath2(stack *Stack) { path b=vm::pop(Stack); path a=vm::pop(Stack); #line 55 "runpath.in" {Stack->push(!(a == b)); return;} } #line 59 "runpath.in" // pair point(path p, Int t); void gen_runpath3(stack *Stack) { Int t=vm::pop(Stack); path p=vm::pop(Stack); #line 60 "runpath.in" {Stack->push(p.point((Int) t)); return;} } #line 64 "runpath.in" // pair point(path p, real t); void gen_runpath4(stack *Stack) { real t=vm::pop(Stack); path p=vm::pop(Stack); #line 65 "runpath.in" {Stack->push(p.point(t)); return;} } #line 69 "runpath.in" // pair precontrol(path p, Int t); void gen_runpath5(stack *Stack) { Int t=vm::pop(Stack); path p=vm::pop(Stack); #line 70 "runpath.in" {Stack->push(p.precontrol((Int) t)); return;} } #line 74 "runpath.in" // pair precontrol(path p, real t); void gen_runpath6(stack *Stack) { real t=vm::pop(Stack); path p=vm::pop(Stack); #line 75 "runpath.in" {Stack->push(p.precontrol(t)); return;} } #line 79 "runpath.in" // pair postcontrol(path p, Int t); void gen_runpath7(stack *Stack) { Int t=vm::pop(Stack); path p=vm::pop(Stack); #line 80 "runpath.in" {Stack->push(p.postcontrol((Int) t)); return;} } #line 84 "runpath.in" // pair postcontrol(path p, real t); void gen_runpath8(stack *Stack) { real t=vm::pop(Stack); path p=vm::pop(Stack); #line 85 "runpath.in" {Stack->push(p.postcontrol(t)); return;} } #line 89 "runpath.in" // pair dir(path p, Int t, Int sign=0, bool normalize=true); void gen_runpath9(stack *Stack) { bool normalize=vm::pop(Stack,true); Int sign=vm::pop(Stack,0); Int t=vm::pop(Stack); path p=vm::pop(Stack); #line 90 "runpath.in" {Stack->push(p.dir(t,sign,normalize)); return;} } #line 94 "runpath.in" // pair dir(path p, real t, bool normalize=true); void gen_runpath10(stack *Stack) { bool normalize=vm::pop(Stack,true); real t=vm::pop(Stack); path p=vm::pop(Stack); #line 95 "runpath.in" {Stack->push(p.dir(t,normalize)); return;} } #line 99 "runpath.in" // pair accel(path p, Int t, Int sign=0); void gen_runpath11(stack *Stack) { Int sign=vm::pop(Stack,0); Int t=vm::pop(Stack); path p=vm::pop(Stack); #line 100 "runpath.in" {Stack->push(p.accel(t,sign)); return;} } #line 104 "runpath.in" // pair accel(path p, real t); void gen_runpath12(stack *Stack) { real t=vm::pop(Stack); path p=vm::pop(Stack); #line 105 "runpath.in" {Stack->push(p.accel(t)); return;} } #line 109 "runpath.in" // real radius(path p, real t); void gen_runpath13(stack *Stack) { real t=vm::pop(Stack); path p=vm::pop(Stack); #line 110 "runpath.in" pair v=p.dir(t,false); pair a=p.accel(t); real d=dot(a,v); real v2=v.abs2(); real a2=a.abs2(); real denom=v2*a2-d*d; real r=v2*sqrt(v2); {Stack->push(denom > 0 ? r/sqrt(denom) : 0.0); return;} } #line 121 "runpath.in" // path reverse(path p); void gen_runpath14(stack *Stack) { path p=vm::pop(Stack); #line 122 "runpath.in" {Stack->push(p.reverse()); return;} } #line 126 "runpath.in" // path subpath(path p, Int a, Int b); void gen_runpath15(stack *Stack) { Int b=vm::pop(Stack); Int a=vm::pop(Stack); path p=vm::pop(Stack); #line 127 "runpath.in" {Stack->push(p.subpath((Int) a, (Int) b)); return;} } #line 131 "runpath.in" // path subpath(path p, real a, real b); void gen_runpath16(stack *Stack) { real b=vm::pop(Stack); real a=vm::pop(Stack); path p=vm::pop(Stack); #line 132 "runpath.in" {Stack->push(p.subpath(a,b)); return;} } #line 136 "runpath.in" // path nurb(pair z0, pair z1, pair z2, pair z3, real w0, real w1, real w2, real w3, Int m); void gen_runpath17(stack *Stack) { Int m=vm::pop(Stack); real w3=vm::pop(Stack); real w2=vm::pop(Stack); real w1=vm::pop(Stack); real w0=vm::pop(Stack); pair z3=vm::pop(Stack); pair z2=vm::pop(Stack); pair z1=vm::pop(Stack); pair z0=vm::pop(Stack); #line 138 "runpath.in" {Stack->push(nurb(z0,z1,z2,z3,w0,w1,w2,w3,m)); return;} } #line 142 "runpath.in" // Int length(path p); void gen_runpath18(stack *Stack) { path p=vm::pop(Stack); #line 143 "runpath.in" {Stack->push(p.length()); return;} } #line 147 "runpath.in" // bool cyclic(path p); void gen_runpath19(stack *Stack) { path p=vm::pop(Stack); #line 148 "runpath.in" {Stack->push(p.cyclic()); return;} } #line 152 "runpath.in" // bool straight(path p, Int t); void gen_runpath20(stack *Stack) { Int t=vm::pop(Stack); path p=vm::pop(Stack); #line 153 "runpath.in" {Stack->push(p.straight(t)); return;} } #line 157 "runpath.in" // path unstraighten(path p); void gen_runpath21(stack *Stack) { path p=vm::pop(Stack); #line 158 "runpath.in" {Stack->push(p.unstraighten()); return;} } #line 162 "runpath.in" // bool piecewisestraight(path p); void gen_runpath22(stack *Stack) { path p=vm::pop(Stack); #line 163 "runpath.in" {Stack->push(p.piecewisestraight()); return;} } #line 167 "runpath.in" // real arclength(path p); void gen_runpath23(stack *Stack) { path p=vm::pop(Stack); #line 168 "runpath.in" {Stack->push(p.arclength()); return;} } #line 172 "runpath.in" // real arctime(path p, real L); void gen_runpath24(stack *Stack) { real L=vm::pop(Stack); path p=vm::pop(Stack); #line 173 "runpath.in" {Stack->push(p.arctime(L)); return;} } #line 177 "runpath.in" // real dirtime(path p, pair z); void gen_runpath25(stack *Stack) { pair z=vm::pop(Stack); path p=vm::pop(Stack); #line 178 "runpath.in" {Stack->push(p.directiontime(z)); return;} } #line 182 "runpath.in" // realarray* intersect(path p, path q, real fuzz=-1); void gen_runpath26(stack *Stack) { real fuzz=vm::pop(Stack,-1); path q=vm::pop(Stack); path p=vm::pop(Stack); #line 183 "runpath.in" bool exact=fuzz <= 0.0; if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); std::vector S,T; real s,t; if(intersections(s,t,S,T,p,q,fuzz,true,exact)) { array *V=new array(2); (*V)[0]=s; (*V)[1]=t; {Stack->push(V); return;} } {Stack->push(new array(0)); return;} } #line 199 "runpath.in" // realarray2* intersections(path p, path q, real fuzz=-1); void gen_runpath27(stack *Stack) { real fuzz=vm::pop(Stack,-1); path q=vm::pop(Stack); path p=vm::pop(Stack); #line 200 "runpath.in" bool exact=fuzz <= 0.0; if(fuzz < 0.0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(q.max()),length(q.min()))); real s,t; std::vector S,T; intersections(s,t,S,T,p,q,fuzz,false,true); size_t n=S.size(); if(n == 0 && !exact) { if(intersections(s,t,S,T,p,q,fuzz,true,false)) { array *V=new array(1); array *Vi=new array(2); (*V)[0]=Vi; (*Vi)[0]=s; (*Vi)[1]=t; {Stack->push(V); return;} } } array *V=new array(n); for(size_t i=0; i < n; ++i) { array *Vi=new array(2); (*V)[i]=Vi; (*Vi)[0]=S[i]; (*Vi)[1]=T[i]; } stable_sort(V->begin(),V->end(),run::compare2()); {Stack->push(V); return;} } #line 230 "runpath.in" // realarray* intersections(path p, explicit pair a, explicit pair b, real fuzz=-1); void gen_runpath28(stack *Stack) { real fuzz=vm::pop(Stack,-1); pair b=vm::pop(Stack); pair a=vm::pop(Stack); path p=vm::pop(Stack); #line 231 "runpath.in" if(fuzz < 0) fuzz=BigFuzz*::max(::max(length(p.max()),length(p.min())), ::max(length(a),length(b))); std::vector S; intersections(S,p,a,b,fuzz); sort(S.begin(),S.end()); size_t n=S.size(); array *V=new array(n); for(size_t i=0; i < n; ++i) (*V)[i]=S[i]; {Stack->push(V); return;} } // Return the intersection point of the extensions of the line segments // PQ and pq. #line 247 "runpath.in" // pair extension(pair P, pair Q, pair p, pair q); void gen_runpath29(stack *Stack) { pair q=vm::pop(Stack); pair p=vm::pop(Stack); pair Q=vm::pop(Stack); pair P=vm::pop(Stack); #line 248 "runpath.in" pair ac=P-Q; pair bd=q-p; real det=ac.getx()*bd.gety()-ac.gety()*bd.getx(); if(det == 0) {Stack->push(pair(infinity,infinity)); return;} {Stack->push(P+((p.getx()-P.getx())*bd.gety()-(p.gety()-P.gety())*bd.getx())*ac/det); return;} } #line 256 "runpath.in" // Int size(path p); void gen_runpath30(stack *Stack) { path p=vm::pop(Stack); #line 257 "runpath.in" {Stack->push(p.size()); return;} } #line 261 "runpath.in" // path &(path p, path q); void gen_runpath31(stack *Stack) { path q=vm::pop(Stack); path p=vm::pop(Stack); #line 262 "runpath.in" {Stack->push(camp::concat(p,q)); return;} } #line 266 "runpath.in" // pair min(explicit path p); void gen_runpath32(stack *Stack) { path p=vm::pop(Stack); #line 267 "runpath.in" {Stack->push(p.min()); return;} } #line 271 "runpath.in" // pair max(explicit path p); void gen_runpath33(stack *Stack) { path p=vm::pop(Stack); #line 272 "runpath.in" {Stack->push(p.max()); return;} } #line 276 "runpath.in" // Int size(patharray *p); void gen_runpath34(stack *Stack) { patharray * p=vm::pop(Stack); #line 277 "runpath.in" size_t size=checkArray(p); Int count=0; for (size_t i = 0; i < size; i++) count += read(p,i)->size(); {Stack->push(count); return;} } #line 285 "runpath.in" // pair min(patharray *p); void gen_runpath35(stack *Stack) { patharray * p=vm::pop(Stack); #line 286 "runpath.in" size_t size=checkArray(p); if(size == 0) error(nopoints); path *g = p->read(0); pair z = g->min(); double minx = z.getx(), miny = z.gety(); for (size_t i = 1; i < size; ++i) { path *g = p->read(i); pair z = g->min(); double x = z.getx(), y = z.gety(); if (x < minx) minx = x; if (y < miny) miny = y; } {Stack->push(pair(minx, miny)); return;} } #line 309 "runpath.in" // pair max(patharray *p); void gen_runpath36(stack *Stack) { patharray * p=vm::pop(Stack); #line 310 "runpath.in" size_t size=checkArray(p); if(size == 0) error(nopoints); path *g = p->read(0); pair z = g->max(); double maxx = z.getx(), maxy = z.gety(); for (size_t i = 1; i < size; ++i) { path *g = p->read(i); pair z = g->max(); double x = z.getx(), y = z.gety(); if (x > maxx) maxx = x; if (y > maxy) maxy = y; } {Stack->push(pair(maxx, maxy)); return;} } #line 333 "runpath.in" // pair minAfterTransform(transform t, patharray *p); void gen_runpath37(stack *Stack) { patharray * p=vm::pop(Stack); transform t=vm::pop(Stack); #line 334 "runpath.in" size_t size=checkArray(p); if(size == 0) error(nopoints); path g = p->read(0)->transformed(t); pair z = g.min(); double minx = z.getx(), miny = z.gety(); for (size_t i = 1; i < size; ++i) { path g = p->read(i)->transformed(t); pair z = g.min(); double x = z.getx(), y = z.gety(); if (x < minx) minx = x; if (y < miny) miny = y; } {Stack->push(pair(minx, miny)); return;} } #line 357 "runpath.in" // pair maxAfterTransform(transform t, patharray *p); void gen_runpath38(stack *Stack) { patharray * p=vm::pop(Stack); transform t=vm::pop(Stack); #line 358 "runpath.in" size_t size=checkArray(p); if(size == 0) error(nopoints); path g = p->read(0)->transformed(t); pair z = g.max(); double maxx = z.getx(), maxy = z.gety(); for (size_t i = 1; i < size; ++i) { path g = p->read(i)->transformed(t); pair z = g.max(); double x = z.getx(), y = z.gety(); if (x > maxx) maxx = x; if (y > maxy) maxy = y; } {Stack->push(pair(maxx, maxy)); return;} } #line 381 "runpath.in" // realarray* mintimes(path p); void gen_runpath39(stack *Stack) { path p=vm::pop(Stack); #line 382 "runpath.in" array *V=new array(2); pair z=p.mintimes(); (*V)[0]=z.getx(); (*V)[1]=z.gety(); {Stack->push(V); return;} } #line 390 "runpath.in" // realarray* maxtimes(path p); void gen_runpath40(stack *Stack) { path p=vm::pop(Stack); #line 391 "runpath.in" array *V=new array(2); pair z=p.maxtimes(); (*V)[0]=z.getx(); (*V)[1]=z.gety(); {Stack->push(V); return;} } #line 399 "runpath.in" // real relativedistance(real theta, real phi, real t, bool atleast); void gen_runpath41(stack *Stack) { bool atleast=vm::pop(Stack); real t=vm::pop(Stack); real phi=vm::pop(Stack); real theta=vm::pop(Stack); #line 400 "runpath.in" {Stack->push(camp::velocity(theta,phi,tension(t,atleast))); return;} } #line 404 "runpath.in" // Int windingnumber(patharray *p, pair z); void gen_runpath42(stack *Stack) { pair z=vm::pop(Stack); patharray * p=vm::pop(Stack); #line 405 "runpath.in" {Stack->push(windingnumber(p,z)); return;} } #line 409 "runpath.in" // bool inside(explicit patharray *g, pair z, pen fillrule=CURRENTPEN); void gen_runpath43(stack *Stack) { pen fillrule=vm::pop(Stack,CURRENTPEN); pair z=vm::pop(Stack); patharray * g=vm::pop(Stack); #line 410 "runpath.in" {Stack->push(fillrule.inside(windingnumber(g,z))); return;} } #line 414 "runpath.in" // bool inside(path g, pair z, pen fillrule=CURRENTPEN); void gen_runpath44(stack *Stack) { pen fillrule=vm::pop(Stack,CURRENTPEN); pair z=vm::pop(Stack); path g=vm::pop(Stack); #line 415 "runpath.in" {Stack->push(fillrule.inside(g.windingnumber(z))); return;} } // Return a positive (negative) value if a--b--c--cycle is oriented // counterclockwise (clockwise) or zero if all three points are colinear. // Equivalently, return a positive (negative) value if c lies to the // left (right) of the line through a and b or zero if c lies on this line. // The value returned is the determinant // |a.x a.y 1| // |b.x b.y 1| // |c.x c.y 1| // #line 428 "runpath.in" // real orient(pair a, pair b, pair c); void gen_runpath45(stack *Stack) { pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 429 "runpath.in" {Stack->push(orient2d(a,b,c)); return;} } // Return a positive (negative) value if d lies inside (outside) // the circle passing through the counterclockwise-oriented points a,b,c // or zero if d lies on this circle. // The value returned is the determinant // |a.x a.y a.x^2+a.y^2 1| // |b.x b.y b.x^2+b.y^2 1| // |c.x c.y c.x^2+c.y^2 1| // |d.x d.y d.x^2+d.y^2 1| #line 441 "runpath.in" // real incircle(pair a, pair b, pair c, pair d); void gen_runpath46(stack *Stack) { pair d=vm::pop(Stack); pair c=vm::pop(Stack); pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 442 "runpath.in" {Stack->push(incircle(a.getx(),a.gety(),b.getx(),b.gety(),c.getx(),c.gety(), d.getx(),d.gety())); return;} } } // namespace run namespace trans { void gen_runpath_venv(venv &ve) { #line 44 "runpath.in" REGISTER_BLTIN(run::nullPath,"nullPath"); #line 49 "runpath.in" addFunc(ve, run::gen_runpath1, primBoolean(), SYM_EQ, formal(primPath(), SYM(a), false, false), formal(primPath(), SYM(b), false, false)); #line 54 "runpath.in" addFunc(ve, run::gen_runpath2, primBoolean(), SYM_NEQ, formal(primPath(), SYM(a), false, false), formal(primPath(), SYM(b), false, false)); #line 59 "runpath.in" addFunc(ve, run::gen_runpath3, primPair(), SYM(point), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 64 "runpath.in" addFunc(ve, run::gen_runpath4, primPair(), SYM(point), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 69 "runpath.in" addFunc(ve, run::gen_runpath5, primPair(), SYM(precontrol), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 74 "runpath.in" addFunc(ve, run::gen_runpath6, primPair(), SYM(precontrol), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 79 "runpath.in" addFunc(ve, run::gen_runpath7, primPair(), SYM(postcontrol), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 84 "runpath.in" addFunc(ve, run::gen_runpath8, primPair(), SYM(postcontrol), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 89 "runpath.in" addFunc(ve, run::gen_runpath9, primPair(), SYM(dir), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(t), false, false), formal(primInt(), SYM(sign), true, false), formal(primBoolean(), SYM(normalize), true, false)); #line 94 "runpath.in" addFunc(ve, run::gen_runpath10, primPair(), SYM(dir), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(t), false, false), formal(primBoolean(), SYM(normalize), true, false)); #line 99 "runpath.in" addFunc(ve, run::gen_runpath11, primPair(), SYM(accel), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(t), false, false), formal(primInt(), SYM(sign), true, false)); #line 104 "runpath.in" addFunc(ve, run::gen_runpath12, primPair(), SYM(accel), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 109 "runpath.in" addFunc(ve, run::gen_runpath13, primReal(), SYM(radius), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(t), false, false)); #line 121 "runpath.in" addFunc(ve, run::gen_runpath14, primPath(), SYM(reverse), formal(primPath(), SYM(p), false, false)); #line 126 "runpath.in" addFunc(ve, run::gen_runpath15, primPath(), SYM(subpath), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(a), false, false), formal(primInt(), SYM(b), false, false)); #line 131 "runpath.in" addFunc(ve, run::gen_runpath16, primPath(), SYM(subpath), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(a), false, false), formal(primReal(), SYM(b), false, false)); #line 136 "runpath.in" addFunc(ve, run::gen_runpath17, primPath(), SYM(nurb), formal(primPair(), SYM(z0), false, false), formal(primPair(), SYM(z1), false, false), formal(primPair(), SYM(z2), false, false), formal(primPair(), SYM(z3), false, false), formal(primReal(), SYM(w0), false, false), formal(primReal(), SYM(w1), false, false), formal(primReal(), SYM(w2), false, false), formal(primReal(), SYM(w3), false, false), formal(primInt(), SYM(m), false, false)); #line 142 "runpath.in" addFunc(ve, run::gen_runpath18, primInt(), SYM(length), formal(primPath(), SYM(p), false, false)); #line 147 "runpath.in" addFunc(ve, run::gen_runpath19, primBoolean(), SYM(cyclic), formal(primPath(), SYM(p), false, false)); #line 152 "runpath.in" addFunc(ve, run::gen_runpath20, primBoolean(), SYM(straight), formal(primPath(), SYM(p), false, false), formal(primInt(), SYM(t), false, false)); #line 157 "runpath.in" addFunc(ve, run::gen_runpath21, primPath(), SYM(unstraighten), formal(primPath(), SYM(p), false, false)); #line 162 "runpath.in" addFunc(ve, run::gen_runpath22, primBoolean(), SYM(piecewisestraight), formal(primPath(), SYM(p), false, false)); #line 167 "runpath.in" addFunc(ve, run::gen_runpath23, primReal(), SYM(arclength), formal(primPath(), SYM(p), false, false)); #line 172 "runpath.in" addFunc(ve, run::gen_runpath24, primReal(), SYM(arctime), formal(primPath(), SYM(p), false, false), formal(primReal(), SYM(l), false, false)); #line 177 "runpath.in" addFunc(ve, run::gen_runpath25, primReal(), SYM(dirtime), formal(primPath(), SYM(p), false, false), formal(primPair(), SYM(z), false, false)); #line 182 "runpath.in" addFunc(ve, run::gen_runpath26, realArray(), SYM(intersect), formal(primPath(), SYM(p), false, false), formal(primPath(), SYM(q), false, false), formal(primReal(), SYM(fuzz), true, false)); #line 199 "runpath.in" addFunc(ve, run::gen_runpath27, realArray2(), SYM(intersections), formal(primPath(), SYM(p), false, false), formal(primPath(), SYM(q), false, false), formal(primReal(), SYM(fuzz), true, false)); #line 230 "runpath.in" addFunc(ve, run::gen_runpath28, realArray(), SYM(intersections), formal(primPath(), SYM(p), false, false), formal(primPair(), SYM(a), false, true), formal(primPair(), SYM(b), false, true), formal(primReal(), SYM(fuzz), true, false)); #line 245 "runpath.in" addFunc(ve, run::gen_runpath29, primPair(), SYM(extension), formal(primPair(), SYM(p), false, false), formal(primPair(), SYM(q), false, false), formal(primPair(), SYM(p), false, false), formal(primPair(), SYM(q), false, false)); #line 256 "runpath.in" addFunc(ve, run::gen_runpath30, primInt(), SYM(size), formal(primPath(), SYM(p), false, false)); #line 261 "runpath.in" addFunc(ve, run::gen_runpath31, primPath(), SYM_AMPERSAND, formal(primPath(), SYM(p), false, false), formal(primPath(), SYM(q), false, false)); #line 266 "runpath.in" addFunc(ve, run::gen_runpath32, primPair(), SYM(min), formal(primPath(), SYM(p), false, true)); #line 271 "runpath.in" addFunc(ve, run::gen_runpath33, primPair(), SYM(max), formal(primPath(), SYM(p), false, true)); #line 276 "runpath.in" addFunc(ve, run::gen_runpath34, primInt(), SYM(size), formal(pathArray() , SYM(p), false, false)); #line 285 "runpath.in" addFunc(ve, run::gen_runpath35, primPair(), SYM(min), formal(pathArray() , SYM(p), false, false)); #line 309 "runpath.in" addFunc(ve, run::gen_runpath36, primPair(), SYM(max), formal(pathArray() , SYM(p), false, false)); #line 333 "runpath.in" addFunc(ve, run::gen_runpath37, primPair(), SYM(minAfterTransform), formal(primTransform(), SYM(t), false, false), formal(pathArray() , SYM(p), false, false)); #line 357 "runpath.in" addFunc(ve, run::gen_runpath38, primPair(), SYM(maxAfterTransform), formal(primTransform(), SYM(t), false, false), formal(pathArray() , SYM(p), false, false)); #line 381 "runpath.in" addFunc(ve, run::gen_runpath39, realArray(), SYM(mintimes), formal(primPath(), SYM(p), false, false)); #line 390 "runpath.in" addFunc(ve, run::gen_runpath40, realArray(), SYM(maxtimes), formal(primPath(), SYM(p), false, false)); #line 399 "runpath.in" addFunc(ve, run::gen_runpath41, primReal(), SYM(relativedistance), formal(primReal(), SYM(theta), false, false), formal(primReal(), SYM(phi), false, false), formal(primReal(), SYM(t), false, false), formal(primBoolean(), SYM(atleast), false, false)); #line 404 "runpath.in" addFunc(ve, run::gen_runpath42, primInt(), SYM(windingnumber), formal(pathArray() , SYM(p), false, false), formal(primPair(), SYM(z), false, false)); #line 409 "runpath.in" addFunc(ve, run::gen_runpath43, primBoolean(), SYM(inside), formal(pathArray() , SYM(g), false, true), formal(primPair(), SYM(z), false, false), formal(primPen(), SYM(fillrule), true, false)); #line 414 "runpath.in" addFunc(ve, run::gen_runpath44, primBoolean(), SYM(inside), formal(primPath(), SYM(g), false, false), formal(primPair(), SYM(z), false, false), formal(primPen(), SYM(fillrule), true, false)); #line 419 "runpath.in" addFunc(ve, run::gen_runpath45, primReal(), SYM(orient), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false), formal(primPair(), SYM(c), false, false)); #line 433 "runpath.in" addFunc(ve, run::gen_runpath46, primReal(), SYM(incircle), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false), formal(primPair(), SYM(c), false, false), formal(primPair(), SYM(d), false, false)); } } // namespace trans asymptote-2.62/glrender.h0000644000000000000000000002176313607467113014162 0ustar rootroot/***** * glrender.h * Render 3D Bezier paths and surfaces. *****/ #ifndef GLRENDER_H #define GLRENDER_H #include "common.h" #include "triple.h" #ifdef HAVE_LIBGLM #define GLM_ENABLE_EXPERIMENTAL #include #include #include #include #endif #ifdef HAVE_GL #include #define GLEW_NO_GLU //#define GLEW_OSMESA #ifdef __MSDOS__ #define GLEW_STATIC #define _WIN32 #endif #include "GL/glew.h" #ifdef __APPLE__ #define GL_SILENCE_DEPRECATION #include #ifdef HAVE_LIBGLUT #include #endif #ifdef HAVE_LIBOSMESA #include #endif #else #ifdef __MSDOS__ #undef _WIN32 #include #include #include #endif #ifdef HAVE_LIBGLUT #include #endif #ifdef HAVE_LIBOSMESA #include #endif #endif #else typedef unsigned int GLuint; typedef int GLint; typedef float GLfloat; typedef double GLdouble; #endif #ifdef HAVE_LIBGLM #include "material.h" #endif namespace camp { class picture; inline void store(GLfloat *f, double *C) { f[0]=C[0]; f[1]=C[1]; f[2]=C[2]; } inline void store(GLfloat *control, const camp::triple& v) { control[0]=v.getx(); control[1]=v.gety(); control[2]=v.getz(); } inline void store(GLfloat *control, const triple& v, double weight) { control[0]=v.getx()*weight; control[1]=v.gety()*weight; control[2]=v.getz()*weight; control[3]=weight; } } namespace gl { extern bool outlinemode; extern bool wireframeMode; extern bool orthographic; extern double xmin,xmax; extern double ymin,ymax; extern double zmin,zmax; extern int fullWidth,fullHeight; extern double Zoom0; extern double Angle; extern camp::pair Shift; extern camp::pair Margin; extern camp::triple *Lights; extern size_t nlights; extern double *Diffuse; extern double *Background; struct projection { public: bool orthographic; camp::triple camera; camp::triple up; camp::triple target; double zoom; double angle; camp::pair viewportshift; projection(bool orthographic=false, camp::triple camera=0.0, camp::triple up=0.0, camp::triple target=0.0, double zoom=0.0, double angle=0.0, camp::pair viewportshift=0.0) : orthographic(orthographic), camera(camera), up(up), target(target), zoom(zoom), angle(angle), viewportshift(viewportshift) {} }; #ifdef HAVE_GL extern GLuint ubo; GLuint initHDR(); #endif projection camera(bool user=true); void glrender(const string& prefix, const camp::picture* pic, const string& format, double width, double height, double angle, double zoom, const camp::triple& m, const camp::triple& M, const camp::pair& shift, const camp::pair& margin, double *t, double *background, size_t nlights, camp::triple *lights, double *diffuse, double *specular, bool view, int oldpid=0); extern const double *dprojView; extern const double *dView; extern double BBT[9]; } namespace camp { struct Billboard { double cx,cy,cz; void init(const triple& center) { cx=center.getx(); cy=center.gety(); cz=center.getz(); } triple transform(const triple& v) const { double x=v.getx()-cx; double y=v.gety()-cy; double z=v.getz()-cz; return triple(x*gl::BBT[0]+y*gl::BBT[3]+z*gl::BBT[6]+cx, x*gl::BBT[1]+y*gl::BBT[4]+z*gl::BBT[7]+cy, x*gl::BBT[2]+y*gl::BBT[5]+z*gl::BBT[8]+cz); } }; extern Billboard BB; #ifdef HAVE_LIBGLM typedef mem::map MaterialMap; extern std::vector material; extern MaterialMap materialMap; extern size_t materialIndex; extern int MaterialIndex; #endif #ifdef HAVE_GL extern const size_t Nbuffer; // Initial size of 2D dynamic buffers extern const size_t nbuffer; // Initial size of 0D & 1D dynamic buffers class vertexData { public: GLfloat position[3]; GLfloat normal[3]; GLint material; vertexData() {}; vertexData(const triple& v, const triple& n) { position[0]=v.getx(); position[1]=v.gety(); position[2]=v.getz(); normal[0]=n.getx(); normal[1]=n.gety(); normal[2]=n.getz(); material=MaterialIndex; } }; class VertexData { public: GLfloat position[3]; GLfloat normal[3]; GLint material; GLubyte color[4]; VertexData() {}; VertexData(const triple& v, const triple& n) { position[0]=v.getx(); position[1]=v.gety(); position[2]=v.getz(); normal[0]=n.getx(); normal[1]=n.gety(); normal[2]=n.getz(); material=MaterialIndex; } VertexData(const triple& v, const triple& n, GLfloat *c) { position[0]=v.getx(); position[1]=v.gety(); position[2]=v.getz(); normal[0]=n.getx(); normal[1]=n.gety(); normal[2]=n.getz(); material=MaterialIndex; color[0]=(int)(bytescale*c[0]); color[1]=(int)(bytescale*c[1]); color[2]=(int)(bytescale*c[2]); color[3]=(int)(bytescale*c[3]); } }; class vertexData1 { public: GLfloat position[3]; GLint material; vertexData1() {}; vertexData1(const triple& v) { position[0]=v.getx(); position[1]=v.gety(); position[2]=v.getz(); material=MaterialIndex; } }; class vertexData0 { public: GLfloat position[3]; GLfloat width; GLint material; vertexData0() {}; vertexData0(const triple& v, double width) : width(width) { position[0]=v.getx(); position[1]=v.gety(); position[2]=v.getz(); material=MaterialIndex; } }; class vertexBuffer { public: std::vector vertices; std::vector Vertices; std::vector vertices1; std::vector vertices0; std::vector indices; std::vector materials; std::vector materialTable; void clear() { vertices.clear(); Vertices.clear(); vertices1.clear(); vertices0.clear(); indices.clear(); materials.clear(); materialTable.clear(); } void reserve0() { vertices0.reserve(nbuffer); } void reserve1() { vertices1.reserve(nbuffer); } void reserve() { vertices.reserve(Nbuffer); indices.reserve(Nbuffer); } void Reserve() { Vertices.reserve(Nbuffer); indices.reserve(Nbuffer); } // Store the vertex v and its normal vector n. GLuint vertex(const triple &v, const triple& n) { size_t nvertices=vertices.size(); vertices.push_back(vertexData(v,n)); return nvertices; } // Store the vertex v and its normal vector n, without an explicit color. GLuint tvertex(const triple &v, const triple& n) { size_t nvertices=Vertices.size(); Vertices.push_back(VertexData(v,n)); return nvertices; } // Store the vertex v, its normal vector n, and colors c. GLuint Vertex(const triple &v, const triple& n, GLfloat *c) { size_t nvertices=Vertices.size(); Vertices.push_back(VertexData(v,n,c)); return nvertices; } // Store the vertex v. GLuint vertex1(const triple &v) { size_t nvertices=vertices1.size(); vertices1.push_back(vertexData1(v)); return nvertices; } // Store the pixel v and its width. GLuint vertex0(const triple &v, double width) { size_t nvertices=vertices0.size(); vertices0.push_back(vertexData0(v,width)); return nvertices; } // append array b onto array a with offset void appendOffset(std::vector& a, const std::vector& b, size_t offset) { size_t n=a.size(); size_t m=b.size(); a.resize(n+m); for(size_t i=0; i < m; ++i) a[n+i]=b[i]+offset; } // append array b onto array a void append(const vertexBuffer& b) { appendOffset(indices,b.indices,vertices.size()); vertices.insert(vertices.end(),b.vertices.begin(),b.vertices.end()); } void Append(const vertexBuffer& b) { appendOffset(indices,b.indices,Vertices.size()); Vertices.insert(Vertices.end(),b.Vertices.begin(),b.Vertices.end()); } void append1(const vertexBuffer& b) { appendOffset(indices,b.indices,vertices1.size()); vertices1.insert(vertices1.end(),b.vertices1.begin(),b.vertices1.end()); } void append0(const vertexBuffer& b) { appendOffset(indices,b.indices,vertices0.size()); vertices0.insert(vertices0.end(),b.vertices0.begin(),b.vertices0.end()); } }; extern GLint pixelShader; extern GLint noNormalShader; extern GLint materialShader; extern GLint colorShader; extern GLint transparentShader; extern vertexBuffer material0Data; // pixels extern vertexBuffer material1Data; // material Bezier curves extern vertexBuffer materialData; // material Bezier patches & triangles extern vertexBuffer colorData; // colored Bezier patches & triangles extern vertexBuffer triangleData; // opaque indexed triangles extern vertexBuffer transparentData; // transparent patches & triangles void drawBuffer(vertexBuffer& data, GLint shader); void drawBuffers(); void clearMaterialBuffer(); typedef void draw_t(); void setMaterial(vertexBuffer& data, draw_t *draw); void drawMaterial0(); void drawMaterial1(); void drawMaterial(); void drawColor(); void drawTriangle(); void drawTransparent(); #endif } #endif asymptote-2.62/runarray.cc0000644000000000000000000021074713607467143014366 0ustar rootroot/***** Autogenerated from runarray.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runarray.in" /***** * runarray.in * * Runtime functions for array operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 21 "runarray.in" #include "array.h" #include "arrayop.h" #include "triple.h" #include "path3.h" #include "Delaunay.h" #include "glrender.h" #ifdef HAVE_LIBFFTW3 #include "fftw++.h" #endif using namespace camp; using namespace vm; namespace run { extern pair zero; } typedef array boolarray; typedef array Intarray; typedef array Intarray2; typedef array realarray; typedef array realarray2; typedef array pairarray; typedef array pairarray2; typedef array triplearray2; using types::booleanArray; using types::IntArray; using types::IntArray2; using types::realArray; using types::realArray2; using types::pairArray; using types::pairArray2; using types::tripleArray2; typedef callable callableReal; void outOfBounds(const char *op, size_t len, Int n) { ostringstream buf; buf << op << " array of length " << len << " with out-of-bounds index " << n; error(buf); } inline item& arrayRead(array *a, Int n) { size_t len=checkArray(a); bool cyclic=a->cyclic(); if(cyclic && len > 0) n=imod(n,len); else if(n < 0 || n >= (Int) len) outOfBounds("reading",len,n); return (*a)[(unsigned) n]; } // Helper function to create deep arrays. static array* deepArray(Int depth, Int *dims) { assert(depth > 0); if (depth == 1) { return new array(dims[0]); } else { Int length = dims[0]; depth--; dims++; array *a = new array(length); for (Int index = 0; index < length; index++) { (*a)[index] = deepArray(depth, dims); } return a; } } namespace run { array *Identity(Int n) { size_t N=(size_t) n; array *c=new array(N); for(size_t i=0; i < N; ++i) { array *ci=new array(N); (*c)[i]=ci; for(size_t j=0; j < N; ++j) (*ci)[j]=0.0; (*ci)[i]=1.0; } return c; } } static const char *incommensurate="Incommensurate matrices"; static const char *singular="Singular matrix"; static const char *invalidarraylength="Invalid array length: "; static size_t *pivot,*Row,*Col; bound_double *bounddouble(int N) { if(N == 16) return bound; if(N == 10) return boundtri; ostringstream buf; buf << invalidarraylength << " " << N; error(buf); return NULL; } bound_triple *boundtriple(int N) { if(N == 16) return bound; if(N == 10) return boundtri; ostringstream buf; buf << invalidarraylength << " " << N; error(buf); return NULL; } static inline void inverseAllocate(size_t n) { pivot=new size_t[n]; Row=new size_t[n]; Col=new size_t[n]; } static inline void inverseDeallocate() { delete[] pivot; delete[] Row; delete[] Col; } namespace run { array *copyArray(array *a) { size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=(*a)[i]; return c; } array *copyArray2(array *a) { size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) { array *ai=read(a,i); size_t aisize=checkArray(ai); array *ci=new array(aisize); (*c)[i]=ci; for(size_t j=0; j < aisize; j++) (*ci)[j]=(*ai)[j]; } return c; } double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement) { size_t n=checkArray(a); N=0; for(size_t i=0; i < n; i++) N += checkArray(read(a,i)); double *A=(placement == NoGC) ? new double [3*N] : new(placement) double[3*N]; double *p=A; for(size_t i=0; i < n; i++) { array *ai=read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; j++) { triple v=read(ai,j); *p=v.getx(); *(p+N)=v.gety(); *(p+2*N)=v.getz(); ++p; } } return A; } triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement) { size_t n=checkArray(a); N=0; for(size_t i=0; i < n; i++) N += checkArray(read(a,i)); triple *A=(placement == NoGC) ? new triple [N] : new(placement) triple[N]; triple *p=A; for(size_t i=0; i < n; i++) { array *ai=read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; j++) *(p++)=read(ai,j); } return A; } triple operator *(const array& t, const triple& v) { size_t n=checkArray(&t); if(n != 4) error(incommensurate); array *t0=read(t,0); array *t1=read(t,1); array *t2=read(t,2); array *t3=read(t,3); if(checkArray(t0) != 4 || checkArray(t1) != 4 || checkArray(t2) != 4 || checkArray(t3) != 4) error(incommensurate); double x=v.getx(); double y=v.gety(); double z=v.getz(); double f=read(t3,0)*x+read(t3,1)*y+read(t3,2)*z+ read(t3,3); if(f == 0.0) run::dividebyzero(); f=1.0/f; return triple((read(t0,0)*x+read(t0,1)*y+read(t0,2)*z+ read(t0,3))*f, (read(t1,0)*x+read(t1,1)*y+read(t1,2)*z+ read(t1,3))*f, (read(t2,0)*x+read(t2,1)*y+read(t2,2)*z+ read(t2,3))*f); } template array *mult(array *a, array *b) { size_t n=checkArray(a); size_t nb=checkArray(b); size_t na0=n == 0 ? 0 : checkArray(read(a,0)); if(na0 != nb) error(incommensurate); size_t nb0=nb == 0 ? 0 : checkArray(read(b,0)); array *c=new array(n); T *A,*B; copyArray2C(A,a,false); copyArray2C(B,b,false); for(size_t i=0; i < n; ++i) { T *Ai=A+i*nb; array *ci=new array(nb0); (*c)[i]=ci; for(size_t j=0; j < nb0; ++j) { T sum=T(); size_t kj=j; for(size_t k=0; k < nb; ++k, kj += nb0) sum += Ai[k]*B[kj]; (*ci)[j]=sum; } } delete[] B; delete[] A; return c; } // Compute transpose(A)*A where A is an n x m matrix. template array *AtA(array *a) { size_t n=checkArray(a); size_t m=n == 0 ? 0 : checkArray(read(a,0)); array *c=new array(m); T *A; copyArray2C(A,a,false); for(size_t i=0; i < m; ++i) { array *ci=new array(m); (*c)[i]=ci; for(size_t j=0; j < m; ++j) { T sum=T(); size_t kj=j; size_t ki=i; for(size_t k=0; k < n; ++k, kj += m, ki += m) sum += A[ki]*A[kj]; (*ci)[j]=sum; } } delete[] A; return c; } double norm(double *a, size_t n) { if(n == 0) return 0.0; double M=fabs(a[0]); for(size_t i=1; i < n; ++i) M=::max(M,fabs(a[i])); return M; } double norm(triple *a, size_t n) { if(n == 0) return 0.0; double M=a[0].abs2(); for(size_t i=1; i < n; ++i) M=::max(M,a[i].abs2()); return sqrt(M); } // Transpose an n x n matrix in place. void transpose(double *a, size_t n) { for(size_t i=1; i < n; i++) { for(size_t j=0; j < i; j++) { size_t ij=n*i+j; size_t ji=n*j+i; double temp=a[ij]; a[ij]=a[ji]; a[ji]=temp; } } } // Invert an n x n array in place. void inverse(double *M, size_t n) { if(n == 2) { real a=M[0]; real b=M[1]; real c=M[2]; real d=M[3]; real det=a*d-b*c; if(det == 0.0) error(singular); det=1.0/det; M[0]=d*det; M[1]=-b*det; M[2]=-c*det; M[3]=a*det; return; } if(n == 3) { real a=M[0], b=M[1], c=M[2]; real d=M[3], e=M[4], f=M[5]; real g=M[6], h=M[7], i=M[8]; real A=e*i-f*h; real B=f*g-d*i; real C=d*h-e*g; real det=a*A+b*B+c*C; if(det == 0.0) error(singular); det=1.0/det; M[0]=A*det; M[1]=(c*h-b*i)*det; M[2]=(b*f-c*e)*det; M[3]=B*det; M[4]=(a*i-c*g)*det; M[5]=(c*d-a*f)*det; M[6]=C*det; M[7]=(b*g-a*h)*det; M[8]=(a*e-b*d)*det; return; } inverseAllocate(n); for(size_t i=0; i < n; i++) pivot[i]=0; size_t col=0, row=0; // This is the main loop over the columns to be reduced. for(size_t i=0; i < n; i++) { real big=0.0; // This is the outer loop of the search for a pivot element. for(size_t j=0; j < n; j++) { double *aj=M+n*j; if(pivot[j] != 1) { for(size_t k=0; k < n; k++) { if(pivot[k] == 0) { real temp=fabs(aj[k]); if(temp >= big) { big=temp; row=j; col=k; } } else if(pivot[k] > 1) { inverseDeallocate(); error(singular); } } } } ++(pivot[col]); // Interchange rows, if needed, to put the pivot element on the diagonal. double *acol=M+n*col; if(row != col) { double *arow=M+n*row; for(size_t k=0; k < n; k++) { real temp=arow[k]; arow[k]=acol[k]; acol[k]=temp; } } Row[i]=row; Col[i]=col; // Divide the pivot row by the pivot element. real denom=acol[col]; if(denom == 0.0) { inverseDeallocate(); error(singular); } real pivinv=1.0/denom; acol[col]=1.0; for(size_t k=0; k < n; k++) acol[k]=acol[k]*pivinv; // Reduce all rows except for the pivoted one. for(size_t k=0; k < n; k++) { if(k != col) { double *ak=M+n*k; real akcol=ak[col]; ak[col]=0.0; for(size_t j=0; j < n; j++) ak[j] -= acol[j]*akcol; } } } // Unscramble the inverse matrix in view of the column interchanges. for(size_t k=n; k > 0;) { k--; size_t r=Row[k]; size_t c=Col[k]; if(r != c) { for(size_t j=0; j < n; j++) { double *aj=M+n*j; real temp=aj[r]; aj[r]=aj[c]; aj[c]=temp; } } } inverseDeallocate(); } } callable *Func; stack *FuncStack; double wrapFunction(double x) { FuncStack->push(x); Func->call(FuncStack); return pop(FuncStack); } callable *compareFunc; bool compareFunction(const vm::item& i, const vm::item& j) { FuncStack->push(i); FuncStack->push(j); compareFunc->call(FuncStack); return pop(FuncStack); } // Crout's algorithm for computing the LU decomposition of a square matrix. // cf. routine ludcmp (Press et al., Numerical Recipes, 1991). Int LUdecompose(double *a, size_t n, size_t* index, bool warn=true) { double *vv=new double[n]; Int swap=1; for(size_t i=0; i < n; ++i) { double big=0.0; double *ai=a+i*n; for(size_t j=0; j < n; ++j) { double temp=fabs(ai[j]); if(temp > big) big=temp; } if(big == 0.0) { delete[] vv; if(warn) error(singular); else return 0; } vv[i]=1.0/big; } for(size_t j=0; j < n; ++j) { for(size_t i=0; i < j; ++i) { double *ai=a+i*n; double sum=ai[j]; for(size_t k=0; k < i; ++k) { sum -= ai[k]*a[k*n+j]; } ai[j]=sum; } double big=0.0; size_t imax=j; for(size_t i=j; i < n; ++i) { double *ai=a+i*n; double sum=ai[j]; for(size_t k=0; k < j; ++k) sum -= ai[k]*a[k*n+j]; ai[j]=sum; double temp=vv[i]*fabs(sum); if(temp >= big) { big=temp; imax=i; } } double *aj=a+j*n; double *aimax=a+imax*n; if(j != imax) { for(size_t k=0; k < n; ++k) { double temp=aimax[k]; aimax[k]=aj[k]; aj[k]=temp; } swap *= -1; vv[imax]=vv[j]; } if(index) index[j]=imax; if(j != n) { double denom=aj[j]; if(denom == 0.0) { delete[] vv; if(warn) error(singular); else return 0; } for(size_t i=j+1; i < n; ++i) a[i*n+j] /= denom; } } delete[] vv; return swap; } namespace run { void dividebyzero(size_t i) { ostringstream buf; if(i > 0) buf << "array element " << i << ": "; buf << "Divide by zero"; error(buf); } void integeroverflow(size_t i) { ostringstream buf; if(i > 0) buf << "array element " << i << ": "; buf << "Integer overflow"; error(buf); } } // Autogenerated routines: #ifndef NOSYM #include "runarray.symbols.h" #endif namespace run { // Create an empty array. #line 586 "runarray.in" void emptyArray(stack *Stack) { #line 587 "runarray.in" {Stack->push(new array(0)); return;} } // Create a new array (technically a vector). // This array will be multidimensional. First the number of dimensions // is popped off the stack, followed by each dimension in reverse order. // The array itself is technically a one dimensional array of one // dimension arrays and so on. #line 596 "runarray.in" void newDeepArray(stack *Stack) { Int depth=vm::pop(Stack); #line 597 "runarray.in" assert(depth > 0); Int *dims = new Int[depth]; for (Int index = depth-1; index >= 0; index--) { Int i=pop(Stack); if(i < 0) error("cannot create a negative length array"); dims[index]=i; } array *a=deepArray(depth, dims); delete[] dims; {Stack->push(a); return;} } // Creates an array with elements already specified. First, the number // of elements is popped off the stack, followed by each element in // reverse order. #line 616 "runarray.in" void newInitializedArray(stack *Stack) { Int n=vm::pop(Stack); #line 617 "runarray.in" assert(n >= 0); array *a = new array(n); for (Int index = n-1; index >= 0; index--) (*a)[index] = pop(Stack); {Stack->push(a); return;} } // Similar to newInitializedArray, but after the n elements, append another // array to it. #line 630 "runarray.in" void newAppendedArray(stack *Stack) { Int n=vm::pop(Stack); array* tail=vm::pop(Stack); #line 631 "runarray.in" assert(n >= 0); array *a = new array(n); for (Int index = n-1; index >= 0; index--) (*a)[index] = pop(Stack); copy(tail->begin(), tail->end(), back_inserter(*a)); {Stack->push(a); return;} } // Produce an array of n deep copies of value. // typeDepth is the true depth of the array determined at compile-time when the // operations for the array type are added. This typeDepth argument is // automatically pushed on the stack and is not visible to the user. #line 648 "runarray.in" void copyArrayValue(stack *Stack) { Int typeDepth=vm::pop(Stack); Int depth=vm::pop(Stack,Int_MAX); item value=vm::pop(Stack); Int n=vm::pop(Stack); #line 649 "runarray.in" if(n < 0) error("cannot create a negative length array"); if(depth < 0) error("cannot copy to a negative depth"); if(depth > typeDepth) depth=typeDepth; {Stack->push(new array((size_t) n, value, depth)); return;} } // Deep copy of array. // typeDepth is the true depth of the array determined at compile-time when the // operations for the array type are added. This typeDepth argument is // automatically pushed on the stack and is not visible to the user. #line 660 "runarray.in" void copyArray(stack *Stack) { Int typeDepth=vm::pop(Stack); Int depth=vm::pop(Stack,Int_MAX); array * a=vm::pop(Stack); #line 661 "runarray.in" if(depth < 0) error("cannot copy to a negative depth"); if(depth > typeDepth) depth=typeDepth; {Stack->push(a->copyToDepth(depth)); return;} } // Read an element from an array. Checks for initialization & bounds. #line 668 "runarray.in" void arrayRead(stack *Stack) { Int n=vm::pop(Stack); array * a=vm::pop(Stack); #line 669 "runarray.in" item& i=arrayRead(a,n); if (i.empty()) { ostringstream buf; buf << "read uninitialized value from array at index " << n; error(buf); } {Stack->push(i); return;} } // Slice a substring from an array. #line 680 "runarray.in" void arraySliceRead(stack *Stack) { Int right=vm::pop(Stack); Int left=vm::pop(Stack); array * a=vm::pop(Stack); #line 681 "runarray.in" checkArray(a); {Stack->push(a->slice(left, right)); return;} } // Slice a substring from an array. This implements the cases a[i:] and a[:] // where the endpoint is not given, and assumed to be the length of the array. #line 688 "runarray.in" void arraySliceReadToEnd(stack *Stack) { Int left=vm::pop(Stack); array * a=vm::pop(Stack); #line 689 "runarray.in" size_t len=checkArray(a); {Stack->push(a->slice(left, (Int)len)); return;} } // Read an element from an array of arrays. Check bounds and initialize // as necessary. #line 696 "runarray.in" void arrayArrayRead(stack *Stack) { Int n=vm::pop(Stack); array * a=vm::pop(Stack); #line 697 "runarray.in" item& i=arrayRead(a,n); if (i.empty()) i=new array(0); {Stack->push(i); return;} } // Write an element to an array. Increase size if necessary. // TODO: Add arrayWriteAndPop #line 705 "runarray.in" void arrayWrite(stack *Stack) { item value=vm::pop(Stack); Int n=vm::pop(Stack); array * a=vm::pop(Stack); #line 706 "runarray.in" size_t len=checkArray(a); bool cyclic=a->cyclic(); if(cyclic && len > 0) n=imod(n,len); else { if(cyclic) outOfBounds("writing cyclic",len,n); if(n < 0) outOfBounds("writing",len,n); if(len <= (size_t) n) a->resize(n+1); } (*a)[n] = value; {Stack->push(value); return;} } #line 720 "runarray.in" void arraySliceWrite(stack *Stack) { array * src=vm::pop(Stack); Int right=vm::pop(Stack); Int left=vm::pop(Stack); array * dest=vm::pop(Stack); #line 721 "runarray.in" checkArray(src); checkArray(dest); dest->setSlice(left, right, src); {Stack->push(src); return;} } #line 728 "runarray.in" void arraySliceWriteToEnd(stack *Stack) { array * src=vm::pop(Stack); Int left=vm::pop(Stack); array * dest=vm::pop(Stack); #line 729 "runarray.in" checkArray(src); size_t len=checkArray(dest); dest->setSlice(left, (Int) len, src); {Stack->push(src); return;} } // Returns the length of an array. #line 737 "runarray.in" void arrayLength(stack *Stack) { array * a=vm::pop(Stack); #line 738 "runarray.in" {Stack->push((Int) checkArray(a)); return;} } // Returns an array of integers representing the keys of the array. #line 743 "runarray.in" void arrayKeys(stack *Stack) { array * a=vm::pop(Stack); #line 744 "runarray.in" size_t size=checkArray(a); array *keys=new array(); for (size_t i=0; ipush((Int)i); } {Stack->push(keys); return;} } // Return the cyclic flag for an array. #line 758 "runarray.in" void arrayCyclicFlag(stack *Stack) { array * a=vm::pop(Stack); #line 759 "runarray.in" checkArray(a); {Stack->push(a->cyclic()); return;} } #line 764 "runarray.in" void arraySetCyclicFlag(stack *Stack) { array * a=vm::pop(Stack); bool b=vm::pop(Stack); #line 765 "runarray.in" checkArray(a); a->cyclic(b); {Stack->push(b); return;} } // Check to see if an array element is initialized. #line 772 "runarray.in" void arrayInitializedHelper(stack *Stack) { array * a=vm::pop(Stack); Int n=vm::pop(Stack); #line 773 "runarray.in" size_t len=checkArray(a); bool cyclic=a->cyclic(); if(cyclic && len > 0) n=imod(n,len); else if(n < 0 || n >= (Int) len) {Stack->push(false); return;} item&i=(*a)[(unsigned) n]; {Stack->push(!i.empty()); return;} } // Returns the initialize method for an array. #line 783 "runarray.in" void arrayInitialized(stack *Stack) { array * a=vm::pop(Stack); #line 784 "runarray.in" {Stack->push(new thunk(new bfunc(arrayInitializedHelper),a)); return;} } // The helper function for the cyclic method that sets the cyclic flag. #line 789 "runarray.in" void arrayCyclicHelper(stack *Stack) { array * a=vm::pop(Stack); bool b=vm::pop(Stack); #line 790 "runarray.in" checkArray(a); a->cyclic(b); } // Set the cyclic flag for an array. #line 796 "runarray.in" void arrayCyclic(stack *Stack) { array * a=vm::pop(Stack); #line 797 "runarray.in" {Stack->push(new thunk(new bfunc(arrayCyclicHelper),a)); return;} } // The helper function for the push method that does the actual operation. #line 802 "runarray.in" void arrayPushHelper(stack *Stack) { array * a=vm::pop(Stack); item x=vm::pop(Stack); #line 803 "runarray.in" checkArray(a); a->push(x); {Stack->push(x); return;} } // Returns the push method for an array. #line 810 "runarray.in" void arrayPush(stack *Stack) { array * a=vm::pop(Stack); #line 811 "runarray.in" {Stack->push(new thunk(new bfunc(arrayPushHelper),a)); return;} } // The helper function for the append method that appends b to a. #line 816 "runarray.in" void arrayAppendHelper(stack *Stack) { array * a=vm::pop(Stack); array * b=vm::pop(Stack); #line 817 "runarray.in" checkArray(a); size_t size=checkArray(b); for(size_t i=0; i < size; i++) a->push((*b)[i]); } // Returns the append method for an array. #line 825 "runarray.in" void arrayAppend(stack *Stack) { array * a=vm::pop(Stack); #line 826 "runarray.in" {Stack->push(new thunk(new bfunc(arrayAppendHelper),a)); return;} } // The helper function for the pop method. #line 831 "runarray.in" void arrayPopHelper(stack *Stack) { array * a=vm::pop(Stack); #line 832 "runarray.in" size_t asize=checkArray(a); if(asize == 0) error("cannot pop element from empty array"); {Stack->push(a->pop()); return;} } // Returns the pop method for an array. #line 840 "runarray.in" void arrayPop(stack *Stack) { array * a=vm::pop(Stack); #line 841 "runarray.in" {Stack->push(new thunk(new bfunc(arrayPopHelper),a)); return;} } // The helper function for the insert method. #line 846 "runarray.in" void arrayInsertHelper(stack *Stack) { array * a=vm::pop(Stack); array * x=vm::pop(Stack); Int i=vm::pop(Stack); #line 847 "runarray.in" size_t asize=checkArray(a); checkArray(x); if(a->cyclic() && asize > 0) i=imod(i,asize); if(i < 0 || i > (Int) asize) outOfBounds("inserting",asize,i); (*a).insert((*a).begin()+i,(*x).begin(),(*x).end()); } // Returns the insert method for an array. #line 857 "runarray.in" void arrayInsert(stack *Stack) { array * a=vm::pop(Stack); #line 858 "runarray.in" {Stack->push(new thunk(new bfunc(arrayInsertHelper),a)); return;} } // Returns the delete method for an array. #line 863 "runarray.in" void arrayDelete(stack *Stack) { array * a=vm::pop(Stack); #line 864 "runarray.in" {Stack->push(new thunk(new bfunc(arrayDeleteHelper),a)); return;} } #line 868 "runarray.in" void arrayAlias(stack *Stack) { array * b=vm::pop(Stack); array * a=vm::pop(Stack); #line 869 "runarray.in" {Stack->push(a==b); return;} } // Return array formed by indexing array a with elements of integer array b #line 874 "runarray.in" void arrayIntArray(stack *Stack) { array * b=vm::pop(Stack); array * a=vm::pop(Stack); #line 875 "runarray.in" size_t asize=checkArray(a); size_t bsize=checkArray(b); array *r=new array(bsize); bool cyclic=a->cyclic(); for(size_t i=0; i < bsize; i++) { Int index=read(b,i); if(cyclic && asize > 0) index=imod(index,asize); else if(index < 0 || index >= (Int) asize) outOfBounds("reading",asize,index); (*r)[i]=(*a)[index]; } {Stack->push(r); return;} } // returns the complement of the integer array a in {0,2,...,n-1}, // so that b[complement(a,b.length)] yields the complement of b[a]. #line 893 "runarray.in" // Intarray* complement(Intarray *a, Int n); void gen_runarray32(stack *Stack) { Int n=vm::pop(Stack); Intarray * a=vm::pop(Stack); #line 894 "runarray.in" size_t asize=checkArray(a); array *r=new array(0); bool *keep=new bool[n]; for(Int i=0; i < n; ++i) keep[i]=true; for(size_t i=0; i < asize; ++i) { Int j=read(a,i); if(j >= 0 && j < n) keep[j]=false; } for(Int i=0; i < n; i++) if(keep[i]) r->push(i); delete[] keep; {Stack->push(r); return;} } // Generate the sequence {f(i) : i=0,1,...n-1} given a function f and integer n #line 911 "runarray.in" void arraySequence(stack *Stack) { Int n=vm::pop(Stack); callable * f=vm::pop(Stack); #line 912 "runarray.in" if(n < 0) n=0; array *a=new array(n); for(Int i=0; i < n; ++i) { Stack->push(i); f->call(Stack); (*a)[i]=pop(Stack); } {Stack->push(a); return;} } // Return the array {0,1,...n-1} #line 924 "runarray.in" // Intarray* sequence(Int n); void gen_runarray34(stack *Stack) { Int n=vm::pop(Stack); #line 925 "runarray.in" if(n < 0) n=0; array *a=new array(n); for(Int i=0; i < n; ++i) { (*a)[i]=i; } {Stack->push(a); return;} } // Apply a function to each element of an array #line 935 "runarray.in" void arrayFunction(stack *Stack) { array * a=vm::pop(Stack); callable * f=vm::pop(Stack); #line 936 "runarray.in" size_t size=checkArray(a); array *b=new array(size); for(size_t i=0; i < size; ++i) { Stack->push((*a)[i]); f->call(Stack); (*b)[i]=pop(Stack); } {Stack->push(b); return;} } #line 947 "runarray.in" void arraySort(stack *Stack) { bool stable=vm::pop(Stack,true); callable * less=vm::pop(Stack); array * a=vm::pop(Stack); #line 948 "runarray.in" array *c=copyArray(a); compareFunc=less; FuncStack=Stack; if(stable) stable_sort(c->begin(),c->end(),compareFunction); else sort(c->begin(),c->end(),compareFunction); {Stack->push(c); return;} } #line 957 "runarray.in" void arraySearch(stack *Stack) { callable * less=vm::pop(Stack); item key=vm::pop(Stack); array * a=vm::pop(Stack); #line 958 "runarray.in" size_t size=a->size(); compareFunc=less; FuncStack=Stack; if(size == 0 || compareFunction(key,(*a)[0])) {Stack->push(-1); return;} size_t u=size-1; if(!compareFunction(key,(*a)[u])) {Stack->push(Intcast(u)); return;} size_t l=0; while (l < u) { size_t i=(l+u)/2; if(compareFunction(key,(*a)[i])) u=i; else if(compareFunction(key,(*a)[i+1])) {Stack->push(Intcast(i)); return;} else l=i+1; } {Stack->push(0); return;} } #line 976 "runarray.in" // bool all(boolarray *a); void gen_runarray38(stack *Stack) { boolarray * a=vm::pop(Stack); #line 977 "runarray.in" size_t size=checkArray(a); bool c=true; for(size_t i=0; i < size; i++) if(!get((*a)[i])) {c=false; break;} {Stack->push(c); return;} } #line 985 "runarray.in" // boolarray* !(boolarray* a); void gen_runarray39(stack *Stack) { boolarray* a=vm::pop(Stack); #line 986 "runarray.in" size_t size=checkArray(a); array *c=new array(size); for(size_t i=0; i < size; i++) (*c)[i]=!read(a,i); {Stack->push(c); return;} } #line 994 "runarray.in" // Int sum(boolarray *a); void gen_runarray40(stack *Stack) { boolarray * a=vm::pop(Stack); #line 995 "runarray.in" size_t size=checkArray(a); Int sum=0; for(size_t i=0; i < size; i++) sum += read(a,i) ? 1 : 0; {Stack->push(sum); return;} } #line 1003 "runarray.in" void arrayConcat(stack *Stack) { array * a=vm::pop(Stack); #line 1004 "runarray.in" // a is an array of arrays to be concatenated together. // The signature is // T[] concat(... T[][] a); size_t numArgs=checkArray(a); size_t resultSize=0; for (size_t i=0; i < numArgs; ++i) { resultSize += checkArray(a->read(i)); } array *result=new array(resultSize); size_t ri=0; for (size_t i=0; i < numArgs; ++i) { array *arg=a->read(i); size_t size=checkArray(arg); for (size_t j=0; j < size; ++j) { (*result)[ri]=(*arg)[j]; ++ri; } } {Stack->push(result); return;} } #line 1031 "runarray.in" void array2Transpose(stack *Stack) { array * a=vm::pop(Stack); #line 1032 "runarray.in" size_t asize=checkArray(a); array *c=new array(0); for(size_t i=0; i < asize; i++) { size_t ip=i+1; array *ai=read(a,i); size_t aisize=checkArray(ai); size_t csize=checkArray(c); if(csize < aisize) { c->resize(aisize); for(size_t j=csize; j < aisize; j++) { (*c)[j]=new array(ip); } } for(size_t j=0; j < aisize; j++) { array *cj=read(c,j); if(checkArray(cj) < ip) cj->resize(ip); (*cj)[i]=(*ai)[j]; } } {Stack->push(c); return;} } // a is a rectangular 3D array; perm is an Int array indicating the type of // permutation (021 or 120, etc; original is 012). // Transpose by sending respective members to the permutated locations: // return the array obtained by putting a[i][j][k] into position perm{ijk}. #line 1059 "runarray.in" void array3Transpose(stack *Stack) { array * perm=vm::pop(Stack); array * a=vm::pop(Stack); #line 1060 "runarray.in" const size_t DIM=3; if(checkArray(perm) != DIM) { ostringstream buf; buf << "permutation array must have length " << DIM; error(buf); } size_t* size=new size_t[DIM]; for(size_t i=0; i < DIM; ++i) size[i]=DIM; for(size_t i=0; i < DIM; ++i) { Int p=read(perm,i); size_t P=(size_t) p; if(p < 0 || P >= DIM) { ostringstream buf; buf << "permutation index out of range: " << p; error(buf); } size[P]=P; } for(size_t i=0; i < DIM; ++i) if(size[i] == DIM) error("permutation indices must be distinct"); static const char *rectangular= "3D transpose implemented for rectangular matrices only"; size_t isize=size[0]=checkArray(a); array *a0=read(a,0); size[1]=checkArray(a0); array *a00=read(a0,0); size[2]=checkArray(a00); for(size_t i=0; i < isize; i++) { array *ai=read(a,i); size_t jsize=checkArray(ai); if(jsize != size[1]) error(rectangular); for(size_t j=0; j < jsize; j++) { array *aij=read(ai,j); if(checkArray(aij) != size[2]) error(rectangular); } } size_t perm0=(size_t) read(perm,0); size_t perm1=(size_t) read(perm,1); size_t perm2=(size_t) read(perm,2); size_t sizep0=size[perm0]; size_t sizep1=size[perm1]; size_t sizep2=size[perm2]; array *c=new array(sizep0); for(size_t i=0; i < sizep0; ++i) { array *ci=new array(sizep1); (*c)[i]=ci; for(size_t j=0; j < sizep1; ++j) { array *cij=new array(sizep2); (*ci)[j]=cij; } } size_t* i=new size_t[DIM]; for(i[0]=0; i[0] < size[0]; ++i[0]) { array *a0=read(a,i[0]); for(i[1]=0; i[1] < size[1]; ++i[1]) { array *a1=read(a0,i[1]); for(i[2]=0; i[2] < size[2]; ++i[2]) { array *c0=read(c,i[perm0]); array *c1=read(c0,i[perm1]); (*c1)[i[perm2]]=read(a1,i[2]); } } } delete[] i; delete[] size; {Stack->push(c); return;} } // Find the index of the nth true value in a boolean array or -1 if not found. // If n is negative, search backwards. #line 1144 "runarray.in" // Int find(boolarray *a, Int n=1); void gen_runarray44(stack *Stack) { Int n=vm::pop(Stack,1); boolarray * a=vm::pop(Stack); #line 1145 "runarray.in" size_t size=checkArray(a); Int j=-1; if(n > 0) for(size_t i=0; i < size; i++) if(read(a,i)) { n--; if(n == 0) {j=(Int) i; break;} } if(n < 0) for(size_t i=size; i > 0;) if(read(a,--i)) { n++; if(n == 0) {j=(Int) i; break;} } {Stack->push(j); return;} } // Find all indices of true values in a boolean array. #line 1162 "runarray.in" // Intarray* findall(boolarray *a); void gen_runarray45(stack *Stack) { boolarray * a=vm::pop(Stack); #line 1163 "runarray.in" size_t size=checkArray(a); array *b=new array(0); for(size_t i=0; i < size; i++) { if(read(a,i)) { b->push((Int) i); } } {Stack->push(b); return;} } // construct vector obtained by replacing those elements of b for which the // corresponding elements of a are false by the corresponding element of c. #line 1176 "runarray.in" void arrayConditional(stack *Stack) { array * c=vm::pop(Stack); array * b=vm::pop(Stack); array * a=vm::pop(Stack); #line 1177 "runarray.in" size_t size=checkArray(a); array *r=new array(size); if(b && c) { checkArrays(a,b); checkArrays(b,c); for(size_t i=0; i < size; i++) (*r)[i]=read(a,i) ? (*b)[i] : (*c)[i]; } else { r->clear(); if(b) { checkArrays(a,b); for(size_t i=0; i < size; i++) if(read(a,i)) r->push((*b)[i]); } else if(c) { checkArrays(a,c); for(size_t i=0; i < size; i++) if(!read(a,i)) r->push((*c)[i]); } } {Stack->push(r); return;} } // Return an n x n identity matrix. #line 1201 "runarray.in" // realarray2* identity(Int n); void gen_runarray47(stack *Stack) { Int n=vm::pop(Stack); #line 1202 "runarray.in" {Stack->push(Identity(n)); return;} } // Return the inverse of an n x n matrix a using Gauss-Jordan elimination. #line 1207 "runarray.in" // realarray2* inverse(realarray2 *a); void gen_runarray48(stack *Stack) { realarray2 * a=vm::pop(Stack); #line 1208 "runarray.in" size_t n=checkArray(a); double *A; copyArray2C(A,a,true,0,NoGC); inverse(A,n); a=copyCArray2(n,n,A); delete[] A; {Stack->push(a); return;} } // Solve the linear equation ax=b by LU decomposition, returning the // solution x, where a is an n x n matrix and b is an array of length n. // If no solution exists, return an empty array. #line 1221 "runarray.in" // realarray* solve(realarray2 *a, realarray *b, bool warn=true); void gen_runarray49(stack *Stack) { bool warn=vm::pop(Stack,true); realarray * b=vm::pop(Stack); realarray2 * a=vm::pop(Stack); #line 1222 "runarray.in" size_t n=checkArray(a); if(n == 0) {Stack->push(new array(0)); return;} size_t m=checkArray(b); if(m != n) error(incommensurate); real *A; copyArray2C(A,a); size_t *index=new size_t[n]; if(LUdecompose(A,n,index,warn) == 0) {Stack->push(new array(0)); return;} array *x=new array(n); real *B; copyArrayC(B,b); for(size_t i=0; i < n; ++i) { size_t ip=index[i]; real sum=B[ip]; B[ip]=B[i]; real *Ai=A+i*n; for(size_t j=0; j < i; ++j) sum -= Ai[j]*B[j]; B[i]=sum; } for(size_t i=n; i > 0;) { --i; real sum=B[i]; real *Ai=A+i*n; for(size_t j=i+1; j < n; ++j) sum -= Ai[j]*B[j]; B[i]=sum/Ai[i]; } for(size_t i=0; i < n; ++i) (*x)[i]=B[i]; delete[] index; delete[] B; delete[] A; {Stack->push(x); return;} } // Solve the linear equation ax=b by LU decomposition, returning the // solution x, where a is an n x n matrix and b is an n x m matrix. // If no solution exists, return an empty array. #line 1274 "runarray.in" // realarray2* solve(realarray2 *a, realarray2 *b, bool warn=true); void gen_runarray50(stack *Stack) { bool warn=vm::pop(Stack,true); realarray2 * b=vm::pop(Stack); realarray2 * a=vm::pop(Stack); #line 1275 "runarray.in" size_t n=checkArray(a); if(n == 0) {Stack->push(new array(0)); return;} if(checkArray(b) != n) error(incommensurate); size_t m=checkArray(read(b,0)); real *A,*B; copyArray2C(A,a); copyArray2C(B,b,false); size_t *index=new size_t[n]; if(LUdecompose(A,n,index,warn) == 0) {Stack->push(new array(0)); return;} array *x=new array(n); for(size_t i=0; i < n; ++i) { real *Ai=A+i*n; real *Bi=B+i*m; real *Bip=B+index[i]*m; for(size_t k=0; k < m; ++k) { real sum=Bip[k]; Bip[k]=Bi[k]; size_t jk=k; for(size_t j=0; j < i; ++j, jk += m) sum -= Ai[j]*B[jk]; Bi[k]=sum; } } for(size_t i=n; i > 0;) { --i; real *Ai=A+i*n; real *Bi=B+i*m; for(size_t k=0; k < m; ++k) { real sum=Bi[k]; size_t jk=(i+1)*m+k; for(size_t j=i+1; j < n; ++j, jk += m) sum -= Ai[j]*B[jk]; Bi[k]=sum/Ai[i]; } } for(size_t i=0; i < n; ++i) { real *Bi=B+i*m; array *xi=new array(m); (*x)[i]=xi; for(size_t j=0; j < m; ++j) (*xi)[j]=Bi[j]; } delete[] index; delete[] B; delete[] A; {Stack->push(x); return;} } // Compute the determinant of an n x n matrix. #line 1337 "runarray.in" // real determinant(realarray2 *a); void gen_runarray51(stack *Stack) { realarray2 * a=vm::pop(Stack); #line 1338 "runarray.in" real *A; copyArray2C(A,a); size_t n=checkArray(a); real det=LUdecompose(A,n,NULL,false); size_t n1=n+1; for(size_t i=0; i < n; ++i) det *= A[i*n1]; delete[] A; {Stack->push(det); return;} } #line 1353 "runarray.in" // realarray* *(realarray2 *a, realarray *b); void gen_runarray52(stack *Stack) { realarray * b=vm::pop(Stack); realarray2 * a=vm::pop(Stack); #line 1354 "runarray.in" size_t n=checkArray(a); size_t m=checkArray(b); array *c=new array(n); real *B; copyArrayC(B,b); for(size_t i=0; i < n; ++i) { array *ai=read(a,i); if(checkArray(ai) != m) error(incommensurate); real sum=0.0; for(size_t j=0; j < m; ++j) sum += read(ai,j)*B[j]; (*c)[i]=sum; } delete[] B; {Stack->push(c); return;} } #line 1372 "runarray.in" // realarray* *(realarray *a, realarray2 *b); void gen_runarray53(stack *Stack) { realarray2 * b=vm::pop(Stack); realarray * a=vm::pop(Stack); #line 1373 "runarray.in" size_t n=checkArray(a); if(n != checkArray(b)) error(incommensurate); real *A; copyArrayC(A,a); array **B=new array*[n]; array *bk=read(b,0); B[0]=bk; size_t m=bk->size(); for(size_t k=1; k < n; k++) { array *bk=read(b,k); if(bk->size() != m) error(incommensurate); B[k]=bk; } array *c=new array(m); for(size_t i=0; i < m; ++i) { real sum=0.0; for(size_t k=0; k < n; ++k) sum += A[k]*read(B[k],i); (*c)[i]=sum; } delete[] B; delete[] A; {Stack->push(c); return;} } #line 1401 "runarray.in" // Intarray2* *(Intarray2 *a, Intarray2 *b); void gen_runarray54(stack *Stack) { Intarray2 * b=vm::pop(Stack); Intarray2 * a=vm::pop(Stack); #line 1402 "runarray.in" {Stack->push(mult(a,b)); return;} } #line 1406 "runarray.in" // realarray2* *(realarray2 *a, realarray2 *b); void gen_runarray55(stack *Stack) { realarray2 * b=vm::pop(Stack); realarray2 * a=vm::pop(Stack); #line 1407 "runarray.in" {Stack->push(mult(a,b)); return;} } #line 1411 "runarray.in" // pairarray2* *(pairarray2 *a, pairarray2 *b); void gen_runarray56(stack *Stack) { pairarray2 * b=vm::pop(Stack); pairarray2 * a=vm::pop(Stack); #line 1412 "runarray.in" {Stack->push(mult(a,b)); return;} } #line 1416 "runarray.in" // triple *(realarray2 *t, triple v); void gen_runarray57(stack *Stack) { triple v=vm::pop(Stack); realarray2 * t=vm::pop(Stack); #line 1417 "runarray.in" {Stack->push(*t*v); return;} } #line 1421 "runarray.in" // realarray2* AtA(realarray2 *a); void gen_runarray58(stack *Stack) { realarray2 * a=vm::pop(Stack); #line 1422 "runarray.in" {Stack->push(AtA(a)); return;} } #line 1426 "runarray.in" // pair project(triple v, realarray2 *t); void gen_runarray59(stack *Stack) { realarray2 * t=vm::pop(Stack); triple v=vm::pop(Stack); #line 1427 "runarray.in" size_t n=checkArray(t); if(n != 4) error(incommensurate); array *t0=read(t,0); array *t1=read(t,1); array *t3=read(t,3); if(checkArray(t0) != 4 || checkArray(t1) != 4 || checkArray(t3) != 4) error(incommensurate); real x=v.getx(); real y=v.gety(); real z=v.getz(); real f=read(t3,0)*x+read(t3,1)*y+read(t3,2)*z+ read(t3,3); if(f == 0.0) dividebyzero(); f=1.0/f; {Stack->push(pair((read(t0,0)*x+read(t0,1)*y+read(t0,2)*z+ read(t0,3))*f, (read(t1,0)*x+read(t1,1)*y+read(t1,2)*z+ read(t1,3))*f)); return;} } // Compute the dot product of vectors a and b. #line 1452 "runarray.in" // real dot(realarray *a, realarray *b); void gen_runarray60(stack *Stack) { realarray * b=vm::pop(Stack); realarray * a=vm::pop(Stack); #line 1453 "runarray.in" size_t n=checkArrays(a,b); real sum=0.0; for(size_t i=0; i < n; ++i) sum += read(a,i)*read(b,i); {Stack->push(sum); return;} } // Compute the complex dot product of vectors a and b. #line 1462 "runarray.in" // pair dot(pairarray *a, pairarray *b); void gen_runarray61(stack *Stack) { pairarray * b=vm::pop(Stack); pairarray * a=vm::pop(Stack); #line 1463 "runarray.in" size_t n=checkArrays(a,b); pair sum=zero; for(size_t i=0; i < n; ++i) sum += read(a,i)*conj(read(b,i)); {Stack->push(sum); return;} } // Solve the problem L\inv f, where f is an n vector and L is the n x n matrix // // [ b[0] c[0] a[0] ] // [ a[1] b[1] c[1] ] // [ a[2] b[2] c[2] ] // [ ... ] // [ c[n-1] a[n-1] b[n-1] ] #line 1478 "runarray.in" // realarray* tridiagonal(realarray *a, realarray *b, realarray *c, realarray *f); void gen_runarray62(stack *Stack) { realarray * f=vm::pop(Stack); realarray * c=vm::pop(Stack); realarray * b=vm::pop(Stack); realarray * a=vm::pop(Stack); #line 1479 "runarray.in" size_t n=checkArrays(a,b); checkEqual(n,checkArray(c)); checkEqual(n,checkArray(f)); array *up=new array(n); array& u=*up; if(n == 0) {Stack->push(up); return;} // Special case: zero Dirichlet boundary conditions if(read(a,0) == 0.0 && read(c,n-1) == 0.0) { real temp=read(b,0); if(temp == 0.0) dividebyzero(); temp=1.0/temp; real *work=new real[n]; u[0]=read(f,0)*temp; work[0]=-read(c,0)*temp; for(size_t i=1; i < n; i++) { real temp=(read(b,i)+read(a,i)*work[i-1]); if(temp == 0.0) {delete[] work; dividebyzero();} temp=1.0/temp; u[i]=(read(f,i)-read(a,i)*read(u,i-1))*temp; work[i]=-read(c,i)*temp; } for(size_t i=n-1; i >= 1; i--) u[i-1]=read(u,i-1)+work[i-1]*read(u,i); delete[] work; {Stack->push(up); return;} } real binv=read(b,0); if(binv == 0.0) dividebyzero(); binv=1.0/binv; if(n == 1) {u[0]=read(f,0)*binv; {Stack->push(up); return;}} if(n == 2) { real factor=(read(b,0)*read(b,1)- read(a,0)*read(c,1)); if(factor== 0.0) dividebyzero(); factor=1.0/factor; real temp=(read(b,0)*read(f,1)- read(c,1)*read(f,0))*factor; u[0]=(read(b,1)*read(f,0)- read(a,0)*read(f,1))*factor; u[1]=temp; {Stack->push(up); return;} } real *gamma=new real[n-2]; real *delta=new real[n-2]; gamma[0]=read(c,0)*binv; delta[0]=read(a,0)*binv; u[0]=read(f,0)*binv; real beta=read(c,n-1); real fn=read(f,n-1)-beta*read(u,0); real alpha=read(b,n-1)-beta*delta[0]; for(size_t i=1; i <= n-3; i++) { real alphainv=read(b,i)-read(a,i)*gamma[i-1]; if(alphainv == 0.0) {delete[] gamma; delete[] delta; dividebyzero();} alphainv=1.0/alphainv; beta *= -gamma[i-1]; gamma[i]=read(c,i)*alphainv; u[i]=(read(f,i)-read(a,i)*read(u,i-1))*alphainv; fn -= beta*read(u,i); delta[i]=-read(a,i)*delta[i-1]*alphainv; alpha -= beta*delta[i]; } real alphainv=read(b,n-2)-read(a,n-2)*gamma[n-3]; if(alphainv == 0.0) {delete[] gamma; delete[] delta; dividebyzero();} alphainv=1.0/alphainv; u[n-2]=(read(f,n-2)-read(a,n-2)*read(u,n-3)) *alphainv; beta=read(a,n-1)-beta*gamma[n-3]; real dnm1=(read(c,n-2)-read(a,n-2)*delta[n-3])*alphainv; real temp=alpha-beta*dnm1; if(temp == 0.0) {delete[] gamma; delete[] delta; dividebyzero();} u[n-1]=temp=(fn-beta*read(u,n-2))/temp; u[n-2]=read(u,n-2)-dnm1*temp; for(size_t i=n-2; i >= 1; i--) u[i-1]=read(u,i-1)-gamma[i-1]*read(u,i)-delta[i-1]*temp; delete[] delta; delete[] gamma; {Stack->push(up); return;} } // Root solve by Newton-Raphson #line 1576 "runarray.in" // real newton(Int iterations=100, callableReal *f, callableReal *fprime, real x, bool verbose=false); void gen_runarray63(stack *Stack) { bool verbose=vm::pop(Stack,false); real x=vm::pop(Stack); callableReal * fprime=vm::pop(Stack); callableReal * f=vm::pop(Stack); Int iterations=vm::pop(Stack,100); #line 1578 "runarray.in" static const real fuzz=1000.0*DBL_EPSILON; Int i=0; size_t oldPrec=0; if(verbose) oldPrec=cout.precision(DBL_DIG); real diff=DBL_MAX; real lastdiff; do { real x0=x; Stack->push(x); fprime->call(Stack); real dfdx=pop(Stack); if(dfdx == 0.0) { x=DBL_MAX; break; } Stack->push(x); f->call(Stack); real fx=pop(Stack); x -= fx/dfdx; lastdiff=diff; if(verbose) cout << "Newton-Raphson: " << x << endl; diff=fabs(x-x0); if(++i == iterations) { x=DBL_MAX; break; } } while (diff != 0.0 && (diff < lastdiff || diff > fuzz*fabs(x))); if(verbose) cout.precision(oldPrec); {Stack->push(x); return;} } // Root solve by Newton-Raphson bisection // cf. routine rtsafe (Press et al., Numerical Recipes, 1991). #line 1624 "runarray.in" // real newton(Int iterations=100, callableReal *f, callableReal *fprime, real x1, real x2, bool verbose=false); void gen_runarray64(stack *Stack) { bool verbose=vm::pop(Stack,false); real x2=vm::pop(Stack); real x1=vm::pop(Stack); callableReal * fprime=vm::pop(Stack); callableReal * f=vm::pop(Stack); Int iterations=vm::pop(Stack,100); #line 1626 "runarray.in" static const real fuzz=1000.0*DBL_EPSILON; size_t oldPrec=0; if(verbose) oldPrec=cout.precision(DBL_DIG); Stack->push(x1); f->call(Stack); real f1=pop(Stack); if(f1 == 0.0) {Stack->push(x1); return;} Stack->push(x2); f->call(Stack); real f2=pop(Stack); if(f2 == 0.0) {Stack->push(x2); return;} if((f1 > 0.0 && f2 > 0.0) || (f1 < 0.0 && f2 < 0.0)) { ostringstream buf; buf << "root not bracketed, f(x1)=" << f1 << ", f(x2)=" << f2 << endl; error(buf); } real x=0.5*(x1+x2); real dxold=fabs(x2-x1); if(f1 > 0.0) { real temp=x1; x1=x2; x2=temp; } if(verbose) cout << "midpoint: " << x << endl; real dx=dxold; Stack->push(x); f->call(Stack); real y=pop(Stack); Stack->push(x); fprime->call(Stack); real dy=pop(Stack); Int j; for(j=0; j < iterations; j++) { if(((x-x2)*dy-y)*((x-x1)*dy-y) >= 0.0 || fabs(2.0*y) > fabs(dxold*dy)) { dxold=dx; dx=0.5*(x2-x1); x=x1+dx; if(verbose) cout << "bisection: " << x << endl; if(x1 == x) {Stack->push(x); return;} } else { dxold=dx; dx=y/dy; real temp=x; x -= dx; if(verbose) cout << "Newton-Raphson: " << x << endl; if(temp == x) {Stack->push(x); return;} } if(fabs(dx) < fuzz*fabs(x)) {Stack->push(x); return;} Stack->push(x); f->call(Stack); y=pop(Stack); Stack->push(x); fprime->call(Stack); dy=pop(Stack); if(y < 0.0) x1=x; else x2=x; } if(verbose) cout.precision(oldPrec); {Stack->push((j == iterations) ? DBL_MAX : x); return;} } // Find a root for the specified continuous (but not necessarily // differentiable) function. Whatever value t is returned, it is guaranteed // that t is within [a, b] and within tolerance of a sign change. // An error is thrown if fa and fb are both positive or both negative. // // In this implementation, the binary search is interleaved // with a modified version of quadratic interpolation. // This is a C++ port of the Asymptote routine written by Charles Staats III. #line 1712 "runarray.in" // real _findroot(callableReal *f, real a, real b, real tolerance, real fa, real fb); void gen_runarray65(stack *Stack) { real fb=vm::pop(Stack); real fa=vm::pop(Stack); real tolerance=vm::pop(Stack); real b=vm::pop(Stack); real a=vm::pop(Stack); callableReal * f=vm::pop(Stack); #line 1714 "runarray.in" if(fa == 0.0) {Stack->push(a); return;} if(fb == 0.0) {Stack->push(b); return;} const char* oppsign="fa and fb must have opposite signs"; int sign; if(fa < 0.0) { if(fb < 0.0) error(oppsign); sign=1; } else { if(fb > 0.0) error(oppsign); fa=-fa; fb=-fb; sign=-1; } real t=a; real ft=fa; real twicetolerance=2.0*tolerance; while(b-a > tolerance) { t=(a+b)*0.5; Stack->push(t); f->call(Stack); ft=sign*pop(Stack); if(ft == 0.0) {Stack->push(t); return;} // If halving the interval already puts us within tolerance, // don't bother with the interpolation step. if(b-a >= twicetolerance) { real factor=1.0/(b-a); real q_A=2.0*(fa-2.0*ft+fb)*factor*factor; real q_B=(fb-fa)*factor; quadraticroots Q=quadraticroots(q_A,q_B,ft); // If the interpolation somehow failed, continue on to the next binary // search step. This may or may not be possible, depending on what // theoretical guarantees are provided by the quadraticroots function. real root; bool found=Q.roots > 0; if(found) { root=t+Q.t1; if(root <= a || root >= b) { if(Q.roots == 1) found=false; else { root=t+Q.t2; if(root <= a || root >= b) found=false; } } } if(found) { if(ft > 0.0) { b=t; fb=ft; } else { a=t; fa=ft; } t=root; // If the interpolated value is close to one edge of // the interval, move it farther away from the edge in // an effort to catch the root in the middle. real margin=(b-a)*1.0e-3; if(t-a < margin) t=a+2.0*(t-a); else if(b-t < margin) t=b-2.0*(b-t); Stack->push(t); f->call(Stack); ft=sign*pop(Stack); if(ft == 0.0) {Stack->push(t); return;} } } if(ft > 0.0) { b=t; fb=ft; } else if(ft < 0.0) { a=t; fa=ft; } } {Stack->push(a-(b-a)/(fb-fa)*fa); return;} } #line 1806 "runarray.in" // real simpson(callableReal *f, real a, real b, real acc=DBL_EPSILON, real dxmax=0); void gen_runarray66(stack *Stack) { real dxmax=vm::pop(Stack,0); real acc=vm::pop(Stack,DBL_EPSILON); real b=vm::pop(Stack); real a=vm::pop(Stack); callableReal * f=vm::pop(Stack); #line 1808 "runarray.in" real integral; if(dxmax <= 0) dxmax=fabs(b-a); callable *oldFunc=Func; Func=f; FuncStack=Stack; if(!simpson(integral,wrapFunction,a,b,acc,dxmax)) error("nesting capacity exceeded in simpson"); Func=oldFunc; {Stack->push(integral); return;} } // Compute the fast Fourier transform of a pair array #line 1821 "runarray.in" // pairarray* fft(pairarray *a, Int sign=1); void gen_runarray67(stack *Stack) { Int sign=vm::pop(Stack,1); pairarray * a=vm::pop(Stack); #line 1822 "runarray.in" #ifdef HAVE_LIBFFTW3 unsigned n=(unsigned) checkArray(a); array *c=new array(n); if(n) { Complex *f=utils::ComplexAlign(n); fftwpp::fft1d Forward(n,intcast(sign),f); for(size_t i=0; i < n; i++) { pair z=read(a,i); f[i]=Complex(z.getx(),z.gety()); } Forward.fft(f); for(size_t i=0; i < n; i++) { Complex z=f[i]; (*c)[i]=pair(z.real(),z.imag()); } utils::deleteAlign(f); } #else unused(a); unused(&sign); array *c=new array(0); error("Please install fftw3, run ./configure, and recompile"); #endif // HAVE_LIBFFTW3 {Stack->push(c); return;} } #line 1851 "runarray.in" // Intarray2* triangulate(pairarray *z); void gen_runarray68(stack *Stack) { pairarray * z=vm::pop(Stack); #line 1852 "runarray.in" size_t nv=checkArray(z); // Call robust version of Gilles Dumoulin's port of Paul Bourke's // triangulation code. XYZ *pxyz=new XYZ[nv+3]; ITRIANGLE *V=new ITRIANGLE[4*nv]; for(size_t i=0; i < nv; ++i) { pair w=read(z,i); pxyz[i].p[0]=w.getx(); pxyz[i].p[1]=w.gety(); pxyz[i].i=(Int) i; } Int ntri; Triangulate((Int) nv,pxyz,V,ntri,true,false); size_t nt=(size_t) ntri; array *t=new array(nt); for(size_t i=0; i < nt; ++i) { array *ti=new array(3); (*t)[i]=ti; ITRIANGLE *Vi=V+i; (*ti)[0]=pxyz[Vi->p1].i; (*ti)[1]=pxyz[Vi->p2].i; (*ti)[2]=pxyz[Vi->p3].i; } delete[] V; delete[] pxyz; {Stack->push(t); return;} } #line 1886 "runarray.in" // real norm(realarray *a); void gen_runarray69(stack *Stack) { realarray * a=vm::pop(Stack); #line 1887 "runarray.in" size_t n=checkArray(a); real M=0.0; for(size_t i=0; i < n; ++i) { real x=fabs(vm::read(a,i)); if(x > M) M=x; } {Stack->push(M); return;} } #line 1897 "runarray.in" // real norm(realarray2 *a); void gen_runarray70(stack *Stack) { realarray2 * a=vm::pop(Stack); #line 1898 "runarray.in" size_t n=checkArray(a); real M=0.0; for(size_t i=0; i < n; ++i) { vm::array *ai=vm::read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; ++j) { real a=fabs(vm::read(ai,j)); if(a > M) M=a; } } {Stack->push(M); return;} } #line 1912 "runarray.in" // real norm(triplearray2 *a); void gen_runarray71(stack *Stack) { triplearray2 * a=vm::pop(Stack); #line 1913 "runarray.in" size_t n=checkArray(a); real M=0.0; for(size_t i=0; i < n; ++i) { vm::array *ai=vm::read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; ++j) { real a=vm::read(ai,j).abs2(); if(a > M) M=a; } } {Stack->push(sqrt(M)); return;} } #line 1927 "runarray.in" // real change2(triplearray2 *a); void gen_runarray72(stack *Stack) { triplearray2 * a=vm::pop(Stack); #line 1928 "runarray.in" size_t n=checkArray(a); if(n == 0) {Stack->push(0.0); return;} vm::array *a0=vm::read(a,0); size_t m=checkArray(a0); if(m == 0) {Stack->push(0.0); return;} triple a00=vm::read(a0,0); real M=0.0; for(size_t i=0; i < n; ++i) { vm::array *ai=vm::read(a,i); size_t m=checkArray(ai); for(size_t j=0; j < m; ++j) { real a=(vm::read(ai,j)-a00).abs2(); if(a > M) M=a; } } {Stack->push(M); return;} } #line 1949 "runarray.in" // triple minbezier(triplearray2 *P, triple b); void gen_runarray73(stack *Stack) { triple b=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); #line 1950 "runarray.in" size_t N; real *A=copyTripleArray2Components(P,N); bound_double *B=bounddouble(N); b=triple(B(A,::min,b.getx(),Fuzz*norm(A,N),maxdepth), B(A+N,::min,b.gety(),Fuzz*norm(A+N,N),maxdepth), B(A+2*N,::min,b.getz(),Fuzz*norm(A+2*N,N),maxdepth)); delete[] A; {Stack->push(b); return;} } #line 1961 "runarray.in" // triple maxbezier(triplearray2 *P, triple b); void gen_runarray74(stack *Stack) { triple b=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); #line 1962 "runarray.in" size_t N; real *A=copyTripleArray2Components(P,N); bound_double *B=bounddouble(N); b=triple(B(A,::max,b.getx(),Fuzz*norm(A,N),maxdepth), B(A+N,::max,b.gety(),Fuzz*norm(A+N,N),maxdepth), B(A+2*N,::max,b.getz(),Fuzz*norm(A+2*N,N),maxdepth)); delete[] A; {Stack->push(b); return;} } #line 1973 "runarray.in" // pair minratio(triplearray2 *P, pair b); void gen_runarray75(stack *Stack) { pair b=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); #line 1974 "runarray.in" size_t N; triple *A=copyTripleArray2C(P,N); real fuzz=Fuzz*norm(A,N); bound_triple *B=boundtriple(N); b=pair(B(A,::min,xratio,b.getx(),fuzz,maxdepth), B(A,::min,yratio,b.gety(),fuzz,maxdepth)); delete[] A; {Stack->push(b); return;} } #line 1985 "runarray.in" // pair maxratio(triplearray2 *P, pair b); void gen_runarray76(stack *Stack) { pair b=vm::pop(Stack); triplearray2 * P=vm::pop(Stack); #line 1986 "runarray.in" size_t N; triple *A=copyTripleArray2C(P,N); bound_triple *B=boundtriple(N); real fuzz=Fuzz*norm(A,N); b=pair(B(A,::max,xratio,b.getx(),fuzz,maxdepth), B(A,::max,yratio,b.gety(),fuzz,maxdepth)); delete[] A; {Stack->push(b); return;} } #line 1997 "runarray.in" // realarray* _projection(); void gen_runarray77(stack *Stack) { #line 1998 "runarray.in" #ifdef HAVE_GL array *a=new array(14); gl::projection P=gl::camera(); size_t k=0; (*a)[k++]=P.orthographic ? 1.0 : 0.0; triple camera=P.camera; (*a)[k++]=camera.getx(); (*a)[k++]=camera.gety(); (*a)[k++]=camera.getz(); triple up=P.up; (*a)[k++]=up.getx(); (*a)[k++]=up.gety(); (*a)[k++]=up.getz(); triple target=P.target; (*a)[k++]=target.getx(); (*a)[k++]=target.gety(); (*a)[k++]=target.getz(); (*a)[k++]=P.zoom; (*a)[k++]=P.angle; (*a)[k++]=P.viewportshift.getx(); (*a)[k++]=P.viewportshift.gety(); #endif {Stack->push(new array(0)); return;} } } // namespace run namespace trans { void gen_runarray_venv(venv &ve) { #line 585 "runarray.in" REGISTER_BLTIN(run::emptyArray,"emptyArray"); #line 591 "runarray.in" REGISTER_BLTIN(run::newDeepArray,"newDeepArray"); #line 613 "runarray.in" REGISTER_BLTIN(run::newInitializedArray,"newInitializedArray"); #line 628 "runarray.in" REGISTER_BLTIN(run::newAppendedArray,"newAppendedArray"); #line 644 "runarray.in" REGISTER_BLTIN(run::copyArrayValue,"copyArrayValue"); #line 656 "runarray.in" REGISTER_BLTIN(run::copyArray,"copyArray"); #line 667 "runarray.in" REGISTER_BLTIN(run::arrayRead,"arrayRead"); #line 679 "runarray.in" REGISTER_BLTIN(run::arraySliceRead,"arraySliceRead"); #line 686 "runarray.in" REGISTER_BLTIN(run::arraySliceReadToEnd,"arraySliceReadToEnd"); #line 694 "runarray.in" REGISTER_BLTIN(run::arrayArrayRead,"arrayArrayRead"); #line 703 "runarray.in" REGISTER_BLTIN(run::arrayWrite,"arrayWrite"); #line 720 "runarray.in" REGISTER_BLTIN(run::arraySliceWrite,"arraySliceWrite"); #line 728 "runarray.in" REGISTER_BLTIN(run::arraySliceWriteToEnd,"arraySliceWriteToEnd"); #line 736 "runarray.in" REGISTER_BLTIN(run::arrayLength,"arrayLength"); #line 742 "runarray.in" REGISTER_BLTIN(run::arrayKeys,"arrayKeys"); #line 757 "runarray.in" REGISTER_BLTIN(run::arrayCyclicFlag,"arrayCyclicFlag"); #line 764 "runarray.in" REGISTER_BLTIN(run::arraySetCyclicFlag,"arraySetCyclicFlag"); #line 771 "runarray.in" REGISTER_BLTIN(run::arrayInitializedHelper,"arrayInitializedHelper"); #line 782 "runarray.in" REGISTER_BLTIN(run::arrayInitialized,"arrayInitialized"); #line 788 "runarray.in" REGISTER_BLTIN(run::arrayCyclicHelper,"arrayCyclicHelper"); #line 795 "runarray.in" REGISTER_BLTIN(run::arrayCyclic,"arrayCyclic"); #line 801 "runarray.in" REGISTER_BLTIN(run::arrayPushHelper,"arrayPushHelper"); #line 809 "runarray.in" REGISTER_BLTIN(run::arrayPush,"arrayPush"); #line 815 "runarray.in" REGISTER_BLTIN(run::arrayAppendHelper,"arrayAppendHelper"); #line 824 "runarray.in" REGISTER_BLTIN(run::arrayAppend,"arrayAppend"); #line 830 "runarray.in" REGISTER_BLTIN(run::arrayPopHelper,"arrayPopHelper"); #line 839 "runarray.in" REGISTER_BLTIN(run::arrayPop,"arrayPop"); #line 845 "runarray.in" REGISTER_BLTIN(run::arrayInsertHelper,"arrayInsertHelper"); #line 856 "runarray.in" REGISTER_BLTIN(run::arrayInsert,"arrayInsert"); #line 862 "runarray.in" REGISTER_BLTIN(run::arrayDelete,"arrayDelete"); #line 868 "runarray.in" REGISTER_BLTIN(run::arrayAlias,"arrayAlias"); #line 873 "runarray.in" REGISTER_BLTIN(run::arrayIntArray,"arrayIntArray"); #line 891 "runarray.in" addFunc(ve, run::gen_runarray32, IntArray(), SYM(complement), formal(IntArray(), SYM(a), false, false), formal(primInt(), SYM(n), false, false)); #line 910 "runarray.in" REGISTER_BLTIN(run::arraySequence,"arraySequence"); #line 923 "runarray.in" addFunc(ve, run::gen_runarray34, IntArray(), SYM(sequence), formal(primInt(), SYM(n), false, false)); #line 934 "runarray.in" REGISTER_BLTIN(run::arrayFunction,"arrayFunction"); #line 947 "runarray.in" REGISTER_BLTIN(run::arraySort,"arraySort"); #line 957 "runarray.in" REGISTER_BLTIN(run::arraySearch,"arraySearch"); #line 976 "runarray.in" addFunc(ve, run::gen_runarray38, primBoolean(), SYM(all), formal(booleanArray(), SYM(a), false, false)); #line 985 "runarray.in" addFunc(ve, run::gen_runarray39, booleanArray(), SYM_LOGNOT, formal(booleanArray(), SYM(a), false, false)); #line 994 "runarray.in" addFunc(ve, run::gen_runarray40, primInt(), SYM(sum), formal(booleanArray(), SYM(a), false, false)); #line 1003 "runarray.in" REGISTER_BLTIN(run::arrayConcat,"arrayConcat"); #line 1031 "runarray.in" REGISTER_BLTIN(run::array2Transpose,"array2Transpose"); #line 1055 "runarray.in" REGISTER_BLTIN(run::array3Transpose,"array3Transpose"); #line 1142 "runarray.in" addFunc(ve, run::gen_runarray44, primInt(), SYM(find), formal(booleanArray(), SYM(a), false, false), formal(primInt(), SYM(n), true, false)); #line 1161 "runarray.in" addFunc(ve, run::gen_runarray45, IntArray(), SYM(findall), formal(booleanArray(), SYM(a), false, false)); #line 1174 "runarray.in" REGISTER_BLTIN(run::arrayConditional,"arrayConditional"); #line 1200 "runarray.in" addFunc(ve, run::gen_runarray47, realArray2(), SYM(identity), formal(primInt(), SYM(n), false, false)); #line 1206 "runarray.in" addFunc(ve, run::gen_runarray48, realArray2(), SYM(inverse), formal(realArray2(), SYM(a), false, false)); #line 1218 "runarray.in" addFunc(ve, run::gen_runarray49, realArray(), SYM(solve), formal(realArray2(), SYM(a), false, false), formal(realArray(), SYM(b), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 1271 "runarray.in" addFunc(ve, run::gen_runarray50, realArray2(), SYM(solve), formal(realArray2(), SYM(a), false, false), formal(realArray2(), SYM(b), false, false), formal(primBoolean(), SYM(warn), true, false)); #line 1336 "runarray.in" addFunc(ve, run::gen_runarray51, primReal(), SYM(determinant), formal(realArray2(), SYM(a), false, false)); #line 1353 "runarray.in" addFunc(ve, run::gen_runarray52, realArray(), SYM_TIMES, formal(realArray2(), SYM(a), false, false), formal(realArray(), SYM(b), false, false)); #line 1372 "runarray.in" addFunc(ve, run::gen_runarray53, realArray(), SYM_TIMES, formal(realArray(), SYM(a), false, false), formal(realArray2(), SYM(b), false, false)); #line 1401 "runarray.in" addFunc(ve, run::gen_runarray54, IntArray2(), SYM_TIMES, formal(IntArray2(), SYM(a), false, false), formal(IntArray2(), SYM(b), false, false)); #line 1406 "runarray.in" addFunc(ve, run::gen_runarray55, realArray2(), SYM_TIMES, formal(realArray2(), SYM(a), false, false), formal(realArray2(), SYM(b), false, false)); #line 1411 "runarray.in" addFunc(ve, run::gen_runarray56, pairArray2(), SYM_TIMES, formal(pairArray2(), SYM(a), false, false), formal(pairArray2(), SYM(b), false, false)); #line 1416 "runarray.in" addFunc(ve, run::gen_runarray57, primTriple(), SYM_TIMES, formal(realArray2(), SYM(t), false, false), formal(primTriple(), SYM(v), false, false)); #line 1421 "runarray.in" addFunc(ve, run::gen_runarray58, realArray2(), SYM(AtA), formal(realArray2(), SYM(a), false, false)); #line 1426 "runarray.in" addFunc(ve, run::gen_runarray59, primPair(), SYM(project), formal(primTriple(), SYM(v), false, false), formal(realArray2(), SYM(t), false, false)); #line 1451 "runarray.in" addFunc(ve, run::gen_runarray60, primReal(), SYM(dot), formal(realArray(), SYM(a), false, false), formal(realArray(), SYM(b), false, false)); #line 1461 "runarray.in" addFunc(ve, run::gen_runarray61, primPair(), SYM(dot), formal(pairArray(), SYM(a), false, false), formal(pairArray(), SYM(b), false, false)); #line 1471 "runarray.in" addFunc(ve, run::gen_runarray62, realArray(), SYM(tridiagonal), formal(realArray(), SYM(a), false, false), formal(realArray(), SYM(b), false, false), formal(realArray(), SYM(c), false, false), formal(realArray(), SYM(f), false, false)); #line 1575 "runarray.in" addFunc(ve, run::gen_runarray63, primReal(), SYM(newton), formal(primInt(), SYM(iterations), true, false), formal(realRealFunction(), SYM(f), false, false), formal(realRealFunction(), SYM(fprime), false, false), formal(primReal(), SYM(x), false, false), formal(primBoolean(), SYM(verbose), true, false)); #line 1622 "runarray.in" addFunc(ve, run::gen_runarray64, primReal(), SYM(newton), formal(primInt(), SYM(iterations), true, false), formal(realRealFunction(), SYM(f), false, false), formal(realRealFunction(), SYM(fprime), false, false), formal(primReal(), SYM(x1), false, false), formal(primReal(), SYM(x2), false, false), formal(primBoolean(), SYM(verbose), true, false)); #line 1704 "runarray.in" addFunc(ve, run::gen_runarray65, primReal(), SYM(_findroot), formal(realRealFunction(), SYM(f), false, false), formal(primReal(), SYM(a), false, false), formal(primReal(), SYM(b), false, false), formal(primReal(), SYM(tolerance), false, false), formal(primReal(), SYM(fa), false, false), formal(primReal(), SYM(fb), false, false)); #line 1806 "runarray.in" addFunc(ve, run::gen_runarray66, primReal(), SYM(simpson), formal(realRealFunction(), SYM(f), false, false), formal(primReal(), SYM(a), false, false), formal(primReal(), SYM(b), false, false), formal(primReal(), SYM(acc), true, false), formal(primReal(), SYM(dxmax), true, false)); #line 1820 "runarray.in" addFunc(ve, run::gen_runarray67, pairArray(), SYM(fft), formal(pairArray(), SYM(a), false, false), formal(primInt(), SYM(sign), true, false)); #line 1851 "runarray.in" addFunc(ve, run::gen_runarray68, IntArray2(), SYM(triangulate), formal(pairArray(), SYM(z), false, false)); #line 1886 "runarray.in" addFunc(ve, run::gen_runarray69, primReal(), SYM(norm), formal(realArray(), SYM(a), false, false)); #line 1897 "runarray.in" addFunc(ve, run::gen_runarray70, primReal(), SYM(norm), formal(realArray2(), SYM(a), false, false)); #line 1912 "runarray.in" addFunc(ve, run::gen_runarray71, primReal(), SYM(norm), formal(tripleArray2(), SYM(a), false, false)); #line 1927 "runarray.in" addFunc(ve, run::gen_runarray72, primReal(), SYM(change2), formal(tripleArray2(), SYM(a), false, false)); #line 1949 "runarray.in" addFunc(ve, run::gen_runarray73, primTriple(), SYM(minbezier), formal(tripleArray2(), SYM(p), false, false), formal(primTriple(), SYM(b), false, false)); #line 1961 "runarray.in" addFunc(ve, run::gen_runarray74, primTriple(), SYM(maxbezier), formal(tripleArray2(), SYM(p), false, false), formal(primTriple(), SYM(b), false, false)); #line 1973 "runarray.in" addFunc(ve, run::gen_runarray75, primPair(), SYM(minratio), formal(tripleArray2(), SYM(p), false, false), formal(primPair(), SYM(b), false, false)); #line 1985 "runarray.in" addFunc(ve, run::gen_runarray76, primPair(), SYM(maxratio), formal(tripleArray2(), SYM(p), false, false), formal(primPair(), SYM(b), false, false)); #line 1997 "runarray.in" addFunc(ve, run::gen_runarray77, realArray(), SYM(_projection)); } } // namespace trans asymptote-2.62/env.h0000644000000000000000000001073713607467113013147 0ustar rootroot/***** * env.h * Andy Hammerlindl 2002/6/20 * * Keeps track of the namespaces of variables and types when traversing * the abstract syntax. *****/ #ifndef ENV_H #define ENV_H #include "errormsg.h" #include "entry.h" #include "types.h" #include "util.h" namespace types { class record; } namespace trans { using sym::symbol; using types::ty; using types::function; using types::record; class genv; // Keeps track of the name bindings of variables and types. This is used for // the fields of a record, whereas the derived class env is used for unqualified // names in translation. class protoenv { //protected: public: // These tables keep track of type and variable definitions. tenv te; venv ve; access *baseLookupCast(ty *target, ty *source, symbol name); public: // Start an environment for a file-level module. protoenv() {} protoenv(venv::file_env_tag tag) : ve(tag) {} protoenv(const protoenv&); void beginScope() { te.beginScope(); ve.beginScope(); } void endScope() { te.endScope(); ve.endScope(); } void collapseScope() { te.collapseScope(); ve.collapseScope(); } tyEntry *lookupTyEntry(symbol s) { return te.look(s); } ty *lookupType(symbol s) { tyEntry *ent=lookupTyEntry(s); return ent ? ent->t : 0; } varEntry *lookupVarByType(symbol name, ty *t) { // Search in local vars. return ve.lookByType(name, t); } varEntry *lookupVarBySignature(symbol name, types::signature *sig) { return ve.lookBySignature(name, sig); } access *lookupInitializer(ty *t) { // The initializer's type is a function returning the desired type. function *it=new function(t); varEntry *v=lookupVarByType(symbol::initsym,it); // If not in the environment, try the type itself. return v ? v->getLocation() : t->initializer(); } // Find the function that handles casting between the types. // The name is "operator cast" for implicit casting and "operator ecast" for // explicit. access *lookupCast(ty *target, ty *source, symbol name); bool castable(ty *target, ty *source, symbol name); // A cast lookup designed to work quickly with the application matching // code. The target type must not be overloaded. bool fastCastable(ty *target, ty *source); // For the lookup, neither target nor source may be overloaded. access *fastLookupCast(ty *target, ty *source); // Given overloaded types, this resolves which types should be the target and // the source of the cast. ty *castTarget(ty *target, ty *source, symbol name); ty *castSource(ty *target, ty *source, symbol name); ty *varGetType(symbol name) { return ve.getType(name); } void addType(symbol name, tyEntry *desc) { te.enter(name, desc); } void addVar(symbol name, varEntry *desc) { // Don't check for multiple variables, as this makes adding casts // and initializers harder. ve.enter(name, desc); } // Add another environment, say from a record. void add(protoenv &source, varEntry *qualifier, coder &c) { te.add(source.te, qualifier, c); ve.add(source.ve, qualifier, c); } // Add variables and types of name src from another environment under the // name dest in this environment. bool add(symbol src, symbol dest, protoenv &source, varEntry *qualifier, coder &c) { return te.add(src, dest, source.te, qualifier, c) | ve.add(src, dest, source.ve, qualifier, c); } // Add the standard functions for a new type. void addArrayOps(types::array *t); void addRecordOps(types::record *r); void addFunctionOps(types::function *f); void list(record *r=0) { ve.list(r); } // Adds to a list the keywords in the environment that start with the given // prefix. Used for automatic completion at the interactive prompt. typedef mem::list symbol_list; void completions(symbol_list &l, string start) { te.completions(l, start); ve.completions(l, start); } private: // Non-copyable void operator=(const protoenv&); }; // Environment used in translating statements and expressions at all scopes. As // opposed to protoenv which is suitable for keeping track of the fields of // records, this also keeps track of the global env, for loading modules. class env : public protoenv { // The global environment - keeps track of modules. genv ≥ public: // Start an environment for a file-level module. env(genv &ge); ~env(); record *getModule(symbol id, string filename); }; } // namespace trans #endif asymptote-2.62/align.h0000644000000000000000000000434613607467113013450 0ustar rootroot#ifndef __align_h__ #define __align_h__ 1 #ifndef HAVE_POSIX_MEMALIGN #ifdef __GLIBC_PREREQ #if __GLIBC_PREREQ(2,3) #define HAVE_POSIX_MEMALIGN #endif #else #ifdef _POSIX_SOURCE #define HAVE_POSIX_MEMALIGN #endif #endif #endif #ifdef __Array_h__ namespace Array { static const array1 NULL1; static const array2 NULL2; static const array3 NULL3; } #else #ifdef HAVE_POSIX_MEMALIGN #ifdef _AIX extern "C" int posix_memalign(void **memptr, size_t alignment, size_t size); #endif #else namespace Array { // Adapted from FFTW aligned malloc/free. Assumes that malloc is at least // sizeof(void*)-aligned. Allocated memory must be freed with free0. inline int posix_memalign0(void **memptr, size_t alignment, size_t size) { if(alignment % sizeof (void *) != 0 || (alignment & (alignment - 1)) != 0) return EINVAL; void *p0=malloc(size+alignment); if(!p0) return ENOMEM; void *p=(void *)(((size_t) p0+alignment)&~(alignment-1)); *((void **) p-1)=p0; *memptr=p; return 0; } inline void free0(void *p) { if(p) free(*((void **) p-1)); } } #endif namespace Array { template inline void newAlign(T *&v, size_t len, size_t align) { void *mem=NULL; const char *invalid="Invalid alignment requested"; const char *nomem="Memory limits exceeded"; #ifdef HAVE_POSIX_MEMALIGN int rc=posix_memalign(&mem,align,len*sizeof(T)); #else int rc=posix_memalign0(&mem,align,len*sizeof(T)); #endif if(rc == EINVAL) std::cerr << invalid << std::endl; if(rc == ENOMEM) std::cerr << nomem << std::endl; v=(T *) mem; for(size_t i=0; i < len; i++) new(v+i) T; } template inline void deleteAlign(T *v, size_t len) { for(size_t i=len; i-- > 0;) v[i].~T(); #ifdef HAVE_POSIX_MEMALIGN free(v); #else free0(v); #endif } } #endif namespace utils { inline unsigned int ceilquotient(unsigned int a, unsigned int b) { return (a+b-1)/b; } inline Complex *ComplexAlign(size_t size) { Complex *v; Array::newAlign(v,size,sizeof(Complex)); return v; } inline double *doubleAlign(size_t size) { double *v; Array::newAlign(v,size,sizeof(Complex)); return v; } template inline void deleteAlign(T *p) { #ifdef HAVE_POSIX_MEMALIGN free(p); #else Array::free0(p); #endif } } #endif asymptote-2.62/aspy.py0000644000000000000000000002642513607467113013535 0ustar rootroot#!/usr/bin/env python3 ##### # # aspy.py # # Andy Hammerlindl 2011/09/03 # # Uses ctypes to interface with the shared library version of Python. # Asymptote can run and its datatypes inspected via Python. # # # To use the module: # 1. make asymptote.so # 2. Ensure that asymptote.so is visable to python, say adding its directory # to LD_LIBRARY_PATH # 3. Run this module. (See runExample for an example.) # ##### from ctypes import * asyInt = c_longlong handle_typ = c_void_p arguments_typ = c_void_p state_typ = c_void_p function_typ = CFUNCTYPE(None, state_typ, c_void_p) class string_typ(Structure): _fields_ = [ ("buf", c_char_p), # Should be NUL-terminated? Maybe replace with # POINTER(c_char). ("length", asyInt) ] ErrorCallbackFUNC = CFUNCTYPE(None, string_typ) NORMAL_ARG = 45000 REST_ARG = 45001 class Policy(Structure): _fields_ = [ ("version", asyInt), ("copyHandle", CFUNCTYPE(handle_typ, handle_typ)), ("releaseHandle", CFUNCTYPE(None, handle_typ)), ("handleFromInt", CFUNCTYPE(handle_typ, asyInt)), ("handleFromBool", CFUNCTYPE(handle_typ, asyInt)), ("handleFromDouble", CFUNCTYPE(handle_typ, c_double)), ("handleFromString", CFUNCTYPE(handle_typ, string_typ)), ("handleFromFunction", CFUNCTYPE(handle_typ, c_char_p, function_typ, c_void_p)), ("IntFromHandle", CFUNCTYPE(asyInt, handle_typ)), ("boolFromHandle", CFUNCTYPE(asyInt, handle_typ)), ("doubleFromHandle", CFUNCTYPE(c_double, handle_typ)), ("stringFromHandle", CFUNCTYPE(string_typ, handle_typ)), ("getField", CFUNCTYPE(handle_typ, handle_typ, c_char_p)), ("getCell", CFUNCTYPE(handle_typ, handle_typ, asyInt)), ("addField", CFUNCTYPE(None, handle_typ, c_char_p, handle_typ)), ("newArguments", CFUNCTYPE(arguments_typ)), ("releaseArguments", CFUNCTYPE(None, arguments_typ)), ("addArgument", CFUNCTYPE(None, arguments_typ, c_char_p, handle_typ, asyInt)), ("call", CFUNCTYPE(handle_typ, handle_typ, arguments_typ)), ("globals", CFUNCTYPE(handle_typ, state_typ)), ("numParams", CFUNCTYPE(asyInt, state_typ)), ("getParam", CFUNCTYPE(handle_typ, state_typ, asyInt)), ("setReturnValue", CFUNCTYPE(None, state_typ, handle_typ)), ("setErrorCallback", CFUNCTYPE(None, ErrorCallbackFUNC)), ] policy = None baseState = None def initPolicyAndBaseState(): global policy, baseState lib = CDLL("asymptote.so") getPolicy = lib._asy_getPolicy getPolicy.restype = POINTER(Policy) policy = getPolicy() getState = lib._asy_getState getState.restype = state_typ baseState = getState() initPolicyAndBaseState() def pyStringFromAsyString(st): #TODO: Handle strings with null-terminators. return str(st.buf) def pyStringFromHandle(h): #TODO: Handle strings with null-terminators. st = policy.contents.stringFromHandle(h) checkForErrors() return pyStringFromAsyString(st) def handleFromPyString(s): st = string_typ(s, len(s)) h = policy.contents.handleFromString(st) checkForErrors() return h def ensureDatum(val): return val if type(val) is Datum else Datum(val) # The error detection scheme. # policyError is set to a string when an error occurs. policyError = [] def pyErrorCallback(s): global policyError policyError.append(pyStringFromAsyString(s)) cErrorCallback = ErrorCallbackFUNC(pyErrorCallback) policy.contents.setErrorCallback(cErrorCallback) class AsyException(Exception): def __init__(self, msg): self.msg = msg def __str__(self): return self.msg def checkForErrors(): """Raises an exception if an error occured.""" global policyError if policyError != []: s = policyError[0] if len(policyError) > 1: s += ' (and other errors)' policyError = [] raise AsyException(s) class Datum(object): def _setHandle(self, handle): object.__setattr__(self, 'handle', handle) def __init__(self, val): self._setHandle(0) if val is None: return if type(val) is int: self._setHandle(policy.contents.handleFromInt(val)) checkForErrors() elif type(val) is bool: self._setHandle(policy.contents.handleFromBool(1 if val else 0)) checkForErrors() elif type(val) is float: self._setHandle(policy.contents.handleFromDouble(val)) elif type(val) is str: self._setHandle(handleFromPyString(val)) checkForErrors() elif type(val) is tuple: # Could do this more efficiently, and avoid a copyHandle ret = state.globals()["operator tuple"](*val) self._setHandle(policy.contents.copyHandle(ret.handle)) checkForErrors() elif type(val) is Datum: self._setHandle(policy.contents.copyHandle(val.handle)) checkForErrors() else: # TODO: check if val has a toDatum field raise TypeError("cannot initialize Datum from '%s'" % type(val).__name__) def __repr__(self): # TODO: Add type-checking to policy. return '' % hex(self.handle) def __int__(self): l = policy.contents.IntFromHandle(self.handle) checkForErrors() return int(l) def __nonzero__(self): # This will throw an exception for anything but an underlying bool # type. Perhaps we should be more pythonic. l = policy.contents.boolFromHandle(self.handle) checkForErrors() assert l in [0,1] return l == 1 def __float__(self): x = policy.contents.doubleFromHandle(self.handle) checkForErrors() return float(x) def __str__(self): return pyStringFromHandle(self.handle) def __getattr__(self, name): field = policy.contents.getField(self.handle, name) checkForErrors() return DatumFromHandle(field) def __getitem__(self, name): assert type(name) == str return self.__getattr__(name) #TODO: raise an IndexError when appropriate. #TODO: implement array indices def __setattr__(self, name, val): # TODO: Resolve setting versus declaring. # One idea: d.x = f or d["x"] = f sets and d["int x()"] = f declares # anew. policy.contents.addField(self.handle, name, ensureDatum(val).handle) checkForErrors() def __setitem__(self, name, val): assert type(name) == str self.__setattr__(name, val) #TODO: raise an IndexError when appropriate. #TODO: implement array indices def __call__(self, *args, **namedArgs): alist = policy.contents.newArguments() checkForErrors() for arg in args: d = ensureDatum(arg) policy.contents.addArgument(alist, "", d.handle, NORMAL_ARG) checkForErrors() for name,arg in namedArgs.items(): d = ensureDatum(arg) policy.contents.addArgument(alist, name, d.handle, NORMAL_ARG) checkForErrors() ret = policy.contents.call(self.handle, alist) checkForErrors() policy.contents.releaseArguments(alist) checkForErrors() if ret != None: return DatumFromHandle(ret) def __add__(self, other): return state.globals()["operator +"](self, other) def __sub__(self, other): return state.globals()["operator -"](self, other) def __mul__(self, other): return state.globals()["operator *"](self, other) def __div__(self, other): return state.globals()["operator /"](self, other) def __truediv__(self, other): return state.globals()["operator /"](self, other) def __mod__(self, other): return state.globals()["operator %"](self, other) def __pow__(self, other): return state.globals()["operator ^"](self, other) def __and__(self, other): return state.globals()["operator &"](self, other) def __or__(self, other): return state.globals()["operator |"](self, other) def __neg__(self, other): return state.globals()["operator -"](self) def __lt__(self, other): return state.globals()["operator <"](self, other) def __le__(self, other): return state.globals()["operator <="](self, other) def __eq__(self, other): return state.globals()["operator =="](self, other) def __ne__(self, other): return state.globals()["operator !="](self, other) def __gt__(self, other): return state.globals()["operator >"](self, other) def __ge__(self, other): return state.globals()["operator >="](self, other) def DatumFromHandle(handle): """Initializes a Datum from a given low-level handle. Does not invoke copyHandle.""" d = Datum(None) d._setHandle(handle) return d class State(object): def __init__(self, base): self.base = base def globals(self): handle = policy.contents.globals(self.base) checkForErrors() return DatumFromHandle(handle) def params(self): p = [] numParams = policy.contents.numParams(self.base) checkForErrors() for i in range(numParams): h = policy.contents.getParam(self.base, i) checkForErrors() p.append(DatumFromHandle(h)) assert len(p) == numParams return p def setReturnValue(self, val): policy.contents.setReturnValue(self.base, ensureDatum(val).handle) checkForErrors() # Keep a link to all of the callbacks created, so they aren't garbage # collected. TODO: See if this is neccessary. storedCallbacks = [] def DatumFromCallable(f): def wrapped(s, d): state = State(s) params = state.params() r = f(*params) if r != None: state.setReturnValue(r) cf = function_typ(wrapped) storedCallbacks.append(cf) h = policy.contents.handleFromFunction(f.__name__, cf, None) checkForErrors() return DatumFromHandle(h) print ("version", policy.contents.version) state = State(baseState) # An example def runExample(): g = state.globals() g.eval("path p = (0,0) -- (100,100) -- (200,0)", embedded=True) g.draw(g.p) g.shipout("frompython") g.draw(g.circle(100), g.red) asymptote-2.62/mod.h0000644000000000000000000000132013607467113013122 0ustar rootroot/***** * mod.h * Andy Hammerlindl 2005/03/16 * * Definition of implementation-independent mod function. *****/ #ifndef MOD_H #define MOD_H #include #include "common.h" using std::fmod; inline Int Mod(Int x, Int y) {return x % y;} inline double Mod(double x, double y) {return fmod(x,y);} template inline T portableMod(T x,T y) { // Implementation-independent definition of mod; ensure that result has // same sign as divisor T val=Mod(x,y); if((y > 0 && val < 0) || (y < 0 && val > 0)) val += y; return val; } inline Int imod(Int x, Int y) { return portableMod(x,y); } inline Int imod(Int i, size_t n) { i %= (Int) n; if(i < 0) i += (Int) n; return i; } #endif asymptote-2.62/dec.cc0000644000000000000000000005060213607467113013243 0ustar rootroot/***** * dec.cc * Andy Hammerlindl 2002/8/29 * * Represents the abstract syntax tree for declarations in the language. * Also included is an abstract syntax for types as they are most often * used with declarations. *****/ #include "errormsg.h" #include "coenv.h" #include "dec.h" #include "fundec.h" #include "newexp.h" #include "stm.h" #include "exp.h" #include "modifier.h" #include "runtime.h" #include "parser.h" namespace absyntax { using namespace trans; using namespace types; using mem::list; trans::tyEntry *ty::transAsTyEntry(coenv &e, record *where) { return new trans::tyEntry(trans(e, false), 0, where, getPos()); } void nameTy::prettyprint(ostream &out, Int indent) { prettyname(out, "nameTy",indent); id->prettyprint(out, indent+1); } types::ty *nameTy::trans(coenv &e, bool tacit) { return id->typeTrans(e, tacit); } trans::tyEntry *nameTy::transAsTyEntry(coenv &e, record *) { return id->tyEntryTrans(e); } void dimensions::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "dimensions (" << depth << ")\n"; } types::array *dimensions::truetype(types::ty *base) { if (base->kind == ty_void) { em.error(getPos()); em << "cannot declare array of type void"; } assert(depth >= 1); size_t d=depth; types::array *a=new types::array(base); d--; for (; d > 0; d--) { a = new types::array(a); } return a; } void arrayTy::prettyprint(ostream &out, Int indent) { prettyname(out, "arrayTy",indent); cell->prettyprint(out, indent+1); dims->prettyprint(out, indent+1); } // NOTE: Can this be merged with trans somehow? void arrayTy::addOps(coenv &e, record *r) { types::ty *t=trans(e, true); // Only add ops if it is an array (and not, say, an error) if (t->kind == types::ty_array) { types::array *at=dynamic_cast(t); assert(at); e.e.addArrayOps(at); if (r) r->e.addArrayOps(at); } } types::ty *arrayTy::trans(coenv &e, bool tacit) { types::ty *ct = cell->trans(e, tacit); assert(ct); // Don't make an array of errors. if (ct->kind == types::ty_error) return ct; types::array *t = dims->truetype(ct); assert(t); return t; } tyEntryTy::tyEntryTy(position pos, types::ty *t) : ty(pos), ent(new trans::tyEntry(t, 0, 0, position())) { } void tyEntryTy::prettyprint(ostream &out, Int indent) { prettyindent(out,indent); out << "tyEntryTy: " << *(ent->t) << "\n"; } types::ty *tyEntryTy::trans(coenv &, bool) { return ent->t; } vm::lambda *runnable::transAsCodelet(coenv &e) { coder c=e.c.newCodelet(getPos()); coenv ce(c, e.e); markTrans(ce); return c.close(); } void block::prettystms(ostream &out, Int indent) { for (list::iterator p = stms.begin(); p != stms.end(); ++p) (*p)->prettyprint(out, indent); } void block::prettyprint(ostream &out, Int indent) { prettyname(out,"block",indent); prettystms(out, indent+1); } void block::trans(coenv &e) { if (scope) e.e.beginScope(); for (list::iterator p = stms.begin(); p != stms.end(); ++p) { (*p)->markTrans(e); } if (scope) e.e.endScope(); } void block::transAsField(coenv &e, record *r) { if (scope) e.e.beginScope(); for (list::iterator p = stms.begin(); p != stms.end(); ++p) { (*p)->markTransAsField(e, r); } if (scope) e.e.endScope(); } void block::transAsRecordBody(coenv &e, record *r) { transAsField(e, r); e.c.closeRecord(); } record *block::transAsFile(genv& ge, symbol id) { // Create the new module. record *r = new record(id, new frame(id,0,0)); // Create coder and environment to translate the module. // File-level modules have dynamic fields by default. coder c(getPos(), r, 0); env e(ge); coenv ce(c, e); // Translate the abstract syntax. if (settings::getSetting("autoplain")) { autoplainRunnable()->transAsField(ce, r); } transAsRecordBody(ce, r); em.sync(); return r; } bool block::returns() { // Search for a returning runnable, starting at the end for efficiency. for (list::reverse_iterator p=stms.rbegin(); p != stms.rend(); ++p) if ((*p)->returns()) return true; return false; } vardec *block::asVardec() { vardec *var = 0; for (list::iterator p=stms.begin(); p != stms.end(); ++p) { vardec *v = dynamic_cast(*p); if (v) { if (var) // Multiple vardecs. return 0; var = v; } else if (!dynamic_cast(*p)) // Failure due to another runnable in the block. return 0; } return var; } void dec::prettyprint(ostream &out, Int indent) { prettyname(out, "dec", indent); } void modifierList::prettyprint(ostream &out, Int indent) { prettyindent(out,indent); out << "modifierList ("; for (list::iterator p = mods.begin(); p != mods.end(); ++p) { if (p != mods.begin()) out << ", "; switch (*p) { case EXPLICIT_STATIC: out << "static"; break; #if 0 case EXPLICIT_DYNAMIC: out << "dynamic"; break; #endif default: out << "invalid code"; } } for (list::iterator p = perms.begin(); p != perms.end(); ++p) { if (p != perms.begin() || !mods.empty()) out << ", "; switch (*p) { case PUBLIC: out << "public"; break; case PRIVATE: out << "private"; break; default: out << "invalid code"; } } out << ")\n"; } bool modifierList::staticSet() { return !mods.empty(); } modifier modifierList::getModifier() { if (mods.size() > 1) { em.error(getPos()); em << "too many modifiers"; } assert(staticSet()); return mods.front(); } permission modifierList::getPermission() { if (perms.size() > 1) { em.error(getPos()); em << "too many modifiers"; } return perms.empty() ? DEFAULT_PERM : perms.front(); } void modifiedRunnable::prettyprint(ostream &out, Int indent) { prettyname(out, "modifierRunnable",indent); mods->prettyprint(out, indent+1); body->prettyprint(out, indent+1); } void modifiedRunnable::transAsField(coenv &e, record *r) { if (mods->staticSet()) { if (e.c.isTopLevel()) { em.warning(getPos()); em << "static modifier is meaningless at top level"; } e.c.pushModifier(mods->getModifier()); } permission p = mods->getPermission(); #if 0 // This is innocuous if (p != DEFAULT_PERM && (!r || !body->allowPermissions())) { em.warning(pos); em << "permission modifier is meaningless"; } #endif e.c.setPermission(p); body->transAsField(e,r); e.c.clearPermission(); if (mods->staticSet()) e.c.popModifier(); } void decidstart::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "decidstart '" << id << "'\n"; if (dims) dims->prettyprint(out, indent+1); } types::ty *decidstart::getType(types::ty *base, coenv &, bool) { return dims ? dims->truetype(base) : base; } trans::tyEntry *decidstart::getTyEntry(trans::tyEntry *base, coenv &e, record *where) { return dims ? new trans::tyEntry(getType(base->t,e,false), 0, where, getPos()) : base; } void decidstart::addOps(types::ty *base, coenv &e, record *r) { if (dims) { e.e.addArrayOps(dims->truetype(base)); if (r) r->e.addArrayOps(dims->truetype(base)); } } void fundecidstart::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "fundecidstart '" << id << "'\n"; if (dims) dims->prettyprint(out, indent+1); if (params) params->prettyprint(out, indent+1); } types::ty *fundecidstart::getType(types::ty *base, coenv &e, bool tacit) { types::ty *result = decidstart::getType(base, e, tacit); if (params) { return params->getType(result, e, true, tacit); } else { types::ty *t = new function(base); return t; } } trans::tyEntry *fundecidstart::getTyEntry(trans::tyEntry *base, coenv &e, record *where) { return new trans::tyEntry(getType(base->t,e,false), 0, where, getPos()); } void fundecidstart::addOps(types::ty *base, coenv &e, record *r) { decidstart::addOps(base, e, r); params->addOps(e, r); types::function *ft=dynamic_cast(getType(base, e, true)); assert(ft); e.e.addFunctionOps(ft); if (r) r->e.addFunctionOps(ft); } void decid::prettyprint(ostream &out, Int indent) { prettyname(out, "decid",indent); start->prettyprint(out, indent+1); if (init) init->prettyprint(out, indent+1); } varEntry *makeVarEntryWhere(coenv &e, record *r, types::ty *t, record *where, position pos) { access *a = r ? r->allocField(e.c.isStatic()) : e.c.allocLocal(); return r ? new varEntry(t, a, e.c.getPermission(), r, where, pos) : new varEntry(t, a, where, pos); } varEntry *makeVarEntry(position pos, coenv &e, record *r, types::ty *t) { return makeVarEntryWhere(e, r, t, r, pos); } // Defined in constructor.cc. bool definesImplicitConstructor(coenv &e, record *r, varEntry *v, symbol id); void addConstructorFromInitializer(position pos, coenv &e, record *r, varEntry *init); void addVar(coenv &e, record *r, varEntry *v, symbol id) { // Test for 'operator init' definitions that implicitly define constructors: if (definesImplicitConstructor(e, r, v, id)) addConstructorFromInitializer(position(), e, r, v); // Add to the record so it can be accessed when qualified; add to the // environment so it can be accessed unqualified in the scope of the // record definition. if (r) r->e.addVar(id, v); e.e.addVar(id, v); } void initializeVar(position pos, coenv &e, varEntry *v, varinit *init) { types::ty *t=v->getType(); if (init) init->transToType(e, t); else { definit d(pos); d.transToType(e, t); } v->getLocation()->encode(WRITE, pos, e.c); e.c.encodePop(); } types::ty *inferType(position pos, coenv &e, varinit *init) { if (!init) { em.error(pos); em << "inferred variable declaration without initializer"; return primError(); } exp *base = dynamic_cast(init); if (base) { types::ty *t = base->cgetType(e); if (t->kind != ty_overloaded) return t; } em.error(pos); em << "could not infer type of initializer"; return primError(); } void createVar(position pos, coenv &e, record *r, symbol id, types::ty *t, varinit *init) { // I'm not sure how to handle inferred types in these cases. assert(t->kind != types::ty_inferred); varEntry *v=makeVarEntry(pos, e, r, t); addVar(e, r, v, id); initializeVar(pos, e, v, init); } void createVarOutOfOrder(position pos, coenv &e, record *r, symbol id, types::ty *t, varinit *init) { /* For declarations such as "var x = 5;", infer the type from the * initializer. */ if (t->kind == types::ty_inferred) t = inferType(pos, e, init); varEntry *v=makeVarEntry(pos, e, r, t); initializeVar(pos, e, v, init); addVar(e, r, v, id); } void addTypeWithPermission(coenv &e, record *r, tyEntry *base, symbol id) { // Only bother encoding permissions for private types. tyEntry *ent = (r && e.c.getPermission()==PRIVATE) ? new trans::tyEntry(base, PRIVATE, r) : base; if (r) r->e.addType(id, ent); e.e.addType(id, ent); } void decid::transAsField(coenv &e, record *r, types::ty *base) { types::ty *t = start->getType(base, e); assert(t); if (t->kind == ty_void) { em.error(getPos()); em << "cannot declare variable of type void"; } start->addOps(base, e, r); createVarOutOfOrder(getPos(), e, r, start->getName(), t, init); } void decid::transAsTypedefField(coenv &e, trans::tyEntry *base, record *r) { trans::tyEntry *ent = start->getTyEntry(base, e, r); assert(ent && ent->t); if (init) { em.error(getPos()); em << "type definition cannot have initializer"; } start->addOps(base->t, e, r); addTypeWithPermission(e, r, ent, start->getName()); } void decidlist::prettyprint(ostream &out, Int indent) { prettyname(out, "decidlist",indent); for (list::iterator p = decs.begin(); p != decs.end(); ++p) (*p)->prettyprint(out, indent+1); } void decidlist::transAsField(coenv &e, record *r, types::ty *base) { for (list::iterator p = decs.begin(); p != decs.end(); ++p) (*p)->transAsField(e, r, base); } void decidlist::transAsTypedefField(coenv &e, trans::tyEntry *base, record *r) { for (list::iterator p = decs.begin(); p != decs.end(); ++p) (*p)->transAsTypedefField(e, base, r); } void vardec::prettyprint(ostream &out, Int indent) { prettyname(out, "vardec",indent); base->prettyprint(out, indent+1); decs->prettyprint(out, indent+1); } void vardec::transAsTypedefField(coenv &e, record *r) { base->addOps(e, r); decs->transAsTypedefField(e, base->transAsTyEntry(e, r), r); } symbol vardec::singleName() { decid *did = decs->singleEntry(); if (!did) return symbol::nullsym; return did->getStart()->getName(); } types::ty *vardec::singleGetType(coenv &e) { decid *did = decs->singleEntry(); if (!did) return 0; return did->getStart()->getType(base->trans(e), e); } // Helper class for imports. This essentially evaluates to the run::loadModule // function. However, that function returns different types of records // depending on the filename given to it, so we cannot add it to the // environment. Instead, we explicitly tell it what types::record it is // returning for each use. class loadModuleExp : public exp { function *ft; public: loadModuleExp(position pos, record *imp) : exp(pos) {ft=new function(imp,primString());} void prettyprint(ostream &out, Int indent) { prettyname(out, "loadModuleExp", indent); } types::ty *trans(coenv &) { em.compiler(getPos()); em << "trans called for loadModuleExp"; return primError(); } void transCall(coenv &e, types::ty *t) { assert(equivalent(t, ft)); e.c.encode(inst::builtin, run::loadModule); } types::ty *getType(coenv &) { return ft; } exp *evaluate(coenv &, types::ty *) { // Don't alias. return this; } }; // Creates a local variable to hold the import and translate the accessing of // the import, but doesn't add the import to the environment. varEntry *accessModule(position pos, coenv &e, record *r, symbol id) { record *imp=e.e.getModule(id, (string)id); if (!imp) { em.error(pos); em << "could not load module '" << id << "'"; em.sync(); return 0; } else { // Create a varinit that evaluates to the module. // This is effectively the expression "loadModule(filename)". callExp init(pos, new loadModuleExp(pos, imp), new stringExp(pos, (string)id)); // The varEntry should have whereDefined()==0 as it is not defined inside // the record r. varEntry *v=makeVarEntryWhere(e, r, imp, 0, pos); initializeVar(pos, e, v, &init); return v; } } void idpair::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "idpair (" << "'" << src << "' as " << dest << ")\n"; } void idpair::transAsAccess(coenv &e, record *r) { checkValidity(); varEntry *v=accessModule(getPos(), e, r, src); if (v) addVar(e, r, v, dest); } void idpair::transAsUnravel(coenv &e, record *r, protoenv &source, varEntry *qualifier) { checkValidity(); if (r) r->e.add(src, dest, source, qualifier, e.c); if (!e.e.add(src, dest, source, qualifier, e.c)) { em.error(getPos()); em << "no matching types or fields of name '" << src << "'"; } } void idpairlist::prettyprint(ostream &out, Int indent) { for (list::iterator p=base.begin(); p != base.end(); ++p) (*p)->prettyprint(out, indent); } void idpairlist::transAsAccess(coenv &e, record *r) { for (list::iterator p=base.begin(); p != base.end(); ++p) (*p)->transAsAccess(e,r); } void idpairlist::transAsUnravel(coenv &e, record *r, protoenv &source, varEntry *qualifier) { for (list::iterator p=base.begin(); p != base.end(); ++p) (*p)->transAsUnravel(e,r,source,qualifier); } idpairlist * const WILDCARD = 0; void accessdec::prettyprint(ostream &out, Int indent) { prettyname(out, "accessdec", indent); base->prettyprint(out, indent+1); } void fromdec::prettyprint(ostream &out, Int indent) { prettyname(out, "fromdec", indent); fields->prettyprint(out, indent+1); } void fromdec::transAsField(coenv &e, record *r) { qualifier q=getQualifier(e,r); if (q.t) { if (fields==WILDCARD) { if (r) r->e.add(q.t->e, q.v, e.c); e.e.add(q.t->e, q.v, e.c); } else fields->transAsUnravel(e, r, q.t->e, q.v); } } void unraveldec::prettyprint(ostream &out, Int indent) { prettyname(out, "unraveldec", indent); id->prettyprint(out, indent+1); idpairlist *f=this->fields; if(f) f->prettyprint(out, indent+1); } fromdec::qualifier unraveldec::getQualifier(coenv &e, record *) { // getType is where errors in the qualifier are reported. record *qt=dynamic_cast(id->getType(e, false)); if (!qt) { em.error(getPos()); em << "qualifier is not a record"; } return qualifier(qt,id->getVarEntry(e)); } void fromaccessdec::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "fromaccessdec '" << id << "'\n"; idpairlist *f=this->fields; if(f) f->prettyprint(out, indent+1); } fromdec::qualifier fromaccessdec::getQualifier(coenv &e, record *r) { varEntry *v=accessModule(getPos(), e, r, id); if (v) { record *qt=dynamic_cast(v->getType()); if (!qt) { em.compiler(getPos()); em << "qualifier is not a record"; } return qualifier(qt, v); } else return qualifier(0,0); } void importdec::prettyprint(ostream &out, Int indent) { prettyname(out, "importdec", indent); base.prettyprint(out, indent+1); } void includedec::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "includedec ('" << filename << "')\n"; } void includedec::loadFailed(coenv &) { em.warning(getPos()); em << "could not parse file of name '" << filename << "'"; em.sync(); } void includedec::transAsField(coenv &e, record *r) { file *ast = parser::parseFile(filename,"Including"); em.sync(); // The runnables will be translated, one at a time, without any additional // scoping. ast->transAsField(e, r); } void typedec::prettyprint(ostream &out, Int indent) { prettyname(out, "typedec",indent); body->prettyprint(out, indent+1); } void recorddec::prettyprint(ostream &out, Int indent) { prettyindent(out, indent); out << "structdec '" << id << "'\n"; body->prettyprint(out, indent+1); } void recorddec::transRecordInitializer(coenv &e, record *parent) { position here=getPos(); // This is equivalent to the code // A operator init() { return new A; } // where A is the name of the record. formals formals(here); simpleName recordName(here, id); nameTy result(here, &recordName); newRecordExp exp(here, &result); returnStm stm(here, &exp); fundec init(here, &result, symbol::opTrans("init"), &formals, &stm); init.transAsField(e, parent); } void recorddec::addPostRecordEnvironment(coenv &e, record *r, record *parent) { if (parent) parent->e.add(r->postdefenv, 0, e.c); e.e.add(r->postdefenv, 0, e.c); } void recorddec::transAsField(coenv &e, record *parent) { record *r = parent ? parent->newRecord(id, e.c.isStatic()) : e.c.newRecord(id); addTypeWithPermission(e, parent, new trans::tyEntry(r,0,parent,getPos()), id); e.e.addRecordOps(r); if (parent) parent->e.addRecordOps(r); // Start translating the initializer. coder c=e.c.newRecordInit(getPos(), r); coenv re(c,e.e); body->transAsRecordBody(re, r); // After the record is translated, add a default initializer so that a // variable of the type of the record is initialized to a new instance by // default. transRecordInitializer(e, parent); // Add types and variables defined during the record that should be added to // the enclosing environment. These are the implicit constructors defined by // "operator init". addPostRecordEnvironment(e, r, parent); } runnable *autoplainRunnable() { // Abstract syntax for the code: // private import plain; position pos=position(); static importdec ap(pos, new idpair(pos, symbol::trans("plain"))); static modifiedRunnable mr(pos, trans::PRIVATE, &ap); return &mr; } } // namespace absyntax asymptote-2.62/runtime.cc0000644000000000000000000016627413607467143014213 0ustar rootroot/***** Autogenerated from runtime.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runtime.in" /***** * runtime.in * Tom Prince 2005/4/15 * * Generate the runtime functions used by the vm::stack machine. * *****/ /* Autogenerated routines are specified like this (separated by a formfeed): type asyname:cname(cparams) { C code } */ // Use Void f() instead of void f() to force an explicit Stack argument. #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 55 "runtime.in" #include #include #include #include #include #include #include "angle.h" #include "pair.h" #include "triple.h" #include "transform.h" #include "path.h" #include "path3.h" #include "pen.h" #include "drawpath.h" #include "guide.h" #include "picture.h" #include "fileio.h" #include "genv.h" #include "builtin.h" #include "texfile.h" #include "pipestream.h" #include "parser.h" #include "stack.h" #include "util.h" #include "locate.h" #include "mathop.h" #include "callable.h" #include "stm.h" #include "lexical.h" #include "process.h" #include "arrayop.h" #if defined(USEGC) && defined(GC_DEBUG) && defined(GC_BACKTRACE) extern "C" { void *GC_generate_random_valid_address(void); void GC_debug_print_heap_obj_proc(void *); } #endif using namespace vm; using namespace camp; using namespace settings; #undef OUT #undef IN namespace run { using camp::pair; using vm::array; using vm::frame; using vm::stack; using camp::transform; using absyntax::runnable; typedef array boolarray; typedef array Intarray; typedef array Intarray2; typedef array realarray; typedef array realarray2; typedef array pairarray; typedef array pairarray2; typedef array triplearray; typedef array triplearray2; typedef array patharray; typedef array patharray2; typedef array guidearray; typedef array transformarray; typedef array penarray; typedef array penarray2; typedef array stringarray; typedef array stringarray2; typedef callable callableBp; typedef callable callableReal; typedef callable callableTransform; } using vm::array; using types::function; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE using types::booleanArray; using types::IntArray; using types::IntArray2; using types::realArray; using types::realArray2; using types::pairArray; using types::pairArray2; using types::tripleArray; using types::tripleArray2; using types::pathArray; using types::pathArray2; using types::guideArray; using types::transformArray; using types::penArray; using types::penArray2; using types::stringArray; using types::stringArray2; using types::formal; function *realRealFunction() { return new function(primReal(),primReal()); } function *realTripleFunction() { return new function(primReal(),primTriple()); } const size_t camp::ColorComponents[]={0,0,1,3,4,0}; namespace vm { #if COMPACT const Int DefaultValue=0x7fffffffffffffffLL; const Int Undefined=0x7ffffffffffffffeLL; const Int BoolTruthValue=0xABABABABABABABACLL; const Int BoolFalseValue=0xABABABABABABABABLL; const item Default=DefaultValue; #else const item Default=item(default_t()); #endif } namespace run { const char *arrayempty="cannot take min or max of empty array"; const char *noruntime="no runtime environment for embedded eval"; void writestring(stack *s) { callable *suffix=pop(s,NULL); string S=pop(s); vm::item it=pop(s); bool defaultfile=isdefault(it); camp::ofile *f=defaultfile ? &camp::Stdout : vm::get(it); if(!f->isOpen() || !f->enabled()) return; if(S != "") f->write(S); if(f->text()) { if(suffix) { s->push(f); suffix->call(s); } else if(defaultfile) f->writeline(); } } string toplocation() { ostringstream buf; position& topPos=processData().topPos; buf << topPos.Line() << "." << topPos.Column(); return buf.str(); } string emptystring; pair zero; } static string defaulttransparency=string("Compatible"); void unused(void *) { } // Autogenerated routines: #ifndef NOSYM #include "runtime.symbols.h" #endif namespace run { // Initializers #line 230 "runtime.in" void IntZero(stack *Stack) { #line 231 "runtime.in" {Stack->push(0); return;} } #line 236 "runtime.in" void realZero(stack *Stack) { #line 237 "runtime.in" {Stack->push(0.0); return;} } #line 241 "runtime.in" void boolFalse(stack *Stack) { #line 242 "runtime.in" {Stack->push(false); return;} } #line 246 "runtime.in" // bool isnan(real x); void gen_runtime3(stack *Stack) { real x=vm::pop(Stack); #line 247 "runtime.in" {Stack->push(std::isnan(x)); return;} } #line 251 "runtime.in" void pushNullArray(stack *Stack) { #line 252 "runtime.in" {Stack->push(0); return;} } #line 256 "runtime.in" void pushNullRecord(stack *Stack) { #line 257 "runtime.in" {Stack->push(0); return;} } #line 261 "runtime.in" void pushNullFunction(stack *Stack) { #line 262 "runtime.in" {Stack->push(nullfunc::instance()); return;} } // Default operations // Put the default value token on the stack (in place of an argument when // making a function call). #line 271 "runtime.in" void pushDefault(stack *Stack) { #line 272 "runtime.in" {Stack->push(Default); return;} } // Test if the value on the stack is the default value token. #line 278 "runtime.in" void isDefault(stack *Stack) { item i=vm::pop(Stack); #line 279 "runtime.in" {Stack->push(isdefault(i)); return;} } // Casts #line 285 "runtime.in" void pairToGuide(stack *Stack) { pair z=vm::pop(Stack); #line 286 "runtime.in" {Stack->push(new pairguide(z)); return;} } #line 291 "runtime.in" void pathToGuide(stack *Stack) { path p=vm::pop(Stack); #line 292 "runtime.in" {Stack->push(new pathguide(p)); return;} } #line 296 "runtime.in" void guideToPath(stack *Stack) { guide * g=vm::pop(Stack); #line 297 "runtime.in" {Stack->push(g->solve()); return;} } // Pen operations #line 303 "runtime.in" void newPen(stack *Stack) { #line 304 "runtime.in" {Stack->push(pen()); return;} } #line 309 "runtime.in" // bool ==(pen a, pen b); void gen_runtime13(stack *Stack) { pen b=vm::pop(Stack); pen a=vm::pop(Stack); #line 310 "runtime.in" {Stack->push(a == b); return;} } #line 314 "runtime.in" // bool !=(pen a, pen b); void gen_runtime14(stack *Stack) { pen b=vm::pop(Stack); pen a=vm::pop(Stack); #line 315 "runtime.in" {Stack->push(a != b); return;} } #line 319 "runtime.in" // pen +(pen a, pen b); void gen_runtime15(stack *Stack) { pen b=vm::pop(Stack); pen a=vm::pop(Stack); #line 320 "runtime.in" {Stack->push(a+b); return;} } #line 324 "runtime.in" // pen *(real a, pen b); void gen_runtime16(stack *Stack) { pen b=vm::pop(Stack); real a=vm::pop(Stack); #line 325 "runtime.in" {Stack->push(a*b); return;} } #line 329 "runtime.in" // pen *(pen a, real b); void gen_runtime17(stack *Stack) { real b=vm::pop(Stack); pen a=vm::pop(Stack); #line 330 "runtime.in" {Stack->push(b*a); return;} } #line 334 "runtime.in" // pair max(pen p); void gen_runtime18(stack *Stack) { pen p=vm::pop(Stack); #line 335 "runtime.in" {Stack->push(p.bounds().Max()); return;} } #line 339 "runtime.in" // pair min(pen p); void gen_runtime19(stack *Stack) { pen p=vm::pop(Stack); #line 340 "runtime.in" {Stack->push(p.bounds().Min()); return;} } // Reset the meaning of pen default attributes. #line 345 "runtime.in" // void resetdefaultpen(); void gen_runtime20(stack *) { #line 346 "runtime.in" processData().defaultpen=camp::pen::initialpen(); } #line 350 "runtime.in" // void defaultpen(pen p); void gen_runtime21(stack *Stack) { pen p=vm::pop(Stack); #line 351 "runtime.in" processData().defaultpen=pen(resolvepen,p); } #line 355 "runtime.in" // pen defaultpen(); void gen_runtime22(stack *Stack) { #line 356 "runtime.in" {Stack->push(processData().defaultpen); return;} } #line 360 "runtime.in" // bool invisible(pen p); void gen_runtime23(stack *Stack) { pen p=vm::pop(Stack); #line 361 "runtime.in" {Stack->push(p.invisible()); return;} } #line 365 "runtime.in" // pen invisible(); void gen_runtime24(stack *Stack) { #line 366 "runtime.in" {Stack->push(pen(invisiblepen)); return;} } #line 370 "runtime.in" // pen gray(pen p); void gen_runtime25(stack *Stack) { pen p=vm::pop(Stack); #line 371 "runtime.in" p.togrey(); {Stack->push(p); return;} } #line 376 "runtime.in" // pen rgb(pen p); void gen_runtime26(stack *Stack) { pen p=vm::pop(Stack); #line 377 "runtime.in" p.torgb(); {Stack->push(p); return;} } #line 382 "runtime.in" // pen cmyk(pen p); void gen_runtime27(stack *Stack) { pen p=vm::pop(Stack); #line 383 "runtime.in" p.tocmyk(); {Stack->push(p); return;} } #line 388 "runtime.in" // pen interp(pen a, pen b, real t); void gen_runtime28(stack *Stack) { real t=vm::pop(Stack); pen b=vm::pop(Stack); pen a=vm::pop(Stack); #line 389 "runtime.in" {Stack->push(interpolate(a,b,t)); return;} } #line 393 "runtime.in" // pen rgb(real r, real g, real b); void gen_runtime29(stack *Stack) { real b=vm::pop(Stack); real g=vm::pop(Stack); real r=vm::pop(Stack); #line 394 "runtime.in" {Stack->push(pen(r,g,b)); return;} } #line 398 "runtime.in" // pen cmyk(real c, real m, real y, real k); void gen_runtime30(stack *Stack) { real k=vm::pop(Stack); real y=vm::pop(Stack); real m=vm::pop(Stack); real c=vm::pop(Stack); #line 399 "runtime.in" {Stack->push(pen(c,m,y,k)); return;} } #line 403 "runtime.in" // pen gray(real gray); void gen_runtime31(stack *Stack) { real gray=vm::pop(Stack); #line 404 "runtime.in" {Stack->push(pen(gray)); return;} } #line 408 "runtime.in" // realarray* colors(pen p); void gen_runtime32(stack *Stack) { pen p=vm::pop(Stack); #line 409 "runtime.in" size_t n=ColorComponents[p.colorspace()]; array *a=new array(n); switch(n) { case 0: break; case 1: (*a)[0]=p.gray(); break; case 3: (*a)[0]=p.red(); (*a)[1]=p.green(); (*a)[2]=p.blue(); break; case 4: (*a)[0]=p.cyan(); (*a)[1]=p.magenta(); (*a)[2]=p.yellow(); (*a)[3]=p.black(); break; default: break; } {Stack->push(a); return;} } #line 436 "runtime.in" // string hex(pen p); void gen_runtime33(stack *Stack) { pen p=vm::pop(Stack); #line 437 "runtime.in" {Stack->push(p.hex()); return;} } #line 441 "runtime.in" // Int byte(real x); void gen_runtime34(stack *Stack) { real x=vm::pop(Stack); #line 442 "runtime.in" {Stack->push(camp::byte(x)); return;} } #line 446 "runtime.in" // string colorspace(pen p); void gen_runtime35(stack *Stack) { pen p=vm::pop(Stack); #line 447 "runtime.in" string s=ColorDeviceSuffix[p.colorspace()]; std::transform(s.begin(),s.end(),s.begin(),tolower); {Stack->push(s); return;} } #line 453 "runtime.in" // pen pattern(string *s); void gen_runtime36(stack *Stack) { string * s=vm::pop(Stack); #line 454 "runtime.in" {Stack->push(pen(setpattern,*s)); return;} } #line 458 "runtime.in" // string pattern(pen p); void gen_runtime37(stack *Stack) { pen p=vm::pop(Stack); #line 459 "runtime.in" {Stack->push(p.fillpattern()); return;} } #line 463 "runtime.in" // pen fillrule(Int n); void gen_runtime38(stack *Stack) { Int n=vm::pop(Stack); #line 464 "runtime.in" {Stack->push(pen(n >= 0 && n < nFill ? (FillRule) n : DEFFILL)); return;} } #line 468 "runtime.in" // Int fillrule(pen p); void gen_runtime39(stack *Stack) { pen p=vm::pop(Stack); #line 469 "runtime.in" {Stack->push(p.Fillrule()); return;} } #line 473 "runtime.in" // pen opacity(real opacity=1.0, string blend=defaulttransparency); void gen_runtime40(stack *Stack) { string blend=vm::pop(Stack,defaulttransparency); real opacity=vm::pop(Stack,1.0); #line 474 "runtime.in" for(Int i=0; i < nBlendMode; ++i) if(blend == BlendMode[i]) {Stack->push(pen(Transparency(blend,opacity))); return;} ostringstream buf; buf << "Unknown blend mode: " << "'" << blend << "'"; error(buf); } #line 483 "runtime.in" // real opacity(pen p); void gen_runtime41(stack *Stack) { pen p=vm::pop(Stack); #line 484 "runtime.in" {Stack->push(p.opacity()); return;} } #line 488 "runtime.in" // string blend(pen p); void gen_runtime42(stack *Stack) { pen p=vm::pop(Stack); #line 489 "runtime.in" {Stack->push(p.blend()); return;} } #line 493 "runtime.in" // pen linetype(realarray *pattern, real offset=0, bool scale=true, bool adjust=true); void gen_runtime43(stack *Stack) { bool adjust=vm::pop(Stack,true); bool scale=vm::pop(Stack,true); real offset=vm::pop(Stack,0); realarray * pattern=vm::pop(Stack); #line 495 "runtime.in" size_t size=checkArray(pattern); array *a=new array(size); for(size_t i=0; i < size; ++i) (*a)[i]=::max(vm::read(pattern,i),0.0); {Stack->push(pen(LineType(*a,offset,scale,adjust))); return;} } #line 504 "runtime.in" // realarray* linetype(pen p=CURRENTPEN); void gen_runtime44(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 505 "runtime.in" array a=p.linetype()->pattern; {Stack->push(copyArray(&a)); return;} } #line 510 "runtime.in" // real offset(pen p); void gen_runtime45(stack *Stack) { pen p=vm::pop(Stack); #line 511 "runtime.in" {Stack->push(p.linetype()->offset); return;} } #line 515 "runtime.in" // bool scale(pen p); void gen_runtime46(stack *Stack) { pen p=vm::pop(Stack); #line 516 "runtime.in" {Stack->push(p.linetype()->scale); return;} } #line 520 "runtime.in" // bool adjust(pen p); void gen_runtime47(stack *Stack) { pen p=vm::pop(Stack); #line 521 "runtime.in" {Stack->push(p.linetype()->adjust); return;} } #line 525 "runtime.in" // pen adjust(pen p, real arclength, bool cyclic); void gen_runtime48(stack *Stack) { bool cyclic=vm::pop(Stack); real arclength=vm::pop(Stack); pen p=vm::pop(Stack); #line 526 "runtime.in" {Stack->push(adjustdash(p,arclength,cyclic)); return;} } #line 530 "runtime.in" // pen linecap(Int n); void gen_runtime49(stack *Stack) { Int n=vm::pop(Stack); #line 531 "runtime.in" {Stack->push(pen(setlinecap,n >= 0 && n < nCap ? n : DEFCAP)); return;} } #line 535 "runtime.in" // Int linecap(pen p=CURRENTPEN); void gen_runtime50(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 536 "runtime.in" {Stack->push(p.cap()); return;} } #line 540 "runtime.in" // pen linejoin(Int n); void gen_runtime51(stack *Stack) { Int n=vm::pop(Stack); #line 541 "runtime.in" {Stack->push(pen(setlinejoin,n >= 0 && n < nJoin ? n : DEFJOIN)); return;} } #line 545 "runtime.in" // Int linejoin(pen p=CURRENTPEN); void gen_runtime52(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 546 "runtime.in" {Stack->push(p.join()); return;} } #line 550 "runtime.in" // pen miterlimit(real x); void gen_runtime53(stack *Stack) { real x=vm::pop(Stack); #line 551 "runtime.in" {Stack->push(pen(setmiterlimit,x >= 1.0 ? x : DEFJOIN)); return;} } #line 555 "runtime.in" // real miterlimit(pen p=CURRENTPEN); void gen_runtime54(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 556 "runtime.in" {Stack->push(p.miter()); return;} } #line 560 "runtime.in" // pen linewidth(real x); void gen_runtime55(stack *Stack) { real x=vm::pop(Stack); #line 561 "runtime.in" {Stack->push(pen(setlinewidth,x >= 0.0 ? x : DEFWIDTH)); return;} } #line 565 "runtime.in" // real linewidth(pen p=CURRENTPEN); void gen_runtime56(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 566 "runtime.in" {Stack->push(p.width()); return;} } #line 570 "runtime.in" // pen fontcommand(string *s); void gen_runtime57(stack *Stack) { string * s=vm::pop(Stack); #line 571 "runtime.in" {Stack->push(pen(setfont,*s)); return;} } #line 575 "runtime.in" // string font(pen p=CURRENTPEN); void gen_runtime58(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 576 "runtime.in" {Stack->push(p.Font()); return;} } #line 580 "runtime.in" // pen fontsize(real size, real lineskip); void gen_runtime59(stack *Stack) { real lineskip=vm::pop(Stack); real size=vm::pop(Stack); #line 581 "runtime.in" {Stack->push(pen(setfontsize,size > 0.0 ? size : 0.0, lineskip > 0.0 ? lineskip : 0.0)); return;} } #line 586 "runtime.in" // real fontsize(pen p=CURRENTPEN); void gen_runtime60(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 587 "runtime.in" {Stack->push(p.size()); return;} } #line 591 "runtime.in" // real lineskip(pen p=CURRENTPEN); void gen_runtime61(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 592 "runtime.in" {Stack->push(p.Lineskip()); return;} } #line 596 "runtime.in" // pen overwrite(Int n); void gen_runtime62(stack *Stack) { Int n=vm::pop(Stack); #line 597 "runtime.in" {Stack->push(pen(setoverwrite,n >= 0 && n < nOverwrite ? (overwrite_t) n : DEFWRITE)); return;} } #line 602 "runtime.in" // Int overwrite(pen p=CURRENTPEN); void gen_runtime63(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 603 "runtime.in" {Stack->push(p.Overwrite()); return;} } #line 607 "runtime.in" // pen basealign(Int n); void gen_runtime64(stack *Stack) { Int n=vm::pop(Stack); #line 608 "runtime.in" {Stack->push(pen(n >= 0 && n < nBaseLine ? (BaseLine) n : DEFBASE)); return;} } #line 612 "runtime.in" // Int basealign(pen p=CURRENTPEN); void gen_runtime65(stack *Stack) { pen p=vm::pop(Stack,CURRENTPEN); #line 613 "runtime.in" {Stack->push(p.Baseline()); return;} } #line 617 "runtime.in" // transform transform(pen p); void gen_runtime66(stack *Stack) { pen p=vm::pop(Stack); #line 618 "runtime.in" {Stack->push(p.getTransform()); return;} } #line 622 "runtime.in" // path nib(pen p); void gen_runtime67(stack *Stack) { pen p=vm::pop(Stack); #line 623 "runtime.in" {Stack->push(p.Path()); return;} } #line 627 "runtime.in" // pen makepen(path p); void gen_runtime68(stack *Stack) { path p=vm::pop(Stack); #line 628 "runtime.in" {Stack->push(pen(p)); return;} } #line 632 "runtime.in" // pen colorless(pen p); void gen_runtime69(stack *Stack) { pen p=vm::pop(Stack); #line 633 "runtime.in" p.colorless(); {Stack->push(p); return;} } // Interactive mode #line 639 "runtime.in" // bool interactive(); void gen_runtime70(stack *Stack) { #line 640 "runtime.in" {Stack->push(interact::interactive); return;} } #line 645 "runtime.in" // bool uptodate(); void gen_runtime71(stack *Stack) { #line 646 "runtime.in" {Stack->push(interact::uptodate); return;} } // System commands #line 652 "runtime.in" // Int system(stringarray *s); void gen_runtime72(stack *Stack) { stringarray * s=vm::pop(Stack); #line 653 "runtime.in" if(safe) error("system() call disabled; override with option -nosafe"); size_t size=checkArray(s); if(size == 0) {Stack->push(0); return;} mem::vector cmd; for(size_t i=0; i < size; ++i) cmd.push_back(read(s,i)); {Stack->push(System(cmd)); return;} } #line 664 "runtime.in" // bool view(); void gen_runtime73(stack *Stack) { #line 665 "runtime.in" {Stack->push(view()); return;} } #line 669 "runtime.in" // string asydir(); void gen_runtime74(stack *Stack) { #line 670 "runtime.in" {Stack->push(systemDir); return;} } #line 674 "runtime.in" // string locale(string s=emptystring); void gen_runtime75(stack *Stack) { string s=vm::pop(Stack,emptystring); #line 675 "runtime.in" char *L=setlocale(LC_ALL,s.empty() ? NULL : s.c_str()); {Stack->push(L != NULL ? string(L) : ""); return;} } #line 680 "runtime.in" // void abort(string s=emptystring); void gen_runtime76(stack *Stack) { string s=vm::pop(Stack,emptystring); #line 681 "runtime.in" if(s.empty()) throw handled_error(); error(s.c_str()); } #line 686 "runtime.in" // void exit(); void gen_runtime77(stack *) { #line 687 "runtime.in" throw quit(); } #line 691 "runtime.in" // void assert(bool b, string s=emptystring); void gen_runtime78(stack *Stack) { string s=vm::pop(Stack,emptystring); bool b=vm::pop(Stack); #line 692 "runtime.in" flush(cout); if(!b) { ostringstream buf; buf << "assert FAILED"; if(s != "") buf << ": " << s; error(buf); } } #line 702 "runtime.in" // void sleep(Int seconds); void gen_runtime79(stack *Stack) { Int seconds=vm::pop(Stack); #line 703 "runtime.in" if(seconds <= 0) return; sleep(seconds); } #line 708 "runtime.in" // void usleep(Int microseconds); void gen_runtime80(stack *Stack) { Int microseconds=vm::pop(Stack); #line 709 "runtime.in" if(microseconds <= 0) return; usleep((unsigned long) microseconds); } #line 714 "runtime.in" // void _eval(string *s, bool embedded, bool interactiveWrite=false); void gen_runtime81(stack *Stack) { bool interactiveWrite=vm::pop(Stack,false); bool embedded=vm::pop(Stack); string * s=vm::pop(Stack); #line 715 "runtime.in" if(embedded) { trans::coenv *e=Stack->getEnvironment(); vm::interactiveStack *is=dynamic_cast(Stack); if(e && is) runStringEmbedded(*s, *e, *is); else error(noruntime); } else runString(*s,interactiveWrite); } #line 727 "runtime.in" // void _eval(runnable *s, bool embedded); void gen_runtime82(stack *Stack) { bool embedded=vm::pop(Stack); runnable * s=vm::pop(Stack); #line 728 "runtime.in" absyntax::block *ast=new absyntax::block(s->getPos(), false); ast->add(s); if(embedded) { trans::coenv *e=Stack->getEnvironment(); vm::interactiveStack *is=dynamic_cast(Stack); if(e && is) runCodeEmbedded(ast, *e, *is); else error(noruntime); } else runCode(ast); } #line 743 "runtime.in" // string xasyKEY(); void gen_runtime83(stack *Stack) { #line 744 "runtime.in" processDataStruct *P=&processData(); xkey_t *xkey=&P->xkey; xkey_t::iterator p=xkey->find(P->topPos.LineColumn()); {Stack->push(p != xkey->end() ? p->second+" 1" : toplocation()+" 0"); return;} } #line 750 "runtime.in" // void xasyKEY(string *s); void gen_runtime84(stack *Stack) { string * s=vm::pop(Stack); #line 751 "runtime.in" processData().KEY=*s; } #line 754 "runtime.in" // string toplocation(); void gen_runtime85(stack *Stack) { #line 755 "runtime.in" {Stack->push(toplocation()); return;} } #line 758 "runtime.in" // string location(); void gen_runtime86(stack *Stack) { #line 759 "runtime.in" ostringstream buf; buf << getPos(); {Stack->push(buf.str()); return;} } // Wrapper for the stack::load() method. #line 765 "runtime.in" void loadModule(stack *Stack) { string * index=vm::pop(Stack); #line 766 "runtime.in" Stack->load(*index); } #line 770 "runtime.in" // string cd(string s=emptystring); void gen_runtime88(stack *Stack) { string s=vm::pop(Stack,emptystring); #line 771 "runtime.in" if(!s.empty() && !globalwrite()) { string outname=getSetting("outname"); string dir=stripDir(outname); if(dir.empty()) Setting("outname")=getPath()+dirsep+outname; } {Stack->push(setPath(s.c_str())); return;} } #line 780 "runtime.in" // void list(string *s, bool imports=false); void gen_runtime89(stack *Stack) { bool imports=vm::pop(Stack,false); string * s=vm::pop(Stack); #line 781 "runtime.in" if(*s == "-") return; trans::genv ge; symbol name=symbol::trans(*s); record *r=ge.getModule(name,*s); r->e.list(imports ? 0 : r); } // Guide operations #line 791 "runtime.in" void nullGuide(stack *Stack) { #line 792 "runtime.in" {Stack->push(new pathguide(path())); return;} } #line 797 "runtime.in" void dotsGuide(stack *Stack) { guidearray * a=vm::pop(Stack); #line 798 "runtime.in" guidevector v; size_t size=checkArray(a); for (size_t i=0; i < size; ++i) v.push_back(a->read(i)); {Stack->push(new multiguide(v)); return;} } #line 807 "runtime.in" void dashesGuide(stack *Stack) { guidearray * a=vm::pop(Stack); #line 808 "runtime.in" static camp::curlSpec curly; static camp::specguide curlout(&curly, camp::OUT); static camp::specguide curlin(&curly, camp::IN); size_t n=checkArray(a); // a--b is equivalent to a{curl 1}..{curl 1}b guidevector v; if (n > 0) v.push_back(a->read(0)); if (n==1) { v.push_back(&curlout); v.push_back(&curlin); } else for (size_t i=1; iread(i)); } {Stack->push(new multiguide(v)); return;} } #line 834 "runtime.in" void newCycleToken(stack *Stack) { #line 835 "runtime.in" {Stack->push(cycleToken()); return;} } #line 839 "runtime.in" // guide* operator cast(cycleToken tok); void gen_runtime94(stack *Stack) { cycleToken tok=vm::pop(Stack); #line 840 "runtime.in" // Avoid unused variable warning messages. unused(&tok); {Stack->push(new cycletokguide()); return;} } #line 846 "runtime.in" // guide* operator spec(pair z, Int p); void gen_runtime95(stack *Stack) { Int p=vm::pop(Stack); pair z=vm::pop(Stack); #line 847 "runtime.in" camp::side d=(camp::side) p; camp::dirSpec *sp=new camp::dirSpec(z); {Stack->push(new specguide(sp,d)); return;} } #line 854 "runtime.in" // curlSpecifier operator curl(real gamma, Int p); void gen_runtime96(stack *Stack) { Int p=vm::pop(Stack); real gamma=vm::pop(Stack); #line 855 "runtime.in" camp::side s=(camp::side) p; {Stack->push(curlSpecifier(gamma,s)); return;} } #line 860 "runtime.in" void curlSpecifierValuePart(stack *Stack) { curlSpecifier spec=vm::pop(Stack); #line 861 "runtime.in" {Stack->push(spec.getValue()); return;} } #line 865 "runtime.in" void curlSpecifierSidePart(stack *Stack) { curlSpecifier spec=vm::pop(Stack); #line 866 "runtime.in" {Stack->push(spec.getSide()); return;} } #line 870 "runtime.in" // guide* operator cast(curlSpecifier spec); void gen_runtime99(stack *Stack) { curlSpecifier spec=vm::pop(Stack); #line 871 "runtime.in" {Stack->push(new specguide(spec)); return;} } #line 875 "runtime.in" // tensionSpecifier operator tension(real tout, real tin, bool atleast); void gen_runtime100(stack *Stack) { bool atleast=vm::pop(Stack); real tin=vm::pop(Stack); real tout=vm::pop(Stack); #line 876 "runtime.in" {Stack->push(tensionSpecifier(tout, tin, atleast)); return;} } #line 880 "runtime.in" void tensionSpecifierOutPart(stack *Stack) { tensionSpecifier t=vm::pop(Stack); #line 881 "runtime.in" {Stack->push(t.getOut()); return;} } #line 885 "runtime.in" void tensionSpecifierInPart(stack *Stack) { tensionSpecifier t=vm::pop(Stack); #line 886 "runtime.in" {Stack->push(t.getIn()); return;} } #line 890 "runtime.in" void tensionSpecifierAtleastPart(stack *Stack) { tensionSpecifier t=vm::pop(Stack); #line 891 "runtime.in" {Stack->push(t.getAtleast()); return;} } #line 895 "runtime.in" // guide* operator cast(tensionSpecifier t); void gen_runtime104(stack *Stack) { tensionSpecifier t=vm::pop(Stack); #line 896 "runtime.in" {Stack->push(new tensionguide(t)); return;} } #line 900 "runtime.in" // guide* operator controls(pair zout, pair zin); void gen_runtime105(stack *Stack) { pair zin=vm::pop(Stack); pair zout=vm::pop(Stack); #line 901 "runtime.in" {Stack->push(new controlguide(zout, zin)); return;} } #line 905 "runtime.in" // Int size(guide *g); void gen_runtime106(stack *Stack) { guide * g=vm::pop(Stack); #line 906 "runtime.in" flatguide f; g->flatten(f,false); {Stack->push(f.size()); return;} } #line 912 "runtime.in" // Int length(guide *g); void gen_runtime107(stack *Stack) { guide * g=vm::pop(Stack); #line 913 "runtime.in" flatguide f; g->flatten(f,false); {Stack->push(g->cyclic() ? f.size() : f.size()-1); return;} } #line 919 "runtime.in" // bool cyclic(guide *g); void gen_runtime108(stack *Stack) { guide * g=vm::pop(Stack); #line 920 "runtime.in" flatguide f; g->flatten(f,false); {Stack->push(g->cyclic()); return;} } #line 926 "runtime.in" // pair point(guide *g, Int t); void gen_runtime109(stack *Stack) { Int t=vm::pop(Stack); guide * g=vm::pop(Stack); #line 927 "runtime.in" flatguide f; g->flatten(f,false); {Stack->push(f.Nodes(adjustedIndex(t,f.size(),g->cyclic())).z); return;} } #line 933 "runtime.in" // pairarray* dirSpecifier(guide *g, Int t); void gen_runtime110(stack *Stack) { Int t=vm::pop(Stack); guide * g=vm::pop(Stack); #line 934 "runtime.in" flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) {Stack->push(new array(0)); return;} array *c=new array(2); (*c)[0]=f.Nodes(t).out->dir(); (*c)[1]=f.Nodes(t+1).in->dir(); {Stack->push(c); return;} } #line 945 "runtime.in" // pairarray* controlSpecifier(guide *g, Int t); void gen_runtime111(stack *Stack) { Int t=vm::pop(Stack); guide * g=vm::pop(Stack); #line 946 "runtime.in" flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) {Stack->push(new array(0)); return;} knot curr=f.Nodes(t); knot next=f.Nodes(t+1); if(curr.out->controlled()) { assert(next.in->controlled()); array *c=new array(2); (*c)[0]=curr.out->control(); (*c)[1]=next.in->control(); {Stack->push(c); return;} } else {Stack->push(new array(0)); return;} } #line 962 "runtime.in" // tensionSpecifier tensionSpecifier(guide *g, Int t); void gen_runtime112(stack *Stack) { Int t=vm::pop(Stack); guide * g=vm::pop(Stack); #line 963 "runtime.in" flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) {Stack->push(tensionSpecifier(1.0,1.0,false)); return;} knot curr=f.Nodes(t); {Stack->push(tensionSpecifier(curr.tout.val,f.Nodes(t+1).tin.val,curr.tout.atleast)); return;} } #line 972 "runtime.in" // realarray* curlSpecifier(guide *g, Int t); void gen_runtime113(stack *Stack) { Int t=vm::pop(Stack); guide * g=vm::pop(Stack); #line 973 "runtime.in" flatguide f; g->flatten(f,false); Int n=f.size(); if(!g->cyclic() && (t < 0 || t >= n-1)) {Stack->push(new array(0)); return;} array *c=new array(2); real c0=f.Nodes(t).out->curl(); real c1=f.Nodes(t+1).in->curl(); (*c)[0]=c0 >= 0.0 ? c0 : 1.0; (*c)[1]=c1 >= 0.0 ? c1 : 1.0; {Stack->push(c); return;} } #line 986 "runtime.in" // guide* reverse(guide *g); void gen_runtime114(stack *Stack) { guide * g=vm::pop(Stack); #line 987 "runtime.in" flatguide f; g->flatten(f,false); if(f.precyclic()) {Stack->push(new pathguide(g->solve().reverse())); return;} size_t n=f.size(); bool cyclic=g->cyclic(); guidevector v; size_t start=cyclic ? n : n-1; knot curr=f.Nodes(start); knot next=curr; for(size_t i=start; i > 0; --i) { next=f.Nodes(i-1); v.push_back(new pairguide(curr.z)); if(next.out->controlled()) { assert(curr.in->controlled()); v.push_back(new controlguide(curr.in->control(),next.out->control())); } else { pair d=curr.in->dir(); if(d != zero) v.push_back(new specguide(new dirSpec(-d),camp::OUT)); else { real C=curr.in->curl(); if(C >= 0.0) v.push_back(new specguide(new curlSpec(C),camp::OUT)); } real tout=curr.tin.val; real tin=next.tout.val; bool atleast=next.tout.atleast; if(tout != 1.0 || tin != 1.0 || next.tout.atleast) v.push_back(new tensionguide(tensionSpecifier(tout,tin,atleast))); d=next.out->dir(); if(d != zero) v.push_back(new specguide(new dirSpec(-d),camp::IN)); else { real C=next.out->curl(); if(C >= 0.0) v.push_back(new specguide(new curlSpec(C),camp::IN)); } } curr=next; } if(cyclic) v.push_back(new cycletokguide()); else v.push_back(new pairguide(next.z)); {Stack->push(new multiguide(v)); return;} } #line 1039 "runtime.in" // realarray* _cputime(); void gen_runtime115(stack *Stack) { #line 1040 "runtime.in" static const real ticktime=1.0/sysconf(_SC_CLK_TCK); struct tms buf; ::times(&buf); array *t=new array(4); (*t)[0] = ((real) buf.tms_utime)*ticktime; (*t)[1] = ((real) buf.tms_stime)*ticktime; (*t)[2] = ((real) buf.tms_cutime)*ticktime; (*t)[3] = ((real) buf.tms_cstime)*ticktime; {Stack->push(t); return;} } // Transforms #line 1055 "runtime.in" // bool ==(transform a, transform b); void gen_runtime116(stack *Stack) { transform b=vm::pop(Stack); transform a=vm::pop(Stack); #line 1056 "runtime.in" {Stack->push(a == b); return;} } #line 1061 "runtime.in" // bool !=(transform a, transform b); void gen_runtime117(stack *Stack) { transform b=vm::pop(Stack); transform a=vm::pop(Stack); #line 1062 "runtime.in" {Stack->push(a != b); return;} } #line 1066 "runtime.in" // transform +(transform a, transform b); void gen_runtime118(stack *Stack) { transform b=vm::pop(Stack); transform a=vm::pop(Stack); #line 1067 "runtime.in" {Stack->push(a+b); return;} } #line 1071 "runtime.in" // transform *(transform a, transform b); void gen_runtime119(stack *Stack) { transform b=vm::pop(Stack); transform a=vm::pop(Stack); #line 1072 "runtime.in" {Stack->push(a*b); return;} } #line 1076 "runtime.in" // pair *(transform t, pair z); void gen_runtime120(stack *Stack) { pair z=vm::pop(Stack); transform t=vm::pop(Stack); #line 1077 "runtime.in" {Stack->push(t*z); return;} } #line 1081 "runtime.in" // path *(transform t, path g); void gen_runtime121(stack *Stack) { path g=vm::pop(Stack); transform t=vm::pop(Stack); #line 1082 "runtime.in" {Stack->push(transformed(t,g)); return;} } #line 1086 "runtime.in" // pen *(transform t, pen p); void gen_runtime122(stack *Stack) { pen p=vm::pop(Stack); transform t=vm::pop(Stack); #line 1087 "runtime.in" {Stack->push(transformed(t,p)); return;} } #line 1091 "runtime.in" // picture* *(transform t, picture *f); void gen_runtime123(stack *Stack) { picture * f=vm::pop(Stack); transform t=vm::pop(Stack); #line 1092 "runtime.in" {Stack->push(transformed(t,f)); return;} } #line 1096 "runtime.in" // picture* *(realarray2 *t, picture *f); void gen_runtime124(stack *Stack) { picture * f=vm::pop(Stack); realarray2 * t=vm::pop(Stack); #line 1097 "runtime.in" {Stack->push(transformed(*t,f)); return;} } #line 1101 "runtime.in" // transform ^(transform t, Int n); void gen_runtime125(stack *Stack) { Int n=vm::pop(Stack); transform t=vm::pop(Stack); #line 1102 "runtime.in" transform T; if(n < 0) { n=-n; t=inverse(t); } for(Int i=0; i < n; i++) T=T*t; {Stack->push(T); return;} } #line 1112 "runtime.in" void transformXPart(stack *Stack) { transform t=vm::pop(Stack); #line 1113 "runtime.in" {Stack->push(t.getx()); return;} } #line 1117 "runtime.in" void transformYPart(stack *Stack) { transform t=vm::pop(Stack); #line 1118 "runtime.in" {Stack->push(t.gety()); return;} } #line 1122 "runtime.in" void transformXXPart(stack *Stack) { transform t=vm::pop(Stack); #line 1123 "runtime.in" {Stack->push(t.getxx()); return;} } #line 1127 "runtime.in" void transformXYPart(stack *Stack) { transform t=vm::pop(Stack); #line 1128 "runtime.in" {Stack->push(t.getxy()); return;} } #line 1132 "runtime.in" void transformYXPart(stack *Stack) { transform t=vm::pop(Stack); #line 1133 "runtime.in" {Stack->push(t.getyx()); return;} } #line 1137 "runtime.in" void transformYYPart(stack *Stack) { transform t=vm::pop(Stack); #line 1138 "runtime.in" {Stack->push(t.getyy()); return;} } #line 1142 "runtime.in" void real6ToTransform(stack *Stack) { real yy=vm::pop(Stack); real yx=vm::pop(Stack); real xy=vm::pop(Stack); real xx=vm::pop(Stack); real y=vm::pop(Stack); real x=vm::pop(Stack); #line 1144 "runtime.in" {Stack->push(transform(x,y,xx,xy,yx,yy)); return;} } #line 1148 "runtime.in" // transform shift(transform t); void gen_runtime133(stack *Stack) { transform t=vm::pop(Stack); #line 1149 "runtime.in" {Stack->push(transform(t.getx(),t.gety(),0,0,0,0)); return;} } #line 1153 "runtime.in" // transform shiftless(transform t); void gen_runtime134(stack *Stack) { transform t=vm::pop(Stack); #line 1154 "runtime.in" {Stack->push(transform(0,0,t.getxx(),t.getxy(),t.getyx(),t.getyy())); return;} } #line 1158 "runtime.in" // transform identity(); void transformIdentity(stack *Stack) { #line 1159 "runtime.in" {Stack->push(identity); return;} } #line 1163 "runtime.in" // transform inverse(transform t); void gen_runtime136(stack *Stack) { transform t=vm::pop(Stack); #line 1164 "runtime.in" {Stack->push(inverse(t)); return;} } #line 1168 "runtime.in" // transform shift(pair z); void gen_runtime137(stack *Stack) { pair z=vm::pop(Stack); #line 1169 "runtime.in" {Stack->push(shift(z)); return;} } #line 1173 "runtime.in" // transform shift(real x, real y); void gen_runtime138(stack *Stack) { real y=vm::pop(Stack); real x=vm::pop(Stack); #line 1174 "runtime.in" {Stack->push(shift(pair(x,y))); return;} } #line 1178 "runtime.in" // transform xscale(real x); void gen_runtime139(stack *Stack) { real x=vm::pop(Stack); #line 1179 "runtime.in" {Stack->push(xscale(x)); return;} } #line 1183 "runtime.in" // transform yscale(real y); void gen_runtime140(stack *Stack) { real y=vm::pop(Stack); #line 1184 "runtime.in" {Stack->push(yscale(y)); return;} } #line 1188 "runtime.in" // transform scale(real x); void gen_runtime141(stack *Stack) { real x=vm::pop(Stack); #line 1189 "runtime.in" {Stack->push(scale(x)); return;} } #line 1193 "runtime.in" // transform scale(real x, real y); void gen_runtime142(stack *Stack) { real y=vm::pop(Stack); real x=vm::pop(Stack); #line 1194 "runtime.in" {Stack->push(scale(x,y)); return;} } #line 1198 "runtime.in" // transform slant(real s); void gen_runtime143(stack *Stack) { real s=vm::pop(Stack); #line 1199 "runtime.in" {Stack->push(slant(s)); return;} } #line 1203 "runtime.in" // transform rotate(real angle, pair z=0); void gen_runtime144(stack *Stack) { pair z=vm::pop(Stack,0); real angle=vm::pop(Stack); #line 1204 "runtime.in" {Stack->push(rotatearound(z,radians(angle))); return;} } #line 1208 "runtime.in" // transform reflect(pair a, pair b); void gen_runtime145(stack *Stack) { pair b=vm::pop(Stack); pair a=vm::pop(Stack); #line 1209 "runtime.in" {Stack->push(reflectabout(a,b)); return;} } } // namespace run namespace trans { void gen_runtime_venv(venv &ve) { #line 228 "runtime.in" REGISTER_BLTIN(run::IntZero,"IntZero"); #line 236 "runtime.in" REGISTER_BLTIN(run::realZero,"realZero"); #line 241 "runtime.in" REGISTER_BLTIN(run::boolFalse,"boolFalse"); #line 246 "runtime.in" addFunc(ve, run::gen_runtime3, primBoolean(), SYM(isnan), formal(primReal(), SYM(x), false, false)); #line 251 "runtime.in" REGISTER_BLTIN(run::pushNullArray,"pushNullArray"); #line 256 "runtime.in" REGISTER_BLTIN(run::pushNullRecord,"pushNullRecord"); #line 261 "runtime.in" REGISTER_BLTIN(run::pushNullFunction,"pushNullFunction"); #line 266 "runtime.in" REGISTER_BLTIN(run::pushDefault,"pushDefault"); #line 276 "runtime.in" REGISTER_BLTIN(run::isDefault,"isDefault"); #line 283 "runtime.in" REGISTER_BLTIN(run::pairToGuide,"pairToGuide"); #line 291 "runtime.in" REGISTER_BLTIN(run::pathToGuide,"pathToGuide"); #line 296 "runtime.in" REGISTER_BLTIN(run::guideToPath,"guideToPath"); #line 301 "runtime.in" REGISTER_BLTIN(run::newPen,"newPen"); #line 309 "runtime.in" addFunc(ve, run::gen_runtime13, primBoolean(), SYM_EQ, formal(primPen(), SYM(a), false, false), formal(primPen(), SYM(b), false, false)); #line 314 "runtime.in" addFunc(ve, run::gen_runtime14, primBoolean(), SYM_NEQ, formal(primPen(), SYM(a), false, false), formal(primPen(), SYM(b), false, false)); #line 319 "runtime.in" addFunc(ve, run::gen_runtime15, primPen(), SYM_PLUS, formal(primPen(), SYM(a), false, false), formal(primPen(), SYM(b), false, false)); #line 324 "runtime.in" addFunc(ve, run::gen_runtime16, primPen(), SYM_TIMES, formal(primReal(), SYM(a), false, false), formal(primPen(), SYM(b), false, false)); #line 329 "runtime.in" addFunc(ve, run::gen_runtime17, primPen(), SYM_TIMES, formal(primPen(), SYM(a), false, false), formal(primReal(), SYM(b), false, false)); #line 334 "runtime.in" addFunc(ve, run::gen_runtime18, primPair(), SYM(max), formal(primPen(), SYM(p), false, false)); #line 339 "runtime.in" addFunc(ve, run::gen_runtime19, primPair(), SYM(min), formal(primPen(), SYM(p), false, false)); #line 344 "runtime.in" addFunc(ve, run::gen_runtime20, primVoid(), SYM(resetdefaultpen)); #line 350 "runtime.in" addFunc(ve, run::gen_runtime21, primVoid(), SYM(defaultpen), formal(primPen(), SYM(p), false, false)); #line 355 "runtime.in" addFunc(ve, run::gen_runtime22, primPen(), SYM(defaultpen)); #line 360 "runtime.in" addFunc(ve, run::gen_runtime23, primBoolean(), SYM(invisible), formal(primPen(), SYM(p), false, false)); #line 365 "runtime.in" addFunc(ve, run::gen_runtime24, primPen(), SYM(invisible)); #line 370 "runtime.in" addFunc(ve, run::gen_runtime25, primPen(), SYM(gray), formal(primPen(), SYM(p), false, false)); #line 376 "runtime.in" addFunc(ve, run::gen_runtime26, primPen(), SYM(rgb), formal(primPen(), SYM(p), false, false)); #line 382 "runtime.in" addFunc(ve, run::gen_runtime27, primPen(), SYM(cmyk), formal(primPen(), SYM(p), false, false)); #line 388 "runtime.in" addFunc(ve, run::gen_runtime28, primPen(), SYM(interp), formal(primPen(), SYM(a), false, false), formal(primPen(), SYM(b), false, false), formal(primReal(), SYM(t), false, false)); #line 393 "runtime.in" addFunc(ve, run::gen_runtime29, primPen(), SYM(rgb), formal(primReal(), SYM(r), false, false), formal(primReal(), SYM(g), false, false), formal(primReal(), SYM(b), false, false)); #line 398 "runtime.in" addFunc(ve, run::gen_runtime30, primPen(), SYM(cmyk), formal(primReal(), SYM(c), false, false), formal(primReal(), SYM(m), false, false), formal(primReal(), SYM(y), false, false), formal(primReal(), SYM(k), false, false)); #line 403 "runtime.in" addFunc(ve, run::gen_runtime31, primPen(), SYM(gray), formal(primReal(), SYM(gray), false, false)); #line 408 "runtime.in" addFunc(ve, run::gen_runtime32, realArray(), SYM(colors), formal(primPen(), SYM(p), false, false)); #line 436 "runtime.in" addFunc(ve, run::gen_runtime33, primString() , SYM(hex), formal(primPen(), SYM(p), false, false)); #line 441 "runtime.in" addFunc(ve, run::gen_runtime34, primInt(), SYM(byte), formal(primReal(), SYM(x), false, false)); #line 446 "runtime.in" addFunc(ve, run::gen_runtime35, primString() , SYM(colorspace), formal(primPen(), SYM(p), false, false)); #line 453 "runtime.in" addFunc(ve, run::gen_runtime36, primPen(), SYM(pattern), formal(primString(), SYM(s), false, false)); #line 458 "runtime.in" addFunc(ve, run::gen_runtime37, primString() , SYM(pattern), formal(primPen(), SYM(p), false, false)); #line 463 "runtime.in" addFunc(ve, run::gen_runtime38, primPen(), SYM(fillrule), formal(primInt(), SYM(n), false, false)); #line 468 "runtime.in" addFunc(ve, run::gen_runtime39, primInt(), SYM(fillrule), formal(primPen(), SYM(p), false, false)); #line 473 "runtime.in" addFunc(ve, run::gen_runtime40, primPen(), SYM(opacity), formal(primReal(), SYM(opacity), true, false), formal(primString() , SYM(blend), true, false)); #line 483 "runtime.in" addFunc(ve, run::gen_runtime41, primReal(), SYM(opacity), formal(primPen(), SYM(p), false, false)); #line 488 "runtime.in" addFunc(ve, run::gen_runtime42, primString() , SYM(blend), formal(primPen(), SYM(p), false, false)); #line 493 "runtime.in" addFunc(ve, run::gen_runtime43, primPen(), SYM(linetype), formal(realArray(), SYM(pattern), false, false), formal(primReal(), SYM(offset), true, false), formal(primBoolean(), SYM(scale), true, false), formal(primBoolean(), SYM(adjust), true, false)); #line 504 "runtime.in" addFunc(ve, run::gen_runtime44, realArray(), SYM(linetype), formal(primPen(), SYM(p), true, false)); #line 510 "runtime.in" addFunc(ve, run::gen_runtime45, primReal(), SYM(offset), formal(primPen(), SYM(p), false, false)); #line 515 "runtime.in" addFunc(ve, run::gen_runtime46, primBoolean(), SYM(scale), formal(primPen(), SYM(p), false, false)); #line 520 "runtime.in" addFunc(ve, run::gen_runtime47, primBoolean(), SYM(adjust), formal(primPen(), SYM(p), false, false)); #line 525 "runtime.in" addFunc(ve, run::gen_runtime48, primPen(), SYM(adjust), formal(primPen(), SYM(p), false, false), formal(primReal(), SYM(arclength), false, false), formal(primBoolean(), SYM(cyclic), false, false)); #line 530 "runtime.in" addFunc(ve, run::gen_runtime49, primPen(), SYM(linecap), formal(primInt(), SYM(n), false, false)); #line 535 "runtime.in" addFunc(ve, run::gen_runtime50, primInt(), SYM(linecap), formal(primPen(), SYM(p), true, false)); #line 540 "runtime.in" addFunc(ve, run::gen_runtime51, primPen(), SYM(linejoin), formal(primInt(), SYM(n), false, false)); #line 545 "runtime.in" addFunc(ve, run::gen_runtime52, primInt(), SYM(linejoin), formal(primPen(), SYM(p), true, false)); #line 550 "runtime.in" addFunc(ve, run::gen_runtime53, primPen(), SYM(miterlimit), formal(primReal(), SYM(x), false, false)); #line 555 "runtime.in" addFunc(ve, run::gen_runtime54, primReal(), SYM(miterlimit), formal(primPen(), SYM(p), true, false)); #line 560 "runtime.in" addFunc(ve, run::gen_runtime55, primPen(), SYM(linewidth), formal(primReal(), SYM(x), false, false)); #line 565 "runtime.in" addFunc(ve, run::gen_runtime56, primReal(), SYM(linewidth), formal(primPen(), SYM(p), true, false)); #line 570 "runtime.in" addFunc(ve, run::gen_runtime57, primPen(), SYM(fontcommand), formal(primString(), SYM(s), false, false)); #line 575 "runtime.in" addFunc(ve, run::gen_runtime58, primString() , SYM(font), formal(primPen(), SYM(p), true, false)); #line 580 "runtime.in" addFunc(ve, run::gen_runtime59, primPen(), SYM(fontsize), formal(primReal(), SYM(size), false, false), formal(primReal(), SYM(lineskip), false, false)); #line 586 "runtime.in" addFunc(ve, run::gen_runtime60, primReal(), SYM(fontsize), formal(primPen(), SYM(p), true, false)); #line 591 "runtime.in" addFunc(ve, run::gen_runtime61, primReal(), SYM(lineskip), formal(primPen(), SYM(p), true, false)); #line 596 "runtime.in" addFunc(ve, run::gen_runtime62, primPen(), SYM(overwrite), formal(primInt(), SYM(n), false, false)); #line 602 "runtime.in" addFunc(ve, run::gen_runtime63, primInt(), SYM(overwrite), formal(primPen(), SYM(p), true, false)); #line 607 "runtime.in" addFunc(ve, run::gen_runtime64, primPen(), SYM(basealign), formal(primInt(), SYM(n), false, false)); #line 612 "runtime.in" addFunc(ve, run::gen_runtime65, primInt(), SYM(basealign), formal(primPen(), SYM(p), true, false)); #line 617 "runtime.in" addFunc(ve, run::gen_runtime66, primTransform(), SYM(transform), formal(primPen(), SYM(p), false, false)); #line 622 "runtime.in" addFunc(ve, run::gen_runtime67, primPath(), SYM(nib), formal(primPen(), SYM(p), false, false)); #line 627 "runtime.in" addFunc(ve, run::gen_runtime68, primPen(), SYM(makepen), formal(primPath(), SYM(p), false, false)); #line 632 "runtime.in" addFunc(ve, run::gen_runtime69, primPen(), SYM(colorless), formal(primPen(), SYM(p), false, false)); #line 638 "runtime.in" addFunc(ve, run::gen_runtime70, primBoolean(), SYM(interactive)); #line 645 "runtime.in" addFunc(ve, run::gen_runtime71, primBoolean(), SYM(uptodate)); #line 650 "runtime.in" addFunc(ve, run::gen_runtime72, primInt(), SYM(system), formal(stringArray(), SYM(s), false, false)); #line 664 "runtime.in" addFunc(ve, run::gen_runtime73, primBoolean(), SYM(view)); #line 669 "runtime.in" addFunc(ve, run::gen_runtime74, primString() , SYM(asydir)); #line 674 "runtime.in" addFunc(ve, run::gen_runtime75, primString() , SYM(locale), formal(primString() , SYM(s), true, false)); #line 680 "runtime.in" addFunc(ve, run::gen_runtime76, primVoid(), SYM(abort), formal(primString() , SYM(s), true, false)); #line 686 "runtime.in" addFunc(ve, run::gen_runtime77, primVoid(), SYM(exit)); #line 691 "runtime.in" addFunc(ve, run::gen_runtime78, primVoid(), SYM(assert), formal(primBoolean(), SYM(b), false, false), formal(primString() , SYM(s), true, false)); #line 702 "runtime.in" addFunc(ve, run::gen_runtime79, primVoid(), SYM(sleep), formal(primInt(), SYM(seconds), false, false)); #line 708 "runtime.in" addFunc(ve, run::gen_runtime80, primVoid(), SYM(usleep), formal(primInt(), SYM(microseconds), false, false)); #line 714 "runtime.in" addFunc(ve, run::gen_runtime81, primVoid(), SYM(_eval), formal(primString(), SYM(s), false, false), formal(primBoolean(), SYM(embedded), false, false), formal(primBoolean(), SYM(interactivewrite), true, false)); #line 727 "runtime.in" addFunc(ve, run::gen_runtime82, primVoid(), SYM(_eval), formal(primCode(), SYM(s), false, false), formal(primBoolean(), SYM(embedded), false, false)); #line 743 "runtime.in" addFunc(ve, run::gen_runtime83, primString() , SYM(xasyKEY)); #line 750 "runtime.in" addFunc(ve, run::gen_runtime84, primVoid(), SYM(xasyKEY), formal(primString(), SYM(s), false, false)); #line 754 "runtime.in" addFunc(ve, run::gen_runtime85, primString() , SYM(toplocation)); #line 758 "runtime.in" addFunc(ve, run::gen_runtime86, primString() , SYM(location)); #line 764 "runtime.in" REGISTER_BLTIN(run::loadModule,"loadModule"); #line 770 "runtime.in" addFunc(ve, run::gen_runtime88, primString() , SYM(cd), formal(primString() , SYM(s), true, false)); #line 780 "runtime.in" addFunc(ve, run::gen_runtime89, primVoid(), SYM(list), formal(primString(), SYM(s), false, false), formal(primBoolean(), SYM(imports), true, false)); #line 789 "runtime.in" REGISTER_BLTIN(run::nullGuide,"nullGuide"); #line 797 "runtime.in" REGISTER_BLTIN(run::dotsGuide,"dotsGuide"); #line 807 "runtime.in" REGISTER_BLTIN(run::dashesGuide,"dashesGuide"); #line 834 "runtime.in" REGISTER_BLTIN(run::newCycleToken,"newCycleToken"); #line 839 "runtime.in" addFunc(ve, run::gen_runtime94, primGuide(), symbol::trans("operator cast"), formal(primCycleToken(), SYM(tok), false, false)); #line 846 "runtime.in" addFunc(ve, run::gen_runtime95, primGuide(), symbol::trans("operator spec"), formal(primPair(), SYM(z), false, false), formal(primInt(), SYM(p), false, false)); #line 854 "runtime.in" addFunc(ve, run::gen_runtime96, primCurlSpecifier(), SYM_CURL, formal(primReal(), SYM(gamma), false, false), formal(primInt(), SYM(p), false, false)); #line 860 "runtime.in" REGISTER_BLTIN(run::curlSpecifierValuePart,"curlSpecifierValuePart"); #line 865 "runtime.in" REGISTER_BLTIN(run::curlSpecifierSidePart,"curlSpecifierSidePart"); #line 870 "runtime.in" addFunc(ve, run::gen_runtime99, primGuide(), symbol::trans("operator cast"), formal(primCurlSpecifier(), SYM(spec), false, false)); #line 875 "runtime.in" addFunc(ve, run::gen_runtime100, primTensionSpecifier(), SYM_TENSION, formal(primReal(), SYM(tout), false, false), formal(primReal(), SYM(tin), false, false), formal(primBoolean(), SYM(atleast), false, false)); #line 880 "runtime.in" REGISTER_BLTIN(run::tensionSpecifierOutPart,"tensionSpecifierOutPart"); #line 885 "runtime.in" REGISTER_BLTIN(run::tensionSpecifierInPart,"tensionSpecifierInPart"); #line 890 "runtime.in" REGISTER_BLTIN(run::tensionSpecifierAtleastPart,"tensionSpecifierAtleastPart"); #line 895 "runtime.in" addFunc(ve, run::gen_runtime104, primGuide(), symbol::trans("operator cast"), formal(primTensionSpecifier(), SYM(t), false, false)); #line 900 "runtime.in" addFunc(ve, run::gen_runtime105, primGuide(), SYM_CONTROLS, formal(primPair(), SYM(zout), false, false), formal(primPair(), SYM(zin), false, false)); #line 905 "runtime.in" addFunc(ve, run::gen_runtime106, primInt(), SYM(size), formal(primGuide(), SYM(g), false, false)); #line 912 "runtime.in" addFunc(ve, run::gen_runtime107, primInt(), SYM(length), formal(primGuide(), SYM(g), false, false)); #line 919 "runtime.in" addFunc(ve, run::gen_runtime108, primBoolean(), SYM(cyclic), formal(primGuide(), SYM(g), false, false)); #line 926 "runtime.in" addFunc(ve, run::gen_runtime109, primPair(), SYM(point), formal(primGuide(), SYM(g), false, false), formal(primInt(), SYM(t), false, false)); #line 933 "runtime.in" addFunc(ve, run::gen_runtime110, pairArray(), SYM(dirSpecifier), formal(primGuide(), SYM(g), false, false), formal(primInt(), SYM(t), false, false)); #line 945 "runtime.in" addFunc(ve, run::gen_runtime111, pairArray(), SYM(controlSpecifier), formal(primGuide(), SYM(g), false, false), formal(primInt(), SYM(t), false, false)); #line 962 "runtime.in" addFunc(ve, run::gen_runtime112, primTensionSpecifier(), SYM(tensionSpecifier), formal(primGuide(), SYM(g), false, false), formal(primInt(), SYM(t), false, false)); #line 972 "runtime.in" addFunc(ve, run::gen_runtime113, realArray(), SYM(curlSpecifier), formal(primGuide(), SYM(g), false, false), formal(primInt(), SYM(t), false, false)); #line 986 "runtime.in" addFunc(ve, run::gen_runtime114, primGuide(), SYM(reverse), formal(primGuide(), SYM(g), false, false)); #line 1039 "runtime.in" addFunc(ve, run::gen_runtime115, realArray(), SYM(_cputime)); #line 1053 "runtime.in" addFunc(ve, run::gen_runtime116, primBoolean(), SYM_EQ, formal(primTransform(), SYM(a), false, false), formal(primTransform(), SYM(b), false, false)); #line 1061 "runtime.in" addFunc(ve, run::gen_runtime117, primBoolean(), SYM_NEQ, formal(primTransform(), SYM(a), false, false), formal(primTransform(), SYM(b), false, false)); #line 1066 "runtime.in" addFunc(ve, run::gen_runtime118, primTransform(), SYM_PLUS, formal(primTransform(), SYM(a), false, false), formal(primTransform(), SYM(b), false, false)); #line 1071 "runtime.in" addFunc(ve, run::gen_runtime119, primTransform(), SYM_TIMES, formal(primTransform(), SYM(a), false, false), formal(primTransform(), SYM(b), false, false)); #line 1076 "runtime.in" addFunc(ve, run::gen_runtime120, primPair(), SYM_TIMES, formal(primTransform(), SYM(t), false, false), formal(primPair(), SYM(z), false, false)); #line 1081 "runtime.in" addFunc(ve, run::gen_runtime121, primPath(), SYM_TIMES, formal(primTransform(), SYM(t), false, false), formal(primPath(), SYM(g), false, false)); #line 1086 "runtime.in" addFunc(ve, run::gen_runtime122, primPen(), SYM_TIMES, formal(primTransform(), SYM(t), false, false), formal(primPen(), SYM(p), false, false)); #line 1091 "runtime.in" addFunc(ve, run::gen_runtime123, primPicture(), SYM_TIMES, formal(primTransform(), SYM(t), false, false), formal(primPicture(), SYM(f), false, false)); #line 1096 "runtime.in" addFunc(ve, run::gen_runtime124, primPicture(), SYM_TIMES, formal(realArray2(), SYM(t), false, false), formal(primPicture(), SYM(f), false, false)); #line 1101 "runtime.in" addFunc(ve, run::gen_runtime125, primTransform(), SYM_CARET, formal(primTransform(), SYM(t), false, false), formal(primInt(), SYM(n), false, false)); #line 1112 "runtime.in" REGISTER_BLTIN(run::transformXPart,"transformXPart"); #line 1117 "runtime.in" REGISTER_BLTIN(run::transformYPart,"transformYPart"); #line 1122 "runtime.in" REGISTER_BLTIN(run::transformXXPart,"transformXXPart"); #line 1127 "runtime.in" REGISTER_BLTIN(run::transformXYPart,"transformXYPart"); #line 1132 "runtime.in" REGISTER_BLTIN(run::transformYXPart,"transformYXPart"); #line 1137 "runtime.in" REGISTER_BLTIN(run::transformYYPart,"transformYYPart"); #line 1142 "runtime.in" REGISTER_BLTIN(run::real6ToTransform,"real6ToTransform"); #line 1148 "runtime.in" addFunc(ve, run::gen_runtime133, primTransform(), SYM(shift), formal(primTransform(), SYM(t), false, false)); #line 1153 "runtime.in" addFunc(ve, run::gen_runtime134, primTransform(), SYM(shiftless), formal(primTransform(), SYM(t), false, false)); #line 1158 "runtime.in" addFunc(ve, run::transformIdentity, primTransform(), SYM(identity)); #line 1163 "runtime.in" addFunc(ve, run::gen_runtime136, primTransform(), SYM(inverse), formal(primTransform(), SYM(t), false, false)); #line 1168 "runtime.in" addFunc(ve, run::gen_runtime137, primTransform(), SYM(shift), formal(primPair(), SYM(z), false, false)); #line 1173 "runtime.in" addFunc(ve, run::gen_runtime138, primTransform(), SYM(shift), formal(primReal(), SYM(x), false, false), formal(primReal(), SYM(y), false, false)); #line 1178 "runtime.in" addFunc(ve, run::gen_runtime139, primTransform(), SYM(xscale), formal(primReal(), SYM(x), false, false)); #line 1183 "runtime.in" addFunc(ve, run::gen_runtime140, primTransform(), SYM(yscale), formal(primReal(), SYM(y), false, false)); #line 1188 "runtime.in" addFunc(ve, run::gen_runtime141, primTransform(), SYM(scale), formal(primReal(), SYM(x), false, false)); #line 1193 "runtime.in" addFunc(ve, run::gen_runtime142, primTransform(), SYM(scale), formal(primReal(), SYM(x), false, false), formal(primReal(), SYM(y), false, false)); #line 1198 "runtime.in" addFunc(ve, run::gen_runtime143, primTransform(), SYM(slant), formal(primReal(), SYM(s), false, false)); #line 1203 "runtime.in" addFunc(ve, run::gen_runtime144, primTransform(), SYM(rotate), formal(primReal(), SYM(angle), false, false), formal(primPair(), SYM(z), true, false)); #line 1208 "runtime.in" addFunc(ve, run::gen_runtime145, primTransform(), SYM(reflect), formal(primPair(), SYM(a), false, false), formal(primPair(), SYM(b), false, false)); } } // namespace trans asymptote-2.62/runstring.cc0000644000000000000000000004452413607467143014554 0ustar rootroot/***** Autogenerated from runstring.in; changes will be overwritten *****/ #line 1 "runtimebase.in" /***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ #line 1 "runstring.in" /***** * runstring.in * * Runtime functions for string operations. * *****/ #line 1 "runtimebase.in" #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen #line 10 "runstring.in" #include #include #include #include "array.h" using namespace camp; using namespace vm; using namespace settings; typedef array stringarray; typedef array stringarray2; using types::stringArray; using types::stringArray2; namespace types { extern const char *names[]; } namespace run { extern string emptystring; } static const string defaulttimeformat=string("%a %b %d %T %Z %Y"); #ifdef HAVE_STRFTIME static const size_t nTime=256; static char Time[nTime]; #endif void checkformat(const char *ptr, bool intformat) { while(*ptr != '\0') { if(*ptr != '%') /* While we have regular characters, print them. */ ptr++; else { /* We've got a format specifier. */ ptr++; while(*ptr && strchr ("-+ #0'I", *ptr)) /* Move past flags. */ ptr++; if(*ptr == '*') ptr++; else while(isdigit(*ptr)) /* Handle explicit numeric value. */ ptr++; if(*ptr == '.') { ptr++; /* Go past the period. */ if(*ptr == '*') { ptr++; } else while(isdigit(*ptr)) /* Handle explicit numeric value. */ ptr++; } while(*ptr && strchr ("hlL", *ptr)) ptr++; if(*ptr == '%') {++ptr; continue;} else if(*ptr != '\0') { if(intformat) { switch(*ptr) { case 'd': case 'i': case 'o': case 'u': case 'x': case 'X': case 'c': break; default: ostringstream buf; buf << "Invalid format '" << *ptr << "' for type " << types::names[types::ty_Int]; error(buf); break; } } else { switch(*ptr) { case 'f': case 'F': case 'e': case 'E': case 'g': case 'G': break; default: ostringstream buf; buf << "Invalid format '" << *ptr << "' for type " << types::names[types::ty_real]; error(buf); break; } } } break; // Only one argument is allowed. } /* End of else statement */ } } // Autogenerated routines: #ifndef NOSYM #include "runstring.symbols.h" #endif namespace run { // String operations #line 113 "runstring.in" void emptyString(stack *Stack) { #line 114 "runstring.in" {Stack->push(emptystring); return;} } #line 119 "runstring.in" // Int length(string *s); void gen_runstring1(stack *Stack) { string * s=vm::pop(Stack); #line 120 "runstring.in" {Stack->push((Int) s->length()); return;} } #line 124 "runstring.in" // Int find(string *s, string t, Int pos=0); void gen_runstring2(stack *Stack) { Int pos=vm::pop(Stack,0); string t=vm::pop(Stack); string * s=vm::pop(Stack); #line 125 "runstring.in" size_t n=s->find(t,pos); {Stack->push(n == string::npos ? (Int) -1 : (Int) n); return;} } #line 130 "runstring.in" // Int rfind(string *s, string t, Int pos=-1); void gen_runstring3(stack *Stack) { Int pos=vm::pop(Stack,-1); string t=vm::pop(Stack); string * s=vm::pop(Stack); #line 131 "runstring.in" size_t n=s->rfind(t,pos); {Stack->push(n == string::npos ? (Int) -1 : (Int) n); return;} } #line 136 "runstring.in" // string reverse(string s); void gen_runstring4(stack *Stack) { string s=vm::pop(Stack); #line 137 "runstring.in" reverse(s.begin(),s.end()); {Stack->push(s); return;} } #line 142 "runstring.in" // string insert(string s, Int pos, string t); void gen_runstring5(stack *Stack) { string t=vm::pop(Stack); Int pos=vm::pop(Stack); string s=vm::pop(Stack); #line 143 "runstring.in" if ((size_t) pos < s.length()) {Stack->push(s.insert(pos,t)); return;} {Stack->push(s); return;} } #line 149 "runstring.in" // string substr(string* s, Int pos, Int n=-1); void gen_runstring6(stack *Stack) { Int n=vm::pop(Stack,-1); Int pos=vm::pop(Stack); string* s=vm::pop(Stack); #line 150 "runstring.in" if ((size_t) pos < s->length()) {Stack->push(s->substr(pos,n)); return;} {Stack->push(emptystring); return;} } #line 156 "runstring.in" // string erase(string s, Int pos, Int n); void gen_runstring7(stack *Stack) { Int n=vm::pop(Stack); Int pos=vm::pop(Stack); string s=vm::pop(Stack); #line 157 "runstring.in" if ((size_t) pos < s.length()) {Stack->push(s.erase(pos,n)); return;} {Stack->push(s); return;} } #line 163 "runstring.in" // string downcase(string s); void gen_runstring8(stack *Stack) { string s=vm::pop(Stack); #line 164 "runstring.in" std::transform(s.begin(),s.end(),s.begin(),tolower); {Stack->push(s); return;} } #line 169 "runstring.in" // string upcase(string s); void gen_runstring9(stack *Stack) { string s=vm::pop(Stack); #line 170 "runstring.in" std::transform(s.begin(),s.end(),s.begin(),toupper); {Stack->push(s); return;} } // returns a string constructed by translating all occurrences of the string // from in an array of string pairs {from,to} to the string to in string s. #line 177 "runstring.in" // string replace(string *S, stringarray2 *translate); void gen_runstring10(stack *Stack) { stringarray2 * translate=vm::pop(Stack); string * S=vm::pop(Stack); #line 178 "runstring.in" size_t size=checkArray(translate); for(size_t i=0; i < size; i++) { array *a=read(translate,i); checkArray(a); } const char *p=S->c_str(); ostringstream buf; while(*p) { for(size_t i=0; i < size;) { array *a=read(translate,i); size_t size2=checkArray(a); if(size2 != 2) error("translation table entry must be an array of length 2"); string* from=read(a,0); size_t len=from->length(); if(strncmp(p,from->c_str(),len) != 0) {i++; continue;} buf << read(a,1); p += len; if(*p == 0) {Stack->push(buf.str()); return;} i=0; } buf << *(p++); } {Stack->push(buf.str()); return;} } #line 205 "runstring.in" // string format(string *format, Int x, string locale=emptystring); void gen_runstring11(stack *Stack) { string locale=vm::pop(Stack,emptystring); Int x=vm::pop(Stack); string * format=vm::pop(Stack); #line 206 "runstring.in" ostringstream out; const char *p0=format->c_str(); checkformat(p0,true); const char *p=p0; const char *start=NULL; while(*p != 0) { char curr=*p; if(curr == '%') { p++; if(*p != '%') {start=p-1; break;} } out << *(p++); } if(!start) {Stack->push(out.str()); return;} // Allow at most 1 argument while(*p != 0) { if(*p == '*' || *p == '$') {Stack->push(out.str()); return;} if(isupper(*p) || islower(*p)) {p++; break;} p++; } string f=format->substr(start-p0,p-start); const char *oldlocale=NULL; if(!locale.empty()) { oldlocale=setlocale(LC_ALL,NULL); if(oldlocale) oldlocale=StrdupNoGC(oldlocale); setlocale(LC_ALL,locale.c_str()); } Int size=snprintf(NULL,0,f.c_str(),x)+1; if(size < 1) size=255; // Workaround for non-C99 compliant systems. char *buf=new char[size]; snprintf(buf,size,f.c_str(),x); out << string(buf); out << p; delete[] buf; if(oldlocale) { setlocale(LC_ALL,oldlocale); delete[] oldlocale; } {Stack->push(out.str()); return;} } #line 259 "runstring.in" // string format(string *format, bool forcemath=false, string separator, real x, string locale=emptystring); void gen_runstring12(stack *Stack) { string locale=vm::pop(Stack,emptystring); real x=vm::pop(Stack); string separator=vm::pop(Stack); bool forcemath=vm::pop(Stack,false); string * format=vm::pop(Stack); #line 261 "runstring.in" if(*format == "%") {Stack->push(""); return;} // Temporary workaround for github Issue #29. bool tex=getSetting("tex") != "none"; bool texify=forcemath; ostringstream out; const char *p0=format->c_str(); checkformat(p0,false); const char *phantom="\\phantom{+}"; const char *p=p0; const char *start=NULL; char prev=0; while(*p != 0) { char curr=*p; if(tex && curr == '$' && prev != '\\') texify=true; prev=curr; if(curr == '%') { p++; if(*p != '%') {start=p-1; break;} } out << *(p++); } if(!start) {Stack->push(out.str()); return;} // Allow at most 1 argument while(*p != 0) { if(*p == '*' || *p == '$') {Stack->push(out.str()); return;} if(isupper(*p) || islower(*p)) {p++; break;} p++; } const char *tail=p; string f=format->substr(start-p0,tail-start); const char *oldlocale=NULL; if(!locale.empty()) { oldlocale=setlocale(LC_ALL,NULL); if(oldlocale) oldlocale=StrdupNoGC(oldlocale); setlocale(LC_ALL,locale.c_str()); } Int size=snprintf(NULL,0,f.c_str(),x)+1; if(size < 1) size=255; // Workaround for non-C99 compliant systems. char *buf=new char[size]; snprintf(buf,size,f.c_str(),x); bool trailingzero=f.find("#") < string::npos; bool plus=f.find("+") < string::npos; bool space=f.find(" ") < string::npos; char *q=buf; // beginning of formatted number if(*q == ' ' && texify) { out << phantom; q++; } const char decimal=*(localeconv()->decimal_point); // Remove any spurious sign if(*q == '-' || *q == '+') { p=q+1; bool zero=true; while(*p != 0) { if(!isdigit(*p) && *p != decimal) break; if(isdigit(*p) && *p != '0') {zero=false; break;} p++; } if(zero) { q++; if((plus || space) && texify) out << phantom; } } const char *r=p=q; bool dp=false; while(*r != 0 && (isspace(*r) || isdigit(*r) || *r == decimal \ || *r == '+' || *r == '-')) { if(*r == decimal) dp=true; r++; } if(dp) { // Remove trailing zeros and/or decimal point r--; unsigned n=0; while(r > q && *r == '0') {r--; n++;} if(*r == decimal) {r--; n++;} while(q <= r) out << *(q++); if(!trailingzero) q += n; } bool zero=(r == p && *r == '0') && !trailingzero; // Translate "E+/E-/e+/e-" exponential notation to TeX while(*q != 0) { if(texify && (*q == 'E' || *q == 'e') && (*(q+1) == '+' || *(q+1) == '-')) { if(!zero) out << separator << "10^{"; bool plus=(*(q+1) == '+'); q++; if(plus) q++; if(*q == '-') out << *(q++); while(*q == '0' && (zero || isdigit(*(q+1)))) q++; while(isdigit(*q)) out << *(q++); if(!zero) out << "}"; break; } out << *(q++); } while(*tail != 0) out << *(tail++); delete[] buf; if(oldlocale) { setlocale(LC_ALL,oldlocale); delete[] oldlocale; } {Stack->push(out.str()); return;} } #line 388 "runstring.in" // Int hex(string s); void gen_runstring13(stack *Stack) { string s=vm::pop(Stack); #line 389 "runstring.in" istringstream is(s); is.setf(std::ios::hex,std::ios::basefield); Int value; if(is && is >> value && ((is >> std::ws).eof())) {Stack->push(value); return;} ostringstream buf; buf << "invalid hexadecimal cast from string \"" << s << "\""; error(buf); } #line 399 "runstring.in" // Int ascii(string s); void gen_runstring14(stack *Stack) { string s=vm::pop(Stack); #line 400 "runstring.in" {Stack->push(s.empty() ? -1 : (unsigned char) s[0]); return;} } #line 404 "runstring.in" // string string(Int x); void gen_runstring15(stack *Stack) { Int x=vm::pop(Stack); #line 405 "runstring.in" ostringstream buf; buf << x; {Stack->push(buf.str()); return;} } #line 411 "runstring.in" // string string(real x, Int digits=DBL_DIG); void gen_runstring16(stack *Stack) { Int digits=vm::pop(Stack,DBL_DIG); real x=vm::pop(Stack); #line 412 "runstring.in" ostringstream buf; buf.precision(digits); buf << x; {Stack->push(buf.str()); return;} } #line 419 "runstring.in" // string time(string format=defaulttimeformat); void gen_runstring17(stack *Stack) { string format=vm::pop(Stack,defaulttimeformat); #line 420 "runstring.in" #ifdef HAVE_STRFTIME const time_t bintime=time(NULL); if(!strftime(Time,nTime,format.c_str(),localtime(&bintime))) {Stack->push(""); return;} {Stack->push(Time); return;} #else {Stack->push(format); return;} #endif } #line 430 "runstring.in" // string time(Int seconds, string format=defaulttimeformat); void gen_runstring18(stack *Stack) { string format=vm::pop(Stack,defaulttimeformat); Int seconds=vm::pop(Stack); #line 431 "runstring.in" #ifdef HAVE_STRFTIME const time_t bintime=seconds; if(!strftime(Time,nTime,format.c_str(),localtime(&bintime))) {Stack->push(""); return;} {Stack->push(Time); return;} #else // Avoid unused variable warning messages unused(&seconds); {Stack->push(format); return;} #endif } #line 443 "runstring.in" // Int seconds(string t=emptystring, string format=emptystring); void gen_runstring19(stack *Stack) { string format=vm::pop(Stack,emptystring); string t=vm::pop(Stack,emptystring); #line 444 "runstring.in" #if defined(HAVE_STRPTIME) const time_t bintime=time(NULL); tm tm=*localtime(&bintime); if(t != "" && !strptime(t.c_str(),format.c_str(),&tm)) {Stack->push(-1); return;} {Stack->push((Int) mktime(&tm)); return;} #else {Stack->push(-1); return;} #endif } } // namespace run namespace trans { void gen_runstring_venv(venv &ve) { #line 112 "runstring.in" REGISTER_BLTIN(run::emptyString,"emptyString"); #line 119 "runstring.in" addFunc(ve, run::gen_runstring1, primInt(), SYM(length), formal(primString(), SYM(s), false, false)); #line 124 "runstring.in" addFunc(ve, run::gen_runstring2, primInt(), SYM(find), formal(primString(), SYM(s), false, false), formal(primString() , SYM(t), false, false), formal(primInt(), SYM(pos), true, false)); #line 130 "runstring.in" addFunc(ve, run::gen_runstring3, primInt(), SYM(rfind), formal(primString(), SYM(s), false, false), formal(primString() , SYM(t), false, false), formal(primInt(), SYM(pos), true, false)); #line 136 "runstring.in" addFunc(ve, run::gen_runstring4, primString() , SYM(reverse), formal(primString() , SYM(s), false, false)); #line 142 "runstring.in" addFunc(ve, run::gen_runstring5, primString() , SYM(insert), formal(primString() , SYM(s), false, false), formal(primInt(), SYM(pos), false, false), formal(primString() , SYM(t), false, false)); #line 149 "runstring.in" addFunc(ve, run::gen_runstring6, primString() , SYM(substr), formal(primString(), SYM(s), false, false), formal(primInt(), SYM(pos), false, false), formal(primInt(), SYM(n), true, false)); #line 156 "runstring.in" addFunc(ve, run::gen_runstring7, primString() , SYM(erase), formal(primString() , SYM(s), false, false), formal(primInt(), SYM(pos), false, false), formal(primInt(), SYM(n), false, false)); #line 163 "runstring.in" addFunc(ve, run::gen_runstring8, primString() , SYM(downcase), formal(primString() , SYM(s), false, false)); #line 169 "runstring.in" addFunc(ve, run::gen_runstring9, primString() , SYM(upcase), formal(primString() , SYM(s), false, false)); #line 175 "runstring.in" addFunc(ve, run::gen_runstring10, primString() , SYM(replace), formal(primString(), SYM(s), false, false), formal(stringArray2(), SYM(translate), false, false)); #line 205 "runstring.in" addFunc(ve, run::gen_runstring11, primString() , SYM(format), formal(primString(), SYM(format), false, false), formal(primInt(), SYM(x), false, false), formal(primString() , SYM(locale), true, false)); #line 259 "runstring.in" addFunc(ve, run::gen_runstring12, primString() , SYM(format), formal(primString(), SYM(format), false, false), formal(primBoolean(), SYM(forcemath), true, false), formal(primString() , SYM(separator), false, false), formal(primReal(), SYM(x), false, false), formal(primString() , SYM(locale), true, false)); #line 388 "runstring.in" addFunc(ve, run::gen_runstring13, primInt(), SYM(hex), formal(primString() , SYM(s), false, false)); #line 399 "runstring.in" addFunc(ve, run::gen_runstring14, primInt(), SYM(ascii), formal(primString() , SYM(s), false, false)); #line 404 "runstring.in" addFunc(ve, run::gen_runstring15, primString() , SYM(string), formal(primInt(), SYM(x), false, false)); #line 411 "runstring.in" addFunc(ve, run::gen_runstring16, primString() , SYM(string), formal(primReal(), SYM(x), false, false), formal(primInt(), SYM(digits), true, false)); #line 419 "runstring.in" addFunc(ve, run::gen_runstring17, primString() , SYM(time), formal(primString() , SYM(format), true, false)); #line 430 "runstring.in" addFunc(ve, run::gen_runstring18, primString() , SYM(time), formal(primInt(), SYM(seconds), false, false), formal(primString() , SYM(format), true, false)); #line 443 "runstring.in" addFunc(ve, run::gen_runstring19, primInt(), SYM(seconds), formal(primString() , SYM(t), true, false), formal(primString() , SYM(format), true, false)); } } // namespace trans asymptote-2.62/runbacktrace.h0000644000000000000000000000025113607467143015014 0ustar rootroot/***** Autogenerated from runbacktrace.in; changes will be overwritten *****/ #ifndef runbacktrace_H #define runbacktrace_H namespace run { } #endif // runbacktrace_H asymptote-2.62/locate.cc0000644000000000000000000000422513607467113013757 0ustar rootroot/***** * locate.cc * Tom Prince 2005/03/24 * * Locate files in search path. *****/ #include #include "settings.h" #include "util.h" #include "locate.h" namespace settings { namespace fs { string extension(string name) { size_t n = name.rfind("."); if (n != string::npos) return name.substr(n); else return string(); } bool exists(string filename) { return ::access(filename.c_str(), R_OK) == 0; } } // namespace fs file_list_t searchPath; // Returns list of possible filenames, accounting for extensions. file_list_t mungeFileName(string id) { string ext = fs::extension(id); file_list_t files; if (ext == "."+settings::suffix) { files.push_back(id); files.push_back(id+"."+settings::suffix); } else { files.push_back(id+"."+settings::suffix); files.push_back(id); } return files; } // Join a directory with the given filename, to give the path to the file, // avoiding unsightly joins such as 'dir//file.asy' in favour of 'dir/file.asy' string join(string dir, string file, bool full) { return dir == "." ? (full ? string(getPath())+"/"+file : file) : *dir.rbegin() == '/' ? dir + file : dir + "/" + file; } // Find the appropriate file, first looking in the local directory, then the // directory given in settings, and finally the global system directory. string locateFile(string id, bool full) { if(id.empty()) return ""; file_list_t filenames = mungeFileName(id); for (file_list_t::iterator leaf = filenames.begin(); leaf != filenames.end(); ++leaf) { #ifdef __MSDOS__ size_t p; while ((p=leaf->find('\\')) < string::npos) (*leaf)[p]='/'; if ((p=leaf->find(':')) < string::npos && p > 0) { (*leaf)[p]='/'; leaf->insert(0,"/cygdrive/"); } #endif if ((*leaf)[0] == '/') { string file = *leaf; if (fs::exists(file)) return file; } else { for (file_list_t::iterator dir = searchPath.begin(); dir != searchPath.end(); ++dir) { string file = join(*dir,*leaf,full); if (fs::exists(file)) return file; } } } return string(); } } // namespace settings asymptote-2.62/callable.h0000644000000000000000000000315213607467113014107 0ustar rootroot/***** * callable.h * Tom Prince 2005/06/19 * * Runtime representation of functions. *****/ #ifndef CALLABLE_H #define CALLABLE_H #include "common.h" #include "item.h" #include "inst.h" namespace vm { class stack; typedef void (*bltin)(stack *s); struct callable : public gc { virtual void call(stack *) = 0; virtual ~callable(); virtual bool compare(callable*) { return false; } // For debugging: virtual void print(ostream& out) = 0; }; class nullfunc : public callable { private: nullfunc() {} static nullfunc func; public: virtual void call (stack*); virtual bool compare(callable*); static callable* instance() { return &func; } void print(ostream& out); }; // How a function reference to a non-builtin function is stored. struct func : public callable { lambda *body; frame *closure; func () : body(), closure() {} virtual void call (stack*); virtual bool compare(callable*); void print(ostream& out); }; class bfunc : public callable { public: bfunc(bltin b) : func(b) {} virtual void call (stack *s) { func(s); } virtual bool compare(callable*); void print(ostream& out); private: bltin func; }; class thunk : public callable { public: thunk(callable *f, item i) : func(f), arg(i) {} virtual void call (stack*); void print(ostream& out); private: callable *func; item arg; }; inline ostream& operator<< (ostream& out, callable &c) { c.print(out); return out; } } // namespace vm GC_DECLARE_PTRFREE(vm::nullfunc); // I believe this is safe, as pointers to C++ functions do not point to // the heap. GC_DECLARE_PTRFREE(vm::bfunc); #endif // CALLABLE_H asymptote-2.62/profiler.h0000644000000000000000000002324413607467113014176 0ustar rootroot/***** * profiler.h * Andy Hammerlindl 2010/07/24 * * Profiler for the execution of the virtual machine bytecode. *****/ #ifndef PROFILER_H #define PROFILER_H #include #include #include "inst.h" namespace vm { #ifdef DEBUG_BLTIN string lookupBltin(bltin b); #endif inline position positionFromLambda(lambda *func) { if (func == 0) return position(); program& code = *func->code; // Check for empty program. if (code.begin() == code.end()) return position(); return code.begin()->pos; } inline void printNameFromLambda(ostream& out, lambda *func) { if (!func) { out << ""; return; } #ifdef DEBUG_FRAME string name = func->name; #else string name = ""; #endif // If unnamed, use the pointer address. if (name.empty()) out << func; else out << name; out << " at "; positionFromLambda(func).printTerse(out); } inline void printNameFromBltin(ostream& out, bltin b) { #ifdef DEBUG_BLTIN string name = lookupBltin(b); #else string name = ""; #endif if (!name.empty()) out << name << " "; out << "(builtin at " << (void *)b << ")"; } class profiler : public gc { // To do call graph analysis, each call stack that occurs in practice is // represented by a node. For instance, if f and g are functions, then // f -> g -> g // is represented by a node and // g -> f -> g // is represented by a different one. struct node { // The top-level function of the call stack. It is either an asymptote // function with a given lambda, or a builtin function, with a given // bltin. lambda *func; bltin cfunc; // The number of times the top-level function has been called resulting in // this specific call stack. int calls; // The number of bytecode instructions executed with this exact call stack. // It does not include time spent in called function. int instructions; // Number of instructions spent in this function or its children. This is // computed by computeTotals. int instTotal; // The number of real-time nanoseconds spent in this node. WARNING: May // be wildly inaccurate. long long nsecs; // Total including children. long long nsecsTotal; // Call stacks resulting from calls during this call stack. mem::vector children; node() : func(0), cfunc(0), calls(0), instructions(0), instTotal(0), nsecs(0), nsecsTotal(0) {} node(lambda *func) : func(func), cfunc(0), calls(0), instructions(0), instTotal(0), nsecs(0), nsecsTotal(0) {} node(bltin b) : func(0), cfunc(b), calls(0), instructions(0), instTotal(0), nsecs(0), nsecsTotal(0) {} // Return the call stack resulting from a call to func when this call // stack is current. node *getChild(lambda *func) { size_t n = children.size(); for (size_t i = 0; i < n; ++i) if (children[i].func == func) return &children[i]; // Not found, create a new one. children.push_back(node(func)); return &children.back(); } node *getChild(bltin func) { size_t n = children.size(); for (size_t i = 0; i < n; ++i) if (children[i].cfunc == func) return &children[i]; // Not found, create a new one. children.push_back(node(func)); return &children.back(); } void computeTotals() { instTotal = instructions; nsecsTotal = nsecs; size_t n = children.size(); for (size_t i = 0; i < n; ++i) { children[i].computeTotals(); instTotal += children[i].instTotal; nsecsTotal += children[i].nsecsTotal; } } void pydump(ostream& out) { #ifdef DEBUG_FRAME string name = func ? func->name : ""; #else string name = ""; #endif out << "dict(\n" << " name = '" << name << " " << func << "',\n" << " pos = '" << positionFromLambda(func) << "',\n" << " calls = " << calls << ",\n" << " instructions = " << instructions << ",\n" << " nsecs = " << nsecs << ",\n" << " children = [\n"; size_t n = children.size(); for (size_t i = 0; i < n; ++i) { children[i].pydump(out); out << ",\n"; } out << " ])\n"; } }; // An empty call stack. node emptynode; // All of the callstacks. std::stack callstack; node &topnode() { return *callstack.top(); } // Arc representing one function calling another. Used only for building // the output for kcachegrind. struct arc : public gc { int calls; int instTotal; long long nsecsTotal; arc() : calls(0), instTotal(0), nsecsTotal(0) {} void add(node& n) { calls += n.calls; instTotal += n.instTotal; nsecsTotal += n.nsecsTotal; } }; // Representing one function and its calls to other functions. struct fun : public gc { int instructions; long long nsecs; mem::map arcs; mem::map carcs; fun() : instructions(0), nsecs(0) {} void addChildTime(node& n) { if (n.cfunc) carcs[n.cfunc].add(n); else arcs[n.func].add(n); } void analyse(node& n) { instructions += n.instructions; nsecs += n.nsecs; size_t numChildren = n.children.size(); for (size_t i = 0; i < numChildren; ++i) addChildTime(n.children[i]); } void dump(ostream& out) { // The unused line number needed by kcachegrind. static const string POS = "1"; out << POS << " " << instructions << " " << nsecs << "\n"; for (mem::map::iterator i = arcs.begin(); i != arcs.end(); ++i) { lambda *l = i->first; arc& a = i->second; out << "cfl=" << positionFromLambda(l) << "\n"; out << "cfn="; printNameFromLambda(out, l); out << "\n"; out << "calls=" << a.calls << " " << POS << "\n"; out << POS << " " << a.instTotal << " " << a.nsecsTotal << "\n"; } for (mem::map::iterator i = carcs.begin(); i != carcs.end(); ++i) { bltin b = i->first; arc& a = i->second; out << "cfl=C++ code" << endl; out << "cfn="; printNameFromBltin(out, b); out << "\n"; out << "calls=" << a.calls << " " << POS << "\n"; out << POS << " " << a.instTotal << " " << a.nsecsTotal << "\n"; } } }; // The data for each asymptote function. mem::map funs; // The data for each C++ function. mem::map cfuns; void analyseNode(node& n) { fun& f = n.cfunc ? cfuns[n.cfunc] : funs[n.func]; f.analyse(n); size_t numChildren = n.children.size(); for (size_t i = 0; i < numChildren; ++i) analyseNode(n.children[i]); } // Convert data in the tree of callstack nodes into data for each function. void analyseData() { emptynode.computeTotals(); analyseNode(emptynode); } // Timing data. struct timeval timestamp; void startLap() { gettimeofday(×tamp, 0); } long long timeAndResetLap() { struct timeval now; gettimeofday(&now, 0); long long nsecs = 1000000000LL * (now.tv_sec - timestamp.tv_sec) + 1000LL * (now.tv_usec - timestamp.tv_usec); timestamp = now; return nsecs; } // Called whenever the stack is about to change, in order to record the time // duration for the current node. void recordTime() { topnode().nsecs += timeAndResetLap(); } public: profiler(); void beginFunction(lambda *func); void endFunction(lambda *func); void beginFunction(bltin func); void endFunction(bltin func); void recordInstruction(); // TODO: Add position, type of instruction info to profiling. // Dump all of the data out in a format that can be read into Python. void pydump(ostream &out); // Dump all of the data in a format for kcachegrind. void dump(ostream& out); }; inline profiler::profiler() : emptynode() { callstack.push(&emptynode); startLap(); } inline void profiler::beginFunction(lambda *func) { assert(func); assert(!callstack.empty()); recordTime(); callstack.push(topnode().getChild(func)); ++topnode().calls; } inline void profiler::endFunction(lambda *func) { assert(func); assert(!callstack.empty()); assert(topnode().func == func); recordTime(); callstack.pop(); } inline void profiler::beginFunction(bltin cfunc) { assert(cfunc); assert(!callstack.empty()); recordTime(); callstack.push(topnode().getChild(cfunc)); ++topnode().calls; } inline void profiler::endFunction(bltin cfunc) { assert(cfunc); assert(!callstack.empty()); assert(topnode().cfunc == cfunc); recordTime(); callstack.pop(); } inline void profiler::recordInstruction() { assert(!callstack.empty()); ++topnode().instructions; } inline void profiler::pydump(ostream& out) { out << "profile = "; emptynode.pydump(out); } inline void profiler::dump(ostream& out) { analyseData(); out << "events: Instructions Nanoseconds\n"; for (mem::map::iterator i = funs.begin(); i != funs.end(); ++i) { lambda *l = i->first; fun& f = i->second; out << "fl=" << positionFromLambda(l) << "\n"; out << "fn="; printNameFromLambda(out, l); out << "\n"; f.dump(out); } for (mem::map::iterator i = cfuns.begin(); i != cfuns.end(); ++i) { bltin b = i->first; fun& f = i->second; out << "fl=C++ code\n"; out << "fn="; printNameFromBltin(out, b); out << "\n"; f.dump(out); } } } // namespace vm #endif // PROFILER_H asymptote-2.62/refaccess.cc0000644000000000000000000000211213607467113014437 0ustar rootroot/***** * refaccess.cc * Andy Hammerlindl 2005/11/28 * * An access which refers to a variable or other object in C++. *****/ #include "refaccess.h" namespace trans { using vm::item; using vm::stack; using vm::pop; /* itemRefAccess */ void itemPointerRead(stack *s) { item *p=pop(s); s->push(*p); } void itemPointerWrite(stack *s) { item *p=pop(s); item value=pop(s); *p=value; s->push(value); } void itemRefAccess::encode(action act, position, coder &e) { REGISTER_BLTIN(itemPointerRead, "itemPointerRead"); REGISTER_BLTIN(itemPointerWrite, "itemPointerWrite"); e.encode(inst::constpush, (item)ref); switch (act) { case READ: e.encode(inst::builtin, itemPointerRead); break; case WRITE: e.encode(inst::builtin, itemPointerWrite); break; case CALL: e.encode(inst::builtin, itemPointerRead); e.encode(inst::popcall); break; }; } void itemRefAccess::encode(action act, position pos, coder &e, frame *) { // Get rid of the useless top frame. e.encode(inst::pop); encode(act, pos, e); } } asymptote-2.62/runtimebase.in0000644000000000000000000000247713607467113015056 0ustar rootroot/***** * runtimebase.in * Andy Hammerlindl 2009/07/28 * * Common declarations needed for all code-generating .in files. * *****/ // Basic types need by almost all .in files. // Use Void f() instead of void f() to force an explicit Stack argument. void => primVoid() Void => primVoid() Int => primInt() bool => primBoolean() double => primReal() real => primReal() string* => primString() string => primString() #include "stack.h" #include "types.h" #include "builtin.h" #include "entry.h" #include "errormsg.h" #include "array.h" #include "triple.h" #include "callable.h" #include "opsymbols.h" using vm::stack; using vm::error; using vm::array; using vm::read; using vm::callable; using types::formal; using types::function; using camp::triple; #define PRIMITIVE(name,Name,asyName) using types::prim##Name; #include #undef PRIMITIVE typedef double real; void unused(void *); namespace run { array *copyArray(array *a); array *copyArray2(array *a); array *copyArray3(array *a); double *copyTripleArray2Components(array *a, size_t &N, GCPlacement placement=NoGC); triple *copyTripleArray2C(array *a, size_t &N, GCPlacement placement=NoGC); } function *realRealFunction(); #define CURRENTPEN processData().currentpen asymptote-2.62/drawpath.cc0000644000000000000000000000670213607467113014324 0ustar rootroot/***** * drawpath.cc * Andy Hammerlindl 2002/06/06 * * Stores a path that has been added to a picture. *****/ #include #include #include #include "drawpath.h" #include "psfile.h" #include "util.h" using vm::array; using vm::read; namespace camp { double PatternLength(double arclength, const array& pat, bool cyclic, double penwidth) { double sum=0.0; size_t n=pat.size(); for(unsigned i=0; i < n; i ++) sum += read(pat,i)*penwidth; if(sum == 0.0) return 0.0; if(n % 2 == 1) sum *= 2.0; // On/off pattern repeats after 2 cycles. double pat0=read(pat,0); // Fix bounding box resolution problem. Example: // asy -f pdf testlinetype; gv -scale -2 testlinetype.pdf if(!cyclic && pat0 == 0) sum += 1.0e-3*penwidth; double terminator=(cyclic && arclength >= 0.5*sum) ? 0.0 : pat0*penwidth; int ncycle=(int)((arclength-terminator)/sum+0.5); return (ncycle >= 1 || terminator >= 0.75*arclength) ? ncycle*sum+terminator : 0.0; } bool isdashed(pen& p) { const LineType *linetype=p.linetype(); size_t n=linetype->pattern.size(); return n > 0; } pen adjustdash(pen& p, double arclength, bool cyclic) { pen q=p; // Adjust dash sizes to fit arclength; also compensate for linewidth. const LineType *linetype=q.linetype(); size_t n=linetype->pattern.size(); if(n > 0) { double penwidth=linetype->scale ? q.width() : 1.0; double factor=penwidth; if(linetype->adjust && arclength) { double denom=PatternLength(arclength,linetype->pattern,cyclic,penwidth); if(denom != 0.0) factor *= arclength/denom; } if(factor != 1.0) q.adjust(max(factor,0.1)); } return q; } // Account for square or extended pen cap contributions to bounding box. void cap(bbox& b, double t, path p, pen pentype) { transform T=pentype.getTransform(); double h=0.5*pentype.width(); pair v=p.dir(t); transform S=rotate(conj(v))*shiftless(T); double xx=S.getxx(), xy=S.getxy(); double yx=S.getyx(), yy=S.getyy(); double y=hypot(yx,yy); if(y == 0) return; double numer=xx*yx+xy*yy; double x=numer/y; pair z=shift(T)*p.point(t); switch(pentype.cap()) { case 0: { pair d=rotate(v)*pair(x,y)*h; b += z+d; b += z-d; break; } case 2: { transform R=rotate(v); double w=(xx*yy-xy*yx)/y; pair dp=R*pair(x+w,y)*h; pair dm=R*pair(x-w,y)*h; b += z+dp; b += z+dm; b += z-dp; b += z-dm; break; } } } void drawPathPenBase::strokebounds(bbox& b, const path& p) { Int l=p.length(); if(l < 0) return; bbox penbounds=pentype.bounds(); if(cyclic() || pentype.cap() == 1) { b += pad(p.bounds(),penbounds); return; } b += p.internalbounds(penbounds); cap(b,0,p,pentype); cap(b,l,p,pentype); } bool drawPath::draw(psfile *out) { Int n = p.size(); if (n == 0 || pentype.invisible()) return true; pen q=isdashed(pentype) ? adjustdash(pentype, p.transformed(inverse(pentype.getTransform())).arclength(), p.cyclic()) : pentype; penSave(out); penTranslate(out); if(n > 1) out->write(p); else out->dot(p,q); penConcat(out); out->setpen(q); out->stroke(q,n == 1); penRestore(out); return true; } drawElement *drawPath::transformed(const transform& t) { return new drawPath(transpath(t),transpen(t),KEY); } } //namespace camp asymptote-2.62/fftw++.cc0000644000000000000000000000323613607467113013605 0ustar rootroot#include #include #include "fftw++.h" using namespace std; namespace fftwpp { const double fftw::twopi=2.0*acos(-1.0); // User settings: unsigned int fftw::effort=FFTW_MEASURE; const char *fftw::WisdomName=".wisdom"; unsigned int fftw::maxthreads=1; double fftw::testseconds=0.2; // Time limit for threading efficiency tests fftw_plan (*fftw::planner)(fftw *f, Complex *in, Complex *out)=Planner; const char *fftw::oddshift="Shift is not implemented for odd nx"; const char *inout= "constructor and call must be both in place or both out of place"; fft1d::Table fft1d::threadtable; mfft1d::Table mfft1d::threadtable; rcfft1d::Table rcfft1d::threadtable; crfft1d::Table crfft1d::threadtable; mrcfft1d::Table mrcfft1d::threadtable; mcrfft1d::Table mcrfft1d::threadtable; fft2d::Table fft2d::threadtable; void LoadWisdom() { static bool Wise=false; if(!Wise) { ifstream ifWisdom; ifWisdom.open(fftw::WisdomName); ostringstream wisdom; wisdom << ifWisdom.rdbuf(); ifWisdom.close(); const string& s=wisdom.str(); fftw_import_wisdom_from_string(s.c_str()); Wise=true; } } void SaveWisdom() { ofstream ofWisdom; ofWisdom.open(fftw::WisdomName); char *wisdom=fftw_export_wisdom_to_string(); ofWisdom << wisdom; fftw_free(wisdom); ofWisdom.close(); } fftw_plan Planner(fftw *F, Complex *in, Complex *out) { LoadWisdom(); fftw::effort |= FFTW_WISDOM_ONLY; fftw_plan plan=F->Plan(in,out); fftw::effort &= !FFTW_WISDOM_ONLY; if(!plan) { plan=F->Plan(in,out); SaveWisdom(); } return plan; } ThreadBase::ThreadBase() {threads=fftw::maxthreads;} } namespace utils { unsigned int defaultmpithreads=1; } asymptote-2.62/coder.h0000644000000000000000000002661213607467113013452 0ustar rootroot/***** * coder.h * Andy Hammerlindl 2004/11/06 * * Handles encoding of syntax into programs. It's methods are called by * abstract syntax objects during translation to construct the virtual machine * code. *****/ #ifndef CODER_H #define CODER_H #include "errormsg.h" #include "entry.h" #include "types.h" #include "record.h" #include "frame.h" #include "program.h" #include "util.h" #include "modifier.h" #include "inst.h" namespace trans { using sym::symbol; using types::ty; using types::function; using types::record; using vm::bltin; using vm::inst; using vm::item; #ifdef DEBUG_BLTIN void assertBltinLookup(inst::opcode op, item it); #endif // Labels used by the coder class to denote where in the code a jump // instruction should go to. Label can be used before their exact location is // known. // Declared outside of the coder class, so that it can be declared in exp.h. struct label_t : public gc { vm::program::label location; vm::program::label firstUse; // Most labels are used only once, and so we optimize for that case. We do, // however, have to handle labels which are used multiple times (such as // break locations in a loop), and so a useVector is allocated to store // these if necessary. typedef mem::vector useVector; useVector *moreUses; // Only the constructor is defined. Everything else is handles by methods // of the coder class. label_t() : location(), firstUse(), moreUses(0) {} }; typedef label_t *label; class coder { // The frame of the function we are currently encoding. This keeps // track of local variables, and parameters with respect to the stack. frame *level; // The frame of the enclosing record that the "this" expression yields. ie. // the highest frame that is a record, not a function. frame *recordLevel; // The type of the enclosing record. Also needed for the "this" expression. record *recordType; // Are we translating a codelet? bool isCodelet; // The lambda being constructed. In some cases, this lambda is needed // before full translation of the function, so it is stored, // incomplete, here. vm::lambda *l; // The type of the function being translated. const function *funtype; // The enclosing environment. Null if this is a file-level module. coder *parent; // The mode of encoding, either static or dynamic. sord is used as an // acronym for Static OR Dynamic. // Once something is static, no amount of dynamic modifiers can change // that, so once a stack is EXPLICIT_STATIC, additional modifiers will // be pushed on as EXPLICIT_STATIC. modifier sord; std::stack sord_stack; // What permissions will be given to a new access. // TODO: Ensure private fields don't show up calling lookup for a // record. permission perm; // The function code as its being written. Code points to next place in // array to write. vm::program *program; // Some loops allocate nested frames, in case variables in an // iteration escape in a closure. This stack keeps track of where the // pushframe instructions are, so the size of the frame can be encoded. std::stack pushframeLabels; // Loops need to store labels to where break and continue statements // should pass control. Since loops can be nested, this needs to // be stored as a stack. We also store which of the loops are being encoded // with an additional frame for variables. This is needed to know if the // break and continue statements need to pop the frame. struct loopdata_t : gc { label continueLabel; label breakLabel; bool pushedFrame; loopdata_t(label c, label b) : continueLabel(c), breakLabel(b), pushedFrame(false) {} }; mem::stack loopdata; // Current File Position position curPos; public: // Define a new function coder. If reframe is true, this gives the function // its own frame, which is the usual (sensible) thing to do. It is set to // false for a line-at-a-time codelet, where variables should be allocated in // the lower frame. coder(position pos, string name, function *t, coder *parent, modifier sord = DEFAULT_DYNAMIC, bool reframe=true); // Start encoding the body of the record. The function being encoded // is the record's initializer. coder(position pos, record *t, coder *parent, modifier sord = DEFAULT_DYNAMIC); coder(position pos, string name, modifier sord = DEFAULT_DYNAMIC); coder(const coder&); /* Add a static or dynamic modifier. */ void pushModifier(modifier s) { /* Default setting should only be used in the constructor. */ assert(s != DEFAULT_STATIC && s != DEFAULT_DYNAMIC); /* Non-default static overrules. */ if (sord != EXPLICIT_STATIC) sord = s; sord_stack.push(sord); } /* Tests if encoding mode is currently static. */ bool isStatic() { switch(sord) { case DEFAULT_STATIC: case EXPLICIT_STATIC: return true; case DEFAULT_DYNAMIC: case EXPLICIT_DYNAMIC: return false; default: assert(False); return false; } } /* Remove a modifier. */ void popModifier() { assert(!sord_stack.empty()); sord_stack.pop(); assert(!sord_stack.empty()); sord = sord_stack.top(); } /* Set/get/clear permissions. */ void setPermission(permission p) { perm = p; } permission getPermission() { return perm; } void clearPermission() { perm = DEFAULT_PERM; } // Says what the return type of the function is. ty *getReturnType() { return funtype->result; } bool isRecord(); // Creates a new coder to handle the translation of a new function. coder newFunction(position pos, string name, function *t, modifier sord=DEFAULT_DYNAMIC); // Creates a new record type. record *newRecord(symbol id); // Create a coder for the initializer of the record. coder newRecordInit(position pos, record *r, modifier sord=DEFAULT_DYNAMIC); // Create a coder for translating a small piece of code. Used for // line-at-a-time mode. coder newCodelet(position pos); frame *getFrame() { if (isStatic() && !isTopLevel()) { assert(parent->getFrame()); return parent->getFrame(); } else return level; } // Tests if the function or record with the given frame is currently under // translation (either by this coder or an ancestor). bool inTranslation(frame *f) { frame *level=this->level; while (level) { if (f==level) return true; level=level->getParent(); } return parent && parent->inTranslation(f); } // Allocates space in the function or record frame for a new local variable. access *allocLocal() { return getFrame()->allocLocal(); } // Get the access in the frame for a specified formal parameter. access *accessFormal(Int index) { // NOTE: This hasn't been extended to handle frames for loops, but is // currently only called when starting to translate a function, where there // can be no loops. return level->accessFormal(index); } // Checks if we are at the top level, which is true for a file-level module or // a codelet. bool isTopLevel() { return parent==0 || isCodelet; } // The encode functions add instructions and operands on to the code array. private: void encode(inst i) { i.pos = curPos; // Static code is put into the enclosing coder, unless we are translating a // codelet. if (isStatic() && !isTopLevel()) { assert(parent); parent->encode(i); } else { program->encode(i); } } // Encode a jump to a not yet known location. vm::program::label encodeEmptyJump(inst::opcode op); public: void encode(inst::opcode op) { inst i; i.op = op; i.pos = nullPos; encode(i); } void encode(inst::opcode op, item it) { #ifdef DEBUG_BLTIN assertBltinLookup(op, it); #endif inst i; i.op = op; i.pos = nullPos; i.ref = it; encode(i); } // Encodes a pop instruction, or merges the pop into the previous // instruction (ex. varsave+pop becomes varpop). void encodePop(); // Puts the requested frame on the stack. If the frame is not that of // this coder or its ancestors, false is returned. bool encode(frame *f); // Puts the frame corresponding to the expression "this" on the stack. bool encodeThis() { assert(recordLevel); return encode(recordLevel); } // An access that encodes the frame corresponding to "this". access *thisLocation() { assert(recordLevel); return new frameAccess(recordLevel); } // Returns the type of the enclosing record. record *thisType() { return recordType; } // Puts the 'dest' frame on the stack, assuming the frame 'top' is on // top of the stack. If 'dest' is not an ancestor frame of 'top', // false is returned. bool encode(frame *dest, frame *top); // Assigns a handle to the current point in the list of bytecode // instructions and returns that handle. label defNewLabel(); // Sets the handle given by label to the current point in the list of // instructions. label defLabel(label label); // Encodes the address pointed to by the handle label into the // sequence of instructions. This is useful for a jump instruction to // jump to where a label was defined. void useLabel(inst::opcode op, label label); // If an address has to be used for a jump instruction before it is // actually encoded, a handle can be given to it by this function. // When that handle's label is later defined, the proper address will // be inserted into the code where the handle was used. label fwdLabel(); void pushLoop(label c, label b) { loopdata.push(loopdata_t(c,b)); } void popLoop() { loopdata.pop(); } void loopPushesFrame() { assert(!loopdata.empty()); loopdata_t& d = loopdata.top(); d.pushedFrame = true; } bool encodeBreak() { if (loopdata.empty()) return false; else { loopdata_t& d = loopdata.top(); if (d.pushedFrame) encode(inst::popframe); useLabel(inst::jmp,d.breakLabel); return true; } } bool encodeContinue() { if (loopdata.empty()) return false; else { loopdata_t& d = loopdata.top(); if (d.pushedFrame) encode(inst::popframe); useLabel(inst::jmp,d.continueLabel); return true; } } // Returns true if a pushclosure has been encoded since the definition of // the label. bool usesClosureSinceLabel(label l); // Turn a no-op into a jump to bypass incorrect code. void encodePatch(label from, label to); public: void encodePushFrame() { pushframeLabels.push(program->end()); encode(inst::pushframe, (Int)0); level = new frame("encodePushFrame", level, 0); } void encodePopFrame() { pushframeLabels.top()->ref = level->size(); pushframeLabels.pop(); encode(inst::popframe); level = level->getParent(); } // Adds an entry into the position list, linking the given point in the // source code to the current position in the virtual machine code. This is // used to print positions at runtime. void markPos(position pos); // When translation of the function is finished, this ties up loose ends // and returns the lambda. vm::lambda *close(); // Finishes translating the initializer of a record. void closeRecord(); private: // Non-copyable void operator=(const coder&); }; } // namespace trans #endif asymptote-2.62/path.h0000644000000000000000000002647413607467113013320 0ustar rootroot/***** * path.h * Andy Hammerlindl 2002/05/16 * * Stores a piecewise cubic spline with known control points. * * When changing the path algorithms, also update the corresponding * three-dimensional algorithms in path3.cc and three.asy. *****/ #ifndef PATH_H #define PATH_H #include #include "mod.h" #include "pair.h" #include "transform.h" #include "bbox.h" inline double Intcap(double t) { if(t <= Int_MIN) return Int_MIN; if(t >= Int_MAX) return Int_MAX; return t; } // The are like floor and ceil, except they return an integer; // if the argument cannot be converted to a valid integer, they return // Int_MAX (for positive arguments) or Int_MIN (for negative arguments). inline Int Floor(double t) {return (Int) floor(Intcap(t));} inline Int Ceil(double t) {return (Int) ceil(Intcap(t));} bool simpson(double& integral, double (*)(double), double a, double b, double acc, double dxmax); bool unsimpson(double integral, double (*)(double), double a, double& b, double acc, double& area, double dxmax, double dxmin=0); namespace camp { void checkEmpty(Int n); inline Int adjustedIndex(Int i, Int n, bool cycles) { checkEmpty(n); if(cycles) return imod(i,n); else if(i < 0) return 0; else if(i >= n) return n-1; else return i; } // Used in the storage of solved path knots. struct solvedKnot : public gc { pair pre; pair point; pair post; bool straight; solvedKnot() : straight(false) {} friend bool operator== (const solvedKnot& p, const solvedKnot& q) { return p.pre == q.pre && p.point == q.point && p.post == q.post; } }; extern const double Fuzz; extern const double Fuzz2; extern const double Fuzz4; extern const double sqrtFuzz; extern const double BigFuzz; extern const double fuzzFactor; class path : public gc { bool cycles; // If the path is closed in a loop Int n; // The number of knots mem::vector nodes; mutable double cached_length; // Cache length since path is immutable. mutable bbox box; mutable bbox times; // Times where minimum and maximum extents are attained. public: path() : cycles(false), n(0), nodes(), cached_length(-1) {} // Create a path of a single point path(pair z, bool = false) : cycles(false), n(1), nodes(1), cached_length(-1) { nodes[0].pre = nodes[0].point = nodes[0].post = z; nodes[0].straight = false; } // Creates path from a list of knots. This will be used by camp // methods such as the guide solver, but should probably not be used by a // user of the system unless he knows what he is doing. path(mem::vector& nodes, Int n, bool cycles = false) : cycles(cycles), n(n), nodes(nodes), cached_length(-1) { } friend bool operator== (const path& p, const path& q) { return p.cycles == q.cycles && p.nodes == q.nodes; } public: path(solvedKnot n1, solvedKnot n2) : cycles(false), n(2), nodes(2), cached_length(-1) { nodes[0] = n1; nodes[1] = n2; nodes[0].pre = nodes[0].point; nodes[1].post = nodes[1].point; } // Copy constructor path(const path& p) : cycles(p.cycles), n(p.n), nodes(p.nodes), cached_length(p.cached_length), box(p.box) {} path unstraighten() const { path P=path(*this); for(int i=0; i < n; ++i) P.nodes[i].straight=false; return P; } virtual ~path() { } // Getting control points Int size() const { return n; } bool empty() const { return n == 0; } Int length() const { return cycles ? n : n-1; } bool cyclic() const { return cycles; } mem::vector& Nodes() { return nodes; } bool straight(Int t) const { if (cycles) return nodes[imod(t,n)].straight; return (t >= 0 && t < n) ? nodes[t].straight : false; } bool piecewisestraight() const { Int L=length(); for(Int i=0; i < L; ++i) if(!straight(i)) return false; return true; } pair point(Int t) const { return nodes[adjustedIndex(t,n,cycles)].point; } pair point(double t) const; pair precontrol(Int t) const { return nodes[adjustedIndex(t,n,cycles)].pre; } pair precontrol(double t) const; pair postcontrol(Int t) const { return nodes[adjustedIndex(t,n,cycles)].post; } pair postcontrol(double t) const; inline double norm(const pair& z0, const pair& c0, const pair& c1, const pair& z1) const { return Fuzz2*camp::max((c0-z0).abs2(), camp::max((c1-z0).abs2(),(z1-z0).abs2())); } pair predir(Int t, bool normalize=true) const { if(!cycles && t <= 0) return pair(0,0); pair z1=point(t); pair c1=precontrol(t); pair dir=3.0*(z1-c1); if(!normalize) return dir; pair z0=point(t-1); pair c0=postcontrol(t-1); double epsilon=norm(z0,c0,c1,z1); if(dir.abs2() > epsilon) return unit(dir); dir=2.0*c1-c0-z1; if(dir.abs2() > epsilon) return unit(dir); return unit(z1-z0+3.0*(c0-c1)); } pair postdir(Int t, bool normalize=true) const { if(!cycles && t >= n-1) return pair(0,0); pair c0=postcontrol(t); pair z0=point(t); pair dir=3.0*(c0-z0); if(!normalize) return dir; pair z1=point(t+1); pair c1=precontrol(t+1); double epsilon=norm(z0,c0,c1,z1); if(dir.abs2() > epsilon) return unit(dir); dir=z0-2.0*c0+c1; if(dir.abs2() > epsilon) return unit(dir); return unit(z1-z0+3.0*(c0-c1)); } pair dir(Int t, Int sign, bool normalize=true) const { if(sign == 0) { pair v=predir(t,normalize)+postdir(t,normalize); return normalize ? unit(v) : 0.5*v; } if(sign > 0) return postdir(t,normalize); return predir(t,normalize); } pair dir(double t, bool normalize=true) const { if(!cycles) { if(t <= 0) return postdir((Int) 0,normalize); if(t >= n-1) return predir(n-1,normalize); } Int i=Floor(t); t -= i; if(t == 0) return dir(i,0,normalize); pair z0=point(i); pair c0=postcontrol(i); pair c1=precontrol(i+1); pair z1=point(i+1); pair a=3.0*(z1-z0)+9.0*(c0-c1); pair b=6.0*(z0+c1)-12.0*c0; pair c=3.0*(c0-z0); pair dir=a*t*t+b*t+c; if(!normalize) return dir; double epsilon=norm(z0,c0,c1,z1); if(dir.abs2() > epsilon) return unit(dir); dir=2.0*a*t+b; if(dir.abs2() > epsilon) return unit(dir); return unit(a); } pair postaccel(Int t) const { if(!cycles && t >= n-1) return pair(0,0); pair z0=point(t); pair c0=postcontrol(t); pair c1=precontrol(t+1); return 6.0*(z0+c1)-12.0*c0; } pair preaccel(Int t) const { if(!cycles && t <= 0) return pair(0,0); pair c0=postcontrol(t-1); pair c1=precontrol(t); pair z1=point(t); return 6.0*(z1+c0)-12.0*c1; } pair accel(Int t, Int sign) const { if(sign == 0) return 0.5*(preaccel(t)+postaccel(t)); if(sign > 0) return postaccel(t); return preaccel(t); } pair accel(double t) const { if(!cycles) { if(t <= 0) return postaccel((Int) 0); if(t >= n-1) return preaccel(n-1); } Int i=Floor(t); t -= i; if(t == 0) return 0.5*(postaccel(i)+preaccel(i)); pair z0=point(i); pair c0=postcontrol(i); pair c1=precontrol(i+1); pair z1=point(i+1); return 6.0*t*(z1-z0+3.0*(c0-c1))+6.0*(z0+c1)-12.0*c0; } // Returns the path traced out in reverse. path reverse() const; // Generates a path that is a section of the old path, using the time // interval given. path subpath(Int start, Int end) const; path subpath(double start, double end) const; // Special case of subpath used by intersect. void halve(path &first, path &second) const; // Used by picture to determine bounding box. bbox bounds() const; pair mintimes() const { checkEmpty(n); bounds(); return camp::pair(times.left,times.bottom); } pair maxtimes() const { checkEmpty(n); bounds(); return camp::pair(times.right,times.top); } template void addpoint(bbox& box, T i) const { box.addnonempty(point(i),times,(double) i); } template void addpoint(bbox& box, T i, double min, double max) const { static const pair I(0,1); pair v=I*dir(i); pair z=point(i); box.add(z+min*v); box.addnonempty(z+max*v); } // Return bounding box accounting for padding perpendicular to path. bbox bounds(double min, double max) const; // Return bounding box accounting for internal pen padding (but not pencap). bbox internalbounds(const bbox &padding) const; double cubiclength(Int i, double goal=-1) const; double arclength () const; double arctime (double l) const; double directiontime(const pair& z) const; pair max() const { checkEmpty(n); return bounds().Max(); } pair min() const { checkEmpty(n); return bounds().Min(); } // Debugging output friend std::ostream& operator<< (std::ostream& out, const path& p); // Increment count if the path has a vertical component at t. bool Count(Int& count, double t) const; // Count if t is in (begin,end] and z lies to the left of point(i+t). void countleft(Int& count, double x, Int i, double t, double begin, double end, double& mint, double& maxt) const; // Return the winding number of the region bounded by the (cyclic) path // relative to the point z. Int windingnumber(const pair& z) const; // Transformation path transformed(const transform& t) const; }; extern path nullpath; extern const unsigned maxdepth; extern const unsigned mindepth; extern const char *nopoints; bool intersect(double& S, double& T, path& p, path& q, double fuzz, unsigned depth=maxdepth); bool intersections(double& s, double& t, std::vector& S, std::vector& T, path& p, path& q, double fuzz, bool single, bool exact, unsigned depth=maxdepth); void intersections(std::vector& S, path& g, const pair& p, const pair& q, double fuzz); // Concatenates two paths into a new one. path concat(const path& p1, const path& p2); // Applies a transformation to the path path transformed(const transform& t, const path& p); inline double quadratic(double a, double b, double c, double x) { return a*x*x+b*x+c; } class quadraticroots { public: enum {NONE=0, ONE=1, TWO=2, MANY} distinct; // Number of distinct real roots. unsigned roots; // Total number of real roots. double t1,t2; // Real roots quadraticroots(double a, double b, double c); }; class Quadraticroots { public: unsigned roots; // Total number of roots. pair z1,z2; // Complex roots Quadraticroots(pair a, pair b, pair c); }; class cubicroots { public: unsigned roots; // Total number of real roots. double t1,t2,t3; cubicroots(double a, double b, double c, double d); }; path nurb(pair z0, pair z1, pair z2, pair z3, double w0, double w1, double w2, double w3, Int m); double orient2d(const pair& a, const pair& b, const pair& c); void roots(std::vector &roots, double a, double b, double c, double d); void roots(std::vector &r, double x0, double c0, double c1, double x1, double x); inline bool goodroot(double t) { return 0.0 <= t && t <= 1.0; } extern const double third; } #ifndef BROKEN_COMPILER // Delete the following line to work around problems with old broken compilers. GC_DECLARE_PTRFREE(camp::solvedKnot); #endif #endif asymptote-2.62/locate.h0000644000000000000000000000110113607467113013607 0ustar rootroot/***** * locate.h * Tom Prince 2005/03/24 * * Locate files in search path. *****/ #ifndef LOCATE_H #define LOCATE_H #include "common.h" namespace settings { typedef mem::list file_list_t; extern file_list_t searchPath; // Find the appropriate file, first looking in the local directory, then the // directory given in settings, and finally the global system directory. string locateFile(string id, bool full=false); namespace fs { // Check to see if a file of given name exists. bool exists(string filename); } } // namespace settings #endif // LOCATE_H asymptote-2.62/vm.h0000644000000000000000000000135613607467113012776 0ustar rootroot/***** * vm.h * Tom Prince 2005/06/17 * * Interface to the virtual machine. *****/ #ifndef VM_H #define VM_H #include "errormsg.h" namespace vm { struct lambda; class stack; typedef void (*bltin)(stack *s); #ifdef DEBUG_BLTIN // This associates names to bltin functions, so that the output of 'asy -s' // can print the names of the bltin functions that appear in the bytecode. void registerBltin(bltin b, string s); string lookupBltin(bltin b); #define REGISTER_BLTIN(b, s) \ registerBltin((b), (s)) #else #define REGISTER_BLTIN(b, s) #endif void run(lambda *l); position getPos(); void errornothrow(const char* message); void error(const char* message); void error(const ostringstream& message); } // namespace vm #endif // VM_H asymptote-2.62/runtime.pl0000755000000000000000000001607613607467113014233 0ustar rootroot#!/usr/bin/env perl ###### # runtime.pl # Tom Prince 2004/4/15 # # Generate the runtime functions used by the vm::stack machine. # ##### $prefix = shift(@ARGV); if (not $prefix) { print STDERR "usage: ./runtime.pl module_name\n"; exit(1); } $stack = "Stack"; my $errors = 0; sub report_error { my $filename = shift; my $line = shift; my $error = shift; print STDERR "$filename:$line: $error\n"; $errors = 1; } sub assoc_error { my $filename = shift; my $line = shift; my $type = shift; report_error($filename, $line, "no asy type associated to '$type'"); } sub clean_type { for (@_) { s/\s//g; } } sub clean_params { for (@_) { s/\n//g; } } my %type_map; sub read_types { my @types = split /\n/, shift; my $filename = shift; my $line = shift; for (@types) { ++$line; # Remove // comments. s/\/\/.*//g; # Skip blank lines. next if /^\s*$/; my ($type,$code) = m|(\w*(?:\s*\*)?) \s*=>\s* (.*) |x; if (not $type) { report_error($filename, $line, "bad type declaration"); } clean_type($type); $type_map{$type} = $code; } } # Scrape the symbol names of the operators from opsymbols.h. my %opsymbols = (); open(opsyms, "opsymbols.h") || die("Couldn't open opsymbols.h"); while () { if (m/^OPSYMBOL\(\"(.*)\", ([A-Za-z_]+)\);/) { $opsymbols{ $1 } = $2; } } # Turn a name into a symbol. sub symbolize { my $name = shift; if ($name =~ /^[A-Za-z0-9_]+$/) { return "SYM($name)"; } if ($opsymbols{ $name }) { return $opsymbols{ $name }; } if ($name =~ /operator (\w+)/ && $opsymbols{ $1 }) { return $opsymbols{ $1 } } return "symbol::trans(\"" . $name . "\")" } sub asy_params { my $params = shift; my @params = split m/,\s*/, $params; my $filename = shift; my $line = shift; for (@params) { my ($explicit, $type, $name, $default) = m|^\s* (explicit)*\s*(\w*(?:\s*\*)?) \s* (\w*)(=*)|xs; clean_type($type); if (not $type_map{$type}) { assoc_error($filename, $line, $type); } $_ = "formal(" . $type_map{$type} . ", " . symbolize(lc($name)) . ", " . ($default ? "true" : "false") . ", " . ($explicit ? "true" : "false") . ")"; } return @params; } sub c_params { my @params = @_; for (@params) { my ($explicit, $type, $name, $default, $value) = m|^\s* (explicit)*\s*(\w*(?:\s*\*)?) \s* (\w*)(=*)([\w.+\-]*)|xs; $_ = " $type $name=vm::pop" . ($type =~ /^item$/ ? "" : "<$type>") . "($stack" . ($default ? "," . $value : "") . ");\n"; } reverse @params; } $/ = "\f\n"; open STDIN, "<$prefix.in" or die "can't open input file $prefix.in"; open BASE, "$prefix.cc" or die "can't open output file $prefix.cc"; my $autogenerated= "/***** Autogenerated from $prefix.in; changes will be overwritten *****/\n\n"; my $base_source_line = 1; my $source_line = 1; print $autogenerated; print "#line $base_source_line \"runtimebase.in\"\n"; $baseheader = ; print $baseheader; $basesource_line += ($baseheader =~ tr/\n//);; my $basesource_type_line = $basesource_line; print "#line $source_line \"$prefix.in\"\n"; $header = <>; print $header; $source_line += ($header =~ tr/\n//);; my $source_type_line = $source_line; $basetypes = ; $basesource_line += ($basetypes =~ tr/\n//);; $types = <>; $source_line += ($types =~ tr/\n//);; print "#line $base_source_line \"runtimebase.in\"\n"; $baseheader = ; print $baseheader; $basesource_line += ($baseheader =~ tr/\n//);; print "#line $source_line \"$prefix.in\"\n"; $header = <>; print $header; $source_line += ($header =~ tr/\n//);; print "\n#ifndef NOSYM"; print "\n#include \"$prefix.symbols.h\"\n"; print "\n#endif"; print "\nnamespace run {\n"; read_types($basetypes, "runtimebase.in", $basesource_type_line); read_types($types, "$prefix.in", $source_type_line); ### Begining of `$prefix.h' push @header, $autogenerated; # TODO: Capitalize prefix push @header, "#ifndef " . $prefix . "_H\n"; push @header, "#define " . $prefix . "_H\n"; push @header, "namespace run {\n"; my $count = 0; while (<>) { my ($comments,$type,$name,$cname,$params,$code) = m|^((?:\s*//[^\n]*\n)*) # comment lines \s* (\w*(?:\s*\*)?) # return type \s* ([^(:]*)\:*([^(]*) # function name \s* \(([\w\s*,=.+\-]*)\) # parameters \s* \{(.*)} # body |xs; if (not $type) { report_error("$prefix.in", $source_line, "bad function definition"); } if($cname) {push @header, "void $cname(vm::stack *);\n";} else {$cname="gen_$prefix${count}";} # Unique C++ function name clean_type($type); my @params = split m/,\s*/, $params; # Build addFunc call for asymptote if($name) { $name =~ s/Operator\s*//; if (not $type_map{$type}) { assoc_error("$prefix.in", $source_line, $type); } my @asy_params = asy_params($params, "$prefix.in", $source_line); push @builtin, "#line $source_line \"$prefix.in\"\n" . " addFunc(ve, run::" . $cname . ", " . $type_map{$type} . ", " . symbolize($name) . ( @params ? ", " . join(", ",@asy_params) : "" ) . ");\n"; } # Build REGISTER_BLTIN command for builtin functions which are not added to # the environment. if (not $name and $cname) { push @builtin, "#line $source_line \"$prefix.in\"\n" . " REGISTER_BLTIN(run::" . $cname . ',"' . $cname . '"' . ");\n"; } # Handle marshalling of values to/from stack $qualifier = ($type eq "item" ? "" : "<$type>"); $code =~ s/\breturn ([^;]*);/{$stack->push$qualifier($1); return;}/g; $args = join("",c_params(@params)); print $comments; $ncomments = ($comments =~ tr/\n//); $source_line += $ncomments; print "#line $source_line \"$prefix.in\"\n"; my $prototype=$type . " " . $name . "(" . $params . ");"; $nprototype = ($prototype =~ tr/\n//)+1; $source_line += $nprototype; if($name) { clean_params($prototype); print "// $prototype\n"; } print "void $cname(stack *"; if($type ne "void" or $params ne "") {print $stack;} print ")\n{\n$args"; print "#line $source_line \"$prefix.in\""; print "$code}\n\n"; $source_line -= $ncomments+$nprototype; $source_line += ($_ =~ tr/\n//); ++$count; } print "} // namespace run\n"; print "\nnamespace trans {\n\n"; print "void gen_${prefix}_venv(venv &ve)\n{\n"; print @builtin; print "}\n\n"; print "} // namespace trans\n"; ### End of `header.h' push @header, "}\n\n"; push @header, "#endif // ". $prefix . "_H\n"; undef $/; open HEADER, "<", "$prefix.h"; $orig_header =